diff --git a/Data Science Projects/Impacts of Hurricane Harvey 2017/Hurricane Harvey 2017.py b/Data Science Projects/Impacts of Hurricane Harvey 2017/Hurricane Harvey 2017.py new file mode 100644 index 0000000000000000000000000000000000000000..3999eb6809779f2891a38a436ef6b1d9204a131c --- /dev/null +++ b/Data Science Projects/Impacts of Hurricane Harvey 2017/Hurricane Harvey 2017.py @@ -0,0 +1,180 @@ +import pandas as pd +import matplotlib.pyplot as plt +from math import isnan +from mpl_toolkits.basemap import Basemap +import numpy as np + +# Importing data +df = pd.read_csv("StormEvents_2017.csv") + +# Dataframe preview +print(df.head()) +print(df.shape, "\n") + +# Check if all variables has the correct data type +print(df.dtypes) +print('''The time has data type "object" while it should be "datetime". +Several values should be categorical, as "State, "Month", "Event_Type", etc. \n''') + +# Correcting data type +df["Begin_Date_Time"] = pd.to_datetime(df["Begin_Date_Time"], errors="ignore") +df["End_Date_Time"] = pd.to_datetime(df["End_Date_Time"], errors="ignore") +df["State"] = pd.Categorical(df["State"]) +df["Month"] = pd.Categorical(df["Month"]) +df["Event_Type"] = pd.Categorical(df["Event_Type"]) +df["CZ_Name"] = pd.Categorical(df['CZ_Name']) +df['Timezone'] = pd.Categorical(df['Timezone']) +print(df.dtypes) +print(df.head(), "\n") + +# Reorder month category +month_order = ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"] +df["Month"].cat.reorder_categories(month_order) + +# Select just the data that is relevant (from August 17th to September 3th) +harley_df = df[(df["Begin_Date_Time"] >= '2017-08-17 00:00:00') & (df["Begin_Date_Time"] < '2017-09-04 00:00:00')].copy() +print(harley_df.head()) +print(harley_df.shape, "\n") + +# Check for missing values +print(harley_df.isnull().sum(), "\n") + +# Raplace NaN costs and damage for 0 +harley_df['Damage_Property'].fillna(0, inplace=True) +harley_df['Property_Cost'].fillna(0, inplace=True) +harley_df['Damage_Crops'].fillna(0, inplace=True) +harley_df['Crop_Cost'].fillna(0, inplace=True) +print(harley_df.isnull().sum(), "\n") + +# Find States that suffered at most with the related storm events +most_impacted_states = harley_df.groupby("State")["Property_Cost"].sum().sort_values(ascending=False) +print(most_impacted_states.head()) +print(f"""Texas represents {most_impacted_states[0]/most_impacted_states.sum() * 100:.2f} percent of the total costs. +Therefore, is recomend the insurance company to send people to Texas. \n""") + +# Ocurrance of Events in Texas +texas_df = harley_df[harley_df["State"] == "TEXAS"].copy() +texas_df.reset_index(inplace=True) +print(texas_df.head()) +print(texas_df.shape, "\n") +plt.hist(texas_df["Event_Type"]) +plt.xlabel("Event_Type") +plt.ylabel("Ocurrance") +plt.title("Ocurrance of events in Texas") +plt.xticks(rotation=45) +plt.show() + +print("""As shown in the bar plot above, flash flood was the weather event that most occured in the states of Texas +from August 17th and September 3rd. +Flash floods occour along rivers, on coastlines, in urban areas and dry creek beds. To support the +informations collected with the bar diagram, the location of those events will evaluated. \n""") + +# Location of events +print(texas_df[["Begin_Lat", "Begin_Lon"]].isnull().sum()) +print("""More than 20 percent of the begin latitude and longitude data is missing, +therefore this data cannot be deleted. +The latitude and longitude missing will be replaced by the median latitude and longitude of the County +related to the weather event. In case there is no latitude or longitude registered for the County +it will be replaced by the median latitude and longitude from Texas""") +for index, row in texas_df.iterrows(): + if isnan(texas_df[texas_df["CZ_Name"] == texas_df.at[index, "CZ_Name"]]["Begin_Lat"].median()) == False: + texas_df.at[index, 'Begin_Lat'] = texas_df[texas_df["CZ_Name"] == texas_df.at[index, "CZ_Name"]]["Begin_Lat"].median() + texas_df.at[index, 'Begin_Lon'] = texas_df[texas_df["CZ_Name"] == texas_df.at[index, "CZ_Name"]]["Begin_Lon"].median() + else: + texas_df.at[index, 'Begin_Lat'] = texas_df["Begin_Lat"].median() + texas_df.at[index, 'Begin_Lon'] = texas_df["Begin_Lon"].median() +print(texas_df[["Begin_Lat", "Begin_Lon"]].isnull().sum()) + +# Geoplot +my_map = Basemap(projection='merc', + resolution = 'l', area_thresh = 1000.0, + llcrnrlon=texas_df["Begin_Lon"].min() - 1, llcrnrlat=texas_df["Begin_Lat"].min() - 1, #min longitude (llcrnrlon) and latitude (llcrnrlat) + urcrnrlon=texas_df["Begin_Lon"].max() + 1, urcrnrlat=texas_df["Begin_Lat"].max() + 1) #max longitude (urcrnrlon) and latitude (urcrnrlat) +my_map.drawcoastlines() +my_map.drawcountries() +my_map.fillcontinents(color = 'white', alpha = 0.3) +my_map.shadedrelief() +my_map.etopo() +xs,ys = my_map(np.asarray(texas_df.Begin_Lon), np.asarray(texas_df.Begin_Lat)) +texas_df['xm'] = xs.tolist() +texas_df['ym'] = ys.tolist() +for index,row in texas_df.iterrows(): + x,y = my_map(texas_df.Begin_Lon, texas_df.Begin_Lat) + my_map.plot(row.xm, row.ym,markerfacecolor =([1,0,0]), marker='o', markersize= 5, alpha = 0.75) +plt.title('Weather events distribution') +plt.show() +print('''\nAs expected, the geographical diagram support the information collected with the bar diagram. The majority of +the events occured at the costside or close to a montain area (near rivers).\n''') + +# Counties with the most weather event ocurrancy +most_event_ocurrancy = texas_df.groupby(["Event_Type", "CZ_Name"]).size() +most_event_ocurrancy = most_event_ocurrancy.to_frame(name = 'size').reset_index() +most_event_ocurrancy = most_event_ocurrancy.groupby("CZ_Name")["size"].sum().sort_values(ascending=False) +print(most_event_ocurrancy.head(), "\n") + +# Counties with highest property cost +high_property_cost = texas_df.groupby("CZ_Name")["Property_Cost"].sum().sort_values(ascending=False) +print(high_property_cost.head(), "\n") +print(f"""The 5 counties with the highest property cost represents {high_property_cost.head().sum()/high_property_cost.sum()*100:.2f} percent +of the total property cost. +Due to the proximity of the counties the best decision that the company can do is to focus on sending employers for the +region covering already more than 80 percent of the total property cost in the whole United States +in a small region of the country""") +hpc_counties = texas_df[(texas_df["CZ_Name"]=="GALVESTON") | (texas_df["CZ_Name"]=="FORT BEND") | + (texas_df["CZ_Name"]=="MONTGOMERY") | (texas_df["CZ_Name"]=="HARRIS") | (texas_df["CZ_Name"]=="JEFFERSON")].copy() + +# Geoplot all waether events due to the Harley Hurricane +my_map = Basemap(projection='merc', + resolution = 'l', area_thresh = 1000.0, + llcrnrlon=harley_df["Begin_Lon"].min() - 1, llcrnrlat=harley_df["Begin_Lat"].min() - 1, #min longitude (llcrnrlon) and latitude (llcrnrlat) + urcrnrlon=harley_df["Begin_Lon"].max() + 1, urcrnrlat=harley_df["Begin_Lat"].max() + 1) #max longitude (urcrnrlon) and latitude (urcrnrlat) +my_map.drawcoastlines() +my_map.drawcountries() +my_map.fillcontinents(color = 'white', alpha = 0.3) +my_map.shadedrelief() +my_map.bluemarble() +xs,ys = my_map(np.asarray(harley_df.Begin_Lon), np.asarray(harley_df.Begin_Lat)) +harley_df['xm'] = xs.tolist() +harley_df['ym'] = ys.tolist() +for index,row in harley_df.iterrows(): + x,y = my_map(harley_df.Begin_Lon, harley_df.Begin_Lat) + my_map.plot(row.xm, row.ym,markerfacecolor =([1,0,0]), marker='o', markersize= 5, alpha = 0.75) +plt.title('Weather events distribution') +plt.show() + +# Geoplot most affected counties +my_map = Basemap(projection='merc', + resolution = 'l', area_thresh = 1000.0, + llcrnrlon=harley_df["Begin_Lon"].min() - 1, llcrnrlat=harley_df["Begin_Lat"].min() - 1, #min longitude (llcrnrlon) and latitude (llcrnrlat) + urcrnrlon=harley_df["Begin_Lon"].max() + 1, urcrnrlat=harley_df["Begin_Lat"].max() + 1) #max longitude (urcrnrlon) and latitude (urcrnrlat) +my_map.drawcoastlines() +my_map.drawcountries() +my_map.fillcontinents(color = 'white', alpha = 0.3) +my_map.shadedrelief() +my_map.bluemarble() +xs,ys = my_map(np.asarray(hpc_counties.Begin_Lon), np.asarray(hpc_counties.Begin_Lat)) +hpc_counties['xm'] = xs.tolist() +hpc_counties['ym'] = ys.tolist() +for index,row in hpc_counties.iterrows(): + x,y = my_map(hpc_counties.Begin_Lon, hpc_counties.Begin_Lat) + my_map.plot(row.xm, row.ym,markerfacecolor =([1,0,0]), marker='o', markersize= 5, alpha = 0.75) +plt.title('Weather events distribution') +plt.show() + +my_map = Basemap(projection='merc', + resolution = 'l', area_thresh = 1000.0, + llcrnrlon=texas_df["Begin_Lon"].min() - 1, llcrnrlat=texas_df["Begin_Lat"].min() - 1, #min longitude (llcrnrlon) and latitude (llcrnrlat) + urcrnrlon=texas_df["Begin_Lon"].max() + 1, urcrnrlat=texas_df["Begin_Lat"].max() + 1) #max longitude (urcrnrlon) and latitude (urcrnrlat) +my_map.drawcoastlines() +my_map.drawcountries() +my_map.fillcontinents(color = 'white', alpha = 0.3) +my_map.shadedrelief() +my_map.bluemarble() +xs,ys = my_map(np.asarray(hpc_counties.Begin_Lon), np.asarray(hpc_counties.Begin_Lat)) +hpc_counties['xm'] = xs.tolist() +hpc_counties['ym'] = ys.tolist() +for index,row in hpc_counties.iterrows(): + x,y = my_map(hpc_counties.Begin_Lon, hpc_counties.Begin_Lat) + my_map.plot(row.xm, row.ym,markerfacecolor =([1,0,0]), marker='o', markersize= 5, alpha = 0.75) +plt.title('Weather events distribution') +plt.show() diff --git a/Data Science Projects/Impacts of Hurricane Harvey 2017/StormEvents_2017.csv b/Data Science Projects/Impacts of Hurricane Harvey 2017/StormEvents_2017.csv new file mode 100644 index 0000000000000000000000000000000000000000..ded1a2bc98b34ac32d18c4d993d64d73aa2f5d1e --- /dev/null +++ b/Data Science Projects/Impacts of Hurricane Harvey 2017/StormEvents_2017.csv @@ -0,0 +1,57006 @@ +EpisodeID,Event_ID,State,Year,Month,Event_Type,CZ_Name,Begin_Date_Time,Timezone,End_Date_Time,Injuries_Direct,Injuries_Indirect,Deaths_Direct,Deaths_Indirect,Damage_Property,Property_Cost,Damage_Crops,Crop_Cost,Begin_Lat,Begin_Lon,End_Lat,End_Lon,Episode_Narrative,Event_Narrative +113355,678791,NEW JERSEY,2017,April,Thunderstorm Wind,"GLOUCESTER",2017-04-06 15:09:00,EST-5,2017-04-06 15:09:00,0,0,0,0,,NaN,,NaN,39.66,-75.08,39.66,-75.08,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A couple of trees were taken down due to thunderstorm wind gusts." +113459,679228,FLORIDA,2017,April,Tornado,"LEE",2017-04-06 09:30:00,EST-5,2017-04-06 09:40:00,1,0,0,0,110.00K,110000,0.00K,0,26.501,-81.998,26.5339,-81.8836,"A line of thunderstorms developed along a prefrontal trough and moved south through the Florida Peninsula on the morning of the 6th. Some of the stronger storms produced and EF-0 tornado and one inch hail.","Emergency management reported and broadcast media received video of a tornado that crossed the southern point of Pine Island. The tornado then became a waterspout as it moved east and into Fort Myers towards Lakes Regional Park. In Fort Myers, the tornado destroyed one mobile home, damaged trees, fences, and car ports, and lifted a metal dock out of the water at Lakes Regional Park. One person sustained minor injuries." +113448,679268,OHIO,2017,April,Thunderstorm Wind,"GREENE",2017-04-05 17:49:00,EST-5,2017-04-05 17:53:00,0,0,0,0,1.00K,1000,0.00K,0,39.85,-83.99,39.85,-83.99,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","An entire tree was uprooted in a yard on Dayton-Springfield Rd." +113697,682042,OHIO,2017,April,Flood,"CLERMONT",2017-04-16 17:59:00,EST-5,2017-04-16 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.1065,-84.2875,39.1061,-84.2874,"Thunderstorms with very heavy rain developed ahead of a cold front.","Garage of a home was flooded by high water." +113683,682062,NEBRASKA,2017,April,Hail,"CASS",2017-04-15 15:50:00,CST-6,2017-04-15 15:50:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-95.89,40.98,-95.89,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +114718,688082,INDIANA,2017,April,Flash Flood,"SWITZERLAND",2017-04-29 09:15:00,EST-5,2017-04-29 11:15:00,0,0,0,0,10.00K,10000,0.00K,0,38.75,-85.07,38.7465,-85.0766,"Thunderstorms trained along a warm front that was lifting through the area.","A road was closed and water was reported in the lower levels of homes in Vevay." +114834,688895,VIRGINIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-21 19:15:00,EST-5,2017-04-21 19:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.07,-76.54,38.07,-76.54,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Numerous trees were downed around Sandy Point." +121068,724772,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-10-22 10:15:00,CST-6,2017-10-22 10:15:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-91.87,29.12,-91.87,"A pre-frontal trough moved across the coastal waters with numerous thunderstorms along and ahead of the boundary. High wind gusts were recorded at multiple locations.","A wind gust of 48 MPH was recorded at KSCF." +114489,686560,OHIO,2017,April,Flash Flood,"CLERMONT",2017-04-29 09:45:00,EST-5,2017-04-29 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1945,-84.1362,39.1973,-84.139,"Thunderstorms trained along a warm front that was lifting through the area.","High water resulted in a road closure near the 2200 block of Cedarville Road." +113683,682156,NEBRASKA,2017,April,Thunderstorm Wind,"BURT",2017-04-15 18:55:00,CST-6,2017-04-15 18:55:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-96.52,41.84,-96.52,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","Two center pivot irrigation systems were reported blown over by the strong winds." +115066,690966,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-26 07:57:00,CST-6,2017-04-26 07:57:00,0,0,0,0,0.00K,0,0.00K,0,35.2971,-94.0383,35.2971,-94.0383,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +121162,725317,OKLAHOMA,2017,October,Hail,"KIOWA",2017-10-21 15:20:00,CST-6,2017-10-21 15:20:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-99.02,34.85,-99.02,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +120474,721817,ATLANTIC NORTH,2017,October,Marine Strong Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-10-24 02:24:00,EST-5,2017-10-24 02:24:00,0,0,0,0,0.01K,10,0.01K,10,39.0557,-75.1575,39.0557,-75.1575,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.","Measured gust at Brandywine Shoal Nos platform." +120474,721818,ATLANTIC NORTH,2017,October,Marine High Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-10-24 03:36:00,EST-5,2017-10-24 03:36:00,0,0,0,0,,NaN,,NaN,39.1475,-75.2454,39.1475,-75.2454,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.","Gust measured at the Ship John Nos Buoy." +112855,675876,PENNSYLVANIA,2017,March,Winter Weather,"MONROE",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 4 to 5 inches." +112855,675879,PENNSYLVANIA,2017,March,Winter Weather,"LOWER BUCKS",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 2 to 4 inches." +112855,675877,PENNSYLVANIA,2017,March,Winter Weather,"WESTERN MONTGOMERY",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 3 to 4 inches." +113797,681330,WISCONSIN,2017,February,Winter Weather,"ROCK",2017-02-24 16:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and an inch or less of snow accumulation." +113797,681332,WISCONSIN,2017,February,Winter Weather,"WALWORTH",2017-02-24 17:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and less than an inch of snow accumulation." +115634,694778,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-06-06 15:25:00,EST-5,2017-06-06 15:25:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"Deep moisture led to numerous thunderstorms developing and moving across the southern half of the Florida Peninsula. Some of these storms created marine wind gusts.","The WeatherFlow station on Boca Grande (XBCG) recorded a 35 knot marine thunderstorm wind gust." +115688,695188,FLORIDA,2017,June,Thunderstorm Wind,"CHARLOTTE",2017-06-06 15:35:00,EST-5,2017-06-06 15:40:00,0,0,0,0,5.00K,5000,0.00K,0,26.9725,-81.9164,26.9725,-81.9164,"Deep moisture led to numerous thunderstorms developing and moving across the southern half of the Florida Peninsula. One of these storms produced damaging wind gusts.","One tree was reported knocked down by thunderstorm wind gusts on Washington Loop in Punta Gorda. Additionally, a high profile helicopter was blown onto its side." +115811,696020,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-07 08:12:00,EST-5,2017-06-07 08:12:00,0,0,0,0,0.00K,0,0.00K,0,27.9777,-82.8321,27.9777,-82.8321,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The NOS/CO-OPs site at the Clearwater Beach Pier produced a 34 knot thunderstorm wind gust." +115811,696023,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-07 09:22:00,EST-5,2017-06-07 09:22:00,0,0,0,0,0.00K,0,0.00K,0,27.34,-82.56,27.34,-82.56,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station in Sarasota Bay recorded a 44 knot marine thunderstorm wind gust." +115752,695727,MONTANA,2017,June,Hail,"CUSTER",2017-06-20 21:20:00,MST-7,2017-06-20 21:20:00,0,0,0,0,0.00K,0,0.00K,0,46.4,-105.86,46.4,-105.86,"A strong cold front moved across the Billings Forecast Area during the evening of the 20th. A cluster of thunderstorms developed along and just behind the front across northern and central Yellowstone County. These thunderstorms moved quickly into eastern Montana producing a few damaging wind gusts along the way.","" +115752,695729,MONTANA,2017,June,Hail,"TREASURE",2017-06-20 20:16:00,MST-7,2017-06-20 20:16:00,0,0,0,0,0.00K,0,0.00K,0,46.11,-107.12,46.11,-107.12,"A strong cold front moved across the Billings Forecast Area during the evening of the 20th. A cluster of thunderstorms developed along and just behind the front across northern and central Yellowstone County. These thunderstorms moved quickly into eastern Montana producing a few damaging wind gusts along the way.","" +115752,695740,MONTANA,2017,June,Thunderstorm Wind,"YELLOWSTONE",2017-06-20 19:00:00,MST-7,2017-06-20 19:00:00,0,0,0,0,0.00K,0,0.00K,0,45.89,-108.37,45.89,-108.37,"A strong cold front moved across the Billings Forecast Area during the evening of the 20th. A cluster of thunderstorms developed along and just behind the front across northern and central Yellowstone County. These thunderstorms moved quickly into eastern Montana producing a few damaging wind gusts along the way.","Thunderstorm winds estimated at 70 mph uprooted a few trees and demolished a utility building near Shepherd." +113797,681331,WISCONSIN,2017,February,Winter Weather,"WAUKESHA",2017-02-24 17:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and an inch or less of snow accumulation." +113797,681333,WISCONSIN,2017,February,Winter Weather,"MILWAUKEE",2017-02-24 19:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and less than an inch of snow accumulation." +113797,681334,WISCONSIN,2017,February,Winter Weather,"RACINE",2017-02-24 19:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and less than an inch of snow accumulation." +113797,681336,WISCONSIN,2017,February,Winter Weather,"KENOSHA",2017-02-24 19:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and less than an inch of snow accumulation." +115176,691471,GULF OF MEXICO,2017,June,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-04 09:02:00,EST-5,2017-06-04 09:07:00,0,0,0,0,0.00K,0,0.00K,0,27.312,-82.706,27.324,-82.686,"Scattered showers developed across the Florida Peninsula and eastern Gulf of Mexico under deep southeast flow. Multiple waterspouts were reported near the coast with these showers.","Multiple calls and pictures were received of a cluster of waterspouts off the coast of Siesta Key. One picture showed 2 waterspouts in close proximity, although one report stated that there were a total of three waterspouts touching down at once." +115176,691472,GULF OF MEXICO,2017,June,Waterspout,"TAMPA BAY",2017-06-04 11:05:00,EST-5,2017-06-04 11:12:00,0,0,0,0,0.00K,0,0.00K,0,27.932,-82.617,27.9549,-82.6388,"Scattered showers developed across the Florida Peninsula and eastern Gulf of Mexico under deep southeast flow. Multiple waterspouts were reported near the coast with these showers.","A pilot report was initially received stating there was a waterspout over Old Tampa Bay. Later, numerous reports and pictures were posted on social media of the waterspout being spotted from both the Howard Frankland Bridge and the Courtney Campbell Causeway, as well as from St. Pete-Clearwater International Airport." +115634,694777,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-06 14:35:00,EST-5,2017-06-06 14:35:00,0,0,0,0,0.00K,0,0.00K,0,27.0728,-82.44,27.0728,-82.44,"Deep moisture led to numerous thunderstorms developing and moving across the southern half of the Florida Peninsula. Some of these storms created marine wind gusts.","The AWOS at Venice Municipal Airport (KVNC) reported a 41 knot marine thunderstorm wind gust." +112855,675883,PENNSYLVANIA,2017,March,Winter Weather,"EASTERN MONTGOMERY",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 1 to 3 inches." +113797,681282,WISCONSIN,2017,February,Winter Weather,"MARQUETTE",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 3-4 inches of snow accumulation." +115811,696124,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-07 08:30:00,EST-5,2017-06-07 08:30:00,0,0,0,0,0.00K,0,0.00K,0,27.173,-82.924,27.173,-82.924,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The COMPS buoy C10 produced a 37 knot thunderstorm wind gust." +115811,696134,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-07 11:25:00,EST-5,2017-06-07 11:25:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station on Boca Grande recorded a 50 knot marine thunderstorm wind gust." +115811,696176,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-06-07 11:17:00,EST-5,2017-06-07 11:17:00,0,0,0,0,0.00K,0,0.00K,0,26.9,-82.31,26.9,-82.31,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","A WeatherFlow station at Grove City recorded a 47 knot marine thunderstorm wind gust." +115811,696179,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-07 12:21:00,EST-5,2017-06-07 12:21:00,0,0,0,0,0.00K,0,0.00K,0,26.47,-82.05,26.47,-82.05,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station near Sanibel recorded a 39 knot marine thunderstorm wind gust." +115902,696463,FLORIDA,2017,June,Thunderstorm Wind,"HILLSBOROUGH",2017-06-11 15:30:00,EST-5,2017-06-11 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,28.0811,-82.5468,28.0811,-82.5468,"Scattered afternoon thunderstorms developed along sea breeze boundaries. At least one of these storms caused damaging wind gusts.","Tree limbs and power lines were reported down on the corner of Shaw Road and Ehrlich Road." +115904,696474,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-11 17:15:00,EST-5,2017-06-11 17:15:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"Scattered thunderstorms developed over the eastern Gulf of Mexico and moved into the coast. One of those storms produced gusty winds along the coast.","The WeatherFlow station on Boca Grande recorded a 36 knot wind gust." +115940,696653,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-14 14:55:00,EST-5,2017-06-14 14:55:00,0,0,0,0,0.00K,0,0.00K,0,27.76,-82.57,27.76,-82.57,"Deep moisture across the area led to scattered thunderstorms developing over the Florida Peninsula and working west towards the coast through the afternoon. Some of these storms produced marine wind gusts, as well as a waterspout.","A WeatherFlow station in the Tampa Bay recorded a 43 knot thunderstorm wind gust." +116635,701349,FLORIDA,2017,June,Flash Flood,"LEON",2017-06-06 12:30:00,EST-5,2017-06-06 13:15:00,0,0,0,0,0.00K,0,0.00K,0,30.4046,-84.112,30.4051,-84.1106,"Periods of heavy rainfall occurred across portions of the Florida big bend, resulting in some flash flooding around Tallahassee.","The Leon county dispatch relayed a report of 6-7 inches of water covering the intersection of WW Kelly Road and Goodwin Drive." +116635,701350,FLORIDA,2017,June,Flash Flood,"LEON",2017-06-07 15:55:00,EST-5,2017-06-07 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.5167,-84.2406,30.5172,-84.2408,"Periods of heavy rainfall occurred across portions of the Florida big bend, resulting in some flash flooding around Tallahassee.","Several sources reported that the right lane of Thomasville Road northbound was flooded about 1 foot deep between Woodbine Drive and Papillion Way." +116635,701351,FLORIDA,2017,June,Flash Flood,"LEON",2017-06-07 16:15:00,EST-5,2017-06-07 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.5007,-84.2754,30.5016,-84.2801,"Periods of heavy rainfall occurred across portions of the Florida big bend, resulting in some flash flooding around Tallahassee.","A road closure due to flash flooding occurred at the 3400 block of North Meridian Road at John Hancock Drive." +116636,701352,FLORIDA,2017,June,Flash Flood,"BAY",2017-06-21 09:00:00,CST-6,2017-06-21 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-85.79,30.1824,-85.7902,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Water covered the roadway near Front Beach Road and Anne Avenue." +116636,701353,FLORIDA,2017,June,Flash Flood,"WASHINGTON",2017-06-21 09:15:00,CST-6,2017-06-21 11:45:00,0,0,0,0,0.00K,0,0.00K,0,30.4546,-85.6994,30.467,-85.6997,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Water completely covered the roadway on Coyote Trail." +116636,701354,FLORIDA,2017,June,Flood,"WALTON",2017-06-22 05:00:00,CST-6,2017-06-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2746,-86.0081,30.2747,-86.0083,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Beach access was washed out at 264 South Wall Street." +116636,701355,FLORIDA,2017,June,Flood,"WALTON",2017-06-22 05:00:00,CST-6,2017-06-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9796,-86.1653,30.98,-86.156,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Pen Williams Rd was closed due to water on the roadway." +115691,698754,MISSOURI,2017,June,Thunderstorm Wind,"CHRISTIAN",2017-06-23 11:42:00,CST-6,2017-06-23 11:42:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-93.3,37.05,-93.3,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Two large tree limbs were blown down near the intersection of Fairway and Walnut Street." +115691,698756,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:26:00,CST-6,2017-06-23 11:26:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.39,37.24,-93.39,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","The Springfield ASOS measured a peak wind gust of 51 knots. The severe wind gusts continued for about 20 minutes." +116224,698777,KANSAS,2017,June,Hail,"CRAWFORD",2017-06-17 04:20:00,CST-6,2017-06-17 04:20:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-94.69,37.48,-94.69,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","" +116224,698778,KANSAS,2017,June,Hail,"CRAWFORD",2017-06-17 05:13:00,CST-6,2017-06-17 05:13:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-94.84,37.51,-94.84,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","" +116224,698779,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 04:32:00,CST-6,2017-06-17 04:32:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-94.7,37.42,-94.7,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A large tree was blown down on North Broadway." +116224,698780,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 04:30:00,CST-6,2017-06-17 04:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.45,-94.71,37.45,-94.71,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A power line was blown down at the intersection of Highway 69 and Leighton Street." +116224,698781,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 04:16:00,CST-6,2017-06-17 04:16:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-94.69,37.46,-94.69,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A large tree limb was blown down at North Crawford in Frontenac." +116224,698782,KANSAS,2017,June,Hail,"CHEROKEE",2017-06-17 05:39:00,CST-6,2017-06-17 05:39:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-94.84,37.17,-94.84,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","" +115691,698760,MISSOURI,2017,June,Thunderstorm Wind,"TANEY",2017-06-23 12:25:00,CST-6,2017-06-23 12:25:00,0,0,0,0,10.00K,10000,0.00K,0,36.64,-93.22,36.64,-93.22,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A large tree was blown down on a car near 3rd Street and Pacific Street." +115691,698761,MISSOURI,2017,June,Thunderstorm Wind,"STONE",2017-06-23 12:10:00,CST-6,2017-06-23 12:10:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-93.57,36.6,-93.57,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Several large trees were blown down." +115691,698762,MISSOURI,2017,June,Thunderstorm Wind,"TANEY",2017-06-23 12:20:00,CST-6,2017-06-23 12:20:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-93.11,36.63,-93.11,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A tree was blown down." +115691,698763,MISSOURI,2017,June,Thunderstorm Wind,"TANEY",2017-06-23 12:02:00,CST-6,2017-06-23 12:02:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-93.22,36.62,-93.22,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Several large tree limbs were blown down." +115691,698764,MISSOURI,2017,June,Thunderstorm Wind,"HOWELL",2017-06-23 13:10:00,CST-6,2017-06-23 13:10:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-91.99,36.53,-91.99,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A tree was blown down over County Road E near Moody. MODOT had to remove the tree." +115691,698765,MISSOURI,2017,June,Heavy Rain,"GREENE",2017-06-23 11:30:00,CST-6,2017-06-23 11:30:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.39,37.24,-93.39,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A rainfall amount of 0.95 inches was measured in 20 minutes." +115691,698766,MISSOURI,2017,June,Heavy Rain,"GREENE",2017-06-23 11:49:00,CST-6,2017-06-23 11:49:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-93.58,37.32,-93.58,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A rainfall amount of 1.12 inches was measured in 35 minutes." +116222,698768,MISSOURI,2017,June,Flash Flood,"GREENE",2017-06-01 18:15:00,CST-6,2017-06-01 19:15:00,0,0,0,0,0.00K,0,0.00K,0,37.2152,-93.2897,37.2154,-93.2914,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","There were several reports from social media of flowing water over roadways in north Springfield. One of the reports of street flooding was near Boonville Street." +116222,698769,MISSOURI,2017,June,Flash Flood,"GREENE",2017-06-01 19:00:00,CST-6,2017-06-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2292,-93.2984,37.2294,-93.2984,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","Water was flowing over Grant Street south of Kearney Ave." +116222,698770,MISSOURI,2017,June,Hail,"GREENE",2017-06-01 18:16:00,CST-6,2017-06-01 18:16:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-93.37,37.31,-93.37,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","" +116636,701356,FLORIDA,2017,June,Flood,"WALTON",2017-06-22 05:00:00,CST-6,2017-06-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9933,-86.1717,30.9933,-86.1691,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Eight Mile Cemetary Road was closed due to water on the roadway." +116636,701357,FLORIDA,2017,June,Flood,"WALTON",2017-06-22 05:00:00,CST-6,2017-06-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.99,-86.2,30.9863,-86.1983,"Rain bands from Tropical Storm Cindy affected portions of the Florida panhandle with heavy rainfall and localized flooding.","Natural Bridge Road was closed due to water on the roadway." +115330,692444,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-08 09:58:00,EST-5,2017-06-08 09:58:00,0,0,0,0,0.00K,0,0.00K,0,28.23,-80.598,28.23,-80.598,"Scattered thunderstorms with gusty winds over 34 knots moved off the peninsula and crossed the intracoastal and near-shore Atlantic waters.","The Patrick Air Force Base ASOS (KCOF) measured a peak wind of 34 knots from the southwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115330,692448,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-08 11:14:00,EST-5,2017-06-08 11:14:00,0,0,0,0,0.00K,0,0.00K,0,27.96,-80.53,27.96,-80.53,"Scattered thunderstorms with gusty winds over 34 knots moved off the peninsula and crossed the intracoastal and near-shore Atlantic waters.","A mesonet site east of the Valkaria Airport along the Indian River measured a peak wind of 40 knots from the southwest as a strong thunderstorm exited the mainland and continued to the intracoastal waterway." +115330,692453,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-08 13:30:00,EST-5,2017-06-08 13:30:00,0,0,0,0,0.00K,0,0.00K,0,28.101,-80.612,28.101,-80.612,"Scattered thunderstorms with gusty winds over 34 knots moved off the peninsula and crossed the intracoastal and near-shore Atlantic waters.","The ASOS at Melbourne International Airport (KMLB) measured a peak wind of 39 knots from the southwest as a strong thunderstorm exited the mainland and continued to the Indian River." +115691,698751,MISSOURI,2017,June,Lightning,"DOUGLAS",2017-06-23 12:32:00,CST-6,2017-06-23 12:32:00,0,0,0,0,10.00K,10000,0.00K,0,36.99,-92.19,36.99,-92.19,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A home on County Road 162 near Highway EE was struck by lightning which caused a fire." +115691,698752,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:30:00,CST-6,2017-06-23 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.16,-93.29,37.16,-93.29,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A large tree was reported blown down on power lines near the intersection of Battlefield Road and Jefferson Avenue." +115691,698753,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:29:00,CST-6,2017-06-23 11:29:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-93.25,37.22,-93.25,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Three large trees were blown down on Bellview Road near the downtown airport." +115691,698757,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:36:00,CST-6,2017-06-23 11:36:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.32,37.12,-93.32,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Several large tree limbs were blown down." +115691,698758,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:25:00,CST-6,2017-06-23 11:25:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-93.26,37.26,-93.26,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Several large tree limbs were blown down." +115691,698759,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 11:45:00,CST-6,2017-06-23 11:45:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-93.32,37.17,-93.32,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","Several large tree limbs were blown down." +116222,698771,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-01 17:53:00,CST-6,2017-06-01 17:53:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.3,37.24,-93.3,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","A tree was blown down across Grant and Kearney Street." +116222,698772,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-01 18:13:00,CST-6,2017-06-01 18:13:00,0,0,0,0,1.00K,1000,0.00K,0,37.25,-93.31,37.25,-93.31,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","The awning at a gas station was blown off." +116222,698773,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-01 18:10:00,CST-6,2017-06-01 18:10:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.29,37.24,-93.29,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","Several large tree limbs were blown down near Jean and Lyon Street." +116222,698774,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-01 18:15:00,CST-6,2017-06-01 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-93.34,37.25,-93.34,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","Several large tree limbs were blown down across from the Humane Society building." +116224,698775,KANSAS,2017,June,Hail,"CRAWFORD",2017-06-17 04:12:00,CST-6,2017-06-17 04:12:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-94.71,37.41,-94.71,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","" +116224,698776,KANSAS,2017,June,Hail,"CRAWFORD",2017-06-17 04:16:00,CST-6,2017-06-17 04:16:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-94.69,37.46,-94.69,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","" +116224,698783,KANSAS,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-17 05:34:00,CST-6,2017-06-17 05:34:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-94.84,37.17,-94.84,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","Several large tree limbs were blown down." +116224,698784,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 05:10:00,CST-6,2017-06-17 05:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.41,-94.72,37.41,-94.72,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A power line was blown down near West 4th Street." +116224,698785,KANSAS,2017,June,Thunderstorm Wind,"BOURBON",2017-06-17 02:38:00,CST-6,2017-06-17 02:38:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-94.69,37.85,-94.69,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A large tree was uprooted on East Oak Drive." +115940,696657,GULF OF MEXICO,2017,June,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-14 15:30:00,EST-5,2017-06-14 15:55:00,0,0,0,0,0.00K,0,0.00K,0,27.39,-82.65,27.4082,-82.7059,"Deep moisture across the area led to scattered thunderstorms developing over the Florida Peninsula and working west towards the coast through the afternoon. Some of these storms produced marine wind gusts, as well as a waterspout.","Broadcast media replayed a report from the public of a waterspout off Longboat Key." +115968,696991,FLORIDA,2017,June,Thunderstorm Wind,"CHARLOTTE",2017-06-19 11:55:00,EST-5,2017-06-19 11:55:00,0,0,0,0,0.00K,0,0.00K,0,26.99,-82.11,26.99,-82.11,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced strong wind gusts.","A home weather station near Port Charlotte reported a wind gust of 51 knots." +115966,697003,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-19 13:36:00,EST-5,2017-06-19 13:36:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The ASOS at Albert Whitted Airport measured a 35 knot thunderstorm wind gust." +115966,697015,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-19 13:43:00,EST-5,2017-06-19 13:43:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-82.7,27.74,-82.7,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station near Gulfport recorded a 36 knot marine thunderstorm wind gust." +115992,697128,GULF OF MEXICO,2017,June,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-27 07:00:00,EST-5,2017-06-27 07:04:00,0,0,0,0,0.00K,0,0.00K,0,28.1538,-82.8148,28.1538,-82.8148,"Early morning showers developing along the Gulf Coast produced a brief waterspout.","A local TV station sent in a picture from a viewer of a waterspout off of the coast of Tarpon Springs." +116634,701344,ALABAMA,2017,June,Thunderstorm Wind,"GENEVA",2017-06-22 00:10:00,CST-6,2017-06-22 00:10:00,0,0,0,0,1.00K,1000,0.00K,0,31.1,-86.15,31.1,-86.15,"The outer bands of Tropical Storm Cindy affected the area during the early morning hours of June 22nd with a few trees blown down onto power lines.","Power outages were reported in the area due to trees on power lines. The public also estimated wind gusts of 55-60 mph in the area." +116632,701345,ALABAMA,2017,June,Thunderstorm Wind,"GENEVA",2017-06-30 12:42:00,CST-6,2017-06-30 12:42:00,0,0,0,0,2.00K,2000,0.00K,0,31.11,-86.04,31.11,-86.04,"An isolated, brief severe storm developed in Geneva county with damage to power lines in the western portion of the county.","Power lines were blown down in the Samson area." +116224,698786,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 05:10:00,CST-6,2017-06-17 05:10:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-94.72,37.4,-94.72,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","Several large tree limbs were blown down on Chestnut Street in Pittsburg." +116224,698787,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-17 06:12:00,CST-6,2017-06-17 06:12:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-94.71,37.42,-94.71,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A large tree limb was blown down on 8th Street in Pittsburg." +116224,698788,KANSAS,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-17 06:29:00,CST-6,2017-06-17 06:29:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.8,37.08,-94.8,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","Several large tree branches were blown down." +116224,698789,KANSAS,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-17 06:05:00,CST-6,2017-06-17 06:05:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.7,37.08,-94.7,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","There was minor damage to a porch of a home. Numerous trees were blown down in the Riverton area." +116224,698790,KANSAS,2017,June,Thunderstorm Wind,"BOURBON",2017-06-17 22:50:00,CST-6,2017-06-17 22:50:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-94.65,37.72,-94.65,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A tree was blown down." +116225,698801,MISSOURI,2017,June,Thunderstorm Wind,"VERNON",2017-06-15 01:40:00,CST-6,2017-06-15 01:40:00,0,0,0,0,10.00K,10000,0.00K,0,37.84,-94.38,37.84,-94.38,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A large tree was blown down on west Walnut Street in Nevada. Another tree fell on a house." +116225,698802,MISSOURI,2017,June,Thunderstorm Wind,"CEDAR",2017-06-15 02:10:00,CST-6,2017-06-15 02:10:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-93.8,37.7,-93.8,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","Several small trees were blown down in Stockton." +116224,698791,KANSAS,2017,June,Thunderstorm Wind,"BOURBON",2017-06-17 22:46:00,CST-6,2017-06-17 22:46:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.71,37.84,-94.71,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","A tree was blown down over the roadway at 6th Street." +116226,698792,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 04:27:00,CST-6,2017-06-30 04:27:00,0,0,0,0,10.00K,10000,0.00K,0,37.21,-93.24,37.21,-93.24,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","There was minor roof damage to a few homes. There was roofing material blown on to the nearby street." +116226,698793,MISSOURI,2017,June,Thunderstorm Wind,"DALLAS",2017-06-30 04:25:00,CST-6,2017-06-30 04:25:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-93.09,37.65,-93.09,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","Several trees and power lines were blown down." +116226,698795,MISSOURI,2017,June,Thunderstorm Wind,"BARTON",2017-06-30 03:00:00,CST-6,2017-06-30 03:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.5,-94.28,37.5,-94.28,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","A few power lines were blown down." +116226,698796,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 04:16:00,CST-6,2017-06-30 04:16:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-93.24,37.21,-93.24,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","A large tree was blown down across a driveway." +116226,698797,MISSOURI,2017,June,Thunderstorm Wind,"LACLEDE",2017-06-30 04:45:00,CST-6,2017-06-30 04:45:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-92.78,37.55,-92.78,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","Pictures on social media showed several trees were blown down near Phillipsburg. One tree fell on a home. Several power lines were blown down." +116225,698798,MISSOURI,2017,June,Hail,"STONE",2017-06-15 08:55:00,CST-6,2017-06-15 08:55:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-93.4,36.5,-93.4,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","Quarter size hail was reported at the post office in Blue Eye." +116225,698799,MISSOURI,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-15 03:45:00,CST-6,2017-06-15 03:45:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-92.31,37.3,-92.31,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A tree was blown down near the intersection of Highway 95 and Highway 38." +116225,698800,MISSOURI,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-15 03:45:00,CST-6,2017-06-15 03:45:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-92.4,37.25,-92.4,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A tree was blown down on Highway E." +114936,689410,NEVADA,2017,May,Hail,"HUMBOLDT",2017-05-05 13:57:00,PST-8,2017-05-05 14:04:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-117.53,41.49,-117.53,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","" +115738,695578,ILLINOIS,2017,May,Hail,"FULTON",2017-05-17 21:15:00,CST-6,2017-05-17 21:20:00,0,0,0,0,0.00K,0,0.00K,0,40.599,-90.03,40.599,-90.03,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +115738,695580,ILLINOIS,2017,May,Hail,"PEORIA",2017-05-17 21:39:00,CST-6,2017-05-17 21:44:00,0,0,0,0,0.00K,0,0.00K,0,40.7222,-89.6706,40.7222,-89.6706,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +115737,695622,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 14:06:00,CST-6,2017-05-03 14:06:00,0,0,0,0,1.00K,1000,0.00K,0,32.3256,-95.4287,32.3256,-95.4287,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur radio reported quarter size hail near Chandler, TX. at the corner of Van Zandt, Henderson and Smith counties." +116685,701649,WYOMING,2017,May,Hail,"GOSHEN",2017-05-15 16:40:00,MST-7,2017-05-15 16:42:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-104.2,41.96,-104.2,"A thunderstorm produced large hail over central Goshen County.","Quarter size hail was observed eight miles south of Torrington." +116695,701759,NEBRASKA,2017,May,Hail,"SIOUX",2017-05-31 17:15:00,MST-7,2017-05-31 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.0857,-103.9771,42.0857,-103.9771,"Thunderstorms produced large hail over portions of the western Nebraska Panhandle.","Dime to quarter size hail covered the ground." +117453,708341,IOWA,2017,June,Funnel Cloud,"WEBSTER",2017-06-28 14:20:00,CST-6,2017-06-28 14:20:00,0,0,0,0,0.00K,0,0.00K,0,42.5516,-94.2895,42.5516,-94.2895,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +116695,701760,NEBRASKA,2017,May,Hail,"KIMBALL",2017-05-31 16:25:00,MST-7,2017-05-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-103.8524,41.23,-103.8524,"Thunderstorms produced large hail over portions of the western Nebraska Panhandle.","Quarter size hail was observed 10 miles west of Kimball." +116696,701761,NEBRASKA,2017,May,Thunderstorm Wind,"DAWES",2017-05-14 22:30:00,MST-7,2017-05-14 22:32:00,0,0,0,0,0.00K,0,0.00K,0,42.9637,-102.9244,42.9637,-102.9244,"A thunderstorm produced strong winds in northeast Dawes County.","Estimated wind gusts as high as 65 mph were observed north of Chadron." +121753,728828,PENNSYLVANIA,2017,November,Thunderstorm Wind,"INDIANA",2017-11-05 21:01:00,EST-5,2017-11-05 21:01:00,0,0,0,0,2.00K,2000,0.00K,0,40.74,-78.91,40.74,-78.91,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported trees down in Green Township." +117453,706371,IOWA,2017,June,Hail,"DALLAS",2017-06-28 15:53:00,CST-6,2017-06-28 15:53:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-94,41.51,-94,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported golf ball sized hail." +115141,691163,ARIZONA,2017,May,High Wind,"CHUSKA MOUNTAINS AND DEFIANCE PLATEAU",2017-05-06 13:00:00,MST-7,2017-05-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough of low pressure off the California Coast moved toward Arizona and brought locally high winds.","The Window Rock Automated Surface Observation System measured a peak wind gust of 58 MPH at 100 PM MST." +115141,691165,ARIZONA,2017,May,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-05-06 12:45:00,MST-7,2017-05-06 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough of low pressure off the California Coast moved toward Arizona and brought locally high winds.","A weather spotter eight miles southwest of Concho reported a peak wind gust of 58 MPH." +115145,691216,ARIZONA,2017,May,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS FROM HIGHWAY 264 NORTH",2017-05-17 21:00:00,MST-7,2017-05-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong late season low pressure system moved across Arizona. Light snow of an inch or more fell over an area above 6000 feet roughly north and east of Payson to the Four Corners. The area upwind from the Black Mesa picked up the most snow.","Six inches of snow fell in Pi��on at 6360 MSL in 12 hours." +117373,709412,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-27 18:15:00,EST-5,2017-06-27 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,42.5095,-72.5513,42.5095,-72.5513,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 615 PM EST, a tree was reported down on wires at the junction of Meadow Road and Old Sunderland Road in Montague." +118263,710728,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"SPARTANBURG",2017-06-19 13:45:00,EST-5,2017-06-19 13:45:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-81.88,34.99,-81.88,"Isolated to widely scattered thunderstorms developed over the Upstate during the afternoon. One storm produced brief damaging winds in Spartanburg County.","Spotter reported multiple large tree limbs blown down near the intersection of Cannon Campground Rd. and Plainview Dr." +118336,711077,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-18 15:20:00,EST-5,2017-06-18 15:20:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"Scattered thunderstorms with gale-force wind gusts developed gradually as a surface trough of low pressure moved from the northwest Caribbean Sea into the southeast Gulf of Mexico.","A wind gust of 40 knots was measured at the NWS Weather Forecast Office in Key West." +121162,725318,OKLAHOMA,2017,October,Hail,"TILLMAN",2017-10-21 15:40:00,CST-6,2017-10-21 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-99.09,34.39,-99.09,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +116022,697248,MINNESOTA,2017,June,Hail,"OTTER TAIL",2017-06-21 18:05:00,CST-6,2017-06-21 18:05:00,0,0,0,0,,NaN,,NaN,46.21,-95.98,46.21,-95.98,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","Dime to quarter sized hail fell across southern Dane Prairie Township. Some smaller tree branches were also blown down." +116226,698794,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 04:30:00,CST-6,2017-06-30 04:30:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-93.41,37.26,-93.41,"A few severe thunderstorms produced wind damage across the Missouri Ozarks.","Several trees were blown over." +118056,709889,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-18 13:00:00,EST-5,2017-06-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"A band of storms developed over the local Atlantic waters during the late morning hours. This band moved northwest into the mainland, and produced several strong wind gusts along the Miami-Dade County coast around midday.","A marine thunderstorm wind gust of 39 knots / 45 mph was recorded by C-MAN station FWYF1 located at Fowey Rocks at a elevation of 144 feet." +111484,672353,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:27:00,EST-5,2017-01-02 22:27:00,0,0,0,0,3.00K,3000,0.00K,0,31.4008,-83.919,31.4008,-83.919,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down along Bridgeboro-Anderson Road." +118165,710139,NORTH CAROLINA,2017,June,Flash Flood,"WAKE",2017-06-16 19:32:00,EST-5,2017-06-16 19:32:00,0,0,0,0,0.00K,0,0.00K,0,35.83,-78.76,35.8296,-78.7614,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","Locally heavy rainfall of 2 to 3 inches flooded the right line of Interstate 40 near N. Harrison Avenue." +118171,710182,GULF OF MEXICO,2017,June,Waterspout,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-06-21 17:30:00,CST-6,2017-06-21 17:31:00,0,0,0,0,0.00K,0,0.00K,0,30.3249,-87.1487,30.3249,-87.1487,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.","Waterspout sighted near Pensacola Beach." +118351,711143,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-100.02,37.66,-100.02,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 3.25 inches was observed." +118352,711171,KANSAS,2017,June,Hail,"RUSH",2017-06-13 19:24:00,CST-6,2017-06-13 19:24:00,0,0,0,0,,NaN,,NaN,38.46,-99.2,38.46,-99.2,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118355,711247,KANSAS,2017,June,Hail,"EDWARDS",2017-06-17 18:43:00,CST-6,2017-06-17 18:43:00,0,0,0,0,,NaN,,NaN,37.85,-99.05,37.85,-99.05,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +116435,700252,ILLINOIS,2017,June,Hail,"VERMILION",2017-06-14 16:13:00,CST-6,2017-06-14 16:18:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.67,40.47,-87.67,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","" +115706,700964,ALABAMA,2017,June,Flash Flood,"LAUDERDALE",2017-06-23 12:31:00,CST-6,2017-06-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.8618,-87.5118,34.8622,-87.5207,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","EMA reported water partially blocking Eastbound lane at US Hwy 72 and County Road 71/Lingerlost Road in Killen. Depth of water unknown." +120445,721597,MISSOURI,2017,July,Thunderstorm Wind,"ST. LOUIS (C)",2017-07-23 02:05:00,CST-6,2017-07-23 02:05:00,0,0,0,0,0.00K,0,0.00K,0,38.581,-90.2443,38.581,-90.2443,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down a couple of trees near South Grand Avenue and Meramec Street." +117661,707521,INDIANA,2017,June,Hail,"ELKHART",2017-06-19 11:50:00,EST-5,2017-06-19 11:51:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-85.78,41.55,-85.78,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","" +117717,707854,WASHINGTON,2017,June,Debris Flow,"SPOKANE",2017-06-01 15:20:00,PST-8,2017-06-01 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,47.71,-117.23,47.7097,-117.2299,"A wet spring contributed to saturated soils around the region. Scattered debris flows and landslides occurred over much of the region form March through May. Isolated landslides and debris flows continued to be reported into the month of June. In Spokane Valley a debris flow destroyed an out building and flooded a basement of a home.","A slow moving mud slide occurred at the base of a hill at the end of the 12700 block of East Sanson Avenue. The slide destroyed one outbuilding and flooded the basement of a home." +120446,721599,ILLINOIS,2017,July,Thunderstorm Wind,"MADISON",2017-07-23 02:15:00,CST-6,2017-07-23 02:56:00,0,0,0,0,0.00K,0,0.00K,0,38.7659,-90.125,38.7739,-89.6642,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Damaging thunderstorm winds affected most of Madison County. The strongest corridor of damaging winds was along I-270/I-70. In Alton, a large tree was snapped off. Just east southeast of Marine, a turkey tractor was moved 10 feet and split in half. All the turkeys survived. Also, there was additional wind damage to crops and trees in this area. Overall, numerous trees, tree limbs and power lines were blown down." +120446,721600,ILLINOIS,2017,July,Thunderstorm Wind,"MACOUPIN",2017-07-23 02:30:00,CST-6,2017-07-23 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0395,-90.1418,39.0395,-90.1418,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down numerous large tree limbs around town." +117373,705865,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 13:53:00,EST-5,2017-06-27 13:55:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-72.57,42.05,-72.57,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 153 PM EST, an amateur radio operator reported nickel-size hail on U.S. Route 5 in Longmeadow." +117367,706010,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 18:25:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.4068,-78.7487,38.4066,-78.7486,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Massanutten Drive was closed near Colo Road due to residual high water." +117503,706676,VIRGINIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 17:12:00,EST-5,2017-06-30 17:12:00,0,0,0,0,,NaN,,NaN,38.273,-78.4342,38.273,-78.4342,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down blocking Pine Bluff Road near Geteway Drive." +120445,721595,MISSOURI,2017,July,Thunderstorm Wind,"ST. CHARLES",2017-07-23 01:51:00,CST-6,2017-07-23 02:05:00,3,0,0,0,0.00K,0,0.00K,0,38.8,-90.7,38.9082,-90.3104,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","A wide swath of damaging winds extended from O'Fallon through northern St. Peters to the Portage Des Sioux. In O'Fallon, numerous large tree limbs were blown down as well as a couple of trees and fences. A 5th wheel camper was rolled over at 370 Lakeside RV Campground. Three people were briefly trapped inside. All 3 sustained minor injuries. Two other campers were moved off their bases but not rolled over. At St Charles County Airport, Smartt Field, a small place was flipped over. A 71 mph wind gust was measured at the airport." +118355,711254,KANSAS,2017,June,Hail,"KIOWA",2017-06-17 19:35:00,CST-6,2017-06-17 19:35:00,0,0,0,0,,NaN,,NaN,37.61,-99.31,37.61,-99.31,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118361,711361,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-29 23:45:00,CST-6,2017-06-29 23:45:00,0,0,0,0,,NaN,,NaN,37.05,-98.77,37.05,-98.77,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","Numerous tree limbs up to 3 inches in diameter were broken. Hail of unknown size stripped leaves from nearby corn." +118446,711761,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-06-19 15:31:00,EST-5,2017-06-19 15:31:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 41 to 46 knots were reported at Tolly Point." +111484,671810,GEORGIA,2017,January,Thunderstorm Wind,"BEN HILL",2017-01-02 23:13:00,EST-5,2017-01-02 23:13:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-83.24,31.77,-83.24,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tree was blown down." +115476,693428,KENTUCKY,2017,June,Flash Flood,"KNOTT",2017-06-14 16:25:00,EST-5,2017-06-14 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-82.88,37.3301,-82.8795,"Numerous thunderstorms developed this morning and afternoon across eastern Kentucky. One of these produced high winds in Wolfe County, while two instances of flash flooding occurred in Magoffin and Knott Counties.","Broadcast media relayed a report and pictures of water flowing over a rural road near Pippa Passes." +115959,696909,MINNESOTA,2017,June,Hail,"HUBBARD",2017-06-10 01:00:00,CST-6,2017-06-10 01:00:00,0,0,0,0,,NaN,,NaN,47.13,-94.99,47.13,-94.99,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The hail started as dime to nickel size." +121162,725319,OKLAHOMA,2017,October,Hail,"JACKSON",2017-10-21 15:57:00,CST-6,2017-10-21 15:57:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-99.14,34.63,-99.14,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725320,OKLAHOMA,2017,October,Hail,"JACKSON",2017-10-21 16:03:00,CST-6,2017-10-21 16:03:00,0,0,0,0,2.00K,2000,0.00K,0,34.63,-99.14,34.63,-99.14,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Windshield damage was reported." +121277,726031,ARKANSAS,2017,November,Drought,"SEBASTIAN",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of northwestern Arkansas during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a portion of west central Arkansas received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121277,726032,ARKANSAS,2017,November,Drought,"FRANKLIN",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of northwestern Arkansas during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a portion of west central Arkansas received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121277,726030,ARKANSAS,2017,November,Drought,"CRAWFORD",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of northwestern Arkansas during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a portion of west central Arkansas received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121277,726028,ARKANSAS,2017,November,Drought,"WASHINGTON",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of northwestern Arkansas during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a portion of west central Arkansas received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121277,726029,ARKANSAS,2017,November,Drought,"MADISON",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of northwestern Arkansas during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a portion of west central Arkansas received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121019,724560,MONTANA,2017,November,High Wind,"JUDITH BASIN",2017-11-19 15:11:00,MST-7,2017-11-19 15:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Measured wind gust of 61 mph." +121019,724572,MONTANA,2017,November,High Wind,"EASTERN PONDERA",2017-11-20 00:52:00,MST-7,2017-11-20 00:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 64 mph wind gust." +116564,700931,NEW YORK,2017,May,Hail,"DUTCHESS",2017-05-31 17:50:00,EST-5,2017-05-31 17:50:00,0,0,0,0,,NaN,,NaN,41.68,-73.91,41.68,-73.91,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","A trained spotter reported golf ball size hail on Mitchell Avenue." +116569,700940,CONNECTICUT,2017,May,Hail,"LITCHFIELD",2017-05-31 18:48:00,EST-5,2017-05-31 18:48:00,0,0,0,0,,NaN,,NaN,41.59,-73.41,41.59,-73.41,"A severe thunderstorm impacted northwestern Connecticut on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. The supercell thunderstorm had earlier produced a tornado and large hail in the mid-Hudson Valley of New York, and continued producing large hail as it entered Connecticut. Hail up to the size of quarters was reported.","" +116575,701001,NEW YORK,2017,May,High Wind,"WESTERN GREENE",2017-05-05 13:00:00,EST-5,2017-05-05 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116564,700918,NEW YORK,2017,May,Hail,"SCHENECTADY",2017-05-31 15:36:00,EST-5,2017-05-31 15:36:00,0,0,0,0,,NaN,,NaN,42.8,-73.93,42.8,-73.93,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700922,NEW YORK,2017,May,Hail,"RENSSELAER",2017-05-31 15:46:00,EST-5,2017-05-31 15:46:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-73.65,42.76,-73.65,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700936,NEW YORK,2017,May,Thunderstorm Wind,"DUTCHESS",2017-05-31 18:30:00,EST-5,2017-05-31 18:30:00,0,0,0,0,,NaN,,NaN,41.59,-73.58,41.59,-73.58,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The public reported multiple maple trees down." +116569,700941,CONNECTICUT,2017,May,Hail,"LITCHFIELD",2017-05-31 18:50:00,EST-5,2017-05-31 18:50:00,0,0,0,0,,NaN,,NaN,41.57,-73.37,41.57,-73.37,"A severe thunderstorm impacted northwestern Connecticut on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. The supercell thunderstorm had earlier produced a tornado and large hail in the mid-Hudson Valley of New York, and continued producing large hail as it entered Connecticut. Hail up to the size of quarters was reported.","" +116564,700920,NEW YORK,2017,May,Hail,"GREENE",2017-05-31 15:40:00,EST-5,2017-05-31 15:40:00,0,0,0,0,,NaN,,NaN,42.36,-73.99,42.36,-73.99,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700905,NEW YORK,2017,May,Hail,"SCHENECTADY",2017-05-31 15:21:00,EST-5,2017-05-31 15:21:00,0,0,0,0,0.00K,0,0.00K,0,42.83,-73.9,42.83,-73.9,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700908,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:24:00,EST-5,2017-05-31 15:24:00,0,0,0,0,,NaN,,NaN,42.61,-73.97,42.61,-73.97,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down at the intersection of New Scotland Road and Stove Pipe Road." +116564,700914,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:30:00,EST-5,2017-05-31 15:30:00,0,0,0,0,,NaN,,NaN,42.78,-73.79,42.78,-73.79,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The public reported a tree down on the road via Facebook." +116564,700921,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:40:00,EST-5,2017-05-31 15:40:00,0,0,0,0,,NaN,,NaN,42.72,-73.7,42.72,-73.7,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down at the intersection of 14th Street and 2nd Ave." +116575,701004,NEW YORK,2017,May,High Wind,"WESTERN RENSSELAER",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116575,701005,NEW YORK,2017,May,High Wind,"EASTERN RENSSELAER",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116575,701006,NEW YORK,2017,May,High Wind,"SOUTHERN WASHINGTON",2017-05-05 14:00:00,EST-5,2017-05-05 16:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116575,701007,NEW YORK,2017,May,Strong Wind,"EASTERN DUTCHESS",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,0.10K,100,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116575,701008,NEW YORK,2017,May,Strong Wind,"WESTERN DUTCHESS",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,0.10K,100,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116564,700900,NEW YORK,2017,May,Hail,"SCHENECTADY",2017-05-31 15:18:00,EST-5,2017-05-31 15:18:00,0,0,0,0,,NaN,,NaN,42.79,-73.97,42.79,-73.97,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700910,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-31 15:26:00,EST-5,2017-05-31 15:26:00,0,0,0,0,,NaN,,NaN,42.97,-73.83,42.97,-73.83,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Local fire department reported trees and wires down." +116564,700916,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:34:00,EST-5,2017-05-31 15:34:00,0,0,0,0,,NaN,,NaN,42.7,-73.75,42.7,-73.75,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down on Princess Lane." +116564,700896,NEW YORK,2017,May,Hail,"WARREN",2017-05-31 14:39:00,EST-5,2017-05-31 14:39:00,0,0,0,0,,NaN,,NaN,43.75,-73.5,43.75,-73.5,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700897,NEW YORK,2017,May,Hail,"WARREN",2017-05-31 14:40:00,EST-5,2017-05-31 14:40:00,0,0,0,0,,NaN,,NaN,43.58,-73.86,43.58,-73.86,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700899,NEW YORK,2017,May,Hail,"SCHENECTADY",2017-05-31 15:15:00,EST-5,2017-05-31 15:15:00,0,0,0,0,,NaN,,NaN,42.78,-73.95,42.78,-73.95,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700919,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:36:00,EST-5,2017-05-31 15:36:00,0,0,0,0,,NaN,,NaN,42.7,-73.76,42.7,-73.76,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down on Cherry Tree Road." +116564,700932,NEW YORK,2017,May,Hail,"DUTCHESS",2017-05-31 17:50:00,EST-5,2017-05-31 17:50:00,0,0,0,0,,NaN,,NaN,41.69,-73.92,41.69,-73.92,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700933,NEW YORK,2017,May,Hail,"DUTCHESS",2017-05-31 17:56:00,EST-5,2017-05-31 17:56:00,0,0,0,0,,NaN,,NaN,41.7,-73.89,41.7,-73.89,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116564,700929,NEW YORK,2017,May,Thunderstorm Wind,"DUTCHESS",2017-05-31 17:15:00,EST-5,2017-05-31 17:15:00,0,0,0,0,,NaN,,NaN,41.59,-73.8,41.59,-73.8,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The public reported trees down." +116564,700935,NEW YORK,2017,May,Thunderstorm Wind,"DUTCHESS",2017-05-31 18:27:00,EST-5,2017-05-31 18:27:00,0,0,0,0,,NaN,,NaN,41.55,-73.8,41.55,-73.8,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Emergency dispatch reported trees down." +116575,701002,NEW YORK,2017,May,High Wind,"WESTERN COLUMBIA",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116575,701003,NEW YORK,2017,May,High Wind,"EASTERN COLUMBIA",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in widespread damage over portions of the Hudson Valley and Taconics. Wind speeds of up to 56 mph were observed, and were likely stronger in spots. Numerous trees and wires were downed, resulting in power outages, road closures, and a few electrical fires.","" +116578,701017,MASSACHUSETTS,2017,May,Strong Wind,"NORTHERN BERKSHIRE",2017-05-05 14:00:00,EST-5,2017-05-05 16:00:00,0,0,0,0,0.10K,100,,NaN,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. A gust of 47 mph was recorded at Harriman-and-West Airport in North Adams.","" +116564,700898,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-31 14:50:00,EST-5,2017-05-31 14:50:00,0,0,0,0,,NaN,,NaN,42.89,-74.35,42.89,-74.35,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The public reported a tree down on the road via Facebook." +116564,700928,NEW YORK,2017,May,Tornado,"DUTCHESS",2017-05-31 17:58:00,EST-5,2017-05-31 18:00:00,0,0,0,0,,NaN,,NaN,41.6425,-73.8736,41.6418,-73.852,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The National Weather Service, in coordination with Dutchess County Emergency Management officials, confirmed a brief touchdown of a tornado. The tornado path began near the intersection of Maloney Road and Route 376. The tornado traveled due east along and just north of Maloney Road for approximately 1.1 miles before dissipating. Damage included numerous snapped hardwood and softwood trees and the roof lifted off a shed." +116564,700923,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-31 15:50:00,EST-5,2017-05-31 15:50:00,0,0,0,0,,NaN,,NaN,42.68,-73.52,42.68,-73.52,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","A report of trees and wires down was relayed via amateur radio." +111748,666464,TEXAS,2017,January,Tornado,"BOSQUE",2017-01-15 18:17:00,CST-6,2017-01-15 18:20:00,0,0,0,0,90.00K,90000,0.00K,0,31.77,-97.58,31.79,-97.58,"Tornadoes occurred. Read the title.","The City of Clifton emergency manager reported a tornado in the city of Clifton. A National Weather Service damage survey crew found evidence consistent with EF-1 type winds. Approximately 40 homes suffered some sort of damage to the home, with two homes with roof damage. Numerous tree, power line, and sign damage was noted in the small and narrow damage path from southwest to northeast." +112430,672657,TEXAS,2017,January,Thunderstorm Wind,"DALLAS",2017-01-02 05:50:00,CST-6,2017-01-02 05:50:00,0,0,0,0,5.00K,5000,0.00K,0,32.63,-96.53,32.63,-96.53,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A trained spotter reported power poles down on Highway 175 in Seagoville, TX." +112430,672660,TEXAS,2017,January,Thunderstorm Wind,"LEON",2017-01-02 05:58:00,CST-6,2017-01-02 05:58:00,0,0,0,0,0.00K,0,0.00K,0,31.3874,-96.0067,31.3874,-96.0067,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A trained spotter reported a small barn being blown across State Hwy 75 near Garland Road, about 5 miles south-southeast of Buffalo, TX." +112430,672661,TEXAS,2017,January,Thunderstorm Wind,"ELLIS",2017-01-02 05:10:00,CST-6,2017-01-02 05:10:00,0,0,0,0,15.00K,15000,0.00K,0,32.37,-96.99,32.37,-96.99,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Delayed Report - A social media report indicated a collapsed carport 4 miles north-northeast of Maypearl, TX. Two vehicles inside were damaged. The event time is estimated based on RADAR." +112430,672744,TEXAS,2017,January,Thunderstorm Wind,"LEON",2017-01-02 06:04:00,CST-6,2017-01-02 06:04:00,0,0,0,0,0.00K,0,0.00K,0,31.23,-96.27,31.23,-96.27,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A trained spotter reported 2 to 4 inch diameter tree limbs blown down in the city of Marquez, TX." +112430,672745,TEXAS,2017,January,Thunderstorm Wind,"RAINS",2017-01-02 06:30:00,CST-6,2017-01-02 06:30:00,0,0,0,0,0.00K,0,0.00K,0,32.87,-95.75,32.87,-95.75,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Rains County Sheriff's Department reported a large tree down in the city of Emory, TX." +111748,673560,TEXAS,2017,January,Hail,"JOHNSON",2017-01-15 20:06:00,CST-6,2017-01-15 20:06:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-97.22,32.4,-97.22,"Tornadoes occurred. Read the title.","Trained spotter reports 1 inch hail at the intersection of CR 607 and CR 917." +111748,673561,TEXAS,2017,January,Hail,"TARRANT",2017-01-15 20:24:00,CST-6,2017-01-15 20:24:00,0,0,0,0,1.00K,1000,0.00K,0,32.5642,-97.1459,32.5642,-97.1459,"Tornadoes occurred. Read the title.","Hail up to 1 inch was reported in Mansfield." +111748,673566,TEXAS,2017,January,Thunderstorm Wind,"TARRANT",2017-01-15 20:30:00,CST-6,2017-01-15 20:30:00,0,0,0,0,2.00K,2000,0.00K,0,32.5341,-97.1137,32.5341,-97.1137,"Tornadoes occurred. Read the title.","Shingles off roof near 360 and North Holland Road." +111748,673567,TEXAS,2017,January,Flash Flood,"JOHNSON",2017-01-15 20:30:00,CST-6,2017-01-15 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.4,-97.22,32.4004,-97.2191,"Tornadoes occurred. Read the title.","Northbound 35W closed at HWY 67 due to flooding. Several cars stuck in high water." +111748,673568,TEXAS,2017,January,Thunderstorm Wind,"TARRANT",2017-01-15 20:55:00,CST-6,2017-01-15 20:55:00,0,0,0,0,0.00K,0,0.00K,0,32.6983,-97.047,32.6983,-97.047,"Tornadoes occurred. Read the title.","Grand Prairie Municipal Airport recorded a 63 MPH wind gust." +111748,673569,TEXAS,2017,January,Thunderstorm Wind,"COLLIN",2017-01-15 21:30:00,CST-6,2017-01-15 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.06,-96.7,33.06,-96.7,"Tornadoes occurred. Read the title.","Trained spotter reports 65 mph wind gust 3 miles NNE of Plano." +111748,673571,TEXAS,2017,January,Thunderstorm Wind,"DALLAS",2017-01-15 21:39:00,CST-6,2017-01-15 21:39:00,0,0,0,0,0.00K,0,0.00K,0,32.95,-96.82,32.95,-96.82,"Tornadoes occurred. Read the title.","Spotters report through amateur radio an estimated 65 MPH wind gust along Dallas North Tollway and Belt Line Road." +111748,673575,TEXAS,2017,January,Thunderstorm Wind,"DALLAS",2017-01-15 21:40:00,CST-6,2017-01-15 21:40:00,0,0,0,0,7.00K,7000,0.00K,0,32.9108,-96.877,32.9108,-96.877,"Tornadoes occurred. Read the title.","A 17-story office building near I-35 and 635 had 10-20 windows blown out due to severe thunderstorm winds." +112430,670264,TEXAS,2017,January,Thunderstorm Wind,"CORYELL",2017-01-02 03:55:00,CST-6,2017-01-02 03:55:00,0,0,0,0,2.00K,2000,0.00K,0,31.43,-97.75,31.43,-97.75,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A public report confirmed wind damage to an HEB Grocery Store sign and multiple street lights bent from thunderstorm winds in Gatesville, TX." +115032,692077,MISSISSIPPI,2017,April,Tornado,"WARREN",2017-04-30 06:52:00,CST-6,2017-04-30 06:55:00,0,0,0,0,30.00K,30000,0.00K,0,32.151,-90.807,32.1735,-90.7982,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down on the southeast side of Port Gibson, near the Natchez Trace Parkway. As the tornado tracked north-northeast, it snapped hardwood trees and uprooted numerous trees. One tree fell on a house on Smith Street, which caused roof damage. The tornado then tracked toward the northeast, crossing the Natchez Trace Parkway and Highway 18. Here it continued to snap or uproot trees and also caused roof damage to a structure. An extensive area of trees were snapped or blown down just before it crossed the Natchez Trace corridor a second time. After crossing the Natchez Trace Parkway again, it continued to snap and blow down numerous trees. As the tornado tracked northeast, it crossed Old Port Gibson Road, Hankinson Road, and Moulder Road where it continued to snap or uproot numerous trees. The tornado finally lifted near Fisher Ferry Road in southern Warren County. A tornado debris signature was noted on radar during this tornado. The total path length of this tornado was 20.03 miles. The total path width was one half of a mile (880 yards) and the estimated maximum wind speed was 115 mph, both of which occurred in Claiborne County." +115032,692393,MISSISSIPPI,2017,April,Thunderstorm Wind,"MADISON",2017-04-30 07:36:00,CST-6,2017-04-30 07:36:00,0,0,0,0,10.00K,10000,0.00K,0,32.5009,-90.1878,32.5009,-90.1878,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down in Whisper Lake." +112430,672746,TEXAS,2017,January,Thunderstorm Wind,"ANDERSON",2017-01-02 06:35:00,CST-6,2017-01-02 06:40:00,0,0,0,0,0.00K,0,0.00K,0,31.75,-95.63,31.75,-95.63,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Anderson County Sheriff's Department reported numerous trees of various sizes blown down in the city of Palestine, TX." +111748,673576,TEXAS,2017,January,Thunderstorm Wind,"COLLIN",2017-01-15 22:00:00,CST-6,2017-01-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,33.02,-96.62,33.02,-96.62,"Tornadoes occurred. Read the title.","Public reports an estimated 64 MPH wind gust in Murphy." +111748,673578,TEXAS,2017,January,Thunderstorm Wind,"HUNT",2017-01-15 23:20:00,CST-6,2017-01-15 23:20:00,0,0,0,0,3.00K,3000,0.00K,0,33.02,-96.07,33.02,-96.07,"Tornadoes occurred. Read the title.","Multiple trees were down, flagpole was snapped and several homes had roof damage." +111748,673579,TEXAS,2017,January,Flood,"TARRANT",2017-01-15 21:00:00,CST-6,2017-01-15 21:00:00,0,0,1,0,0.00K,0,0.00K,0,32.7364,-97.0975,32.737,-97.0975,"Tornadoes occurred. Read the title.","Flash flooding after a severe thunderstorm led to a man being swept away near the railroad tracks." +111748,675279,TEXAS,2017,January,Hail,"TARRANT",2017-01-15 20:07:00,CST-6,2017-01-15 20:07:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-97.13,32.57,-97.13,"Tornadoes occurred. Read the title.","A social media report indicated 1 inch diameter hail in the city of Mansfield, TX." +111748,739562,TEXAS,2017,January,Tornado,"BOSQUE",2017-01-15 18:35:00,CST-6,2017-01-15 18:36:00,0,0,0,0,10.00K,10000,0.00K,0,31.9115,-97.4266,31.92,-97.42,"Tornadoes occurred. Read the title.","A National Weather Service storm survey crew found evidence of a tornado which began in Bosque County northwest of Laguna Park, and ended in Hill County. In Bosque County, the tornado produced EF-0 damage, with damage to trees. In Hill County, approximately 80 homes had some damage, mostly shingle damage on roofs. However, about 10 manufactured homes suffered major damage, with roof and window damage. One older home lost most of its roof and walls, after a tree fell on the home." +114909,689619,MISSISSIPPI,2017,April,Thunderstorm Wind,"NESHOBA",2017-04-26 22:25:00,CST-6,2017-04-26 22:25:00,0,0,0,0,7.00K,7000,0.00K,0,32.67,-89.27,32.67,-89.27,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree fell on County Road 402 which blew a transformer causing a power outage." +114909,696968,MISSISSIPPI,2017,April,Thunderstorm Wind,"WARREN",2017-04-26 19:45:00,CST-6,2017-04-26 19:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.2154,-90.8411,32.2154,-90.8411,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A large tree was blown down at Fisher Ferry Road and Jeff Davis Road." +114909,696976,MISSISSIPPI,2017,April,Thunderstorm Wind,"YAZOO",2017-04-26 19:54:00,CST-6,2017-04-26 19:54:00,0,0,0,0,4.00K,4000,0.00K,0,32.64,-90.44,32.64,-90.44,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Two trees were blown down on MS Highway 433." +114909,697066,MISSISSIPPI,2017,April,Thunderstorm Wind,"WINSTON",2017-04-26 21:28:00,CST-6,2017-04-26 21:37:00,0,0,0,0,10.00K,10000,0.00K,0,33.0963,-89.2639,33.17,-89.1,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A few trees were blown down in the northwest part of the county." +112430,672747,TEXAS,2017,January,Thunderstorm Wind,"HUNT",2017-01-02 06:30:00,CST-6,2017-01-02 06:30:00,0,0,2,0,0.00K,0,0.00K,0,32.88,-96.05,32.88,-96.05,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","The bodies of a 26 year old man and his 5 year old son were found on Lake Tawakoni a day after being reported missing. According to reports, the pair were on the lake at the time the squall line blew through the area. Their boat was thought to have capsized, leading to the drowning of the father and son." +112430,673519,TEXAS,2017,January,Lightning,"COLLIN",2017-01-02 05:55:00,CST-6,2017-01-02 05:55:00,0,0,0,0,500.00K,500000,0.00K,0,33.0713,-96.6502,33.0713,-96.6502,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Lightning ignited a fire which destroyed the home of a family on Glen Meadows Drive in the town of Parker, TX in Collin County. The couple and their 3 children were able to escape without injury." +111748,673531,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-15 19:19:00,CST-6,2017-01-15 19:19:00,0,0,0,0,0.00K,0,0.00K,0,32.2613,-97.296,32.2613,-97.296,"Tornadoes occurred. Read the title.","Amateur radio reported a wind gust between 60 and 70 MPH on FM 916 between Grandview and Rio Vista." +112430,672654,TEXAS,2017,January,Thunderstorm Wind,"DALLAS",2017-01-02 05:35:00,CST-6,2017-01-02 05:35:00,0,0,0,0,10.00K,10000,0.00K,0,32.95,-96.84,32.95,-96.84,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A photograph on Twitter indicated a cell phone tower bent over near the intersection of Belt Line Rd and Midway Dr in the city of Addison, TX." +112430,672655,TEXAS,2017,January,Thunderstorm Wind,"KAUFMAN",2017-01-02 05:35:00,CST-6,2017-01-02 05:35:00,0,0,0,0,5.00K,5000,0.00K,0,32.46,-96.39,32.46,-96.39,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Emergency management reported that the roof was blown off of the Cottonwood Community Center." +115986,697095,MISSISSIPPI,2017,April,Strong Wind,"WASHINGTON",2017-04-29 06:00:00,CST-6,2017-04-29 06:00:00,0,0,0,0,45.00K,45000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage.","A large section of a tree blew down onto an office building which caused roof damage." +112430,670265,TEXAS,2017,January,Thunderstorm Wind,"MCLENNAN",2017-01-02 04:32:00,CST-6,2017-01-02 04:32:00,0,0,0,0,1.00K,1000,0.00K,0,31.55,-97.15,31.55,-97.15,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A social media report indicated that shingles were blown off of a home in Waco, TX." +112430,670266,TEXAS,2017,January,Thunderstorm Wind,"HAMILTON",2017-01-02 03:29:00,CST-6,2017-01-02 03:29:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-98.12,31.7,-98.12,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","An 82 MPH wind gust was measured in Hamilton, TX." +112430,670267,TEXAS,2017,January,Thunderstorm Wind,"MCLENNAN",2017-01-02 04:25:00,CST-6,2017-01-02 04:25:00,0,0,0,0,0.00K,0,0.00K,0,31.43,-97.42,31.43,-97.42,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A 64 MPH wind gust was measured in McGregor, TX." +112430,670268,TEXAS,2017,January,Thunderstorm Wind,"MCLENNAN",2017-01-02 04:31:00,CST-6,2017-01-02 04:31:00,0,0,0,0,0.00K,0,0.00K,0,31.6087,-97.2228,31.6087,-97.2228,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A 66 MPH wind gust was measured at Waco Regional Airport." +112430,672371,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-02 04:48:00,CST-6,2017-01-02 04:48:00,0,0,0,0,5.00K,5000,0.00K,0,32.2689,-97.1688,32.2689,-97.1688,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Emergency management reported a semi truck overturned by wind in Grandview along Interstate 35 near mile marker 15." +112430,672656,TEXAS,2017,January,Thunderstorm Wind,"NAVARRO",2017-01-02 05:45:00,CST-6,2017-01-02 05:45:00,0,0,0,0,10.00K,10000,0.00K,0,32.07,-96.46,32.07,-96.46,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Emergency management reported that a home lost its roof due to straight-line thunderstorm winds." +112430,672372,TEXAS,2017,January,Thunderstorm Wind,"HILL",2017-01-02 04:50:00,CST-6,2017-01-02 04:50:00,0,0,0,0,0.00K,0,0.00K,0,32,-97.13,32,-97.13,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","Emergency management reported several trees down in Hillsboro, TX." +112430,672373,TEXAS,2017,January,Thunderstorm Wind,"DALLAS",2017-01-02 05:15:00,CST-6,2017-01-02 05:15:00,0,0,0,0,0.00K,0,0.00K,0,32.6489,-96.9647,32.6489,-96.9647,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A public report indicated trees down along Mountain Creek Parkway and Eagle Ford Dr. near Duncanville, TX." +113687,684355,LOUISIANA,2017,April,Tornado,"RICHLAND",2017-04-02 15:36:00,CST-6,2017-04-02 15:46:00,0,0,0,0,15.00K,15000,0.00K,0,32.1738,-91.8682,32.2308,-91.8422,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado touched down just to the west in Caldwell Parish before crossing into western Franklin Parish. A tornadic debris signature (TDS) was noted from the KULM radar. The tornado was quite wide at this point, nearly 1200 yards or three-quarters of a mile. It crossed Highway 4, snapping numerous trees in the path and tearing tin off the roof of a home. The tornado continued north-northeast back into Caldwell Parish. Wooded area prevented further access to this region but damage was seen through the distance. The TDS was still noted from the KULM radar through this area. The tornado continued north-northeast, moving back into Richland Parish, crossing LR Hatton Road, before crossing into a wooded area and the Franklin-Richland Parish line. The tornado continued north-northeast over Maple Ridge Road, Sligo Road and Goldmine Road. Numerous large trees were snapped and uprooted all through this area. The tornado then crossed LA Highway 135, where a couple of trees were snapped, before lifting shortly after crossing the road. Maximum winds were 110 mph, and total path length was 13.23 miles." +115032,691432,MISSISSIPPI,2017,April,Lightning,"FORREST",2017-04-30 10:25:00,CST-6,2017-04-30 10:25:00,0,0,0,0,150.00K,150000,0.00K,0,31.33,-89.27,31.33,-89.27,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Lightning struck a tree and caught the top floor of a nearby apartment complex on fire. Lightning also struck a power pole and the falling lines caught a mobile home on fire." +114909,689627,MISSISSIPPI,2017,April,Thunderstorm Wind,"CARROLL",2017-04-26 19:36:00,CST-6,2017-04-26 19:47:00,0,0,0,0,10.00K,10000,0.00K,0,33.6481,-90.0505,33.58,-89.97,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A couple of trees were blown down in the northwest part of the county. A roof was also blown off a barn." +114909,689626,MISSISSIPPI,2017,April,Thunderstorm Wind,"CARROLL",2017-04-26 19:45:00,CST-6,2017-04-26 19:55:00,0,0,0,0,5.00K,5000,0.00K,0,33.33,-90.03,33.3853,-90.1305,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A couple of trees were blown down in the southwest part of the county." +116395,699946,NEW YORK,2017,May,Lightning,"ALBANY",2017-05-18 19:45:00,EST-5,2017-05-18 19:45:00,0,0,0,0,30.00K,30000,,NaN,42.6271,-73.8706,42.6271,-73.8706,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A house was damaged when it was struck by lightning and caught fire. The home's roof collapsed and the third floor was damaged by fire. The first and second floors had extensive water damage." +116010,697149,LOUISIANA,2017,April,Tornado,"MOREHOUSE",2017-04-30 03:44:00,CST-6,2017-04-30 03:54:00,0,0,0,0,100.00K,100000,0.00K,0,32.5936,-91.8519,32.6403,-91.7709,"During the early morning hours of April 30th, a line of severe thunderstorms tracked toward and through the ArkLaMiss region. This line brought damaging winds and tornadoes to the region.","There is some uncertainty where this tornado first touched down and dissipated due to a number of farm fields and limited damage. Based on radar information and surrounding evidence, it was determined that it started in a field. The greatest damage occurred near the intersection of School House Lane and Sidney White Rd. A well-structured home had significant roof damage, and a playhouse and shed were completed destroyed. On the University of Louisiana-Monroe radar, a tornadic debris signature was visible near this home. A number of uprooted trees were sporadically down around the edge of the circulation and were probably caused by straight line winds. On Hwy 425, north of Oak Ridge, a few power poles had to be replaced. This is where it was determined that the tornado dissipated. The maximum wind speeds with this tornado were 95 mph." +115032,692094,MISSISSIPPI,2017,April,Tornado,"MADISON",2017-04-30 07:54:00,CST-6,2017-04-30 07:57:00,0,0,0,0,10.00K,10000,0.00K,0,32.6205,-90.3237,32.6385,-90.2861,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just east of Highway 49, and traveled northeast across mainly undeveloped land, along the Big Black River through southern Yazoo County and northern Madison County. The tornado snapped and uprooted trees along its path, including one large tree limb which fell onto a home. The tornado dissipated between Jubilee Road and the Big Black River. Total path length was 5 miles." +115032,690539,MISSISSIPPI,2017,April,Tornado,"YAZOO",2017-04-30 07:51:00,CST-6,2017-04-30 07:54:00,0,0,0,0,10.00K,10000,0.00K,0,32.6166,-90.3668,32.6205,-90.3237,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just east of Highway 49, and traveled northeast across mainly undeveloped land, along the Big Black River through southern Yazoo County and northern Madison County. The tornado snapped and uprooted trees along its path, including one large tree limb which fell onto a home. The tornado dissipated between Jubilee Road and the Big Black River. Total path length was 5 miles." +115032,692088,MISSISSIPPI,2017,April,Tornado,"WARREN",2017-04-30 07:15:00,CST-6,2017-04-30 07:18:00,0,0,0,0,30.00K,30000,0.00K,0,32.3464,-90.6583,32.3786,-90.6499,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started just south of Hwy 80 just to the west of Edwards where large tree branches were broken and a few trees uprooted. The tornado traveled north and reached its peak intensity and width as it crossed I-20 in Warren County, where hardwood trees were uprooted. The tornado continued north across Armory Road and Freetown Road snapping additional large tree branches before dissipating on the north side of Freetown Road. The total path length was 2.75 miles and total width was 900 yards. Maximum wind speeds for this tornado was 94 mph." +112761,673538,TEXAS,2017,January,Drought,"LAMAR",2017-01-01 00:00:00,CST-6,2017-01-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions continued across the northeast counties of North Texas. By mid-January, conditions reached extreme drought across two counties before beneficial rain moved in late January and brought a reprieve from the extreme drought.","January in Lamar County began with severe drought (D2), and by the second week of January, the northern half of the county reached extreme drought (D3). Beneficial rain moved in the last week of January ending the D3 conditions, leaving severe drought in place." +112761,673541,TEXAS,2017,January,Drought,"FANNIN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions continued across the northeast counties of North Texas. By mid-January, conditions reached extreme drought across two counties before beneficial rain moved in late January and brought a reprieve from the extreme drought.","January in Fannin County began with severe drought (D2), and by the second week of January, the northeastern quarter of the county reached extreme drought (D3). Beneficial rain moved in the last week of January ending the D3 conditions, leaving severe drought conditions in place." +112761,673543,TEXAS,2017,January,Drought,"DELTA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions continued across the northeast counties of North Texas. By mid-January, conditions reached extreme drought across two counties before beneficial rain moved in late January and brought a reprieve from the extreme drought.","D2/Severe drought conditions were in place across Delta County for all of January 2017." +111748,673556,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-15 19:25:00,CST-6,2017-01-15 19:25:00,0,0,0,0,0.00K,0,0.00K,0,32.252,-97.3241,32.2628,-97.2949,"Tornadoes occurred. Read the title.","Winds between 70-75 mph were estimated along FM 916 between Grandview and Rio Vista." +111748,673557,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-15 19:30:00,CST-6,2017-01-15 19:30:00,0,0,0,0,2.00K,2000,0.00K,0,32.322,-97.2887,32.3197,-97.2822,"Tornadoes occurred. Read the title.","Roof was blown off, as well as tree limbs down which were between 6-8 inches in diameter in the Sand Flat area." +111748,673558,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-15 19:46:00,CST-6,2017-01-15 19:46:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-97.22,32.4,-97.22,"Tornadoes occurred. Read the title.","A trained spotter located in Alvarado reported a 70 mph wind gust." +111748,673559,TEXAS,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-15 20:00:00,CST-6,2017-01-15 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.5,-97.1,32.5,-97.1,"Tornadoes occurred. Read the title.","Damage to 5-6 warehouse building garage doors which were blown out/in." +112430,672653,TEXAS,2017,January,Thunderstorm Wind,"NAVARRO",2017-01-02 05:20:00,CST-6,2017-01-02 05:20:00,0,0,0,0,1.00K,1000,0.00K,0,32.1,-96.47,32.1,-96.47,"A shortwave trough and a Pacific Cold Front moved across the Southern Plains during the first days of 2017. Thunderstorms developed over West-Central Texas late New Year's Night and spread east across North and Central Texas during the early morning hours of January 2nd, producing scattered straight line wind damage along the way.","A social media report indicated a collapsed carport in Corsicana, TX." +115032,692391,MISSISSIPPI,2017,April,Flash Flood,"LAMAR",2017-04-30 11:46:00,CST-6,2017-04-30 13:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.3164,-89.3483,31.3163,-89.3491,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Flooding occurred on South 40th Avenue near Manchester." +115032,692398,MISSISSIPPI,2017,April,Thunderstorm Wind,"CARROLL",2017-04-30 08:35:00,CST-6,2017-04-30 08:35:00,0,0,0,0,20.00K,20000,0.00K,0,33.49,-90.09,33.49,-90.09,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Structural damage occurred at Greenwood-Leflore Airport. A measured gust of 71 mph also occurred." +115032,692400,MISSISSIPPI,2017,April,Hail,"LAMAR",2017-04-30 19:09:00,CST-6,2017-04-30 19:09:00,0,0,0,0,0.00K,0,0.00K,0,31.32,-89.36,31.32,-89.36,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Quarter sized hail was reported at PCS School in Hattiesburg." +115032,692396,MISSISSIPPI,2017,April,Flash Flood,"JONES",2017-04-30 11:50:00,CST-6,2017-04-30 13:30:00,0,0,0,0,8.00K,8000,0.00K,0,31.6832,-89.142,31.6733,-89.1442,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Flash flooding occurred near the intersection of Julian Street and Ellisville Blvd. There was also flash flooding along Queen Street." +115032,692397,MISSISSIPPI,2017,April,Thunderstorm Wind,"JONES",2017-04-30 10:35:00,CST-6,2017-04-30 10:35:00,0,0,0,0,5.00K,5000,0.00K,0,31.6974,-89.0693,31.6974,-89.0693,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down along Highway 184." +115032,692408,MISSISSIPPI,2017,April,Hail,"FORREST",2017-04-30 19:08:00,CST-6,2017-04-30 19:15:00,0,0,0,0,20.00K,20000,0.00K,0,31.32,-89.32,31.37,-89.26,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A swath of hail fell across portions of Hattiesburg and Petal. Golf ball sized hail occurred at exit 69 off of I-59 and also in Petal. Nickel to quarter sized hail occurred along Leeville Road and near the Hattiesburg Zoo." +114909,689393,MISSISSIPPI,2017,April,Thunderstorm Wind,"YAZOO",2017-04-26 19:44:00,CST-6,2017-04-26 19:50:00,0,0,0,0,10.00K,10000,0.00K,0,32.84,-90.36,32.8468,-90.4101,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down on Madison Street. Trees were also blown down on Graball Freerun and Old Benton roads." +112769,673610,KENTUCKY,2017,March,Thunderstorm Wind,"MORGAN",2017-03-01 09:05:00,EST-5,2017-03-01 09:05:00,0,0,0,0,,NaN,,NaN,37.91,-83.27,37.91,-83.27,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down." +112769,673624,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:20:00,EST-5,2017-03-01 09:20:00,0,0,0,0,,NaN,,NaN,37.62,-83.17,37.62,-83.17,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Two trees and numerous large limbs were blown down." +112769,673627,KENTUCKY,2017,March,Hail,"MAGOFFIN",2017-03-01 09:26:00,EST-5,2017-03-01 09:26:00,0,0,0,0,,NaN,,NaN,37.63,-83.07,37.63,-83.07,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Penny size hail was observed in the Tiptop and Carver areas." +112708,679752,SOUTH CAROLINA,2017,March,Hail,"NEWBERRY",2017-03-01 20:19:00,EST-5,2017-03-01 20:22:00,0,0,0,0,0.01K,10,0.01K,10,34.48,-81.64,34.48,-81.64,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Hail up to nickel size, along with estimated wind gusts up to 30 mph, reported at Old Airport Rd in Whitmire." +113151,681314,MISSOURI,2017,March,Hail,"DOUGLAS",2017-03-29 19:45:00,CST-6,2017-03-29 19:45:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-92.55,36.89,-92.55,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","" +116163,698160,TEXAS,2017,May,Thunderstorm Wind,"LA SALLE",2017-05-20 14:44:00,CST-6,2017-05-20 14:44:00,0,0,0,0,0.00K,0,0.00K,0,28.4583,-99.2226,28.4583,-99.2226,"A strong unstable air mass developed south of a slow moving frontal boundary near the southern portion of the Texas Hill Country. Scattered severe thunderstorms formed over the northern Brush Country during the afternoon. The storms moved southeast through the Brush Country into the early evening hours. Wind gusts to 60 mph along with quarter to half dollar sized hail occurred with these storms across the Brush Country.","Cotulla-La Salle County Airport ASOS measured a gust to 59 MPH." +116163,698165,TEXAS,2017,May,Hail,"DUVAL",2017-05-20 17:40:00,CST-6,2017-05-20 17:50:00,0,0,0,0,0.00K,0,0.00K,0,27.93,-98.78,27.93,-98.78,"A strong unstable air mass developed south of a slow moving frontal boundary near the southern portion of the Texas Hill Country. Scattered severe thunderstorms formed over the northern Brush Country during the afternoon. The storms moved southeast through the Brush Country into the early evening hours. Wind gusts to 60 mph along with quarter to half dollar sized hail occurred with these storms across the Brush Country.","Storm chaser reported half dollar sized hail on Highway 44 northwest of Freer." +113061,676044,TEXAS,2017,March,Hail,"LUBBOCK",2017-03-23 20:00:00,CST-6,2017-03-23 20:08:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-101.99,33.5191,-101.936,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","Several reports of hail up to penny size were received from southwest Lubbock. No damage was noted despite strong winds around 50 mph." +116163,698174,TEXAS,2017,May,Hail,"DUVAL",2017-05-20 17:45:00,CST-6,2017-05-20 17:50:00,0,0,0,0,0.00K,0,0.00K,0,27.88,-98.64,27.88,-98.64,"A strong unstable air mass developed south of a slow moving frontal boundary near the southern portion of the Texas Hill Country. Scattered severe thunderstorms formed over the northern Brush Country during the afternoon. The storms moved southeast through the Brush Country into the early evening hours. Wind gusts to 60 mph along with quarter to half dollar sized hail occurred with these storms across the Brush Country.","Storm chaser reported quarter sized hail near Freer." +121162,725321,OKLAHOMA,2017,October,Hail,"BECKHAM",2017-10-21 16:10:00,CST-6,2017-10-21 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-99.64,35.3,-99.64,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725323,OKLAHOMA,2017,October,Hail,"TILLMAN",2017-10-21 16:14:00,CST-6,2017-10-21 16:14:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-98.98,34.51,-98.98,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725324,OKLAHOMA,2017,October,Hail,"TILLMAN",2017-10-21 16:20:00,CST-6,2017-10-21 16:20:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-98.98,34.51,-98.98,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +113352,678296,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-03-22 00:16:00,EST-5,2017-03-22 00:17:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina and southeast Georgia in the late evening and early morning hours. Once these storms reached the coast they were still strong enough to produce strong wind gusts.","The Weatherflow site at the Folly Beach pier measured a 51 knot wind gust with a passing thunderstorm." +112845,679069,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 18:03:00,CST-6,2017-03-09 18:03:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-93.6,37.41,-93.6,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679113,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:42:00,CST-6,2017-03-09 19:42:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-92.86,36.53,-92.86,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media." +113669,680408,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:30:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 34 knots were reported at Tolchester." +117187,704874,ARKANSAS,2017,June,Flash Flood,"INDEPENDENCE",2017-06-05 08:22:00,CST-6,2017-06-05 10:22:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-91.64,35.761,-91.651,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","Numerous road closures in and around Batesville due to flash flooding, including portions of State Highway 14." +114021,687753,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:26:00,EST-5,2017-03-01 13:26:00,0,0,0,0,,NaN,,NaN,39.2777,-77.205,39.2777,-77.205,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down in Damascus." +114668,687810,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 53 knots was reported at Herring Bay." +115014,690403,LAKE SUPERIOR,2017,March,Marine High Wind,"UPPER ENTRANCE OF PORTAGE CANAL TO MANITOU ISLAND MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-03-07 13:00:00,EST-5,2017-03-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,48.22,-88.37,48.22,-88.37,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","The Passage Island Light C-MAN station measured west to southwest winds throughout the period with a peak gust of 59 knots." +113859,681862,LOUISIANA,2017,March,Thunderstorm Wind,"SABINE",2017-03-29 16:18:00,CST-6,2017-03-29 16:18:00,0,0,0,0,0.00K,0,0.00K,0,31.2042,-93.5746,31.2042,-93.5746,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating. An isolated severe thunderstorm developed over Southern Sabine Parish, which resulted in several trees being downed just north of Toledo Bend Dam.","Several trees were blown down along Highway 191 just north of Toledo Bend Dam." +113956,682440,ILLINOIS,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-01 02:22:00,CST-6,2017-03-01 02:22:00,0,0,0,0,0.00K,0,0.00K,0,38.55,-89.85,38.55,-89.85,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113549,682444,WISCONSIN,2017,March,Thunderstorm Wind,"GRANT",2017-03-06 21:45:00,CST-6,2017-03-06 21:45:00,0,0,0,0,10.00K,10000,0.00K,0,43.13,-90.57,43.13,-90.57,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","A power pole was snapped off and a tree blown down onto an outbuilding south of Blue River." +114020,682886,VIRGINIA,2017,March,Thunderstorm Wind,"FAIRFAX",2017-03-01 13:44:00,EST-5,2017-03-01 13:44:00,0,0,0,0,,NaN,,NaN,38.7632,-77.0684,38.7632,-77.0684,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree fell onto a car at the intersection of Paul Spring Road and Rebecca Drive." +114115,683358,CALIFORNIA,2017,March,Hail,"SAN LUIS OBISPO",2017-03-22 12:40:00,PST-8,2017-03-22 12:45:00,0,0,0,0,0.00K,0,0.00K,0,35.5525,-120.5447,35.5267,-120.507,"Several strong thunderstorms developed across the Central Coast of California. In Creston, a severe thunderstorm developed, producing one inch hail. Near the community of Santa Maria, a funnel cloud was observed.","A severe thunderstorm developed near the community of Creston. One inch diameter hail was reported with the storm." +114461,686401,NORTH CAROLINA,2017,March,Hail,"PASQUOTANK",2017-03-31 19:27:00,EST-5,2017-03-31 19:27:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-76.22,36.3,-76.22,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","Quarter size hail was reported." +114332,686658,MISSOURI,2017,March,Tornado,"OSAGE",2017-03-06 23:03:00,CST-6,2017-03-06 23:11:00,0,0,0,0,0.00K,0,0.00K,0,38.3007,-92.0355,38.3241,-91.9048,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","A small tornado formed just to the west northwest of Argyle, MO and traveled east northeast to just northeast of Freeburg, MO. The tornado was at its strongest at the very beginning as it destroyed a hay barn, snapped and uprooted trees. The rest of the path consisted of occasional downed trees and broken large tree limbs. Overall, the tornado was rated EF1 with a path length of 7.26 miles and a max path width of 75 yards." +114566,687175,ATLANTIC NORTH,2017,March,Marine Strong Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-03-01 14:36:00,EST-5,2017-03-01 14:36:00,0,0,0,0,1.00K,1000,0.00K,0,36.92,-76,36.92,-76,"Gusty southwest winds occurred ahead of a cold front across portions of the Virginia Coastal Waters.","Wind gust of 36 knots was measured at Cape Henry." +114023,687787,DISTRICT OF COLUMBIA,2017,March,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-03-01 13:38:00,EST-5,2017-03-01 13:38:00,0,0,0,0,,NaN,,NaN,38.9051,-77.0162,38.9051,-77.0162,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Branches and a few trees were down along 17th and H Street." +114668,687820,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-01 14:13:00,EST-5,2017-03-01 14:13:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 51 knots was reported at Cobb Point." +114670,687835,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:15:00,EST-5,2017-03-08 04:15:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gusts of 36 knots was reported at Herring Bay." +114840,688925,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 18:06:00,CST-6,2017-03-27 18:07:00,0,0,0,0,0.00K,0,0.00K,0,33.97,-85.94,33.97,-85.94,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688946,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 18:22:00,CST-6,2017-03-27 18:23:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-85.87,33.99,-85.87,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114857,689043,NORTH CAROLINA,2017,March,Thunderstorm Wind,"HALIFAX",2017-03-28 15:20:00,EST-5,2017-03-28 15:20:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-77.64,36.33,-77.64,"Scattered showers and thunderstorms developed with the approach of an upper level disturbance and surface cold front into the area. One severe storm produced a 58 mph wind gust and quarter size hail in Halifax county.","Wind gust of 50 knots was measured at KIXA AWOS." +115077,690728,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-13 23:42:00,EST-5,2017-03-13 23:42:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"Showers and a few thunderstorms along a pre-frontal trough passed through the lower Florida Keys, producing scattered gale-force wind gusts. The pre-frontal trough was associated with a deepening low pressure system moving rapidly northeast along the Mid Atlantic coastline.","A wind gust of 35 knots was measured by the RSOIS at the NWS Forecast Office in Key West." +121162,725325,OKLAHOMA,2017,October,Hail,"BECKHAM",2017-10-21 16:25:00,CST-6,2017-10-21 16:25:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-99.43,35.41,-99.43,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +114450,686291,NORTH CAROLINA,2017,March,Hail,"ROWAN",2017-03-21 20:17:00,EST-5,2017-03-21 20:17:00,0,0,0,0,,NaN,,NaN,35.52,-80.411,35.52,-80.411,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Public reported quarter size hail near Rockwell." +114525,686785,ILLINOIS,2017,March,Thunderstorm Wind,"FULTON",2017-03-06 23:43:00,CST-6,2017-03-06 23:48:00,0,0,0,0,0.00K,0,0.00K,0,40.54,-89.94,40.54,-89.94,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tree was snapped several feet off the ground." +114525,686787,ILLINOIS,2017,March,Thunderstorm Wind,"PEORIA",2017-03-06 23:47:00,CST-6,2017-03-06 23:52:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-89.75,40.93,-89.75,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A 12-inch diameter tree limb was blown down." +117187,704871,ARKANSAS,2017,June,Lightning,"JEFFERSON",2017-06-04 15:20:00,CST-6,2017-06-04 15:20:00,0,0,0,0,50.00K,50000,0.00K,0,34.23,-92,34.23,-92,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","A house fire was caused by a lightning strike." +117187,704872,ARKANSAS,2017,June,Flash Flood,"POPE",2017-06-05 03:00:00,CST-6,2017-06-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2484,-92.933,35.2454,-92.9331,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","Avenue 5 northeast in Atkins was flooded pretty badly." +117187,704873,ARKANSAS,2017,June,Flash Flood,"INDEPENDENCE",2017-06-05 07:15:00,CST-6,2017-06-05 09:15:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-91.64,35.7617,-91.649,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","Video on social media showed flash flooding in Batesville." +112925,674663,FLORIDA,2017,March,Thunderstorm Wind,"SARASOTA",2017-03-13 19:38:00,EST-5,2017-03-13 19:38:00,0,0,0,0,150.00K,150000,0.00K,0,27.205,-82.4878,27.2043,-82.4742,"An area of low pressure over the Gulf of Mexico, lifted northeast across Florida dragging a cold front through the area. A large area of showers developed ahead of this low pressure and front, with a few thunderstorms developing along the southern edge where solar heating aided instability. Two tornadoes briefly touched down in Charlotte County as these storms moved onshore.","Power lines were reported down at Tamiami Trail and MacEwen Drive in Osprey. Additionally, a member of the public reported that in a nearby neighborhood, The Oaks, 3 pool cages were destroyed, aluminum poles holding nets protecting tennis courts from a golf course were ripped out of the ground, a large palm tree was uprooted, and several other homes sustained minor unspecified damage. The damage appeared to follow a narrow path, and may have been caused by a gustnado." +112767,675156,OHIO,2017,March,Thunderstorm Wind,"HOCKING",2017-03-01 03:14:00,EST-5,2017-03-01 03:17:00,0,0,0,0,100.00K,100000,0.00K,0,39.47,-82.74,39.47,-82.74,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Some homes and businesses sustained roof and siding damage. Numerous trees were also snapped and uprooted and a tractor trailer was flipped on its side." +113083,676342,NORTH CAROLINA,2017,March,Hail,"IREDELL",2017-03-01 17:32:00,EST-5,2017-03-01 17:40:00,0,0,0,0,,NaN,,NaN,35.815,-80.936,35.749,-80.84,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","County comms, a spotter, and the public (via social media) reported half dollar to golf ball size hail from Millers Farm Rd to southeast of Statesville." +116178,698323,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-22 03:54:00,CST-6,2017-05-22 04:12:00,0,0,0,0,0.00K,0,0.00K,0,28.227,-96.796,28.22,-96.7916,"Scattered thunderstorms moved through the bays between Port Aransas and Port O'Connor during the early morning hours of the 22nd. The storms produced wind gusts between 35 and 40 knots.","Aransas Wildlife Refuge TCOON site measured gusts to 38 knots." +116163,698176,TEXAS,2017,May,Hail,"DUVAL",2017-05-20 18:20:00,CST-6,2017-05-20 18:24:00,0,0,0,0,0.00K,0,0.00K,0,27.86,-98.62,27.86,-98.62,"A strong unstable air mass developed south of a slow moving frontal boundary near the southern portion of the Texas Hill Country. Scattered severe thunderstorms formed over the northern Brush Country during the afternoon. The storms moved southeast through the Brush Country into the early evening hours. Wind gusts to 60 mph along with quarter to half dollar sized hail occurred with these storms across the Brush Country.","Public reported quarter sized hail in Freer through social media." +121162,725354,OKLAHOMA,2017,October,Hail,"STEPHENS",2017-10-21 20:11:00,CST-6,2017-10-21 20:11:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.96,34.5,-97.96,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +113151,681337,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-29 20:25:00,CST-6,2017-03-29 20:25:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-92.59,37.97,-92.59,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A picture from Facebook showed half dollar size hail." +121067,724758,LOUISIANA,2017,October,Thunderstorm Wind,"VERMILION",2017-10-22 08:40:00,CST-6,2017-10-22 08:40:00,0,0,0,0,5.00K,5000,0.00K,0,30.11,-92.12,30.11,-92.12,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","Metal sheds blown over as well as power lines and trees were reported downed. Some roof damage was also reported." +114092,683199,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"OCONEE",2017-03-01 17:42:00,EST-5,2017-03-01 17:42:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-83.09,34.67,-83.09,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","County comms reported multiple trees blown down in the Westminster area." +121067,724755,LOUISIANA,2017,October,Thunderstorm Wind,"RAPIDES",2017-10-22 06:42:00,CST-6,2017-10-22 06:42:00,0,0,0,0,5.00K,5000,0.00K,0,31.29,-92.46,31.29,-92.46,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","A pair of homes were damaged from downed trees." +121067,724757,LOUISIANA,2017,October,Thunderstorm Wind,"JEFFERSON DAVIS",2017-10-22 08:05:00,CST-6,2017-10-22 08:05:00,0,0,0,0,5.00K,5000,0.00K,0,30.07,-92.74,30.07,-92.74,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","Power lines and poles were downed near Highway 14 and Pom Roy Road." +112769,673637,KENTUCKY,2017,March,Thunderstorm Wind,"LETCHER",2017-03-01 10:01:00,EST-5,2017-03-01 10:01:00,0,0,0,0,,NaN,,NaN,37.17,-82.93,37.17,-82.93,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Metal roofing material was peeled up on a garage along KY Hwy 7 in Jeremiah." +112769,673640,KENTUCKY,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 10:01:00,EST-5,2017-03-01 10:01:00,0,0,0,0,,NaN,,NaN,37.5,-82.35,37.5,-82.35,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A portion of a mobile homes bedroom was ripped out by thunderstorm wind gusts. A 2X4 was embedded in a structure." +112845,679062,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:24:00,CST-6,2017-03-09 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-94.47,37.19,-94.47,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +113668,680372,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-01 13:50:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","Wind gusts of 49 to 56 knots were reported at Baber Point, Point Lookout and Pylons DAH." +113669,680417,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-08 04:38:00,EST-5,2017-03-08 04:53:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 38 knots were reported at Potomac Light." +120479,722014,ATLANTIC NORTH,2017,October,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-10-29 21:07:00,EST-5,2017-10-29 21:07:00,0,0,0,0,,NaN,,NaN,39.75,-74.22,39.75,-74.22,"A strong low pressure system moved up the east coast producing heavy rain and strong winds.","Measured gust at Weatherflow site." +120479,722022,ATLANTIC NORTH,2017,October,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-10-29 20:48:00,EST-5,2017-10-29 20:48:00,0,0,0,0,,NaN,,NaN,39.55,-74.25,39.55,-74.25,"A strong low pressure system moved up the east coast producing heavy rain and strong winds.","Gust measured at a weatherflow site." +120480,722023,DELAWARE,2017,October,Strong Wind,"NEW CASTLE",2017-10-30 03:51:00,EST-5,2017-10-30 03:51:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up the east coast producing heavy rain and strong winds.","Several strong wind gusts of around 40 mph on the evening of the 29th and the morning of the 30th." +121067,724754,LOUISIANA,2017,October,Thunderstorm Wind,"IBERIA",2017-10-22 00:25:00,CST-6,2017-10-22 00:25:00,0,0,0,0,1.00K,1000,0.00K,0,29.99,-91.82,29.99,-91.82,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","Multiple trees were uprooted near the intersection of Highway 90 and Weeks Island Road." +112767,676360,OHIO,2017,March,Flash Flood,"BROWN",2017-03-01 05:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2262,-83.8948,39.2305,-83.8824,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water over two feet deep was running across Eubanks Road." +113093,676384,NEBRASKA,2017,March,Hail,"CASS",2017-03-06 16:15:00,CST-6,2017-03-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-96.12,40.8,-96.12,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +112767,678812,OHIO,2017,March,Flood,"BROWN",2017-03-01 10:00:00,EST-5,2017-03-01 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1708,-83.9424,39.1602,-83.9204,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Flooding continued through early afternoon along Rote 131 just south of Fayetteville." +112767,678834,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 02:45:00,EST-5,2017-03-01 03:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1457,-84.3903,39.1461,-84.3896,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Residents were forced to evacuate homes along Simpson Avenue due to rising water." +117187,704869,ARKANSAS,2017,June,Flash Flood,"LINCOLN",2017-06-04 07:22:00,CST-6,2017-06-04 09:22:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-91.79,33.9038,-91.7966,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","Several roads were completely underwater in and around the park with water flowind across the main entrance to the park." +113755,683996,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:10:00,CST-6,2017-03-26 18:10:00,0,0,0,0,0.00K,0,0.00K,0,33.24,-97.25,33.24,-97.25,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A broadcast media report indicated 1.5 inch diameter hail approximately 2 miles south of Krum." +114021,685645,MARYLAND,2017,March,Thunderstorm Wind,"ANNE ARUNDEL",2017-03-01 14:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,39.0845,-76.5962,39.0845,-76.5962,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Several trees were down on Benfield Road." +114021,685671,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:39:00,EST-5,2017-03-01 13:39:00,0,0,0,0,,NaN,,NaN,39.1942,-77.2411,39.1942,-77.2411,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 59 mph was reported near Germantown." +112252,669387,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-02-07 22:47:00,EST-5,2017-02-07 22:47:00,0,0,0,0,0.00K,0,0.00K,0,28.36,-82.71,28.36,-82.71,"A line of strong to severe thunderstorms ahead of an approaching frontal boundary produced widespread gusty winds over the Gulf Waters.","A home weather station along the coast in Hudson recorded a 35 knot wind gust associated with thunderstorms moving onshore." +112252,669388,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-02-07 23:50:00,EST-5,2017-02-07 23:50:00,0,0,0,0,0.00K,0,0.00K,0,27.94,-82.81,27.94,-82.81,"A line of strong to severe thunderstorms ahead of an approaching frontal boundary produced widespread gusty winds over the Gulf Waters.","A home weather station along the coast in Belleair recorded a 35 knot wind gust associated with thunderstorms moving onshore." +112254,669391,FLORIDA,2017,February,Thunderstorm Wind,"LEVY",2017-02-07 21:38:00,EST-5,2017-02-07 21:38:00,0,0,0,0,0.00K,0,0.00K,0,29.48,-82.86,29.48,-82.86,"A squall line ahead of an approaching frontal boundary contained an embedded area of severe storms that moved through Levy County. Winds were the biggest hazard associated with the line and areas of wind damage were reported throughout the county.","A resident of Chiefland sent in photos of a 1 ft diameter pine tree that was snapped along with a downed fence. Time was estimated by radar signatures." +112634,672374,KENTUCKY,2017,February,Thunderstorm Wind,"GREENUP",2017-02-25 00:55:00,EST-5,2017-02-25 00:55:00,0,0,0,0,1.50K,1500,0.00K,0,38.52,-82.72,38.52,-82.72,"Following a day of record breaking high temperatures on February 24, a very strong cold front crossed the middle Ohio River Valley shortly after midnight on the 25th with a line of showers and thunderstorms. One stronger segment within the overall line produced wind damage in Greenup County, Kentucky.","Tree down on power lines." +112634,672375,KENTUCKY,2017,February,Thunderstorm Wind,"GREENUP",2017-02-25 00:55:00,EST-5,2017-02-25 00:55:00,0,0,0,0,0.50K,500,0.00K,0,38.52,-82.72,38.52,-82.72,"Following a day of record breaking high temperatures on February 24, a very strong cold front crossed the middle Ohio River Valley shortly after midnight on the 25th with a line of showers and thunderstorms. One stronger segment within the overall line produced wind damage in Greenup County, Kentucky.","Several large branches down in Flatwoods." +112735,673319,MONTANA,2017,February,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-02-22 11:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak upslope flow resulted in a few areas receiving heavy snow.","A few area Snotels received around 12 inches of snow." +112736,673320,WYOMING,2017,February,Winter Storm,"SHERIDAN FOOTHILLS",2017-02-22 18:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak upslope flow resulted in a few areas receiving heavy snow.","Several locations received 6 inches of snow." +112737,673321,MONTANA,2017,February,Winter Storm,"LIVINGSTON AREA",2017-02-07 14:30:00,MST-7,2017-02-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance that moved across the area brought widespread light snow to portions of the Billings Forecast Area. However, an isolated heavy snow amount was observed across the Livingston area.","Snowfall amounts of 7 to 8 inches were reported across the area." +112738,673322,MONTANA,2017,February,High Wind,"SOUTHERN WHEATLAND",2017-02-21 14:00:00,MST-7,2017-02-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft mixed down to the surface resulting in a few high wind gusts across Wheatland County.","A wind gust of 58 mph was recorded at the Upper Musselshell Agrimet." +112739,673323,WYOMING,2017,February,High Wind,"SHERIDAN FOOTHILLS",2017-02-20 22:46:00,MST-7,2017-02-20 22:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A mountain wave over the Big Horn Mountains resulted in some high wind gusts down the eastern foothills.","A wind gust of 61 mph was recorded at the Sheridan Airport." +112741,673325,MONTANA,2017,February,High Wind,"SOUTHERN WHEATLAND",2017-02-11 10:30:00,MST-7,2017-02-11 11:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft mixed down to the surface across Wheatland County.","Wind gusts of 58 mph were reported across the area." +112969,675030,FLORIDA,2017,February,Hail,"VOLUSIA",2017-02-15 16:38:00,EST-5,2017-02-15 16:38:00,0,0,0,0,0.00K,0,0.00K,0,28.87,-81.27,28.87,-81.27,"Scattered thunderstorms developed ahead of a strong cold front, bringing small hail to Enterprise in Volusia County.","A trained weather spotter observed nickel sized hail falling in Enterprise as a strong thunderstorm moved quickly east across the region." +112266,669462,MONTANA,2017,February,Cold/Wind Chill,"SHERIDAN",2017-02-08 00:00:00,MST-7,2017-02-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lingering artic air mass combined with persistent westerly gusty winds across the region to allow wind chill values to drop to -40 and below for portions of northeast Montana.","Wind chill values near -40 and colder were recorded at the Comertown Turn-Off MT-5 DOT site through the overnight and morning hours." +112269,669467,MONTANA,2017,February,High Wind,"LITTLE ROCKY MOUNTAINS",2017-02-11 08:00:00,MST-7,2017-02-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper weather system moved over the region with some of the winds from the associated jet streak easily mixing down to the surface across portions of northeast Montana. Strongest winds were limited locally to the downslope area of the Little Rocky Mountains.","Steady hourly sustained winds of at least 40 mph persisted through the mid-morning hours at the Malta South US-191 DOT site, with the peak wind gust of 64 mph recorded at 10:45 AM." +112904,674568,MONTANA,2017,February,Flood,"SHERIDAN",2017-02-21 00:00:00,MST-7,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,48.6943,-104.464,48.6954,-104.4505,"An early season thaw caused snowpack to melt and ice to break up, which allowed water to rise along main stem waterways. Some sections of rivers prone to developing ice jams, did so during this period.","Sheridan County dispatch reported high water along the edges of Highway 16 in the town of Antelope due to ice blockage of culverts in roadside ditches. This resulted in minor nuisance flooding along that stretch of Highway 16. Flooding start and end times are estimated." +115032,692418,MISSISSIPPI,2017,April,Flash Flood,"CLARKE",2017-04-30 21:55:00,CST-6,2017-04-30 23:59:00,0,0,0,0,30.00K,30000,0.00K,0,32.0615,-88.733,32.064,-88.718,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Multiple streets were flooded in downtown Quitman. Some roads were closed and water approached some buildings." +113687,684353,LOUISIANA,2017,April,Tornado,"CATAHOULA",2017-04-02 15:28:00,CST-6,2017-04-02 15:42:00,1,0,0,0,300.00K,300000,0.00K,0,31.7753,-92.0083,31.9045,-91.9135,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado started in La Salle Parish and crossed over into Catahoula Parish near Grady Road where it snapped and uprooted an extensive amount of softwood and hardwood trees. This tornado also caused roof damage to a few homes in the area. This tornado continued northeast and caused some structural damage to a church, a home and a couple of other buildings in the Aimwell community. The tornado also flipped a mobile home, where the one injury occurred. This tornado also snapped and uprooted a numerous amount of trees in this area also. This tornado continued northeast through a logging area just west of Fire Tower Road, snapping numerous trees and also caused some damage to some hunting club homes. The tornado continued northeast along Spring Ridge Road and Catahoula Church Road, snapping more trees along the way. The tornado ended near the intersection of Catahoula Church Road and Highway 124, snapping a couple of more trees. Maximum winds were 115 mph, and total path length was 13.79 miles." +114584,687234,MISSISSIPPI,2017,April,Thunderstorm Wind,"MADISON",2017-04-22 15:57:00,CST-6,2017-04-22 15:57:00,0,0,0,0,3.00K,3000,0.00K,0,32.47,-90.18,32.47,-90.18,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down along North Livingston Road near the intersection of Lewis Drive." +114584,687235,MISSISSIPPI,2017,April,Hail,"MADISON",2017-04-22 16:05:00,CST-6,2017-04-22 16:05:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-90.16,32.42,-90.16,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","" +115032,691428,MISSISSIPPI,2017,April,Thunderstorm Wind,"MARION",2017-04-30 08:59:00,CST-6,2017-04-30 09:19:00,0,0,0,0,7.00K,7000,0.00K,0,31.1952,-89.978,31.3502,-89.6622,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Multiple trees were blown down across the county." +120357,721909,PUERTO RICO,2017,September,Hurricane,"EASTERN INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Comerio-Road 779 obstructed towards Polomas." +120357,721910,PUERTO RICO,2017,September,Hurricane,"EASTERN INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Comerio-Road 156 obstructed in Barrio Dona Elenoa Sector El Higuero by Electrical Wires." +120357,721914,PUERTO RICO,2017,September,Flash Flood,"COAMO",2017-09-20 06:02:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.0506,-66.4165,18.0996,-66.4179,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Coamo went out of its banks." +120357,721915,PUERTO RICO,2017,September,Flash Flood,"COROZAL",2017-09-20 06:29:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.3468,-66.3396,18.3578,-66.3104,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Cibuco went out of its banks." +120357,721916,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Bridge collapsed on road 164 in Barrio Nuevo." +113687,680653,LOUISIANA,2017,April,Thunderstorm Wind,"TENSAS",2017-04-02 17:00:00,CST-6,2017-04-02 17:05:00,0,0,0,0,10.00K,10000,0.00K,0,32.16,-91.23,32.1169,-91.2193,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down at the intersections of Highways 605 and 608, and at 605 and 65." +115032,691142,MISSISSIPPI,2017,April,Flash Flood,"YAZOO",2017-04-30 08:22:00,CST-6,2017-04-30 11:00:00,0,0,0,0,11.00K,11000,0.00K,0,32.668,-90.3553,32.6377,-90.3286,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Flash flooding occurred in Bentonia. Highway 49 was under water, and Highway 433 at Martin Road was flooded." +113687,690285,LOUISIANA,2017,April,Hail,"MOREHOUSE",2017-04-02 12:02:00,CST-6,2017-04-02 12:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5666,-91.8141,32.9108,-91.7056,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A swath of hail fell across Morehouse Parish, including up to quarter size in Mer Rouge." +113687,699504,LOUISIANA,2017,April,Thunderstorm Wind,"EAST CARROLL",2017-04-02 16:17:00,CST-6,2017-04-02 16:17:00,0,0,0,0,18.00K,18000,0.00K,0,32.8482,-91.2247,32.8482,-91.2247,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A few trees and power lines were blown down along with a covered car port heavily damaged." +115032,697844,MISSISSIPPI,2017,April,Thunderstorm Wind,"NOXUBEE",2017-04-30 10:09:00,CST-6,2017-04-30 10:09:00,0,0,0,0,10.00K,10000,0.00K,0,33.05,-88.56,33.05,-88.56,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were uprooted along Highway 45 south of Macon." +115032,697845,MISSISSIPPI,2017,April,Thunderstorm Wind,"KEMPER",2017-04-30 10:11:00,CST-6,2017-04-30 10:11:00,0,0,0,0,10.00K,10000,0.00K,0,32.9,-88.51,32.9,-88.51,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were uprooted along Highway 45." +120357,722607,PUERTO RICO,2017,September,Flash Flood,"AGUAS BUENAS",2017-09-20 05:12:00,AST-4,2017-09-21 15:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.2757,-66.1775,18.2568,-66.1974,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rain associated to hurricane Maria resulted in mudslides and rockslides." +116310,699318,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:55:00,EST-5,2017-05-01 20:55:00,0,0,0,0,0.00K,0,0.00K,0,43.03,-73.41,43.03,-73.41,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires reported down." +114584,687749,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-22 16:42:00,CST-6,2017-04-22 16:50:00,0,0,0,0,50.00K,50000,0.00K,0,32.39,-88.7,32.47,-88.65,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down on a house at the intersection of 23rd Avenue and 34th Street. Trees were blown down at the intersection of Poplar Springs Drive and 41st Street. Dozens of trees were blown down and power lines were also downed across Meridian. Trees were down along Briarwood Road near Northeast High School just north of Marion." +114584,687237,MISSISSIPPI,2017,April,Hail,"LAUDERDALE",2017-04-22 17:00:00,CST-6,2017-04-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.391,-88.6823,32.391,-88.6823,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","Nickel sized hail occurred at Highway 39 North and and 33rd Street." +114584,687750,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-22 17:20:00,CST-6,2017-04-22 17:20:00,0,0,0,0,20.00K,20000,0.00K,0,32.31,-88.56,32.31,-88.56,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","Numerous trees were blown down across southeast Lauderdale County." +115136,691129,LOUISIANA,2017,April,Thunderstorm Wind,"CONCORDIA",2017-04-30 04:25:00,CST-6,2017-04-30 04:50:00,0,0,0,0,25.00K,25000,0.00K,0,31.2974,-91.7812,31.6,-91.69,"Showers and thunderstorms occurred across the area, producing damaging winds and heavy rain.","Numerous trees and power lines were blown down throughout the parish." +115136,697745,LOUISIANA,2017,April,Thunderstorm Wind,"TENSAS",2017-04-30 05:30:00,CST-6,2017-04-30 05:30:00,0,0,0,0,15.00K,15000,0.00K,0,31.96,-91.21,31.96,-91.21,"Showers and thunderstorms occurred across the area, producing damaging winds and heavy rain.","A tree was blown down on utility equipment near Lake Bruin." +120357,749456,PUERTO RICO,2017,September,Flash Flood,"TOA BAJA",2017-09-20 06:00:00,AST-4,2017-09-21 15:00:00,0,0,9,0,2.50B,2500000000,0.00K,0,18.449,-66.1638,18.4649,-66.213,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio de la Plata went out of its banks producing catastrophic flooding across Toa Baja municipality. Nine people were confirmed dead due to flooding water associated with the river." +120357,749457,PUERTO RICO,2017,September,Flash Flood,"VEGA ALTA",2017-09-20 06:00:00,AST-4,2017-09-21 15:00:00,0,0,1,0,750.00M,750000000,0.00K,0,18.42,-66.33,18.4317,-66.3429,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio de la Plata went out of its banks. One person was confirmed dead when he was trying to cross road PR-690 in bicycle." +115032,691137,MISSISSIPPI,2017,April,Thunderstorm Wind,"COPIAH",2017-04-30 06:45:00,CST-6,2017-04-30 07:19:00,0,0,0,0,100.00K,100000,0.00K,0,31.8992,-90.7135,32.0412,-90.2469,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees and power lines were blown down across the county." +115032,691138,MISSISSIPPI,2017,April,Thunderstorm Wind,"HINDS",2017-04-30 07:18:00,CST-6,2017-04-30 07:22:00,0,0,0,0,10.00K,10000,0.00K,0,32.31,-90.37,32.3224,-90.3262,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down along Midway Road and along Springridge Road." +115032,691425,MISSISSIPPI,2017,April,Thunderstorm Wind,"RANKIN",2017-04-30 07:55:00,CST-6,2017-04-30 07:55:00,0,0,0,0,5.00K,5000,0.00K,0,32.2641,-89.8662,32.2641,-89.8662,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down along Rankin Road." +115032,697846,MISSISSIPPI,2017,April,Thunderstorm Wind,"KEMPER",2017-04-30 10:15:00,CST-6,2017-04-30 10:15:00,0,0,0,0,15.00K,15000,0.00K,0,32.83,-88.47,32.83,-88.47,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A large tree was snapped and other trees were uprooted in Scooba." +120357,721917,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Communications to Barrios Mana, Palmarito, and Maguelles cutoff." +120357,721918,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Road 802 impassable to vehicles." +120357,721919,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Bridge collapsed on Road 152 at marker KM 19.0." +120357,721920,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Roads 159, 164, and 803 obstructed with loosen earth and cement posts. Heavy Machinery was needed to remove this debris and clear roadways." +120357,721921,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Road 568 washed out in Barrio Maguelles." +120357,721926,PUERTO RICO,2017,September,Flash Flood,"GUAYAMA",2017-09-20 03:00:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.0976,-66.0903,17.9716,-66.0749,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rainfall associated with Hurricane Maria produced flooding." +120357,721927,PUERTO RICO,2017,September,Flash Flood,"GUAYANILLA",2017-09-20 07:45:00,AST-4,2017-09-21 09:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.127,-66.7921,18.1292,-66.7728,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Guayanilla went out of its banks." +116310,699334,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 21:04:00,EST-5,2017-05-01 21:04:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-73.29,43.13,-73.29,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was downed on Camden Valley Road." +115032,690585,MISSISSIPPI,2017,April,Tornado,"MONTGOMERY",2017-04-30 09:13:00,CST-6,2017-04-30 09:19:00,0,0,0,0,40.00K,40000,0.00K,0,33.5014,-89.6045,33.5508,-89.5267,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began south of Robinson-Thompson Road. As it tracked northeast, it snapped and uprooted many softwood and hardwood trees along its path. It dissipated along Oak Ridge Road. The maximum estimated wind speed with this tornado was 100 mph." +115032,692419,MISSISSIPPI,2017,April,Thunderstorm Wind,"CLARKE",2017-04-30 21:45:00,CST-6,2017-04-30 21:45:00,0,0,0,0,15.00K,15000,0.00K,0,32.0372,-88.7743,32.0372,-88.7743,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A tree fell on a car on Highway 512." +120357,722611,PUERTO RICO,2017,September,Flash Flood,"CAROLINA",2017-09-20 08:35:00,AST-4,2017-09-22 08:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.4585,-65.9779,18.4471,-66.0423,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Quebrada Grande out of its banks." +120357,722612,PUERTO RICO,2017,September,Flash Flood,"BAYAMON",2017-09-20 08:22:00,AST-4,2017-09-21 15:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.4165,-66.1964,18.3194,-66.2146,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio de La Plata out of its banks." +120357,722613,PUERTO RICO,2017,September,Flash Flood,"CATANO",2017-09-20 05:12:00,AST-4,2017-09-22 08:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.4407,-66.1121,18.464,-66.138,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rain resulted in flooding." +120357,722614,PUERTO RICO,2017,September,Flash Flood,"BARCELONETA",2017-09-20 11:41:00,AST-4,2017-09-21 18:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.479,-66.5298,18.4901,-66.5607,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Manati out of its banks." +120357,722615,PUERTO RICO,2017,September,Flash Flood,"BARRANQUITAS",2017-09-20 11:41:00,AST-4,2017-09-21 18:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.2425,-66.3519,18.1753,-66.3801,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Grande de Manati out of its banks." +120357,722617,PUERTO RICO,2017,September,Flash Flood,"ADJUNTAS",2017-09-20 10:46:00,AST-4,2017-09-21 18:00:00,0,0,0,0,750.00K,750000,0.00K,0,18.2509,-66.7914,18.2281,-66.8436,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Grande de Arecibo went out of its banks." +115032,691141,MISSISSIPPI,2017,April,Thunderstorm Wind,"YAZOO",2017-04-30 06:58:00,CST-6,2017-04-30 07:44:00,0,0,0,0,100.00K,100000,0.00K,0,32.5812,-90.6443,33.0013,-90.3275,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees were blown down across the county." +115032,691421,MISSISSIPPI,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-30 07:10:00,CST-6,2017-04-30 07:10:00,0,0,0,0,15.00K,15000,0.00K,0,31.58,-90.44,31.58,-90.44,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A few trees were down, including 1 on a house." +115032,691424,MISSISSIPPI,2017,April,Thunderstorm Wind,"RANKIN",2017-04-30 07:43:00,CST-6,2017-04-30 07:43:00,0,0,0,0,10.00K,10000,0.00K,0,32.3713,-90.0174,32.3713,-90.0174,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees and power lines were blown down near the intersection of Spillway and Grants Ferry roads." +115032,691426,MISSISSIPPI,2017,April,Thunderstorm Wind,"SCOTT",2017-04-30 08:30:00,CST-6,2017-04-30 08:55:00,0,0,0,0,30.00K,30000,0.00K,0,32.3058,-89.5537,32.5527,-89.3216,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Many trees and power lines were blown down across the county, including in Forest and Sebastopol." +115032,697753,MISSISSIPPI,2017,April,Thunderstorm Wind,"HOLMES",2017-04-30 08:30:00,CST-6,2017-04-30 08:30:00,0,0,0,0,100.00K,100000,0.00K,0,32.97,-89.92,32.97,-89.92,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees and powerlines were blown down on the Holmes Community College campus." +115032,697840,MISSISSIPPI,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-30 09:05:00,CST-6,2017-04-30 09:20:00,0,0,0,0,25.00K,25000,0.00K,0,33.4387,-89.7755,33.669,-89.5179,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees and power lines were blown down across the county." +115032,692420,MISSISSIPPI,2017,April,Flash Flood,"FORREST",2017-04-30 22:09:00,CST-6,2017-04-30 23:45:00,0,0,0,0,15.00K,15000,0.00K,0,31.288,-89.334,31.3056,-89.2529,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Multiple streets were flooded in Hattiesburg and Petal." +114909,689610,MISSISSIPPI,2017,April,Thunderstorm Wind,"ATTALA",2017-04-26 21:00:00,CST-6,2017-04-26 21:04:00,0,0,0,0,10.00K,10000,0.00K,0,33.18,-89.54,33.02,-89.43,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Trees were blown down along Highway 43 North, Highway 19, and Kings Road." +114909,689613,MISSISSIPPI,2017,April,Thunderstorm Wind,"LEAKE",2017-04-26 21:09:00,CST-6,2017-04-26 21:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.77,-89.5159,32.76,-89.41,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Numerous trees were blown down across the county and some blocked roads." +114909,689609,MISSISSIPPI,2017,April,Thunderstorm Wind,"SCOTT",2017-04-26 21:31:00,CST-6,2017-04-26 22:00:00,0,0,0,0,15.00K,15000,0.00K,0,32.3616,-89.6951,32.387,-89.3546,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Trees were blown down throughout the county." +114909,689611,MISSISSIPPI,2017,April,Hail,"NEWTON",2017-04-26 22:20:00,CST-6,2017-04-26 22:20:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-89.12,32.57,-89.12,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","" +114909,697067,MISSISSIPPI,2017,April,Thunderstorm Wind,"NEWTON",2017-04-26 22:44:00,CST-6,2017-04-26 22:44:00,0,0,0,0,5.00K,5000,0.00K,0,32.4091,-88.9385,32.4091,-88.9385,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A few trees were blown down." +114909,689617,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-26 22:45:00,CST-6,2017-04-26 22:55:00,0,0,0,0,5.00K,5000,0.00K,0,32.5041,-88.889,32.56,-88.77,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A few trees were blown down." +120357,721922,PUERTO RICO,2017,September,Hurricane,"CENTRAL INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Corozal-Road 803 washed out in Barrio Palos Blancos. 25 people had to be evacuated." +120357,721923,PUERTO RICO,2017,September,Flash Flood,"DORAD",2017-09-20 07:20:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.4712,-66.3121,18.4783,-66.2697,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio de la Plata went out of its banks." +120357,721924,PUERTO RICO,2017,September,Flash Flood,"FAJARDO",2017-09-20 01:24:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.3599,-65.6649,18.3711,-65.6313,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Fajardo went out of its banks." +120357,721925,PUERTO RICO,2017,September,Flash Flood,"FLORIDA",2017-09-20 18:10:00,AST-4,2017-09-21 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.4051,-66.5679,18.4086,-66.5554,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rains associated with Hurricane Maria produced flooding." +120357,721928,PUERTO RICO,2017,September,Flash Flood,"GUAYNABO",2017-09-20 05:12:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.4324,-66.1144,18.4379,-66.0855,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rainfall associated with Hurricane Maria produced flooding." +120357,721929,PUERTO RICO,2017,September,Flash Flood,"GURABO",2017-09-20 04:19:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.3008,-66.0158,18.3011,-65.9743,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Gurabo went out of its banks." +120357,721931,PUERTO RICO,2017,September,Flash Flood,"GUANICA",2017-09-20 08:00:00,AST-4,2017-09-21 09:00:00,0,0,0,0,500.00K,500000,0.00K,0,17.9533,-66.8662,17.952,-66.9727,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rainfall associated with Hurricane Maria produced flooding." +120357,721933,PUERTO RICO,2017,September,Flash Flood,"HATILLO",2017-09-20 07:16:00,AST-4,2017-09-21 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.479,-66.8271,18.4829,-66.7722,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Camuy went out of its banks." +120357,721934,PUERTO RICO,2017,September,Flash Flood,"HORMIGUEROS",2017-09-20 11:27:00,AST-4,2017-09-21 09:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.1505,-67.1436,18.1534,-67.1186,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Guanajibo went out of its banks." +120357,721935,PUERTO RICO,2017,September,Flash Flood,"HUMACAO",2017-09-20 04:34:00,AST-4,2017-09-21 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.1707,-65.7484,18.0709,-65.7999,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rainfall associated with Hurricane Maria produced flooding." +120357,721936,PUERTO RICO,2017,September,Flash Flood,"ISABELA",2017-09-20 07:25:00,AST-4,2017-09-21 09:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.5096,-67.088,18.5083,-67.0454,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Guajataca went out of its banks." +120357,721937,PUERTO RICO,2017,September,Flash Flood,"JAYUYA",2017-09-20 07:25:00,AST-4,2017-09-20 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.2796,-66.5737,18.2115,-66.5507,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Saliente went out of its banks." +115032,697750,MISSISSIPPI,2017,April,Thunderstorm Wind,"RANKIN",2017-04-30 07:33:00,CST-6,2017-04-30 07:33:00,0,0,0,0,10.00K,10000,0.00K,0,32.15,-90.13,32.15,-90.13,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down in Florence." +120357,722620,PUERTO RICO,2017,September,Flash Flood,"ARECIBO",2017-09-20 10:46:00,AST-4,2017-09-21 18:00:00,0,0,1,0,750.00M,750000000,0.00K,0,18.481,-66.7708,18.4902,-66.6321,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Grande de Arecibo went out of its banks. One person was found dead, when he drowned due the flooding water of Rio Grande de Arecibo." +120357,722622,PUERTO RICO,2017,September,Flash Flood,"AGUADA",2017-09-20 16:36:00,AST-4,2017-09-21 09:15:00,0,0,2,0,750.00M,750000000,0.00K,0,18.4152,-67.1596,18.3859,-67.1285,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Culebrinas was out of its banks, flooding most of the Coloso area and its surrounding areas. Two police officer died when a surge of water swept then when Rio Culebrinas went out of its banks." +120357,722625,PUERTO RICO,2017,September,Flash Flood,"AGUADILLA",2017-09-20 12:48:00,AST-4,2017-09-21 09:15:00,0,0,0,0,750.00M,750000000,0.00K,0,18.5133,-67.1012,18.5045,-67.1416,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rain resulted in floods." +120357,722629,PUERTO RICO,2017,September,Flash Flood,"ANASCO",2017-09-20 12:53:00,AST-4,2017-09-21 09:15:00,0,0,4,0,750.00M,750000000,0.00K,0,18.3044,-67.2271,18.2535,-67.178,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rain resulted in flash flooding across the municipality of Anasco. Rio Anasco and all its tributaries went out of its banks. Four people were confirmed dead due to the flooding waters associated with the river." +120357,722630,PUERTO RICO,2017,September,Flash Flood,"CABO ROJO",2017-09-20 15:21:00,AST-4,2017-09-21 09:15:00,0,0,0,0,750.00M,750000000,0.00K,0,18.1674,-67.1783,18.0859,-67.2034,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Guanajibo out of its banks." +115032,691132,MISSISSIPPI,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-30 06:10:00,CST-6,2017-04-30 06:30:00,0,0,0,0,30.00K,30000,0.00K,0,31.7089,-91.2335,31.8162,-91.0074,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous tree and power lines were blown down across the county, along with numerous power outages." +115032,691136,MISSISSIPPI,2017,April,Flash Flood,"WARREN",2017-04-30 08:00:00,CST-6,2017-04-30 11:00:00,0,0,0,0,7.00K,7000,0.00K,0,32.2733,-90.929,32.3835,-90.883,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Flash flooding occurred along North Washington Street, Highway 27 South, and Oakridge Road." +120357,749737,PUERTO RICO,2017,September,Flash Flood,"UTUADO",2017-09-20 06:00:00,AST-4,2017-09-21 15:00:00,0,0,3,0,750.00M,750000000,0.00K,0,18.27,-66.7,18.3192,-66.6656,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Catastrophic flash flooding occurred along Rio Grande de Arecibo in the municipality of Utuado. Serious mudslides occurred across the municipality, were many bridges were totally destroyed, leaving most communities were isolated from getting food, gas and goods supplies. Three sisters were confirmed dead at San Miguel sector when a mudslide destroy their house." +115032,691429,MISSISSIPPI,2017,April,Thunderstorm Wind,"GRENADA",2017-04-30 09:11:00,CST-6,2017-04-30 09:11:00,0,0,0,0,8.00K,8000,0.00K,0,33.77,-89.81,33.77,-89.81,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down in Grenada." +115032,691431,MISSISSIPPI,2017,April,Thunderstorm Wind,"FORREST",2017-04-30 09:49:00,CST-6,2017-04-30 09:49:00,0,0,0,0,8.00K,8000,0.00K,0,31.4203,-89.4258,31.4203,-89.4258,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Power lines were blown down on Lott Town Road." +115032,697842,MISSISSIPPI,2017,April,Thunderstorm Wind,"WEBSTER",2017-04-30 09:28:00,CST-6,2017-04-30 09:28:00,0,0,0,0,75.00K,75000,0.00K,0,33.71,-89.45,33.71,-89.45,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Trees were blown down in Caderetta, including two that fell onto homes." +113686,680476,ARKANSAS,2017,April,Hail,"ASHLEY",2017-04-02 12:59:00,CST-6,2017-04-02 13:10:00,0,0,0,0,15.00K,15000,0.00K,0,33.13,-91.96,33.23,-91.79,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, severe thunderstorms occurred over southeast Arkansas and produced damaging wind gusts, and large hail during the afternoon hours. The main portion of the tornado outbreak and flash flooding occurred across Louisiana and Mississippi.","A swath of hail up to golfball size fell across portions of the county." +115666,695046,NEW JERSEY,2017,June,Thunderstorm Wind,"OCEAN",2017-06-21 16:54:00,EST-5,2017-06-21 16:54:00,0,0,0,0,,NaN,,NaN,40.09,-74.05,40.09,-74.05,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Tree fell on a car. Time estimated from radar." +115666,695048,NEW JERSEY,2017,June,Thunderstorm Wind,"OCEAN",2017-06-21 17:05:00,EST-5,2017-06-21 17:05:00,0,0,0,0,,NaN,,NaN,39.65,-74.35,39.65,-74.35,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Some trees were blown down. Time estimated from radar." +115667,695051,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:00:00,EST-5,2017-06-21 15:00:00,0,0,0,0,,NaN,,NaN,40.25,-75.64,40.25,-75.64,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Trees and powerlines down with damage to some homes." +115667,695053,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:03:00,EST-5,2017-06-21 15:03:00,0,0,0,0,,NaN,,NaN,40.25,-75.64,40.25,-75.64,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Several trees and wires down." +115667,695056,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:12:00,EST-5,2017-06-21 15:12:00,0,0,0,0,,NaN,,NaN,40.34,-75.51,40.34,-75.51,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Trees and wires down. Time estimated from radar." +113684,680474,MISSISSIPPI,2017,April,Hail,"LINCOLN",2017-04-02 11:59:00,CST-6,2017-04-02 12:17:00,0,0,0,0,15.00K,15000,0.00K,0,31.47,-90.48,31.58,-90.39,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A swath of hail up to golf ball size occurred across portions of the county, from just north of Bogue Chitto to around Brookhaven." +113684,680475,MISSISSIPPI,2017,April,Thunderstorm Wind,"ADAMS",2017-04-02 10:24:00,CST-6,2017-04-02 10:24:00,0,0,0,0,0.10K,100,0.00K,0,31.63,-91.32,31.63,-91.32,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was down across airport road." +113684,680641,MISSISSIPPI,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-02 16:10:00,CST-6,2017-04-02 16:10:00,0,0,0,0,10.00K,10000,0.00K,0,33.3475,-91.082,33.3475,-91.082,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down on Bayou Road." +113684,680642,MISSISSIPPI,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-02 16:12:00,CST-6,2017-04-02 16:12:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-90.99,33.48,-90.99,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","" +114909,689620,MISSISSIPPI,2017,April,Thunderstorm Wind,"JEFFERSON DAVIS",2017-04-26 23:00:00,CST-6,2017-04-26 23:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.5,-89.81,31.5,-89.81,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down west of Bassfield." +114909,689614,MISSISSIPPI,2017,April,Hail,"CLARKE",2017-04-26 23:58:00,CST-6,2017-04-27 00:08:00,0,0,0,0,0.00K,0,0.00K,0,32.15,-88.8,32.16,-88.71,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Nickel to quarter sized hail fell near Enterprise and Stonewall east towards Highway 45." +114909,689616,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-27 00:02:00,CST-6,2017-04-27 00:02:00,0,0,0,0,3.00K,3000,0.00K,0,32.4241,-88.4393,32.4241,-88.4393,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down on Highway 11/80 in Kewanee." +115032,699225,MISSISSIPPI,2017,April,Thunderstorm Wind,"ADAMS",2017-04-30 08:42:00,CST-6,2017-04-30 08:42:00,0,0,0,0,2.00K,2000,0.00K,0,33.2116,-89.8666,33.2116,-89.8666,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Shingles were taken off the roof of a mobile home along with some large branches snapped along Emory Road." +115666,695042,NEW JERSEY,2017,June,Thunderstorm Wind,"MONMOUTH",2017-06-21 16:27:00,EST-5,2017-06-21 16:27:00,0,0,0,0,,NaN,,NaN,40.13,-74.52,40.13,-74.52,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Trees and powerlines down. Time estimated from radar." +115666,695043,NEW JERSEY,2017,June,Thunderstorm Wind,"OCEAN",2017-06-21 16:28:00,EST-5,2017-06-21 16:28:00,0,0,0,0,,NaN,,NaN,40.06,-74.53,40.06,-74.53,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Trees and powerlines down. Time estimated from radar." +115666,695045,NEW JERSEY,2017,June,Thunderstorm Wind,"OCEAN",2017-06-21 16:33:00,EST-5,2017-06-21 16:33:00,0,0,0,0,,NaN,,NaN,40.12,-74.35,40.12,-74.35,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Tress down on house and car. Time estimated from radar." +111748,666465,TEXAS,2017,January,Tornado,"HILL",2017-01-15 18:36:00,CST-6,2017-01-15 18:50:00,2,0,0,0,290.00K,290000,0.00K,0,31.92,-97.42,31.9921,-97.3694,"Tornadoes occurred. Read the title.","A National Weather Service storm survey crew found evidence of a tornado which began in Bosque County northwest of Laguna Park, and ended in Hill County. In Bosque County, the tornado produced EF-0 damage, with damage to trees. In Hill County, approximately 80 homes had some damage, mostly shingle damage on roofs. However, about 10 manufactured homes suffered major damage, with roof and window damage. One older home lost most of its roof and walls, after a tree fell on the home." +114523,687094,MISSISSIPPI,2017,April,Strong Wind,"YAZOO",2017-04-05 15:00:00,CST-6,2017-04-05 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred ahead of a cold front that moved through the region. Some of these winds brought down trees and powerlines ahead of storms.","Numerous trees and power lines were blown down across the county, which caused several power outages." +114523,687090,MISSISSIPPI,2017,April,Strong Wind,"GRENADA",2017-04-05 16:00:00,CST-6,2017-04-05 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred ahead of a cold front that moved through the region. Some of these winds brought down trees and powerlines ahead of storms.","Trees were blown down around the county and caused power outages." +114523,687092,MISSISSIPPI,2017,April,Strong Wind,"OKTIBBEHA",2017-04-05 16:00:00,CST-6,2017-04-05 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred ahead of a cold front that moved through the region. Some of these winds brought down trees and powerlines ahead of storms.","A tree was blown down across Crawford Road near Artesia." +114523,687091,MISSISSIPPI,2017,April,Strong Wind,"HINDS",2017-04-05 15:45:00,CST-6,2017-04-05 15:45:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred ahead of a cold front that moved through the region. Some of these winds brought down trees and powerlines ahead of storms.","A tree split and fell on the 2nd story of a house near Clinton." +115032,699228,MISSISSIPPI,2017,April,Thunderstorm Wind,"CARROLL",2017-04-30 09:03:00,CST-6,2017-04-30 09:04:00,0,0,0,0,3.00K,3000,0.00K,0,33.3369,-89.7327,33.3455,-89.7091,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A few trees were uprooted along with some large branches snapped along Highway 430." +113686,680478,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-02 15:09:00,CST-6,2017-04-02 15:49:00,0,0,0,0,40.00K,40000,0.00K,0,33.1474,-92.0847,33.1163,-91.523,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, severe thunderstorms occurred over southeast Arkansas and produced damaging wind gusts, and large hail during the afternoon hours. The main portion of the tornado outbreak and flash flooding occurred across Louisiana and Mississippi.","Trees and power lines were blown down across the county." +113686,680479,ARKANSAS,2017,April,Thunderstorm Wind,"CHICOT",2017-04-02 15:46:00,CST-6,2017-04-02 15:51:00,0,0,0,0,75.00K,75000,0.00K,0,33.53,-91.44,33.53,-91.43,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, severe thunderstorms occurred over southeast Arkansas and produced damaging wind gusts, and large hail during the afternoon hours. The main portion of the tornado outbreak and flash flooding occurred across Louisiana and Mississippi.","Several trees were blown down in Dermott. A tree was also blown down on a house." +114584,691674,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAMAR",2017-04-22 19:55:00,CST-6,2017-04-22 19:55:00,0,0,0,0,3.00K,3000,0.00K,0,31.12,-89.59,31.12,-89.59,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down on Tatum Salt Dome Road." +114584,687230,MISSISSIPPI,2017,April,Thunderstorm Wind,"HOLMES",2017-04-22 14:07:00,CST-6,2017-04-22 14:07:00,0,0,0,0,3.00K,3000,0.00K,0,33.04,-90,33.04,-90,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down along Highway 17." +114584,687231,MISSISSIPPI,2017,April,Thunderstorm Wind,"ATTALA",2017-04-22 14:41:00,CST-6,2017-04-22 14:41:00,0,0,0,0,5.00K,5000,0.00K,0,33.0076,-89.6899,33.0076,-89.6899,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down on a power line near the intersection of County Road 4167 and Sallis McAdams Road." +114584,687232,MISSISSIPPI,2017,April,Thunderstorm Wind,"NESHOBA",2017-04-22 15:40:00,CST-6,2017-04-22 15:40:00,0,0,0,0,2.00K,2000,0.00K,0,32.67,-89.11,32.67,-89.11,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down across County Road 347." +115032,691427,MISSISSIPPI,2017,April,Thunderstorm Wind,"ATTALA",2017-04-30 08:45:00,CST-6,2017-04-30 08:53:00,0,0,0,0,25.00K,25000,0.00K,0,33.0237,-89.691,33.0951,-89.4782,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees and power lines were blown down across the county." +120357,722507,PUERTO RICO,2017,September,Flash Flood,"ARROYO",2017-09-20 04:34:00,AST-4,2017-09-21 04:53:00,0,0,0,0,750.00M,750000000,0.00K,0,18.022,-66.0948,17.9654,-66.0742,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rain flooded municipality of Arroyo." +120357,722508,PUERTO RICO,2017,September,Flash Flood,"CANOVANAS",2017-09-20 06:29:00,AST-4,2017-09-22 08:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.414,-65.9005,18.3891,-65.9355,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Very heavy rain resulted in Rio Canovanas out of its banks." +120357,722509,PUERTO RICO,2017,September,Flash Flood,"CEIBA",2017-09-20 05:24:00,AST-4,2017-09-22 08:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.2822,-65.633,18.2858,-65.6811,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Fajardo went out of its banks." +120357,722510,PUERTO RICO,2017,September,Flash Flood,"CAGUAS",2017-09-20 08:23:00,AST-4,2017-09-21 15:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.3034,-66.0659,18.3112,-66.01,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Cag��itas out of its banks." +114584,687244,MISSISSIPPI,2017,April,Thunderstorm Wind,"CLARKE",2017-04-22 17:30:00,CST-6,2017-04-22 17:32:00,0,0,0,0,5.00K,5000,0.00K,0,32.16,-88.61,32.14,-88.6,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A few trees were blown down along Highway 514. A tree was down on County Road 451." +114584,687242,MISSISSIPPI,2017,April,Thunderstorm Wind,"JONES",2017-04-22 19:29:00,CST-6,2017-04-22 19:29:00,0,0,0,0,10.00K,10000,0.00K,0,31.5382,-89.1425,31.5382,-89.1425,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","Trees and power lines were blown down across Highway 29 in the Johnson Community." +114584,687243,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAMAR",2017-04-22 19:45:00,CST-6,2017-04-22 19:45:00,0,0,0,0,3.00K,3000,0.00K,0,31.2596,-89.4337,31.2596,-89.4337,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down on South Mill Creek Road." +114907,689264,LOUISIANA,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-26 18:10:00,CST-6,2017-04-26 18:23:00,0,0,0,0,15.00K,15000,0.00K,0,32.48,-91.82,32.4636,-91.5353,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts.","Multiple trees were blown down across the parish." +114909,689266,MISSISSIPPI,2017,April,Thunderstorm Wind,"LEFLORE",2017-04-26 19:23:00,CST-6,2017-04-26 19:23:00,0,0,0,0,3.00K,3000,0.00K,0,33.53,-90.25,33.53,-90.25,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down along Highway 82." +114909,689265,MISSISSIPPI,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-26 18:45:00,CST-6,2017-04-26 18:45:00,0,0,0,0,10.00K,10000,0.00K,0,33.14,-90.84,33.14,-90.84,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Several trees were blown down in Glen Allan." +120357,721364,PUERTO RICO,2017,September,Flash Flood,"COMERIO",2017-09-20 04:54:00,AST-4,2017-09-21 15:00:00,0,0,0,0,250.00M,250000000,0.00K,0,18.2753,-66.2127,18.2251,-66.1686,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","La Plata river went out of its banks producing serious flash flooding across downtown Comerio." +120357,721503,PUERTO RICO,2017,September,Flash Flood,"PONCE",2017-09-20 00:00:00,AST-4,2017-09-20 00:00:00,0,0,0,0,500.00M,500000000,0.00K,0,18.1531,-66.6623,17.9808,-66.6939,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","River out of its banks." +120357,721905,PUERTO RICO,2017,September,Flash Flood,"CIALES",2017-09-20 04:17:00,AST-4,2017-09-21 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.3292,-66.582,18.3624,-66.4735,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Grande de Manati went out of its banks." +120357,721906,PUERTO RICO,2017,September,Flash Flood,"CIDRA",2017-09-20 05:12:00,AST-4,2017-09-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,18.2079,-66.1665,18.1997,-66.1264,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Heavy rainfall associated with Hurricane Maria produced flooding." +120357,721907,PUERTO RICO,2017,September,Hurricane,"EASTERN INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Road 156 obstructed in Barrio Rio Hondo in the municipality of Comerio." +120357,721908,PUERTO RICO,2017,September,Hurricane,"EASTERN INTERIOR",2017-09-20 11:00:00,AST-4,2017-09-20 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Municipality of Comerio-Landslide and fallen power poles. Road 778 in Barrio Pinas sector la Mora." +116310,699302,NEW YORK,2017,May,Thunderstorm Wind,"SCHOHARIE",2017-05-01 20:02:00,EST-5,2017-05-01 20:02:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-74.61,42.48,-74.61,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires were reported down from thunderstorm winds." +113686,690286,ARKANSAS,2017,April,Thunderstorm Wind,"CHICOT",2017-04-02 15:56:00,CST-6,2017-04-02 16:05:00,0,0,0,0,15.00K,15000,0.00K,0,33.1152,-91.3136,33.12,-91.26,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, severe thunderstorms occurred over southeast Arkansas and produced damaging wind gusts, and large hail during the afternoon hours. The main portion of the tornado outbreak and flash flooding occurred across Louisiana and Mississippi.","Several trees were uprooted around Eudora." +113687,680480,LOUISIANA,2017,April,Hail,"RICHLAND",2017-04-02 11:30:00,CST-6,2017-04-02 11:52:00,0,0,0,0,15.00K,15000,0.00K,0,32.3323,-91.9442,32.48,-91.86,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A swath of hail fell across western Richland Parish, with golfball size hail observed in Start." +113687,680637,LOUISIANA,2017,April,Thunderstorm Wind,"MOREHOUSE",2017-04-02 15:20:00,CST-6,2017-04-02 15:20:00,0,0,0,0,30.00K,30000,0.00K,0,32.78,-91.91,32.78,-91.91,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees and power poles were blown down." +113687,680844,LOUISIANA,2017,April,Tornado,"RICHLAND",2017-04-02 15:48:00,CST-6,2017-04-02 15:53:00,0,0,0,0,75.00K,75000,0.00K,0,32.2377,-91.8523,32.2669,-91.8007,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado touched down along Parish Road 576 close to the intersection of Parish Road 135. Several trees were uprooted and snapped. At the intersection, a metal building was damaged and a cyclone fence was taken out. The tornado continued along Parish Road 576 and downed and snapped numerous trees. The tornado crossed Little Creek and then Parish Road 622 where it began to weaken. It then crossed Bill Taylor Road where a couple more trees were damaged and some minor roof damage occurred to a home and shed. The tornado dissipated at Middle Road where some limbs were broken. Max winds were estimated around 105 mph." +120357,722633,PUERTO RICO,2017,September,Flash Flood,"CAMUY",2017-09-20 11:16:00,AST-4,2017-09-21 09:15:00,0,0,0,0,750.00M,750000000,0.00K,0,18.4862,-66.8329,18.4915,-66.8683,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Camuy out of its banks." +120357,722635,PUERTO RICO,2017,September,Flash Flood,"AIBONITO",2017-09-20 10:02:00,AST-4,2017-09-21 15:21:00,0,0,0,0,750.00M,750000000,0.00K,0,18.1811,-66.241,18.1674,-66.3135,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio Coamo went out of its banks." +120357,722636,PUERTO RICO,2017,September,Flash Flood,"CAYEY",2017-09-20 07:22:00,AST-4,2017-09-21 11:00:00,0,0,0,0,750.00M,750000000,0.00K,0,18.1433,-66.217,18.1152,-66.229,"Hurricane Maria was a catastrophic category 4 hurricane which devastated the island of Puerto Rico on September 20, 2017. Maximum sustained winds of 175 mph as it was approaching the county warning area. The direction was towards the west northwest with the eye clipping Saint Croix and Vieques. The hurricane then made landfall in the municipality of Yabucoa in mainland PR at 6:15 am AST with maximum sustained winds of 155 mph. The center of the storm traversed diagonally through mainland Puerto Rico exiting across the northwest municipalities in the early afternoon hours. Extreme winds were observed across most of mainland Puerto Rico, Vieques, and Saint Croix with catastrophic flooding observed across many areas in mainland Puerto Rico.||During a preliminary survey of areas along the path of Hurricane Maria���s center, it was evident that catastrophic damage had occurred. Maria���s strong winds spread large amounts of debris across the entire area. All full trees were defoliated, and those that were not, were snapped or uprooted by Maria���s strong winds and lost medium to large branches. During the interview process, stories and images were particularly similar. Numerous locals reported that they felt the ground and their houses shaking, while most were amazed by the force of the unprecedented strong winds that not only transformed their surroundings but also their lives. Although most structures across the island are built using concrete as the main material, countless homes and buildings sustained some type of structural damage. If not blown off, non-concrete roofs suffered some type of damage. Nearly all commercial signs, fences, and canopies were destroyed, including large digital high definition boards. The last time that Puerto Rico experienced a category 4 or stronger hurricane was back on 1928 with Hurricane San Felipe II. Maria was the strongest hurricane to make landfall in mainland Puerto Rico since Hurricane Felipe II in 1928, a category 5 storm. |The NOAA estimate of damage in Puerto Rico and the U.S. Virgin Islands due to Maria is 90 billion dollars.||Death toll from hurricane Maria at the moment of this report is highly uncertain. The official number stands at 65 deaths. 20 of these deaths occurred during the hurricane. The other 45 deaths occurred in the aftermath of the hurricane. From these 45 deaths, there were four (4) people which died due to heart attack, three (3) due to lack of respiratory aid and three more (3) people due to lack of medical supplies. In addition two (2) deaths were due to suicides. One person (1) died when a tree fell over his car while driving. As of late November 2017, there were three (3) confirmed deaths from leptospirosis. One person (1) died during hurricane preparations. One women (1) died when she fell from her wheel chair. Her house was flooded, and she drowned.|The reasons of the remainder of the deaths are unknown at the moment of this publication.","Rio de La Plata went out of its banks." +114909,689394,MISSISSIPPI,2017,April,Flash Flood,"YAZOO",2017-04-26 19:50:00,CST-6,2017-04-26 20:20:00,0,0,0,0,15.00K,15000,0.00K,0,32.85,-90.41,32.8493,-90.4042,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Flash flooding occurred on several streets in the city. One family was rescued from a car that tried to navigate under a low lying railroad trestle." +114909,689396,MISSISSIPPI,2017,April,Hail,"RANKIN",2017-04-26 20:58:00,CST-6,2017-04-26 21:10:00,0,0,0,0,10.00K,10000,0.00K,0,32.32,-90.08,32.4,-89.92,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A swath of hail occurred across north central Rankin County. The largest hail that occurred was 2 inches in diameter off of Holly Bush Road. Half dollar sized hail occurred in the Crossgates neighborhood. Quarter sized hail occurred at the Jackson National Weather Service office, in the Hidden Hills and Barnett Bend neighborhoods. Nickel sized hail occurred at the Brandon EOC and at Fire Station 1." +114909,689397,MISSISSIPPI,2017,April,Hail,"MADISON",2017-04-26 20:56:00,CST-6,2017-04-26 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.41,-90.15,32.42,-90.09,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","Quarter sized hail fell in Ridgeland and also near the Reservoir." +114523,687093,MISSISSIPPI,2017,April,Strong Wind,"LOWNDES",2017-04-05 16:00:00,CST-6,2017-04-05 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred ahead of a cold front that moved through the region. Some of these winds brought down trees and powerlines ahead of storms.","A tree was blown down in New Hope." +114584,691668,MISSISSIPPI,2017,April,Thunderstorm Wind,"NESHOBA",2017-04-22 15:50:00,CST-6,2017-04-22 15:50:00,0,0,0,0,5.00K,5000,0.00K,0,32.5927,-89.0642,32.5927,-89.0642,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","A tree was blown down and blocked the southbound lane of County Road 505. In addition, a powerline was blown down on County Road 509." +114909,689608,MISSISSIPPI,2017,April,Thunderstorm Wind,"LEAKE",2017-04-26 20:58:00,CST-6,2017-04-26 20:58:00,0,0,0,0,3.00K,3000,0.00K,0,32.79,-89.69,32.79,-89.69,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down across the Natchez Trace Parkway near milepost 143." +115032,691131,MISSISSIPPI,2017,April,Thunderstorm Wind,"ADAMS",2017-04-30 05:54:00,CST-6,2017-04-30 06:07:00,0,0,0,0,30.00K,30000,0.00K,0,31.5654,-91.3528,31.6213,-91.2239,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Numerous trees were blown down throughout the county." +115662,695014,PENNSYLVANIA,2017,June,Thunderstorm Wind,"NORTHAMPTON",2017-06-19 14:00:00,EST-5,2017-06-19 14:00:00,0,0,0,0,,NaN,,NaN,40.88,-75.19,40.88,-75.19,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several reports of trees and wires down throughout the county." +115662,695015,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-19 14:12:00,EST-5,2017-06-19 14:12:00,0,0,0,0,,NaN,,NaN,40.5,-75.7,40.5,-75.7,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Trees were napped and uprooted." +115662,695016,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEHIGH",2017-06-19 14:12:00,EST-5,2017-06-19 14:12:00,0,0,0,0,,NaN,,NaN,40.63,-75.67,40.63,-75.67,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree and building damage at the intersection of Route 100 and Lyon Valley Road." +115662,695017,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEHIGH",2017-06-19 14:14:00,EST-5,2017-06-19 14:14:00,0,0,0,0,,NaN,,NaN,40.63,-75.68,40.63,-75.68,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Wrecked patio furniture and metal flashing torn from a roof on carpet road." +115662,695018,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEHIGH",2017-06-19 14:17:00,EST-5,2017-06-19 14:17:00,0,0,0,0,,NaN,,NaN,40.61,-75.65,40.61,-75.65,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree and building damage at the intersection of Route 100 and Kearnsville road." +115662,695019,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CARBON",2017-06-19 14:18:00,EST-5,2017-06-19 14:18:00,0,0,0,0,,NaN,,NaN,40.85,-75.67,40.85,-75.67,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree down at Route 209 and Canal Street Intersection." +115662,695020,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEHIGH",2017-06-19 14:18:00,EST-5,2017-06-19 14:18:00,0,0,0,0,,NaN,,NaN,40.68,-75.62,40.68,-75.62,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Downed trees and wires were reported throughout the county." +115661,694990,NEW JERSEY,2017,June,Thunderstorm Wind,"WARREN",2017-06-19 14:55:00,EST-5,2017-06-19 14:55:00,0,0,0,0,,NaN,,NaN,40.71,-75.15,40.71,-75.15,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","A few trees were blown on to wires. Time estiamted from radar." +115661,694991,NEW JERSEY,2017,June,Thunderstorm Wind,"HUNTERDON",2017-06-19 15:15:00,EST-5,2017-06-19 15:15:00,0,0,0,0,,NaN,,NaN,40.48,-75.03,40.48,-75.03,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","A few trees were blown down by wind. Time estimated from radar." +115661,694996,NEW JERSEY,2017,June,Thunderstorm Wind,"GLOUCESTER",2017-06-19 16:20:00,EST-5,2017-06-19 16:20:00,0,0,0,0,,NaN,,NaN,39.72,-75.21,39.72,-75.21,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Downed trees and wires on Bridgeton Pike near 4H Fairgrounds." +115661,694997,NEW JERSEY,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-19 16:33:00,EST-5,2017-06-19 16:33:00,0,0,0,0,,NaN,,NaN,40.59,-74.47,40.59,-74.47,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Large branches down in the roadway on Front Street." +115661,695001,NEW JERSEY,2017,June,Thunderstorm Wind,"OCEAN",2017-06-19 16:56:00,EST-5,2017-06-19 16:56:00,0,0,0,0,,NaN,,NaN,40.06,-74.53,40.06,-74.53,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree across Roadway on Moorehouyse Road at Highbridge Road." +115661,695002,NEW JERSEY,2017,June,Thunderstorm Wind,"CAPE MAY",2017-06-19 17:53:00,EST-5,2017-06-19 17:53:00,0,0,0,0,,NaN,,NaN,38.94,-74.9,38.94,-74.9,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","" +115661,695003,NEW JERSEY,2017,June,Thunderstorm Wind,"CAPE MAY",2017-06-19 17:58:00,EST-5,2017-06-19 17:58:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-74.9,38.94,-74.9,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","" +115662,695007,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-19 13:30:00,EST-5,2017-06-19 13:30:00,0,0,0,0,,NaN,,NaN,40.49,-76.18,40.49,-76.18,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several trees blown down throughout the county." +115662,695012,PENNSYLVANIA,2017,June,Thunderstorm Wind,"NORTHAMPTON",2017-06-19 13:30:00,EST-5,2017-06-19 13:30:00,0,0,0,0,,NaN,,NaN,40.73,-75.39,40.73,-75.39,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several reports of trees and wires down throughout the county." +115662,695022,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CHESTER",2017-06-19 15:37:00,EST-5,2017-06-19 15:37:00,0,0,0,0,,NaN,,NaN,40.05,-75.43,40.05,-75.43,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Downed trees and poles." +115666,695030,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-21 15:56:00,EST-5,2017-06-21 15:56:00,0,0,0,0,,NaN,,NaN,39.96,-75.06,39.96,-75.06,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Large branch down. Time estimated from radar." +115666,695031,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 15:59:00,EST-5,2017-06-21 15:59:00,0,0,0,0,,NaN,,NaN,40.05,-74.95,40.05,-74.95,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Several trees down. Time estimated from radar." +113687,692042,LOUISIANA,2017,April,Tornado,"FRANKLIN",2017-04-02 15:30:00,CST-6,2017-04-02 15:36:00,0,0,0,0,50.00K,50000,0.00K,0,32.1264,-91.8837,32.1738,-91.8682,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado touched down just to the west in Caldwell Parish before crossing into western Franklin Parish. A tornadic debris signature (TDS) was noted from the KULM radar. The tornado was quite wide at this point, nearly 1200 yards or three-quarters of a mile. It crossed Highway 4, snapping numerous trees in the path and tearing tin off the roof of a home. The tornado continued north-northeast back into Caldwell Parish. Wooded area prevented further access to this region but damage was seen through the distance. The TDS was still noted from the KULM radar through this area. The tornado continued north-northeast, moving back into Richland Parish, crossing LR Hatton Road, before crossing into a wooded area and the Franklin-Richland Parish line. The tornado continued north-northeast over Maple Ridge Road, Sligo Road and Goldmine Road. Numerous large trees were snapped and uprooted all through this area. The tornado then crossed LA Highway 135, where a couple of trees were snapped, before lifting shortly after crossing the road. Maximum winds were 110 mph, and total path length was 13.23 miles." +115667,695058,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:14:00,EST-5,2017-06-21 15:14:00,0,0,0,0,,NaN,,NaN,40.16,-75.49,40.16,-75.49,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Several trees and wires were blown down." +115540,693720,NEW JERSEY,2017,June,Hail,"SUSSEX",2017-06-13 19:36:00,EST-5,2017-06-13 19:36:00,0,0,0,0,,NaN,,NaN,41.21,-74.45,41.21,-74.45,"A severe thunderstorm impacted Sussex County, NJ. This storm produced a 46 mph wind gust and nickel size hail. Lightning also downed a tree which landed on a house. Another tree was downed due to wind on highway 23.","Hail was measured and lasted for about five minutes." +115540,693721,NEW JERSEY,2017,June,Thunderstorm Wind,"SUSSEX",2017-06-13 19:50:00,EST-5,2017-06-13 19:50:00,0,0,0,0,,NaN,,NaN,41.16,-74.58,41.16,-74.58,"A severe thunderstorm impacted Sussex County, NJ. This storm produced a 46 mph wind gust and nickel size hail. Lightning also downed a tree which landed on a house. Another tree was downed due to wind on highway 23.","Tree downed on highway 23 due to wind at the highway 94 intersection." +115660,694972,MARYLAND,2017,June,Thunderstorm Wind,"CECIL",2017-06-19 15:11:00,EST-5,2017-06-19 15:11:00,0,0,0,0,,NaN,,NaN,39.66,-75.87,39.66,-75.87,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree down on intersection of leeds road and walnut grove road." +115660,694973,MARYLAND,2017,June,Thunderstorm Wind,"TALBOT",2017-06-19 15:40:00,EST-5,2017-06-19 15:40:00,0,0,0,0,,NaN,,NaN,38.79,-76.23,38.79,-76.23,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","A few trees were blown down. Time estimated from radar." +115660,694974,MARYLAND,2017,June,Thunderstorm Wind,"CAROLINE",2017-06-19 16:20:00,EST-5,2017-06-19 16:20:00,0,0,0,0,,NaN,,NaN,38.78,-75.88,38.78,-75.88,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several trees and wires were blown down. Time estimated from radar." +115666,695033,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:02:00,EST-5,2017-06-21 16:02:00,0,0,0,0,,NaN,,NaN,39.93,-74.89,39.93,-74.89,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Trees down on Mount Laurel RD. Time estimated from radar." +115666,695036,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:08:00,EST-5,2017-06-21 16:08:00,0,0,0,0,,NaN,,NaN,40.01,-74.82,40.01,-74.82,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Several trees down. Time estimated from radar." +115666,695037,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:09:00,EST-5,2017-06-21 16:09:00,0,0,0,0,,NaN,,NaN,40,-74.75,40,-74.75,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Several trees down. Time estimated from radar." +115666,695039,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:12:00,EST-5,2017-06-21 16:12:00,0,0,0,0,,NaN,,NaN,39.91,-74.73,39.91,-74.73,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Large tree down. Blocked Isacc Budd RD. Time estimated from radar." +115666,695040,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:15:00,EST-5,2017-06-21 16:15:00,0,0,0,0,,NaN,,NaN,40,-74.75,40,-74.75,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Large tree limbs down and fence damage." +115666,695041,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:20:00,EST-5,2017-06-21 16:20:00,0,0,0,0,,NaN,,NaN,40.08,-74.59,40.08,-74.59,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Top half blown off large magnolia tree. Time estimated from radar." +115660,694976,MARYLAND,2017,June,Thunderstorm Wind,"CAROLINE",2017-06-19 17:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,,NaN,,NaN,38.69,-75.77,38.69,-75.77,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several trees and wires were blown down. Time estimated from radar." +115661,694989,NEW JERSEY,2017,June,Lightning,"OCEAN",2017-06-19 17:45:00,EST-5,2017-06-19 17:45:00,0,0,0,0,1.00K,1000,,NaN,39.7,-74.25,39.7,-74.25,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Utility pole struck by lightning on N Main St." +115661,694992,NEW JERSEY,2017,June,Thunderstorm Wind,"GLOUCESTER",2017-06-19 15:47:00,EST-5,2017-06-19 15:47:00,0,0,0,0,,NaN,,NaN,39.79,-75.36,39.79,-75.36,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several trees were blown down." +115661,694993,NEW JERSEY,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-19 16:01:00,EST-5,2017-06-19 16:01:00,0,0,0,0,,NaN,,NaN,40.52,-74.41,40.52,-74.41,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree blown down onto a car with power lines down." +115666,695034,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:05:00,EST-5,2017-06-21 16:05:00,0,0,0,0,,NaN,,NaN,40.01,-74.95,40.01,-74.95,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Several large trees down. Time estimated by radar." +115666,695035,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:07:00,EST-5,2017-06-21 16:07:00,0,0,0,0,,NaN,,NaN,40.15,-74.71,40.15,-74.71,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Several trees down, including one on a tracker trailer. Time estimated from radar." +112761,673542,TEXAS,2017,January,Drought,"HUNT",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions continued across the northeast counties of North Texas. By mid-January, conditions reached extreme drought across two counties before beneficial rain moved in late January and brought a reprieve from the extreme drought.","D2/Severe drought conditions were in place across the northern half of Hunt County for all of January 2017." +122224,731651,PUERTO RICO,2017,September,Lightning,"JUANA DIAZ",2017-09-05 13:00:00,AST-4,2017-09-05 13:00:00,0,0,1,0,0.00K,0,0.00K,0,17.9779,-66.548,17.9749,-66.5308,"Flash flood watch in effect due to the proximity of Hurricane Irma. Showers, thunderstorms, very strong winds were expected.","A 63-yr old fisherman died by a lightning strike. The man anchored his boat on the beach in Barrio Capitanejo at Juana Diaz, when a lightning struck on the water." +119542,726661,IOWA,2017,August,Tornado,"STORY",2017-08-21 16:58:00,CST-6,2017-08-21 16:59:00,0,0,0,0,0.00K,0,3.00K,3000,41.9496,-93.5614,41.9378,-93.5475,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Tornado captured by hi-resolution satellite imagery to the southeast of Ames. Started just southeast of the water treatment plant and moved quickly through open farm fields with a distinctive path noted in both bean and corn fields. Little damage noted other than to the crops." +111748,673551,TEXAS,2017,January,Thunderstorm Wind,"CORYELL",2017-01-15 17:36:00,CST-6,2017-01-15 17:37:00,0,0,0,0,3.00K,3000,0.00K,0,31.4815,-97.7687,31.4937,-97.7328,"Tornadoes occurred. Read the title.","Homes in the Coryell City area were damaged due to thunderstorm winds." +111748,666463,TEXAS,2017,January,Tornado,"BOSQUE",2017-01-15 18:00:00,CST-6,2017-01-15 18:05:00,0,0,0,0,200.00K,200000,0.00K,0,31.6,-97.62,31.66,-97.58,"Tornadoes occurred. Read the title.","A National Weather Service storm survey crew found evidence of damage consistent with EF-2 winds in Coryell County. Two homes were damaged to the point where most of their roof was removed. Several barns were destroyed as well, as were multiple pieces of farm and ranch equipment. This tornado then moved into far southern Bosque County before dissipating." +111748,666467,TEXAS,2017,January,Tornado,"TARRANT",2017-01-15 20:13:00,CST-6,2017-01-15 20:14:00,0,0,0,0,75.00K,75000,0.00K,0,32.55,-97.1,32.56,-97.1,"Tornadoes occurred. Read the title.","A National Weather Service damage survey crew found evidence of a small tornado near the Johnson/Tarrant County line. The tornado began near Lone Star Road and US 287 in the far southern portion of the City of Mansfield. The tornado did minor damage to four businesses, damaging overhead doors on metal buildings. One manufactured home suffered roof damage in Johnson County, while one barn was destroyed as the tornado moved into far southern Tarrant County." +119542,726659,IOWA,2017,August,Tornado,"BOONE",2017-08-21 16:52:00,CST-6,2017-08-21 16:54:00,0,0,0,0,5.00K,5000,5.00K,5000,41.949,-93.7256,41.9304,-93.6981,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","This tornado was found in hi-resolution satellite imagery and crossed mostly open farm fields. The tornado did damage trees across the corner of one farmstead but otherwise did little other damage. This tornado continued into Story county." +119542,726660,IOWA,2017,August,Tornado,"STORY",2017-08-21 16:54:00,CST-6,2017-08-21 16:55:00,0,0,0,0,0.00K,0,4.00K,4000,41.9304,-93.6981,41.9223,-93.6739,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Tornado found in hi-resolution satellite imagery. This tornado entered from Boone county and stayed in open row crops, mainly corn where the path was very visible in the imagery." +119542,717362,IOWA,2017,August,Heavy Rain,"AUDUBON",2017-08-20 22:30:00,CST-6,2017-08-21 08:13:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-94.92,41.72,-94.92,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Local fire department reported heavy rainfall of 5.30 inches." +119542,717363,IOWA,2017,August,Heavy Rain,"POLK",2017-08-20 23:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-93.79,41.72,-93.79,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","KCCI relayed a viewer report of heavy rainfall of 3.60 inches since midnight." +119542,717364,IOWA,2017,August,Thunderstorm Wind,"POWESHIEK",2017-08-21 18:05:00,CST-6,2017-08-21 18:05:00,0,0,0,0,0.00K,0,0.00K,0,41.6959,-92.4452,41.6959,-92.4452,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Emergency manager reported estimated 60 to 65 mph winds at Brooklyn exit on I-80." +127724,766038,IOWA,2017,October,Drought,"LUCAS",2017-10-01 00:00:00,CST-6,2017-10-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of Lucas county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766039,IOWA,2017,October,Drought,"MONROE",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe drought conditions persisted across far northern Lucas county in early October but generous rainfall ended the dry conditions by mid-month." +115430,696078,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 08:10:00,CST-6,2017-06-11 08:10:00,0,0,0,0,0.00K,0,0.00K,0,45.03,-92.79,45.03,-92.79,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117229,705011,ARKANSAS,2017,June,Flood,"WOODRUFF",2017-06-01 00:00:00,CST-6,2017-06-07 13:20:00,0,0,0,0,0.00K,0,0.00K,0,35.2749,-91.2428,35.2592,-91.2471,"Heavy rain at the end of April and early May led to flooding that continued into June.","Flooding continued into June on the Cache River at Patterson." +117229,705012,ARKANSAS,2017,June,Flood,"WOODRUFF",2017-06-01 00:00:00,CST-6,2017-06-21 01:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2916,-91.4169,35.2317,-91.4172,"Heavy rain at the end of April and early May led to flooding that continued into June.","Heavy rain continued into June on the White River at Augusta." +117229,705013,ARKANSAS,2017,June,Flood,"SEARCY",2017-06-01 00:00:00,CST-6,2017-06-14 02:30:00,0,0,0,0,0.00K,0,0.00K,0,35.1435,-91.4705,35.1104,-91.4718,"Heavy rain at the end of April and early May led to flooding that continued into June.","Heavy rain continued into June on the White River at Georgetown." +112516,672792,MARYLAND,2017,January,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was reported in Eckhart Mines." +112516,672793,MARYLAND,2017,January,Winter Weather,"CENTRAL AND EASTERN ALLEGANY",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112516,672794,MARYLAND,2017,January,Winter Weather,"WASHINGTON",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112516,672795,MARYLAND,2017,January,Winter Weather,"FREDERICK",2017-01-10 19:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112516,672796,MARYLAND,2017,January,Winter Weather,"CARROLL",2017-01-10 19:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112516,672797,MARYLAND,2017,January,Winter Weather,"NORTHERN BALTIMORE",2017-01-10 19:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672802,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN MINERAL",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672803,WEST VIRGINIA,2017,January,Winter Weather,"HAMPSHIRE",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112516,672798,MARYLAND,2017,January,Winter Weather,"NORTHWEST HARFORD",2017-01-10 19:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +117229,705014,ARKANSAS,2017,June,Flood,"PRAIRIE",2017-06-01 00:00:00,CST-6,2017-06-14 23:20:00,0,0,0,0,0.00K,0,0.00K,0,34.9915,-91.5065,34.9544,-91.5003,"Heavy rain at the end of April and early May led to flooding that continued into June.","Heavy rain continued into June on the White River at Des Arc." +117229,705015,ARKANSAS,2017,June,Flood,"MONROE",2017-06-01 00:00:00,CST-6,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.7016,-91.3287,34.6674,-91.3321,"Heavy rain at the end of April and early May led to flooding that continued into June.","Heavy rain continued into June on the White River at Clarendon." +117689,707711,ARKANSAS,2017,June,Hail,"BAXTER",2017-06-30 06:46:00,CST-6,2017-06-30 06:46:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-92.25,36.22,-92.25,"There was one more front to contend with on the 30th. Early in the day, the front sparked storms across the northern counties that produced penny to nickel size hail not far from Norfork (Baxter County). Near Rea Valley (Marion County), gusty winds damaged the roofs of a few barns and a home.||Later in the day, another round of storms blossomed in Oklahoma and moved into Arkansas by evening. While there were a few Severe Thunderstorms Warning issued, this was mainly a heavy rain episode. ||In the forty eight hour period ending at 700 am CDT on July 1st, rainfall averaged one to more than two inches in much of the north and west. Fort Smith (Sebastian County) got 2.80 inches, with 2.39 inches at Coal Hill (Johnson County), 2.09 inches at Subiaco (Logan County), and 1.70 inches at Fayetteville (Washington County).","" +112317,669998,NEW JERSEY,2017,February,High Wind,"WARREN",2017-02-13 07:00:00,EST-5,2017-02-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","A tree came down onto wires on Mount Hermon Road in Blairstown." +112518,672799,WEST VIRGINIA,2017,January,Winter Weather,"BERKELEY",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was reported at Bunker Hill." +112518,672801,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN GRANT",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672804,WEST VIRGINIA,2017,January,Winter Weather,"HARDY",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672805,WEST VIRGINIA,2017,January,Winter Weather,"JEFFERSON",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672806,WEST VIRGINIA,2017,January,Winter Weather,"MORGAN",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672807,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112518,672808,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN MINERAL",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672824,VIRGINIA,2017,January,Winter Weather,"ROCKINGHAM",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A light glaze of ice was on windshields in Harrisonburg." +112511,670972,WEST VIRGINIA,2017,January,Winter Weather,"BERKELEY",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be between one and two inches across the county. Snowfall totaled up to 1.0 inch near Martinsburg." +112511,670973,WEST VIRGINIA,2017,January,Winter Weather,"JEFFERSON",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be between one and two inches across the county." +112511,670975,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-05 12:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 7.4 inches at Bayard." +112511,670976,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN PENDLETON",2017-01-05 12:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 4.0 inches in Circleville." +112511,670977,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN MINERAL",2017-01-05 12:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be between three and six inches based on observations nearby." +112512,670978,VIRGINIA,2017,January,Winter Weather,"NELSON",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 3.2 inches near Nellysford." +112512,670979,VIRGINIA,2017,January,Winter Weather,"ALBEMARLE",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 2.0 inches near Boyd Tavern and 1.8 inches near Earlysville." +112318,669994,PENNSYLVANIA,2017,February,High Wind,"EASTERN MONTGOMERY",2017-02-13 06:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Tree downed that closed Green Valley road in Lower Merion Twp." +112512,670980,VIRGINIA,2017,January,Winter Weather,"ORANGE",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 2.5 inches in Thornhill." +112512,670981,VIRGINIA,2017,January,Winter Weather,"STAFFORD",2017-01-07 01:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 to 3 inches based on observations nearby." +112512,670982,VIRGINIA,2017,January,Winter Weather,"SPOTSYLVANIA",2017-01-07 01:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 to 3 inches based on observations nearby." +112512,670983,VIRGINIA,2017,January,Winter Weather,"KING GEORGE",2017-01-07 01:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 to 3 inches based on observations nearby." +112512,670984,VIRGINIA,2017,January,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 2 to 4 inches based on observations nearby." +112512,670986,VIRGINIA,2017,January,Winter Weather,"AUGUSTA",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snow totaled up to 3.5 inches in Fishersville and 1.5 inches near Weyers Cave." +112512,670987,VIRGINIA,2017,January,Winter Weather,"MADISON",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 and 3 inches based on observations nearby." +112512,670988,VIRGINIA,2017,January,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 and 3 inches based on observations nearby." +112501,670755,WEST VIRGINIA,2017,January,Flood,"BERKELEY",2017-01-24 08:06:00,EST-5,2017-01-24 09:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5125,-78.0445,39.5123,-78.0412,"Low pressure moved across eastern NC to the Delmarva pennisula and easterly flow allowed moisture to advect into the Mid-Atlantic Region. Moderate to heavy rainfall occurred across the Upper Potomac Basin and led to isolated areas of river flooding.","The river gauge in Jones Spring on Back Creek reached their flood stage of 11 feet. The river crested at 11.06 feet at 9:30 EST. Dry Run Road begins to flood. Water approaches Daisy Lane." +112501,670756,WEST VIRGINIA,2017,January,Flood,"BERKELEY",2017-01-24 04:52:00,EST-5,2017-01-24 13:35:00,0,0,0,0,0.00K,0,0.00K,0,39.4164,-77.948,39.4249,-77.9389,"Low pressure moved across eastern NC to the Delmarva pennisula and easterly flow allowed moisture to advect into the Mid-Atlantic Region. Moderate to heavy rainfall occurred across the Upper Potomac Basin and led to isolated areas of river flooding.","The river gauge at Martinsburg at Opequon Creek reached their flood stage of 10 feet. The river crested at 10.70 feet at 10:00 EST. Floodwaters began to cover Douglas Grove Road east of Martinsburg. A portion of Bowers Road is also flooded. Low lying areas near the creek begin to flood. Water also began to cover the stream access point at Stone Bridge." +112509,670957,MARYLAND,2017,January,Winter Weather,"FREDERICK",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snow totaled up to 2.0 inches near New market and 3.0 inches near Myersville." +112509,670958,MARYLAND,2017,January,Winter Weather,"CARROLL",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 3.0 inches near Manchester and 2.5 inches near Westminster." +112509,670959,MARYLAND,2017,January,Winter Weather,"NORTHERN BALTIMORE",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 1.3 inches near Reisterstown." +112509,670960,MARYLAND,2017,January,Winter Weather,"SOUTHERN BALTIMORE",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be around one inch based on observations nearby." +112509,670961,MARYLAND,2017,January,Winter Weather,"NORTHWEST HOWARD",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to one inch near Sykesville." +112512,670989,VIRGINIA,2017,January,Winter Weather,"CULPEPER",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 and 2 inches based on observations nearby." +112512,670990,VIRGINIA,2017,January,Winter Weather,"PRINCE WILLIAM",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 1.9 inches at Independent Hill." +112512,670991,VIRGINIA,2017,January,Winter Weather,"FAIRFAX",2017-01-07 03:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 2.0 inches near Lake Barcroft and 1.5 inches near Fairfax." +112512,670992,VIRGINIA,2017,January,Winter Weather,"ARLINGTON",2017-01-07 03:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 1.5 inches near Baileys Crossroad." +112512,670993,VIRGINIA,2017,January,Winter Weather,"SOUTHERN FAUQUIER",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be around 1 to 2 inches based on observations nearby." +112513,670994,MARYLAND,2017,January,Winter Weather,"CHARLES",2017-01-07 03:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 2.3 inches near Dentsville and La Plata." +112513,670995,MARYLAND,2017,January,Winter Storm,"ST. MARY'S",2017-01-07 03:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 7.0 inches at St Inigoes and near Scottland. Snowfall averaged between 4 and 7 inches across the county." +112513,670996,MARYLAND,2017,January,Winter Storm,"CALVERT",2017-01-07 03:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall totaled up to 5.0 inches near Dowell. Snowfall averaged between 3 and 6 inches across the county." +112517,672825,VIRGINIA,2017,January,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672826,VIRGINIA,2017,January,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672827,VIRGINIA,2017,January,Winter Weather,"PAGE",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672828,VIRGINIA,2017,January,Winter Weather,"SHENANDOAH",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672829,VIRGINIA,2017,January,Winter Weather,"WARREN",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112509,670962,MARYLAND,2017,January,Winter Weather,"NORTHWEST HARFORD",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 2.0 inches near Norrisville and 1.5 inches near Fallston." +112509,670963,MARYLAND,2017,January,Winter Weather,"SOUTHEAST HARFORD",2017-01-05 17:00:00,EST-5,2017-01-06 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be around one inch based on observations nearby." +112510,670964,VIRGINIA,2017,January,Winter Weather,"WESTERN HIGHLAND",2017-01-05 12:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall around three inches was estimated based on observations nearby." +112510,670967,VIRGINIA,2017,January,Winter Weather,"FREDERICK",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 2.0 inches near Nineveh." +112510,670968,VIRGINIA,2017,January,Winter Weather,"CLARKE",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 2.1 inches near Berryville." +112510,670969,VIRGINIA,2017,January,Winter Weather,"WESTERN LOUDOUN",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 1.5 inches near Purcellville and 1.4 inches at Mount Weather." +112511,670970,WEST VIRGINIA,2017,January,Winter Weather,"HAMPSHIRE",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 2.2 inches near Romney." +112511,670971,WEST VIRGINIA,2017,January,Winter Weather,"MORGAN",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be around two inches based on observations nearby." +112517,672834,VIRGINIA,2017,January,Winter Weather,"CLARKE",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112517,672835,VIRGINIA,2017,January,Winter Weather,"FREDERICK",2017-01-10 19:00:00,EST-5,2017-01-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked through the Great Lakes, bringing some rain to the area. However, there was enough low-level cold air for a brief period of light freezing rain.","A trace of ice was estimated based on observations nearby." +112696,673467,VIRGINIA,2017,January,Winter Weather,"ROCKINGHAM",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673469,VIRGINIA,2017,January,Winter Weather,"WESTERN HIGHLAND",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673470,VIRGINIA,2017,January,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112318,669963,PENNSYLVANIA,2017,February,High Wind,"PHILADELPHIA",2017-02-13 13:30:00,EST-5,2017-02-13 13:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Tree fell onto Cresheim Road." +115208,691768,OHIO,2017,April,Winter Storm,"CUYAHOGA",2017-04-06 20:00:00,EST-5,2017-04-07 09:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of deep low pressure moved up the East Coast on April 6th and 7th. Precipitation associated with this storm spread west across the Upper Ohio Valley. Rain developed on the 6th and changed to snow after sunset. The snow then continued overnight before finally ending by mid morning on the 7th as the low moved over the New England states. The snow was enhanced by Lake Erie with periods of moderate to heavy snow reported along the central lake shore counties. Snowfall rates were greater than inch per hour during the early morning hours of the 7th. The Cleveland Metro area saw some of the heaviest snow with more than 6 inches of snow over much of Medina and Cuyahoga Counties. Some of the higher totals in Cuyahoga County included 10.1 inches at North Royalton; 10.0 inches at Broadview Heights; 7.5 inches at Parma and 6.0 inches in Shaker Heights. In Medina County the highest totals was 7.0 inches northeast of Medina with 6.8 inches at Brunswick and 6.2 inches at Hinckley. Northwest winds gusts to more than 30 mph during this event causing a lot of blowing and drifting. Many accidents were reported and some schools were delayed or cancelled on the 7th.","An area of deep low pressure moved up the East Coast on April 6th and 7th. Precipitation associated with this storm spread west across the Upper Ohio Valley. Rain developed on the 6th and changed to snow after sunset. The snow then continued overnight before finally ending by mid morning on the 7th as the low moved over the New England states. The snow was enhanced by Lake Erie with periods of moderate to heavy snow reported along the central lake shore counties. Snowfall rates were greater than inch per hour during the early morning hours of the 7th. The Cleveland Metro area saw some of the heaviest snow with more than 6 inches of snow over much of Medina and Cuyahoga Counties. Some of the higher totals in Cuyahoga County included 10.1 inches at North Royalton; 10.0 inches at Broadview Heights; 7.5 inches at Parma and 6.0 inches in Shaker Heights. Northwest winds gusts to more than 30 mph during this event causing a lot of blowing and drifting. Many accidents were reported and some schools were delayed or cancelled on the 7th." +112318,669962,PENNSYLVANIA,2017,February,High Wind,"WESTERN CHESTER",2017-02-13 13:30:00,EST-5,2017-02-13 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","A 100 foot tree fell onto a car." +113853,681799,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 17:54:00,CST-6,2017-02-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,39.0343,-94.3055,39.0343,-94.3055,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report came from I-70 and Woods Chapel Road in Blue Springs." +112696,673476,VIRGINIA,2017,January,Winter Weather,"PAGE",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673477,VIRGINIA,2017,January,Winter Weather,"WARREN",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673478,VIRGINIA,2017,January,Winter Weather,"CLARKE",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673481,VIRGINIA,2017,January,Winter Weather,"WESTERN LOUDOUN",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673483,MARYLAND,2017,January,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-01-13 22:00:00,EST-5,2017-01-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","Ice totaled up to twelve hundredths of an inch at Eckhart Mines." +112697,673484,MARYLAND,2017,January,Winter Weather,"WASHINGTON",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","Ice totaled up to ten hundredths of an inch at Boonesboro." +112697,673492,MARYLAND,2017,January,Winter Weather,"NORTHERN BALTIMORE",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673493,MARYLAND,2017,January,Winter Weather,"NORTHWEST HOWARD",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673471,VIRGINIA,2017,January,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673472,VIRGINIA,2017,January,Winter Weather,"AUGUSTA",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673473,VIRGINIA,2017,January,Winter Weather,"EASTERN HIGHLAND",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673474,VIRGINIA,2017,January,Winter Weather,"SHENANDOAH",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112696,673475,VIRGINIA,2017,January,Winter Weather,"FREDERICK",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673485,MARYLAND,2017,January,Winter Weather,"SOUTHERN BALTIMORE",2017-01-14 20:00:00,EST-5,2017-01-15 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","Ice totaled up to four-hundredths of an inch in Pimlico." +112697,673486,MARYLAND,2017,January,Winter Weather,"CENTRAL AND SOUTHEAST HOWARD",2017-01-14 20:00:00,EST-5,2017-01-15 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","Ice totaled up to five-hundredths of an inch near Elkridge." +112697,673488,MARYLAND,2017,January,Winter Weather,"ANNE ARUNDEL",2017-01-14 20:00:00,EST-5,2017-01-15 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was reported on trees near BWI Airport." +112697,673489,MARYLAND,2017,January,Winter Weather,"SOUTHEAST HARFORD",2017-01-14 20:00:00,EST-5,2017-01-15 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673490,MARYLAND,2017,January,Winter Weather,"CENTRAL AND EASTERN ALLEGANY",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673491,MARYLAND,2017,January,Winter Weather,"CARROLL",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673500,WEST VIRGINIA,2017,January,Winter Weather,"HARDY",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A hundredth of an inch of ice was reported near Wardensville." +112698,673502,WEST VIRGINIA,2017,January,Winter Weather,"BERKELEY",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A trace of ice was reported at Bunker Hill." +112697,673494,MARYLAND,2017,January,Winter Weather,"NORTHWEST HARFORD",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673495,MARYLAND,2017,January,Winter Weather,"WASHINGTON",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673497,MARYLAND,2017,January,Winter Weather,"FREDERICK",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112697,673498,MARYLAND,2017,January,Winter Weather,"NORTHWEST MONTGOMERY",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673499,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN MINERAL",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","Ice totaled up to five-hundredths of an inch near Burlington." +121068,724771,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-10-22 09:06:00,CST-6,2017-10-22 09:06:00,0,0,0,0,0.00K,0,0.00K,0,29.5408,-92.307,29.5408,-92.307,"A pre-frontal trough moved across the coastal waters with numerous thunderstorms along and ahead of the boundary. High wind gusts were recorded at multiple locations.","Freshwater Locks recorded a sustained wind of 35 MPH with a gust of 57 MPH." +121067,724759,LOUISIANA,2017,October,Flash Flood,"IBERIA",2017-10-22 04:00:00,CST-6,2017-10-22 05:00:00,0,0,0,0,100.00K,100000,0.00K,0,29.885,-91.6754,29.9991,-91.8979,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","Heavy rain flooded many streets in Iberia Parish. In Jeanerette 12 apartments were reported to have 4 inches of water in one complex." +112698,673506,WEST VIRGINIA,2017,January,Winter Weather,"MORGAN",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673507,WEST VIRGINIA,2017,January,Winter Weather,"JEFFERSON",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673508,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673509,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN PENDLETON",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673510,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN PENDLETON",2017-01-14 00:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112748,673511,MARYLAND,2017,January,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain to change to snow before precipitation ended.","Snowfall totaled up to 3.0 inches in Frostburg and 4.0 inches just northwest of Frostburg near the county line." +111572,668645,MONTANA,2017,January,Cold/Wind Chill,"RICHLAND",2017-01-11 04:14:00,MST-7,2017-01-11 08:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass from the north brought the coldest temperatures of the season to northeast Montana and combined with breezy and gusty winds to create wind chill values colder than 40 below zero to many locations.","Wind chills of at least -40 were recorded through the early morning hours at the Sioux Pass MT-16 DOT site." +112057,668647,MONTANA,2017,January,High Wind,"SHERIDAN",2017-01-30 03:05:00,MST-7,2017-01-30 05:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper-level jet streak over the area combined with an approaching cold front to allow gusty high winds to mix down to the surface for a few locations across northeast Montana.","Sustained winds near and above 40 mph were recorded at the Comertown Turn-Off MT-5 DOT site during the early morning hours. Times are estimated." +112057,668648,MONTANA,2017,January,High Wind,"LITTLE ROCKY MOUNTAINS",2017-01-29 20:00:00,MST-7,2017-01-30 03:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper-level jet streak over the area combined with an approaching cold front to allow gusty high winds to mix down to the surface for a few locations across northeast Montana.","Sustained winds of at least 40 mph were common through the late evening of the 29th through the overnight hours. A peak wind gust of 63 mph was recorded at 10:23 PM on the 29th at the Malta South US-191 DOT site." +111565,665616,KENTUCKY,2017,January,Strong Wind,"LETCHER",2017-01-10 20:15:00,EST-5,2017-01-10 20:15:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed ahead of a frontal boundary and strong area of low pressure. Wind gusts of up to 40 to 50 mph were experienced in the Bluegrass region and higher terrain of far eastern Kentucky. Isolated damage occurred in Letcher County near Mayking as a strong gust flipped a carport.","A local media outlet reported a carport was flipped over by a strong wind gust near Mayking." +112749,673512,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN MINERAL",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain to change to snow before precipitation ended.","Snowfall totaled up to 4.0 inches near Hartminsville." +112749,673513,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN PENDLETON",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain to change to snow before precipitation ended.","Snowfall totaled up to 4.0 inches near Cherry Grove." +112698,673503,WEST VIRGINIA,2017,January,Winter Weather,"HAMPSHIRE",2017-01-14 02:00:00,EST-5,2017-01-14 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112698,673504,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN GRANT",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +111748,666466,TEXAS,2017,January,Tornado,"JOHNSON",2017-01-15 20:11:00,CST-6,2017-01-15 20:13:00,0,0,0,0,75.00K,75000,0.00K,0,32.52,-97.12,32.55,-97.1,"Tornadoes occurred. Read the title.","A National Weather Service damage survey crew found evidence of a small tornado near the Johnson/Tarrant County line. The tornado began near Lone Star Road and US 287 in the far southern portion of the City of Mansfield. The tornado did minor damage to four businesses, damaging overhead doors on metal buildings. One manufactured home suffered roof damage in Johnson County, while one barn was destroyed as the tornado moved into far southern Tarrant County." +112222,669169,KANSAS,2017,January,Winter Weather,"SMITH",2017-01-04 21:00:00,CST-6,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited 3 to 5 inches of snow over much of north central Kansas on this Wednesday and Thursday. The snow fell between 9 pm CST Wednesday and 9 am Thursday. The band ebbed and waned at various locations and times. The highest reflectivity (20 dBZ or more) was extremely narrow, at times only 10 miles wide. The highest amount reported was 5 inches in northwest Rooks County.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 3-5 of snow was reported across the area." +113009,675495,VIRGINIA,2017,January,Winter Weather,"FAIRFAX",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 1.5 inches near Baileys Crossroad and 1.3 inches at Falls Church." +113009,675496,VIRGINIA,2017,January,Winter Weather,"ARLINGTON",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 1.5 inches near Baileys Crossroad and 1.1 inches near Barcroft." +112222,669167,KANSAS,2017,January,Winter Weather,"ROOKS",2017-01-04 21:00:00,CST-6,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited 3 to 5 inches of snow over much of north central Kansas on this Wednesday and Thursday. The snow fell between 9 pm CST Wednesday and 9 am Thursday. The band ebbed and waned at various locations and times. The highest reflectivity (20 dBZ or more) was extremely narrow, at times only 10 miles wide. The highest amount reported was 5 inches in northwest Rooks County.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 3-5 of snow was reported across the area." +120797,723424,OHIO,2017,November,Flood,"SANDUSKY",2017-11-18 19:30:00,EST-5,2017-11-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-83.38,41.3772,-82.8809,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Radar estimated around two to over three inches of rain fell over portions of Sandusky and Seneca Counties on the afternoon of November 18. 911 centers reported widespread flooding in the counties with dozens of road closures in each county. Over 48 hours after the initial overland flooding mentioned here, the Portage and Sandusky Rivers flooded. The Portage River reached moderate flood stage and the Sandusky River reached minor flood stage. This lead to continued road closures for known spots along the rivers. No properties were inundated. ||In Seneca County as of 7:30 p.m., there were reports of at least 19 roads that were flooded. These roads included US 224 east of SR 67; CR 50 near the 2000 block; SR 4 near SR 162; CR 48 near SR 18 at the viaduct; the 4000, 5000 and 7000 blocks of South SR 53; SR 231 North of CR 6; CR 37 between CR 38 and CR 15; CR 58 between SR 19 and SR 4; and the westbound lane of US 224 in the 11000 block east of Attica. There also was flooding or closures at CR 43 and CR 38; CR 48 and TR 123; SR 635 south of CR 592; TR 15 between SR 18 and CR 50; Lelar Street in Clinton Township; the 7000 block of East SR 18; Euclid Avenue between Sandusky Street and Hopewell Avenue; and CR 592 west of SR 635, she said. The spokeswoman said three-fourths of a mile north of Izakk Walton League CR 33 had gravel wash out on the shoulder and SR 101 near Clinton Township Volunteer Fire Department was flooded. ||In Sandusky County as of 830 pm the roads flooded included:|County Road 128 between Turnpike and Cr 127 (signs posted)|County Road 183 approximately �� mile east of State Rte 101|County Road 223 between 242 and 232 also between 260 and 268(2 Places)|County Road 223 between Woodland Ave. and State Rte 510|COUNTY ROAD 201 AND BUCHANAN (signs posted)|CR 117 (FINDLEY RD) AND CR 48 WOODVILLE|CR 164 between CR 215 and OTTAWA CO LINE (SIGNS POSTED) CLOSED|STATE RTE 412 AND STATE RTE 101|COUNTY ROAD 260 BETWEEN 183 AND 177 ALSO BETWEEN 183 AND 175|Finefrock Rd. Near CR 213 (signs will be posted)|CR 229 @ CR 214 (signs posted)|Oakwood Near River St.|FINEFROCK BEFORE STATE RTE 19 (AT THE DIP)|CR 205 BETWEEN 308 AND NORTHWEST ROAD|CR 288 BETWEEN 101 AND 175|CR 205 BETWEEN CR 302 AND CR 308|CR 13 BETWEEN 635 AND CR 58|CR 168 BETWEEN 173 AND COUNTY LINE|Co. Rd 13 between St. Rte. 635 and Co. Rd. 58|CR 90 between CR 55 and CR 59|CR 59 and CR 65|CR 65 TO STATE RTE 590 to CR 74|CR 250 BETWEEN CR 247 AND STATE RTE 6|Christy Rd. CLOSED between St. Rte. 19 and Commerce Drive." +121068,724773,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-10-22 10:18:00,CST-6,2017-10-22 10:18:00,0,0,0,0,0.00K,0,0.00K,0,29.45,-91.34,29.45,-91.34,"A pre-frontal trough moved across the coastal waters with numerous thunderstorms along and ahead of the boundary. High wind gusts were recorded at multiple locations.","The tide gauge at Amerada Pass recorded a sustained wind of 39 MPH wind a gust of 53 MPH." +121068,724774,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-10-22 10:30:00,CST-6,2017-10-22 10:30:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-91.38,29.37,-91.38,"A pre-frontal trough moved across the coastal waters with numerous thunderstorms along and ahead of the boundary. High wind gusts were recorded at multiple locations.","A platform in the Eugene Island Block recorded a sustained wind of 48 MPH and a gust of 59 MPH." +121068,724775,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-10-22 11:55:00,CST-6,2017-10-22 11:55:00,0,0,0,0,0.00K,0,0.00K,0,28.68,-91.53,28.68,-91.53,"A pre-frontal trough moved across the coastal waters with numerous thunderstorms along and ahead of the boundary. High wind gusts were recorded at multiple locations.","A wind gust of 69 MPH with a sustained wind of 51 MPH was recorded at KEIR." +120699,722960,CALIFORNIA,2017,October,High Wind,"DEL NORTE INTERIOR",2017-10-03 04:57:00,PST-8,2017-10-03 04:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong high pressure centered near the front range of the northern Rockies combined with low pressure positioned over the Sacramento Valley aided in a high wind event over the ridgetops of northwest California.","" +112222,669168,KANSAS,2017,January,Winter Weather,"OSBORNE",2017-01-04 21:00:00,CST-6,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited 3 to 5 inches of snow over much of north central Kansas on this Wednesday and Thursday. The snow fell between 9 pm CST Wednesday and 9 am Thursday. The band ebbed and waned at various locations and times. The highest reflectivity (20 dBZ or more) was extremely narrow, at times only 10 miles wide. The highest amount reported was 5 inches in northwest Rooks County.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 3-5 of snow was reported across the area." +113009,675504,VIRGINIA,2017,January,Winter Weather,"ORANGE",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 2.8 inches in Flat Run and 1.0 inches near Orange." +113009,675505,VIRGINIA,2017,January,Winter Weather,"CULPEPER",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 1.0 inches near Reva." +113009,675506,VIRGINIA,2017,January,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall was estimated to be between one and three inches based on observations nearby." +115497,693517,MARYLAND,2017,January,Coastal Flood,"ST. MARY'S",2017-01-23 21:35:00,EST-5,2017-01-23 23:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to elevated water levels on the Maryland Chesapeake Bay and the Tidal Potomac River.","Water covered roads on St. Georges Island. Water was also approaching structures. Inundation was also occurring at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek. This was based on the gauge reading at Straits Point." +115165,691390,ARKANSAS,2017,April,Thunderstorm Wind,"BOONE",2017-04-04 20:40:00,CST-6,2017-04-04 20:40:00,0,0,0,0,0.00K,0,10.00K,10000,36.35,-92.98,36.35,-92.98,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Two homes sustained roof damage on Devore Road south of Willis. Also, numerous trees were down between Bergman and Lead Hill." +115344,692543,ARKANSAS,2017,April,Thunderstorm Wind,"BOONE",2017-04-26 01:22:00,CST-6,2017-04-26 01:22:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-93.03,36.2,-93.03,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A tree was blown down across Highway 62." +115344,692544,ARKANSAS,2017,April,Hail,"MARION",2017-04-26 07:43:00,CST-6,2017-04-26 07:43:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-92.77,36.43,-92.77,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115165,691369,ARKANSAS,2017,April,Thunderstorm Wind,"BRADLEY",2017-04-02 15:15:00,CST-6,2017-04-02 15:15:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.06,33.61,-92.06,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Trees and power lines were down due to the thunderstorm winds." +115165,691370,ARKANSAS,2017,April,Thunderstorm Wind,"DREW",2017-04-02 15:40:00,CST-6,2017-04-02 15:40:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-91.57,33.53,-91.57,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Emergency manager reported several large trees down in Collins." +115165,691373,ARKANSAS,2017,April,Thunderstorm Wind,"DREW",2017-04-02 15:50:00,CST-6,2017-04-02 15:50:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-91.45,33.71,-91.45,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Thunderstorm winds were estimated at 60 mph." +115165,691375,ARKANSAS,2017,April,Thunderstorm Wind,"DESHA",2017-04-02 15:53:00,CST-6,2017-04-02 15:53:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-91.4,33.63,-91.4,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Thunderstorm winds were estimated at 60 mph." +115165,691378,ARKANSAS,2017,April,Hail,"JOHNSON",2017-04-04 20:00:00,CST-6,2017-04-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-93.7,35.44,-93.7,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","A picture was on social media of golf ball sized hail mixed with smaller hail just west of Coal Hill." +112749,673514,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain to change to snow before precipitation ended.","Snowfall was estimated to be around three inches based on observations nearby." +112750,673516,VIRGINIA,2017,January,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain end as a period of snow and freezing rain over the higher elevations.","A glaze of ice was estimated based on observations nearby." +113009,675497,VIRGINIA,2017,January,Winter Weather,"STAFFORD",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 2.8 inches near Ramoth and 2.0 inches near Glendie." +113009,675499,VIRGINIA,2017,January,Winter Weather,"SPOTSYLVANIA",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 3.2 inches near Dunavant." +113009,675500,VIRGINIA,2017,January,Winter Weather,"SOUTHERN FAUQUIER",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 1.8 inches in Opal." +113009,675501,VIRGINIA,2017,January,Winter Weather,"MADISON",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 2.3 inches in Haywood." +113009,675503,VIRGINIA,2017,January,Winter Weather,"RAPPAHANNOCK",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 1.5 inches in Sperryville." +120797,723425,OHIO,2017,November,Flood,"HANCOCK",2017-11-18 19:00:00,EST-5,2017-11-19 13:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0908,-83.7213,40.9262,-83.7653,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Two round of rain moved into Hancock County on the 18th. The morning rain of over an inch was followed by a heavier rain in the early afternoon with almost two inches. The heavier rain which fell on saturated ground caused widespread minor flooding and road closures in the area. Rainfall reports show two and a half inches to almost three inches. The resultant runoff caused the Eagle and Lye Creeks, and the Blanchard River to reach moderate flood stages. The elevated streambeds caused the local flood waters to linger into Sunday. ||The Hancock County Sheriff���s Office issued this list of flooded roadways: |SR 103 - CR 9 - Van Buren Twp.|SR 235 - TR 29 - Orange Twp.|CR 139 - North of SR 12 - Liberty Twp. |SR 613 - CR 140 and TR 142 - Allen Twp.|SR 235 - South of US 224 - Blanchard Twp. |CR 18 CLOSED - North of TR 213 - Allen Twp.|SR 613 - Stretch from I-75 to Fostoria - Allen, Cass, Washington Twp.|US 224 - CR 140 - Liberty Twp.|TR 215 CLOSED - CR 18 to TR 236 - Cass Twp.|CR 330- South of SR 568 - Biglick Twp.|CR 304 - West of CR 698 - Van Buren Twp.|SR 103 - Between TR 59 and TR 60 - Orange Twp. |13000-14100 Block of CR 9 - Eagle Twp.|CR 9 - CR 24 - Eagle Twp.|CR 9 - CR 31 - Eagle Twp.|CR 304 - Between TR 61 and TR 698 - Van Buren Twp. |9000 Block of SR 235 - Blanchard Twp. |CR 139 - TR 95 to CR 97 - Portage Twp. |SR 613 - East of CR 139 - Portage Twp. |SR 186 - South of McComb - Pleasant Twp.|CR 172 - Near TR 240 - Jackson Twp.|CR 330 CLOSED - South of SR 12 - Washington Twp. |US 68 - TR 69 - Madison Twp.|TR 214 CLOSED - Between CR 248 and SR 12 - Cass, Washington Twp.|CR 7 - Between SR 568 and CR 248 - Biglick Twp.|CR 7 - Between CR 248 and TR 251 - Biglick Twp.|TR 70 CLOSED - Between CR 24 and TR 25 - Eagle Twp.|TR 25 CLOSED - Between TR 72 and CR 9 - Eagle Twp.|TR 72 CLOSED - Between CR 26 and TR 25 - Eagle Twp.|CR 203 CLOSED - Between CR 139 and CR 140 - Portage|CR 5 - 24,000 Block - Pleasant Twp.|CR 216 CLOSED - Between CR 23 and TR 260 - Washington Twp.|TR 234 - North of SR 37 - Marion Twp.|TR 208 CLOSED - Between TR 234 and TR 240 - Marion Twp.|SR 37 - Near TR 234 - Marion Twp.|In Findlay, water rose on I-75 around 725 pm." +119043,714942,PENNSYLVANIA,2017,September,Heavy Rain,"PHILADELPHIA",2017-09-16 18:54:00,EST-5,2017-09-16 18:54:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-75.25,39.89,-75.25,"A series of disturbances in the jet stream and a weak surface trough lead to sufficient lift within a tropical air mass to produce slow moving, heavy rain showers across portions of Pennsylvania. This lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th.","The Philadelphia, PA ASOS measured a one-hour rainfall total of 2.54 inches due to heavy rain showers." +113763,682737,PENNSYLVANIA,2017,April,Funnel Cloud,"WARREN",2017-04-20 18:52:00,EST-5,2017-04-20 18:52:00,0,0,0,0,0.00K,0,0.00K,0,41.8931,-79.3206,41.8931,-79.3206,"A cold front crossing the area was the focus for numerous showers and thunderstorms the evening of April 20th. The strongest storms affected northwestern Pennsylvania, where a single cell developed ahead of the main squall line and produced hail, wind damage, and a weak tornado in Warren County. A bow echo along the squall line produced additional wind damage in Elk County.","A tornadic supercell produced a funnel cloud north of Youngsville that was observed from the 911 center in Youngsville." +113994,682742,PENNSYLVANIA,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-06 11:40:00,EST-5,2017-04-06 11:40:00,0,0,0,0,4.00K,4000,0.00K,0,39.8245,-77.7614,39.8245,-77.7614,"An approaching cold front generated showers and thunderstorms across south-central Pennsylvania on April 6, 2017. One of these storms produced wind damage in Franklin County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Antrim Township along Williamson Ave." +112672,672737,WISCONSIN,2017,February,Hail,"DANE",2017-02-28 09:25:00,CST-6,2017-02-28 09:25:00,0,0,0,0,,NaN,0.00K,0,43.22,-89.34,43.22,-89.34,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","Hail covering the ground." +112672,672738,WISCONSIN,2017,February,Hail,"DANE",2017-02-28 09:42:00,CST-6,2017-02-28 09:42:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-89.23,43.18,-89.23,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","" +112672,672739,WISCONSIN,2017,February,Hail,"WASHINGTON",2017-02-28 10:32:00,CST-6,2017-02-28 10:32:00,0,0,0,0,,NaN,0.00K,0,43.37,-88.41,43.37,-88.41,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","" +112672,672740,WISCONSIN,2017,February,Hail,"DODGE",2017-02-28 10:48:00,CST-6,2017-02-28 10:48:00,0,0,0,0,,NaN,0.00K,0,43.44,-88.64,43.44,-88.64,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","" +112672,672741,WISCONSIN,2017,February,Hail,"SHEBOYGAN",2017-02-28 11:02:00,CST-6,2017-02-28 11:02:00,0,0,0,0,,NaN,0.00K,0,43.57,-87.82,43.57,-87.82,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","" +112672,672742,WISCONSIN,2017,February,Hail,"SHEBOYGAN",2017-02-28 11:05:00,CST-6,2017-02-28 11:05:00,0,0,0,0,,NaN,0.00K,0,43.55,-87.96,43.55,-87.96,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","" +112672,672743,WISCONSIN,2017,February,Hail,"DANE",2017-02-28 09:30:00,CST-6,2017-02-28 09:30:00,0,0,0,0,,NaN,0.00K,0,43.25,-89.35,43.25,-89.35,"A surge of warm, moist, and unstable air aloft brought scattered thunderstorms with large hail to portions of southern WI.","Hail Covering the ground." +112750,673517,VIRGINIA,2017,January,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain end as a period of snow and freezing rain over the higher elevations.","A glaze of ice was estimated based on observations nearby. An inch of snow was also reported at Wintergreen." +115344,692546,ARKANSAS,2017,April,Hail,"LOGAN",2017-04-26 08:10:00,CST-6,2017-04-26 08:10:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-93.87,35.24,-93.87,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +112222,669166,KANSAS,2017,January,Winter Weather,"PHILLIPS",2017-01-04 21:00:00,CST-6,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited 3 to 5 inches of snow over much of north central Kansas on this Wednesday and Thursday. The snow fell between 9 pm CST Wednesday and 9 am Thursday. The band ebbed and waned at various locations and times. The highest reflectivity (20 dBZ or more) was extremely narrow, at times only 10 miles wide. The highest amount reported was 5 inches in northwest Rooks County.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 3-5 of snow was reported across the area." +112751,673518,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-26 14:00:00,EST-5,2017-01-27 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air rising over the mountains caused snow for locations along and west of the Allegheny Front.","Snowfall totaled up to 3.6 inches in Bayard." +113008,675481,MARYLAND,2017,January,Winter Weather,"ANNE ARUNDEL",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across southern Maryland.","Snow totaled up to 1.5 inches near Tracys Landing." +113008,675482,MARYLAND,2017,January,Winter Weather,"PRINCE GEORGES",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across southern Maryland.","Snow totaled up to 1.2 inches near Cheltenham and Oxon Hill." +113008,675484,MARYLAND,2017,January,Winter Weather,"CHARLES",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across southern Maryland.","Snow totaled up to 2.5 inches near Wicomico and 2.3 inches near Ripley." +113008,675485,MARYLAND,2017,January,Winter Weather,"ST. MARY'S",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across southern Maryland.","Snow totaled up to 2.0 inches near California." +113008,675486,MARYLAND,2017,January,Winter Weather,"CALVERT",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across southern Maryland.","Snow totaled up to 1.8 inches near Prince Frederick and 1.0 inches near Dowell." +113010,675488,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN GRANT",2017-01-29 13:00:00,EST-5,2017-01-30 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow along and west of the Allegheny Front.","Snowfall totaled up to 5.6 inches at Bayard." +113010,675491,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN PENDLETON",2017-01-29 13:00:00,EST-5,2017-01-30 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow along and west of the Allegheny Front.","Snowfall was estimated to be between three and six inches based on observations nearby." +113009,675492,VIRGINIA,2017,January,Winter Weather,"WESTERN HIGHLAND",2017-01-29 13:00:00,EST-5,2017-01-30 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall was estimated to be between three and six inches based on observations nearby." +113009,675494,VIRGINIA,2017,January,Winter Weather,"PRINCE WILLIAM",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow across central Virginia.","Snowfall totaled up to 2.6 inches near Dale City and 1.2 inches near Independent Hill." +111823,666964,TEXAS,2017,January,Hail,"EDWARDS",2017-01-15 17:27:00,CST-6,2017-01-15 17:27:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-100.68,29.8,-100.68,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,666961,TEXAS,2017,January,Hail,"VAL VERDE",2017-01-15 17:03:00,CST-6,2017-01-15 17:03:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-100.82,29.72,-100.82,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A Border Patrol agent reported a thunderstorm produced nickel to quarter size hail one mile south of the intersection of Highways 277 and 377." +111823,666965,TEXAS,2017,January,Hail,"EDWARDS",2017-01-15 17:30:00,CST-6,2017-01-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-100.62,29.79,-100.62,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced quarter to ping pong ball size hail that covered the road on Hwy 377 near FM2523." +111823,666967,TEXAS,2017,January,Hail,"EDWARDS",2017-01-15 17:45:00,CST-6,2017-01-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-100.41,29.84,-100.41,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced tennis ball size hail 17 miles SW of Rocksprings." +114243,684372,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-09 17:50:00,CST-6,2017-03-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.2189,-88.2377,34.2189,-88.2377,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114243,684373,MISSISSIPPI,2017,March,Thunderstorm Wind,"MONROE",2017-03-09 19:15:00,CST-6,2017-03-09 19:25:00,0,0,0,0,,NaN,0.00K,0,33.98,-88.5,33.9907,-88.4351,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","A few trees down around the town." +114243,684375,MISSISSIPPI,2017,March,Hail,"MONROE",2017-03-09 19:16:00,CST-6,2017-03-09 19:20:00,0,0,0,0,,NaN,0.00K,0,33.98,-88.5,33.98,-88.5,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Golfball-sized hail lasted for two minutes." +114243,684376,MISSISSIPPI,2017,March,Thunderstorm Wind,"TATE",2017-03-10 00:12:00,CST-6,2017-03-10 00:20:00,0,0,0,0,30.00K,30000,0.00K,0,34.7,-89.8,34.6821,-89.7799,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","A large tree down on a house in Independence near Highways 306 and 305." +114243,684379,MISSISSIPPI,2017,March,Thunderstorm Wind,"TISHOMINGO",2017-03-10 01:05:00,CST-6,2017-03-10 01:10:00,0,0,0,0,10.00K,10000,0.00K,0,34.5934,-88.2861,34.585,-88.2794,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Roof damage to an outbuilding near Dennis McDougal Boat Ramp." +114243,684397,MISSISSIPPI,2017,March,Thunderstorm Wind,"PONTOTOC",2017-03-10 01:10:00,CST-6,2017-03-10 01:15:00,0,0,0,0,50.00K,50000,0.00K,0,34.2585,-89.0105,34.25,-89,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","An aluminum roof was removed from a large building on West Oxford Street." +114243,684398,MISSISSIPPI,2017,March,Thunderstorm Wind,"LEE",2017-03-10 01:20:00,CST-6,2017-03-10 01:25:00,0,0,0,0,30.00K,30000,0.00K,0,34.27,-88.72,34.2617,-88.7092,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Large tree on house on Walnut Street." +114243,684399,MISSISSIPPI,2017,March,Thunderstorm Wind,"LEE",2017-03-10 01:25:00,CST-6,2017-03-10 01:30:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-88.67,34.201,-88.6504,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Large tree uprooted." +114299,684716,TENNESSEE,2017,March,Thunderstorm Wind,"LAKE",2017-03-09 20:35:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-89.48,36.376,-89.4618,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Damage to small tree limbs. Winds estimated at 65 mph." +114299,684720,TENNESSEE,2017,March,Hail,"DYER",2017-03-09 20:54:00,CST-6,2017-03-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0425,-89.3841,36.0425,-89.3841,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684721,TENNESSEE,2017,March,Thunderstorm Wind,"OBION",2017-03-09 20:56:00,CST-6,2017-03-09 21:00:00,0,0,0,0,40.00K,40000,0.00K,0,36.5011,-88.8641,36.4981,-88.8458,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Siding ripped off home. Damage area was large enough to allow water to enter the home causing more damage." +114299,684724,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-09 21:17:00,CST-6,2017-03-09 21:20:00,0,0,0,0,20.00K,20000,0.00K,0,36.1752,-88.8117,36.1743,-88.8046,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","High winds blew over a tractor trailer truck on Highway 45 near the Parker-Hannifin Corp. building." +114299,684728,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-09 21:05:00,CST-6,2017-03-09 21:10:00,0,0,0,0,30.00K,30000,0.00K,0,36.4528,-88.7776,36.4385,-88.7585,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Several trees and power lines down in Chestnut Glade." +114299,684731,TENNESSEE,2017,March,Hail,"MADISON",2017-03-09 21:40:00,CST-6,2017-03-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.6774,-88.8598,35.6774,-88.8598,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684734,TENNESSEE,2017,March,Hail,"MADISON",2017-03-09 21:40:00,CST-6,2017-03-09 21:50:00,0,0,0,0,,NaN,0.00K,0,35.7233,-88.7798,35.7233,-88.7798,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684735,TENNESSEE,2017,March,Thunderstorm Wind,"CARROLL",2017-03-09 21:45:00,CST-6,2017-03-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-88.52,36.1271,-88.4835,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Winds estimated at 60 to 70 mph." +115344,692586,ARKANSAS,2017,April,Flash Flood,"PERRY",2017-04-26 15:55:00,CST-6,2017-04-26 15:55:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-92.8,35.0081,-92.8064,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A road was flooded and a car was stranded in water." +115344,692587,ARKANSAS,2017,April,Hail,"BRADLEY",2017-04-26 16:35:00,CST-6,2017-04-26 16:35:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.12,33.61,-92.12,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115344,692657,ARKANSAS,2017,April,Thunderstorm Wind,"FULTON",2017-04-26 08:35:00,CST-6,2017-04-26 08:35:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-92.15,36.47,-92.15,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Delayed report of trees reported down across Woodside Road and Little Creek Road in northwest Fulton County." +115365,692681,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 10:52:00,CST-6,2017-04-29 10:52:00,0,0,0,0,10.00K,10000,0.00K,0,35.13,-91.45,35.13,-91.45,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees wee down in Georgetown including a tree on a home." +115344,692557,ARKANSAS,2017,April,Hail,"BAXTER",2017-04-26 08:24:00,CST-6,2017-04-26 08:24:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-92.23,36.45,-92.23,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115344,692558,ARKANSAS,2017,April,Thunderstorm Wind,"FULTON",2017-04-26 08:30:00,CST-6,2017-04-26 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-92.12,36.43,-92.12,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Wind damage was reported in Vidette." +115344,692559,ARKANSAS,2017,April,Thunderstorm Wind,"FULTON",2017-04-26 08:33:00,CST-6,2017-04-26 08:33:00,0,0,0,0,10.00K,10000,0.00K,0,36.43,-92.02,36.43,-92.02,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Tree...power line...and some roof damage was reported." +115344,692565,ARKANSAS,2017,April,Hail,"JOHNSON",2017-04-26 08:40:00,CST-6,2017-04-26 08:40:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-93.53,35.46,-93.53,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115344,692553,ARKANSAS,2017,April,Hail,"LOGAN",2017-04-26 08:15:00,CST-6,2017-04-26 08:15:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-93.87,35.3,-93.87,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Report was relayed by Franklin County OEM. Time is based off of radar." +115344,692555,ARKANSAS,2017,April,Hail,"LOGAN",2017-04-26 08:20:00,CST-6,2017-04-26 08:20:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-93.78,35.23,-93.78,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Report was relayed by the Franklin County OEM." +111823,666973,TEXAS,2017,January,Hail,"REAL",2017-01-15 18:58:00,CST-6,2017-01-15 18:58:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-99.76,29.72,-99.76,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,666969,TEXAS,2017,January,Hail,"EDWARDS",2017-01-15 17:56:00,CST-6,2017-01-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,29.73,-100.41,29.73,-100.41,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,666970,TEXAS,2017,January,Hail,"EDWARDS",2017-01-15 18:25:00,CST-6,2017-01-15 18:25:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-100.04,29.84,-100.04,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,666971,TEXAS,2017,January,Hail,"REAL",2017-01-15 18:46:00,CST-6,2017-01-15 18:46:00,0,0,0,0,0.00K,0,0.00K,0,29.74,-99.92,29.74,-99.92,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,666972,TEXAS,2017,January,Hail,"REAL",2017-01-15 18:55:00,CST-6,2017-01-15 18:55:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.76,29.8,-99.76,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +118152,710047,NEBRASKA,2017,June,Hail,"THURSTON",2017-06-13 20:00:00,CST-6,2017-06-13 20:00:00,0,0,0,0,,NaN,,NaN,42.11,-96.71,42.11,-96.71,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","One inch hail reported near Pender." +118152,710048,NEBRASKA,2017,June,Hail,"BUTLER",2017-06-13 20:05:00,CST-6,2017-06-13 20:05:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-97.3,41.2,-97.3,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","" +118152,710040,NEBRASKA,2017,June,Hail,"MADISON",2017-06-13 18:49:00,CST-6,2017-06-13 18:49:00,0,0,0,0,,NaN,,NaN,41.83,-97.46,41.83,-97.46,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","Hail large than half dollars was reported in Madison." +118152,710042,NEBRASKA,2017,June,Hail,"BOONE",2017-06-13 18:52:00,CST-6,2017-06-13 18:52:00,0,0,0,0,,NaN,,NaN,41.57,-97.86,41.57,-97.86,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A spotter reported quarter size hail and estimated 40 to 50 mph winds near St. Edward." +120797,723423,OHIO,2017,November,Flood,"STARK",2017-11-18 19:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,2.00K,2000,0.00K,0,40.9096,-81.4554,40.6663,-81.4993,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Two rounds of rain moved over Stark County on the 18th. The first round during the morning produced around an inch to an inch and a half of rainfall. The second round in the afternoon and evening brought an additional inch to inch and a half. Rainfall reports in the county showed around two inches in the north and west, and over three inches in Canton east and south. The resultant flooding was minor in Canton with flooding on the Zimber Ditch where there were reports of some basement flooding on Furbee and Lucille Avenues, with water approaching businesses on Whipple Avenue Northwest. East of Canton in Louisville the East Branch of the Nimishillen Creek came out of banks flooding State Rt. 153 and Constitution Ave. The most notable flooding was in the southeast part of the county where at 10 pm through 3 am water from the Sandy Creek inundated basements and surrounded homes in Waynesburg on Oakhurst, Grovedale, Broadford Streets, and flooding State Rt 183. Rainfall total estimates in this area were close to four inches. Water backed up into a mobile home park on Cleveland Southwest Avenue in Canton Township from the Nimishillen Creek. North Industry High School recreational grounds inundated with several feet of water." +114422,686062,TENNESSEE,2017,March,Strong Wind,"ROBERTSON",2017-03-07 03:19:00,CST-6,2017-03-07 03:19:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty south winds up to 40 mph during the early morning hours on March 7 caused one report of wind damage near Springfield in Robertson County.","A tree and power lines were blown down at 4558 Highway 161 around 2 miles north of Springfield. The Springfield Airport AWOS located 2 miles west of this location measured a peak wind speed of 25 mph and peak wind gust of 39 mph at 155 AM CST." +117689,707713,ARKANSAS,2017,June,Hail,"BAXTER",2017-06-30 06:48:00,CST-6,2017-06-30 06:48:00,0,0,0,0,0.00K,0,0.00K,0,36.21,-92.23,36.21,-92.23,"There was one more front to contend with on the 30th. Early in the day, the front sparked storms across the northern counties that produced penny to nickel size hail not far from Norfork (Baxter County). Near Rea Valley (Marion County), gusty winds damaged the roofs of a few barns and a home.||Later in the day, another round of storms blossomed in Oklahoma and moved into Arkansas by evening. While there were a few Severe Thunderstorms Warning issued, this was mainly a heavy rain episode. ||In the forty eight hour period ending at 700 am CDT on July 1st, rainfall averaged one to more than two inches in much of the north and west. Fort Smith (Sebastian County) got 2.80 inches, with 2.39 inches at Coal Hill (Johnson County), 2.09 inches at Subiaco (Logan County), and 1.70 inches at Fayetteville (Washington County).","" +120985,724178,CALIFORNIA,2017,October,Wildfire,"SOUTHEASTERN MENDOCINO INTERIOR",2017-10-08 00:00:00,PST-8,2017-10-28 00:00:00,1,0,8,0,38.40M,38400000,0.00K,0,NaN,NaN,NaN,NaN,"Strong downslope winds combined with a hot dry airmass resulted in extreme fire behavior. It is speculated that above normal winter rains yielded abundant fuels that became primed for rapid intense fire spread by late summer and early fall.","" +120699,722961,CALIFORNIA,2017,October,High Wind,"DEL NORTE INTERIOR",2017-10-03 05:57:00,PST-8,2017-10-03 05:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong high pressure centered near the front range of the northern Rockies combined with low pressure positioned over the Sacramento Valley aided in a high wind event over the ridgetops of northwest California.","" +118230,710513,NEBRASKA,2017,June,Hail,"CEDAR",2017-06-29 16:53:00,CST-6,2017-06-29 16:53:00,0,0,0,0,,NaN,,NaN,42.86,-97.32,42.86,-97.32,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710514,NEBRASKA,2017,June,Hail,"CEDAR",2017-06-29 17:05:00,CST-6,2017-06-29 17:05:00,0,0,0,0,,NaN,,NaN,42.77,-97.25,42.77,-97.25,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710515,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 17:55:00,CST-6,2017-06-29 17:55:00,0,0,0,0,,NaN,,NaN,41.26,-96.01,41.26,-96.01,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","One inch hail was reported at 106th and Browne Streets in Omaha." +118152,710237,NEBRASKA,2017,June,Thunderstorm Wind,"MADISON",2017-06-13 19:12:00,CST-6,2017-06-13 19:12:00,0,0,0,0,,NaN,,NaN,41.75,-97.49,41.75,-97.49,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","Storms spotters estimated a 65 mph wind gust south of Madison." +118152,710238,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:13:00,CST-6,2017-06-13 19:13:00,0,0,0,0,,NaN,,NaN,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","The public measured a 68 mph gust in Columbus using a home weather station anemometer." +118152,710239,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:14:00,CST-6,2017-06-13 19:14:00,0,0,0,0,,NaN,,NaN,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 70 mph wind gust was measured at the Columbus Airport AWOS." +118152,710241,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:17:00,CST-6,2017-06-13 19:17:00,0,0,0,0,,NaN,,NaN,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","There were several reports of estimated 60 mph winds in Columbus. Large tree limbs were blown down." +118152,710243,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,,NaN,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 75 mph wind gust was measured at the Columbus Airport AWOS." +118230,710512,NEBRASKA,2017,June,Hail,"THURSTON",2017-06-29 16:46:00,CST-6,2017-06-29 16:46:00,0,0,0,0,,NaN,,NaN,42.11,-96.71,42.11,-96.71,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710521,NEBRASKA,2017,June,Hail,"BURT",2017-06-29 19:22:00,CST-6,2017-06-29 19:22:00,0,0,0,0,,NaN,,NaN,41.76,-96.34,41.76,-96.34,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710523,NEBRASKA,2017,June,Hail,"BURT",2017-06-29 19:30:00,CST-6,2017-06-29 19:30:00,0,0,0,0,,NaN,,NaN,41.76,-96.22,41.76,-96.22,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710525,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:20:00,CST-6,2017-06-29 20:20:00,0,0,0,0,,NaN,,NaN,41.37,-96.16,41.37,-96.16,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118152,710245,NEBRASKA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-13 19:21:00,CST-6,2017-06-13 19:21:00,0,0,0,0,,NaN,,NaN,41.34,-97.24,41.34,-97.24,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","An estimated 60 mph wind gust was reported near Bellwood." +118152,710246,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:24:00,CST-6,2017-06-13 19:24:00,0,0,0,0,,NaN,,NaN,41.45,-97.32,41.45,-97.32,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","Trained weather spotters estimated 60 mph winds in Columbus." +118152,710248,NEBRASKA,2017,June,Thunderstorm Wind,"MADISON",2017-06-13 19:26:00,CST-6,2017-06-13 19:26:00,0,0,0,0,,NaN,,NaN,42.03,-97.42,42.03,-97.42,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 61 mph wind gust was measured at the Norfolk Airport ASOS." +118230,710519,NEBRASKA,2017,June,Hail,"COLFAX",2017-06-29 18:49:00,CST-6,2017-06-29 18:49:00,0,0,0,0,,NaN,,NaN,41.72,-97,41.72,-97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710517,NEBRASKA,2017,June,Hail,"COLFAX",2017-06-29 18:37:00,CST-6,2017-06-29 18:37:00,0,0,0,0,,NaN,,NaN,41.72,-97,41.72,-97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710518,NEBRASKA,2017,June,Hail,"COLFAX",2017-06-29 18:47:00,CST-6,2017-06-29 18:47:00,0,0,0,0,,NaN,,NaN,41.72,-97,41.72,-97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118152,710250,NEBRASKA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-13 19:42:00,CST-6,2017-06-13 19:42:00,0,0,0,0,,NaN,,NaN,41.23,-97.34,41.23,-97.34,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","An estimated 60 mph wind gust was reported 3 miles northwest of Rising City." +118152,710251,NEBRASKA,2017,June,Thunderstorm Wind,"WAYNE",2017-06-13 19:43:00,CST-6,2017-06-13 19:43:00,0,0,0,0,,NaN,,NaN,42.24,-97.02,42.24,-97.02,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A measured 67 mph wind gust occurred at the Wayne Airport AWOS." +118152,710253,NEBRASKA,2017,June,Thunderstorm Wind,"SEWARD",2017-06-13 22:05:00,CST-6,2017-06-13 22:05:00,0,0,0,0,,NaN,,NaN,40.89,-97.1,40.89,-97.1,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A storm spotter measured a 62 mph wind gust." +118230,710509,NEBRASKA,2017,June,Hail,"WAYNE",2017-06-29 15:48:00,CST-6,2017-06-29 15:48:00,0,0,0,0,,NaN,,NaN,42.18,-97.17,42.18,-97.17,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","A trained spotter reported quarter size hail." +118230,710526,NEBRASKA,2017,June,Hail,"SAUNDERS",2017-06-29 20:20:00,CST-6,2017-06-29 20:20:00,0,0,0,0,,NaN,,NaN,41.4,-96.61,41.4,-96.61,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118152,710049,NEBRASKA,2017,June,Hail,"BUTLER",2017-06-13 20:20:00,CST-6,2017-06-13 20:20:00,0,0,0,0,,NaN,,NaN,41.34,-97.24,41.34,-97.24,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","" +118152,710050,NEBRASKA,2017,June,Hail,"BUTLER",2017-06-13 20:24:00,CST-6,2017-06-13 20:24:00,0,0,0,0,,NaN,,NaN,41.07,-97.2,41.07,-97.2,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","One inch hail was relayed by Butler County Emergency Management." +118152,710051,NEBRASKA,2017,June,Hail,"THURSTON",2017-06-13 22:33:00,CST-6,2017-06-13 22:33:00,0,0,0,0,,NaN,,NaN,42.11,-96.71,42.11,-96.71,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","" +118152,710053,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-13 23:08:00,CST-6,2017-06-13 23:08:00,0,0,0,0,,NaN,,NaN,41.32,-96.36,41.32,-96.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","One and a half inch hail was measured at the NWS Omaha/Valley office. Most of the hail was up to 0.5 inch size." +118152,710055,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-13 23:31:00,CST-6,2017-06-13 23:31:00,0,0,0,0,,NaN,,NaN,41.34,-96.17,41.34,-96.17,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","" +112124,668716,FLORIDA,2017,January,Thunderstorm Wind,"COLUMBIA",2017-01-06 21:00:00,EST-5,2017-01-06 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.24,-82.7,30.24,-82.7,"A surface low pressure system formed in the Gulf of Mexico ahead of an approaching Arctic cold front. Scattered storms moved inland across the Florida Big Bend during the evening of the 6th and continued to track and develop eastward through the night ahead of the surface front. Hail and gusty winds occurred in isolated severe storms overnight.","A tree was blown down on home on NW Moore Road. The time of damage was based on radar. The cost of damage was estimated for inclusion of the event in Storm Data." +112124,668724,FLORIDA,2017,January,Thunderstorm Wind,"SUWANNEE",2017-01-07 01:45:00,EST-5,2017-01-07 01:45:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-83.05,30.27,-83.05,"A surface low pressure system formed in the Gulf of Mexico ahead of an approaching Arctic cold front. Scattered storms moved inland across the Florida Big Bend during the evening of the 6th and continued to track and develop eastward through the night ahead of the surface front. Hail and gusty winds occurred in isolated severe storms overnight.","Large trees were uprooted near County Road 136 and 96th Place. Some trees fell on cars and homes. The time of damage was based on radar." +112124,668719,FLORIDA,2017,January,Thunderstorm Wind,"COLUMBIA",2017-01-06 21:00:00,EST-5,2017-01-06 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.25,-82.71,30.25,-82.71,"A surface low pressure system formed in the Gulf of Mexico ahead of an approaching Arctic cold front. Scattered storms moved inland across the Florida Big Bend during the evening of the 6th and continued to track and develop eastward through the night ahead of the surface front. Hail and gusty winds occurred in isolated severe storms overnight.","Trees and power lines were blown down along the Interstate 10 corridor from mile marker 298 to mile marker 301, which was just east of the I-10/I-75 interchange and near the U.S. Highway 441 exit off of interstate 10. Time of damage was based on radar imagery. The cost of damage was unknown but estimated for the event to be included in Storm Data." +112126,668728,GEORGIA,2017,January,Thunderstorm Wind,"APPLING",2017-01-21 14:40:00,EST-5,2017-01-21 14:40:00,0,0,0,0,0.00K,0,0.00K,0,31.83,-82.16,31.83,-82.16,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts.","Trees and power lines were blown down in the NE part of the county near Highway 441 and Hendricks Road." +112126,668729,GEORGIA,2017,January,Thunderstorm Wind,"APPLING",2017-01-21 14:40:00,EST-5,2017-01-21 14:40:00,0,0,0,0,0.00K,0,0.00K,0,31.92,-82.28,31.92,-82.28,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts.","Trees and power lines were blown on Morris Landing Road." +112126,668730,GEORGIA,2017,January,Thunderstorm Wind,"APPLING",2017-01-21 15:05:00,EST-5,2017-01-21 15:05:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-82.36,31.77,-82.36,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts.","Trees and power lines were blown down near Jones Street and Tollison Street." +112126,668731,GEORGIA,2017,January,Thunderstorm Wind,"CLINCH",2017-01-21 15:30:00,EST-5,2017-01-21 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.07,-82.7,31.07,-82.7,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts.","A shelter was blown down on two vehicles along Leland Smith Road. The cost of damage was unknown but it was estimated for the event to be included in Storm Data." +112124,668715,FLORIDA,2017,January,Tornado,"SUWANNEE",2017-01-07 01:30:00,EST-5,2017-01-07 01:32:00,0,0,0,0,0.00K,0,0.00K,0,30.2745,-83.0506,30.2753,-83.0467,"A surface low pressure system formed in the Gulf of Mexico ahead of an approaching Arctic cold front. Scattered storms moved inland across the Florida Big Bend during the evening of the 6th and continued to track and develop eastward through the night ahead of the surface front. Hail and gusty winds occurred in isolated severe storms overnight.","Storm survey by county EM team indicated a brief EF0 tornado that touchdown near the intersection of 96th Place and 147th Road, with damage extending east along 96th Place before the circulation dissipated. Max winds were estimated near 80 mph. Several properties had damage including roof damage, extensive tree damage and other structural damage." +116180,698341,TEXAS,2017,May,Hail,"BEE",2017-05-23 18:40:00,CST-6,2017-05-23 18:40:00,0,0,0,0,0.00K,0,0.00K,0,28.17,-97.6,28.17,-97.6,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Ham radio operator reported golf ball sized hail near Papalote." +116180,698342,TEXAS,2017,May,Hail,"SAN PATRICIO",2017-05-23 18:55:00,CST-6,2017-05-23 19:05:00,0,0,0,0,0.00K,0,0.00K,0,28.04,-97.51,28.04,-97.51,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Spotter reported quarter sized hail in Sinton." +116180,698357,TEXAS,2017,May,Thunderstorm Wind,"ARANSAS",2017-05-23 19:28:00,CST-6,2017-05-23 19:34:00,0,0,0,0,0.00K,0,0.00K,0,28.0269,-97.0586,28.024,-97.048,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","NOS site in Rockport measured a gust to 51 knots." +119112,715362,COLORADO,2017,July,Heavy Rain,"MONTROSE",2017-07-25 15:55:00,MST-7,2017-07-25 16:25:00,0,0,0,0,0.00K,0,0.00K,0,38.4741,-107.8804,38.4741,-107.8804,"Subtropical moisture remained over western Colorado and resulted in numerous showers and thunderstorms, some with heavy rainfall which led to flash flooding.","WA total of 0.85 of an inch of rain fell within 30 minutes." +119112,715371,COLORADO,2017,July,Flash Flood,"DOLORES",2017-07-25 18:00:00,MST-7,2017-07-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.841,-108.9406,37.8359,-108.9445,"Subtropical moisture remained over western Colorado and resulted in numerous showers and thunderstorms, some with heavy rainfall which led to flash flooding.","Heavy rainfall resulted in up to a foot of water depth that flowed across Colorado Highway 141 north of Dove Creek." +115109,690940,OHIO,2017,May,Flood,"HARDIN",2017-05-18 22:15:00,EST-5,2017-05-18 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-83.56,40.5822,-83.5616,"Scattered thunderstorms persisted during the evening hours along a cold front draped across northwest Ohio. These produced locally heavy rainfall.","Minor street flooding was reported on some county roads southeast of Kenton." +115114,690987,INDIANA,2017,May,Thunderstorm Wind,"RIPLEY",2017-05-19 14:06:00,EST-5,2017-05-19 14:08:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-85.26,39.06,-85.26,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several large tree limbs were downed in the Versailles area." +115114,690989,INDIANA,2017,May,Thunderstorm Wind,"SWITZERLAND",2017-05-19 14:40:00,EST-5,2017-05-19 14:42:00,0,0,0,0,1.00K,1000,0.00K,0,38.88,-85.02,38.88,-85.02,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A large tree was downed near Allensville." +115116,690990,KENTUCKY,2017,May,Hail,"GRANT",2017-05-19 15:35:00,EST-5,2017-05-19 15:37:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-84.61,38.78,-84.61,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","" +115116,690991,KENTUCKY,2017,May,Thunderstorm Wind,"OWEN",2017-05-19 17:15:00,EST-5,2017-05-19 17:17:00,0,0,0,0,10.00K,10000,0.00K,0,38.5121,-84.681,38.5121,-84.681,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several trees were downed near Dogwalk Road with one falling onto a car port. A barn was also damaged." +116180,698348,TEXAS,2017,May,Hail,"ARANSAS",2017-05-23 19:22:00,CST-6,2017-05-23 19:26:00,0,0,0,0,0.00K,0,0.00K,0,28.0541,-97.0855,28.0541,-97.0855,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Ping pong ball sized hail occurred near Sparks Colony Drive west of Rockport." +122668,734756,TEXAS,2017,December,Frost/Freeze,"JIM HOGG",2017-12-08 01:35:00,CST-6,2017-12-08 08:15:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A pattern known as a modified McFarland brought a modified polar air mass across all of Deep South Texas and well into northeast Mexico in the lee of the Sierra Madre Mountains. The polar air changed rain to snow, some which fell heavy enough in a stripe from southern Zapata, northern Starr, most of Jim Hogg, and western Brooks County to bring several hours of 32 degree or lower temperatures.","After rain changed to snow shortly before midnight on December 8th, temperatures fell to or just below 32 degrees soon after, as moderate to locally heavy snow dropped between 2 and 5 inches on most of the county. Temperatures remained there through an hour or two after daybreak, just after the snow tapered off. Hebbronville fell to 32 degrees at 135 AM and remained there until 815 AM." +122668,734757,TEXAS,2017,December,Frost/Freeze,"ZAPATA",2017-12-08 03:35:00,CST-6,2017-12-08 06:55:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A pattern known as a modified McFarland brought a modified polar air mass across all of Deep South Texas and well into northeast Mexico in the lee of the Sierra Madre Mountains. The polar air changed rain to snow, some which fell heavy enough in a stripe from southern Zapata, northern Starr, most of Jim Hogg, and western Brooks County to bring several hours of 32 degree or lower temperatures.","After rain changed to snow shortly after midnight on December 8th, temperatures fell to or just below 32 degrees not to long after, as rain and snow developed across the south half of the county and moderate snow redeveloped across most of the county a few hours later. Temperatures remained there until around daybreak. At Zapata County Airport, temperatures fell to 32 degrees at 335 AM and remained there until 655 AM." +120797,723421,OHIO,2017,November,Flood,"MORROW",2017-11-18 19:00:00,EST-5,2017-11-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5975,-82.9276,40.4325,-82.9633,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Morrow County received over 3 inches of rain on the 18th of November, with a measured 3.25��� at Mt. Gilead . This rain has caused flooding throughout the county. Multiple people had to be rescued after driving through water that was over roadways. In Cardington, County Road 11 bridge was damaged and overtopped by flood waters from the Shaw Creek (tributary to the Whetstone Creek) as well as flooding County Road 134. The Big Walnut Creek completely covered County Road 15 at the bridge near County Road 24 south of Marengo. In Chesterville the South Branch of the Kokosing River covered the bridge at County Road 25 between OH-61 and County Road 42. ||List of roads flooded as reported to the Sheriff's Office:|St Rt 288 between SR 61 and SR 19|St Rt 229/Rd 170|Rd 8 E of Rd 46|Rd 29 E of Rd 38 |Rd 170 South of Rd 15|SR 61/ SR 229 road completely covered|Rd 61 and Rd76|Rd 57 W St Rt 19|Rd 103 N & S is under water|Cardington Dollar General Parking lot |Rd 38 entire road flooded|Rd 218/Rd 221 Bridge Completely impassable |Rd 9 Bridge near SR 95 completely impassable|Rd 145 E of SR 61|SR 229/Rd166|Rd 170/Rd 15|Rd 21/Rd 26 signs have been hit|Rd 126/Village limits completely flooded|SR 229/Rd165 |Rd 166/Rd 156 off of SR 229|SR 95/Rd 178|Rd 29 off of SR 61." +122668,734758,TEXAS,2017,December,Frost/Freeze,"STARR",2017-12-08 06:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A pattern known as a modified McFarland brought a modified polar air mass across all of Deep South Texas and well into northeast Mexico in the lee of the Sierra Madre Mountains. The polar air changed rain to snow, some which fell heavy enough in a stripe from southern Zapata, northern Starr, most of Jim Hogg, and western Brooks County to bring several hours of 32 degree or lower temperatures.","Temperatures are assumed to have fallen to 32 degrees shortly before daybreak on December 8th as moderate snow developed over ranch country, and continued to fall steadily in bands until around 9 AM before tapering off, allowing temperatures to rise back above freezing. The Rio Grande City cooperative site carried a low temperature of 30 degrees at some point during the morning of the 8th." +114196,683976,OHIO,2017,May,Thunderstorm Wind,"UNION",2017-05-01 07:38:00,EST-5,2017-05-01 07:38:00,0,0,0,0,2.00K,2000,0.00K,0,40.24,-83.37,40.24,-83.37,"A narrow axis of showers with embedded thunderstorms developed along a cold front as it pushed east through the region during the morning hours.","A few trees were downed." +114196,683977,OHIO,2017,May,Thunderstorm Wind,"SCIOTO",2017-05-01 10:05:00,EST-5,2017-05-01 10:07:00,0,0,0,0,1.00K,1000,0.00K,0,38.61,-82.79,38.61,-82.79,"A narrow axis of showers with embedded thunderstorms developed along a cold front as it pushed east through the region during the morning hours.","A large tree was downed along Big Pete Road." +114197,683979,OHIO,2017,May,Flood,"MERCER",2017-05-05 11:00:00,EST-5,2017-05-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-84.56,40.6318,-84.5644,"Persistent rain associated with a slow moving upper level low pressure system resulted in some minor flooding issues during the morning hours.","Tama Road between US 127 and Stose Road was closed due to high water." +118088,709721,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-06-04 21:26:00,EST-5,2017-06-04 21:26:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 58 knots was measured at Middle Ground Lighthouse." +118090,709722,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-06-05 14:59:00,EST-5,2017-06-05 14:59:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.35,36.98,-76.35,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 37 knots was measured at Hampton Flats." +118091,709724,VIRGINIA,2017,June,Heavy Rain,"NEWPORT NEWS (C)",2017-06-05 14:54:00,EST-5,2017-06-05 14:54:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-76.49,37.13,-76.49,"Scattered thunderstorms well in advance of a cold front produced heavy rain and minor street flooding across portions of southeast Virginia.","Rainfall total of 2.52 inches was measured at PHF." +118091,709726,VIRGINIA,2017,June,Heavy Rain,"YORK",2017-06-05 15:40:00,EST-5,2017-06-05 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-76.45,37.14,-76.45,"Scattered thunderstorms well in advance of a cold front produced heavy rain and minor street flooding across portions of southeast Virginia.","Rainfall total of 3.45 inches was measured at (1 NNE) Tabb. Minor street flooding was reported." +118091,709727,VIRGINIA,2017,June,Heavy Rain,"NORTHAMPTON",2017-06-05 16:05:00,EST-5,2017-06-05 16:05:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-75.93,37.29,-75.93,"Scattered thunderstorms well in advance of a cold front produced heavy rain and minor street flooding across portions of southeast Virginia.","Rainfall total of 4.01 inches was measured at Oyster." +118091,709728,VIRGINIA,2017,June,Heavy Rain,"NEWPORT NEWS (C)",2017-06-05 17:00:00,EST-5,2017-06-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-76.53,37.12,-76.53,"Scattered thunderstorms well in advance of a cold front produced heavy rain and minor street flooding across portions of southeast Virginia.","Rainfall total of 3.37 inches was measured at (1 SSE) Denbigh." +122668,734754,TEXAS,2017,December,Frost/Freeze,"BROOKS",2017-12-08 02:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A pattern known as a modified McFarland brought a modified polar air mass across all of Deep South Texas and well into northeast Mexico in the lee of the Sierra Madre Mountains. The polar air changed rain to snow, some which fell heavy enough in a stripe from southern Zapata, northern Starr, most of Jim Hogg, and western Brooks County to bring several hours of 32 degree or lower temperatures.","Locally heavy wet snow falling at brief hourly rates of 1 to 2 inches per hour dropped temperatures to 32 degrees across much of Brooks County during the early morning of December 8th. Proxy observations included Linn/San Manuel (32 degrees) and both Armstrong (30 degrees) and Sarita (31 degrees) made the case for the winter of 2017/2018's first light freeze." +122667,734753,TEXAS,2017,December,Drought,"JIM HOGG",2017-12-01 00:00:00,CST-6,2017-12-11 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Lack of appreciable rainfall and near record warm temperatures through November maintained severe drought in a pocket of central Jim Hogg County. The drought would be wiped out by multiple events that began on December 7th and 8th, where a combination of rain followed by several inches of snow was followed by mid-month rain of more than an inch; in total, the two week period dropped nearly 6 times the average precipitation and the monthly average ended up at more than 3 times the average.","Severe (D2) Drought continued in central Jim Hogg through the December 12th Drought Monitor issuance, which followed a period of rainfall (December 7) and several inches of snow (December 8) that dropped a 7 day total of six times average. Additional rains of more than an inch total fell on December 14 and 15, wiping out all traces of short and medium term drought." +116178,698327,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-22 05:00:00,CST-6,2017-05-22 05:00:00,0,0,0,0,0.00K,0,0.00K,0,28.1144,-97.0244,28.1144,-97.0244,"Scattered thunderstorms moved through the bays between Port Aransas and Port O'Connor during the early morning hours of the 22nd. The storms produced wind gusts between 35 and 40 knots.","Copano Bay TCOON site measured a gust to 34 knots." +116178,698328,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-22 04:49:00,CST-6,2017-05-22 04:55:00,0,0,0,0,0.00K,0,0.00K,0,28.0837,-97.0467,28.0973,-97.0584,"Scattered thunderstorms moved through the bays between Port Aransas and Port O'Connor during the early morning hours of the 22nd. The storms produced wind gusts between 35 and 40 knots.","Rockport-Aransas County Airport ASOS measured a gust to 37 knots." +116180,698332,TEXAS,2017,May,Hail,"MCMULLEN",2017-05-23 18:00:00,CST-6,2017-05-23 18:08:00,0,0,0,0,0.00K,0,0.00K,0,28.36,-98.55,28.36,-98.55,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Storm chaser reported half dollar sized hail." +116180,698336,TEXAS,2017,May,Hail,"MCMULLEN",2017-05-23 18:18:00,CST-6,2017-05-23 18:20:00,0,0,0,0,10.00K,10000,0.00K,0,28.25,-98.48,28.25,-98.48,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Spotter submitted picture of tennis ball sized hail." +118152,710056,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 18:54:00,CST-6,2017-06-13 18:54:00,0,0,0,0,,NaN,,NaN,41.69,-97.49,41.69,-97.49,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 79 mph wind gust was measured at a personal weather station northeast of Humphrey." +122621,734439,TEXAS,2017,December,Heavy Snow,"JIM HOGG",2017-12-08 00:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","At least one ranch owner near Agua Nueva, as well as occasional reports from Jim Hogg County dispatch - with data blended from satellite observations, found snowfall ranging from around 0.5 near Hebbronville (close to the Duval County line) ranging to more than 4 inches across the southern third of the county. From radar estimates, the heaviest snow fell between 1 and 4 AM and again between 5 and 7 AM. In general, between 2 and 5 inches fell across the primary ranch areas with the least amount of snow near Hebbronville. The snow, falling overnight, created slushy accumulation along elevated bridges and an inch or more on unimproved ranch roads." +122621,734448,TEXAS,2017,December,Heavy Snow,"STARR",2017-12-08 01:30:00,CST-6,2017-12-08 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","Multiple snow bands between the pre-dawn hours and mid morning dropped 1 to 3 inches of snow across most of Starr County early on the 8th. Much of the heavier snow across the northwest half of the county fell between 1 and 4 AM, with more widespread coverage between 7 and 9 AM favoring the northeast portion of the county. A Rio Grande City Fire and Rescue worker, also a ranch owner, reported 2 inches near Santa Elena; another ranch owner reported 1.5 inches near El Sauz. Elevation may have made some difference in accumulation, as locations along the Rio Grande reported less snow, in some cases below heavy snow criteria (<1 inch)." +122668,734755,TEXAS,2017,December,Frost/Freeze,"KENEDY",2017-12-08 05:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A pattern known as a modified McFarland brought a modified polar air mass across all of Deep South Texas and well into northeast Mexico in the lee of the Sierra Madre Mountains. The polar air changed rain to snow, some which fell heavy enough in a stripe from southern Zapata, northern Starr, most of Jim Hogg, and western Brooks County to bring several hours of 32 degree or lower temperatures.","After rain changed to snow just before daybreak on December 8th, temperatures fell to or just below 32 degrees for several hours during the morning. Observations included both Armstrong (30 degrees) and Sarita (31 degrees), making the case for the winter of 2017/2018's first light freeze." +118089,709717,VIRGINIA,2017,June,Thunderstorm Wind,"ISLE OF WIGHT",2017-06-04 21:00:00,EST-5,2017-06-04 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.97,-76.6,36.97,-76.6,"Isolated severe thunderstorm in advance of a trough of low pressure produced damaging winds across portions of southeast Virginia.","Large tree was snapped and other trees were downed." +118088,709720,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-06-04 21:24:00,EST-5,2017-06-04 21:24:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-76.35,37.01,-76.35,"Scattered thunderstorms in advance of a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 50 knots was measured at Hampton Flats." +115378,692713,OHIO,2017,May,Thunderstorm Wind,"PIKE",2017-05-27 17:16:00,EST-5,2017-05-27 17:18:00,0,0,0,0,4.00K,4000,0.00K,0,39.04,-83.08,39.04,-83.08,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","A few trees were reported downed on power lines." +115378,692714,OHIO,2017,May,Hail,"PIKE",2017-05-27 17:15:00,EST-5,2017-05-27 17:17:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-83.06,39.05,-83.06,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","" +115380,692715,INDIANA,2017,May,Flood,"RIPLEY",2017-05-28 21:00:00,EST-5,2017-05-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-85.26,39.0563,-85.2416,"Training thunderstorms produced locally heavy rainfall across southeast Indiana during the evening hours.","There were several reports of standing water in the Versailles area." +122621,734432,TEXAS,2017,December,Heavy Snow,"ZAPATA",2017-12-08 00:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","Emergency management, social media, and other contacts reported between 2 and 3 inches of wet snow across most of Zapata County, with the heaviest amounts falling from the Rio Grande near Falcon, northeast across ranchlands along the Starr and Jim Hogg County line (south third of the county). The snow, falling overnight, created slushy accumulation along elevated bridges, including US 83, where there was at least one accident involving a sliding car and school bus (no injuries or deaths)." +112127,668736,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-21 22:18:00,EST-5,2017-01-21 22:18:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts. Strong outflow boundaries from thunderstorms moved offshore of the local Atlantic coast which produced wind gusts over 40 mph.","A mesonet stationed measured wind gust to 45 mph with an thunderstorm outflow moved across." +112127,668737,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-21 22:28:00,EST-5,2017-01-21 22:28:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts. Strong outflow boundaries from thunderstorms moved offshore of the local Atlantic coast which produced wind gusts over 40 mph.","A mesonet station measured a gust to 41 mph." +115119,690996,OHIO,2017,May,Hail,"BROWN",2017-05-20 15:42:00,EST-5,2017-05-20 15:44:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-83.87,38.96,-83.87,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","" +115118,691229,KENTUCKY,2017,May,Flash Flood,"LEWIS",2017-05-20 17:30:00,EST-5,2017-05-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-83.34,38.3478,-83.3396,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","Water was reported flowing over part of Laurel Creek Road." +115118,691230,KENTUCKY,2017,May,Flash Flood,"CARROLL",2017-05-20 20:00:00,EST-5,2017-05-20 21:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6819,-85.17,38.6753,-85.1675,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","Water was reported flowing over roads and surrounding some homes in the Carrollton area." +115151,691253,KENTUCKY,2017,May,Flash Flood,"GALLATIN",2017-05-24 18:30:00,EST-5,2017-05-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-84.98,38.7354,-84.9494,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall.","Multiple roads were closed due to high water." +115151,691256,KENTUCKY,2017,May,Flood,"CARROLL",2017-05-24 18:30:00,EST-5,2017-05-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6591,-85.1856,38.661,-85.1822,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall.","High water was covering a portion of Highway 55 in the 3000 block." +115151,691257,KENTUCKY,2017,May,Flash Flood,"GALLATIN",2017-05-24 18:45:00,EST-5,2017-05-24 19:15:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-84.91,38.7812,-84.9075,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall.","A portion of Highway 42 was closed due to high water." +115379,692708,KENTUCKY,2017,May,Flash Flood,"LEWIS",2017-05-27 17:15:00,EST-5,2017-05-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4586,-83.3795,38.4643,-83.3828,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","Four to five feet of water was rushing across Briery Creek Road, stranding two people who had to be rescued." +115379,692709,KENTUCKY,2017,May,Hail,"LEWIS",2017-05-27 16:14:00,EST-5,2017-05-27 16:16:00,0,0,0,0,0.00K,0,0.00K,0,38.44,-83.49,38.44,-83.49,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","" +115379,692710,KENTUCKY,2017,May,Hail,"LEWIS",2017-05-27 15:42:00,EST-5,2017-05-27 15:44:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-83.52,38.54,-83.52,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","" +115378,692711,OHIO,2017,May,Flash Flood,"PIKE",2017-05-27 18:15:00,EST-5,2017-05-27 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0476,-83.0712,39.044,-83.0707,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","High water was flowing over a bridge along Long Fork Road." +115378,692712,OHIO,2017,May,Flash Flood,"ADAMS",2017-05-27 17:45:00,EST-5,2017-05-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,38.7698,-83.4164,38.7553,-83.4312,"Good instabilities combined with a weak frontal boundary to produce scattered thunderstorms during the afternoon and early evening hours.","High water was reported flowing across Hamilton, Rhodes and Tulip Roads." +115119,690993,OHIO,2017,May,Thunderstorm Wind,"BROWN",2017-05-20 13:57:00,EST-5,2017-05-20 13:59:00,0,0,0,0,1.00K,1000,0.00K,0,38.7868,-83.9328,38.7868,-83.9328,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","A tree was downed near the intersection of Old U.S. Highway 52 and Free Soil Road." +115119,690995,OHIO,2017,May,Hail,"SCIOTO",2017-05-20 15:23:00,EST-5,2017-05-20 15:25:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-83.2,38.74,-83.2,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","" +119043,714941,PENNSYLVANIA,2017,September,Flood,"DELAWARE",2017-09-16 18:40:00,EST-5,2017-09-16 18:40:00,0,0,0,0,0.00K,0,0.00K,0,39.8874,-75.3087,39.8888,-75.31,"A series of disturbances in the jet stream and a weak surface trough lead to sufficient lift within a tropical air mass to produce slow moving, heavy rain showers across portions of Pennsylvania. This lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th.","Heavy rain showers lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th. Route 420 in Prospect Park at the railroad bridge was impassible." +118095,710032,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-06-19 17:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 40 knots was measured at York River East Rear Range Light." +120797,723419,OHIO,2017,November,Flood,"RICHLAND",2017-11-18 18:00:00,EST-5,2017-11-19 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.88,-82.65,40.8389,-82.4414,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Rainfall in Richland and Ashland Counties was heaviest south of Mansfield, where the airport reported 3.02��� for the event. The flooding impacts were primarily isolated to the central and southern half of the counties. There were reports of high water in Mansfield at Ohio 314 and Millsboro Road and Ohio 314 and Flowers Road. Mansfield police said affected areas included the subway and Longview Avenue at Main Street. The street department was called to put up barricades. By 8 pm there were numerous roads flooded across the county. In Shelby the Black Fork was elevated causing the fire department to relocated out of harms way, but ultimately did not breach the banks. The Black Fork south of Melco and into the confluence with the Mohican River were flooded. In Ashland County, numerous campgrounds, vacant this time of year, were inundated in Loudonville from the Mohican River. Other areas in Ashland County that saw flooding were OH-603 and OH-430, as well as County Road 251, just north of County Road 1302. The Ashland County Sheriff���s Office said County Road 1600 between County Road 1575 and County Road 655 in Montgomery Township was closed with high water crossing the road just west of County Road 1575. High water was reported at state Route 603 and state Route 430, and County Road 251 just north of County Road 1302. High water signs went up on County Road 500 west of U.S. Route 250 around 10:30 p.m. Saturday." +115365,692682,ARKANSAS,2017,April,Thunderstorm Wind,"BOONE",2017-04-29 14:20:00,CST-6,2017-04-29 14:20:00,0,0,0,0,20.00K,20000,0.00K,0,36.2,-93.05,36.2,-93.05,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines were blown down, blocking parts of Highway 65. One house sustained structural damage." +116772,702260,TEXAS,2017,June,Thunderstorm Wind,"DE WITT",2017-06-04 16:55:00,CST-6,2017-06-04 16:55:00,0,0,0,0,5.00K,5000,0.00K,0,29.2,-97.47,29.2,-97.47,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 80 mph that ripped the roof off a metal storage building and wrapped it around a tree in Westhoff." +115365,692691,ARKANSAS,2017,April,Hail,"BAXTER",2017-04-29 17:45:00,CST-6,2017-04-29 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-92.38,36.34,-92.38,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","" +115365,692692,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 18:25:00,CST-6,2017-04-29 18:25:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-92.02,34.97,-92.02,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines were down in Cabot." +112127,668735,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-21 22:18:00,EST-5,2017-01-21 22:18:00,0,0,0,0,0.00K,0,0.00K,0,30.41,-81.41,30.41,-81.41,"A pre-frontal squall line combine moved across SE GA during the afternoon. Fueled by cold temperatures aloft and an increasing SW low level flow, the storms produced severe hail and damaging wind gusts. Strong outflow boundaries from thunderstorms moved offshore of the local Atlantic coast which produced wind gusts over 40 mph.","A mesonet station measured a wind gust of 46 mph with an outflow boundary." +118152,710057,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:10:00,CST-6,2017-06-13 19:10:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-97.37,41.41,-97.37,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 72 mph wind gust was measured by a storm spotter south of Columbus." +118152,710058,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:11:00,CST-6,2017-06-13 19:11:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A 58 mph wind gust was measured at the Columbus Airport AWOS." +118152,710232,NEBRASKA,2017,June,Thunderstorm Wind,"SEWARD",2017-06-13 21:30:00,CST-6,2017-06-13 21:30:00,0,0,0,0,,NaN,,NaN,40.85,-97.29,40.85,-97.29,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","Damaging winds damaged a greenhouse southeast of Utica." +118152,710213,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,,NaN,41.69,-97.49,41.69,-97.49,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A large tree and power lines were blown down." +113354,678787,MARYLAND,2017,April,Thunderstorm Wind,"CECIL",2017-04-06 14:04:00,EST-5,2017-04-06 14:04:00,0,0,0,0,,NaN,,NaN,39.37,-75.88,39.37,-75.88,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Measured gust." +115365,692683,ARKANSAS,2017,April,Thunderstorm Wind,"NEWTON",2017-04-29 15:55:00,CST-6,2017-04-29 15:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.97,-93.23,35.97,-93.23,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A barge had part of its roof blown off." +115365,692686,ARKANSAS,2017,April,Flash Flood,"BOONE",2017-04-29 16:45:00,CST-6,2017-04-29 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-93.12,36.2274,-93.1242,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Multiple roads in and around Harrison were flooded and/or not passable." +115365,692690,ARKANSAS,2017,April,Hail,"CALHOUN",2017-04-29 17:28:00,CST-6,2017-04-29 17:28:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-92.47,33.54,-92.47,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Quarter size hail was reported in Hampton." +118152,710211,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,,NaN,41.43,-97.36,41.43,-97.36,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","A large tree and large branches were blown down T Elks Country Club near Columbus." +113357,678817,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 19:15:00,EST-5,2017-04-06 19:15:00,0,0,0,0,,NaN,,NaN,39.94,-74.08,39.94,-74.08,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +114559,687059,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-10 06:40:00,CST-6,2017-04-10 06:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2155,-87.8,40.2155,-87.8,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +114606,687338,WISCONSIN,2017,April,Hail,"CLARK",2017-04-09 23:15:00,CST-6,2017-04-09 23:15:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-90.57,44.95,-90.57,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","" +121019,724578,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-20 01:30:00,MST-7,2017-11-20 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 81 mph wind gust." +121019,724581,MONTANA,2017,November,High Wind,"EASTERN TETON",2017-11-20 04:15:00,MST-7,2017-11-20 04:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 71 mph wind gust." +113409,678627,KENTUCKY,2017,April,Thunderstorm Wind,"ELLIOTT",2017-04-05 20:30:00,EST-5,2017-04-05 20:30:00,0,0,0,0,,NaN,,NaN,38.1717,-83.1288,38.1717,-83.1288,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","The Department of Highways reported a tree down on Kentucky Highway 649 near Stark." +112129,668738,FLORIDA,2017,January,Hail,"DUVAL",2017-01-22 13:40:00,EST-5,2017-01-22 13:40:00,0,0,0,0,0.00K,0,0.00K,0,30.32,-81.49,30.32,-81.49,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Local TV Station received pictures of hail estimated to be quarter size along Atlantic Kernan. The time of the report was given based on radar." +115009,690097,MASSACHUSETTS,2017,March,Winter Storm,"BARNSTABLE",2017-03-10 03:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","Snowfall of 6 to 9 inches was reported across much of Cape Cod. Harwich and Brewster reported the highest amounts at nine inches." +115010,690102,RHODE ISLAND,2017,March,Winter Storm,"WASHINGTON",2017-03-10 05:00:00,EST-5,2017-03-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Rhode Island. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","Trained spotters measured 5 to 6 inches of snow accumulation." +115010,690105,RHODE ISLAND,2017,March,Winter Storm,"BLOCK ISLAND",2017-03-10 05:00:00,EST-5,2017-03-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Rhode Island. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","A COOP observer on Block Island measured 6 inches of snow accumulation." +114436,686243,CONNECTICUT,2017,March,Drought,"HARTFORD",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In March, rainfall in Connecticut ranged from an inch and one-half below normal to one-quarter inch above normal. The driest areas were in Northeast Connecticut. Temperatures were about four and one-half degrees below normal. ||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for most of Hartford County through March 7 while eastern areas remained at Severe Drought (D2). On March 7 the Extreme Drought designation was lowered to Severe Drought (D2). All areas continued at the D2 designation through the end of the month." +114436,686246,CONNECTICUT,2017,March,Drought,"TOLLAND",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In March, rainfall in Connecticut ranged from an inch and one-half below normal to one-quarter inch above normal. The driest areas were in Northeast Connecticut. Temperatures were about four and one-half degrees below normal. ||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County.","The U.S. Drought Monitor continued the Severe Drought (D2) designation through March 21. On March 21 most of the region was reduced to the Moderate Drought (D1) designator. Extreme western Tolland County remained in the D2 designation through the end of the month." +115003,690048,MASSACHUSETTS,2017,March,High Wind,"WESTERN NORFOLK",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 950 AM EST, an amateur radio operator in Foxborough estimated a wind gust to 65 mph. At 1117 AM EST, the Automated Surface Observing System platform at Blue Hill in Milton reported a wind gust of 60 mph. A tree fell on Walnut Street in Canton. A tree fell on power lines on Crossfield Road in Franklin." +115003,690058,MASSACHUSETTS,2017,March,High Wind,"EASTERN NORFOLK",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1117 AM EST, the Automated Surface Observing System platform at Blue Hill in Milton reported a wind gust of 60 mph. Wires were reported down on Jefferson Street in Braintree." +114610,687581,CONNECTICUT,2017,March,Winter Storm,"NORTHERN FAIRFIELD",2017-03-14 02:30:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","Trained spotters, CT DOT, and Amateur Radio reported 10 to 20 inches of snow and sleet." +114610,687583,CONNECTICUT,2017,March,Winter Storm,"SOUTHERN FAIRFIELD",2017-03-14 02:15:00,EST-5,2017-03-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","A COOP Observer at Bridgeport Airport reported 7.1 inches of snow and sleet. CT DOT and trained spotters also reported 7 to 10 inches of snow and sleet. Some rain mixed in with the snow and sleet during the early afternoon on March 14th. The Bridgeport ASOS recorded a 46 mph wind gust at 5:53 pm." +114610,687585,CONNECTICUT,2017,March,Winter Storm,"NORTHERN NEW HAVEN",2017-03-14 02:00:00,EST-5,2017-03-14 20:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","CT DOT and trained spotters reported 10 to 13 inches of snow and sleet. The Oxford-Waterbury Airport AWOS recorded a 46 mph wind gust at 2:55 pm." +114881,689478,TENNESSEE,2017,March,Winter Weather,"WEAKLEY",2017-03-11 04:00:00,CST-6,2017-03-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two to three inches of snow fell." +111972,667735,ALASKA,2017,January,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-01-21 01:10:00,AKST-9,2017-01-21 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 1/20 arctic high pressure built into the Yukon. As the arctic front pushed south a moderate Taku Wind occurred for Downtown Juneau and Douglas on the morning of 1/21. No damage was reported.","Marine Exchange observations at both the AJ Dock and AML both had peak gusts to 73 KT on the morning of 1/24. Both of these stations had frequent gusts greater than 60 MPH during that morning. The very strong winds were confined to that part of town and along Thane Road. Williwaws were observed. No damage was reported." +114881,689479,TENNESSEE,2017,March,Winter Weather,"HENRY",2017-03-11 04:00:00,CST-6,2017-03-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Three to four inches of snow fell." +114881,689480,TENNESSEE,2017,March,Winter Weather,"BENTON",2017-03-11 04:00:00,CST-6,2017-03-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to three inches of snow fell." +114430,686169,TENNESSEE,2017,March,Hail,"LAUDERDALE",2017-03-27 15:24:00,CST-6,2017-03-27 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-89.55,35.7399,-89.4981,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686170,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-27 15:41:00,CST-6,2017-03-27 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35.5775,-88.5574,35.5855,-88.5162,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686171,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-27 15:52:00,CST-6,2017-03-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-88.4,35.6585,-88.3617,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686612,TENNESSEE,2017,March,Hail,"TIPTON",2017-03-27 16:00:00,CST-6,2017-03-27 16:10:00,0,0,0,0,,NaN,,NaN,35.57,-89.67,35.5725,-89.6155,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686613,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-27 16:00:00,CST-6,2017-03-27 16:10:00,0,0,0,0,,NaN,,NaN,35.5735,-88.3772,35.5697,-88.3006,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +112136,668799,GEORGIA,2017,January,Thunderstorm Wind,"CLINCH",2017-01-22 07:45:00,EST-5,2017-01-22 07:45:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-82.75,31.04,-82.75,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Trees were blown down near Homerville." +112136,668800,GEORGIA,2017,January,Thunderstorm Wind,"CLINCH",2017-01-22 07:55:00,EST-5,2017-01-22 07:55:00,0,0,0,0,0.00K,0,0.00K,0,30.98,-82.75,30.98,-82.75,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Power lines and trees were blown down along Shiloh Highway." +114881,689487,TENNESSEE,2017,March,Winter Weather,"HAYWOOD",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One inch of snow fell." +114881,689488,TENNESSEE,2017,March,Winter Weather,"MADISON",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two inches of snow fell." +114881,689489,TENNESSEE,2017,March,Winter Weather,"HENDERSON",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two inches of snow fell." +114881,689490,TENNESSEE,2017,March,Winter Weather,"DECATUR",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +114881,689491,TENNESSEE,2017,March,Winter Weather,"CHESTER",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One inch of snow fell." +114881,689492,TENNESSEE,2017,March,Winter Weather,"LAUDERDALE",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two inches of snow fell." +114430,686614,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-27 16:10:00,CST-6,2017-03-27 16:20:00,0,0,0,0,,NaN,,NaN,35.6385,-88.2302,35.6347,-88.1977,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686616,TENNESSEE,2017,March,Hail,"TIPTON",2017-03-27 16:15:00,CST-6,2017-03-27 16:20:00,0,0,0,0,,NaN,,NaN,35.5672,-89.4917,35.5687,-89.4761,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Ping Pong ball size hail fell at the Highway 54 bridge over the Hatchie River." +114430,686618,TENNESSEE,2017,March,Hail,"DECATUR",2017-03-27 16:28:00,CST-6,2017-03-27 16:35:00,0,0,0,0,,NaN,0.00K,0,35.58,-88.13,35.5775,-88.0994,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686619,TENNESSEE,2017,March,Hail,"MADISON",2017-03-27 16:20:00,CST-6,2017-03-27 16:25:00,0,0,0,0,0.00K,0,0.00K,0,35.4537,-88.8832,35.4557,-88.8416,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686621,TENNESSEE,2017,March,Hail,"HAYWOOD",2017-03-27 16:33:00,CST-6,2017-03-27 16:38:00,0,0,0,0,,NaN,0.00K,0,35.6,-89.27,35.5971,-89.2227,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +115010,690107,RHODE ISLAND,2017,March,Winter Storm,"NEWPORT",2017-03-10 04:00:00,EST-5,2017-03-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Rhode Island. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","Trained spotters measured 5 to 6 inches of snow accumulation." +115029,690316,MASSACHUSETTS,2017,March,High Wind,"WESTERN MIDDLESEX",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 311 PM EST an amateur radio operator estimated a 46 mph wind at Maynard MA. At 1208 PM EST amateur radio also reported a tree down on Highgate Road in Framingham. One tree knocked a second tree into power lines on Lakeview Avenue in Tyngsboro. A large tree was downed and blocked Broad Street in Hudson. A large tree and wires were downed on Laurel Drive, also in Hudson. A tree was downed and blocked Marblehead Street in North Reading. Trees and wires were down on Courthouse Lane in Chelmsford. A tree was down across Garden Road in Natick." +115029,690320,MASSACHUSETTS,2017,March,High Wind,"WESTERN ESSEX",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 952 AM EST A tree was down on wires and blocking Blood Road in Andover. At 1225 PM EST a tree was down on a house on Sycamore Road in Methuen. A tree was downed on Harold Parker Road in Andover. A large tree was down on wires across Mill Street in Middleton. A tree was down on Alderbrook Drive in Topsfield. Also in Topsfield, a tree was down on a house on Campmeeting Road near Boston Road and Honor Place." +115029,690334,MASSACHUSETTS,2017,March,High Wind,"EASTERN ESSEX",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 355 PM EST, an amateur radio operator in Rockport estimated a wind gust at 55 mph. At 1047 AM, a large tree was down across U.S. Route 1 near Tri-City Sales in Ipswich. Also in Ipswich, a large tree was down and blocking Herrick Drive. A tree was downed and blocking the intersection of Harlow Street and Conomo Point Road in Essex. A tree and a pole with wires were down on Cleveland Avenue in Saugus. A tree fell on a house at Hyland Place in Swampscott. A tree was downed and blocking Springdale Avenue in Saugus." +115029,690371,MASSACHUSETTS,2017,March,Strong Wind,"SOUTHERN WORCESTER",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 212 PM EST a tree branch was down on a car on Boston Post Road in Marlborough, causing damage." +115003,690052,MASSACHUSETTS,2017,March,High Wind,"WESTERN MIDDLESEX",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1059 AM EST, the Automated Surface Observing System platform at Hanscom Field in Bedford reported a wind gust of 52 mph. Trees were reported down on wires on West Street in Wesford. A tree fell on Hobbit Road in Littleton. Trees fell on Pike Street and North Street in Tewksbury. A large tree fell on wires on Willowdale Street in Tyngsboro. Trees and wires were down on Gates Street in Lowell. A tree fell on Coastal Railroad Line at mile 46.4 in Framingham." +112129,668739,FLORIDA,2017,January,Hail,"DUVAL",2017-01-22 13:45:00,EST-5,2017-01-22 13:45:00,0,0,0,0,0.00K,0,0.00K,0,30.32,-81.45,30.32,-81.45,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","About dime size hail was reported along Atlantic Blvd and San Pablo." +114299,684736,TENNESSEE,2017,March,Hail,"MADISON",2017-03-09 21:45:00,CST-6,2017-03-09 21:50:00,0,0,0,0,,NaN,0.00K,0,35.6898,-88.7421,35.6898,-88.7421,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684738,TENNESSEE,2017,March,Thunderstorm Wind,"BENTON",2017-03-09 21:50:00,CST-6,2017-03-09 21:55:00,0,0,0,0,20.00K,20000,0.00K,0,36.2343,-88.1018,36.23,-88.08,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Large tree fell on a car. No injuries." +114299,684740,TENNESSEE,2017,March,Thunderstorm Wind,"CARROLL",2017-03-09 22:00:00,CST-6,2017-03-09 22:05:00,0,0,0,0,,NaN,0.00K,0,36.03,-88.28,36.0289,-88.2628,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Trees down across town." +114430,686622,TENNESSEE,2017,March,Hail,"CHESTER",2017-03-27 16:45:00,CST-6,2017-03-27 16:55:00,0,0,0,0,,NaN,,NaN,35.47,-88.53,35.4708,-88.5048,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686623,TENNESSEE,2017,March,Hail,"HARDEMAN",2017-03-27 17:02:00,CST-6,2017-03-27 17:10:00,0,0,0,0,,NaN,0.00K,0,35.2547,-89.0222,35.2592,-88.9371,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686624,TENNESSEE,2017,March,Hail,"HARDIN",2017-03-27 18:09:00,CST-6,2017-03-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-88.15,35.35,-88.15,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686626,TENNESSEE,2017,March,Hail,"MCNAIRY",2017-03-27 18:10:00,CST-6,2017-03-27 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.2469,-88.3926,35.217,-88.3764,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686625,TENNESSEE,2017,March,Hail,"HARDIN",2017-03-27 18:10:00,CST-6,2017-03-27 18:20:00,0,0,0,0,,NaN,,NaN,35.27,-88.03,35.2563,-88.0211,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +115029,690377,MASSACHUSETTS,2017,March,Strong Wind,"WESTERN NORFOLK",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 525 PM EST, the Automated Surface Observation System platform at Blue Hill Observatory on the Milton-Canton town line measured a wind gust of 49 mph. At 539 pm a tree was down on a house on Woodcliff Road in Wellesley." +115003,690059,MASSACHUSETTS,2017,March,Strong Wind,"NORTHWEST MIDDLESEX COUNTY",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","A tree fell on Old Ayer Road in Groton." +115003,690061,MASSACHUSETTS,2017,March,Strong Wind,"NORTHERN BRISTOL",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1108 AM EST, the Automated Surface Observing System platform at Taunton Airport reported a wind gust of 49 mph. A tree fell on Smith Street in Rehoboth." +115003,690062,MASSACHUSETTS,2017,March,Strong Wind,"WESTERN ESSEX",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1104 AM EST, the Automated Surface Observing System platform at Lawrence Airport reported a wind gust of 51 mph. A tree fell on a building on Portland Street in Haverhill. A tree fell on a car on Washington Street in Boxford." +115003,690064,MASSACHUSETTS,2017,March,High Wind,"BARNSTABLE",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1005 AM EST, an amateur radio operator estimated a wind gust of 58 mph at Woods Hole." +115003,690067,MASSACHUSETTS,2017,March,Strong Wind,"SOUTHERN BRISTOL",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 106 PM EST, an amateur radio operator at Fall River estimated a wind gust of 53 mph. At 1226 PM EST, an amateur radio operator at Fairhaven also estimated a wind gust of 53 mph. A large tree fell on Bakersville Road in Dartmouth." +115003,690069,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN FRANKLIN",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 745 AM EST, the Automated Surface Observing System platform at Orange Airport reported a wind gust of 51 mph. Route 10 was closed due to a downed tree and power lines." +112136,668801,GEORGIA,2017,January,Thunderstorm Wind,"COFFEE",2017-01-22 16:45:00,EST-5,2017-01-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,31.43,-82.85,31.43,-82.85,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","A single wide mobile home was damaged by winds south of Douglas." +112136,668803,GEORGIA,2017,January,Thunderstorm Wind,"COFFEE",2017-01-22 16:45:00,EST-5,2017-01-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,31.51,-82.8,31.51,-82.8,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Multiple trees were blown down along Highway 32." +111973,667739,ALASKA,2017,January,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-01-18 15:00:00,AKST-9,2017-01-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Over-runing snow event from a weakening frontal band moving across the Northern Lynn Canal area: Southerly flow aloft pushed warm moist air over the colder air in the Haines area. Heavy snow developed on 1/19 with up to 9 inches of new snow. Impact was snow removal.","A Trained Spotter (19-4 8 miles south of Haines) measured 5.5 inches snow since 2 pm when started (7 hr) on 1/18. Haines Customs measured 24 hour total 9.2 inches new snow at 0700 on 1/19. Impact was snow removal." +115003,690070,MASSACHUSETTS,2017,March,High Wind,"SUFFOLK",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1123 AM EST, the Automated Surface Observing System platform at Logan International Airport in East Boston reported a sustained wind of 40 mph." +115003,690072,MASSACHUSETTS,2017,March,High Wind,"EASTERN PLYMOUTH",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1014 AM EST, an amateur radio operator at Duxbury reported a wind gust of 54 mph. The Automated Surface Observing System platform at Plymouth Airport reported a wind gust of 49 mph. A tree fell on wires on South Main Street in Cohassett." +115003,690074,MASSACHUSETTS,2017,March,High Wind,"EASTERN ESSEX",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1109 AM EST, the Automated Surface Observing System platform at Beverly Airport and an amateur radio operator both reported a wind gust of 52 mph. A tree fell on Apple Street in Essex. A tree fell on a house on Lyndon Street in Salem." +115003,690078,MASSACHUSETTS,2017,March,Strong Wind,"BARNSTABLE",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1059 AM EST, the Automated Surface Observing System platform at Hanscom Field in Bedford reported a wind gust of 52 mph. Multiple trees fell on power lines on Katherine Road in Stoneham. A tree fell on wires on Edith Street in Everett. A tree and wires fell on Winthrop Street in Medford." +115004,690081,CONNECTICUT,2017,March,High Wind,"HARTFORD",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through northern Connecticut early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the region.","At 825 AM EST, the Automated Surface Observing System platform at Bradley International Airport in Windsor Locks reported a sustained wind of 43 mph." +115009,690091,MASSACHUSETTS,2017,March,Winter Storm,"WESTERN PLYMOUTH",2017-03-10 03:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","A trained spotter in Lakeville reported six inches snow accumulation as of 6:59 PM." +112129,668740,FLORIDA,2017,January,Hail,"NASSAU",2017-01-22 14:30:00,EST-5,2017-01-22 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-81.52,30.58,-81.52,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Penny size hail was reported along Nassauville Road in Fernandina Beach. The time of the event was based on radar." +115029,690378,MASSACHUSETTS,2017,March,Strong Wind,"SOUTHEAST MIDDLESEX",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 311 PM EST an amateur radio operator estimated a wind gust of 49 mph at Medford. At 339 PM EST a tree was down on Gerrys Landing Road in Cambridge." +115029,690381,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN NORFOLK",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 525 PM EST, the Automated Surface Observation System platform at Blue Hill Observatory on the Milton-Canton town line measured a wind gust of 49 mph. At 116 PM EST a tree was down on power lines on Kendrick Avenue in Quincy." +115029,690383,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN HAMPSHIRE",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 301 PM EST amateur radio reported a tree down on wires on Warner Road in Belchertown." +115029,690384,MASSACHUSETTS,2017,March,Strong Wind,"NORTHERN BRISTOL",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 304 PM EST amateur radio reported a tree down on state route 104 near the Bridgewater Town Line." +115009,690094,MASSACHUSETTS,2017,March,Winter Storm,"SOUTHERN PLYMOUTH",2017-03-10 03:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","A trained spotter in Marion reported a little over six inches of snow." +112129,668742,FLORIDA,2017,January,Hail,"FLAGLER",2017-01-22 19:35:00,EST-5,2017-01-22 19:35:00,0,0,0,0,0.00K,0,0.00K,0,29.5,-81.24,29.5,-81.24,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Quarter size hail lasted for about 3 minutes in the R section of Palm Coast. The time of the event was based on radar." +112129,668743,FLORIDA,2017,January,Hail,"FLAGLER",2017-01-22 19:35:00,EST-5,2017-01-22 19:35:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.2,29.57,-81.2,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Quarter size hail was reported in the C section of Palm Coast." +112129,668744,FLORIDA,2017,January,Thunderstorm Wind,"MARION",2017-01-22 15:00:00,EST-5,2017-01-22 15:00:00,0,0,0,0,3.00K,3000,0.00K,0,29.08,-82.26,29.08,-82.26,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","A tree was blown down onto a street lamp. The street lamp fell on a home. This occurred in the the On Top of the World subdivision. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +113924,682296,WEST VIRGINIA,2017,February,Cold/Wind Chill,"EASTERN TUCKER",2017-02-09 23:00:00,EST-5,2017-02-10 07:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air briefly moved into the Upper Ohio Valley on the morning of the 10th, with temperatures in the single digits. This combined with strong northwest winds produced wind chills from 10 to 20 degrees below zero across portions of Garrett county, Maryland and eastern Tucker county in West Virginia.","A wind chill of 17 below zero was recorded in Canaan Heights." +113923,682298,MARYLAND,2017,February,Cold/Wind Chill,"GARRETT",2017-02-09 23:00:00,EST-5,2017-02-10 07:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air briefly moved into the Upper Ohio Valley on the morning of the 10th, with temperatures in the single digits. This combined with strong northwest winds produced wind chills from 10 to 20 degrees below zero across portions of Garrett county, Maryland and eastern Tucker county in West Virginia.","A wind chill of 10 below zero was recorded near Accident." +113925,682299,MARYLAND,2017,February,High Wind,"GARRETT",2017-02-12 17:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","" +113926,682302,WEST VIRGINIA,2017,February,High Wind,"EASTERN TUCKER",2017-02-12 16:00:00,EST-5,2017-02-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","Trained spotters reported trees and power lines down in portions of the county." +112129,668753,FLORIDA,2017,January,Thunderstorm Wind,"PUTNAM",2017-01-22 19:00:00,EST-5,2017-01-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7329,-81.8793,29.7329,-81.8793,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","A tree was blown down near State Road 100 and Sipprell Road. The time of the cause of the damage was based on radar." +112136,668754,GEORGIA,2017,January,Funnel Cloud,"CAMDEN",2017-01-22 18:30:00,EST-5,2017-01-22 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.96,-81.72,30.96,-81.72,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","A funnel cloud was observed southwest of Woodbine." +112136,668755,GEORGIA,2017,January,Hail,"PIERCE",2017-01-22 17:15:00,EST-5,2017-01-22 17:15:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-82.24,31.3,-82.24,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Penny size hail was observed." +114299,684743,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-09 22:15:00,CST-6,2017-03-09 22:20:00,0,0,0,0,,NaN,0.00K,0,35.65,-88.4,35.65,-88.4,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684744,TENNESSEE,2017,March,Thunderstorm Wind,"BENTON",2017-03-09 22:05:00,CST-6,2017-03-09 22:10:00,0,0,0,0,0.00K,0,0.00K,0,35.9458,-88.2724,35.9163,-88.1685,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Trees down in Natchez Trace State Park." +114299,684745,TENNESSEE,2017,March,Thunderstorm Wind,"DECATUR",2017-03-09 22:16:00,CST-6,2017-03-09 22:20:00,0,0,0,0,0.00K,0,0.00K,0,35.6532,-88.1485,35.6438,-88.1297,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Trees down on 4th street and Bear Creek Road in Parsons." +113926,682304,WEST VIRGINIA,2017,February,Strong Wind,"OHIO",2017-02-12 19:00:00,EST-5,2017-02-12 21:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","" +113928,682306,OHIO,2017,February,Thunderstorm Wind,"COLUMBIANA",2017-02-25 00:35:00,EST-5,2017-02-25 00:35:00,0,0,0,0,25.00K,25000,0.00K,0,40.88,-81.01,40.88,-81.01,"A line of strong thunderstorms developed along a cold front moving east across the Upper Ohio Valley during the early morning hours of the 25th. An isolated severe thunderstorms developed over Columbiana county in Ohio.","Emergency management reported a flipped travel trailer with damage from a falling tree. A block building was partially collapsed." +113927,682428,PENNSYLVANIA,2017,February,Strong Wind,"WESTMORELAND",2017-02-12 20:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","Emergency management reported trees and power lines down." +113835,681613,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-03-01 04:05:00,MST-7,2017-03-01 05:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +113835,681615,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-03-01 09:45:00,MST-7,2017-03-01 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 01/1455 MST." +113835,681619,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 03:45:00,MST-7,2017-03-01 05:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 01/0405 MST." +112129,668741,FLORIDA,2017,January,Hail,"FLAGLER",2017-01-22 19:29:00,EST-5,2017-01-22 19:29:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.21,29.57,-81.21,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","EM team relayed multiple reports of penny size hail in Palm Coast." +111935,667723,ALASKA,2017,January,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-24 06:00:00,AKST-9,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The cold air was almost gone but over running snow occurred for the northern Lynn Canal Area along with some wind. Haines Customs got 5 inches of new snow overnight on 1/23 to 1/24 and Downtown Haines got 4.3 inches new snow. The surprize was Mud Bay near Haines got 8.5 inches new overnight. ||The Klondike Highway was buried.","Skagway Customs measured 5 inches of new snow between 0700 and 1500 on 1/24. Estimated 8 inches with Blowing snow in White Pass. Impact was snow removal and poor driving conditions." +112136,668756,GEORGIA,2017,January,Hail,"GLYNN",2017-01-22 19:05:00,EST-5,2017-01-22 19:05:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-81.38,31.16,-81.38,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Quarter size hail was observed." +112136,668776,GEORGIA,2017,January,Tornado,"CAMDEN",2017-01-22 18:26:00,EST-5,2017-01-22 18:47:00,0,0,0,0,0.00K,0,0.00K,0,30.9007,-81.8579,31.0439,-81.6321,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","An EF1 tornado with peak winds of 110 mph stared in west central Camden County and tracked quickly NE at 50-65 mph before lifting NE of Woodbine just east of Horseshoe Cove Road. The main path was along or near the Satilla River and crossed the river at least 3 times in heavy forested areas. The tornado then crossed east of Interstate 95 briefly before hitting the Horseshoe subdivision which suffered significant damage. Significant trees damage and homes with fallen tree damage occurred along and at the end of the tornado path." +114435,686225,MASSACHUSETTS,2017,March,Drought,"EASTERN HAMPDEN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Eastern Hampden County through March 21. On March 21 the D2 designation was reduced to include only areas near and west of the Connecticut River. Areas to the east were reduced to the Moderate Drought (D1) designation." +114435,686228,MASSACHUSETTS,2017,March,Drought,"WESTERN HAMPDEN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Western Hampden County through March 21. On March 21 the D2 designation was reduced to cover only the southeast portion of Western Hampden County. The remainder of the region was reduced to the Moderate Drought (D1) designation." +113835,681620,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 08:10:00,MST-7,2017-03-01 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 01/1440 MST." +112129,668745,FLORIDA,2017,January,Thunderstorm Wind,"MARION",2017-01-22 15:20:00,EST-5,2017-01-22 15:20:00,0,0,0,0,0.05K,50,0.00K,0,29.19,-82.13,29.19,-82.13,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","About 5 oak tree branches 2 inches thick were blown down at 41st St. Estimated wind speed was 50 mph. The cost of damage was unknown, but estimated for the event to be included in Storm Data." +112129,668746,FLORIDA,2017,January,Thunderstorm Wind,"MARION",2017-01-22 15:30:00,EST-5,2017-01-22 15:30:00,0,0,0,0,0.05K,50,0.00K,0,29.22,-82.12,29.22,-82.12,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Trees were blown down near Old Jacksonville Road in Ocala. The cost of damage was unknown but estimated for the event to be included in Storm Data." +112129,668747,FLORIDA,2017,January,Thunderstorm Wind,"CLAY",2017-01-22 15:35:00,EST-5,2017-01-22 15:35:00,0,0,0,0,1.00K,1000,0.00K,0,29.8,-82.03,29.8,-82.03,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Trees were blown down near Keystone Heights. The cost of damage was estimated for inclusion of the event in Storm Data." +112129,668748,FLORIDA,2017,January,Thunderstorm Wind,"SUWANNEE",2017-01-22 17:30:00,EST-5,2017-01-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-82.99,30.29,-82.99,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Trees and power lines were blown down across the county." +112129,668749,FLORIDA,2017,January,Thunderstorm Wind,"COLUMBIA",2017-01-22 17:55:00,EST-5,2017-01-22 17:55:00,0,0,1,0,0.00K,0,0.00K,0,30.27,-82.72,30.27,-82.72,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","A large tree was blown down onto a mobile home and split the home in half near Interstate 10 and U.S. Highway 41. There was 1 fatality. There were additional reports of trees and power lines down across Lake City. The time of damage was based on radar." +112129,668750,FLORIDA,2017,January,Thunderstorm Wind,"ALACHUA",2017-01-22 18:55:00,EST-5,2017-01-22 18:55:00,0,0,0,0,0.00K,0,0.00K,0,30.3631,-81.7338,30.3631,-81.7338,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Local article that documented a 5 yr old narrowly escaped injury when a tree fell through the roof of the home on Wabash Ave near Old King Rd. The boy was buried in rubble but escaped injury. The time of the event was based on radar." +112129,668751,FLORIDA,2017,January,Thunderstorm Wind,"FLAGLER",2017-01-22 16:30:00,EST-5,2017-01-22 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.5378,-81.2284,29.5378,-81.2284,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","EM relayed a reported from social media about a tree down in South Central Palm Coast." +112129,668752,FLORIDA,2017,January,Thunderstorm Wind,"HAMILTON",2017-01-22 17:18:00,EST-5,2017-01-22 17:18:00,0,0,0,0,0.00K,0,0.00K,0,30.4784,-82.9348,30.4784,-82.9348,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","The Hamilton High School mesonet station measured a thunderstorm wind gust to 58 mph." +111935,667570,ALASKA,2017,January,Heavy Snow,"HAINES BOROUGH AND LYNN CANAL",2017-01-23 22:00:00,AKST-9,2017-01-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The cold air was almost gone but over running snow occurred for the northern Lynn Canal Area along with some wind. Haines Customs got 5 inches of new snow overnight on 1/23 to 1/24 and Downtown Haines got 4.3 inches new snow. The surprize was Mud Bay near Haines got 8.5 inches new overnight. ||The Klondike Highway was buried.","Haines Customs got 5 inches new. Downtown Haines got 4.3 inches, but Mud Bay got 8.5 inches. Impact was snow removal." +114881,689477,TENNESSEE,2017,March,Winter Weather,"OBION",2017-03-11 04:00:00,CST-6,2017-03-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +114880,689474,MISSOURI,2017,March,Winter Weather,"DUNKLIN",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. About two inches fell over the Missouri Bootheel.","Two inches of snow fell." +114880,689475,MISSOURI,2017,March,Winter Weather,"PEMISCOT",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. About two inches fell over the Missouri Bootheel.","Two inches of snow fell." +114881,689476,TENNESSEE,2017,March,Winter Weather,"LAKE",2017-03-11 04:00:00,CST-6,2017-03-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +112136,668795,GEORGIA,2017,January,Thunderstorm Wind,"COFFEE",2017-01-22 04:35:00,EST-5,2017-01-22 04:35:00,0,0,0,0,0.00K,0,0.00K,0,31.44,-82.75,31.44,-82.75,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Power lines were blown down off of Hickory Lane in Nicholls." +112136,668796,GEORGIA,2017,January,Thunderstorm Wind,"JEFF DAVIS",2017-01-22 05:36:00,EST-5,2017-01-22 05:36:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-82.7,31.72,-82.7,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","One home had roof damage from thunderstorm winds and there were several trees and power lines blown down in Denton. The time of damage was based on radar." +114429,686156,ARKANSAS,2017,March,Hail,"MISSISSIPPI",2017-03-27 14:45:00,CST-6,2017-03-27 14:50:00,0,0,0,0,0.00K,0,0.00K,0,35.7577,-89.9391,35.7628,-89.9197,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686157,TENNESSEE,2017,March,Hail,"FAYETTE",2017-03-27 11:05:00,CST-6,2017-03-27 11:10:00,0,0,0,0,0.00K,0,0.00K,0,35.2266,-89.5309,35.2269,-89.5155,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114435,686229,MASSACHUSETTS,2017,March,Drought,"EASTERN HAMPSHIRE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Eastern Hampshire County through March 21. On March 21 the southeast portion of Eastern Hampshire County was reduced to the Moderate Drought (D1) designation while the remainder of the region stayed at the D2 designation." +114435,686231,MASSACHUSETTS,2017,March,Drought,"WESTERN HAMPSHIRE",2017-03-01 00:00:00,EST-5,2017-03-21 11:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Western Hampshire County through March 21. On March 21, all parts of the region were reduced to the Moderate Drought (D1) designation." +114435,686233,MASSACHUSETTS,2017,March,Drought,"EASTERN FRANKLIN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Eastern Franklin County through March 21. On March 21, the northern part of the region was reduced to the Moderate Drought (D1) designation, while the southern part remained at the D2 designation." +112136,668797,GEORGIA,2017,January,Thunderstorm Wind,"APPLING",2017-01-22 05:50:00,EST-5,2017-01-22 05:50:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-82.35,31.77,-82.35,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Powerlines were blown down in Baxley." +112136,668798,GEORGIA,2017,January,Thunderstorm Wind,"CLINCH",2017-01-22 07:44:00,EST-5,2017-01-22 07:44:00,0,0,0,0,0.00K,0,0.00K,0,31,-82.77,31,-82.77,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Powerlines were blown down along Highway 187. The time of damage was based on radar." +114331,685067,TENNESSEE,2017,March,Hail,"CARROLL",2017-03-21 14:49:00,CST-6,2017-03-21 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-88.35,35.85,-88.35,"An upper level disturbance triggered a few hail producing severe thunderstorms across portions of west Tennessee during the afternoon of March 21st.","" +114429,686154,ARKANSAS,2017,March,Hail,"CRAIGHEAD",2017-03-27 13:45:00,CST-6,2017-03-27 13:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-90.35,35.9005,-90.3296,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114429,686155,ARKANSAS,2017,March,Hail,"MISSISSIPPI",2017-03-27 14:02:00,CST-6,2017-03-27 14:07:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-90.17,35.8869,-90.1373,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +113835,681624,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 13:35:00,MST-7,2017-03-01 18:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 01/1545 MST." +113835,681627,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 13:00:00,MST-7,2017-03-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher." +113835,681628,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 09:00:00,MST-7,2017-03-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 01/1010 MST." +115029,690385,MASSACHUSETTS,2017,March,Strong Wind,"SOUTHERN PLYMOUTH",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 623 PM EST amateur radio reported a tree down on state route 105 in Rochester near the water works." +115029,690387,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN PLYMOUTH",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 856 PM EST amateur radio reported a tree down across Arnold Road in Hingham." +115033,690389,CONNECTICUT,2017,March,Strong Wind,"HARTFORD",2017-03-22 05:00:00,EST-5,2017-03-22 20:00:00,1,0,1,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 751 AM EST a trained spotter estimated a wind gust to 50 mph. At 806 AM EST, a tree and wires fell on a school bus on Country Club Road in Avon. The school bus driver was killed. At 957 AM EST a tree, wires, and pole were down at the intersection of Circle and Pond Roads in Farmington." +115033,690440,CONNECTICUT,2017,March,Strong Wind,"TOLLAND",2017-03-22 05:00:00,EST-5,2017-03-22 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","A tree was brought down across Gehring Road in Tolland at 807 AM EST." +114610,687601,CONNECTICUT,2017,March,Winter Storm,"NORTHERN MIDDLESEX",2017-03-14 02:00:00,EST-5,2017-03-14 20:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 10 to 12 inches of snow and sleet." +114901,689247,OREGON,2017,March,High Wind,"CENTRAL OREGON COAST",2017-03-07 13:00:00,PST-8,2017-03-07 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that made landfall near the mouth of the Columbia River brought high winds to the Oregon Coast and Coast Range.","Weather stations at Gleneden Beach and Yachats both recorded peak gusts up to 59 mph, while Newport and Florence both saw sustained winds over 40 mph." +114910,689267,WASHINGTON,2017,March,Heavy Rain,"COWLITZ",2017-03-15 00:00:00,PST-8,2017-03-15 17:00:00,0,0,0,0,,NaN,0.00K,0,46.0302,-122.7446,46.0302,-122.7446,"An atmospheric river brought heavy rain along a slow moving front across southwest Washington. Heavy rain led to at least one landslide near Kalama, Washington.","Heavy rain caused a landslide on Kalama River Road near Italian Creek Road, closing the road in both directions." +121162,725355,OKLAHOMA,2017,October,Thunderstorm Wind,"BRYAN",2017-10-21 22:40:00,CST-6,2017-10-21 22:40:00,0,0,0,0,0.00K,0,0.00K,0,33.84,-96.5,33.84,-96.5,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Twelve inch diameter tree was downed." +121163,725356,TEXAS,2017,October,Hail,"HARDEMAN",2017-10-21 17:41:00,CST-6,2017-10-21 17:41:00,0,0,0,0,0.00K,0,0.00K,0,34.29,-99.81,34.29,-99.81,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +114879,689473,ARKANSAS,2017,March,Winter Weather,"CLAY",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two to three inches of snow fell." +114430,686159,TENNESSEE,2017,March,Hail,"HARDEMAN",2017-03-27 11:52:00,CST-6,2017-03-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,35.3096,-89.1736,35.328,-89.1287,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686160,TENNESSEE,2017,March,Hail,"HARDEMAN",2017-03-27 12:21:00,CST-6,2017-03-27 12:25:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-88.97,35.35,-88.97,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686162,TENNESSEE,2017,March,Hail,"HENRY",2017-03-27 12:50:00,CST-6,2017-03-27 12:55:00,0,0,0,0,0.00K,0,0.00K,0,36.3409,-88.2692,36.3617,-88.2271,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686163,TENNESSEE,2017,March,Hail,"HARDIN",2017-03-27 13:00:00,CST-6,2017-03-27 13:05:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-88.25,35.23,-88.25,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686165,TENNESSEE,2017,March,Hail,"DYER",2017-03-27 13:25:00,CST-6,2017-03-27 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-89.38,36.03,-89.38,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +115344,692566,ARKANSAS,2017,April,Thunderstorm Wind,"YELL",2017-04-26 08:53:00,CST-6,2017-04-26 08:53:00,0,0,0,0,15.00K,15000,0.00K,0,34.95,-93.41,34.95,-93.41,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A tree was reported down on a house in Rover." +115009,694441,MASSACHUSETTS,2017,March,Winter Storm,"NANTUCKET",2017-03-10 08:00:00,EST-5,2017-03-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","At 418 PM, an amateur radio operator on Nantucket measured 7.3 inches of snow." +114610,687599,CONNECTICUT,2017,March,Winter Storm,"NORTHERN NEW LONDON",2017-03-14 02:00:00,EST-5,2017-03-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","CT DOT reported 7.8 inches of snow and sleet in Colchester. Some rain mixed in with the snow and sleet in the afternoon." +114881,689481,TENNESSEE,2017,March,Winter Weather,"DYER",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two inches of snow fell." +114881,689482,TENNESSEE,2017,March,Winter Weather,"GIBSON",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +114299,684746,TENNESSEE,2017,March,Thunderstorm Wind,"DECATUR",2017-03-09 22:19:00,CST-6,2017-03-09 22:25:00,0,0,0,0,0.00K,0,0.00K,0,35.6317,-88.0494,35.6241,-88.0382,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Trees down on Perryville Road." +114299,684747,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-09 22:21:00,CST-6,2017-03-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,35.5937,-88.5749,35.5932,-88.5498,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114430,686166,TENNESSEE,2017,March,Hail,"BENTON",2017-03-27 13:35:00,CST-6,2017-03-27 13:45:00,0,0,0,0,,NaN,,NaN,36.2238,-88.1169,36.2444,-88.0499,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686168,TENNESSEE,2017,March,Hail,"MADISON",2017-03-27 15:21:00,CST-6,2017-03-27 15:30:00,0,0,0,0,,NaN,0.00K,0,35.62,-88.83,35.6244,-88.7798,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114499,686634,MISSISSIPPI,2017,March,Thunderstorm Wind,"TALLAHATCHIE",2017-03-25 02:20:00,CST-6,2017-03-25 02:30:00,0,0,0,0,0.00K,0,0.00K,0,34.0094,-90.4436,34.0188,-90.4096,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","Trees down near the Post Office in town." +114499,686635,MISSISSIPPI,2017,March,Thunderstorm Wind,"TALLAHATCHIE",2017-03-25 02:50:00,CST-6,2017-03-25 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,34.0043,-90.0812,34.0108,-90.0386,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","Winds caused portions of roof to fall off of a building at Main and Church Streets in downtown Charleston." +114501,686638,TENNESSEE,2017,March,Hail,"CARROLL",2017-03-30 16:00:00,CST-6,2017-03-30 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.9915,-88.4729,36,-88.4379,"A marginally unstable atmosphere allowed for a rogue strong thunderstorm to develop across west Tennessee during the late afternoon hours of March 30th.","Nickel size hail reported just west of Huntingdon." +114167,687140,TENNESSEE,2017,March,Thunderstorm Wind,"DYER",2017-03-01 04:45:00,CST-6,2017-03-01 04:51:00,0,0,0,0,250.00K,250000,0.00K,0,36.0431,-89.4875,36.0361,-89.3656,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","A swath of wind damage occurred from west of Dyersburg into the city of Dyersburg. Trees were snapped along the path and many outbuildings were damaged. In the city of Dyersburg several business suffered minor damage mainly to roofs. Several homes also suffered roof damage." +114879,689466,ARKANSAS,2017,March,Winter Weather,"RANDOLPH",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two to three inches of snow fell." +114879,689467,ARKANSAS,2017,March,Winter Weather,"GREENE",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two to three inches of snow fell." +114879,689471,ARKANSAS,2017,March,Winter Weather,"MISSISSIPPI",2017-03-11 16:00:00,CST-6,2017-03-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two inches of snow fell." +114879,689472,ARKANSAS,2017,March,Winter Weather,"POINSETT",2017-03-11 16:00:00,CST-6,2017-03-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two inches of snow fell." +114435,686235,MASSACHUSETTS,2017,March,Drought,"WESTERN FRANKLIN",2017-03-01 00:00:00,EST-5,2017-03-21 11:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in the southern part of Western Franklin County through March 21. On March 21, this region was reduced to the Moderate Drought (D1) designation." +114435,686236,MASSACHUSETTS,2017,March,Drought,"SOUTHERN WORCESTER",2017-03-01 00:00:00,EST-5,2017-03-21 11:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor continued a Severe Drought (D2) designation in the extreme western part of Southern Worcester County through March 21, at which time it was reduced to a Moderate Drought (D1) designation." +114435,686239,MASSACHUSETTS,2017,March,Drought,"NORTHERN WORCESTER",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor maintained a Severe Drought (D2) designation in western and northern parts of Northern Worcester County through the month of March." +114435,686240,MASSACHUSETTS,2017,March,Drought,"NORTHWEST MIDDLESEX COUNTY",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was below normal in all areas except the Northeast, where it was one-quarter inch above normal. Average temperatures for March were between 2.5 and 5.1 degrees below normal.||Average monthly streamflows were below normal in all areas except the West. Groundwater levels stagnated in recovering this month. Quabbin Reservoir was at a below-normal level, but the other monitored reservoirs in the Connecticut River Valley were at normal.||All regions improved to a Drought Advisory except for the Berkshires, which had no headline.","The U.S. Drought Monitor maintained a Severe Drought (D2) designation in Northwest Middlesex County through the month of March." +114610,687573,CONNECTICUT,2017,March,Blizzard,"NORTHERN NEW HAVEN",2017-03-14 08:45:00,EST-5,2017-03-14 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","The Oxford-Waterbury AWOS showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and afternoon on March 14th." +114881,689483,TENNESSEE,2017,March,Winter Weather,"MADISON",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +114881,689485,TENNESSEE,2017,March,Winter Weather,"CROCKETT",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One to two inches of snow fell." +114881,689486,TENNESSEE,2017,March,Winter Weather,"TIPTON",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","One inch of snow fell." +114299,684748,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-09 22:20:00,CST-6,2017-03-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,35.6452,-88.3871,35.64,-88.3709,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Two rounds of hail ended up leaving 2 to 3 inch depth over roads in town especially on east church street and the main road out of Lexington." +114299,684751,TENNESSEE,2017,March,Thunderstorm Wind,"SHELBY",2017-03-09 23:40:00,CST-6,2017-03-09 23:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1246,-89.9494,35.1177,-89.9336,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Large tree down on Highland Street near Central Avenue." +114299,684752,TENNESSEE,2017,March,Thunderstorm Wind,"SHELBY",2017-03-09 23:27:00,CST-6,2017-03-09 23:35:00,0,0,0,0,150.00K,150000,0.00K,0,35.2245,-89.9228,35.2154,-89.9094,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Damage occurred near the old Raleigh Springs Mall with several large tress either uprooted or snapped. Tree and shingle damage occurred to several homes. The worst damage was about 100 yards long by 150 yards wide. Winds were estimated at 90 mph." +114331,685065,TENNESSEE,2017,March,Hail,"DECATUR",2017-03-21 13:44:00,CST-6,2017-03-21 13:50:00,0,0,0,0,,NaN,0.00K,0,35.8198,-88.0626,35.8198,-88.0626,"An upper level disturbance triggered a few hail producing severe thunderstorms across portions of west Tennessee during the afternoon of March 21st.","Quarter to golf-ball size hail in northern Decatur County." +114331,685066,TENNESSEE,2017,March,Hail,"CARROLL",2017-03-21 14:03:00,CST-6,2017-03-21 14:10:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-88.63,36.02,-88.63,"An upper level disturbance triggered a few hail producing severe thunderstorms across portions of west Tennessee during the afternoon of March 21st.","Dime to nickel size hail." +111557,665535,NEW YORK,2017,January,Strong Wind,"NORTHERN ST. LAWRENCE",2017-01-10 16:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous observed wind gusts in 45-50 mph range with isolated to scattered power outages die to downed limbs." +111557,665536,NEW YORK,2017,January,Strong Wind,"SOUTHWESTERN ST. LAWRENCE",2017-01-10 16:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous observed wind gusts in 45-50 mph range with isolated to scattered power outages die to downed limbs." +111558,665538,VERMONT,2017,January,High Wind,"GRAND ISLE",2017-01-10 16:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 50 to 55 mph with a measured wind gust of 62 mph at a nearby reef in Lake Champlain. Scattered power outages due to downed tree limbs and small trees on utility lines." +111558,665546,VERMONT,2017,January,Strong Wind,"EASTERN ADDISON",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111684,666246,MISSOURI,2017,January,Ice Storm,"GREENE",2017-01-13 06:00:00,CST-6,2017-01-14 06:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the northern portion of the county during the ice storm. There were up to 4,000 people without power across north Springfield due fallen tree limbs on power lines." +111558,665547,VERMONT,2017,January,Strong Wind,"EASTERN CHITTENDEN",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111558,665549,VERMONT,2017,January,Strong Wind,"LAMOILLE",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111558,665550,VERMONT,2017,January,Strong Wind,"WASHINGTON",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111558,665551,VERMONT,2017,January,Strong Wind,"WESTERN ADDISON",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +112136,668807,GEORGIA,2017,January,Tornado,"COFFEE",2017-01-22 04:47:00,EST-5,2017-01-22 04:54:00,0,0,0,0,0.00K,0,0.00K,0,31.402,-83.0281,31.4287,-82.9857,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","This tornado begin in northern Atkinson county and tracked NE around 50 mph across southern Coffee county before it lifted near Mora Road. As the tornado moved across Coffee, it produced EF1 damage with peak winds near 110 mph. The tornado crossed the Atkinson/Coffee county line across Brawns Johnson Road near a residence within the 400 block. Extensive tree damage including snapped and leveled pine trees and some damage to hard woods was observed along the tornado track including along Talmadge McKinnon Road, Brawns Johnson Road and along portions of the Mora Highway between County Roads 48 and 30 where four chicken houses were damaged, including two completely destroyed. There was also additional extensive property damage to agricultural structures occurred along this path." +112136,668808,GEORGIA,2017,January,Tornado,"ATKINSON",2017-01-22 16:47:00,EST-5,2017-01-22 16:54:00,0,0,0,0,0.00K,0,0.00K,0,31.402,-83.0281,31.4287,-82.9857,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","The tornado started in extreme northern Atkinson County and continued to track NE at 50 mph crossing over into Coffee County and lifting near the Mora Highway where the most damage occurred. The tornado tracked NE for about 1.6 miles in Atkinson County where it produced EF1 damage along Ice Plant Road to trees. As Ice Plant Road merged into Talmadge McKinnon Road in Atkinson county, there were a couple of outbuildings that were demolished and debris blown into a pine stand which was also heavily damaged. A residence at this intersection had extensive tree damage, including one pine tree that impaled a vehicle. Numerous agricultural structures including silos and elevated irrigation systems where lofted and carried across pastures along Talmadge McKinnon Road northward toward the Coffee County Line." +112148,668818,ATLANTIC SOUTH,2017,January,Marine Hail,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-01-22 19:35:00,EST-5,2017-01-22 19:35:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.2,29.57,-81.2,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Quarter size hail was reported in the C section of Palm Coast." +112148,668819,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-22 19:38:00,EST-5,2017-01-22 19:38:00,0,0,0,0,0.00K,0,0.00K,0,30.41,-81.41,30.41,-81.41,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","" +112148,668820,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-22 19:38:00,EST-5,2017-01-22 19:38:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","" +112148,668821,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-22 19:40:00,EST-5,2017-01-22 19:40:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","" +111557,665532,NEW YORK,2017,January,High Wind,"NORTHERN FRANKLIN",2017-01-10 16:00:00,EST-5,2017-01-11 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous reports of 40-50 mph measured wind gusts and one report of 62 mph by NY Mesonet network in Malone. Scattered power outages due to strong winds." +111557,665531,NEW YORK,2017,January,High Wind,"EASTERN CLINTON",2017-01-10 16:00:00,EST-5,2017-01-11 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous reports of 50-55 mph measured wind gusts just inland with estimated 60 mph at Cumberland Head along Lake Champlain. Scattered power outages due to strong winds." +111557,665534,NEW YORK,2017,January,Strong Wind,"EASTERN ESSEX",2017-01-10 16:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous observed wind gusts in 45-50 mph range with isolated to scattered power outages die to downed limbs." +112148,668817,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-01-22 16:14:00,EST-5,2017-01-22 16:14:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-81.32,29.9,-81.32,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","" +112136,668805,GEORGIA,2017,January,Tornado,"APPLING",2017-01-22 05:52:00,EST-5,2017-01-22 05:58:00,0,0,0,0,0.00K,0,0.00K,0,31.7404,-82.5428,31.7826,-82.3602,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","The tornado started in extreme western Appling County, possibly extreme SE Jeff Davis county and tracked NE at 50-60 mph before lifting along the NW part of the town of Baxley. The event occurred mainly along or parallel to Zoar Road. The peak wind was near 110 mph in the vicinity of County Farm Road. The most significant damage was in the area near Zoar Methodist Church where structural damage occurred to the church including roof damage and tilting the steeple and other outbuildings in the area. Extensive tree damage occurred to both hard and softwood trees with trees uprooted, snapped and large limbs twisted." +112232,669242,MONTANA,2017,January,High Wind,"SOUTHERN WHEATLAND",2017-01-28 13:15:00,MST-7,2017-01-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight east/west pressure gradient across portions of south central Montana resulted in a few areas experiencing high winds.","Winds gusted to 50 mph at the UMHM Agrimet site, which verifies for this location." +111682,666229,FLORIDA,2017,January,Thunderstorm Wind,"CITRUS",2017-01-07 01:57:00,EST-5,2017-01-07 01:57:00,0,0,0,0,1.00K,1000,0.00K,0,28.89,-82.57,28.89,-82.57,"A strong cold front moved south across the Florida Peninsula, producing a few thunderstorms with one reported damaging wind gust.","Citrus County Emergency Management reported that a tree fell across a road in Crystal River. The timing of the tree falling over was estimated by radar." +121163,725357,TEXAS,2017,October,Hail,"HARDEMAN",2017-10-21 17:46:00,CST-6,2017-10-21 17:46:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-99.74,34.3,-99.74,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +111558,665552,VERMONT,2017,January,Strong Wind,"ORLEANS",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111684,666785,MISSOURI,2017,January,Ice Storm,"BARTON",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. A few power outages were reported across the county." +111684,666787,MISSOURI,2017,January,Ice Storm,"DADE",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. A few isolated power outages were reported." +111684,666788,MISSOURI,2017,January,Ice Storm,"CEDAR",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. A few isolated power outages were reported." +111684,666789,MISSOURI,2017,January,Ice Storm,"HICKORY",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666790,MISSOURI,2017,January,Ice Storm,"DALLAS",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666791,MISSOURI,2017,January,Ice Storm,"WEBSTER",2017-01-13 06:00:00,CST-6,2017-01-14 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. There were scattered power outages reported." +111684,666800,MISSOURI,2017,January,Ice Storm,"DENT",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111572,668642,MONTANA,2017,January,Cold/Wind Chill,"SHERIDAN",2017-01-11 02:09:00,MST-7,2017-01-11 19:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass from the north brought the coldest temperatures of the season to northeast Montana and combined with breezy and gusty winds to create wind chill values colder than 40 below zero to many locations.","Steady wind chills of at least -40 began during the overnight/early morning hours at the Navajo MT-5 DOT site and persisted through the mid-evening hours at the Comertown Turn-Off MT-5 DOT site." +111572,668643,MONTANA,2017,January,Cold/Wind Chill,"DANIELS",2017-01-11 04:32:00,MST-7,2017-01-11 09:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass from the north brought the coldest temperatures of the season to northeast Montana and combined with breezy and gusty winds to create wind chill values colder than 40 below zero to many locations.","Winds chills of at least -40 were recorded through the early morning hours at the Navajo MT-5 DOT site." +111572,668644,MONTANA,2017,January,Cold/Wind Chill,"WESTERN ROOSEVELT",2017-01-11 02:21:00,MST-7,2017-01-11 11:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass from the north brought the coldest temperatures of the season to northeast Montana and combined with breezy and gusty winds to create wind chill values colder than 40 below zero to many locations.","Wind chills of at least -40 were most prevalent further north of US-Highway 2 and recorded at the McDonalds MT-13 DOT site from the early morning through late morning hours." +111684,666792,MISSOURI,2017,January,Ice Storm,"WRIGHT",2017-01-13 06:00:00,CST-6,2017-01-14 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666793,MISSOURI,2017,January,Ice Storm,"LACLEDE",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a third of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666794,MISSOURI,2017,January,Ice Storm,"CAMDEN",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666795,MISSOURI,2017,January,Ice Storm,"MARIES",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a third of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666796,MISSOURI,2017,January,Ice Storm,"MILLER",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a third of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666797,MISSOURI,2017,January,Ice Storm,"PULASKI",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a three quarters of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. There were scattered power outages reported." +111684,666798,MISSOURI,2017,January,Ice Storm,"PHELPS",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111684,666799,MISSOURI,2017,January,Ice Storm,"TEXAS",2017-01-13 06:00:00,CST-6,2017-01-14 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +113400,678588,IDAHO,2017,February,Ice Storm,"COEUR D'ALENE AREA",2017-02-08 19:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","Freezing rain deposited 0.25 inch of glaze ice on top of 2.5 inches of fresh snow accumulation in Coeur D'Alene." +113400,678590,IDAHO,2017,February,Winter Storm,"NORTHERN PANHANDLE",2017-02-08 14:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer near Sagle reported 5.4 inches of snow with 0.20 inch of ice covering the snow." +113400,678586,IDAHO,2017,February,Ice Storm,"COEUR D'ALENE AREA",2017-02-08 19:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","Freezing rain deposited 0.25 inch of glaze ice in Post Falls." +112873,674292,TEXAS,2017,February,High Wind,"CARSON",2017-02-28 14:23:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +114920,689319,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 10:35:00,MST-7,2017-03-12 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher." +114920,689320,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 06:55:00,MST-7,2017-03-12 07:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The UPR sensor at Lynch measured sustained winds of 40 mph or higher." +114920,689321,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 10:50:00,MST-7,2017-03-12 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher." +114920,689322,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 10:30:00,MST-7,2017-03-12 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher." +114920,689323,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-12 09:25:00,MST-7,2017-03-12 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 12/1055 MST." +114920,689324,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-12 07:35:00,MST-7,2017-03-12 11:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 12/1135 MST." +114920,689325,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-12 07:25:00,MST-7,2017-03-12 11:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 12/0730 MST." +114920,689326,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-12 08:10:00,MST-7,2017-03-12 10:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 12/0815 MST." +113310,678131,ILLINOIS,2017,February,Hail,"KNOX",2017-02-28 21:20:00,CST-6,2017-02-28 21:25:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-90.2,40.87,-90.2,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113400,678595,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-08 12:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","Eight inches of new snow accumulation was reported from Moyie Springs." +113400,678594,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-08 12:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer near Bonners Ferry reported 8 inches of new snow accumulation." +114977,689830,WYOMING,2017,March,High Wind,"SHIRLEY BASIN",2017-03-07 11:25:00,MST-7,2017-03-07 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Shirley Rim measured sustained winds of 40 mph or higher." +114977,689831,WYOMING,2017,March,High Wind,"SHIRLEY BASIN",2017-03-07 10:30:00,MST-7,2017-03-07 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","A UPR sensor near Medicine Bow measured a peak wind gust of 58 mph." +114977,689832,WYOMING,2017,March,High Wind,"SHIRLEY BASIN",2017-03-07 11:05:00,MST-7,2017-03-07 11:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","A mesonet sensor at Medicine Bow measured a peak wind gust of 58 mph." +114977,689833,WYOMING,2017,March,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-03-07 12:25:00,MST-7,2017-03-07 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Deer Creek measured sustained winds of 40 mph or higher." +114977,689834,WYOMING,2017,March,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-03-06 11:05:00,MST-7,2017-03-06 12:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Douglas Airport measured sustained winds of 40 mph or higher." +114977,689838,WYOMING,2017,March,High Wind,"NIOBRARA COUNTY",2017-03-07 09:00:00,MST-7,2017-03-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","A UPR sensor west of Van Tassell measured sustained winds of 40 mph or higher." +113906,682198,IDAHO,2017,February,Flood,"SHOSHONE",2017-02-10 02:00:00,PST-8,2017-02-14 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,47.3575,-116.4743,47.3147,-116.4935,"On the early morning of February 10th an ice jam developed on the St. Joe River between St. Maries and Calder. Water backed up behind the ice jam causing minor flooding upstream in the town of Calder, but also flooded the St. Joe River Road in places and effectively closed the road which is the main road access to the town of Calder.","Flooding upstream of an Ice Jam which formed on the St. Joe River closed the St. Joe River Road at multiple locations between St. Maries and Calder." +113906,682201,IDAHO,2017,February,Flood,"BENEWAH",2017-02-10 02:00:00,PST-8,2017-02-14 08:00:00,0,0,0,0,5.00K,5000,0.00K,0,47.3361,-116.5773,47.2942,-116.337,"On the early morning of February 10th an ice jam developed on the St. Joe River between St. Maries and Calder. Water backed up behind the ice jam causing minor flooding upstream in the town of Calder, but also flooded the St. Joe River Road in places and effectively closed the road which is the main road access to the town of Calder.","An ice jam on the St. Joe River flooded portions of the St. Joe River Road making it impassable for travel upstream from the jam. Minor field flooding was reported downstream as the as the ice jam broke up and released the dammed water." +113310,678120,ILLINOIS,2017,February,Tornado,"PEORIA",2017-02-28 17:10:00,CST-6,2017-02-28 17:11:00,0,0,0,0,0.00K,0,0.00K,0,40.8645,-89.6086,40.8647,-89.6072,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","A tornado briefly touched down in an open field about 3.6 miles east of Dunlap at 5:10 PM CST. No damage occurred." +113310,678125,ILLINOIS,2017,February,Hail,"MCLEAN",2017-02-28 23:05:00,CST-6,2017-02-28 23:10:00,0,0,0,0,0.00K,0,0.00K,0,40.4579,-88.9097,40.4579,-88.9097,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113835,681634,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 15:30:00,MST-7,2017-03-01 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 64 mph at 01/1700 MST." +113835,681633,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 11:00:00,MST-7,2017-03-01 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher." +114977,689846,WYOMING,2017,March,High Wind,"EAST PLATTE COUNTY",2017-03-06 05:45:00,MST-7,2017-03-06 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Coleman measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 06/0700 MST." +114977,689847,WYOMING,2017,March,High Wind,"EAST PLATTE COUNTY",2017-03-07 11:35:00,MST-7,2017-03-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Coleman measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 07/1305 MST." +114977,689850,WYOMING,2017,March,High Wind,"GOSHEN COUNTY",2017-03-07 11:40:00,MST-7,2017-03-07 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Torrington Airport measured sustained winds of 40 mph or higher." +114977,689854,WYOMING,2017,March,High Wind,"CENTRAL CARBON COUNTY",2017-03-06 13:23:00,MST-7,2017-03-06 14:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 06/1353 MST." +114977,690300,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 13:45:00,MST-7,2017-03-06 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured peak wind gusts of 58 mph." +114977,690301,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 07:10:00,MST-7,2017-03-07 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured peak wind gusts of 66 mph." +114977,690302,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 13:50:00,MST-7,2017-03-07 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured wind gusts of 58 mph or higher, with a peak gust of 63 mph at 07/1405 MST." +114977,690304,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:35:00,MST-7,2017-03-06 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 06/1200 MST." +113310,678138,ILLINOIS,2017,February,Hail,"KNOX",2017-02-28 17:04:00,CST-6,2017-02-28 17:09:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-90.01,40.85,-90.01,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678139,ILLINOIS,2017,February,Hail,"PEORIA",2017-02-28 16:58:00,CST-6,2017-02-28 17:03:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-89.76,40.93,-89.76,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +114025,682896,WYOMING,2017,February,Winter Weather,"SNOWY RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 4.5 inches of snow." +114025,682897,WYOMING,2017,February,Winter Weather,"SNOWY RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 4.5 inches of snow." +114025,682895,WYOMING,2017,February,Winter Weather,"SIERRA MADRE RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated nine inches of snow." +113310,678127,ILLINOIS,2017,February,Hail,"MCLEAN",2017-02-28 22:53:00,CST-6,2017-02-28 22:58:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-88.9419,40.48,-88.9419,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678129,ILLINOIS,2017,February,Hail,"CASS",2017-02-28 21:45:00,CST-6,2017-02-28 21:50:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-90.43,40.02,-90.43,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +114977,690305,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:05:00,MST-7,2017-03-07 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 07/1355 MST." +114977,690306,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 01:00:00,MST-7,2017-03-08 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 08/1405 MST." +114977,690307,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-09 12:25:00,MST-7,2017-03-09 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 09/1230 MST." +114977,690308,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:40:00,MST-7,2017-03-06 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 06/1430 MST." +114977,690309,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 05:05:00,MST-7,2017-03-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 07/1500 MST." +114025,682898,WYOMING,2017,February,Winter Weather,"SNOWY RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 7.5 inches of snow." +114025,682899,WYOMING,2017,February,Winter Weather,"SNOWY RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 4.5 inches of snow." +114171,683728,WYOMING,2017,February,Winter Weather,"NIOBRARA COUNTY",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Niobrara and Goshen counties in southeast Wyoming.","Five inches of snow was observed 15 miles east of Lusk." +114171,683729,WYOMING,2017,February,Winter Weather,"NIOBRARA COUNTY",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Niobrara and Goshen counties in southeast Wyoming.","Five inches of snow was observed at Redbird." +114171,683730,WYOMING,2017,February,Winter Weather,"NIOBRARA COUNTY",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Niobrara and Goshen counties in southeast Wyoming.","Four inches of snow was observed at Van Tassell." +114171,683731,WYOMING,2017,February,Winter Weather,"GOSHEN COUNTY",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Niobrara and Goshen counties in southeast Wyoming.","Five inches of snow was observed 25 miles north of Torrington." +114171,683732,WYOMING,2017,February,Winter Weather,"BUFFALO FOOTHILLS",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Niobrara and Goshen counties in southeast Wyoming.","Four inches of snow was observed 13 miles northeast of Guernsey." +114173,683737,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-16 22:30:00,MST-7,2017-02-17 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed near Bordeaux. Occasional gusts of 55 to 65 mph were observed.","A mesonet sensor near Wheatland measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 16/2315 MST." +114174,683740,WYOMING,2017,February,High Wind,"NIOBRARA COUNTY",2017-02-21 11:00:00,MST-7,2017-02-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A UPR sensor near Lusk measured sustained winds of 40 mph or higher." +113310,678128,ILLINOIS,2017,February,Hail,"MENARD",2017-02-28 22:12:00,CST-6,2017-02-28 22:17:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-89.97,40.1,-89.97,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113835,681636,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 09:15:00,MST-7,2017-03-01 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +114920,689312,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-03-12 09:15:00,MST-7,2017-03-12 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +114920,689313,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-12 08:40:00,MST-7,2017-03-12 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher." +114920,689314,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-12 09:45:00,MST-7,2017-03-12 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher." +114920,689315,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-12 10:30:00,MST-7,2017-03-12 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher." +114920,689316,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-12 09:40:00,MST-7,2017-03-12 11:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +114977,690310,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 04:00:00,MST-7,2017-03-08 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 08/1430 MST." +114977,690311,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-05 11:55:00,MST-7,2017-03-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +114977,690312,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:05:00,MST-7,2017-03-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 403 measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 07/0450 MST." +114977,690313,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-05 22:05:00,MST-7,2017-03-05 22:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured peak wind gusts of 63 mph." +114977,690314,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:15:00,MST-7,2017-03-06 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, wit ha peak gust of 63 mph at 06/1320 MST." +114977,690315,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:55:00,MST-7,2017-03-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 07/0515 MST." +114174,683741,WYOMING,2017,February,High Wind,"NIOBRARA COUNTY",2017-02-21 11:00:00,MST-7,2017-02-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A UPR sensor near Van Tassell measured sustained winds of 40 mph or higher." +114174,683743,WYOMING,2017,February,High Wind,"SHIRLEY BASIN",2017-02-21 10:55:00,MST-7,2017-02-21 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A UPR sensor at Medicine Bow measured sustained winds of 40 mph or higher." +114174,685448,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-20 15:20:00,MST-7,2017-02-20 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 20/1555 MST." +114174,685449,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-21 04:00:00,MST-7,2017-02-21 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 21/0410 MST." +114174,685450,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-20 14:35:00,MST-7,2017-02-20 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A mesonet sensor near Wheatland measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 20/1535 MST." +114174,685451,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-21 04:35:00,MST-7,2017-02-21 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A mesonet sensor near Wheatland measured a peak gust of 59 mph." +114174,685453,WYOMING,2017,February,High Wind,"EAST PLATTE COUNTY",2017-02-21 03:35:00,MST-7,2017-02-21 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40mph or higher, with a peak gust of 66 mph at 21/0915 MST." +114174,685454,WYOMING,2017,February,High Wind,"GOSHEN COUNTY",2017-02-21 10:15:00,MST-7,2017-02-21 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","A UPR sensor 20 miles north of Torrington measured sustained winds of 40 mph or higher." +114920,689317,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 10:45:00,MST-7,2017-03-12 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +114920,689318,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-12 11:15:00,MST-7,2017-03-12 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The UPR sensor at Buford measured sustained winds of 40 mph or higher." +114920,689327,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-12 10:10:00,MST-7,2017-03-12 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher." +114920,689328,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-12 09:35:00,MST-7,2017-03-12 10:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds developed through the wind corridors of southeast Wyoming.","The wind sensor at the Cheyenne Airport measured sustained winds of 40 mph or higher." +114946,689527,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-03-16 14:45:00,MST-7,2017-03-16 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Bordeaux measured peak wind gusts of 58 mph." +114946,689532,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 15:55:00,MST-7,2017-03-16 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The wind sensor at the Elk Mountain Airport measured a peak wind gust of 60 mph." +114946,689528,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-03-16 14:15:00,MST-7,2017-03-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","A mesonet sensor near Wheatland measured sustained winds of 40 mph or higher." +114946,689529,WYOMING,2017,March,High Wind,"EAST PLATTE COUNTY",2017-03-16 13:35:00,MST-7,2017-03-16 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Coleman measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 16/1435 MST." +114946,689530,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 13:30:00,MST-7,2017-03-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 16/1540 MST." +114946,689531,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 13:35:00,MST-7,2017-03-16 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 16/1340 MST." +113310,678140,ILLINOIS,2017,February,Hail,"PEORIA",2017-02-28 16:45:00,CST-6,2017-02-28 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-89.97,40.85,-89.97,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678142,ILLINOIS,2017,February,Hail,"KNOX",2017-02-28 16:10:00,CST-6,2017-02-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-90.16,41.12,-90.16,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113918,682263,WEST VIRGINIA,2017,February,Heavy Snow,"PRESTON",2017-02-08 23:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +112873,674284,TEXAS,2017,February,High Wind,"HANSFORD",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +114946,689533,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 15:00:00,MST-7,2017-03-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 16/1535 MST." +114946,689534,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 14:55:00,MST-7,2017-03-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Strouss Hill measured peak wind gusts of 58 mph." +114946,689535,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-16 14:55:00,MST-7,2017-03-16 15:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed in the Arlington, Elk Mountain, Bordeaux and Coleman areas.","The WYDOT sensor at Wagonhound measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 16/1535 MST." +114615,687384,ARIZONA,2017,January,Dense Fog,"CENTRAL DESERTS",2017-01-17 07:30:00,MST-7,2017-01-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lingering low level moisture across portions of the greater Phoenix area on January 17th led to patchy but dense fog mainly over the far southeast valley locations. During the latter portion of the morning rush hour, a trained spotter reported visibility down to one quarter of a mile just west of the town of Seville. The sharply reduced visibility led to hazardous morning driving conditions; fortunately no accidents were reported.","Lingering low level moisture and mostly clear skies led to the formation of patchy dense fog across the southern portion of the greater Phoenix area during the morning hours on January 17th. At 0747MST, a trained spotter reported dense fog at the intersection of the Hunt Highway and Gilbert road, about 2 miles to the west of the town of Seville. Visibility was lowered to one quarter mile, producing very hazardous driving conditions during the tail end of morning rush hour. No accidents were reported due to the hazardous driving conditions. No Dense Fog Advisories were issued." +114024,682891,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-15 11:00:00,MST-7,2017-02-15 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed near Bordeaux.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +114025,682892,WYOMING,2017,February,Winter Weather,"SIERRA MADRE RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Old Battle SNOTEL site (elevation 10000 ft) estimated six inches of snow." +113918,682265,WEST VIRGINIA,2017,February,Heavy Snow,"EASTERN PRESTON",2017-02-08 23:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113918,682266,WEST VIRGINIA,2017,February,Heavy Snow,"WESTERN TUCKER",2017-02-08 23:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +117689,707715,ARKANSAS,2017,June,Thunderstorm Wind,"MARION",2017-06-30 06:10:00,CST-6,2017-06-30 06:10:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-92.53,36.22,-92.53,"There was one more front to contend with on the 30th. Early in the day, the front sparked storms across the northern counties that produced penny to nickel size hail not far from Norfork (Baxter County). Near Rea Valley (Marion County), gusty winds damaged the roofs of a few barns and a home.||Later in the day, another round of storms blossomed in Oklahoma and moved into Arkansas by evening. While there were a few Severe Thunderstorms Warning issued, this was mainly a heavy rain episode. ||In the forty eight hour period ending at 700 am CDT on July 1st, rainfall averaged one to more than two inches in much of the north and west. Fort Smith (Sebastian County) got 2.80 inches, with 2.39 inches at Coal Hill (Johnson County), 2.09 inches at Subiaco (Logan County), and 1.70 inches at Fayetteville (Washington County).","Thunderstorm winds damaged the roofs of a home and some barns." +112873,674288,TEXAS,2017,February,High Wind,"ROBERTS",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +113917,682254,PENNSYLVANIA,2017,February,Heavy Snow,"INDIANA",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113917,682256,PENNSYLVANIA,2017,February,Heavy Snow,"FAYETTE",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +121163,725358,TEXAS,2017,October,Hail,"WICHITA",2017-10-21 18:21:00,CST-6,2017-10-21 18:21:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.92,34.03,-98.92,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121163,725359,TEXAS,2017,October,Hail,"WICHITA",2017-10-21 18:46:00,CST-6,2017-10-21 18:46:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.92,34.03,-98.92,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121163,725360,TEXAS,2017,October,Hail,"WICHITA",2017-10-21 20:28:00,CST-6,2017-10-21 20:28:00,0,0,0,0,0.00K,0,0.00K,0,33.87,-98.63,33.87,-98.63,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121163,725361,TEXAS,2017,October,Thunderstorm Wind,"WICHITA",2017-10-21 18:42:00,CST-6,2017-10-21 18:42:00,0,0,0,0,2.00K,2000,0.00K,0,34.03,-98.92,34.03,-98.92,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","A few powerlines were downed." +114616,687385,ARIZONA,2017,January,Flash Flood,"MARICOPA",2017-01-20 22:00:00,MST-7,2017-01-21 02:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.9822,-112.1526,33.9941,-112.0887,"A weather system moving into Arizona on Friday January 20th led to the development of widespread locally heavy rains across portions of the central Arizona deserts which affected the northern portion of the greater Phoenix metropolitan area. During the late afternoon and evening hours, trained spotters reported locally heavy rains with up to 2 inches falling within a 6 hour period. Beginning late at night and into the very early morning hours on January 21st, heavy rains caused flooding and flash flooding along Interstate 17 near the towns of Anthem and New River. This resulted in the need for a water rescue in a flooded wash just east of the interstate. Flash flood warnings were not issued, but flood advisories were posted continuing into the morning hours on the 21st.","Locally heavy rains developed across the northern portion of the greater Phoenix area, along Interstate 17 and near the communities of New River and Anthem, during the evening hours on January 20th. Spotters indicated that up to 2 inches fell within a 6 hours period. The heavy rain led to flash flooding and flooding along Interstate 17 during the very early morning hours on January 21st. According to a trained spotter, as of 0130MST a water rescue was underway from a flooded wash about 1 mile east of Interstate 17 along Table Mesa Road. This was about 4 miles northeast of the town of New River. A Flash Flood Warning was not issued rather a Small Stream Flood Flood Advisory. No injuries were reported to those affected by the water rescue." +114647,687639,ARIZONA,2017,February,Dense Fog,"WEST CENTRAL DESERTS",2017-02-20 07:00:00,MST-7,2017-02-20 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of low pressure brought considerable amounts of moisture to the western deserts over the weekend, and as skies cleared on Monday February 20th, patchy dense morning fog developed over La Paz County. Some of the thickest fog occurred near and around the community of Wenden; trained spotters in the area reported sharply restricted visibilities down to less than one hundred yards. The fog created very hazardous morning driving conditions during the rush hour; fortunately no accidents were reported as a result of the very low visibilities.","Lingering low level moisture and clearing skies set the stage for the development of dense morning fog across portions of La Paz county on February 20th. Areas of dense fog formed in and around the community of Wenden; at 0730MST a trained spotter 2 miles northwest of Wenden reported visibility down to 500 feet. Five minutes later another spotter in Wenden reported dense fog with visibility less than 100 yards at milepost 61.5 on U.S. Highway 60. The fog created very hazardous morning driving conditions during rush hour; fortunately no accidents or injuries occurred due to the restricted visibilities." +114025,682894,WYOMING,2017,February,Winter Weather,"SIERRA MADRE RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated five inches of snow." +113917,682257,PENNSYLVANIA,2017,February,Heavy Snow,"FAYETTE RIDGES",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113917,682258,PENNSYLVANIA,2017,February,Heavy Snow,"WESTMORELAND RIDGES",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113918,682261,WEST VIRGINIA,2017,February,Heavy Snow,"RIDGES OF E MONONGALIA AND NW PRESTON",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113918,682268,WEST VIRGINIA,2017,February,Heavy Snow,"EASTERN TUCKER",2017-02-08 23:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +113310,678133,ILLINOIS,2017,February,Hail,"CLAY",2017-02-28 20:01:00,CST-6,2017-02-28 20:06:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-88.63,38.63,-88.63,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678135,ILLINOIS,2017,February,Hail,"SHELBY",2017-02-28 18:45:00,CST-6,2017-02-28 18:50:00,0,0,0,0,800.00K,800000,0.00K,0,39.42,-88.8,39.42,-88.8,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678134,ILLINOIS,2017,February,Hail,"CLAY",2017-02-28 19:54:00,CST-6,2017-02-28 19:59:00,0,0,0,0,0.00K,0,0.00K,0,38.61,-88.64,38.61,-88.64,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113310,678137,ILLINOIS,2017,February,Hail,"PEORIA",2017-02-28 17:04:00,CST-6,2017-02-28 17:09:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-89.63,40.93,-89.63,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113919,682269,MARYLAND,2017,February,Heavy Snow,"GARRETT",2017-02-08 23:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +112873,674285,TEXAS,2017,February,High Wind,"OCHILTREE",2017-02-28 12:23:00,CST-6,2017-02-28 13:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112873,674286,TEXAS,2017,February,High Wind,"MOORE",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +114977,690318,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:50:00,MST-7,2017-03-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 06/1235 MST." +114977,690319,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:15:00,MST-7,2017-03-07 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 07/0855 MST." +114977,690321,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:20:00,MST-7,2017-03-06 15:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/1150 MST." +114977,690322,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:10:00,MST-7,2017-03-07 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 07/0530 MST." +114977,690323,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 04:00:00,MST-7,2017-03-08 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 08/0425 MST." +114977,690324,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 12:25:00,MST-7,2017-03-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 06/1245 MST." +114977,690332,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:20:00,MST-7,2017-03-07 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 07/0445 MST." +114977,690356,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:35:00,MST-7,2017-03-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/1245 MST." +114977,690366,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:35:00,MST-7,2017-03-07 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 07/0435 MST." +114977,690369,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 12:45:00,MST-7,2017-03-06 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 06/1315 MST." +114977,690370,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 14:00:00,MST-7,2017-03-07 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 07/1440 MST." +114977,690372,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 13:25:00,MST-7,2017-03-08 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 08/1410 MST." +114977,692228,WYOMING,2017,March,High Wind,"SOUTHWEST CARBON COUNTY",2017-03-05 21:43:00,MST-7,2017-03-05 21:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The RAWS sensor at Cow Creek measured a peak wind gust of 61 mph." +113835,681631,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-01 12:00:00,MST-7,2017-03-01 21:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved across northern Wyoming and generated a large pressure gradient across southeast Wyoming. High winds developed through the normally wind prone areas.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +112873,674283,TEXAS,2017,February,High Wind,"SHERMAN",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +114977,690374,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-05 13:50:00,MST-7,2017-03-05 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 05/1410 MST." +114977,690375,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-06 11:40:00,MST-7,2017-03-06 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 06/1315 MST." +114977,690376,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 07:30:00,MST-7,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 08/1455 MST." +112873,674287,TEXAS,2017,February,High Wind,"HUTCHINSON",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112873,674291,TEXAS,2017,February,High Wind,"RANDALL",2017-02-28 14:23:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112800,673959,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:30:00,PST-8,2017-01-05 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.3982,-118.818,35.4012,-118.806,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding east of Bakersfield on Breckenridge Road about 3 miles from Commanche Drive." +112800,673960,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:30:00,PST-8,2017-01-05 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.5857,-118.5026,35.5893,-118.501,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding in Bodfish on Caliente Bodfish Road at Rim Road for southbound traffic." +119378,716522,MARYLAND,2017,July,Lightning,"WORCESTER",2017-07-22 19:59:00,EST-5,2017-07-22 19:59:00,0,0,0,0,10.00K,10000,0.00K,0,38.05,-75.6,38.05,-75.6,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of the Lower Maryland Eastern Shore.","Lightning strike caused a house fire." +119378,716528,MARYLAND,2017,July,Thunderstorm Wind,"WICOMICO",2017-07-22 15:40:00,EST-5,2017-07-22 15:40:00,0,0,0,0,3.00K,3000,0.00K,0,38.45,-75.58,38.45,-75.58,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of the Lower Maryland Eastern Shore.","Trees were downed on power lines." +119378,716529,MARYLAND,2017,July,Thunderstorm Wind,"WICOMICO",2017-07-22 15:41:00,EST-5,2017-07-22 15:41:00,0,0,0,0,3.00K,3000,0.00K,0,38.37,-75.6,38.37,-75.6,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of the Lower Maryland Eastern Shore.","Trees were downed on power lines in Salisbury." +119378,716530,MARYLAND,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-22 15:55:00,EST-5,2017-07-22 15:55:00,0,0,0,0,3.00K,3000,0.00K,0,38.37,-75.17,38.37,-75.17,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of the Lower Maryland Eastern Shore.","Tree was downed onto a vehicle with people trapped." +119381,716619,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-07-22 17:09:00,EST-5,2017-07-22 17:09:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-76.32,37.11,-76.32,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 34 knots was measured at Poquoson." +114868,689090,CALIFORNIA,2017,January,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-01-01 18:00:00,PST-8,2017-01-05 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the Sierra and northeast California.","Heavy snow was noted between the evening of the 1st and early on the 5th, including 15 inches in Susanville, 19 inches in Portola, and 21 inches several miles southwest of Susanville." +114977,692462,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-07 08:58:00,MST-7,2017-03-07 16:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 06/0859 MST." +114977,692463,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-07 09:08:00,MST-7,2017-03-07 16:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 07/1558 MST." +114977,692465,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-09 08:58:00,MST-7,2017-03-09 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher." +114977,692467,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-07 13:38:00,MST-7,2017-03-07 16:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","A wind sensor three miles northwest of Cheyenne measured sustained winds of 40 mphor higher, with a peak gust of 61 mph at 07/1358 MST." +114977,692478,WYOMING,2017,March,High Wind,"EAST LARAMIE COUNTY",2017-03-06 07:20:00,MST-7,2017-03-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Gun Barrel measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 06/0840 MST." +114977,692480,WYOMING,2017,March,High Wind,"EAST LARAMIE COUNTY",2017-03-07 08:15:00,MST-7,2017-03-07 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Gun Barrel measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 07/1205 MST." +118230,710541,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:53:00,CST-6,2017-06-29 20:53:00,0,0,0,0,,NaN,,NaN,41.1759,-96.1703,41.1759,-96.1703,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Ping-pong ball size hail was reported at 164th Street and Giles Road." +118230,710542,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 21:00:00,CST-6,2017-06-29 21:00:00,0,0,0,0,,NaN,,NaN,41.21,-96.18,41.21,-96.18,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710528,NEBRASKA,2017,June,Hail,"WASHINGTON",2017-06-29 20:29:00,CST-6,2017-06-29 20:29:00,0,0,0,0,,NaN,,NaN,41.41,-95.97,41.41,-95.97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710529,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:30:00,CST-6,2017-06-29 20:30:00,0,0,0,0,,NaN,,NaN,41.26,-96.01,41.26,-96.01,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","One inch hail reported at 106th and Browne Streets." +118230,710530,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:35:00,CST-6,2017-06-29 20:35:00,0,0,0,0,,NaN,,NaN,41.31,-96.07,41.31,-96.07,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Golfball size hail was reported at 114th and Fort Streets." +112221,669181,NEBRASKA,2017,January,Winter Weather,"KEARNEY",2017-01-05 17:00:00,CST-6,2017-01-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669182,NEBRASKA,2017,January,Winter Weather,"BUFFALO",2017-01-05 16:00:00,CST-6,2017-01-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +113039,675725,OREGON,2017,January,Heavy Snow,"EAST SLOPES OF THE OREGON CASCADES",2017-01-03 15:15:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell across central and east-central Oregon January 3rd and 4th.","Measured snow fall of 20 inches since the previous afternoon, 5 miles south of Bend in Deschutes county." +113039,675730,OREGON,2017,January,Heavy Snow,"OCHOCO-JOHN DAY HIGHLANDS",2017-01-03 15:15:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell across central and east-central Oregon January 3rd and 4th.","Measured snow fall of 7.5 inches, 3 miles south-southeast of Prineville in Crook county. Elevation 3290 feet." +113037,675716,WASHINGTON,2017,January,Heavy Snow,"YAKIMA VALLEY",2017-01-01 09:00:00,PST-8,2017-01-02 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant snow fall over portions of South-central Washington and North-central Oregon on January 1st and 2nd.","Measured snow fall of 10 inches in West Valley, Yakima county. Still snowing and breezy at time of report." +113038,675722,OREGON,2017,January,Heavy Snow,"NORTH CENTRAL OREGON",2017-01-01 16:00:00,PST-8,2017-01-02 05:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant snow fall over portions of South-central Washington and North-central Oregon on January 1st and 2nd.","Estimated total snow fall of 7 inches in Wamic, Wasco county. Elevation 1800 feet." +113039,675727,OREGON,2017,January,Heavy Snow,"CENTRAL OREGON",2017-01-03 15:45:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell across central and east-central Oregon January 3rd and 4th.","Measured snow fall of 12 inches since the previous afternoon, 8 miles northwest of Terrebonne in Jefferson county. Also had snow drifts up to 3 feet in height." +113040,675735,OREGON,2017,January,Heavy Snow,"EAST SLOPES OF THE OREGON CASCADES",2017-01-07 11:00:00,PST-8,2017-01-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured snow fall of 10 inches, 2 miles south-southwest of Camp Sherman in Jefferson county." +113022,675588,MISSISSIPPI,2017,January,Flash Flood,"FORREST",2017-01-02 12:23:00,CST-6,2017-01-02 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.91,-89.17,30.9157,-89.1719,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Flooding occurred on Highway 49 near Fruitland Park Road." +112821,675855,MARYLAND,2017,January,Heavy Snow,"DORCHESTER",2017-01-07 04:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between four inches and twelve inches of snow and strong winds across the Lower Maryland Eastern Shore.","Snowfall totals were generally between 4 inches and 8 inches across the county." +112821,675859,MARYLAND,2017,January,Heavy Snow,"MARYLAND BEACHES",2017-01-07 03:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between four inches and twelve inches of snow and strong winds across the Lower Maryland Eastern Shore.","Snowfall totals were generally between 9 inches and 12 inches across the county. Very strong north winds affected the area, producing some blowing snow and reduced visibilities." +112821,675878,MARYLAND,2017,January,Heavy Snow,"SOMERSET",2017-01-07 03:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between four inches and twelve inches of snow and strong winds across the Lower Maryland Eastern Shore.","Snowfall totals were generally between 8 inches and 11 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Princess Anne reported 10.5 inches of snow." +112821,675901,MARYLAND,2017,January,Heavy Snow,"WICOMICO",2017-01-07 03:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between four inches and twelve inches of snow and strong winds across the Lower Maryland Eastern Shore.","Snowfall totals were generally between 5 inches and 10 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Lakewood (1 NNW) reported 10 inches of snow. Salisbury Airport (SBY) reported 9.1 inches of snow. Fruitland reported 8.5 inches of snow." +113044,676089,VIRGINIA,2017,January,Heavy Snow,"AMELIA",2017-01-06 23:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 8 inches across the county. Amelia reported 6.5 inches of snow." +113044,676110,VIRGINIA,2017,January,Heavy Snow,"CAROLINE",2017-01-07 02:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 6 inches across the county. Bowling Green reported 3.5 inches of snow." +113044,676125,VIRGINIA,2017,January,Heavy Snow,"EASTERN HANOVER",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 9 inches across the county. Atlee (1 SE) reported 9 inches of snow." +113044,676130,VIRGINIA,2017,January,Heavy Snow,"WESTERN HANOVER",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 8 inches across the county. Ashland reported 7 inches of snow." +113044,676145,VIRGINIA,2017,January,Heavy Snow,"WESTERN HENRICO",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 9 inches across the county. Glen Allen reported 8 inches of snow. Downtown Richmond (2 NNE) reported 8 inches of snow. Short Pump (3 NNW) reported 7.2 inches of snow." +113044,676153,VIRGINIA,2017,January,Heavy Snow,"EASTERN KING AND QUEEN",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 9 inches across the county. King and Queen Courthouse reported 8.5 inches of snow." +113044,676155,VIRGINIA,2017,January,Heavy Snow,"WESTERN KING AND QUEEN",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 7 inches across the county." +113044,676164,VIRGINIA,2017,January,Heavy Snow,"EASTERN KING WILLIAM",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 9 inches across the county. King William Courthouse reported 7 inches of snow." +113044,676170,VIRGINIA,2017,January,Heavy Snow,"WESTERN KING WILLIAM",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 7 inches across the county." +113044,676195,VIRGINIA,2017,January,Heavy Snow,"GOOCHLAND",2017-01-06 23:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 8 inches across the county. Centerville (1 E) reported 7.8 inches of snow. Crozier reported 4.5 inches of snow." +113044,676204,VIRGINIA,2017,January,Heavy Snow,"GREENSVILLE",2017-01-06 22:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 10 inches across the county. Purdy (1 N) reported 10 inches of snow. City of Emporia reported 10 inches of snow." +113044,676208,VIRGINIA,2017,January,Heavy Snow,"ISLE OF WIGHT",2017-01-06 23:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 10 inches across the county. Smithfield and Carrollton reported 9 inches of snow." +113044,676214,VIRGINIA,2017,January,Heavy Snow,"JAMES CITY",2017-01-06 23:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Toano reported 10 inches of snow. City of Williamsburg reported 12.5 inches of snow." +113044,676217,VIRGINIA,2017,January,Heavy Snow,"LUNENBURG",2017-01-06 23:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 10 inches across the county. Kenbridge (2 N) reported 9 inches of snow. Victoria reported 7 inches of snow." +113044,676221,VIRGINIA,2017,January,Heavy Snow,"MECKLENBURG",2017-01-06 23:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 7 inches and 11 inches across the county. Baskerville reported 10.6 inches of snow. South Hill reported 9 inches of snow." +113044,676227,VIRGINIA,2017,January,Heavy Snow,"NEW KENT",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 9 inches across the county." +113044,676235,VIRGINIA,2017,January,Heavy Snow,"NOTTOWAY",2017-01-06 23:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 8 inches across the county. Crewe reported 6 inches of snow." +113044,676245,VIRGINIA,2017,January,Heavy Snow,"POWHATAN",2017-01-06 23:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 7 inches across the county. Powhatan reported 7 inches of snow." +113044,676254,VIRGINIA,2017,January,Heavy Snow,"PRINCE EDWARD",2017-01-06 23:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 9 inches across the county. Farmville reported 7 inches of snow." +113044,676260,VIRGINIA,2017,January,Heavy Snow,"PRINCE GEORGE",2017-01-06 22:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Richard Bland College (2 SSE) reported 10 inches of snow. New Bohemia (1 NNE) reported 9 inches of snow. City of Hopewell reported 8 inches of snow." +113044,676261,VIRGINIA,2017,January,Heavy Snow,"RICHMOND",2017-01-07 02:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 10 inches across the county. Warsaw reported 9 inches of snow." +113044,676262,VIRGINIA,2017,January,Heavy Snow,"SOUTHAMPTON",2017-01-06 23:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 9 inches across the county. City of Franklin reported 8.1 inches of snow. Courtland reported 6.5 inches of snow." +113044,676263,VIRGINIA,2017,January,Heavy Snow,"SUFFOLK",2017-01-06 23:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 8 inches across the county." +113044,676264,VIRGINIA,2017,January,Heavy Snow,"SURRY",2017-01-06 23:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 7 inches and 10 inches across the county." +113044,676265,VIRGINIA,2017,January,Heavy Snow,"SUSSEX",2017-01-06 23:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 7 inches and 12 inches across the county. Waverly reported 12 inches of snow. Wakefield Forecast Office reported 9.7 inches of snow." +113044,676266,VIRGINIA,2017,January,Heavy Snow,"WESTMORELAND",2017-01-07 02:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 8 inches across the county. Montross reported 4 inches of snow." +113045,677690,NORTH CAROLINA,2017,January,Winter Storm,"GATES",2017-01-06 20:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and seven inches of snow and some sleet across interior northeast North Carolina.","Snowfall totals were generally between 1 inch and 5 inches across the county. Some sleet also occurred. Sunbury reported 4.5 inches of snow. Gatesville reported 4 inches of snow. Easons Crossroads (2 WSW) reported 2 inches of snow." +113045,677692,NORTH CAROLINA,2017,January,Winter Storm,"NORTHAMPTON",2017-01-06 23:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and seven inches of snow and some sleet across interior northeast North Carolina.","Snowfall totals were generally between 4 inches and 8 inches across the county. Jackson reported 7 inches of snow. Vultare (1 SE) reported 5.5 inches of snow." +112997,675829,VIRGINIA,2017,January,Blizzard,"CHESAPEAKE",2017-01-07 00:00:00,EST-5,2017-01-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and twelve inches of snow, some sleet, and very strong winds across Hampton Roads and the Virginia Eastern Shore.","Snowfall totals were generally between 3 inches and 10 inches across the county. Snow was mixed with sleet over southeast portions of the county. Very strong north winds affected the area, producing blowing snow and poor visibilities. Western Branch (1 WNW) reported 10 inches of snow." +113047,675820,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"CORSON",2017-01-03 22:20:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +114977,692481,WYOMING,2017,March,High Wind,"EAST LARAMIE COUNTY",2017-03-09 09:50:00,MST-7,2017-03-09 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Gun Barrel measured sustained winds of 40 mph or higher." +113878,681987,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GALVESTON BAY",2017-03-25 00:16:00,CST-6,2017-03-25 00:16:00,0,0,0,0,0.00K,0,0.00K,0,29.5,-94.92,29.5,-94.92,"A southern Plains storm system brought a late night marine thunderstorm across Galveston Bay.","The wind gust was measured at the Eagle Point PORTS site." +113879,681989,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GALVESTON BAY",2017-03-29 15:15:00,CST-6,2017-03-29 15:15:00,0,0,0,0,0.00K,0,0.00K,0,29.733,-94.841,29.733,-94.841,"A storm system's line of showers and thunderstorms moved through the coastal waters during the mid afternoon hours and produced marine thunderstorm wind gusts.","The wind gust was measured at the North Point WeatherFlow site." +113879,687240,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GALVESTON BAY",2017-03-29 14:43:00,CST-6,2017-03-29 14:43:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.9109,29.54,-94.9109,"A storm system's line of showers and thunderstorms moved through the coastal waters during the mid afternoon hours and produced marine thunderstorm wind gusts.","Wind gust was measured at WeatherFlow site XGAL." +119279,716251,VIRGINIA,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-17 18:32:00,EST-5,2017-07-17 18:32:00,0,0,0,0,2.00K,2000,0.00K,0,37.65,-78.1,37.65,-78.1,"Scattered severe thunderstorms in advance of a frontal boundary produced damaging winds across portions of central Virginia.","Multiple trees were downed." +119358,716502,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-07-21 15:21:00,EST-5,2017-07-21 15:21:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-75.97,36.83,-75.97,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 52 knots was measured at Rudee Inlet." +113000,675369,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-12 15:04:00,PST-8,2017-01-12 15:04:00,0,0,0,0,0.00K,0,0.00K,0,36.72,-119.46,36.7255,-119.4578,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","California Highway Patrol reported about a foot of water across all lanes on Highway 180 near Reed Avenue near Minkler." +118152,710233,NEBRASKA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-13 22:00:00,CST-6,2017-06-13 22:00:00,0,0,0,0,,NaN,,NaN,41.25,-97.13,41.25,-97.13,"During the evening hours of June 13th, multiple rounds of strong to severe storms tracked from central into eastern Nebraska, producing damaging wind gusts, large hail and heavy rain. The most intense severe weather occurred across portions of Platte, Butler, and Madison counties where winds of 60 to nearly 80 mph were reported along with hail up 1.50 inches in diameter.","Trees and large limbs down due to damaging winds . Roof damage to one building and most of the town of David City was without power." +118230,710527,NEBRASKA,2017,June,Hail,"SAUNDERS",2017-06-29 20:25:00,CST-6,2017-06-29 20:25:00,0,0,0,0,,NaN,,NaN,41.3,-96.6,41.3,-96.6,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +112221,669172,NEBRASKA,2017,January,Winter Weather,"HAMILTON",2017-01-05 15:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +119381,716620,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-07-22 17:30:00,EST-5,2017-07-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-76.3,37.2,-76.3,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Buoy Station 44072 (4 NNE Plum Tree Island Refuge)." +119381,716622,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-07-22 17:36:00,EST-5,2017-07-22 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-75.99,37.17,-75.99,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 37 knots was measured at Kiptopeke." +119437,716824,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-75.5,38.39,-75.5,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.03 inches was measured at Parsonsburg (1 W)." +119437,716827,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-29 06:53:00,EST-5,2017-07-29 06:53:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-75.12,38.31,-75.12,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.58 inches was measured at OXB." +119437,716828,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-29 06:54:00,EST-5,2017-07-29 06:54:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-75.51,38.34,-75.51,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.36 inches was measured at SBY." +114977,690317,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-07 04:30:00,MST-7,2017-03-07 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 07/1220 MST." +114977,692269,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-07 08:40:00,MST-7,2017-03-07 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 77 mph at 07/1430 MST." +114977,692270,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-08 11:00:00,MST-7,2017-03-08 17:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 08/1235 MST." +114977,692273,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-09 08:30:00,MST-7,2017-03-09 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 09/1000 MST." +114977,692275,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-06 11:15:00,MST-7,2017-03-06 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 06/1330 MST." +114977,692276,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-07 09:05:00,MST-7,2017-03-07 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 07/1020 MST." +119437,716829,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-75.18,38.24,-75.18,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.28 inches was measured at Ironshire (4 SE)." +114977,692278,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-08 11:00:00,MST-7,2017-03-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 08/1210 MST." +112221,669176,NEBRASKA,2017,January,Winter Weather,"CLAY",2017-01-05 16:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669178,NEBRASKA,2017,January,Winter Weather,"DAWSON",2017-01-05 16:00:00,CST-6,2017-01-05 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669179,NEBRASKA,2017,January,Winter Weather,"GOSPER",2017-01-05 17:00:00,CST-6,2017-01-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669180,NEBRASKA,2017,January,Winter Weather,"PHELPS",2017-01-05 17:00:00,CST-6,2017-01-05 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +114977,692279,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-09 08:00:00,MST-7,2017-03-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 09/1020 MST." +114977,692281,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-06 07:35:00,MST-7,2017-03-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 06/0925 MST." +114977,692282,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-07 09:00:00,MST-7,2017-03-07 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 07/1625 MST." +114977,692283,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-09 08:55:00,MST-7,2017-03-09 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 09/1055 MST." +114977,692284,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-06 06:35:00,MST-7,2017-03-06 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 06/0930 MST." +114977,692285,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-07 08:30:00,MST-7,2017-03-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 07/1110 MST." +114977,692286,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-08 11:35:00,MST-7,2017-03-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 08/1240 MST." +118230,710545,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 21:01:00,CST-6,2017-06-29 21:01:00,0,0,0,0,,NaN,,NaN,41.2183,-96.1875,41.2183,-96.1875,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Golfball size hail was reported at 174th and F Streets in Omaha." +118230,710546,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 21:05:00,CST-6,2017-06-29 21:05:00,0,0,0,0,,NaN,,NaN,41.21,-96.16,41.21,-96.16,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +119437,716830,MARYLAND,2017,July,Heavy Rain,"DORCHESTER",2017-07-29 08:00:00,EST-5,2017-07-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.51,-75.91,38.51,-75.91,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.98 inches was measured at Linkwood (2 SE)." +119437,716833,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-29 08:40:00,EST-5,2017-07-29 08:40:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-75.2,38.08,-75.2,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.76 inches was measured at Public Landing (6 SE)." +114977,692287,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-09 08:15:00,MST-7,2017-03-09 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 09/0850 MST." +114977,692460,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-06 08:20:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Cheyenne Airport measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 06/0920 MST." +114977,692461,WYOMING,2017,March,High Wind,"CENTRAL LARAMIE COUNTY",2017-03-07 10:00:00,MST-7,2017-03-07 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Cheyenne Airport measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 07/1153 MST." +114977,692229,WYOMING,2017,March,High Wind,"SOUTHWEST CARBON COUNTY",2017-03-05 22:55:00,MST-7,2017-03-05 22:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Dixon Airport measured a peak gust of 58 mph." +114977,692230,WYOMING,2017,March,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-03-06 14:50:00,MST-7,2017-03-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Skyline measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 06/1455 MST." +114977,692231,WYOMING,2017,March,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-03-07 03:40:00,MST-7,2017-03-07 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Skyline measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 07/0430 MST." +114977,692232,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-06 15:35:00,MST-7,2017-03-06 15:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured peak wind gusts of 58 mph." +114977,692233,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-07 05:55:00,MST-7,2017-03-07 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40mph or higher, with a peak gust of 67 mph at 07/1040 MST." +119143,715545,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-07-08 21:06:00,EST-5,2017-07-08 21:06:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-76.01,36.93,-76.01,"Isolated thunderstorm in advance of a cold front produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 38 knots was measured at Cape Henry." +112221,669171,NEBRASKA,2017,January,Winter Weather,"YORK",2017-01-05 15:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +113001,675388,ARKANSAS,2017,January,Hail,"JACKSON",2017-01-02 09:05:00,CST-6,2017-01-02 09:05:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-91.13,35.82,-91.13,"Strong to severe thunderstorms moved through parts of west and north Arkansas January 2, 2017.","Hail 1.00 inch in diameter fell in Swifton." +118156,710370,VIRGINIA,2017,June,Thunderstorm Wind,"JAMES CITY",2017-06-14 16:00:00,EST-5,2017-06-14 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.28,-76.75,37.28,-76.75,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of southeast Virginia.","Several large tree limbs were downed along Monticello Avenue near Ironbound Road." +118156,710371,VIRGINIA,2017,June,Thunderstorm Wind,"CHESAPEAKE (C)",2017-06-14 17:20:00,EST-5,2017-06-14 17:20:00,0,0,0,0,2.00K,2000,0.00K,0,36.77,-76.27,36.77,-76.27,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of southeast Virginia.","Several trees and tree limbs were downed along Barger Street, near the intersection of Battlefield Boulevard and Military Highway." +118159,710372,VIRGINIA,2017,June,Thunderstorm Wind,"SURRY",2017-06-16 16:55:00,EST-5,2017-06-16 16:55:00,0,0,0,0,2.00K,2000,0.00K,0,37.14,-76.8,37.14,-76.8,"Isolated severe thunderstorm along a frontal boundary produced damaging winds across portions of southeast Virginia.","Trees were downed." +118160,710373,VIRGINIA,2017,June,Flash Flood,"HENRICO",2017-06-16 21:06:00,EST-5,2017-06-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-77.47,37.6186,-77.4262,"Scattered thunderstorms along a frontal boundary produced heavy rain which caused flash flooding across portions of central Virginia.","Widespread flooding was reported in portions of Henrico county around Lakeside and the surrounding area. Also, portions of Interstate 95 were flooded at Wilmer Road and Staples Mill Road. Water up to 3 feet deep was reported at Martin Street and Edgemore Street." +118734,713258,MARYLAND,2017,July,Thunderstorm Wind,"DORCHESTER",2017-07-01 17:30:00,EST-5,2017-07-01 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,38.45,-76.14,38.45,-76.14,"Isolated severe thunderstorm in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Large tree was downed." +118941,714535,VIRGINIA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-05 14:30:00,EST-5,2017-07-05 14:30:00,0,0,0,0,25.00K,25000,0.00K,0,36.75,-78.11,36.75,-78.11,"Isolated severe thunderstorm along a frontal boundary produced damaging winds across portions of south central Virginia.","Roof of a furniture store was damaged along North Mecklenburg Avenue. There was also minor roof damage to a mobile home on Union Mill Road." +118943,714542,VIRGINIA,2017,July,Heavy Rain,"CHESTERFIELD",2017-07-05 15:45:00,EST-5,2017-07-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-77.32,37.33,-77.32,"Scattered thunderstorms along a frontal boundary produced heavy rain which caused minor flooding across portions of central Virginia.","One inch of rain fell in about 20 minutes. Rainfall total reported was 1.25 inches." +118943,714545,VIRGINIA,2017,July,Heavy Rain,"CHESTERFIELD",2017-07-05 19:30:00,EST-5,2017-07-05 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-77.49,37.41,-77.49,"Scattered thunderstorms along a frontal boundary produced heavy rain which caused minor flooding across portions of central Virginia.","Water was flowing across Kingsland Road." +114977,692234,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-08 04:20:00,MST-7,2017-03-08 05:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 08/0510 MST." +114977,692235,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-06 10:20:00,MST-7,2017-03-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/1140 MST." +114977,692236,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-07 07:25:00,MST-7,2017-03-07 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 07/0800 MST." +114977,692237,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-06 07:55:00,MST-7,2017-03-06 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/0800 MST." +114977,692238,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-07 05:25:00,MST-7,2017-03-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 07/0955 MST." +114977,692239,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-08 08:30:00,MST-7,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 08/0900 MST." +114977,692240,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-06 10:55:00,MST-7,2017-03-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 06/14154 MST." +118156,710367,VIRGINIA,2017,June,Lightning,"WILLIAMSBURG (C)",2017-06-14 15:15:00,EST-5,2017-06-14 15:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.28,-76.71,37.28,-76.71,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of southeast Virginia.","Lightning strike caused a fire to an Air Conditioning Unit on the roof of a Williamsburg Fire Station." +118943,714551,VIRGINIA,2017,July,Heavy Rain,"DINWIDDIE",2017-07-05 19:30:00,EST-5,2017-07-05 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-77.57,37.05,-77.57,"Scattered thunderstorms along a frontal boundary produced heavy rain which caused minor flooding across portions of central Virginia.","Water was flowing across a road." +118946,714566,VIRGINIA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-06 17:40:00,EST-5,2017-07-06 17:40:00,0,0,0,0,1.00K,1000,0.00K,0,36.66,-78.39,36.66,-78.39,"Scattered severe thunderstorms in advance of a weak cold front produced damaging winds across portions of central and south central Virginia.","Large tree was downed." +118946,714568,VIRGINIA,2017,July,Thunderstorm Wind,"CAROLINE",2017-07-06 18:50:00,EST-5,2017-07-06 18:50:00,0,0,0,0,2.00K,2000,0.00K,0,38.17,-77.19,38.17,-77.19,"Scattered severe thunderstorms in advance of a weak cold front produced damaging winds across portions of central and south central Virginia.","Trees were downed in the Port Royal area." +113047,675821,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"DEWEY",2017-01-04 01:20:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675822,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"CAMPBELL",2017-01-04 01:20:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675823,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"WALWORTH",2017-01-04 01:30:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675824,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"POTTER",2017-01-04 02:00:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675825,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"SULLY",2017-01-04 05:35:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675826,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"EDMUNDS",2017-01-04 02:28:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675827,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"MCPHERSON",2017-01-04 02:30:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +113047,675828,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"FAULK",2017-01-04 03:40:00,CST-6,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter Arctic air brought extreme wind chills to the north central and part of northeast South Dakota from late in the evening of the 3rd to around noon on the 4th. Wind chills of 35 below to 45 below affected the region.","" +114977,692241,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-07 04:45:00,MST-7,2017-03-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 77 mph at 07/1255 MST." +114977,692242,WYOMING,2017,March,High Wind,"LARAMIE VALLEY",2017-03-08 04:00:00,MST-7,2017-03-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 08/1300 MST." +114977,692243,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 11:50:00,MST-7,2017-03-06 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 06/1545 MST." +114977,692244,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 08:25:00,MST-7,2017-03-07 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 07/1140 MST." +114977,692245,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-08 09:45:00,MST-7,2017-03-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +114977,692246,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 09:25:00,MST-7,2017-03-06 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Buford measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 06/1445 MST." +114977,692247,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 08:30:00,MST-7,2017-03-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Buford measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 07/0855 MST." +114977,692248,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 11:20:00,MST-7,2017-03-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 06/1600 MST." +118095,710043,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY SMITH PT TO WINDMILL PT VA",2017-06-19 18:03:00,EST-5,2017-06-19 18:03:00,0,0,0,0,0.00K,0,0.00K,0,37.7799,-75.959,37.7799,-75.959,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 62 knots was measured at Tangier Sound Light." +118097,710054,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-06-19 16:52:00,EST-5,2017-06-19 16:52:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-75.71,36.9,-75.71,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 38 knots was measured at Chesapeake Light." +118230,710548,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:09:00,CST-6,2017-06-29 21:09:00,0,0,0,0,,NaN,,NaN,41.18,-96.13,41.18,-96.13,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710549,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:15:00,CST-6,2017-06-29 21:15:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710550,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:18:00,CST-6,2017-06-29 21:18:00,0,0,0,0,,NaN,,NaN,41.12,-96.06,41.12,-96.06,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +113044,676138,VIRGINIA,2017,January,Heavy Snow,"EASTERN HENRICO",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 5 inches and 7 inches across the county. Richmond International Airport (RIC) reported 7.1 inches of snow. Varina (1 N) reported 6 inches of snow." +112993,675267,NORTH DAKOTA,2017,January,High Wind,"DIVIDE",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Crosby RAWS reported sustained winds of 43 mph." +119436,716911,VIRGINIA,2017,July,Heavy Rain,"NORTHUMBERLAND",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-76.51,37.99,-76.51,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 7.15 inches was measured at Lottsburg (2.3 NNE)." +119436,716912,VIRGINIA,2017,July,Heavy Rain,"CAROLINE",2017-07-29 06:33:00,EST-5,2017-07-29 06:33:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-77.24,38.04,-77.24,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.96 inches was measured at Sparta (3 N)." +119436,716915,VIRGINIA,2017,July,Heavy Rain,"ACCOMACK",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-75.71,37.68,-75.71,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.24 inches was measured at Onley." +119436,716916,VIRGINIA,2017,July,Heavy Rain,"KING WILLIAM",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-77.27,37.74,-77.27,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.54 inches was measured at Etna Mills (1 S)." +119436,716917,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-29 08:27:00,EST-5,2017-07-29 08:27:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-75.92,36.67,-75.92,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.45 inches was measured at Sandbridge Beach (3 SSE)." +119436,716919,VIRGINIA,2017,July,Heavy Rain,"ACCOMACK",2017-07-29 08:46:00,EST-5,2017-07-29 08:46:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-75.53,37.98,-75.53,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.87 inches was measured at New Church." +119436,716921,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-29 09:16:00,EST-5,2017-07-29 09:16:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-76.04,36.63,-76.04,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.01 inches was measured at Back Bay (1 SSW)." +114977,692249,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 08:20:00,MST-7,2017-03-07 12:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 07/1120 MST." +114977,692250,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 14:00:00,MST-7,2017-03-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 07/1400 MST." +114977,692251,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-08 03:00:00,MST-7,2017-03-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 08/0335 MST." +114977,692252,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 12:00:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 06/1300 MST." +114977,692253,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 08:45:00,MST-7,2017-03-07 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 07/1130 MST." +114977,692254,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-08 09:35:00,MST-7,2017-03-08 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 08/1205 MST." +114977,692255,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 10:25:00,MST-7,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Summit East measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 06/1205 MST." +118230,710551,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:18:00,CST-6,2017-06-29 21:18:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710552,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:19:00,CST-6,2017-06-29 21:19:00,0,0,0,0,,NaN,,NaN,41.15,-96.09,41.15,-96.09,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +113022,675761,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAWRENCE",2017-01-02 13:38:00,CST-6,2017-01-02 14:05:00,0,0,0,0,20.00K,20000,0.00K,0,31.3715,-90.2282,31.595,-89.9931,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees and powerlines were blown down across the southern part of the county." +113022,675919,MISSISSIPPI,2017,January,Thunderstorm Wind,"MARION",2017-01-02 14:23:00,CST-6,2017-01-02 14:23:00,0,0,0,0,12.00K,12000,0.00K,0,31.16,-89.88,31.16,-89.88,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down on 10 Mile Creek Road including one on a home. A powerline was brought down as well." +113022,675958,MISSISSIPPI,2017,January,Thunderstorm Wind,"JONES",2017-01-02 14:59:00,CST-6,2017-01-02 15:03:00,0,0,0,0,10.00K,10000,0.00K,0,31.7645,-89.1553,31.7599,-89.1218,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down on Lake Como Road and Shady Grove Moss Road." +112821,675857,MARYLAND,2017,January,Heavy Snow,"INLAND WORCESTER",2017-01-07 03:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between four inches and twelve inches of snow and strong winds across the Lower Maryland Eastern Shore.","Snowfall totals were generally between 8 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Ocean Pines (2 NNW) reported 12 inches of snow. Ocean Pines (1 SE) reported 11.6 inches of snow." +118230,710555,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:23:00,CST-6,2017-06-29 21:23:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +119411,716672,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HERTFORD",2017-07-23 17:45:00,EST-5,2017-07-23 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,36.28,-77,36.28,-77,"Scattered thunderstorms associated with a trough of low pressure produced damaging winds and lightning damage across portions of northeast North Carolina.","Trees were downed along Highway 42 near Ahoskie." +119437,716820,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-29 05:45:00,EST-5,2017-07-29 05:45:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-75.39,38.17,-75.39,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.77 inches was measured at Snow Hill." +119437,716821,MARYLAND,2017,July,Heavy Rain,"SOMERSET",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-75.71,38.17,-75.71,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 5.27 inches was measured at Princess Anne (2 SSW)." +119437,716822,MARYLAND,2017,July,Heavy Rain,"SOMERSET",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.18,-75.77,38.18,-75.77,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.49 inches was measured at Oriole (2 E)." +119437,716823,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-75.57,38.34,-75.57,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.60 inches was measured at Lakewood (1 ENE)." +118095,710034,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-06-19 17:04:00,EST-5,2017-06-19 17:04:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-76.38,37.17,-76.38,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 36 knots was measured at (2 N) Poquoson." +118095,710036,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-06-19 17:30:00,EST-5,2017-06-19 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-76.3,37.2,-76.3,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 37 knots was measured at Buoy Station 44072." +118095,710041,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-06-19 17:36:00,EST-5,2017-06-19 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 36 knots was measured at Rappahannock Light." +114977,692256,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 07:25:00,MST-7,2017-03-07 11:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Summit East measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 07/1035 MST." +114977,692257,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-06 11:20:00,MST-7,2017-03-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/1205 MST." +114977,692258,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-07 08:25:00,MST-7,2017-03-07 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 69 mph at 07/0830 MST." +114977,692259,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE",2017-03-08 03:30:00,MST-7,2017-03-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 07/0510 MST." +114977,692260,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-06 06:55:00,MST-7,2017-03-06 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 79 mph at 06/0855 MST." +114977,692261,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-07 08:30:00,MST-7,2017-03-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 87 mph at 07/1425 MST." +114977,692262,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-08 10:25:00,MST-7,2017-03-08 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 78 mph at 08/1145 MST." +114977,692263,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-09 08:15:00,MST-7,2017-03-09 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 83 mph at 09/0955 MST." +113044,676111,VIRGINIA,2017,January,Heavy Snow,"CHARLES CITY",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 11 inches across the county." +113044,676113,VIRGINIA,2017,January,Heavy Snow,"CUMBERLAND",2017-01-06 23:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 6 inches across the county. Cumberland reported 4 inches of snow." +113044,676115,VIRGINIA,2017,January,Heavy Snow,"DINWIDDIE",2017-01-06 22:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 7 inches and 11 inches across the county. Dinwiddie reported 11 inches of snow." +113044,676117,VIRGINIA,2017,January,Heavy Snow,"EASTERN CHESTERFIELD",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 7 inches and 10 inches across the county. City of Colonial Heights reported 9.5 inches of snow. Colonial Heights (3 N) reported 9 inches of snow. Bon Air (1 NNE) reported 8.5 inches of snow." +113044,676118,VIRGINIA,2017,January,Heavy Snow,"WESTERN CHESTERFIELD",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 10 inches across the county. Midlothian reported between 8 and 9 inches of snow." +113044,676122,VIRGINIA,2017,January,Heavy Snow,"EASTERN ESSEX",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 4 inches and 7 inches across the county." +113044,676124,VIRGINIA,2017,January,Heavy Snow,"WESTERN ESSEX",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 3 inches and 6 inches across the county." +114977,692264,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-06 07:20:00,MST-7,2017-03-06 18:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 06/0840 MST." +114977,692265,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-07 08:45:00,MST-7,2017-03-07 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 07/1005 MST." +114977,692266,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-08 11:55:00,MST-7,2017-03-08 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/1330 MST." +114977,692267,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-09 08:40:00,MST-7,2017-03-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 09/1015 MST." +114977,692268,WYOMING,2017,March,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-06 07:35:00,MST-7,2017-03-06 18:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 06/1520 MST." +119144,715546,ATLANTIC NORTH,2017,July,Waterspout,"CURRITUCK SOUND",2017-07-10 06:20:00,EST-5,2017-07-10 06:20:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-75.98,36.41,-75.98,"Isolated thunderstorm along a frontal boundary produced a waterspout across portions of the Currituck Sound.","Multiple images of a waterspout were reported over Coinjock Bay between Maple and Bell Island." +119195,715790,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-75.87,36.55,-75.87,"Scattered thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 3.58 inches was measured at Knotts Island (3 NE)." +119196,715792,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SMITH PT TO WINDMILL PT VA",2017-07-14 19:09:00,EST-5,2017-07-14 19:09:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-75.98,37.82,-75.98,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 37 knots was measured at Tangier Sound Light." +119196,715794,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-07-14 19:18:00,EST-5,2017-07-14 19:18:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 38 knots was measured at Rappahannock Light." +119196,715799,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-07-14 19:25:00,EST-5,2017-07-14 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.32,36.89,-76.32,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Lafayette River." +119196,715802,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-07-14 19:29:00,EST-5,2017-07-14 19:29:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-75.98,37.49,-75.98,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 38 knots was measured at Silver Beach." +119196,715806,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-07-14 19:55:00,EST-5,2017-07-14 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-76.08,36.91,-76.08,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 55 knots was measured at Lynnhaven Pier." +119197,715807,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-07-14 19:06:00,EST-5,2017-07-14 19:06:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 44 knots was measured at Middle Ground Lighthouse." +120232,720731,VIRGINIA,2017,August,Heavy Rain,"NORFOLK (C)",2017-08-29 08:30:00,EST-5,2017-08-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-76.27,36.87,-76.27,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.03 inches was measured at Downtown Norfolk." +120232,720732,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-29 17:21:00,EST-5,2017-08-29 17:21:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-75.9982,37.28,-75.9982,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 6.25 inches was measured at Cheriton (1 W)." +120232,720735,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-29 19:05:00,EST-5,2017-08-29 19:05:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-75.93,37.28,-75.93,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 4.71 inches was measured at Oyster." +120232,720737,VIRGINIA,2017,August,Heavy Rain,"PORTSMOUTH (C)",2017-08-29 19:07:00,EST-5,2017-08-29 19:07:00,0,0,0,0,0.00K,0,0.00K,0,36.8311,-76.3634,36.8311,-76.3634,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.62 inches was measured at Downtown Portsmouth (2 WNW)." +120232,720739,VIRGINIA,2017,August,Heavy Rain,"PRINCE GEORGE",2017-08-29 17:20:00,EST-5,2017-08-29 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.0811,-77.3635,37.0811,-77.3635,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 4.00 inches was measured at Reams (2 ENE)." +118230,710544,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 21:00:00,CST-6,2017-06-29 21:00:00,0,0,0,0,,NaN,,NaN,41.21,-96.19,41.21,-96.19,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +120232,720740,VIRGINIA,2017,August,Heavy Rain,"PRINCE GEORGE",2017-08-29 18:26:00,EST-5,2017-08-29 18:26:00,0,0,0,0,0.00K,0,0.00K,0,37.2555,-77.1332,37.2555,-77.1332,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.19 inches was measured at Garysville (1 ENE)." +120232,720741,VIRGINIA,2017,August,Heavy Rain,"PRINCE GEORGE",2017-08-29 17:11:00,EST-5,2017-08-29 17:11:00,0,0,0,0,0.00K,0,0.00K,0,37.1245,-77.2132,37.1245,-77.2132,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.60 inches was measured at Disputanta (1 ESE)." +120232,720744,VIRGINIA,2017,August,Heavy Rain,"SUFFOLK (C)",2017-08-29 19:03:00,EST-5,2017-08-29 19:03:00,0,0,0,0,0.00K,0,0.00K,0,36.8889,-76.4866,36.8889,-76.4866,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.94 inches was measured at Hobson (2 ESE)." +120232,720746,VIRGINIA,2017,August,Heavy Rain,"SURRY",2017-08-29 19:03:00,EST-5,2017-08-29 19:03:00,0,0,0,0,0.00K,0,0.00K,0,37.1745,-76.8168,37.1745,-76.8168,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.83 inches was measured at Scotland (1 WSW)." +116344,700053,ATLANTIC NORTH,2017,May,Waterspout,"JAMES RIVER FROM JAMESTOWN TO THE JAMES RIVER BRIDGE",2017-05-05 19:41:00,EST-5,2017-05-05 19:41:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-76.77,37.18,-76.77,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds and a waterspout across portions of the James River.","Waterspout was sighted over the James River just east of Scotland, and was headed toward James City county." +116556,701196,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"YORK RIVER",2017-05-07 17:42:00,EST-5,2017-05-07 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-76.48,37.23,-76.48,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the York River.","Wind gust of 35 knots was measured at Yorktown USCG Station." +112221,669173,NEBRASKA,2017,January,Winter Weather,"HALL",2017-01-05 15:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669174,NEBRASKA,2017,January,Winter Weather,"ADAMS",2017-01-05 16:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +112221,669175,NEBRASKA,2017,January,Winter Weather,"FILLMORE",2017-01-05 16:00:00,CST-6,2017-01-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A narrow band of snow deposited generally 2 to 4 inches of snow over much of south central Nebraska on this Wednesday. The snow began around 1 am CST in the Lexington area and ended across the region at 11 pm. The band ebbed and waned at various locations and times throughout the day, but light snow was steadiest over the largest area during the afternoon and evening hours. The highest amount reported was 4.9 inches in the town of Cozad.||At the surface, arctic air was firmly entrenched over the Great Plains. The front that introduced the arctic air was over the Gulf of Mexico and the Rio Grande River. Throughout the day, arctic high pressure gradually slipped from Montana into Nebraska. In the upper-levels, the Westerlies were zonal. This snow band was generated by persistent mid-level frontogenesis. There was no synoptic-scale forcing, so snowfall amounts were light.","A narrow band of 2-4 of snow was reported across the area." +114867,689085,NEVADA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-02 02:00:00,PST-8,2017-01-05 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the northern Sierra and western Nevada.","Storm total snowfall between 43 and 70 inches was reported in the higher elevations (generally above about 7000 feet) of the Carson Range, with between 9 and 14 inches at lake level, between the 2nd and the 5th." +114867,689088,NEVADA,2017,January,Heavy Snow,"WESTERN NEVADA BASIN AND RANGE",2017-01-04 18:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the northern Sierra and western Nevada.","Between 3 and 6 inches of snow fell in the Fallon area from the evening of the 4th into the morning of the 5th. Higher amounts between 6 and 9 inches fell between Sutcliffe and Fernley." +118230,710547,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:07:00,CST-6,2017-06-29 21:07:00,0,0,0,0,,NaN,,NaN,41.19,-96.12,41.19,-96.12,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Golf ball size hail was reported from 160th St to 132nd Street along Harrison." +119931,718762,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-08-07 17:24:00,EST-5,2017-08-07 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered thunderstorms associated with low pressure and a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 37 knots was measured at York River East Rear Range Light." +113300,678002,KANSAS,2017,January,Winter Weather,"KEARNY",2017-01-05 00:00:00,CST-6,2017-01-05 14:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 5.0 inches was observed at a location 19 miles SW of Modoc." +113300,678003,KANSAS,2017,January,Winter Weather,"FINNEY",2017-01-05 00:00:00,CST-6,2017-01-05 14:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location 13 miles WSW of Friend." +113300,678005,KANSAS,2017,January,Winter Weather,"FINNEY",2017-01-05 00:00:00,CST-6,2017-01-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location 6 miles southwest of Plymell." +118946,714574,VIRGINIA,2017,July,Thunderstorm Wind,"ESSEX",2017-07-06 19:25:00,EST-5,2017-07-06 19:25:00,0,0,0,0,1.00K,1000,0.00K,0,38.02,-77,38.02,-77,"Scattered severe thunderstorms in advance of a weak cold front produced damaging winds across portions of central and south central Virginia.","Tree was downed on Route 17 between Hunters Hill Road and O'Neil Road." +119436,716906,VIRGINIA,2017,July,Flash Flood,"NORTHUMBERLAND",2017-07-28 17:40:00,EST-5,2017-07-28 19:40:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-76.56,37.9697,-76.5599,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Portions of Route 202 were flooded." +119436,716907,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-28 10:27:00,EST-5,2017-07-28 10:27:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-75.92,36.67,-75.92,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.16 inches was measured at Sandbridge Beach (3 SSE)." +119436,716908,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-29 05:30:00,EST-5,2017-07-29 05:30:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.63,36.97,-76.63,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.12 inches was measured at Smithfield (1 SW)." +119436,716909,VIRGINIA,2017,July,Heavy Rain,"ACCOMACK",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-75.37,37.93,-75.37,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of central and eastern Virginia.","Rainfall total of 2.26 inches was measured at Chincoteague (1 SW)." +119381,716627,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-07-22 17:45:00,EST-5,2017-07-22 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 36 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +119381,716628,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-07-22 18:06:00,EST-5,2017-07-22 18:06:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 48 knots was measured at Rappahannock Light." +119406,716635,MARYLAND,2017,July,Lightning,"SOMERSET",2017-07-23 01:19:00,EST-5,2017-07-23 01:19:00,0,0,0,0,3.00K,3000,0.00K,0,38.08,-75.58,38.08,-75.58,"Scattered thunderstorms associated with a trough of low pressure produced lightning damage across portions of the Lower Maryland Eastern Shore.","Lightning strike caused damage to a storage shed." +119411,716671,NORTH CAROLINA,2017,July,Lightning,"CURRITUCK",2017-07-23 19:31:00,EST-5,2017-07-23 19:31:00,0,0,0,0,3.00K,3000,0.00K,0,36.53,-76.18,36.53,-76.18,"Scattered thunderstorms associated with a trough of low pressure produced damaging winds and lightning damage across portions of northeast North Carolina.","Lightning strike caused a fire to several trees adjacent to Moyock Post Office." +113300,678007,KANSAS,2017,January,Winter Weather,"GRANT",2017-01-05 00:00:00,CST-6,2017-01-05 19:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 3.5 inches was observed at a location in Ulysses." +113300,678008,KANSAS,2017,January,Winter Weather,"STANTON",2017-01-05 00:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location 10 miles northwest of Johnson City." +113300,678009,KANSAS,2017,January,Winter Weather,"STANTON",2017-01-05 00:00:00,CST-6,2017-01-05 19:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location 8 miles north of Manter." +113300,678010,KANSAS,2017,January,Winter Weather,"GRAY",2017-01-05 00:00:00,CST-6,2017-01-05 20:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location in Cimarron." +118230,710553,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:20:00,CST-6,2017-06-29 21:20:00,0,0,0,0,,NaN,,NaN,41.14,-96.07,41.14,-96.07,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710554,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:23:00,CST-6,2017-06-29 21:23:00,0,0,0,0,,NaN,,NaN,41.14,-96.04,41.14,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +115430,697122,MINNESOTA,2017,June,Hail,"HENNEPIN",2017-06-11 07:50:00,CST-6,2017-06-11 07:50:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-93.23,44.93,-93.23,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Report and photo submitted via social media." +115430,697125,MINNESOTA,2017,June,Thunderstorm Wind,"LAC QUI PARLE",2017-06-11 05:16:00,CST-6,2017-06-11 05:16:00,0,0,0,0,0.00K,0,0.00K,0,44.98,-96.18,44.98,-96.18,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115431,699061,WISCONSIN,2017,June,Thunderstorm Wind,"ST. CROIX",2017-06-11 08:10:00,CST-6,2017-06-11 08:10:00,0,0,0,0,0.00K,0,0.00K,0,45,-92.75,44.99,-92.75,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Several trees were blown down or uprooted." +115430,697451,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:31:00,CST-6,2017-06-11 07:31:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-93.56,44.85,-93.56,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several trees (6 to 12 inches in diameter) were snapped." +116912,703079,VIRGINIA,2017,May,Thunderstorm Wind,"LUNENBURG",2017-05-25 13:03:00,EST-5,2017-05-25 13:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.95,-78.17,36.95,-78.17,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of south central and southeast Virginia.","Wind gust of 54 knots (62 mph) was measured at Mesonet Station AT589 (2 WSW Kenbridge)." +116917,703121,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HERTFORD",2017-05-27 20:00:00,EST-5,2017-05-27 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.44,-77.09,36.44,-77.09,"Scattered severe thunderstorms associated with low pressure and a warm front produced damaging winds across portions of northeast North Carolina.","Trees were downed on Highway 158 in Murfreesboro." +116917,703131,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CURRITUCK",2017-05-27 21:10:00,EST-5,2017-05-27 21:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.49,-76.14,36.49,-76.14,"Scattered severe thunderstorms associated with low pressure and a warm front produced damaging winds across portions of northeast North Carolina.","Trees were downed, and there was damage to the awning at a bank drive-in." +116941,703325,VIRGINIA,2017,May,Thunderstorm Wind,"RICHMOND",2017-05-29 19:09:00,EST-5,2017-05-29 19:09:00,0,0,0,0,2.00K,2000,0.00K,0,37.89,-76.66,37.89,-76.66,"Isolated severe thunderstorm in advance of a frontal boundary produced damaging winds across portions of the Virginia Northern Neck.","Trees were downed and blocking Drinking Swamp Road just south of Route 360." +116944,704039,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-31 19:20:00,EST-5,2017-05-31 19:20:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 60 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +116944,704048,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-31 19:30:00,EST-5,2017-05-31 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37,-76.09,37,-76.09,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 49 knots was measured at (6 NW) Cape Henry." +118230,710556,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:25:00,CST-6,2017-06-29 21:25:00,0,0,0,0,,NaN,,NaN,41.14,-95.97,41.14,-95.97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +116859,702631,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-22 15:00:00,EST-5,2017-05-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 38 knots was measured at Middle Ground Lighthouse." +116862,702636,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NORTHAMPTON",2017-05-24 19:25:00,EST-5,2017-05-24 19:25:00,0,0,0,0,2.00K,2000,0.00K,0,36.49,-77.44,36.49,-77.44,"Isolated severe thunderstorm in advance of low pressure and an associated cold front produced damaging winds across portions of northeast North Carolina.","Trees were downed in Seaboard." +116901,702957,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"YORK RIVER",2017-05-25 16:12:00,EST-5,2017-05-25 16:12:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-76.48,37.23,-76.48,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the York River.","Wind gust of 37 knots was measured at Yorktown USCG Station." +115430,697124,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:52:00,CST-6,2017-06-11 06:52:00,0,0,0,0,0.00K,0,0.00K,0,45.21,-94.31,45.21,-94.31,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were three sheds damaged and one destroyed, along with several trees down along Highway 15, north of Kingston." +118230,710557,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:25:00,CST-6,2017-06-29 21:25:00,0,0,0,0,,NaN,,NaN,41.14,-96.02,41.14,-96.02,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +113300,677997,KANSAS,2017,January,Winter Weather,"FINNEY",2017-01-05 00:00:00,CST-6,2017-01-05 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 3.5 inches was observed at a location 2 miles north of Garden City." +113300,677999,KANSAS,2017,January,Winter Weather,"KEARNY",2017-01-05 00:00:00,CST-6,2017-01-05 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.5 inches was observed at a location 9 miles south of Lakin." +113300,678000,KANSAS,2017,January,Winter Weather,"FINNEY",2017-01-05 00:00:00,CST-6,2017-01-05 14:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 3.5 inches was observed at a location 4 miles WSW of Friend." +116807,702566,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-19 16:56:00,EST-5,2017-05-19 16:56:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 39 knots was measured at Middle Ground Lighthouse." +116858,702629,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-22 14:10:00,EST-5,2017-05-22 14:10:00,0,0,0,0,2.00K,2000,0.00K,0,36.54,-76.37,36.54,-76.37,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of northeast North Carolina.","Trees were downed near the junction of Highway 17 and Ponderosa Road north of South Mills." +116858,702630,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CURRITUCK",2017-05-22 15:30:00,EST-5,2017-05-22 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.21,-75.86,36.21,-75.86,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of northeast North Carolina.","Trees were downed near Jarvisburg on Fisher Landing Road." +115430,695713,MINNESOTA,2017,June,Hail,"LAC QUI PARLE",2017-06-11 05:06:00,CST-6,2017-06-11 05:06:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-96.42,45.01,-96.42,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,696055,MINNESOTA,2017,June,Hail,"WRIGHT",2017-06-11 07:22:00,CST-6,2017-06-11 07:22:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-93.79,45.04,-93.79,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +116374,699802,MONTANA,2017,June,Hail,"TOOLE",2017-06-08 18:15:00,MST-7,2017-06-08 18:15:00,0,0,0,0,0.00K,0,0.00K,0,48.65,-112.12,48.65,-112.12,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Public report of quarter sized hail south of Ethridge near Potter Road." +116374,699800,MONTANA,2017,June,Hail,"PONDERA",2017-06-08 18:14:00,MST-7,2017-06-08 18:14:00,0,0,0,0,0.00K,0,0.00K,0,48.3,-112.25,48.3,-112.25,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Storm chaser reported quarter sized hail." +119276,716225,NORTH DAKOTA,2017,September,Hail,"LA MOURE",2017-09-19 15:05:00,CST-6,2017-09-19 15:08:00,0,0,0,0,0.00K,0,0.00K,0,46.29,-98.72,46.29,-98.72,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","" +118892,714261,NEBRASKA,2017,September,Hail,"KIMBALL",2017-09-15 22:30:00,MST-7,2017-09-15 22:33:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-103.66,41.23,-103.66,"Thunderstorms produced large hail over Cheyenne and Kimball counties.","Half dollar size hail was observed at Kimball." +119191,716623,NEVADA,2017,September,Thunderstorm Wind,"CLARK",2017-09-13 19:18:00,PST-8,2017-09-13 19:32:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-115.3,36.32,-115.3,"An upper level low pressure system lingered near the California coast, helping to force isolated thunderstorms over the Mojave Desert. A couple of storms produced severe weather.","Winds gusted to 63 mph one mile SE of Lone Mountain and 71 mph two miles NNW of Centennial Hills." +116557,701217,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-07 18:06:00,EST-5,2017-05-07 18:06:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-76.43,36.96,-76.43,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 39 knots was measured at Dominion Terminal Associates." +116557,701218,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-07 18:16:00,EST-5,2017-05-07 18:16:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 44 knots was measured at Middle Ground Lighthouse." +116557,701222,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-07 18:17:00,EST-5,2017-05-07 18:17:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-76.35,37.01,-76.35,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 42 knots was measured at Hampton Flats." +115430,695739,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:32:00,CST-6,2017-06-11 06:32:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-94.68,45.15,-94.68,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large branches were blown down." +115430,697123,MINNESOTA,2017,June,Thunderstorm Wind,"STEARNS",2017-06-11 06:45:00,CST-6,2017-06-11 06:45:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-94.55,45.33,-94.55,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Numerous trees and power lines were blown down along the Stearns-Meeker County line." +115430,697452,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:27:00,CST-6,2017-06-11 07:27:00,0,0,0,0,0.00K,0,0.00K,0,44.86,-93.68,44.86,-93.68,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A few large branches were blown down." +115430,696079,MINNESOTA,2017,June,Hail,"RAMSEY",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,0.00K,0,0.00K,0,45.11,-93.13,45.11,-93.13,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Report submitted via social media." +115430,696054,MINNESOTA,2017,June,Hail,"REDWOOD",2017-06-11 06:48:00,CST-6,2017-06-11 06:48:00,0,0,0,0,0.00K,0,0.00K,0,44.21,-95.13,44.21,-95.13,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +114214,684130,ARKANSAS,2017,March,Thunderstorm Wind,"POPE",2017-03-01 01:50:00,CST-6,2017-03-01 01:50:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-93.15,35.43,-93.15,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Several trees were uprooted and power lines were down in the area." +114214,684132,ARKANSAS,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-01 02:05:00,CST-6,2017-03-01 02:05:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-92.55,35.75,-92.55,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","A 68 MPH wind gust was reported." +114214,684134,ARKANSAS,2017,March,Thunderstorm Wind,"MARION",2017-03-01 02:15:00,CST-6,2017-03-01 02:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.28,-92.6,36.28,-92.6,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Part of a roof was removed from a home and some vehicles were damaged." +114214,684136,ARKANSAS,2017,March,Thunderstorm Wind,"CONWAY",2017-03-01 02:20:00,CST-6,2017-03-01 02:20:00,0,0,0,0,20.00K,20000,0.00K,0,35.37,-92.57,35.37,-92.57,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The emergency manager reported several homes and mobile homes were damaged in the Center Ridge area. One camper was destroyed and several trees were down as well." +114276,684615,TEXAS,2017,April,Hail,"WOOD",2017-04-10 17:30:00,CST-6,2017-04-10 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.9581,-95.2895,32.9581,-95.2895,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail fell in Winnsboro. Report from the KLTV Facebook page." +114214,700649,ARKANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-01 01:38:00,CST-6,2017-03-01 01:42:00,0,0,0,0,100.00K,100000,0.00K,0,35.5216,-93.3787,35.5213,-93.3297,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Strong straight line wind damage was surveyed beginning near the intersection of Strawberry Loop Road and Minnow Creek Road and was scattered along a west to east oriented line ending just north of Hagarville at an Adventure Farm just north of town. There were a few outbuildings destroyed within this swath of damage, some of which were well constructed. A wallaby and her baby were killed when a nursery barn was destroyed at the Adventure Farm north of Hagarville. The damage was consistent with thunderstorm winds of 80 to 90 mph. Several trees were also uprooted in between the start and end points of damage." +114269,684607,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-04 19:35:00,CST-6,2017-04-04 19:35:00,0,0,0,0,0.00K,0,0.00K,0,34.0553,-95.087,34.0553,-95.087,"An upper low pressure system shifted east across the Southern Plains during the afternoon of April 4th, reaching Central Oklahoma during the evening. A southerly return flow was weak ahead of this storm system, resulting in a dry air mass in place as the atmosphere was scoured out in wake of a cold frontal passage which had moved through the region a couple of days prior. Despite the lack of low level moisture, strong wind shear, steep lapse rates, and very strong forcing aloft ahead of this low pressure system resulted in scattered but elevated strong to severe thunderstorm development over Southeast Oklahoma and portions of extreme Northeast Texas during the evening, where reports of large hail were observed across portions of Western McCurtain County Oklahoma and Red River County Texas. These storms weakened during the late evening as they outran the area of best forcing and instability closer to the upper level low.","Quarter size hail fell about 4 miles north of Valliant." +112904,674558,MONTANA,2017,February,Flood,"PHILLIPS",2017-02-20 16:26:00,MST-7,2017-02-22 22:50:00,0,0,0,0,0.00K,0,0.00K,0,48.9996,-107.3275,48.9994,-107.2805,"An early season thaw caused snowpack to melt and ice to break up, which allowed water to rise along main stem waterways. Some sections of rivers prone to developing ice jams, did so during this period.","The Whitewater - Frenchman Creek stream gauge (FREM8) rose above its flood stage of 12 feet on February 20th at 4:26 PM, crested at 12.93 feet at 4:42 PM on February 21st, then fell back down below flood stage at 10:50 PM on February 22nd." +116374,699811,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 19:08:00,MST-7,2017-06-08 19:08:00,0,0,0,0,0.00K,0,0.00K,0,48.57,-111.86,48.57,-111.86,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter reported 2 semis and 1 camper blown over along I-15 north of Shelby." +116374,699812,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:52:00,MST-7,2017-06-08 18:52:00,0,0,0,0,0.00K,0,0.00K,0,48.88,-111.91,48.88,-111.91,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Sunburst DOT sensor recorded a gust of 83 mph." +117561,707021,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-06-17 00:20:00,CST-6,2017-06-17 00:20:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-89.55,29.12,-89.55,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","West Delta Oil Platform AWOS station KDLP reported a 41 mph wind gust in a thunderstorm." +117567,707030,LOUISIANA,2017,June,Thunderstorm Wind,"EAST BATON ROUGE",2017-06-18 14:30:00,CST-6,2017-06-18 14:30:00,0,0,0,0,,NaN,0.00K,0,30.3882,-90.9907,30.3882,-90.9907,"An outflow boundary from a thunderstorm complex over the central Plains states moved into southeast Louisiana during the afternoon hours of the 18th, producing at least one severe thunderstorm. Several reports of wind damage were received from the Baton Rouge area.","A tree was reported blown down across the road on Elliott Road near Tiger Bend Road." +117567,707035,LOUISIANA,2017,June,Thunderstorm Wind,"EAST BATON ROUGE",2017-06-18 14:30:00,CST-6,2017-06-18 14:30:00,0,0,0,0,,NaN,0.00K,0,30.399,-90.9828,30.399,-90.9828,"An outflow boundary from a thunderstorm complex over the central Plains states moved into southeast Louisiana during the afternoon hours of the 18th, producing at least one severe thunderstorm. Several reports of wind damage were received from the Baton Rouge area.","Baton Rouge Fire Department reported a large tree down across the roadway in the 18400 Block of Weatherwood Drive in East Baton Rouge Parish. The event time was estimated by radar." +117567,707039,LOUISIANA,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-18 14:45:00,CST-6,2017-06-18 14:45:00,0,0,0,0,,NaN,0.00K,0,30.3344,-90.7002,30.3344,-90.7002,"An outflow boundary from a thunderstorm complex over the central Plains states moved into southeast Louisiana during the afternoon hours of the 18th, producing at least one severe thunderstorm. Several reports of wind damage were received from the Baton Rouge area.","A tree was reported blown down on Union Landing Road near Louisiana Highway 444 in Livingston Parish." +117801,708162,TEXAS,2017,June,Flash Flood,"NUECES",2017-06-01 09:37:00,CST-6,2017-06-01 10:52:00,0,0,0,0,0.00K,0,0.00K,0,27.7733,-97.4034,27.7625,-97.4025,"A weak upper level disturbance interacted with deep moisture along the coast to produce scattered thunderstorms during the morning of June 1st. The storms trained across the downtown area of Corpus Christi. Roads became impassable with numerous cars stranded in high water.","Water flooded Alameda and Staples Streets around the Six Points area." +117801,708163,TEXAS,2017,June,Flash Flood,"NUECES",2017-06-01 10:10:00,CST-6,2017-06-01 11:10:00,0,0,0,0,250.00K,250000,0.00K,0,27.8007,-97.4151,27.7732,-97.4209,"A weak upper level disturbance interacted with deep moisture along the coast to produce scattered thunderstorms during the morning of June 1st. The storms trained across the downtown area of Corpus Christi. Roads became impassable with numerous cars stranded in high water.","Flood waters made multiple roads impassable in the downtown area of Corpus Christi. Numerous vehicles were stranded in the high water." +118934,714519,TEXAS,2017,June,Hail,"NUECES",2017-06-05 13:44:00,CST-6,2017-06-05 13:46:00,0,0,0,0,,NaN,0.00K,0,27.67,-97.75,27.67,-97.75,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Quarter to half dollar sized hail occurred in Driscoll." +118934,714523,TEXAS,2017,June,Hail,"ARANSAS",2017-06-05 18:09:00,CST-6,2017-06-05 18:15:00,0,0,0,0,250.00K,250000,0.00K,0,28.17,-97.01,28.1604,-97.0007,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Video submitted through social media showed tennis ball sized hail in Holiday Beach." +118934,714525,TEXAS,2017,June,Hail,"ARANSAS",2017-06-05 18:13:00,CST-6,2017-06-05 18:21:00,0,0,0,0,25.00K,25000,0.00K,0,28.1438,-96.9927,28.1359,-96.987,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Video was submitted through social media of quarter to half dollar sized hail at Goose Island State Park. Hail covered the ground." +118940,714533,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-05 15:00:00,CST-6,2017-06-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,27.6346,-97.237,27.6346,-97.237,"Scattered thunderstorms over the Coastal Bend moved into the coastal waters from Corpus Christi Bay to Baffin Bay during the afternoon. Wind gusts were around 40 knots with the storms. Large hail up to golf ball sized occurred over Aransas Bay also.","TCOON site at Packery Channel measured a gust to 42 knots." +118940,714534,GULF OF MEXICO,2017,June,Marine Hail,"PT O'CONNOR TO ARANSAS PASS",2017-06-05 18:20:00,CST-6,2017-06-05 18:25:00,0,0,0,0,0.00K,0,0.00K,0,28.1286,-96.9844,28.119,-96.9863,"Scattered thunderstorms over the Coastal Bend moved into the coastal waters from Corpus Christi Bay to Baffin Bay during the afternoon. Wind gusts were around 40 knots with the storms. Large hail up to golf ball sized occurred over Aransas Bay also.","Storm that produced hail to half dollar size at Goose Island State Park moved southeast into Aransas Bay." +118950,714558,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-06-25 09:48:00,CST-6,2017-06-25 10:06:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.2165,27.581,-97.2165,"Scattered strong thunderstorms moved through the Corpus Christi Bay area during the late morning hours. The storms produced wind gusts between 35 and 40 knots.","NOS site at Bob Hall Pier measured gusts to 37 knots." +118950,714559,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-25 09:48:00,CST-6,2017-06-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,27.6346,-97.237,27.6287,-97.2443,"Scattered strong thunderstorms moved through the Corpus Christi Bay area during the late morning hours. The storms produced wind gusts between 35 and 40 knots.","TCOON site at Packery Channel measured gusts to 39 knots." +118950,714560,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-25 09:56:00,CST-6,2017-06-25 10:16:00,0,0,0,0,0.00K,0,0.00K,0,27.6372,-97.2868,27.6296,-97.2788,"Scattered strong thunderstorms moved through the Corpus Christi Bay area during the late morning hours. The storms produced wind gusts between 35 and 40 knots.","Weatherflow site at Laguna Shores measured a gust to 40 knots." +114214,684757,ARKANSAS,2017,March,Tornado,"JOHNSON",2017-03-01 01:29:00,CST-6,2017-03-01 01:30:00,0,0,0,0,20.00K,20000,0.00K,0,35.4203,-93.3852,35.4193,-93.383,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","An EF-1 tornado touched down at Lamar, with severe roof damage to a home." +114214,684140,ARKANSAS,2017,March,Thunderstorm Wind,"BAXTER",2017-03-01 02:30:00,CST-6,2017-03-01 02:30:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-92.38,36.32,-92.38,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Trained storm spotter estimated winds in excess of 60 mph with trees down in the aea." +114214,684141,ARKANSAS,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-01 02:45:00,CST-6,2017-03-01 02:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.41,-92.4,35.41,-92.4,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Roof damage was reported to a home." +114214,684142,ARKANSAS,2017,March,Thunderstorm Wind,"CLEBURNE",2017-03-01 02:46:00,CST-6,2017-03-01 02:46:00,0,0,0,0,30.00K,30000,0.00K,0,35.49,-92.03,35.49,-92.03,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Social media shows a large tree has fallen through a house in Heber Springs." +114214,684760,ARKANSAS,2017,March,Tornado,"CLEBURNE",2017-03-01 02:33:00,CST-6,2017-03-01 02:38:00,0,0,0,0,20.00K,20000,0.00K,0,35.4617,-92.2345,35.4579,-92.1667,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Trees were blown down, uprooted, or snapped along the path of the tornado. A home had some windows blown out, and some roof damage. Several outbuildings were damaged." +116374,699808,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:40:00,MST-7,2017-06-08 18:40:00,0,0,0,0,0.00K,0,0.00K,0,48.51,-111.86,48.51,-111.86,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter reported a severe wind gust that caused sheet metal to wrap around pole." +116374,699810,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:49:00,MST-7,2017-06-08 18:49:00,0,0,0,0,0.00K,0,0.00K,0,48.57,-111.86,48.57,-111.86,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Law Enforcement reported a double semi-trailer blown over at Mile Marker 358 along Interstate 15." +113692,680496,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-04-01 22:13:00,CST-6,2017-04-01 22:13:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"Several embedded severe thunderstorms in a broken line of storms caused several strong winds over the near shore waters during the overnight of April 15-16, 2017.","Sheboygan lakeshore weather station measured a wind gust of 36 knots as a severe thunderstorm passed through." +113692,680498,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-01 21:50:00,CST-6,2017-04-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"Several embedded severe thunderstorms in a broken line of storms caused several strong winds over the near shore waters during the overnight of April 15-16, 2017.","Kenosha lakeshore weather station measured wind gusts of 36 to 38 knots for a 10 minute period." +117561,707015,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-06-17 00:15:00,CST-6,2017-06-17 00:15:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-88.44,29.25,-88.44,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","Apache Rig AWOS station KVKY in Main Pass Block 289C reported a 55 knot wind gust in a thunderstorm." +117570,707040,LOUISIANA,2017,June,Flash Flood,"ST. CHARLES",2017-06-24 13:40:00,CST-6,2017-06-24 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,29.99,-90.36,29.9544,-90.3821,"An outflow boundary moving southward across Mississippi collided with a boundary left from the remnants of Tropical Storm Cindy over southeast Louisiana. The resulting heavy rainfall produced at least one report of flash flooding in St. Charles Parish.","Streets were reported flooded with water entering at least two homes in St. Rose." +117571,707041,MISSISSIPPI,2017,June,Flash Flood,"JACKSON",2017-06-29 16:00:00,CST-6,2017-06-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6344,-88.6157,30.6168,-88.7489,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","The Jackson County Sheriff's Office reported roads were becoming impassable off Mississippi Highway 57 in the Vancleave area. In addition, flooding of roads was reported in the Hurley and Wade communities." +120233,720839,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-29 18:40:00,EST-5,2017-08-29 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38.1084,-75.3089,38.1084,-75.3089,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.78 inches was measured at Public Landing (6 SE)." +120233,720850,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-29 18:53:00,EST-5,2017-08-29 18:53:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-75.12,38.32,-75.12,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.69 inches was measured at OXB." +116344,700052,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-05 07:46:00,EST-5,2017-05-05 07:46:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds and a waterspout across portions of the James River.","Wind gust of 39 knots was measured at Middle Ground Lighthouse." +122675,734850,TEXAS,2017,December,Winter Weather,"WILLIAMSON",2017-12-31 22:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought a shallow layer of freezing air to South Central Texas early on December 31st. Behind the front light precipitation fell as freezing rain with minor ice accumulation on elevated surfaces including bridges and overpasses. This resulted in a number of vehicle accidents in Williamson County.","An arctic cold front brought a shallow layer of freezing air to South Central Texas early on December 31st. Behind the front light precipitation fell as freezing rain with minor ice accumulation on elevated surfaces including bridges and overpasses. This resulted in a number of vehicle accidents in Williamson County." +114214,684126,ARKANSAS,2017,March,Hail,"PULASKI",2017-03-01 04:49:00,CST-6,2017-03-01 04:49:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-92.28,34.75,-92.28,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","" +114214,684127,ARKANSAS,2017,March,Hail,"PULASKI",2017-03-01 04:50:00,CST-6,2017-03-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-92.24,34.78,-92.24,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","" +118950,714564,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-25 09:57:00,CST-6,2017-06-25 10:03:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.5972,-97.2908,"Scattered strong thunderstorms moved through the Corpus Christi Bay area during the late morning hours. The storms produced wind gusts between 35 and 40 knots.","Hurrnet Weatherflow site at Flour Bluff measured a gust to 35 knots." +118950,714565,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-25 10:03:00,CST-6,2017-06-25 10:05:00,0,0,0,0,0.00K,0,0.00K,0,27.6879,-97.2916,27.7134,-97.2891,"Scattered strong thunderstorms moved through the Corpus Christi Bay area during the late morning hours. The storms produced wind gusts between 35 and 40 knots.","Corpus Christi Naval Air Station ASOS measured a gust to 34 knots." +119075,715146,CALIFORNIA,2017,April,Heavy Snow,"MONO",2017-04-06 21:00:00,PST-8,2017-04-08 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought heavy snow to the Sierra Valley and the High Sierra of Mono County on the 7th and 8th.","Two to 3 feet of snow fell at the June and Mammoth Mountain ski areas. Near Highway 395 north of Bridgeport (Devil's Gate Summit), 10 inches of snow was reported by the public, with only 2 to 3 inches noted by the Bridgeport and Lee Vining cooperative observers." +115110,690941,MISSOURI,2017,April,Hail,"CRAWFORD",2017-04-04 22:25:00,CST-6,2017-04-04 22:27:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-91.4,37.9821,-91.3472,"Strong shortwave moved through region, triggering showers and thunderstorms. Some of the storms produced large hail and damaging winds.","Hail up to one inch in diameter was reported between Cuba and Steelville as the storms moved through Crawford County." +118490,711995,NEVADA,2017,February,Heavy Snow,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-02-21 02:00:00,PST-8,2017-02-22 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern Nevada on the 22nd, bringing heavy snow to portions of far western Nevada.","Widespread snowfall totals of 5 to 10 inches were noted on the north and west sides of Reno, including Stead and Cold Springs Valley, with 16 inches in Virginia City. In the lower valleys around Reno-Sparks, 2 to 4 inches was reported including 3.7 inches at the Reno-Tahoe airport." +119173,715675,CALIFORNIA,2017,June,Thunderstorm Wind,"LASSEN",2017-06-19 16:20:00,PST-8,2017-06-19 16:40:00,0,0,0,0,,NaN,0.00K,0,40.4815,-120.1151,40.4815,-120.1151,"A few strong thunderstorms developed over Lassen County during the afternoon and early evening of the 19th.","Wind gust measured at the Bull Flat RAWS. The time of the gust was estimated based on radar information." +117241,705090,MINNESOTA,2017,June,Hail,"CROW WING",2017-06-02 22:42:00,CST-6,2017-06-02 22:42:00,0,0,0,0,,NaN,,NaN,46.49,-94.25,46.49,-94.25,"A severe thunderstorm moved across portions of Crow Wing County on the evening of June 2nd producing hail varying in size from pea to nickel.","" +114339,685156,ARKANSAS,2017,March,Thunderstorm Wind,"LOGAN",2017-03-24 19:11:00,CST-6,2017-03-24 19:11:00,0,0,0,0,0.20K,200,0.00K,0,35.38,-93.78,35.38,-93.78,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Several street signs were blown down as well as tree limbs. Winds were estimated to be at 50 mph." +114339,685166,ARKANSAS,2017,March,Tornado,"HOT SPRING",2017-03-24 21:31:00,CST-6,2017-03-24 21:32:00,0,0,0,0,0.00K,0,0.00K,0,34.5024,-92.7689,34.5035,-92.7678,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","The tornado started in Hot Spring County near the Saline county line. At the time it was in Hot Spring county, it was rated as a EF0 with just a few trees down." +114343,685168,ARKANSAS,2017,March,Hail,"BOONE",2017-03-29 18:25:00,CST-6,2017-03-29 18:25:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-92.92,36.46,-92.92,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","Law enforcement in Diamond City reported quarter sized hail as the storm passed through. Also seen, was a rain-wrapped funnel. They could not tell if it was in contact with the ground and no damage was found." +114339,685172,ARKANSAS,2017,March,Tornado,"SALINE",2017-03-24 21:32:00,CST-6,2017-03-24 21:33:00,0,0,0,0,400.00K,400000,0.00K,0,34.5035,-92.7678,34.5188,-92.7614,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","After crossing into Saline County, the tornado strengthened and caused EF2 damage. Some buildings were damaged. An outbuilding suffered severe damage... with a roof of a new home being ripped off. A roof was nearly completely blown off a newly constructed house." +114343,685173,ARKANSAS,2017,March,Thunderstorm Wind,"GARLAND",2017-03-29 18:52:00,CST-6,2017-03-29 18:52:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-93.26,34.57,-93.26,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","Large trees were uprooted and snapped." +119668,717810,TEXAS,2017,September,Hail,"OLDHAM",2017-09-17 16:28:00,CST-6,2017-09-17 16:28:00,0,0,0,0,,NaN,,NaN,35.28,-102.74,35.28,-102.74,"A shortwave trough moving east out of New Mexico assisted with great ascent and lift in the upper levels. In a high CAPE, moderate shear environment, discrete supercells formed along a northward moving outflow boundary across the western Panhandles. Large hail up to ping-pong size hail was reported.","Hail covering the ground." +116374,699804,MONTANA,2017,June,Hail,"JUDITH BASIN",2017-06-08 20:05:00,MST-7,2017-06-08 20:05:00,0,0,0,0,0.00K,0,0.00K,0,47,-109.87,47,-109.87,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained Spotter reported nickel to quarter sized hail." +116374,699807,MONTANA,2017,June,Thunderstorm Wind,"PONDERA",2017-06-08 18:19:00,MST-7,2017-06-08 18:19:00,0,0,0,0,0.00K,0,0.00K,0,48.27,-111.94,48.27,-111.94,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter reports tree blown down by thunderstorm outflow. Winds estimated around 60 mph." +112136,668804,GEORGIA,2017,January,Thunderstorm Wind,"CHARLTON",2017-01-22 18:20:00,EST-5,2017-01-22 18:20:00,0,0,0,0,0.00K,0,0.00K,0,30.84,-81.98,30.84,-81.98,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","The public estimated a wind gust to 70 mph just east of Folkston." +116374,699815,MONTANA,2017,June,Thunderstorm Wind,"TETON",2017-06-08 18:15:00,MST-7,2017-06-08 18:15:00,0,0,0,0,0.00K,0,0.00K,0,48.04,-112.2,48.04,-112.2,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet station reported wind gust of 80 mph." +116374,699817,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 19:00:00,MST-7,2017-06-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,48.55,-111.56,48.55,-111.56,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet station reported 75 mph wind gust." +116374,699813,MONTANA,2017,June,Thunderstorm Wind,"PONDERA",2017-06-08 18:56:00,MST-7,2017-06-08 18:56:00,0,0,0,0,0.00K,0,0.00K,0,48.17,-111.95,48.17,-111.95,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Public report of a temporary greenhouse tent destroyed at a grocery store." +116374,699814,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 19:06:00,MST-7,2017-06-08 19:06:00,0,0,0,0,0.00K,0,0.00K,0,48.7,-111.42,48.7,-111.42,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet station reported severe wind gust of 58 mph." +114343,685178,ARKANSAS,2017,March,Hail,"VAN BUREN",2017-03-29 20:35:00,CST-6,2017-03-29 20:35:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-92.41,35.37,-92.41,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","" +114343,685180,ARKANSAS,2017,March,Hail,"FULTON",2017-03-29 23:31:00,CST-6,2017-03-29 23:31:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-91.58,36.28,-91.58,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","" +119360,717465,MICHIGAN,2017,September,Thunderstorm Wind,"MARQUETTE",2017-09-22 13:16:00,EST-5,2017-09-22 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,46.3,-87.5,46.3,-87.5,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","Local law enforcement reported power lines down three miles northwest of Gwinn." +114343,685176,ARKANSAS,2017,March,Hail,"BAXTER",2017-03-29 19:33:00,CST-6,2017-03-29 19:33:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-92.44,36.17,-92.44,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","" +114343,685177,ARKANSAS,2017,March,Funnel Cloud,"FAULKNER",2017-03-29 20:16:00,CST-6,2017-03-29 20:16:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-92.47,35.22,-92.47,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","" +114339,685273,ARKANSAS,2017,March,Thunderstorm Wind,"WHITE",2017-03-24 22:55:00,CST-6,2017-03-24 22:55:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-91.73,35.24,-91.73,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","A line of thunderstorms took several powerlines down in Searcy." +116374,699818,MONTANA,2017,June,Thunderstorm Wind,"LIBERTY",2017-06-08 19:39:00,MST-7,2017-06-08 19:39:00,0,0,0,0,0.00K,0,0.00K,0,48.74,-110.93,48.74,-110.93,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet station reported a measured wind gust of 65 mph." +116374,699820,MONTANA,2017,June,Thunderstorm Wind,"TETON",2017-06-08 17:26:00,MST-7,2017-06-08 17:26:00,0,0,0,0,0.00K,0,0.00K,0,47.6,-112.31,47.6,-112.31,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Report of 75 mph thunderstorm wind gust." +118948,714555,GULF OF MEXICO,2017,June,Waterspout,"PT O'CONNOR TO ARANSAS PASS",2017-06-08 07:14:00,CST-6,2017-06-08 07:15:00,0,0,0,0,0.00K,0,0.00K,0,28.2119,-96.7271,28.2163,-96.7275,"A waterspout occurred over San Antonio Bay near Matagorda Island during the early morning hours of the 8th.","Video was submitted through social media of a brief waterspout on San Antonio Bay near Matagorda Island." +115110,690944,MISSOURI,2017,April,Hail,"JEFFERSON",2017-04-04 23:35:00,CST-6,2017-04-04 23:35:00,0,0,0,0,0.00K,0,0.00K,0,38.2134,-90.4635,38.2134,-90.4635,"Strong shortwave moved through region, triggering showers and thunderstorms. Some of the storms produced large hail and damaging winds.","One inch hail was reported 2 miles northeast of Hematite on Highway P." +115139,691162,ILLINOIS,2017,April,Thunderstorm Wind,"RANDOLPH",2017-04-26 12:47:00,CST-6,2017-04-26 12:53:00,0,0,0,0,0.00K,0,0.00K,0,37.9071,-89.8349,37.9309,-89.7966,"As a system moved across the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","Thunderstorm winds blew down numerous large tree limbs around town." +115139,691164,ILLINOIS,2017,April,Thunderstorm Wind,"RANDOLPH",2017-04-26 13:05:00,CST-6,2017-04-26 13:05:00,0,0,0,0,0.00K,0,0.00K,0,38.0142,-89.6282,38.0163,-89.6115,"As a system moved across the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","Thunderstorm winds blew down numerous large tree limbs around town." +118489,711983,CALIFORNIA,2017,February,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-02-20 00:00:00,PST-8,2017-02-22 07:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern California on the 22nd, bringing heavy snow to the eastern Sierra and northeast California.","Seven to 11 inches of snow fell in valleys from Susanville south and west to Portola and Sierraville, mainly from the evening of the 21st to the morning of the 22nd. In the higher elevations, an estimated 22 inches of snow fell at the Independence Creek SNOTEL, with at least 4 feet likely at the Grizzle Ridge HADS (around 7.5 inches of liquid equivalent precipitation)." +118489,711985,CALIFORNIA,2017,February,Heavy Snow,"SURPRISE VALLEY",2017-02-22 01:00:00,PST-8,2017-02-22 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern California on the 22nd, bringing heavy snow to the eastern Sierra and northeast California.","Six inches fell at the Cedarville Cooperative Observer station." +118490,711993,NEVADA,2017,February,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-02-20 01:00:00,PST-8,2017-02-22 04:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern Nevada on the 22nd, bringing heavy snow to portions of far western Nevada.","Around 5 feet of snow fell at ski areas in the Carson Range, with 3 feet at Daggett Pass, between the 20th and 22nd. In Incline Village at 6700 feet, 40 inches of snow was noted by a spotter. Below 6500 feet, 12 to 22 inches of snowfall was reported by cooperative observers. Mount Rose Highway (NV 431) was closed due to a localized avalanche on the evening of the 20th." +114339,685274,ARKANSAS,2017,March,Thunderstorm Wind,"WHITE",2017-03-24 23:09:00,CST-6,2017-03-24 23:09:00,0,0,0,0,,NaN,0.00K,0,35.31,-91.57,35.31,-91.57,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","A building was destroyed due to severe thunderstorm winds." +114339,685275,ARKANSAS,2017,March,Thunderstorm Wind,"WHITE",2017-03-24 23:09:00,CST-6,2017-03-24 23:09:00,0,0,0,0,0.00K,0,0.00K,0,35.3115,-91.5656,35.3115,-91.5656,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Severe thunderstorm winds took down several powerlines in Bald Knob." +114214,699166,ARKANSAS,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-01 02:20:00,CST-6,2017-03-01 02:30:00,0,0,0,0,,NaN,,NaN,35.5913,-92.4612,35.5948,-92.267,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Thunderstorm winds up to 90 mph damaged dozens of structures from Clinton to Fairfield Bay. Numerous trees and power poles were downed or snapped." +114214,699167,ARKANSAS,2017,March,Thunderstorm Wind,"CLEBURNE",2017-03-01 02:50:00,CST-6,2017-03-01 02:50:00,0,0,0,0,,NaN,,NaN,35.6294,-91.947,35.6294,-91.947,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Thunderstorm winds uprooted numerous huge trees, with several of these along Highway 25." +114214,699168,ARKANSAS,2017,March,Thunderstorm Wind,"BAXTER",2017-03-01 02:30:00,CST-6,2017-03-01 02:30:00,0,0,0,0,,NaN,,NaN,36.0047,-92.4045,36.0047,-92.4045,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Thunderstorm winds downed or snapped numerous trees, with one tree on a mobile home. A window was also blown out." +115112,690975,MISSOURI,2017,April,Hail,"GASCONADE",2017-04-10 06:19:00,CST-6,2017-04-10 06:19:00,0,0,0,0,0.00K,0,0.00K,0,38.387,-91.4027,38.387,-91.4027,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115112,690976,MISSOURI,2017,April,Hail,"FRANKLIN",2017-04-10 07:02:00,CST-6,2017-04-10 07:02:00,0,0,0,0,0.00K,0,0.00K,0,38.4016,-91.33,38.4016,-91.33,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115113,690984,ILLINOIS,2017,April,Hail,"ST. CLAIR",2017-04-10 05:50:00,CST-6,2017-04-10 05:50:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-90.03,38.63,-90.03,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115113,690985,ILLINOIS,2017,April,Hail,"MADISON",2017-04-10 18:06:00,CST-6,2017-04-10 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.7289,-89.8828,38.73,-89.87,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115113,690986,ILLINOIS,2017,April,Hail,"MACOUPIN",2017-04-10 17:30:00,CST-6,2017-04-10 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-89.73,39.07,-89.73,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115138,691153,MISSOURI,2017,April,Hail,"IRON",2017-04-26 11:20:00,CST-6,2017-04-26 11:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3606,-90.6987,37.3606,-90.6987,"As a system moved across the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +113300,678011,KANSAS,2017,January,Winter Weather,"KEARNY",2017-01-05 00:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.5 inches was observed at a location 12 miles south of Lakin." +113300,678013,KANSAS,2017,January,Winter Weather,"FORD",2017-01-05 00:00:00,CST-6,2017-01-05 20:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 2.5 inches was observed at a location 3 miles east of Dodge City." +113300,678014,KANSAS,2017,January,Winter Weather,"GRAY",2017-01-05 00:00:00,CST-6,2017-01-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.3 inches was observed at a location 7 miles north of Copeland." +118223,710464,UTAH,2017,June,Flash Flood,"WAYNE",2017-06-01 18:30:00,MST-7,2017-06-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.259,-111.2441,38.2788,-111.1988,"Heavy rain over Capitol Reef National Park on June 1 caused isolated flash flooding.","Rangers at Capitol Reef National Park reported flash flooding in Grand Wash." +113168,676936,NEW YORK,2017,January,Lake-Effect Snow,"JEFFERSON",2017-01-04 13:00:00,EST-5,2017-01-07 01:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676937,NEW YORK,2017,January,Lake-Effect Snow,"LEWIS",2017-01-04 13:00:00,EST-5,2017-01-07 05:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676943,NEW YORK,2017,January,Lake-Effect Snow,"CATTARAUGUS",2017-01-07 19:00:00,EST-5,2017-01-08 15:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676944,NEW YORK,2017,January,Lake-Effect Snow,"SOUTHERN ERIE",2017-01-07 19:00:00,EST-5,2017-01-08 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113174,676953,NEW YORK,2017,January,Lake-Effect Snow,"WYOMING",2017-01-26 14:00:00,EST-5,2017-01-29 09:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113174,676954,NEW YORK,2017,January,Lake-Effect Snow,"CHAUTAUQUA",2017-01-26 14:00:00,EST-5,2017-01-29 09:00:00,0,0,0,0,18.00K,18000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113174,676958,NEW YORK,2017,January,Lake-Effect Snow,"SOUTHERN ERIE",2017-01-26 14:00:00,EST-5,2017-01-29 09:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113174,676960,NEW YORK,2017,January,Lake-Effect Snow,"LEWIS",2017-01-26 14:00:00,EST-5,2017-01-29 21:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113174,676963,NEW YORK,2017,January,Lake-Effect Snow,"ALLEGANY",2017-01-27 04:00:00,EST-5,2017-01-29 09:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113248,677568,NEW YORK,2017,January,High Wind,"NORTHERN ERIE",2017-01-04 11:00:00,EST-5,2017-01-04 14:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Deep cold air building across the region brought strong, gusty winds to the eastern end of Lake Erie. Winds gusted to between 50 and 60 mph across parts of Erie, Genesee and Chautauqua counties. The strong winds blew down a portion of a concrete block building wall in East Pembroke. No one was in the building at the time. The strong winds downed trees and power lines. There were several structures damaged by falling trees, for example on Roma Avenue in Buffalo. Power outages were reported by New York State Electric and Gas and National Grid in all three counties.","Strong winds downed trees and power lines in portions of Erie county." +113248,677569,NEW YORK,2017,January,High Wind,"GENESEE",2017-01-04 11:00:00,EST-5,2017-01-04 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Deep cold air building across the region brought strong, gusty winds to the eastern end of Lake Erie. Winds gusted to between 50 and 60 mph across parts of Erie, Genesee and Chautauqua counties. The strong winds blew down a portion of a concrete block building wall in East Pembroke. No one was in the building at the time. The strong winds downed trees and power lines. There were several structures damaged by falling trees, for example on Roma Avenue in Buffalo. Power outages were reported by New York State Electric and Gas and National Grid in all three counties.","Strong winds downed trees and power lines in portions of Genesee county." +113248,677570,NEW YORK,2017,January,High Wind,"CHAUTAUQUA",2017-01-04 10:30:00,EST-5,2017-01-04 14:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Deep cold air building across the region brought strong, gusty winds to the eastern end of Lake Erie. Winds gusted to between 50 and 60 mph across parts of Erie, Genesee and Chautauqua counties. The strong winds blew down a portion of a concrete block building wall in East Pembroke. No one was in the building at the time. The strong winds downed trees and power lines. There were several structures damaged by falling trees, for example on Roma Avenue in Buffalo. Power outages were reported by New York State Electric and Gas and National Grid in all three counties.","Strong winds downed trees and power lines in portions of Chautauqua county." +113249,677572,NEW YORK,2017,January,High Wind,"ORLEANS",2017-01-11 03:50:00,EST-5,2017-01-11 05:30:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +115138,691154,MISSOURI,2017,April,Thunderstorm Wind,"MADISON",2017-04-26 12:08:00,CST-6,2017-04-26 12:08:00,0,0,0,0,0.00K,0,0.00K,0,37.5579,-90.3117,37.5616,-90.2827,"As a system moved across the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","Thunderstorm winds snapped off a flagpole." +114276,684618,TEXAS,2017,April,Tornado,"SMITH",2017-04-10 18:10:00,CST-6,2017-04-10 18:12:00,0,0,0,0,0.00K,0,0.00K,0,32.2484,-95.1026,32.2443,-95.0963,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","An EF-1 tornado with maximum estimated winds between 86-90 mph touched down a few miles northwest of the Arp community along County Road 230. This short-lived tornado moved southeast along Farm To Market Road 2103 before lifting. Several trees were uprooted along a narrow path." +120231,720338,VIRGINIA,2017,August,Thunderstorm Wind,"DINWIDDIE",2017-08-23 13:27:00,EST-5,2017-08-23 13:27:00,0,0,0,0,1.00K,1000,0.00K,0,37.07,-77.58,37.07,-77.58,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and southeast Virginia.","Tree was downed on Interstate 85 at mile marker 52." +120231,720339,VIRGINIA,2017,August,Thunderstorm Wind,"ISLE OF WIGHT",2017-08-23 15:08:00,EST-5,2017-08-23 15:08:00,0,0,0,0,1.00K,1000,0.00K,0,36.86,-76.81,36.86,-76.81,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and southeast Virginia.","Tree was downed along Yellow Hammer Road." +120232,720526,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-29 18:47:00,EST-5,2017-08-29 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-75.72,37.7,-75.72,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 4.03 inches was measured at Tasley." +120232,720527,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-29 18:54:00,EST-5,2017-08-29 18:54:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-75.48,37.85,-75.48,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.60 inches was measured at WAL." +120232,720528,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-29 18:46:00,EST-5,2017-08-29 18:46:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-75.53,37.97,-75.53,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.41 inches was measured at New Church." +120232,720530,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-29 19:04:00,EST-5,2017-08-29 19:04:00,0,0,0,0,0.00K,0,0.00K,0,37.7366,-75.6293,37.7366,-75.6293,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.06 inches was measured at Accomac (3 ENE)." +113300,678016,KANSAS,2017,January,Winter Weather,"GRAY",2017-01-05 00:00:00,CST-6,2017-01-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 4.0 inches was observed at a location in Charleston." +113300,678018,KANSAS,2017,January,Winter Weather,"SEWARD",2017-01-05 00:00:00,CST-6,2017-01-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 3.0 inches was observed at a location in Liberal." +113168,676929,NEW YORK,2017,January,Lake-Effect Snow,"WYOMING",2017-01-04 13:00:00,EST-5,2017-01-06 12:00:00,0,0,0,0,18.00K,18000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676931,NEW YORK,2017,January,Lake-Effect Snow,"CHAUTAUQUA",2017-01-04 13:00:00,EST-5,2017-01-07 05:00:00,0,0,0,0,22.00K,22000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676932,NEW YORK,2017,January,Lake-Effect Snow,"CATTARAUGUS",2017-01-04 13:00:00,EST-5,2017-01-06 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676933,NEW YORK,2017,January,Lake-Effect Snow,"SOUTHERN ERIE",2017-01-04 13:00:00,EST-5,2017-01-06 12:00:00,0,0,0,0,28.00K,28000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113168,676934,NEW YORK,2017,January,Lake-Effect Snow,"OSWEGO",2017-01-04 13:00:00,EST-5,2017-01-08 12:00:00,0,0,0,0,14.00K,14000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113690,680490,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-10 15:50:00,CST-6,2017-04-10 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"Several severe thunderstorms affected portions of the near shore waters in the early morning and again in the late afternoon.","Kenosha lakeshore weather station measured wind gust to 34 knots during passing thunderstorm." +113690,680492,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-10 15:55:00,CST-6,2017-04-10 15:55:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"Several severe thunderstorms affected portions of the near shore waters in the early morning and again in the late afternoon.","Private weather station located on platform at Racine Reef measured a wind gust of 38 knots as thunderstorm passed by." +116945,704073,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-31 16:12:00,EST-5,2017-05-31 16:12:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.32,36.98,-76.32,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 35 knots was measured at Willoughby Degaussing." +116945,704093,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-31 16:14:00,EST-5,2017-05-31 16:14:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.35,36.98,-76.35,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 47 knots was measured at Hampton Flats." +115110,690946,MISSOURI,2017,April,Thunderstorm Wind,"MADISON",2017-04-05 00:31:00,CST-6,2017-04-05 00:31:00,0,0,0,0,0.00K,0,0.00K,0,37.5585,-90.3104,37.5664,-90.2802,"Strong shortwave moved through region, triggering showers and thunderstorms. Some of the storms produced large hail and damaging winds.","" +115110,690948,MISSOURI,2017,April,Flash Flood,"CRAWFORD",2017-04-05 03:00:00,CST-6,2017-04-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.1163,-91.4804,37.9172,-91.4241,"Strong shortwave moved through region, triggering showers and thunderstorms. Some of the storms produced large hail and damaging winds.","Crawford County sheriff's office reported several low water crossings and bridges flooded due to heavy rain in the Steelville, Cuba and Leasburg areas." +115112,690973,MISSOURI,2017,April,Hail,"RALLS",2017-04-10 03:50:00,CST-6,2017-04-10 03:50:00,0,0,0,0,0.00K,0,0.00K,0,39.6779,-91.4121,39.6779,-91.4121,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +114214,684129,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-01 01:50:00,CST-6,2017-03-01 01:50:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-93.16,35.82,-93.16,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Widespread wind damage across the county with numerous trees and power lines down." +114214,684128,ARKANSAS,2017,March,Hail,"LONOKE",2017-03-01 05:01:00,CST-6,2017-03-01 05:01:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-91.89,34.81,-91.89,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","" +112153,668872,MISSOURI,2017,January,Winter Weather,"NEW MADRID",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112472,670607,INDIANA,2017,January,Winter Weather,"GIBSON",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North and west of Evansville, up to one-tenth inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112472,670608,INDIANA,2017,January,Winter Weather,"PIKE",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North and west of Evansville, up to one-tenth inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +120164,719974,VIRGINIA,2017,August,Heavy Rain,"CHESAPEAKE (C)",2017-08-13 09:04:00,EST-5,2017-08-13 09:04:00,0,0,0,0,0.00K,0,0.00K,0,36.72,-76.1758,36.72,-76.1758,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of southeast Virginia.","Rainfall total of 3.11 inches was measured at Fentress (1 WSW)." +120164,719975,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-13 06:00:00,EST-5,2017-08-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7434,-75.9869,36.7434,-75.9869,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of southeast Virginia.","Rainfall total of 2.66 inches was measured at Sigma (1 NNW)." +120164,719976,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-13 09:03:00,EST-5,2017-08-13 09:03:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-76.07,36.83,-76.07,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of southeast Virginia.","Rainfall total of 2.66 inches was measured at Lynnhaven." +120164,719977,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-13 06:00:00,EST-5,2017-08-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7634,-76.0431,36.7634,-76.0431,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of southeast Virginia.","Rainfall total of 2.64 inches was measured at Princess Anne (1 NNE)." +120179,720121,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-08-15 14:06:00,EST-5,2017-08-15 14:06:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms associated with low pressure areas along a frontal boundary produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 41 knots was measured at Rappahannock Light." +120179,720122,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-08-15 14:19:00,EST-5,2017-08-15 14:19:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-75.98,37.49,-75.98,"Scattered thunderstorms associated with low pressure areas along a frontal boundary produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 34 knots was measured at Silver Beach." +120231,720335,VIRGINIA,2017,August,Thunderstorm Wind,"DINWIDDIE",2017-08-23 13:23:00,EST-5,2017-08-23 13:23:00,0,0,0,0,1.00K,1000,0.00K,0,37.07,-77.64,37.07,-77.64,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and southeast Virginia.","Tree was downed at the intersection of Nash Road and Scotts Road." +120231,720337,VIRGINIA,2017,August,Thunderstorm Wind,"DINWIDDIE",2017-08-23 13:23:00,EST-5,2017-08-23 13:23:00,0,0,0,0,2.00K,2000,0.00K,0,37.07,-77.7,37.07,-77.7,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and southeast Virginia.","Power poles were downed along Scotts Road." +114339,685271,ARKANSAS,2017,March,Thunderstorm Wind,"PULASKI",2017-03-24 22:07:00,CST-6,2017-03-24 22:07:00,0,0,0,0,15.00K,15000,0.00K,0,34.84,-92.52,34.84,-92.52,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Large sections of a roof were ripped off from a home on Barrett Road in Western Pulaski County." +114214,684145,ARKANSAS,2017,March,Thunderstorm Wind,"FULTON",2017-03-01 03:05:00,CST-6,2017-03-01 03:05:00,0,0,0,0,10.00K,10000,0.00K,0,36.29,-91.57,36.29,-91.57,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","OEM Director reported windows damaged, yawnings and tree limbs down throughout the area. Personal weather instrument recorded 64 mph wind gust." +114214,684167,ARKANSAS,2017,March,Thunderstorm Wind,"SHARP",2017-03-01 03:10:00,CST-6,2017-03-01 03:10:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-91.48,36.32,-91.48,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Social media reports trees and power lines down in Hardy." +114214,684168,ARKANSAS,2017,March,Thunderstorm Wind,"INDEPENDENCE",2017-03-01 03:23:00,CST-6,2017-03-01 03:23:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-91.35,35.82,-91.35,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Social media reported trees and power lines down." +114214,684170,ARKANSAS,2017,March,Thunderstorm Wind,"WHITE",2017-03-01 03:23:00,CST-6,2017-03-01 03:23:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-91.57,35.34,-91.57,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","An estimated wind gust of 60 mph was reported just north of Bald Knob." +114214,684172,ARKANSAS,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 03:25:00,CST-6,2017-03-01 03:25:00,0,0,0,0,50.00K,50000,0.00K,0,35.63,-91.18,35.63,-91.18,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Law enforcement reported several trailers have been flipped over." +114214,684175,ARKANSAS,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 03:25:00,CST-6,2017-03-01 03:25:00,0,0,0,0,10.00K,10000,0.00K,0,35.65,-91.26,35.65,-91.26,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Law enforcement reported several houses damaged and power lines down in the area." +114214,684181,ARKANSAS,2017,March,Thunderstorm Wind,"STONE",2017-03-01 03:25:00,CST-6,2017-03-01 03:25:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-92.37,35.88,-92.37,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Personal instrument owned by public recorded a 63 mph wind gust." +114214,684208,ARKANSAS,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-01 03:05:00,CST-6,2017-03-01 03:05:00,0,0,0,0,10.00K,10000,0.00K,0,35.39,-92.4,35.39,-92.4,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Trees and power lines were down. A tree was reported on a house." +113249,677573,NEW YORK,2017,January,High Wind,"MONROE",2017-01-11 02:42:00,EST-5,2017-01-11 05:30:00,0,0,0,0,125.00K,125000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113249,677574,NEW YORK,2017,January,High Wind,"NORTHERN ERIE",2017-01-11 01:00:00,EST-5,2017-01-11 05:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +112776,673650,FLORIDA,2017,January,Thunderstorm Wind,"ESCAMBIA",2017-01-01 03:50:00,CST-6,2017-01-01 03:52:00,0,0,0,0,10.00K,10000,0.00K,0,30.52,-87.27,30.52,-87.27,"Thunderstorms developed across the Florida panhandle and produced high winds which caused damage.","Thunderstorms produced high winds which damaged several structures near Chemstrand and Ray Roads." +118230,710561,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 22:50:00,CST-6,2017-06-29 22:50:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Ping-pong ball size hail was reported at 96th Street and Highway 370 in Papillion." +114214,684210,ARKANSAS,2017,March,Thunderstorm Wind,"STONE",2017-03-01 03:17:00,CST-6,2017-03-01 03:17:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-92.19,35.97,-92.19,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","A 60 MPH wind gust was observed at the Blanchard Springs RAWS site." +114214,684217,ARKANSAS,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 03:37:00,CST-6,2017-03-01 03:37:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-91.24,35.63,-91.24,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","A 57 mph wind gust was observed at the KM19 AWOS." +114214,684573,ARKANSAS,2017,March,Hail,"JACKSON",2017-03-01 03:15:00,CST-6,2017-03-01 03:15:00,0,0,0,0,0.00K,0,0.00K,0,35.4445,-91.4241,35.4445,-91.4241,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","" +114214,684574,ARKANSAS,2017,March,Hail,"JACKSON",2017-03-01 03:30:00,CST-6,2017-03-01 03:30:00,0,0,0,0,0.00K,0,0.00K,0,35.6495,-91.1549,35.6495,-91.1549,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","" +111612,665844,MINNESOTA,2017,January,Winter Weather,"PIPESTONE",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches north of Interstate 90.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches, including 2.0 inches at Pipestone." +111612,665845,MINNESOTA,2017,January,Winter Weather,"MURRAY",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches north of Interstate 90.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches, including 1.5 inches 5 miles south southeast of Garvin." +111612,665846,MINNESOTA,2017,January,Winter Weather,"COTTONWOOD",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches north of Interstate 90.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches." +119995,719062,MONTANA,2017,October,High Wind,"CHOUTEAU",2017-10-17 11:34:00,MST-7,2017-10-17 11:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at a mesonet site south of Fort Benton." +119995,719065,MONTANA,2017,October,High Wind,"TOOLE",2017-10-17 15:50:00,MST-7,2017-10-17 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Sunburst DOT site." +119995,719066,MONTANA,2017,October,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-10-17 14:36:00,MST-7,2017-10-17 14:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Pendroy DOT sensor." +120232,720534,VIRGINIA,2017,August,Heavy Rain,"CHESAPEAKE (C)",2017-08-29 19:13:00,EST-5,2017-08-29 19:13:00,0,0,0,0,0.00K,0,0.00K,0,36.7934,-76.4069,36.7934,-76.4069,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.92 inches was measured at Bowers Hill (1 NNW)." +120232,720541,VIRGINIA,2017,August,Heavy Rain,"CHESTERFIELD",2017-08-29 18:31:00,EST-5,2017-08-29 18:31:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-77.3408,37.35,-77.3408,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.92 inches was measured at Chester (6 E)." +120232,720549,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-29 19:06:00,EST-5,2017-08-29 19:06:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-76.35,37.02,-76.35,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 4.77 inches was measured at Langley Air Force Base (2 W)." +120232,720550,VIRGINIA,2017,August,Heavy Rain,"HOPEWELL (C)",2017-08-29 16:20:00,EST-5,2017-08-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-77.3,37.3,-77.3,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.97 inches was measured at the City of Hopewell." +112153,668869,MISSOURI,2017,January,Winter Weather,"STODDARD",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668870,MISSOURI,2017,January,Winter Weather,"SCOTT",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668871,MISSOURI,2017,January,Winter Weather,"MISSISSIPPI",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112890,674454,KENTUCKY,2017,January,Dense Fog,"MARSHALL",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674455,KENTUCKY,2017,January,Dense Fog,"MCCRACKEN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674456,KENTUCKY,2017,January,Dense Fog,"MUHLENBERG",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674457,KENTUCKY,2017,January,Dense Fog,"TODD",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +120232,720555,VIRGINIA,2017,August,Heavy Rain,"ISLE OF WIGHT",2017-08-29 14:53:00,EST-5,2017-08-29 14:53:00,0,0,0,0,0.00K,0,0.00K,0,36.8614,-76.8067,36.8614,-76.8067,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.00 inches was measured at Zuni (1 E)." +120232,720561,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-29 19:10:00,EST-5,2017-08-29 19:10:00,0,0,0,0,0.00K,0,0.00K,0,37.3355,-76.7868,37.3355,-76.7868,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.93 inches was measured at Lightfoot (1 WNW)." +120232,720565,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-29 19:00:00,EST-5,2017-08-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2233,-76.6561,37.2233,-76.6561,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.87 inches was measured at Grove (2 SSE)." +120232,720570,VIRGINIA,2017,August,Heavy Rain,"MATHEWS",2017-08-29 19:03:00,EST-5,2017-08-29 19:03:00,0,0,0,0,0.00K,0,0.00K,0,37.4211,-76.43,37.4211,-76.43,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.07 inches was measured at Fort Nonsense (1 S)." +120232,720728,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-29 18:54:00,EST-5,2017-08-29 18:54:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.42,36.98,-76.42,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.67 inches was measured at PHF." +120232,720729,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-29 19:19:00,EST-5,2017-08-29 19:19:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-76.55,37.13,-76.55,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.60 inches was measured at Denbigh." +120232,720730,VIRGINIA,2017,August,Heavy Rain,"NORFOLK (C)",2017-08-29 18:51:00,EST-5,2017-08-29 18:51:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-76.27,36.87,-76.27,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.93 inches was measured at ORF." +116944,704062,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-31 20:20:00,EST-5,2017-05-31 20:20:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-75.71,36.9,-75.71,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 57 knots was measured at Chesapeake Light." +114297,684709,ARKANSAS,2017,April,Hail,"SEVIER",2017-04-21 22:30:00,CST-6,2017-04-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,33.904,-94.2512,33.904,-94.2512,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County Oklahoma and portions of Sevier and Howard Counties in Southwest Arkansas. These storms weakened during the early morning hours on April 22nd as instability diminished.","Penny size hail fell southwest of Lockesburg." +114297,684711,ARKANSAS,2017,April,Hail,"HOWARD",2017-04-21 23:03:00,CST-6,2017-04-21 23:03:00,0,0,0,0,0.00K,0,0.00K,0,33.8265,-93.8369,33.8265,-93.8369,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County Oklahoma and portions of Sevier and Howard Counties in Southwest Arkansas. These storms weakened during the early morning hours on April 22nd as instability diminished.","Quarter size hail fell about 3 miles east of Tollette." +118230,710558,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:27:00,CST-6,2017-06-29 21:27:00,0,0,0,0,,NaN,,NaN,41.16,-95.92,41.16,-95.92,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710559,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 21:31:00,CST-6,2017-06-29 21:31:00,0,0,0,0,,NaN,,NaN,41.11,-95.92,41.11,-95.92,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710560,NEBRASKA,2017,June,Hail,"CASS",2017-06-29 21:52:00,CST-6,2017-06-29 21:52:00,0,0,0,0,,NaN,,NaN,41.02,-95.99,41.02,-95.99,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +113242,677539,KANSAS,2017,January,Ice Storm,"WICHITA",2017-01-15 04:15:00,CST-6,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of a quarter inch were reported 13 NNE of Selkirk." +113243,677542,NEBRASKA,2017,January,Ice Storm,"DUNDY",2017-01-15 08:30:00,MST-7,2017-01-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter to half an inch were reported over Dundy and Hitchcock counties. The highest ice accumulation was reported near Haigler. Three waves of freezing rain and freezing drizzle transitioned to snow toward the end of the event, with up to three and a half inches of snow falling over these two counties. The additional weight of the snow on power lines caused power outages for the Benkelman and Trenton areas.","Ice accumulations of a half inch were reported across the county. The freezing rain and freezing drizzle turned to snow. The additional weight on power lines caused power outages for the Benkelman area." +113243,677565,NEBRASKA,2017,January,Ice Storm,"HITCHCOCK",2017-01-15 10:45:00,CST-6,2017-01-16 08:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter to half an inch were reported over Dundy and Hitchcock counties. The highest ice accumulation was reported near Haigler. Three waves of freezing rain and freezing drizzle transitioned to snow toward the end of the event, with up to three and a half inches of snow falling over these two counties. The additional weight of the snow on power lines caused power outages for the Benkelman and Trenton areas.","Ice accumulations of a quarter inch were reported across the county. A couple inches of light snow also fell. The added weight on power lines caused the Trenton area to lose power, affecting more than 500 people." +113006,675850,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-01-02 15:07:00,CST-6,2017-01-02 15:07:00,0,0,0,0,0.00K,0,0.00K,0,30.2997,-87.5084,30.2997,-87.5084,"Strong thunderstorms moved across the Marine area and produced high winds.","Perdido Bay Weatherflow station measured a thunderstorm wind gust of 43 mph." +113006,675852,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-01-02 15:47:00,CST-6,2017-01-02 15:47:00,0,0,0,0,0.00K,0,0.00K,0,30.3659,-87.2136,30.3659,-87.2136,"Strong thunderstorms moved across the Marine area and produced high winds.","Pensacola Bay Weatherflow station measured a thunderstorm wind gust of 39 mph." +113006,675853,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-01-02 18:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2997,-87.5084,30.2997,-87.5084,"Strong thunderstorms moved across the Marine area and produced high winds.","Perdido Bay Weatherflow station measured a thunderstorm wind gust of 40 mph." +113014,675858,FLORIDA,2017,January,Thunderstorm Wind,"ESCAMBIA",2017-01-02 15:30:00,CST-6,2017-01-02 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,30.58,-87.29,30.58,-87.29,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","A tree was blown down onto a vehicle." +113072,676259,GULF OF MEXICO,2017,January,Waterspout,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-01-21 10:40:00,CST-6,2017-01-21 10:41:00,0,0,0,0,0.00K,0,0.00K,0,30.3886,-86.5942,30.3886,-86.5942,"Several strong to severe thunderstorms moved across the Alabama and western Florida Panhandle coastal waters during the evening of January 21st and the morning of January 22nd.","Two waterspouts reported just off the coast of Okaloosa Island." +111732,666400,TEXAS,2017,January,Thunderstorm Wind,"CULBERSON",2017-01-01 16:35:00,CST-6,2017-01-01 16:35:00,0,0,0,0,,NaN,,NaN,31.88,-104.8,31.88,-104.8,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Culberson County and produced a 67 mph wind gust at Pine Springs at the Guadalupe Mountains National Park Mesonet site." +111732,666411,TEXAS,2017,January,Thunderstorm Wind,"HOWARD",2017-01-01 21:30:00,CST-6,2017-01-01 21:30:00,0,0,0,0,,NaN,,NaN,32.1066,-101.6235,32.1066,-101.6235,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Howard County and produced a 59 mph wind gust at the Lomax Mesonet." +112023,668091,NEBRASKA,2017,January,Winter Storm,"DIXON",2017-01-24 10:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area well into the area from the south during the daylight hours of January 25th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Several schools closed for the day or closed early on January 24th, and some also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated 4 to 9 inches.","Snow accumulated 5 to 9 inches, including 6.3 inches at Concord. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +114276,684620,TEXAS,2017,April,Hail,"CAMP",2017-04-10 18:17:00,CST-6,2017-04-10 18:17:00,0,0,0,0,0.00K,0,0.00K,0,33.0194,-94.9956,33.0194,-94.9956,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Golfball size hail fell on County Road 2210." +121272,726015,MISSOURI,2017,November,Hail,"ST. LOUIS",2017-11-05 14:17:00,CST-6,2017-11-05 14:28:00,0,0,0,0,0.00K,0,0.00K,0,38.6715,-90.4599,38.6961,-90.2809,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","A wide swath of large hail fell across the St. Louis metro area. Hail between one and two inches in diameter was reported in Maryland Heights, Creve Coeur, Olivette, St. Ann, Clayton, St. John, Woodson Terrace, Normandy, Ferguson, Pasadena Hills and University City areas. There were numerous reports of vehicles damaged by the hail, including numerous automobile dealerships." +121272,726016,MISSOURI,2017,November,Hail,"ST. LOUIS (C)",2017-11-05 14:28:00,CST-6,2017-11-05 14:28:00,0,0,0,0,0.00K,0,0.00K,0,38.649,-90.2896,38.649,-90.2896,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Large hail was reported on the north side of Forest Park." +121272,726017,MISSOURI,2017,November,Hail,"ST. LOUIS",2017-11-05 15:07:00,CST-6,2017-11-05 15:07:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-90.3,38.47,-90.3,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +121272,726018,MISSOURI,2017,November,Hail,"JEFFERSON",2017-11-05 15:03:00,CST-6,2017-11-05 15:07:00,0,0,0,0,0.00K,0,0.00K,0,38.4284,-90.4635,38.43,-90.37,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +119995,719061,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-17 10:51:00,MST-7,2017-10-17 10:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust recorded by the Two Medicine DOT sensor." +119994,719059,MONTANA,2017,October,High Wind,"BEAVERHEAD",2017-10-20 11:08:00,MST-7,2017-10-20 11:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific cold front brought a shorter period of gusty to damaging wind gusts to parts of Central and Southwest Montana.","Peak wind gust at the Dillon Airport (KDLN)." +119994,719060,MONTANA,2017,October,High Wind,"BLAINE",2017-10-20 19:18:00,MST-7,2017-10-20 19:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific cold front brought a shorter period of gusty to damaging wind gusts to parts of Central and Southwest Montana.","Peak wind gust measured by the Fort Belknap RAWS." +112890,674459,KENTUCKY,2017,January,Dense Fog,"TRIGG",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674460,KENTUCKY,2017,January,Dense Fog,"UNION",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674461,KENTUCKY,2017,January,Dense Fog,"WEBSTER",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +113060,677540,ALABAMA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-21 04:40:00,CST-6,2017-01-21 04:41:00,0,0,0,0,0.00K,0,0.00K,0,32.2976,-86.8133,32.2976,-86.8133,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Eighteen wheeler blown over on Highway 80 near the intersection of Benton Road." +121272,726002,MISSOURI,2017,November,Thunderstorm Wind,"ST. LOUIS",2017-11-05 14:15:00,CST-6,2017-11-05 14:15:00,0,0,0,0,0.00K,0,0.00K,0,38.6813,-90.4932,38.6813,-90.4932,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Thunderstorm winds blew down several power lines at the intersection of Highway 141 and Olive Blvd." +121272,726013,MISSOURI,2017,November,Hail,"ST. LOUIS",2017-11-05 14:15:00,CST-6,2017-11-05 14:15:00,0,0,0,0,0.00K,0,0.00K,0,38.6129,-90.4639,38.6129,-90.4639,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +121273,726035,ILLINOIS,2017,November,Hail,"ST. CLAIR",2017-11-05 14:49:00,CST-6,2017-11-05 14:49:00,0,0,0,0,0.00K,0,0.00K,0,38.6369,-90.0283,38.6369,-90.0283,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +122562,733945,MISSOURI,2017,November,Drought,"CRAWFORD",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733946,MISSOURI,2017,November,Drought,"WASHINGTON",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733948,MISSOURI,2017,November,Drought,"FRANKLIN",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733949,MISSOURI,2017,November,Drought,"JEFFERSON",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733950,MISSOURI,2017,November,Drought,"ST. CHARLES",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733951,MISSOURI,2017,November,Drought,"ST. LOUIS",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122562,733952,MISSOURI,2017,November,Drought,"LINCOLN",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought conditions developed across parts of eastern Missouri.","" +122566,733974,ILLINOIS,2017,November,Drought,"CALHOUN",2017-11-01 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought developed across parts of southwest Illinois.","" +122566,733975,ILLINOIS,2017,November,Drought,"JERSEY",2017-11-01 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought developed across parts of southwest Illinois.","" +121728,728651,MISSOURI,2017,December,Hail,"KNOX",2017-12-04 16:29:00,CST-6,2017-12-04 16:29:00,0,0,0,0,0.00K,0,0.00K,0,40.2232,-92.3125,40.2232,-92.3125,"A line of strong to severe storms developed along a cold front as it moved through the region. There were several reports of large hail and damaging winds.","" +111732,666412,TEXAS,2017,January,Thunderstorm Wind,"PECOS",2017-01-01 21:30:00,CST-6,2017-01-01 21:31:00,0,0,0,0,5.00K,5000,,NaN,30.9619,-102.1846,30.9619,-102.1846,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Pecos County and produced wind damage eight miles northeast of Bakersfield. Multiple small RV trailers were overturned and a metal roof was blown off of a building. Winds were estimated near 80 mph. The cost of damage is a very rough estimate." +111736,666413,TEXAS,2017,January,Thunderstorm Wind,"BREWSTER",2017-01-15 14:47:00,CST-6,2017-01-15 14:47:00,0,0,0,0,,NaN,,NaN,29.6184,-103.3,29.6184,-103.3,"An upper low was over the area and a surface low developed near Pecos, TX. A warm front lifted north across the Permian Basin. A cold front was stalled along the higher terrain and an unstable air mass was present. These conditions contributed to storms with strong winds and hail across West Texas and southeast New Mexico.","A thunderstorm developed across Brewster County and produced a 59 mph wind gust at the mesonet at Persimmon Gap." +111737,666414,NEW MEXICO,2017,January,Hail,"LEA",2017-01-15 10:20:00,MST-7,2017-01-15 10:25:00,0,0,0,0,,NaN,,NaN,32.7,-103.13,32.7,-103.13,"An upper low was over the area and a surface low developed near Pecos, TX. A warm front lifted north across the Permian Basin. A cold front was stalled along the higher terrain and an unstable air mass was present. These conditions contributed to storms with strong winds and hail across West Texas and southeast New Mexico.","" +112023,668092,NEBRASKA,2017,January,Winter Storm,"DAKOTA",2017-01-24 10:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area well into the area from the south during the daylight hours of January 25th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Several schools closed for the day or closed early on January 24th, and some also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated 4 to 9 inches.","Snow accumulated 4 to 6 inches, including 5 inches near South Sioux City. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112153,668862,MISSOURI,2017,January,Winter Weather,"PERRY",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668863,MISSOURI,2017,January,Winter Weather,"CAPE GIRARDEAU",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668864,MISSOURI,2017,January,Winter Weather,"BOLLINGER",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112214,669129,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-01-22 19:47:00,EST-5,2017-01-22 19:47:00,0,0,0,0,0.00K,0,0.00K,0,29.076,-80.913,29.076,-80.913,"An intense squall line which moved rapidly across the east central Florida coastal waters during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became strong to severe, in addition to storms within the squall line itself. Several observation sites near the coast measured winds between 40 and 55 knots as storms crossed the coastline.","The AWOS at New Smyrna Beach Airport recorded winds up to 54 knots as a severe thunderstorm exited the coast and continued into the near shore coastal waters." +116944,704058,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-31 19:37:00,EST-5,2017-05-31 19:37:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-76.01,36.93,-76.01,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 40 knots was measured at Cape Henry." +120232,720748,VIRGINIA,2017,August,Heavy Rain,"SUSSEX",2017-08-29 18:54:00,EST-5,2017-08-29 18:54:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-77,36.98,-77,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.48 inches was measured at AKQ." +120232,720750,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-29 19:13:00,EST-5,2017-08-29 19:13:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-76.07,36.83,-76.07,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.67 inches was measured at Lynnhaven." +120232,720752,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-29 19:05:00,EST-5,2017-08-29 19:05:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-76.1362,36.83,-76.1362,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.25 inches was measured at Kempsville (2 W)." +120232,720754,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-29 19:10:00,EST-5,2017-08-29 19:10:00,0,0,0,0,0.00K,0,0.00K,0,36.7634,-76.0431,36.7634,-76.0431,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.15 inches was measured at Princess Anne (1 NNE)." +120232,720810,VIRGINIA,2017,August,Heavy Rain,"VIRGINIA BEACH (C)",2017-08-29 19:10:00,EST-5,2017-08-29 19:10:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-76.0319,36.75,-76.0319,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.54 inches was measured at Princess Anne (1 E)." +120232,720820,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-29 18:51:00,EST-5,2017-08-29 18:51:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-76.43,37.2,-76.43,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 5.98 inches was measured at Seaford." +114174,685463,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-20 13:45:00,MST-7,2017-02-20 15:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +112472,670609,INDIANA,2017,January,Winter Weather,"POSEY",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North and west of Evansville, up to one-tenth inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112515,671016,MISSOURI,2017,January,Dense Fog,"BOLLINGER",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671017,MISSOURI,2017,January,Dense Fog,"BUTLER",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112890,674447,KENTUCKY,2017,January,Dense Fog,"FULTON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674448,KENTUCKY,2017,January,Dense Fog,"GRAVES",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674449,KENTUCKY,2017,January,Dense Fog,"HICKMAN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674450,KENTUCKY,2017,January,Dense Fog,"HOPKINS",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674451,KENTUCKY,2017,January,Dense Fog,"LIVINGSTON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674452,KENTUCKY,2017,January,Dense Fog,"LYON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +113303,678030,ARKANSAS,2017,January,Drought,"MADISON",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of January 2017. West central Arkansas and portions of northwestern Arkansas received between 50 and 75 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and across Washington and Madison Counties in northwestern Arkansas, with Extreme Drought (D3) conditions developing across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113303,678029,ARKANSAS,2017,January,Drought,"WASHINGTON",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of January 2017. West central Arkansas and portions of northwestern Arkansas received between 50 and 75 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and across Washington and Madison Counties in northwestern Arkansas, with Extreme Drought (D3) conditions developing across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113303,678032,ARKANSAS,2017,January,Drought,"CRAWFORD",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of January 2017. West central Arkansas and portions of northwestern Arkansas received between 50 and 75 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and across Washington and Madison Counties in northwestern Arkansas, with Extreme Drought (D3) conditions developing across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113305,678069,OKLAHOMA,2017,January,Wildfire,"ADAIR",2017-01-30 11:00:00,CST-6,2017-01-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma on the 30th and 31st of January 2017. The largest wildfires occurred in Haskell and Latimer Counties, where more than 400 acres were burned in each county. A large wildfire also occurred in Adair County.","" +116374,699822,MONTANA,2017,June,Thunderstorm Wind,"TETON",2017-06-08 17:53:00,MST-7,2017-06-08 17:53:00,0,0,0,0,0.00K,0,0.00K,0,47.82,-112.19,47.82,-112.19,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet station reported a wind gust 63 mph." +116374,699823,MONTANA,2017,June,Thunderstorm Wind,"TETON",2017-06-08 18:01:00,MST-7,2017-06-08 18:01:00,0,0,0,0,0.00K,0,0.00K,0,48.07,-112.33,48.07,-112.33,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Pendroy Montana DOT station reported a thunderstorm wind gust of 76 mph." +113496,679416,VIRGINIA,2017,February,Hail,"NOTTOWAY",2017-02-25 14:05:00,EST-5,2017-02-25 14:05:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-78.19,37.27,-78.19,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679417,VIRGINIA,2017,February,Hail,"AMELIA",2017-02-25 14:10:00,EST-5,2017-02-25 14:10:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-78.1,37.29,-78.1,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679419,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 14:39:00,EST-5,2017-02-25 14:39:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-77.76,37.46,-77.76,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Hail was covering the ground." +113496,679420,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 14:53:00,EST-5,2017-02-25 14:53:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-77.67,37.49,-77.67,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679421,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:12:00,EST-5,2017-02-25 15:12:00,0,0,0,0,1.00K,1000,0.00K,0,37.52,-77.54,37.52,-77.54,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Minor roof damage occurred." +113496,679423,VIRGINIA,2017,February,Hail,"HANOVER",2017-02-25 15:21:00,EST-5,2017-02-25 15:21:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-77.38,37.63,-77.38,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113560,679837,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-02-25 18:11:00,EST-5,2017-02-25 18:11:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 36 knots was measured at Middle Ground Lighthouse." +121221,725749,MISSOURI,2017,November,Hail,"ST. FRANCOIS",2017-11-02 18:23:00,CST-6,2017-11-02 18:23:00,0,0,0,0,0.00K,0,0.00K,0,37.9647,-90.5745,37.9647,-90.5745,"A line of storms developed along a cold front. Some of the storms became strong to severe with hail reported.","" +121272,726001,MISSOURI,2017,November,Thunderstorm Wind,"ST. LOUIS",2017-11-05 13:54:00,CST-6,2017-11-05 13:54:00,0,0,0,0,0.00K,0,0.00K,0,38.6642,-90.655,38.6642,-90.655,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +113249,677575,NEW YORK,2017,January,High Wind,"GENESEE",2017-01-11 02:00:00,EST-5,2017-01-11 05:30:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113249,677576,NEW YORK,2017,January,High Wind,"SOUTHERN ERIE",2017-01-11 01:30:00,EST-5,2017-01-11 05:30:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113249,677577,NEW YORK,2017,January,High Wind,"WAYNE",2017-01-11 03:00:00,EST-5,2017-01-11 05:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +111613,665849,MINNESOTA,2017,January,Winter Weather,"LINCOLN",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation quickly changed to snow. The snow accumulated up to 2 inches, including 2.0 inches at Lake Benton. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +111613,665850,MINNESOTA,2017,January,Winter Weather,"LYON",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation quickly changed to snow. The snow accumulated up to 2 inches, including 1.0 inches at Tracy. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +114339,685183,ARKANSAS,2017,March,Tornado,"SALINE",2017-03-24 21:33:00,CST-6,2017-03-24 21:36:00,0,0,0,0,300.00K,300000,0.00K,0,34.5279,-92.7723,34.5465,-92.749,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","This tornado touched down near the end of Steele Road south of US highway 70 southeast of Lonsdale, knocking down or snapping many trees. Several outbuildings or barns were either severely damaged or destroyed as the tornado moved north-northeast. The tornado then crossed US highway 70 east of Lonsdale. A carport was lofted into trees north/east of US hwy 70, along with additional outbuildings being damaged or destroyed. The tornado continued north destroying another barn before lifting shortly afterwards." +114387,689065,NEW JERSEY,2017,May,Heavy Rain,"GLOUCESTER",2017-05-05 10:07:00,EST-5,2017-05-05 10:07:00,0,0,0,0,,NaN,,NaN,39.74,-75.12,39.74,-75.12,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches fell." +114387,689066,NEW JERSEY,2017,May,Heavy Rain,"OCEAN",2017-05-05 12:20:00,EST-5,2017-05-05 12:20:00,0,0,0,0,,NaN,,NaN,39.93,-74.27,39.93,-74.27,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Over 2 inches of rain was measured." +114628,687510,KANSAS,2017,March,Hail,"CHASE",2017-03-24 16:08:00,CST-6,2017-03-24 16:09:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-96.54,38.37,-96.54,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","" +113496,679458,VIRGINIA,2017,February,Hail,"PRINCE GEORGE",2017-02-25 16:10:00,EST-5,2017-02-25 16:10:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-77.27,37.31,-77.27,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679461,VIRGINIA,2017,February,Hail,"NEW KENT",2017-02-25 16:15:00,EST-5,2017-02-25 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37.45,-77.04,37.45,-77.04,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679462,VIRGINIA,2017,February,Thunderstorm Wind,"CHESTERFIELD",2017-02-25 15:46:00,EST-5,2017-02-25 15:46:00,0,0,0,0,5.00K,5000,0.00K,0,37.32,-77.33,37.32,-77.33,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Large tree was downed into a house." +113496,679464,VIRGINIA,2017,February,Hail,"ISLE OF WIGHT",2017-02-25 17:45:00,EST-5,2017-02-25 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37,-76.55,37,-76.55,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Hail was covering the ground." +113496,679467,VIRGINIA,2017,February,Hail,"NEWPORT NEWS (C)",2017-02-25 17:49:00,EST-5,2017-02-25 17:49:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-76.45,37.08,-76.45,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Hail was covering the ground." +113496,679473,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 17:58:00,EST-5,2017-02-25 17:58:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.29,37.05,-76.29,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Ping pong ball size hail was reported." +113496,679476,VIRGINIA,2017,February,Hail,"ACCOMACK",2017-02-25 18:00:00,EST-5,2017-02-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-75.74,37.71,-75.74,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Golf ball size hail was reported. Hail was covering the ground." +113496,679479,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 18:00:00,EST-5,2017-02-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.29,37.05,-76.29,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Golf ball size hail was reported. Hail was covering the ground at Hampton Holiday Park." +118230,710538,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:49:00,CST-6,2017-06-29 20:49:00,0,0,0,0,,NaN,,NaN,41.25,-95.92,41.25,-95.92,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +112333,669750,WYOMING,2017,January,Winter Storm,"STAR VALLEY",2017-01-03 15:00:00,MST-7,2017-01-04 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","Heavy snow fell through much of the Star Valley. Some totals included 11 inches in Afton and 13 inches in Alpine." +118230,710540,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:51:00,CST-6,2017-06-29 20:51:00,0,0,0,0,,NaN,,NaN,41.28,-96.24,41.28,-96.24,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","One inch diameter hail was reported at 216th and Pacific Streets in Elkhorn." +112333,669751,WYOMING,2017,January,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-01-03 13:00:00,MST-7,2017-01-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","Heavy snow fell in portions of the Salt and Wyoming Range. Some of the higher totals included 17 inches at Commissary Ridge and 14 inches at the Hams Fork SNOTEL." +112214,669130,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-01-22 20:35:00,EST-5,2017-01-22 20:35:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"An intense squall line which moved rapidly across the east central Florida coastal waters during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became strong to severe, in addition to storms within the squall line itself. Several observation sites near the coast measured winds between 40 and 55 knots as storms crossed the coastline.","USAF wind tower 0019 near Haulover Canal measured peak winds of 42 knots as a strong thunderstorm within a squall line crossed the coast and continued into the nearshore Atlantic waters." +114295,684702,OKLAHOMA,2017,April,Flash Flood,"MCCURTAIN",2017-04-17 07:30:00,CST-6,2017-04-17 08:15:00,0,0,0,0,0.00K,0,0.00K,0,33.9446,-94.9027,33.9337,-94.7598,"Scattered showers and thunderstorms developed during the overnight hours of April 17th across portions of extreme Northeast Texas from near Paris northeast across Northern Red River County and into Southern McCurtain County Oklahoma. These showers and thunderstorms were producing locally heavy rainfall amounts in a narrow line, with another complex of storms which developed south along an outflow boundary across Eastern Oklahoma and Western Arkansas overtaking the ongoing storms near the Red River bordering Northeast Texas. The end result was a prolonged period of locally heavy rainfall over Northern Red River County Texas and Southern McCurtain County Oklahoma, which resulted in flooding across a few roads and high water across many others in Idabel.","The intersection of Southeast K Avenue and Madison Street was flooded. Several other streets across Idabel were covered in high water." +116372,699796,ARKANSAS,2017,May,Hail,"IZARD",2017-05-11 14:32:00,CST-6,2017-05-11 14:32:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-91.93,36.22,-91.93,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116372,699797,ARKANSAS,2017,May,Hail,"SHARP",2017-05-11 14:55:00,CST-6,2017-05-11 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-91.55,35.94,-91.55,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +121273,726037,ILLINOIS,2017,November,Hail,"MADISON",2017-11-05 14:36:00,CST-6,2017-11-05 14:55:00,0,0,0,0,0.00K,0,0.00K,0,38.6714,-90.171,38.6943,-89.7762,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","A wide swath of large hail fell across Madison County from Venice to St. Jacob. The largest hailstones were reported in the Collinsville area, three inches in diameter. Two and a half inch diameter hail was reported one mile south of Troy. Hail one inch or larger was reported in Venice, Collinsville, Troy and St. Jacob areas." +121273,726038,ILLINOIS,2017,November,Hail,"CLINTON",2017-11-05 15:12:00,CST-6,2017-11-05 15:12:00,0,0,0,0,0.00K,0,0.00K,0,38.6286,-89.6877,38.6286,-89.6877,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +113496,679486,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 18:01:00,EST-5,2017-02-25 18:01:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.37,37.09,-76.37,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679492,VIRGINIA,2017,February,Hail,"NEWPORT NEWS (C)",2017-02-25 17:49:00,EST-5,2017-02-25 17:49:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-76.45,37.08,-76.45,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Hail was covering the ground." +113496,679494,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 18:11:00,EST-5,2017-02-25 18:11:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-76.31,37.07,-76.31,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679498,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 17:59:00,EST-5,2017-02-25 17:59:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-76.33,37.06,-76.33,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679499,VIRGINIA,2017,February,Hail,"HAMPTON (C)",2017-02-25 17:54:00,EST-5,2017-02-25 17:54:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.42,37.05,-76.42,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679503,VIRGINIA,2017,February,Hail,"NEWPORT NEWS (C)",2017-02-25 17:51:00,EST-5,2017-02-25 17:51:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-76.45,37.06,-76.45,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679504,VIRGINIA,2017,February,Hail,"ISLE OF WIGHT",2017-02-25 17:48:00,EST-5,2017-02-25 17:48:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.66,36.98,-76.66,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Golf ball size hail was reported." +119995,719069,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-17 13:21:00,MST-7,2017-10-17 13:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Browning RAWS site." +119995,719068,MONTANA,2017,October,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-10-17 13:00:00,MST-7,2017-10-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at a Mesowest station near Pendroy." +120797,723420,OHIO,2017,November,Flood,"KNOX",2017-11-18 19:30:00,EST-5,2017-11-19 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,40.35,-82.63,40.5578,-82.6035,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Early day rains brought about an inch and a half to the Mt. Vernon area and across Knox County producing nuisance flooding of ponding on roads. A second round of heavier rain showers, and a few embedded thunderstorms, brought another inch to inch and a half to the area. Storm total rainfall at Mt. Vernon was 3.55 inches. The resultant flooding Saturday Night was more noteworthy and impactful than the first round. The Dry Creek near Mt. Liberty in southwest Knox County washed out the Simmons Church Road bridge between 3226 & 3303. One home had to be evacuated due to flooding at Waterford Road in Middlebury Township along the North Branch of the Kokosing River. Near Mt. Vernon several culverts washed out, there was water in several basements, and numerous roads were closed by flowing water. The Center Run waters threatened flooding of homes in Mount Vernon but ultimately did not inundate the buildings. ||In Knox County the following roads were flooded starting around 730 pm November 18: There was several inches of flowing water from Mile Run on Lucerne Road in Fredericktown. Other roads with flooding included Watson Road and State Route 661 just south of Brandon. Beckley Road between State Route 13 and Bryant Road from the North Branch of the Kokosing River. Lower Gambrier Road in the Kokosing Gap Trail parking lot in Mt. Vernon flooded from the Kokosing River. Lanning Rd, Lucerne Rd, Yankee St, Black Rd, Flat Run Rd, O'Brien Rd, Walhounding Rd, Danville- Jelloway Rd, St Louisville Rd, Gilchrist Rd, Columbus Rd, Yauger Rd, Vincent Rd, Upper Fredericktown Rd, Vance Rd, Us 62, Rhinehart Rd, Lower Fredericktown Amity Rd, Lower Gambier Rd, Old Mansfield, Crystal AVe, Jelloway Rd, Paige Rd, Colopy Rd, Old Delaware, Coshocton Rd, White Rd, Apple Valley Dr, Apple Valley Blvd, Possum St, Sycamore Rd, Toms Rd, ST Rt. 36 just past Mt. Liberty." +113249,677583,NEW YORK,2017,January,High Wind,"CHAUTAUQUA",2017-01-11 03:00:00,EST-5,2017-01-11 05:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113006,675445,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-01-02 14:06:00,CST-6,2017-01-02 14:06:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-88.0262,30.25,-88.0262,"Strong thunderstorms moved across the Marine area and produced high winds.","" +113014,675545,FLORIDA,2017,January,Flash Flood,"ESCAMBIA",2017-01-02 17:16:00,CST-6,2017-01-02 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.93,-87.49,30.7396,-87.4773,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Up to 5 inches of rain in just a few hours resulted in significant flooding of several roads and bridges across northern Escambia County Florida." +113014,675546,FLORIDA,2017,January,Flash Flood,"OKALOOSA",2017-01-02 19:20:00,CST-6,2017-01-02 22:00:00,0,0,0,0,25.00K,25000,0.00K,0,30.74,-86.53,30.7342,-86.5314,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Up to 5 inches of rain over a short duration resulted in flash flooding that partially washed out Okaloosa Lane near Riverside Elementary School." +113243,677566,NEBRASKA,2017,January,Ice Storm,"RED WILLOW",2017-01-15 11:30:00,CST-6,2017-01-16 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter to half an inch were reported over Dundy and Hitchcock counties. The highest ice accumulation was reported near Haigler. Three waves of freezing rain and freezing drizzle transitioned to snow toward the end of the event, with up to three and a half inches of snow falling over these two counties. The additional weight of the snow on power lines caused power outages for the Benkelman and Trenton areas.","Hitchcock and Decatur counties both had reports of atleast a quarter inch of ice accumulation. McCook reported freezing rain for the same duration as the surrounding counties. As a result used surrounding counties as a proxy for ice accumulation." +111612,665843,MINNESOTA,2017,January,Winter Weather,"LYON",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches north of Interstate 90.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches, including 3.0 inches at Marshall." +111613,665851,MINNESOTA,2017,January,Winter Weather,"PIPESTONE",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation quickly changed to snow. The snow accumulated up to 2 inches, including 1.0 inches at Pipestone. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +111613,665852,MINNESOTA,2017,January,Winter Weather,"MURRAY",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation quickly changed to snow. The snow accumulated up to 2 inches. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +111613,665853,MINNESOTA,2017,January,Winter Weather,"COTTONWOOD",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation quickly changed to snow. The snow accumulated up to 2 inches, including 2.0 inches at Westbrook. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +111613,665855,MINNESOTA,2017,January,Winter Weather,"NOBLES",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation changed to snow. The snow accumulated up to 1 inch. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +114296,684707,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-21 21:20:00,CST-6,2017-04-21 21:20:00,0,0,0,0,0.00K,0,0.00K,0,33.9622,-94.9655,33.9622,-94.9655,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County, with damaging winds also having downed trees blocking roadways near Valiant. These storms weakened late as instability diminished.","Quarter size hail fell and damaged a Sheriff's vehicle." +114297,684708,ARKANSAS,2017,April,Hail,"SEVIER",2017-04-21 22:30:00,CST-6,2017-04-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,33.8757,-94.1653,33.8757,-94.1653,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County Oklahoma and portions of Sevier and Howard Counties in Southwest Arkansas. These storms weakened during the early morning hours on April 22nd as instability diminished.","Quarter size hail fell in the Pennys community." +114297,684710,ARKANSAS,2017,April,Hail,"SEVIER",2017-04-21 22:45:00,CST-6,2017-04-21 22:45:00,0,0,0,0,0.00K,0,0.00K,0,33.9673,-94.1681,33.9673,-94.1681,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County Oklahoma and portions of Sevier and Howard Counties in Southwest Arkansas. These storms weakened during the early morning hours on April 22nd as instability diminished.","Penny size hail fell in Lockesburg." +114174,685458,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-21 10:05:00,MST-7,2017-02-21 11:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +114174,685459,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-21 09:00:00,MST-7,2017-02-21 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher." +114174,685460,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-21 10:10:00,MST-7,2017-02-21 12:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher." +114174,685461,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-21 10:25:00,MST-7,2017-02-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher." +119995,719077,MONTANA,2017,October,High Wind,"HILL",2017-10-17 19:20:00,MST-7,2017-10-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Inverness DOT site." +119995,719078,MONTANA,2017,October,High Wind,"TOOLE",2017-10-17 19:00:00,MST-7,2017-10-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at a mesonet site northwest of Devon." +116667,701482,ARKANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 23:40:00,CST-6,2017-05-27 23:40:00,0,0,0,0,60.00K,60000,0.00K,0,35.48,-93.28,35.48,-93.28,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","A few barns and metal outbuildings were destroyed." +116667,701483,ARKANSAS,2017,May,Thunderstorm Wind,"POPE",2017-05-28 00:05:00,CST-6,2017-05-28 00:05:00,0,0,0,0,50.00K,50000,0.00K,0,35.25,-93.05,35.25,-93.05,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Metal roofing was removed from a row of businesses. Numerous trees were down or snapped." +116667,701484,ARKANSAS,2017,May,Thunderstorm Wind,"POPE",2017-05-28 00:05:00,CST-6,2017-05-28 00:05:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-93.14,35.27,-93.14,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +116667,701485,ARKANSAS,2017,May,Thunderstorm Wind,"POPE",2017-05-28 00:15:00,CST-6,2017-05-28 00:15:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-93.25,35.32,-93.25,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Winds were estimated at 60 mph." +116667,701486,ARKANSAS,2017,May,Thunderstorm Wind,"CONWAY",2017-05-28 00:20:00,CST-6,2017-05-28 00:20:00,0,0,0,0,20.00K,20000,0.00K,0,35.22,-92.74,35.22,-92.74,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","A tree fell on a house and the occupants were uninjured." +116667,701487,ARKANSAS,2017,May,Thunderstorm Wind,"PERRY",2017-05-28 00:40:00,CST-6,2017-05-28 00:40:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-92.77,34.88,-92.77,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","A large tree was uprooted." +116667,701488,ARKANSAS,2017,May,Thunderstorm Wind,"GARLAND",2017-05-28 01:40:00,CST-6,2017-05-28 01:40:00,0,0,0,0,60.00K,60000,0.00K,0,34.49,-93.07,34.49,-93.07,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","There was roof damage to a dozen storage units and a home had a utility pole fall onto it." +113300,677996,KANSAS,2017,January,Winter Weather,"SCOTT",2017-01-05 00:00:00,CST-6,2017-01-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 2.5 inches was observed at a location 5 miles west of Scott State Lake." +113242,677536,KANSAS,2017,January,Ice Storm,"LOGAN",2017-01-15 04:45:00,CST-6,2017-01-16 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.25-0.30 were reported across the county." +113242,677537,KANSAS,2017,January,Ice Storm,"GOVE",2017-01-15 06:45:00,CST-6,2017-01-16 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.25 were reported across the county." +113242,677538,KANSAS,2017,January,Ice Storm,"GREELEY",2017-01-15 03:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of a quarter inch were reported near Horace." +111799,666817,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-18 21:38:00,MST-7,2017-01-22 02:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","An extended period of high winds occurred in the higher elevations of the Guadalupe Mountains, with westerly winds of 40-50 mph sustained and frequent gusts over 60 and 70 mph." +111799,666818,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-20 00:52:00,MST-7,2017-01-21 19:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","" +111799,666824,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-18 22:51:00,MST-7,2017-01-21 21:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","Sustained westerly winds at times over 60 mph accompanied gusts as strong as 81 mph through Guadalupe Pass." +111799,666828,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-18 21:47:00,MST-7,2017-01-22 01:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","Westerly winds gusted as high as 85 mph at the Guadalupe Mountains National Park's Pine Springs Mesonet during an extended period of high winds there." +111800,666830,NEW MEXICO,2017,January,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-01-19 14:00:00,MST-7,2017-01-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe Mountains and portions of the southeastern New Mexico plains.","" +111799,666835,TEXAS,2017,January,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-01-19 08:10:00,CST-6,2017-01-22 07:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","Strong westerly winds of 40-50 mph sustained, with gusts as high as 74 mph, occurred at the McDonald Observatory over an extended period of time." +111800,666840,NEW MEXICO,2017,January,High Wind,"EDDY COUNTY PLAINS",2017-01-19 17:00:00,MST-7,2017-01-21 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe Mountains and portions of the southeastern New Mexico plains.","Westerly winds of 40 to 44 mph sustained occurred sporadically at Carlsbad." +112214,669132,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-01-23 01:09:00,EST-5,2017-01-23 01:09:00,0,0,0,0,0.00K,0,0.00K,0,27.3452,-80.2364,27.3452,-80.2364,"An intense squall line which moved rapidly across the east central Florida coastal waters during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became strong to severe, in addition to storms within the squall line itself. Several observation sites near the coast measured winds between 40 and 55 knots as storms crossed the coastline.","The St. Lucie Plant WeatherFlow mesonet site recorded a peak wind of 37 knots as a squall line with strong winds crossed the coast and continued into the nearshore coastal waters." +112232,669228,MONTANA,2017,January,High Wind,"NORTHERN SWEET GRASS",2017-01-28 04:35:00,MST-7,2017-01-28 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight east/west pressure gradient across portions of south central Montana resulted in a few areas experiencing high winds.","Winds gusted to 58 mph early in the period." +111613,665856,MINNESOTA,2017,January,Winter Weather,"JACKSON",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation changed to snow. The snow accumulated up to 1 inch. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +111758,666548,SOUTH DAKOTA,2017,January,Winter Weather,"UNION",2017-01-17 03:00:00,CST-6,2017-01-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Around 0.20 inch of icing was reported at South Sioux City. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +118230,710536,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:40:00,CST-6,2017-06-29 20:40:00,0,0,0,0,,NaN,,NaN,41.3,-96,41.3,-96,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","Ping-pong ball size hail was reported at 60th and Ames Streets in Omaha." +121273,728650,ILLINOIS,2017,November,Hail,"RANDOLPH",2017-11-05 16:12:00,CST-6,2017-11-05 16:47:00,0,0,0,0,0.00K,0,0.00K,0,38.2121,-89.9968,38.1225,-89.702,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Large hail was reported in a swath from Red Bud, through Baldwin, Houston and into Sparta." +113496,679424,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:27:00,EST-5,2017-02-25 15:27:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-77.58,37.37,-77.58,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported. Hail was covering the ground. Also, wind gust was estimated between 50-60 mph." +113496,679426,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:35:00,EST-5,2017-02-25 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-77.49,37.33,-77.49,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679427,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:36:00,EST-5,2017-02-25 15:36:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-77.52,37.35,-77.52,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Ping pong ball size hail was reported. Hail was covering the ground." +113496,679431,VIRGINIA,2017,February,Hail,"KING WILLIAM",2017-02-25 15:45:00,EST-5,2017-02-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-77.05,37.7,-77.05,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Golf ball size hail was reported." +113496,679434,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:46:00,EST-5,2017-02-25 15:46:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-77.37,37.34,-77.37,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Golf ball size hail was reported." +113496,679436,VIRGINIA,2017,February,Hail,"HENRICO",2017-02-25 15:48:00,EST-5,2017-02-25 15:48:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-77.35,37.44,-77.35,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +114339,685206,ARKANSAS,2017,March,Tornado,"PULASKI",2017-03-24 22:23:00,CST-6,2017-03-24 22:27:00,0,0,0,0,100.00K,100000,0.00K,0,34.9527,-92.2291,34.965,-92.194,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","After the tornado crossed into Faulkner County, the tornado caused several trees to snap or be uprooted. Additional, the tornado caused minor to major roof damage on several structures and destroyed one double-wide trailer." +114214,685211,ARKANSAS,2017,March,Thunderstorm Wind,"CLEBURNE",2017-03-01 02:34:00,CST-6,2017-03-01 02:34:00,0,0,0,0,0.00K,0,0.00K,0,35.4648,-92.1538,35.4648,-92.1538,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Strong winds downed many trees in the Cove Creek Recreation Area. Likely the rear flanking downdraft from the same storm that produced a tornado at Crossroads." +114339,685267,ARKANSAS,2017,March,Thunderstorm Wind,"SALINE",2017-03-24 21:36:00,CST-6,2017-03-24 21:36:00,0,0,0,0,0.00K,0,0.00K,0,34.6147,-92.7691,34.6147,-92.7691,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Severe thunderstorms blew trees down around the highway 5 and 9 intersection." +114339,685270,ARKANSAS,2017,March,Thunderstorm Wind,"PULASKI",2017-03-24 21:58:00,CST-6,2017-03-24 21:58:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-92.56,34.78,-92.56,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Numerous trees and powerlines were blown down in the Ferndale area." +112946,674843,ALABAMA,2017,January,Drought,"COOSA",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112333,669754,WYOMING,2017,January,Winter Storm,"ROCK SPRINGS & GREEN RIVER",2017-01-04 01:00:00,MST-7,2017-01-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","New snowfall amounts of 6 to 10 inches were common across Green River and Rock Springs, including 11.4 inches 4 miles NNW of Rock Springs." +112333,669755,WYOMING,2017,January,Winter Storm,"FLAMING GORGE",2017-01-04 02:00:00,MST-7,2017-01-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","The CoCoRaHS observer at Buckboard Marina measured 8 inches of new snow." +112333,669756,WYOMING,2017,January,Winter Storm,"EAST SWEETWATER COUNTY",2017-01-04 02:00:00,MST-7,2017-01-05 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","A trained spotter measured 6 inches of new snow at Wamsutter." +112333,669757,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN FOOTHILLS",2017-01-04 03:00:00,MST-7,2017-01-05 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","A trained spotter reported 7.4 inches of snow at Daniel." +112411,670162,WYOMING,2017,January,High Wind,"CODY FOOTHILLS",2017-01-30 00:45:00,MST-7,2017-01-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient and strong winds aloft mixing to the surface brought strong winds to portions of the Cody Foothills. A 63 mph wind gust was reported 8 miles south of Clark.","A 63 mph wind gust was recorded 8 miles south-southwest of Clark." +112426,670248,WYOMING,2017,January,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-01-30 02:50:00,MST-7,2017-01-31 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixing to the surface produced high winds in the Green and Rattlesnake Ranges. A maximum wind gust of 65 mph occurred at the Camp Creek RAWS site.","The RAWS at Camp Creek had several wind gusts past 58 mph; including a maximum gust of 65 mph." +111800,666843,NEW MEXICO,2017,January,High Wind,"EDDY COUNTY PLAINS",2017-01-21 15:15:00,MST-7,2017-01-21 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe Mountains and portions of the southeastern New Mexico plains.","" +111799,666861,TEXAS,2017,January,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-01-22 21:35:00,CST-6,2017-01-23 06:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","" +112593,671878,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-24 03:52:00,MST-7,2017-01-24 06:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe and Davis Mountains, Marfa Plateau and Van Horn area.","" +111758,666571,SOUTH DAKOTA,2017,January,Winter Weather,"LINCOLN",2017-01-17 04:00:00,CST-6,2017-01-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of up to one tenth of an inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Canton reported 0.06 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented damage to trees and power lines." +111758,666572,SOUTH DAKOTA,2017,January,Winter Weather,"TURNER",2017-01-17 04:00:00,CST-6,2017-01-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of less than 0.05 inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday." +111758,666565,SOUTH DAKOTA,2017,January,Winter Weather,"CLAY",2017-01-17 03:00:00,CST-6,2017-01-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Vermillion reported 0.20 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +114214,684575,ARKANSAS,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 03:30:00,CST-6,2017-03-01 03:30:00,0,0,0,0,50.00K,50000,0.00K,0,35.6506,-91.1553,35.6506,-91.1553,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Extensive damage was found near the Newport airport at a prison. Some structural damage was noted, including a rolled over mobile home and roof damage at a couple of barns. Wind gusts reached at least 90 mph." +114214,684753,ARKANSAS,2017,March,Tornado,"CONWAY",2017-03-01 02:16:00,CST-6,2017-03-01 02:17:00,0,0,0,0,30.00K,30000,0.00K,0,35.4372,-92.6235,35.4458,-92.6097,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The survey team found uplift of door into an outbuilding, that caused significant damage to the roof. Another outbuilding sustained significant damage and was pushed off its foundation. Additionally, several trees were uprooted." +114088,683174,NEW YORK,2017,May,Thunderstorm Wind,"ST. LAWRENCE",2017-05-01 18:00:00,EST-5,2017-05-01 18:02:00,0,0,0,0,75.00K,75000,0.00K,0,44.18,-75.28,44.18,-75.28,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Numerous trees down, roof damage to garages and small buildings, numerous power lines down throughout town." +113060,676469,ALABAMA,2017,January,Tornado,"LEE",2017-01-22 14:00:00,CST-6,2017-01-22 14:07:00,0,0,0,0,0.00K,0,0.00K,0,32.6262,-85.4207,32.6677,-85.4015,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in central Lee County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 95 mph. The tornado touched down along Cunningham Drive, just northeast of the Auburn-Opelika Airport and tracked northeast. Minor damage occurred at touch down but increased as the tornado approached Pepperell Parkway, where numerous trees were snapped or uprooted and some homes suffered damage. The tornado lifted near Northgate Drive and Oak Bowery Road." +116374,699827,MONTANA,2017,June,Thunderstorm Wind,"PONDERA",2017-06-08 18:25:00,MST-7,2017-06-08 18:25:00,0,0,0,0,0.00K,0,0.00K,0,48.37,-112,48.37,-112,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet site reported a measured wind gust of 60 mph." +116374,699828,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:49:00,MST-7,2017-06-08 18:49:00,0,0,0,0,0.00K,0,0.00K,0,48.61,-111.6,48.61,-111.6,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet site reported a measured thunderstorm wind gust of 58 mph." +111758,666573,SOUTH DAKOTA,2017,January,Winter Weather,"MINNEHAHA",2017-01-17 05:00:00,CST-6,2017-01-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain and freezing drizzle of less than 0.05 inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday." +112018,668062,MINNESOTA,2017,January,Winter Storm,"ROCK",2017-01-24 15:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 4 to 7 inches, including 5 inches at Luverne. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +119995,719079,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-17 21:34:00,MST-7,2017-10-17 21:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Measured wind gust south of Stanford." +119995,719080,MONTANA,2017,October,High Wind,"BLAINE",2017-10-17 20:00:00,MST-7,2017-10-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Trained spotter measured a 77 mph wind gust south of Chinook." +119995,719081,MONTANA,2017,October,High Wind,"CASCADE",2017-10-17 19:00:00,MST-7,2017-10-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Local HAM operator reported a tree fell down on a mobile home in Great Falls. Location and time estimated." +119995,719082,MONTANA,2017,October,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-10-17 22:27:00,MST-7,2017-10-17 22:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at a mesonet site southwest of Augusta." +112889,674426,MISSOURI,2017,January,Dense Fog,"WAYNE",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674441,KENTUCKY,2017,January,Dense Fog,"BALLARD",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674442,KENTUCKY,2017,January,Dense Fog,"CALDWELL",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674443,KENTUCKY,2017,January,Dense Fog,"CALLOWAY",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674444,KENTUCKY,2017,January,Dense Fog,"CARLISLE",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674445,KENTUCKY,2017,January,Dense Fog,"CHRISTIAN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112890,674446,KENTUCKY,2017,January,Dense Fog,"CRITTENDEN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except for the Henderson and Owensboro areas. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112593,671883,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-24 02:37:00,MST-7,2017-01-24 06:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe and Davis Mountains, Marfa Plateau and Van Horn area.","" +112594,671886,NEW MEXICO,2017,January,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-01-24 04:00:00,MST-7,2017-01-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe Mountains of southeast New Mexico.","" +112593,671888,TEXAS,2017,January,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-01-24 10:20:00,CST-6,2017-01-24 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe and Davis Mountains, Marfa Plateau and Van Horn area.","" +112593,671889,TEXAS,2017,January,High Wind,"VAN HORN & HWY 54 CORRIDOR",2017-01-24 09:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe and Davis Mountains, Marfa Plateau and Van Horn area.","" +113242,677527,KANSAS,2017,January,Ice Storm,"CHEYENNE",2017-01-15 09:00:00,CST-6,2017-01-16 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","A quarter of an inch of ice was reported in St. Francis." +113242,677528,KANSAS,2017,January,Ice Storm,"RAWLINS",2017-01-15 09:30:00,CST-6,2017-01-16 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.75 and 0.33 were reported across the county." +113242,677529,KANSAS,2017,January,Ice Storm,"DECATUR",2017-01-15 11:45:00,CST-6,2017-01-16 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.25-0.85 were reported across the county." +112018,668065,MINNESOTA,2017,January,Winter Storm,"COTTONWOOD",2017-01-24 17:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 3 to 6 inches, including 5 inches near Windom. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112018,668066,MINNESOTA,2017,January,Winter Weather,"PIPESTONE",2017-01-24 16:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 2 to 4 inches, including 3 inches at Pipestone. Winds of 20 to 30 mph caused areas of blowing and drifting snow." +112201,668998,FLORIDA,2017,January,Rip Current,"BREVARD",2017-01-15 15:00:00,EST-5,2017-01-15 15:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A female tourist was found floating face-down in the surf at Melbourne Beach after entering the ocean to swim. She was transported to a local hospital where she was pronounced brain dead, and died several days later. Strong rip currents were present on the day of the incident and two friends who were in the surf with her reported that they became caught in a rip current.","A 52-year old woman from the State of Georgia was found floating face-down in the surf around 1500LST on January 15. She was transported to a local hospital by paramedics, was pronounced brain dead and died on January 18. Ocean Rescue reported rip currents in the area and two friends that the woman was swimming with reported that they became caught in a rip current. This rip current fatality becomes the first within east-central Florida during the month of January since records began in 1987." +113496,679505,VIRGINIA,2017,February,Hail,"ISLE OF WIGHT",2017-02-25 17:29:00,EST-5,2017-02-25 17:29:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-76.74,37.01,-76.74,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679506,VIRGINIA,2017,February,Hail,"NEWPORT NEWS (C)",2017-02-25 17:45:00,EST-5,2017-02-25 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-76.49,37.06,-76.49,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Half dollar size hail was reported." +113561,679833,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"YORK RIVER",2017-02-25 17:36:00,EST-5,2017-02-25 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-76.48,37.23,-76.48,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the York River.","Wind gust of 50 knots was measured at Yorktown USCG Station." +113560,679835,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMESTOWN TO THE JAMES RIVER BRIDGE",2017-02-25 17:20:00,EST-5,2017-02-25 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-76.74,37.19,-76.74,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 47 knots was measured at Jamestown Buoy Station." +116667,701477,ARKANSAS,2017,May,Hail,"IZARD",2017-05-27 03:01:00,CST-6,2017-05-27 03:01:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-91.74,36.22,-91.74,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Media reported half dollar size hail in Horseshoe Bend." +116667,701478,ARKANSAS,2017,May,Thunderstorm Wind,"FULTON",2017-05-27 19:30:00,CST-6,2017-05-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-91.54,36.5,-91.54,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Trees were downed." +112515,671024,MISSOURI,2017,January,Dense Fog,"SCOTT",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671025,MISSOURI,2017,January,Dense Fog,"STODDARD",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671026,MISSOURI,2017,January,Dense Fog,"WAYNE",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +114276,684642,TEXAS,2017,April,Hail,"GREGG",2017-04-10 19:35:00,CST-6,2017-04-10 19:35:00,0,0,0,0,0.00K,0,0.00K,0,32.414,-94.7059,32.414,-94.7059,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail fell in the Lakeport community." +114276,684667,TEXAS,2017,April,Hail,"UPSHUR",2017-04-10 20:53:00,CST-6,2017-04-10 20:53:00,0,0,0,0,0.00K,0,0.00K,0,32.6618,-95.0182,32.6618,-95.0182,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail was reported in the Pritchett Community." +113242,677531,KANSAS,2017,January,Ice Storm,"SHERMAN",2017-01-15 07:45:00,MST-7,2017-01-16 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.26-0.70 were reported across the county." +113242,677534,KANSAS,2017,January,Ice Storm,"GRAHAM",2017-01-15 07:45:00,CST-6,2017-01-16 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.50 were in Hill City." +113242,677535,KANSAS,2017,January,Ice Storm,"WALLACE",2017-01-15 04:45:00,MST-7,2017-01-16 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations up to an inch were reported in Sharon Springs." +113303,678033,ARKANSAS,2017,January,Drought,"FRANKLIN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of January 2017. West central Arkansas and portions of northwestern Arkansas received between 50 and 75 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and across Washington and Madison Counties in northwestern Arkansas, with Extreme Drought (D3) conditions developing across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113303,678034,ARKANSAS,2017,January,Drought,"SEBASTIAN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of January 2017. West central Arkansas and portions of northwestern Arkansas received between 50 and 75 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and across Washington and Madison Counties in northwestern Arkansas, with Extreme Drought (D3) conditions developing across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +114296,684705,OKLAHOMA,2017,April,Thunderstorm Wind,"MCCURTAIN",2017-04-21 21:05:00,CST-6,2017-04-21 21:05:00,0,0,0,0,0.00K,0,0.00K,0,34.0684,-95.0495,34.0684,-95.0495,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County, with damaging winds also having downed trees blocking roadways near Valiant. These storms weakened late as instability diminished.","Tree down across old Highway 98. Report from Facebook." +114296,684706,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-21 21:06:00,CST-6,2017-04-21 21:06:00,0,0,0,0,0.00K,0,0.00K,0,34.0022,-95.094,34.0022,-95.094,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County, with damaging winds also having downed trees blocking roadways near Valiant. These storms weakened late as instability diminished.","Penny size hail fell in Valliant." +116667,701489,ARKANSAS,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-28 00:55:00,CST-6,2017-05-28 00:55:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-93.63,34.55,-93.63,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Trees and power lines were down all through the county." +116667,701490,ARKANSAS,2017,May,Thunderstorm Wind,"HOT SPRING",2017-05-28 01:32:00,CST-6,2017-05-28 01:32:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-92.7,34.2,-92.7,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Trees were reported to be blown down." +116667,701491,ARKANSAS,2017,May,Thunderstorm Wind,"PIKE",2017-05-28 01:36:00,CST-6,2017-05-28 01:36:00,0,0,0,0,20.00K,20000,0.00K,0,34.25,-93.63,34.25,-93.63,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","A tree branch fell through the roof of a home." +116667,701492,ARKANSAS,2017,May,Hail,"GARLAND",2017-05-28 01:53:00,CST-6,2017-05-28 01:53:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-93.05,34.47,-93.05,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Quarter size hail was reported south of Hot Springs." +116667,701493,ARKANSAS,2017,May,Thunderstorm Wind,"HOT SPRING",2017-05-28 02:08:00,CST-6,2017-05-28 02:08:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-92.7,34.2,-92.7,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Trees were blown down." +117075,704405,ARKANSAS,2017,May,Flood,"PERRY",2017-05-12 20:30:00,CST-6,2017-05-13 20:07:00,0,0,0,0,0.00K,0,0.00K,0,35.0145,-92.7283,35.0064,-92.7292,"Heavy rain brought flooding to central Arkansas May 12, 2017.","Heavy rain caused flooding in mid May on the Fouche LaFave River at Houston." +117076,704406,ARKANSAS,2017,May,Flood,"PERRY",2017-05-21 13:52:00,CST-6,2017-05-24 13:21:00,0,0,0,0,0.00K,0,0.00K,0,35.0138,-92.7256,35.0094,-92.7265,"Heavy rain brought flooding to parts of central Arkansas that began on May 21 and 22.","Heavy rain caused flooding during the latter part of May on the Fouche LaFave River at Houston." +117789,708127,ARIZONA,2017,July,Heavy Rain,"NAVAJO",2017-07-08 20:05:00,MST-7,2017-07-08 20:35:00,0,0,0,0,0.00K,0,0.00K,0,34.8693,-110.1326,34.9307,-110.2074,"A thunderstorm produced heavy rain in Holbrook.","A thunderstorm produced 1.13 inches of rain in about 25 minutes." +112515,671018,MISSOURI,2017,January,Dense Fog,"CAPE GIRARDEAU",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671019,MISSOURI,2017,January,Dense Fog,"CARTER",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671020,MISSOURI,2017,January,Dense Fog,"MISSISSIPPI",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671021,MISSOURI,2017,January,Dense Fog,"NEW MADRID",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671022,MISSOURI,2017,January,Dense Fog,"PERRY",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112515,671023,MISSOURI,2017,January,Dense Fog,"RIPLEY",2017-01-02 16:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112214,669131,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-01-22 21:00:00,EST-5,2017-01-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,28.64,-80.75,28.64,-80.75,"An intense squall line which moved rapidly across the east central Florida coastal waters during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became strong to severe, in addition to storms within the squall line itself. Several observation sites near the coast measured winds between 40 and 55 knots as storms crossed the coastline.","USAF wind tower 0714 over northwest Merritt Island measured peak winds of 48 knots as a strong thunderstorm within a squall line crossed the barrier island and intracoastal waters then continued into the nearshore Atlantic waters." +111758,666567,SOUTH DAKOTA,2017,January,Winter Weather,"YANKTON",2017-01-17 03:00:00,CST-6,2017-01-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in far southeast South Dakota, roughly near and southeast of a Yankton to Sioux Falls line. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm in the southeast corner of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Yankton reported 0.18 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +112153,668866,MISSOURI,2017,January,Winter Weather,"WAYNE",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668867,MISSOURI,2017,January,Winter Weather,"RIPLEY",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668868,MISSOURI,2017,January,Winter Weather,"BUTLER",2017-01-05 07:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +114276,684640,TEXAS,2017,April,Hail,"RUSK",2017-04-10 19:05:00,CST-6,2017-04-10 19:05:00,0,0,0,0,0.00K,0,0.00K,0,32.3605,-94.8711,32.3605,-94.8711,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Half dollar size hail fell in South Kilgore. Report from the KETK-TV Facebook page." +114276,684641,TEXAS,2017,April,Hail,"GREGG",2017-04-10 19:08:00,CST-6,2017-04-10 19:08:00,0,0,0,0,0.00K,0,0.00K,0,32.3751,-94.8591,32.3751,-94.8591,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail fell on Dudley Road on the southeast side of Kilgore." +114387,689068,NEW JERSEY,2017,May,Heavy Rain,"MONMOUTH",2017-05-05 19:00:00,EST-5,2017-05-05 19:00:00,0,0,0,0,,NaN,,NaN,40.19,-74.12,40.19,-74.12,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches was measured." +114387,689069,NEW JERSEY,2017,May,Heavy Rain,"OCEAN",2017-05-05 19:00:00,EST-5,2017-05-05 19:00:00,0,0,0,0,,NaN,,NaN,39.93,-74.27,39.93,-74.27,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches was measured." +114628,687512,KANSAS,2017,March,Hail,"SEDGWICK",2017-03-24 16:12:00,CST-6,2017-03-24 16:13:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-97.5,37.51,-97.5,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","" +114174,685455,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-21 04:15:00,MST-7,2017-02-21 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 21/0420 MST." +116374,699824,MONTANA,2017,June,Thunderstorm Wind,"TETON",2017-06-08 18:05:00,MST-7,2017-06-08 18:05:00,0,0,0,0,0.00K,0,0.00K,0,48.04,-112.2,48.04,-112.2,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Rice Ridge mesonet reported a 71 mph thunderstorm wind gust." +116374,699825,MONTANA,2017,June,Thunderstorm Wind,"PONDERA",2017-06-08 18:15:00,MST-7,2017-06-08 18:15:00,0,0,0,0,0.00K,0,0.00K,0,48.17,-111.98,48.17,-111.98,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Conrad Airport AWOS site reported a thunderstorm wind gust of 70 mph." +112889,674416,MISSOURI,2017,January,Dense Fog,"BOLLINGER",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674417,MISSOURI,2017,January,Dense Fog,"BUTLER",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674418,MISSOURI,2017,January,Dense Fog,"CAPE GIRARDEAU",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674419,MISSOURI,2017,January,Dense Fog,"CARTER",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674420,MISSOURI,2017,January,Dense Fog,"MISSISSIPPI",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674421,MISSOURI,2017,January,Dense Fog,"NEW MADRID",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +122567,733977,ILLINOIS,2017,December,Drought,"JERSEY",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought continued across parts of southwest Illinois.","" +122021,730615,MARYLAND,2017,December,Winter Weather,"INLAND WORCESTER",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one inch and four inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals ranged between one inch and four inches across the county. Bishopville (3 E) and Berlin reported 4.0 inches of snow. Ocean Pines reported 2.0 inches of snow." +116372,699790,ARKANSAS,2017,May,Hail,"BOONE",2017-05-11 13:40:00,CST-6,2017-05-11 13:40:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-93.27,36.32,-93.27,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116372,699791,ARKANSAS,2017,May,Hail,"BOONE",2017-05-11 14:05:00,CST-6,2017-05-11 14:05:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-93.19,36.45,-93.19,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +122567,733976,ILLINOIS,2017,December,Drought,"CALHOUN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severe) drought continued across parts of southwest Illinois.","" +116372,699794,ARKANSAS,2017,May,Hail,"LOGAN",2017-05-11 14:20:00,CST-6,2017-05-11 14:20:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-93.86,35.3,-93.86,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +114174,685456,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-20 15:55:00,MST-7,2017-02-20 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 20/1600 MST." +114174,685457,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-21 04:15:00,MST-7,2017-02-21 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 21/0425 MST." +114174,685462,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-20 03:00:00,MST-7,2017-02-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 20/0335 MST." +118230,710531,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:36:00,CST-6,2017-06-29 20:36:00,0,0,0,0,,NaN,,NaN,41.27,-96.03,41.27,-96.03,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","A storm spotter reported ping-pong ball size hail at 82nd and Blondo Streets." +118230,710532,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:38:00,CST-6,2017-06-29 20:38:00,0,0,0,0,,NaN,,NaN,41.28,-95.99,41.28,-95.99,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710534,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:39:00,CST-6,2017-06-29 20:39:00,0,0,0,0,,NaN,,NaN,41.26,-95.97,41.26,-95.97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","A trained spotter reported 2 inch diameter hail at 35th and Charles Streets in Omaha." +112889,674422,MISSOURI,2017,January,Dense Fog,"PERRY",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674423,MISSOURI,2017,January,Dense Fog,"RIPLEY",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674424,MISSOURI,2017,January,Dense Fog,"SCOTT",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112889,674425,MISSOURI,2017,January,Dense Fog,"STODDARD",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southeast Missouri. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +119995,719075,MONTANA,2017,October,High Wind,"HILL",2017-10-17 19:49:00,MST-7,2017-10-17 19:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Rudyard mesonet site." +119995,719076,MONTANA,2017,October,High Wind,"BLAINE",2017-10-17 20:17:00,MST-7,2017-10-17 20:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Fort Belknap RAWS site." +121273,726039,ILLINOIS,2017,November,Thunderstorm Wind,"CLINTON",2017-11-05 15:15:00,CST-6,2017-11-05 15:36:00,0,0,0,0,0.00K,0,0.00K,0,38.5822,-89.6853,38.617,-89.3855,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Thunderstorm winds damaged a metal storage building about a mile south of Trenton. Also, about a mile west of Carlyle, there was some sheet metal scattered in a field. Origin of the metal is unknown." +121273,726040,ILLINOIS,2017,November,Hail,"MONROE",2017-11-05 15:15:00,CST-6,2017-11-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,38.443,-90.218,38.45,-90.2,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +121272,728646,MISSOURI,2017,November,Hail,"JEFFERSON",2017-11-05 15:29:00,CST-6,2017-11-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.23,-90.57,38.2378,-90.3705,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Numerous reports of large hail fell in a wide swath from Hillsboro to the Festus/Crystal City area. One inch or larger hail was also reported in Herculaneum and Hematite. The largest hailstones, around 3 inches in diameter were reported one mile north of Festus." +121272,728647,MISSOURI,2017,November,Hail,"IRON",2017-11-05 15:38:00,CST-6,2017-11-05 15:42:00,0,0,0,0,0.00K,0,0.00K,0,37.719,-91.1383,37.7187,-91.1203,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +121273,728648,ILLINOIS,2017,November,Hail,"MONROE",2017-11-05 15:50:00,CST-6,2017-11-05 15:50:00,0,0,0,0,0.00K,0,0.00K,0,38.2023,-90.2802,38.2023,-90.2802,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","" +121273,728649,ILLINOIS,2017,November,Thunderstorm Wind,"MONROE",2017-11-05 15:56:00,CST-6,2017-11-05 15:56:00,0,0,0,0,0.00K,0,0.00K,0,38.3302,-90.1626,38.3338,-90.142,"A line of strong to severe storms developed ahead of a cold front. There were numerous reports of large hail and some damaging winds.","Thunderstorm winds blew down numerous tree limbs around town." +114214,684754,ARKANSAS,2017,March,Tornado,"CONWAY",2017-03-01 02:18:00,CST-6,2017-03-01 02:19:00,0,0,0,0,40.00K,40000,0.00K,0,35.4439,-92.5602,35.4429,-92.5414,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Survey team found partial damage to a roof and a few barns destroyed." +114214,684755,ARKANSAS,2017,March,Tornado,"JACKSON",2017-03-01 03:20:00,CST-6,2017-03-01 03:22:00,0,0,0,0,100.00K,100000,0.00K,0,35.6362,-91.2627,35.636,-91.235,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The survey team found numerous trees and power poles downed or snapped and structural damage to a few homes. One home had the back of a garage blown out and part of the roof removed in the back. A storage building was hit broadside and thrown. On US 67/167, road signs were obliterated. South of the tornado, there was random damage to structures, including doors blown in at a fire house. This was caused by straight-line winds. Farther east toward the Newport Airport, there was extensive damage at a prison. A mobile home was rolled, and a couple of barns had mostly roof damage. Straight-line winds were estimated at 80-90 mph. Wind gusts reached 66 mph at the Newport Airport. The survey team would like to thank Don Ivie, Jackson County Emergency Manager, for his valuable assistance during this survey." +114214,684756,ARKANSAS,2017,March,Tornado,"JACKSON",2017-03-01 03:13:00,CST-6,2017-03-01 03:17:00,0,0,0,0,30.00K,30000,0.00K,0,35.4538,-91.4619,35.4617,-91.3872,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The survey team found extensive tree damage, with numerous trees downed or snapped. In one location, the trees were very large, with one tree crushing a tractor. Several homes had mostly roof damage, with one roof mostly removed. The survey team would like to thank Don Ivie, Jackson County Emergency Manager, for his valuable assistance during this survey." +113305,678070,OKLAHOMA,2017,January,Wildfire,"HASKELL",2017-01-30 11:00:00,CST-6,2017-01-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma on the 30th and 31st of January 2017. The largest wildfires occurred in Haskell and Latimer Counties, where more than 400 acres were burned in each county. A large wildfire also occurred in Adair County.","" +113305,678071,OKLAHOMA,2017,January,Wildfire,"LATIMER",2017-01-30 11:00:00,CST-6,2017-01-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma on the 30th and 31st of January 2017. The largest wildfires occurred in Haskell and Latimer Counties, where more than 400 acres were burned in each county. A large wildfire also occurred in Adair County.","" +112946,674838,ALABAMA,2017,January,Drought,"SUMTER",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112946,674839,ALABAMA,2017,January,Drought,"GREENE",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112946,674840,ALABAMA,2017,January,Drought,"HALE",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112946,674841,ALABAMA,2017,January,Drought,"PERRY",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112946,674842,ALABAMA,2017,January,Drought,"CHILTON",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +113249,677579,NEW YORK,2017,January,High Wind,"NORTHERN CAYUGA",2017-01-11 03:15:00,EST-5,2017-01-11 05:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113249,677581,NEW YORK,2017,January,High Wind,"OSWEGO",2017-01-11 04:04:00,EST-5,2017-01-11 10:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113249,677582,NEW YORK,2017,January,High Wind,"JEFFERSON",2017-01-11 03:35:00,EST-5,2017-01-11 10:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +113014,675860,FLORIDA,2017,January,Thunderstorm Wind,"ESCAMBIA",2017-01-02 17:56:00,CST-6,2017-01-02 17:56:00,0,0,0,0,1.00K,1000,0.00K,0,30.42,-87.22,30.42,-87.22,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","An awning was blown off of a Pensacola restaurant." +113014,675861,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 18:01:00,CST-6,2017-01-02 18:01:00,0,0,0,0,5.00K,5000,0.00K,0,30.6625,-87.0818,30.6625,-87.0818,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Lightning struck a house on Sunflower Avenue." +113014,675862,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 18:05:00,CST-6,2017-01-02 18:05:00,0,0,0,0,10.00K,10000,0.00K,0,30.7859,-87.1986,30.7859,-87.1986,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Lightning struck 2 house on Griswold Road near Chumuckla." +113014,676126,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 18:16:00,CST-6,2017-01-02 18:16:00,0,0,0,0,5.00K,5000,0.00K,0,30.5873,-87.1488,30.5873,-87.1488,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Lightning struck a house on Lee Dr." +113014,676127,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 19:00:00,CST-6,2017-01-02 19:00:00,1,0,0,0,0.00K,0,0.00K,0,30.5836,-87.0309,30.5836,-87.0309,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","A person was struck by Lightning on Garcon Point Road just south of Milton." +113014,676129,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 19:24:00,CST-6,2017-01-02 19:24:00,0,0,0,0,10.00K,10000,0.00K,0,30.3735,-87.1172,30.3735,-87.1172,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across the western Florida Panhandle.","Lightning struck 2 houses on Vestavia Way near Gulf Breeze." +113072,676258,GULF OF MEXICO,2017,January,Waterspout,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-01-22 09:34:00,CST-6,2017-01-22 09:35:00,0,0,0,0,0.00K,0,0.00K,0,30.3531,-86.6521,30.3531,-86.6521,"Several strong to severe thunderstorms moved across the Alabama and western Florida Panhandle coastal waters during the evening of January 21st and the morning of January 22nd.","Hulrburt Field tower observed a waterspout about 5 miles south of Hurlburt Field over the Gulf of Mexico." +121728,728652,MISSOURI,2017,December,Thunderstorm Wind,"MONROE",2017-12-04 17:40:00,CST-6,2017-12-04 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4978,-91.8773,39.4969,-91.8465,"A line of strong to severe storms developed along a cold front as it moved through the region. There were several reports of large hail and damaging winds.","Thunderstorm winds blew down several large trees onto Highway U east of Paris." +121728,728653,MISSOURI,2017,December,Thunderstorm Wind,"MONITEAU",2017-12-04 17:41:00,CST-6,2017-12-04 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4891,-92.5121,38.4975,-92.4671,"A line of strong to severe storms developed along a cold front as it moved through the region. There were several reports of large hail and damaging winds.","Thunderstorm winds caused some minor roof damage to a house, as well as a shed, at the intersection of Fahrni Road and Morrow Road. Further east, several trees were uprooted and a metal outbuilding had it's roof blown off." +122563,733953,MISSOURI,2017,December,Drought,"CRAWFORD",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733954,MISSOURI,2017,December,Drought,"WASHINGTON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733955,MISSOURI,2017,December,Drought,"LINCOLN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733956,MISSOURI,2017,December,Drought,"FRANKLIN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733957,MISSOURI,2017,December,Drought,"ST. CHARLES",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733958,MISSOURI,2017,December,Drought,"ST. LOUIS",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +122563,733973,MISSOURI,2017,December,Drought,"JEFFERSON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"D2 (Severer) drought continued across parts of eastern Missouri.","" +119995,719073,MONTANA,2017,October,High Wind,"CASCADE",2017-10-17 21:50:00,MST-7,2017-10-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Monarch Canyon DOT site." +119995,719074,MONTANA,2017,October,High Wind,"LIBERTY",2017-10-17 19:22:00,MST-7,2017-10-17 19:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at a mesonet site northwest of Joplin." +119995,719071,MONTANA,2017,October,High Wind,"CASCADE",2017-10-17 19:01:00,MST-7,2017-10-17 19:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Measured a 44 mph sustained wind and estimated a gust to 60 mph." +119995,719072,MONTANA,2017,October,High Wind,"SOUTHERN LEWIS AND CLARK",2017-10-17 21:37:00,MST-7,2017-10-17 21:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Bowmans Corner DOT site." +114276,684645,TEXAS,2017,April,Thunderstorm Wind,"SMITH",2017-04-10 18:30:00,CST-6,2017-04-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3027,-94.9941,32.3027,-94.9941,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","A large tree was blown down on County Road 26 just northwest of Overton in extreme Eastern Smith County." +114276,684651,TEXAS,2017,April,Thunderstorm Wind,"CASS",2017-04-10 19:30:00,CST-6,2017-04-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.0238,-94.3692,33.0238,-94.3692,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Numerous trees were blown down across Cass County." +114276,684657,TEXAS,2017,April,Flash Flood,"GREGG",2017-04-10 20:03:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.371,-94.8702,32.3709,-94.8684,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Highway 259 in Kilgore was reduced to one lane in each direction due to flash flooding." +114276,684655,TEXAS,2017,April,Flash Flood,"GREGG",2017-04-10 20:01:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4158,-94.7098,32.4167,-94.708,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","The intersection of Highway 149 and Highway 322 was flooded." +114276,684658,TEXAS,2017,April,Flash Flood,"GREGG",2017-04-10 20:03:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.544,-94.8182,32.5457,-94.7145,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Several streets were flooded throughout the city of Longview." +114276,684659,TEXAS,2017,April,Flash Flood,"RUSK",2017-04-10 20:08:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.357,-94.8782,32.3569,-94.877,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","The intersection of County Road 171 and County Road 179D (Sunset Lane) was flooded." +117558,706984,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-29 23:02:00,CST-6,2017-06-29 23:05:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.62,38.82,-97.62,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The winds were measured at Salina's Schilling Airport." +117558,706985,KANSAS,2017,June,Thunderstorm Wind,"KINGMAN",2017-06-29 23:30:00,CST-6,2017-06-29 23:32:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-98.11,37.65,-98.11,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","Limbs 3-4 inches in diameter were blown down." +117558,706986,KANSAS,2017,June,Thunderstorm Wind,"SUMNER",2017-06-30 00:22:00,CST-6,2017-06-30 00:23:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-97.76,37.11,-97.76,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","No damage was reported." +116395,699975,NEW YORK,2017,May,Thunderstorm Wind,"DUTCHESS",2017-05-18 22:50:00,EST-5,2017-05-18 22:50:00,0,0,0,0,,NaN,,NaN,41.72,-73.58,41.72,-73.58,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees and wires were downed on Old Route 22." +116395,699980,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-18 18:35:00,EST-5,2017-05-18 18:40:00,0,0,0,0,,NaN,,NaN,43.3527,-73.6039,43.3611,-73.5186,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","The National Weather Service confirmed a macroburst (straight line wind damage) from Queensbury in Warren County to Kingsbury in Washington County. Confirmation was based on maps and pictures provided by Washington County Emergency Management, newspaper photos, storm damage reports from Warren County Emergency Management and trained spotter reports.||Winds from the macroburst brought down hundreds of trees, flattened a barn and threw its roof a quarter mile, and tore part of a roof off a building. Power outages, damage to homes from falling trees, and road closures were widespread in this area. The worst part of the damage swath passed just north of the Glens Falls New York State Mesonet observation site, which recorded a gust of 68 mph." +116010,698099,LOUISIANA,2017,April,Tornado,"MADISON",2017-04-30 06:13:00,CST-6,2017-04-30 06:24:00,0,0,0,0,50.00K,50000,0.00K,0,32.289,-90.9521,32.373,-90.8763,"During the early morning hours of April 30th, a line of severe thunderstorms tracked toward and through the ArkLaMiss region. This line brought damaging winds and tornadoes to the region.","The tornado began just south of Interstate 20 around Delta, LA. It produced EF-1 rated damage as it traveled northeast from this location towards the Mississippi River, including numerous snapped or uprooted trees as well as a damaged road sign along the Interstate. The maximum path width in Madison Parish was estimated to be 200 yards. A peak wind speed of 100 mph was estimated based on surveyed damage. A debris signature was observed by NWS radar and a University of Louisiana at Monroe research radar along the path of this tornado. This tornado continued into Warren County, Mississippi north of Vicksburg. Total path length was 9.2 miles." +117932,708754,KANSAS,2017,June,Hail,"MCPHERSON",2017-06-15 16:40:00,CST-6,2017-06-15 16:41:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-97.66,38.37,-97.66,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708755,KANSAS,2017,June,Thunderstorm Wind,"ELLSWORTH",2017-06-15 16:45:00,CST-6,2017-06-15 16:46:00,0,0,0,0,0.00K,0,0.00K,0,38.56,-98.35,38.56,-98.35,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This was a measured wind speed." +117932,708756,KANSAS,2017,June,Thunderstorm Wind,"RICE",2017-06-15 16:56:00,CST-6,2017-06-15 16:57:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.2,38.35,-98.2,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708757,KANSAS,2017,June,Hail,"RICE",2017-06-15 17:04:00,CST-6,2017-06-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.2,38.35,-98.2,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708758,KANSAS,2017,June,Hail,"RICE",2017-06-15 17:22:00,CST-6,2017-06-15 17:23:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-98.21,38.21,-98.21,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708775,KANSAS,2017,June,Thunderstorm Wind,"MARION",2017-06-15 18:05:00,CST-6,2017-06-15 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-96.89,38.09,-96.89,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This was reported along the county line." +113496,679441,VIRGINIA,2017,February,Hail,"COLONIAL HEIGHTS (C)",2017-02-25 16:00:00,EST-5,2017-02-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-77.4,37.26,-77.4,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679448,VIRGINIA,2017,February,Hail,"BRUNSWICK",2017-02-25 16:06:00,EST-5,2017-02-25 16:06:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-77.99,36.67,-77.99,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679453,VIRGINIA,2017,February,Hail,"HOPEWELL (C)",2017-02-25 16:10:00,EST-5,2017-02-25 16:10:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-77.27,37.31,-77.27,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +113496,679456,VIRGINIA,2017,February,Hail,"NEW KENT",2017-02-25 16:10:00,EST-5,2017-02-25 16:10:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-77.05,37.44,-77.05,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +114321,685000,LOUISIANA,2017,April,Thunderstorm Wind,"WINN",2017-04-30 02:25:00,CST-6,2017-04-30 02:25:00,0,0,0,0,0.00K,0,0.00K,0,32.1171,-92.6003,32.1171,-92.6003,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees were blown down northeast of Dodson." +114321,685001,LOUISIANA,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-30 03:35:00,CST-6,2017-04-30 03:35:00,0,0,0,0,0.00K,0,0.00K,0,32.5203,-91.9784,32.5203,-91.9784,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","A portion of a power pole was snapped due to thunderstorm winds along Highway 80 between Van Buren Drive and Stubbs Vinson Road, resulting in downed power lines which left about 40 homes without power." +118230,710537,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:41:00,CST-6,2017-06-29 20:41:00,0,0,0,0,,NaN,,NaN,41.26,-95.93,41.26,-95.93,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","One inch hail was reported in downtown Omaha." +117558,706989,KANSAS,2017,June,Thunderstorm Wind,"SUMNER",2017-06-30 00:58:00,CST-6,2017-06-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-97.59,37.03,-97.59,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","No damage was reported." +117558,706992,KANSAS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-30 03:00:00,CST-6,2017-06-30 03:02:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-95.57,37.1,-95.57,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","This was a delayed report." +117932,708730,KANSAS,2017,June,Hail,"RICE",2017-06-15 15:35:00,CST-6,2017-06-15 15:36:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-98.01,38.52,-98.01,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported in K-4 about 8 miles east of Geneseo." +117571,707042,MISSISSIPPI,2017,June,Flash Flood,"HARRISON",2017-06-29 16:30:00,CST-6,2017-06-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4547,-89.1403,30.3528,-89.1335,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","Significant street flooding was reported on US Highway 49 just north of 15th Street. Flooding was also reported on Seaway Road just south of Interstate 10, and on Canal Road and Pass Road in Gulfport." +117571,707043,MISSISSIPPI,2017,June,Flash Flood,"HARRISON",2017-06-29 17:10:00,CST-6,2017-06-29 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.36,-89.18,30.3381,-89.1762,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","Social media reports from a local television station reported significant street flooding and partially submerged vehicles on Hawthorne Drive in Long Beach." +117558,706983,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-29 23:01:00,CST-6,2017-06-29 23:03:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.91,38.07,-97.91,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The gust was measured at the Hutchinson Airport." +113692,680499,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-01 22:05:00,CST-6,2017-04-01 22:05:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"Several embedded severe thunderstorms in a broken line of storms caused several strong winds over the near shore waters during the overnight of April 15-16, 2017.","Private weather station located on platform at Racine Reef measured wind gust of 43 knots as severe thunderstorm passed by." +114099,683258,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-04-20 00:58:00,CST-6,2017-04-20 01:10:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"A line of strong thunderstorms affected the shore areas and nearshore waters of Lake Michigan during the late night hours. Strong wind gusts were reported with this line of storms.","Milwaukee lakeshore weather observing station reported over 10 minutes of strong winds exceeding 33 knots. The peak wind was 42 knots at 0006 local time." +114099,683259,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-20 00:30:00,CST-6,2017-04-20 00:40:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"A line of strong thunderstorms affected the shore areas and nearshore waters of Lake Michigan during the late night hours. Strong wind gusts were reported with this line of storms.","Kenosha lakeshore weather station reported 10 minutes of strong winds exceeding 33 knots. The peak wind was 37 knots at 0030 local time." +114099,683260,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-04-20 01:26:00,CST-6,2017-04-20 01:26:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"A line of strong thunderstorms affected the shore areas and nearshore waters of Lake Michigan during the late night hours. Strong wind gusts were reported with this line of storms.","Mesonet weather observing equipment on Racine Reef measured a wind gust of 64 knots." +115492,693491,WISCONSIN,2017,April,Thunderstorm Wind,"RACINE",2017-04-20 00:52:00,CST-6,2017-04-20 00:52:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-88.28,42.68,-88.28,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","" +117558,706979,KANSAS,2017,June,Hail,"RENO",2017-06-29 22:40:00,CST-6,2017-06-29 22:43:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-98.43,37.81,-98.43,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The report was received via social media." +117558,706980,KANSAS,2017,June,Hail,"RENO",2017-06-29 22:45:00,CST-6,2017-06-29 22:48:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-98.43,37.81,-98.43,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The report was received via social media." +114321,685003,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-30 00:30:00,CST-6,2017-04-30 00:30:00,0,0,0,0,0.00K,0,0.00K,0,31.752,-93.0531,31.752,-93.0531,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Numerous trees were blown down throughout Natchitoches Parish. A tree and power lines were downed on Highway 494 past the First Church." +118252,710676,IOWA,2017,June,Tornado,"FREMONT",2017-06-28 14:46:00,CST-6,2017-06-28 14:59:00,0,0,0,0,,NaN,,NaN,40.7567,-95.5628,40.75,-95.4942,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","An EF2 tornado started 4 1/2 miles east-northeast of Sidney and moved east, paralleling Iowa Highway 2 for most of it's life cycle. The tornado flattened corn, uprooted and snapped trees, destroyed grain bins, flattened sheds and blew a roof off of a rural home." +114316,684947,ARKANSAS,2017,April,Thunderstorm Wind,"UNION",2017-04-29 17:05:00,CST-6,2017-04-29 17:05:00,0,0,0,0,0.00K,0,0.00K,0,33.2002,-92.4842,33.2002,-92.4842,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees and power lines were blown down in the Lawson community." +114321,684974,LOUISIANA,2017,April,Thunderstorm Wind,"SABINE",2017-04-29 12:40:00,CST-6,2017-04-29 12:40:00,0,0,0,0,0.00K,0,0.00K,0,31.5646,-93.4802,31.5646,-93.4802,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees and power lines were blown down." +118230,710535,NEBRASKA,2017,June,Hail,"DOUGLAS",2017-06-29 20:40:00,CST-6,2017-06-29 20:40:00,0,0,0,0,,NaN,,NaN,41.27,-96,41.27,-96,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","A storm spotter reported several hail stones about 2 inches in diameter and one stone 3.75 inches in diameter." +115492,693492,WISCONSIN,2017,April,Thunderstorm Wind,"WAUKESHA",2017-04-20 00:39:00,CST-6,2017-04-20 00:39:00,0,0,0,0,0.50K,500,0.00K,0,43.01,-88.24,43.01,-88.24,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","A large tree was downed by strong thunderstorm winds." +115492,693493,WISCONSIN,2017,April,Thunderstorm Wind,"MILWAUKEE",2017-04-20 00:59:00,CST-6,2017-04-20 00:59:00,0,0,0,0,1.00K,1000,0.00K,0,42.97,-87.87,42.97,-87.87,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Two trees were downed by strong thunderstorm winds." +115492,693494,WISCONSIN,2017,April,Thunderstorm Wind,"RACINE",2017-04-20 01:02:00,CST-6,2017-04-20 01:02:00,0,0,0,0,7.50K,7500,0.00K,0,42.8,-87.96,42.8,-87.96,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Approximately 15 trees were downed across 4 yards on West 5 Mile Road between 43rd street and Interstate 94 in the town of Raymond. Some trees were uprooted and some were snapped." +115492,693495,WISCONSIN,2017,April,Thunderstorm Wind,"MILWAUKEE",2017-04-20 01:46:00,CST-6,2017-04-20 01:46:00,0,0,0,0,5.00K,5000,0.00K,0,43.05,-88.06,43.05,-88.06,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Multiple large pine trees were snapped near base by strong thunderstorm winds. Power lines were also downed." +115492,693497,WISCONSIN,2017,April,Thunderstorm Wind,"RACINE",2017-04-20 00:59:00,CST-6,2017-04-20 00:59:00,0,0,0,0,50.00K,50000,0.00K,0,42.82,-88.01,42.82,-88.01,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Strong thunderstorm winds ripped portions of a roof off of a home. An old barn was also destroyed by the strong winds." +115492,693498,WISCONSIN,2017,April,Thunderstorm Wind,"RACINE",2017-04-20 01:11:00,CST-6,2017-04-20 01:11:00,0,0,0,0,5.00K,5000,0.00K,0,42.74,-87.88,42.74,-87.88,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Several 40 foot trees were uprooted by strong thunderstorm winds in Mount Pleasant." +115492,693499,WISCONSIN,2017,April,Hail,"SHEBOYGAN",2017-04-20 00:00:00,CST-6,2017-04-20 00:00:00,0,0,0,0,0.00K,0,0.00K,0,43.7399,-87.9222,43.7399,-87.9222,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","A strong thunderstorm produced 1 inch hail." +117559,706995,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-06-15 17:36:00,CST-6,2017-06-15 17:36:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-88.92,30.42,-88.92,"A sea breeze boundary collided with an outflow boundary from a thunderstorm, and produced a severe thunderstorm along the Mississippi coastline.","A 43 knot wind gust was reported at Keesler Air Force Base near the Back Bay of Biloxi." +117561,707000,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-06-16 22:30:00,CST-6,2017-06-16 22:30:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-88.98,30.23,-88.98,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","Weatherflow station XSHI at Ship Island reported a 55 mph wind gust in a thunderstorm." +117561,707002,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-06-16 22:42:00,CST-6,2017-06-16 22:42:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 42 knot wind gust was reported during a thunderstorm at Petit Bois Island." +117561,707010,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-06-16 23:55:00,CST-6,2017-06-16 23:55:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-88.84,29.3,-88.84,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","Apache Rig AWOS KMIS in Mississippi Pass Block 140B reported a 55 knot wind gust in a thunderstorm." +113687,680845,LOUISIANA,2017,April,Tornado,"RICHLAND",2017-04-02 15:49:00,CST-6,2017-04-02 15:57:00,0,0,0,0,220.00K,220000,0.00K,0,32.2603,-91.784,32.311,-91.7595,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado started off of Newlight Road in Richland Parish where it snapped a few large branches. The tornado continued north along Newlight Road where it continued to snap trees along the way. The tornado turned northeast towards Highway 425 where it snapped a power pole along with a few more trees. The tornado continued northeast across Sayre Lake Road snapping trees. This tornado continued northeast into Franklin Parish where it crossed Punchard Road and destroyed a mobile home and also snapped more trees. The tornado continued across the intersection of Punchard Road and LA Highway 132 where it took the shingles off of a mobile home. The tornado ended just north of LA Highway 132, snapping a couple of more trees. Max winds were 105 mph and the total path length was 4.77 miles." +113687,699679,LOUISIANA,2017,April,Tornado,"FRANKLIN",2017-04-02 15:57:00,CST-6,2017-04-02 15:59:00,0,0,0,0,150.00K,150000,0.00K,0,32.311,-91.7595,32.3243,-91.7532,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado started off of Newlight Road in Richland Parish where it snapped a few large branches. The tornado continued north along Newlight Road where it continued to snap trees along the way. The tornado turned northeast towards Highway 425 where it snapped a power pole along with a few more trees. The tornado continued northeast across Sayre Lake Road snapping trees. This tornado continued northeast into Franklin Parish, where it crossed Punchard Road and destroyed a mobile home and also snapped more trees. The tornado continued across the intersection of Punchard Road and LA Highway 132 where it took the shingles off of a mobile home. The tornado ended just north of LA Highway 132, snapping a couple of more trees. Max winds were 105 mph and the total path length was 4.77 miles." +117932,708727,KANSAS,2017,June,Hail,"LINCOLN",2017-06-15 14:59:00,CST-6,2017-06-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-98.39,39.01,-98.39,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Heavy rain was also reported." +117932,708728,KANSAS,2017,June,Hail,"LINCOLN",2017-06-15 15:16:00,CST-6,2017-06-15 15:17:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-98.28,39.04,-98.28,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708729,KANSAS,2017,June,Hail,"LINCOLN",2017-06-15 15:24:00,CST-6,2017-06-15 15:25:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-97.98,38.98,-97.98,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +114317,684949,TEXAS,2017,April,Tornado,"SMITH",2017-04-29 19:45:00,CST-6,2017-04-29 19:48:00,0,0,0,0,25.00K,25000,0.00K,0,32.5656,-95.4619,32.5928,-95.4219,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","An EF-1 tornado with maximum estimated winds between 100-110 MPH touched down about one-quarter mile west of County Road 4119 north of Lindale, and moved northeast across Highway 69. Several trees were snapped and uprooted along its path, where it crossed Farm to Market Road 4118. Here, the roof of a barn was lifted and then dropped back onto the structure, sustaining extensive damage. The tornado crossed Farm to Market Road 4118 once again before lifting about one-quarter of a mile to the northeast shortly before reaching the Sabine River." +114317,684955,TEXAS,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-29 19:10:00,CST-6,2017-04-29 19:10:00,0,0,0,0,0.00K,0,0.00K,0,33.1889,-95.2199,33.1889,-95.2199,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees were blown down blocking Highway 67 in Mount Vernon and also County Road 3070 south of Mount Vernon." +114321,684987,LOUISIANA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-29 14:15:00,CST-6,2017-04-29 14:15:00,0,0,0,0,0.00K,0,0.00K,0,32.228,-92.6926,32.228,-92.6926,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Numerous trees were blown down on Fire Tower Road." +117571,707044,MISSISSIPPI,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-28 10:24:00,CST-6,2017-06-28 10:24:00,0,0,0,0,0.00K,0,0.00K,0,30.3225,-89.4326,30.3225,-89.4326,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","A small tree was reported blown down along Harbor Drive. Report relayed by social media." +117571,707045,MISSISSIPPI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-28 11:13:00,CST-6,2017-06-28 11:13:00,0,0,0,0,0.00K,0,0.00K,0,30.404,-88.9472,30.404,-88.9472,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","A traffic signal was knocked down along Veterans Avenue. Report was relayed via social media." +116638,701369,KANSAS,2017,June,Thunderstorm Wind,"KINGMAN",2017-06-06 17:30:00,CST-6,2017-06-06 17:30:00,0,0,0,0,,NaN,,NaN,37.48,-98.42,37.48,-98.42,"An isolated pulse severe storm developed during the evening of June 6th, 2017. The storm produced damaging winds as it collapsed.","A trained spotter reported the gust." +117508,706734,KANSAS,2017,June,Hail,"BARTON",2017-06-22 20:41:00,CST-6,2017-06-22 20:42:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-99.01,38.65,-99.01,"An isolated severe thunderstorm produced a single 1-inch hail event in Barton County that evening.","" +117558,706978,KANSAS,2017,June,Hail,"WOODSON",2017-06-29 18:39:00,CST-6,2017-06-29 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38,-95.75,38,-95.75,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","" +115032,692096,MISSISSIPPI,2017,April,Tornado,"HOLMES",2017-04-30 08:23:00,CST-6,2017-04-30 08:41:00,0,0,1,0,3.50M,3500000,700.00K,700000,32.9005,-90.0257,33.105,-89.8245,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This strong tornado started several miles west of Pickens off Highway 432 and tracked Northeast for roughly 23 miles. The tornado impacted areas west of Goodman, Holmes County State Park and a direct hit on the town of Durant. The tornado was very wide and was roughly 1.2 miles wide at its widest point. Across the entire path, thousands of trees were damaged/uprooted/snapped. Hundreds of power poles and power lines were down as well. The large majority of structures that were damaged were indicated by minor to moderate roof damage with singles/siding torn off to partial loss of decking. Multiple structures were more heavily damaged by trees falling on them. Some of the more significant tree and structural damage occurred along Courts Road, Salem Road, Ebenezer Pickens Road and Jordan Road. Four mobile homes were destroyed along Jordan Road, including a new, well secured, mobile home. Significant tree damage also occurred along Highway 51 and along State Park Road just west of Highway 51. The town of Durant took a direct hit. Many buildings and homes sustained minor to moderate roof damage. A few less sound structures were destroyed. Numerous power lines were also down. The tornado continued a bit further to the northeast before dissipating. The total path length was 23.4 miles." +116398,699985,VERMONT,2017,May,Thunderstorm Wind,"WINDHAM",2017-05-18 20:05:00,EST-5,2017-05-18 20:05:00,0,0,0,0,,NaN,,NaN,43.07,-72.46,43.07,-72.46,"May 18 was the second straight day of temperatures approaching or exceeding 90 degrees in Southern Vermont. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into southern Vermont by the evening, resulting in reports of wind damage. Over 4,000 customers lost power in Windham County.","Trees and wires were reported down along Route 5 and Interstate 91." +116395,699978,NEW YORK,2017,May,Thunderstorm Wind,"WARREN",2017-05-18 18:30:00,EST-5,2017-05-18 18:35:00,0,0,0,0,,NaN,,NaN,43.3483,-73.6557,43.3526,-73.6039,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","The National Weather Service confirmed a macroburst (straight line wind damage) from Queensbury in Warren County to Kingsbury in Washington County. Confirmation was based on maps and pictures provided by Washington County Emergency Management, newspaper photos, storm damage reports from Warren County Emergency Management and trained spotter reports.||Winds from the macroburst brought down hundreds of trees, flattened a barn and threw its roof a quarter mile, and tore part of a roof off a building. Power outages, damage to homes from falling trees, and road closures were widespread in this area. The worst part of the damage swath passed just north of the Glens Falls New York State Mesonet observation site, which recorded a gust of 68 mph." +117932,708751,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-15 16:25:00,CST-6,2017-06-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,38.64,-97.61,38.64,-97.61,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Several semi tractor trailers were blown over on Interstate 135." +117932,708752,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-15 16:27:00,CST-6,2017-06-15 16:28:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-97.6,38.68,-97.6,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Quite a bit of damage to an outbuilding. Also, several large trees were blown down." +117932,708753,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-15 16:30:00,CST-6,2017-06-15 16:31:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-97.43,38.71,-97.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This was a measured wind speed." +114316,684944,ARKANSAS,2017,April,Hail,"COLUMBIA",2017-04-29 16:33:00,CST-6,2017-04-29 16:33:00,0,0,0,0,0.00K,0,0.00K,0,33.2749,-93.3868,33.2749,-93.3868,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Quarter size hail fell southeast of Buckner." +114317,684957,TEXAS,2017,April,Thunderstorm Wind,"RED RIVER",2017-04-29 19:45:00,CST-6,2017-04-29 19:45:00,0,0,0,0,0.00K,0,0.00K,0,33.5958,-95.0922,33.5958,-95.0922,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees were blown down along Highway 37 North." +114317,684971,TEXAS,2017,April,Thunderstorm Wind,"WOOD",2017-04-29 20:15:00,CST-6,2017-04-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,32.6171,-95.3132,32.6171,-95.3132,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees were blown down near the intersection of Highway 80 and Highway 778." +118380,711374,NEBRASKA,2017,June,Hail,"SEWARD",2017-06-12 04:40:00,CST-6,2017-06-12 04:40:00,0,0,0,0,,NaN,,NaN,40.78,-96.92,40.78,-96.92,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","Ping-pong ball hail last about 10 minutes." +118380,711375,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:05:00,CST-6,2017-06-12 05:05:00,0,0,0,0,,NaN,,NaN,40.85,-96.79,40.85,-96.79,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711376,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:07:00,CST-6,2017-06-12 05:07:00,0,0,0,0,,NaN,,NaN,40.78,-96.82,40.78,-96.82,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","Two inch diameter hail was reported near SW 77th and Van Dorn Streets." +114321,684975,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 13:05:00,CST-6,2017-04-29 13:05:00,0,0,0,0,0.00K,0,0.00K,0,31.6913,-93.306,31.6913,-93.306,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees and power lines were blown down in Robeline. A tree was downed onto a mobile home." +117932,708776,KANSAS,2017,June,Thunderstorm Wind,"HARVEY",2017-06-15 18:05:00,CST-6,2017-06-15 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.25,38,-97.25,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This report came in via social media." +117932,708777,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:07:00,CST-6,2017-06-15 18:08:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-97.52,37.89,-97.52,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708778,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:11:00,CST-6,2017-06-15 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-97.52,37.89,-97.52,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Several tree limbs around 5 inches in diameter are blown out of trees. A power line was also pulled away from a residence." +117932,708779,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:11:00,CST-6,2017-06-15 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-97.54,37.78,-97.54,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708781,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:19:00,CST-6,2017-06-15 18:20:00,0,0,0,0,0.00K,0,0.00K,0,37.91,-96.86,37.91,-96.86,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708782,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:20:00,CST-6,2017-06-15 18:21:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-97.54,37.78,-97.54,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +115032,690493,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:22:00,CST-6,2017-04-30 07:41:00,0,0,0,0,200.00K,200000,0.00K,0,32.3026,-90.4686,32.4878,-90.3446,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down south of Bolton along Houston Road. The tornado quickly intensified as it crossed Raymond-Bolton Road where numerous trees were damaged. Heavy tree damage again was noted as the tornado crossed Airplane and St. Thomas Roads. The roads were blocked by numerous trees and two power poles were snapped along Airplane Road. The tornado then moved to just east of Bolton where it crossed the Bolton Cemetery, where numerous trees were damaged. A home sustained minor roof damage here and a metal tractor shed was destroyed. More trees were downed on the Frontage Roads along I-20 and a large billboard was damaged. The tornado then moved across fields west of West Northside Drive. One mobile home had part of the tin roof torn off. More heavy tree damage was observed on Edwards Road and then again as it crossed Jimmy Williams Road. Here the tornado intensified and reached its widest point. Additional tree damage occurred across Lorance Road and then again across Clinton-Tinnin Road. The tornado downed about 30 large trees across Kennebrew Road as it crossed into southern Madison County. Damage was noted on Shady Grove Road and near the petrified forest area before it moved into Flora. The tornado caused minor structural damage in downtown Flora. It also caused damage to the old water tower in Flora. Tree damage was noted on the north side of Flora as well. The tornado dissipated as it exited the Flora city limits to the north. The total path length was 20.79 miles. The maximum estimated winds were 110 mph, which occurred in Hinds County." +114909,692053,MISSISSIPPI,2017,April,Tornado,"NESHOBA",2017-04-26 21:40:00,CST-6,2017-04-26 21:42:00,0,0,0,0,20.00K,20000,0.00K,0,32.663,-89.318,32.6732,-89.298,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","The tornado began on the north end of Walnut Grove, just east of MS Highway 35, along Starling Center Rd. It produced sporadic tree damage as it moved east northeastward across School St, True Light Rd, Old Walnut Grove Rd, and along Gunter Rd. The tornado became wider as it moved across McLemore Rd and Rosebud School Rd, where additional trees were snapped or uprooted and some outbuildings were damaged. The tornado reached peak intensity as it moved through the Rosebud community, crossing MS Highway 487 and tracking through Allen Ln and Tatum Rd. In this vicinity, more notable tree damage occurred. A utility pole was snapped, additional outbuildings were damaged or destroyed, and some homes sustained roof and siding damage. The tornado weakened and produced more sporadic tree damage, passing across Mowdy Rd and Union Rd before crossing into southwest Neshoba County. A few additional trees and large limbs were downed across CR 133 and CR 402, where the tornado lifted. Maximum winds were 105 mph and the total path length was 10.7 miles." +116310,699311,NEW YORK,2017,May,Thunderstorm Wind,"SCHOHARIE",2017-05-01 20:16:00,EST-5,2017-05-01 20:16:00,0,0,0,0,,NaN,,NaN,42.6,-74.33,42.6,-74.33,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires were downed due to thunderstorm winds." +116310,699325,NEW YORK,2017,May,Thunderstorm Wind,"SCHOHARIE",2017-05-01 20:16:00,EST-5,2017-05-01 20:16:00,0,0,0,0,,NaN,,NaN,42.6,-74.33,42.6,-74.33,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A ham radio observer reported an 80 mph wind gust." +116310,699312,NEW YORK,2017,May,Thunderstorm Wind,"FULTON",2017-05-01 20:20:00,EST-5,2017-05-01 20:20:00,0,0,0,0,,NaN,,NaN,43.04,-74.14,43.04,-74.14,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was down on wires on Ridge Road." +115032,697790,MISSISSIPPI,2017,April,Thunderstorm Wind,"NEWTON",2017-04-30 08:55:00,CST-6,2017-04-30 08:55:00,0,0,0,0,5.00K,5000,0.00K,0,32.49,-89.29,32.49,-89.29,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A tree was blown down across Conehatta Prospect Road." +115032,692099,MISSISSIPPI,2017,April,Tornado,"MONTGOMERY",2017-04-30 09:06:00,CST-6,2017-04-30 09:13:00,0,0,0,0,1.50M,1500000,600.00K,600000,33.3875,-89.6463,33.4831,-89.6058,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started on the south side of Vaiden and tracked northeast, dissipating just to the northwest of Kilmichael. Initially, trees were snapped and uprooted along county road 28 and county road 27. The tornado then crossed Highway 51 where numerous trees were snapped or uprooted and power lines were downed. A few homes sustained minor roof damage and one had a large tree down on it. The railroad was blocked by several trees as well. The tornado then crossed Highway 35 where more trees were damaged. It then moved into a wooded area and mostly tracked south of Highway 430. A few damage locations were accessible along CR 9 where more trees were downed, but the road was blocked and the core of the tornado path was inaccessible. The Northwest edge of the tornado began to impact portions of Highway 430 a few miles before the junction with Highway 407. Here numerous trees were damaged. The tornado appeared to peak in intensity and reach its widest point near the Carroll and Montgomery County line and along Highway 407. Here, significant tree damage was noted as the tornado moved across an open field and slammed into a wooded area. Significant tree damage was noted across the field south of the highway and where it crossed Highway 407. Widespread tree damage continued across Herring Loop, Lower Bethlehem Road, and Herring School Road. Some homes were damaged by trees. Along Herring School Road, a couple sheds were destroyed along with several homes sustaining minor roof damage. A large metal I-beam shed was destroyed and thrown nearly 100 yards. As the tornado neared Kindred Road, a turn to the left was noted and it began to track more northerly. Damage to trees continued as it crossed Lewis CreekRoad along with a few sheds damaged and shingles off roofs. As it crossed Highway 82 west of Kilmichael, more trees were downed along with a dozen or so power poles. Three homes had roof damage and several sheds had tin off the roof. The tornado continued just a bit farther north and dissipated just past the intersection of Mayfield and Robinson-Thompson Road. The total path length of the tornado was 15.75miles. The maximum width of the tornado was 1.1 miles, which occurred in Montgomery County, as well as the highest wind speed of the tornado at 115 mph." +116310,699313,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-01 20:30:00,EST-5,2017-05-01 20:30:00,0,0,0,0,,NaN,,NaN,42.63,-74.12,42.63,-74.12,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Power lines were downed due to thunderstorm winds." +113684,680657,MISSISSIPPI,2017,April,Thunderstorm Wind,"HINDS",2017-04-02 18:49:00,CST-6,2017-04-02 18:49:00,0,0,0,0,15.00K,15000,0.00K,0,32.3649,-90.2963,32.3649,-90.2963,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A utility pole was broken off of Justins Way." +113684,680658,MISSISSIPPI,2017,April,Thunderstorm Wind,"MADISON",2017-04-02 19:09:00,CST-6,2017-04-02 19:09:00,0,0,0,0,12.00K,12000,0.00K,0,32.51,-90.12,32.51,-90.12,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple trees were blown down, including a large oak tree." +113684,680660,MISSISSIPPI,2017,April,Flash Flood,"YAZOO",2017-04-02 19:26:00,CST-6,2017-04-02 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.66,-90.55,32.6501,-90.5373,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Portions of Highway 3 were under water south of Sataria." +113684,680662,MISSISSIPPI,2017,April,Thunderstorm Wind,"LEAKE",2017-04-02 19:50:00,CST-6,2017-04-02 19:50:00,0,0,0,0,3.00K,3000,0.00K,0,32.8888,-89.6337,32.8888,-89.6337,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down on the Natchez Trace Parkway." +113684,680663,MISSISSIPPI,2017,April,Flash Flood,"HINDS",2017-04-02 20:09:00,CST-6,2017-04-03 03:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.2625,-90.4181,32.2732,-90.3893,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Hinds Boulevard at Bill Oaks drive was impassable due to flooding." +114321,684995,LOUISIANA,2017,April,Tornado,"WINN",2017-04-30 02:07:00,CST-6,2017-04-30 02:21:00,0,0,0,0,50.00K,50000,0.00K,0,31.9873,-92.5856,32.0785,-92.5387,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","An EF-1 tornado touched down along Highway 34 several miles northeast of Winnfield, and initially moved north along the highway before turning to the northeast, crossing Brewer Road, James Ketchum Road, Friendship Church Road and Highway 126. Numerous trees were snapped and uprooted along its path, especially along James Ketchum, Friendship Church Road, and Highway 126. Some outbuildings were damaged, and one home had a tree fall on the patio roof. The tornado lifted just north of Highway 126 just west of Sikes." +114321,684972,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 11:35:00,CST-6,2017-04-29 11:35:00,0,0,0,0,0.00K,0,0.00K,0,31.6169,-93.0974,31.6169,-93.0974,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees were blown down." +114317,684958,TEXAS,2017,April,Thunderstorm Wind,"WOOD",2017-04-29 19:47:00,CST-6,2017-04-29 19:47:00,0,0,0,0,0.00K,0,0.00K,0,32.6672,-95.4874,32.6672,-95.4874,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees and power lines were blown down in Mineola." +114321,684982,LOUISIANA,2017,April,Tornado,"NATCHITOCHES",2017-04-29 13:24:00,CST-6,2017-04-29 13:28:00,0,0,0,0,200.00K,200000,0.00K,0,31.7571,-93.1455,31.7701,-93.1159,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","An EF-1 tornado with maximum estimated winds between 100-110 mph touched down along the northern fringes of Sibley Lake along Wilkerson Road, downing large tree branches. The tornado crossed the northern fingers of the lake along Shoreline Road, Lakeside Drive, and Peninsula Drive, where numerous trees were snapped and uprooted. One home on Lakeside Drive suffered roof damage, while another home had several windows blown out and siding lost. One snapped tree crushed a tree house, while another landed on a workshop. The tornado also destroyed one dock along the lake. The tornado crossed another finger of Sibley Lake from Peninsula Drive to Monroe Street and Johnson Lane, where additional trees were snapped and uprooted, and power poles snapped. The tornado lifted along Johnson Lane before lifting as it approached the eastern most finger of the lake along Highway 1 and North Natchitoches." +117932,708809,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 18:56:00,CST-6,2017-06-15 18:57:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-97.12,37.39,-97.12,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708810,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:02:00,CST-6,2017-06-15 19:03:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-96.97,37.41,-96.97,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported at the intersection of K15 and highway 77." +117932,708811,KANSAS,2017,June,Thunderstorm Wind,"KINGMAN",2017-06-15 19:08:00,CST-6,2017-06-15 19:09:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-98.11,37.65,-98.11,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A large tree limb was blown down on at house." +117932,708812,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:11:00,CST-6,2017-06-15 19:12:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-96.77,37.44,-96.77,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708813,KANSAS,2017,June,Thunderstorm Wind,"SUMNER",2017-06-15 19:17:00,CST-6,2017-06-15 19:18:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-97.49,37.27,-97.49,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the media." +117932,708814,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:30:00,CST-6,2017-06-15 19:31:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-97.03,37.16,-97.03,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +117932,708815,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 19:40:00,CST-6,2017-06-15 19:41:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-97.26,37.68,-97.26,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This was reported at the KWCH studios." +115032,690589,MISSISSIPPI,2017,April,Tornado,"MONTGOMERY",2017-04-30 09:14:00,CST-6,2017-04-30 09:18:00,0,0,0,0,60.00K,60000,200.00K,200000,33.529,-89.5278,33.5526,-89.5064,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began along Salem Road and tracked to the northeast. As it did, it snapped or uprooted numerous trees along its path. It crossed into Webster County along Lodi Road and continued to cause mostly tree damage. It dissipated near the intersection of Alva Road and Dan Moore Road. The total path length of the tornado was 6.75 miles. The maximum path width was 650 yards, which occurred in Webster County. The maximum estimated wind speed was 95 mph." +113684,680643,MISSISSIPPI,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-02 16:15:00,CST-6,2017-04-02 16:15:00,0,0,0,0,9.00K,9000,0.00K,0,31.37,-91.12,31.37,-91.12,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Two large trees were blown down in Garden City." +113684,680644,MISSISSIPPI,2017,April,Thunderstorm Wind,"BOLIVAR",2017-04-02 16:27:00,CST-6,2017-04-02 16:33:00,0,0,0,0,75.00K,75000,0.00K,0,33.7455,-90.7385,33.7518,-90.6956,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A swath of wind crossed the county and caused damage in Cleveland. One tree was blown down onto a fence in Cleveland. Trees and power poles were also blown down in Cleveland on Laughlin Road, Yale Street, Memorial Drive, and Moore Avenue. There was roof damage to Country Village Apartments on Yale Street." +113684,680645,MISSISSIPPI,2017,April,Thunderstorm Wind,"SUNFLOWER",2017-04-02 16:24:00,CST-6,2017-04-02 16:43:00,0,0,0,0,15.00K,15000,0.00K,0,33.4442,-90.7196,33.7964,-90.4985,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Scattered trees were blown down throughout the county." +115032,690419,MISSISSIPPI,2017,April,Tornado,"ADAMS",2017-04-30 05:14:00,CST-6,2017-04-30 05:24:00,0,0,0,0,400.00K,400000,0.00K,0,31.4795,-91.4255,31.5279,-91.412,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began along Bourke Road and uprooted numerous trees along its path. The worst damage occurred in the Cloverdale area. Here a large tree destroyed a home along Cloverdale Dr. The strongest point of the tornado occurred along Cloverdale Road, here a large portion of the roof was removed from a home as well as numerous trees snapped and uprooted. As the tornado crossed Carthage Point Road, many trees were uprooted and one fell on a church. The tornado continued north and crossed River Terminal Road, where a roof was blown off of a stable and one home suffered damage from an uprooted tree. The tornado finally dissipated along Providence Road. A tornado debris signature was also noted on radar during this event. The maximum wind speed of this tornado was 115 mph." +116310,699309,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-01 20:27:00,EST-5,2017-05-01 20:27:00,0,0,0,0,,NaN,,NaN,42.93,-73.97,42.93,-73.97,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Multiple trees were reported down in the area." +116310,699314,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-01 20:30:00,EST-5,2017-05-01 20:30:00,0,0,0,0,,NaN,,NaN,42.62,-74.12,42.62,-74.12,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Large tree branches were reported downed across a road." +115032,690579,MISSISSIPPI,2017,April,Tornado,"MONTGOMERY",2017-04-30 09:11:00,CST-6,2017-04-30 09:15:00,0,0,0,0,4.00M,4000000,500.00K,500000,33.4156,-89.5944,33.5039,-89.5493,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started southwest of Kilmichael just south of Vaiden-Kilmichael Road and tracked north-northeast. As it crossed Vaiden-Kilmichael Road, many trees were damaged and two sheds were destroyed, minor damage was noted to roofs on a couple homes. The tornado then entered and tracked through the town of Kilmichael uprooting/snapping thousands of trees. The tree damage was extensive through town. Dozens of homes sustained minor roof damage with a dozen or so more heavily damaged by fallen trees. A tall communications tower was broken in half and dozens of power poles and power lines were downed. The tornado continued north-northeast across Highway 82 and then along Minerva Road where many more trees were damaged. The tornado then crossed Mayfield Road where more heavy tree damage occurred and several power poles and powerlines were downed. The last accessible area was at the end of Mayfield Road on some private land, here more heavy tree damage was noted. The maximum estimated wind speed for this tornado was 110 mph." +115032,690593,MISSISSIPPI,2017,April,Tornado,"WEBSTER",2017-04-30 09:18:00,CST-6,2017-04-30 09:23:00,0,0,0,0,30.00K,30000,150.00K,150000,33.5792,-89.5032,33.6773,-89.4499,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado began south of King Road near the Montgomery and Webster county line. Here, it was its most intense and caused significant tree damage by uprooting many hardwood trees along both King and Dubard roads. It then tracked northeast and turned slightly more north. It continued to cause mostly tree damage along its path. The tornado ended just as it crossed Highway 404. The maximum estimated wind speed for this tornado was 110 mph." +113684,680668,MISSISSIPPI,2017,April,Thunderstorm Wind,"NESHOBA",2017-04-02 20:43:00,CST-6,2017-04-02 20:43:00,0,0,0,0,2.00K,2000,0.00K,0,32.605,-89.0637,32.605,-89.0637,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down across County Road 505." +114321,684989,LOUISIANA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-29 14:10:00,CST-6,2017-04-29 14:10:00,0,0,0,0,0.00K,0,0.00K,0,32.2322,-92.7184,32.2322,-92.7184,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Numerous trees were blown down on Hill Street in Jonesboro." +118252,710683,IOWA,2017,June,Thunderstorm Wind,"PAGE",2017-06-28 15:30:00,CST-6,2017-06-28 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-95.23,40.76,-95.23,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","Large branches were blown down and metal panels were blown off of a shed at 202nd and Hickory." +118252,710687,IOWA,2017,June,Thunderstorm Wind,"PAGE",2017-06-28 15:35:00,CST-6,2017-06-28 15:35:00,0,0,0,0,,NaN,,NaN,40.7644,-95.1759,40.7644,-95.1759,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","Several sheds had lost metal roof panels from damaging thunderstorm winds." +118370,711354,IOWA,2017,June,Hail,"MILLS",2017-06-22 21:52:00,CST-6,2017-06-22 21:52:00,0,0,0,0,,NaN,,NaN,41.03,-95.74,41.03,-95.74,"A series of thunderstorms developed on a frontal boundary during the evening of June 22nd across southwest Iowa and southeast Nebraska. One storm produced hail as large as golf balls south of Glenwood.","A Mills County Sheriff Deputy reported golf ball size hail." +118380,711371,NEBRASKA,2017,June,Hail,"SEWARD",2017-06-12 04:30:00,CST-6,2017-06-12 04:30:00,0,0,0,0,,NaN,,NaN,40.78,-96.92,40.78,-96.92,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711372,NEBRASKA,2017,June,Hail,"SEWARD",2017-06-12 04:30:00,CST-6,2017-06-12 04:30:00,0,0,0,0,,NaN,,NaN,40.79,-96.93,40.79,-96.93,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711373,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 04:40:00,CST-6,2017-06-12 04:40:00,0,0,0,0,,NaN,,NaN,40.91,-96.87,40.91,-96.87,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +116029,697346,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate snowfall over the Snowy and Sierra Madre mountains and Laramie Valley. Snow amounts ranged from five to ten inches.","The North French Creek SNOTEL site (elevation 10130 ft) estimated ten inches of snow." +116029,697347,WYOMING,2017,April,Winter Weather,"SIERRA MADRE RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate snowfall over the Snowy and Sierra Madre mountains and Laramie Valley. Snow amounts ranged from five to ten inches.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated six inches of snow." +116029,697348,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate snowfall over the Snowy and Sierra Madre mountains and Laramie Valley. Snow amounts ranged from five to ten inches.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated seven inches of snow." +116029,697349,WYOMING,2017,April,Winter Weather,"LARAMIE VALLEY",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate snowfall over the Snowy and Sierra Madre mountains and Laramie Valley. Snow amounts ranged from five to ten inches.","Five inches of snow was measured four miles southeast of Laramie." +117804,708193,OHIO,2017,June,Thunderstorm Wind,"ASHLAND",2017-06-19 16:27:00,EST-5,2017-06-19 16:27:00,0,0,0,0,2.00K,2000,0.00K,0,40.97,-82.17,40.97,-82.17,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds knocked down at least six large tree limbs in the Albion area." +117808,708197,PENNSYLVANIA,2017,June,Hail,"CRAWFORD",2017-06-19 18:20:00,EST-5,2017-06-19 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-80.38,41.55,-80.38,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of quarters was observed." +117808,708198,PENNSYLVANIA,2017,June,Hail,"CRAWFORD",2017-06-19 18:25:00,EST-5,2017-06-19 18:25:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-80.3,41.6,-80.3,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of nickels was observed." +117809,708199,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"THE ISLANDS TO VERMILION OH",2017-06-19 16:00:00,EST-5,2017-06-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3923,-82.5499,41.3923,-82.5499,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","A 43 mph thunderstorm wind gust was measured at the Huron Lighthouse." +117809,708200,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"THE ISLANDS TO VERMILION OH",2017-06-19 16:00:00,EST-5,2017-06-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6607,-82.4832,41.6607,-82.4832,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","A 43 mph thunderstorm wind gust was measured on Lake Erie by Buoy 45005." +117809,708201,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-06-19 15:30:00,EST-5,2017-06-19 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.5272,-82.7188,41.5272,-82.7188,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","A 48 mph thunderstorm wind gust was measured at the Marblehead Lighthouse." +117809,708202,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-06-19 16:42:00,EST-5,2017-06-19 16:42:00,0,0,0,0,0.00K,0,0.00K,0,41.5395,-81.6298,41.5395,-81.6298,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","An automated sensor at Dike 14 measured a 45 mph thunderstorm wind gust." +117809,708203,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-06-19 17:06:00,EST-5,2017-06-19 17:06:00,0,0,0,0,0.00K,0,0.00K,0,41.7584,-81.2769,41.7584,-81.2769,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","A 52 mph thunderstorm wind gust was measured at the Fairport Harbor Lighthouse." +116310,699324,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-01 20:40:00,EST-5,2017-05-01 20:40:00,0,0,0,0,,NaN,,NaN,42.68,-73.86,42.68,-73.86,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A 12 inch diameter tree was snapped on Church Road." +115032,692100,MISSISSIPPI,2017,April,Tornado,"WEBSTER",2017-04-30 09:18:00,CST-6,2017-04-30 09:20:00,0,0,0,0,15.00K,15000,100.00K,100000,33.5526,-89.5064,33.6043,-89.4529,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began along Salem Road and tracked to the northeast. As it did, it snapped or uprooted numerous trees along its path. It crossed into Webster County along Lodi road and continued to cause mostly tree damage. It dissipated near the intersection of Alva Road and Dan Moore Road. The total path length of the tornado was 6.75 miles. The maximum path width was 650 yards, which occurred in Webster County. The maximum estimated wind speed was 95 mph." +113684,680850,MISSISSIPPI,2017,April,Tornado,"FRANKLIN",2017-04-02 23:57:00,CST-6,2017-04-03 00:01:00,0,0,0,0,100.00K,100000,0.00K,0,31.5727,-90.6494,31.577,-90.6331,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","As the squall line moved east, a tornado touched down near Lela Smith Road and Calcote Road in eastern Franklin County. The tornado continued east-northeast and was uprooting trees along the path. It then crossed into Lincoln County, where it crossed Zetus Road and Toy Drive. Some minor roof damage occurred to a mobile home in this area where a metal roof covering was blown off. The tornado then crossed Arthur Drive, Jackson Liberty Drive, California Road and Oakwood Lane. Numerous trees were uprooted along the path, with minor roof damage occurring to a barn and multiple homes with roof and siding damage. The tornado was at its strongest with 110 mph winds as it crossed Oakwood Lane, where multiple trees were snapped and uprooted, a tree fell on a home and at least 6 utility poles were snapped. It continued northeast, crossing Oil Field Lane, Sams Road, Lyndie Road and MS Highway 550. Numerous large trees were snapped and uprooted and minor damage to skirting and roofs occurred to buildings and homes along the path. It then crossed near Weeks Lane, Dunn-Ratcliff Lane, Old Red Star Drive and Cade Lane where the tornado widened. More trees were snapped and uprooted and minor shingle and roof damage occurred all in this area before crossing Interstate 55. The tornado then crossed New Sight Drive, US Highway 51, Old US Highway 51 and Tarver Trail. The tornado was near its widest at this or just before this point as many numerous trees were snapped and uprooted, a mobile home had skirting damage and numerous homes sustained minor-moderate roof damage due to loss of roofing material. The tornado turned slightly east near this point and continued east-northeast before crossing Lake Lincoln Drive and Furrs Mill Drive, snapping and uprooting trees along the path before lifting shortly after crossing Furrs Mill Drive. Maximum winds were 110 mph, and the total path length was 17.48 miles." +113684,681756,MISSISSIPPI,2017,April,Flash Flood,"NESHOBA",2017-04-02 23:04:00,CST-6,2017-04-03 02:30:00,0,0,0,0,2.00K,2000,0.00K,0,32.64,-89.26,32.6602,-89.2516,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Water was across County Road 125." +115032,690607,MISSISSIPPI,2017,April,Tornado,"LOWNDES",2017-04-30 10:37:00,CST-6,2017-04-30 10:43:00,0,0,0,0,375.00K,375000,0.00K,0,33.4933,-88.3428,33.5394,-88.3062,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado began along Highway 182 and snapped softwood and hardwood trees as it tracked to the north-northeast along Phillips Hill Road. One large tree fell onto a house and destroyed the house. The tornado then track across Mill Road and caused roof damage to a home. The tornado reached its strongest intensity of EF1 rating near the intersection of Mill Road and West Mill Road. Here there was roof damage to another home, broken power poles and several trees snapped. As the tornado near Highway 82, it caused damage to a scoreboard at a local park. It crossed Highway 82, snapping a few trees. The tornado continued over Elise Lane and Jamac Road. It then crossed Tabernacle Road, Bell Circle and Honeysuckle Drive before crossing Highway 50, Gunshoot Road and near Pleasant Hill Road, knocking down trees along the path. It lifted shortly after crossing Gunshoot Road. The maximum estimated wind speed for this tornado was 110 mph." +117932,708788,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:34:00,CST-6,2017-06-15 18:35:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-97.44,37.66,-97.44,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","At the NWS office. A light pole was blown over in the parking lot." +117932,708789,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:34:00,CST-6,2017-06-15 18:35:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.46,37.69,-97.46,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported via social media at 29th and Tyler rd." +117932,708790,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:39:00,CST-6,2017-06-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-96.77,37.89,-96.77,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A 5th wheel trailer was rolled over on the Kansas turnpike at mile marker 82." +117932,708759,KANSAS,2017,June,Thunderstorm Wind,"MARION",2017-06-15 17:25:00,CST-6,2017-06-15 17:26:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-97.02,38.35,-97.02,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Six to eight in tree limbs were reported down in town. Also some sporadic power outages were noted." +117932,708760,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:28:00,CST-6,2017-06-15 17:29:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-98.31,38.06,-98.31,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a storm chaser." +117932,708761,KANSAS,2017,June,Thunderstorm Wind,"HARVEY",2017-06-15 17:32:00,CST-6,2017-06-15 17:33:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.51,38,-97.51,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Fourteen to sixteen inch tree limbs were broken off." +117932,708762,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:33:00,CST-6,2017-06-15 17:34:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.91,38.07,-97.91,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A light pole was blown over at the intersection of K17 and K61." +117932,708763,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 17:34:00,CST-6,2017-06-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-97.64,38.33,-97.64,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by an Amateur radio operator." +117932,708764,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:39:00,CST-6,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.91,38.07,-97.91,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Fifty to sixty mph winds were reported at the intersection of 17th and Plum. The report came in via social media." +115032,690453,MISSISSIPPI,2017,April,Tornado,"COPIAH",2017-04-30 07:01:00,CST-6,2017-04-30 07:07:00,0,0,0,0,50.00K,50000,0.00K,0,31.8472,-90.4507,31.9071,-90.3979,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down along Highway 28, uprooting some trees and snapping large limbs. It continued northeast, crossing Dentville Road and Welch Lane before crossing I-55. Many trees were uprooted along the path. The tornado then crossed US-51, uprooting some trees and snapping some large limbs. It continued just northeast into a wooded area, where some trees were uprooted, before lifting. The maximum wind speed was 85 mph." +112946,674844,ALABAMA,2017,January,Drought,"TALLAPOOSA",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +112946,674845,ALABAMA,2017,January,Drought,"CHAMBERS",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall totals during the first three weeks of January greatly reduced the severe drought conditions that encompassed the south central portions of central Alabama.","Rainfall totals of 8-10 inches reduced the drought intensity to below D2 levels." +118380,711382,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 06:20:00,CST-6,2017-06-12 06:20:00,0,0,0,0,,NaN,,NaN,40.76,-96.7,40.76,-96.7,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +114321,684977,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 13:10:00,CST-6,2017-04-29 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.659,-93.2017,31.659,-93.2017,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Two trees were snapped on the north side of Provencal." +118380,711383,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 06:21:00,CST-6,2017-06-12 06:21:00,0,0,0,0,,NaN,,NaN,40.76,-96.7,40.76,-96.7,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711384,NEBRASKA,2017,June,Hail,"OTOE",2017-06-12 07:47:00,CST-6,2017-06-12 07:47:00,0,0,0,0,,NaN,,NaN,40.77,-96.17,40.77,-96.17,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +117932,708765,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:41:00,CST-6,2017-06-15 17:42:00,4,0,0,0,0.00K,0,0.00K,0,38.12,-97.85,38.12,-97.85,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A large tree fell on a car and injured the occupants." +117932,708766,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 17:44:00,CST-6,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-97.52,38.2,-97.52,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Several 4 to 6 inch tree limbs were blown down in town." +117932,708768,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:48:00,CST-6,2017-06-15 17:49:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-97.9,38.08,-97.9,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A tree fell onto power lines." +117932,708770,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:52:00,CST-6,2017-06-15 17:53:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.87,38.07,-97.87,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +117932,708771,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:52:00,CST-6,2017-06-15 17:53:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.91,38.07,-97.91,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Multiple reports of power lines being down along with several trees across town." +117932,708772,KANSAS,2017,June,Thunderstorm Wind,"HARVEY",2017-06-15 17:54:00,CST-6,2017-06-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-97.27,38.06,-97.27,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +116310,699315,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:55:00,EST-5,2017-05-01 20:55:00,0,0,0,0,,NaN,,NaN,43.03,-73.38,43.03,-73.38,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires were downed due to thunderstorm winds." +116310,699322,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:56:00,EST-5,2017-05-01 20:56:00,0,0,0,0,,NaN,,NaN,43,-73.44,43,-73.44,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was downed on County Route 59." +116310,699319,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:57:00,EST-5,2017-05-01 20:57:00,0,0,0,0,,NaN,,NaN,43.0121,-73.3821,43.0121,-73.3821,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was knocked onto a house and vehicle on Whitecreek Shunpike Road." +116395,699955,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:52:00,EST-5,2017-05-18 18:52:00,0,0,0,0,,NaN,,NaN,43.07,-73.78,43.07,-73.78,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Large tree limbs reported down." +116395,699956,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:52:00,EST-5,2017-05-18 18:52:00,0,0,0,0,,NaN,,NaN,42.86,-73.77,42.86,-73.77,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Tree limbs were downed on Route 9." +117932,708736,KANSAS,2017,June,Hail,"BARTON",2017-06-15 16:11:00,CST-6,2017-06-15 16:12:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-98.84,38.43,-98.84,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708737,KANSAS,2017,June,Thunderstorm Wind,"BARTON",2017-06-15 16:12:00,CST-6,2017-06-15 16:13:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-98.96,38.27,-98.96,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a trained spotter." +117932,708738,KANSAS,2017,June,Thunderstorm Wind,"BARTON",2017-06-15 16:12:00,CST-6,2017-06-15 16:13:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.85,38.35,-98.85,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reading taken at the airport." +117932,708741,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 16:12:00,CST-6,2017-06-15 16:13:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-97.67,38.57,-97.67,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","The wind measurement was recorded at Smoky Valley middle school." +117932,708742,KANSAS,2017,June,Hail,"BARTON",2017-06-15 16:19:00,CST-6,2017-06-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-98.96,38.27,-98.96,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Wind gusts to 60 mph were also reported." +117932,708745,KANSAS,2017,June,Hail,"BARTON",2017-06-15 16:21:00,CST-6,2017-06-15 16:22:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-98.96,38.27,-98.96,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708746,KANSAS,2017,June,Hail,"MCPHERSON",2017-06-15 16:21:00,CST-6,2017-06-15 16:22:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-97.67,38.6,-97.67,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Along the county line. Seventy mph winds were also reported." +114321,684984,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 13:36:00,CST-6,2017-04-29 13:36:00,0,0,0,0,0.00K,0,0.00K,0,31.8989,-93.0321,31.8989,-93.0321,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Large tree limbs were blown down between Hart Road and Sandy Point Road." +114321,684991,LOUISIANA,2017,April,Hail,"WEBSTER",2017-04-29 15:27:00,CST-6,2017-04-29 15:27:00,0,0,0,0,0.00K,0,0.00K,0,32.8931,-93.4492,32.8931,-93.4492,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Penny size hail fell in Sarepta. Report from Twitter forwarded by KSLA-TV." +117932,708791,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:39:00,CST-6,2017-06-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-97.49,37.79,-97.49,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Power poles were snapped by the wind at 151st street just north of K96." +117932,708792,KANSAS,2017,June,Hail,"RENO",2017-06-15 18:41:00,CST-6,2017-06-15 18:42:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-98.43,37.81,-98.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708793,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:42:00,CST-6,2017-06-15 18:43:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.98,37.69,-96.98,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A carport was blown over." +117932,708794,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:44:00,CST-6,2017-06-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.14,37.69,-97.14,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Nickel sized hail was also reported." +117932,708795,KANSAS,2017,June,Hail,"HARPER",2017-06-15 18:44:00,CST-6,2017-06-15 19:04:00,0,0,0,0,,NaN,,NaN,37.15,-98.17,37.15,-98.17,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Golf ball to baseball sized hail. The golf ball sized hail fell for about 20 minutes." +117932,708819,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:56:00,CST-6,2017-06-15 19:57:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-97.03,37.16,-97.03,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +117932,708820,KANSAS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-15 20:18:00,CST-6,2017-06-15 20:19:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-95.57,37.1,-95.57,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +117939,708847,KANSAS,2017,June,Thunderstorm Wind,"RUSSELL",2017-06-20 18:00:00,CST-6,2017-06-20 18:01:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-98.85,39.03,-98.85,"A couple of storms moved across central Kansas producing high winds a hail.","A large tree limb was also reported down." +117939,708848,KANSAS,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-20 18:41:00,CST-6,2017-06-20 18:42:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-98.46,39.06,-98.46,"A couple of storms moved across central Kansas producing high winds a hail.","Reported by a trained spotter." +117939,708849,KANSAS,2017,June,Hail,"LINCOLN",2017-06-20 19:01:00,CST-6,2017-06-20 19:02:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-98.39,39.06,-98.39,"A couple of storms moved across central Kansas producing high winds a hail.","In the area of K181 and Navajo Drive." +117939,708850,KANSAS,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-20 19:09:00,CST-6,2017-06-20 19:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-98.39,39.1,-98.39,"A couple of storms moved across central Kansas producing high winds a hail.","A large tree was blown down on highway 181 near Quail Drive." +116310,699330,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:58:00,EST-5,2017-05-01 20:58:00,0,0,0,0,,NaN,,NaN,42.99,-73.39,42.99,-73.39,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires were downed from thunderstorm winds." +116310,699332,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:59:00,EST-5,2017-05-01 20:59:00,0,0,0,0,,NaN,,NaN,42.9889,-73.3826,42.9889,-73.3826,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was split over a house on Owl Kill Road." +116310,699326,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 21:00:00,EST-5,2017-05-01 21:00:00,0,0,0,0,,NaN,,NaN,43.03,-73.38,43.03,-73.38,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Trees and wires were downed." +113684,681776,MISSISSIPPI,2017,April,Flash Flood,"NEWTON",2017-04-03 02:25:00,CST-6,2017-04-03 05:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.527,-89.1777,32.5208,-89.2392,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","There was flooding on Melvin Leach Road. Flooding occurred on North Hickory Road. Flooding occurred on Turkey Creek Road as well as Riser Creek Road." +113684,682026,MISSISSIPPI,2017,April,Flash Flood,"SCOTT",2017-04-03 02:30:00,CST-6,2017-04-03 03:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.56,-89.36,32.57,-89.3465,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Highway 21 near Lee's Steakhouse was under water and impassable." +113684,682036,MISSISSIPPI,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-03 00:10:00,CST-6,2017-04-03 00:10:00,0,0,0,0,10.00K,10000,0.00K,0,31.472,-90.6016,31.472,-90.6016,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Straight line wind gusts sporadically downed large trees along West Lincoln Drive between Ramah Trail and Gum Grove Road." +113684,682038,MISSISSIPPI,2017,April,Flash Flood,"MADISON",2017-04-03 01:00:00,CST-6,2017-04-03 02:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.4248,-90.0883,32.4232,-90.0963,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Rice Road was closed near Harbor Drive due to flooding." +118930,714507,MISSOURI,2017,May,Tornado,"MONTGOMERY",2017-05-19 03:23:00,CST-6,2017-05-19 03:28:00,0,0,0,0,0.00K,0,0.00K,0,38.8952,-91.445,38.9426,-91.4028,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","A weak tornado formed on the south outer road of Interstate 70 one mile southeast of New Florence. It caused damage to two buildings at a MODOT facility, including the removal of 12 garage doors. The tornado tossed these doors and roofing material into the power lines, causing one of the poles to snap. Some of the material landed across Interstate 70 at a residence on Highway WW. There was minor damage to the house with a garage door ruined and the porch pillars shifted off the foundation. Debris stretched into the adjacent field. The tornado continued northeast and caused roof and door damage to three barns on Hudson Road east of New Florence. The tornado continued northeast and ended shortly after destroying a barn on County Road 230, south of Manley Road. Overall, the tornado was rated EF0 with a path length of 3.98 miles. Maximum path width was 75 yards. No deaths or injuries were reported with this tornado." +118930,714508,MISSOURI,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-19 03:39:00,CST-6,2017-05-19 03:39:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-91.5,38.97,-91.5,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","" +115032,690480,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:10:00,CST-6,2017-04-30 07:17:00,0,0,0,0,115.00K,115000,0.00K,0,32.1646,-90.5739,32.2205,-90.4926,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just southwest of the intersection of Adams Station Road and Old Adams Station Road. Here, heavy tree damage was noted as dozens of trees were snapped and uprooted. A power line was down here as well. The tornado then crossed Learned Road, just south of Learned, and damaged dozens of trees. The tornado continued northeast and crossed Holiday Road where tree damage was noted. The tornado tracked over some pasture and farm land and dissipated as it crossed Oakley Road. The maximum wind speed with this tornado was 110 mph." +118930,714510,MISSOURI,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-19 03:23:00,CST-6,2017-05-19 03:24:00,0,0,0,0,0.00K,0,0.00K,0,38.3966,-91.339,38.4031,-91.3283,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds snapped several trees around town at the base. Also, numerous tree limbs and power lines were blown down." +118930,714511,MISSOURI,2017,May,Thunderstorm Wind,"WARREN",2017-05-19 03:36:00,CST-6,2017-05-19 03:37:00,0,0,0,0,0.00K,0,0.00K,0,38.8109,-91.152,38.8208,-91.1227,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew down numerous trees, tree limbs and power lines around town. A couple of the fallen tree limbs caused minor roof damage to several buildings." +118930,714512,MISSOURI,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-19 04:07:00,CST-6,2017-05-19 04:07:00,0,0,0,0,0.00K,0,0.00K,0,38.9915,-90.7502,39.0003,-90.7296,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew down several large tree limbs around town." +115032,690572,MISSISSIPPI,2017,April,Tornado,"ATTALA",2017-04-30 08:42:00,CST-6,2017-04-30 08:46:00,0,0,0,0,60.00K,60000,0.00K,0,33.15,-89.7739,33.1955,-89.7355,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado began about a half of a mile southwest of County Road 3003 and tracked to the northeast. Along its path, it uprooted many trees, and one tree fell onto a church. The tornado ended along County Road 3106. The maximum estimated wind speed with this tornado was 95 mph." +114317,684963,TEXAS,2017,April,Thunderstorm Wind,"RED RIVER",2017-04-29 19:50:00,CST-6,2017-04-29 19:50:00,0,0,0,0,0.00K,0,0.00K,0,33.8413,-95.1631,33.8413,-95.1631,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Several trees were blown down along Farm to Market Road 195 near the Manchester community." +112959,674967,ALABAMA,2017,January,Hail,"SUMTER",2017-01-02 07:05:00,CST-6,2017-01-02 07:05:00,0,0,0,0,0.00K,0,0.00K,0,32.79,-88.23,32.79,-88.23,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","" +114296,684704,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-21 21:05:00,CST-6,2017-04-21 21:05:00,0,0,0,0,0.00K,0,0.00K,0,33.9859,-95.014,33.9859,-95.014,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County, with damaging winds also having downed trees blocking roadways near Valiant. These storms weakened late as instability diminished.","Quarter size hail fell in the Millerton Community. Report from a Sheriff's Deputy via Facebook." +114321,684992,LOUISIANA,2017,April,Hail,"WEBSTER",2017-04-29 15:30:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,32.8944,-93.4499,32.8944,-93.4499,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Quarter size hail fell in Sarepta. Report from the KSLA-TV Facebook page." +116263,698979,NEBRASKA,2017,April,Winter Storm,"NORTH SIOUX",2017-04-27 18:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought moderate to heavy snowfall and gusty northeast winds to the northwest Nebraska Panhandle.","Seven inches of snow was measured 12 miles southeast of Montrose." +114321,684993,LOUISIANA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-30 01:45:00,CST-6,2017-04-30 01:45:00,0,0,0,0,0.00K,0,0.00K,0,32.2465,-92.5983,32.2465,-92.5983,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Numerous trees were blown down parishwide. Power was out in Quitman." +118380,711377,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:15:00,CST-6,2017-06-12 05:15:00,0,0,0,0,,NaN,,NaN,40.85,-96.79,40.85,-96.79,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711378,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:20:00,CST-6,2017-06-12 05:20:00,0,0,0,0,,NaN,,NaN,40.78,-96.63,40.78,-96.63,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118930,715796,MISSOURI,2017,May,Thunderstorm Wind,"ST. LOUIS",2017-05-19 04:10:00,CST-6,2017-05-19 04:20:00,0,0,0,0,0.00K,0,0.00K,0,38.7181,-90.4764,38.732,-90.3145,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew down several large tree limbs throughout Creve Coeur Park. Further east, there were four large trees either blown down and/or uprooted on Sherwood Drive in Overland." +118930,715797,MISSOURI,2017,May,Hail,"ST. LOUIS",2017-05-19 04:17:00,CST-6,2017-05-19 04:17:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-90.33,38.67,-90.33,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","" +118930,715798,MISSOURI,2017,May,Thunderstorm Wind,"ST. LOUIS",2017-05-19 04:17:00,CST-6,2017-05-19 04:17:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-90.33,38.67,-90.33,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Several large tree limbs were blown down around University City." +118930,715800,MISSOURI,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-19 03:55:00,CST-6,2017-05-19 03:55:00,0,0,0,0,0.00K,0,0.00K,0,38.9556,-90.9377,38.9556,-90.9377,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds destroyed a shed just east of U.S. Highway 61 just north of Moscow Mills." +118931,715801,ILLINOIS,2017,May,Thunderstorm Wind,"MADISON",2017-05-19 04:39:00,CST-6,2017-05-19 04:39:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-90.08,38.85,-90.08,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew over a large tree." +116310,699328,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-01 21:00:00,EST-5,2017-05-01 21:00:00,0,0,0,0,,NaN,,NaN,42.91,-73.56,42.91,-73.56,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was reported down due to thunderstorm winds." +116310,699331,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 21:01:00,EST-5,2017-05-01 21:01:00,0,0,0,0,,NaN,,NaN,43.04,-73.33,43.04,-73.33,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was downed with debris on Ashgrove Road." +116310,699333,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 21:06:00,EST-5,2017-05-01 21:06:00,0,0,0,0,,NaN,,NaN,43.36,-73.39,43.36,-73.39,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was downed on Route 40." +116395,699959,NEW YORK,2017,May,Thunderstorm Wind,"WARREN",2017-05-18 19:00:00,EST-5,2017-05-18 19:00:00,0,0,0,0,,NaN,,NaN,43.34,-73.67,43.34,-73.67,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Wires were downed, resulting in a structure fire." +116395,699960,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:45:00,EST-5,2017-05-18 18:45:00,0,0,0,0,,NaN,,NaN,43.09,-73.77,43.09,-73.77,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A large oak tree was uprooted." +113684,682250,MISSISSIPPI,2017,April,Flash Flood,"CLARKE",2017-04-03 02:39:00,CST-6,2017-04-03 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,32.05,-88.73,32.0555,-88.7137,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Water was across Hickory and Willow Streets. A parking lot was flooded on North Archusa Avenue. North Jackson Avenue and Anderson Street were flooded. There were several accidents due to flooding." +113684,682251,MISSISSIPPI,2017,April,Thunderstorm Wind,"MARION",2017-04-03 02:45:00,CST-6,2017-04-03 02:45:00,0,0,0,0,2.00K,2000,0.00K,0,31.27,-89.81,31.27,-89.81,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down across a road." +113684,682252,MISSISSIPPI,2017,April,Flash Flood,"SMITH",2017-04-03 03:17:00,CST-6,2017-04-03 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,32,-89.55,32.0206,-89.5266,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A part of County Road 121 was under water and impassable." +118923,714414,MISSOURI,2017,May,Flood,"LINCOLN",2017-05-01 00:00:00,CST-6,2017-05-02 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9543,-90.9586,38.8682,-90.8137,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Cuivre River crested about 2 feet over major stage at Old Monroe due to the heavy rainfall. Numerous roads were flooded due to the river flooding." +113684,682253,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAMAR",2017-04-03 03:20:00,CST-6,2017-04-03 03:20:00,0,0,0,0,3.00K,3000,0.00K,0,31.27,-89.5,31.27,-89.5,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown across Old Highway 24 and blocked both lanes." +113684,683083,MISSISSIPPI,2017,April,Thunderstorm Wind,"FORREST",2017-04-03 03:27:00,CST-6,2017-04-03 03:27:00,0,0,0,0,7.00K,7000,0.00K,0,31.3456,-89.2608,31.3456,-89.2608,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree and a power line were blown down on Morris Avenue." +113684,683085,MISSISSIPPI,2017,April,Flash Flood,"MARION",2017-04-03 03:30:00,CST-6,2017-04-03 06:15:00,0,0,0,0,10.00K,10000,0.00K,0,31.25,-89.83,31.2549,-89.8141,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Four streets were flooded in town." +114321,684990,LOUISIANA,2017,April,Thunderstorm Wind,"BOSSIER",2017-04-29 15:00:00,CST-6,2017-04-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9069,-93.7046,32.9069,-93.7046,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees and power lines were blown down in Plain Dealing. A cable was downed across the intersection of Highway 2 and Highway 3." +114321,684998,LOUISIANA,2017,April,Thunderstorm Wind,"WINN",2017-04-30 02:15:00,CST-6,2017-04-30 02:15:00,0,0,0,0,0.00K,0,0.00K,0,32.052,-92.5856,32.052,-92.5856,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Several trees were snapped and uprooted along Highway 34, Aunt Maries Road, and Highway 126. Although these trees were near the tornado path, they were associated with straight-line thunderstorm winds as the trees fell to the north." +114321,684999,LOUISIANA,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-30 03:02:00,CST-6,2017-04-30 03:02:00,0,0,0,0,0.00K,0,0.00K,0,32.4144,-92.3431,32.4144,-92.3431,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","A tree was blown down on Highway 34." +118923,714422,MISSOURI,2017,May,Flood,"ST. LOUIS",2017-05-01 00:00:00,CST-6,2017-05-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4467,-90.7423,38.4477,-90.4313,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Meramec River at Eureka and Valley Park crested well above major flood stage in the late evening hours of May 2nd/early morning hours of May 3rd, due to the heavy rainfall. A number of roads were closed due to the river flooding including I-44, Highway 141 where it goes under I-44." +118928,714472,ILLINOIS,2017,May,Flash Flood,"FAYETTE",2017-05-11 00:00:00,CST-6,2017-05-11 04:15:00,0,0,0,0,0.00K,0,0.00K,0,38.9975,-89.2564,38.9581,-88.8089,"An area of thunderstorms moved through portions of southwestern Illinois dumping up to 3 inches of rain causing flash flooding.","Up to three inches of rain fell in a short amount of time on already saturated soils causing flash flooding. A stream gauge on Hurricane Creek east of Mulberry Grove indicated it rose to near flood stage during this event. Fayette County Sheriff's office reported that several roads in the southern half of the county were closed due to flooding." +118923,714423,MISSOURI,2017,May,Flood,"JEFFERSON",2017-05-01 00:00:00,CST-6,2017-05-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4664,-90.7359,38.0996,-90.7141,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Meramec and Big Rivers remained above major flood stage through May 5th due to the heavy rainfall. A number of roads were closed due to the river flooding." +116395,699927,NEW YORK,2017,May,Hail,"MONTGOMERY",2017-05-18 16:38:00,EST-5,2017-05-18 16:38:00,0,0,0,0,,NaN,,NaN,43,-74.62,43,-74.62,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +116395,699961,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 19:00:00,EST-5,2017-05-18 19:00:00,0,0,0,0,,NaN,,NaN,43.05,-73.77,43.05,-73.77,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Multiple trees were downed, blocking two lanes of Interstate 87." +116395,699962,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 18:57:00,EST-5,2017-05-18 18:57:00,0,0,0,0,,NaN,,NaN,42.72,-73.68,42.72,-73.68,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was reported down." +113684,683090,MISSISSIPPI,2017,April,Flash Flood,"SCOTT",2017-04-03 03:42:00,CST-6,2017-04-03 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.37,-89.48,32.3751,-89.4438,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","There was flooding at Highways 35 and 80 near Futchs Creek." +113684,683094,MISSISSIPPI,2017,April,Thunderstorm Wind,"JONES",2017-04-03 04:30:00,CST-6,2017-04-03 04:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.7,-89.09,31.7,-89.09,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Power lines were blown down east of Laurel." +113684,690287,MISSISSIPPI,2017,April,Thunderstorm Wind,"BOLIVAR",2017-04-02 16:35:00,CST-6,2017-04-02 16:35:00,0,0,0,0,10.00K,10000,0.00K,0,33.96,-90.8,33.96,-90.8,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down." +113684,690702,MISSISSIPPI,2017,April,Thunderstorm Wind,"HINDS",2017-04-02 18:52:00,CST-6,2017-04-02 18:52:00,0,0,0,0,5.00K,5000,0.00K,0,32.4773,-90.2848,32.4773,-90.2848,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Power lines were blown down on Pocahontas Road." +113684,690708,MISSISSIPPI,2017,April,Flash Flood,"YAZOO",2017-04-02 19:34:00,CST-6,2017-04-02 22:30:00,0,0,0,0,7.00K,7000,0.00K,0,32.6625,-90.3626,32.6466,-90.3602,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Both lanes of US 49 were flooded between Bentonia and Big Mound Road. Terrell Road was also impassable due to flooding." +113684,691579,MISSISSIPPI,2017,April,Thunderstorm Wind,"SMITH",2017-04-03 01:38:00,CST-6,2017-04-03 01:38:00,0,0,0,0,9.00K,9000,0.00K,0,31.83,-89.43,31.83,-89.43,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A few trees were blown down in and around Taylorsville." +113684,683081,MISSISSIPPI,2017,April,Flash Flood,"JONES",2017-04-03 03:25:00,CST-6,2017-04-03 05:15:00,0,0,0,0,250.00K,250000,0.00K,0,31.72,-89.13,31.7411,-89.0538,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Water backed up into a home on West 21st Street in Laurel. Fifteen homes were threatened by flood waters. A foot of water entered Hardee's on Highway 11. Streets were flooded in Laurel." +113684,683093,MISSISSIPPI,2017,April,Flash Flood,"LAUDERDALE",2017-04-03 04:05:00,CST-6,2017-04-03 05:30:00,0,0,0,0,200.00K,200000,0.00K,0,32.39,-88.7,32.4009,-88.6549,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flooding occurred on Highway 493. There was a water rescue near 24th and 32nd Avenues. There was water over a bridge on Buntin Gunn Road. There was flooding at the intersection of 5th Street and 37th Avenue." +114584,687752,MISSISSIPPI,2017,April,Flash Flood,"LAUDERDALE",2017-04-22 17:15:00,CST-6,2017-04-22 20:00:00,0,0,0,0,180.00K,180000,0.00K,0,32.37,-88.7,32.3698,-88.6854,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","Street flooding occurred at the intersection of 5th street and 45th Avenue, and at the intersection of Front Street and Highway 45/39. A car was submerged by flood waters at the intersection of 14th Street and and 24th Avenue. There were numerous reports of street flooding in the College Park and Highway 19 area. There was also street flooding on 5th Street in front of Metro Ambulance. The basement of an apartment was flooded." +114321,684978,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 13:17:00,CST-6,2017-04-29 13:17:00,0,0,0,0,0.00K,0,0.00K,0,31.7166,-93.2149,31.7166,-93.2149,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Two trees were snapped along Highway 6. Several trees lost large limbs. One house in the Hagewood community also lost a number of roofing shingles." +117932,708747,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 16:23:00,CST-6,2017-06-15 16:24:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-97.62,38.59,-97.62,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a storm Chaser." +117932,708748,KANSAS,2017,June,Thunderstorm Wind,"BARTON",2017-06-15 16:25:00,CST-6,2017-06-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.79,38.36,-98.79,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a trained spotter." +117932,708750,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 16:25:00,CST-6,2017-06-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-97.67,38.6,-97.67,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","One foot in diameter tree limbs were blown down." +114276,684661,TEXAS,2017,April,Flash Flood,"CASS",2017-04-10 20:20:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,33.0534,-94.2933,33.0523,-94.2916,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","High water across Highway 59 between Linden and Atlanta." +114276,684663,TEXAS,2017,April,Flash Flood,"GREGG",2017-04-10 20:21:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4003,-94.7226,32.4001,-94.7204,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Farm to Market Road 349 eastbound was blocked at Highway 322 due to high water." +114298,684712,TEXAS,2017,April,Hail,"GREGG",2017-04-22 14:00:00,CST-6,2017-04-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,32.5068,-94.7903,32.5068,-94.7903,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Scattered severe thunderstorms developed over portions of extreme Southeast Oklahoma and adjacent sections of Southwest Arkansas during the mid and late evening hours along and just ahead of an associated cold front, before diminishing during the early morning hours on April 22nd. The cold front continued to shift southeast across Northeast Texas and North Louisiana on the 22nd, having exited the area into Southeast Texas and Northeast Louisiana by mid-afternoon. However, enough forcing ahead of the upper trough and elevated instability lingered in wake of the front over Northeast Texas that resulted in isolated post-frontal thunderstorm development, one of which briefly became severe and produced quarter size hail near Longview. Other instances of pea size hail were reported near Hallsville and Waskom before weakening as they entered Caddo Parish in Northwest Louisiana.","Quarter size hail fell in the Greggton area of Longview. Report from the KLTV Facebook page." +118923,714461,MISSOURI,2017,May,Flood,"COLE",2017-05-01 00:00:00,CST-6,2017-05-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5617,-92.13,38.517,-92.264,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Moreau River remained above major flood stage through the afternoon hours on May 1st due to very heavy rain over the river basin. A number of secondary roads were closed due to the river flooding. Also, the river rose to the bottom of Tanner Bridge. No structures were affected by the flooding." +118930,714498,MISSOURI,2017,May,Hail,"MONITEAU",2017-05-19 02:07:00,CST-6,2017-05-19 02:07:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-92.57,38.63,-92.57,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","" +118930,714499,MISSOURI,2017,May,Hail,"COLE",2017-05-19 02:15:00,CST-6,2017-05-19 02:15:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-92.18,38.58,-92.18,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","" +115032,690557,MISSISSIPPI,2017,April,Tornado,"YAZOO",2017-04-30 08:16:00,CST-6,2017-04-30 08:23:00,0,0,0,0,300.00K,300000,150.00K,150000,32.8556,-90.0951,32.9005,-90.0257,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This strong tornado started several miles west of Pickens off Highway 432 and tracked northeast for roughly 23 miles. The tornado impacted areas west of Goodman, Holmes County State Park and a direct hit on the town of Durant. The tornado was very wide and was roughly 1.2 miles wide at its widest point. Across the entire path, thousands of trees were damaged/uprooted/snapped. Hundreds of power poles and power lines were down as well. The large majority of structures that were damaged were indicated by minor to moderate roof damage with singles/siding torn off to partial loss of decking. Multiple structures were more heavily damaged by trees falling on them. Some of the more significant tree and structural damage occurred along Courts Road, Salem Road, Ebenezer Pickens Road and Jordan Road. Four mobile homes were destroyed along Jordan Road, including a new, well secured, mobile home. Significant tree damage also occurred along Highway 51 and along State Park Road just west of Highway 51. The town of Durant took a direct hit. Many buildings and homes sustained minor to moderate roof damage. A few less sound structures were destroyed. Numerous power lines were also down. The tornado continued a bit further to the northeast before dissipating. The total path length was 23.4 miles." +116310,699304,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-01 20:10:00,EST-5,2017-05-01 20:10:00,0,0,0,0,,NaN,,NaN,42.78,-74.44,42.78,-74.44,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Wires were reported down on Kilmartin Road in the town of Root." +116395,699951,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-18 18:32:00,EST-5,2017-05-18 18:32:00,0,0,0,0,,NaN,,NaN,42.93,-74.21,42.93,-74.21,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was blown down, blocking the intersection of Verbraska Avenue and Route 5S." +116395,699952,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-18 18:35:00,EST-5,2017-05-18 18:35:00,0,0,0,0,,NaN,,NaN,42.98,-74.19,42.98,-74.19,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was blown onto a trailer." +116310,699297,NEW YORK,2017,May,Thunderstorm Wind,"HERKIMER",2017-05-01 18:36:00,EST-5,2017-05-01 18:36:00,0,0,0,0,,NaN,,NaN,43.71,-74.97,43.71,-74.97,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was downed by thunderstorm winds." +116310,699298,NEW YORK,2017,May,Thunderstorm Wind,"HERKIMER",2017-05-01 18:46:00,EST-5,2017-05-01 18:46:00,0,0,0,0,,NaN,,NaN,43.26,-75.08,43.26,-75.08,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was blown down onto wires." +116310,699299,NEW YORK,2017,May,Thunderstorm Wind,"HAMILTON",2017-05-01 19:25:00,EST-5,2017-05-01 19:25:00,0,0,0,0,,NaN,,NaN,43.4992,-74.3634,43.4992,-74.3634,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree in the village of Speculator was knocked down due to thunderstorm winds." +114584,687238,MISSISSIPPI,2017,April,Thunderstorm Wind,"SMITH",2017-04-22 17:53:00,CST-6,2017-04-22 17:58:00,0,0,0,0,5.00K,5000,0.00K,0,32.01,-89.38,31.99,-89.35,"Showers and thunderstorms developed ahead of an approaching cold front. Some of these storms produced damaging wind gusts, hail, and flash flooding.","Trees were blown down in Sylvarena along with another tree down across Highway 18 just to the southeast of Sylvarena." +114909,696962,MISSISSIPPI,2017,April,Thunderstorm Wind,"WARREN",2017-04-26 19:39:00,CST-6,2017-04-26 19:44:00,0,0,0,0,12.00K,12000,0.00K,0,32.35,-90.8,32.35,-90.77,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down on I-20 near mile marker 8 along with other trees and power lines down at Warriors Trail and Shannon Lane." +114561,687097,MISSISSIPPI,2017,April,Tornado,"WASHINGTON",2017-04-18 11:15:00,CST-6,2017-04-18 11:15:00,0,0,0,0,0.00K,0,0.00K,0,33.33,-90.8,33.33,-90.8,"Showers and thunderstorms developed across portions of the area in a warm and unstable environment. A land spout occurred in Washington County.","A land spout occurred producing no damage." +116310,699305,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-01 20:10:00,EST-5,2017-05-01 20:10:00,0,0,0,0,,NaN,,NaN,42.89,-74.35,42.89,-74.35,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was blown down across two lanes of traffic." +114294,684701,LOUISIANA,2017,April,Hail,"CADDO",2017-04-17 13:19:00,CST-6,2017-04-17 13:19:00,0,0,0,0,0.00K,0,0.00K,0,32.4139,-93.9686,32.4139,-93.9686,"Scattered showers and thunderstorms developed during the overnight hours of April 17th across portions of extreme Northeast Texas from near Paris northeast across Northern Red River County and into Southern McCurtain County Oklahoma. These showers and thunderstorms were producing locally heavy rainfall amounts in a narrow line, with another complex of storms which developed south along an outflow boundary across Eastern Oklahoma and Western Arkansas overtaking the ongoing storms near the Red River bordering Northeast Texas. The end result was a prolonged period of locally heavy rainfall over Northern Red River County Texas and Southern McCurtain County Oklahoma, which resulted in flooding across a few roads and high water across many others in Idabel. After these showers and thunderstorms dissipated during the early afternoon hours, the associated outflow boundary from these storms pushed south across the Interstate 20 corridor of East Texas and North Louisiana, which interacted with instability from daytime heating to generate additional scattered storms. One strong storm produced penny sized hail just south of Greenwood in Southwest Caddo Parish before eventually weakening.","Penny size hail fall on Highway 169 just south of Greenwood." +114296,684703,OKLAHOMA,2017,April,Thunderstorm Wind,"MCCURTAIN",2017-04-21 21:00:00,CST-6,2017-04-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0839,-95.087,34.0839,-95.087,"An upper level trough moved east-southeast from the Southern Rockies and into the Plains and Four-State Region during the evening hours on April 21st. Isolated thunderstorms developed near a cold front across Northcentral Texas before spreading into Southeast Oklahoma and Northeast Texas. More than adequate frontogenetical forcing coupled with ample low level moisture and increased upper level support led to some of the thunderstorms becoming strong to severe, with large hail having fallen throughout McCurtain County, with damaging winds also having downed trees blocking roadways near Valiant. These storms weakened late as instability diminished.","Trees and power lines were blown down. Roads were blocked." +112959,674968,ALABAMA,2017,January,Hail,"SUMTER",2017-01-02 06:56:00,CST-6,2017-01-02 06:56:00,0,0,0,0,0.00K,0,0.00K,0,32.73,-88.28,32.73,-88.28,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","" +111790,666782,TEXAS,2017,January,Hail,"LEE",2017-01-02 05:50:00,CST-6,2017-01-02 05:50:00,0,0,0,0,0.00K,0,0.00K,0,30.45,-97.1,30.45,-97.1,"A cold front moved through South Central Texas and generated thunderstorms. One of these storms produced severe wind gusts.","" +111790,666784,TEXAS,2017,January,Thunderstorm Wind,"LEE",2017-01-02 12:00:00,CST-6,2017-01-02 12:00:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-96.9664,30.42,-96.9664,"A cold front moved through South Central Texas and generated thunderstorms. One of these storms produced severe wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph." +114315,684942,OKLAHOMA,2017,April,Thunderstorm Wind,"MCCURTAIN",2017-04-29 20:03:00,CST-6,2017-04-29 20:03:00,0,0,0,0,0.00K,0,0.00K,0,34.0491,-94.6361,34.0491,-94.6361,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Nathcitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas and Southeast Oklahoma by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana.","Numerous large tree limbs were downed. A private weather station measured a 66 mph wind gust just northwest of Eagletown." +115271,692051,PENNSYLVANIA,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-30 15:43:00,EST-5,2017-04-30 15:43:00,0,0,0,0,2.00K,2000,0.00K,0,41.63,-79.9564,41.63,-79.9564,"A warm front lifted north across the Upper Ohio Valley causing a line of showers and thunderstorms to develop. A couple of the stronger storms became severe.","Thunderstorm winds downed two trees." +115271,692052,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ERIE",2017-04-30 16:06:00,EST-5,2017-04-30 16:06:00,0,0,0,0,10.00K,10000,0.00K,0,41.92,-79.63,41.92,-79.63,"A warm front lifted north across the Upper Ohio Valley causing a line of showers and thunderstorms to develop. A couple of the stronger storms became severe.","Thunderstorm winds toppled a large tree which took out some power lines." +115273,692061,OHIO,2017,April,Hail,"WOOD",2017-04-30 16:40:00,EST-5,2017-04-30 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-83.68,41.18,-83.68,"A warm front lifted north across the Upper Ohio Valley causing a line of showers and thunderstorms to develop. A couple of the stronger storms became severe. A downburst hit portions of Mahoning County causing extensive damage in Boardman.","Penny sized hail was observed." +117577,707072,OHIO,2017,June,Hail,"RICHLAND",2017-06-04 14:30:00,EST-5,2017-06-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-82.63,40.75,-82.63,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Nickel sized hail was observed." +117577,707073,OHIO,2017,June,Hail,"RICHLAND",2017-06-04 14:30:00,EST-5,2017-06-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.7211,-82.63,40.7211,-82.63,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Penny sized hail was observed." +117804,708189,OHIO,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-19 16:07:00,EST-5,2017-06-19 16:07:00,0,0,0,0,1.00K,1000,0.00K,0,40.7155,-82.78,40.7155,-82.78,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a tree just south of Galion." +117804,708191,OHIO,2017,June,Thunderstorm Wind,"LORAIN",2017-06-19 16:10:00,EST-5,2017-06-19 16:10:00,0,0,0,0,1.00K,1000,0.00K,0,41.5017,-81.9961,41.5017,-81.9961,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a tree on Cheyenne Falls Road." +117804,708192,OHIO,2017,June,Thunderstorm Wind,"CUYAHOGA",2017-06-19 16:25:00,EST-5,2017-06-19 16:25:00,0,0,0,0,10.00K,10000,0.00K,0,41.48,-81.9,41.48,-81.9,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds caused a large tree limb to fall and knock down some power lines." +116310,699307,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-01 20:10:00,EST-5,2017-05-01 20:10:00,0,0,0,0,,NaN,,NaN,42.95,-74.38,42.95,-74.38,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Wires and trees were reported down due to thunderstorm winds." +116310,699308,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-01 20:16:00,EST-5,2017-05-01 20:16:00,0,0,0,0,,NaN,,NaN,42.91,-74.2,42.91,-74.2,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A pole with wires was downed at Fuller and Belldons Roads in the town of Florida." +116395,699976,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-18 18:35:00,EST-5,2017-05-18 18:35:00,0,0,0,0,,NaN,,NaN,43.34,-73.6,43.34,-73.6,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Gust measured at Glens Falls New York State Mesonet site." +115032,699227,MISSISSIPPI,2017,April,Thunderstorm Wind,"CARROLL",2017-04-30 08:50:00,CST-6,2017-04-30 08:50:00,0,0,0,0,1.00K,1000,0.00K,0,33.2556,-89.8244,33.2556,-89.8244,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A few trees were snapped along County Road 37." +115032,690577,MISSISSIPPI,2017,April,Tornado,"CARROLL",2017-04-30 08:58:00,CST-6,2017-04-30 09:06:00,0,0,0,0,650.00K,650000,400.00K,400000,33.3033,-89.7531,33.3875,-89.6463,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started on the south side of Vaiden and tracked northeast, dissipating just to the northwest of Kilmichael. Initially, trees were snapped and uprooted along county road 28 and county road 27. The tornado then crossed Highway 51 where numerous trees were snapped or uprooted and power lines were downed. A few homes sustained minor roof damage and one had a large tree down on it. The railroad was blocked by several trees as well. The tornado then crossed Highway 35 where more trees were damaged. It then moved into a wooded area and mostly tracked south of Highway 430. A few damage locations were accessible along CR 9 where more trees were downed, but the road was blocked and the core of the tornado path was inaccessible. The Northwest edge of the tornado began to impact portions of Highway 430 a few miles before the junction with Highway 407. Here numerous trees were damaged. The tornado appeared to peak in intensity and reach its widest point near the Carroll and Montgomery County line and along Highway 407. Here, significant tree damage was noted as the tornado moved across an open field and slammed into a wooded area. Significant tree damage was noted across the field south of the highway and where it crossed Highway 407. Widespread tree damage continued across Herring Loop, Lower Bethlehem Road, and Herring School Road. Some homes were damaged by trees. Along Herring School Road, a couple sheds were destroyed along with several homes sustaining minor roof damage. A large metal I-beam shed was destroyed and thrown nearly 100 yards. As the tornado neared Kindred Road, a turn to the left was noted and it began to track more northerly. Damage to trees continued as it crossed Lewis Creek Road along with a few sheds damaged and shingles off roofs. As it crossed Highway 82 west of Kilmichael, more trees were downed along with a dozen or so power poles. Three homes had roof damage and several sheds had tin off the roof. The tornado continued just a bit farther north and dissipated just past the intersection of Mayfield and Robinson-Thompson Road. The total path length of the tornado was 15.75 miles. The maximum width of the tornado was 1.1 miles, which occurred in Montgomery County, as well as the highest wind speed of the tornado at 115 mph. The maximum estimated wind speed of the tornado in Carroll County was 100 mph." +116310,699300,NEW YORK,2017,May,Thunderstorm Wind,"SCHOHARIE",2017-05-01 19:59:00,EST-5,2017-05-01 19:59:00,0,0,0,0,,NaN,,NaN,42.5372,-74.6463,42.5372,-74.6463,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A silo was blown over at Stone Ridge Drive and Meade Road." +116310,699301,NEW YORK,2017,May,Thunderstorm Wind,"SCHOHARIE",2017-05-01 20:00:00,EST-5,2017-05-01 20:00:00,0,0,0,0,,NaN,,NaN,42.75,-74.43,42.75,-74.43,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Numerous trees and wires were reported down across northern portions of Schoharie County." +116310,699303,NEW YORK,2017,May,Thunderstorm Wind,"FULTON",2017-05-01 20:04:00,EST-5,2017-05-01 20:04:00,0,0,0,0,,NaN,,NaN,43.05,-74.35,43.05,-74.35,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","There were two reports of trees on wires in Gloversville." +117932,708783,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:20:00,CST-6,2017-06-15 18:21:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-97.54,37.78,-97.54,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A 12 inch diameter tree was blown down along with several other smaller trees." +117932,708784,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:22:00,CST-6,2017-06-15 18:23:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-97.02,37.94,-97.02,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Damage to a mobile home was reported to be damaged along with several trees." +117932,708785,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:31:00,CST-6,2017-06-15 18:32:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.86,37.82,-96.86,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a storm chaser." +117932,708786,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-15 18:32:00,CST-6,2017-06-15 18:33:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.98,37.69,-96.98,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Several 8 inch tree limbs were blown down on the north side of town." +113684,680647,MISSISSIPPI,2017,April,Thunderstorm Wind,"GRENADA",2017-04-02 17:10:00,CST-6,2017-04-02 17:10:00,0,0,0,0,20.00K,20000,0.00K,0,33.69,-89.95,33.69,-89.95,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down on utility equipment." +113684,680648,MISSISSIPPI,2017,April,Thunderstorm Wind,"WARREN",2017-04-02 17:50:00,CST-6,2017-04-02 18:20:00,0,0,0,0,40.00K,40000,0.00K,0,32.34,-90.88,32.444,-90.6285,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Numerous trees were blown down across the county, including in Vicksburg." +113684,680651,MISSISSIPPI,2017,April,Thunderstorm Wind,"HINDS",2017-04-02 18:40:00,CST-6,2017-04-02 18:40:00,0,0,0,0,10.00K,10000,0.00K,0,32.34,-90.47,32.34,-90.47,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A shed was destroyed." +114909,692050,MISSISSIPPI,2017,April,Tornado,"LEAKE",2017-04-26 21:31:00,CST-6,2017-04-26 21:40:00,0,0,0,0,100.00K,100000,0.00K,0,32.609,-89.4624,32.663,-89.318,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","The tornado began on the north end of Walnut Grove, just east of MS Highway 35, along Starling Center Rd. It produced sporadic tree damage as it moved east northeastward across School St, True Light Rd, Old Walnut Grove Rd, and along Gunter Rd. The tornado became wider as it moved across McLemore Rd and Rosebud School Rd, where additional trees were snapped or uprooted and some outbuildings were damaged. The tornado reached peak intensity as it moved through the Rosebud community, crossing MS Highway 487 and tracking through Allen Ln and Tatum Rd. In this vicinity, more notable tree damage occurred. A utility pole was snapped, additional outbuildings were damaged or destroyed, and some homes sustained roof and siding damage. The tornado weakened and produced more sporadic tree damage, passing across Mowdy Rd and Union Rd before crossing into southwest Neshoba County. A few additional trees and large limbs were downed across CR 133 and CR 402, where the tornado lifted. Maximum winds were 105 mph and the total path length was 10.7 miles." +114316,684943,ARKANSAS,2017,April,Hail,"UNION",2017-04-29 16:40:00,CST-6,2017-04-29 16:40:00,0,0,0,0,0.00K,0,0.00K,0,33.3026,-92.9548,33.3026,-92.9548,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Penny size hail fell in the Mount Holly community." +117932,708773,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:58:00,CST-6,2017-06-15 17:59:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-97.78,37.99,-97.78,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +117932,708774,KANSAS,2017,June,Thunderstorm Wind,"HARVEY",2017-06-15 17:59:00,CST-6,2017-06-15 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-97.26,38.13,-97.26,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","A semi tractor trailer was blown over on highway 50." +117932,708731,KANSAS,2017,June,Thunderstorm Wind,"BARTON",2017-06-15 15:40:00,CST-6,2017-06-15 15:41:00,0,0,0,0,0.00K,0,0.00K,0,38.55,-98.98,38.55,-98.98,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a trained spotter." +117932,708732,KANSAS,2017,June,Hail,"BARTON",2017-06-15 15:52:00,CST-6,2017-06-15 15:53:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-99.01,38.45,-99.01,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708733,KANSAS,2017,June,Hail,"BARTON",2017-06-15 15:59:00,CST-6,2017-06-15 16:00:00,0,0,0,0,,NaN,,NaN,38.45,-99.01,38.45,-99.01,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708734,KANSAS,2017,June,Hail,"BARTON",2017-06-15 15:59:00,CST-6,2017-06-15 16:59:00,0,0,0,0,,NaN,,NaN,38.53,-98.81,38.53,-98.81,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708735,KANSAS,2017,June,Hail,"BARTON",2017-06-15 16:03:00,CST-6,2017-06-15 16:04:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-98.96,38.45,-98.96,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Lots of nickel hail was also mixed in." +115032,699229,MISSISSIPPI,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-30 09:15:00,CST-6,2017-04-30 09:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.4945,-89.5766,33.4945,-89.5766,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Multiple trees were uprooted and snapped along Minerva Road." +113684,680664,MISSISSIPPI,2017,April,Thunderstorm Wind,"NESHOBA",2017-04-02 20:25:00,CST-6,2017-04-02 20:25:00,0,0,0,0,2.00K,2000,0.00K,0,32.62,-89.26,32.62,-89.26,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down across Highway 21." +115032,690422,MISSISSIPPI,2017,April,Tornado,"JEFFERSON",2017-04-30 06:24:00,CST-6,2017-04-30 06:37:00,0,0,0,0,250.00K,250000,110.00K,110000,31.6707,-90.9184,31.7859,-90.7871,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just south of Highway 28. A few trees were downed and snapped in this area. As it continued northeast through a rural area, numerous trees were snapped and uprooted. It then crossed McBride Road and Pap Goza Road, uprooting and snapping many large trees. It also snapped a power pole and caused extensive roof damage to a few chicken houses. It continued northeast into Claiborne County, crossing Hudson Road and Beech Grove Road. The tornado ended near Northeast Smith Road, snapping a couple of trees before lifting. A tornado debris signature was also noted on radar during this event. The total length of the tornado path was 14.46 miles and the maximum wind speed was 105 mph." +115032,690448,MISSISSIPPI,2017,April,Tornado,"CLAIBORNE",2017-04-30 06:30:00,CST-6,2017-04-30 06:52:00,0,0,0,0,500.00K,500000,150.00K,150000,31.9338,-90.9845,32.151,-90.807,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down on the southeast side of Port Gibson, near the Natchez Trace Parkway. As the tornado tracked north-northeast, it snapped hardwood trees and uprooted numerous trees. One tree fell on a house on Smith Street, which caused roof damage. The tornado then tracked toward the northeast, crossing the Natchez Trace Parkway and Highway 18. Here it continued to snap or uproot trees and also caused roof damage to a structure. An extensive area of trees were snapped or blown down just before it crossed the Natchez Trace corridor a second time. After crossing the Natchez Trace Parkway again, it continued to snap and blow down numerous trees. As the tornado tracked northeast, it crossed Old Port Gibson Road, Hankinson Road, and Moulder Road where it continued to snap or uproot numerous trees. The tornado finally lifted near Fisher Ferry Road in southern Warren County. A tornado debris signature was |noted on radar during this tornado. The total path length of this tornado was 20.03|miles and the estimated maximum wind speed was 115 mph, which occurred in Claiborne County." +116310,699310,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-01 20:37:00,EST-5,2017-05-01 20:37:00,0,0,0,0,,NaN,,NaN,42.97,-73.79,42.97,-73.79,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Multiple trees were reported down." +117932,708796,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:45:00,CST-6,2017-06-15 18:46:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-97.26,37.68,-97.26,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","The report is from 21st and Amidon." +117932,708797,KANSAS,2017,June,Thunderstorm Wind,"KINGMAN",2017-06-15 18:46:00,CST-6,2017-06-15 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-98.43,37.72,-98.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Golf ball sized hail was also reported." +117932,708798,KANSAS,2017,June,Thunderstorm Wind,"HARPER",2017-06-15 18:46:00,CST-6,2017-06-15 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-98.03,37.29,-98.03,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This report came in via social media." +116310,699327,NEW YORK,2017,May,Thunderstorm Wind,"SCHENECTADY",2017-05-01 20:39:00,EST-5,2017-05-01 20:39:00,0,0,0,0,,NaN,,NaN,42.85,-73.93,42.85,-73.93,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A 59 mph gust was recorded at Schenectady County Airport (KSCH)." +117939,708851,KANSAS,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-20 19:09:00,CST-6,2017-06-20 19:10:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-98.15,38.9,-98.15,"A couple of storms moved across central Kansas producing high winds a hail.","This was reported on highway K14." +117939,708853,KANSAS,2017,June,Hail,"LINCOLN",2017-06-20 19:33:00,CST-6,2017-06-20 19:34:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-98.02,38.9,-98.02,"A couple of storms moved across central Kansas producing high winds a hail.","Also reported 50 mph winds." +116310,699321,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:49:00,EST-5,2017-05-01 20:49:00,0,0,0,0,,NaN,,NaN,43.2793,-73.5815,43.2793,-73.5815,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Power lines were reported down on McIntyre Street." +116310,699320,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:54:00,EST-5,2017-05-01 20:54:00,0,0,0,0,,NaN,,NaN,43.27,-73.51,43.27,-73.51,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was reported down on Hinds Road." +116310,699323,NEW YORK,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 20:54:00,EST-5,2017-05-01 20:54:00,0,0,0,0,,NaN,,NaN,42.99,-73.48,42.99,-73.48,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","Multiple trees were downed on Center Cambridge Road." +118930,714500,MISSOURI,2017,May,Thunderstorm Wind,"OSAGE",2017-05-19 02:48:00,CST-6,2017-05-19 03:04:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-91.92,38.485,-91.8478,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","A line of severe thunderstorms moved through Osage County. A metal outbuilding was destroyed in Freeburg. In the Linn area, several trees were either uprooted or snapped off. One large tree fell blocking U.S. Highway 50 west of Linn. One tree in Linn fell onto a house and a nearby barn causing roof damage to both. Also, windows at the Osage Ambulance District building were broken from fallen tree limbs." +117932,708799,KANSAS,2017,June,Hail,"KINGMAN",2017-06-15 18:46:00,CST-6,2017-06-15 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-98.43,37.72,-98.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Sixty mph winds were also reported." +117932,708800,KANSAS,2017,June,Hail,"RENO",2017-06-15 18:48:00,CST-6,2017-06-15 18:49:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-98.43,37.74,-98.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708801,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:50:00,CST-6,2017-06-15 18:51:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-97.26,37.55,-97.26,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","The reported came in via social media." +117932,708802,KANSAS,2017,June,Thunderstorm Wind,"HARPER",2017-06-15 18:52:00,CST-6,2017-06-15 18:53:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-98.03,37.29,-98.03,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Several 6 to 8 inch tree limbs were blown down." +117932,708806,KANSAS,2017,June,Thunderstorm Wind,"HARPER",2017-06-15 18:52:00,CST-6,2017-06-15 18:53:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-98.05,37.31,-98.05,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a trained spotter." +117932,708807,KANSAS,2017,June,Hail,"KINGMAN",2017-06-15 18:52:00,CST-6,2017-06-15 18:53:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-98.43,37.64,-98.43,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","" +117932,708808,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 18:56:00,CST-6,2017-06-15 18:57:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-96.92,37.31,-96.92,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This report was at Winfield city lake." +117932,708818,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:53:00,CST-6,2017-06-15 19:54:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-96.72,37.18,-96.72,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","This was reported at Dexter High School." +115223,691802,OHIO,2017,April,Hail,"SENECA",2017-04-19 16:07:00,EST-5,2017-04-19 16:07:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-82.88,41.07,-82.88,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Quarter to half dollar size hail was observed." +115223,691804,OHIO,2017,April,Hail,"PORTAGE",2017-04-19 18:05:00,EST-5,2017-04-19 18:05:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-81.2108,41.17,-81.2108,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Nickel sized hail was observed." +115223,691806,OHIO,2017,April,Thunderstorm Wind,"PORTAGE",2017-04-19 18:02:00,EST-5,2017-04-19 18:02:00,0,0,0,0,2.00K,2000,0.00K,0,41.1404,-81.1395,41.1404,-81.1395,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Thunderstorm wind gusts downed a few large tree limbs at West Branch State Park." +115264,692004,PENNSYLVANIA,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-27 18:26:00,EST-5,2017-04-27 18:26:00,0,0,0,0,1.00K,1000,0.00K,0,41.73,-80.15,41.73,-80.15,"A line of strong thunderstorms moved across western Pennsylvania.","Thunderstorm winds downed a couple of trees in the Saegertown area." +115264,692006,PENNSYLVANIA,2017,April,Hail,"ERIE",2017-04-27 17:48:00,EST-5,2017-04-27 17:48:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-79.98,41.95,-79.98,"A line of strong thunderstorms moved across western Pennsylvania.","Nickel sized hail was observed." +114316,684945,ARKANSAS,2017,April,Hail,"COLUMBIA",2017-04-29 16:40:00,CST-6,2017-04-29 16:40:00,0,0,0,0,0.00K,0,0.00K,0,33.3512,-93.2941,33.3512,-93.2941,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Quarter size hail fell in Waldo. Report from the KTBS-TV Facebook page." +114316,684946,ARKANSAS,2017,April,Thunderstorm Wind,"HEMPSTEAD",2017-04-29 16:45:00,CST-6,2017-04-29 16:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6857,-93.6219,33.6857,-93.6219,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Numerous trees were blown down in and near Hope." +114317,684948,TEXAS,2017,April,Thunderstorm Wind,"SAN AUGUSTINE",2017-04-29 10:00:00,CST-6,2017-04-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2747,-94.1355,31.2747,-94.1355,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees and power lines were blown down." +117558,708855,KANSAS,2017,June,Hail,"WOODSON",2017-06-29 18:46:00,CST-6,2017-06-29 18:47:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-95.68,38.01,-95.68,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","" +118930,714501,MISSOURI,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-19 03:13:00,CST-6,2017-05-19 03:13:00,0,0,0,0,0.00K,0,0.00K,0,38.8942,-91.6191,38.8942,-91.6191,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew over a semi on Interstate 70 west of Danville." +118930,714504,MISSOURI,2017,May,Thunderstorm Wind,"CALLAWAY",2017-05-19 03:13:00,CST-6,2017-05-19 03:13:00,0,0,0,0,0.00K,0,0.00K,0,38.9199,-91.7033,38.92,-91.7,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Several large tree limbs were blown down around town." +118930,714505,MISSOURI,2017,May,Thunderstorm Wind,"GASCONADE",2017-05-19 03:13:00,CST-6,2017-05-19 03:14:00,0,0,0,0,0.00K,0,0.00K,0,38.3505,-91.4888,38.3419,-91.511,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Several trees were either uprooted or snapped off due to damage winds around town." +115032,692075,MISSISSIPPI,2017,April,Tornado,"CLAIBORNE",2017-04-30 06:37:00,CST-6,2017-04-30 06:42:00,0,0,0,0,50.00K,50000,0.00K,0,31.7859,-90.7871,31.8206,-90.7473,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just south of Highway 28. A few trees were downed and snapped in this area. As it continued northeast through a rural area, numerous trees were snapped and uprooted. It then crossed McBride Road and Pap Goza Road, uprooting and snapping many large trees. It also snapped a power pole and caused extensive roof damage to a few chicken houses. It continued northeast into Claiborne County, crossing Hudson Road and Beech Grove Road. The tornado ended near Northeast Smith Road, snapping a couple of trees before lifting. A tornado debris signature was also noted on radar during this event. The total length of the tornado path was 14.46 miles and the maximum wind speed was 105 mph." +116395,699953,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:37:00,EST-5,2017-05-18 18:37:00,0,0,0,0,,NaN,,NaN,43.07,-73.99,43.07,-73.99,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Large tree limbs were reported down." +116395,699954,NEW YORK,2017,May,Thunderstorm Wind,"SCHENECTADY",2017-05-18 18:40:00,EST-5,2017-05-18 18:40:00,0,0,0,0,,NaN,,NaN,42.7793,-73.8656,42.7793,-73.8656,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was blown onto a house on Pearse Road." +113684,681758,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-03 00:10:00,CST-6,2017-04-03 03:45:00,0,0,0,0,50.00K,50000,0.00K,0,32.3261,-90.1154,32.3545,-90.0436,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple streets in Flowood were flooded and flooding occurred at an apartment complex. The parking lot and cars were flooded at Laurel Park apartments and water rescues were also performed here." +113684,681759,MISSISSIPPI,2017,April,Thunderstorm Wind,"COPIAH",2017-04-03 00:19:00,CST-6,2017-04-03 00:19:00,0,0,0,0,8.00K,8000,0.00K,0,31.85,-90.39,31.85,-90.39,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Tree were blown down near Hazlehurst." +113684,681760,MISSISSIPPI,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-03 00:10:00,CST-6,2017-04-03 00:25:00,0,0,0,0,100.00K,100000,0.00K,0,31.6144,-90.487,31.58,-90.44,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down across the county and in Brookhaven. Two trees were blown down on homes along West Lincoln Drive and Dunn Ratliff Road." +113684,681761,MISSISSIPPI,2017,April,Thunderstorm Wind,"COPIAH",2017-04-03 00:29:00,CST-6,2017-04-03 00:29:00,0,0,0,0,10.00K,10000,0.00K,0,31.98,-90.35,31.98,-90.35,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down near Crystal Springs." +113684,681762,MISSISSIPPI,2017,April,Hail,"COPIAH",2017-04-03 00:32:00,CST-6,2017-04-03 00:32:00,0,0,0,0,10.00K,10000,0.00K,0,32,-90.34,32,-90.34,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Ping pong ball sized hail fell on the east side of Crystal Springs." +113684,681763,MISSISSIPPI,2017,April,Thunderstorm Wind,"COPIAH",2017-04-03 00:35:00,CST-6,2017-04-03 00:35:00,0,0,0,0,0.00K,0,0.00K,0,32.04,-90.3,32.04,-90.3,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This was 4 miles south of Terry." +115032,690586,MISSISSIPPI,2017,April,Tornado,"NESHOBA",2017-04-30 09:17:00,CST-6,2017-04-30 09:18:00,0,0,0,0,20.00K,20000,0.00K,0,32.6869,-89.0975,32.6882,-89.0928,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado touched down just southwest of County Road 505. Along this road it snapped a few softwood trees, one of which fell onto a power line. A flag pole was also bent in half. It also caused damage to the skirting of a mobile home of a storm spotter, who observed this tornado. The tornado crossed this road and lifted in a field to the northeast. The maximum estimated wind speed with this tornado was 85 mph." +113684,681765,MISSISSIPPI,2017,April,Flash Flood,"LAUDERDALE",2017-04-03 01:00:00,CST-6,2017-04-03 02:30:00,0,0,0,0,6.00K,6000,0.00K,0,32.36,-88.74,32.3701,-88.7415,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Parts of Old Highway 80 and 65th street was flooded." +113684,681766,MISSISSIPPI,2017,April,Thunderstorm Wind,"JEFFERSON DAVIS",2017-04-03 01:00:00,CST-6,2017-04-03 01:00:00,0,0,0,0,4.00K,4000,0.00K,0,31.6635,-89.8634,31.6635,-89.8634,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A couple of trees were blown down on Golden Pine and Highway 13 North." +113684,681767,MISSISSIPPI,2017,April,Thunderstorm Wind,"SMITH",2017-04-03 01:30:00,CST-6,2017-04-03 01:30:00,0,0,0,0,3.00K,3000,0.00K,0,31.81,-89.59,31.81,-89.59,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A tree was blown down along Highway 35." +113684,681768,MISSISSIPPI,2017,April,Thunderstorm Wind,"JONES",2017-04-03 01:54:00,CST-6,2017-04-03 01:58:00,0,0,0,0,25.00K,25000,0.00K,0,31.7567,-89.2744,31.7502,-89.2668,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down around Soso. A tree was blown down across Highway 28 and a car ran into it." +113684,681770,MISSISSIPPI,2017,April,Thunderstorm Wind,"JASPER",2017-04-03 02:10:00,CST-6,2017-04-03 02:10:00,0,0,0,0,5.00K,5000,0.00K,0,31.88,-88.98,31.88,-88.98,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down." +112959,674972,ALABAMA,2017,January,Flash Flood,"RUSSELL",2017-01-02 18:00:00,CST-6,2017-01-02 21:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2877,-85.4318,32.479,-84.9989,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","Reports of vehicles under water in Phenix City and a few homes and businesses experiencing flooding in the town of Hurtsboro." +114317,684953,TEXAS,2017,April,Tornado,"WOOD",2017-04-29 19:48:00,CST-6,2017-04-29 19:49:00,0,0,0,0,30.00K,30000,0.00K,0,32.6496,-95.4439,32.6516,-95.4394,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","An EF-1 tornado with maximum estimated winds between 100-110 mph touched down east of Highway 69 just east of Mineola along County Road 2700, where several trees were snapped and uprooted along its path. One large oak tree fell onto a home along County Road 2740, before the tornado lifted before crossing Highway 80." +114317,684956,TEXAS,2017,April,Thunderstorm Wind,"RED RIVER",2017-04-29 19:42:00,CST-6,2017-04-29 19:42:00,0,0,0,0,0.00K,0,0.00K,0,33.575,-95.0471,33.575,-95.0471,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms originally produced the deadly Canton tornado in Van Zandt County in addition to several other tornadoes across Henderson, Van Zandt, and Rains Counties, with some of these supercell thunderstorms also producing two brief tornadoes over Northwest Smith and Western Wood Counties. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. The storms exited the region prior to daybreak on April 30th.","Trees were blown down along Farm to Market Road 910." +118923,714416,MISSOURI,2017,May,Flood,"CRAWFORD",2017-05-01 00:00:00,CST-6,2017-05-02 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.0159,-91.4338,38.1982,-91.1511,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Meramec River rose well above major flood stage at Steelville due to very heavy rain that fell across the river basin. Numerous roads along the flow of the river were flooded as well as a number of camp grounds, as well as, a couple of hotels." +113684,681774,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-03 02:15:00,CST-6,2017-04-03 02:40:00,0,0,0,0,10.00K,10000,0.00K,0,32.37,-88.71,32.37,-88.71,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A few trees were blown down in Meridian, including one that fell onto a powerline." +115032,699218,MISSISSIPPI,2017,April,Thunderstorm Wind,"HINDS",2017-04-30 07:06:00,CST-6,2017-04-30 07:08:00,0,0,0,0,30.00K,30000,0.00K,0,32.1115,-90.6052,32.1505,-90.5875,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","Few trees and large branches snapped from just northeast of Utica to along Newman Road. A few homes were also damaged in the Utica area." +115032,690483,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:14:00,CST-6,2017-04-30 07:15:00,0,0,0,0,20.00K,20000,0.00K,0,32.3406,-90.6617,32.3464,-90.6583,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started just south of Hwy 80 just to the west of Edwards where large tree branches were broken and a few trees uprooted. The tornado traveled north and reached its peak intensity and width as it crossed I-20 in Warren County, where hardwood trees were uprooted. The tornado continued north across Armory Road and Freetown Road snapping additional large tree branches before dissipating on the north side of Freetown Road. The total path length was 2.75 miles and total width was 900 yards. Maximum wind speeds for this tornado was 94 mph." +116395,699957,NEW YORK,2017,May,Thunderstorm Wind,"SCHENECTADY",2017-05-18 18:56:00,EST-5,2017-05-18 18:56:00,0,0,0,0,,NaN,,NaN,42.8309,-73.9004,42.8309,-73.9004,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees and wires were downed just west of Balltown Road." +116395,699958,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:47:00,EST-5,2017-05-18 18:47:00,0,0,0,0,,NaN,,NaN,43.0512,-73.7325,43.0512,-73.7325,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees were downed between Lake Lonely and Saratoga Lake." +113684,682249,MISSISSIPPI,2017,April,Thunderstorm Wind,"CLARKE",2017-04-03 02:28:00,CST-6,2017-04-03 02:37:00,0,0,0,0,100.00K,100000,0.00K,0,31.94,-88.73,32.04,-88.72,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down on County Roads 280, 514, 140, 690, 680 and 481. A tree and power lines were blown down on County Road 430. Several trees were blown down on Highway 18 east, including a large oak tree that had blown down on a house. A tree was blown down at the intersection of County Roads 341 and 150. A tree was blown down on Highway 18 near Buckatunna Creek Bridge which had both lanes blocked. Several trees and power lines were blown down on County Road 250." +115032,690575,MISSISSIPPI,2017,April,Tornado,"CARROLL",2017-04-30 08:51:00,CST-6,2017-04-30 08:55:00,0,0,0,0,40.00K,40000,0.00K,0,33.2553,-89.7662,33.2828,-89.7347,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began near Hudson Creek in southern Carroll County. As it tracked north northeast toward Beatty, it uprooted trees and downed some powerlines along County Road 33. As it crossed County Road 27, it continued to uproot some softwood trees and tore a few shingles off of a home. The tornado dissipated along Highway 51 north of Beatty. The maximum estimated wind speed with this tornado was 80 mph." +115032,692098,MISSISSIPPI,2017,April,Tornado,"CARROLL",2017-04-30 08:47:00,CST-6,2017-04-30 08:49:00,0,0,0,0,10.00K,10000,0.00K,0,33.2481,-89.8721,33.2558,-89.8588,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began just to the southwest of Sudbeck Road and downed hardwood trees in this area. It then continued northeast, snapping tree limbs and uprooting a few trees along its path in the northern part of Holmes County. The tornado then crossed into Carroll County and dissipated along Highway 37. The total path length for this tornado was 9.16 miles. The maximum estimated wind speed was 90mph and the maximum width was 400 yards, both of which occurred in Holmes County." +116310,699329,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-01 21:07:00,EST-5,2017-05-01 21:07:00,0,0,0,0,,NaN,,NaN,42.78,-73.43,42.78,-73.43,"An unseasonably strong low pressure system moved from the Upper Midwest into the western Great Lakes on May 1. A line of thunderstorms formed ahead of the system's cold front during the morning hours over Ohio, causing a broad swath of wind damage as it moved into Pennsylvania and New York. The line entered eastern New York around 7:30 pm, resulting in wind damage in the Southern Adirondacks, Mohawk Valley, Capital District, Schoharie Valley, and Lake George Saratoga region. The line weakened after 10:00 pm. ||The strong winds brought down numerous trees and wires and resulted in thousands of customers losing power. The counties of Saratoga, Warren, and Washington were especially hard-hit, with around 10,000 customers losing power. In addition, an 80 mph gust was recorded in Schoharie County.","A tree was reported down from thunderstorm winds." +112838,674200,TEXAS,2017,February,High Wind,"MOORE",2017-02-23 13:23:00,CST-6,2017-02-23 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112838,674201,TEXAS,2017,February,High Wind,"OLDHAM",2017-02-23 13:23:00,CST-6,2017-02-23 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112838,674202,TEXAS,2017,February,High Wind,"POTTER",2017-02-23 13:23:00,CST-6,2017-02-23 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112838,674203,TEXAS,2017,February,High Wind,"RANDALL",2017-02-23 13:23:00,CST-6,2017-02-23 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112838,674204,TEXAS,2017,February,High Wind,"DEAF SMITH",2017-02-23 13:23:00,CST-6,2017-02-23 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +118252,710678,IOWA,2017,June,Tornado,"PAGE",2017-06-28 15:21:00,CST-6,2017-06-28 15:28:00,0,0,0,0,,NaN,,NaN,40.7518,-95.2898,40.7436,-95.2515,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","A second weaker tornado from the same Supercell storm formed 4 miles east of Shenandoah and moved east southeast for a little over 2 miles. Most of the damage was limited to flattened corn and tree trunks being snapped by the tornado." +120797,723422,OHIO,2017,November,Flood,"MARION",2017-11-18 19:00:00,EST-5,2017-11-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6746,-83.2983,40.5817,-83.437,"On Saturday the 18th of November an area of low pressure moved over the lower Great Lakes. A warm front lifted into the area during the morning hours with an initial round of rain showers. Warm and moisture rich air moved into the region behind the warm front with temperatures warmed into the 50s to even 60s with dew points in the 50s. The area received between 1 1/2 to 2 inches of rain south of OH-30 in Marion, Morrow, Knox, and Richland Counties during the early morning hours through midday. This was soon followed by another round of rain associated with a strong cold frontal passage in the afternoon and evening. Some moderate to heavy rain was imbedded within a large swath of rain, especially south of State Route OH-30 where the heavier rain lingered longer. Rainfall totals for the event averaged 2 to 3 inches, with reports upwards of 3.75 inches. River levels at the onset of the rain were low which allowed for several additional hours response time for the onset of riverine flooding. The overland flooding concerns were greatly improved by Monday morning of the 20th, while some of the larger stem rivers remained in flood through mid week. The most notable river flooding occurred on the Blanchard River at Findlay and the Portage River at Woodville where both locations were inches from major flood stage. A flood watch was issued at 949 am Saturday morning lasting through the evening. Numerous areal and river flood warnings were also issued.","Moderate to heavy rain fell over Marion County in two waves on November 18th. The first round of rain was during the morning when about an inch and a half fell. By the afternoon another round of showers with another inch to inch and a half fell. Rainfall totals from the area were 3.12 inches in Prospect, 2.50 inches in La Rue, and 2.12 inches in Marion. Widespread overland flooding occurred with numerous road closures. The hardest hit area was in the southern part of the county according to the County Engineer. The runoff resulted in several days of minor flooding along the Scioto River in La Rue, Green Camp, and Prospect. |Some of the roads closed included:|��� Morral Kirkpatrick Road between Ohio 231 and Powell Road, just east of Morral|��� Irvin Shoots Road between Hillman Ford Road and Ohio 423, north of Marion|��� Linn Hipsher Road between Caledonia Northern and Lyons roads, just north of Caledonia|��� Decliff Road between Ohio 95 and Agosta La Rue Road, just west of New Bloomington|��� Hillman Ford Road between Pleasant Hill and Marion Williamsport roads and between Kenton Galion and Pleasant Hill roads, northwest of Marion|��� Pleasant Hill Road between Hillman Ford and Holland roads, northwest of Marion|��� Holland Road between Marion Williamsport Road and Ohio 309, just west of Marion." +118380,711379,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:22:00,CST-6,2017-06-12 05:22:00,0,0,0,0,,NaN,,NaN,40.87,-96.82,40.87,-96.82,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +118380,711381,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 06:15:00,CST-6,2017-06-12 06:15:00,0,0,0,0,,NaN,,NaN,40.73,-96.71,40.73,-96.71,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","Ping-pong ball size hail caused damage to crops in the south part of Lincoln." +112310,722839,PENNSYLVANIA,2017,February,Winter Storm,"UPPER BUCKS",2017-02-09 04:00:00,EST-5,2017-02-09 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Some higher reported snowfall totals include 6.5 inches in Upper Black Eddy, and 5.0 inches in Perkasie." +117858,708340,IOWA,2017,July,Hail,"CLAYTON",2017-07-12 08:20:00,CST-6,2017-07-12 08:20:00,0,0,0,0,0.00K,0,0.00K,0,42.8,-91.54,42.8,-91.54,"A second round of thunderstorms in less than 24 hours moved across portions of northeast Iowa on the morning of July 12th. Quarter to golf ball sized hail fell in Volga and Osterdock (Clayton County).","Quarter sized hail was reported in Volga." +117858,708345,IOWA,2017,July,Hail,"CLAYTON",2017-07-12 08:50:00,CST-6,2017-07-12 08:50:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-91.1,42.75,-91.1,"A second round of thunderstorms in less than 24 hours moved across portions of northeast Iowa on the morning of July 12th. Quarter to golf ball sized hail fell in Volga and Osterdock (Clayton County).","" +117858,708350,IOWA,2017,July,Hail,"FAYETTE",2017-07-12 16:44:00,CST-6,2017-07-12 16:44:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-92.06,42.78,-92.06,"A second round of thunderstorms in less than 24 hours moved across portions of northeast Iowa on the morning of July 12th. Quarter to golf ball sized hail fell in Volga and Osterdock (Clayton County).","" +117859,708355,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-12 17:08:00,CST-6,2017-07-12 17:08:00,0,0,0,0,5.00K,5000,0.00K,0,43.56,-90.89,43.56,-90.89,"Thunderstorms developed over western Wisconsin during the late afternoon and early evening of July 12th. These storms blew down trees and dropped ping pong ball sized hail northwest of La Farge (Vernon County), produced golf ball sized hail in Cutler (Juneau County) and blew down trees west of Brooks (Adams County).","The roof of a metal building was damaged from wind gusts." +117859,708359,WISCONSIN,2017,July,Hail,"VERNON",2017-07-12 17:18:00,CST-6,2017-07-12 17:18:00,0,0,0,0,0.00K,0,0.00K,0,43.6314,-90.7148,43.6314,-90.7148,"Thunderstorms developed over western Wisconsin during the late afternoon and early evening of July 12th. These storms blew down trees and dropped ping pong ball sized hail northwest of La Farge (Vernon County), produced golf ball sized hail in Cutler (Juneau County) and blew down trees west of Brooks (Adams County).","Ping pong ball sized hail fell northwest of La Farge." +117859,708362,WISCONSIN,2017,July,Thunderstorm Wind,"ADAMS",2017-07-12 18:38:00,CST-6,2017-07-12 18:38:00,0,0,0,0,2.00K,2000,0.00K,0,43.83,-89.71,43.83,-89.71,"Thunderstorms developed over western Wisconsin during the late afternoon and early evening of July 12th. These storms blew down trees and dropped ping pong ball sized hail northwest of La Farge (Vernon County), produced golf ball sized hail in Cutler (Juneau County) and blew down trees west of Brooks (Adams County).","A tree was blown down onto a power line west of Brooks." +119984,719027,MAINE,2017,July,Flash Flood,"SOMERSET",2017-07-17 18:30:00,EST-5,2017-07-17 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,45.6202,-70.2571,45.6201,-70.2569,"A line of thunderstorms moving across Somerset County produced heavy rain and flash flooding near Jackman.","Thunderstorms produced 2.88 inches of rain in 2 hours in Jackman resulting in a road washout." +119689,717882,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-02 18:25:00,CST-6,2017-08-02 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.1718,-100.9693,40.1718,-100.9693,"Hail up to half dollar size was reported in Trenton. The storm continued to produce large hail east of town.","" +119892,718693,KANSAS,2017,August,Hail,"NORTON",2017-08-09 17:30:00,CST-6,2017-08-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8124,-99.7214,39.8124,-99.7214,"Hail up to half dollar size was reported from a thunderstorm that moved near Almena.","" +119894,718694,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-12 19:40:00,CST-6,2017-08-12 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.2608,-101.278,40.2608,-101.278,"A thunderstorm moving across Hitchcock county produced large hail. The largest reported hail was hen egg size.","" +120100,719579,KANSAS,2017,August,Hail,"CHEYENNE",2017-08-14 16:03:00,CST-6,2017-08-14 16:03:00,0,0,0,0,0.00K,0,0.00K,0,39.9328,-101.5046,39.9328,-101.5046,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","" +120100,719580,KANSAS,2017,August,Hail,"RAWLINS",2017-08-14 16:28:00,CST-6,2017-08-14 16:28:00,0,0,0,0,0.00K,0,0.00K,0,39.7846,-101.3712,39.7846,-101.3712,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","" +120100,719581,KANSAS,2017,August,Hail,"CHEYENNE",2017-08-14 16:15:00,CST-6,2017-08-14 16:50:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-101.53,39.75,-101.53,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","The hail size ranged from quarter to half dollar in size. Hail in town was up to three inches deep." +120052,719403,SOUTH DAKOTA,2017,August,Funnel Cloud,"MINNEHAHA",2017-08-13 17:13:00,CST-6,2017-08-13 17:13:00,0,0,0,0,0.00K,0,0.00K,0,43.72,-96.5,43.72,-96.5,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","Social Media report." +120052,719405,SOUTH DAKOTA,2017,August,Hail,"DOUGLAS",2017-08-13 14:51:00,CST-6,2017-08-13 14:51:00,0,0,0,0,0.00K,0,0.00K,0,43.31,-98.36,43.31,-98.36,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","" +120052,719406,SOUTH DAKOTA,2017,August,Hail,"DOUGLAS",2017-08-13 15:08:00,CST-6,2017-08-13 15:08:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-98.25,43.25,-98.25,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","" +120052,719407,SOUTH DAKOTA,2017,August,Hail,"HANSON",2017-08-13 15:24:00,CST-6,2017-08-13 15:24:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-97.85,43.51,-97.85,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","" +120052,719408,SOUTH DAKOTA,2017,August,Hail,"CHARLES MIX",2017-08-13 16:24:00,CST-6,2017-08-13 16:24:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-98.18,43.08,-98.18,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","" +120052,719409,SOUTH DAKOTA,2017,August,Hail,"MOODY",2017-08-13 16:56:00,CST-6,2017-08-13 16:56:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-96.7,43.91,-96.7,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","" +115344,692575,ARKANSAS,2017,April,Hail,"HOT SPRING",2017-04-26 14:05:00,CST-6,2017-04-26 14:05:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-92.72,34.4,-92.72,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115344,692576,ARKANSAS,2017,April,Hail,"SALINE",2017-04-26 14:18:00,CST-6,2017-04-26 14:18:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-92.64,34.51,-92.64,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +116204,698546,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-07-02 13:20:00,CST-6,2017-07-02 13:20:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"An isolated strong thunderstorm produced strong winds at the Kenosha shore line during the afternoon.","Kenosha lakeshore station measured strong winds as a thunderstorm passed through the area." +116233,698840,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-07-07 17:11:00,CST-6,2017-07-07 17:11:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"During the late afternoon and early evening on July 7th, a severe thunderstorm produced strong winds over the near shore waters of Lake Michigan between Sheboygan and Port Washington.","Sheboygan lakeshore weather station measured a wind gust to 36 knots as the thunderstorm passed across the area." +112308,673114,NEW JERSEY,2017,February,Winter Weather,"WESTERN OCEAN",2017-02-09 16:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 3.8 inches were measured in Jacson Township during the morning of Feb 9." +112308,673115,NEW JERSEY,2017,February,Winter Weather,"WESTERN OCEAN",2017-02-09 16:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 3.8 inches were measured in Jacson Township during the morning of Feb 9." +120238,720480,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 16:00:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2018,-67.1413,18.2017,-67.141,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Car flooded in Calle Mendez Vigo near Popular Center." +120238,720485,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-20 14:27:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18,-66.0085,18.0001,-66.0075,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in residences located along Calle Esmeralda in the Urbanization of Villas de Patilla." +120238,720490,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-20 14:33:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1934,-67.1428,18.1941,-67.1426,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported along Calle Alemany." +114174,685466,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-20 12:25:00,MST-7,2017-02-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 20/1350 MST." +114174,685465,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-20 11:25:00,MST-7,2017-02-20 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 20/1400 MST." +115314,692344,CALIFORNIA,2017,April,Flood,"ALAMEDA",2017-04-07 05:35:00,PST-8,2017-04-07 06:35:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-122.27,37.8204,-122.2686,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Roadway flooding reported on EB 980 to EB 580, 6 inches deep 2-3 ft into lane." +117185,704856,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-07-12 07:56:00,CST-6,2017-07-12 07:56:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"During the morning of July 12th, scattered strong thunderstorms affected the near shore waters of Lake Michigan south of North Point Light. These thunderstorms caused strong wind gusts.","Mesonet station located on Racine Reef measured a wind gust of 41 knots as the thunderstorms passed by." +117186,704859,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"PT WASHINGTON TO NORTH PT LT WI",2017-07-19 21:50:00,CST-6,2017-07-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,43.388,-87.868,43.388,-87.868,"During the late evening of July 19th, a line of strong thunderstorms moved across the near shore waters causing strong wind gusts.","Port Washington harbor weather station measured 10 minutes of 35-36 knot gusts as the thunderstorms passed through." +117186,704861,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-07-19 22:20:00,CST-6,2017-07-19 22:26:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"During the late evening of July 19th, a line of strong thunderstorms moved across the near shore waters causing strong wind gusts.","Milwaukee harbor weather station measured 6 minutes of wind gusts of 34 to 38 knots as the thunderstorms moved through the area." +117186,704862,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-07-19 23:00:00,CST-6,2017-07-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"During the late evening of July 19th, a line of strong thunderstorms moved across the near shore waters causing strong wind gusts.","Kenosha harbor weather station measured a wind gust of 35 knots as the storms moved through the area." +120056,719507,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:41:00,CST-6,2017-08-18 19:41:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-95.52,43.18,-95.52,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +114174,685467,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-20 14:30:00,MST-7,2017-02-20 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +114174,685468,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-20 11:45:00,MST-7,2017-02-20 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 20/1345 MST." +121162,725328,OKLAHOMA,2017,October,Hail,"COMANCHE",2017-10-21 17:00:00,CST-6,2017-10-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-98.79,34.63,-98.79,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Location is approximate." +112873,674281,TEXAS,2017,February,High Wind,"DALLAM",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +117750,707974,WISCONSIN,2017,July,Hail,"MONROE",2017-07-09 21:57:00,CST-6,2017-07-09 21:57:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-90.84,44.09,-90.84,"A line of thunderstorms moved across portions of western Wisconsin during the evening of July 9th. Some of these storms dropped penny to nickel sized hail near Sparta and Cataract (Monroe County).","" +117794,708136,IOWA,2017,July,Hail,"CLAYTON",2017-07-11 20:17:00,CST-6,2017-07-11 20:17:00,0,0,0,0,0.00K,0,0.00K,0,42.86,-91.4,42.86,-91.4,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","" +117794,708140,IOWA,2017,July,Thunderstorm Wind,"CLAYTON",2017-07-11 20:35:00,CST-6,2017-07-11 20:35:00,0,0,0,0,5.00K,5000,0.00K,0,42.86,-91.4,42.86,-91.4,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Power lines were blown down in Elkader." +117794,708141,IOWA,2017,July,Hail,"CLAYTON",2017-07-11 20:50:00,CST-6,2017-07-11 20:50:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-91.24,42.87,-91.24,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","" +113862,681887,MICHIGAN,2017,February,Winter Weather,"ONTONAGON",2017-02-23 02:00:00,EST-5,2017-02-23 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a cold front brought moderate wet snow to portions of west and central Upper Michigan from the 22nd into the 23rd.","The observer at Paulding measured six inches of wet snow during the early morning of the 23rd." +113862,681890,MICHIGAN,2017,February,Winter Weather,"MARQUETTE",2017-02-23 02:00:00,EST-5,2017-02-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a cold front brought moderate wet snow to portions of west and central Upper Michigan from the 22nd into the 23rd.","There was a report of an estimated five inches of wet snow at Republic during the early morning of the 23rd." +113864,681905,MICHIGAN,2017,February,Winter Storm,"NORTHERN HOUGHTON",2017-02-24 07:00:00,EST-5,2017-02-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There were public reports via social media of 11 inches of snow in 24 hours at both Hancock and Painesdale." +115344,692567,ARKANSAS,2017,April,Thunderstorm Wind,"YELL",2017-04-26 08:56:00,CST-6,2017-04-26 08:56:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-93.39,35.05,-93.39,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Trees were reported down throughout Danville." +115344,692568,ARKANSAS,2017,April,Thunderstorm Wind,"YELL",2017-04-26 09:08:00,CST-6,2017-04-26 09:08:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-93.17,35.23,-93.17,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Several trees were reported down in Dardanelle." +113864,681908,MICHIGAN,2017,February,Winter Storm,"MARQUETTE",2017-02-24 07:00:00,EST-5,2017-02-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a report via social media of ten inches of snow in 24 hours just northwest of the McClure Storage Basin off County Road 510 and also a ten inch snowfall report in 24 hours in the National Weather Service in Negaunee Township." +113864,681913,MICHIGAN,2017,February,Winter Weather,"IRON",2017-02-24 09:00:00,CST-6,2017-02-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a public report of 6.5 inches of snow in 24 hours at Crystal Falls." +113864,681915,MICHIGAN,2017,February,Winter Weather,"ALGER",2017-02-24 11:00:00,EST-5,2017-02-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a public report of six inches of snow in Munising over 24 hours." +113862,681925,MICHIGAN,2017,February,Winter Weather,"DELTA",2017-02-22 08:00:00,EST-5,2017-02-23 08:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a cold front brought moderate wet snow to portions of west and central Upper Michigan from the 22nd into the 23rd.","There was a report of around two inches of slushy snow on the highways in Delta County when a one vehicle fatal accident occurred at approximately 8 am on the 23rd. The driver and lone occupant of the vehicle lost control of his vehicle on County Road 416 in Cornell due to the slippery roads. The vehicle left the roadway and collided with several trees on the east side of the road." +115344,692569,ARKANSAS,2017,April,Hail,"YELL",2017-04-26 09:14:00,CST-6,2017-04-26 09:14:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-93.17,35.12,-93.17,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","This was an MPing report." +115344,692573,ARKANSAS,2017,April,Thunderstorm Wind,"CONWAY",2017-04-26 09:30:00,CST-6,2017-04-26 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-92.82,35.22,-92.82,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Numerous trees were reported down." +115344,692574,ARKANSAS,2017,April,Thunderstorm Wind,"CONWAY",2017-04-26 09:39:00,CST-6,2017-04-26 09:39:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-92.75,35.34,-92.75,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Trees were reported down." +119960,718989,PUERTO RICO,2017,August,Flood,"SAN JUAN",2017-08-17 08:20:00,AST-4,2017-08-17 09:45:00,0,0,0,0,0.00K,0,0.00K,0,18.4325,-66.0438,18.4337,-66.047,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","Rexach Avenue in Barrio Obrero flooded in direction toward Cantera." +119960,718991,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-17 09:30:00,AST-4,2017-08-17 11:15:00,0,0,0,0,0.00K,0,0.00K,0,18.0026,-66.0131,18.0028,-66.012,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR 3 in front of the Burger King and Church's rest was flooded." +120238,720407,PUERTO RICO,2017,August,Flash Flood,"AGUADA",2017-08-20 16:19:00,AST-4,2017-08-20 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3768,-67.1937,18.3762,-67.1911,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Person was swept away by a river that intersects Road PR-411 KM 2 in Barrio Guayabo, one mile from Pico de Piedra Beach." +120238,720414,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 15:27:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1594,-67.1444,18.1531,-67.1433,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported on Road PR-2 where a person was trapped inside a vehicle." +120238,720472,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-20 15:16:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18.0023,-66.0382,18.0063,-66.0316,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported along Road PR-755 near KM 2.6 in Barrio Cacao Bajo." +120049,719389,IOWA,2017,August,Hail,"OSCEOLA",2017-08-01 15:48:00,CST-6,2017-08-01 15:48:00,0,0,0,0,0.00K,0,0.00K,0,43.48,-95.69,43.48,-95.69,"Isolated thunderstorms moved into portions of northwest Iowa and produced locally severe-sized hail.","Social Media report." +120049,719390,IOWA,2017,August,Hail,"OSCEOLA",2017-08-01 16:01:00,CST-6,2017-08-01 16:01:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-95.7,43.43,-95.7,"Isolated thunderstorms moved into portions of northwest Iowa and produced locally severe-sized hail.","" +120050,719394,SOUTH DAKOTA,2017,August,Hail,"LINCOLN",2017-08-01 15:04:00,CST-6,2017-08-01 15:04:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-96.73,43.49,-96.73,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","Social Media report." +120050,719395,SOUTH DAKOTA,2017,August,Hail,"LINCOLN",2017-08-01 15:05:00,CST-6,2017-08-01 15:05:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-96.71,43.49,-96.71,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","" +120050,719397,SOUTH DAKOTA,2017,August,Hail,"LINCOLN",2017-08-01 15:07:00,CST-6,2017-08-01 15:07:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-96.7,43.43,-96.7,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","" +120050,719398,SOUTH DAKOTA,2017,August,Hail,"LINCOLN",2017-08-01 15:10:00,CST-6,2017-08-01 15:10:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-96.7,43.43,-96.7,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","Social Media report." +120050,719399,SOUTH DAKOTA,2017,August,Hail,"MINNEHAHA",2017-08-01 15:25:00,CST-6,2017-08-01 15:25:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.46,43.54,-96.46,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","Social Media Report." +120050,719400,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"BRULE",2017-08-01 13:03:00,CST-6,2017-08-01 13:03:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-99.17,43.52,-99.17,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","A few tree limbs knocked down." +116203,698545,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-07-07 00:01:00,CST-6,2017-07-07 00:01:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"Shortly after midnight local time, a strong thunderstorm affected the near shore waters of Lake Michigan south of Wind Point, producing strong winds.","Mesonet station located on Racine Reef measured a wind gust to 36 knots as the storm moved through." +117352,706230,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:45:00,CST-6,2017-07-06 19:45:00,0,0,0,0,0.00K,0,0.00K,0,43.79,-91.04,43.79,-91.04,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Ping pong ball sized hail was reported in St. Joseph." +117352,706232,WISCONSIN,2017,July,Hail,"MONROE",2017-07-06 19:45:00,CST-6,2017-07-06 19:45:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-90.5,44.13,-90.5,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported in Warrens." +117352,706246,WISCONSIN,2017,July,Hail,"MONROE",2017-07-06 19:55:00,CST-6,2017-07-06 19:55:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-90.4,44.05,-90.4,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported northeast of Tomah." +120238,720474,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-20 15:13:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,17.9924,-65.9708,17.9961,-65.9671,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in Road PR-758 NEAR KM 3 in Barrio Jacaboa." +120238,720475,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-20 15:02:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1792,-67.1423,18.1793,-67.1417,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported along Calle Juilo Martinez, located near Panaderia Sultan." +120238,720476,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 14:25:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1813,-67.1336,18.1807,-67.1314,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported near residences located along Road PR-348 KM 1.6 near Camino Celestino Rodriguez in Barrio Rio Hondo." +120238,720478,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 18:18:00,AST-4,2017-08-20 18:18:00,0,0,0,0,0.00K,0,0.00K,0,18.1804,-67.1496,18.181,-67.1482,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in the apartments of the first level near a public residence in Jardines de Mayaguez Residence, located across the street from an Econo Supermarket." +112575,671686,MARYLAND,2017,February,Hail,"TALBOT",2017-02-25 16:40:00,EST-5,2017-02-25 16:40:00,0,0,0,0,,NaN,,NaN,38.77,-76.08,38.77,-76.08,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","Quarter size hail was measured." +112575,671689,MARYLAND,2017,February,Thunderstorm Wind,"CECIL",2017-02-25 16:00:00,EST-5,2017-02-25 16:00:00,0,0,0,0,,NaN,,NaN,39.7,-76.06,39.7,-76.06,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","A tree was blown down onto a roadway due to thunderstorm winds." +117352,706397,WISCONSIN,2017,July,Hail,"ADAMS",2017-07-06 20:18:00,CST-6,2017-07-06 20:18:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-89.76,43.97,-89.76,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported east of Adams." +117352,706398,WISCONSIN,2017,July,Thunderstorm Wind,"ADAMS",2017-07-06 20:40:00,CST-6,2017-07-06 20:40:00,0,0,0,0,3.00K,3000,0.00K,0,43.8,-89.65,43.8,-89.65,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Trees were blown down south of Brooks." +117352,706399,WISCONSIN,2017,July,Thunderstorm Wind,"ADAMS",2017-07-06 20:44:00,CST-6,2017-07-06 20:44:00,0,0,0,0,20.00K,20000,0.00K,0,43.78,-89.62,43.78,-89.62,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Power poles were broken southeast of Brooks." +117750,707973,WISCONSIN,2017,July,Hail,"MONROE",2017-07-09 21:48:00,CST-6,2017-07-09 21:55:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-90.81,43.97,-90.81,"A line of thunderstorms moved across portions of western Wisconsin during the evening of July 9th. Some of these storms dropped penny to nickel sized hail near Sparta and Cataract (Monroe County).","" +117352,705713,WISCONSIN,2017,July,Hail,"BUFFALO",2017-07-06 18:14:00,CST-6,2017-07-06 18:14:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-91.7,44.12,-91.7,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","" +117352,705716,WISCONSIN,2017,July,Hail,"ADAMS",2017-07-06 18:35:00,CST-6,2017-07-06 18:35:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-89.8,44.12,-89.8,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","" +117352,706215,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:10:00,CST-6,2017-07-06 19:10:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-91.22,43.96,-91.22,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","" +117352,706221,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:35:00,CST-6,2017-07-06 19:35:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-91.22,43.89,-91.22,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Ping pong sized hail fell in Onalaska." +117352,706224,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:38:00,CST-6,2017-07-06 19:38:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-91.18,43.88,-91.18,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported by a NWS employee in Onalaska." +117794,708332,IOWA,2017,July,Hail,"CLAYTON",2017-07-11 23:00:00,CST-6,2017-07-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-90.96,42.68,-90.96,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Quarter sized hail fell in North Buena Vista." +120196,720201,SOUTH DAKOTA,2017,August,Flash Flood,"MINNEHAHA",2017-08-21 12:38:00,CST-6,2017-08-21 12:38:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-96.73,43.5779,-96.7473,"Strong to severe thunderstorms moved through areas of southeast South Dakota producing hail, strong winds, and heavy rain. The heavy rain resulted in flooding roads and intersections.","" +120196,720202,SOUTH DAKOTA,2017,August,Flash Flood,"LINCOLN",2017-08-21 12:43:00,CST-6,2017-08-21 12:43:00,0,0,0,0,0.00K,0,0.00K,0,43.4721,-96.73,43.4695,-96.7477,"Strong to severe thunderstorms moved through areas of southeast South Dakota producing hail, strong winds, and heavy rain. The heavy rain resulted in flooding roads and intersections.","" +120196,720203,SOUTH DAKOTA,2017,August,Flash Flood,"LINCOLN",2017-08-21 11:31:00,CST-6,2017-08-21 11:31:00,0,0,0,0,0.00K,0,0.00K,0,43.4721,-96.73,43.4711,-96.7381,"Strong to severe thunderstorms moved through areas of southeast South Dakota producing hail, strong winds, and heavy rain. The heavy rain resulted in flooding roads and intersections.","" +120197,720205,NEBRASKA,2017,August,Flash Flood,"DIXON",2017-08-25 10:40:00,CST-6,2017-08-25 10:40:00,0,0,0,0,0.00K,0,0.00K,0,42.4507,-96.7884,42.4509,-96.8246,"Severe thunderstorms moved into northeast Nebraska and produced heavy rain that resulted in local County Roads being flooded.","" +120056,722574,IOWA,2017,August,Tornado,"OSCEOLA",2017-08-18 18:47:00,CST-6,2017-08-18 18:54:00,0,0,0,0,0.00K,0,100.00K,100000,43.5014,-95.7401,43.4812,-95.7234,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","The EF-1 tornado was responsible for mainly crop damage, as well as tress in and along shelter belts. The tornado dissipated shortly after crossing into Osceola county from Nobles county in southwest Minnesota." +119688,717880,KANSAS,2017,August,Hail,"RAWLINS",2017-08-02 19:40:00,CST-6,2017-08-02 19:40:00,0,0,0,0,0.00K,0,,NaN,39.82,-101.23,39.82,-101.23,"A thunderstorm near Beardsley produced hail ranging from pea to dime in size.","The wind driven hail severely damaged a corn field near town. The size of the field was not given." +119689,717881,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-02 18:25:00,CST-6,2017-08-02 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.175,-101.0127,40.175,-101.0127,"Hail up to half dollar size was reported in Trenton. The storm continued to produce large hail east of town.","" +120052,719410,SOUTH DAKOTA,2017,August,Hail,"BON HOMME",2017-08-13 17:45:00,CST-6,2017-08-13 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.8,-98.04,42.8,-98.04,"Widespread thunderstorms developed in southern South Dakota and moved east during the day.","A few nickels and quarters, but mainly dime-sized hail.." +120055,719415,MINNESOTA,2017,August,Hail,"LINCOLN",2017-08-18 16:54:00,CST-6,2017-08-18 16:54:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-96.28,44.26,-96.28,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","" +120055,719416,MINNESOTA,2017,August,Hail,"LYON",2017-08-18 17:00:00,CST-6,2017-08-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-95.89,44.39,-95.89,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","Also road flooding being reported in Lynd, MN via Social Media." +120055,719417,MINNESOTA,2017,August,Hail,"COTTONWOOD",2017-08-18 17:40:00,CST-6,2017-08-18 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-95.12,44.15,-95.12,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","" +120055,719418,MINNESOTA,2017,August,Hail,"MURRAY",2017-08-18 17:45:00,CST-6,2017-08-18 17:45:00,0,0,0,0,0.00K,0,0.00K,0,44,-95.95,44,-95.95,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","Pea to quarter size hail was reported." +120055,719419,MINNESOTA,2017,August,Hail,"NOBLES",2017-08-18 18:20:00,CST-6,2017-08-18 18:20:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-95.84,43.73,-95.84,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","" +120055,719420,MINNESOTA,2017,August,Hail,"NOBLES",2017-08-18 18:40:00,CST-6,2017-08-18 18:40:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-95.67,43.58,-95.67,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","" +120055,719422,MINNESOTA,2017,August,Hail,"NOBLES",2017-08-18 18:55:00,CST-6,2017-08-18 18:55:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-95.69,43.51,-95.69,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","" +120055,719427,MINNESOTA,2017,August,Tornado,"NOBLES",2017-08-18 18:37:00,CST-6,2017-08-18 18:43:00,0,0,0,0,0.00K,0,75.00K,75000,43.63,-95.82,43.6122,-95.8093,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","EF-1 tornado was responsible for mainly crop damage after crossing Interstate 90." +120056,719506,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:30:00,CST-6,2017-08-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-95.55,43.09,-95.55,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","Public report relayed by the media." +114174,685469,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-21 01:15:00,MST-7,2017-02-21 03:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 21/0325 MST." +114174,685470,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-21 01:30:00,MST-7,2017-02-21 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 21/0220 MST." +114174,685471,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-21 02:10:00,MST-7,2017-02-21 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 21/0245 MST." +117352,706247,WISCONSIN,2017,July,Hail,"ADAMS",2017-07-06 19:59:00,CST-6,2017-07-06 19:59:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-89.68,43.96,-89.68,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported north of Grand Marsh." +119960,718940,PUERTO RICO,2017,August,Flash Flood,"RIO GRANDE",2017-08-17 07:30:00,AST-4,2017-08-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4045,-65.8041,18.404,-65.8021,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR-955R access to Gran Melia Hotel was reported flooded due to a tributary of Rio Espiritu Santo out of its banks." +119960,718941,PUERTO RICO,2017,August,Flash Flood,"RIO GRANDE",2017-08-17 07:35:00,AST-4,2017-08-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3609,-65.7709,18.3611,-65.7685,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR-191 was flooded due to Rio Mameyes out of its banks." +119960,718943,PUERTO RICO,2017,August,Flash Flood,"LUQUILLO",2017-08-17 07:46:00,AST-4,2017-08-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3553,-65.7001,18.3551,-65.7014,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR-940 KM 0.1 reported flooded." +119960,718944,PUERTO RICO,2017,August,Flash Flood,"LUQUILLO",2017-08-17 08:10:00,AST-4,2017-08-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3717,-65.7634,18.3727,-65.762,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR 992 KM 0.5 flooded due to Rio Mameyes out of its banks." +115344,692570,ARKANSAS,2017,April,Thunderstorm Wind,"POPE",2017-04-26 09:15:00,CST-6,2017-04-26 09:15:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-93.14,35.27,-93.14,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Trees were reported down in Russellville." +115344,692572,ARKANSAS,2017,April,Hail,"POPE",2017-04-26 09:29:00,CST-6,2017-04-26 09:29:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-92.87,35.42,-92.87,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +119960,719005,PUERTO RICO,2017,August,Heavy Rain,"GUAYAMA",2017-08-17 10:19:00,AST-4,2017-08-17 11:15:00,0,0,0,0,0.00K,0,0.00K,0,18.0073,-66.1148,18,-66.1119,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","Mudslide in Barrio Olimpo at PR 179 k.m 1.2." +119960,719011,PUERTO RICO,2017,August,Flash Flood,"NAGUABO",2017-08-17 10:25:00,AST-4,2017-08-17 11:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2186,-65.7821,18.2193,-65.7834,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","Road flooded in sector Rio Blanco. Motorist stranded under a bridge." +120238,720401,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-20 16:18:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2029,-67.145,18.2026,-67.1445,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in Calle Candelaria in the Urbanization of Sabalos Gardens." +120056,719508,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:44:00,CST-6,2017-08-18 19:44:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-95.55,43.09,-95.55,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +120056,719509,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:44:00,CST-6,2017-08-18 19:44:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-95.56,43.09,-95.56,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +120056,719510,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:56:00,CST-6,2017-08-18 19:56:00,0,0,0,0,0.00K,0,0.00K,0,43.01,-95.52,43.01,-95.52,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +120056,719511,IOWA,2017,August,Hail,"O'BRIEN",2017-08-18 19:56:00,CST-6,2017-08-18 19:56:00,0,0,0,0,0.00K,0,0.00K,0,43.03,-95.49,43.03,-95.49,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +120056,719513,IOWA,2017,August,Hail,"CHEROKEE",2017-08-18 20:20:00,CST-6,2017-08-18 20:20:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-95.44,42.88,-95.44,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","" +119954,718922,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-10 16:30:00,AST-4,2017-08-10 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.154,-67.1455,18.1541,-67.1434,"Low-level moisture combined with daytime heating and local effects to generate showers and thunderstorms across portions of interior and southwest PR.","One lane along PR-2 was reported impassable between Mayaguez Mall and Road PR-100." +119958,718935,PUERTO RICO,2017,August,Flood,"HATILLO",2017-08-12 19:42:00,AST-4,2017-08-12 19:45:00,0,0,0,0,0.00K,0,0.00K,0,18.4821,-66.7685,18.4826,-66.7683,"Lingering moisture from a departing tropical wave combined with diurnal heating and local effects to produce showers and thunderstorms across northwest PR.","PR-2 from Hatillo to Arecibo inundated after Plaza del Norte." +119959,718937,PUERTO RICO,2017,August,Thunderstorm Wind,"PATILLAS",2017-08-16 21:20:00,AST-4,2017-08-16 21:20:00,0,0,0,0,1.00K,1000,0.00K,0,17.98,-65.9886,17.9784,-65.9828,"A strong tropical wave moved across the region producing heavy rainfall and thunderstorm activity.","A fallen tree over power lines was reported at Barrio Guardarraya, Lamboglia sector at PR-3, KM 119.4." +119960,718939,PUERTO RICO,2017,August,Flash Flood,"CEIBA",2017-08-17 06:57:00,AST-4,2017-08-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2638,-65.6952,18.2635,-65.6932,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","Residence flooded in Barrio Rio Abajo, Carretera 975 KM 1.7." +114174,685472,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-21 03:15:00,MST-7,2017-02-21 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher." +114174,685474,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE COUNTY",2017-02-21 02:45:00,MST-7,2017-02-21 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 21/0255 MST." +114174,685476,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE COUNTY",2017-02-21 01:30:00,MST-7,2017-02-21 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The wind sensor at the Cheyenne Airport measured a peak gust of 75 mph." +114174,685479,WYOMING,2017,February,High Wind,"EAST LARAMIE COUNTY",2017-02-21 08:40:00,MST-7,2017-02-21 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The WYDOT sensor at Gun Barrel measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 21/0950 MST." +114530,686856,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Battle Mountain SNOTEL site (elevation 7440 ft) estimated 16 inches of snow." +114530,686857,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 14 inches of snow." +114530,686858,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Little Snake River SNOTEL site (elevation 8915) estimated 12 inches of snow." +112575,671691,MARYLAND,2017,February,Thunderstorm Wind,"CECIL",2017-02-25 16:10:00,EST-5,2017-02-25 16:10:00,0,0,0,0,,NaN,,NaN,39.58,-75.98,39.58,-75.98,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","A tree was blown down due to thunderstorm winds." +112575,671692,MARYLAND,2017,February,Thunderstorm Wind,"KENT",2017-02-25 16:25:00,EST-5,2017-02-25 16:25:00,0,0,0,0,,NaN,,NaN,39.33,-76.05,39.33,-76.05,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","Trees down due to thunderstorm winds." +112308,673109,NEW JERSEY,2017,February,Winter Weather,"EASTERN MONMOUTH",2017-02-09 14:13:00,EST-5,2017-02-09 14:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 3.5 inches were measured in Neptune Township during the afternoon of Feb 9." +114388,685433,MARYLAND,2017,May,Thunderstorm Wind,"CECIL",2017-05-05 09:10:00,EST-5,2017-05-05 09:10:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-76.12,39.6,-76.12,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of thunderstorms traversed the state. In particular, a squall line of thunderstorms during the mid-morning hours produced sporadic wind damage in Cecil and Talbot counties, with reports of trees and large limbs down.","Two trees down at Rowland Road and Liberty Grove Road." +120049,719391,IOWA,2017,August,Hail,"OSCEOLA",2017-08-01 16:26:00,CST-6,2017-08-01 16:26:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-95.73,43.42,-95.73,"Isolated thunderstorms moved into portions of northwest Iowa and produced locally severe-sized hail.","" +120049,719392,IOWA,2017,August,Hail,"DICKINSON",2017-08-01 17:08:00,CST-6,2017-08-01 17:08:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-94.99,43.43,-94.99,"Isolated thunderstorms moved into portions of northwest Iowa and produced locally severe-sized hail.","" +120049,719393,IOWA,2017,August,Hail,"DICKINSON",2017-08-01 17:18:00,CST-6,2017-08-01 17:18:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-94.96,43.38,-94.96,"Isolated thunderstorms moved into portions of northwest Iowa and produced locally severe-sized hail.","The ground was covered by the hail." +120050,719401,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"HUTCHINSON",2017-08-01 14:40:00,CST-6,2017-08-01 14:40:00,0,0,0,0,0.00K,0,0.00K,0,43.22,-97.95,43.22,-97.95,"Isolated thunderstorms developed in south central South Dakota and gradually moved into the southeast portions of the State.","A 12 inch diameter tree was also knocked over as the ground was saturated." +120056,719515,IOWA,2017,August,Tornado,"CHEROKEE",2017-08-18 20:21:00,CST-6,2017-08-18 20:25:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-95.49,42.8398,-95.4822,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","Tornado resulted in minor crop and tree damage." +120056,719524,IOWA,2017,August,Thunderstorm Wind,"OSCEOLA",2017-08-18 18:54:00,CST-6,2017-08-18 18:54:00,0,0,0,0,0.00K,0,0.00K,0,43.46,-95.69,43.46,-95.69,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","Semi-tractor trailer overturned on Highway 60." +120151,719884,NEBRASKA,2017,August,Hail,"DIXON",2017-08-24 15:33:00,CST-6,2017-08-24 15:33:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-96.96,42.59,-96.96,"An isolated storm produced marginally severe hail in a small portion of northeast Nebraska.","" +120055,720197,MINNESOTA,2017,August,Thunderstorm Wind,"LYON",2017-08-18 16:35:00,CST-6,2017-08-18 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-95.99,44.56,-95.99,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","Peal size hail and very heavy rain occurred at the same time." +120055,720198,MINNESOTA,2017,August,Thunderstorm Wind,"LYON",2017-08-18 17:25:00,CST-6,2017-08-18 17:25:00,0,0,0,0,0.00K,0,0.00K,0,44.21,-95.76,44.21,-95.76,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","A few tree branches downed." +120055,720199,MINNESOTA,2017,August,Thunderstorm Wind,"MURRAY",2017-08-18 17:45:00,CST-6,2017-08-18 17:45:00,0,0,0,0,0.00K,0,0.00K,0,44,-95.95,44,-95.95,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","A few tree branches downed." +120195,720200,SOUTH DAKOTA,2017,August,Hail,"UNION",2017-08-19 20:26:00,CST-6,2017-08-19 20:26:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-96.69,42.76,-96.69,"An isolated thunderstorm developed in southeast South Dakota and became severe for a short period and produced hail before dissipating.","" +114530,686859,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 12 inches of snow." +114530,686860,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 14 inches of snow." +114530,686862,WYOMING,2017,February,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","Four to six inches of snow was observed from Arlington to Elk Mountain. Wind gusts of 45 to 55 mph created very low visibilities in blowing and drifting snow." +112838,674198,TEXAS,2017,February,High Wind,"SHERMAN",2017-02-23 14:23:00,CST-6,2017-02-23 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112838,674199,TEXAS,2017,February,High Wind,"HARTLEY",2017-02-23 14:23:00,CST-6,2017-02-23 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +120238,720492,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 14:38:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.204,-67.1506,18.204,-67.1504,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in residence along Calle Montalvo located in Barrio Dulces Labios." +120238,720493,PUERTO RICO,2017,August,Flash Flood,"SAN LORENZO",2017-08-20 13:41:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1893,-65.989,18.19,-65.9845,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in the Parcelas de Quemados section." +120238,720495,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-20 14:09:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2066,-67.1396,18.207,-67.1385,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding along Road PR-65 towards Road PR-108 across from Parque Los Proceres." +112219,669155,HAWAII,2017,January,High Surf,"MOLOKAI LEEWARD",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669156,HAWAII,2017,January,High Surf,"MAUI WINDWARD WEST",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669157,HAWAII,2017,January,High Surf,"MAUI CENTRAL VALLEY",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669158,HAWAII,2017,January,High Surf,"WINDWARD HALEAKALA",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669159,HAWAII,2017,January,High Surf,"KONA",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669160,HAWAII,2017,January,High Surf,"KOHALA",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112687,672818,IDAHO,2017,January,Heavy Snow,"CARIBOU HIGHLANDS",2017-01-03 20:00:00,MST-7,2017-01-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","A powerful storm system brought heavy snow to the Caribou Highlands. Soda Springs received 12 inches of snow with 9 inches in Downey. All Bannock and Caribou County facilities closed early in the day on the 4th due to the weather and all Caribou County Schools let out early on the 4th as well." +112687,672821,IDAHO,2017,January,Heavy Snow,"CACHE VALLEY/IDAHO PORTION",2017-01-03 20:00:00,MST-7,2017-01-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","Extremely heavy snow fell in the Cache Valley with the COOP Observer in Preston reporting 20 inches. Preston schools were closed on the 4th and 5th due to the heavy snow and cold temperatures." +112687,672822,IDAHO,2017,January,Heavy Snow,"WASATCH MOUNTAINS/IADHO PORTION",2017-01-03 20:00:00,MST-7,2017-01-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","COOP observers and spotters reported 18 inches of snow in both Bern and Montpelier." +112690,672831,IDAHO,2017,January,Extreme Cold/Wind Chill,"UPPER SNAKE HIGHLANDS",2017-01-04 21:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Wind chill readings of -25 to -35 degrees were common with most schools closed on the 5th." +112690,672832,IDAHO,2017,January,Extreme Cold/Wind Chill,"EASTERN MAGIC VALLEY",2017-01-04 22:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Wind chill readings of -20 to -30 degrees closed all schools in the Eastern Magic Valley on the 5th." +112690,672836,IDAHO,2017,January,Extreme Cold/Wind Chill,"UPPER SNAKE RIVER PLAIN",2017-01-04 22:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Extreme cold wind chills of -20 to -35 degrees caused all schools in the Upper Snake River Plain to close on the 5th." +112690,672837,IDAHO,2017,January,Extreme Cold/Wind Chill,"LOWER SNAKE RIVER PLAIN",2017-01-04 22:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Extreme cold temperatures and wind chills in the -20 to -35 degree range caused all schools in the Lower Snake River Plain to close on the 5th." +112454,670598,ILLINOIS,2017,January,Winter Weather,"JEFFERSON",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112520,671037,KENTUCKY,2017,January,Dense Fog,"FULTON",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671036,KENTUCKY,2017,January,Dense Fog,"HICKMAN",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671038,KENTUCKY,2017,January,Dense Fog,"MCCRACKEN",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671039,KENTUCKY,2017,January,Dense Fog,"GRAVES",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112473,670610,MISSOURI,2017,January,Winter Weather,"CAPE GIRARDEAU",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112521,671056,ILLINOIS,2017,January,Strong Wind,"FRANKLIN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671057,ILLINOIS,2017,January,Strong Wind,"JACKSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671058,ILLINOIS,2017,January,Strong Wind,"JEFFERSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113205,678575,OREGON,2017,January,Blizzard,"GRAND RONDE VALLEY",2017-01-17 10:45:00,PST-8,2017-01-18 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Winds of 41-47 mph with gusts to 64 mph caused reduced visibilities to around 1/4 mile in blowing snow between 645 and 725 PM at the La Grande airport in Union county." +113418,678695,OREGON,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-03 20:00:00,MST-7,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters across parts of eastern Malheur County and in and around the Ontario area reported 4 to 8 inches of snow." +113419,678697,IDAHO,2017,January,Heavy Snow,"UPPER TREASURE VALLEY",2017-01-07 10:00:00,MST-7,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of snow storms pummeled parts of Eastern Oregon and Southwest Oregon.","Trained spotters and cooperative observers reported 4 to 6 inches of snow around the Meridian and Boise areas." +113420,678698,OREGON,2017,January,Heavy Snow,"MALHEUR",2017-01-07 09:00:00,MST-7,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of snow storms pummeled parts of Eastern Oregon and Southwest Idaho.","Trained spotters reported 6 to 8 inches of snow near Harper and Juntura." +113420,678699,OREGON,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-07 09:00:00,MST-7,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of snow storms pummeled parts of Eastern Oregon and Southwest Idaho.","A cooperative observer at Owyhee Dam reported 5 inches of snow and trained spotters around Ontario reported 4 to 5 inches." +113421,678703,IDAHO,2017,January,Heavy Snow,"BOISE MOUNTAINS",2017-01-08 22:00:00,MST-7,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow combined with rain and freezing rain causing structures to collapse in the Lower Treasure Valley of Idaho and Oregon.","A trained spotter in Garden Valley reported 10 inches of snow and another report of 13 inches was received from Featherville." +113022,675559,MISSISSIPPI,2017,January,Thunderstorm Wind,"COPIAH",2017-01-02 05:10:00,CST-6,2017-01-02 05:10:00,0,0,0,0,5.00K,5000,0.00K,0,31.96,-90.56,31.96,-90.56,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down across a few roads." +113022,675560,MISSISSIPPI,2017,January,Hail,"HINDS",2017-01-02 05:35:00,CST-6,2017-01-02 05:35:00,0,0,0,0,0.00K,0,0.00K,0,32.1,-90.3,32.1,-90.3,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","" +113058,676285,MISSISSIPPI,2017,January,Thunderstorm Wind,"SCOTT",2017-01-21 21:30:00,CST-6,2017-01-21 21:30:00,0,0,0,0,4.00K,4000,0.00K,0,32.4013,-89.4498,32.4013,-89.4498,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Powerlines were blown down along Highway 21 North." +113058,676286,MISSISSIPPI,2017,January,Hail,"SIMPSON",2017-01-21 21:35:00,CST-6,2017-01-21 21:35:00,0,0,0,0,10.00K,10000,0.00K,0,32.02,-89.97,32.02,-89.97,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +113058,676287,MISSISSIPPI,2017,January,Hail,"COPIAH",2017-01-21 21:38:00,CST-6,2017-01-21 21:38:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-90.4,31.7,-90.4,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Quarter size hail fell in Wesson and Beauregard." +113058,676288,MISSISSIPPI,2017,January,Thunderstorm Wind,"SMITH",2017-01-21 22:17:00,CST-6,2017-01-21 22:17:00,0,0,0,0,10.00K,10000,0.00K,0,32.07,-89.65,32.07,-89.65,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Multiple trees were blown down along Highway 18 between Raleigh and White Oak." +114585,687246,TEXAS,2017,February,Wildfire,"OCHILTREE",2017-02-10 14:00:00,CST-6,2017-02-10 21:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Porter/Barton Wildfire began around 1400CST about three miles east southeast of Wolf Creek Park in Ochiltree County. The wildfire began south of Farm to Market Road 3260 and between County Roads 6 and 23. The wildfire consumed approximately two thousand acres and was caused by downed power lines. There was a report of 2 homes and two other structures that were threatened but were saved, however no homes or other structures were lost due to the wildfire. There was one report of an injury along with one entrapment and four near misses, however no fatalities were reported. There were a total of seventeen fire departments or other fire agencies that responded to the wildfire which was contained around 2100CST.","" +114586,687247,TEXAS,2017,February,Wildfire,"SHERMAN",2017-02-11 14:41:00,CST-6,2017-02-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Texhoma Command Wildfire began around 1441CST about four miles east of Texhoma Texas in extreme northern Sherman county near the Oklahoma state line. The wildfire consumed an estimated twelve hundred acres. There was one home saved, however no homes or other structures were lost. There were no reports of any injuries or fatalities. The Guymon, Texhoma, Goodwell, and Yarborough Fire Departments responded to the wildfire. The wildfire was contained by 1800CST.","" +114587,687248,TEXAS,2017,February,Wildfire,"OLDHAM",2017-02-23 15:51:00,CST-6,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Lit Ranch Wildfire began around 1551CST about two miles north northwest of Boys Ranch Texas in Oldham County. The wildfire began just east of U.S. Highway 385 which consumed approximately thirteen thousand and five hundred acres and was caused by downed power lines. There were reports of ten homes and fifteen other structures that were threatened but were saved and there were no reports of any injuries or fatalities. There were a total of four fire departments or other fire agencies that responded to the wildfire including the Texas A&M Forest Service. The wildfire was contained around 0200CST on February 24.","" +111558,665545,VERMONT,2017,January,Strong Wind,"EASTERN FRANKLIN",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 40-45 mph with some isolated 50 mph gusts. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +118380,711388,NEBRASKA,2017,June,Flash Flood,"LANCASTER",2017-06-12 07:00:00,CST-6,2017-06-12 10:00:00,0,0,0,0,50.00K,50000,1.00K,1000,40.7253,-96.7587,40.7007,-96.7525,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","Portions of Rokeby Road and South 14th Street were closed due to flooding due to heavy rain." +118381,711390,NEBRASKA,2017,June,Hail,"SALINE",2017-06-15 18:17:00,CST-6,2017-06-15 18:17:00,0,0,0,0,,NaN,,NaN,40.38,-97.08,40.38,-97.08,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118381,711391,NEBRASKA,2017,June,Hail,"SALINE",2017-06-15 18:18:00,CST-6,2017-06-15 18:18:00,0,0,0,0,,NaN,,NaN,40.38,-97.08,40.38,-97.08,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +111558,665541,VERMONT,2017,January,Strong Wind,"WESTERN FRANKLIN",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 45 to 50 mph, especially closer to the shores of Lake Champlain. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111558,665540,VERMONT,2017,January,Strong Wind,"WESTERN CHITTENDEN",2017-01-10 18:00:00,EST-5,2017-01-11 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a strong High pressure system east of New England combined with an intensifying strong low pressure system moving across the northern Great Lakes, during the evening of January 10th, created a strong west-east pressure gradient with strong southerly winds of 25 to 35 mph sustained and wind gusts to 60 mph across the northern Champlain Valley. There were thousands of residents/customers without power at various times due to downed lines from fallen limbs or trees.","Numerous measured wind gusts of 45 to 50 mph, especially the closer to Lake Champlain. An offshore measured wind gust of 62 mph at a nearby reef in Lake Champlain. Isolated to Scattered power outages due to downed tree limbs and small trees on utility lines." +111527,665602,PENNSYLVANIA,2017,January,Winter Weather,"PHILADELPHIA",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region. Snowfall totals ranged from nothing in the Poconos, to less than one inch in the Lehigh Valley, to around 4 inches in the immediate Philadelphia area.||Average arrival delays were reported at more than three hours at Philadelphia International Airport and speed restrictions were posted on most area highways.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving out around sunset. Total snowfall reports in the city include 3.1 inches in Spring Garden (Philadelphia OEM), and 3.0 inches at Philadelphia International Airport. Strong northwest winds the following day produced blowing and drifting snow." +111641,666054,OREGON,2017,January,Flood,"COOS",2017-01-10 03:30:00,PST-8,2017-01-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-124.42,43.16,-124.41,"An extended period of heavy rain combined with snowmelt to cause rises in the Coquille River. The river flooded on 01/11-13/2017.","The Coquille River at Coquille rose above flood stage (21.0 feet) at 10/0330 PST and rose above moderate flood stage (23.0 feet) at 11/0100 PST. The river crested at 23.55 feet at 11/1245 PST. The river fell below moderate flood stage at 12/1745 PST and below flood stage at 13/1700 PST." +111639,666055,OREGON,2017,January,Flood,"COOS",2017-01-11 01:00:00,PST-8,2017-01-11 13:15:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-124.17,43.07,-124.17,"An extended period of heavy rain combined with snowmelt to cause rises in the South Fork of the Coquille River. The river flooded on 01/11/2017.","The South Fork of the Coquille River at Myrtle Point rose above flood stage (33.0 feet) at 11/0100 PST. The river crested at 33.66 feet at 11/0600 PST. The river fell below flood stage at 11/1315 PST." +111640,666057,OREGON,2017,January,Flood,"CURRY",2017-01-10 15:15:00,PST-8,2017-01-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-123.9,42.74,-123.75,"An extended period of heavy rain combined with snowmelt to cause rises in the Rogue River at Agness. The river flooded on 01/11-12/2017.","The Rogue River at Agness rose above flood stage (17.0 feet) at 10/1515 PST. The river crested at 21.88 feet between 11/0115 and 11/0130 PST. The river fell below flood stage at 11/1845 PST." +111647,668400,OREGON,2017,January,Frost/Freeze,"CURRY COUNTY COAST",2017-01-04 22:00:00,PST-8,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass brought freezing temperatures to the south Oregon coast.","Reported low temperatures along the coast ranged from 30 to 35 degrees." +111521,665521,DELAWARE,2017,January,Winter Storm,"DELAWARE BEACHES",2017-01-07 04:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around 2 inches in northern New Castle County to over 13 inches along coastal sections of Sussex County. Some representative snowfall amounts include 4.7 inches in Blackbird, 3.5 inches in Port Penn, 3.0 inches at New Castle County Airport, 2.0 inches in Newark (all in New Castle County); 6.5 inches in Dover, 4.8 inches in Woodside, 4.4 inches in Frederica, and 3.0 inches in Hazlettville (all in Kent County); 13.5 inches in Ocean View, 13.0 inches in Selbyville, 9.0 inches in Seaford, 8.0 inches in Laurel, 6.1 inches in Bridgeville, 6.0 inches in Blades, and 5.8 inches in Nassau (all in Sussex County).||Governor Jack Markell issued a Limited State of Emergency for Sussex and Kent Counties with a Level 1 Driving Warning. State law mandates that any person driving on Delaware roadways during a Level 1 Warning must exercise extra caution. The city of Georgetown was placed under a Snow Emergency Plan, meaning cars parked on snow emergency routes can be towed at owner's expense. Delaware State Police reported 87 crashes with no injuries statewide, 28 in Sussex County. Seven crashes statewide resulted in injuries. In addition to these crashes, there were 23 disabled vehicles reported, 19 of which were in Sussex County. Numerous public and private meetings and seminars scheduled in Kent and Sussex Counties were cancelled due to the weather. The Beebe Healthcare along several other local organizations and local government facilities were also closed in Sussex county. Several schools were also closed on the 9th. Triple A got over 200 calls for assistance.","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 6 to 12 inches of snow fell in Sussex County during the storm, with the highest totals closer to the coast, including 13.5 inches in Ocean View." +111521,665522,DELAWARE,2017,January,Winter Storm,"INLAND SUSSEX",2017-01-07 04:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around 2 inches in northern New Castle County to over 13 inches along coastal sections of Sussex County. Some representative snowfall amounts include 4.7 inches in Blackbird, 3.5 inches in Port Penn, 3.0 inches at New Castle County Airport, 2.0 inches in Newark (all in New Castle County); 6.5 inches in Dover, 4.8 inches in Woodside, 4.4 inches in Frederica, and 3.0 inches in Hazlettville (all in Kent County); 13.5 inches in Ocean View, 13.0 inches in Selbyville, 9.0 inches in Seaford, 8.0 inches in Laurel, 6.1 inches in Bridgeville, 6.0 inches in Blades, and 5.8 inches in Nassau (all in Sussex County).||Governor Jack Markell issued a Limited State of Emergency for Sussex and Kent Counties with a Level 1 Driving Warning. State law mandates that any person driving on Delaware roadways during a Level 1 Warning must exercise extra caution. The city of Georgetown was placed under a Snow Emergency Plan, meaning cars parked on snow emergency routes can be towed at owner's expense. Delaware State Police reported 87 crashes with no injuries statewide, 28 in Sussex County. Seven crashes statewide resulted in injuries. In addition to these crashes, there were 23 disabled vehicles reported, 19 of which were in Sussex County. Numerous public and private meetings and seminars scheduled in Kent and Sussex Counties were cancelled due to the weather. The Beebe Healthcare along several other local organizations and local government facilities were also closed in Sussex county. Several schools were also closed on the 9th. Triple A got over 200 calls for assistance.","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 6 to 12 inches of snow fell in Sussex County during the storm, with the highest totals closer to the coast, including 13.5 inches in Ocean View, 13.0 inches in Selbyville, 9.0 inches in Seaford, 6.6 inches in Ellendale, and 6.0 inches in Blades." +113183,677051,UTAH,2017,January,Winter Storm,"NORTHERN WASATCH FRONT",2017-01-20 19:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","Storm total snowfall reports included 16 inches on the Bountiful Bench, 11 inches in Layton, 10 inches in Centerville, and 8 inches in South Ogden." +113183,677059,UTAH,2017,January,Winter Storm,"SOUTHERN WASATCH FRONT",2017-01-20 15:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","Storm totals in the southern Wasatch Front included 12 inches of snow in Alpine, 9 inches in Lehi, and 7 inches in Eagle Mountain." +113183,677068,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-01-20 15:00:00,MST-7,2017-01-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","Storm total snowfall included 28 inches at Alta Ski Area, 23 inches at Brighton Resort, and 17 inches at Park City Mountain Resort." +121162,725326,OKLAHOMA,2017,October,Hail,"JACKSON",2017-10-21 16:28:00,CST-6,2017-10-21 16:28:00,0,0,0,0,5.00K,5000,0.00K,0,34.63,-99.14,34.63,-99.14,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Roof damage and broken windshield damage was reported." +121162,725327,OKLAHOMA,2017,October,Hail,"ALFALFA",2017-10-21 16:29:00,CST-6,2017-10-21 16:29:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-98.15,36.53,-98.15,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +112337,669786,WYOMING,2017,January,Winter Storm,"CODY FOOTHILLS",2017-01-10 15:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell across northern Cody Foothills. The highest amount was at Pahaska where 22 inches fell. At Wapiti, 13 inches fell and 5 to 10 inches was measured through most of Cody. Very little snow fell further south around Meeteetse." +112337,669999,WYOMING,2017,January,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-01-07 21:50:00,MST-7,2017-01-11 17:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","The RAWS site at Fales Rock had many wind gusts past 58 mph; including a maximum of 78 mph. Other top winds gusts in the area included 76 mph at Camp Creek and 72 mph at Beaver Rim." +111939,667601,WISCONSIN,2017,January,Winter Weather,"GREEN",2017-01-10 05:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Widespread icy roadways from freezing rain." +111939,667602,WISCONSIN,2017,January,Winter Weather,"LAFAYETTE",2017-01-10 05:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667603,WISCONSIN,2017,January,Winter Weather,"KENOSHA",2017-01-10 05:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667595,WISCONSIN,2017,January,Winter Weather,"JEFFERSON",2017-01-10 06:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain but excessive ice buildup on the Town of Sumner roads. A Declaration of Emergency was enacted in the Township. The Township will be requesting financial support due to the response and clean up costs." +111942,667626,WISCONSIN,2017,January,Winter Weather,"DODGE",2017-01-11 16:00:00,CST-6,2017-01-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall of an inch or less." +111942,667628,WISCONSIN,2017,January,Winter Weather,"COLUMBIA",2017-01-11 14:30:00,CST-6,2017-01-11 21:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall around one inch." +111735,667885,ALASKA,2017,January,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-01-15 15:00:00,AKST-9,2017-01-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 968 MB low in the Western Gulf tracked NE toward Prince William Sound with a Storm force front Sunday afternoon and evening on 1/15. A secondary frontal wrap crossed into SE coastal waters Sunday evening 1/15, then over Southern Panhandle. Model 925 MB winds were 60-70 KT. Additionally, another sub-970 low redeveloped into the Yukon on Monday 1/16 around midday with strong pressure rises in Lynn Canal that increase the pressure gradient at Skagway and caused heavy snow with near blizzard conditions over the Klondike Highway early on Tuesday morning 1/17.","The Hydaburg AWOS reported a high wind gusts of 61 mph at 107pm Sunday. CDE 16/02z (15/5pm) 45g64kt = 52g74mph. CDEA2 16/0400 (15/7pm) 44g67kt = 51g77mph. |PAHY 16/0210z (15/510pm) peak gust of 50kt=58mph. No damage was reported." +111830,667038,NEW JERSEY,2017,January,High Wind,"WESTERN ATLANTIC",2017-01-23 22:36:00,EST-5,2017-01-23 22:36:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","ASOS gust of 61 mph." +111830,669945,NEW JERSEY,2017,January,Winter Weather,"SUSSEX",2017-01-24 03:31:00,EST-5,2017-01-24 03:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","The highest Storm Total Snowfall in Sussex County associated with the nor'easter was 2.9 inches in Highland Lakes, which was also mixed with sleet. The highest Storm Total ice in Sussex County associated with the nor'easter was 0.3 inches in Vernon." +111695,666298,OREGON,2017,January,Winter Storm,"SOUTH CENTRAL OREGON CASCADES",2017-01-01 00:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","The cooperative observer at Crater Lake National Park reported 3.4 inches of snow in 24 hours as of 01/0800 PST, 13.0 inches on the 2nd, 7.6 inches on the 3rd, and 17.0 inches on the 4th, for a storm total of 41 inches in four days." +111695,666289,OREGON,2017,January,Winter Storm,"CENTRAL & EASTERN LAKE COUNTY",2017-01-03 10:30:00,PST-8,2017-01-04 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","A spotter 9SSE Summer Lake reported 8.0 inches of snow in 12 hours as of 03/2230 PST, then 15.0 inches of snow in 24 hours as of 04/1010 PST. The cooperative observer at Hart Mountain Refuge reported 10.0 inches of snow in 24 hours as of 04/0800 PST. A member of the public 13W Paisley reported 11.0 inches of snow at 04/0700 PST. A member of the public at MP 72 on Oregon Highway 31 reported 15.0 inches of snow at 04/1010 PST." +112026,668128,OREGON,2017,January,Winter Weather,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-01-07 00:00:00,PST-8,2017-01-08 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of strong storms brought some snow and freezing precipitation to southwest Oregon. Many motor vehicle collisions and power outages were reported.","The Mount Ashland Ski Area was closed for two days (1/7 and 1/8) due to strong winds and whiteout conditions." +112027,668126,CALIFORNIA,2017,January,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-07 00:00:00,PST-8,2017-01-07 11:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of strong storms brought heavy snow to northern California. Many motor vehicle collisions and power outages were reported.","A spotter 2SSW Weed reported 5.0 inches of snow in 9 hours ending at 07/0855 PST. A spotter in Mount Shasta City reported 7.0 inches of snow in 9 hours as of 07/0915 PST and an additional 3.0 inches as of 07/1137 PST. A spotter 3SSE Mount Shasta City reported 11.0 inches of snow in 10 hours ending at 07/1000 PST. A spotter 2S Mount Shasta City reported 10.5 inches of snow in 10 hours ending at 07/1039 PST. A spotter 1WSW Mount Shasta City reported 8.0 inches of snow in 4 hours ending at 07/1045 PST. The cooperative observer at Dunsmuir reported 11.5 inches of snow in 24 hours ending at 07/0800 PST." +112036,668138,E PACIFIC,2017,January,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAPE BLANCO OR TO PT ST GEORGE CA OUT 10 NM",2017-01-09 14:12:00,PST-8,2017-01-09 14:59:00,0,0,0,0,0.00K,0,0.00K,0,42.0044,-124.4861,42.4316,-124.5905,"A line of strong thunderstorms developed over the coastal waters on this afternoon, bringing strong winds to the waters and the adjacent coast.","The ASOS at Gold Beach reported a gust to 41.4 mph at 09/1459 PST as this line of thunderstorms moved onshore." +112034,668135,OREGON,2017,January,Heavy Snow,"JACKSON COUNTY",2017-01-09 07:00:00,PST-8,2017-01-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another in a series of strong storms brought heavy precipitation and strong winds to portions of southwest Oregon.","A spotter 7NNW Rogue River reported 12.0 inches of snow in 24 hours ending at 10/0700 PST. Many trees were down on Queen's Branch and East Evans Creek Road." +112001,668171,ALASKA,2017,January,High Wind,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-01-28 03:00:00,AKST-9,2017-01-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third in a series of storm force lows moved along 140W to make landfall near Yakutat on 1/28. The very strong winds caused minor damage and power outages all along the coast.","All of our important weather sensors for Zone 22 were inoperative during this storm. The Cape Fairweather buoy had gusts to 71 MPH. No damage was reported." +112001,668179,ALASKA,2017,January,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-01-27 18:00:00,AKST-9,2017-01-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third in a series of storm force lows moved along 140W to make landfall near Yakutat on 1/28. The very strong winds caused minor damage and power outages all along the coast.","Hydaburg AWOS had numerous gusts over 60 MPH with a peak at 62 mph at 1929 on 1/27. No damage was reported." +112001,668184,ALASKA,2017,January,High Wind,"SOUTHERN INNER CHANNELS",2017-01-27 18:00:00,AKST-9,2017-01-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third in a series of storm force lows moved along 140W to make landfall near Yakutat on 1/28. The very strong winds caused minor damage and power outages all along the coast.","Ketchikan Airport roof wind at the tower had multiple gusts over 60 MPH and a peak 67 mph at 1753 on 1/27. No damage was reported." +112043,668182,OREGON,2017,January,High Wind,"SOUTH CENTRAL OREGON COAST",2017-01-18 00:07:00,PST-8,2017-01-18 15:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an unusual high wind event for the Medford CWA. The trajectory of the storm moving in from the south brought high winds that spread from east to west instead of the usual west to east.","Several rounds of high winds occurred during this interval. The peak gust was 63 mph recorded at 18/0048 PST." +112043,668186,OREGON,2017,January,High Wind,"CURRY COUNTY COAST",2017-01-17 18:13:00,PST-8,2017-01-18 16:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an unusual high wind event for the Medford CWA. The trajectory of the storm moving in from the south brought high winds that spread from east to west instead of the usual west to east.","Several rounds of high winds occurred during this interval. The peak gust at the Flynn Prairie RAWS was 86 mph recorded at 18/0113 PST. The Gold Beach ASOS recorded gusts to 60 mph at 18/0059 PST and 18/0359 PST, and a gust to 62 mph at 18/0659 PST." +112001,668176,ALASKA,2017,January,High Wind,"CAPE DECISION TO SALISBURY SOUND COASTAL AREA",2017-01-27 21:00:00,AKST-9,2017-01-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third in a series of storm force lows moved along 140W to make landfall near Yakutat on 1/28. The very strong winds caused minor damage and power outages all along the coast.","Sitka Airport ASOS observed a peak wind 47 MPH at 0500 on 1/28. Cape Decision had 63 MPH at 0100 on 1/28. No damage was reported." +112043,668191,OREGON,2017,January,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-01-18 10:40:00,PST-8,2017-01-18 16:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an unusual high wind event for the Medford CWA. The trajectory of the storm moving in from the south brought high winds that spread from east to west instead of the usual west to east.","The Squaw Peak RAWS recorded high winds continuously during this interval. The peak gust was 89 mph recorded at 18/1239 PST." +112072,668604,FLORIDA,2017,January,Thunderstorm Wind,"HILLSBOROUGH",2017-01-22 20:06:00,EST-5,2017-01-22 20:06:00,0,0,0,0,0.00K,0,0.00K,0,27.8583,-82.5533,27.8583,-82.5533,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","The PORTS site at Old Port Tampa recorded a 51 knot thunderstorm wind gust." +112072,668608,FLORIDA,2017,January,Thunderstorm Wind,"PASCO",2017-01-22 17:40:00,EST-5,2017-01-22 17:55:00,0,0,0,0,50.00K,50000,0.00K,0,28.24,-82.7,28.24,-82.7,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Pasco County Emergency Management reported numerous trees and power lines down around Holiday, New Port Richey, and Hudson associated with a strong thunderstorm ahead of the squall line. Several structures also sustained minor damage. Most of the damage involved car ports or metal roofing being removed or loosened, and one home in New Port Richey had a large branch break through a window." +112072,668609,FLORIDA,2017,January,Thunderstorm Wind,"PASCO",2017-01-22 19:16:00,EST-5,2017-01-22 19:16:00,0,0,0,0,5.00K,5000,0.00K,0,28.1772,-82.7405,28.1772,-82.7405,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","An amateur radio operator reported that multiple trees were down near US19 and Flora Avenue." +112072,669257,FLORIDA,2017,January,Thunderstorm Wind,"HILLSBOROUGH",2017-01-22 18:05:00,EST-5,2017-01-22 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,27.79,-82.34,27.79,-82.34,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","An amateur radio operator relayed a report of a 1.5 foot diameter tree knocked down." +112072,669288,FLORIDA,2017,January,Thunderstorm Wind,"HILLSBOROUGH",2017-01-22 18:50:00,EST-5,2017-01-22 18:50:00,0,0,0,0,3.00K,3000,0.00K,0,27.98,-82.3,27.98,-82.3,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","An amateur radio operator relayed a report of pool screen and fence damage near Seffner." +112102,668680,NEBRASKA,2017,January,Winter Storm,"WESTERN CHERRY",2017-01-24 00:00:00,MST-7,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public reported 18 to 22 inches at a location 30 miles south southwest of Merriman. Snowfall amounts ranged from 6 to 22 inches across western Cherry County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668681,NEBRASKA,2017,January,Winter Storm,"EASTERN CHERRY",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","The snow observer near Valentine airport reported 10 inches of snowfall. Snowfall amounts ranged from 8 to 14 inches across eastern Cherry County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668683,NEBRASKA,2017,January,Winter Storm,"BOYD",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer 5 miles south southeast of Spencer reported 20 inches of snowfall. A cooperative observer in Lynch reported 19 inches. Snowfall amounts ranged from 15 to 20 inches across Boyd County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112072,668606,FLORIDA,2017,January,Strong Wind,"INLAND PASCO",2017-01-22 11:45:00,EST-5,2017-01-22 16:15:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Gradient winds ahead of the squall lines caused roof damage and awning damage to 3 mobile homes around Zephyrhills." +111444,664839,WEST VIRGINIA,2017,January,Winter Weather,"BARBOUR",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664840,WEST VIRGINIA,2017,January,Winter Weather,"BOONE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664841,WEST VIRGINIA,2017,January,Winter Weather,"BRAXTON",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664842,WEST VIRGINIA,2017,January,Winter Weather,"CABELL",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664866,WEST VIRGINIA,2017,January,Winter Weather,"RITCHIE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664865,WEST VIRGINIA,2017,January,Winter Weather,"PUTNAM",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664867,WEST VIRGINIA,2017,January,Winter Weather,"ROANE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664868,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST FAYETTE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +112103,668619,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST WEBSTER",2017-01-29 18:00:00,EST-5,2017-01-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668620,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST RANDOLPH",2017-01-29 18:00:00,EST-5,2017-01-30 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668621,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST RANDOLPH",2017-01-29 18:00:00,EST-5,2017-01-30 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +111499,668551,OKLAHOMA,2017,January,Heavy Snow,"ROGER MILLS",2017-01-06 00:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system brought widespread snow to the Oklahoma early morning on the 6th, with the heaviest bands occurring along I-40.","Report of 4 inches." +111614,665858,IOWA,2017,January,Winter Weather,"DICKINSON",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light and patchy freezing rain caused some icy surfaces. The freezing rain changed to light snow with accumulations less than one inch. Increasing northwest winds gusted to 45 mph and cause a few areas of blowing snow while the snow was falling." +111614,665860,IOWA,2017,January,Winter Weather,"O'BRIEN",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light freezing rain caused icy surfaces, resulting in several vehicle accidents." +111614,665862,IOWA,2017,January,Winter Weather,"CLAY",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads were completely covered with a light ice accumulation." +111614,665864,IOWA,2017,January,Winter Weather,"PLYMOUTH",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads were completely covered with a light ice accumulation." +111686,667520,NEBRASKA,2017,January,Ice Storm,"WASHINGTON",2017-01-15 14:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111686,667522,NEBRASKA,2017,January,Ice Storm,"COLFAX",2017-01-15 15:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111756,666545,NEBRASKA,2017,January,Ice Storm,"DIXON",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in extreme northeast Nebraska. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Concord reported 0.37 inch of rain during a time when temperatures were at or below freezing, and Newcastle reported 0.32 inch. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +112249,669367,MONTANA,2017,January,Extreme Cold/Wind Chill,"CHOUTEAU",2017-01-11 07:59:00,MST-7,2017-01-11 07:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","Lowest recorded wind chill value in Loma was -48 degrees." +112249,669368,MONTANA,2017,January,Extreme Cold/Wind Chill,"EASTERN GLACIER",2017-01-11 08:00:00,MST-7,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","The Blackfeet Agrimet station near Seville recorded a wind chill value of -49 degrees." +112249,669369,MONTANA,2017,January,Extreme Cold/Wind Chill,"NORTH ROCKY MOUNTAIN FRONT",2017-01-11 05:06:00,MST-7,2017-01-11 05:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","The Two Medicine Bridge DOT station recorded a wind chill value of -46 degrees." +112249,669370,MONTANA,2017,January,Extreme Cold/Wind Chill,"HILL",2017-01-11 10:30:00,MST-7,2017-01-11 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","The Rudyard 11S station recorded a wind chill value of -51 degrees." +112249,669371,MONTANA,2017,January,Extreme Cold/Wind Chill,"LIBERTY",2017-01-11 08:40:00,MST-7,2017-01-11 08:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","The Joplin 2NNW station recorded a wind chill value of -44 degrees." +112249,669372,MONTANA,2017,January,Extreme Cold/Wind Chill,"TOOLE",2017-01-11 08:30:00,MST-7,2017-01-11 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","The Sunburst DOT station recorded a wind chill value of -53 degrees." +111681,666228,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-01-07 01:53:00,EST-5,2017-01-07 01:53:00,0,0,0,0,0.00K,0,0.00K,0,28.9,-82.65,28.9,-82.65,"A strong cold front moved south across the Florida Peninsula, producing a few thunderstorms with strong wind gusts along the coast.","A weather station at the Marine Science Station recorded a peak wind gust of 44 knots." +112072,669343,FLORIDA,2017,January,Coastal Flood,"COASTAL PASCO",2017-01-22 20:00:00,EST-5,2017-01-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Water was reported over US 19 in Hudson, peaking at about 2 feet above the high tide." +111712,666323,TEXAS,2017,January,Winter Weather,"RED RIVER",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +111712,666324,TEXAS,2017,January,Winter Weather,"FRANKLIN",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +112155,668956,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 18:07:00,CST-6,2017-01-21 18:07:00,0,0,0,0,0.00K,0,0.00K,0,32.8862,-93.8783,32.8862,-93.8783,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Hosston." +112155,668960,LOUISIANA,2017,January,Hail,"CLAIBORNE",2017-01-21 18:15:00,CST-6,2017-01-21 18:15:00,0,0,0,0,0.00K,0,0.00K,0,32.7542,-92.9668,32.7542,-92.9668,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","The public posted a photo of quarter size hail that fell at Lake Claiborne on the KSLA-TV Facebook page." +112195,668985,ARKANSAS,2017,January,Hail,"UNION",2017-01-21 20:20:00,CST-6,2017-01-21 20:20:00,0,0,0,0,0.00K,0,0.00K,0,33.0388,-92.1829,33.0388,-92.1829,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell for several minutes in Huttig." +112195,668987,ARKANSAS,2017,January,Tornado,"UNION",2017-01-21 19:38:00,CST-6,2017-01-21 19:40:00,0,0,0,0,25.00K,25000,0.00K,0,33.1908,-92.4782,33.1995,-92.4767,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-0 tornado with maximum estimated winds between 75 and 80 mph touched down just south of Lawson Road in the Lawson community where peeled back a portion of a roof of a single wide mobile home with one portion of the wall detached. The tornado continued north across Lawson Road and over a heavily wooded area to Mount Zion Road where it snapped a few small trees. The tornado lifted shortly after crossing Mount Zion Road." +112991,675242,TEXAS,2017,January,Strong Wind,"BRAZORIA",2017-01-22 10:00:00,CST-6,2017-01-22 13:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds behind a cold frontal passage produced mainly power line damage and downed some trees. The most damage occurred in the Harris County area.","Three power poles were downed in Lake Jackson." +112966,675012,GEORGIA,2017,January,Heavy Snow,"RABUN",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening. By the time the heavier snowfall rates tapered off around sunrise on the 7th, total accumulations ranged from 5 to 7 inches.","" +112967,675013,SOUTH CAROLINA,2017,January,Heavy Snow,"GREENVILLE MOUNTAINS",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower elevations, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches.","" +112967,675014,SOUTH CAROLINA,2017,January,Heavy Snow,"OCONEE MOUNTAINS",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower elevations, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches.","" +112967,675015,SOUTH CAROLINA,2017,January,Heavy Snow,"PICKENS MOUNTAINS",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower elevations, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches.","" +112417,670193,HAWAII,2017,January,High Wind,"WAIANAE COAST",2017-01-21 12:00:00,HST-10,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","Waianae Valley RAWS recorded a 67-mph wind gust." +112417,670194,HAWAII,2017,January,High Wind,"OAHU NORTH SHORE",2017-01-21 12:00:00,HST-10,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","Kuaokala RAWS recorded a 73-mph wind gust." +112416,670186,HAWAII,2017,January,High Surf,"KAUAI WINDWARD",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +112416,670187,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +112416,670188,HAWAII,2017,January,High Surf,"OLOMANA",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +112416,670189,HAWAII,2017,January,High Surf,"MOLOKAI WINDWARD",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +112416,670190,HAWAII,2017,January,High Surf,"MAUI WINDWARD WEST",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +113069,676226,IOWA,2017,January,Winter Weather,"FLOYD",2017-01-15 23:00:00,CST-6,2017-01-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Floyd County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113069,676228,IOWA,2017,January,Winter Weather,"HOWARD",2017-01-16 00:50:00,CST-6,2017-01-16 22:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Howard County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113069,676229,IOWA,2017,January,Winter Weather,"MITCHELL",2017-01-16 00:20:00,CST-6,2017-01-17 00:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Mitchell County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113221,677397,WASHINGTON,2017,January,Heavy Snow,"LOWER COLUMBIA",2017-01-10 16:00:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest. Surface temperatures as precipitation started were just above freezing, but with heavy showers, rain quickly turned over to snow during the early evening. Embedded thunderstorms enhanced snowfall rates around the Vancouver Metro for a crippling snowstorm Tuesday evening, with snow continuing to fall through Wednesday morning.","There were reports of 4 to 8 inches of snow around Kelso, Longview, Castle Rock, La Center, and Lexington." +111509,665751,NEW MEXICO,2017,January,Winter Storm,"SANDIA/MANZANO MOUNTAINS",2017-01-05 21:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 2 to 4 inches along the east slopes of the Sandia and Manzano Mountains. Severe impacts to travel were reported as temperatures in the single digits accompanied the snowfall. All schools were closed for the east mountain communities." +111509,665782,NEW MEXICO,2017,January,Winter Weather,"ALBUQUERQUE METRO AREA",2017-01-06 02:00:00,MST-7,2017-01-06 08:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Bitterly cold temperatures with just one inch of snowfall created treacherous travel conditions around the Albuquerque metro. Nearly 100 accidents were reported during the morning commute, of which a dozen were serious. Schools were closed across the area." +111509,665784,NEW MEXICO,2017,January,Winter Weather,"SOUTH CENTRAL MOUNTAINS",2017-01-06 00:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Bitterly cold temperatures with a few inches of snowfall created treacherous travel conditions around Lincoln County." +111509,665773,NEW MEXICO,2017,January,Winter Storm,"GUADALUPE COUNTY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 6 to 8 inches across Guadalupe County. Impacts from bitterly cold temperatures and gusty winds created winter storm impacts to travel through the region. Near whiteout conditions were reported at times along Interstate 40 near Santa Rosa and U.S. Highway 60 around Vaughn." +112323,672771,MASSACHUSETTS,2017,January,Drought,"EASTERN ESSEX",2017-01-01 00:00:00,EST-5,2017-01-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for eastern Essex County through January 3, then reduced the designation to Severe Drought (D2) through January 24. The designation was reduced to Moderate Drought (D1) on January 24." +112323,672772,MASSACHUSETTS,2017,January,Drought,"WESTERN HAMPSHIRE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in western Hampshire County through the month of January." +112208,669088,NEW YORK,2017,January,Strong Wind,"EASTERN ALBANY",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669091,NEW YORK,2017,January,Strong Wind,"WESTERN GREENE",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669092,NEW YORK,2017,January,Strong Wind,"EASTERN GREENE",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +113066,676133,KENTUCKY,2017,January,Winter Weather,"CAMPBELL",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observer east of Melbourne measured 2.4 inches of snow." +113486,679571,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-31 15:55:00,MST-7,2017-01-31 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +113486,679572,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-31 10:50:00,MST-7,2017-01-31 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher." +112211,669102,NORTH CAROLINA,2017,January,Heavy Snow,"CHEROKEE",2017-01-06 22:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 4 inches was measured at Murphy." +112212,669108,VIRGINIA,2017,January,Heavy Snow,"WASHINGTON",2017-01-06 21:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 5 inches was measured fives mile south southeast of Abingdon." +112212,669109,VIRGINIA,2017,January,Heavy Snow,"RUSSELL",2017-01-06 21:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 3.5 inches was measured fives at Castlewood." +112212,669110,VIRGINIA,2017,January,Heavy Snow,"RUSSELL",2017-01-06 21:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 3.5 inches was measured fives at Castlewood." +111630,665951,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"WEST POLK",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665952,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"EAST POLK",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665953,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"PENNINGTON",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665954,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"RED LAKE",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665955,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"NORTH CLEARWATER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665956,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"SOUTH CLEARWATER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113002,675410,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-20 15:18:00,PST-8,2017-01-20 15:18:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-120.25,36.4309,-120.245,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported Mt Whitney Avenue closed near Sonoma Avenue due to flooding west of Five Points." +113002,675411,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-20 15:19:00,PST-8,2017-01-20 15:19:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-120.83,37.0998,-120.8273,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported half of Henry Miller Avenue was flooded west of State Route 165 north of Los Banos." +113002,675412,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 16:45:00,PST-8,2017-01-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-119.54,35.4027,-119.538,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Lokern Road near Highway 58 west of Buttonwillow." +113092,676524,CALIFORNIA,2017,January,High Wind,"SOUTHERN HUMBOLDT INTERIOR",2017-01-20 00:00:00,PST-8,2017-01-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 1:55 am at Kneeland." +118381,711392,NEBRASKA,2017,June,Hail,"SALINE",2017-06-15 18:20:00,CST-6,2017-06-15 18:20:00,0,0,0,0,,NaN,,NaN,40.41,-97.04,40.41,-97.04,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118381,711393,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-15 18:51:00,CST-6,2017-06-15 18:51:00,0,0,0,0,,NaN,,NaN,40.32,-97.08,40.32,-97.08,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118381,711394,NEBRASKA,2017,June,Hail,"GAGE",2017-06-15 19:00:00,CST-6,2017-06-15 19:00:00,0,0,0,0,,NaN,,NaN,40.51,-96.71,40.51,-96.71,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118381,711395,NEBRASKA,2017,June,Hail,"GAGE",2017-06-15 19:03:00,CST-6,2017-06-15 19:03:00,0,0,0,0,,NaN,,NaN,40.51,-96.65,40.51,-96.65,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118381,711397,NEBRASKA,2017,June,Flash Flood,"JEFFERSON",2017-06-15 19:47:00,CST-6,2017-06-15 21:30:00,0,0,0,0,5.00K,5000,10.00K,10000,40.3921,-97.126,40.2922,-97.0326,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail and heavy rain during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","Heavy rain caused roads to be covered with water between Plymouth and Swanton in Northern Jefferson County." +118384,711401,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-02 03:15:00,CST-6,2017-06-02 03:15:00,0,0,0,0,,NaN,,NaN,41.26,-96.01,41.26,-96.01,"An area of thunderstorms moved through the Omaha metro area during mid morning on June 2nd. One of the storms produced damaging winds caused tree damage in the midtown area of Omaha.","Several large tree limbs were blown down by damaging winds in the Midtown area of Omaha." +123422,740078,NEBRASKA,2017,October,Hail,"CUSTER",2017-10-06 16:11:00,CST-6,2017-10-06 16:11:00,0,0,0,0,,NaN,,NaN,41.25,-100.06,41.25,-100.06,"An isolated severe thunderstorm developed across central Nebraska the afternoon of October 6th. Large hail occurred with this storm.","" +123422,740079,NEBRASKA,2017,October,Hail,"CUSTER",2017-10-06 16:15:00,CST-6,2017-10-06 16:15:00,0,0,0,0,,NaN,,NaN,41.26,-100.01,41.26,-100.01,"An isolated severe thunderstorm developed across central Nebraska the afternoon of October 6th. Large hail occurred with this storm.","" +119864,718557,OHIO,2017,October,Thunderstorm Wind,"SCIOTO",2017-10-15 16:05:00,EST-5,2017-10-15 16:10:00,0,0,0,0,1.00K,1000,0.00K,0,38.89,-82.87,38.89,-82.87,"Showers and thunderstorms developed ahead of a strong cold front.","A tree was knocked down across State Route 335 near Minford." +112417,670195,HAWAII,2017,January,High Wind,"KOHALA",2017-01-21 12:00:00,HST-10,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","Kohala Ranch RAWS recorded an 84-mph wind gust." +112417,670197,HAWAII,2017,January,High Wind,"MAUI LEEWARD WEST",2017-01-21 21:34:00,HST-10,2017-01-21 21:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","A wind gust of 59 mph was measured in Lahaina, Maui." +112417,670196,HAWAII,2017,January,High Wind,"LANAI MAUKA",2017-01-21 12:00:00,HST-10,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","Lanai Airport AWOS recorded a 66-mph wind gust." +112417,670198,HAWAII,2017,January,Flash Flood,"HAWAII",2017-01-21 22:40:00,HST-10,2017-01-21 22:40:00,0,0,1,0,0.00K,0,0.00K,0,20.0507,-155.508,20.0511,-155.5054,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","A woman attempted to cross fast-moving water that was knee-deep in a private driveway off Kahana Drive in Ahumoa near Honokaa on the Big Island of Hawaii. She was swept away and was found dead the next morning, Jan. 22." +112417,670199,HAWAII,2017,January,High Wind,"KOHALA",2017-01-22 01:36:00,HST-10,2017-01-22 01:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a front moved through the isles, high pressure in its wake brought blustery winds that resulted in power outages in many areas, downed trees and power lines, and roof damage to many residences. There also was heavy rainfall in some locales, the most significant was flash flooding on the Big Island that claimed a woman's life as she tried to cross fast-moving water in the area. No other deaths or serious injuries were reported. The cost of damages was not available.","The RAWS site in Kawaihae in leeward Big Island recorded a wind gust of 62 mph." +112690,672838,IDAHO,2017,January,Extreme Cold/Wind Chill,"SOUTH CENTRAL HIGHLANDS",2017-01-04 23:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Cold wind chill values of -20 to -30 degrees caused all Cassia County schools to close on the 5th." +112690,672839,IDAHO,2017,January,Extreme Cold/Wind Chill,"CARIBOU HIGHLANDS",2017-01-04 22:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Extreme cold wind chills of -20 to -30 degrees caused the closing of many school districts including North Gem District 149 and Soda Springs District." +113158,676857,IDAHO,2017,January,Winter Storm,"SAWTOOTH MOUNTAINS",2017-01-07 10:00:00,MST-7,2017-01-11 08:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","The COOP observer in Stanley received 31 inches of snow from this storm bringing the snow depth in the city to 47 inches. A warehouse and garage collapsed in Custer County and it was declared a disaster area. Idaho Highway 75 was closed out of Stanley to Galena Summit and Highway 21 was closed. Highway 75 was also closed from Stanley to Clayton. For a time on the 11th and 12th you could not drive into or out of Stanley. Snow amounts from SNOTEL sites were the following: Bear Canyon 38 inches, Mill Creek Summit 50 inches, Smiley Mountain 44 inches, and Stickney Mill 33 inches." +113158,676874,IDAHO,2017,January,Winter Storm,"UPPER SNAKE HIGHLANDS",2017-01-07 10:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A winter storm brought heavy snow, wind and difficult travel to the Upper Snake Highlands. Low elevation snow amounts were 7 inches in Driggs, Dubois and St Anthony. Amounts from SNOTEL sites were the following: 19 inches at Crab Creek, 41 inches at Island Park, and 45 inches at White Elephant. The combination of snow and wind closed the following roads the morning of the 11th: Highway 32 from Tetonia to Ashton, Highway 33 from Newdale to Tetonia, and Highway 47 from Ashton to Bear Gulch." +112520,671040,KENTUCKY,2017,January,Dense Fog,"CALLOWAY",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671041,KENTUCKY,2017,January,Dense Fog,"MARSHALL",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112521,671068,ILLINOIS,2017,January,Strong Wind,"HARDIN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671070,ILLINOIS,2017,January,Strong Wind,"PERRY",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671059,ILLINOIS,2017,January,Strong Wind,"MASSAC",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671114,MISSOURI,2017,January,Strong Wind,"SCOTT",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671116,MISSOURI,2017,January,Strong Wind,"WAYNE",2017-01-10 05:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671118,MISSOURI,2017,January,Strong Wind,"BOLLINGER",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671119,MISSOURI,2017,January,Strong Wind,"CARTER",2017-01-10 05:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113022,675562,MISSISSIPPI,2017,January,Lightning,"HINDS",2017-01-02 06:42:00,CST-6,2017-01-02 06:42:00,0,0,0,0,50.00K,50000,0.00K,0,32.3211,-90.1665,32.3211,-90.1665,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A house on Linden Place caught on fire due to lightning." +113022,675561,MISSISSIPPI,2017,January,Hail,"RANKIN",2017-01-02 06:06:00,CST-6,2017-01-02 06:06:00,0,0,0,0,0.00K,0,0.00K,0,32.216,-89.9465,32.216,-89.9465,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Hail fell in the Robinhood Community off of Highway 18 and Sanctuary Drive." +113022,675563,MISSISSIPPI,2017,January,Flash Flood,"RANKIN",2017-01-02 06:07:00,CST-6,2017-01-02 07:07:00,0,0,0,0,4.00K,4000,0.00K,0,32.3543,-90.013,32.355,-90.0085,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Several roads were flooded, including Pinebrook Drive and Castlewoods Boulevard." +113022,675564,MISSISSIPPI,2017,January,Flash Flood,"RANKIN",2017-01-02 05:54:00,CST-6,2017-01-02 06:54:00,0,0,0,0,3.00K,3000,0.00K,0,32.1661,-90.2158,32.1664,-90.2126,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Flooding occurred on Long Drive." +113022,675571,MISSISSIPPI,2017,January,Thunderstorm Wind,"ADAMS",2017-01-02 12:23:00,CST-6,2017-01-02 12:23:00,0,0,0,0,7.00K,7000,0.00K,0,31.3844,-91.3843,31.3844,-91.3843,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down and blocked both southbound lanes of Highway 61 and trees were also blown down on Ellislie Plantation Road." +113022,675572,MISSISSIPPI,2017,January,Thunderstorm Wind,"ADAMS",2017-01-02 12:27:00,CST-6,2017-01-02 12:27:00,0,0,0,0,5.00K,5000,0.00K,0,31.5296,-91.3434,31.5296,-91.3434,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down along Liberty Road." +113058,676289,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAUDERDALE",2017-01-21 22:38:00,CST-6,2017-01-21 22:38:00,0,0,0,0,8.00K,8000,0.00K,0,32.5447,-88.6803,32.5447,-88.6803,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Trees were blown down along Sunshine Road." +113058,676290,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLARKE",2017-01-21 23:14:00,CST-6,2017-01-21 23:14:00,0,0,0,0,8.00K,8000,0.00K,0,32.18,-88.86,32.18,-88.86,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Trees were blown down along I-59 and County Road 333 just west of Enterprise." +113058,676291,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAUDERDALE",2017-01-21 23:27:00,CST-6,2017-01-21 23:29:00,0,0,0,0,8.00K,8000,0.00K,0,32.39,-88.51,32.379,-88.4648,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Trees were blown down along KOA Road. Trees and powerlines were also blown down along Greenhill Loop Road." +113075,676296,LOUISIANA,2017,January,Thunderstorm Wind,"MOREHOUSE",2017-01-21 20:49:00,CST-6,2017-01-21 20:49:00,0,0,0,0,5.00K,5000,0.00K,0,32.78,-91.79,32.78,-91.79,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Large hail and damaging winds occurred in Louisiana during the evening.","Powerlines were blown down in Mer Rouge." +113077,676300,ARKANSAS,2017,January,Thunderstorm Wind,"ASHLEY",2017-01-21 20:35:00,CST-6,2017-01-21 20:35:00,0,0,0,0,10.00K,10000,0.00K,0,33.3,-91.91,33.3,-91.91,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Damaging winds and a weak tornado occurred in Arkansas during the evening.","Trees were blown down along Highways 133 and 189." +112473,670617,MISSOURI,2017,January,Winter Weather,"BOLLINGER",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +111522,665617,MARYLAND,2017,January,Winter Weather,"QUEEN ANNES",2017-01-07 05:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around an inch in Cecil County to around 9 inches in parts of Caroline County. Some representative snowfall reports include 1.4 inches in Elkton (Cecil County), 4.0 inches in Millington and 3.0 inches in Worton (both in Kent County), 5.3 inches in Sudlersville and 4.0 inches in Queenstown (both in Queen Anne's County), 3.0 inches in Easton and 1.8 inches in St. Michael's (both in Talbot County), and 8.5 inches in Ridgely, 7.5 inches in Marydel, 7.0 inches in Federalsburg, 6.5 inches in Denton, and 5.2 inches in Greensboro (all in Caroline County).","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 4 to 5 inches of snow fell in Queen Anne's County during the storm, with the highest totals in the east and the least amounts along the Chesapeake Bay. Some representative snowfall reports include 5.3 inches in Sudlersville, and 4.0 inches in Queenstown." +111522,665530,MARYLAND,2017,January,Winter Storm,"CAROLINE",2017-01-07 05:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around an inch in Cecil County to around 9 inches in parts of Caroline County. Some representative snowfall reports include 1.4 inches in Elkton (Cecil County), 4.0 inches in Millington and 3.0 inches in Worton (both in Kent County), 5.3 inches in Sudlersville and 4.0 inches in Queenstown (both in Queen Anne's County), 3.0 inches in Easton and 1.8 inches in St. Michael's (both in Talbot County), and 8.5 inches in Ridgely, 7.5 inches in Marydel, 7.0 inches in Federalsburg, 6.5 inches in Denton, and 5.2 inches in Greensboro (all in Caroline County).","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 5 to 9 inches of snow fell in Caroline County during the storm, with the highest totals in the south. Some representative snowfall reports include 8.5 inches in Ridgely, 7.5 inches in Marydel, 7.0 inches in Federalsburg, 6.5 inches in Denton, and 5.2 inches in Greensboro." +112593,671875,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-23 22:38:00,MST-7,2017-01-24 08:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system passed by to the north of the region and resulted in high winds over the Guadalupe and Davis Mountains, Marfa Plateau and Van Horn area.","" +111521,666153,DELAWARE,2017,January,Winter Weather,"NEW CASTLE",2017-01-07 18:00:00,EST-5,2017-01-07 18:00:00,0,1,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around 2 inches in northern New Castle County to over 13 inches along coastal sections of Sussex County. Some representative snowfall amounts include 4.7 inches in Blackbird, 3.5 inches in Port Penn, 3.0 inches at New Castle County Airport, 2.0 inches in Newark (all in New Castle County); 6.5 inches in Dover, 4.8 inches in Woodside, 4.4 inches in Frederica, and 3.0 inches in Hazlettville (all in Kent County); 13.5 inches in Ocean View, 13.0 inches in Selbyville, 9.0 inches in Seaford, 8.0 inches in Laurel, 6.1 inches in Bridgeville, 6.0 inches in Blades, and 5.8 inches in Nassau (all in Sussex County).||Governor Jack Markell issued a Limited State of Emergency for Sussex and Kent Counties with a Level 1 Driving Warning. State law mandates that any person driving on Delaware roadways during a Level 1 Warning must exercise extra caution. The city of Georgetown was placed under a Snow Emergency Plan, meaning cars parked on snow emergency routes can be towed at owner's expense. Delaware State Police reported 87 crashes with no injuries statewide, 28 in Sussex County. Seven crashes statewide resulted in injuries. In addition to these crashes, there were 23 disabled vehicles reported, 19 of which were in Sussex County. Numerous public and private meetings and seminars scheduled in Kent and Sussex Counties were cancelled due to the weather. The Beebe Healthcare along several other local organizations and local government facilities were also closed in Sussex county. Several schools were also closed on the 9th. Triple A got over 200 calls for assistance.","A personal injury accident occurred." +111523,665567,NEW JERSEY,2017,January,Winter Storm,"WESTERN ATLANTIC",2017-01-07 06:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 6 to 10 inches. Some representative snowfall reports include 9.0 inches in Estell Manor, 8.0 inches in Mays Landing, 6.5 inches in Collings Lakes, and 6.0 inches at Atlantic City International Airport." +111523,665568,NEW JERSEY,2017,January,Winter Storm,"EASTERN ATLANTIC",2017-01-07 06:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 6 to 10 inches, with higher amounts closer to the coast. Some representative snowfall reports around Atlantic County include 9.0 inches in Estell Manor, 8.0 inches in Mays Landing, 6.5 inches in Collings Lakes, and 6.0 inches at Atlantic City International Airport. Strong northwest winds the following day produced some blowing and drifting." +112514,670997,ILLINOIS,2017,January,Dense Fog,"ALEXANDER",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112357,673347,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:29:00,EST-5,2017-01-22 15:29:00,0,0,0,0,0.00K,0,0.00K,0,30.4319,-84.2502,30.4319,-84.2502,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1749 Apalachee Parkway." +112357,673348,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:30:00,EST-5,2017-01-22 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.4306,-84.2619,30.4306,-84.2619,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at Circle Dr and Magnolia Dr." +111686,667523,NEBRASKA,2017,January,Ice Storm,"PLATTE",2017-01-15 15:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +112357,673350,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:32:00,EST-5,2017-01-22 15:32:00,0,0,0,0,0.00K,0,0.00K,0,30.4684,-84.324,30.4684,-84.324,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near Devra Dr and Alton Road." +112357,673351,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:33:00,EST-5,2017-01-22 15:33:00,0,0,0,0,0.00K,0,0.00K,0,30.4515,-84.2839,30.4515,-84.2839,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 216 West 2nd Ave." +112357,673352,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:33:00,EST-5,2017-01-22 15:33:00,0,0,0,0,0.00K,0,0.00K,0,30.4516,-84.2364,30.4516,-84.2364,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 750 Riggins Road." +112357,673353,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:33:00,EST-5,2017-01-22 15:33:00,0,0,0,0,0.00K,0,0.00K,0,30.4633,-84.2488,30.4633,-84.2488,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1525 Coombs Drive." +112357,673354,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:34:00,EST-5,2017-01-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,30.4683,-84.2377,30.4683,-84.2377,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2025 Watson Way." +112357,673355,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:34:00,EST-5,2017-01-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,30.4703,-84.2459,30.4703,-84.2459,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down on Hillgate Court." +112357,673356,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:34:00,EST-5,2017-01-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-84.21,30.48,-84.21,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near Miccosukee Road." +112357,673357,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:34:00,EST-5,2017-01-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,30.4716,-84.2269,30.4716,-84.2269,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2983 Nutmeg Drive." +111735,667886,ALASKA,2017,January,High Wind,"SOUTHERN INNER CHANNELS",2017-01-15 15:00:00,AKST-9,2017-01-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 968 MB low in the Western Gulf tracked NE toward Prince William Sound with a Storm force front Sunday afternoon and evening on 1/15. A secondary frontal wrap crossed into SE coastal waters Sunday evening 1/15, then over Southern Panhandle. Model 925 MB winds were 60-70 KT. Additionally, another sub-970 low redeveloped into the Yukon on Monday 1/16 around midday with strong pressure rises in Lynn Canal that increase the pressure gradient at Skagway and caused heavy snow with near blizzard conditions over the Klondike Highway early on Tuesday morning 1/17.","LCNA2 16/0410z (15/710pm) 50g69kt = 58g79mph. PANT 16/0440z (15/740pm) Peak gust 51kt =59mph. PAKT roof wind 16/0453 16035g65kt = 40g75mph. No damage was reported." +111735,667887,ALASKA,2017,January,High Wind,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-16 12:00:00,AKST-9,2017-01-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 968 MB low in the Western Gulf tracked NE toward Prince William Sound with a Storm force front Sunday afternoon and evening on 1/15. A secondary frontal wrap crossed into SE coastal waters Sunday evening 1/15, then over Southern Panhandle. Model 925 MB winds were 60-70 KT. Additionally, another sub-970 low redeveloped into the Yukon on Monday 1/16 around midday with strong pressure rises in Lynn Canal that increase the pressure gradient at Skagway and caused heavy snow with near blizzard conditions over the Klondike Highway early on Tuesday morning 1/17.","PAGY reported a peak wind gust of 56 mph at 1835 on 1/16. Areas around Skagway probably got more wind. No damage was reported." +111735,669069,ALASKA,2017,January,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-15 18:00:00,AKST-9,2017-01-16 16:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 968 MB low in the Western Gulf tracked NE toward Prince William Sound with a Storm force front Sunday afternoon and evening on 1/15. A secondary frontal wrap crossed into SE coastal waters Sunday evening 1/15, then over Southern Panhandle. Model 925 MB winds were 60-70 KT. Additionally, another sub-970 low redeveloped into the Yukon on Monday 1/16 around midday with strong pressure rises in Lynn Canal that increase the pressure gradient at Skagway and caused heavy snow with near blizzard conditions over the Klondike Highway early on Tuesday morning 1/17.","AKDOT reported on 1/16 that 1 foot of snow fell overnight near white with a storm total 16 to 18 inches new snow. The highway was closed due to avalanche concerns. Eventually we had to switch this warning to Blizzard. SUMQ2 sensor reported winds up to 70 mph with gusts to 80 mph overnight. No LSR sent due to this sensor being in Canada." +111942,667629,WISCONSIN,2017,January,Winter Weather,"SAUK",2017-01-11 14:00:00,CST-6,2017-01-11 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall of an inch or less." +111830,667992,NEW JERSEY,2017,January,High Wind,"WESTERN CAPE MAY",2017-01-23 10:16:00,EST-5,2017-01-23 10:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A 63 mph measured gust was measured." +111830,669946,NEW JERSEY,2017,January,Winter Weather,"WARREN",2017-01-24 07:12:00,EST-5,2017-01-24 07:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","The highest Storm Total Snowfall in Warren County associated with the nor'easter was 0.8 inches in Allamuchy." +111695,666285,OREGON,2017,January,Heavy Snow,"JACKSON COUNTY",2017-01-02 08:00:00,PST-8,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","Spotter reports: 7NNW Rogue River reported 6-8 inches of new snow since the previous evening, and 3 inches the previous day, as of 03/0949 PST; 2NNW Eagle Point, 4.5 inches in the past 4 hours and 6.5 inches on the ground, as of 03/0759 PST; 1WSW Central Point, 7.0 inches of snow as of 03/2330 PST; 3E Medford, 8.0 inches in the past 12 hours with 03/2316 PST with 11.0 inches on the ground; 2ESE Jacksonville, 9.0 inches of snow in 24 hours at 1600 feet as of 04/0800 PST; 1NE Medford, 9.3 inches of snow in 24 hours with a storm total of 11.25 inches as of 04/0926 PST; 1SSE Ashland, 8.0 inches of snow in 16 hours as of 04/0800 PST.||Public Reports: 2N Medford, 4.5 inches of snow since 03/0600 PST as of 03/1930 PST; 4SW Medford, 9.0 inches of snow as of 03/2200 PST; 4E Medford, 8.0 inches of snow as of 03/2200 PST; SE Medford, 8.0 inches of snow as of 04/0800 PST; 5NE Medford, 9.3 inches of snow ending at 04/0926 PST; 3E Jacksonville, 9.0 inches of snow ending at 04/0800 PST.||NWS employee reports: 1WNW Ashland, 7.0 inches as of 04/0730 PST; Rogue River, 5.7 inches at 04/0700 PST. ||CoCoRAHS Reports: 24 hour snow totals as of 04/0800 PST: 1SE Ashland, 8.0 inches; 1NNW Ashland, 6.5 inches; 7SW Prospect, 6.8 inches; 2.4ESE Ashland, 6.0 inches; 5.0SSW Medford, 11.5 inches; 0.4NE Jacksonville, 8.5 inches; 5.4NNW Gold Hill, 9.5 inches, then later reported 14.1 inches as of 04/0700 PST; 5.1SSW Medford, 13.0 inches.||The cooperative observer at Ashland reported 8.0 inches of snow in 24 hours as of 04/0800 PST. The cooperative observer at Ruch reported 10.5 inches of snow in 24 hours as of 04/0800 PST. The storm total measured at WFO Medford was 8.3 inches of snow in 24 hours ending at 04/0353 PST." +112034,668137,OREGON,2017,January,Heavy Snow,"SOUTH CENTRAL OREGON CASCADES",2017-01-09 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another in a series of strong storms brought heavy precipitation and strong winds to portions of southwest Oregon.","The cooperative observer at Odell Lake East reported 13.0 inches of snow at 10/0800 PST and an additional 18.0 inches of snow at 11/0800 PST. An avalanche occurred inside Crater Lake National Park about 1/2 mile west of the park entrance on Highway 62, closing Highway 62 and the park." +112034,668142,OREGON,2017,January,Winter Weather,"CENTRAL & EASTERN LAKE COUNTY",2017-01-11 01:39:00,PST-8,2017-01-11 05:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another in a series of strong storms brought heavy precipitation and strong winds to portions of southwest Oregon.","The Rock Creek RAWS recorded a gust to 58 mph at 11/0527 PST. The Summer Lake RAWS recorded a gust to 60 mph at 11/0238 PST and a gust to 66 mph at 11/0338 PST. The Summit RAWS recorded a gust to 60 mph at 11/0503 PST." +112043,668194,OREGON,2017,January,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-01-18 02:39:00,PST-8,2017-01-18 03:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an unusual high wind event for the Medford CWA. The trajectory of the storm moving in from the south brought high winds that spread from east to west instead of the usual west to east.","The Summer Lake RAWS recorded a gust to 61 mph at 18/0338 PST. A spotter 9SSE Summer Lake reported a gust to 62 mph at 18/0345 PST." +112041,669044,ALASKA,2017,January,High Wind,"INNER CHANNELS FROM KUPREANOF ISLAND TO ETOLIN ISLAND",2017-01-26 21:00:00,AKST-9,2017-01-27 04:49:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","January 27, 2017 Kake Fuel Dock Storm Damage. SEOC Duty Officer was notified the City of Kake declared a local disaster for windstorm damage to the local fuel dock. A storm over the weekend had broken the dock and two steel pillars were lost to sea. SEOC continues to coordinate with City on related costs of damages." +112049,668201,CALIFORNIA,2017,January,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-18 05:00:00,PST-8,2017-01-19 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another storm brought more heavy snow to areas that have been inundated with heavy snow from previous storms.","A spotter 2SSW Weed reported 16.0 inches of heavy wet snow in 24 hours as of 19/0753 PST. He also reported high winds with tree damage. A spotter 3SSE Mount Shasta City reported 13.0 inches of snow in 12 hours ending at 18/1800 PST. A spotter 3NW Mount Shasta City reported 16.0 inches of snow in 24 hours ending at 19/0200 PST. A spotter in Mount Shasta City reported 14.0 inches of snow as of 19/0900 PST. 5 inches of it fell between 18/1640 PST and 19/0900 PST. The cooperative observer at Mount Shasta City reported 12.0 inches of snow in 24 hours ending at 19/0600 PST." +112074,668361,CALIFORNIA,2017,January,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-19 18:00:00,PST-8,2017-01-20 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another in a series of winter storms brought more heavy snow to northern California.","A spotter 3SSE Mount Shasta City reported 14.0 inches of snow in 14 hours as of 20/0800 PST. A spotter 1WSW Mount Shasta City reported 20.0 inches of new snow at 20/0727 PST. A spotter in Mount Shasta City reported 11.0 inches of snow in 14 hours ending at 20/0800 PST. A spotter 2S Mount Shasta City reported 10.3 inches of snow in 12 hours ending at 20/0930 PST. The cooperative observer at Mount Shasta City reported 12.0 inches of snow in 24 hours as of 20/0600 PST." +112073,668362,CALIFORNIA,2017,January,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-21 17:00:00,PST-8,2017-01-22 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The penultimate in a long series of winter storms brought more heavy snow to northern California.","A spotter 2SSW Weed reported 14.0 inches of snow overnight as of 22/0500 PST. Snow depth was over 3 feet with many trees down. A spotter in Mount Shasta City reported 8.0 inches of snow overnight as of 22/0830 PST. A spotter 2S Mount Shasta City reported 5.8 inches of snow in 12 hours as of 22/0945 PST. A spotter 4S Weed reported 14.0 inches of snow in 12 hours as of 22/1300 PST. The snow depth was 54 inches." +112072,669335,FLORIDA,2017,January,Thunderstorm Wind,"CITRUS",2017-01-22 18:30:00,EST-5,2017-01-22 18:30:00,1,0,0,0,30.00K,30000,0.00K,0,28.9649,-82.42,28.9649,-82.42,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","A large oak tree was knocked down and fell on a house in Holder. The home owner sustained minor injuries and refused transportation to a hospital. Additionally, downed power lines sparked a 50 acre brush fire near Crystal River." +112072,669334,FLORIDA,2017,January,Thunderstorm Wind,"MANATEE",2017-01-22 19:45:00,EST-5,2017-01-22 19:55:00,0,0,0,0,10.00K,10000,0.00K,0,27.447,-82.576,27.458,-82.536,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Thunderstorm wind gusts caused a path of damage with roofs and lanais damaged in three different mobile home parks around 53rd Avenue West and 14th Street West in Bradenton, and a tree knocked over farther to the northeast." +112072,669338,FLORIDA,2017,January,Thunderstorm Wind,"POLK",2017-01-22 19:17:00,EST-5,2017-01-22 19:17:00,0,0,0,0,2.00K,2000,0.00K,0,28.11,-81.97,28.11,-81.97,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Emergency management reported 2 mobile homes sustained roof damage." +112072,669340,FLORIDA,2017,January,Thunderstorm Wind,"PINELLAS",2017-01-22 19:30:00,EST-5,2017-01-22 19:30:00,0,0,0,0,2.00K,2000,0.00K,0,28.0024,-82.755,28.0024,-82.755,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Broadcast media reported multiple trees down and in the road near intersection of North Hercules Avenue and Ridgewood Dr." +112083,668445,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-22 19:30:00,EST-5,2017-01-22 19:30:00,0,0,0,0,0.00K,0,0.00K,0,27.95,-82.81,27.95,-82.81,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","A home weather station in Bellaire Beach recorded a 35 knot marine thunderstorm wind gust." +112083,668449,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-22 20:24:00,EST-5,2017-01-22 20:24:00,0,0,0,0,0.00K,0,0.00K,0,27.6633,-82.6183,27.6633,-82.6183,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The buoy at Middle Tampa Bay recorded a 38 knot marine thunderstorm wind gust." +112102,668685,NEBRASKA,2017,January,Winter Storm,"ROCK",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer in Newport reported 18 inches of snowfall. Snowfall amounts ranged from 12 to 18 inches across Brown County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668687,NEBRASKA,2017,January,Winter Storm,"GARFIELD",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer in Burwell reported 8 inches of snowfall. Snowfall amounts ranged from 6 to 9 inches across Garfield County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668686,NEBRASKA,2017,January,Winter Storm,"HOLT",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located 15 miles north northeast of Stuart reported 18 inches of snowfall. Snowfall amounts ranged from 10 to 18 inches across Holt County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112083,668485,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-23 05:27:00,EST-5,2017-01-23 05:27:00,0,0,0,0,0.00K,0,0.00K,0,27.34,-82.56,27.34,-82.56,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The Weather Flow station in the Sarasota Bay (XSRB) recorded a 37 knot marine thunderstorm wind gust." +111444,664843,WEST VIRGINIA,2017,January,Winter Weather,"CALHOUN",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664844,WEST VIRGINIA,2017,January,Winter Weather,"CLAY",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664846,WEST VIRGINIA,2017,January,Winter Weather,"DODDRIDGE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664847,WEST VIRGINIA,2017,January,Winter Weather,"GILMER",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664870,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST POCAHONTAS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664869,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST NICHOLAS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664871,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST RALEIGH",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664872,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST RANDOLPH",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +112103,668622,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST POCAHONTAS",2017-01-29 18:00:00,EST-5,2017-01-30 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112102,668682,NEBRASKA,2017,January,Winter Storm,"KEYA PAHA",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","The nearby snow observer near Valentine airport reported 10 inches of snowfall. Snowfall amounts ranged from 8 to 14 inches across Keya Paha County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112071,668779,PENNSYLVANIA,2017,January,Winter Storm,"TIOGA",2017-01-23 16:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A coastal storm brought significant mixed precipitation to Central Pennsylvania on January 23-24, 2017. Heavy snow amounts were elevation-driven with mixed rain to sleet and snow transition in the lee of the Alleghenies. The northern mountains received received 6-10 inches of snowfall, while the Laurel Highlands and Central Ridge and Valley region recorded a slushy 1 to 5 inches of snow/sleet. The lowest elevations from middle to lower Susquehanna Valley received 1-2 inches of rainfall.","A winter storm produced 7-9 inches of snowfall across Tioga County." +114810,691779,TEXAS,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-02 10:30:00,CST-6,2017-04-02 10:30:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-96.58,31.33,-96.58,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Emergency manager reported a 52 knot wind gust off HWY 14 near Thornton." +114810,691780,TEXAS,2017,April,Thunderstorm Wind,"VAN ZANDT",2017-04-02 10:46:00,CST-6,2017-04-02 10:46:00,0,0,0,0,0.00K,0,0.00K,0,32.7,-95.88,32.7,-95.88,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Trained weather spotter reports an approximate wind gust of 65 mph." +114810,692670,TEXAS,2017,April,Hail,"LIMESTONE",2017-04-02 07:52:00,CST-6,2017-04-02 07:52:00,0,0,0,0,0.00K,0,0.00K,0,31.68,-96.53,31.68,-96.53,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +111686,667459,NEBRASKA,2017,January,Ice Storm,"JOHNSON",2017-01-15 07:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +111686,667469,NEBRASKA,2017,January,Ice Storm,"LANCASTER",2017-01-15 07:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +111614,665865,IOWA,2017,January,Winter Weather,"BUENA VISTA",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads were completely covered with a light ice accumulation." +114810,688936,TEXAS,2017,April,Lightning,"DALLAS",2017-04-02 07:30:00,CST-6,2017-04-02 07:30:00,0,0,0,0,50.00K,50000,0.00K,0,32.6867,-97.0284,32.6867,-97.0284,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Three homes were severely damaged after being struck by lightning during a round of thunderstorms Sunday morning." +114848,688966,TEXAS,2017,April,Hail,"COLLIN",2017-04-04 18:30:00,CST-6,2017-04-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-96.48,33.2,-96.48,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A trained spotter reported quarter sized hail just northeast of Princeton, TX." +114848,688968,TEXAS,2017,April,Hail,"COLLIN",2017-04-04 18:32:00,CST-6,2017-04-04 18:32:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-96.49,33.15,-96.49,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A CoCoRaHS observer reported quarter-sized hail 2 miles south southeast of the city of Princeton, TX." +114848,688971,TEXAS,2017,April,Hail,"COLLIN",2017-04-04 18:38:00,CST-6,2017-04-04 18:38:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-96.5,33.18,-96.5,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A social media report indicated quarter-sized hail in the city of Princeton, TX." +112072,669345,FLORIDA,2017,January,Coastal Flood,"PINELLAS",2017-01-22 20:00:00,EST-5,2017-01-22 23:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Water was observed to have risen 2.1 feet above the predicted high tide at Clearwater Beach. The city of Indian Rocks Beach also reported that beach erosion caused the loss of sand and damage to public signs and trash cans, totaling around $20,000 in damage." +112083,668440,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-01-22 17:48:00,EST-5,2017-01-22 17:48:00,0,0,0,0,0.00K,0,0.00K,0,29.13,-83.03,29.13,-83.03,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The C-MAN station at Cedar Key recorded a 50 knot marine thunderstorm wind gust." +111689,666243,MISSOURI,2017,January,Wildfire,"LAWRENCE",2017-01-11 14:00:00,CST-6,2017-01-11 15:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An out of control grass fire forced evacuations of a neighborhood as well as destroyed a home and several out buildings in Mount Vernon.","A large grass fire started near Interstate 44 and quickly became out of control forcing a Veterans Home and a nearby neighborhood to evacuate. The fire likely was started by a spark or a cigarette near the interstate. The very warm and windy conditions caused the fire to spread rapidly which burned about 125 acres. A mobile home and several outbuildings were completely destroyed. Two other homes were damaged." +111685,666240,KANSAS,2017,January,Ice Storm,"CHEROKEE",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted southeast Kansas with sporadic power outages and reports of some tree damage. The ice storm impacted the area for a few days.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. One tree fell on a house and another tree fell on to a garage. The northern portion of the county experienced a few power outages. There were a few reports of cars sliding off the road by the local sheriff office." +111685,666241,KANSAS,2017,January,Ice Storm,"CRAWFORD",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted southeast Kansas with sporadic power outages and reports of some tree damage. The ice storm impacted the area for a few days.","Between a quarter and a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were scattered outages reported across the county. There were a few reports of cars sliding off the road by the local sheriff office." +111684,666247,MISSOURI,2017,January,Ice Storm,"POLK",2017-01-13 06:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a three quarters of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were isolated power outages reported." +111712,666325,TEXAS,2017,January,Winter Weather,"BOWIE",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +111712,666326,TEXAS,2017,January,Winter Weather,"TITUS",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +112155,668961,LOUISIANA,2017,January,Hail,"CLAIBORNE",2017-01-21 18:20:00,CST-6,2017-01-21 18:20:00,0,0,0,0,0.00K,0,0.00K,0,32.7531,-92.9592,32.7531,-92.9592,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","The public posted a photo of half dollar size hail that fell at Lake Claiborne on the KTBS-TV Facebook page." +112155,668962,LOUISIANA,2017,January,Hail,"CLAIBORNE",2017-01-21 18:30:00,CST-6,2017-01-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.9623,-93.1394,32.9623,-93.1394,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A picture of half dollar size hail that fell in Haynesville was posted to the KSLA-TV Facebook page." +112147,668813,TEXAS,2017,January,Hail,"HARRISON",2017-01-21 16:20:00,CST-6,2017-01-21 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.5418,-94.2439,32.5418,-94.2439,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Scottsville." +112147,668814,TEXAS,2017,January,Hail,"MARION",2017-01-21 16:50:00,CST-6,2017-01-21 16:50:00,0,0,0,0,0.00K,0,0.00K,0,32.7877,-94.0737,32.7877,-94.0737,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A video was posted to the KSLA-TV Facebook page of half-dollar size hail that fell in the Gray community east of Smithland." +112404,670138,COLORADO,2017,January,Winter Storm,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-01-03 20:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 38.7, 4 miles souitheast of Mt. Zirkel, 21.8 inches, 9 miles south-southeast of Spicer and 19 inches at Tower." +112416,670191,HAWAII,2017,January,High Surf,"WINDWARD HALEAKALA",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","" +112416,670192,HAWAII,2017,January,High Surf,"BIG ISLAND NORTH AND EAST",2017-01-21 06:00:00,HST-10,2017-01-24 14:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large swell from the north in combination with strong trade winds produced surf of 8 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. A man drowned in windward Big Island waters in the rough surf on the 22nd. There were no reports of significant property damage.","A man drowned off shore of Kehena Beach in windward Big Island. Onlookers were unable to rescue him due to rough ocean conditions." +112418,670200,HAWAII,2017,January,Heavy Rain,"HAWAII",2017-01-24 06:33:00,HST-10,2017-01-24 11:12:00,0,0,0,0,0.00K,0,0.00K,0,19.9839,-155.2588,19.4187,-155.2293,"Trade wind showers became heavy over windward sections of the Big Island of Hawaii and Maui as an upper trough lingered near the area. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +112418,670201,HAWAII,2017,January,Heavy Rain,"HAWAII",2017-01-24 15:48:00,HST-10,2017-01-25 00:38:00,0,0,0,0,0.00K,0,0.00K,0,19.971,-155.2451,19.5178,-155.0954,"Trade wind showers became heavy over windward sections of the Big Island of Hawaii and Maui as an upper trough lingered near the area. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +111874,667211,MINNESOTA,2017,January,Winter Storm,"FARIBAULT",2017-01-24 18:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved out of the central Rockies, and into the central Plains, Tuesday afternoon January 24th. Initially, the atmosphere was dry above the boundary layer which kept the onset of snow a few hours later than expected. ||During the early afternoon, a band of heavy snow developed across central Iowa and slowly moved north toward the Minnesota border by sunset. Initially, surface observations, trained spotters and observers reported heavy snowfall from Spencer to Mason City, Iowa, for 2 to 3 hours. This band of snow slowly moved north across the Minnesota border during the early evening. However, the heavier bands of snow diminished as it moved into Minnesota. This kept snowfall amounts much lighter on the Minnesota side where totals ranged from 7-10 inches along the Minnesota border, to less than 5 inches from St. James to Waseca and Owatonna. The heaviest totals were just south of the Minnesota border.||The light snow continued Wednesday morning before tapering off during the afternoon.","Several trained observers reported 6 to 8 inches along the Minnesota, Iowa border from Elmore to Kiester. Amounts decreased to 5 to 6 inches in northern Faribault County near Minnesota Lake." +112030,668159,OHIO,2017,January,Flood,"TRUMBULL",2017-01-12 11:00:00,EST-5,2017-01-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-80.77,41.2428,-80.7275,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","Heavy rainfall with estimates around 2 inches fell across the upper Mahoning River Basin on January 12th. Flooding across Trumbull County produced damages to MetroParks in Braceville and Warren Townships. Numerous local roads were closed due to flooding. ||Road Closures. |Roads in Warren City and Township, Farmington, Lordstown, Weathersfield, Southington, Hubbard City and Township, Johnston, Brookfield, Vienna and Champion, were reported flooded.|Addison Road, between Route 82 and Route 62 in Brookfield|State Route 87 between State Route 543 and State Route 45|Pine Avenue SE in Warren|Several roads near Eagle Creek Road, including a portion of Barclay-Messerly, Nelson Mosier Road, and Braceville-Robinson Road|Route 45, just north of Calla Road in Beaver Township|Western Reserve Road, between Youngstown-Salem Road and Knauf Road in Canfield|The Salt Springs Road exit off of Interstate 680 northbound ||The Mahoning River was elevated with flooding reported at the Eagle Creek at Braceville (Phalanx Station) which crested at 12.9'. Leavittsburg and Warren reached moderate flood stages." +113069,676230,IOWA,2017,January,Winter Weather,"WINNESHIEK",2017-01-16 00:50:00,CST-6,2017-01-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Winneshiek County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113071,676234,MINNESOTA,2017,January,Winter Weather,"DODGE",2017-01-16 13:10:00,CST-6,2017-01-17 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Dodge County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113071,676236,MINNESOTA,2017,January,Winter Weather,"FILLMORE",2017-01-16 03:15:00,CST-6,2017-01-17 00:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Fillmore County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111629,665932,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"TOWNER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665933,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"CAVALIER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111509,665753,NEW MEXICO,2017,January,Winter Storm,"ESTANCIA VALLEY",2017-01-05 19:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 2 to 4 inches within the Estancia Valley. Severe impacts to travel were reported as temperatures in the lower single digits accompanied the snowfall." +112644,672468,NEW YORK,2017,January,Winter Weather,"WESTERN COLUMBIA",2017-01-23 17:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672469,NEW YORK,2017,January,Winter Weather,"EASTERN COLUMBIA",2017-01-23 17:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672579,OKLAHOMA,2017,January,Drought,"DEWEY",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672580,OKLAHOMA,2017,January,Drought,"BLAINE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672476,NEW YORK,2017,January,Winter Weather,"WESTERN RENSSELAER",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672477,NEW YORK,2017,January,Winter Weather,"EASTERN RENSSELAER",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672587,OKLAHOMA,2017,January,Drought,"PAYNE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672588,OKLAHOMA,2017,January,Drought,"GRADY",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +115334,692502,ARKANSAS,2017,April,Thunderstorm Wind,"DALLAS",2017-04-10 19:27:00,CST-6,2017-04-10 19:27:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-92.63,33.94,-92.63,"Severe thunderstorms moved through parts of southern Arkansas with strong winds that knocked some trees down and did some damage on April 10, 2017.","Trees were downed." +115334,692503,ARKANSAS,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-10 19:30:00,CST-6,2017-04-10 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.73,-92.62,33.73,-92.62,"Severe thunderstorms moved through parts of southern Arkansas with strong winds that knocked some trees down and did some damage on April 10, 2017.","Windows were blown out of a house by the winds." +115334,692506,ARKANSAS,2017,April,Thunderstorm Wind,"DALLAS",2017-04-10 19:40:00,CST-6,2017-04-10 19:40:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-92.47,33.9,-92.47,"Severe thunderstorms moved through parts of southern Arkansas with strong winds that knocked some trees down and did some damage on April 10, 2017.","Local law enforcement reported several trees down along Highway 229." +115334,692513,ARKANSAS,2017,April,Strong Wind,"LONOKE",2017-04-10 20:00:00,CST-6,2017-04-10 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Severe thunderstorms moved through parts of southern Arkansas with strong winds that knocked some trees down and did some damage on April 10, 2017.","Law enforcement reported several trees down in the Ward area due to non-thunderstorm winds." +119280,716252,NEW JERSEY,2017,September,High Surf,"EASTERN MONMOUTH",2017-09-19 09:50:00,EST-5,2017-09-19 09:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane Jose meandered offshore for several days. Portions of our area saw high surf coastal flooding and tropical storm force winds.","Minor damage was reported at a Fishing Pier." +119280,716253,NEW JERSEY,2017,September,High Surf,"EASTERN ATLANTIC",2017-09-19 18:24:00,EST-5,2017-09-19 18:24:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane Jose meandered offshore for several days. Portions of our area saw high surf coastal flooding and tropical storm force winds.","Water was coming over a seawall." +119282,716254,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-09-19 11:30:00,EST-5,2017-09-19 11:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane Jose meandered offshore for several days. Portions of the offshore waters saw high surf and tropical storm force winds.","Weatherflow sustained 34 knot wind for the 15 minutes." +119282,716255,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"SANDY HOOK NJ TO MANASQUAN INLET NJ OUT 20 TO 40 NM",2017-09-19 12:20:00,EST-5,2017-09-19 12:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane Jose meandered offshore for several days. Portions of the offshore waters saw high surf and tropical storm force winds.","Buoy 44009 sustained a 34 knot wind." +120469,721757,NEW JERSEY,2017,September,Coastal Flood,"SOUTHEASTERN BURLINGTON",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected southeastern Burlington County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.||The following tide gauge reached the moderate flooding threshold: Tuckerton." +121944,730071,NEW JERSEY,2017,September,Rip Current,"EASTERN MONMOUTH",2017-09-23 16:30:00,EST-5,2017-09-23 16:30:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A man died in Long Branch after getting caught by a rip current.","A man got caught in a rip current and died." +112323,672774,MASSACHUSETTS,2017,January,Drought,"WESTERN HAMPDEN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation in western Hampden County through the month of January." +112323,672775,MASSACHUSETTS,2017,January,Drought,"EASTERN HAMPSHIRE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation in eastern Hampshire County through January 24, then reduced the designation to Severe Drought (D2) through the end of the month." +112208,669093,NEW YORK,2017,January,Strong Wind,"WESTERN COLUMBIA",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669094,NEW YORK,2017,January,Strong Wind,"EASTERN COLUMBIA",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669095,NEW YORK,2017,January,Strong Wind,"WESTERN ULSTER",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112212,669112,VIRGINIA,2017,January,Heavy Snow,"WASHINGTON",2017-01-06 09:00:00,EST-5,2017-01-07 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of six inches was measured at Abingdon." +112992,675253,CALIFORNIA,2017,January,Heavy Rain,"CONTRA COSTA",2017-01-10 18:57:00,PST-8,2017-01-10 19:57:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-121.93,38.01,-121.93,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Very heavy rainfall. Rates measure 1 inch per hour on Davis Instrument." +112992,675254,CALIFORNIA,2017,January,Flood,"SAN MATEO",2017-01-10 14:31:00,PST-8,2017-01-10 16:31:00,0,0,0,0,0.00K,0,0.00K,0,37.9279,-122.5157,37.9278,-122.5156,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","North bound Highway 101 on Paradise off ramp closed due to flooding." +112992,675255,CALIFORNIA,2017,January,Debris Flow,"SONOMA",2017-01-10 15:02:00,PST-8,2017-01-10 17:02:00,0,0,0,0,0.00K,0,0.00K,0,38.4175,-122.9029,38.4179,-122.9037,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Mud slide and rocks blocking part of Greenhill road." +112992,675256,CALIFORNIA,2017,January,Debris Flow,"SANTA CLARA",2017-01-10 21:15:00,PST-8,2017-01-10 23:15:00,0,0,0,0,0.00K,0,0.00K,0,37.195,-122.0247,37.195,-122.025,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Black road at Gist Road rcwy is impassable due to major mud/rock slide." +112992,675257,CALIFORNIA,2017,January,Debris Flow,"SAN MATEO",2017-01-10 21:26:00,PST-8,2017-01-10 23:26:00,0,0,0,0,0.00K,0,0.00K,0,37.3865,-122.2642,37.3863,-122.2642,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","At junction of hwy 35 and 84 multiple wires down, trees down, and mud slide." +112992,675258,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-10 21:43:00,PST-8,2017-01-10 23:43:00,0,0,0,0,0.00K,0,0.00K,0,37.1299,-122.1351,37.1305,-122.1352,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Mud/rock slide 35 ft onto boulder creed dr." +111630,665957,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"NORMAN",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665958,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"MAHNOMEN",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113065,676190,OHIO,2017,January,Winter Weather,"PIKE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer south of Waverly measured 1.1 inches of snow, wile the county garage north of Wakefield measured an inch." +113065,676191,OHIO,2017,January,Winter Weather,"PREBLE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observer near Eaton measured 0.9 inches of snow." +113065,676192,OHIO,2017,January,Winter Weather,"ROSS",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from Chillicothe showed that an inch of snow." +113065,676193,OHIO,2017,January,Winter Weather,"SCIOTO",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observers west of Sciotodale and Rosemount both measured 3 inches of snow. The EMA in Sciotoville measured 2.5 inches." +113065,676194,OHIO,2017,January,Winter Weather,"SHELBY",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter in Sidney measured 2.3 inches of snow. The county garage near town measured an inch, as did the CoCoRaHS observer from Russia." +113065,676196,OHIO,2017,January,Winter Weather,"UNION",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observer located 4 miles northwest of Raymond measured an inch of snow." +111456,664942,NEW JERSEY,2017,January,Winter Weather,"SOMERSET",2017-01-02 07:00:00,EST-5,2017-01-02 07:58:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of north-central New Jersey early Monday morning, January 2nd. 0.01 inches of freezing rain was reported by the ASOS unit at Somerset Airport in Somerset County at 07:58EDT.","A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of north-central New Jersey early Monday morning, January 2nd. 0.01 inches of freezing rain was reported by the ASOS unit at Somerset Airport in Somerset County at 07:58EDT." +111457,664943,PENNSYLVANIA,2017,January,Winter Weather,"BERKS",2017-01-02 06:45:00,EST-5,2017-01-02 07:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of eastern Pennsylvania early Monday morning, January 2nd. 0.08 inches of freezing rain was reported by the ASOS unit at Pocono Mountains Airport in Monroe County, and a trace of freezing rain was reported at Reading Regional Airport in Berks County.","A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of eastern Pennsylvania early Monday morning, January 2nd. A trace of freezing rain was reported by the ASOS unit at Reading Regional Airport in Berks County at 7:01EDT." +111457,664944,PENNSYLVANIA,2017,January,Winter Weather,"MONROE",2017-01-02 08:00:00,EST-5,2017-01-02 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of eastern Pennsylvania early Monday morning, January 2nd. 0.08 inches of freezing rain was reported by the ASOS unit at Pocono Mountains Airport in Monroe County, and a trace of freezing rain was reported at Reading Regional Airport in Berks County.","A low-level northeast flow and cold air damming situation produced by a strengthening high pressure system centered over New England, coupled with light rain from a northward moving warm front, produced light freezing rain over a very limited area of eastern Pennsylvania Monday morning, January 2nd. 0.08 inches of freezing rain was reported by the ASOS unit at Pocono Mountains Airport in Monroe County at 10:00EDT." +111679,676775,NORTH DAKOTA,2017,January,Winter Storm,"CASS",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676776,NORTH DAKOTA,2017,January,Winter Storm,"RANSOM",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +120457,721706,OHIO,2017,September,Thunderstorm Wind,"LUCAS",2017-09-04 18:01:00,EST-5,2017-09-04 18:01:00,0,0,0,0,10.00K,10000,0.00K,0,41.7051,-83.645,41.7051,-83.645,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds downed a few trees." +112419,670203,HAWAII,2017,January,High Surf,"NIIHAU",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670204,HAWAII,2017,January,High Surf,"KAUAI WINDWARD",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670205,HAWAII,2017,January,High Surf,"KAUAI LEEWARD",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670206,HAWAII,2017,January,High Surf,"WAIANAE COAST",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670207,HAWAII,2017,January,High Surf,"OAHU NORTH SHORE",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670208,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670209,HAWAII,2017,January,High Surf,"MOLOKAI WINDWARD",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670210,HAWAII,2017,January,High Surf,"MOLOKAI LEEWARD",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +111680,676786,MINNESOTA,2017,January,Winter Storm,"MAHNOMEN",2017-01-02 09:17:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676787,MINNESOTA,2017,January,Winter Storm,"SOUTH CLEARWATER",2017-01-02 09:17:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676788,MINNESOTA,2017,January,Winter Storm,"WEST BECKER",2017-01-02 09:17:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676789,MINNESOTA,2017,January,Winter Storm,"EAST BECKER",2017-01-02 09:17:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113158,676894,IDAHO,2017,January,Winter Storm,"EASTERN MAGIC VALLEY",2017-01-07 13:00:00,MST-7,2017-01-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Northern parts of the Eastern Magic Valley received extremely heavy snowfall. The Richfield COOP site recorded 22 inches and the Picabo COOP site had 29 inches." +113158,676905,IDAHO,2017,January,Winter Storm,"UPPER SNAKE RIVER PLAIN",2017-01-07 15:00:00,MST-7,2017-01-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A powerful winter storm brought snow, rain and wind to the Upper Snake River Plain Snow amounts in between the changeover to rain were 5 inches in Hamer, 6 inches in Idaho Falls, 10 inches at the INL site west of Idaho Falls, and 15 inches at Craters of the Moon. US Highway 20/26 was closed west of Arco to the Butte-Blaine County line the morning of the 11th due to ice on roadway and blowing and drifting snow." +113158,676921,IDAHO,2017,January,Winter Storm,"LOWER SNAKE RIVER PLAIN",2017-01-07 14:00:00,MST-7,2017-01-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A very powerful Pacific storm brought snow then rain then snow again and strong winds to the Lower Snake River Plain. The multiple day snow totals were 6.5 inches in Aberdeen, 7 inches in American Falls, 4.5 inches in Fort Hall, and 3 to 6 inches in the Pocatello/Chubbuck area. School District 25 in the Pocatello area was closed for the 3rd consecutive day on the 9th as warm temperatures melted snow and caused water to pond on ice on neighborhood roads. This caused the highlands to be unable to be reached by buses. In Pocatello there were 4 change overs from snow to rain to snow in the period from the 7th to the 11th." +113043,676038,VIRGINIA,2017,January,Heavy Snow,"ACCOMACK",2017-01-07 01:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Accomac reported 12 inches of snow. Exmore (1 N) reported 11.0 inches of snow. Wallops Island (WAL) reported 10.1 inches of snow." +113043,676039,VIRGINIA,2017,January,Heavy Snow,"GLOUCESTER",2017-01-07 01:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 7 inches and 11 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Gloucester Courthouse reported 10 inches of snow." +113043,676040,VIRGINIA,2017,January,Heavy Snow,"LANCASTER",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Brook Vale reported 12 inches of snow. Lancaster reported 11.5 inches of snow." +113043,676041,VIRGINIA,2017,January,Heavy Snow,"MATHEWS",2017-01-07 01:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Gwynn reported 11 inches of snow." +112521,671069,ILLINOIS,2017,January,Strong Wind,"JOHNSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671120,MISSOURI,2017,January,Strong Wind,"NEW MADRID",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671121,MISSOURI,2017,January,Strong Wind,"PERRY",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113022,675573,MISSISSIPPI,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-02 12:35:00,CST-6,2017-01-02 13:10:00,0,0,0,0,15.00K,15000,0.00K,0,31.7131,-91.214,31.6991,-90.7237,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Numerous trees were blown down across the county." +113022,675574,MISSISSIPPI,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-02 12:53:00,CST-6,2017-01-02 12:53:00,0,0,0,0,4.00K,4000,0.00K,0,31.64,-91.04,31.64,-91.04,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A large tree was uprooted." +113022,675577,MISSISSIPPI,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-02 13:02:00,CST-6,2017-01-02 13:06:00,0,0,0,0,7.00K,7000,0.00K,0,31.4697,-90.8923,31.46,-90.85,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A couple of trees were blown down in Meadville and in Bude." +113022,675579,MISSISSIPPI,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-02 13:14:00,CST-6,2017-01-02 13:14:00,0,0,0,0,10.00K,10000,0.00K,0,31.51,-90.77,31.51,-90.77,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A few trees were blown down along with a powerline and power pole." +113022,675583,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLAIBORNE",2017-01-02 13:20:00,CST-6,2017-01-02 13:20:00,0,0,0,0,7.00K,7000,0.00K,0,32.0858,-90.7975,32.0858,-90.7975,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down across the Natchez Trace Parkway." +113022,675585,MISSISSIPPI,2017,January,Thunderstorm Wind,"WARREN",2017-01-02 13:14:00,CST-6,2017-01-02 13:14:00,0,0,0,0,10.00K,10000,0.00K,0,32.17,-90.94,32.17,-90.94,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees and powerlines were blown down along Highway 61 South." +113077,676301,ARKANSAS,2017,January,Thunderstorm Wind,"ASHLEY",2017-01-21 20:47:00,CST-6,2017-01-21 20:47:00,0,0,0,0,7.00K,7000,0.00K,0,33.23,-91.8,33.23,-91.8,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Damaging winds and a weak tornado occurred in Arkansas during the evening.","A few trees were blown down along Highway 425." +113077,676302,ARKANSAS,2017,January,Thunderstorm Wind,"ASHLEY",2017-01-21 21:14:00,CST-6,2017-01-21 21:14:00,0,0,0,0,12.00K,12000,0.00K,0,33.3,-91.5,33.3,-91.5,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Damaging winds and a weak tornado occurred in Arkansas during the evening.","Several trees were blown down across town, with one being blown across a railroad track and some powerlines were blown down." +113077,676303,ARKANSAS,2017,January,Thunderstorm Wind,"CHICOT",2017-01-21 21:36:00,CST-6,2017-01-21 21:36:00,0,0,0,0,3.00K,3000,0.00K,0,33.28,-91.29,33.28,-91.29,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Damaging winds and a weak tornado occurred in Arkansas during the evening.","A tree was blown down across Highway 159." +113022,676482,MISSISSIPPI,2017,January,Tornado,"COVINGTON",2017-01-02 14:21:00,CST-6,2017-01-02 14:26:00,0,0,0,0,100.00K,100000,0.00K,0,31.7314,-89.6559,31.7535,-89.5894,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down about a mile west of Highway 49, near Rock Hill Road, and tracked quickly northeast doing a variety of tree and structural damage along its relatively short path length. A few structures received heavy damage near the crossing point of Highway 49 with a few large chicken coops being destroyed or receiving extensive damage about a mile east of Highway 49. The tornado then continued on for a few more miles doing lesser amounts of damage to a few structures before lifting just after crossing County Road 532. The maximum estimated wind speeds were 115mph." +113022,676483,MISSISSIPPI,2017,January,Tornado,"SIMPSON",2017-01-02 14:02:00,CST-6,2017-01-02 14:12:00,0,0,0,0,200.00K,200000,0.00K,0,31.8836,-89.9774,31.9518,-89.8382,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado started just west of Pinola and crossed Highway 28 as it tracked northeast for roughly 10 miles. The heaviest damage was along Highway 43 and Highway 13 where substantial tree damage occurred with many trees snapped and uprooted. Several homes sustained roof damage or damage due to trees on the structure. Four large sheds were heavily damaged. A chicken farm had 4 houses with moderate damage to mainly the roofs. The tornado passed just on the south side of Mendenhall and crossed Highway 49. Here more trees were damaged along with two structures sustaining roof damage. The tornado dissipated just after crossing Highway 49. The maximum estimated wind speeds were 110mph." +112358,673095,GEORGIA,2017,January,Tornado,"BERRIEN",2017-01-22 03:49:00,EST-5,2017-01-22 03:58:00,0,0,2,0,500.00K,500000,0.00K,0,31.1092,-83.3226,31.1557,-83.2095,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The EF3 tornado from northeast Brooks and Cook counties progressed into Berrien County where it completely removed the second story of a wood frame home on South Coffee Road. Just up the road, a well-strapped double wide home was completely removed and tossed into nearby trees and hedges. The last of the EF3 damage occurred on Old Lois Road where most of the roof of a brick home was removed. An add-on room on the back of the home was flattened by a massive live oak tree crushing two occupants to death in their bed. The tornado continued past Old Valdosta Road stripping bark from several trees in the area and then produced EF2 damage just past U.S. Route 129 on County Road before lifting. Damage cost was estimated." +112357,673341,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4257,-84.2679,30.4257,-84.2679,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near 1800 Old Fort Drive." +112357,673342,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4263,-84.275,30.4263,-84.275,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1601 Golf Terrace." +112357,673343,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4805,-84.2368,30.4805,-84.2368,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down on Capital Circle NE." +112357,673344,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4249,-84.2224,30.4249,-84.2224,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1427 Lynn Lane." +112357,673345,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4204,-84.266,30.4204,-84.266,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2128 Seminole Drive." +112357,673346,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4227,-84.2945,30.4227,-84.2945,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1955 Flipper Road." +111522,665537,MARYLAND,2017,January,Winter Storm,"TALBOT",2017-01-07 05:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around an inch in Cecil County to around 9 inches in parts of Caroline County. Some representative snowfall reports include 1.4 inches in Elkton (Cecil County), 4.0 inches in Millington and 3.0 inches in Worton (both in Kent County), 5.3 inches in Sudlersville and 4.0 inches in Queenstown (both in Queen Anne's County), 3.0 inches in Easton and 1.8 inches in St. Michael's (both in Talbot County), and 8.5 inches in Ridgely, 7.5 inches in Marydel, 7.0 inches in Federalsburg, 6.5 inches in Denton, and 5.2 inches in Greensboro (all in Caroline County).","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 4 to 6 inches of snow fell in Talbot County during the storm, with the highest totals in the east and the least amounts along the Chesapeake Bay. Some representative snowfall reports include 3.0 inches in Easton, and 1.8 inches in St. Michaels." +111527,665603,PENNSYLVANIA,2017,January,Winter Weather,"DELAWARE",2017-01-07 07:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region. Snowfall totals ranged from nothing in the Poconos, to less than one inch in the Lehigh Valley, to around 4 inches in the immediate Philadelphia area.||Average arrival delays were reported at more than three hours at Philadelphia International Airport and speed restrictions were posted on most area highways.","Snow began falling during the morning hours on January 7th, then continued briefly heavy at times through the day before moving out around sunset. Total snowfall reports in Delaware County include 4.0 inches in Collingdale, 2.7 inches in Upper Darby, and 2.2 inches in Garnet Valley. Strong northwest winds the following day produced blowing and drifting snow." +114588,687249,TEXAS,2017,February,Wildfire,"HARTLEY",2017-02-23 16:00:00,CST-6,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 02232017 wildfire began around 1600CST about ten miles east of Channing Texas in Hartley County. The wildfire started just south of State Highway 354 and South County Line Road and consumed approximately seven thousand acres. The cause of the wildfire was determined to be from smoking materials. There were no reports of homes or other structures damaged or destroyed and there were no reports of injuries or fatalities. There were a total of seven fire departments and other fire agencies that responded to the wildfire including the Texas A&M Forest Service. The wildfire was contained around 0000CST on February 24.","" +111523,665570,NEW JERSEY,2017,January,Winter Storm,"EASTERN CAPE MAY",2017-01-07 05:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 5 to 8 inches, with higher amounts closer to the coast. Some representative snowfall reports along coastal Cape May County include 6.5 inches in Wildwood Crest and 6.0 inches in Sea Isle City. Strong northwest winds the following day produced some blowing and drifting." +111523,665587,NEW JERSEY,2017,January,Winter Storm,"WESTERN OCEAN",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 5 to 9 inches. Some representative snowfall reports include 8.3 inches in Lacey Township, 7.3 inches in Toms River, and 7.0 inches in Jackson Township. Strong northwest winds the following day produced blowing and drifting snow." +112514,670998,ILLINOIS,2017,January,Dense Fog,"EDWARDS",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,670999,ILLINOIS,2017,January,Dense Fog,"FRANKLIN",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671000,ILLINOIS,2017,January,Dense Fog,"GALLATIN",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671001,ILLINOIS,2017,January,Dense Fog,"HAMILTON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671003,ILLINOIS,2017,January,Dense Fog,"JACKSON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +111684,666244,MISSOURI,2017,January,Ice Storm,"JASPER",2017-01-13 06:00:00,CST-6,2017-01-15 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a half an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county." +111791,666803,ILLINOIS,2017,January,High Wind,"LA SALLE",2017-01-10 16:00:00,CST-6,2017-01-10 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure moved across the Midwest, bringing gusts to 45 to 50 mph across much of northern Illinois.","Mesonet 1 mile SSW of Ottawa had 60 mph, and Peru Airport had 58 mph." +111686,667531,NEBRASKA,2017,January,Ice Storm,"MADISON",2017-01-15 22:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111686,667534,NEBRASKA,2017,January,Ice Storm,"BOONE",2017-01-15 22:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111735,669077,ALASKA,2017,January,Blizzard,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-16 16:58:00,AKST-9,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 968 MB low in the Western Gulf tracked NE toward Prince William Sound with a Storm force front Sunday afternoon and evening on 1/15. A secondary frontal wrap crossed into SE coastal waters Sunday evening 1/15, then over Southern Panhandle. Model 925 MB winds were 60-70 KT. Additionally, another sub-970 low redeveloped into the Yukon on Monday 1/16 around midday with strong pressure rises in Lynn Canal that increase the pressure gradient at Skagway and caused heavy snow with near blizzard conditions over the Klondike Highway early on Tuesday morning 1/17.","AKDOT reported on 1/16 that 1 foot of snow fell overnight near white with a storm total 16 to 18 inches new snow. The highway was closed due to avalanche concerns. We had to switch this warning to Blizzard on the afternoon of 1/16. SUMQ2 sensor reported winds up to 70 mph with gusts to 80 mph overnight. No LSR sent due to this sensor being in Canada. Highway was closed all night 1/16 to 1/17 due to white out conditions." +111831,667029,PENNSYLVANIA,2017,January,Strong Wind,"PHILADELPHIA",2017-01-23 13:00:00,EST-5,2017-01-23 13:00:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Some damage occurred as a result of the high winds. A few periods of heavy rainfall occurred but it did not result in flooding. The storm also brought a strong onshore flow which resulted in spotty minor tidal flooding for the high tide cycles on the 23rd and 24th. Also, it was cold enough for a wintry mix of sleet, snow and freezing rain in the Southern Poconos. ice accumulations up to two tenths of an inch were measured in Monroe county. SEPTA and Amtrak reported many delays and cancellations are well due to the storm. Over 10,000 people lost power as well.","A man was struck by a sign near Hunting Park in Philadelphia." +111831,667031,PENNSYLVANIA,2017,January,High Wind,"DELAWARE",2017-01-23 13:00:00,EST-5,2017-01-23 13:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Some damage occurred as a result of the high winds. A few periods of heavy rainfall occurred but it did not result in flooding. The storm also brought a strong onshore flow which resulted in spotty minor tidal flooding for the high tide cycles on the 23rd and 24th. Also, it was cold enough for a wintry mix of sleet, snow and freezing rain in the Southern Poconos. ice accumulations up to two tenths of an inch were measured in Monroe county. SEPTA and Amtrak reported many delays and cancellations are well due to the storm. Over 10,000 people lost power as well.","A downed tree due to wind in Media." +111830,667994,NEW JERSEY,2017,January,High Wind,"WESTERN CAPE MAY",2017-01-23 13:19:00,EST-5,2017-01-23 13:19:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 61 mph gust." +111830,669952,NEW JERSEY,2017,January,Heavy Rain,"MIDDLESEX",2017-01-24 07:00:00,EST-5,2017-01-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3866,-74.2927,40.3866,-74.2927,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +112073,668364,CALIFORNIA,2017,January,Heavy Snow,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-01-22 00:00:00,PST-8,2017-01-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The penultimate in a long series of winter storms brought more heavy snow to northern California.","A spotter in Tennant reported 12.5 inches of snow in 8 hours as of 22/0800 PST." +112076,668371,CALIFORNIA,2017,January,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-22 15:00:00,PST-8,2017-01-22 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last in a long series of winter storms brought a brief period of heavy snow to northern California.","A spotter in Mount Shasta City reported 11.0 inches of snow in 4 hours and 30 minutes, ending at 22/1930 PST. A spotter 2SSW Weed reported 8.0 inches of snow in 2 hours ending at 22/1758 PST. A spotter 2S Mount Shasta City reported 8.0 inches of snow in 3 hours and 15 minutes ending at 22/1830 PST." +112077,668378,OREGON,2017,January,High Wind,"CURRY COUNTY COAST",2017-01-22 01:00:00,PST-8,2017-01-22 03:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last in a long series of storms brought high winds to some areas in southwest and south central Oregon.","The Flynn Prairie RAWS recorded a gust to 79 mph at 22/0213 PST and a gust to 58 mph at 22/0313 PST. The Gold Beach ASOS recorded a gust to 60 mph at 22/0159 PST." +112077,668382,OREGON,2017,January,High Wind,"JACKSON COUNTY",2017-01-22 01:16:00,PST-8,2017-01-22 01:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last in a long series of storms brought high winds to some areas in southwest and south central Oregon.","A CWOP in the mountains across from Ashland at elevation 3451 feet recorded a gust to 61 mph at 22/0125 PST." +112077,668383,OREGON,2017,January,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-01-21 21:40:00,PST-8,2017-01-22 02:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last in a long series of storms brought high winds to some areas in southwest and south central Oregon.","The Squaw Peak RAWS recorded gusts exceeding 75 mph continuously during this interval. The peak gust was 124 mph recorded at 21/2239 PST." +112081,668391,OREGON,2017,January,High Surf,"SOUTH CENTRAL OREGON COAST",2017-01-21 02:00:00,PST-8,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy long period swell brought heavy surf to the beaches of southern Oregon.","Buoy data from stations 46629, 46015, and 46027 all showed swell that would support breaker heights of 29 to 37 feet during this interval." +112081,668392,OREGON,2017,January,High Surf,"CURRY COUNTY COAST",2017-01-21 02:00:00,PST-8,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy long period swell brought heavy surf to the beaches of southern Oregon.","Buoy data from stations 46629, 46015, and 46027 all showed swell that would support breaker heights of 29 to 37 feet during this interval." +111648,666065,OREGON,2017,January,Frost/Freeze,"CURRY COUNTY COAST",2017-01-05 22:00:00,PST-8,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass brought freezing temperatures to the south Oregon coast.","Reported low temperatures along the coast ranged from 28 to 34 degrees." +112072,668602,FLORIDA,2017,January,Thunderstorm Wind,"PINELLAS",2017-01-23 05:01:00,EST-5,2017-01-23 05:01:00,0,0,0,0,0.00K,0,0.00K,0,27.95,-82.81,27.95,-82.81,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","A home weather station in Belleair (E6508) recorded a 50 knot thunderstorm wind gust." +112083,668465,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-23 05:12:00,EST-5,2017-01-23 05:12:00,0,0,0,0,0.00K,0,0.00K,0,27.6633,-82.6183,27.6633,-82.6183,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The buoy at Middle Tampa Bay recorded a 49 knot marine thunderstorm wind gust." +112083,668483,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-23 05:10:00,EST-5,2017-01-23 05:10:00,0,0,0,0,0.00K,0,0.00K,0,27.77,-82.57,27.77,-82.57,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The Weather Flow station in the Tampa Bay (XTAM) recorded a 44 knot marine thunderstorm wind gust." +112083,668486,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-23 05:08:00,EST-5,2017-01-23 05:08:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-82.69,27.74,-82.69,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The Weather Flow station near Gulfport (XCBN) recorded a 37 knot marine thunderstorm wind gust." +112083,668603,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-23 05:17:00,EST-5,2017-01-23 05:17:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The Weather Flow station on the Skyway Fishing Pier (XSKY) recorded a 52 knot marine thunderstorm wind gust." +112083,668438,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-22 17:36:00,EST-5,2017-01-22 17:36:00,0,0,0,0,0.00K,0,0.00K,0,27.9783,-82.8317,27.9783,-82.8317,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The CO-OPS site at Clearwater Beach recorded a 43 knot marine thunderstorm wind gust." +112083,668439,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-22 17:42:00,EST-5,2017-01-22 17:42:00,0,0,0,0,0.00K,0,0.00K,0,28.1533,-82.8012,28.1533,-82.8012,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The COMPS station at Fred Howard Park recorded a 41 knot marine thunderstorm wind gust." +112083,668442,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-22 18:12:00,EST-5,2017-01-22 18:12:00,0,0,0,0,0.00K,0,0.00K,0,27.6633,-82.6183,27.6633,-82.6183,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The buoy at Middle Tampa Bay recorded a 40 knot marine thunderstorm wind gust." +112102,668688,NEBRASKA,2017,January,Winter Storm,"WHEELER",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer in Bartlett reported 7 inches of snowfall. Snowfall amounts ranged from 6 to 8 inches across Wheeler County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668689,NEBRASKA,2017,January,Winter Storm,"GRANT",2017-01-24 00:00:00,MST-7,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located in Ashby reported 8 inches of snowfall. Snowfall amounts ranged from 6 to 8 inches across Grant County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668690,NEBRASKA,2017,January,Winter Storm,"HOOKER",2017-01-24 00:00:00,MST-7,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer located in Mullen reported 8 inches of snowfall. Snowfall amounts ranged around 8 inches across Hooker County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +111444,664849,WEST VIRGINIA,2017,January,Winter Weather,"JACKSON",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664848,WEST VIRGINIA,2017,January,Winter Weather,"HARRISON",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664850,WEST VIRGINIA,2017,January,Winter Weather,"KANAWHA",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664851,WEST VIRGINIA,2017,January,Winter Weather,"LEWIS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664874,WEST VIRGINIA,2017,January,Winter Weather,"TAYLOR",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664873,WEST VIRGINIA,2017,January,Winter Weather,"SOUTHEAST WEBSTER",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664875,WEST VIRGINIA,2017,January,Winter Weather,"TYLER",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664876,WEST VIRGINIA,2017,January,Winter Weather,"UPSHUR",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +112102,668684,NEBRASKA,2017,January,Winter Storm,"BROWN",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer in Ainsworth reported 15 inches of snowfall. Snowfall amounts ranged from 10 to 15 inches across Brown County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112071,668780,PENNSYLVANIA,2017,January,Winter Storm,"POTTER",2017-01-23 16:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A coastal storm brought significant mixed precipitation to Central Pennsylvania on January 23-24, 2017. Heavy snow amounts were elevation-driven with mixed rain to sleet and snow transition in the lee of the Alleghenies. The northern mountains received received 6-10 inches of snowfall, while the Laurel Highlands and Central Ridge and Valley region recorded a slushy 1 to 5 inches of snow/sleet. The lowest elevations from middle to lower Susquehanna Valley received 1-2 inches of rainfall.","A winter storm produced 6-8 inches of snowfall across Potter County." +112071,668782,PENNSYLVANIA,2017,January,Winter Storm,"NORTHERN LYCOMING",2017-01-23 15:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A coastal storm brought significant mixed precipitation to Central Pennsylvania on January 23-24, 2017. Heavy snow amounts were elevation-driven with mixed rain to sleet and snow transition in the lee of the Alleghenies. The northern mountains received received 6-10 inches of snowfall, while the Laurel Highlands and Central Ridge and Valley region recorded a slushy 1 to 5 inches of snow/sleet. The lowest elevations from middle to lower Susquehanna Valley received 1-2 inches of rainfall.","A winter storm produced 6-8 inches of snowfall across northern Lycoming County." +112106,668718,OKLAHOMA,2017,January,Ice Storm,"GARFIELD",2017-01-14 12:00:00,CST-6,2017-01-15 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Report of .25 inches of ice accumulation." +111822,666952,WISCONSIN,2017,January,Winter Weather,"LAFAYETTE",2017-01-16 02:30:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to one tenth of an inch." +111822,666954,WISCONSIN,2017,January,Winter Weather,"SAUK",2017-01-16 05:00:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666955,WISCONSIN,2017,January,Winter Weather,"IOWA",2017-01-16 03:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666956,WISCONSIN,2017,January,Winter Weather,"COLUMBIA",2017-01-16 05:45:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations of 0.10-0.20 inches." +111822,666959,WISCONSIN,2017,January,Winter Weather,"WALWORTH",2017-01-16 04:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +112161,668917,WYOMING,2017,January,Winter Storm,"SHERIDAN FOOTHILLS",2017-01-31 13:34:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112161,668918,WYOMING,2017,January,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-01-31 08:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668920,MONTANA,2017,January,Winter Storm,"RED LODGE FOOTHILLS",2017-01-31 13:34:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668921,MONTANA,2017,January,Winter Storm,"EASTERN CARBON",2017-01-31 13:34:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668922,MONTANA,2017,January,Winter Storm,"SOUTHERN BIG HORN",2017-01-31 13:34:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668923,MONTANA,2017,January,Winter Storm,"LIVINGSTON AREA",2017-01-31 02:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668924,MONTANA,2017,January,Winter Storm,"PARADISE VALLEY",2017-01-31 02:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668925,MONTANA,2017,January,Winter Storm,"BEARTOOTH FOOTHILLS",2017-01-31 03:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668926,MONTANA,2017,January,Winter Storm,"NORTHERN STILLWATER",2017-01-31 03:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668927,MONTANA,2017,January,Winter Storm,"NORTHERN SWEET GRASS",2017-01-31 03:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668928,MONTANA,2017,January,Winter Storm,"NORTHERN PARK COUNTY",2017-01-31 02:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668929,MONTANA,2017,January,Winter Storm,"YELLOWSTONE",2017-01-31 04:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112160,668919,MONTANA,2017,January,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-01-30 20:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Please see February 1, 2017 for storm narrative and snow amounts.","" +112162,668930,MONTANA,2017,January,Blizzard,"JUDITH GAP",2017-01-10 17:00:00,MST-7,2017-01-10 21:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Recently fallen, fluffy snow combined with very strong winds resulted in blizzard conditions through the Judith Gap area. Severe driving conditions were reported and Highway 191 was closed for a period of time.","Winds gusted 40 to 50 mph resulting in blowing snow. Severe driving conditions were reported around 5 pm. Highway 191 was closed for a period of time." +111684,666786,MISSOURI,2017,January,Ice Storm,"LAWRENCE",2017-01-13 06:00:00,CST-6,2017-01-14 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted the Missouri Ozarks with sporadic power outages and some tree damage.","Up to a quarter of an inch of ice accumulated on elevated objects and tree limbs across the county during the ice storm. There were no major travel impacts reported across the county. A few isolated power outages were reported." +111695,666291,OREGON,2017,January,Winter Storm,"KLAMATH BASIN",2017-01-03 10:30:00,PST-8,2017-01-04 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","Public Reports: Klamath Falls had 10.0 inches of snow as of 03/2200 PST; 1WNW Klamath Falls got 12.5 inches of snow in 18 hours as of 04/0019 PST; 1WNW Klamath Falls got 14.0 inches of snow in 18 hours as of 04/0224 PST; 6W Klamath Falles got 12.0 inches of snow as of 04/0806 PST.||Spotter Reports: 4WSW Klamath Falls reported 12.0 inches of snow in 24 hours as of 04/0806 PST. ||The cooperative observer at Keno reported 14.0 inches of snow in 24 hours as of 04/0800 PST. The cooperative observer 12NW Chiloquin reported 28.0 inches of snow in 24 hours ending at 04/0800 PST.||CoCoRAHS Reports, 24 hour snow as of 04/0900 PST: 0.5NNW Klamath Falls, 14.0 inches; 0.6SSE Keno, 15.0 inches." +111647,666063,OREGON,2017,January,Frost/Freeze,"SOUTH CENTRAL OREGON COAST",2017-01-04 22:00:00,PST-8,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass brought freezing temperatures to the south Oregon coast.","Low temperatures along the coast ranged from 28 to 32 degrees." +111648,666064,OREGON,2017,January,Frost/Freeze,"SOUTH CENTRAL OREGON COAST",2017-01-05 22:00:00,PST-8,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass brought freezing temperatures to the south Oregon coast.","Reported low temperatures along the coast ranged from 28 to 39 degrees." +111643,666059,OREGON,2017,January,Frost/Freeze,"SOUTH CENTRAL OREGON COAST",2017-01-12 00:00:00,PST-8,2017-01-12 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass combined with clearing skies to bring sub-freezing temperatures to portions of the southern Oregon coast.","Reported low temperatures along the coast ranged from 30 to 39 degrees." +111644,666060,OREGON,2017,January,Frost/Freeze,"SOUTH CENTRAL OREGON COAST",2017-01-13 00:00:00,PST-8,2017-01-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold air mass combined with clearing skies to bring sub-freezing temperatures to portions of the southern Oregon coast.","Reported low temperatures along the coast ranged from 28 to 47 degrees." +111712,666327,TEXAS,2017,January,Winter Weather,"MORRIS",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +111712,666424,TEXAS,2017,January,Winter Weather,"CASS",2017-01-06 10:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +112155,668963,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 18:45:00,CST-6,2017-01-21 18:45:00,0,0,0,0,0.00K,0,0.00K,0,32.81,-93.85,32.81,-93.85,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Nickel size hail was covering the road." +112155,668964,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 18:16:00,CST-6,2017-01-21 18:16:00,0,0,0,0,0.00K,0,0.00K,0,32.9415,-93.2983,32.9415,-93.2983,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Golf Ball size hail fell in Shongaloo." +112147,668815,TEXAS,2017,January,Hail,"CASS",2017-01-21 17:20:00,CST-6,2017-01-21 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.9446,-94.0792,32.9446,-94.0792,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in the McLeod community." +112147,668816,TEXAS,2017,January,Hail,"BOWIE",2017-01-21 17:48:00,CST-6,2017-01-21 17:48:00,0,0,0,0,0.00K,0,0.00K,0,33.4727,-94.4088,33.4727,-94.4088,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in New Boston." +112404,670139,COLORADO,2017,January,Winter Storm,"GRAND & SUMMIT COUNTIES BELOW 9000 FEET",2017-01-03 20:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included 12 inches near Stillwater Creek and 11 inches near Grand Lake." +111874,667210,MINNESOTA,2017,January,Winter Storm,"MARTIN",2017-01-24 18:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved out of the central Rockies, and into the central Plains, Tuesday afternoon January 24th. Initially, the atmosphere was dry above the boundary layer which kept the onset of snow a few hours later than expected. ||During the early afternoon, a band of heavy snow developed across central Iowa and slowly moved north toward the Minnesota border by sunset. Initially, surface observations, trained spotters and observers reported heavy snowfall from Spencer to Mason City, Iowa, for 2 to 3 hours. This band of snow slowly moved north across the Minnesota border during the early evening. However, the heavier bands of snow diminished as it moved into Minnesota. This kept snowfall amounts much lighter on the Minnesota side where totals ranged from 7-10 inches along the Minnesota border, to less than 5 inches from St. James to Waseca and Owatonna. The heaviest totals were just south of the Minnesota border.||The light snow continued Wednesday morning before tapering off during the afternoon.","Several trained observers reported 7 to 9 inches along the Minnesota, Iowa border from Dunnell to south of Fairmont. Amounts decreased to 5 to 6 inches in northern Martin County near Truman." +111874,667212,MINNESOTA,2017,January,Winter Storm,"FREEBORN",2017-01-24 19:00:00,CST-6,2017-01-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved out of the central Rockies, and into the central Plains, Tuesday afternoon January 24th. Initially, the atmosphere was dry above the boundary layer which kept the onset of snow a few hours later than expected. ||During the early afternoon, a band of heavy snow developed across central Iowa and slowly moved north toward the Minnesota border by sunset. Initially, surface observations, trained spotters and observers reported heavy snowfall from Spencer to Mason City, Iowa, for 2 to 3 hours. This band of snow slowly moved north across the Minnesota border during the early evening. However, the heavier bands of snow diminished as it moved into Minnesota. This kept snowfall amounts much lighter on the Minnesota side where totals ranged from 7-10 inches along the Minnesota border, to less than 5 inches from St. James to Waseca and Owatonna. The heaviest totals were just south of the Minnesota border.||The light snow continued Wednesday morning before tapering off during the afternoon.","Several trained observers reported 8 to 10 inches along the Minnesota, Iowa border from Emmons to Myrtle. Amounts decreased to 6 to 8 inches in northern Freeborn County near Geneva." +112968,675016,NORTH CAROLINA,2017,January,Heavy Snow,"MADISON",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675017,NORTH CAROLINA,2017,January,Heavy Snow,"SWAIN",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675019,NORTH CAROLINA,2017,January,Heavy Snow,"BUNCOMBE",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675018,NORTH CAROLINA,2017,January,Heavy Snow,"HAYWOOD",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112042,668183,PENNSYLVANIA,2017,January,Flood,"CRAWFORD",2017-01-12 10:00:00,EST-5,2017-01-12 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,41.63,-80.15,41.9762,-79.9695,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","Crawford County Scuba Team was deployed to Wilson Chutes Road, between Mercer Pike and Route 322, around 4 p.m. for a water rescue. The rescue was for a car in water near the road���s bridge over French Creek connecting West Mead and Union townships. Residents at three homes along the shores of Clear Lake's dam in Spartansburg were advised of potential dam flooding due to overtopping, which did not occur. Mead Township had multiple road closures due to flooding from the French Creek. Numerous roads were closed across the entire county due to the rapid runoff. The contribution from snowmelt was under a quarter of an inch." +113071,676237,MINNESOTA,2017,January,Winter Weather,"HOUSTON",2017-01-16 04:05:00,CST-6,2017-01-16 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Houston County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113071,676238,MINNESOTA,2017,January,Winter Weather,"MOWER",2017-01-16 03:15:00,CST-6,2017-01-17 00:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Mower County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113071,676239,MINNESOTA,2017,January,Winter Weather,"OLMSTED",2017-01-16 06:00:00,CST-6,2017-01-17 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Olmsted County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +112688,672812,NORTH CAROLINA,2017,January,Winter Storm,"WASHINGTON",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation initially fell as freezing rain overnight, then transitioned to sleet and snow during the day. The main impact was icing, with up to a half inch of freezing rain being reported, then an inch to two inches of snow fell during the day. A few trees and power lines were downed." +112688,672813,NORTH CAROLINA,2017,January,Winter Storm,"GREENE",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation mainly in the form of freezing rain and sleet, with a trace of snow. Up to a half inch of sleet and ice was reported." +112688,672814,NORTH CAROLINA,2017,January,Winter Storm,"DUPLIN",2017-01-07 04:00:00,EST-5,2017-01-07 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation mainly in the form of freezing rain and sleet, with a trace of snow. Up to a quarter inch of freezing rain fell, with numerous reports of accidents across the northern part of the county." +112687,672809,IDAHO,2017,January,Heavy Snow,"LOWER SNAKE RIVER PLAIN",2017-01-03 21:00:00,MST-7,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","A strong winter storm brought heavy snow to the Lower Snake River Plain. Heavy snow amounts were the following: 8 to 10 inches in Pocatello/Chubbuck, 10 inches in American Falls, 7 inches in Aberdeen and 8 inches in Blackfoot. The following schools were closed on the 4th: Blackfoot District 55, Sho-Ban Schools, and Aberdeen School District 58. US Highway 20 was closed just west of Blackfoot at Moreland all the way to Atomic City." +112695,672868,NEW YORK,2017,January,Heavy Snow,"SOUTHERN NASSAU",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","An NWS employee, trained spotters, and social media reported snowfall ranging from 6 to 8 inches." +112695,672870,NEW YORK,2017,January,Heavy Snow,"SOUTHWEST SUFFOLK",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Islip Airport contract observer, NWS Employees, and trained spotters reported snowfall ranging from 7 to 10 inches." +112695,672871,NEW YORK,2017,January,Heavy Snow,"NORTHEAST SUFFOLK",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters, a COOP observer, and the public reported snowfall ranging from 8 to 12 inches." +112695,672872,NEW YORK,2017,January,Heavy Snow,"SOUTHEAST SUFFOLK",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","An NWS Employee, trained spotters, and the public reported snowfall ranging from 8 to 12 inches." +112695,672874,NEW YORK,2017,January,Winter Weather,"RICHMOND (STATEN IS.)",2017-01-07 08:00:00,EST-5,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","A CoCoRaHS observer and social media reported snowfall of 4 to 5 inches." +112655,672608,IOWA,2017,January,Ice Storm,"HARDIN",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672609,IOWA,2017,January,Ice Storm,"GRUNDY",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672610,IOWA,2017,January,Ice Storm,"TAMA",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672612,IOWA,2017,January,Ice Storm,"GREENE",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672613,IOWA,2017,January,Ice Storm,"BOONE",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672624,IOWA,2017,January,Ice Storm,"WARREN",2017-01-15 17:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672625,IOWA,2017,January,Ice Storm,"MARION",2017-01-16 00:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672626,IOWA,2017,January,Ice Storm,"ADAMS",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672627,IOWA,2017,January,Ice Storm,"UNION",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672628,IOWA,2017,January,Ice Storm,"CLARKE",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672611,IOWA,2017,January,Ice Storm,"CARROLL",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672938,IOWA,2017,January,Ice Storm,"CALHOUN",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112674,672898,IOWA,2017,January,Winter Storm,"CALHOUN",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +111753,666529,IOWA,2017,January,Ice Storm,"IDA",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Holstein reported 0.41 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +112323,672777,MASSACHUSETTS,2017,January,Drought,"SOUTHERN WORCESTER",2017-01-01 00:00:00,EST-5,2017-01-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","A portion of southern Worcester County including Worcester and Sturbridge remained in the Severe Drought (D2) designation until January 24 when it was reduced to the Moderate Drought (D1) designation." +112323,672778,MASSACHUSETTS,2017,January,Drought,"WESTERN NORFOLK",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Western Norfolk County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112209,669097,MASSACHUSETTS,2017,January,Strong Wind,"SOUTHERN BERKSHIRE",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Some power outages occurred as a result of these downed trees and wires.","" +112210,669099,VERMONT,2017,January,Strong Wind,"WESTERN WINDHAM",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Some power outages occurred as a result of these downed trees and wires.","" +112379,670085,VERMONT,2017,January,Winter Weather,"EASTERN WINDHAM",2017-01-17 15:00:00,EST-5,2017-01-18 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A storm system approached the region from the Great Lakes during the day on Tuesday, January 17th. A light and spotty wintry mix began during the afternoon hours across southern Vermont, but precipitation generally become snow as its became steadier towards the evening hours. As the storm system moves eastward across the region, period of light to moderate snowfall continued during the overnight hours. ||By the morning on Wednesday, January 18th, precipitation was tapering off, as the storm's occluded front moved across the area. By that time, 4 to 7 inches of snow had fallen across Windham County, VT, with the heaviest totals across the higher elevations.","" +112379,670086,VERMONT,2017,January,Winter Weather,"WESTERN WINDHAM",2017-01-17 15:00:00,EST-5,2017-01-18 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A storm system approached the region from the Great Lakes during the day on Tuesday, January 17th. A light and spotty wintry mix began during the afternoon hours across southern Vermont, but precipitation generally become snow as its became steadier towards the evening hours. As the storm system moves eastward across the region, period of light to moderate snowfall continued during the overnight hours. ||By the morning on Wednesday, January 18th, precipitation was tapering off, as the storm's occluded front moved across the area. By that time, 4 to 7 inches of snow had fallen across Windham County, VT, with the heaviest totals across the higher elevations.","" +113024,675566,CALIFORNIA,2017,January,Flood,"SANTA CRUZ",2017-01-20 05:47:00,PST-8,2017-01-20 07:47:00,0,0,0,0,0.00K,0,0.00K,0,36.9921,-122.021,36.9919,-122.0213,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Flooding along SR hwy 17 8 to 10 inches on the road." +113024,675567,CALIFORNIA,2017,January,Flood,"SANTA CLARA",2017-01-20 06:03:00,PST-8,2017-01-20 08:03:00,0,0,0,0,0.00K,0,0.00K,0,37.3273,-121.8775,37.3275,-121.8772,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Roadway flooding along hwy 280." +113024,675604,CALIFORNIA,2017,January,Hail,"SAN FRANCISCO",2017-01-20 04:36:00,PST-8,2017-01-20 04:46:00,0,0,0,0,0.01K,10,0.01K,10,37.77,-122.4202,37.77,-122.4202,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","" +113065,676200,OHIO,2017,January,Winter Weather,"WARREN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from Lebanon showed that 2.8 inches of snow had fallen. NWS employees west of Clarksville and in Mason measured 2.6 and 2.5 inches of snow, respectively." +113848,681786,TEXAS,2017,January,Wildfire,"SUTTON",2017-01-24 12:27:00,CST-6,2017-01-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Plenty of fuel and dry, windy conditions provided the right conditions for the Brush Top Wildfire.","A large wildfire broke out about 9 miles north of Sonora in Sutton County. The fire burned about 650 acres as it expanded north into Schleicher County." +113848,681787,TEXAS,2017,January,Wildfire,"SCHLEICHER",2017-01-24 12:27:00,CST-6,2017-01-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Plenty of fuel and dry, windy conditions provided the right conditions for the Brush Top Wildfire.","A large wildfire broke out about 9 miles north of Sonora in Sutton County. The fire burned about 650 acres as it expanded north into Schleicher County." +111459,664948,NEW JERSEY,2017,January,Winter Weather,"SUSSEX",2017-01-03 07:00:00,EST-5,2017-01-03 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Lingering precipitation, fog, and mist associated with an onshore flow, in combination with below freezing temperatures, produced areas of light freezing rain over the highest terrain of northwest New Jersey during the early morning hours of January 3, 2017. 0.10 inches of freezing rain was reported at High Point, NJ by weather spotter.","Lingering precipitation, fog, and mist associated with an onshore flow, in combination with below freezing temperatures, produced areas of light freezing rain over the highest terrain of northwest New Jersey during the early morning hours of January 3, 2017. 0.10 inches of freezing rain was reported at High Point, NJ by weather spotter." +111679,676777,NORTH DAKOTA,2017,January,Winter Storm,"SARGENT",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676778,NORTH DAKOTA,2017,January,Winter Storm,"RICHLAND",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113263,678021,CALIFORNIA,2017,January,Dense Fog,"E CENTRAL S.J. VALLEY",2017-01-31 07:22:00,PST-8,2017-01-31 07:22:00,0,0,0,0,8.00K,8000,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","California Highway Patrol reported dense fog caused a multiple vehicle collision with 4 vehicles involved southeast of Fowler on Manning Avenue west of Leonard Avenue in Fresno County. No injuries were reported." +113263,678024,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-31 08:39:00,PST-8,2017-01-31 08:39:00,0,0,0,0,6.00K,6000,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","California Highway Patrol reported dense fog caused a multiple vehicle collision with 3 vehicles involved on westbound Highway 198 just east of 16th avenue east of Lemoore in Kings County. No injuries were reported." +113263,678043,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-31 08:51:00,PST-8,2017-01-31 08:51:00,0,5,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","California Highway Patrol reported dense fog caused a multiple vehicle collision with 20 vehicles involved between 14th avenue and 15th avenue on Highway 198 about 3 miles west southwest of Hanford in Kings County. Injuries were reported." +114485,686525,PENNSYLVANIA,2017,March,Winter Storm,"CRAWFORD",2017-03-13 21:00:00,EST-5,2017-03-15 16:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northwestern Pennsylvania during the evening hours of the 13th. Two to four inches of snow fell across most of the area by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell inland from Lake Erie over southern Erie and northern Crawford Counties. Some of the higher storm totals from Erie County included 14.0 inches south of North East and also at Edinboro and 11.3 inches in Amity Township. In Crawford County some of the higher totals included 13.8 inches at Springboro; 13.0 inches at Meadville and 11.0 inches at Linesville. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northwestern Pennsylvania were closed one or more days.","An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northwestern Pennsylvania during the evening hours of the 13th. Two to four inches of snow fell across most of the area by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell inland from Lake Erie over southern Erie and northern Crawford Counties. In Crawford County some of the higher totals included 13.8 inches at Springboro; 13.0 inches at Meadville and 11.0 inches at Linesville. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northwestern Pennsylvania were closed one or more days." +120456,721693,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 09:00:00,EST-5,2017-09-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0947,-80.2411,42.0947,-80.2411,"Several waterspouts were observed on Lake Erie.","Three waterspouts were observed on Lake Erie north of the Walnut Creek Access." +112419,670211,HAWAII,2017,January,High Surf,"MAUI WINDWARD WEST",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670212,HAWAII,2017,January,High Surf,"WINDWARD HALEAKALA",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112419,670224,HAWAII,2017,January,High Surf,"MAUI CENTRAL VALLEY",2017-01-24 21:00:00,HST-10,2017-01-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 12 to 22 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, and Maui; and 10 to 15 feet along the west-facing shores of Niihau, Kauai, Oahu, and Molokai. There were no reports of significant injuries or property damage.","" +112421,670225,HAWAII,2017,January,Drought,"KAUAI LEEWARD",2017-01-01 00:00:00,HST-10,2017-01-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought, or the D2 level in the Drought Monitor, persisted for only the early part of January for small sections of Kauai and Maui. Enough rainfall had fallen to lift the areas into the D1 category of moderate drought.","" +112421,670226,HAWAII,2017,January,Drought,"LEEWARD HALEAKALA",2017-01-01 00:00:00,HST-10,2017-01-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought, or the D2 level in the Drought Monitor, persisted for only the early part of January for small sections of Kauai and Maui. Enough rainfall had fallen to lift the areas into the D1 category of moderate drought.","" +113229,677455,HAWAII,2017,January,High Wind,"BIG ISLAND SUMMIT",2017-01-05 02:30:00,HST-10,2017-01-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of westerly winds impacted the Big Island summits from early in the morning of Jan. 5th and continued through Jan 7th.","The winds reached High Wind Warning threshold just after 2 AM on the 5th, and continued at Warning levels until 5 PM on the 7th. Peak measured wind gust was 84 mph at 11 AM HST on the 7th." +113230,677456,HAWAII,2017,January,High Wind,"BIG ISLAND SUMMIT",2017-01-16 09:00:00,HST-10,2017-01-16 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A short period of warning level easterly winds were experienced on the Mauna Kea summit between 9 AM and 9 PM on the 16th.","CHFT telescope wind sensor measured sustained winds 55 to 70 mph between 9 AM and 9 PM on the 16th. The peak wind gust was 78 mph at about 2 PM on the 16th." +113250,677578,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-01-07 14:25:00,EST-5,2017-01-07 14:25:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Showers and thunderstorms produced isolated gale-force wind gusts along the Upper Florida Keys as a cold front approached from the northwest over the southeast Gulf of Mexico.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +113195,677151,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-18 01:25:00,MST-7,2017-01-18 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periodic high gap winds developed between Chugwater and Wheatland.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 18/1235 MST." +113483,679333,WYOMING,2017,January,Winter Weather,"UPPER NORTH PLATTE RIVER BASIN",2017-01-10 21:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance produced light to moderate snow across lower elevations of Carbon County. Two to six inches of snow was observed, as well as areas of blowing snow and poor visibility from gusty west winds up to 45 mph.","Four inches of snow was reported at Saratoga." +113483,679334,WYOMING,2017,January,Winter Weather,"UPPER NORTH PLATTE RIVER BASIN",2017-01-10 21:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance produced light to moderate snow across lower elevations of Carbon County. Two to six inches of snow was observed, as well as areas of blowing snow and poor visibility from gusty west winds up to 45 mph.","Four inches of snow was measured at Encampment." +113483,679335,WYOMING,2017,January,Winter Weather,"SOUTHWEST CARBON COUNTY",2017-01-10 21:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance produced light to moderate snow across lower elevations of Carbon County. Two to six inches of snow was observed, as well as areas of blowing snow and poor visibility from gusty west winds up to 45 mph.","Three inches of snow was reported at Baggs and Dixon." +113486,679354,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-30 11:40:00,MST-7,2017-01-30 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 30/1145 MST." +113486,679355,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-30 16:35:00,MST-7,2017-01-30 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Arlington measured peak wind gusts of 59 mph." +113486,679356,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 09:20:00,MST-7,2017-01-31 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 31/0950 MST." +113158,676947,IDAHO,2017,January,Winter Storm,"SOUTH CENTRAL HIGHLANDS",2017-01-07 12:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A strong Pacific storm brought extremely heavy four day snow totals to the South Central Highlands. Amounts at SNOTEL sites were: 22 inches at Bostetter Ranger Station, 41 inches at Howell Canyon, and 41 inches at Oxford Springs." +113158,676949,IDAHO,2017,January,Winter Storm,"CARIBOU HIGHLANDS",2017-01-07 12:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A very strong and wet Pacific storm brought very heavy snow to high elevations of the Caribou Highlands. Valley amounts recorded by COOP observer in Downey were 9.5 inches. SNOTEL sties recorded the following: Pine Creek Pass 21 inches, Sedgwick Peak 63 inches, Somsen Ranch 26 inches, Sheep Mountain 25 inches, and Wildhorse Divide 25 inches." +113158,676952,IDAHO,2017,January,Winter Storm,"CACHE VALLEY/IDAHO PORTION",2017-01-07 14:00:00,MST-7,2017-01-11 12:00:00,0,0,0,1,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Periods of snow and rain occurred for over 4 days with the city of Preston recording 7.4 inches. Preston schools were closed on the 11th. A fatal automobile accident occurred on US Highway 91 on the evening of the 9th in part due to icy road conditions." +113158,676973,IDAHO,2017,January,Winter Storm,"WASATCH MOUNTAINS/IADHO PORTION",2017-01-07 11:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A strong Pacific storm system brought days of heavy snow to the Idaho Wasatch. The COOP observer in Bern recorded 24 inches of snow. SNOTEL amounts were the following: Emigrant Summit 65 inches, Giveout 32 inches, and Slug Creek Divide 41 inches." +113043,676042,VIRGINIA,2017,January,Heavy Snow,"MIDDLESEX",2017-01-07 01:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 7 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Urbanna and Grafton (1 SW) reported 11 inches of snow. Saluda reported 7.5 inches of snow." +113043,676052,VIRGINIA,2017,January,Heavy Snow,"NEWPORT NEWS",2017-01-06 23:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 7 inches and 10 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Patrick Henry Field (1 SSE) reported 8 inches of snow." +113043,676054,VIRGINIA,2017,January,Heavy Snow,"NORTHUMBERLAND",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 8 inches and 12 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities. Heathsville reported 12 inches of snow." +113043,676057,VIRGINIA,2017,January,Heavy Snow,"YORK",2017-01-06 23:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between seven inches and twelve inches of snow and strong winds across eastern Virginia.","Snowfall totals were generally between 7 inches and 10 inches across the county. Strong north winds affected the area, producing some blowing snow and reduced visibilities." +113042,676067,VIRGINIA,2017,January,Winter Weather,"EASTERN LOUISA",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and four inches of snow across the central Virginia Piedmont.","Snowfall totals were generally between 2 inches and 4 inches across the county." +113042,676072,VIRGINIA,2017,January,Winter Weather,"WESTERN LOUISA",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and four inches of snow across the central Virginia Piedmont.","Snowfall totals were generally between 2 inches and 4 inches across the county. Louisa (2 NNW) reported 3.4 inches of snow." +113042,676076,VIRGINIA,2017,January,Winter Weather,"FLUVANNA",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and four inches of snow across the central Virginia Piedmont.","Snowfall totals were generally between 2 inches and 4 inches across the county. Bremo Bluff reported 3.5 inches of snow." +112473,670611,MISSOURI,2017,January,Winter Weather,"BUTLER",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113022,675602,MISSISSIPPI,2017,January,Thunderstorm Wind,"LINCOLN",2017-01-02 13:22:00,CST-6,2017-01-02 13:22:00,0,0,0,0,10.00K,10000,0.00K,0,31.5582,-90.6221,31.5582,-90.6221,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A barn was destroyed on Hunsucker Lane." +113022,675748,MISSISSIPPI,2017,January,Hail,"LINCOLN",2017-01-02 13:26:00,CST-6,2017-01-02 13:26:00,0,0,0,0,0.00K,0,0.00K,0,31.5768,-90.4535,31.5768,-90.4535,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","" +113022,675749,MISSISSIPPI,2017,January,Thunderstorm Wind,"LINCOLN",2017-01-02 13:22:00,CST-6,2017-01-02 13:28:00,0,0,0,0,30.00K,30000,0.00K,0,31.6002,-90.6514,31.5768,-90.4535,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Numerous trees were blown down around Brookhaven, including a tree that was blown onto a house near Cleveland and Chippewa streets. Some of these trees caused power outages." +113022,675751,MISSISSIPPI,2017,January,Thunderstorm Wind,"COPIAH",2017-01-02 13:30:00,CST-6,2017-01-02 13:30:00,0,0,0,0,45.00K,45000,0.00K,0,31.7417,-90.2745,31.7417,-90.2745,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A shed and two barns were destroyed on Monticello Road." +113022,675752,MISSISSIPPI,2017,January,Thunderstorm Wind,"WARREN",2017-01-02 13:42:00,CST-6,2017-01-02 13:42:00,0,0,0,0,12.00K,12000,0.00K,0,32.48,-90.8,32.48,-90.8,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees and powerlines were blown down on Highway 61 North." +113022,675758,MISSISSIPPI,2017,January,Thunderstorm Wind,"HINDS",2017-01-02 13:45:00,CST-6,2017-01-02 13:45:00,0,0,0,0,3.00K,3000,0.00K,0,32.28,-90.45,32.28,-90.45,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down on Highway 467." +113022,676485,MISSISSIPPI,2017,January,Tornado,"JASPER",2017-01-02 14:44:00,CST-6,2017-01-02 14:47:00,0,0,0,0,65.00K,65000,0.00K,0,31.8597,-89.317,31.867,-89.2687,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down near County Road 33B in Smith County and continued to the east before crossing County Road 5 and County Road 713(entering Jasper County), where many large trees were snapped and downed and some minor roof damage occurred to some homes along the path. The tornado continued to the east-northeast along County Road 10, snapping and downing more trees. The tornado finally lifted near Highway 15. The total path length was 3.9 miles, with about a mile of that in Smith County. The maximum estimated wind speed for the entire track was 105 mph, which rates the tornado as an EF1. The maximum width for the tornado was 275 yards." +113022,676487,MISSISSIPPI,2017,January,Tornado,"FORREST",2017-01-02 14:57:00,CST-6,2017-01-02 14:59:00,0,0,0,0,30.00K,30000,0.00K,0,31.1232,-89.349,31.1266,-89.3182,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down near Highway 11, about 2 miles south of downtown Purvis and around a mile west of Interstate 59. The tornado tracked quickly east/northeast across the interstate before dissipating after going about 1.5 miles into western Forrest County. Along its track, the tornado did mostly minor to moderate tree damage, although a few structures did receive modest damage inside Lamar County. The maximum estimated winds were 105 mph. The entire path length was 8.4 miles, of which about 6.5 miles occurred in Lamar County. The maximum width was 225 yards." +113022,676488,MISSISSIPPI,2017,January,Tornado,"LAUDERDALE",2017-01-02 15:28:00,CST-6,2017-01-02 15:29:00,0,0,0,0,20.00K,20000,0.00K,0,32.26,-88.81,32.28,-88.8,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This brief tornado touched down along Meehan-Savoy Road and tracked north-northeast as it paralleled I-59. A handful of trees were snapped or had large limbs broken off. The majority of the tree damage was blown toward the west as the storm motion was to the north-northeast. The maximum estimated winds were 75 mph." +113077,676500,ARKANSAS,2017,January,Tornado,"ASHLEY",2017-01-21 20:45:00,CST-6,2017-01-21 20:46:00,0,0,0,0,3.00K,3000,0.00K,0,33.2393,-91.82,33.2468,-91.8127,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Damaging winds and a weak tornado occurred in Arkansas during the evening.","Picture evidence of tornado in a field on the northwest side of Hamburg. No damage was noted on NWS survey. Maximum estimated winds were likely 70 mph." +111473,664977,WISCONSIN,2017,January,Winter Weather,"DANE",2017-01-03 04:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog. Numerous vehicle accidents in the city of Madison. Old Sauk road was closed until the road could be treated. Two Mount Horeb school buses slid off the road with no injuries." +111473,664978,WISCONSIN,2017,January,Winter Weather,"GREEN",2017-01-03 04:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664979,WISCONSIN,2017,January,Winter Weather,"MARQUETTE",2017-01-03 04:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664980,WISCONSIN,2017,January,Winter Weather,"GREEN LAKE",2017-01-03 04:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +114954,692749,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-25 18:41:00,CST-6,2017-04-25 18:41:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-97.39,35.46,-97.39,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114955,692809,OKLAHOMA,2017,April,Thunderstorm Wind,"BLAINE",2017-04-29 04:05:00,CST-6,2017-04-29 04:05:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-98.36,35.55,-98.36,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +112357,673380,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-22 13:34:00,CST-6,2017-01-22 13:34:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-85.18,30.83,-85.18,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A 58 mph wind gust was measured at KMAI." +112357,673381,FLORIDA,2017,January,Thunderstorm Wind,"LIBERTY",2017-01-22 14:40:00,EST-5,2017-01-22 14:40:00,0,0,0,0,20.00K,20000,0.00K,0,30.42,-84.98,30.42,-84.98,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Roof damage occurred in Bristol and a large tree was blown into the road. Damage cost was estimated." +112357,673382,FLORIDA,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-22 15:00:00,EST-5,2017-01-22 15:00:00,0,0,0,0,3.00K,3000,0.00K,0,29.7578,-84.8332,29.7578,-84.8332,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees and power lines were blown down near Highway 65 and Highway 98." +112357,673383,FLORIDA,2017,January,Thunderstorm Wind,"WAKULLA",2017-01-22 15:00:00,EST-5,2017-01-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-84.49,30.02,-84.49,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down south of Sopchoppy." +112357,673384,FLORIDA,2017,January,Thunderstorm Wind,"WAKULLA",2017-01-22 15:04:00,EST-5,2017-01-22 15:04:00,0,0,0,0,0.00K,0,0.00K,0,30.17,-84.37,30.17,-84.37,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down in Crawfordville." +112357,673386,FLORIDA,2017,January,Thunderstorm Wind,"WAKULLA",2017-01-22 15:15:00,EST-5,2017-01-22 15:15:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-84.38,30.08,-84.38,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Several trees and power lines were blown down." +112357,673388,FLORIDA,2017,January,Thunderstorm Wind,"WALTON",2017-01-22 12:00:00,CST-6,2017-01-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,30.72,-86.12,30.72,-86.12,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees and power lines were blown down." +112357,673389,FLORIDA,2017,January,Thunderstorm Wind,"BAY",2017-01-22 12:55:00,CST-6,2017-01-22 13:00:00,0,0,0,0,5.00K,5000,0.00K,0,30.17,-85.8,30.17,-85.66,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees and power lines were blown down in the Panama City area." +112357,673390,FLORIDA,2017,January,Thunderstorm Wind,"HOLMES",2017-01-22 12:40:00,CST-6,2017-01-22 13:00:00,0,0,0,0,0.00K,0,0.00K,0,30.72,-85.93,30.78,-85.68,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees were blown down in Holmes county." +112357,673391,FLORIDA,2017,January,Thunderstorm Wind,"WASHINGTON",2017-01-22 13:00:00,CST-6,2017-01-22 13:10:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-85.71,30.77,-85.53,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees were blown down across Washington county." +112357,673392,FLORIDA,2017,January,Thunderstorm Wind,"CALHOUN",2017-01-22 13:15:00,CST-6,2017-01-22 13:25:00,0,0,0,0,5.00K,5000,0.00K,0,30.43,-85.18,30.44,-85.04,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees and power lines were blown down across Calhoun County, FL." +112357,673393,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-22 13:34:00,CST-6,2017-01-22 13:34:00,0,0,0,0,0.00K,0,0.00K,0,30.77,-85.23,30.77,-85.23,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Several trees were blown down." +111523,665588,NEW JERSEY,2017,January,Winter Storm,"EASTERN OCEAN",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 5 to 9 inches. Some representative snowfall reports include 9.0 inches in Lanoka Harbor, 8.5 inches in Barnegat, 6.5 inches in Point Pleasant, and 5.5 inches in Pine Beach. Strong northwest winds the following day produced blowing and drifting snow." +112357,673394,FLORIDA,2017,January,Thunderstorm Wind,"MADISON",2017-01-22 15:54:00,EST-5,2017-01-22 15:54:00,0,0,0,0,0.00K,0,0.00K,0,30.4444,-83.6795,30.4444,-83.6795,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","I-10 at Mile Marker 238 was closed due to trees down." +112357,673395,FLORIDA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 16:00:00,EST-5,2017-01-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-83.87,30.54,-83.87,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Numerous trees were blown down." +112358,673397,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-22 15:27:00,EST-5,2017-01-22 15:27:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-84.19,31.53,-84.19,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A wind gust of 74 mph was measured at the Albany airport." +112358,673404,GEORGIA,2017,January,Flood,"WORTH",2017-01-21 15:30:00,EST-5,2017-01-23 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,31.4829,-83.9138,31.4835,-83.8997,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Heavy rainfall fell over a 2 day period across Worth county, resulting in Porters Corner Road washing out between Ben Peavy Road and Gwines Road." +112358,673406,GEORGIA,2017,January,Flood,"LOWNDES",2017-01-22 10:00:00,EST-5,2017-01-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-83.26,30.6918,-83.2594,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A CoCoRaHS observer measured 4 inches of rain with considerable ponding of water on Highway 376. The I-75 at exit 5 interchange had some flooded lanes along Lakes Blvd." +111523,665589,NEW JERSEY,2017,January,Winter Storm,"WESTERN MONMOUTH",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 5 and 9 inches including 8.0 inches in Long Branch, 7.0 inches in Howell, and 6.0 in Upper Freehold Township. Strong northwest winds the following day produced blowing and drifting snow." +112358,673407,GEORGIA,2017,January,Hail,"WORTH",2017-01-21 23:15:00,EST-5,2017-01-21 23:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4801,-83.9974,31.4801,-83.9974,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter size hail was reported on South County Line Road." +112358,673408,GEORGIA,2017,January,Hail,"WORTH",2017-01-21 23:31:00,EST-5,2017-01-21 23:31:00,0,0,0,0,0.00K,0,0.00K,0,31.51,-83.78,31.51,-83.78,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Ping pong ball size hail was reported in Poulan." +112358,673409,GEORGIA,2017,January,Hail,"IRWIN",2017-01-21 23:55:00,EST-5,2017-01-21 23:55:00,0,0,0,0,0.00K,0,0.00K,0,31.59,-83.47,31.59,-83.47,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Golf ball size hail was reported in Waterloo." +112358,673410,GEORGIA,2017,January,Hail,"CALHOUN",2017-01-22 00:00:00,EST-5,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-84.73,31.55,-84.73,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter size hail was reported in Edison." +112358,673411,GEORGIA,2017,January,Hail,"DOUGHERTY",2017-01-22 00:45:00,EST-5,2017-01-22 00:45:00,0,0,0,0,0.00K,0,0.00K,0,31.57,-84.17,31.57,-84.17,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter size hail was reported in Albany." +112358,673412,GEORGIA,2017,January,Hail,"TURNER",2017-01-22 01:07:00,EST-5,2017-01-22 01:07:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-83.65,31.7,-83.65,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter size hail was reported near Ashburn." +112358,673413,GEORGIA,2017,January,Thunderstorm Wind,"TERRELL",2017-01-21 12:05:00,EST-5,2017-01-21 12:05:00,0,0,0,0,5.00K,5000,0.00K,0,31.77,-84.45,31.77,-84.45,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Roof damage was reported at Salters Veterinary Hospital via Twitter." +112358,673414,GEORGIA,2017,January,Thunderstorm Wind,"TERRELL",2017-01-21 12:15:00,EST-5,2017-01-21 12:15:00,0,0,0,0,3.00K,3000,0.00K,0,31.83,-84.36,31.83,-84.36,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Fallen and leaning trees and limbs resulted in power outages near Bronwood." +111827,668916,ATLANTIC NORTH,2017,January,Marine High Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-01-23 13:43:00,EST-5,2017-01-23 13:43:00,0,0,0,0,,NaN,,NaN,38.8121,-75.1245,38.8121,-75.1245,"A deepening area of low pressure over North Carolina on the morning of the 23rd moved northeast to Virginia Beach then was off the coast of the New Jersey by the morning of the 24th. With a tight pressure gradient winds increased and reached storm force on the ocean mainly in the afternoon of the 23rd ahead of the storm. Many wind gusts in the 55-65 mph range were observed.","Measured 63 mph gust as Lewes Nos buoy." +111828,667019,DELAWARE,2017,January,Strong Wind,"NEW CASTLE",2017-01-23 14:00:00,EST-5,2017-01-23 14:00:00,1,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","A tree fell down due to wind and struck a women." +111828,667020,DELAWARE,2017,January,Strong Wind,"NEW CASTLE",2017-01-23 17:00:00,EST-5,2017-01-23 17:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","Downed tree due to wind of Lincoln street in Wilmington." +112358,673415,GEORGIA,2017,January,Thunderstorm Wind,"TERRELL",2017-01-21 12:15:00,EST-5,2017-01-21 12:15:00,0,0,0,0,3.00K,3000,0.00K,0,31.71,-84.39,31.71,-84.39,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Fallen and leaning trees and limbs resulted in power outages southeast of Dawson." +112358,673416,GEORGIA,2017,January,Thunderstorm Wind,"LEE",2017-01-21 12:25:00,EST-5,2017-01-21 12:25:00,0,0,0,0,3.00K,3000,0.00K,0,31.7,-84.2,31.7,-84.2,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Fallen trees or limbs resulted in power outages southwest of Leesburg." +112358,673417,GEORGIA,2017,January,Thunderstorm Wind,"LEE",2017-01-21 12:25:00,EST-5,2017-01-21 12:25:00,0,0,0,0,0.00K,0,0.00K,0,31.89,-84.18,31.89,-84.18,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Fallen trees and limbs resulted in power outages east of Smithville." +111851,667129,WEST VIRGINIA,2017,January,Flood,"RALEIGH",2017-01-23 19:00:00,EST-5,2017-01-23 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-81.26,37.7604,-81.4176,"A slow moving surface low moved through the southeastern United States and up the East Coast through the Mid Atlantic. This caused steady moderate rain across the Central Appalachians for much of the day on January 23rd. Generally 1-1.5 inches of rain fell through the day on soil already saturated from previous rainfall. This resulted in efficient runoff and several creeks and streams spilled over their banks. This included Paint Creek in the Pax area of Fayette County, and Camp Branch near Harper in Raleigh County. Several roads and bridges were covered by water in these areas.","Water over Harper Road." +111831,669956,PENNSYLVANIA,2017,January,Winter Weather,"CARBON",2017-01-24 10:59:00,EST-5,2017-01-24 10:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Some damage occurred as a result of the high winds. A few periods of heavy rainfall occurred but it did not result in flooding. The storm also brought a strong onshore flow which resulted in spotty minor tidal flooding for the high tide cycles on the 23rd and 24th. Also, it was cold enough for a wintry mix of sleet, snow and freezing rain in the Southern Poconos. ice accumulations up to two tenths of an inch were measured in Monroe county. SEPTA and Amtrak reported many delays and cancellations are well due to the storm. Over 10,000 people lost power as well.","The highest storm total ice amount in Carbon County associated with the nor'easter occurred in Albrightsville, with 0.25 inches." +111828,667036,DELAWARE,2017,January,High Wind,"DELAWARE BEACHES",2017-01-23 11:48:00,EST-5,2017-01-23 11:48:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","CWOP gust of 59 mph near Andrewsville. Lewes wxflow also gusted to 59 mph." +111830,667998,NEW JERSEY,2017,January,High Wind,"CUMBERLAND",2017-01-23 13:33:00,EST-5,2017-01-23 13:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 58 mph gust." +112358,673418,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-21 12:35:00,EST-5,2017-01-21 12:35:00,0,0,0,0,0.00K,0,0.00K,0,31.5915,-84.1911,31.5915,-84.1911,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down at 3rd Ave and Dawson Road." +112358,673419,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-21 12:35:00,EST-5,2017-01-21 12:35:00,0,0,0,0,0.00K,0,0.00K,0,31.5677,-84.3691,31.5677,-84.3691,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down across the 400 block of Mud Creek Road." +112358,673420,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-21 12:35:00,EST-5,2017-01-21 12:35:00,0,0,0,0,0.00K,0,0.00K,0,31.5075,-84.0104,31.5075,-84.0104,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down and blocking Spring Flats Road west of County Line Road." +112358,673423,GEORGIA,2017,January,Thunderstorm Wind,"MITCHELL",2017-01-21 12:50:00,EST-5,2017-01-21 12:50:00,0,0,0,0,3.00K,3000,0.00K,0,31.37,-84.16,31.37,-84.16,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down around Baconton." +112358,673425,GEORGIA,2017,January,Thunderstorm Wind,"MITCHELL",2017-01-21 13:00:00,EST-5,2017-01-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.3911,-84.0124,31.3911,-84.0124,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down on Highway 112 at the Worth county line." +112358,673426,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-21 13:02:00,EST-5,2017-01-21 13:02:00,0,0,0,0,0.00K,0,0.00K,0,31.6734,-83.8081,31.6734,-83.8081,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down on Highway 33 south of Highway 32." +111830,677318,NEW JERSEY,2017,January,Coastal Flood,"EASTERN MONMOUTH",2017-01-24 03:50:00,EST-5,2017-01-24 05:54:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","The NOS gage at Sandy Hook rose above the moderate flood level of 7.7 ft MLLW at 0350EST, peaked at 7.9 ft MLLW at 0512EST, then dropped below 7.7 ft MLLW at 0554EST." +112358,673427,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-21 13:02:00,EST-5,2017-01-21 13:02:00,0,0,0,0,0.00K,0,0.00K,0,31.5495,-84.156,31.5495,-84.156,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down near Gaines Ave." +112358,673429,GEORGIA,2017,January,Thunderstorm Wind,"BEN HILL",2017-01-21 13:30:00,EST-5,2017-01-21 13:30:00,0,0,0,0,0.00K,0,0.00K,0,31.71,-83.25,31.71,-83.25,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees were blown down an an irrigation system was toppled." +112358,673430,GEORGIA,2017,January,Thunderstorm Wind,"CALHOUN",2017-01-22 00:00:00,EST-5,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-84.73,31.55,-84.73,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were reported down in Edison." +112358,673431,GEORGIA,2017,January,Thunderstorm Wind,"CALHOUN",2017-01-22 00:20:00,EST-5,2017-01-22 00:20:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-84.51,31.48,-84.51,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were reported down in Leary." +112083,668458,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-22 21:55:00,EST-5,2017-01-22 21:55:00,0,0,0,0,0.00K,0,0.00K,0,27.0717,-82.4403,27.0717,-82.4403,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The AWOS at Venice Airport recorded a 36 knot marine thunderstorm wind gust." +112083,668470,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-23 05:55:00,EST-5,2017-01-23 05:55:00,0,0,0,0,0.00K,0,0.00K,0,27.0717,-82.4403,27.0717,-82.4403,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The AWOS at Venice Airport recorded a 47 knot marine thunderstorm wind gust." +112083,668482,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-23 05:06:00,EST-5,2017-01-23 05:06:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The Weather Flow station at Egmont Key (XEGM) recorded a 44 knot marine thunderstorm wind gust." +112083,668488,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-22 18:06:00,EST-5,2017-01-22 18:06:00,0,0,0,0,0.00K,0,0.00K,0,27.9333,-82.4333,27.9333,-82.4333,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The PORTS Site at Tampa Cruise Terminal 2 recorded a 41 knot marine thunderstorm wind gust." +112083,668487,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-23 05:12:00,EST-5,2017-01-23 05:12:00,0,0,0,0,0.00K,0,0.00K,0,27.76,-82.63,27.76,-82.63,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The NOAA NOS station 2 E Saint Petersburg (SAPF1) recorded a 37 knot marine thunderstorm wind gust." +112102,668679,NEBRASKA,2017,January,Winter Storm,"SHERIDAN",2017-01-24 00:00:00,MST-7,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A radio station near Gordon reported 12 inches of snowfall. Snowfall amounts ranged from 6 to 15 inches across much of Sheridan County. Northwest winds increased to 20 to 30 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668691,NEBRASKA,2017,January,Winter Storm,"THOMAS",2017-01-24 00:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located 8 miles southeast of Thedford reported 14 inches of snowfall. Snowfall amounts ranged around 8 to 14 inches across Thomas County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668692,NEBRASKA,2017,January,Winter Storm,"BLAINE",2017-01-24 00:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located 3 miles northeast of Brewster reported 9 inches of snowfall. Snowfall amounts ranged around 8 to 10 inches across Blaine County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668693,NEBRASKA,2017,January,Winter Storm,"LOUP",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located 14 miles west of Taylor reported 8 inches of snowfall. Snowfall amounts ranged around 6 to 10 inches across Loup County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +111444,664853,WEST VIRGINIA,2017,January,Winter Weather,"LOGAN",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664852,WEST VIRGINIA,2017,January,Winter Weather,"LINCOLN",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664854,WEST VIRGINIA,2017,January,Winter Weather,"MASON",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664855,WEST VIRGINIA,2017,January,Winter Weather,"MCDOWELL",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664879,WEST VIRGINIA,2017,January,Winter Weather,"WIRT",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664878,WEST VIRGINIA,2017,January,Winter Weather,"WAYNE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664880,WEST VIRGINIA,2017,January,Winter Weather,"WOOD",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664881,WEST VIRGINIA,2017,January,Winter Weather,"WYOMING",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +114810,692671,TEXAS,2017,April,Hail,"LIMESTONE",2017-04-02 08:02:00,CST-6,2017-04-02 08:02:00,0,0,0,0,0.00K,0,0.00K,0,31.73,-96.57,31.73,-96.57,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692672,TEXAS,2017,April,Hail,"HENDERSON",2017-04-02 08:17:00,CST-6,2017-04-02 08:17:00,0,0,0,0,0.00K,0,0.00K,0,32.27,-96.17,32.27,-96.17,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692673,TEXAS,2017,April,Hail,"HENDERSON",2017-04-02 08:21:00,CST-6,2017-04-02 08:21:00,0,0,0,0,0.00K,0,0.00K,0,32.3321,-96.1252,32.3321,-96.1252,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692674,TEXAS,2017,April,Hail,"NAVARRO",2017-04-02 08:33:00,CST-6,2017-04-02 08:33:00,0,0,0,0,0.00K,0,0.00K,0,32.0941,-96.7181,32.0941,-96.7181,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +111822,666957,WISCONSIN,2017,January,Winter Weather,"DANE",2017-01-16 04:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations of 0.10-0.20 inches. A 30-40 vehicle pile-up occurred on highway G in the Town of Primose as drivers slid on an icy hill and curve around 4:30 AM on Jan. 17th. Many vehicles struck the guard rails or slid into a cornfield." +111822,666958,WISCONSIN,2017,January,Winter Weather,"ROCK",2017-01-16 03:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations of 0.10-0.20 inches." +111822,666960,WISCONSIN,2017,January,Winter Weather,"JEFFERSON",2017-01-16 04:30:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666962,WISCONSIN,2017,January,Winter Weather,"KENOSHA",2017-01-16 04:15:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches, and sleet accumulation up to 0.10 inches." +112158,668913,MONTANA,2017,January,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-01-08 01:00:00,MST-7,2017-01-12 03:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings forecast area bringing an upslope flow to the Beartooth/Absaroka Mountains. Abundant Pacific moisture that combined with this upslope flow resulted in heavy snow.","White Mill Snotel received around 12 inches of snow while Fisher Creek Snotel reported 12 to 14 inches of snow." +112159,668914,WYOMING,2017,January,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-01-10 18:00:00,MST-7,2017-01-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings forecast area bringing an upslope flow to the Big Horn Mountains and adjacent foothills. In addition, abundant Pacific moisture that combined with this upslope flow resulted in heavy snow across the mountains and foothills.","Area Snotels received 12 to 18 inches of snow." +112159,668915,WYOMING,2017,January,Winter Storm,"SHERIDAN FOOTHILLS",2017-01-10 20:00:00,MST-7,2017-01-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings forecast area bringing an upslope flow to the Big Horn Mountains and adjacent foothills. In addition, abundant Pacific moisture that combined with this upslope flow resulted in heavy snow across the mountains and foothills.","Snowfall of 10 to 12 inches was reported across the Sheridan area." +112197,668990,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-01-07 09:30:00,EST-5,2017-01-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,28.46,-80.59,28.46,-80.59,"A short line of thunderstorms moved quickly east across north Merritt Island and Cape Canaveral. Wind gusts of 35 knots affected the Cape Canaveral vicinity.","USAF wind tower 0403 located 5 miles north of Cape Canaveral observed a peak wind gust of 35 knots from the west as a strong thunderstorm crossed the region and exited into the Atlantic." +112198,668992,FLORIDA,2017,January,Lightning,"VOLUSIA",2017-01-07 06:41:00,EST-5,2017-01-07 06:41:00,1,0,0,0,0.00K,0,0.00K,0,29.0783,-80.9131,29.0783,-80.9131,"A line of strong thunderstorms moved quickly east across Volusia County early in the morning, crossing Ponce Inlet prior to sunrise. A fisherman on the north jetty was injured when lightning struck his fishing pole.","A line of strong thunderstorms moved quickly east across Volusia County early in the morning, crossing Ponce Inlet prior to sunrise. A 55 year old male was injured when lightning struck the fishing pole he was holding. The injured man called first responders and was then transported to a local hospital. The victim suffered burns on his right arm, hand and abdominal area and was reported in stable condition several days after the incident." +112112,668659,TEXAS,2017,January,Extreme Cold/Wind Chill,"GREGG",2017-01-07 12:47:00,CST-6,2017-01-07 12:47:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitterly cold arctic air mass settled south across all of the Ark-La-Tex region during January 6th and 7th, with low temperatures plunging into the lower and middle teens across much of the area during the morning of the 7th. A 72 year old male was found dead under the railroad bridge in the 100 block of Spur 63 in Longview, Texas just before 1 pm on the 7th while lying on a blanket with a t-shirt on and partially covered with a jacket. Police believe that this male succumbed to these extremely cold temperatures/exposure conditions, with the Longview Regional Airport recording a low temperature of 15 degrees earlier that morning.","" +112113,668660,LOUISIANA,2017,January,Strong Wind,"BOSSIER",2017-01-10 00:00:00,CST-6,2017-01-10 00:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following a bitterly cold arctic air mass that settled in across the Ark-La-Tex area during the previous several days, strong southerly winds in response to a strong pressure gradient over the Southern Plains and Lower Mississippi Valley during the late evening and overnight hours of January 9th-10th resulting in sustained winds of 15-20 mph with gusts to 30 mph over much of Northern Louisiana. A male and female ventured out onto Lake Bistineau in Southeast Bossier Parish during the late night hours for a fishing trip where the strong winds capsized their small boat. The 35 year old male drowned, with his body later found around 9:20 am on the 9th. The 34 year old female was found clinging to a tree around 6:40 am by a man who was duck hunting. She was taken to a hospital and treated for hypothermia but did survive the accident.","" +112272,669490,NEVADA,2017,January,Heavy Snow,"N ELKO CNTY",2017-01-22 06:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Wild Horse Reservoir reported 10 inches of snow and Montello 8 inches of snow." +112272,669491,NEVADA,2017,January,Heavy Snow,"SOUTH-CENTRAL ELKO",2017-01-22 08:00:00,PST-8,2017-01-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Reports of around 7 inches of snow were received from the Ruby and Clover Valley area." +111712,666433,TEXAS,2017,January,Winter Weather,"SABINE",2017-01-06 06:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Northeast Texas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread south and east across North and Northeast Texas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of around 0.5 inches or less across portions of Franklin, Red River, Titus, Morris, Bowie, and Cass Counties in Northeast Texas. Weak overrunning of warmer air atop the arctic cold front also resulted in a separate area of sleet mixed with light freezing rain and light snow over Sabine County as well as portions of Northcentral Louisiana, with freezing rain accumulations less than one-tenth of an inch, and sleet accumulations of less than one-quarter inch. These light snow and ice accumulations resulted in the development of icing on bridges and overpasses across much of Northeast Texas, resulting in hazardous travel conditions.","" +112155,668885,LOUISIANA,2017,January,Tornado,"CADDO",2017-01-21 17:23:00,CST-6,2017-01-21 17:28:00,0,0,0,0,75.00K,75000,0.00K,0,32.902,-94.0431,32.9308,-94.0211,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","This is a continuation of the Cass County EF-2 tornado. This tornado crossed Cass County Line Road into Western Caddo Parish snapping and uprooting numerous trees along its path. A roof was torn off of a cinder block storage building and shifted a single wide mobile home several feet off of its foundation. Several shingles were ripped of a nearby home. A homeowner stated that 31 trees were down across an acre of property but remarkably, none of the trees fell on a home on that property. Maximum estimated winds along Cass County Road on the Caddo Parish side was 115 mph, with the tornado eventually weakening as it tracked northeast and lifting on Old Atlanta Road just south of Myrtis Texas Line Road." +112155,668965,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 18:17:00,CST-6,2017-01-21 18:17:00,0,0,0,0,0.00K,0,0.00K,0,32.9414,-93.2983,32.9414,-93.2983,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Tennis ball size hail fell in Shongaloo." +112155,668966,LOUISIANA,2017,January,Tornado,"GRANT",2017-01-21 19:00:00,CST-6,2017-01-21 19:13:00,1,0,0,0,250.00K,250000,0.00K,0,31.5566,-92.7473,31.5802,-92.7213,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with maximum estimated winds of 110 mph touched down along Richardson Road between the Aloha and Colfax communities and tracked northeast along Richardson Road toppling a large television antenna atop a home but just missing a large pecan orchard before later snapping/uprooting numerous trees downstream and damaging several barns and other outbuildings across a large farm. As the tornado approached Highway 71, a 3000 pound trailer was flipped over, killing a cow before landing/blocking Highway 71. The tornado continued northeast along the southeast side of Highway 471 east of Highway 71, where a single wide mobile home was flipped over and rolled about 25 yards, injuring a woman inside. A large tree also fell on a home causing major damage. Other outbuildings were damaged/destroyed as well along Highway 471. Several trees were also snapped/uprooted at the Summerfield Baptist Church cemetery before the tornado finally lifted." +112147,668881,TEXAS,2017,January,Tornado,"HARRISON",2017-01-21 16:18:00,CST-6,2017-01-21 16:35:00,0,0,0,0,1.00M,1000000,0.00K,0,32.5199,-94.2529,32.6096,-94.1995,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-2 tornado with winds estimated near 120 mph touched down along Highway 80 near Scottsville, snapping and uprooting numerous trees and downing power lines along its track as it crossed Farm-To-Market Road 1998. Much of the tornado's destructive damage occurred along Trammel Lane (Haggerty Road) where trees were snapped/downed on several homes. One home had much of its roof removed, with a small mobile home nearby completely blown away. The tornado continued north northeast along Harkins Lane where more trees were snapped and uprooted. The tornado finally lifted on Cowpen Road." +112147,668882,TEXAS,2017,January,Tornado,"MARION",2017-01-21 16:19:00,CST-6,2017-01-21 16:23:00,0,0,0,0,250.00K,250000,0.00K,0,32.7724,-94.4179,32.784,-94.4163,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with winds estimated near 100 mph touched down along Kellyville Cutoff Road south of Farm-To-Market Road 729 in the Kellyville community. This tornado travelled north and crossed FM 729 along Kellyville Cutoff Road, snapping and uprooting numerous trees and downing power lines along the tornado's path. Much of the damage occurred along Kellyville Cutoff Road between FM 729 and Highway 49, where one home was damaged and the roof removed from a single wide mobile home. One large tree also fell on a metal workshop near Highway 49 before lifting just shy of the Berea community." +112404,670140,COLORADO,2017,January,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-01-03 20:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 17 inches at Deadman Hill, 13 inches at Willow Park and 12 inches at Long Draw Reservoir." +111874,667244,MINNESOTA,2017,January,Winter Storm,"STEELE",2017-01-24 20:00:00,CST-6,2017-01-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved out of the central Rockies, and into the central Plains, Tuesday afternoon January 24th. Initially, the atmosphere was dry above the boundary layer which kept the onset of snow a few hours later than expected. ||During the early afternoon, a band of heavy snow developed across central Iowa and slowly moved north toward the Minnesota border by sunset. Initially, surface observations, trained spotters and observers reported heavy snowfall from Spencer to Mason City, Iowa, for 2 to 3 hours. This band of snow slowly moved north across the Minnesota border during the early evening. However, the heavier bands of snow diminished as it moved into Minnesota. This kept snowfall amounts much lighter on the Minnesota side where totals ranged from 7-10 inches along the Minnesota border, to less than 5 inches from St. James to Waseca and Owatonna. The heaviest totals were just south of the Minnesota border.||The light snow continued Wednesday morning before tapering off during the afternoon.","Several trained observers reported 6 to 7 inches in the far southeast corner of Steele County near Blooming Prairie." +113060,677543,ALABAMA,2017,January,Thunderstorm Wind,"ELMORE",2017-01-21 07:50:00,CST-6,2017-01-21 07:51:00,0,0,0,0,0.00K,0,0.00K,0,32.51,-86.13,32.51,-86.13,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Power lines downed in the community of Redland." +111772,666600,NEW MEXICO,2017,January,Winter Weather,"UNION COUNTY",2017-01-15 10:00:00,MST-7,2017-01-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","A rare freezing rain event occurred across Union County with reports of one to two tenths of an inch of ice followed by a couple inches of snow. Temperatures hovered at 32 degrees for the entire event so impacts were very limited to travel." +111772,666601,NEW MEXICO,2017,January,Winter Weather,"HARDING COUNTY",2017-01-15 10:00:00,MST-7,2017-01-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","A rare freezing rain event occurred across Harding County with reports of one to two tenths of an inch of ice followed by a couple inches of snow. Temperatures hovered at 32 degrees for the entire event so impacts were very limited to travel." +112968,675020,NORTH CAROLINA,2017,January,Heavy Snow,"GRAHAM",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675022,NORTH CAROLINA,2017,January,Heavy Snow,"NORTHERN JACKSON",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +113181,677029,NORTH CAROLINA,2017,January,Cold/Wind Chill,"NORTHERN JACKSON",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113183,677078,UTAH,2017,January,Winter Storm,"SOUTHWEST UTAH",2017-01-20 14:00:00,MST-7,2017-01-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","New Harmony received a storm total of 15 inches of snow." +113662,680328,UTAH,2017,February,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-02-07 00:00:00,MST-7,2017-02-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system brought strong winds to northern Utah, with heavy snowfall also falling in the northern mountains.","Peak wind gusts across the Salt Lake and Tooele Valleys included 67 mph at Stockton Bar, 62 mph at the SR-201 at I-80 sensor, and 58 mph at Vernon Hill." +113662,680332,UTAH,2017,February,High Wind,"WEST CENTRAL UTAH",2017-02-07 09:20:00,MST-7,2017-02-07 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system brought strong winds to northern Utah, with heavy snowfall also falling in the northern mountains.","Peak recorded wind gusts included 64 mph at the US-6 at Eureka sensor and 60 mph at the Black Rock sensor." +112827,674149,RHODE ISLAND,2017,January,Winter Storm,"BLOCK ISLAND",2017-01-07 09:00:00,EST-5,2017-01-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Fourteen to sixteen inches of snow fell on Block Island during the day and evening. Conditions briefly approached blizzard criteria between 356 PM and 421 PM." +112826,674167,MASSACHUSETTS,2017,January,Winter Storm,"SOUTHERN PLYMOUTH",2017-01-07 10:00:00,EST-5,2017-01-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Fifteen to eighteen inches of snow fell on Southern Plymouth County during the day and evening." +112831,675461,MASSACHUSETTS,2017,January,Strong Wind,"WESTERN MIDDLESEX",2017-01-23 12:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,9.30K,9300,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A tree was downed on Winter Street in Hopkinton. A large tree and utility pole were downed across Roberts Street in Wilmington." +113663,680333,WYOMING,2017,February,High Wind,"UINTA",2017-02-07 21:40:00,MST-7,2017-02-07 23:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The same powerful storm system that produced strong winds in northern Utah also brought gusty winds to far southwest Wyoming.","Peak recorded wind gusts in Uinta County, Wyoming included 62 mph at the Evanston-Uinta County Airport - Burns Field ASOS and 59 mph at the Church Butte WYDOT sensor." +113670,682235,UTAH,2017,February,Winter Storm,"SALT LAKE AND TOOELE VALLEYS",2017-02-21 20:30:00,MST-7,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Storm total snowfall in the Salt Lake Valley included 15 inches in Cottonwood Heights, 10 inches in Sandy, 8 inches at Upper Millcreek and the University of Utah, and 7 inches in Taylorsville." +112831,675475,MASSACHUSETTS,2017,January,High Wind,"EASTERN ESSEX",2017-01-23 22:00:00,EST-5,2017-01-24 11:00:00,0,0,0,0,23.00K,23000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A 62-mph wind was measured by a trained spotter in Rockport. Wires were reported down on Leach Street and also at Abbott Street in Salem. Two signs were blown down at Canoble Point and wires were down on Main street in Essex. A tree was down blocking the road at Limebrook Road in Ipswich. Several trees were reported down in Rockport. A tree was reported down on wires on Magnolia Avenue and power lines down on Adams Hill Road in Gloucester. A tree was down on wires on Hale Street in Beverly. A utility pole and wires were down on Salem Street in Groveland. Telephone poles and wires were down on Bayview Lane in Newbury." +112831,675476,MASSACHUSETTS,2017,January,Strong Wind,"NORTHERN BRISTOL",2017-01-23 22:00:00,EST-5,2017-01-24 11:00:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Wires reported down on Highland Avenue in Taunton. Wires down on East Main Street in Norton. Power lines down on a tree on Summer Street in Rehoboth. Trees and wires were reported down in Easton." +112831,675477,MASSACHUSETTS,2017,January,Strong Wind,"WESTERN ESSEX",2017-01-24 00:00:00,EST-5,2017-01-24 09:00:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A tree was down blocking Arbor Street in Wenham. Tree Limbs were down across Perkins Row in Topsfield. A tree and wires were down on Jackson Street in Methuen." +112831,675478,MASSACHUSETTS,2017,January,Strong Wind,"BARNSTABLE",2017-01-24 02:00:00,EST-5,2017-01-24 09:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A tree was down on Old Mill Road in Marion." +112831,675479,MASSACHUSETTS,2017,January,Strong Wind,"BARNSTABLE",2017-01-23 01:00:00,EST-5,2017-01-24 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A large tree was down on Division Road in Dartmouth. A tree was down blocking a road in New Bedford." +112831,675480,MASSACHUSETTS,2017,January,Strong Wind,"EASTERN HAMPSHIRE",2017-01-24 02:00:00,EST-5,2017-01-24 06:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A tree and power lines were down on Upper Church Street and a tree was down on Cummings Road in Ware." +112831,675510,MASSACHUSETTS,2017,January,Strong Wind,"EASTERN FRANKLIN",2017-01-24 02:00:00,EST-5,2017-01-24 07:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Tree and wires down on Shumway Street in Orange." +112420,670216,HAWAII,2017,January,High Surf,"WAIANAE COAST",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670217,HAWAII,2017,January,High Surf,"OAHU NORTH SHORE",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670218,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670219,HAWAII,2017,January,High Surf,"MOLOKAI WINDWARD",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +111509,665777,NEW MEXICO,2017,January,Winter Storm,"ROOSEVELT COUNTY",2017-01-05 23:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 2 to 4 inches from Portales to Melrose. Bitterly cold temperatures and gusty winds created winter storm impacts on the morning of the 6th." +112420,670220,HAWAII,2017,January,High Surf,"MOLOKAI LEEWARD",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670221,HAWAII,2017,January,High Surf,"MAUI WINDWARD WEST",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +111779,666637,MINNESOTA,2017,January,Winter Weather,"JACKSON",2017-01-16 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in southwest Minnesota, mostly near the southern border of the state. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm near the southern border of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of up to two tenths of an inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Lakefield reported 0.17 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented damage to trees and power lines." +112420,670222,HAWAII,2017,January,High Surf,"MAUI CENTRAL VALLEY",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670223,HAWAII,2017,January,High Surf,"WINDWARD HALEAKALA",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +111509,665775,NEW MEXICO,2017,January,Winter Storm,"CURRY COUNTY",2017-01-05 23:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 2 to 4 inches across Curry County. Significant impacts were reported with severe travel conditions from Clovis to Cannon AFB. Bitterly cold temperatures and gusty winds created winter storm impacts on the morning of the 6th." +111731,666406,NEW MEXICO,2017,January,Thunderstorm Wind,"LEA",2017-01-01 18:18:00,MST-7,2017-01-01 18:19:00,0,0,0,0,5.00K,5000,,NaN,32.7,-103.2676,32.7,-103.2676,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Lea County and produced wind damage eight miles west of Hobbs. Powerlines were blown down by the thunderstorm winds and started a fire. The wind speed was estimated and the cost of damage is a very rough estimate." +111732,666410,TEXAS,2017,January,Thunderstorm Wind,"MIDLAND",2017-01-01 20:53:00,CST-6,2017-01-01 20:53:00,0,0,0,0,,NaN,,NaN,31.9408,-102.2012,31.9408,-102.2012,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Midland County and produced a 60 mph wind gust at the Midland International Airport." +119762,718200,ARIZONA,2017,July,Hail,"YAVAPAI",2017-07-17 09:14:00,MST-7,2017-07-17 09:14:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-112.51,34.65,-112.51,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Golf ball sized (1 3/4 inch diameter) hail fell 5 miles north of Iron Springs Road on Williamson Valley Road." +119762,718208,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-17 17:52:00,MST-7,2017-07-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.8647,-112.4336,35.0121,-112.6195,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Big Chino Wash rose 3 feet in a short time at Highway 89." +119762,718209,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-17 19:30:00,MST-7,2017-07-17 21:30:00,0,0,0,0,0.00K,0,0.00K,0,34.6226,-111.7885,34.6327,-111.7868,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Russell Wash was flooding in Lake Montezuma." +111753,666530,IOWA,2017,January,Ice Storm,"CHEROKEE",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Cherokee reported 0.32 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +111753,666533,IOWA,2017,January,Winter Weather,"WOODBURY",2017-01-16 19:00:00,CST-6,2017-01-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +112323,672780,MASSACHUSETTS,2017,January,Drought,"SUFFOLK",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Suffolk County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112323,672781,MASSACHUSETTS,2017,January,Drought,"EASTERN NORFOLK",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Eastern Norfolk County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112380,670089,NEW YORK,2017,January,Winter Weather,"SOUTHERN HERKIMER",2017-01-17 11:00:00,EST-5,2017-01-18 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A storm system approached the region from the Great Lakes during the day on Tuesday, January 17th. A light and spotty wintry mix began during the late morning hours across the western Mohawk Valley and precipitation generally become freezing rain, as it continued through the remainder of the day. With temperatures falling below freezing, ice accreted on trees and power lines, especially in the towns of Fairfield and Frankfort. ||The weight of the ice took down trees and power lines across the higher elevations, notably on Higby Road. This caused some localized power outages across parts of southern Herkimer County. Some car accidents also occurred as a result of the icy roads. A few school districts closed for the day due to the icy conditions and some others canceled or delayed activities.||Precipitation tapered off around daybreak on Wednesday, January 18th. By that time, ice had accreted up to a half inch in diameter in some localized areas.","" +112210,672677,VERMONT,2017,January,High Wind,"BENNINGTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Some power outages occurred as a result of these downed trees and wires.","" +112209,672678,MASSACHUSETTS,2017,January,High Wind,"NORTHERN BERKSHIRE",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Some power outages occurred as a result of these downed trees and wires.","" +113910,693402,CALIFORNIA,2017,February,High Wind,"DEL NORTE INTERIOR",2017-02-20 04:00:00,PST-8,2017-02-20 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Camp Six and Ship Mountain RAWS reported wind gusts between 56 and 70 mph at an elevation ranging from 3600 to 5300 ft." +113066,676134,KENTUCKY,2017,January,Winter Weather,"GALLATIN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observer northwest of Glencoe measured 1.2 inches of snow." +113066,676136,KENTUCKY,2017,January,Winter Weather,"LEWIS",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter south of Ribolt measured 2 inches of snow." +113066,676137,KENTUCKY,2017,January,Winter Weather,"MASON",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media report from just west of Aberdeen showed that 3 inches of snow had fallen." +113065,676139,OHIO,2017,January,Winter Weather,"ADAMS",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer located 6 miles east of West Union measured 2.8 inches of snow. The county garage near West Union measured 2.5 inches." +113065,676140,OHIO,2017,January,Winter Weather,"BROWN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer south of Fayetteville measured 2.5 inches of snow. The county garage in Georgetown measured 2 inches." +111451,664973,TEXAS,2017,January,Winter Weather,"HOCKLEY",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111451,664974,TEXAS,2017,January,Winter Weather,"CHILDRESS",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111576,669332,OHIO,2017,January,Thunderstorm Wind,"DARKE",2017-01-10 20:43:00,EST-5,2017-01-10 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.99,-84.64,39.99,-84.64,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Several trees were downed. One barn was destroyed and another barn had the roof blown off. A silo was also damaged." +113250,677580,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-01-07 14:29:00,EST-5,2017-01-07 14:29:00,0,0,0,0,0.00K,0,0.00K,0,24.9537,-80.5868,24.9537,-80.5868,"Showers and thunderstorms produced isolated gale-force wind gusts along the Upper Florida Keys as a cold front approached from the northwest over the southeast Gulf of Mexico.","A wind gust of 34 knots was measured at the U.S. Coast Guard Station Islamorada." +113251,677585,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-01-23 01:02:00,EST-5,2017-01-23 01:02:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 61 knots was measured at Pulaski Shoal Light." +113251,677586,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-01-23 02:39:00,EST-5,2017-01-23 02:39:00,0,0,0,0,0.00K,0,0.00K,0,24.5801,-81.6829,24.5801,-81.6829,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 37 knots was measured at the Naval Air Station Key West Boca Chica Field ASOS." +113251,677587,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-01-23 02:48:00,EST-5,2017-01-23 02:48:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 37 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +113251,677588,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-01-23 02:50:00,EST-5,2017-01-23 02:50:00,0,0,0,0,0.00K,0,0.00K,0,24.456,-81.877,24.456,-81.877,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 41 knots was measured at the new Sand Key Light." +113251,677589,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-01-23 03:06:00,EST-5,2017-01-23 03:06:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 35 knots was measured at the NWS Weather Forecast Office RSOIS in Key West." +113251,677590,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-01-23 03:10:00,EST-5,2017-01-23 03:10:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 36 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Sector Key West." +113251,677591,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-01-23 03:33:00,EST-5,2017-01-23 03:33:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 43 knots was measured at an automated Citizen Weather Observing Program station at the south shore of Cudjoe Bay." +113486,679357,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-30 15:55:00,MST-7,2017-01-30 20:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 30/1650 MST." +113158,676995,IDAHO,2017,January,Winter Storm,"BIG AND LITTLE WOOD RIVER REGION",2017-01-07 12:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A massive Pacific Storm brought heavy snow for over 4 days to the Big and Little Wood River region. Snow amounts recorded by COOP observers were 33 inches in Bellevue, 29 inches in Picabo, and 37.5 inches in Ketchum. The snow depth at the Ketchum Ranger Station reached 53 inches at the end of the event. Several avalanches closed Warm Springs Road west of Ketchum on the 9th as well as Highway 75 north of Galena. SNOTEL amounts were the following: 47 inches at Chocolate Gulch, 67 inches at Dollarhide Summit, 36 inches at Garfield Ranger Station, 46 inches at Galena, 41 inches at Galena Summit, 39 inches at Hyndman, 62 inches at Lost Wood Divide, 46 inches at Swede Peak, and 71 inches at Vienna Mine." +113158,677003,IDAHO,2017,January,Winter Storm,"LOST RIVER / PAHSIMEROI",2017-01-07 12:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A strong and wet multi-day Pacific Storm brought heavy snow to the Lost River/Pahsimeroi region. Snowfall reports were 8 inches in the Chilly Barton Flats area and 13 to 20 inches in the Mackay region reported by COOP observers and spotters. 18 inches fell at the Hilt's Creek SNOTEL site." +113158,677038,IDAHO,2017,January,Avalanche,"BIG AND LITTLE WOOD RIVER REGION",2017-01-09 02:00:00,MST-7,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Ten avalanches affected Warm Springs Road west of Ketchum closing it on the 9th. Sage Road and Huffman Drive off of Warm Springs road also were closed except to residences." +113046,677694,NORTH CAROLINA,2017,January,Winter Storm,"BERTIE",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 4 inches across the county. Sleet and freezing rain also occurred." +113046,677699,NORTH CAROLINA,2017,January,Winter Storm,"CAMDEN",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 4 inches across the county. Sleet and freezing rain also occurred. Riddle reported 1.5 inches of snow." +113046,677703,NORTH CAROLINA,2017,January,Winter Storm,"CHOWAN",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 3 inches across the county. Sleet and freezing rain also occurred." +113046,677709,NORTH CAROLINA,2017,January,Winter Storm,"PASQUOTANK",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 3 inches across the county. Sleet and freezing rain also occurred. Burnt Mills (3 S) reported 3 inches of snow. Elizabeth City Coast Guard Regional Airport (ECG) reported 1.2 inches of snow." +113046,677731,NORTH CAROLINA,2017,January,Winter Storm,"PERQUIMANS",2017-01-07 02:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 3 inches across the county. Sleet and freezing rain also occurred. Smithtown (2 WNW) reported 2 inches of snow. Holiday Island (1 NW) reported 1 inch of snow." +113046,677762,NORTH CAROLINA,2017,January,Winter Storm,"WESTERN CURRITUCK",2017-01-07 02:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between one inch and four inches of snow, along with sleet and freezing rain across northeast North Carolina.","Snowfall totals were generally between 1 inch and 4 inches across the county. Sleet and freezing rain also occurred. Moyock (3 NW) and Currituck (1 SSE) reported 3.5 inches of snow. Coinjock reported 2.5 inches of snow." +113271,677789,VIRGINIA,2017,January,Winter Weather,"WESTERN LOUISA",2017-01-30 04:00:00,EST-5,2017-01-30 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weak low pressure tracking across the Delmarva and off the coast produced between one half inch of snow and one inch of snow across portions of central Virginia.","Snowfall totals were generally between 0.5 inch and 1 inch across the county. Trevilians reported 1 inch of snow." +113004,675437,ARKANSAS,2017,January,Hail,"SALINE",2017-01-21 18:35:00,CST-6,2017-01-21 18:35:00,0,0,0,0,0.00K,0,0.00K,0,34.52,-92.64,34.52,-92.64,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","" +113004,675438,ARKANSAS,2017,January,Hail,"GARLAND",2017-01-21 20:25:00,CST-6,2017-01-21 20:25:00,0,0,0,0,0.00K,0,0.00K,0,34.45,-93.23,34.45,-93.23,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","" +113004,675439,ARKANSAS,2017,January,Hail,"DREW",2017-01-21 20:55:00,CST-6,2017-01-21 20:55:00,0,0,0,0,0.00K,0,0.00K,0,33.72,-91.74,33.72,-91.74,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","" +113004,675743,ARKANSAS,2017,January,Thunderstorm Wind,"BRADLEY",2017-01-21 20:10:00,CST-6,2017-01-21 20:10:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.07,33.61,-92.07,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Trees were blown down in rural portions of the county...primarily west of Warren." +112473,670612,MISSOURI,2017,January,Winter Weather,"STODDARD",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112473,670613,MISSOURI,2017,January,Winter Weather,"SCOTT",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113022,675760,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAWRENCE",2017-01-02 13:40:00,CST-6,2017-01-02 13:50:00,0,0,0,0,20.00K,20000,0.00K,0,31.6519,-90.2426,31.6388,-90.0279,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees and powerlines were blown down across the western part of the county." +113022,675915,MISSISSIPPI,2017,January,Thunderstorm Wind,"RANKIN",2017-01-02 14:08:00,CST-6,2017-01-02 14:08:00,0,0,0,0,7.00K,7000,0.00K,0,32.12,-90.13,32.12,-90.13,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down across Highway 469 near Foster Road." +113022,675916,MISSISSIPPI,2017,January,Thunderstorm Wind,"HINDS",2017-01-02 14:09:00,CST-6,2017-01-02 14:09:00,0,0,0,0,5.00K,5000,0.00K,0,32.2685,-90.2301,32.2685,-90.2301,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A large tree was blown down on McDowell Road." +113022,675918,MISSISSIPPI,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-02 14:18:00,CST-6,2017-01-02 14:18:00,0,0,0,0,5.00K,5000,0.00K,0,31.71,-89.71,31.71,-89.71,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down at Mississippi 35 south of Mount Olive." +113022,675922,MISSISSIPPI,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-02 14:31:00,CST-6,2017-01-02 14:31:00,0,0,0,0,9.00K,9000,0.00K,0,31.6,-89.53,31.6,-89.53,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down and blocked Highway 49 south of Collins." +113022,675924,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAMAR",2017-01-02 14:42:00,CST-6,2017-01-02 14:42:00,0,0,0,0,15.00K,15000,0.00K,0,31.08,-89.59,31.08,-89.59,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Minor damage to a school along Highway 13." +113022,676503,MISSISSIPPI,2017,January,Flash Flood,"FORREST",2017-01-01 15:00:00,CST-6,2017-01-01 15:30:00,0,0,0,0,3.00K,3000,0.00K,0,31.3355,-89.3262,31.3329,-89.3273,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Water covered the road along Highway 49 between Hardy Street and Highway 42, near 4th Street." +112700,672878,CONNECTICUT,2017,January,Heavy Snow,"NORTHERN NEW LONDON",2017-01-07 10:30:00,EST-5,2017-01-08 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Connecticut D.O.T. and trained spotters reported snowfall of 7 to 9 inches. A CoCoRaHS observer reported 9.5 inches of snow." +112700,672879,CONNECTICUT,2017,January,Heavy Snow,"SOUTHERN NEW LONDON",2017-01-07 10:30:00,EST-5,2017-01-08 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Connecticut D.O.T and CoCoRaHS observers reported snowfall of 6 to 9 inches." +112700,672880,CONNECTICUT,2017,January,Heavy Snow,"SOUTHERN MIDDLESEX",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Connecticut D.O.T. reported 7.8 inches of snow in Old Saybrook. Broadcast media reported 5.9 inches of snow in Clinton." +112700,672881,CONNECTICUT,2017,January,Heavy Snow,"NORTHERN MIDDLESEX",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Connecticut D.O.T. reported 7.5 inches of snow in Haddam. A trained spotter reported 7.4 inches in Chester." +111473,664981,WISCONSIN,2017,January,Winter Weather,"SAUK",2017-01-03 03:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664982,WISCONSIN,2017,January,Winter Weather,"IOWA",2017-01-03 03:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664983,WISCONSIN,2017,January,Winter Weather,"LAFAYETTE",2017-01-03 03:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664984,WISCONSIN,2017,January,Winter Weather,"FOND DU LAC",2017-01-03 05:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664985,WISCONSIN,2017,January,Winter Weather,"DODGE",2017-01-03 05:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664986,WISCONSIN,2017,January,Winter Weather,"JEFFERSON",2017-01-03 05:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +114590,687251,TEXAS,2017,February,Wildfire,"HARTLEY",2017-02-27 14:52:00,CST-6,2017-02-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2357 Wildfire began about seven miles south of Hartley Texas in Hartley county around 1452CST. The wildfire started just west of Farm to Market Road 2357 and north of County Road T and consumed approximately four hundred acres. The wildfire was caused by downed power lines as it was reported that a power pool had broken and started the wildfire. The wildfire jumped the road and continued to burn. There were no homes or other structures threatened or destroyed by the wildfire and there also no reports of any injuries or fatalities. The wildfire was contained around 1900CST. There were a total of three fire departments and other fire agencies that responded to the wildfire including Hartley Fire, Dalhart Fire and Channing Fire. The Dalhart Fire Department sent two grass trucks and also one tanker and the Channing Fire Department sent one grass truck.","" +112717,673034,WASHINGTON,2017,February,High Wind,"WESTERN WHATCOM COUNTY",2017-02-05 21:24:00,PST-8,2017-02-05 23:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sandy Point Shores reported brief high wind.","Sandy Point Shores reported 33 mph gusting to 60 mph." +111523,665590,NEW JERSEY,2017,January,Winter Storm,"EASTERN MONMOUTH",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 5 and 9 inches including 7.7 inches in Belmar, 7.5 inches in Manalapan, and 5.5 inches in Hazlet. Strong northwest winds the following day produced blowing and drifting snow." +111523,665593,NEW JERSEY,2017,January,Winter Storm,"CUMBERLAND",2017-01-07 05:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling in the pre-dawn hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 6 and 10 inches, including 10.0 inches in Port Norris, and 6.5 inches in Vineland. Strong northwest winds the following day produced blowing and drifting snow." +114406,685821,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:32:00,MST-7,2017-05-08 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-104.16,34.47,-104.16,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","First round of hail with stones up to the size of quarters." +114406,685824,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:59:00,MST-7,2017-05-08 16:08:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-104.16,34.47,-104.16,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Second round of large hail with stones up to the size of ping pong balls." +111828,667026,DELAWARE,2017,January,Strong Wind,"NEW CASTLE",2017-01-23 14:00:00,EST-5,2017-01-23 14:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","Several trees and utility poles blocking roads throughout the county." +111828,667032,DELAWARE,2017,January,Strong Wind,"INLAND SUSSEX",2017-01-23 13:00:00,EST-5,2017-01-23 13:00:00,0,1,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","A personal injury accident occurred during the storm. Two property damage reports were also reported." +111828,667033,DELAWARE,2017,January,Strong Wind,"KENT",2017-01-23 13:00:00,EST-5,2017-01-23 13:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","Two property damage incidents were reported due to the storm." +111830,667004,NEW JERSEY,2017,January,Heavy Rain,"MONMOUTH",2017-01-24 00:30:00,EST-5,2017-01-24 00:30:00,0,0,0,0,,NaN,,NaN,40.11,-74.04,40.11,-74.04,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,667999,NEW JERSEY,2017,January,Strong Wind,"CUMBERLAND",2017-01-23 13:00:00,EST-5,2017-01-23 13:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 56 mph gust." +113099,676411,IOWA,2017,February,Winter Weather,"MONONA",2017-02-07 23:00:00,CST-6,2017-02-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Snowfall generally ranged from 3 to 5 inches across the county including a measured 5.2 inches at Little Sioux, 3.8 inches at Castana, and 4 inches in Mapleton." +113099,676412,IOWA,2017,February,Winter Weather,"HARRISON",2017-02-07 23:00:00,CST-6,2017-02-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Snowfall generally ranged from 3 to 4 inches across the county including a measured 3.5 inches in Logan." +117478,706532,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-08 17:43:00,MST-7,2017-08-08 17:47:00,0,0,0,0,0.00K,0,0.00K,0,34.9192,-105.1629,34.9192,-105.1629,"A recharge of low level moisture into eastern New Mexico beneath of the upper level high pressure system centered over western New Mexico set the stage for more strong to severe thunderstorms. Northwest flow aloft interacted with a moist and unstable low level airmass across the eastern plains to produce isolated to scattered showers and storms. Several of these storms rolled off the east slopes of the central mountain chain and became strong to severe. One storm produced quarter size hail near Las Vegas and more heavy rainfall. Another storm crossing Interstate 40 near Milagro produced two inch hail just south of the highway. This activity continued well into the overnight hours across eastern New Mexico and led to more heavy rainfall and flooding the following morning.","Large hail at least the size of hen eggs reported by storm chaser south of Interstate 40 near Milagro." +117730,707904,NEW MEXICO,2017,August,Hail,"MORA",2017-08-10 14:42:00,MST-7,2017-08-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-104.8,35.92,-104.8,"Abundant moisture and instability in place over New Mexico with more jet energy sliding across the southwest U.S. continued to support the development of showers and storms with hail and heavy rainfall. Storms fired up along the east slopes of the central mountain chain during the early afternoon then moved east across the Interstate 25 corridor into the high plains. The strongest storm impacted the area around Wagon Mound where golf ball size hail was reported. Rainfall amounts between one and two inches were also common with the stronger storms.","Hail up to the size of golf balls reported eight miles southwest of Wagon Mound." +112102,668694,NEBRASKA,2017,January,Winter Storm,"LOGAN",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","General public located 9 miles northwest of Stapleton reported 7 inches of snowfall. Snowfall amounts ranged around 6 to 9 inches across the northern half of Logan County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112102,668695,NEBRASKA,2017,January,Winter Storm,"CUSTER",2017-01-24 00:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall beginning in the early morning hours on January 24th continuing into the morning hours on January 25th across portions of western and north central Nebraska. Snowfall amounts ranged from 6 to 15 inches across much of the area with locally higher amounts from 15 to 22 inches. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times.","A cooperative observer located 2 miles southeast of Anselmo reported 8 inches of snowfall. Snowfall amounts ranged around 6 to 9 inches across the northwest half of Custer County. Northwest winds increased to 20 to 35 mph during the afternoon, evening and overnight hours. This caused areas of blowing and drifting with visibility as low as a quarter mile at times." +112072,668601,FLORIDA,2017,January,Thunderstorm Wind,"HERNANDO",2017-01-22 18:04:00,EST-5,2017-01-22 18:04:00,0,0,0,0,0.00K,0,0.00K,0,28.47,-82.46,28.47,-82.46,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","The ASOS at Hernando County Airport (KBKV) recorded a 51 knot thunderstorm wind gust." +112072,668605,FLORIDA,2017,January,Strong Wind,"COASTAL PASCO",2017-01-22 15:15:00,EST-5,2017-01-22 15:30:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Gradient winds ahead of the squall lines caused minor damage around Holiday and New Port Richey. A large tree fell down onto Craftsbury Drive in Holiday. In New Port Richey, several large trees fell down, knocking down power lines and damaging three structures." +111444,664857,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST FAYETTE",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664856,WEST VIRGINIA,2017,January,Winter Weather,"MINGO",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664858,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST NICHOLAS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664859,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST POCAHONTAS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +112103,668611,WEST VIRGINIA,2017,January,Winter Weather,"ROANE",2017-01-29 16:30:00,EST-5,2017-01-30 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668610,WEST VIRGINIA,2017,January,Winter Weather,"JACKSON",2017-01-29 16:00:00,EST-5,2017-01-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668612,WEST VIRGINIA,2017,January,Winter Weather,"PUTNAM",2017-01-29 16:00:00,EST-5,2017-01-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +111499,668544,OKLAHOMA,2017,January,Heavy Snow,"BLAINE",2017-01-06 00:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system brought widespread snow to the Oklahoma early morning on the 6th, with the heaviest bands occurring along I-40.","Public report of 5.5 inches." +111499,668547,OKLAHOMA,2017,January,Heavy Snow,"CANADIAN",2017-01-06 00:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system brought widespread snow to the Oklahoma early morning on the 6th, with the heaviest bands occurring along I-40.","Report of 4.2 inches." +112150,668838,ILLINOIS,2017,January,Winter Weather,"ALEXANDER",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +116395,699928,NEW YORK,2017,May,Hail,"FULTON",2017-05-18 17:02:00,EST-5,2017-05-18 17:02:00,0,0,0,0,,NaN,,NaN,43.12,-74.37,43.12,-74.37,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +114848,688973,TEXAS,2017,April,Hail,"HUNT",2017-04-04 18:55:00,CST-6,2017-04-04 18:55:00,0,0,0,0,0.00K,0,0.00K,0,33.2366,-96.2,33.2366,-96.2,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A trained spotter reported quarter-sized hail 3 miles south of the city of Celeste, TX." +111822,666966,WISCONSIN,2017,January,Winter Weather,"WAUKESHA",2017-01-16 05:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666963,WISCONSIN,2017,January,Winter Weather,"RACINE",2017-01-16 04:45:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666968,WISCONSIN,2017,January,Winter Weather,"MILWAUKEE",2017-01-16 05:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666974,WISCONSIN,2017,January,Winter Weather,"DODGE",2017-01-16 07:30:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666977,WISCONSIN,2017,January,Winter Weather,"MARQUETTE",2017-01-16 08:00:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.20 inches." +112272,669492,NEVADA,2017,January,Heavy Snow,"SOUTHEASTERN ELKO",2017-01-22 09:00:00,PST-8,2017-01-23 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Six inches of snow was reported in West Wendover." +112272,669493,NEVADA,2017,January,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-01-22 07:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","SNOTEL sites reported between 8 and 19 inches of new snow." +112272,669494,NEVADA,2017,January,Heavy Snow,"S LANDER & S EUREKA",2017-01-22 08:00:00,PST-8,2017-01-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Nine to twelve inches of snow was reported in Eureka." +112272,669495,NEVADA,2017,January,Heavy Snow,"NORTHWESTERN NYE",2017-01-22 21:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Six inches of snow was reported in Tonopah." +112272,669496,NEVADA,2017,January,Heavy Snow,"NORTHEASTERN NYE",2017-01-22 22:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of northern and central Nevada. Some valleys received 6 to 10 inches of snow with up to 18 inches in the mountains. In addition strong winds caused blowing and drifting of snow which resulted in the closure of highway 93 between Lages Junction to north of Wells as road crews could not keep up with the snow drifts.","Blue Eagle Ranch reported 6 inches of snow and 7 inches was reported in Round Mountain." +111938,669507,WISCONSIN,2017,January,Winter Storm,"COLUMBIA",2017-01-24 21:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Five to eight inches of wet snow." +112155,668886,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 16:55:00,CST-6,2017-01-21 16:55:00,0,0,0,0,0.00K,0,0.00K,0,32.7422,-93.9773,32.7422,-93.9773,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A picture of 2 inch diameter hail was tweeted by the public in Oil City." +112155,668887,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 16:55:00,CST-6,2017-01-21 16:55:00,0,0,0,0,0.00K,0,0.00K,0,32.7876,-94.031,32.7876,-94.031,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A picture of 2 inch diameter hail was tweeted by the public northwest of Oil City." +112155,668967,LOUISIANA,2017,January,Hail,"LA SALLE",2017-01-21 19:00:00,CST-6,2017-01-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.624,-92.0419,31.624,-92.0419,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell along Highway 8 in the Whitehall community." +112155,668968,LOUISIANA,2017,January,Funnel Cloud,"CADDO",2017-01-21 19:03:00,CST-6,2017-01-21 19:03:00,0,0,0,0,0.00K,0,0.00K,0,32.7893,-93.86,32.7893,-93.86,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A funnel cloud was reported just southwest of Gilliam." +112147,668883,TEXAS,2017,January,Tornado,"MARION",2017-01-21 16:50:00,CST-6,2017-01-21 17:17:00,1,0,0,0,800.00K,800000,0.00K,0,32.8087,-94.1962,32.8808,-94.0723,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-2 tornado with maximum winds estimated near 130 mph touched down near Highway 49 just west of the Smithland community, snapping and uprooting numerous trees and downing power lines as it tracked northeast across Highway 43 just north of its intersection of Highway 49. As it crossed Highway 43, the tornado moved several vehicles, completely debarked 3-4 trees about 25-30 feet above the ground, and threw a party barge about 200 yards into a grove of trees. Trees were also downed on a few homes and a travel trailer was flipped over. The tornado continued northeast crossing County Road 3300, where it removed a roof of a home and shifted the home slightly off of its pad. A 75 year old woman inside this home took shelter inside a bathtub before the tornado ripped the tub out of the home and deposited it into some nearby woods. The woman suffered only some cuts and bruises but was able to walk away. The tornado continued northeast crossing County Road 3306 two different times, before entering far southeast Cass County on County Road 4455. This tornado remained on the ground as it entered western Caddo Parish Louisiana." +112404,670141,COLORADO,2017,January,Winter Storm,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-01-03 20:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 16 inches in Niwot Ridge, 14.5 inches, 5 miles west-southwest of Guanella Pass and 13.3 inches at Loveland Pass, 12 inches at Eldora, and Winter Park Ski Areas." +112959,674973,ALABAMA,2017,January,Flash Flood,"ELMORE",2017-01-02 17:30:00,CST-6,2017-01-02 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.5063,-86.404,32.5219,-86.3428,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","Flash flooding reported in the Englebrook Subdivision with several homes taking on water." +112959,674974,ALABAMA,2017,January,Flash Flood,"ELMORE",2017-01-02 17:30:00,CST-6,2017-01-02 20:30:00,0,0,0,0,0.00K,0,0.00K,0,32.5667,-86.236,32.5538,-85.8933,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","Flash flooding reported in the cities of Wetumpka and Tallassee with numerous roads flooded and impassable." +113060,676459,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 09:19:00,CST-6,2017-01-21 09:20:00,0,0,0,0,0.00K,0,0.00K,0,32.5294,-85.1094,32.5377,-85.0971,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southeast Lee County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. A tornado touched down west southwest of Smiths Station, along CR 581 and tracked to the northeast, uprooting several dozens trees. The tornado destroyed many buildings at the Smiths Station School Athletic Complex and damaged several additional buildings. The tornado quickly lifted just northeast of the school." +113060,677550,ALABAMA,2017,January,Hail,"CHILTON",2017-01-21 22:30:00,CST-6,2017-01-21 22:32:00,0,0,0,0,0.00K,0,0.00K,0,32.96,-86.75,32.96,-86.75,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Quarter size hail reported in the city of Jemison." +113060,677555,ALABAMA,2017,January,Hail,"LOWNDES",2017-01-21 23:05:00,CST-6,2017-01-21 23:06:00,0,0,0,0,0.00K,0,0.00K,0,32.19,-86.57,32.19,-86.57,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","" +111788,666768,NEW MEXICO,2017,January,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-01-20 13:00:00,MST-7,2017-01-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Snowfall amounts around the Taos Ski Valley and Red River ranged from 4 to 14 inches. Impacts to travel were limited to high passes east of Red River." +111788,666769,NEW MEXICO,2017,January,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-01-20 13:00:00,MST-7,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Snowfall amounts around the high terrain east of Santa Fe ranged from 6 to 12 inches. Impacts to travel were mainly confined to higher elevation portions of Hyde Park Road." +111788,666770,NEW MEXICO,2017,January,Heavy Snow,"CHUSKA MOUNTAINS",2017-01-20 13:00:00,MST-7,2017-01-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","The Navajo Whiskey SNOTEL racked up 14 inches of snowfall in about 12 hours." +113181,677031,NORTH CAROLINA,2017,January,Cold/Wind Chill,"SWAIN",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677030,NORTH CAROLINA,2017,January,Cold/Wind Chill,"SOUTHERN JACKSON",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +112984,675137,SOUTH CAROLINA,2017,January,Winter Weather,"ANDERSON",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet with some pockets of freezing rain occurred. By mid-morning on the 7th, locations close to the I-85 corridor had up to a half inch of mainly sleet, while some locations saw a light glaze of ice, mainly on elevated surfaces.","" +112030,669162,OHIO,2017,January,Flood,"STARK",2017-01-12 19:00:00,EST-5,2017-01-13 03:00:00,0,0,0,0,500.00K,500000,0.00K,0,40.8,-81.38,40.7343,-81.3469,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","Heavy rainfall averaging 1.5-2.84 across the Nimishillen Creek basin resulted in major flooding in the Canton and Perry township areas. In all six homes were inundated displacing families. The river rose quickly along with it's tributaries the East, West, and Middle Branches during the afternoon on the 12th. Water quickly surrounded apartment buildings in a low-lying area at the Gazebo Garden Apartments on Constitution Avenue in Louisville. About a dozen families were evacuated. The city parks in Canton were closed. In Perry Township two houses were surrounded by water off of Navarre Road SW. In Canton twenty families were evacuated from a mobile home park off Cleveland Avenue. The flood levels reached in this event were comparable with one in 2004 and 2011, yet due primarily to mitigation efforts the impacts were significantly less." +113071,676240,MINNESOTA,2017,January,Winter Weather,"WABASHA",2017-01-16 13:00:00,CST-6,2017-01-17 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Wabasha County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113071,676241,MINNESOTA,2017,January,Winter Weather,"WINONA",2017-01-16 06:20:00,CST-6,2017-01-17 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across southeast Minnesota on January 16th. Some of this fell as freezing rain with ice accumulations up to 0.1 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Winona County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676242,WISCONSIN,2017,January,Winter Weather,"ADAMS",2017-01-16 07:35:00,CST-6,2017-01-17 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Adams County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111765,666560,NEW MEXICO,2017,January,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-01-08 02:00:00,MST-7,2017-01-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust of 66 mph from mountain wave near Ute Park." +111765,666561,NEW MEXICO,2017,January,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-01-08 06:00:00,MST-7,2017-01-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust of 69 mph at Sandia Crest gift shop." +111765,666562,NEW MEXICO,2017,January,High Wind,"FAR NORTHEAST HIGHLANDS",2017-01-09 15:00:00,MST-7,2017-01-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gusts ranged from 58 to 60 mph at Raton Crews Airport." +111765,666563,NEW MEXICO,2017,January,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-01-09 21:00:00,MST-7,2017-01-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust of 66 mph at Angel Fire airport." +111765,666564,NEW MEXICO,2017,January,High Wind,"NORTHEAST HIGHLANDS",2017-01-09 18:30:00,MST-7,2017-01-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust of 61 mph at Las Vegas airport." +111779,666639,MINNESOTA,2017,January,Winter Weather,"COTTONWOOD",2017-01-16 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in southwest Minnesota, mostly near the southern border of the state. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm near the southern border of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain and freezing drizzle of less than 0.05 inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday." +111779,666638,MINNESOTA,2017,January,Winter Weather,"MURRAY",2017-01-16 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in southwest Minnesota, mostly near the southern border of the state. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm near the southern border of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain and freezing drizzle of less than 0.05 inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday." +112912,674592,TEXAS,2017,January,Hail,"ORANGE",2017-01-20 19:52:00,CST-6,2017-01-20 19:52:00,0,0,0,0,0.00K,0,0.00K,0,30.13,-94,30.13,-94,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","Nickel size hail was reported in Vidor." +112912,674593,TEXAS,2017,January,Hail,"ORANGE",2017-01-20 19:53:00,CST-6,2017-01-20 19:53:00,0,0,0,0,0.00K,0,0.00K,0,30.13,-94,30.13,-94,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","Hail to 1 inch was reported in Vidor through social media." +111699,666280,TEXAS,2017,January,Thunderstorm Wind,"FORT BEND",2017-01-16 06:29:00,CST-6,2017-01-16 06:29:00,0,0,0,0,,NaN,0.00K,0,29.7335,-95.8745,29.7335,-95.8745,"Several weak tornadoes formed in an unstable air mass. Severe thunderstorm wind damage also occurred.","Fences were downed and three trampolines were mangled. One trampoline was displaced in another yard." +111699,666282,TEXAS,2017,January,Thunderstorm Wind,"FORT BEND",2017-01-16 06:35:00,CST-6,2017-01-16 06:35:00,0,0,0,0,,NaN,0.00K,0,29.7525,-95.7742,29.7525,-95.7742,"Several weak tornadoes formed in an unstable air mass. Severe thunderstorm wind damage also occurred.","Trees and fences were downed in the Cinco Ranch area." +111731,666402,NEW MEXICO,2017,January,Thunderstorm Wind,"EDDY",2017-01-01 17:17:00,MST-7,2017-01-01 17:17:00,0,0,0,0,,NaN,,NaN,32.3791,-104.2785,32.3791,-104.2785,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Eddy County and produced a 60 mph wind gust at the Carlsbad Cavern City Airport." +111675,666210,TEXAS,2017,January,Thunderstorm Wind,"NACOGDOCHES",2017-01-02 06:50:00,CST-6,2017-01-02 06:50:00,0,0,0,0,0.00K,0,0.00K,0,31.8182,-94.823,31.8182,-94.823,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Numerous trees and power lines down just east of Cushing." +111675,666211,TEXAS,2017,January,Thunderstorm Wind,"SMITH",2017-01-02 07:05:00,CST-6,2017-01-02 07:05:00,0,0,0,0,0.00K,0,0.00K,0,32.537,-95.2695,32.537,-95.2695,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Numerous trees were downed across Farm to Market Road 14 east of Lindale." +112323,672782,MASSACHUSETTS,2017,January,Drought,"NORTHERN BRISTOL",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in extreme northeast Bristol County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112323,672783,MASSACHUSETTS,2017,January,Drought,"WESTERN PLYMOUTH",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in western Plymouth County until January 24, when it was reduced to the Moderate Drought (D1) designation." +111509,665733,NEW MEXICO,2017,January,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-01-05 16:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the west slopes of the Sangre de Cristo Mountains ranged from 6 to 10 inches, however a local maximum occurred at Costilla where 24 inches was reported. Treacherous travel was reported as bitterly cold air filtered into the area from the north and east." +111509,665737,NEW MEXICO,2017,January,Heavy Snow,"SAN JUAN MOUNTAINS",2017-01-05 12:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the high terrain of eastern Rio Arriba County ranged from 12 to 18 inches, including 12 inches at Chama." +113065,676144,OHIO,2017,January,Winter Weather,"BUTLER",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter in Maustown and a social media post from Wetherington measured 3 inches of snow. Other spotters in Liberty Township and east of Fairfield measured 2.9 and 2.4 inches, respectively." +113065,676146,OHIO,2017,January,Winter Weather,"CHAMPAIGN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer south of Kiser Lake State Park measured 1.2 inches of snow while another west of Urbana measured 0.7 inches." +113065,676151,OHIO,2017,January,Winter Weather,"CLERMONT",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from Williamsburg showed that 3.5 inches of snow had fallen. Another report in Goshen, coupled with the CoCoRaHS observer in Amelia and the county garage near Amelia all measured 2 inches." +112212,669113,VIRGINIA,2017,January,Heavy Snow,"WISE",2017-01-06 09:00:00,EST-5,2017-01-07 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 3.5 inches was measured at Wise." +111451,664888,TEXAS,2017,January,Winter Weather,"LUBBOCK",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111451,664889,TEXAS,2017,January,Winter Weather,"PARMER",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111630,665959,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"CLAY",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665960,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"WEST BECKER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111679,676762,NORTH DAKOTA,2017,January,Winter Storm,"STEELE",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676763,NORTH DAKOTA,2017,January,Winter Storm,"TRAILL",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676764,MINNESOTA,2017,January,Winter Storm,"KITTSON",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676765,MINNESOTA,2017,January,Winter Storm,"WEST MARSHALL",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113251,677592,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-01-23 04:09:00,EST-5,2017-01-23 04:09:00,0,0,0,0,0.00K,0,0.00K,0,24.7263,-81.0477,24.7263,-81.0477,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 34 knots was measured at the Florida Keys Marathon International Airport ASOS." +113251,677593,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-01-23 03:21:00,EST-5,2017-01-23 03:21:00,0,0,0,0,0.00K,0,0.00K,0,24.7267,-81.064,24.7267,-81.064,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 37 knots was measured at an automated Citizen Weather Observing Program station at a residence along Florida Bay north of the Florida Keys Marathon International Airport." +113251,677595,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-01-23 04:17:00,EST-5,2017-01-23 04:17:00,0,0,0,0,0.00K,0,0.00K,0,24.8558,-80.7318,24.8558,-80.7318,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 36 knots was measured at an automated Florida Keys Mosquito Control station on Lower Matecumbe Key." +113251,677596,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-01-23 04:24:00,EST-5,2017-01-23 04:24:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 42 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +113251,677598,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-01-23 04:31:00,EST-5,2017-01-23 04:31:00,0,0,0,0,0.00K,0,0.00K,0,24.9189,-80.6351,24.9189,-80.6351,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 43 knots was measured at an automated WeatherFlow station on Upper Matecumbe Key." +113251,677599,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-01-23 04:32:00,EST-5,2017-01-23 04:32:00,0,0,0,0,0.00K,0,0.00K,0,25.1001,-80.4318,25.1001,-80.4318,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 36 knots was measured at an automated WeatherFlow station at South Key Largo." +113251,677600,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-01-23 04:40:00,EST-5,2017-01-23 04:40:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 43 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +111942,667619,WISCONSIN,2017,January,Winter Weather,"MARQUETTE",2017-01-11 14:00:00,CST-6,2017-01-11 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","One to three inches of snow accumulation and minor ice accumulation from freezing rain." +113158,677040,IDAHO,2017,January,Avalanche,"SAWTOOTH MOUNTAINS",2017-01-09 02:00:00,MST-7,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Highway 75 was closed due to an avalanche from extremely heavy snow from Stanley to Clayton from the 9th through the 11th." +113158,677049,IDAHO,2017,January,Flood,"BUTTE",2017-01-09 02:00:00,MST-7,2017-01-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.849,-113.42,43.82,-113.4601,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","An ice jam on the Big Lost River caused a diversion of the river flow, and combined with heavy rain resulted in minor flooding in the City of Darlington and along Highway 93 between Darlington and Mackay. The area near Antelope Crk continues to see minor ice buildup. Sheriff Wes Collins mentioned that there have been no reported infrastructure impacts." +113158,677067,IDAHO,2017,January,Flood,"FRANKLIN",2017-01-09 10:00:00,MST-7,2017-01-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1724,-111.87,42.1,-111.9675,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Some flooding in the NE corner of Preston, especially around the Country Club/golf course. Water over the road on Highway 34 in Preston. Also, water reported over the road on Highway 36 up to Mile Marker 7. Water has not been deep enough to necessitate road closures." +113158,677073,IDAHO,2017,January,Flood,"BANNOCK",2017-01-09 03:00:00,MST-7,2017-01-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.349,-112,42.32,-112.0392,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Some water over the road on Highway 91 near Swanlake." +112521,671072,ILLINOIS,2017,January,Strong Wind,"PULASKI",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113004,675744,ARKANSAS,2017,January,Thunderstorm Wind,"DREW",2017-01-21 20:40:00,CST-6,2017-01-21 20:40:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-91.83,33.59,-91.83,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Few trees were blown down on Old Warren Road." +113004,675745,ARKANSAS,2017,January,Thunderstorm Wind,"DREW",2017-01-21 20:45:00,CST-6,2017-01-21 20:45:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-91.81,33.65,-91.81,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Few trees were blown down on Old Highway 13." +113004,675746,ARKANSAS,2017,January,Thunderstorm Wind,"DREW",2017-01-21 20:55:00,CST-6,2017-01-21 20:55:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-91.74,33.67,-91.74,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Few trees were blown down on Florence Road." +113004,675747,ARKANSAS,2017,January,Thunderstorm Wind,"LINCOLN",2017-01-21 21:04:00,CST-6,2017-01-21 21:04:00,0,0,0,0,0.00K,0,0.00K,0,33.8,-91.63,33.8,-91.63,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Social Media report of multiple power lines were blown down along highway 293." +113295,677955,ARKANSAS,2017,January,Flood,"WOODRUFF",2017-01-19 05:00:00,CST-6,2017-01-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2826,-91.2485,35.2529,-91.2555,"Heavy rain in northeast Arkansas brought flooding to the Cache River at Patterson 1/19 to 1/25. Flooding was minor as it crested at 9.16 feet.","Heavy rain in northeast Arkansas brought flooding to the Cache River at Patterson 1/19 to 1/25. Flooding was minor as it only crested at 9.16 feet. Flood stage is 9 feet." +112942,674810,PUERTO RICO,2017,January,Coastal Flood,"MAYAGUEZ AND VICINITY",2017-01-10 08:00:00,AST-4,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across local area bringing clouds and showers. A strong surface high pressure built over the western Atlantic, creating breezy to windy conditions.Large north northwest swell produced hazardous marine conditions across the regional waters. A small craft, high surf and coastal flood advisories were issued.","Portions of road 102 along Boulevard Guanajibo in Mayaguez experiences coastal flooding due to the NNW swell." +113315,678145,PUERTO RICO,2017,January,Rip Current,"NORTHWEST",2017-01-15 17:45:00,AST-4,2017-01-16 20:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dangerous marine conditions produced rip currents across the northwest through northeast coastal areas of Puerto Rico.","A 39 year old man from the state of Florida drowned at a beach in the municipality of Rincon." +113022,675926,MISSISSIPPI,2017,January,Thunderstorm Wind,"JASPER",2017-01-02 14:48:00,CST-6,2017-01-02 14:50:00,0,0,0,0,50.00K,50000,0.00K,0,31.97,-89.28,31.93,-89.25,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Numerous trees and powerlines were blown down both around Bay Springs and just north of Stringer. A tree was blown down on a home on North First Street in Bay Springs, and another was blown down on a home on County Road 17 north of Stringer." +113022,675941,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAMAR",2017-01-02 14:50:00,CST-6,2017-01-02 14:53:00,0,0,0,0,25.00K,25000,0.00K,0,31.15,-89.49,31.1996,-89.4527,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Multiple trees were blown down on Columbia-Purvis Road, including a tree that fell on a home. Trees were also blown down on Max White Road." +113022,675955,MISSISSIPPI,2017,January,Thunderstorm Wind,"LEAKE",2017-01-02 15:00:00,CST-6,2017-01-02 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.6365,-89.6148,32.6365,-89.6148,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down across Pig Town Road." +113022,675963,MISSISSIPPI,2017,January,Thunderstorm Wind,"JASPER",2017-01-02 15:03:00,CST-6,2017-01-02 15:03:00,0,0,0,0,30.00K,30000,0.00K,0,31.89,-88.99,31.89,-88.99,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Numerous trees and powerlines were blown down." +113022,675993,MISSISSIPPI,2017,January,Thunderstorm Wind,"FORREST",2017-01-02 15:09:00,CST-6,2017-01-02 15:09:00,0,0,0,0,5.00K,5000,0.00K,0,31.1353,-89.2289,31.1353,-89.2289,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down across Highway 49 at Dewitt Carter Road." +113022,675994,MISSISSIPPI,2017,January,Thunderstorm Wind,"JONES",2017-01-02 15:10:00,CST-6,2017-01-02 15:10:00,0,0,0,0,8.00K,8000,0.00K,0,31.4335,-88.9894,31.4335,-88.9894,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down on County Line Road." +112700,672882,CONNECTICUT,2017,January,Heavy Snow,"NORTHERN NEW HAVEN",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Trained spotters and the public reported snowfall ranging from 5 to 8 inches." +112700,672883,CONNECTICUT,2017,January,Heavy Snow,"SOUTHERN NEW HAVEN",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Trained spotters and social media reported 6 to 8 inches of snow." +112700,672884,CONNECTICUT,2017,January,Winter Weather,"NORTHERN FAIRFIELD",2017-01-07 10:30:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Trained spotters, Connecticut D.O.T., and the public reported 4 to 6.5 inches of snow. Social media reported snowfall of 6.5 inches in Sandy Hook." +113166,676922,CONNECTICUT,2017,January,Strong Wind,"SOUTHERN FAIRFIELD",2017-01-23 13:00:00,EST-5,2017-01-23 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure passed just south and east of Long Island.","A 51 mph gust was reported by a mesonet station near Stamford at 229 pm." +113166,676924,CONNECTICUT,2017,January,Strong Wind,"NORTHERN NEW LONDON",2017-01-24 04:00:00,EST-5,2017-01-24 06:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure passed just south and east of Long Island.","At 5 am, the broadcast media reported a 36 inch diameter tree fell onto a house in Lisbon." +111473,664987,WISCONSIN,2017,January,Winter Weather,"ROCK",2017-01-03 05:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664988,WISCONSIN,2017,January,Winter Weather,"SHEBOYGAN",2017-01-03 06:00:00,CST-6,2017-01-03 09:00:00,0,0,0,1,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing drizzle and fog. A pickup truck slid off the road and hit some trees. One fatality occurred." +111473,664989,WISCONSIN,2017,January,Winter Weather,"WASHINGTON",2017-01-03 06:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111473,664990,WISCONSIN,2017,January,Winter Weather,"WAUKESHA",2017-01-03 06:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog mainly in the western portion of the county." +111473,664991,WISCONSIN,2017,January,Winter Weather,"WALWORTH",2017-01-03 06:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +111500,665083,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"GARDEN",2017-01-05 18:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to much of western Nebraska during the evening and overnight hours on Thursday January 5th, into the morning hours on Friday January 6th. Lowest wind chills of 30 to 45 below were common, with the lowest wind chill of 41 below recorded at nearby Alliance airport.","Dangerous wind chills of 30 to 45 below zero occurred across Garden County during the evening and overnight hours Thursday into the morning hours Friday. Nearby Alliance ASOS recorded a lowest wind chill of 41 below at 2 am MST on Friday." +111523,665594,NEW JERSEY,2017,January,Winter Storm,"SALEM",2017-01-07 05:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling in the pre-dawn hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 6 and 10 inches. Strong winds the following day produced blowing and drifting snow." +112357,673008,FLORIDA,2017,January,Tornado,"FRANKLIN",2017-01-22 14:50:00,EST-5,2017-01-22 14:54:00,0,0,0,0,0.00K,0,0.00K,0,29.8217,-84.9188,29.8449,-84.89,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Across rural Franklin County, a tornado touched down just west of SR-65 on the north side of East Bay. This tornado tracked across SR-65 before dissipating prior to reaching Juniper Creek Road. Damage along the path of the tornado was limited to snapped or uprooted pine trees. Damage along the track was consistent with an EF-1 tornado with maximum winds of 105 mph." +111523,665595,NEW JERSEY,2017,January,Winter Storm,"GLOUCESTER",2017-01-07 07:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling around dawn on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 6 and 8 inches, including 7.0 inches in Pitman, 6.1 inches in Williamstown, and 6.0 inches in West Deptford. Strong winds the following day produced blowing and drifting snow." +111681,666226,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"TAMPA BAY",2017-01-07 03:40:00,EST-5,2017-01-07 03:40:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"A strong cold front moved south across the Florida Peninsula, producing a few thunderstorms with strong wind gusts along the coast.","The WeatherFlow station at Egmont Key (XEGM) recorded a 34 knot thunderstorm wind gust." +112358,673031,GEORGIA,2017,January,Tornado,"CLAY",2017-01-22 14:38:00,EST-5,2017-01-22 14:41:00,1,0,0,0,250.00K,250000,0.00K,0,31.5704,-84.8654,31.5927,-84.8254,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The tornado touched down in Clay County and moved northeast through the northwest corner of Calhoun County and into southern Randolph County. It caused extensive tree damage with nearly every tree in its path snapped through the Clay and Calhoun portions of the track. In addition, it flipped a mobile home in Clay County, injuring one person who was inside. The tornado caused major roof damage in Clay and Calhoun counties removing the roofing structure from two homes. It also caused minor roofing damage to several homes in all three counties. This tornado was rated EF2 with max winds estimated at 125 mph. Damage cost was estimated." +111828,667035,DELAWARE,2017,January,High Wind,"DELAWARE BEACHES",2017-01-23 11:30:00,EST-5,2017-01-23 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","Measured 63 mph wind gust." +112358,673051,GEORGIA,2017,January,Tornado,"BROOKS",2017-01-22 03:15:00,EST-5,2017-01-22 03:18:00,0,0,0,0,20.00K,20000,0.00K,0,30.9753,-83.7376,31.0016,-83.6917,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","This is a continuation of the Thomas county tornado. Damage in Brooks county was limited to EF1 intensity. The tornado mainly damaged trees and the roof of one residence before dissipating. Damage cost was estimated." +112358,673054,GEORGIA,2017,January,Tornado,"BROOKS",2017-01-22 03:29:00,EST-5,2017-01-22 03:35:00,0,0,2,0,500.00K,500000,0.00K,0,30.9998,-83.5841,31.0351,-83.4852,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","This was the second tornado to touch down from the same parent tornado that impacted Thomas and northwest Brooks Counties. The tornado touched down at EF-1 strength in northern Brooks County near Georgia Route 122 just west of the Moultrie Highway, snapping trees along the highway. Near the intersection of Georgia Route 133, or the Valdosta Highway, the tornado strengthened to EF-3 blowing out two of the four concrete walls of a small business building. Max winds were estimated near 140 mph. A short distance later, the tornado flipped a strapped-down double wide mobile home and tossed it about 100 feet into a drainage ditch and across Route 122. Two people inside the home were killed. Several nearby trees had their bark stripped off. The tornado then crossed Georgia Route 76 at EF-3 strength and ripped about a third of the second story from a well-built brick home. A short distance up the road, the tornado shifted a wood-framed home about 12 feet off its foundation while removing its second story. This tornado then continued into Cook and Berrien counties. Damage cost was estimated." +111851,667128,WEST VIRGINIA,2017,January,Flood,"FAYETTE",2017-01-23 16:40:00,EST-5,2017-01-23 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.9421,-81.269,37.92,-81.2813,"A slow moving surface low moved through the southeastern United States and up the East Coast through the Mid Atlantic. This caused steady moderate rain across the Central Appalachians for much of the day on January 23rd. Generally 1-1.5 inches of rain fell through the day on soil already saturated from previous rainfall. This resulted in efficient runoff and several creeks and streams spilled over their banks. This included Paint Creek in the Pax area of Fayette County, and Camp Branch near Harper in Raleigh County. Several roads and bridges were covered by water in these areas.","Water over several roads and 2 bridges along Paint Creek." +112020,668077,IOWA,2017,January,Winter Storm,"IDA",2017-01-24 10:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 2 to 6 inches, including 4.5 inches at Holstein. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111830,667005,NEW JERSEY,2017,January,Heavy Rain,"MONMOUTH",2017-01-24 01:30:00,EST-5,2017-01-24 01:30:00,0,0,0,0,,NaN,,NaN,40.11,-74.04,40.11,-74.04,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,668003,NEW JERSEY,2017,January,Strong Wind,"GLOUCESTER",2017-01-23 14:00:00,EST-5,2017-01-23 14:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 51 mph gust." +111687,667551,IOWA,2017,January,Ice Storm,"POTTAWATTAMIE",2017-01-15 14:00:00,CST-6,2017-01-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Emergency management reported that around a quarter inch of ice accumulation. This was mainly confined to trees, elevated surfaces, and power lines." +111999,667854,SOUTH DAKOTA,2017,January,Winter Storm,"GREGORY",2017-01-24 08:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 15 inches near Burke. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111687,667552,IOWA,2017,January,Ice Storm,"HARRISON",2017-01-15 15:00:00,CST-6,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","The COOP observer in Little Sioux reported that around a quarter inch of ice accumulation. This was mainly confined to trees, elevated surfaces, and power lines." +111444,664861,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST RANDOLPH",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664860,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST RALEIGH",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664862,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST WEBSTER",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +111444,664863,WEST VIRGINIA,2017,January,Winter Weather,"PLEASANTS",2017-01-05 09:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley and Central Appalachians on the 5th and 6th. Snow started on the morning of the 5th, and tapered off mid morning on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. When all was said and done, a very broad area of 2 to 4 inches of snow had accumulated. The snow totaled a bit more across portions of north-central West Virginia. For example, the cooperative observer at Tygart Lake Dam in Taylor County measured 6 inches over 24 hours. The highest report was 6.5 inches from a CoCoRaHS observer from Philippi in Barbour County.","" +112103,668613,WEST VIRGINIA,2017,January,Winter Weather,"KANAWHA",2017-01-29 16:00:00,EST-5,2017-01-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668614,WEST VIRGINIA,2017,January,Winter Weather,"CALHOUN",2017-01-29 17:00:00,EST-5,2017-01-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668615,WEST VIRGINIA,2017,January,Winter Weather,"GILMER",2017-01-29 17:30:00,EST-5,2017-01-30 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +111999,667866,SOUTH DAKOTA,2017,January,Winter Storm,"DAVISON",2017-01-24 12:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 5 to 8 inches, including 7.4 inches at Mitchell. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112150,668829,ILLINOIS,2017,January,Winter Weather,"FRANKLIN",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668830,ILLINOIS,2017,January,Winter Weather,"JACKSON",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668831,ILLINOIS,2017,January,Winter Weather,"WILLIAMSON",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +111822,666976,WISCONSIN,2017,January,Winter Weather,"WASHINGTON",2017-01-16 08:00:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666979,WISCONSIN,2017,January,Winter Weather,"GREEN LAKE",2017-01-16 08:00:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.20 inches." +111822,666982,WISCONSIN,2017,January,Winter Weather,"FOND DU LAC",2017-01-16 08:45:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666983,WISCONSIN,2017,January,Winter Weather,"SHEBOYGAN",2017-01-16 12:45:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +111822,666984,WISCONSIN,2017,January,Winter Weather,"OZAUKEE",2017-01-16 08:00:00,CST-6,2017-01-17 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.10 inches." +112041,668206,ALASKA,2017,January,High Wind,"CAPE FAIRWEATHER TO CAPE SUCKLING COASTAL AREA",2017-01-27 06:00:00,AKST-9,2017-01-27 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","Yakutat ASOS peak wind 60 MPH which is very unusual for that particular ASOS. Some trees were knocked down along with power outages. An Alaska Airlines luggage trailer took off across the ramp propelled by the wind, but fortunately did not damage anything." +112041,668209,ALASKA,2017,January,High Wind,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-01-26 23:00:00,AKST-9,2017-01-27 04:49:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","On the morning of 1/27, the Pelican observer called back and reported estimated gusts near 70 mph between 0400 and 0500 am this morning. Three squares of metal roofing were blown off of the fish processing plant. Two downed trees around town. One blocked the dump cutting off cell phone coverage." +112041,668215,ALASKA,2017,January,High Wind,"CAPE DECISION TO SALISBURY SOUND COASTAL AREA",2017-01-26 21:00:00,AKST-9,2017-01-27 04:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","On the morning of 1/27, Sitka Airport had peak gusts to 62 mph and numerous wind observations in the upper 50s mph. No damage was reported." +111938,669508,WISCONSIN,2017,January,Winter Storm,"SAUK",2017-01-24 20:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Six to eleven inches of wet snow with the highest totals near North Freedom and Rock Springs." +111938,669509,WISCONSIN,2017,January,Winter Storm,"IOWA",2017-01-24 19:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Six to ten inches of wet snow with the highest totals near Governor Dodge State Park." +111938,669510,WISCONSIN,2017,January,Winter Storm,"DANE",2017-01-24 20:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Six to ten inches of wet snow with the highest totals near Mount Horeb and Blue Mounds." +111938,669511,WISCONSIN,2017,January,Winter Storm,"DODGE",2017-01-24 21:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Three to nine inches of wet snow with the highest totals in the northern portion of the county." +111938,669517,WISCONSIN,2017,January,Winter Weather,"LAFAYETTE",2017-01-24 18:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Four to six inches of wet snow." +112155,668888,LOUISIANA,2017,January,Hail,"BOSSIER",2017-01-21 17:09:00,CST-6,2017-01-21 17:09:00,0,0,0,0,0.00K,0,0.00K,0,32.9063,-93.6997,32.9063,-93.6997,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Golf Ball size hail fell in Plain Dealing." +112155,668889,LOUISIANA,2017,January,Tornado,"BOSSIER",2017-01-21 17:12:00,CST-6,2017-01-21 17:31:00,1,0,0,0,800.00K,800000,0.00K,0,32.8883,-93.6432,32.9483,-93.514,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-2 tornado with maximum estimated winds near 115 mph touched down just east of Plain Dealing along Pleasant Hill Cemetary Road where it uprooted numerous trees and downed power lines. This tornado crossed Highway 2 where it damaged several homes and two mobile homes were rolled and completely destroyed. One injury was reported when a resident was hit in the head by a flying piece of lumber rendering the resident briefly unconscious in a manufactured home that lost its roof. An adjacent exterior wall was removed with another pushed in. The worst structural damage was observed near and adjacent to Mott Road, with the tornado continuing northeast uprooting numerous trees and power lines along its track before entering Northwest Webster Parish." +112155,668969,LOUISIANA,2017,January,Hail,"GRANT",2017-01-21 19:25:00,CST-6,2017-01-21 19:25:00,0,0,0,0,0.00K,0,0.00K,0,31.5781,-92.5282,31.5781,-92.5282,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Dry Prong." +112155,668970,LOUISIANA,2017,January,Hail,"UNION",2017-01-21 19:30:00,CST-6,2017-01-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.9358,-92.6048,32.9358,-92.6048,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Spearsville." +112147,668884,TEXAS,2017,January,Tornado,"CASS",2017-01-21 17:17:00,CST-6,2017-01-21 17:23:00,0,0,0,0,25.00K,25000,0.00K,0,32.8808,-94.0723,32.902,-94.0431,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","This is a continuation of the EF-2 tornado that initially touched down just west of the Smithland community in Marion County. This tornado continued northeast across County Road 4455 in extreme Southeast Cass County, snapping and uprooting numerous trees as it crossed Cass County Line Road along the Cass County Texas/Caddo Parish Louisiana line. The tornado intensified as it approached Cass County Line Road, where it snapped numerous trees and only removed a few shingles off of a home on the Texas side. Winds were estimated near 115 mph in this area as it continued northeast into Western Caddo Parish Louisiana between Vivian and Rodessa." +111674,666206,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-02 03:00:00,CST-6,2017-01-02 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.5441,-93.28,32.5441,-93.28,"A strong negatively tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered showers and thunderstorms developing over portions of East Texas and Northwest Louisiana. Given the increased instability aloft, an isolated severe thunderstorm developed over Webster Parish during the early morning, resulting in a report of quarter size hail near Sibley. Scattered to numerous showers and thunderstorms, some strong to severe, developed farther west around and shortly after daybreak on the 2nd across portions of East Texas, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Quarter size hail fell just east of Sibley." +112404,670142,COLORADO,2017,January,Winter Storm,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-01-03 20:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 17 inches at Copeland Lake, 15 inches at Estes Park, 14.5 inches, 3 miles west of Jamestown; 14 inches at Allenspark and 12 inches at Gross Reservoir." +113000,675372,CALIFORNIA,2017,January,Funnel Cloud,"FRESNO",2017-01-12 15:38:00,PST-8,2017-01-12 15:38:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-119.92,36.83,-119.92,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Public reported a brief funnel cloud northwest of Fresno." +113000,675373,CALIFORNIA,2017,January,Funnel Cloud,"MADERA",2017-01-12 15:59:00,PST-8,2017-01-12 15:59:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-120.06,36.85,-120.06,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Law enforcement reported a report from the public of a funnel cloud near Avenue 7 on Highway 145." +113000,681846,CALIFORNIA,2017,January,Flash Flood,"FRESNO",2017-01-12 15:04:00,PST-8,2017-01-12 15:04:00,0,0,0,0,0.00K,0,0.00K,0,36.7246,-119.464,36.707,-119.466,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","California Highway Patrol reported about a foot of water across all lanes on Highway 180 near Reed Avenue near Minkler." +113060,676460,ALABAMA,2017,January,Tornado,"TUSCALOOSA",2017-01-22 12:36:00,CST-6,2017-01-22 12:37:00,0,0,0,0,0.00K,0,0.00K,0,33.0439,-87.3412,33.0471,-87.3381,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southeast Tuscaloosa County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 80 mph. The tornado touched down along Hagler Coaling Road, about .60 mile north of Highway 82, uprooting several dozen trees. The tornado tracked northeast, downing a tree onto a home, before lifting on the northeast side of a small pond." +113060,676464,ALABAMA,2017,January,Thunderstorm Wind,"BLOUNT",2017-01-22 01:38:00,CST-6,2017-01-22 01:40:00,0,0,0,0,0.00K,0,0.00K,0,33.9464,-86.4761,33.9464,-86.4761,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","A downburst caused considerable damage in the city of Oneonta. The determination was made from the divergent tree and damage pattern. In the immediate downtown area, over 60 structures were damaged or destroyed and approximately 200 trees were either snapped or uprooted. A weather station located at the Oneonta Fire Department measured a wind gust of 77 mph. The width of the damage ranged from 260 yards at the beginning to 770 yards at the end." +113060,677562,ALABAMA,2017,January,Thunderstorm Wind,"BIBB",2017-01-22 00:58:00,CST-6,2017-01-22 01:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9898,-87.0839,32.9898,-87.0839,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted along Highway 25 northeast of Centreville." +113060,677890,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 00:57:00,CST-6,2017-01-22 00:58:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-87,33.49,-87,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted and power lines downed in the city of Pleasant Grove." +111788,666774,NEW MEXICO,2017,January,Heavy Snow,"SOUTH CENTRAL MOUNTAINS",2017-01-20 11:00:00,MST-7,2017-01-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Public and CoCoRaHS observers around the area from Ruidoso to Ski Apache reported between 7 and 10 inches of snowfall. Travel was severely impacted around the area from Alto to Ruidoso with very icy roadways." +111789,666775,NEW MEXICO,2017,January,High Wind,"CENTRAL HIGHLANDS",2017-01-21 08:55:00,MST-7,2017-01-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Clines Corners reported sustained winds around 40 mph periodically for several hours." +111789,666776,NEW MEXICO,2017,January,High Wind,"CENTRAL HIGHLANDS",2017-01-21 14:00:00,MST-7,2017-01-21 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Harvey Ranch reported peak wind gusts up to 58 mph between 2pm and 8pm MST." +111789,666777,NEW MEXICO,2017,January,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-01-21 12:00:00,MST-7,2017-01-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","A peak wind gust of at least 66 mph was reported at the top of the Sandia Peak Tram. A public weather station in San Pedro Creek Estates reported a peak wind gust to 60 mph." +112981,675136,SOUTH CAROLINA,2017,January,Winter Storm,"GREATER OCONEE",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By the pre-dawn hours on the 7th, the foothills and far northern Piedmont had received as much as 5 inches of snow, while locations south of I-85 were just beginning to transition to sleet. By the time the precipitation tapered to flurries shortly after sunrise, locations roughly north of Highway 123 from the Georgia border to Easley, then north of I-85 from the Greenville area through Spartanburg and Gaffney saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common.","" +112984,675138,SOUTH CAROLINA,2017,January,Winter Weather,"LAURENS",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet with some pockets of freezing rain occurred. By mid-morning on the 7th, locations close to the I-85 corridor had up to a half inch of mainly sleet, while some locations saw a light glaze of ice, mainly on elevated surfaces.","" +112984,675139,SOUTH CAROLINA,2017,January,Winter Weather,"UNION",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet with some pockets of freezing rain occurred. By mid-morning on the 7th, locations close to the I-85 corridor had up to a half inch of mainly sleet, while some locations saw a light glaze of ice, mainly on elevated surfaces.","" +112985,675141,NORTH CAROLINA,2017,January,Winter Weather,"UNION",2017-01-07 05:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet with some pockets of freezing rain occurred. By mid-morning on the 7th, locations closer to the I-85 corridor had up to a half inch of mainly sleet, while some locations saw a light glaze of ice, mainly on elevated surfaces.","" +112674,672900,IOWA,2017,January,Winter Storm,"WEBSTER",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672901,IOWA,2017,January,Winter Storm,"HAMILTON",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672902,IOWA,2017,January,Winter Storm,"HARDIN",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +113073,676243,WISCONSIN,2017,January,Winter Weather,"BUFFALO",2017-01-16 13:00:00,CST-6,2017-01-17 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Buffalo County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676244,WISCONSIN,2017,January,Winter Weather,"CLARK",2017-01-16 13:55:00,CST-6,2017-01-17 05:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Clark County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676246,WISCONSIN,2017,January,Winter Weather,"CRAWFORD",2017-01-16 02:05:00,CST-6,2017-01-17 06:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Crawford County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111768,666574,NEW MEXICO,2017,January,High Wind,"FAR NORTHEAST HIGHLANDS",2017-01-10 10:00:00,MST-7,2017-01-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the eastern Pacific Ocean continue to surge eastward into the southwest United States and create periodic high winds. The second round brought more high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak winds ranged from 58 to 68 mph periodically for an extended period at Raton airport." +111731,666403,NEW MEXICO,2017,January,Thunderstorm Wind,"EDDY",2017-01-01 17:40:00,MST-7,2017-01-01 17:41:00,0,0,0,0,0.30K,300,,NaN,32.3841,-104.2149,32.3841,-104.2149,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Eddy County and produced wind damage in Carlsbad. The public reported a tree blown down on the southeast side of Carlsbad. The wind speed was estimated and the cost of damage is a very rough estimate." +111675,666212,TEXAS,2017,January,Hail,"CHEROKEE",2017-01-02 07:25:00,CST-6,2017-01-02 07:25:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-95.15,31.8,-95.15,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","A picture of quarter size hail that fell in Rusk was posted to the KLTV Facebook page." +111509,665720,NEW MEXICO,2017,January,Heavy Snow,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-01-05 12:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the east slopes of the Sangre de Cristo Mountains ranged from 12 to 28 inches. Eagle Nest picked up the greatest amounts with impressive snowfall rates near one inch per hour for almost 10 hours late on the 5th." +112323,672784,MASSACHUSETTS,2017,January,Drought,"EASTERN PLYMOUTH",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in eastern Plymouth County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112323,672785,MASSACHUSETTS,2017,January,Drought,"NORTHWEST MIDDLESEX COUNTY",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for northwest Middlesex County through January 3. The designation was then reduced to Severe Drought (D2), which continued through the end of the month." +112678,672786,CONNECTICUT,2017,January,Drought,"HARTFORD",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In December, rainfall throughout much of northern Connecticut was near normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater.||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. Voluntary water conservation and adherence to any local water restrictions were encouraged. The DPH indicated the average percent of usable |storage within the State���s reservoirs was at 79.8 percent. This was below normal, but an improvement from December.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for Hartford County through the month of January." +113024,675605,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-20 06:05:00,PST-8,2017-01-20 06:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Downed tree caused fatal car accident at Skyline Drive and Wyndemere Way in Monterey. One fatality." +113024,675606,CALIFORNIA,2017,January,Hail,"SANTA CLARA",2017-01-20 13:50:00,PST-8,2017-01-20 14:00:00,0,0,0,0,0.01K,10,0.01K,10,37.2299,-121.9601,37.2299,-121.9601,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","" +113024,675607,CALIFORNIA,2017,January,Hail,"MONTEREY",2017-01-20 14:25:00,PST-8,2017-01-20 14:35:00,0,0,0,0,0.01K,10,0.01K,10,36.6797,-121.7899,36.6797,-121.7899,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","" +111630,665961,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"EAST BECKER",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111679,676749,NORTH DAKOTA,2017,January,Winter Storm,"TOWNER",2017-01-02 12:00:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676750,NORTH DAKOTA,2017,January,Winter Storm,"BENSON",2017-01-02 12:00:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676751,NORTH DAKOTA,2017,January,Winter Storm,"EDDY",2017-01-02 12:00:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113002,675413,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-20 17:38:00,PST-8,2017-01-20 17:38:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-120.74,37.3619,-120.74,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported 6 to 8 inches of water on Westside Boulevard near Robin Avenue southwest of Livingston." +113002,675414,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-20 07:00:00,PST-8,2017-01-20 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","Trained Spotter reported a 24 hour rainfall report of 1.14 inches near Ponderosa Basin in Mariposa County." +113002,675415,CALIFORNIA,2017,January,Heavy Rain,"FRESNO",2017-01-21 08:00:00,PST-8,2017-01-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-119.65,36.81,-119.65,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","Trained Spotter reported a 24 hour rainfall total of 0.25 inches near Clovis in Fresno County." +113002,675416,CALIFORNIA,2017,January,Heavy Rain,"KINGS",2017-01-21 08:19:00,PST-8,2017-01-21 08:19:00,0,0,0,0,0.00K,0,0.00K,0,36.29,-119.79,36.29,-119.79,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","Trained Spotter reported a 24 hour rainfall total of 0.45 inches near Lemoore in Kings County." +111942,667620,WISCONSIN,2017,January,Winter Weather,"GREEN LAKE",2017-01-11 14:30:00,CST-6,2017-01-11 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","One to three inches of snow accumulation and minor ice accumulation from freezing rain." +111942,667622,WISCONSIN,2017,January,Winter Weather,"FOND DU LAC",2017-01-11 15:00:00,CST-6,2017-01-11 21:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","One to three inches of snow accumulation and minor ice accumulation from freezing rain." +111942,667623,WISCONSIN,2017,January,Winter Weather,"SHEBOYGAN",2017-01-11 16:30:00,CST-6,2017-01-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","One to three inches of snow accumulation and minor ice accumulation from freezing rain." +111942,667624,WISCONSIN,2017,January,Winter Weather,"OZAUKEE",2017-01-11 16:30:00,CST-6,2017-01-11 22:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667625,WISCONSIN,2017,January,Winter Weather,"WASHINGTON",2017-01-11 16:30:00,CST-6,2017-01-11 22:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall under one half inch." +111942,667891,WISCONSIN,2017,January,Winter Weather,"IOWA",2017-01-11 16:00:00,CST-6,2017-01-11 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall less than one half inch." +111942,667892,WISCONSIN,2017,January,Winter Weather,"DANE",2017-01-11 15:30:00,CST-6,2017-01-11 21:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain. Snowfall less than one half inch." +111942,667893,WISCONSIN,2017,January,Winter Weather,"JEFFERSON",2017-01-11 16:30:00,CST-6,2017-01-11 22:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667894,WISCONSIN,2017,January,Winter Weather,"WAUKESHA",2017-01-11 16:30:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +112780,673673,TEXAS,2017,January,Wildfire,"HARTLEY",2017-01-11 15:45:00,CST-6,2017-01-11 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The FM 354 wildfire began around 1545CST about seven miles east of Channing Texas in Hartley county. The wildfire started on the south side of Farm to Market Road 354 and jumped the highway. The wildfire consumed approximately seventeen hundred acres and the cause of the wildfire was unknown. There were no reports of homes or other structures damaged or destroyed and there were no reports of injuries or fatalities. There were a total of seven fire departments and other fire agencies that responded to the wildfire including five fire units from the Dalhart Volunteer Fire Department with mutual aid given by Channing Volunteer Fire, Hartley Volunteer Fire & EMS, Boys Ranch Fire Department, Potter County Fire and Rescue, Hartley County Road, and Hartley County Sheriff's Department. The wildfire was contained around 2155CST.","" +112781,673674,TEXAS,2017,January,Wildfire,"CARSON",2017-01-20 14:23:00,CST-6,2017-01-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bar P Wildfire began about six miles west southwest of White Deer Texas in Carson county around 1423CST. The wildfire started just north of County Road 15 east of County Road T. The wildfire consumed approximately two thousand acres and the wildfire was caused by downed power lines. There were no homes or other structures threatened or destroyed by the wildfire and there were also no reports of injuries or fatalities. The wildfire was contained around 1830CST. There were a total of four fire departments and other fire agencies that responded to the wildfire including the Texas A&M Forest Service.","" +113158,677090,IDAHO,2017,January,Flood,"CLARK",2017-01-09 10:00:00,MST-7,2017-01-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-112.9859,43.9431,-113.3107,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Ice Jam on Birch Creek caused high water over Hwy 28 near Lone Pine on the border of Lemhi and Clark counties." +113233,677493,IDAHO,2017,January,Heavy Snow,"EASTERN MAGIC VALLEY",2017-01-18 12:00:00,MST-7,2017-01-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","Another Pacific storm system dumped heavy snow in the Eastern Magic Valley with COOP observers reporting the following amounts: 7 inches at Richfield and 6 inches at the Minidoka Dam. At the extreme north end of the valley, Picabo reported 10 inches." +113233,677495,IDAHO,2017,January,Heavy Snow,"UPPER SNAKE RIVER PLAIN",2017-01-18 19:00:00,MST-7,2017-01-19 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","Another winter storm brought significant snow to the Upper Snake River Plain. 8 inches fell at Craters of the Moon. Other reports were 4.2 inches in Hamer, 4.5 inches at the INL entrance, 2.5 inches in Idaho Falls, 4.5 inches in Rigby and 4 inches in Sugar City." +113233,677496,IDAHO,2017,January,Heavy Snow,"LOWER SNAKE RIVER PLAIN",2017-01-18 19:00:00,MST-7,2017-01-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","Another storm brought heavy snow mainly to western parts of the Lower Snake River Plain. Heaviest amounts reported were 7 inches in Aberdeen and 6.4 inches in American Falls. Further east 4.2 inches fell in Fort Hall, 3.6 inches at the Pocatello NWS office, 4 inches in Chubbuck, and 2 inches in Pocatello." +113233,677497,IDAHO,2017,January,Heavy Snow,"SOUTH CENTRAL HIGHLANDS",2017-01-18 12:00:00,MST-7,2017-01-19 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","SNOTEL amounts in the South Central Highlands were the following: 10 inches at Bostetter Ranger Station, 17 inches at Howell Canyon, and 12 inches at Magic Mountain." +113233,677498,IDAHO,2017,January,Heavy Snow,"CARIBOU HIGHLANDS",2017-01-18 16:00:00,MST-7,2017-01-19 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","Ten inches of snow fell at Wildhorse Divide and 11 inches fell at Pine Creek Pass." +112454,670599,ILLINOIS,2017,January,Winter Weather,"PERRY",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670600,ILLINOIS,2017,January,Winter Weather,"FRANKLIN",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112521,671060,ILLINOIS,2017,January,Strong Wind,"POPE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671061,ILLINOIS,2017,January,Strong Wind,"SALINE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671062,ILLINOIS,2017,January,Strong Wind,"WAYNE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671063,ILLINOIS,2017,January,Strong Wind,"WHITE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113022,675995,MISSISSIPPI,2017,January,Thunderstorm Wind,"NEWTON",2017-01-02 15:09:00,CST-6,2017-01-02 15:09:00,0,0,0,0,1.00K,1000,0.00K,0,32.44,-89.11,32.44,-89.11,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Several limbs were blown down." +113022,675996,MISSISSIPPI,2017,January,Thunderstorm Wind,"FORREST",2017-01-02 15:12:00,CST-6,2017-01-02 15:12:00,0,0,0,0,5.00K,5000,0.00K,0,31.2433,-89.1712,31.2433,-89.1712,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down across Old River Road and Kennedy Road." +113022,675997,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 15:15:00,CST-6,2017-01-02 15:18:00,0,0,0,0,7.00K,7000,0.00K,0,32.1631,-88.8739,32.1695,-88.8664,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees were blown down along Highway 513 and on I-59." +113022,675998,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 15:21:00,CST-6,2017-01-02 15:21:00,0,0,0,0,10.00K,10000,0.00K,0,32.1397,-88.7674,32.1397,-88.7674,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down onto a vehicle along County Road 1681." +113022,675999,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 15:22:00,CST-6,2017-01-02 15:22:00,0,0,0,0,10.00K,10000,0.00K,0,31.8258,-88.6921,31.8258,-88.6921,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Trees and powerlines were blown down along Highway 45 and Mississippi Highway 145." +113022,676000,MISSISSIPPI,2017,January,Flash Flood,"FORREST",2017-01-02 15:00:00,CST-6,2017-01-02 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,31.32,-89.29,31.3161,-89.2886,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Four to six inches of water covered Hall Avenue." +112873,674293,TEXAS,2017,February,High Wind,"GRAY",2017-02-28 15:23:00,CST-6,2017-02-28 16:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112540,671394,PENNSYLVANIA,2017,January,High Wind,"SOUTHERN ERIE",2017-01-10 20:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across western Pennsylvania during the late evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northwestern Pennsylvania. The damage was the most concentrated near Lake Erie. A peak wind gust of 68 mph was measured at the Erie Airport. At the peak of the storm, several thousand homes were without power. Most of the outages were near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed many trees, limbs and power lines. Scattered power outages were reported." +111500,665082,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"SHERIDAN",2017-01-05 18:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to much of western Nebraska during the evening and overnight hours on Thursday January 5th, into the morning hours on Friday January 6th. Lowest wind chills of 30 to 45 below were common, with the lowest wind chill of 41 below recorded at nearby Alliance airport.","Dangerous wind chills of 30 to 45 below zero occurred across Sheridan County during the evening and overnight hours Thursday into the morning hours Friday. Nearby Alliance ASOS recorded a lowest wind chill of 41 below at 2 am MST on Friday." +111500,665084,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"DEUEL",2017-01-05 20:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to much of western Nebraska during the evening and overnight hours on Thursday January 5th, into the morning hours on Friday January 6th. Lowest wind chills of 30 to 45 below were common, with the lowest wind chill of 41 below recorded at nearby Alliance airport.","Dangerous wind chills of 30 to 39 below zero occurred across Deuel County during the evening and overnight hours Thursday into the morning hours Friday. Nearby Sidney ASOS recorded a lowest wind chill of 41 below at 2 am MST on Friday." +111500,665085,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"KEITH",2017-01-05 19:30:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to much of western Nebraska during the evening and overnight hours on Thursday January 5th, into the morning hours on Friday January 6th. Lowest wind chills of 30 to 45 below were common, with the lowest wind chill of 41 below recorded at nearby Alliance airport.","Dangerous wind chills of 30 to 39 below zero occurred across Keith County during the evening and overnight hours Thursday into the morning hours Friday. Ogallala AWOS recorded a lowest wind chill of 41 below at 2 am MST on Friday." +111500,665086,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"PERKINS",2017-01-05 19:30:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to much of western Nebraska during the evening and overnight hours on Thursday January 5th, into the morning hours on Friday January 6th. Lowest wind chills of 30 to 45 below were common, with the lowest wind chill of 41 below recorded at nearby Alliance airport.","Dangerous wind chills of 30 to 39 below zero occurred across Perkins County during the evening and overnight hours Thursday into the morning hours Friday. Nearby Ogallala AWOS recorded a lowest wind chill of 41 below at 2 am MST on Friday." +111462,665400,DELAWARE,2017,January,Winter Storm,"NEW CASTLE",2017-01-05 21:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Diamond State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process, and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Heaviest snow from this event fell north of the C&D Canal, where 1.5 inches of snow was reported near Newark, 1.2 inches near Wilmington, and 1.0 inches in Greenville." +112358,673083,GEORGIA,2017,January,Tornado,"COOK",2017-01-22 03:35:00,EST-5,2017-01-22 03:49:00,45,0,7,0,1.50M,1500000,0.00K,0,31.0351,-83.4852,31.1092,-83.3226,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","This is a continuation of the northeast Brooks county tornado. The tornado then continued into Cook County. Still at EF-3 strength, it swept about 35 manufactured homes into a pile of rubble at the far end of the Sunshine Acres mobile home park. Seven people lost their lives. The tornado then went on to destroy about two thirds of a brick home on Val Del Road, collapsing in two walls and removing most of the second story. Another home built of concrete blocks was destroyed. A nearby farm had several concrete anchors for a large metal structure pulled from the ground. Max winds were estimated near 140 mph. Damage cost was estimated." +112357,673334,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 09:00:00,EST-5,2017-01-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.57,-84.27,30.57,-84.27,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near Summerbrooke Drive." +112357,673335,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 09:00:00,EST-5,2017-01-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-84.22,30.58,-84.22,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Several large trees were blown down." +112358,673432,GEORGIA,2017,January,Thunderstorm Wind,"CALHOUN",2017-01-22 01:40:00,EST-5,2017-01-22 01:40:00,0,0,0,0,0.00K,0,0.00K,0,31.43,-84.72,31.43,-84.72,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were reported down in Arlington." +112358,673433,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-22 02:17:00,EST-5,2017-01-22 02:17:00,0,0,0,0,3.00K,3000,0.00K,0,31.57,-84.17,31.57,-84.17,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees and power lines were blown down in Albany." +112358,673434,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-22 02:35:00,EST-5,2017-01-22 02:35:00,0,0,0,0,100.00K,100000,0.00K,0,31.53,-83.83,31.53,-83.83,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down onto some houses in Sylvester. Damage cost was estimated." +111523,665596,NEW JERSEY,2017,January,Winter Storm,"CAMDEN",2017-01-07 07:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling around dawn on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 3 and 8 inches, including 6.5 inches in Haddon Heights, 5.8 inches in Somerdale, 4.0 inches in Mount Ephraim, and 3.0 inches in Winslow Township. Strong winds the following day produced blowing and drifting snow." +112358,673435,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-22 04:28:00,EST-5,2017-01-22 04:28:00,0,0,0,0,0.00K,0,0.00K,0,31.5426,-83.8394,31.5426,-83.8394,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down on North Henderson Street." +112358,673436,GEORGIA,2017,January,Thunderstorm Wind,"THOMAS",2017-01-22 06:15:00,EST-5,2017-01-22 06:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.02,-83.86,31.02,-83.86,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down in Coolidge." +112358,673437,GEORGIA,2017,January,Thunderstorm Wind,"BROOKS",2017-01-22 07:10:00,EST-5,2017-01-22 07:10:00,0,0,0,0,0.00K,0,0.00K,0,30.8829,-83.4409,30.8829,-83.4409,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down at Highway 133 and Studstill Road." +112358,673438,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 07:20:00,EST-5,2017-01-22 07:20:00,0,0,0,0,,NaN,,NaN,30.8802,-83.2744,30.8802,-83.2744,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There was a report of a building damage at the 300 block of Bemiss Road." +112358,673439,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 07:25:00,EST-5,2017-01-22 07:25:00,0,0,0,0,,NaN,,NaN,30.9077,-83.3329,30.9077,-83.3329,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There was a report of a house damage on Swan Drive." +112358,673440,GEORGIA,2017,January,Thunderstorm Wind,"THOMAS",2017-01-22 07:25:00,EST-5,2017-01-22 07:25:00,0,0,0,0,3.00K,3000,0.00K,0,30.9113,-83.9606,30.9113,-83.9606,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down on Fredonia Road." +111523,665597,NEW JERSEY,2017,January,Winter Storm,"NORTHWESTERN BURLINGTON",2017-01-07 07:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling around dawn on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 3 and 8 inches, including 6.8 inches in Marlboro, 6.7 inches in Mount Laurel, 5.9 inches at the NWS Office in Mount Holly, 5.5 inches in Lumberton, 5.0 inches in Southampton, and 4.4 inches at McGuire Air Force Base. Strong winds the following day produced blowing and drifting snow." +112514,671004,ILLINOIS,2017,January,Dense Fog,"JEFFERSON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671005,ILLINOIS,2017,January,Dense Fog,"JOHNSON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671006,ILLINOIS,2017,January,Dense Fog,"MASSAC",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112020,668076,IOWA,2017,January,Winter Storm,"WOODBURY",2017-01-24 10:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 4 to 6 inches, including 5.2 inches at Sergeant Bluff. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112020,668080,IOWA,2017,January,Winter Storm,"PLYMOUTH",2017-01-24 12:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 6 to 10 inches, including 9.0 inches at Akron. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111830,667006,NEW JERSEY,2017,January,Heavy Rain,"OCEAN",2017-01-24 01:30:00,EST-5,2017-01-24 01:30:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-74.22,40.1,-74.22,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,668010,NEW JERSEY,2017,January,High Wind,"WESTERN OCEAN",2017-01-23 12:06:00,EST-5,2017-01-23 12:06:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 62 mph gust." +112020,668084,IOWA,2017,January,Winter Storm,"O'BRIEN",2017-01-24 14:00:00,CST-6,2017-01-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 8 to 15 inches, including 14.0 inches at Hartley. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112020,668085,IOWA,2017,January,Winter Storm,"CLAY",2017-01-24 15:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 8 to 12 inches, including 11.0 inches near Rossie. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112020,668086,IOWA,2017,January,Winter Storm,"LYON",2017-01-24 15:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 7 to 12 inches, including 10.8 inches near Inwood. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112103,668616,WEST VIRGINIA,2017,January,Winter Weather,"BRAXTON",2017-01-29 18:00:00,EST-5,2017-01-30 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668617,WEST VIRGINIA,2017,January,Winter Weather,"UPSHUR",2017-01-29 18:00:00,EST-5,2017-01-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +112103,668618,WEST VIRGINIA,2017,January,Winter Weather,"NORTHWEST WEBSTER",2017-01-29 18:00:00,EST-5,2017-01-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level disturbance crossed the middle Ohio River Valley and Central Appalachians on the 29th, exiting to the east by the afternoon of the 30th. This system brought widespread snowfall to central and northern West Virginia. Initially, little snow stuck to the surface due to above freezing temperatures, but by the evening of the 29th, snow was starting to stick. Snowfall tapered off from west to east on the morning of the 30th. Across the lowlands, snowfall ranged from 1 to 3 inches, with 2 to 4 inches at higher elevations. One heavier band of snow developed on the evening of the 29th just east of the Ohio River over Jackson County. This band continued east northeast through Randolph County overnight, putting down a quick 2 to 4 inches across central WV, with 4 to 6 inches across the northern mountainous counties.","" +111499,668549,OKLAHOMA,2017,January,Heavy Snow,"KINGFISHER",2017-01-06 00:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system brought widespread snow to the Oklahoma early morning on the 6th, with the heaviest bands occurring along I-40.","Report of 4 inches." +111499,668550,OKLAHOMA,2017,January,Heavy Snow,"DEWEY",2017-01-06 00:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level storm system brought widespread snow to the Oklahoma early morning on the 6th, with the heaviest bands occurring along I-40.","Report of 4 inches." +112071,668781,PENNSYLVANIA,2017,January,Winter Storm,"SULLIVAN",2017-01-23 16:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A coastal storm brought significant mixed precipitation to Central Pennsylvania on January 23-24, 2017. Heavy snow amounts were elevation-driven with mixed rain to sleet and snow transition in the lee of the Alleghenies. The northern mountains received received 6-10 inches of snowfall, while the Laurel Highlands and Central Ridge and Valley region recorded a slushy 1 to 5 inches of snow/sleet. The lowest elevations from middle to lower Susquehanna Valley received 1-2 inches of rainfall.","A winter storm produced 6-8 inches of snowfall across Sullivan County." +111695,666274,OREGON,2017,January,Winter Weather,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-01-01 04:00:00,PST-8,2017-01-04 10:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","Spotter reports: Selma, 7.0 inches of snow at 02/0743 PST; 1W Williams, 8.5 inches of snow at 02/0842 PST; 5NNW Wilderville, 5.0 inches of snow at 02/0837 PST; 5NNE Selma, 7.0 inches of snow overnight, as of 02/0853 PST; Selma, 7.5 inches of snow at 02/0941 PST; 4W Merlin, 11.0 inches of snow overnight, as of 0202/0805 PST; 2SSW Obrien, 12.0 inches of snow in 18 hours, as of 02/1638 PST; 2WSW Obrien, 12.0 inches of snow, 6 last night and 6 today, as of 02/1537 PST; 2WSW Obrien, 12.0 inches of snow in 12 hours, as of 03/0650 PST; 1ENE Obrien, 10.0 inches of snow in 24 hours, as of 03/0739 PST; 5NNE Selma, 20.0 inches of snow in 48 hours, as of 03/0918 PST; Selma, 7.5 inches of snow in 24 hours, 17 inches in 48 hours, as of 03/0805 PST; 1W Williams, 14.5 inches of snow in 48 hours, as of 03/0900 PST; Selma, 10.0 inches of snow overnight, with snow depth of 18 inches, as of 03/1327 PST; 1SSE Murphy, 10.5 inches of snow in 24 hours, as of 04/0800 PST; 1W Williams, 14.0 inches of snow in 24 hours, as of 04/0851 PST; 2WSW Obrien, 9.0 inches of snow in 16 hours, as of 04/0830 PST.||Public reports: 7E Cave Junction, 10.0 inches of snow as of 02/1458 PST; 3WSW Wilderville, 14.0 inches of snow as of 03/1800 PST; 4SW Merlin, 15.0 inches of snow as of 03/1700 PST; Kerby, 24.0 inches of snow as of 03/1700 PST; 4WSW Wilderville, 18.0 inches of snow as of 03/1700 PST, 2SSW Cave Junction, 20.0 inches of snow as of 03/1700 PST; 4SSW Sunny Valley, 24.0 inches of snow as of 03/1600 PST; Cave Junction, 24.0 inches of snow as of 03/1600 PST; 5SW Merlin, 7.0 inches of snow as of 03/2136 PST; 1W Williams, 9.0 inches of snow in 24 hours, 21 inches snow depth as of 03/2200 PST; 3ESE Grants Pass, 7.0 inches of snow in 7.5 hours, 11.5 inches of snow on ground with a large tree down, as of 03/2239 PST.||CoCoRAHS reports, 24 hour snowfall as of 02/0900 PST: 1N Williams, 10.0 inches; 2SW Obrien, 8.2 inches; 6.8SE Selma, 13.1 inches; 0.4ENE Cave Junction 8.4 inches. ||CoCoRAHS reports, 24 hour snowfall as of 03/0900 PST: 2SW Obrien, 11.0 inches.||Cooperative Observer reports: Williams 1NW reported 10.0 inches of snow in 24 hours ending at 04/0800 PST." +112150,668826,ILLINOIS,2017,January,Winter Weather,"WABASH",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668825,ILLINOIS,2017,January,Winter Weather,"EDWARDS",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668832,ILLINOIS,2017,January,Winter Weather,"SALINE",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668834,ILLINOIS,2017,January,Winter Weather,"UNION",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112041,668226,ALASKA,2017,January,High Wind,"SOUTHERN INNER CHANNELS",2017-01-26 19:00:00,AKST-9,2017-01-27 04:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","Ketchikan Airport reported 67 mph gusts and Annette observed 59 mph gusts on the morning of 1/27. No damage was reported." +112041,668225,ALASKA,2017,January,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-01-26 19:00:00,AKST-9,2017-01-27 04:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low developed SSW of our forecast area deepening to 974 MB just off Cape Spencer early on the morning of 1/27. This low then dissipated over Western Gulf by afternoon causing minor damage for for a few areas in SE Alaska.","On the morning of 1/27, Hydaburg Seaplane AWOS had peak winds to 77 mph with lots and lots of gusts into the 60s. No damage was reported." +113670,682238,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAIN VALLEYS",2017-02-21 20:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Storm total snowfall reports in the Wasatch mountain valleys included 16 inches in Heber City, 13 inches in both Eden and Park City, 11 inches in Kamas, and 10 inches at the Deer Creek Dam." +112205,669116,FLORIDA,2017,January,Hail,"LAKE",2017-01-22 18:48:00,EST-5,2017-01-22 18:48:00,0,0,0,0,0.00K,0,0.00K,0,28.81,-81.88,28.81,-81.88,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A photo provided via Twitter showed quarter sized hail fell in Leesburg during passage of an isolated severe thunderstorm ahead of a strong squall line." +112205,669117,FLORIDA,2017,January,Hail,"LAKE",2017-01-22 18:52:00,EST-5,2017-01-22 18:52:00,0,0,0,0,0.00K,0,0.00K,0,28.8,-81.74,28.8,-81.74,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A photo re-tweeted via Twitter by broadcast media showed dime to quarter size hail fell in Tavares during passage of an isolated severe thunderstorm ahead of a strong squall line." +111938,669514,WISCONSIN,2017,January,Winter Storm,"SHEBOYGAN",2017-01-24 23:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Three to ten inches of wet snow with the highest totals in the south central and southwest portions of the county." +111938,669519,WISCONSIN,2017,January,Winter Weather,"GREEN",2017-01-24 19:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Two to six inches of wet snow with the highest totals in the northwest portion of the county." +111938,669520,WISCONSIN,2017,January,Winter Weather,"ROCK",2017-01-24 19:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","One to three inches of wet snow." +111938,669522,WISCONSIN,2017,January,Winter Weather,"JEFFERSON",2017-01-24 20:30:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","One to six inches of wet snow with the highest totals in the far northwest portion of the county." +111938,669523,WISCONSIN,2017,January,Winter Weather,"WASHINGTON",2017-01-24 22:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Three to seven inches of wet snow with the highest totals in the northern portion of the county." +112155,668890,LOUISIANA,2017,January,Tornado,"WEBSTER",2017-01-21 17:31:00,CST-6,2017-01-21 17:37:00,0,0,0,0,25.00K,25000,0.00K,0,32.9499,-93.5126,32.9693,-93.4819,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","This is a continuation of the Bossier Parish tornado. This tornado had weakened to EF-1 as it entered Northwest Webster Parish, but still uprooted numerous trees and power lines along its track and it tore through the Muddy Bottoms ATV Park. Within the park, the tornado removed a portion of the roof of a building before lifting in the extreme northern portion of the park. Maximum estimated winds ranged between 90-100 mph." +112155,668891,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 17:10:00,CST-6,2017-01-21 17:10:00,0,0,0,0,0.00K,0,0.00K,0,32.8968,-93.8597,32.8968,-93.8597,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Hosston at the intersection of I-49 and Highway 2." +112155,668971,LOUISIANA,2017,January,Hail,"BOSSIER",2017-01-21 19:39:00,CST-6,2017-01-21 19:39:00,0,0,0,0,0.00K,0,0.00K,0,32.7714,-93.5522,32.7714,-93.5522,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Dime to quarter size hail fell southwest of Cotton Valley." +112155,668972,LOUISIANA,2017,January,Hail,"GRANT",2017-01-21 19:50:00,CST-6,2017-01-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,31.6608,-92.4124,31.6608,-92.4124,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell near Highway 165 between Georgetown and Pollock." +111674,666207,LOUISIANA,2017,January,Thunderstorm Wind,"NATCHITOCHES",2017-01-02 10:42:00,CST-6,2017-01-02 10:42:00,0,0,0,0,0.00K,0,0.00K,0,31.629,-93.0398,31.629,-93.0398,"A strong negatively tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered showers and thunderstorms developing over portions of East Texas and Northwest Louisiana. Given the increased instability aloft, an isolated severe thunderstorm developed over Webster Parish during the early morning, resulting in a report of quarter size hail near Sibley. Scattered to numerous showers and thunderstorms, some strong to severe, developed farther west around and shortly after daybreak on the 2nd across portions of East Texas, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","A large tree was downed across Highway 1 just north of the Cypress community." +111674,666208,LOUISIANA,2017,January,Thunderstorm Wind,"GRANT",2017-01-02 10:54:00,CST-6,2017-01-02 10:54:00,0,0,0,0,0.00K,0,0.00K,0,31.5233,-92.6562,31.5233,-92.6562,"A strong negatively tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered showers and thunderstorms developing over portions of East Texas and Northwest Louisiana. Given the increased instability aloft, an isolated severe thunderstorm developed over Webster Parish during the early morning, resulting in a report of quarter size hail near Sibley. Scattered to numerous showers and thunderstorms, some strong to severe, developed farther west around and shortly after daybreak on the 2nd across portions of East Texas, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Trees down on Highway 8 east of Colfax." +112404,670143,COLORADO,2017,January,Winter Storm,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-01-04 14:00:00,MST-7,2017-01-05 04:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 9 inches at Flatiron Reservoir, 7 inches near Loveland, with 5 inches at Colorado State University in Ft. Collins." +111756,666546,NEBRASKA,2017,January,Winter Weather,"DAKOTA",2017-01-16 19:00:00,CST-6,2017-01-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in extreme northeast Nebraska. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +111756,666547,NEBRASKA,2017,January,Winter Weather,"DIXON",2017-01-16 19:00:00,CST-6,2017-01-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in extreme northeast Nebraska. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +112337,669782,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN FOOTHILLS",2017-01-07 17:00:00,MST-7,2017-01-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell across most of the region. The highest amounts were measured at Bondurant where 32.6 inches of new snow fell. Further south, around a foot fell near Pinedale." +111564,677092,CALIFORNIA,2017,January,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-10 13:00:00,PST-8,2017-01-11 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Whiteout conditions and heavy shut down I80 for about 24 hours." +111564,677106,CALIFORNIA,2017,January,Debris Flow,"PLACER",2017-01-10 12:30:00,PST-8,2017-01-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1322,-120.9594,39.132,-120.96,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A mudslide blocked Highway 174 at the Bear River Bridge near Odyssey Lane. Traffic used the shoulders to pass." +111564,677361,CALIFORNIA,2017,January,Debris Flow,"EL DORADO",2017-01-10 18:00:00,PST-8,2017-01-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7752,-120.8128,38.7738,-120.8132,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Law enforcement reported rocks, mud, and a large tree on Rock Creek Rd. in northern Placerville, CA." +113060,676467,ALABAMA,2017,January,Tornado,"BULLOCK",2017-01-22 13:06:00,CST-6,2017-01-22 13:11:00,0,0,0,0,0.00K,0,0.00K,0,32.1254,-85.957,32.1386,-85.9269,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in northwest Bullock County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down .6 mile west of the town of Shopton, just south of U.S. Highway 82, where one home suffered damage. The tornado tracked northeast and produced tree damage. The tornado lifted 1.5 miles northeast of Shopton, just east of CR 37." +113060,676468,ALABAMA,2017,January,Tornado,"LEE",2017-01-22 13:46:00,CST-6,2017-01-22 13:56:00,0,0,0,0,0.00K,0,0.00K,0,32.5302,-85.5572,32.5797,-85.5004,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southwest Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 70 mph. A tornado formed along CR 14 just south of I-85 where a few small pine trees were uprooted and some large branches were broken. The tornado continued northeast, crossing I-85 near Beehive Road and Cox Road, peeling back half of the roof of a mobile home at the Windover Farm mobile home park. It crossed Veterans Boulevard and then caused shingle damage to multiple apartment buildings near Longleaf Drive while breaking tree branches. The tornado dissipated as it crossed Alabama State Road 267 near the southwest boundary of the Auburn University campus." +111625,668646,MONTANA,2017,January,Blizzard,"SHERIDAN",2017-01-12 01:00:00,MST-7,2017-01-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sudden cold front during the overnight and early morning hours brought strong and gusty winds which blew the recently-fallen snow enough to create blizzard-like conditions, especially for the eastern portion of Sheridan County, Montana.","Public reported via social media that highway MT-5 east of Plentywood to the North Dakota border was nearly impassible in blizzard conditions. Montana DOT closed that road later shortly thereafter." +113060,677891,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 00:57:00,CST-6,2017-01-22 00:58:00,0,0,0,0,0.00K,0,0.00K,0,33.4,-86.96,33.4,-86.96,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Numerous trees uprooted in the city of Bessemer." +113060,677893,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 01:07:00,CST-6,2017-01-22 01:08:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-86.79,33.48,-86.79,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted in the city of Homewood." +111789,666778,NEW MEXICO,2017,January,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-01-21 13:00:00,MST-7,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","The Chupadera Mesa site reported a peak wind gust to 58 mph. White Sands Missile Range observations gusted as high as 61 mph." +111789,666779,NEW MEXICO,2017,January,High Wind,"CHAVES COUNTY PLAINS",2017-01-21 12:45:00,MST-7,2017-01-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Peak wind of 59 mph at Roswell." +111789,666783,NEW MEXICO,2017,January,High Wind,"SOUTHWEST CHAVES COUNTY",2017-01-21 20:00:00,MST-7,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Peak wind gust to 58 mph at Dunken." +112962,674983,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"BEAUFORT",2017-01-03 02:04:00,EST-5,2017-01-03 02:05:00,0,0,0,0,,NaN,0.00K,0,32.57,-80.74,32.57,-80.74,"A line of thunderstorms developed along a stationary front in the late evening hours and pushed eastward across southeast South Carolina. Portions of the line of thunderstorms became strong enough to produce damaging wind gusts.","Local law enforcement reported multiple trees down near the intersection o Trask Parkway and Jasmine Hall Road." +112962,674984,SOUTH CAROLINA,2017,January,Lightning,"CHARLESTON",2017-01-03 03:10:00,EST-5,2017-01-03 04:10:00,0,0,0,0,10.00K,10000,0.00K,0,32.76,-80.03,32.76,-80.03,"A line of thunderstorms developed along a stationary front in the late evening hours and pushed eastward across southeast South Carolina. Portions of the line of thunderstorms became strong enough to produce damaging wind gusts.","Charleston County dispatch reported a house fire on Headquarters Plantation Island started by a lightning strike." +112984,675140,SOUTH CAROLINA,2017,January,Winter Weather,"YORK",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet with some pockets of freezing rain occurred. By mid-morning on the 7th, locations close to the I-85 corridor had up to a half inch of mainly sleet, while some locations saw a light glaze of ice, mainly on elevated surfaces.","" +112986,675142,NORTH CAROLINA,2017,January,Winter Weather,"AVERY",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675143,NORTH CAROLINA,2017,January,Winter Weather,"MADISON",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675144,NORTH CAROLINA,2017,January,Winter Weather,"MITCHELL",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +113181,677033,NORTH CAROLINA,2017,January,Cold/Wind Chill,"YANCEY",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677032,NORTH CAROLINA,2017,January,Cold/Wind Chill,"TRANSYLVANIA",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677034,NORTH CAROLINA,2017,January,Cold/Wind Chill,"MCDOWELL MOUNTAINS",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +114088,683175,NEW YORK,2017,May,Thunderstorm Wind,"ST. LAWRENCE",2017-05-01 18:06:00,EST-5,2017-05-01 18:07:00,0,0,0,0,20.00K,20000,0.00K,0,44.25,-75.14,44.25,-75.14,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Numerous trees and power lines down." +113073,676248,WISCONSIN,2017,January,Winter Weather,"GRANT",2017-01-15 23:55:00,CST-6,2017-01-17 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Grant County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676249,WISCONSIN,2017,January,Winter Weather,"JACKSON",2017-01-16 12:30:00,CST-6,2017-01-17 03:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Jackson County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676250,WISCONSIN,2017,January,Winter Weather,"JUNEAU",2017-01-16 06:35:00,CST-6,2017-01-17 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Juneau County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111612,665842,MINNESOTA,2017,January,Winter Weather,"LINCOLN",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches north of Interstate 90.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches, including 1.5 inches at Lake Benton." +111509,665767,NEW MEXICO,2017,January,Heavy Snow,"UNION COUNTY",2017-01-05 12:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall ranged from 4 to 10 inches across Union County. Temperatures in the single digits with snowfall created hazardous travel conditions and dangerously cold wind chills." +111509,665768,NEW MEXICO,2017,January,Winter Storm,"HARDING COUNTY",2017-01-05 12:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall ranged from 3 to 5 inches across Harding County. Impacts from bitterly cold temperatures and gusty winds created winter storm impacts to travel through the region." +112530,671170,MONTANA,2017,January,Heavy Snow,"GALLATIN",2017-01-31 23:00:00,MST-7,2017-01-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front settling south into Southwest Montana combined with a couple of upper level disturbances led to widespread, impactful snow across the area, especially along the I-90 corridor through Bozeman and the I-15 corridor through Helena.","Five to eight inches of snow reported by various sources throughout the Bozeman area." +112530,671168,MONTANA,2017,January,Winter Storm,"GALLATIN",2017-01-31 17:00:00,MST-7,2017-01-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front settling south into Southwest Montana combined with a couple of upper level disturbances led to widespread, impactful snow across the area, especially along the I-90 corridor through Bozeman and the I-15 corridor through Helena.","NBC Montana reports first responders in Bozeman answered dozens of calls due to weather conditions. Numerous accidents from fender benders to more serious crashes are being reported. Multiple vehicles spun out at Exit 298 on I-90 and are facing the wrong way." +112530,671169,MONTANA,2017,January,Winter Storm,"GALLATIN",2017-01-31 19:00:00,MST-7,2017-01-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front settling south into Southwest Montana combined with a couple of upper level disturbances led to widespread, impactful snow across the area, especially along the I-90 corridor through Bozeman and the I-15 corridor through Helena.","Google traffic maps show slower traffic all along I-90 from Butte to Livingston. In Bozeman, traffic maps show several accidents and slower traffic around town." +112106,668713,OKLAHOMA,2017,January,Ice Storm,"DEWEY",2017-01-14 09:00:00,CST-6,2017-01-15 19:00:00,0,0,0,0,584.00K,584000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","The electric cooperatives reported 861 power outages, likely due to icing, with damage estimates to $584K." +111732,666401,TEXAS,2017,January,Thunderstorm Wind,"CULBERSON",2017-01-01 16:52:00,CST-6,2017-01-01 16:52:00,0,0,0,0,,NaN,,NaN,31.88,-104.8,31.88,-104.8,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Culberson County and produced a 58 mph wind gust at Pine Springs at the Pinery RAWS." +111675,666213,TEXAS,2017,January,Thunderstorm Wind,"RUSK",2017-01-02 08:10:00,CST-6,2017-01-02 08:10:00,0,0,0,0,0.00K,0,0.00K,0,32.0433,-94.6471,32.0433,-94.6471,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","A tree was downed across Farm to Market Road 840 near the Brachfield community." +111675,666214,TEXAS,2017,January,Thunderstorm Wind,"RUSK",2017-01-02 08:10:00,CST-6,2017-01-02 08:10:00,0,0,0,0,0.00K,0,0.00K,0,32.1191,-94.7042,32.1191,-94.7042,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Several trees were downed east southeast of Henderson." +112678,672788,CONNECTICUT,2017,January,Drought,"TOLLAND",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In December, rainfall throughout much of northern Connecticut was near normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater.||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. Voluntary water conservation and adherence to any local water restrictions were encouraged. The DPH indicated the average percent of usable |storage within the State���s reservoirs was at 79.8 percent. This was below normal, but an improvement from December.","The U.S. Drought Monitor continued the Severe Drought (D2) designation for most of Tolland County through the month of January. In the far northwest part of the county, an Extreme Drought designation continued through the month." +112678,672789,CONNECTICUT,2017,January,Drought,"WINDHAM",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In December, rainfall throughout much of northern Connecticut was near normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater.||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. Voluntary water conservation and adherence to any local water restrictions were encouraged. The DPH indicated the average percent of usable |storage within the State���s reservoirs was at 79.8 percent. This was below normal, but an improvement from December.","The U.S. Drought Monitor continued the Severe Drought (D2) designation for extreme western Windham County through the month of January." +112827,674137,RHODE ISLAND,2017,January,Winter Storm,"SOUTHEAST PROVIDENCE",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to ten inches of snow fell on Southeast Providence County during the day and evening." +112827,674139,RHODE ISLAND,2017,January,Winter Storm,"WESTERN KENT",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Six to ten inches of snow fell on Western Kent County during the day and evening." +112827,674140,RHODE ISLAND,2017,January,Winter Storm,"EASTERN KENT",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Ten to twelve inches of snow fell on Eastern Kent County during the day and evening." +112827,674143,RHODE ISLAND,2017,January,Winter Storm,"BRISTOL",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Ten to twelve inches of snow fell on Bristol County during the day and evening." +111753,666537,IOWA,2017,January,Winter Weather,"CLAY",2017-01-16 19:00:00,CST-6,2017-01-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +111753,666538,IOWA,2017,January,Winter Weather,"PLYMOUTH",2017-01-16 03:00:00,CST-6,2017-01-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Akron reported 0.22 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +113024,675608,CALIFORNIA,2017,January,Hail,"MONTEREY",2017-01-20 15:00:00,PST-8,2017-01-20 15:20:00,0,0,0,0,0.01K,10,0.01K,10,36.68,-121.64,36.68,-121.64,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Hail covered ground." +113024,675609,CALIFORNIA,2017,January,Hail,"MONTEREY",2017-01-20 18:30:00,PST-8,2017-01-20 18:40:00,0,0,0,0,0.01K,10,0.01K,10,36.6799,-121.6402,36.6799,-121.6402,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Time and location is approximate." +113024,675610,CALIFORNIA,2017,January,Hail,"MONTEREY",2017-01-20 19:49:00,PST-8,2017-01-20 19:59:00,0,0,0,0,0.01K,10,0.01K,10,36.7299,-121.6398,36.7299,-121.6398,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Picture shared via twitter from media." +113024,675759,CALIFORNIA,2017,January,Lightning,"SAN FRANCISCO",2017-01-20 05:56:00,PST-8,2017-01-20 06:00:00,0,0,0,0,0.01K,10,0.01K,10,37.7552,-122.4529,37.7552,-122.4529,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Video of Sutro tower being struck by lightning shared on social media." +113024,675763,CALIFORNIA,2017,January,Lightning,"SAN FRANCISCO",2017-01-20 04:35:00,PST-8,2017-01-20 04:40:00,0,0,0,0,0.01K,10,0.01K,10,37.7952,-122.4028,37.7952,-122.4028,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Photos of lightning striking the Transamerica Pyramid building shared on social media." +111629,665934,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"PEMBINA",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665935,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"BENSON",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113002,675398,CALIFORNIA,2017,January,Flood,"KINGS",2017-01-18 18:08:00,PST-8,2017-01-18 18:08:00,0,0,0,0,0.00K,0,0.00K,0,35.9778,-120.1255,35.9612,-120.1115,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported a road closure due to roadway flooding on State Route 33." +113002,675399,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-18 19:09:00,PST-8,2017-01-18 19:09:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-120.6,37.4074,-120.5953,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Mercedes Avenue and Shafer Road northeast of Winton." +113002,675400,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-20 10:32:00,PST-8,2017-01-20 10:32:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-120.43,37.5767,-120.4194,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on La Grange Road near Fields Road north of Snelling." +113002,675401,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 11:08:00,PST-8,2017-01-20 11:08:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-118.36,35.0477,-118.3428,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Tehachapi Willow Springs Road near Oak Creek Road southeast of Tehachapi." +113002,675417,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-21 08:15:00,PST-8,2017-01-21 08:15:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","Trained Spotter reported a 24 hour rainfall total of 2.04 inches near Ponderosa Basin in Mariposa County." +111942,667895,WISCONSIN,2017,January,Winter Weather,"MILWAUKEE",2017-01-11 16:30:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667896,WISCONSIN,2017,January,Winter Weather,"GREEN",2017-01-11 16:00:00,CST-6,2017-01-11 21:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667897,WISCONSIN,2017,January,Winter Weather,"ROCK",2017-01-11 17:00:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667898,WISCONSIN,2017,January,Winter Weather,"WALWORTH",2017-01-11 17:00:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667899,WISCONSIN,2017,January,Winter Weather,"RACINE",2017-01-11 17:00:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +111942,667900,WISCONSIN,2017,January,Winter Weather,"KENOSHA",2017-01-11 17:00:00,CST-6,2017-01-11 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain, snow, and sleet brought icy and snow covered roads to southern WI as a cold front slowly progressed across the region. Some vehicle slide-offs and accidents occurred.","Minor ice accumulation from freezing rain." +112332,669731,WISCONSIN,2017,January,Cold/Wind Chill,"MILWAUKEE",2017-01-04 00:00:00,CST-6,2017-01-04 10:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A man died of hypothermia according to the Milwaukee County Medical Examiner's Office. The man was found outside.","A man died of hypothermia according to the Milwaukee County Medical Examiner's Office. The man's frozen body was found outside at a trailer park around 10:00 AM. Low temperatures were in the teens." +113265,677714,WISCONSIN,2017,January,Cold/Wind Chill,"MILWAUKEE",2017-01-05 13:00:00,CST-6,2017-01-05 13:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Milwaukee County Medical Examiner's Office reported a Hypothermia death.","A woman was found dead in her unheated home. The Milwaukee County Medical Examiner's Office reported the cause of death as Hypothermia." +112291,669603,LOUISIANA,2017,January,Tornado,"TANGIPAHOA",2017-01-02 13:45:00,CST-6,2017-01-02 13:46:00,0,0,0,0,0.00K,0,0.00K,0,30.9533,-90.4358,30.9535,-90.4344,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A weak tornado...EF1...touched down briefly along West Lewiston Road with several large pine trees uprooted and a few snapped along a narrow path. Path width 75 yards. Maximum wind estimated at 90 mph. Time of event based on radar." +112782,673675,TEXAS,2017,January,Wildfire,"CARSON",2017-01-20 15:07:00,CST-6,2017-01-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The FM 9743 wildfire began about seven miles southeast of Borger Texas in Carson county around 1507CST. The cause of the wildfire was unknown. The wildfire consumed approximately one thousand acres. There were no homes or other structures that were threatened or lost and there were also no reports of any injuries or fatalities. The wildfire was contained around 1700CST. There were a total of three fire departments or other fire agencies that responded to the wildfire.","" +113297,677958,NEW YORK,2017,January,Lake-Effect Snow,"NORTHERN ONEIDA",2017-01-26 21:00:00,EST-5,2017-01-28 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system over the Maritime Provence's of Canada produced a prolonged west to northwest flow of cold air across the relatively warm water of Lake Ontario from late evening on the 26th to the morning of the 28th. This resulted in a significant lake effect snowstorm for the northern portion of Oneida County. Snowfall totals ranged from 11 to 17 inches.","Snowfall totals ranged from 11 to 17 inches with the highest amounts reported in the Hawkinsville and Point Rock areas." +111680,676790,MINNESOTA,2017,January,Winter Storm,"HUBBARD",2017-01-02 09:17:00,CST-6,2017-01-03 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111631,676792,NORTH DAKOTA,2017,January,Blizzard,"CAVALIER",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676793,NORTH DAKOTA,2017,January,Blizzard,"PEMBINA",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676794,NORTH DAKOTA,2017,January,Blizzard,"BENSON",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +113233,677499,IDAHO,2017,January,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-01-18 11:00:00,MST-7,2017-01-19 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm brought widespread 2 to 12 inch snow amounts to all of southeast Idaho. Heaviest snow fell in the eastern Magic Valley and Central Mountains. along with the South Central Highlands.","Amounts reported by COOP observers were 10 inches at Picabo, 7 inches at Bellevue, and 8 inches in Ketchum. SNOTEL amounts were 11 inches at Dollarhide, 17 inches at Vienna Mine, 12 inches at Galena Summit, and 16 inches at Lost Wood Divide." +113273,677818,IDAHO,2017,January,Winter Storm,"EASTERN MAGIC VALLEY",2017-01-22 20:00:00,MST-7,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Heavy snow fell in the Eastern Magic Valley with 6 inches in Richfield and 7.5 inches at Minidoka Dam. Strong winds caused extensive blowing and drifting snow and Highway 77 was closed on the 23rd and 24th from Declo south through Malta due to the extreme drifting. The Dietrich, Shoshone, Richfield, and Minidoka County schools were all closed on the 24th due to the dangerous driving conditions." +113273,677821,IDAHO,2017,January,Winter Storm,"UPPER SNAKE RIVER PLAIN",2017-01-22 18:00:00,MST-7,2017-01-24 15:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","A powerful winter storm brought heavy snow and strong winds to the Upper Snake River Plain. The snow closed Firth School District 59 on the 23rd. Snow amounts from COOP observers were 5.5 inches in Hamer, 12 inches at Craters of the Moon, 6 inches at INL, 10 inches at Idaho Falls, 6 inches at Rigby, and 4 inches in Sugar City. The combination of snow and wind caused Highway 26 to be closed from 5 miles west of Atomic City to 5 miles west of Blackfoot. Highway 28 was closed from Mud Lake west through the remainder of Jefferson County. An Idaho Transportation Department snowplow rolled over while working on US Highway 20 near milepost 278 at 3:30 pm on the 23rd, near the east boundary of INL site. Travel was blocked in all lanes for over 5 hours. The weight of snow collapsed a vacant building on Rollandet Street in Idaho Falls on the morning of the 24th. Idaho State Police District 6 reported 27 slide-offs and 7 crashes on the 23rd and 24th." +113273,677849,IDAHO,2017,January,Winter Storm,"WASATCH MOUNTAINS/IADHO PORTION",2017-01-22 10:00:00,MST-7,2017-01-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Extremely heavy snow fell in the Idaho Wasatch with the following SNOTEL amounts: Franklin Basin 34 inches, Giveout 16 inches, Slug Creek Divide 24 inches. The COOP observer in Bern reported 12 inches. All Bear Lake County schools were closed on the 23rd and 24th." +112454,670601,ILLINOIS,2017,January,Winter Weather,"PULASKI",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112520,671042,KENTUCKY,2017,January,Dense Fog,"LIVINGSTON",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671043,KENTUCKY,2017,January,Dense Fog,"CRITTENDEN",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671044,KENTUCKY,2017,January,Dense Fog,"LYON",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671045,KENTUCKY,2017,January,Dense Fog,"CALDWELL",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112524,671122,MISSOURI,2017,January,Strong Wind,"STODDARD",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671124,MISSOURI,2017,January,Strong Wind,"CAPE GIRARDEAU",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112540,671390,PENNSYLVANIA,2017,January,High Wind,"NORTHERN ERIE",2017-01-10 18:04:00,EST-5,2017-01-10 18:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across western Pennsylvania during the late evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northwestern Pennsylvania. The damage was the most concentrated near Lake Erie. A peak wind gust of 68 mph was measured at the Erie Airport. At the peak of the storm, several thousand homes were without power. Most of the outages were near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Erie International Airport measured a 68 mph wind gust." +113022,676001,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAUDERDALE",2017-01-02 15:30:00,CST-6,2017-01-02 15:30:00,0,0,0,0,30.00K,30000,0.00K,0,32.38,-88.69,32.38,-88.69,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down onto a house." +113022,676002,MISSISSIPPI,2017,January,Flash Flood,"LAMAR",2017-01-02 14:59:00,CST-6,2017-01-02 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,31.13,-89.37,31.1303,-89.3759,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Flooding occurred on I-59 south of Mississippi Highway 589." +113022,676003,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAUDERDALE",2017-01-02 15:45:00,CST-6,2017-01-02 15:45:00,0,0,0,0,3.00K,3000,0.00K,0,32.5437,-88.6597,32.5437,-88.6597,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was blown down across the road on Highway 39." +113022,676004,MISSISSIPPI,2017,January,Lightning,"OKTIBBEHA",2017-01-02 16:20:00,CST-6,2017-01-02 16:20:00,0,0,0,0,30.00K,30000,0.00K,0,33.48,-88.81,33.48,-88.81,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A lightning strike caused a structure fire in Starkville." +113056,676005,LOUISIANA,2017,January,Thunderstorm Wind,"CATAHOULA",2017-01-02 11:50:00,CST-6,2017-01-02 11:50:00,0,0,0,0,20.00K,20000,0.00K,0,31.65,-91.83,31.65,-91.83,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This brought additional severe storms during some of the afternoon.","Several sheds and outbuildings were damaged. Multiple limbs and trees also fell on powerlines." +113056,676006,LOUISIANA,2017,January,Thunderstorm Wind,"CONCORDIA",2017-01-02 11:55:00,CST-6,2017-01-02 11:55:00,0,0,0,0,10.00K,10000,0.00K,0,31.45,-91.7,31.45,-91.7,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This brought additional severe storms during some of the afternoon.","Trees and powerlines were blown down." +112873,674294,TEXAS,2017,February,High Wind,"DEAF SMITH",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112873,674295,TEXAS,2017,February,High Wind,"ARMSTRONG",2017-02-28 14:23:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +113280,677820,ALASKA,2017,January,Cold/Wind Chill,"CENTRAL BEAUFORT SEA COAST",2017-01-20 04:38:00,AKST-9,2017-01-21 03:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wind and cold temperatures produced dangerous wind chills below minus 70 along the north slope of alaska on January 20th.||zone 203: Low wind chill of -76 F reported at the Deadhorse ASOS.","" +113283,677886,ALASKA,2017,January,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-01-15 10:44:00,AKST-9,2017-01-15 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough moving across the Arctic North Slope created a strong pressure gradient over the eastern North Slope, providing strong winds and blizzard conditions on January 15th 2017. |||Zone 204: Blizzard conditions were observed at the Point Thomson AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. A peak wind of 41 kt (47 mph) was reported.","" +112490,670672,ALASKA,2017,January,Avalanche,"WRN P.W. SND & KENAI MTNS",2017-01-28 14:00:00,AKST-9,2017-01-28 15:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of heavy snowfalls in the Kenai Peninsula lead to heavily loaded slopes on top of a weak layer from earlier in the season.","Two snowmachiners triggered an avalanche near Snug Harbor, Alaska. One person escaped and was able to locate the other person, who was already deceased. This was reported in the Alaska Dispatch News." +111462,665402,DELAWARE,2017,January,Astronomical Low Tide,"KENT",2017-01-05 21:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Diamond State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process, and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","The heaviest snow from this event occurred in the northern portion of the county where 1.1 inches was reported near Clayton, and 0.5 inches was reported in Smyrna." +111463,665433,MARYLAND,2017,January,Winter Weather,"CECIL",2017-01-05 21:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave northeast Maryland it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally one inch or less of snow fell during this event, with 1.0 inches reported in Elkton, and 0.1 inches in Port Deposit." +111463,665434,MARYLAND,2017,January,Winter Weather,"KENT",2017-01-05 21:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave northeast Maryland it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally one inch or less of snow fell during this event." +111463,665435,MARYLAND,2017,January,Winter Weather,"QUEEN ANNES",2017-01-05 21:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave northeast Maryland it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around one inch of snow fell during this event, with 1.3 inches reported in Sudlersville." +112358,673441,GEORGIA,2017,January,Thunderstorm Wind,"THOMAS",2017-01-22 07:50:00,EST-5,2017-01-22 07:50:00,0,0,0,0,3.00K,3000,0.00K,0,30.79,-83.78,30.79,-83.78,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down around Boston." +112358,673442,GEORGIA,2017,January,Thunderstorm Wind,"LANIER",2017-01-22 08:40:00,EST-5,2017-01-22 08:40:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-83.07,31.04,-83.07,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There were three reports of trees down in Lanier county." +112358,673443,GEORGIA,2017,January,Thunderstorm Wind,"GRADY",2017-01-22 09:00:00,EST-5,2017-01-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.7307,-84.289,30.7307,-84.289,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down on Pine Hill Road." +112358,673445,GEORGIA,2017,January,Thunderstorm Wind,"CLAY",2017-01-22 14:24:00,EST-5,2017-01-22 14:40:00,0,0,0,0,0.00K,0,0.00K,0,31.57,-85.02,31.59,-84.89,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There was widespread tree damage throughout Clay county, heaviest near the Fort Gaines area." +112358,673446,GEORGIA,2017,January,Thunderstorm Wind,"EARLY",2017-01-22 14:40:00,EST-5,2017-01-22 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-84.93,31.38,-84.71,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down throughout Early county, especially in the Blakely and Arlington areas." +112358,673449,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 16:30:00,EST-5,2017-01-22 16:30:00,0,0,0,0,50.00K,50000,0.00K,0,30.854,-83.322,30.854,-83.322,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was down on a house and power lines were down on 5 houses in the Pinecliff Drive area of Valdosta." +118230,710562,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 22:56:00,CST-6,2017-06-29 22:56:00,0,0,0,0,,NaN,,NaN,41.15,-96.08,41.15,-96.08,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +111523,665601,NEW JERSEY,2017,January,Winter Storm,"SOUTHEASTERN BURLINGTON",2017-01-07 07:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling around dawn on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 3 and 8 inches, including 6.0 inches in Leisuretowne, and 4.6 inches in Tabernacle. Strong winds the following day produced blowing and drifting snow." +111523,665569,NEW JERSEY,2017,January,Winter Storm,"WESTERN CAPE MAY",2017-01-07 05:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Snowfall reports ranged from 5 to 8 inches, with higher amounts closer to the coast. Some representative snowfall reports around Cape May County include 8.0 inches in Lower Township, 7.5 inches in Green Creek, 7.0 inches in Belleplain, and 6.5 inches in Woodbine. Strong northwest winds the following day produced some blowing and drifting.||Cape May OEM issued a code blue advisory for the county as well." +112514,671007,ILLINOIS,2017,January,Dense Fog,"PERRY",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671008,ILLINOIS,2017,January,Dense Fog,"POPE",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671009,ILLINOIS,2017,January,Dense Fog,"PULASKI",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671010,ILLINOIS,2017,January,Dense Fog,"SALINE",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +111939,667580,WISCONSIN,2017,January,Winter Weather,"COLUMBIA",2017-01-10 07:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +112337,670002,WYOMING,2017,January,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-01-07 19:16:00,MST-7,2017-01-11 01:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","There were many wind gusts over 58 mph along Outer Drive south of Casper, including a maximum gust of 81 mph." +112337,670004,WYOMING,2017,January,High Wind,"LANDER FOOTHILLS",2017-01-10 21:40:00,MST-7,2017-01-10 21:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","The ASOS at the Lander airport recorded a wind gust of 58 mph." +111830,667007,NEW JERSEY,2017,January,Heavy Rain,"OCEAN",2017-01-24 05:30:00,EST-5,2017-01-24 05:30:00,0,0,0,0,,NaN,,NaN,39.86,-74.14,39.86,-74.14,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,668012,NEW JERSEY,2017,January,High Wind,"WESTERN OCEAN",2017-01-23 12:06:00,EST-5,2017-01-23 12:06:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A roof was blown off of Ocean view Towers." +112409,670153,WYOMING,2017,January,Winter Storm,"LANDER FOOTHILLS",2017-01-23 18:00:00,MST-7,2017-01-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","The observer at the Lander airport measured 10.8 inches of new snow. Across Lander, new snow ranged from 9 to 11 inches." +112409,670154,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN FOOTHILLS",2017-01-22 17:00:00,MST-7,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","New snow generally ranged from 8 to 10 inches. At Pinedale, 10.1 inches of new snow fell." +112409,670155,WYOMING,2017,January,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-01-22 16:00:00,MST-7,2017-01-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","At the Jackson Hole Ski Resort, 19 inches of new snow was measured." +111822,666953,WISCONSIN,2017,January,Winter Weather,"GREEN",2017-01-16 02:30:00,CST-6,2017-01-17 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rounds of freezing rain and brief periods of sleet affected southern WI for greater than a 24 hour period as low pressure slowly approached the western Great Lakes from the central Great Plains. Although surface air temperatures were above freezing at times, the pavement temperatures were at or below freezing creating icy and hazardous traveling and walking conditions. A large number of schools were closed or delayed for both days. Numerous vehicle slide-offs and accidents occurred including a 30 to 40 vehicle pile-up in Dane County.","Freezing rain with ice accumulations up to 0.20 inches." +112409,670159,WYOMING,2017,January,Winter Storm,"SOUTHWEST BIG HORN BASIN",2017-01-23 17:00:00,MST-7,2017-01-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Trained spotters measured 7 to 10 inches of new snow around the city of Thermopolis." +112409,670160,WYOMING,2017,January,Winter Storm,"ROCK SPRINGS & GREEN RIVER",2017-01-22 22:00:00,MST-7,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Trained spotters reported 12 to 15 inches around Green River. In Rock Springs, 6 to 9 inches of snow fell." +112427,674333,WYOMING,2017,January,Winter Storm,"ABSAROKA MOUNTAINS",2017-01-31 03:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist Pacific flow and upper level disturbances moving through the region brought a period of heavy snow to portions of western and northern Wyoming. This event continued into February so please see the February issue of Storm Data for the details on this storm.","" +112150,668827,ILLINOIS,2017,January,Winter Weather,"WHITE",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668828,ILLINOIS,2017,January,Winter Weather,"HAMILTON",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112205,669119,FLORIDA,2017,January,Funnel Cloud,"LAKE",2017-01-22 19:13:00,EST-5,2017-01-22 19:18:00,0,0,0,0,0.00K,0,0.00K,0,28.89,-81.55,28.89,-81.55,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A trained weather spotter observed a funnel cloud near Cassia, moving northeast. The funnel cloud dissipated about 5 minutes after first being observed." +112205,669118,FLORIDA,2017,January,Thunderstorm Wind,"SEMINOLE",2017-01-22 19:11:00,EST-5,2017-01-22 19:11:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-81.24,28.78,-81.24,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","The Sanford Airport (KSFB) ASOS recorded wind gusts to 61 mph from the south-southwest as a severe thunderstorm crossed the airfield." +112205,669120,FLORIDA,2017,January,Thunderstorm Wind,"VOLUSIA",2017-01-22 19:47:00,EST-5,2017-01-22 19:47:00,0,0,0,0,0.00K,0,0.00K,0,29.02,-80.93,29.02,-80.93,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","The New Smyrna Beach Airport (KEVB) AWOS observed winds of 62 mph as a severe thunderstorm within a squall line crossed the airfield." +112205,669121,FLORIDA,2017,January,Hail,"BREVARD",2017-01-22 19:56:00,EST-5,2017-01-22 19:56:00,0,0,0,0,0.00K,0,0.00K,0,28.71,-80.89,28.71,-80.89,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A trained weather spotter observed nickel-sized hail at Hacienda Del Rio near Edgewater." +112205,669122,FLORIDA,2017,January,Funnel Cloud,"BREVARD",2017-01-22 22:20:00,EST-5,2017-01-22 22:20:00,0,0,0,0,0.00K,0,0.00K,0,28.15,-80.66,28.15,-80.66,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A trained weather spotter observed a funnel cloud near Lake Washington Road in Melbourne." +111938,669524,WISCONSIN,2017,January,Winter Weather,"OZAUKEE",2017-01-24 22:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","One to six inches of wet snow with the highest totals in the northwest portion of the county." +111938,669525,WISCONSIN,2017,January,Winter Weather,"FOND DU LAC",2017-01-24 23:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Five to seven inches of wet snow." +111938,669526,WISCONSIN,2017,January,Winter Weather,"GREEN LAKE",2017-01-24 23:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Four to six inches of wet snow." +111938,669527,WISCONSIN,2017,January,Winter Weather,"MARQUETTE",2017-01-24 22:00:00,CST-6,2017-01-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet and heavy snowfall occurred from south central WI to east central WI as low pressure tracked across northern IL. The heavy snow, which included thundersnow, affected the Madison area during the morning rush hour with the Madison school district closing schools. Additional schools closed early and cancelled after school activities in the heavy snow area. Vehicle slide-offs and accidents were prevalent throughout much of southern WI. The heaviest snowfall was reported in the higher elevation areas of the region.","Three to five inches of wet snow." +112155,668892,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 17:50:00,CST-6,2017-01-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,32.8717,-93.9873,32.8717,-93.9873,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Hail slightly larger than golfballs fell in Vivian." +112155,668893,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 17:50:00,CST-6,2017-01-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,33.0057,-93.4668,33.0057,-93.4668,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Golf ball size hail fell in Springhill." +112155,668973,LOUISIANA,2017,January,Tornado,"GRANT",2017-01-21 19:51:00,CST-6,2017-01-21 19:54:00,0,0,0,0,25.00K,25000,0.00K,0,31.6287,-92.4199,31.6329,-92.3995,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with maximum estimated winds between 90 and 100 mph touched down along Highway 165 between Georgetown and Pollock where it snapped several large trees. The tornado continued northeast across a heavily wooded area before it tracked across Camp Hardtner on Camp Hardtner Road, snapping and uprooting numerous trees. A large pine tree fell onto one of the meeting buildings at the camp, and shingles were removed off of a nearby home and adjacent meeting buildings. The tornado lifted shortly after exiting Camp Hardtner." +112155,668974,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 19:50:00,CST-6,2017-01-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,32.8194,-93.4174,32.8194,-93.4174,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Golfball size hail broke out a windshield on an ambulance in Cotton Valley." +111674,666209,LOUISIANA,2017,January,Thunderstorm Wind,"RED RIVER",2017-01-02 10:40:00,CST-6,2017-01-02 10:40:00,0,0,0,0,0.00K,0,0.00K,0,31.8717,-93.2023,31.8717,-93.2023,"A strong negatively tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered showers and thunderstorms developing over portions of East Texas and Northwest Louisiana. Given the increased instability aloft, an isolated severe thunderstorm developed over Webster Parish during the early morning, resulting in a report of quarter size hail near Sibley. Scattered to numerous showers and thunderstorms, some strong to severe, developed farther west around and shortly after daybreak on the 2nd across portions of East Texas, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","A tree was downed on Highway 485 just south of the compactor station." +112294,669604,ARKANSAS,2017,January,Thunderstorm Wind,"UNION",2017-01-16 19:18:00,CST-6,2017-01-16 19:18:00,0,0,0,0,0.00K,0,0.00K,0,33.2772,-92.8179,33.2772,-92.8179,"A narrow band of scattered showers and thunderstorms developed along a weak Pacific cold front and associated upper level disturbance during the afternoon and evening hours of January 16th across Southwest and Southcentral Arkansas. One of these storms briefly became severe across Central Union County, which uprooted a few trees, snapped large limbs, and blew shingles and a portion of metal roofing off of a couple of homes on Lisbon Road near the Lisbon community.","Damaging thunderstorm winds uprooted a few trees, snapped large limbs, and blew shingles and a portion of metal roofing off of a couple of homes on Lisbon Road near the Lisbon community." +112291,669614,LOUISIANA,2017,January,Thunderstorm Wind,"TANGIPAHOA",2017-01-02 14:00:00,CST-6,2017-01-02 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.93,-90.52,30.93,-90.52,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","About 100 to 200 trees were reported downed in Kentwood and northeast of Kentwood. Several power lines were reported downed. Roof damage was reported to the Kentwood Hardware Store and several homes. A few houses and mobile homes were damaged from falling trees." +112297,669640,LOUISIANA,2017,January,Sleet,"WEST FELICIANA",2017-01-06 14:00:00,CST-6,2017-01-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moisture riding over the top of a very cold airmass produced sleet and freezing rain over southwest Mississippi and the adjacent southeast Louisiana parishes. Some accumulations of sleet were reported, although many locations north of Interstate 12 reported trace amounts.","Light to moderate sleet was reported across West Feliciana Parish. Sleet was beginning to accumulate on elevated surfaces." +112404,670144,COLORADO,2017,January,Winter Storm,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-01-04 14:00:00,MST-7,2017-01-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included: 13.8 inches in Boulder, 12 inches in Marston Reservoir, 11 inches in Erie, 9.5 inches in Niwot, with 7 inches in Arvada and near Frederick." +112427,674332,WYOMING,2017,January,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-01-31 08:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist Pacific flow and upper level disturbances moving through the region brought a period of heavy snow to portions of western and northern Wyoming. This event continued into February so please see the February issue of Storm Data for the details on this storm.","" +112337,669783,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN",2017-01-07 18:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell in portions of the Upper Green River Basin. At Big Piney, 10 inches of new snow was measured." +112337,669784,WYOMING,2017,January,Winter Storm,"SOUTH LINCOLN COUNTY",2017-01-07 19:00:00,MST-7,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell in southern Lincoln County. Some of the amounts included 9 inches at Kemmerer and 7 inches north of Cokeville." +111564,676613,CALIFORNIA,2017,January,Flood,"BUTTE",2017-01-08 00:00:00,PST-8,2017-01-09 00:37:00,0,0,0,0,0.00K,0,0.00K,0,39.74,-121.82,39.7384,-121.8188,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Big Chico Creek overran its banks in Bidwell Park." +113910,693403,CALIFORNIA,2017,February,High Wind,"COASTAL DEL NORTE",2017-02-20 03:55:00,PST-8,2017-02-20 05:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Crescent City airport reported wind gusts between 50 and 60 mph." +113060,677895,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 01:14:00,CST-6,2017-01-22 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.56,-86.75,33.56,-86.75,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Birmingham Airport ASOS (KBHM) measured a gust of 65 knots." +113060,677898,ALABAMA,2017,January,Thunderstorm Wind,"ELMORE",2017-01-22 12:55:00,CST-6,2017-01-22 12:56:00,0,0,0,0,0.00K,0,0.00K,0,32.61,-86.4,32.61,-86.4,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted in the town of Deatsville." +113060,677894,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 01:08:00,CST-6,2017-01-22 01:09:00,0,0,0,0,0.00K,0,0.00K,0,33.4472,-86.7907,33.4472,-86.7907,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted in the city of Vestavia Hills, including at the intersection of Highway 31 and Kentucky Avenue." +112529,671148,MONTANA,2017,January,High Wind,"TOOLE",2017-01-29 04:35:00,MST-7,2017-01-29 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shortwave combined with stronger winds aloft led to gusty winds at the surface across much of central Montana. The strongest wind gusts occurred along the Hi-line. Most locations remained below High Wind Criteria, but a few locations exceeded 58 mph.","MDT sensor at Sweet Grass recorded a 59 mph wind gust." +112529,671150,MONTANA,2017,January,High Wind,"BLAINE",2017-01-30 00:18:00,MST-7,2017-01-30 00:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shortwave combined with stronger winds aloft led to gusty winds at the surface across much of central Montana. The strongest wind gusts occurred along the Hi-line. Most locations remained below High Wind Criteria, but a few locations exceeded 58 mph.","Mesonet site in Fort Belknap recorded a 60 mph gust." +112529,671152,MONTANA,2017,January,High Wind,"BLAINE",2017-01-30 00:18:00,MST-7,2017-01-30 04:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shortwave combined with stronger winds aloft led to gusty winds at the surface across much of central Montana. The strongest wind gusts occurred along the Hi-line. Most locations remained below High Wind Criteria, but a few locations exceeded 58 mph.","Mesonet site in Fort Belknap measured sustained winds averaged out to around 44 mph for four consecutive hours." +112530,671156,MONTANA,2017,January,Winter Storm,"GALLATIN",2017-01-31 07:00:00,MST-7,2017-01-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front settling south into Southwest Montana combined with a couple of upper level disturbances led to widespread, impactful snow across the area, especially along the I-90 corridor through Bozeman and the I-15 corridor through Helena.","MDT reports numerous accidents in the Bozeman area on Jan 31st. Multiple semis stuck on off ramp on I-90 west bound at mile marker 298." +112530,671160,MONTANA,2017,January,Winter Storm,"SOUTHERN LEWIS AND CLARK",2017-01-31 10:00:00,MST-7,2017-01-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front settling south into Southwest Montana combined with a couple of upper level disturbances led to widespread, impactful snow across the area, especially along the I-90 corridor through Bozeman and the I-15 corridor through Helena.","MDT reports a multi-vehicle accident on the south side of Helena. MT Highway Patrol reports several crashes in the Helena area, especially along I-15. MDT reports driving lane of I-15 closed due to accident just before Wolf Creek Canyon." +112963,674985,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-01-03 03:16:00,EST-5,2017-01-03 03:21:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A line of thunderstorms developed along a stationary front in the late evening hours and pushed eastward across southeast South Carolina and southeast Georgia. The line of storms produced strong wind gusts along the coast as it moved into the adjacent Atlantic coastal waters.","The Weatherflow site at Fort Sumter measured a 35 knot wind gust with a passing line of thunderstorms." +112986,675145,NORTH CAROLINA,2017,January,Winter Weather,"YANCEY",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675146,NORTH CAROLINA,2017,January,Winter Weather,"BUNCOMBE",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675147,NORTH CAROLINA,2017,January,Winter Weather,"HAYWOOD",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +113181,677035,NORTH CAROLINA,2017,January,Cold/Wind Chill,"CALDWELL MOUNTAINS",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677036,NORTH CAROLINA,2017,January,Cold/Wind Chill,"BURKE MOUNTAINS",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +112803,674116,IOWA,2017,January,Heavy Snow,"ALLAMAKEE",2017-01-24 18:35:00,CST-6,2017-01-25 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 7 to 8 inches of heavy, wet snow fell across Allamakee County. The highest reported total was 8.9 inches near Lansing." +114868,689096,CALIFORNIA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-02 00:00:00,PST-8,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the Sierra and northeast California.","Hefty snowfall amounts between 3 and 7 feet fell near and west of Highway 89 between the 2nd and 5th, with the higher amounts (5 or more feet) above 7000 feet. Below 7000 feet east of about Highway 89, much lower amounts fell (longer periods of rain) with between 14 and 22 inches noted. Interstate 80 was closed between 1700PST on the 4th and 0100PST on the 5th due to the heavy snow." +114868,689099,CALIFORNIA,2017,January,Heavy Snow,"SURPRISE VALLEY",2017-01-02 00:00:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the Sierra and northeast California.","The Cedarville Cooperative Observer reported 30 inches of snowfall between early morning on the 2nd and the afternoon of the 4th." +115814,696714,CALIFORNIA,2017,January,Heavy Snow,"MONO",2017-01-09 18:00:00,PST-8,2017-01-12 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","SNOTEL-estimated snowfall totals of 3 to 5 feet fell between the 9th and 12th in the high Sierra and Sweetwater Range, with 4 to 5 inches of water equivalent (SWE) for several SNOTEL sites. At the high end, the Leavitt Lake SNOTEL recorded 10 inches of SWE, with 12 inches at the Mammoth Mountain ski area. Snowfall of 83 inches was measured at the Mammoth Mountain Ski area. Along and east of Highway 395, snowfall totals ranged from 12 to 20 inches." +115814,696731,CALIFORNIA,2017,January,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-01-09 15:00:00,PST-8,2017-01-12 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","The Portola cooperative observer reported 34 inches of snowfall from the 9th through the 12th. A CoCoRAHS site 5 miles west-northwest of Susanville reported 24 inches on the 9th before snow changed to rain (at about midnight on the 10th). Rain or a rain/snow mix changed back to all snow in lower elevations by the evening of the 11th. The Grizzly Ridge HADS at 6900 feet likely received at least 4 or 5 feet of snowfall based on sub-freezing temperatures and precipitation amounts near 8 inches." +115814,697031,CALIFORNIA,2017,January,High Wind,"SURPRISE VALLEY",2017-01-10 11:30:00,PST-8,2017-01-10 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","Wind gust measured at the Surprise Valley RAWS between 1130PST and 1230PST." +111509,665756,NEW MEXICO,2017,January,Winter Storm,"CENTRAL HIGHLANDS",2017-01-05 16:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts ranged from 4 to 6 inches from Clines Corners to Encino and Cedarvale. Severe impacts to travel were reported as temperatures in the lower single digits accompanied the snowfall. Interstate 40 and U.S. Highway 285 were severely impacted." +111509,665760,NEW MEXICO,2017,January,Heavy Snow,"CHUSKA MOUNTAINS",2017-01-05 16:00:00,MST-7,2017-01-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","The Navajo Whiskey SNOTEL site reported up to 9 inches of snowfall. Cold temperatures and strong gusty winds accompanied the snowfall." +111613,665854,MINNESOTA,2017,January,Winter Weather,"ROCK",2017-01-10 04:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain causes some icy surfaces before the precipitation changed to snow. Light snow accumulations then combined with existing snow cover and northwest winds gusting to 45 mph to cause areas of blowing snow. Visibility in the blowing snow lowered to below a mile at times.","Light freezing rain caused a few icy surfaces before the precipitation changed to snow. The snow accumulated up to 1 inch. Increasing northwest winds, gusting to 45 mph, combined with the light snowfall and existing snow cover to reduce visibility to below a mile at times in blowing snow." +112106,668717,OKLAHOMA,2017,January,Ice Storm,"ELLIS",2017-01-14 09:00:00,CST-6,2017-01-15 19:00:00,0,0,0,0,657.00K,657000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Numerous tree limbs were reported downed by ice. The electric cooperatives reported 1698 power outages, with $657K worth of damages." +112106,668712,OKLAHOMA,2017,January,Ice Storm,"CUSTER",2017-01-14 09:00:00,CST-6,2017-01-15 14:00:00,0,0,1,0,58.00K,58000,0.00K,0,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Slick roads resulted in a car wreck including one fatality and a multi-car pileup. Additionally, electric co-ops reported over 900 outages with an estimated $28K worth of damages." +112106,671759,OKLAHOMA,2017,January,Ice Storm,"MAJOR",2017-01-14 09:00:00,CST-6,2017-01-15 19:00:00,0,0,0,0,140.00K,140000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","The electric cooperatives reported over 150 power outages, likely due to icing, with damage estimates to $140K." +112106,668722,OKLAHOMA,2017,January,Ice Storm,"HARPER",2017-01-14 10:00:00,CST-6,2017-01-15 22:00:00,0,0,0,0,4088.00K,4088000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Reports of 0.5 inches of ice accumulation. Tree limbs up to 12 inches in diameter broken. Electric cooperatives reported 1891 power outages, with damages in excess of $4088K." +112106,671760,OKLAHOMA,2017,January,Ice Storm,"WOODS",2017-01-14 10:00:00,CST-6,2017-01-15 22:00:00,0,0,0,0,984.00K,984000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","The electric cooperatives reported over 1000 power outages, likely due to icing, with damage estimates to $984K." +111823,666975,TEXAS,2017,January,Hail,"REAL",2017-01-15 18:58:00,CST-6,2017-01-15 18:58:00,0,0,0,0,0.00K,0,0.00K,0,29.81,-99.76,29.81,-99.76,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668560,TEXAS,2017,January,Hail,"KERR",2017-01-15 19:08:00,CST-6,2017-01-15 19:08:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-99.69,30.07,-99.69,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced quarter size hail near the intersection of Highways 83 and 41 near the Kerr/Real County line." +111823,668561,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 19:20:00,CST-6,2017-01-15 19:20:00,0,0,0,0,0.00K,0,0.00K,0,29.74,-99.55,29.74,-99.55,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668562,TEXAS,2017,January,Hail,"KINNEY",2017-01-15 19:25:00,CST-6,2017-01-15 19:25:00,0,0,0,0,0.00K,0,0.00K,0,29.28,-100.45,29.28,-100.45,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668563,TEXAS,2017,January,Hail,"KINNEY",2017-01-15 19:45:00,CST-6,2017-01-15 19:45:00,0,0,0,0,0.00K,0,0.00K,0,29.32,-100.31,29.32,-100.31,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced quarter size hail east of Brackettville mainly south of Hwy 90." +111823,668564,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 19:52:00,CST-6,2017-01-15 19:52:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-99.25,29.84,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668565,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 19:55:00,CST-6,2017-01-15 19:55:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.25,29.8,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111753,666531,IOWA,2017,January,Ice Storm,"BUENA VISTA",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Storm Lake reported 0.52 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +111753,666532,IOWA,2017,January,Ice Storm,"CLAY",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Spencer reported 0.32 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +112827,674145,RHODE ISLAND,2017,January,Winter Storm,"WASHINGTON",2017-01-07 10:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eleven to sixteen inches of snow fell on Washington County during the day and evening." +112827,674147,RHODE ISLAND,2017,January,Winter Storm,"NEWPORT",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to fourteen inches of snow fell on Newport County during the day and evening." +112828,674153,CONNECTICUT,2017,January,Winter Storm,"WINDHAM",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Six to eleven inches of snow fell on Windham County during the day and evening." +112826,674156,MASSACHUSETTS,2017,January,Winter Storm,"NANTUCKET",2017-01-07 08:00:00,EST-5,2017-01-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Seven to eight inches of snow fell on Nantucket during from the morning of January 7 to the early morning of January 8. Conditions briefly approached blizzard criteria between 725 PM and 734 PM." +112826,674158,MASSACHUSETTS,2017,January,Winter Storm,"WESTERN PLYMOUTH",2017-01-07 09:00:00,EST-5,2017-01-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Thirteen to twenty inches of snow fell on Western Plymouth County in the day and evening." +112826,674159,MASSACHUSETTS,2017,January,Winter Storm,"EASTERN PLYMOUTH",2017-01-07 09:00:00,EST-5,2017-01-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Thirteen to nineteen inches of snow fell on Eastern Plymouth County during the day and the night. Conditions briefly approached blizzard criteria at Marshfield between 655 PM and 915 PM." +112826,674160,MASSACHUSETTS,2017,January,Winter Storm,"BARNSTABLE",2017-01-07 09:00:00,EST-5,2017-01-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to fifteen inches of snow fell on Barnstable County from the morning of January 7 to the early morning of January 8. Conditions approached blizzard criteria at Chatham between 252 PM and 306 PM on January 7." +112826,674161,MASSACHUSETTS,2017,January,Winter Storm,"DUKES",2017-01-07 09:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to sixteen inches of snow fell on Dukes County during the day and early night. Conditions briefly approached blizzard criteria at Marthas Vineyard Airport between 353 PM and 430 PM." +111753,666539,IOWA,2017,January,Winter Weather,"SIOUX",2017-01-16 03:00:00,CST-6,2017-01-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Sioux Center reported 0.20 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +111629,665936,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"RAMSEY",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665937,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"EASTERN WALSH",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665938,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"EDDY",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665939,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"NELSON",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665940,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"GRAND FORKS",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665941,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"GRIGGS",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113065,676159,OHIO,2017,January,Winter Weather,"CLINTON",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A NWS employee near Odgen measured 2.9 inches of snow. The NWS office measured 2.7 inches. Both the cooperative and the CoCoRaHS observers north of town measured 2 inches." +113002,675402,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 11:10:00,PST-8,2017-01-20 11:10:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-118.63,35.2701,-118.6249,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Bealville Road near Highway 58 south of Bealville." +111576,669333,OHIO,2017,January,Thunderstorm Wind,"DARKE",2017-01-10 20:45:00,EST-5,2017-01-10 21:00:00,0,0,0,0,8.00K,8000,0.00K,0,40.1,-84.62,40.1,-84.62,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Numerous trees and power lines were downed across Darke County, especially in the vicinity of Greenville, New Madison and Pitsburg." +111576,669476,OHIO,2017,January,Thunderstorm Wind,"CLARK",2017-01-10 21:28:00,EST-5,2017-01-10 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.94,-84.03,39.94,-84.03,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Two trees were downed." +111576,669477,OHIO,2017,January,Thunderstorm Wind,"LOGAN",2017-01-10 21:19:00,EST-5,2017-01-10 21:21:00,0,0,0,0,5.00K,5000,0.00K,0,40.5,-83.56,40.5,-83.56,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","A metal barn was destroyed." +111576,669478,OHIO,2017,January,Thunderstorm Wind,"WARREN",2017-01-10 21:30:00,EST-5,2017-01-10 21:32:00,0,0,0,0,1.00K,1000,0.00K,0,39.53,-84.09,39.53,-84.09,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Two trees were downed." +111576,669479,OHIO,2017,January,Thunderstorm Wind,"WARREN",2017-01-10 21:50:00,EST-5,2017-01-10 21:52:00,0,0,0,0,2.00K,2000,0.00K,0,39.5,-84,39.5,-84,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","A few trees were downed." +112291,669605,LOUISIANA,2017,January,Tornado,"ST. TAMMANY",2017-01-02 14:44:00,CST-6,2017-01-02 14:44:00,0,0,0,0,0.00K,0,0.00K,0,30.5895,-89.9019,30.5895,-89.9019,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A weak tornado...EF0..snapped or toppled several small trees on Hands Drive in the south part of Bush. Tornado classification was primarily based on security camera video of a short lived narrow vortex. Path length 30 yards. Path width 5 yards. Estimated maximum wind speed 65 mph." +112291,669606,LOUISIANA,2017,January,Thunderstorm Wind,"ST. TAMMANY",2017-01-02 10:26:00,CST-6,2017-01-02 10:26:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-89.75,30.37,-89.75,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A pine tree was snapped near the intersection of Louisiana Highways 41 and 36." +112291,669607,LOUISIANA,2017,January,Thunderstorm Wind,"POINTE COUPEE",2017-01-02 12:30:00,CST-6,2017-01-02 12:30:00,0,0,0,0,0.00K,0,0.00K,0,30.84,-91.66,30.84,-91.66,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Roof damage to a home and shed was reported in Batchelor." +112291,669608,LOUISIANA,2017,January,Thunderstorm Wind,"WEST FELICIANA",2017-01-02 12:41:00,CST-6,2017-01-02 12:41:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-91.38,30.83,-91.38,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Several trees and poles were blown down, as well as damage to a large transmission line, causing power outages to 1500 homes and businesses. Most of the damage was in Bains. The emergency manager was able to view the damage from a helicopter and determined the damage was caused by straight line winds. The event time was based on radar." +112291,669609,LOUISIANA,2017,January,Thunderstorm Wind,"EAST FELICIANA",2017-01-02 12:54:00,CST-6,2017-01-02 12:54:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-91.21,30.83,-91.21,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A large tree was reported snapped in Jackson." +112291,669611,LOUISIANA,2017,January,Thunderstorm Wind,"WASHINGTON",2017-01-02 14:06:00,CST-6,2017-01-02 14:06:00,0,0,0,0,0.00K,0,0.00K,0,30.94,-90.19,30.94,-90.19,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Wind damage was reported to the roofs of 5 buildings. Power lines were reported knocked down and a large pine tree is blown down. Event time was estimated by radar." +111631,676795,NORTH DAKOTA,2017,January,Blizzard,"RAMSEY",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676796,NORTH DAKOTA,2017,January,Blizzard,"EASTERN WALSH",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676797,NORTH DAKOTA,2017,January,Blizzard,"WESTERN WALSH",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +113486,679358,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 10:30:00,MST-7,2017-01-31 18:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 31/1150 MST." +113486,679555,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 16:50:00,MST-7,2017-01-31 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +113486,679556,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 13:45:00,MST-7,2017-01-31 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Elk Mountain measured peak wind gusts of 58 mph." +113486,679557,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 09:35:00,MST-7,2017-01-31 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher." +113273,677840,IDAHO,2017,January,Winter Storm,"SOUTH CENTRAL HIGHLANDS",2017-01-22 13:00:00,MST-7,2017-01-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","A very powerful Pacific storm brought heavy snow and strong winds to the South Central Highlands. COOP observers reported 13.5 inches of snow in Malad City and 7.2 inches in Malta. SNOTEL amounts were 17 inches at Magic Mountain, 9 inches at Bostetter Ranger Station, 13 inches at Howell Canyon, and 22 inches at Oxford Springs. Oneida County schools were closed on the 23rd and 24th and Cassia County Schools were closed on the 24th. Snow and wind closed Highway 38 from Malad to Holbrook on the 23rd and 24th. Highway 77 was closed from Malta to Declo. Highway 81 was closed from milepost 0.5 in Malta to milepost 15." +113273,677848,IDAHO,2017,January,Winter Storm,"CACHE VALLEY/IDAHO PORTION",2017-01-22 14:00:00,MST-7,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Another Pacific storm brought extremely heavy snow to the Cache Valley. The Preston COOP observer reported 12.9 inches of snow. The Westside School District 202 was closed on the 23rd. Preston Schools were closed on the 24th. Highway 36 between Interstate 15 and Weston was closed for several hours on the 23rd due to a tractor-trailer and other vehicles getting stuck." +113273,677850,IDAHO,2017,January,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-01-22 14:00:00,MST-7,2017-01-23 22:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Although the heaviest snow with this storm fell to the south and southeast of the Wood River region, the Galena Summit SNOTEL got 10 inches of snow and the Lost Wood Divide SNOTEL got 8 inches. COOP observers reported 5 inches in Bellevue and 7.2 inches in Ketchum. Although not receiving heavy snow, the weight of the month's total snow collapsed a building in Bellevue in the early morning hours on the 24th." +112520,671046,KENTUCKY,2017,January,Dense Fog,"TRIGG",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671047,KENTUCKY,2017,January,Dense Fog,"HENDERSON",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112521,671073,ILLINOIS,2017,January,Strong Wind,"UNION",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112522,671080,INDIANA,2017,January,Strong Wind,"GIBSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671074,ILLINOIS,2017,January,Strong Wind,"WABASH",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +111791,666801,ILLINOIS,2017,January,High Wind,"GRUNDY",2017-01-10 14:37:00,CST-6,2017-01-10 14:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure moved across the Midwest, bringing gusts to 45 to 50 mph across much of northern Illinois.","" +111791,666802,ILLINOIS,2017,January,High Wind,"WILL",2017-01-10 15:14:00,CST-6,2017-01-10 15:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure moved across the Midwest, bringing gusts to 45 to 50 mph across much of northern Illinois.","" +111794,666805,INDIANA,2017,January,High Wind,"LAKE",2017-01-10 17:45:00,CST-6,2017-01-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure moved across the Midwest, bringing gusts to 45 to 50 mph across much of northwest Indiana.","" +111794,666806,INDIANA,2017,January,High Wind,"PORTER",2017-01-10 18:00:00,CST-6,2017-01-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure moved across the Midwest, bringing gusts to 45 to 50 mph across much of northwest Indiana.","" +113201,677202,OHIO,2017,January,Thunderstorm Wind,"COLUMBIANA",2017-01-12 14:14:00,EST-5,2017-01-12 14:14:00,0,0,0,0,5.00K,5000,0.00K,0,40.6,-80.66,40.6,-80.66,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported trees down on roads in Wellsville." +113201,677203,OHIO,2017,January,Thunderstorm Wind,"CARROLL",2017-01-12 14:30:00,EST-5,2017-01-12 14:30:00,0,0,0,0,2.00K,2000,0.00K,0,40.56,-81.12,40.56,-81.12,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported trees down." +113201,677204,OHIO,2017,January,Thunderstorm Wind,"CARROLL",2017-01-12 14:30:00,EST-5,2017-01-12 14:30:00,0,0,0,0,2.00K,2000,0.00K,0,40.58,-81.09,40.58,-81.09,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported trees down." +113056,676008,LOUISIANA,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-02 12:25:00,CST-6,2017-01-02 12:25:00,0,0,0,0,20.00K,20000,0.00K,0,32.16,-91.72,32.16,-91.72,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This brought additional severe storms during some of the afternoon.","Numerous trees and powerlines were blown down." +113057,676009,MISSISSIPPI,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-19 04:46:00,CST-6,2017-01-19 04:46:00,0,0,0,0,5.00K,5000,0.00K,0,31.4878,-90.7801,31.4878,-90.7801,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Trees were blown down on Round Top Hill Road, near Pleasant Valley Road." +113057,676011,MISSISSIPPI,2017,January,Thunderstorm Wind,"COPIAH",2017-01-19 06:55:00,CST-6,2017-01-19 06:55:00,0,0,0,0,10.00K,10000,0.00K,0,31.8682,-90.1627,31.8682,-90.1627,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Trees were blown down in the Georgetown area." +113057,676012,MISSISSIPPI,2017,January,Thunderstorm Wind,"FRANKLIN",2017-01-19 07:30:00,CST-6,2017-01-19 07:30:00,0,0,0,0,8.00K,8000,0.00K,0,31.4606,-90.8778,31.4606,-90.8778,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Highway 556 south of Highway 98 was blocked due to trees in the road." +113057,676014,MISSISSIPPI,2017,January,Flash Flood,"SMITH",2017-01-19 09:30:00,CST-6,2017-01-19 12:00:00,0,0,0,0,4.00K,4000,0.00K,0,32.15,-89.6,32.1602,-89.5561,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Water was across Highway 481." +113057,676015,MISSISSIPPI,2017,January,Flash Flood,"LINCOLN",2017-01-19 11:51:00,CST-6,2017-01-19 14:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.5805,-90.4802,31.5801,-90.4775,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","The road behind the Home Depot in Brookhaven was flooded." +113057,676016,MISSISSIPPI,2017,January,Thunderstorm Wind,"HINDS",2017-01-19 16:24:00,CST-6,2017-01-19 16:24:00,0,0,0,0,5.00K,5000,0.00K,0,32.3281,-90.3256,32.3281,-90.3256,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Powerlines were blown down on Springridge Road in Clinton. Two 18 wheeler trucks were entangled in the lines when they fell on I-20." +113571,679850,ALASKA,2017,January,High Wind,"SERN P.W. SND",2017-01-06 15:59:00,AKST-9,2017-01-07 01:53:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High pressure over the western mainland and a weak trough over the North Gulf Coast caused channeling through northerly passes, bringing strong gap winds to Prince William Sound.","Dispatcher reported widespread damage across Cordova. Many trees have been blown over or snapped with several of them falling on houses. Anywhere from one to two dozen structures have sustained roof damage from falling or breaking trees. Several boats have been damaged. Much of the damage reported is along the Copper River highway from mile 6 to 6 and a half. An estimation of 30 to 40 uprooted trees. Estimated wind gusts of 40 to 60 mph from the northwest." +113574,679856,ALASKA,2017,January,Blizzard,"ALASKA PENINSULA",2017-01-15 21:00:00,AKST-9,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system in the Gulf of Alaska brought a front through the northeast of Prince William Sound, causing high winds and blizzard conditions through Thompson Pass.","White-out conditions (with wind) were most definitely observed last night through this morning. Snow totals for the past 5 days: 3 on the 12th, 14 on the 13th, 18 on the 14th, 10 on the 15th, and 6 today. Snow Depth (wind scoured) around 48 (3.7 SWE). Winds have picked up out of the south as the front moved onshore this afternoon." +113575,679857,ALASKA,2017,January,Blizzard,"KUSKOKWIM DELTA",2017-01-19 01:56:00,AKST-9,2017-01-19 14:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 977 mb low moved onto the Kuskokwim Coast, bringing northerly flow and snowfall to the outer coast. This brought blizzard conditions to the coast and Nunivak Island.","Mekoryuk reported blizzard conditions for 13 hours." +113576,679858,ALASKA,2017,January,Heavy Snow,"CENTRAL ALEUTIANS",2017-01-23 08:16:00,AKST-9,2017-01-23 13:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved through the Aleutians, bringing high winds and snow to many communities. This caused blizzard conditions for the Aleutians and the Pribilof Islands.","Adak air station reported reduced visibility due to snow for 5 hours. They also had wind gusts to 53 knots during this time." +113576,679859,ALASKA,2017,January,Blizzard,"WESTERN ALEUTIANS",2017-01-22 11:54:00,AKST-9,2017-01-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved through the Aleutians, bringing high winds and snow to many communities. This caused blizzard conditions for the Aleutians and the Pribilof Islands.","Eareckson Air Station reported visibilities reduced to less than 1/4 mile in snow and wind. The observation station ceased reporting at 4 p.m. on 1/22." +113576,679860,ALASKA,2017,January,Blizzard,"PRIBILOF ISLANDS",2017-01-22 11:09:00,AKST-9,2017-01-23 09:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved through the Aleutians, bringing high winds and snow to many communities. This caused blizzard conditions for the Aleutians and the Pribilof Islands.","Saint Paul reported 1/16th of a mile visibility in snow and blowing snow. Peak winds reached 49 knots. No reports of damage." +113576,679862,ALASKA,2017,January,Blizzard,"ALASKA PENINSULA",2017-01-22 12:03:00,AKST-9,2017-01-22 19:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved through the Aleutians, bringing high winds and snow to many communities. This caused blizzard conditions for the Aleutians and the Pribilof Islands.","Blizzard conditions reported at Cold Bay and King Cove for 7.5 hours." +111464,665436,NEW JERSEY,2017,January,Winter Weather,"WESTERN ATLANTIC",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than two inches of snow fell from this event, with 1.5 inches reported near Hammonton, 1.0 inches at Atlantic City International Airport in Pomona, and 0.8 inches in Estell Manor." +111464,665438,NEW JERSEY,2017,January,Winter Weather,"NORTHWESTERN BURLINGTON",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.4 inches reported in Burlington City, 2.0 inches at the NWS office near Mount Holly, and 1.1 inches in Medford." +111464,665439,NEW JERSEY,2017,January,Winter Weather,"CAMDEN",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.5 inches reported in Gloucester City, 2.3 inches in Cherry Hill, 1.5 inches in Somerdale, and 1.0 inches near mount Ephraim." +111464,665440,NEW JERSEY,2017,January,Winter Weather,"WESTERN CAPE MAY",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than one-half inch of snow fell from this event, with 0.5 inches reported in Tuckahoe, 0.3 inches in Seaville, and 0.3 inches in Cape May Courthouse." +118230,710563,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 23:02:00,CST-6,2017-06-29 23:02:00,0,0,0,0,,NaN,,NaN,41.16,-95.92,41.16,-95.92,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118230,710564,NEBRASKA,2017,June,Hail,"SARPY",2017-06-29 23:04:00,CST-6,2017-06-29 23:04:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","" +118252,710624,IOWA,2017,June,Hail,"PAGE",2017-06-28 15:25:00,CST-6,2017-06-28 15:25:00,0,0,0,0,,NaN,,NaN,40.79,-95.22,40.79,-95.22,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","" +111523,665591,NEW JERSEY,2017,January,Winter Storm,"MIDDLESEX",2017-01-07 08:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an arctic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from less than one inch in Sussex County up to 8 inches in Cape May County.||Average arrival delays were reported at more than three hours at Philadelphia International Airport, and there were 201 reported canceled flights at Liberty International Airport in Newark. New Jersey State Police responded to 318 motor vehicle crashes and 536 motorist aids statewide during the 24-hour period ending at midnight Sunday morning as road temperatures were below freezing throughout the event. ||Atlantic county had several closings including the local libraries. Several sporting events were also cancelled. The Marine museum in Brigantine also closed due to snow.","Snow began falling during the morning hours on January 7th, then continued heavy at times through the day before moving off the coast around sunset. Total snowfall reports ranged between 5 and 7 inches, including 7.0 inches in Fords, 6.5 inches in East Brunswick, 6.0 inches in Perth Amboy, and 5.0 inches in Old Bridge Township. Strong northwest winds the following day produced blowing and drifting snow. A few traffic accidents were reported in the county." +118230,710599,NEBRASKA,2017,June,Tornado,"CEDAR",2017-06-29 16:45:00,CST-6,2017-06-29 17:11:00,0,0,0,0,,NaN,,NaN,42.7521,-97.4062,42.6802,-97.1519,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","This tornado started about 4 1/2 miles northwest of Fordyce near Highway US 81 and moved southeast. The tornado crossed Nebraska Highway 12 and passed 1/2 mile north of Bow Valley. Little damage was noted as the tornado crossed through rural, agricultural, areas. The tornado made a right turn and headed south-southeast about 2 miles south of Wynot. The tornado struck a farmstead which destroyed a barn, knocked over trees, and did minor structural damage to a home. The tornado then flipped over a center pivot irrigation system and produced minor roof damage to a home before dissipating." +111521,665523,DELAWARE,2017,January,Winter Storm,"KENT",2017-01-07 05:00:00,EST-5,2017-01-07 17:00:00,0,5,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure off the southeast coast strengthened as it tracked northeastward to a position about 300 miles off the New Jersey coast by Saturday evening, January 7th. With cold air entrenched over the area courtesy of an artic high pressure system preceding the storm, precipitation fell as all snow throughout the region, even along the coast, where the highest snowfall totals were recorded. Snowfall totals ranged from around 2 inches in northern New Castle County to over 13 inches along coastal sections of Sussex County. Some representative snowfall amounts include 4.7 inches in Blackbird, 3.5 inches in Port Penn, 3.0 inches at New Castle County Airport, 2.0 inches in Newark (all in New Castle County); 6.5 inches in Dover, 4.8 inches in Woodside, 4.4 inches in Frederica, and 3.0 inches in Hazlettville (all in Kent County); 13.5 inches in Ocean View, 13.0 inches in Selbyville, 9.0 inches in Seaford, 8.0 inches in Laurel, 6.1 inches in Bridgeville, 6.0 inches in Blades, and 5.8 inches in Nassau (all in Sussex County).||Governor Jack Markell issued a Limited State of Emergency for Sussex and Kent Counties with a Level 1 Driving Warning. State law mandates that any person driving on Delaware roadways during a Level 1 Warning must exercise extra caution. The city of Georgetown was placed under a Snow Emergency Plan, meaning cars parked on snow emergency routes can be towed at owner's expense. Delaware State Police reported 87 crashes with no injuries statewide, 28 in Sussex County. Seven crashes statewide resulted in injuries. In addition to these crashes, there were 23 disabled vehicles reported, 19 of which were in Sussex County. Numerous public and private meetings and seminars scheduled in Kent and Sussex Counties were cancelled due to the weather. The Beebe Healthcare along several other local organizations and local government facilities were also closed in Sussex county. Several schools were also closed on the 9th. Triple A got over 200 calls for assistance.","Snow began during the early morning hours on the 7th, then continued, heavy at times through the late afternoon hours, ending by sunset. Generally 3 to 6 inches of snow fell in Kent County during the storm, with the highest totals in the south. Some representative snowfall reports include 6.5 inches in Dover, 4.8 inches in Woodside, 3.3 inches in Felton, and 3.0 inches in Hazlettville.||DELDOT reported five personal injury accidents during the storm." +111681,666227,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-07 04:50:00,EST-5,2017-01-07 04:50:00,0,0,0,0,0.00K,0,0.00K,0,27.3955,-82.5544,27.3955,-82.5544,"A strong cold front moved south across the Florida Peninsula, producing a few thunderstorms with strong wind gusts along the coast.","The ASOS at Sarasota-Bradenton International Airport measured a 38 knot thunderstorm wind gust." +111695,666277,OREGON,2017,January,Heavy Snow,"CURRY COUNTY COAST",2017-01-01 16:00:00,PST-8,2017-01-03 16:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","A spotter 6E Gold Beach reported 8.5 inches of snow as of 02/0828 PST, another 3.5 inches and a snow depth of 12.0 inches as of 02/1158 PST, and a snow depth of 13.0 inches at 02/1639 PST." +113914,682234,ALASKA,2017,February,Heavy Snow,"MIDDLE TANANA VALLEY",2017-02-24 14:50:00,AKST-9,2017-02-26 02:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abundant amount of moisture spread over the middle Tanana valley and dropped 8 to 12 inches of snow across the area on February 25th.||Zone 222: Reported snowfall of 9 inches of snow at College hills.","Snowfall of 9 inches reported at College hills." +112409,670148,WYOMING,2017,January,Winter Storm,"JACKSON HOLE",2017-01-22 17:00:00,MST-7,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","The Teton County sheriff reported 6 to 8 inches of snow around the city of Jackson. In Moose, 9 inches of new snow fell." +114809,688591,TEXAS,2017,April,Hail,"DALLAS",2017-04-26 04:58:00,CST-6,2017-04-26 04:58:00,0,0,0,0,0.00K,0,0.00K,0,32.58,-96.95,32.58,-96.95,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A media report indicated a few golf-ball sized hail stones within dozens of smaller stones." +114848,688974,TEXAS,2017,April,Hail,"HUNT",2017-04-04 19:03:00,CST-6,2017-04-04 19:03:00,0,0,0,0,0.00K,0,0.00K,0,33.25,-96.18,33.25,-96.18,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A trained spotter reported golf ball sized hail in the town of Kingston, TX." +114848,688975,TEXAS,2017,April,Hail,"LAMAR",2017-04-04 19:57:00,CST-6,2017-04-04 19:57:00,0,0,0,0,0.00K,0,0.00K,0,33.6329,-95.507,33.6329,-95.507,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","Amateur radio reported quarter sized hail near Southeast Loop 286 in the city of Paris, TX." +114848,688977,TEXAS,2017,April,Hail,"LAMAR",2017-04-04 20:00:00,CST-6,2017-04-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-95.48,33.61,-95.48,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","A trained spotter reported quarter sized hail near Hwy 271 just south of Cox Field." +114848,688979,TEXAS,2017,April,Hail,"LAMAR",2017-04-04 20:05:00,CST-6,2017-04-04 20:05:00,0,0,0,0,0.00K,0,0.00K,0,33.7,-95.38,33.7,-95.38,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","Amateur radio reported quarter sized hail approximately 2 miles north of the city of Blossom, TX." +114810,692675,TEXAS,2017,April,Hail,"NAVARRO",2017-04-02 09:06:00,CST-6,2017-04-02 09:06:00,0,0,0,0,0.00K,0,0.00K,0,32.18,-96.38,32.18,-96.38,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692676,TEXAS,2017,April,Hail,"BELL",2017-04-02 09:34:00,CST-6,2017-04-02 09:34:00,0,0,0,0,0.00K,0,0.00K,0,30.9,-97.23,30.9,-97.23,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692677,TEXAS,2017,April,Hail,"MILAM",2017-04-02 09:43:00,CST-6,2017-04-02 09:43:00,0,0,0,0,0.00K,0,0.00K,0,30.65,-97,30.65,-97,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692678,TEXAS,2017,April,Hail,"NAVARRO",2017-04-02 09:52:00,CST-6,2017-04-02 09:52:00,0,0,0,0,0.00K,0,0.00K,0,31.97,-96.63,31.97,-96.63,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +114810,692679,TEXAS,2017,April,Hail,"VAN ZANDT",2017-04-02 10:44:00,CST-6,2017-04-02 10:44:00,0,0,0,0,0.00K,0,0.00K,0,32.5562,-95.7982,32.5562,-95.7982,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","" +115498,693518,TEXAS,2017,April,Flash Flood,"LAMAR",2017-04-17 07:30:00,CST-6,2017-04-17 10:15:00,0,0,0,0,0.00K,0,0.00K,0,33.6718,-95.5014,33.546,-95.6312,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Lamar County Sheriff's Department reported that several roads were closed near the city or Paris, including U.S. Hwy 271 at Cobb Ranch Road, FM 905 at CR 13400 and CR 43900 at U.S. Highway 82." +115498,693519,TEXAS,2017,April,Flash Flood,"LAMAR",2017-04-17 07:30:00,CST-6,2017-04-17 10:15:00,0,0,0,0,0.00K,0,0.00K,0,33.7492,-95.6885,33.7369,-95.6875,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Lamar County Sheriff's Department reported that FM 79 near the city of Sumner was closed due to high water." +111830,667008,NEW JERSEY,2017,January,Heavy Rain,"BURLINGTON",2017-01-24 06:47:00,EST-5,2017-01-24 06:47:00,0,0,0,0,,NaN,,NaN,39.96,-74.51,39.96,-74.51,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,668015,NEW JERSEY,2017,January,High Wind,"WESTERN OCEAN",2017-01-23 13:33:00,EST-5,2017-01-23 13:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 59 mph gust." +115344,692578,ARKANSAS,2017,April,Thunderstorm Wind,"PRAIRIE",2017-04-26 15:23:00,CST-6,2017-04-26 15:23:00,0,0,0,0,0.00K,0,0.00K,0,34.52,-91.62,34.52,-91.62,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A trained spotter measured a 60 mph wind gust, which kicked up a lot of dust." +115344,692579,ARKANSAS,2017,April,Hail,"OUACHITA",2017-04-26 15:26:00,CST-6,2017-04-26 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-92.82,33.54,-92.82,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +115344,692580,ARKANSAS,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-26 15:34:00,CST-6,2017-04-26 15:34:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-92.72,33.63,-92.72,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Trees were downed." +115344,692582,ARKANSAS,2017,April,Thunderstorm Wind,"WOODRUFF",2017-04-26 15:48:00,CST-6,2017-04-26 15:48:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-91.25,35.01,-91.25,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Reports of power lines and trees down in southern Woodruff County south of County Road 306." +115344,692584,ARKANSAS,2017,April,Thunderstorm Wind,"MONROE",2017-04-26 15:50:00,CST-6,2017-04-26 15:50:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-91.19,34.88,-91.19,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A mobile road sign was blown down on Interstate 40 at Brinkley." +115344,692585,ARKANSAS,2017,April,Thunderstorm Wind,"WOODRUFF",2017-04-26 15:53:00,CST-6,2017-04-26 15:53:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-91.2,35.26,-91.2,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Reports received of power lines and trees down on Highway 269." +115165,691393,ARKANSAS,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 20:54:00,CST-6,2017-04-04 20:54:00,0,0,0,0,5.00K,5000,0.00K,0,35.82,-93.2,35.82,-93.2,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","This is a delayed report. Newton County emergency management reported a porch was damaged by thunderstorm winds near Deer." +112427,674334,WYOMING,2017,January,Winter Storm,"CODY FOOTHILLS",2017-01-31 08:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist Pacific flow and upper level disturbances moving through the region brought a period of heavy snow to portions of western and northern Wyoming. This event continued into February so please see the February issue of Storm Data for the details on this storm.","" +112427,674335,WYOMING,2017,January,Winter Storm,"NORTH BIG HORN BASIN",2017-01-31 08:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist Pacific flow and upper level disturbances moving through the region brought a period of heavy snow to portions of western and northern Wyoming. This event continued into February so please see the February issue of Storm Data for the details on this storm.","" +112427,674336,WYOMING,2017,January,Avalanche,"YELLOWSTONE NATIONAL PARK",2017-01-31 22:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist Pacific flow and upper level disturbances moving through the region brought a period of heavy snow to portions of western and northern Wyoming. This event continued into February so please see the February issue of Storm Data for the details on this storm.","" +115165,691395,ARKANSAS,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 20:55:00,CST-6,2017-04-04 20:55:00,0,0,0,0,5.00K,5000,0.00K,0,35.83,-93.22,35.83,-93.22,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","A roof was removed from a porch at a home in Deer by thunderstorm winds." +115165,691397,ARKANSAS,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 21:09:00,CST-6,2017-04-04 21:09:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-93.07,35.94,-93.07,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Emergency Manager reported trees down." +115165,691398,ARKANSAS,2017,April,Hail,"MARION",2017-04-04 21:50:00,CST-6,2017-04-04 21:50:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-92.59,36.28,-92.59,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Ping Pong ball size hail was reported in Flippin." +115165,691400,ARKANSAS,2017,April,Hail,"BAXTER",2017-04-04 22:05:00,CST-6,2017-04-04 22:05:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-92.49,36.28,-92.49,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","A trained spotter reported quarter size hail near Gassville." +115165,691403,ARKANSAS,2017,April,Hail,"STONE",2017-04-04 23:04:00,CST-6,2017-04-04 23:04:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-92.11,35.93,-92.11,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Nickel size hail was covering the ground and reported through social media." +112205,669123,FLORIDA,2017,January,Hail,"LAKE",2017-01-22 19:00:00,EST-5,2017-01-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,28.88,-81.73,28.88,-81.73,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A trained weather spotter in Grand Island observed quarter-sized hail falling as an isolated severe thunderstorm moved rapidly northeast across the area." +112205,669126,FLORIDA,2017,January,Thunderstorm Wind,"VOLUSIA",2017-01-22 20:05:00,EST-5,2017-01-22 20:05:00,0,0,0,0,0.00K,0,0.00K,0,29.03,-81.34,29.03,-81.34,"An unusually strong jet stream aided development of an intense squall line which moved rapidly across east central Florida during the evening of January 22. Several thunderstorms developed ahead of the main squall line and became severe, as well as other storms within the squall line itself. Reports of quarter sized hail, wind gusts over 60 mph and funnel clouds were received. A localized area of tree damage also occurred.","A trained weather spotter provided photos of wind damage which occurred to trees near the intersection of State Road 44 and S. Ridgewood Road in Deland. The photos of damage to multiple large limbs and several small trees suggested winds near 60 mph." +112216,669134,HAWAII,2017,January,Heavy Rain,"MAUI",2017-01-01 00:00:00,HST-10,2017-01-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,20.8899,-156.3602,20.7331,-156.0292,"A weakening, nearly stationary front generated heavy precipitation over parts of Maui and the Big Island. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported. This is a continuation of an episode from December 31.","" +112216,669135,HAWAII,2017,January,Heavy Rain,"HAWAII",2017-01-01 02:00:00,HST-10,2017-01-01 07:35:00,0,0,0,0,0.00K,0,0.00K,0,20.0341,-155.8095,19.829,-155.1187,"A weakening, nearly stationary front generated heavy precipitation over parts of Maui and the Big Island. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported. This is a continuation of an episode from December 31.","" +112232,669230,MONTANA,2017,January,High Wind,"NORTHERN SWEET GRASS",2017-01-27 11:35:00,MST-7,2017-01-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight east/west pressure gradient across portions of south central Montana resulted in a few areas experiencing high winds.","Winds gusted to 58 mph in Big Timber." +112072,669344,FLORIDA,2017,January,Coastal Flood,"COASTAL CITRUS",2017-01-22 21:00:00,EST-5,2017-01-22 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts, some of which caused minor damage. Additionally, the persistent gradient winds caused minor coastal flooding.","Water was reported to have risen up to US 19 in Crystal River, or about 2 feet above the high tide." +111707,666310,OKLAHOMA,2017,January,Winter Weather,"MCCURTAIN",2017-01-06 01:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Eastern Oklahoma and Western Arkansas during the 6th. Temperatures remained in the mid and upper 20s during the daytime hours on the 6th, which resulted in accumulating snow of 1-2 inches across much of McCurtain County Oklahoma. Specifically, 1 inch of snow fell in the Eagletown, Valliant, and Haworth communities, 1.4 inches fell in Battiest, 1.5 inches fell near Broken Bow and Wright City, with 1.8 inches falling in Idabel. These accumulations occurred on grassy surfaces as well as bridges, overpasses, and some roadways, resulting in hazardous travel conditions.","" +111708,666312,ARKANSAS,2017,January,Winter Weather,"SEVIER",2017-01-06 05:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +111708,666313,ARKANSAS,2017,January,Winter Weather,"LITTLE RIVER",2017-01-06 05:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +112155,668894,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 17:50:00,CST-6,2017-01-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,33.0058,-93.4662,33.0058,-93.4662,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A member of the general public posted a photo to the KSLA Facebook page of tennis ball size hail that fell in Springhill." +112155,668895,LOUISIANA,2017,January,Hail,"NATCHITOCHES",2017-01-21 17:50:00,CST-6,2017-01-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,31.7541,-93.0873,31.7541,-93.0873,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell in Natchitoches." +112155,668975,LOUISIANA,2017,January,Thunderstorm Wind,"UNION",2017-01-21 20:27:00,CST-6,2017-01-21 20:27:00,0,0,0,0,0.00K,0,0.00K,0,32.904,-92.3988,32.904,-92.3988,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Several trees were snapped and uprooted north of Farmerville." +112155,668976,LOUISIANA,2017,January,Tornado,"LA SALLE",2017-01-21 20:29:00,CST-6,2017-01-21 20:30:00,0,0,0,0,90.00K,90000,0.00K,0,31.6792,-92.1562,31.6779,-92.154,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with maximum estimated winds between 86-95 mph touched down just west of Parish Road 3104 near the intersection of Highway 8 on the west side of Jena, snapping and uprooting several trees and tearing the roof and a portion of the wall off of a wooden outbuilding. The tornado also ripped some shingles off of a church across the street with debris breaking a few windows from the church as well. The tornado also ripped a canopy off of a gas station on Highway 8, tossing it 40-50 yards down the road. The worst of the structural damage came to a Conoco office building on Highway 8, where much of the front brick facade collapsed. Several windows from this office building were shattered as well. The tornado continued southeast behind the office building where it heavy damaged a couple of metal storage buildings. Several trees were also snapped downstream from these storage buildings before the tornado lifted north of Park Street." +112298,669639,MISSISSIPPI,2017,January,Sleet,"AMITE",2017-01-06 14:30:00,CST-6,2017-01-06 16:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moisture riding over the top of a very cold airmass produced sleet and freezing rain over southwest Mississippi and the adjacent southeast Louisiana parishes. Some accumulations of sleet were reported in Wilkinson County, with trace amounts reported across much of the remainder of southwest Mississippi.","Light to moderate sleet was reported across Wilkinson County with accumulation reported on elevated surfaces and on the ground." +112299,669645,LOUISIANA,2017,January,Flash Flood,"EAST BATON ROUGE",2017-01-19 09:20:00,CST-6,2017-01-19 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.5247,-91.1876,30.4695,-91.1769,"A stationary front provided a focus for the development of slow moving thunderstorms in the Baton Rouge area that produced 5 to 6 inches of rain locally. A few areas of flooding were reported.","Louisiana Department of Transportation reported US Highway 61 at Louisiana Highway 67 was closed due to flooding. Report was relayed by social media." +112342,669794,INDIANA,2017,January,Lake-Effect Snow,"ST. JOSEPH",2017-01-29 16:00:00,EST-5,2017-01-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow developed across northwest Indiana late on January 29th into early January 30th. Reduced visibilities, snow covered roads and localized snowfall totals in excess of 6 inches created difficult driving conditions.","Periods of moderate to heavy lake effect snow showers accumulated to between 3 and 8 inches mid-afternoon on January 29th into the early morning hours of January 30th. The heaviest snowfall totals were reported across northern St. Joseph County, including the South Bend area. A trained spotter reported 7 inches of total snow accumulation in Osceola. Reduced visibilities and snow covered roads aided in slide-offs and minor accidents across the region during this time. Many schools were delayed on January 30th." +112342,669795,INDIANA,2017,January,Winter Weather,"ELKHART",2017-01-29 16:00:00,EST-5,2017-01-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow developed across northwest Indiana late on January 29th into early January 30th. Reduced visibilities, snow covered roads and localized snowfall totals in excess of 6 inches created difficult driving conditions.","Periods of moderate to heavy lake effect snow showers accumulated to between 2 and 5 inches mid-afternoon on January 29th into the early morning hours of January 30th. The heaviest snowfall totals were reported across northwest Elkhart County, including the Elkhart area. Reduced visibilities and snow covered roads aided in slide-offs and minor accidents across the region during this time. Many schools were delayed on January 30th." +112404,670145,COLORADO,2017,January,Winter Storm,"N DOUGLAS COUNTY BELOW 6000 FEET / DENVER / W ADAMS & ARAPAHOE COUNTIES / E BROOMFIELD COUNTY",2017-01-04 14:00:00,MST-7,2017-01-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included 7 inches near Brighton and Westminster, with 6.7 inches near Northglenn." +111686,667461,NEBRASKA,2017,January,Ice Storm,"SEWARD",2017-01-15 11:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +112018,668069,MINNESOTA,2017,January,Winter Weather,"MURRAY",2017-01-24 18:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 2 to 4 inches, including 4 inches near Currie. Winds of 20 to 30 mph caused areas of blowing and drifting snow." +111686,667502,NEBRASKA,2017,January,Ice Storm,"SAUNDERS",2017-01-15 09:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +111686,667503,NEBRASKA,2017,January,Ice Storm,"SARPY",2017-01-15 10:00:00,CST-6,2017-01-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +111564,676614,CALIFORNIA,2017,January,Flood,"PLUMAS",2017-01-09 10:00:00,PST-8,2017-01-10 10:12:00,0,0,0,0,0.00K,0,0.00K,0,40.174,-121.0902,40.1732,-121.0905,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Northbound lane of Highway 89 closed due to 8 inches of water in the roadway." +111564,676615,CALIFORNIA,2017,January,Flood,"GLENN",2017-01-09 14:00:00,PST-8,2017-01-10 14:02:00,0,0,0,0,0.00K,0,0.00K,0,39.4687,-121.7419,39.4671,-121.9707,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","SR162 was closed from Road Y to Midway in Butte County due to flooding." +112800,681815,CALIFORNIA,2017,January,Flash Flood,"KERN",2017-01-05 09:30:00,PST-8,2017-01-05 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.3972,-118.8183,35.3886,-118.8193,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding east of Bakersfield on Breckenridge Road about 3 miles from Commanche Drive." +112998,675300,CALIFORNIA,2017,January,Flood,"KERN",2017-01-07 11:17:00,PST-8,2017-01-07 11:17:00,0,0,0,0,0.00K,0,0.00K,0,35.3107,-117.9935,35.3241,-117.986,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding at Highway 14 and Redrock Randsburg Road near Cantil." +112998,675303,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-07 12:31:00,PST-8,2017-01-07 12:31:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-118.86,35.8923,-118.8596,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road flooding and debris on Hot Springs Road and Road M-52 about 20 miles west of California Hot Springs." +112998,675305,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-07 13:29:00,PST-8,2017-01-07 13:29:00,0,0,0,0,0.00K,0,0.00K,0,37.4606,-120.7425,37.4663,-120.7433,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road flooding at Harding Road and Cortez Road near Cortez." +112998,675308,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-07 15:00:00,PST-8,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5893,-119.886,36.5895,-119.8912,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding southeast of Raisin City on Dinuba Avenue near Henderson Road." +113060,677897,ALABAMA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 12:36:00,CST-6,2017-01-22 12:37:00,0,0,0,0,0.00K,0,0.00K,0,32.34,-86.55,32.34,-86.55,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted in the town of Burkville." +113060,677899,ALABAMA,2017,January,Thunderstorm Wind,"ELMORE",2017-01-22 12:56:00,CST-6,2017-01-22 12:57:00,0,0,0,0,0.00K,0,0.00K,0,32.6484,-86.3702,32.6484,-86.3702,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Roof damage and steeple blown off Shoal Creek Baptist Church." +112975,675104,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"COLLETON",2017-01-21 15:49:00,EST-5,2017-01-21 15:50:00,0,0,0,0,,NaN,0.00K,0,32.92,-80.84,32.92,-80.84,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Colleton County dispatch reported a tree down at the intersection of Enoch Road and Hudson Mill Road." +112975,675105,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"COLLETON",2017-01-21 16:04:00,EST-5,2017-01-21 16:05:00,0,0,0,0,,NaN,0.00K,0,32.9,-80.66,32.9,-80.66,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Local law enforcement reported a tree down at the intersection of Paul Street and Wichman Street." +112976,675106,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-01-21 16:24:00,EST-5,2017-01-21 16:28:00,0,0,0,0,,NaN,0.00K,0,32.0347,-80.903,32.0347,-80.903,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts along the coast and adjacent Atlantic coastal waters.","The National Ocean Service site at Fort Pulaski measured a 41 knot wind gust with a line of thunderstorms." +112976,675107,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-01-21 16:33:00,EST-5,2017-01-21 16:37:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts along the coast and adjacent Atlantic coastal waters.","The South Tybee Island Weatherflow site measured a 39 knot wind gust with a line of thunderstorms." +112976,675108,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-01-21 17:11:00,EST-5,2017-01-21 17:15:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts along the coast and adjacent Atlantic coastal waters.","The Fort Sumter Weatherflow site measured a 36 knot wind gust with a line of thunderstorms." +112975,675100,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"HAMPTON",2017-01-21 15:16:00,EST-5,2017-01-21 15:17:00,0,0,0,0,,NaN,0.00K,0,32.66,-81.24,32.66,-81.24,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Local law enforcement reported a tree down on Highway 321 just south of Scotia." +112975,675101,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"HAMPTON",2017-01-21 15:20:00,EST-5,2017-01-21 15:21:00,0,0,0,0,,NaN,0.00K,0,32.69,-81.16,32.69,-81.16,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Hampton County Emergency Management reported several trees down along McKenzie Trail near Furman." +112975,675103,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"JASPER",2017-01-21 15:31:00,EST-5,2017-01-21 15:32:00,0,0,0,0,,NaN,0.00K,0,32.65,-81.01,32.65,-81.01,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Local law enforcement reported a tree down on Grays Highway." +112968,675021,NORTH CAROLINA,2017,January,Heavy Snow,"MACON",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675023,NORTH CAROLINA,2017,January,Heavy Snow,"NORTHERN JACKSON",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112106,668726,OKLAHOMA,2017,January,Ice Storm,"WOODWARD",2017-01-14 10:00:00,CST-6,2017-01-15 22:00:00,6,2,0,0,1357.00K,1357000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Reports of 0.6 inches of ice accumulation. Numerous trees were downed including one on a home. Electric cooperatives reported 3882 power outages, with $1,357K worth of damages. Emergency manager reported 2 injuries due to carbon monoxide and 6 injuries dues to falling debris." +112590,671852,NEW HAMPSHIRE,2017,January,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-01-17 15:00:00,EST-5,2017-01-18 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moving through the Great Lakes and a secondary low developing off the mid-Atlantic coast brought a light to moderate snowfall to the State. Snowfall amounts range from about 1 to 3 inches across the north and southeast to 4 to 8 inches across the remainder of the State.","" +112986,675148,NORTH CAROLINA,2017,January,Winter Weather,"SWAIN",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675149,NORTH CAROLINA,2017,January,Winter Weather,"GRAHAM",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112803,674126,IOWA,2017,January,Heavy Snow,"CHICKASAW",2017-01-24 17:35:00,CST-6,2017-01-25 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 7 to 8 inches of heavy, wet snow fell across Chickasaw County. The highest reported total was 8.5 inches in Alta Vista." +111629,665945,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"CASS",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111509,665778,NEW MEXICO,2017,January,Winter Storm,"DE BACA COUNTY",2017-01-06 00:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Widespread snowfall amounts near 4 inches were reported across De Baca County. Bitterly cold temperatures and gusty winds created winter storm impacts on the morning of the 6th. Severe travel conditions occurred along U.S. Highway 84 from Fort Sumner northward." +111779,666636,MINNESOTA,2017,January,Winter Weather,"NOBLES",2017-01-16 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in southwest Minnesota, mostly near the southern border of the state. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm near the southern border of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of up to two tenths of an inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Worthington reported 0.18 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented damage to trees and power lines." +112732,673250,NEBRASKA,2017,February,Heavy Snow,"CUMING",2017-02-23 20:00:00,CST-6,2017-02-24 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the central and northern half of the county. A snowfall measurement of 6 inches was recorded at West Point." +112732,673251,NEBRASKA,2017,February,Heavy Snow,"BURT",2017-02-23 20:00:00,CST-6,2017-02-24 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the central and northern half of the county with generally 6 to 7 inches observed." +111675,666215,TEXAS,2017,January,Thunderstorm Wind,"SAN AUGUSTINE",2017-01-02 09:06:00,CST-6,2017-01-02 09:06:00,0,0,0,0,0.00K,0,0.00K,0,31.399,-94.0948,31.399,-94.0948,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Tree down on Farm to Market Road 1751 just south of Highway 103." +111675,666216,TEXAS,2017,January,Thunderstorm Wind,"SAN AUGUSTINE",2017-01-02 09:30:00,CST-6,2017-01-02 09:30:00,0,0,0,0,0.80K,800,0.00K,0,31.6154,-93.9579,31.6154,-93.9579,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Large limbs were downed. The roof of a chicken house was damaged near the Patroon community." +112826,674162,MASSACHUSETTS,2017,January,Winter Storm,"WESTERN NORFOLK",2017-01-07 10:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to sixteen inches of snow fell on Western Norfolk County during the day and evening." +112826,674163,MASSACHUSETTS,2017,January,Winter Storm,"SUFFOLK",2017-01-07 10:00:00,EST-5,2017-01-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Seven to eight inches of snow fell on Suffolk County in the day and evening." +112826,674164,MASSACHUSETTS,2017,January,Winter Storm,"EASTERN NORFOLK",2017-01-07 10:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Nine to seventeen inches of snow fell on Eastern Norfolk County in the day and evening." +112826,674165,MASSACHUSETTS,2017,January,Winter Storm,"NORTHERN BRISTOL",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Nine to thirteen inches of snow fell on Northern Bristol County in the day and evening." +112826,674166,MASSACHUSETTS,2017,January,Winter Storm,"SOUTHERN BRISTOL",2017-01-07 10:00:00,EST-5,2017-01-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eleven to seventeen inches of snow fell on Southern Bristol county during the day and evening." +112826,674168,MASSACHUSETTS,2017,January,Winter Storm,"EASTERN ESSEX",2017-01-07 11:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Six to eight inches of snow fell during the day and evening in Eastern Essex County." +112826,674169,MASSACHUSETTS,2017,January,Winter Storm,"SOUTHEAST MIDDLESEX",2017-01-07 11:00:00,EST-5,2017-01-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Five to eight inches of snow fell on Southeast Middlesex County in the day and evening." +112826,674170,MASSACHUSETTS,2017,January,Winter Storm,"SOUTHERN WORCESTER",2017-01-07 11:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Five to nine inches of snow fell on Southern Worcester County during the day and evening." +112912,674591,TEXAS,2017,January,Hail,"JEFFERSON",2017-01-20 19:30:00,CST-6,2017-01-20 19:30:00,0,0,0,0,0.00K,0,0.00K,0,30.09,-94.14,30.09,-94.14,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","The Beaumont Police Department reported three quarter inch hail." +112267,669464,NEVADA,2017,January,Heavy Snow,"N LANDER & N EUREKA",2017-01-01 19:00:00,PST-8,2017-01-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northern Lander and northern Eureka counties and the Ruby Mountains and East Humboldt Range. Battle Mountain and Beowawe reported 6 inches of snow. SNOTEL sites in the Ruby Mountains and East Humboldt Range reported between 9 and 12 inches of snow.","" +112267,669465,NEVADA,2017,January,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-01-01 20:00:00,PST-8,2017-01-02 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northern Lander and northern Eureka counties and the Ruby Mountains and East Humboldt Range. Battle Mountain and Beowawe reported 6 inches of snow. SNOTEL sites in the Ruby Mountains and East Humboldt Range reported between 9 and 12 inches of snow.","" +112268,669466,NEVADA,2017,January,High Wind,"SOUTHEASTERN ELKO",2017-01-09 15:00:00,PST-8,2017-01-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds were observed across southeast Elko county. The Pilot Peak Junction mesonet site reported a wind gust to 66 mph and the Spring Gulch RAWS site reported a wind gust to 62 mph.","" +112271,669489,NEVADA,2017,January,Heavy Snow,"WHITE PINE",2017-01-18 22:00:00,PST-8,2017-01-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to portions of White Pine county. Ely picked up 8 inches of new snow while Ruth received 7 inches of new snow. SNOTEL sites in the mountains observed between 8 and 12 inches of new snow.","" +112400,670133,COLORADO,2017,January,Winter Weather,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-01-02 04:00:00,MST-7,2017-01-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of moderate to heavy snowfall occurred in the mountains and foothills mainly north of Interstate 70. Snowfall totals included: 10 inches at Eldora, 9.5 inches near Pingree Park, 7 inches at Arapaho Basin, 6.5 inches at Estes Park and 6 inches at Loveland Ski Area.","" +113065,676160,OHIO,2017,January,Winter Weather,"DARKE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CoCoRaHS observer near Pitsburg and Bradford measured 0.8 and 0.7 inches of snow, respectively." +113065,676163,OHIO,2017,January,Winter Weather,"DELAWARE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from Westerville showed that 1.3 inches of snow fell. The CoCoRaHS observers in Lewis Center and 6 miles east of Sunbury both measured 1.2 inches of snow." +113065,676166,OHIO,2017,January,Winter Weather,"FAIRFIELD",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post 3 miles east of Pickerington measured 2.9 inches of snow, while another in Stoutsville measured 2 inches. The county garage south of Lancaster measured an inch." +113065,676167,OHIO,2017,January,Winter Weather,"FAYETTE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter in New Martinsburg measured 2 inches of snow, while the county garage west of Washington Court House measured an inch and a half." +113065,676171,OHIO,2017,January,Winter Weather,"FRANKLIN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter in Grove City measured 2 inches of snow, while the county garage north of Gahanna measured an inch and a half. The CoCoRaHS observer located 3 miles south of New Albany measured 1.4 inches of snow." +113065,676173,OHIO,2017,January,Winter Weather,"GREENE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter west of the Xenia airport, a social media post from Bellbrook, and the county garage near Xenia all measured 3 inches of snow." +111451,664967,TEXAS,2017,January,Winter Weather,"CASTRO",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111451,664969,TEXAS,2017,January,Winter Weather,"SWISHER",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111576,669480,OHIO,2017,January,Thunderstorm Wind,"MADISON",2017-01-10 21:49:00,EST-5,2017-01-10 21:51:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-83.44,39.89,-83.44,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Several large limbs were downed." +111576,669481,OHIO,2017,January,Thunderstorm Wind,"MADISON",2017-01-10 21:49:00,EST-5,2017-01-10 21:51:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-83.44,39.89,-83.44,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Several large limbs were downed." +111576,669483,OHIO,2017,January,Thunderstorm Wind,"CLERMONT",2017-01-10 22:00:00,EST-5,2017-01-10 22:02:00,0,0,0,0,5.00K,5000,0.00K,0,39.17,-84.28,39.17,-84.28,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","A tree was downed onto a car." +111576,669485,OHIO,2017,January,Thunderstorm Wind,"FAIRFIELD",2017-01-10 22:35:00,EST-5,2017-01-10 22:39:00,0,0,0,0,5.00K,5000,0.00K,0,39.74,-82.43,39.74,-82.43,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Several trees and power lines were downed along State Route 664 and also along west Rushville Road." +111576,669486,OHIO,2017,January,Thunderstorm Wind,"SHELBY",2017-01-10 21:01:00,EST-5,2017-01-10 21:02:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-84.15,40.24,-84.15,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","" +111680,676766,MINNESOTA,2017,January,Winter Storm,"WEST POLK",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676767,MINNESOTA,2017,January,Winter Storm,"ROSEAU",2017-01-02 15:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +112291,669616,LOUISIANA,2017,January,Thunderstorm Wind,"POINTE COUPEE",2017-01-02 12:38:00,CST-6,2017-01-02 12:38:00,0,0,0,0,0.00K,0,0.00K,0,30.55,-91.55,30.55,-91.55,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Tree branches and power lines were blown down in Livonia. Roof damage to the Police Department building was reported." +112292,669618,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-01-02 14:06:00,CST-6,2017-01-02 14:06:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","" +112293,669620,MISSISSIPPI,2017,January,Tornado,"PIKE",2017-01-02 13:55:00,CST-6,2017-01-02 14:00:00,0,0,0,0,0.00K,0,0.00K,0,31.0883,-90.3515,31.1025,-90.2867,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A weak tornado...EF1...touched down along an intermittent path in southeast Pike County from near Emerald Road south of Mississippi Highway 48 to Love Creek Road just north of Mississippi Highway 48. Primary damage was to trees and power lines with large trees toppled or snapped. A few houses and mobile homes were damaged by fallen trees as well as power lines." +112293,669622,MISSISSIPPI,2017,January,Thunderstorm Wind,"AMITE",2017-01-02 13:29:00,CST-6,2017-01-02 13:29:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-90.68,31.2,-90.68,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Several homes were damaged in the Thompson Community." +112293,669623,MISSISSIPPI,2017,January,Thunderstorm Wind,"PIKE",2017-01-02 13:42:00,CST-6,2017-01-02 13:42:00,0,0,0,0,0.00K,0,0.00K,0,31.25,-90.47,31.25,-90.47,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A tree was blown down onto Interstate 55." +112293,669624,MISSISSIPPI,2017,January,Thunderstorm Wind,"PIKE",2017-01-02 13:43:00,CST-6,2017-01-02 13:43:00,0,0,0,0,0.00K,0,0.00K,0,31.05,-90.47,31.05,-90.47,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","An amateur radio operator reported a tree blown down across US Highway 51 in Chatawa." +113486,679558,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-30 13:35:00,MST-7,2017-01-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 30/1420 MST." +113486,679559,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-30 21:55:00,MST-7,2017-01-31 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 31/1025 MST." +113486,679560,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 10:25:00,MST-7,2017-01-31 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 31/1100 MST." +113486,679561,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-30 17:30:00,MST-7,2017-01-30 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Strouss Hill measured peak wind gusts of 61 mph." +112357,673367,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 06:15:00,EST-5,2017-01-22 06:15:00,0,0,0,0,3.00K,3000,0.00K,0,30.6574,-84.368,30.6574,-84.368,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down on Fairbanks Ferry Road." +112357,673368,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 07:15:00,EST-5,2017-01-22 07:15:00,0,0,0,0,0.00K,0,0.00K,0,30.5555,-84.5224,30.5555,-84.5224,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down onto McClendon Lane." +112357,673369,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 07:15:00,EST-5,2017-01-22 07:15:00,0,0,0,0,0.00K,0,0.00K,0,30.6412,-84.393,30.6412,-84.393,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Additional power lines were blown down near 2061 Fairbanks Ferry Road." +112357,673370,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 14:39:00,EST-5,2017-01-22 14:39:00,0,0,0,0,0.00K,0,0.00K,0,30.5684,-84.6664,30.5684,-84.6664,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","I-10 eastbound was closed at mile marker 203 due to a tree in the road." +112357,673371,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 14:42:00,EST-5,2017-01-22 14:42:00,0,0,0,0,0.00K,0,0.00K,0,30.6748,-84.3698,30.6748,-84.3698,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","County Road 157 and Bell Drive were closed due to trees down." +112357,673372,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 14:42:00,EST-5,2017-01-22 14:42:00,0,0,0,0,2.00K,2000,0.00K,0,30.6198,-84.6643,30.6198,-84.6643,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees and power lines were blown down over U.S. Highway 90." +112357,673375,FLORIDA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 07:40:00,EST-5,2017-01-22 07:40:00,0,0,0,0,3.00K,3000,0.00K,0,30.65,-83.97,30.65,-83.97,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down in the northern part of Jefferson county." +112522,671081,INDIANA,2017,January,Strong Wind,"POSEY",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112357,673376,FLORIDA,2017,January,Hail,"BAY",2017-01-22 07:40:00,CST-6,2017-01-22 07:40:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-85.64,30.29,-85.64,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The public reported quarter size hail in the Southport area on social media." +112357,673377,FLORIDA,2017,January,Hail,"WALTON",2017-01-22 10:10:00,CST-6,2017-01-22 10:10:00,0,0,0,0,0.00K,0,0.00K,0,30.72,-86.12,30.72,-86.12,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The public sent a photo of quarter size hail from De Funiak Springs." +112357,673378,FLORIDA,2017,January,Thunderstorm Wind,"BAY",2017-01-22 13:03:00,CST-6,2017-01-22 13:03:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-85.57,30.07,-85.57,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A 60 mph wind gust was measured at KPAM." +112357,673379,FLORIDA,2017,January,Thunderstorm Wind,"BAY",2017-01-22 13:04:00,CST-6,2017-01-22 13:04:00,0,0,0,0,0.00K,0,0.00K,0,30.033,-85.533,30.033,-85.533,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A 68 mph wind gust was measured at the Tyndall AFB drone runway, KTDR." +112522,671083,INDIANA,2017,January,Strong Wind,"WARRICK",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113201,677205,OHIO,2017,January,Flood,"COLUMBIANA",2017-01-12 13:50:00,EST-5,2017-01-12 14:50:00,0,0,0,0,0.00K,0,0.00K,0,40.9231,-80.8532,40.9203,-80.8326,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported that several roads around Salem were closed due to flooding." +113288,677912,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN TUCKER",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677914,WEST VIRGINIA,2017,January,Winter Weather,"PRESTON",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677916,WEST VIRGINIA,2017,January,Winter Weather,"RIDGES OF E MONONGALIA AND NW PRESTON",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677917,WEST VIRGINIA,2017,January,Winter Weather,"MARION",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677918,WEST VIRGINIA,2017,January,Winter Weather,"MONONGALIA",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113058,676017,MISSISSIPPI,2017,January,Hail,"FRANKLIN",2017-01-21 00:30:00,CST-6,2017-01-21 00:40:00,0,0,0,0,10.00K,10000,0.00K,0,31.3414,-91.1199,31.4481,-91.0513,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A swath of pea to golfball size hail fell in the southwestern part of the county. Golfball sized hail fell near the White Apple community." +113058,676018,MISSISSIPPI,2017,January,Hail,"LINCOLN",2017-01-21 01:19:00,CST-6,2017-01-21 01:19:00,0,0,0,0,0.00K,0,0.00K,0,31.69,-90.7,31.69,-90.7,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Pea to quarter sized hail fell in the northwestern part of the county." +113058,676019,MISSISSIPPI,2017,January,Hail,"RANKIN",2017-01-21 02:19:00,CST-6,2017-01-21 02:19:00,0,0,0,0,0.00K,0,0.00K,0,32.15,-90.13,32.15,-90.13,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Dime to quarter sized hail fell in Florence." +113058,676020,MISSISSIPPI,2017,January,Hail,"JEFFERSON DAVIS",2017-01-21 02:47:00,CST-6,2017-01-21 02:47:00,0,0,0,0,0.00K,0,0.00K,0,31.5,-89.74,31.5,-89.74,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +113576,679861,ALASKA,2017,January,Avalanche,"EASTERN ALEUTIANS",2017-01-22 10:28:00,AKST-9,2017-01-22 15:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved through the Aleutians, bringing high winds and snow to many communities. This caused blizzard conditions for the Aleutians and the Pribilof Islands.","Police at Dutch Harbor had no reports of structural damage, however there were many vehicles stuck in the snow. A travel advisory was issued to try to keep people off the roads. Road crews worked late into Sunday night to clear the roads before the morning commute. No Road impacts reported Monday." +113577,679863,ALASKA,2017,January,Heavy Snow,"SUSITNA VALLEY",2017-01-31 17:00:00,AKST-9,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Southwest flow and a weakening trough brought warm air to the northern Susitna Valley. This created an overrunning event that led to heavy snowfall.","Bentalit Lodge reported 10-11��� storm total snowfall. Gate Creek Lodge reported 14��� storm total snowfall. Safari Lake reported 24��� storm total snowfall." +112106,668710,OKLAHOMA,2017,January,Ice Storm,"CADDO",2017-01-13 17:00:00,CST-6,2017-01-15 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Report of .25 inch ice accumulations." +112106,668711,OKLAHOMA,2017,January,Ice Storm,"CANADIAN",2017-01-13 17:00:00,CST-6,2017-01-15 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Report of .25 inch ice accumulations." +112106,668727,OKLAHOMA,2017,January,Ice Storm,"OKLAHOMA",2017-01-13 17:00:00,CST-6,2017-01-15 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","Reports of 0.25 inches of ice accumulation." +112106,671761,OKLAHOMA,2017,January,Ice Storm,"ROGER MILLS",2017-01-14 09:00:00,CST-6,2017-01-15 19:00:00,0,0,0,0,322.00K,322000,,NaN,NaN,NaN,NaN,NaN,"An upper low coming onto the Pacific coast combined with abundant gulf moisture to produce scattered showers on the 13th, transitioning to widespread showers on the 14th and 15th. Temperature hovered near and just below freezing across parts of northern, western, and central Oklahoma allowing much of the precipitation to come in the form of freezing rain. Power outages in the CWA totaled to near 20,000 (mostly in northwest Oklahoma).","The electric cooperatives reported damage estimates to $322K." +112783,673677,OKLAHOMA,2017,January,Wildfire,"JEFFERSON",2017-01-05 11:30:00,CST-6,2017-01-05 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 2000 acres in Jefferson county on the 5th.","" +111464,665442,NEW JERSEY,2017,January,Winter Weather,"CUMBERLAND",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around one inch of snow fell from this event, with 1.0 inches reported in Upper Deerfield Township." +111464,665450,NEW JERSEY,2017,January,Winter Weather,"CUMBERLAND",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around one inch of snow fell from this event, with 1.0 inches reported in Upper Deerfield Township." +111464,665451,NEW JERSEY,2017,January,Winter Weather,"GLOUCESTER",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and two inches of snow fell from this event, with 2.0 inches in Mantua, 1.5 inches in Franklin Township, and 1.2 inches in Elk Township." +111464,665452,NEW JERSEY,2017,January,Winter Weather,"HUNTERDON",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and two inches of snow fell from this event, with 1.6 inches in Flemington, 1.1 inches in Clinton, and 1.0 inches in Lebanon." +111695,666287,OREGON,2017,January,Winter Storm,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-01-02 20:00:00,PST-8,2017-01-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","A member of the public reported 26.0 inches of snow in Bly." +111695,666299,OREGON,2017,January,Winter Storm,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-01-01 00:00:00,PST-8,2017-01-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","The cooperative observer at Toketee Falls reported 8.0 inches of snow in 24 hours as of 01/1900 PST." +111695,668109,OREGON,2017,January,Winter Storm,"SOUTH CENTRAL OREGON COAST",2017-01-01 00:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of southwest and south central Oregon. This storm had an unusually severe impact due to the low snow levels, all the way down the the coastal beaches. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week. There was one fatality due to a traffic accident.","A member of the public 1NE Lakeside reported 5.3 inches of snow at an elevation of 112 feet." +114291,684681,ALASKA,2017,February,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-02-07 19:15:00,AKST-9,2017-02-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A frontal boundary pushed through the eastern arctic slope and produced blizzard conditions during the evening of the 7th into the 8th of February.||zone 204: Blizzard and quarter mile visibility reported at Point Thomson AWOS. A peak wind of 40 kt (46 mph) was also reported.","" +114513,686715,ALASKA,2017,February,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-02-14 04:00:00,AKST-9,2017-02-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the Bering strait between a 1034 mb high pressure center over Russia and a 965 mb low in Bristol bay. Blizzard conditions developed along the Bering strait coast on February 14th.||Zone 213: Blizzard conditions and one quarter mile visibility was reported on the Wales AWOS. A peak wind of 53 kt (61 mph) was reported.","" +114514,686724,ALASKA,2017,February,Heavy Snow,"UPPER KOYUKUK VALLEY",2017-02-24 00:00:00,AKST-9,2017-02-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to the western Interior of Alaska with accumulations of 1 to 2 feet reported. Strong winds and local blizzard conditions on the summits. ||Zone 219: 17 inches of snow reported at Bettles.","" +113910,682318,CALIFORNIA,2017,February,Heavy Rain,"HUMBOLDT",2017-02-20 13:10:00,PST-8,2017-02-20 21:15:00,0,0,0,0,3.20M,3200000,0.00K,0,41.1446,-123.6827,41.1446,-123.6827,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Landslide and large slipout between mile post 20 and 24 along Highway 96." +113911,682320,CALIFORNIA,2017,February,Heavy Rain,"HUMBOLDT",2017-02-26 11:30:00,PST-8,2017-02-26 16:45:00,0,0,0,0,3.50M,3500000,0.00K,0,41.1943,-123.6772,41.1943,-123.6772,"Following the very wet first three quarters of February, the last few days saw cold, showery systems move through the region from February 24th to the 28th. Light mountain snow was reported but nothing too significant. The primary impacts were more rock and land slides caused by freezing and thawing of water in the cracks of rocks along roadways.","Roadway sinks and slipouts along Highway 96 from mile post 24 to 36." +113910,693399,CALIFORNIA,2017,February,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-02-20 03:00:00,PST-8,2017-02-20 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Slate Creek RAWS reported wind gusts between 64 and 79 mph at an elevation of 4170 ft." +113910,693401,CALIFORNIA,2017,February,High Wind,"SOUTHWESTERN HUMBOLDT",2017-02-20 00:00:00,PST-8,2017-02-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Kneeland RAWS reported wind gusts between 54 and 68 mph at an elevation of 2945 ft." +111686,667536,NEBRASKA,2017,January,Ice Storm,"ANTELOPE",2017-01-15 22:00:00,CST-6,2017-01-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +114809,688592,TEXAS,2017,April,Hail,"DALLAS",2017-04-26 05:01:00,CST-6,2017-04-26 05:01:00,0,0,0,0,0.00K,0,0.00K,0,32.77,-96.78,32.77,-96.78,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A trained spotter reported quarter-sized hail in Dallas." +114809,688593,TEXAS,2017,April,Hail,"DALLAS",2017-04-26 05:02:00,CST-6,2017-04-26 05:02:00,0,0,0,0,0.00K,0,0.00K,0,32.58,-96.95,32.58,-96.95,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A social media report indicated golf-ball sized hail in Cedar Hill." +114809,688594,TEXAS,2017,April,Hail,"DALLAS",2017-04-26 05:15:00,CST-6,2017-04-26 05:15:00,0,0,0,0,0.00K,0,0.00K,0,32.6,-96.75,32.6,-96.75,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A social media report indicated quarter-sized hail in Lancaster." +111830,667009,NEW JERSEY,2017,January,Heavy Rain,"MONMOUTH",2017-01-24 06:57:00,EST-5,2017-01-24 06:57:00,0,0,0,0,,NaN,,NaN,40.3,-73.99,40.3,-73.99,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Just over 2 inches of rain fell in association with the nor'easter." +111830,668016,NEW JERSEY,2017,January,High Wind,"WESTERN OCEAN",2017-01-23 12:40:00,EST-5,2017-01-23 12:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A measured 59 mph wind gust." +111999,667856,SOUTH DAKOTA,2017,January,Winter Storm,"BON HOMME",2017-01-24 11:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 12 inches at Tyndall. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667855,SOUTH DAKOTA,2017,January,Winter Storm,"CHARLES MIX",2017-01-24 10:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 18 inches at Pickstown. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667857,SOUTH DAKOTA,2017,January,Winter Storm,"YANKTON",2017-01-24 11:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 16 inches at Yankton. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112247,669349,MONTANA,2017,January,Blizzard,"NORTH ROCKY MOUNTAIN FRONT",2017-01-12 21:24:00,MST-7,2017-01-13 05:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of January 8th, a storm system put down several inches of snow along the Rocky Mountain Front. In the city of Browning, 8 inches was reported by the Glacier County DES coordinator. A few days later, on January 12th, the wind increased to 60 mph in Browning creating blizzard conditions with significant blowing and drifting of snow. Significant impacts to travel were felt in the city of Browning and along the Rocky Mountain Front, including HWY 2 and HWY 89 being closed through the area.","DOT closes US-89 from Two Medicine Bridge to Browning and HWY 2 from Browning to East Glacier due to whiteout conditions and zero visibility in blowing and drifting snow." +112247,669351,MONTANA,2017,January,Blizzard,"NORTH ROCKY MOUNTAIN FRONT",2017-01-12 21:24:00,MST-7,2017-01-13 05:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of January 8th, a storm system put down several inches of snow along the Rocky Mountain Front. In the city of Browning, 8 inches was reported by the Glacier County DES coordinator. A few days later, on January 12th, the wind increased to 60 mph in Browning creating blizzard conditions with significant blowing and drifting of snow. Significant impacts to travel were felt in the city of Browning and along the Rocky Mountain Front, including HWY 2 and HWY 89 being closed through the area.","Wind gusts in the area reached 50-65 mph at times in several locations across western Glacier County. Local DES coordinator reports significant impacts in the Browning area." +112247,669352,MONTANA,2017,January,Blizzard,"NORTH ROCKY MOUNTAIN FRONT",2017-01-13 00:55:00,MST-7,2017-01-13 05:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of January 8th, a storm system put down several inches of snow along the Rocky Mountain Front. In the city of Browning, 8 inches was reported by the Glacier County DES coordinator. A few days later, on January 12th, the wind increased to 60 mph in Browning creating blizzard conditions with significant blowing and drifting of snow. Significant impacts to travel were felt in the city of Browning and along the Rocky Mountain Front, including HWY 2 and HWY 89 being closed through the area.","Two Medicine Bridge DOT sensor reported sustained wind speeds of greater than or equal to 35 mph for nearly 5 hours." +112249,669365,MONTANA,2017,January,Extreme Cold/Wind Chill,"BLAINE",2017-01-11 03:00:00,MST-7,2017-01-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","Lowest recorded wind chill value at the Big Flat Agrimet near Turner was -42 degrees." +112249,669366,MONTANA,2017,January,Extreme Cold/Wind Chill,"BLAINE",2017-01-11 03:18:00,MST-7,2017-01-11 03:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Northwest flow aloft brought a very cold, Canadian airmass into the region. Sustained winds speeds of 10 to 15 mph combined with very cold temperatures led to a period of wind chill values below minus 40 degrees.","Lowest recorded wind chill value at the Fort Belknap RAWS was -40 degrees." +111708,666314,ARKANSAS,2017,January,Winter Weather,"HOWARD",2017-01-06 06:00:00,CST-6,2017-01-06 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +111708,666315,ARKANSAS,2017,January,Winter Weather,"HEMPSTEAD",2017-01-06 06:00:00,CST-6,2017-01-06 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +111708,666316,ARKANSAS,2017,January,Winter Weather,"NEVADA",2017-01-06 07:00:00,CST-6,2017-01-06 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +112155,668896,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 17:30:00,CST-6,2017-01-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.8518,-93.9275,32.8518,-93.9275,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Half dollar size hail fell on Conley Road just east of Vivian." +112155,668897,LOUISIANA,2017,January,Hail,"WEBSTER",2017-01-21 17:50:00,CST-6,2017-01-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,32.8962,-93.4503,32.8962,-93.4503,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Two inch diameter hail was reported in Sarepta." +112155,668977,LOUISIANA,2017,January,Tornado,"UNION",2017-01-21 20:48:00,CST-6,2017-01-21 20:49:00,0,0,0,0,10.00K,10000,0.00K,0,32.8663,-92.1666,32.8701,-92.157,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-0 tornado with maximum estimated winds between 75 and 85 mph touched down along Alabama Landing Road near Parish Road 2253 just east southeast of the Marion community, where several small trees were snapped. The tornado continued northeast along Alabama Landing Road where considerable damage was done to a metal shed and before lifting, removed a metal roof from another outbuilding and deposited it in an open field." +112195,668978,ARKANSAS,2017,January,Hail,"COLUMBIA",2017-01-21 17:55:00,CST-6,2017-01-21 17:55:00,0,0,0,0,0.00K,0,0.00K,0,33.1123,-93.3845,33.1123,-93.3845,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Golf ball size hail fell along Highway 160 east of Taylor." +112404,670146,COLORADO,2017,January,Winter Weather,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-01-04 14:00:00,MST-7,2017-01-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of powerful winter storms brought a period of heavy snow to the north central mountains, Front Range Foothills and Urban Corridor. In the mountains and foothills, the heaviest snowfall occurred along and north of the Interstate 70 corridor. Storm totals ranged from one to around three feet. Eastbound I-70 was closed at Vail and Silverthorne because of poor conditions and several spun-out vehicles. Across the Interstate 25 corridor, heavy snowfall fell over northern parts of metro Denver north to around Fort Collins. At Denver International Airport, 145 flights were canceled.||Some of the storm totals in the mountains and foothills included: 38.5 inches at Mt. Zirkel, 23 inches just northeast of Rabbit Ears Pass, 21.8 inches, 9 miles south-southeast of Spicer; 19.7 inches 5 miles northeast of Ward, 18 inches, 9 miles east of Glendive and 16 miles west-southwest of Walden; 17 inches, 3 miles south of Brainard Lake and Copeland Lake; 16 inches at Arapaho Basin and 5 miles east-northeast of Nederland and Niwot Ridge SNOTEL; 15.7 inches at Eldora, 15 inches at Estes Park, 14.5 inches at Berthoud Pass; 14 inches at Allenspark, 12.9 inches, 7 miles east-northeast of Virginia Dale, 12.7 inches in Breckenridge and 12 inches at Gross Reservoir.||Along the I-25 corridor, some of the storm totals included: 13.8 inches in Boulder, 12 inches at Marston Reservoir, 9.5 inches in Niwot, 9 inches at Flatiron Reservoir, 8.3 inches in Northglenn; 8 inches at Hygiene, 7 inches in Arvada, 5 miles west-northwest of Brighton, Frederick, Lafayette, Loveland and 5 miles northeast of Westminster; with 6.5 inches at Ralston Reservoir and Wheat Ridge.","Storm totals included 9 inches at Aspen Springs and Georgetown, with 5 inches in Bailey." +112415,670172,HAWAII,2017,January,High Surf,"NIIHAU",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +111999,667880,SOUTH DAKOTA,2017,January,Winter Weather,"KINGSBURY",2017-01-24 15:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 1 to 3 inches, including 1.5 inches at De Smet. Winds of 20 to 30 mph caused areas of blowing and drifting snow." +111686,667446,NEBRASKA,2017,January,Ice Storm,"JEFFERSON",2017-01-15 06:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced widespread ice accumulations across the county. General ice accumulations of a quarter to over a half was reported across the county. This resulted in significant tree damage, as well as widespread power outages." +111686,667455,NEBRASKA,2017,January,Ice Storm,"SALINE",2017-01-15 07:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced widespread ice accumulations across the county. General ice accumulations of a quarter to over a half was reported across the county. This resulted in tree damage, as well as power outages." +111686,667457,NEBRASKA,2017,January,Ice Storm,"GAGE",2017-01-15 07:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced widespread ice accumulations across the county. General ice accumulations of a quarter to as much as a half was reported. This resulted in tree damage, as well as power outages." +111614,665857,IOWA,2017,January,Winter Weather,"OSCEOLA",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light and patchy freezing rain caused some icy surfaces. The freezing rain changed to light snow with accumulations less than one inch. Increasing northwest winds gusted to 45 mph and cause a few areas of blowing snow while the snow was falling." +111576,669482,OHIO,2017,January,Thunderstorm Wind,"GREENE",2017-01-10 21:53:00,EST-5,2017-01-10 21:55:00,0,0,0,0,3.00K,3000,0.00K,0,39.58,-83.68,39.58,-83.68,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Siding and the top part of a chimney were blown off of a house." +111576,669484,OHIO,2017,January,Thunderstorm Wind,"CLINTON",2017-01-10 22:01:00,EST-5,2017-01-10 22:03:00,0,0,0,0,1.00K,1000,0.00K,0,39.46,-83.86,39.46,-83.86,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","A large tree fell onto Wayne Road between Nelson and Mitchell Roads." +111686,667507,NEBRASKA,2017,January,Ice Storm,"DOUGLAS",2017-01-15 14:00:00,CST-6,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111614,665867,IOWA,2017,January,Winter Weather,"WOODBURY",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads, including Interstate 29 and part of U.S. Highway 75 were completely covered with a light ice accumulation. Interstate 29 from Sergeant Bluff to Salix was closed between 730 and 800 am due to multiple accidents involving at least six semi trucks, as well as other vehicles." +111614,665868,IOWA,2017,January,Winter Weather,"IDA",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads were completely covered with a light ice accumulation." +111614,665869,IOWA,2017,January,Winter Weather,"CHEROKEE",2017-01-10 04:00:00,CST-6,2017-01-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain caused icy areas in northwest Iowa. The freezing rain was light near the northern border of the state, and changed to light snow, with northwest winds gusting to 45 mph causing a few areas of blowing snow. Further south, in the Sioux City to Storm Lake area, the freezing rain was heavier and caused widespread icing, and there was little or no snow or blowing snow.","Light but widespread freezing rain caused icy surfaces, resulting in numerous vehicle accidents. Many roads were completely covered with a light ice accumulation." +112800,675378,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-04 08:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Snotel estimated report of 12 inches of snowfall near Kaiser Point in Fresno County." +113000,675366,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-12 13:20:00,PST-8,2017-01-12 13:20:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-119.68,36.7547,-119.6772,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Public report of standing water from heavy rain along Fowler Avenue and other nearby neighborhoods in Fresno." +113000,675367,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-12 13:54:00,PST-8,2017-01-12 13:54:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-119.67,36.8148,-119.6706,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Broadcast Media reports road flooding due to heavy rainfall near intersection of Barstow Avenue and Armstrong Avenue in Clovis." +113000,675368,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-12 14:00:00,PST-8,2017-01-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8238,-119.6767,36.8114,-119.6799,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Public reported road closures due to road flooding near Armstrong Avenue and Bullard Avenue in Clovis." +113005,675422,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 15:05:00,PST-8,2017-01-18 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.4725,-122.8877,38.4724,-122.8881,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Greenvalley Creek flooding across all lanes of Hwy 116 at junction of Travis Rd." +113005,675423,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 15:05:00,PST-8,2017-01-18 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.6261,-122.8776,38.6261,-122.8772,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Flooding at offramp of Hwy 101 and Dry Creek Rd." +113005,675424,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 15:51:00,PST-8,2017-01-18 17:51:00,0,0,0,0,0.00K,0,0.00K,0,38.5114,-122.8396,38.5108,-122.8399,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Vehicle stuck in flood waters across Mark West Dr at Starr." +113005,675425,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 16:18:00,PST-8,2017-01-18 18:18:00,0,0,0,0,0.00K,0,0.00K,0,38.5118,-122.8415,38.5106,-122.8412,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Mark West Station at Starr closed...3ft of moving water." +113005,675426,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 17:36:00,PST-8,2017-01-18 19:36:00,0,0,0,0,0.00K,0,0.00K,0,38.562,-122.8195,38.5617,-122.8194,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Widespread flooded roadways at Arata and Los Amigos." +113005,675427,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 17:55:00,PST-8,2017-01-18 19:55:00,0,0,0,0,0.00K,0,0.00K,0,38.5255,-122.7882,38.5259,-122.7883,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Spotter reporting widespread standing water west side of Shilo at HWY 101. He had received 2.5 inches today." +113005,675428,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 19:30:00,PST-8,2017-01-18 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.4376,-122.8075,38.4381,-122.8074,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Willowside Rd/Hall Rd roadway is completely flooded." +113060,677900,ALABAMA,2017,January,Thunderstorm Wind,"TALLAPOOSA",2017-01-22 13:55:00,CST-6,2017-01-22 13:56:00,0,0,0,0,0.00K,0,0.00K,0,32.9401,-85.7503,32.9401,-85.7503,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Columns blown out from a porch and minor structural damage to a home." +113060,677903,ALABAMA,2017,January,Thunderstorm Wind,"RANDOLPH",2017-01-22 14:16:00,CST-6,2017-01-22 14:17:00,0,0,0,0,0.00K,0,0.00K,0,33.1268,-85.5186,33.1268,-85.5186,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted and blocking Highway 22." +112978,675112,GEORGIA,2017,January,Thunderstorm Wind,"CHATHAM",2017-01-22 06:58:00,EST-5,2017-01-22 06:59:00,0,0,0,0,,NaN,0.00K,0,32.12,-81.32,32.12,-81.32,"A few lines of thunderstorms developed in the early morning hours across southeast Georgia north of a warm front. A few of the lines became severe, producing damaging winds and even a tornado.","Chatham County Emergency Management reported a tree down across the roadway near the intersection of Bloomingdale Road and Pine Barren Road. Another large pine tree was reported down on Brampton Road in the same area." +111772,666592,NEW MEXICO,2017,January,Heavy Snow,"JEMEZ MOUNTAINS",2017-01-15 00:00:00,MST-7,2017-01-16 14:00:00,0,1,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","SNOTELs and public reports across the Jemez Mountains reported widespread snowfall amounts between 4 and 12 inches. The highest amount of 15 inches was reported near Wolf Canyon. A plow driver tumbled off the road and into a river bed along state road 120. The vehicle was totaled and the driver sustained minor injuries." +111772,666593,NEW MEXICO,2017,January,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-01-15 00:00:00,MST-7,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various sources across the high terrain east of Santa Fe reported between 10 and 15 inches of snow." +112968,675024,NORTH CAROLINA,2017,January,Heavy Snow,"TRANSYLVANIA",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675025,NORTH CAROLINA,2017,January,Heavy Snow,"HENDERSON",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675026,NORTH CAROLINA,2017,January,Heavy Snow,"POLK MOUNTAINS",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112968,675027,NORTH CAROLINA,2017,January,Heavy Snow,"RUTHERFORD MOUNTAINS",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the southern Appalachians throughout the 6th. Although the precip may have started as rain in the lower valleys, it primarily fell as snow. It was initially light in most areas, but became heavy during mid-to-late evening, continuing into the overnight. By the time the heavier snowfall rates tapered off around sunrise, total accumulations ranged from 5 to 7 inches. Locally higher amounts of as much as 10 were observed across the higher elevations of the foothills counties.","" +112986,675150,NORTH CAROLINA,2017,January,Winter Weather,"NORTHERN JACKSON",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +112986,675151,NORTH CAROLINA,2017,January,Winter Weather,"MACON",2017-01-29 10:00:00,EST-5,2017-01-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper air disturbance combined with moist northwest winds flowing up the western slopes of the Appalachians resulted in development of numerous snow showers across the North Carolina mountains throughout the 29th and into the early part of the 30th. The most significant impacts were to the high elevations (above 5000 feet) of the northern mountains, where as much as a foot of snow fell. Meanwhile, total accumulations in the high valleys of the northern mountains were generally in the 2-4 inch range. Farther south, accumulations in the high elevations of the Smokies and other ranges along the Tennessee border were from 2 to 5 inches, while the lower valleys from the French Broad south saw little more than an inch.","" +113081,676326,SOUTH CAROLINA,2017,January,Drought,"ABBEVILLE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed in some areas (deficits of 15 to 20 inches), Upstate South Carolina finally saw a month of near-to-above normal precipitation during January 2017. This resulted in shrinking of the extreme drought area to the Georgia border counties, where levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions.","" +113081,676327,SOUTH CAROLINA,2017,January,Drought,"ANDERSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed in some areas (deficits of 15 to 20 inches), Upstate South Carolina finally saw a month of near-to-above normal precipitation during January 2017. This resulted in shrinking of the extreme drought area to the Georgia border counties, where levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions.","" +112030,668136,OHIO,2017,January,Flood,"RICHLAND",2017-01-12 09:30:00,EST-5,2017-01-12 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,40.9179,-82.6941,40.6392,-82.6639,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","Numerous roads were flooded across Richland County as 1.75 of rain fell between Wednesday Night the 11th and Thursday the 12th. The ground was partially frozen, especially in the higher terrain, which added to the rapid runoff and enhanced the subsequent flooding. The fire station in Shelby was evacuated as the Black Fork waters rose. The primary flooding from the Black Fork was downstream as roads were cut off including St Route 13 near Olivesburg. Numerous roads were closed including the Park Avenue East subway area in Mansfield. Home Road was closed at Deer Park, and Trimble and Marion roads were closed, as well as Champion Road on the county's north end between Hazelbrush and London roads. Ontario police reported road closings including Ohio 309 at Ohio 314 near Cole Tool & Die, Park Avenue West by the subway and cemetery. The Ohio Highway Patrol said Ohio 314 in the area of Flowers Road was flooded. By late afternoon, the water began receding. ||River Gauge Crests:|Black Fork-Shelby 13.68', Melco 12.65'|Clear Fork-Lexington 9.11', Bellville 8.98'|Mohican River-Loudonville reached 10.01'." +111509,665781,NEW MEXICO,2017,January,Winter Weather,"CHAVES COUNTY PLAINS",2017-01-06 00:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Bitterly cold temperatures with a couple inches of snowfall created treacherous travel conditions along U.S. Highway 70 from Roswell westward to Hondo. Numerous accidents were reported around Roswell." +111768,666578,NEW MEXICO,2017,January,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-01-10 22:00:00,MST-7,2017-01-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the eastern Pacific Ocean continue to surge eastward into the southwest United States and create periodic high winds. The second round brought more high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak winds up to 61 mph at Kachina Peak." +111768,666581,NEW MEXICO,2017,January,High Wind,"EASTERN LINCOLN COUNTY",2017-01-11 13:00:00,MST-7,2017-01-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the eastern Pacific Ocean continue to surge eastward into the southwest United States and create periodic high winds. The second round brought more high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust to 59 mph at the CSBF Transwestern Pump Station." +111823,668567,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 20:00:00,CST-6,2017-01-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.25,29.8,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668566,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 19:58:00,CST-6,2017-01-15 19:58:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.25,29.8,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111509,665726,NEW MEXICO,2017,January,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-01-05 16:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the high terrain of Taos County ranged from 8 to 12 inches. Kachina Peak saw a peak wind gust of 65 mph with whiteout conditions." +111509,665729,NEW MEXICO,2017,January,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-01-05 16:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the high terrain east of Santa Fe ranged from 8 to 10 inches. Strong winds also accompanied this snowfall over the higher peaks." +112912,674594,TEXAS,2017,January,Hail,"HARDIN",2017-01-20 19:55:00,CST-6,2017-01-20 19:55:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-94.11,30.22,-94.11,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","Hail to 1 inch was reported through social media." +112912,674595,TEXAS,2017,January,Hail,"ORANGE",2017-01-20 20:14:00,CST-6,2017-01-20 20:14:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-93.76,30.1,-93.76,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","The Orange Police Department reported a mix of dime to quarter size hail." +112912,674596,TEXAS,2017,January,Hail,"ORANGE",2017-01-20 20:40:00,CST-6,2017-01-20 20:40:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-93.76,30.1,-93.76,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","Golf ball size hail reported in Orange." +112912,674597,TEXAS,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-20 20:05:00,CST-6,2017-01-20 20:05:00,0,0,0,0,0.00K,0,0.00K,0,30.09,-94.14,30.09,-94.14,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop across Southeast Texas. Some storms turned severe producing high wind gusts and large hail.","A wind gust of around 70 MPH was reported with a thunderstorm." +112988,675175,TEXAS,2017,January,Astronomical Low Tide,"JEFFERSON",2017-01-23 00:00:00,CST-6,2017-01-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","Strong north winds push the tide below -1 MLLW along the Jefferson County Coast during the 23rd. The tide level hit -2.04 feet MLLW at Sabine Pass." +112988,675177,TEXAS,2017,January,Astronomical Low Tide,"JEFFERSON",2017-01-26 07:00:00,CST-6,2017-01-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","North winds pushed the tide out during the morning of the 26th to less than -1 foot MLLW. The tide fell to a low of -1.38 MLLW." +111509,665741,NEW MEXICO,2017,January,Winter Storm,"UPPER RIO GRANDE VALLEY",2017-01-05 23:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the Taos area ranged from 3 to 6 inches. Bitterly cold temperatures with strong gusty winds created treacherous travel conditions across the area. A rockslide was reported along State Road 68 south of Taos." +120707,723014,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-29 13:16:00,EST-5,2017-09-29 13:16:00,0,0,0,0,0.00K,0,0.00K,0,42.2682,-79.8157,42.2682,-79.8157,"Several waterspouts were observed on Lake Erie.","Two waterspouts were observed about a mile offshore from North East." +120707,723015,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-29 13:30:00,EST-5,2017-09-29 13:30:00,0,0,0,0,0.00K,0,0.00K,0,42.192,-79.9839,42.2764,-79.7978,"Several waterspouts were observed on Lake Erie.","Several waterspouts were observed on Lake Erie from Harborcreek to North East." +111509,665745,NEW MEXICO,2017,January,Heavy Snow,"RATON RIDGE/JOHNSON MESA",2017-01-05 10:00:00,MST-7,2017-01-06 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall across the Raton Ridge ranged from 12 to 20 inches. The combination of temperatures in the single digits and strong gusty winds created treacherous travel conditions across the area. Travel over Raton Pass was nearly impossible with over 20 spin outs and numerous wrecks reported along Interstate 25." +112400,670134,COLORADO,2017,January,Winter Weather,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-01-02 04:00:00,MST-7,2017-01-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of moderate to heavy snowfall occurred in the mountains and foothills mainly north of Interstate 70. Snowfall totals included: 10 inches at Eldora, 9.5 inches near Pingree Park, 7 inches at Arapaho Basin, 6.5 inches at Estes Park and 6 inches at Loveland Ski Area.","" +112400,670135,COLORADO,2017,January,Winter Weather,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-01-02 04:00:00,MST-7,2017-01-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of moderate to heavy snowfall occurred in the mountains and foothills mainly north of Interstate 70. Snowfall totals included: 10 inches at Eldora, 9.5 inches near Pingree Park, 7 inches at Arapaho Basin, 6.5 inches at Estes Park and 6 inches at Loveland Ski Area.","" +112400,670136,COLORADO,2017,January,Winter Weather,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-01-02 04:00:00,MST-7,2017-01-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of moderate to heavy snowfall occurred in the mountains and foothills mainly north of Interstate 70. Snowfall totals included: 10 inches at Eldora, 9.5 inches near Pingree Park, 7 inches at Arapaho Basin, 6.5 inches at Estes Park and 6 inches at Loveland Ski Area.","" +112892,674497,COLORADO,2017,January,High Wind,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-01-10 01:20:00,MST-7,2017-01-10 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed briefly in the early morning hours of the 10th over eastern Larimer County. Peak wind gusts included: 90 mph, 3 miles south of Livermore; 82 mph, 6 miles east of Buckeye; with 73 mph at Natural Fort and along Interstate 25 near the Wyoming border.","" +113065,676175,OHIO,2017,January,Winter Weather,"HAMILTON",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post indicated that 3 inches of snow fell 3 miles west of Cheviot. The CoCoRaHS observer in the same location measured 2.7 inches. A broadcast media report from west of Loveland showed that 2.8 inches of snow had fallen." +111451,664968,TEXAS,2017,January,Winter Weather,"BAILEY",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111679,676754,NORTH DAKOTA,2017,January,Winter Storm,"CAVALIER",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676755,NORTH DAKOTA,2017,January,Winter Storm,"PEMBINA",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676768,MINNESOTA,2017,January,Winter Storm,"EAST MARSHALL",2017-01-02 15:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676769,MINNESOTA,2017,January,Winter Storm,"PENNINGTON",2017-01-02 15:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113002,675418,CALIFORNIA,2017,January,Heavy Rain,"MADERA",2017-01-21 08:23:00,PST-8,2017-01-21 08:23:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-120.25,37.11,-120.25,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","Public report of a 24 hour rainfall total of 0.11 inches near Chowchilla in Madera County." +113002,675420,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-22 16:48:00,PST-8,2017-01-22 16:48:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-119.32,37.0899,-119.3168,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported road flooding on Crest Point Lane near Ockenden Ranch Road in Ockenden." +112293,669625,MISSISSIPPI,2017,January,Thunderstorm Wind,"PIKE",2017-01-02 13:45:00,CST-6,2017-01-02 13:45:00,0,0,0,0,0.00K,0,0.00K,0,31.06,-90.41,31.06,-90.41,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","An amateur radio operator reported numerous trees blown down and a roof blown off a structure along Lang Road." +112293,669627,MISSISSIPPI,2017,January,Thunderstorm Wind,"WALTHALL",2017-01-02 14:06:00,CST-6,2017-01-02 14:06:00,0,0,0,0,0.00K,0,0.00K,0,31.19,-90.06,31.19,-90.06,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Several trees were downed, roof damage was reported to a home, a mobile home was flipped on its side, and a fireworks stand was blown over." +112293,669630,MISSISSIPPI,2017,January,Thunderstorm Wind,"PEARL RIVER",2017-01-02 14:59:00,CST-6,2017-01-02 14:59:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-89.52,30.83,-89.52,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Several trees were blown down across parts of Interstate 59 in about a quarter mile stretch." +112293,669631,MISSISSIPPI,2017,January,Thunderstorm Wind,"PEARL RIVER",2017-01-02 15:00:00,CST-6,2017-01-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.61,-89.77,30.61,-89.77,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A large tree was reported snapped on Pine Grove Road." +112293,669633,MISSISSIPPI,2017,January,Thunderstorm Wind,"HARRISON",2017-01-02 18:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.64,-89.14,30.64,-89.14,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","Trees were reported blown down and power lines were downed on Marvin Williams Road." +112306,669669,MISSISSIPPI,2017,January,Hail,"JACKSON",2017-01-21 18:22:00,CST-6,2017-01-21 18:22:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-88.64,30.39,-88.64,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","" +112306,669670,MISSISSIPPI,2017,January,Hail,"JACKSON",2017-01-21 18:40:00,CST-6,2017-01-21 18:40:00,0,0,0,0,0.00K,0,0.00K,0,30.43,-88.53,30.43,-88.53,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","" +112306,669672,MISSISSIPPI,2017,January,Thunderstorm Wind,"PIKE",2017-01-21 03:15:00,CST-6,2017-01-21 03:15:00,0,0,0,0,0.00K,0,0.00K,0,31.02,-90.38,31.02,-90.38,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","Three mobile homes had minor wind damage to awnings and roofs. One mobile home was moved off blocks by a thunderstorm wind gust. Event time was estimated from radar." +112873,674282,TEXAS,2017,February,High Wind,"HARTLEY",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +114592,687255,TEXAS,2017,February,Wildfire,"RANDALL",2017-02-28 16:39:00,CST-6,2017-02-28 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 17-166 Wildfire began around 1639CST about four miles south of Timbercreek Canyon Texas in Randall County. The wildfire consumed approximately five hundred acres and was determined to be caused by debris burning. There were no reports of any homes or other structures damaged or destroyed by the wildfire and there were also no reports of any injuries or fatalities. There were a total of four fire departments and other agencies that responded to the wildfire which was contained by 2000CST.","" +112718,673035,WASHINGTON,2017,February,High Wind,"WESTERN WHATCOM COUNTY",2017-02-07 09:24:00,PST-8,2017-02-07 11:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sandy Point Shores reported brief high wind.","Sandy Point Shores reported wind 35 mph gusting 59 mph." +112719,673036,WASHINGTON,2017,February,High Wind,"EVERETT AND VICINITY",2017-02-09 13:40:00,PST-8,2017-02-09 15:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was brief high wind in Everett.","The KPAE ASOS recorded 41g55 mph, with a peak wind of 59 mph." +112720,673037,WASHINGTON,2017,February,High Wind,"WESTERN WHATCOM COUNTY",2017-02-10 12:13:00,PST-8,2017-02-10 16:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred in the northwest interior.","The Bellingham CWOP recorded 45g57 mph. Sandy Point Shores had 40g48 mph." +112720,673038,WASHINGTON,2017,February,High Wind,"SAN JUAN",2017-02-10 10:09:00,PST-8,2017-02-10 12:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred in the northwest interior.","Lopez Island recorded 49g53 mph." +112721,673040,WASHINGTON,2017,February,High Wind,"WESTERN SKAGIT COUNTY",2017-02-15 02:58:00,PST-8,2017-02-15 20:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred in western Skagit County and on the central coast.","Blanchard Mountain recorded 59 mph gusts." +113285,677902,WASHINGTON,2017,February,Ice Storm,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-02-08 14:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A Pacific frontal system combined with sub-freezing easterly flow across the Cascades passes and Fraser outflow brought a major episode of snow and freezing rain to the Cascades and Western Whatcom County. All three Washington Cascades passes (Stevens Pass, Snoqualmie Pass, and White Pass) were closed to traffic in both directions for almost 24 hours due to snow and accumulating ice, avalanche danger, and slides of snow and trees. In Western Whatcom County snow became covered with a sheet of ice as thick as a half inch as precipitation changed to freezing rain.","NWAC stations at Stevens Pass, Alpental, and Snoqualmie Pass reported 7 to 9 inches of snow, followed immediately by more than 2 inches of freezing rain. Highway 2 (Stevens Pass) and I-90 (Snoqualmie Pass) and the ski areas were closed from Wednesday evening, February 8, through midday Thursday, February 9, due to snow and accumulating ice, avalanche danger, and slides of snow and trees." +113285,677904,WASHINGTON,2017,February,Ice Storm,"CASCADES OF PIERCE AND LEWIS COUNTIES",2017-02-08 14:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A Pacific frontal system combined with sub-freezing easterly flow across the Cascades passes and Fraser outflow brought a major episode of snow and freezing rain to the Cascades and Western Whatcom County. All three Washington Cascades passes (Stevens Pass, Snoqualmie Pass, and White Pass) were closed to traffic in both directions for almost 24 hours due to snow and accumulating ice, avalanche danger, and slides of snow and trees. In Western Whatcom County snow became covered with a sheet of ice as thick as a half inch as precipitation changed to freezing rain.","NWAC stations at Paradise and White Pass reported 5 to 6 inches of snow, followed immediately by more than 2 inches of freezing rain. Highway 12 (White Pass), the road to Paradise and the Paradise Visitor Center, and Crystal Mountain highway and ski area were closed from Wednesday evening, February 8, through midday Thursday, February 9, due to snow and accumulating ice, avalanche danger, and slides of snow and trees." +112454,670602,ILLINOIS,2017,January,Winter Weather,"MASSAC",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113292,677930,PENNSYLVANIA,2017,January,Winter Weather,"FAYETTE",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113290,677922,MARYLAND,2017,January,Winter Weather,"GARRETT",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113292,677931,PENNSYLVANIA,2017,January,Winter Weather,"FAYETTE RIDGES",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113292,677934,PENNSYLVANIA,2017,January,Winter Weather,"GREENE",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113337,678194,MARYLAND,2017,January,Winter Weather,"GARRETT",2017-01-10 07:00:00,EST-5,2017-01-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Area of precipitation spread over the region early on the 10th. With cold air in place at the surface, a transition from light snow to a brief freezing rain was reported in the mountains of West Virginia and Maryland.","" +113338,678195,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN TUCKER",2017-01-10 07:00:00,EST-5,2017-01-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Area of precipitation spread over the region early on the 10th. With cold air in place at the surface, a transition from light snow to a brief freezing rain was reported in the mountains of West Virginia and Maryland.","" +113338,678196,WEST VIRGINIA,2017,January,Winter Weather,"PRESTON",2017-01-10 07:00:00,EST-5,2017-01-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Area of precipitation spread over the region early on the 10th. With cold air in place at the surface, a transition from light snow to a brief freezing rain was reported in the mountains of West Virginia and Maryland.","" +113058,676021,MISSISSIPPI,2017,January,Thunderstorm Wind,"MARION",2017-01-21 03:10:00,CST-6,2017-01-21 03:10:00,0,0,0,0,5.00K,5000,0.00K,0,31.04,-89.74,31.04,-89.74,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A tree was blown down on Highway 43." +113058,676022,MISSISSIPPI,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-21 03:14:00,CST-6,2017-01-21 03:14:00,0,0,0,0,20.00K,20000,0.00K,0,31.59,-89.53,31.59,-89.53,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Numerous trees were blown down along Highway 49." +113058,676026,MISSISSIPPI,2017,January,Thunderstorm Wind,"JONES",2017-01-21 03:51:00,CST-6,2017-01-21 03:51:00,0,0,0,0,7.00K,7000,0.00K,0,31.6572,-89.1029,31.6572,-89.1029,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Trees were blown down along Glade Dummy Line Road." +112784,673678,OKLAHOMA,2017,January,Wildfire,"GRADY",2017-01-29 14:00:00,CST-6,2017-01-29 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 780 acres in Grady county on the 29th.","" +112785,673679,OKLAHOMA,2017,January,Wildfire,"CUSTER",2017-01-30 12:00:00,CST-6,2017-01-30 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 403 acres in Custer county as well as 1700 acres in Atoka county on the 30th and 31st.","" +112785,673680,OKLAHOMA,2017,January,Wildfire,"ATOKA",2017-01-30 10:00:00,CST-6,2017-01-31 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 403 acres in Custer county as well as 1700 acres in Atoka county on the 30th and 31st.","" +112473,670614,MISSOURI,2017,January,Winter Weather,"RIPLEY",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112473,670615,MISSOURI,2017,January,Winter Weather,"CARTER",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +111464,665453,NEW JERSEY,2017,January,Winter Weather,"MERCER",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and three inches of snow fell from this event, with 2.5 inches in Hopewell Township, 2.0 inches in Princeton, and 1.5 inches in Lawrence." +111464,665455,NEW JERSEY,2017,January,Winter Weather,"MIDDLESEX",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and three inches of snow fell from this event, with 2.4 inches in Metuchen, 2.0 inches in Woodbridge, and 1.0 inches in Old Bridge." +111464,665456,NEW JERSEY,2017,January,Winter Weather,"WESTERN MONMOUTH",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one-half and two inches of snow fell from this event, with 1.5 inches in Freehold, 0.8 inches in Howell, and 0.5 inches in Colts Neck." +111464,665458,NEW JERSEY,2017,January,Winter Weather,"MORRIS",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one-half and two inches of snow fell from this event, with 1.2 inches in Long Hill Township, 0.5 inches in Roxbury, and 0.5 inches in Succasunna." +112495,670693,ILLINOIS,2017,January,Flood,"GALLATIN",2017-01-19 02:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-88.13,37.6732,-88.1655,"A very active weather pattern across the central United States led to minor flooding on the Wabash River and part of the Ohio River. While heavy rain did not occur in southern Illinois, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Ohio River. Mainly bottomland fields and surrounding low-lying areas were inundated. The boat ramp and parking lot at Old Shawneetown was under water." +112495,670701,ILLINOIS,2017,January,Flood,"WABASH",2017-01-21 09:00:00,CST-6,2017-01-31 18:00:00,0,0,0,0,3.00K,3000,0.00K,0,38.3102,-87.915,38.3958,-87.7784,"A very active weather pattern across the central United States led to minor flooding on the Wabash River and part of the Ohio River. While heavy rain did not occur in southern Illinois, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Wabash River. Several local river roads were flooded. A few of those local river roads were closed by high water. All oil field production ceased with the exception of pumping units on substructures. Access to these was by boat only. Agricultural losses were minimal because the flooding occurred outside the main growing season. Farmers moved livestock to higher ground. Many river cabins became inaccessible. Additional low cropland downstream of Mount Carmel began to flood. Backwater from the Wabash River affected gage readings on Bon Pas Creek near Browns." +111698,666295,CALIFORNIA,2017,January,Winter Storm,"WESTERN SISKIYOU COUNTY",2017-01-03 10:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","A spotter 2S Greenview reported 13.0 inches of snow as of 03/2100 PST. He later reported 8.0 inches of snow in 12 hours ending at 04/0800 PST. The cooperative observer at Copco Dam #1 reported 8.0 inches of snow in 24 hours as of 04/0800 PST. The cooperative observer in Fort Jones reported 14.2 inches of snow in 24 hours as of 04/0800 PST." +111698,666292,CALIFORNIA,2017,January,Winter Storm,"CENTRAL SISKIYOU COUNTY",2017-01-03 16:00:00,PST-8,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","Public Reports: 7SSE Hilt got 8.5 inches of snow as of 03/2000 PST; Yreka got 13.0 inches of snow as of 03/2100 PST.||Spotter Reports: 1WNW Yreka got 15.0 inches of snow in 18 hours as of 04/0600 PST.||The cooperative observer at Yreka reported 15.0 inches of snow in 24 hours as of 04/0800 PST." +111698,666296,CALIFORNIA,2017,January,Winter Storm,"SOUTH CENTRAL SISKIYOU COUNTY",2017-01-03 10:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","Public Report: 3SSE Mount Shasta, 16.0 inches of snow as of 03/2300 PST.||Spotter Report: 2SSW Weed, 18-20 inches of snow in 24 hours as of 04/0630 PST.||The cooperative observer at McCloud reported 10.2 inches of snow in 24 hours as of 04/0800 PST. The Mount Shasta Avalanche Center reported 10.0 inches of snow in 24 hours as of 04/0900 PST." +115498,693655,TEXAS,2017,April,Hail,"JACK",2017-04-17 11:35:00,CST-6,2017-04-17 11:35:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-98.38,33.27,-98.38,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","A social media report indicated half-dollar sized hail in the city of Jermyn." +115498,693657,TEXAS,2017,April,Flood,"DALLAS",2017-04-17 14:24:00,CST-6,2017-04-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.709,-96.8789,32.7021,-96.8847,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","A media report indicated high water in Kiest Blvd near the intersection of Westmoreland Dr in southwest Dallas, with at least one stalled vehicle." +115498,693658,TEXAS,2017,April,Flood,"DALLAS",2017-04-17 14:36:00,CST-6,2017-04-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8061,-96.8063,32.8003,-96.8086,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","A social media report indicated high water at the intersection of Turtle Creek Blvd and Cedar Spring Rd." +115498,693659,TEXAS,2017,April,Flash Flood,"DALLAS",2017-04-17 14:12:00,CST-6,2017-04-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8045,-96.9594,32.7968,-96.9598,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Emergency management reported that there were multiple high water calls involving stalled motorists on Shady Grove Rd between MacArthur Blvd and Loop 12 in the city of Irving, TX." +115498,693664,TEXAS,2017,April,Flash Flood,"DALLAS",2017-04-17 14:22:00,CST-6,2017-04-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8396,-96.9507,32.8366,-96.9496,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Emergency management reported that the westbound service road of Hwy 183 between Carl Rd and O'Connor Blvd is being closed due to high water." +115498,693665,TEXAS,2017,April,Flash Flood,"DALLAS",2017-04-17 14:37:00,CST-6,2017-04-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6425,-96.9522,32.6244,-96.9494,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","A social media report indicated that Dallas Fire and Rescue was on the scene of high water over the roadway and that the intersection was about to be closed." +111686,667538,NEBRASKA,2017,January,Ice Storm,"PIERCE",2017-01-15 22:00:00,CST-6,2017-01-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +111686,667539,NEBRASKA,2017,January,Ice Storm,"KNOX",2017-01-15 22:00:00,CST-6,2017-01-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +112020,668081,IOWA,2017,January,Winter Storm,"CHEROKEE",2017-01-24 13:00:00,CST-6,2017-01-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 6 to 10 inches, including 9.0 inches near Cherokee. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111830,667014,NEW JERSEY,2017,January,Strong Wind,"MERCER",2017-01-23 15:00:00,EST-5,2017-01-23 15:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A tree was knocked due to wind in Hamilton Twp." +111830,668024,NEW JERSEY,2017,January,High Wind,"CAMDEN",2017-01-23 18:00:00,EST-5,2017-01-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A tree crashed into a home in Haddonfield." +112020,668087,IOWA,2017,January,Winter Storm,"OSCEOLA",2017-01-24 15:00:00,CST-6,2017-01-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 6 to 10 inches, including 8.0 inches near Sibley. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112020,668089,IOWA,2017,January,Winter Storm,"DICKINSON",2017-01-24 16:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 6 to 10 inches, including 10.0 inches at Lake park and Milford. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112151,668841,INDIANA,2017,January,Winter Weather,"GIBSON",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +112151,668842,INDIANA,2017,January,Winter Weather,"PIKE",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +111708,666317,ARKANSAS,2017,January,Winter Weather,"LAFAYETTE",2017-01-06 07:00:00,CST-6,2017-01-06 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +111708,666311,ARKANSAS,2017,January,Winter Weather,"MILLER",2017-01-06 07:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across Southeast Oklahoma and Southwest Arkansas during the evening hours on January 5th, ahead of a shortwave trough that translated east across the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. As a result, areas of light snow developed across much of Oklahoma during the evening of the 5th, and quickly spread east into Western and Central Arkansas during the 6th. Temperatures remained in the upper 20s and lower 30s during the daytime hours on the 6th, which resulted in light accumulating snows of 0.5-1.0 inches portions of Sevier, and Howard Counties in Southwest Arkansas. Snowfall amounts were lighter across Little River, Miller, Lafayette, Hempstead, and Nevada Counties, ranging from a dusting to 0.5 inches. These light snowfall accumulations also resulted in the development of icing on bridges and overpasses across much of Southwest Arkansas, resulting in hazardous travel conditions.","" +112155,668940,LOUISIANA,2017,January,Tornado,"WEBSTER",2017-01-21 17:55:00,CST-6,2017-01-21 18:07:00,0,0,0,0,10.00K,10000,0.00K,0,32.8875,-93.3193,32.9198,-93.2729,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with maximum estimated winds near 105 mph touched down just south of Shongaloo along Elmer Moore Road and continued northeast across Rodney Martin, Wortham, and Thomas Rhone Roads before crossing Highway 159. The tornado continued northeast before lifting along Hearn Road. Damage consisted of numerous trees that were snapped and/or uprooted. A tree fell on a carport and a portion of a mobile home on Wortham Road." +112155,668954,LOUISIANA,2017,January,Hail,"CADDO",2017-01-21 17:58:00,CST-6,2017-01-21 17:58:00,0,0,0,0,0.00K,0,0.00K,0,32.8518,-93.9279,32.8518,-93.9279,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A second road of large hail (quarter size) fell on Conley Road just southeast of Vivian." +112195,668979,ARKANSAS,2017,January,Hail,"COLUMBIA",2017-01-21 18:05:00,CST-6,2017-01-21 18:05:00,0,0,0,0,0.00K,0,0.00K,0,33.0989,-93.4367,33.0989,-93.4367,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A photo of tennis ball size hail that fell near Taylor was posted to the KTAL-TV Todd Warren Facebook page." +112195,668980,ARKANSAS,2017,January,Hail,"LAFAYETTE",2017-01-21 18:30:00,CST-6,2017-01-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1157,-93.5128,33.1157,-93.5128,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A photo of ping pong ball size hail that fell in the Walker Creek community was posted to social media." +111831,669954,PENNSYLVANIA,2017,January,Winter Weather,"MONROE",2017-01-24 08:30:00,EST-5,2017-01-24 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Some damage occurred as a result of the high winds. A few periods of heavy rainfall occurred but it did not result in flooding. The storm also brought a strong onshore flow which resulted in spotty minor tidal flooding for the high tide cycles on the 23rd and 24th. Also, it was cold enough for a wintry mix of sleet, snow and freezing rain in the Southern Poconos. ice accumulations up to two tenths of an inch were measured in Monroe county. SEPTA and Amtrak reported many delays and cancellations are well due to the storm. Over 10,000 people lost power as well.","The highest storm total ice amount in Monroe County associated with the nor'easter occurred in Tobyhanna, with 0.20 inches. The highest storm total snow amount in Monroe County associated with the nor'easter occurred at Mount Pocono, with 1.8 inches, which was mixed with sleet." +115032,690568,MISSISSIPPI,2017,April,Tornado,"SCOTT",2017-04-30 08:41:00,CST-6,2017-04-30 08:47:00,0,0,0,0,50.00K,50000,0.00K,0,32.4074,-89.3973,32.4678,-89.381,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began along Russell Community Road where it uprooted many softwood trees. It also caused minor roof damage and blew the skirting off of a mobile home, as well as blew the tin off of a chicken house. It then continued to the north-northeast and uprooted more trees along Jane Road before it dissipated. The maximum estimated wind speed was 80 mph." +111793,666809,NEW MEXICO,2017,January,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-01-11 08:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft over the region resulted in high winds in the Guadalupe Mountains.","" +111999,667875,SOUTH DAKOTA,2017,January,Winter Storm,"LAKE",2017-01-24 15:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 3 to 6 inches over the southern part of the county, including 4.8 inches near Chester. Winds of 20 to 30 mph caused some blowing and drifting snow, closing a few roads and causing some school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112018,668063,MINNESOTA,2017,January,Winter Storm,"NOBLES",2017-01-24 16:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 4 to 7 inches, including 6 inches near Round Lake. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667881,SOUTH DAKOTA,2017,January,Winter Weather,"BROOKINGS",2017-01-24 17:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 1 to 3 inches over the southern edge of the county, with less than one inch to the north. Winds of 20 to 30 mph caused areas of drifting snow." +112018,668064,MINNESOTA,2017,January,Winter Storm,"JACKSON",2017-01-24 17:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 4 to 7 inches, including 7 inches near Lakefield. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112018,668070,MINNESOTA,2017,January,Winter Weather,"LINCOLN",2017-01-24 18:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 1 to 3 inches. Winds of 20 to 30 mph caused areas of drifting snow." +112018,668071,MINNESOTA,2017,January,Winter Weather,"LYON",2017-01-24 18:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread into the southern edge of Minnesota from south to north during the afternoon of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Some schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Several businesses also closed. The snow accumulated as much as 7 inches near the southern border of the state, with lesser accumulations to the north. The blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 1 to 3 inches. Winds of 20 to 30 mph caused areas of drifting snow." +111756,666544,NEBRASKA,2017,January,Ice Storm,"DAKOTA",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in extreme northeast Nebraska. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Over a quarter inch was reported at South Sioux City. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +112337,669777,WYOMING,2017,January,Winter Storm,"ABSAROKA MOUNTAINS",2017-01-07 18:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell over most of the Absarokas. Some of the highest amounts included 32 inches and 30 inches at the Wolverine and Blackwater SNOTEL sites respectively." +111564,676657,CALIFORNIA,2017,January,Heavy Rain,"SHASTA",2017-01-10 08:00:00,PST-8,2017-01-11 08:18:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-122.33,41.18,-122.33,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 2.15 of rain measured 3 NNW Castella. There was 13.71 for the month." +111564,676681,CALIFORNIA,2017,January,High Wind,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-01-08 12:00:00,PST-8,2017-01-08 15:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","The well known Pioneer Cabin giant sequoia tree was reported blown down at Calaveras Big Trees State Park. This tree was over 1000 years old, and had been hollowed out in the 1880s for pedestrians and later for cars to drive through. Wind gusts up to 68 mph were measured at nearby Blue Mountain Lookout." +111564,676991,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-08 18:00:00,PST-8,2017-01-09 00:26:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A tree fell on a truck in Fair Oaks due to strong winds." +113005,675429,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-18 20:05:00,PST-8,2017-01-18 22:05:00,0,0,0,0,0.00K,0,0.00K,0,38.2361,-122.4606,38.2366,-122.4606,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Hwy 121 at junction of Hwy 12 closed due to flooding." +111564,677421,CALIFORNIA,2017,January,Flood,"LAKE",2017-01-10 00:00:00,PST-8,2017-01-10 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.8217,-122.6973,38.8215,-122.6972,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A home adjacent to Boggs Forest in Cobb, Ca. was damaged by water runoff." +111564,677388,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-09 08:00:00,PST-8,2017-01-10 08:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 40 of snow measured by Caltrans at Donner Pass over 24 hours at an elevation of 7200 feet." +113060,677906,ALABAMA,2017,January,Flash Flood,"CHEROKEE",2017-01-22 20:30:00,CST-6,2017-01-22 21:30:00,0,0,0,0,0.00K,0,0.00K,0,34.1272,-85.4632,34.1236,-85.4629,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Cherokee Road 29 under water near the Old Nazareth Church." +113060,677907,ALABAMA,2017,January,Flash Flood,"CHEROKEE",2017-01-22 20:30:00,CST-6,2017-01-22 22:30:00,0,0,0,0,0.00K,0,0.00K,0,34.3344,-85.5515,34.3301,-85.5514,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","County Road 91 under water." +111702,666457,MONTANA,2017,January,Heavy Snow,"KOOTENAI/CABINET REGION",2017-01-07 21:00:00,MST-7,2017-01-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","Montana Department of Transportation reported widespread 4 to 8 inches of snow for the valleys of northwest Montana." +111814,672698,IDAHO,2017,January,Winter Storm,"EASTERN LEMHI COUNTY",2017-01-08 17:00:00,MST-7,2017-01-09 15:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain in Lemhi county caused some road closures and increased avalanche danger over highway 93. Black ice was also being reported in road reports over highway 93.","Idaho Transportation Department reported slick roads due to freezing rain and black ice. Roads were also closed south of Salmon due to the threat of an avalanche." +111783,666728,NEW MEXICO,2017,January,High Wind,"EASTERN LINCOLN COUNTY",2017-01-19 03:00:00,MST-7,2017-01-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft and a surface lee trough over eastern New Mexico generated localized high winds over the high plains. The strongest winds occurred in the area from near Clines Corners south into rural eastern Lincoln County. Sustained winds averaged 40 to 45 mph with gusts near 60 mph.","The CSBF Transwestern Pump station reported high sustained winds for several hours." +111783,666729,NEW MEXICO,2017,January,High Wind,"CENTRAL HIGHLANDS",2017-01-19 07:30:00,MST-7,2017-01-19 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft and a surface lee trough over eastern New Mexico generated localized high winds over the high plains. The strongest winds occurred in the area from near Clines Corners south into rural eastern Lincoln County. Sustained winds averaged 40 to 45 mph with gusts near 60 mph.","Clines Corners reported several hours with high sustained winds." +111772,666595,NEW MEXICO,2017,January,Winter Storm,"SANDIA/MANZANO MOUNTAINS",2017-01-15 00:00:00,MST-7,2017-01-16 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various observers across the lower terrain of the Sandia and Manzano Mountains reported between 2 and 5 inches of snowfall with limited impacts to travel. Snowfall amounts were significant above 9,000 feet where up to 14 inches was reported." +112633,672366,OKLAHOMA,2017,January,Thunderstorm Wind,"LOVE",2017-01-15 21:35:00,CST-6,2017-01-15 21:35:00,0,0,0,0,10.00K,10000,0.00K,0,34.03,-97.02,34.03,-97.02,"Storms formed into a line on the evening of the 15th, moving eastward across southern Oklahoma and much of Texas.","Roof removed from home about 2 miles east of lake Murray." +112980,675124,GEORGIA,2017,January,Winter Storm,"HABERSHAM",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow during the overnight. By the pre-dawn hours on the 7th, much of the area had received as much as 5 inches of snow, while locations south of Highway 123 were just beginning to transition to sleet. Locations roughly north of Highway 123 saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common. Other than lingering flurries, the precipitation tapered off in most locations shortly after sunrise.","" +112980,675125,GEORGIA,2017,January,Winter Storm,"STEPHENS",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow during the overnight. By the pre-dawn hours on the 7th, much of the area had received as much as 5 inches of snow, while locations south of Highway 123 were just beginning to transition to sleet. Locations roughly north of Highway 123 saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common. Other than lingering flurries, the precipitation tapered off in most locations shortly after sunrise.","" +112981,675126,SOUTH CAROLINA,2017,January,Winter Storm,"GREATER PICKENS",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By the pre-dawn hours on the 7th, the foothills and far northern Piedmont had received as much as 5 inches of snow, while locations south of I-85 were just beginning to transition to sleet. By the time the precipitation tapered to flurries shortly after sunrise, locations roughly north of Highway 123 from the Georgia border to Easley, then north of I-85 from the Greenville area through Spartanburg and Gaffney saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common.","" +113081,676328,SOUTH CAROLINA,2017,January,Drought,"GREATER OCONEE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed in some areas (deficits of 15 to 20 inches), Upstate South Carolina finally saw a month of near-to-above normal precipitation during January 2017. This resulted in shrinking of the extreme drought area to the Georgia border counties, where levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions.","" +113181,677021,NORTH CAROLINA,2017,January,Cold/Wind Chill,"AVERY",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677022,NORTH CAROLINA,2017,January,Cold/Wind Chill,"BUNCOMBE",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113073,676251,WISCONSIN,2017,January,Winter Weather,"LA CROSSE",2017-01-16 07:15:00,CST-6,2017-01-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across La Crosse County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676252,WISCONSIN,2017,January,Winter Weather,"MONROE",2017-01-16 06:35:00,CST-6,2017-01-17 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Monroe County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113073,676253,WISCONSIN,2017,January,Winter Weather,"RICHLAND",2017-01-16 03:45:00,CST-6,2017-01-17 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Richland County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111772,666597,NEW MEXICO,2017,January,Heavy Snow,"NORTHEAST HIGHLANDS",2017-01-15 03:00:00,MST-7,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various observers across the area from Las Vegas to Valmora reported between 5 and 9 inches of snowfall. Some freezing rain mixed with the snowfall along Interstate 25. Difficult travel conditions were reported with snow packed roads and low visibility." +111779,666635,MINNESOTA,2017,January,Winter Weather,"ROCK",2017-01-16 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of up to two tenths of an inch in southwest Minnesota, mostly near the southern border of the state. The icing occurred from a few hours after midnight through the daytime hours. There was widespread icing on roads and other surfaces. The impact of the icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm near the southern border of the state. Winds remained light, preventing significant damage to trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain and freezing drizzle of less than 0.05 inch caused icy roads, and accumulated lightly on trees, power lines, and other surfaces. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday." +111509,665770,NEW MEXICO,2017,January,Winter Storm,"EASTERN SAN MIGUEL COUNTY",2017-01-05 14:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall ranged from 3 to 6 inches across eastern San Miguel County. Impacts from bitterly cold temperatures and gusty winds created winter storm impacts to travel through the region." +111509,665772,NEW MEXICO,2017,January,Winter Storm,"QUAY COUNTY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall amounts up to 8 inches were reported around Tucumcari. Impacts from bitterly cold temperatures and gusty winds created winter storm impacts to travel through the region. Near whiteout conditions were reported at times." +112732,673252,NEBRASKA,2017,February,Heavy Snow,"THURSTON",2017-02-23 17:00:00,CST-6,2017-02-24 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. A measured 9.2 inches was observed at Thurston." +112734,673255,NEBRASKA,2017,February,Winter Weather,"MADISON",2017-02-07 21:30:00,CST-6,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall was observed across the county. A measured 5 inches was recorded in Norfolk." +112734,673256,NEBRASKA,2017,February,Winter Weather,"STANTON",2017-02-07 21:30:00,CST-6,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall was observed across the county. A measured 4.9 inches was recorded in Stanton." +111675,666217,TEXAS,2017,January,Thunderstorm Wind,"SABINE",2017-01-02 10:05:00,CST-6,2017-01-02 10:05:00,0,0,0,0,0.00K,0,0.00K,0,31.3404,-93.8498,31.3404,-93.8498,"A strong negative tilted upper level trough of low pressure quickly traversed east northeast across the Texas Hill Country into the Middle Red River Valley of Northeast Texas, Southeast Oklahoma, and Southwest Arkansas during the morning through the early afternoon hours on January 2nd. Ahead of this trough, a warm front lifted north to near the Interstate 20 corridor of East Texas and North Louisiana, and was characteristic of a much warmer, more humid, and unstable air mass with dewpoints rising into the lower and middle 60s. Large scale forcing increased ahead of the trough during the early morning hours of the 2nd, resulting in scattered to numerous showers and thunderstorms developing over much of East Texas around and shortly after daybreak. Some of these storms became severe, and quickly spread east northeast across the lower Toledo Bend Country into Northcentral Louisiana. Numerous reports of marginally severe hail and damaging winds were received across these areas, before these storms raced out of the area by midday.","Trees down in Hemphill." +111742,666425,LOUISIANA,2017,January,Winter Weather,"SABINE",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +111742,666426,LOUISIANA,2017,January,Winter Weather,"NATCHITOCHES",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +112206,669034,CONNECTICUT,2017,January,Winter Weather,"SOUTHERN LITCHFIELD",2017-01-07 10:00:00,EST-5,2017-01-07 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the morning of Saturday, January 7th, a coastal storm moved northeast off the coast of North Carolina. Although this storm tracked well off the coast, it was close enough to bring some light snowfall to northwestern Connecticut. Light snowfall began during the mid morning hours and continued throughout the day. The storm tracked off the coast of southern New England by the evening hours, and snowfall gradually tapered off. By that time, about 2 to 5 inches accumulated across Litchfield County, with heavier accumulations to the south and east of the area.","" +112208,669071,NEW YORK,2017,January,Strong Wind,"NORTHERN HERKIMER",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +120688,722885,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"MAUMEE BAY TO RENO BEACH OH",2017-09-04 18:18:00,EST-5,2017-09-04 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-83.5,41.68,-83.5,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 41 knot thunderstorm wind gust was measured at the Toledo Lighthouse." +120688,722887,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"THE ISLANDS TO VERMILION OH",2017-09-04 19:18:00,EST-5,2017-09-04 19:18:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-82.73,41.54,-82.73,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 43 knot thunderstorm wind gust was measured at the Marblehead Lighthouse." +120688,722889,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"VERMILION TO AVON POINT OH",2017-09-04 19:50:00,EST-5,2017-09-04 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-82.19,41.48,-82.19,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 42 knot thunderstorm wind gust was measured at the Lorain Lighthouse." +120707,723013,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-29 12:56:00,EST-5,2017-09-29 12:56:00,0,0,0,0,0.00K,0,0.00K,0,42.0463,-80.3444,42.0463,-80.3444,"Several waterspouts were observed on Lake Erie.","A waterspout was observed about three miles offshore from Lake City." +112992,682530,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-10 12:18:00,PST-8,2017-01-10 18:15:00,0,0,0,0,0.00K,0,0.00K,0,38.2961,-122.6928,38.2201,-122.6001,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Stream gauges indicated that flash flooding was occurring on the Willow Brook and other portions of the Petaluma River. Also, Flooding was occurring on the lower Sonoma Creek watershed at the Agua Caliente stream gauge." +112992,682537,CALIFORNIA,2017,January,Flash Flood,"MONTEREY",2017-01-10 19:00:00,PST-8,2017-01-11 06:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2479,-121.7813,36.2398,-121.7782,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Heavy rain over the Soberanes Burn Scar resulted in flooding on the Big Sur River. The Big Sur River stream gauge near Big Sur rose above flood stage at 7:00 pm PST on January 10 and continued above flood stage until 6:30 am PST on January 11." +111679,676756,NORTH DAKOTA,2017,January,Winter Storm,"RAMSEY",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676757,NORTH DAKOTA,2017,January,Winter Storm,"EASTERN WALSH",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113002,675403,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 12:10:00,PST-8,2017-01-20 12:10:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-117.99,35.3265,-117.9684,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported Highway 14 was closed near Redrock Randsburg Road due to flooding near Cantil." +113002,675404,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 12:12:00,PST-8,2017-01-20 12:12:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-119.16,35.4992,-119.159,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported State Route 99 offramp at Lerdo Road was flooded in Bakersfield." +113002,675421,CALIFORNIA,2017,January,Flood,"KERN",2017-01-22 16:49:00,PST-8,2017-01-22 16:49:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-118.52,35.4155,-118.5193,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Johns Road near Williams Road south of Havilah." +113267,677717,CALIFORNIA,2017,January,Flood,"KERN",2017-01-23 05:36:00,PST-8,2017-01-23 05:36:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-117.99,35.3021,-117.9897,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported roadway flooding near Neurailia Road and Rogers Road just southwest of Cantil." +113267,677724,CALIFORNIA,2017,January,Flood,"KERN",2017-01-23 08:25:00,PST-8,2017-01-23 08:25:00,0,0,0,0,0.00K,0,0.00K,0,35.2672,-118.914,35.2672,-118.9128,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported road flooding at the intersection of Panama Road and Velma Avenue in Lamont." +113267,677728,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-23 12:07:00,PST-8,2017-01-23 12:07:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-119.79,36.9213,-119.7867,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported water flowing off of field and onto Avenue 12 north of Rolling Hills." +113263,678073,CALIFORNIA,2017,January,Dense Fog,"E CENTRAL S.J. VALLEY",2017-01-31 04:40:00,PST-8,2017-01-31 04:40:00,0,0,0,1,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Fresno police and California Highway Patrol reported a 2 vehicle accident during dense fog causing one fatality at Jensen Avenue and Chateau Fresno Avenue in the city of Fresno in Fresno County. It also appeared alcohol was a factor." +113263,678106,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-30 22:55:00,PST-8,2017-01-31 11:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 2255 PST and 1155 PST the Hanford Municipal Airport (KHJO) ASOS reported visibility less than 1/4 mile." +113263,678107,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-30 00:50:00,PST-8,2017-01-30 11:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0050 PST and 1110 PST the Hanford Municipal Airport (KHJO) ASOS reported visibility less than 1/4 mile." +113263,678108,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-29 02:30:00,PST-8,2017-01-29 10:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0230 PST and 1035 PST the Hanford Municipal Airport (KHJO) ASOS reported visibility less than 1/4 mile." +113092,676525,CALIFORNIA,2017,January,High Wind,"COASTAL DEL NORTE",2017-01-22 01:45:00,PST-8,2017-01-22 02:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 2:03 am at the Crescent City Airport." +113092,676527,CALIFORNIA,2017,January,Heavy Snow,"SOUTHERN TRINITY",2017-01-21 18:30:00,PST-8,2017-01-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","A trained spotter reported 5 inches of snow overnight with 2 feet of snow now on the ground in Zenia at 3,426 feet elevation." +112305,669673,LOUISIANA,2017,January,Funnel Cloud,"JEFFERSON",2017-01-21 17:04:00,CST-6,2017-01-21 17:04:00,0,0,0,0,0.00K,0,0.00K,0,29.98,-90.25,29.98,-90.25,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","A funnel cloud was observed by the observer at New Orleans International Airport. The funnel cloud was to the west of the airport." +112305,669675,LOUISIANA,2017,January,Hail,"ORLEANS",2017-01-21 17:11:00,CST-6,2017-01-21 17:11:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-89.85,30.05,-89.85,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","The hail was reported 2 miles west of the Twin Span Bridge on Interstate 10." +112305,669676,LOUISIANA,2017,January,Hail,"ST. TAMMANY",2017-01-21 17:38:00,CST-6,2017-01-21 17:38:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-89.78,30.28,-89.78,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","" +112305,669677,LOUISIANA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-21 06:15:00,CST-6,2017-01-21 06:15:00,0,0,0,0,0.00K,0,0.00K,0,29.98,-90.25,29.98,-90.25,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","Several homes were reported to have shingles blown off and fences blown down on Furman Drive." +112309,669678,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-01-21 06:37:00,CST-6,2017-01-21 06:37:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","" +112305,669679,LOUISIANA,2017,January,High Wind,"UPPER TERREBONNE",2017-01-22 14:40:00,CST-6,2017-01-22 14:40:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of low pressure moved along a cold front, producing severe thunderstorms on the 21st and strong post frontal winds on the 22nd.","A trained spotter relayed reports of several power lines blown down and power poles snapped due to gradient winds in Chauvin, the Bourg-LaRose area, and Coteau Road in Houma, as well as Bayou Dularge Road." +112626,672323,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","Several reports from the Dover area indicated 4.5 to 9 inches of snow accumulation followed by blowing and drifting snow with gusty north winds." +112626,672324,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","Six inches of snow was reported at Blanchard." +115344,692577,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-26 14:46:00,CST-6,2017-04-26 14:46:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-92.36,34.6682,-92.3519,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Flash flooding was reported with some vehicles stranded." +113285,677901,WASHINGTON,2017,February,Ice Storm,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-02-08 14:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A Pacific frontal system combined with sub-freezing easterly flow across the Cascades passes and Fraser outflow brought a major episode of snow and freezing rain to the Cascades and Western Whatcom County. All three Washington Cascades passes (Stevens Pass, Snoqualmie Pass, and White Pass) were closed to traffic in both directions for almost 24 hours due to snow and accumulating ice, avalanche danger, and slides of snow and trees. In Western Whatcom County snow became covered with a sheet of ice as thick as a half inch as precipitation changed to freezing rain.","Mt Baker NWAC station reported 7 inches of snow, followed immediately by more than 2 inches of freezing rain. State Route 542 and the Mt Baker ski area were closed from Wednesday evening, February 8, through midday Thursday, February 9, due to snow and accumulating ice, avalanche danger, and slides of snow and trees." +112454,670593,ILLINOIS,2017,January,Winter Weather,"EDWARDS",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670594,ILLINOIS,2017,January,Winter Weather,"WABASH",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670603,ILLINOIS,2017,January,Winter Weather,"UNION",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670604,ILLINOIS,2017,January,Winter Weather,"JOHNSON",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112520,671048,KENTUCKY,2017,January,Dense Fog,"UNION",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671049,KENTUCKY,2017,January,Dense Fog,"WEBSTER",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +113274,677801,CALIFORNIA,2017,January,Flash Flood,"LOS ANGELES",2017-01-12 14:41:00,PST-8,2017-01-12 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.1537,-117.9307,34.1523,-117.9212,"Strong thunderstorms moved over the Los Angeles county area, bringing heavy rain to the area. Near the Fish burn scar, the heavy rain produced flash flooding and mud and debris flows in the city of Azusa.","Strong thunderstorms brought heavy rain to the Fish burn scar. The heavy rain produced mud and debris flows which impacted Encanto Parkway in the city of Azusa." +113276,677808,CALIFORNIA,2017,January,Flash Flood,"LOS ANGELES",2017-01-22 14:39:00,PST-8,2017-01-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,33.7943,-118.2122,33.7873,-118.2116,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","Flash flooding was reported at the intersection of the Pacific Coast Highway and Interstate 710." +113276,677809,CALIFORNIA,2017,January,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-01-22 09:55:00,PST-8,2017-01-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","Strong southerly winds developed across the mountains of Los Angeles county. Some peak wind gusts from the local RAWS stations include: Camp Nine (gusts 83 MPH) and Sandberg (gusts 60 MPH)." +113276,677810,CALIFORNIA,2017,January,High Wind,"VENTURA COUNTY MOUNTAINS",2017-01-22 09:55:00,PST-8,2017-01-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","Strong southerly winds developed across the mountains of Ventura county. Peak wind gusts were between 60 and 65 MPH." +113276,677811,CALIFORNIA,2017,January,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-01-22 09:06:00,PST-8,2017-01-22 10:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","Strong southerly winds developed across the mountains of Santa Barbara county. The RAWS sensor at Tepusquet reported a wind gust of 67 MPH." +113278,677813,CALIFORNIA,2017,January,High Surf,"SAN LUIS OBISPO COUNTY CENTRAL COAST",2017-01-21 11:00:00,PST-8,2017-01-21 12:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very high surf conditions (25-28 feet) developed along the Central Coast. The high surf swept a man off the rocks near Morro Rock.","High surf swept a man off the rocks near Morro Rock. The individual was pronounced dead." +113058,676024,MISSISSIPPI,2017,January,Hail,"LAMAR",2017-01-21 03:35:00,CST-6,2017-01-21 03:40:00,0,0,0,0,15.00K,15000,0.00K,0,31.31,-89.49,31.2886,-89.4136,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Ping pong ball sized hail fell in the Oak Grove community as well as golfball sized hail just to the west of West Hattiesburg." +113058,676025,MISSISSIPPI,2017,January,Thunderstorm Wind,"JEFFERSON DAVIS",2017-01-21 03:45:00,CST-6,2017-01-21 03:45:00,0,0,0,0,10.00K,10000,0.00K,0,31.5393,-89.7946,31.5393,-89.7946,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A few trees were blown down near Ross-McPhail Road." +113058,676027,MISSISSIPPI,2017,January,Hail,"MARION",2017-01-21 03:51:00,CST-6,2017-01-21 03:54:00,0,0,0,0,10.00K,10000,0.00K,0,31.19,-89.67,31.2168,-89.6536,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Swath of golfball sized hail fell in the eastern edge of the county." +113058,676028,MISSISSIPPI,2017,January,Hail,"LAMAR",2017-01-21 03:55:00,CST-6,2017-01-21 04:00:00,0,0,0,0,7.00K,7000,0.00K,0,31.22,-89.63,31.22,-89.63,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +111443,664830,OHIO,2017,January,Winter Weather,"ATHENS",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +112473,670616,MISSOURI,2017,January,Winter Weather,"WAYNE",2017-01-13 05:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +118252,710636,IOWA,2017,June,Hail,"PAGE",2017-06-28 15:35:00,CST-6,2017-06-28 15:35:00,0,0,0,0,,NaN,,NaN,40.79,-95.37,40.79,-95.37,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","A report from a local radio station of baseball and tea cup size hail had fallen north of Shenandoah." +118252,710637,IOWA,2017,June,Hail,"PAGE",2017-06-28 15:50:00,CST-6,2017-06-28 15:50:00,0,0,0,0,,NaN,,NaN,40.83,-95.21,40.83,-95.21,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","" +118252,710641,IOWA,2017,June,Hail,"FREMONT",2017-06-28 15:58:00,CST-6,2017-06-28 15:58:00,0,0,0,0,,NaN,,NaN,40.61,-95.65,40.61,-95.65,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","" +118252,710645,IOWA,2017,June,Hail,"FREMONT",2017-06-28 16:17:00,CST-6,2017-06-28 16:17:00,0,0,0,0,,NaN,,NaN,40.63,-95.43,40.63,-95.43,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","Ping-Pong ball size hail damaged siding on a home, and stripped leaves off of bean and corn crops about 6 1/2 miles south southeast of Farragut." +111464,665460,NEW JERSEY,2017,January,Winter Weather,"WESTERN OCEAN",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one-half and two inches of snow fell from this event, with 1.1 inches in Lacey Township, 1.0 inches in Toms River, and 0.5 inches in Whiting." +111464,665461,NEW JERSEY,2017,January,Winter Weather,"SALEM",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and two inches of snow fell from this event, with 1.7 inches reported in Woodstown." +111464,665462,NEW JERSEY,2017,January,Winter Weather,"SOMERSET",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally between one and three inches of snow fell from this event, with 2.2 inches in Franklin Township, 2.0 inches in Hillsborough, and 1.0 inches in Branchburg." +111464,665463,NEW JERSEY,2017,January,Winter Weather,"SUSSEX",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than one inch of snow fell from this event, with 0.2 inches reported in Wantage." +114848,688981,TEXAS,2017,April,Hail,"LAMAR",2017-04-04 20:07:00,CST-6,2017-04-04 20:07:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-95.35,33.67,-95.35,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","Emergency management reported quarter sized hail just east of the city of Blossom, TX." +114848,688982,TEXAS,2017,April,Hail,"DELTA",2017-04-04 20:20:00,CST-6,2017-04-04 20:20:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-95.68,33.37,-95.68,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","Emergency management reported quarter sized hail in the city of Cooper, TX." +114848,688983,TEXAS,2017,April,Hail,"DELTA",2017-04-04 20:24:00,CST-6,2017-04-04 20:24:00,0,0,0,0,0.00K,0,0.00K,0,33.43,-95.67,33.43,-95.67,"A cold front brought a round of showers and storms to the northeastern third of North Texas during the evening hours of April 4. Hail was by far the highest reported severe weather occurrence.","Emergency management reported half dollar sized hail in the city of Enloe, TX." +114810,691756,TEXAS,2017,April,Hail,"LEON",2017-04-02 07:04:00,CST-6,2017-04-02 07:04:00,0,0,0,0,2.00K,2000,0.00K,0,31.4815,-96.0178,31.4815,-96.0178,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Golf ball size hail fell just northeast of Buffalo." +114810,691771,TEXAS,2017,April,Hail,"FREESTONE",2017-04-02 07:40:00,CST-6,2017-04-02 07:40:00,0,0,0,0,1.00K,1000,0.00K,0,31.79,-96.14,31.79,-96.14,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Trained spotter reports golf ball size hail." +115498,693666,TEXAS,2017,April,Flood,"WISE",2017-04-17 13:41:00,CST-6,2017-04-17 15:45:00,0,0,0,0,0.00K,0,0.00K,0,33.1473,-97.7594,33.1376,-97.7661,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","A trained spotter reported street flooding near the intersection of FM 2123 and Sunflower Rd in Paradise, TX." +115498,693667,TEXAS,2017,April,Flood,"WISE",2017-04-17 13:47:00,CST-6,2017-04-17 15:45:00,0,0,0,0,0.00K,0,0.00K,0,33.2172,-97.7611,33.2126,-97.7606,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Amateur radio reported street flooding near the intersection of 9th Street and Turkey Creek Trail in the city of Bridgeport, TX." +112514,671011,ILLINOIS,2017,January,Dense Fog,"UNION",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671012,ILLINOIS,2017,January,Dense Fog,"WABASH",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671013,ILLINOIS,2017,January,Dense Fog,"WAYNE",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671014,ILLINOIS,2017,January,Dense Fog,"WHITE",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +112514,671015,ILLINOIS,2017,January,Dense Fog,"WILLIAMSON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +121162,725335,OKLAHOMA,2017,October,Flash Flood,"GRADY",2017-10-21 19:12:00,CST-6,2017-10-21 22:12:00,0,0,0,0,0.00K,0,0.00K,0,35.0519,-97.9615,35.0264,-97.9599,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","About a foot of water was over the roads." +112519,671028,INDIANA,2017,January,Dense Fog,"GIBSON",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112020,668082,IOWA,2017,January,Winter Storm,"BUENA VISTA",2017-01-24 14:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 4 to 8 inches, including 7.5 inches near Linn Grove. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112020,668083,IOWA,2017,January,Winter Storm,"SIOUX",2017-01-24 14:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread over the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Accumulations ranged from 4 to 15 inches, except for lesser amounts over the southern edge of Ida County. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed.","Snow accumulated 8 to 15 inches, including 14.5 inches at Hawarden. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing numerous roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112409,670150,WYOMING,2017,January,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-01-22 17:00:00,MST-7,2017-01-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Heavy snow fell through most of the Salt and Wyoming Range. Some of the highest amounts included 16 inches at the Willow Creek SNOTEL and 14 inches at the Kelly Ranger Station SNOTEL." +111830,667015,NEW JERSEY,2017,January,Strong Wind,"CAMDEN",2017-01-23 10:00:00,EST-5,2017-01-23 10:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Downed tree due to wind on I-295 at exit 31." +111830,668025,NEW JERSEY,2017,January,Coastal Flood,"WESTERN MONMOUTH",2017-01-24 04:00:00,EST-5,2017-01-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Numerous roads flooded with the morning high tide." +112151,668843,INDIANA,2017,January,Winter Weather,"POSEY",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +112409,670156,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN",2017-01-22 17:00:00,MST-7,2017-01-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Snowfall amounts in the Upper Green River Basin ranged from 8 inches at Big Piney to 14 inches at Farson." +112409,670157,WYOMING,2017,January,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-01-23 16:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Snowfall amounts in the Green Mountains and Rattlesnake Range varied from 9 inches at Jeffrey City to 11.7 inches at Sweetwater Station." +112155,668953,LOUISIANA,2017,January,Tornado,"NATCHITOCHES",2017-01-21 17:56:00,CST-6,2017-01-21 18:03:00,1,0,0,0,500.00K,500000,0.00K,0,31.6824,-93.0381,31.6847,-93.0035,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-2 tornado with maximum estimated winds near 125 mph touched down near Natchez near Highway 404 where it tore the roof off of a home and destroyed a few outdoor storage buildings. The tornado was strongest as it crossed the Cane River and heavily damaged a brick home on Patrick Road, where 3 brick walls collapsed and much of the back portion of the roof was torn off. A man living in this home suffered an arm injury, but was later determined that it was not broken. The tornado continued east across a largely open field but did snap several trees before crossing Patrick Road again snapping/uprooting numerous trees and slightly damaging several homes. The tornado crossed the Cane River a second and third time before downing a chain link fence and snapping numerous large limbs along Parish Road 610 near Pratt Lane. The tornado finally lifted in an open field shortly after crossing Parish Road 610 just shy of the Red River. In all, 5 homes suffered significant damage mainly along Highway 494 and Patrick Road." +112195,668981,ARKANSAS,2017,January,Tornado,"UNION",2017-01-21 19:04:00,CST-6,2017-01-21 19:09:00,0,0,0,0,10.00K,10000,0.00K,0,33.1731,-92.807,33.211,-92.7859,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","An EF-1 tornado with maximum estimated winds near 90 mph touched down along Shuler Road between Dry Creek Lane and Wolfie Road where several small pine trees were snapped. The tornado continued north northeast across a heavily wooded area before snapping large branches along Parnell Road, and later intensified as it reached Highway 82 and Guinn Road. Here, several large pine trees were uprooted and a tree fell against a portion of a home, damaging a small antenna tower. The tornado lifted shortly thereafter on Guinn Road." +112195,668982,ARKANSAS,2017,January,Hail,"HOWARD",2017-01-21 19:10:00,CST-6,2017-01-21 19:10:00,0,0,0,0,0.00K,0,0.00K,0,34.1826,-94.0238,34.1826,-94.0238,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Quarter size hail fell north of Dierks." +111788,666773,NEW MEXICO,2017,January,Heavy Snow,"SOUTHWEST MOUNTAINS",2017-01-20 15:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Various sources in the area from Luna to Mogollon reported between 8 and 10 inches of snowfall. Even lower terrain areas from Reserve to Glenwood picked up around 3 inches. Highway 15 was closed due to heavy snowfall and treacherous travel conditions between Pinos Alto and the Gila Cliff Dwellings." +111799,666860,TEXAS,2017,January,High Wind,"REEVES COUNTY AND UPPER TRANS PECOS",2017-01-21 15:35:00,CST-6,2017-01-22 02:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of upper level troughs grazed the region and resulted in high winds across the Guadalupe and Davis Mountains, in addition to portions of the west Texas plains.","Roof torn off church at 3rd and Hickory Street in Pecos. Multiple trees uprooted in Pecos, and power out citywide." +111999,667877,SOUTH DAKOTA,2017,January,Winter Storm,"MOODY",2017-01-24 15:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 3 to 6 inches over the southern edge of the county. Winds of 20 to 30 mph caused some blowing and drifting snow, closing a few roads and causing some school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667879,SOUTH DAKOTA,2017,January,Winter Weather,"BEADLE",2017-01-24 13:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 2 to 4 inches, including 4.0 inches at Huron and near Broadland. Winds of 20 to 30 mph caused areas of blowing and drifting snow." +120456,721689,LAKE ERIE,2017,September,Waterspout,"VERMILION TO AVON POINT OH",2017-09-06 06:59:00,EST-5,2017-09-06 06:59:00,0,0,0,0,0.00K,0,0.00K,0,41.5282,-82.1874,41.5282,-82.1874,"Several waterspouts were observed on Lake Erie.","A waterspout was observed about five miles north of Lorain." +120456,721690,LAKE ERIE,2017,September,Waterspout,"VERMILION TO AVON POINT OH",2017-09-06 08:18:00,EST-5,2017-09-06 08:18:00,0,0,0,0,0.00K,0,0.00K,0,41.5035,-82.0596,41.5035,-82.0596,"Several waterspouts were observed on Lake Erie.","A waterspout was observed offshore from Avon Point." +112337,669779,WYOMING,2017,January,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-01-07 23:00:00,MST-7,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell across the western slope of the Wind River Range. The highest total observed was 38 inches of the Kendall Ranger Station SNOTEL. The heavy snow combined with strong winds to close South Pass for several hours as well." +112337,669780,WYOMING,2017,January,Winter Weather,"WIND RIVER MOUNTAINS EAST",2017-01-08 01:00:00,MST-7,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell across the eastern slopes of the Wind River Range. The highest snowfall totals recorded were 54 inches at the South Pass SNOTEL and 53 inches at the Deer Park SNOTEL. The snow combined with strong winds to bring significant blowing and drifting of the snow that made travel very difficult and resulted in the closure of South Pass at times during the event." +114485,686523,PENNSYLVANIA,2017,March,Winter Storm,"SOUTHERN ERIE",2017-03-13 19:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northwestern Pennsylvania during the evening hours of the 13th. Two to four inches of snow fell across most of the area by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell inland from Lake Erie over southern Erie and northern Crawford Counties. Some of the higher storm totals from Erie County included 14.0 inches south of North East and also at Edinboro and 11.3 inches in Amity Township. In Crawford County some of the higher totals included 13.8 inches at Springboro; 13.0 inches at Meadville and 11.0 inches at Linesville. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northwestern Pennsylvania were closed one or more days.","An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northwestern Pennsylvania during the evening hours of the 13th. Two to four inches of snow fell across most of the area by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell inland from Lake Erie over southern Erie and northern Crawford Counties. Some of the higher storm totals from Erie County included 14.0 inches south of North East and also at Edinboro and 11.3 inches in Amity Township. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northwestern Pennsylvania were closed one or more days." +120456,721691,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 08:15:00,EST-5,2017-09-06 08:15:00,0,0,0,0,0.00K,0,0.00K,0,42.0869,-80.2431,42.0869,-80.2431,"Several waterspouts were observed on Lake Erie.","A waterspout was observed on Lake Erie northwest of the Walnut Creek access." +111564,677454,CALIFORNIA,2017,January,Strong Wind,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-01-10 00:00:00,PST-8,2017-01-11 00:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","North Auburn Sewer Maintenance District building roof was damaged by a falling tree. Saturated ground and gusty winds were thought responsible." +111772,666590,NEW MEXICO,2017,January,Heavy Snow,"SOUTHWEST MOUNTAINS",2017-01-14 18:00:00,MST-7,2017-01-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various sources reported snowfall amounts ranging from 6 to 9 inches over the higher terrain of Catron County. The highest amounts were reported at the Magdalena Ridge Observatory where 18 to 24 inches fell. This event produced only minor impacts in the lower elevations." +111772,666591,NEW MEXICO,2017,January,Winter Storm,"WEST CENTRAL MOUNTAINS",2017-01-14 22:00:00,MST-7,2017-01-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","A local Boy Scout group camping along the east slope of Mount Taylor woke up to 16 inches of snowfall. Lower elevation areas saw only minor impacts with less than 4 inches of snow." +111772,666596,NEW MEXICO,2017,January,Heavy Snow,"FAR NORTHEAST HIGHLANDS",2017-01-15 03:00:00,MST-7,2017-01-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various observers across the area from Raton south to Springer and Wagon Mound reported between 3 and 10 inches of snowfall. Some freezing rain mixed with the snowfall along Interstate 25. Difficult travel conditions were reported with snow packed roads and low visibility." +111772,666598,NEW MEXICO,2017,January,Heavy Snow,"CENTRAL HIGHLANDS",2017-01-15 03:00:00,MST-7,2017-01-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Snowfall amounts of 6 to 8 inches were common around Clines Corners southward toward Encino. Some freezing rain mixed with the snowfall along Interstate 40 and U.S. Highway 285. Difficult travel conditions were reported with snow packed roads and low visibility." +112981,675127,SOUTH CAROLINA,2017,January,Winter Storm,"GREATER GREENVILLE",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By the pre-dawn hours on the 7th, the foothills and far northern Piedmont had received as much as 5 inches of snow, while locations south of I-85 were just beginning to transition to sleet. By the time the precipitation tapered to flurries shortly after sunrise, locations roughly north of Highway 123 from the Georgia border to Easley, then north of I-85 from the Greenville area through Spartanburg and Gaffney saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common.","" +112981,675128,SOUTH CAROLINA,2017,January,Winter Storm,"SPARTANBURG",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By the pre-dawn hours on the 7th, the foothills and far northern Piedmont had received as much as 5 inches of snow, while locations south of I-85 were just beginning to transition to sleet. By the time the precipitation tapered to flurries shortly after sunrise, locations roughly north of Highway 123 from the Georgia border to Easley, then north of I-85 from the Greenville area through Spartanburg and Gaffney saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common.","" +112981,675129,SOUTH CAROLINA,2017,January,Winter Storm,"CHEROKEE",2017-01-06 21:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread Upstate South Carolina and far northeast Georgia throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By the pre-dawn hours on the 7th, the foothills and far northern Piedmont had received as much as 5 inches of snow, while locations south of I-85 were just beginning to transition to sleet. By the time the precipitation tapered to flurries shortly after sunrise, locations roughly north of Highway 123 from the Georgia border to Easley, then north of I-85 from the Greenville area through Spartanburg and Gaffney saw mostly snow, with total accumulations ranging from 3 to 6 inches. South of there, there was a narrow band of mostly sleet, where accumulations of sleet and snow ranging from one half to 2 inches was common.","" +111599,665799,KENTUCKY,2017,January,Winter Weather,"BREATHITT",2017-01-05 08:45:00,EST-5,2017-01-05 22:30:00,0,0,0,1,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of light snow developed early this morning, bringing widespread accumulations of 1-3 inches across eastern Kentucky through the day. A couple of more intense bands developed during the morning hours. These occurred across Perry County from Hazard south to Viper where 4 inches of snow were measured, and across portions of Martin County near Inez where 4 inches of snow occurred through the afternoon before another 1.2 inches fell during the evening and early overnight. These two areas experienced numerous travel complications as snow fell rather quickly underneath these bands. Other areas experienced traffic impacts and accidents, including south of Jackson in Breathitt County where a motorist slid off of Highway 476 and was killed. Another serious accident near Williamsburg on Interstate 75 in Whitley County forced the closure of the northbound lanes between mile markers 15 and 16 during the latter hours of the morning.","" +111599,665797,KENTUCKY,2017,January,Heavy Snow,"PERRY",2017-01-05 09:00:00,EST-5,2017-01-05 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of light snow developed early this morning, bringing widespread accumulations of 1-3 inches across eastern Kentucky through the day. A couple of more intense bands developed during the morning hours. These occurred across Perry County from Hazard south to Viper where 4 inches of snow were measured, and across portions of Martin County near Inez where 4 inches of snow occurred through the afternoon before another 1.2 inches fell during the evening and early overnight. These two areas experienced numerous travel complications as snow fell rather quickly underneath these bands. Other areas experienced traffic impacts and accidents, including south of Jackson in Breathitt County where a motorist slid off of Highway 476 and was killed. Another serious accident near Williamsburg on Interstate 75 in Whitley County forced the closure of the northbound lanes between mile markers 15 and 16 during the latter hours of the morning.","" +113181,677023,NORTH CAROLINA,2017,January,Cold/Wind Chill,"GRAHAM",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +112647,672658,NEW YORK,2017,January,Lake-Effect Snow,"SOUTHERN HERKIMER",2017-01-27 07:00:00,EST-5,2017-01-28 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an upper level trough moved over upstate New York, very cold temperatures aloft moved across the region. This allowed for the formation of bands of lake-effect snow off Lake Ontario. Bands of snow developed during the morning across on Friday, January 27th and impacted parts of the western Mohawk Valley and southwestern Adirondacks.||Through the day on Friday, January 27th, the snow bands slowly lifted northward into the western and central Adirondacks, where they continued into the overnight hours and intermittently throughout the entire weekend.||By Sunday evening, up to two feet of snow fell across parts of northern Herkimer and western Hamilton Counties. Around a foot of snow fell in central Herkimer County, with just a few inches across southern parts of Herkimer County.","" +112646,672491,VERMONT,2017,January,Winter Weather,"BENNINGTON",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began in the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. ||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations within the southern Green Mountains generally had 3 to 6 inches of snow and sleet.","" +112644,672462,NEW YORK,2017,January,Winter Weather,"WESTERN ULSTER",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672463,NEW YORK,2017,January,Winter Weather,"EASTERN ULSTER",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672573,OKLAHOMA,2017,January,Drought,"ELLIS",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672470,NEW YORK,2017,January,Winter Weather,"SCHOHARIE",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672471,NEW YORK,2017,January,Winter Weather,"WESTERN ALBANY",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672581,OKLAHOMA,2017,January,Drought,"GARFIELD",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672582,OKLAHOMA,2017,January,Drought,"NOBLE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672478,NEW YORK,2017,January,Winter Weather,"SOUTHERN HERKIMER",2017-01-23 19:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672479,NEW YORK,2017,January,Winter Weather,"NORTHERN FULTON",2017-01-23 19:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672484,NEW YORK,2017,January,Winter Weather,"NORTHERN WASHINGTON",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672485,NEW YORK,2017,January,Winter Weather,"SOUTHEAST WARREN",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112645,672490,MASSACHUSETTS,2017,January,Winter Weather,"SOUTHERN BERKSHIRE",2017-01-23 17:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as sleet and freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. When precipitation was all said and done, about 1 to 3 inches of snow and sleet had accumulated for valley areas, with a light glaze of ice as well. Some higher terrain areas saw up to 5 inches of snow and sleet.","" +111823,668568,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 20:03:00,CST-6,2017-01-15 20:03:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-99.25,29.78,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced two inch hail that dented cars in Medina." +111823,668569,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 20:04:00,CST-6,2017-01-15 20:04:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.25,29.8,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced 2.5 inch hail that broke a sky light in a house." +111823,668570,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 20:08:00,CST-6,2017-01-15 20:08:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-99.25,29.8,-99.25,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668571,TEXAS,2017,January,Hail,"BANDERA",2017-01-15 20:15:00,CST-6,2017-01-15 20:15:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-99.1,29.78,-99.1,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668572,TEXAS,2017,January,Thunderstorm Wind,"KERR",2017-01-15 20:30:00,CST-6,2017-01-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,30.01,-99.12,30.01,-99.12,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced wind gusts estimated at 70 mph that tore an awning off a convenience store near the intersection of Hwy 173 and Veterans Hwy in Kerrville." +111823,668573,TEXAS,2017,January,Thunderstorm Wind,"KENDALL",2017-01-15 21:26:00,CST-6,2017-01-15 21:26:00,0,0,0,0,0.00K,0,0.00K,0,29.91,-98.74,29.91,-98.74,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced wind gusts estimated at 60 mph the knocked down some large tree limbs near the intersection of Schmidt Ln. and Ernst Rd. in Welfare." +120688,722864,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-09-04 20:50:00,EST-5,2017-09-04 20:50:00,0,0,0,0,0.00K,0,0.00K,0,41.5176,-81.6792,41.5176,-81.6792,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 36 knot wind gust was measured at Burke Lakefront Airport." +120688,722876,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-09-04 21:03:00,EST-5,2017-09-04 21:03:00,0,0,0,0,0.00K,0,0.00K,0,41.8543,-80.9802,41.8543,-80.9802,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 35 knot thunderstorm wind gust was measured." +120688,722877,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-09-04 21:18:00,EST-5,2017-09-04 21:18:00,0,0,0,0,0.00K,0,0.00K,0,42.1588,-80.1151,42.1588,-80.1151,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 37 knot thunderstorm wind gust was measured on Presque Isle." +111742,666427,LOUISIANA,2017,January,Winter Weather,"GRANT",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +112114,668661,TEXAS,2017,January,Drought,"CASS",2017-01-01 00:00:00,CST-6,2017-01-02 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across Southwest Cass, Southern Morris, Northeast Upshur, and Western Marion Counties in Northeast Texas to start January 2017. However, widespread rainfall amounts of a half inch to an inch fell across this area during the final week of December, which resulted in drought conditions improving to moderate (D1) with the first U.S. Drought Monitor issuance of 2017. Additional improvement occurred across the moderate drought areas during mid-January, where widespread rainfall amounts of three to in excess of four inches fell. This eliminated drought conditions here by the third week of the month.","" +112590,671853,NEW HAMPSHIRE,2017,January,Heavy Snow,"MERRIMACK",2017-01-17 15:00:00,EST-5,2017-01-18 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moving through the Great Lakes and a secondary low developing off the mid-Atlantic coast brought a light to moderate snowfall to the State. Snowfall amounts range from about 1 to 3 inches across the north and southeast to 4 to 8 inches across the remainder of the State.","" +112621,672286,MAINE,2017,January,Heavy Snow,"CENTRAL SOMERSET",2017-01-24 02:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of low pressure moved very slowly northeast from the Carolinas on the morning of the 23rd to the Gulf of Maine by the morning of the 25th. The storm brought a mixture of snow, sleet, and freezing rain to western Maine. Much of the area received between 1 and 3 inches of snow and sleet with northern Franklin and central Somerset Counties receiving up to 7 inches of snow and sleet.","" +112621,672288,MAINE,2017,January,Heavy Snow,"NORTHERN FRANKLIN",2017-01-24 02:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of low pressure moved very slowly northeast from the Carolinas on the morning of the 23rd to the Gulf of Maine by the morning of the 25th. The storm brought a mixture of snow, sleet, and freezing rain to western Maine. Much of the area received between 1 and 3 inches of snow and sleet with northern Franklin and central Somerset Counties receiving up to 7 inches of snow and sleet.","" +111753,666534,IOWA,2017,January,Winter Weather,"IDA",2017-01-16 19:00:00,CST-6,2017-01-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +112208,669072,NEW YORK,2017,January,Strong Wind,"HAMILTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669073,NEW YORK,2017,January,Strong Wind,"NORTHERN WARREN",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669074,NEW YORK,2017,January,Strong Wind,"NORTHERN WASHINGTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +111753,666540,IOWA,2017,January,Winter Weather,"O'BRIEN",2017-01-16 03:00:00,CST-6,2017-01-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Sheldon reported 0.20 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +111753,666541,IOWA,2017,January,Winter Weather,"LYON",2017-01-16 04:00:00,CST-6,2017-01-16 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Rock Rapids reported 0.15 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +112992,682544,CALIFORNIA,2017,January,Flash Flood,"NAPA",2017-01-10 15:00:00,PST-8,2017-01-10 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5286,-122.4967,38.5238,-122.4928,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Heavy rain caused the Napa River at Lodi Lane in Saint Helena CA to exceed flood stage between 3:00-10:30 pm PST on January 10, 2017." +112992,682545,CALIFORNIA,2017,January,Flash Flood,"MARIN",2017-01-10 18:43:00,PST-8,2017-01-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9634,-122.558,37.9621,-122.5568,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Corte Madera Creek stream gauge at Ross exceeded flood stage between 6:43 pm and 8:00 pm PST on January 10." +112992,682552,CALIFORNIA,2017,January,Flash Flood,"SANTA CRUZ",2017-01-10 20:45:00,PST-8,2017-01-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0524,-122.0734,37.0439,-122.0738,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Heavy rain in the Santa Cruz Mountains caused the San Lorenzo River to flood. The San Lorenzo River stream gauge at Big Trees exceeded flood stage between 8:45 pm on January 10 and 1:30 am on January 11." +112992,683627,CALIFORNIA,2017,January,Flood,"SAN FRANCISCO",2017-01-10 13:28:00,PST-8,2017-01-10 14:28:00,0,0,0,0,0.00K,0,0.00K,0,37.7358,-122.4073,37.7357,-122.4075,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Roadway flooding of hwy 280 and 101." +112992,683629,CALIFORNIA,2017,January,Flood,"SAN FRANCISCO",2017-01-11 00:07:00,PST-8,2017-01-11 01:07:00,0,0,0,0,0.00K,0,0.00K,0,37.7204,-122.3999,37.7202,-122.3999,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Standing water all lanes on 101S." +111629,665942,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"STEELE",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665943,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"TRAILL",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113002,675405,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 12:35:00,PST-8,2017-01-20 12:35:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-118.84,35.2833,-118.8378,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Mountain View Road near Comanche Drive northeast of Lamont Road." +113002,675406,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-20 12:40:00,PST-8,2017-01-20 12:40:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-120.55,36.6101,-120.545,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Hudson Avenue near Manning Road southeast of Chaney Ranch." +113002,675407,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 13:07:00,PST-8,2017-01-20 13:07:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-118.84,35.3401,-118.8429,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Edison Highway near Comanche Road east of Edison." +113032,675638,LAKE SUPERIOR,2017,January,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-01-03 22:00:00,EST-5,2017-01-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"West winds in the wake of a cold frontal passage gusted to storm force at Stannard Rock late on the 3rd and then again on the afternoon of the 4th.","The Stannard Rock Light station measured a peak wind gust of 49 knots." +113175,676967,MICHIGAN,2017,January,Winter Weather,"DELTA",2017-01-17 04:00:00,EST-5,2017-01-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain developed over south central Upper Michigan on the morning of the 17th as a low pressure system passed through the Lower Great Lakes.","The spotter in Escanaba reported a glaze of ice from ongoing freezing drizzle was covering the roads making them very slick." +113179,677000,MICHIGAN,2017,January,Winter Weather,"MARQUETTE",2017-01-26 19:00:00,EST-5,2017-01-27 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance and associated cold front moving through the region brought moderate snow to portions of Marquette and Alger counties from the evening of the 26th into the morning of the 27th.","The Marquette National Weather Service in Negaunee Township measured 4.2 inches of snow in 12 hours." +113179,677002,MICHIGAN,2017,January,Winter Weather,"ALGER",2017-01-26 19:00:00,EST-5,2017-01-27 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance and associated cold front moving through the region brought moderate snow to portions of Marquette and Alger counties from the evening of the 26th into the morning of the 27th.","The observer in Munising measured four inches of snow in less than 12 hours." +115345,692560,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-04 02:00:00,MST-7,2017-04-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system moved across northern Colorado and produced moderate snowfall over the Snowy Range and adjacent foothills. Gusty northeast winds to 30 mph created areas of blowing snow in open areas.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated six inches of snow." +115345,692561,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-04 02:00:00,MST-7,2017-04-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system moved across northern Colorado and produced moderate snowfall over the Snowy Range and adjacent foothills. Gusty northeast winds to 30 mph created areas of blowing snow in open areas.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated six inches of snow." +115345,692562,WYOMING,2017,April,Winter Weather,"NORTH SNOWY RANGE FOOTHILLS",2017-04-04 12:00:00,MST-7,2017-04-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system moved across northern Colorado and produced moderate snowfall over the Snowy Range and adjacent foothills. Gusty northeast winds to 30 mph created areas of blowing snow in open areas.","Two to four inches of snow was observed along Interstate 80 from Arlington to Elk Mountain." +115503,693528,NEBRASKA,2017,April,Winter Weather,"NORTH SIOUX",2017-04-09 17:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance and cold frontal passage produced a brief period of light to moderate snowfall and gusty northwest winds of 25 to 35 mph across the northern Nebraska Panhandle. Snow accumulations ranged from two to four inches, highest along the Pine Ridge.","Three inches of snow was observed at Harrison." +115503,693530,NEBRASKA,2017,April,Winter Weather,"DAWES",2017-04-09 17:00:00,MST-7,2017-04-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance and cold frontal passage produced a brief period of light to moderate snowfall and gusty northwest winds of 25 to 35 mph across the northern Nebraska Panhandle. Snow accumulations ranged from two to four inches, highest along the Pine Ridge.","Three inches of snow was observed at Crawford and Chadron, with four inches near Chadron State Park." +116027,697330,NEBRASKA,2017,April,High Wind,"DAWES",2017-04-09 17:20:00,MST-7,2017-04-09 19:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The RAWS sensor at Kings Canyon measured sustained winds of 40 mph or higher." +116027,697331,NEBRASKA,2017,April,High Wind,"BOX BUTTE",2017-04-09 16:10:00,MST-7,2017-04-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The wind sensor at the Alliance Airport measured sustained winds of 40 mph or higher." +113092,676530,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,3.00M,3000000,0.00K,0,40.2062,-123.783,40.2062,-123.783,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Two sinks in the roadway around mile post 4 on Highway 254, Avenue of the Giants." +113092,676531,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,1.50M,1500000,0.00K,0,40.03,-123.7936,40.03,-123.7936,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Failed culverts along Highway 101 between mile posts 6 and 8." +112626,672326,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","Five inches of snow was reported at Athol." +112626,672327,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","An observer near Hope reported 5.7 inches of snow accumulation." +112626,672329,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","A member of the public reported 5.3 inches of snow overnight near Cocolalla with near whiteout conditions with strong winds." +112626,672331,IDAHO,2017,January,Winter Storm,"NORTHERN PANHANDLE",2017-01-01 01:00:00,PST-8,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","A member of the public reported 4 inches of snow overnight near Priest River with near whiteout conditions with strong north winds." +112626,672333,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-01 02:00:00,PST-8,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","An observer near Huetter reported 4 inches of snow accumulation." +111631,676798,NORTH DAKOTA,2017,January,Blizzard,"EDDY",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676799,NORTH DAKOTA,2017,January,Blizzard,"NELSON",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676800,NORTH DAKOTA,2017,January,Blizzard,"GRAND FORKS",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676801,NORTH DAKOTA,2017,January,Blizzard,"GRIGGS",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676802,NORTH DAKOTA,2017,January,Blizzard,"STEELE",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676804,NORTH DAKOTA,2017,January,Blizzard,"TRAILL",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111631,676805,NORTH DAKOTA,2017,January,Blizzard,"BARNES",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +112454,670595,ILLINOIS,2017,January,Winter Weather,"WHITE",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112519,671030,INDIANA,2017,January,Dense Fog,"VANDERBURGH",2017-01-02 16:00:00,CST-6,2017-01-03 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112519,671031,INDIANA,2017,January,Dense Fog,"PIKE",2017-01-02 16:00:00,CST-6,2017-01-03 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112519,671032,INDIANA,2017,January,Dense Fog,"WARRICK",2017-01-03 05:00:00,CST-6,2017-01-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112519,671033,INDIANA,2017,January,Dense Fog,"SPENCER",2017-01-03 05:00:00,CST-6,2017-01-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671050,KENTUCKY,2017,January,Dense Fog,"DAVIESS",2017-01-03 05:00:00,CST-6,2017-01-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671051,KENTUCKY,2017,January,Dense Fog,"MCLEAN",2017-01-03 05:00:00,CST-6,2017-01-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112521,671055,ILLINOIS,2017,January,Strong Wind,"ALEXANDER",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112522,671086,INDIANA,2017,January,Strong Wind,"SPENCER",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112522,671082,INDIANA,2017,January,Strong Wind,"VANDERBURGH",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113276,677812,CALIFORNIA,2017,January,Winter Storm,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-01-22 19:00:00,PST-8,2017-01-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","A powerful winter storm brought heavy snow and gusty winds to the mountains of Los Angeles county. At the resort level, 24-36 inches of snow fell above 7000 feet. Wind gusts in excess of 50 MPH were reported." +113276,677814,CALIFORNIA,2017,January,Funnel Cloud,"SANTA BARBARA",2017-01-23 05:40:00,PST-8,2017-01-23 05:45:00,0,0,0,0,0.00K,0,0.00K,0,34.7293,-120.564,34.7338,-120.4514,"Another powerful winter storm brought heavy rain and snow as well as strong winds to the areas. Overall, two to six inches of rain fell across the area. This heavy rain resulted in flash flooding across southern Los Angeles county. In the mountains, strong southerly winds were reported as well as significant snowfall at the resort level.","A weather spotter reported a funnel cloud over Vandenberg Air Force Base." +113279,677815,CALIFORNIA,2017,January,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-01-27 03:53:00,PST-8,2017-01-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong Santa Ana winds developed across Ventura and Los Angeles counties. Northeast wind gusts up to 76 MPH were reported.","Strong Santa Ana wind developed across the mountains of Los Angeles county. Some wind gusts from the local RAWS stations include: Oat Mountain (gusts 76 MPH), Chilao (gusts 67 MPH) and Mill Creek (gusts 68 MPH)." +113279,677816,CALIFORNIA,2017,January,High Wind,"SANTA MONICA MOUNTAINS RECREATION AREA",2017-01-27 14:21:00,PST-8,2017-01-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong Santa Ana winds developed across Ventura and Los Angeles counties. Northeast wind gusts up to 76 MPH were reported.","Strong Santa Ana wind developed across the Santa Monica mountains. Some wind gusts from the local RAWS stations include: Malibu Hills (gusts 65 MPH) and Saddle Peak (gusts 59 MPH)." +113279,677817,CALIFORNIA,2017,January,High Wind,"VENTURA COUNTY MOUNTAINS",2017-01-27 03:53:00,PST-8,2017-01-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong Santa Ana winds developed across Ventura and Los Angeles counties. Northeast wind gusts up to 76 MPH were reported.","Strong Santa Ana wind developed across the mountains of Ventura county. Northeast wind gusts up to 65 MPH were reported." +113039,675733,OREGON,2017,January,Heavy Snow,"JOHN DAY BASIN",2017-01-03 14:45:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell across central and east-central Oregon January 3rd and 4th.","Measured snow fall of 5.8 inches in Dayville, Grant county. Elevation 2400 feet." +113040,675736,OREGON,2017,January,Heavy Snow,"JOHN DAY BASIN",2017-01-07 09:30:00,PST-8,2017-01-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured snow fall of 7 inches, 10 miles northeast of Service Creek in Wheeler county." +113040,675737,OREGON,2017,January,Heavy Snow,"FOOTHILLS OF THE SOUTHERN BLUE MOUNTAINS OF OREGON",2017-01-07 09:30:00,PST-8,2017-01-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Estimated snow fall of 4.5 inches, 6 miles west of Condon in Gilliam county. Snow has been drifting." +113058,676029,MISSISSIPPI,2017,January,Thunderstorm Wind,"JONES",2017-01-21 04:25:00,CST-6,2017-01-21 04:25:00,0,0,0,0,20.00K,20000,0.00K,0,31.4372,-89.3199,31.4372,-89.3199,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Numerous trees were blown down onto Highway 59." +113058,676031,MISSISSIPPI,2017,January,Flash Flood,"MARION",2017-01-21 05:00:00,CST-6,2017-01-21 08:30:00,0,0,0,0,3.00K,3000,0.00K,0,31.1813,-89.7902,31.177,-89.7844,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Old River Road South was flooded." +113058,676032,MISSISSIPPI,2017,January,Thunderstorm Wind,"LAUDERDALE",2017-01-21 05:00:00,CST-6,2017-01-21 05:00:00,0,0,0,0,3.00K,3000,0.00K,0,32.27,-88.77,32.27,-88.77,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A tree was blown down along Meehan Savoy Road just west of Highway 11." +113058,676034,MISSISSIPPI,2017,January,Flash Flood,"JONES",2017-01-21 04:55:00,CST-6,2017-01-21 07:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.64,-89.19,31.6429,-89.1873,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Flooding occurred along Pruitt Road near Burnt Bridge Road and Tallahala Creek." +111443,664831,OHIO,2017,January,Winter Weather,"GALLIA",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664832,OHIO,2017,January,Winter Weather,"JACKSON",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664833,OHIO,2017,January,Winter Weather,"LAWRENCE",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664834,OHIO,2017,January,Winter Weather,"MEIGS",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664835,OHIO,2017,January,Winter Weather,"MORGAN",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664836,OHIO,2017,January,Winter Weather,"PERRY",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111464,665464,NEW JERSEY,2017,January,Winter Weather,"WARREN",2017-01-05 22:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave the Garden State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than one inch of snow fell from this event, with 0.9 inches in Riegelsville, 0.7 inches in Hackettstown, and 0.1 inches in Bernville." +111465,665468,PENNSYLVANIA,2017,January,Winter Weather,"BERKS",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.9 inches in Mohnton, 2.0 inches in Boyertown, and 1.0 inches in Bernville." +111465,665470,PENNSYLVANIA,2017,January,Winter Weather,"UPPER BUCKS",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.8 inches in West Rockhill Township, 2.5 inches in Perkasie, and 1.8 inches in Doylestown." +111465,665471,PENNSYLVANIA,2017,January,Winter Weather,"LOWER BUCKS",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.8 inches in Langhorne, 2.6 inches in Lower Makefield Township, and 2.0 inches in Penndel." +115498,693801,TEXAS,2017,April,Flood,"GRAYSON",2017-04-17 09:09:00,CST-6,2017-04-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,33.6128,-96.4097,33.6099,-96.4101,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Bells Police Department reported a foot of water across the intersection of Broadway and Hwy 56, forcing them to close the road." +121162,725329,OKLAHOMA,2017,October,Thunderstorm Wind,"COMANCHE",2017-10-21 17:10:00,CST-6,2017-10-21 17:10:00,0,0,0,0,2.00K,2000,0.00K,0,34.62,-98.67,34.62,-98.67,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Powerpoles partially blown down. Time estimated by radar." +114809,688596,TEXAS,2017,April,Hail,"HUNT",2017-04-26 06:10:00,CST-6,2017-04-26 06:10:00,0,0,0,0,0.00K,0,0.00K,0,33.25,-95.9,33.25,-95.9,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A report from broadcast media indicated quarter-sized hail in southeast Commerce." +114809,688598,TEXAS,2017,April,Hail,"NAVARRO",2017-04-26 11:27:00,CST-6,2017-04-26 11:27:00,0,0,0,0,0.00K,0,0.00K,0,32.13,-96.23,32.13,-96.23,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","Emergency management reported quarter sized hail just west of the city of Kerens, TX." +114809,688599,TEXAS,2017,April,Hail,"NAVARRO",2017-04-26 11:32:00,CST-6,2017-04-26 11:32:00,0,0,0,0,0.00K,0,0.00K,0,32.14,-96.23,32.14,-96.23,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","Emergency management reported golf ball sized hail about a mile north of Kerens, TX." +114810,688601,TEXAS,2017,April,Hail,"COMANCHE",2017-04-01 22:45:00,CST-6,2017-04-01 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.9,-98.62,31.9,-98.62,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Comanche County Sheriff's Department reported quarter sized hail in the city of Comanche." +116395,699929,NEW YORK,2017,May,Hail,"FULTON",2017-05-18 17:07:00,EST-5,2017-05-18 17:07:00,0,0,0,0,,NaN,,NaN,43.1,-74.27,43.1,-74.27,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +116395,699963,NEW YORK,2017,May,Thunderstorm Wind,"SARATOGA",2017-05-18 18:45:00,EST-5,2017-05-18 18:45:00,0,0,0,0,,NaN,,NaN,43.0501,-73.7751,43.0501,-73.7751,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was downed on an unoccupied van." +112519,671029,INDIANA,2017,January,Dense Fog,"POSEY",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +116395,699964,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-18 19:25:00,EST-5,2017-05-18 19:25:00,0,0,0,0,,NaN,,NaN,42.73,-73.75,42.73,-73.75,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was downed." +113684,691587,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-03 02:19:00,CST-6,2017-04-03 02:19:00,0,0,0,0,10.00K,10000,0.00K,0,32.3,-88.65,32.2953,-88.6458,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down on Zero Road as well as at the intersection of Aycock and Fisher roads." +112409,670151,WYOMING,2017,January,Winter Storm,"SOUTH LINCOLN COUNTY",2017-01-22 20:00:00,MST-7,2017-01-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Heavy snow fell in the southern portion of Lincoln County. Some of the highest amounts included 12 inches at Cokeville and 11 inches at Diamondville." +112409,670152,WYOMING,2017,January,Winter Storm,"WIND RIVER BASIN",2017-01-23 13:00:00,MST-7,2017-01-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","The COOP observer in Riverton reported 10.3 inches of new snow. In Hudson, there was 11 inches of new snow." +111830,667016,NEW JERSEY,2017,January,Strong Wind,"NORTHWESTERN BURLINGTON",2017-01-23 11:00:00,EST-5,2017-01-23 11:00:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A utility pole and wires was downed due to wind on route 73 in Maple Shade Twp due to wind." +111830,668027,NEW JERSEY,2017,January,Coastal Flood,"EASTERN ATLANTIC",2017-01-24 04:00:00,EST-5,2017-01-24 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Flooding along California Ave in Atlantic City." +112409,670158,WYOMING,2017,January,Winter Storm,"NATRONA COUNTY LOWER ELEVATIONS",2017-01-23 19:00:00,MST-7,2017-01-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","The observer at the Casper airport measured 8.4 inches of new snow. Snowfall amounts around the city of Casper generally ranged from 6 to 9 inches." +112195,668983,ARKANSAS,2017,January,Thunderstorm Wind,"UNION",2017-01-21 19:15:00,CST-6,2017-01-21 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.1706,-92.718,33.1706,-92.718,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","A carport collapsed on a car in the Parkers Chapel community southwest of El Dorado." +117735,707938,NEW MEXICO,2017,August,Thunderstorm Wind,"DE BACA",2017-08-13 14:50:00,MST-7,2017-08-13 14:55:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-104.25,34.47,-104.25,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Wind gust up to 60 mph one mile southwest of Fort Sumner." +112195,668984,ARKANSAS,2017,January,Hail,"UNION",2017-01-21 19:25:00,CST-6,2017-01-21 19:25:00,0,0,0,0,0.00K,0,0.00K,0,33.2134,-92.6659,33.2134,-92.6659,"A strong upper level low pressure system emerged out across the Southern Plains during the morning and afternoon hours of January 21st. Ahead of this system, unseasonably warm, humid, and unstable air spread northward across much of the Ark-La-Tex from the Gulf of Mexico in advance of this system and associated Pacific cold front. A surface low pressure system also developed along the advancing cold front, with low level winds backing more southeast ahead of the upper level low. Coupled with strong wind shear and instability, scattered severe supercell thunderstorms rapidly developed during the mid and late afternoon hours across portions of extreme Eastern Texas, Southern Arkansas, and Northern Louisiana. The considerable wind shear contributed to rotating updrafts, such that twelve tornadoes touched down across the aforementioned areas. Instances of large hail was also reported with these supercells, given the very cold temperatures aloft. These severe thunderstorms exited the region during the mid evening hours into the Ark-La-Miss region where additional tornadoes and instances of severe thunderstorm damage was reported.","Dime to quarter size hail fell in El Dorado." +113684,691589,MISSISSIPPI,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-03 02:40:00,CST-6,2017-04-03 02:42:00,0,0,0,0,10.00K,10000,0.00K,0,32.42,-88.48,32.4262,-88.4497,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Trees were blown down at Highway 11 and Butts Road and also at the Kewanne exit." +113684,691642,MISSISSIPPI,2017,April,Flash Flood,"LAUDERDALE",2017-04-03 04:41:00,CST-6,2017-04-03 05:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.49,-88.5,32.4727,-88.5069,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Roads near Dalewood Shore Lake were flooded due to overflow from the lake." +113684,698544,MISSISSIPPI,2017,April,Flash Flood,"HINDS",2017-04-02 20:28:00,CST-6,2017-04-03 03:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.2587,-90.2204,32.25,-90.2178,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Terry Road near Woody Road was flooded." +111789,666781,NEW MEXICO,2017,January,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-01-21 20:00:00,MST-7,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Peak wind gust to 61 mph at Sierra Blanca airport." +111789,666780,NEW MEXICO,2017,January,High Wind,"EASTERN LINCOLN COUNTY",2017-01-21 15:00:00,MST-7,2017-01-22 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The storm system that helped generate heavy snowfall over portions of New Mexico the previous day shifted east and deepened considerably over west Texas. A strong jet streak on the back side of the upper level low crossed over central and southeastern New Mexico and created an extended period of strong northwest winds. The area from near Clines Corners to Ruidoso and Roswell reported peak wind gusts between 55 and 65 mph.","Spotter reported personal weather station hit 66 mph then anemometer blew off pole. The CSBF Transwester Pump station reported a peak wind gust to 58 mph." +111792,666804,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-09 18:38:00,MST-7,2017-01-11 13:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft over the region resulted in high winds in the Guadalupe Mountains.","Strong westerly winds of 40-48 mph sustained, and gusts of 58-71 mph, occurred for most of January 9-11 at the Bowl RAWS in the Guadalupe Mountains." +111792,666807,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-11 07:52:00,MST-7,2017-01-11 09:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft over the region resulted in high winds in the Guadalupe Mountains.","" +111792,666808,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-10 02:51:00,MST-7,2017-01-11 13:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft over the region resulted in high winds in the Guadalupe Mountains.","" +111792,666810,TEXAS,2017,January,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-01-11 05:12:00,MST-7,2017-01-11 13:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly flow aloft over the region resulted in high winds in the Guadalupe Mountains.","" +111999,667872,SOUTH DAKOTA,2017,January,Winter Storm,"JERAULD",2017-01-24 12:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 5 to 7 inches, including 5.5 inches at Wessington Springs. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing a few roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667873,SOUTH DAKOTA,2017,January,Winter Storm,"SANBORN",2017-01-24 14:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 4 to 6 inches, including 4.0 inches at Forestburg, with the 6 inch amounts suspected along the southern edge of the county. Winds of 20 to 30 mph caused blowing and drifting snow, closing a few roads and causing some school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667874,SOUTH DAKOTA,2017,January,Winter Storm,"SANBORN",2017-01-24 15:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 3 to 6 inches over the southern edge of the county, with lesser amounts to the north. Winds of 20 to 30 mph caused some blowing and drifting snow, closing a few roads and causing some school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111576,669475,OHIO,2017,January,Thunderstorm Wind,"MONTGOMERY",2017-01-10 21:19:00,EST-5,2017-01-10 21:21:00,0,0,0,0,2.00K,2000,0.00K,0,39.72,-84.4,39.72,-84.4,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","One power pole was snapped and another one was blown over." +111686,667473,NEBRASKA,2017,January,Ice Storm,"OTOE",2017-01-15 08:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations up to a quarter of an inch." +111686,667483,NEBRASKA,2017,January,Ice Storm,"CASS",2017-01-15 10:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations up to a quarter of an inch." +120456,721692,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 07:53:00,EST-5,2017-09-06 07:53:00,0,0,0,0,0.00K,0,0.00K,0,41.8616,-81.0819,41.8616,-81.0819,"Several waterspouts were observed on Lake Erie.","A waterspout was observed on Lake Erie north of Madison." +111686,667499,NEBRASKA,2017,January,Ice Storm,"BUTLER",2017-01-15 12:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch. This resulted in some tree damage, as well as isolated power outages." +111599,665798,KENTUCKY,2017,January,Heavy Snow,"MARTIN",2017-01-05 09:00:00,EST-5,2017-01-05 23:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of light snow developed early this morning, bringing widespread accumulations of 1-3 inches across eastern Kentucky through the day. A couple of more intense bands developed during the morning hours. These occurred across Perry County from Hazard south to Viper where 4 inches of snow were measured, and across portions of Martin County near Inez where 4 inches of snow occurred through the afternoon before another 1.2 inches fell during the evening and early overnight. These two areas experienced numerous travel complications as snow fell rather quickly underneath these bands. Other areas experienced traffic impacts and accidents, including south of Jackson in Breathitt County where a motorist slid off of Highway 476 and was killed. Another serious accident near Williamsburg on Interstate 75 in Whitley County forced the closure of the northbound lanes between mile markers 15 and 16 during the latter hours of the morning.","" +111599,665800,KENTUCKY,2017,January,Winter Weather,"WHITLEY",2017-01-05 09:30:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of light snow developed early this morning, bringing widespread accumulations of 1-3 inches across eastern Kentucky through the day. A couple of more intense bands developed during the morning hours. These occurred across Perry County from Hazard south to Viper where 4 inches of snow were measured, and across portions of Martin County near Inez where 4 inches of snow occurred through the afternoon before another 1.2 inches fell during the evening and early overnight. These two areas experienced numerous travel complications as snow fell rather quickly underneath these bands. Other areas experienced traffic impacts and accidents, including south of Jackson in Breathitt County where a motorist slid off of Highway 476 and was killed. Another serious accident near Williamsburg on Interstate 75 in Whitley County forced the closure of the northbound lanes between mile markers 15 and 16 during the latter hours of the morning.","" +112647,672495,NEW YORK,2017,January,Lake-Effect Snow,"HAMILTON",2017-01-27 10:00:00,EST-5,2017-01-29 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an upper level trough moved over upstate New York, very cold temperatures aloft moved across the region. This allowed for the formation of bands of lake-effect snow off Lake Ontario. Bands of snow developed during the morning across on Friday, January 27th and impacted parts of the western Mohawk Valley and southwestern Adirondacks.||Through the day on Friday, January 27th, the snow bands slowly lifted northward into the western and central Adirondacks, where they continued into the overnight hours and intermittently throughout the entire weekend.||By Sunday evening, up to two feet of snow fell across parts of northern Herkimer and western Hamilton Counties. Around a foot of snow fell in central Herkimer County, with just a few inches across southern parts of Herkimer County.","" +112646,672492,VERMONT,2017,January,Winter Weather,"EASTERN WINDHAM",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began in the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. ||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations within the southern Green Mountains generally had 3 to 6 inches of snow and sleet.","" +112646,672493,VERMONT,2017,January,Winter Weather,"WESTERN WINDHAM",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began in the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. ||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations within the southern Green Mountains generally had 3 to 6 inches of snow and sleet.","" +112654,672571,OKLAHOMA,2017,January,Drought,"WOODS",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672572,OKLAHOMA,2017,January,Drought,"WOODWARD",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672464,NEW YORK,2017,January,Winter Weather,"WESTERN DUTCHESS",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672465,NEW YORK,2017,January,Winter Weather,"EASTERN DUTCHESS",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672574,OKLAHOMA,2017,January,Drought,"ROGER MILLS",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672576,OKLAHOMA,2017,January,Drought,"MAJOR",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672472,NEW YORK,2017,January,Winter Weather,"WESTERN SCHENECTADY",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672473,NEW YORK,2017,January,Winter Weather,"EASTERN ALBANY",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672583,OKLAHOMA,2017,January,Drought,"KAY",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672584,OKLAHOMA,2017,January,Drought,"KINGFISHER",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672480,NEW YORK,2017,January,Winter Weather,"SOUTHERN FULTON",2017-01-23 19:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672481,NEW YORK,2017,January,Winter Weather,"MONTGOMERY",2017-01-23 19:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672486,NEW YORK,2017,January,Winter Weather,"NORTHERN WARREN",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672487,NEW YORK,2017,January,Winter Weather,"NORTHERN HERKIMER",2017-01-23 20:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +113181,677024,NORTH CAROLINA,2017,January,Cold/Wind Chill,"HAYWOOD",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677025,NORTH CAROLINA,2017,January,Cold/Wind Chill,"HENDERSON",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677027,NORTH CAROLINA,2017,January,Cold/Wind Chill,"MADISON",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113073,676255,WISCONSIN,2017,January,Winter Weather,"TAYLOR",2017-01-16 18:05:00,CST-6,2017-01-17 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Taylor County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +112030,669202,OHIO,2017,January,Flood,"CUYAHOGA",2017-01-12 18:00:00,EST-5,2017-01-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3618,-81.5931,41.3977,-81.6216,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","The Cuyahoga River just touched major flood stage of 18.5 feet at the Independence River during the evening hours of the 12th. Heavy rainfall of an inch to an inch and half fell over the Tinkers Creek and lower Cuyahoga River basin on the morning of the 12th. The lingering snowpack was minimal due to temperatures in the 50s the day before. However, the ground conditions were saturated and estimated to be partially frozen 2 deep. The main impact was to the Valley View area where there were numerous road closures. In past floods a stage of 18.5 feet would result in homes being cut off and some properties inundated. Due to flood mitigation work, the addition of an emergency access road, and variations from this event compared to past flood events in rainfall intensity resulted in no reports of property damage." +113073,676256,WISCONSIN,2017,January,Winter Weather,"TREMPEALEAU",2017-01-16 13:00:00,CST-6,2017-01-17 03:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Trempealeau County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +120687,722862,PENNSYLVANIA,2017,September,Thunderstorm Wind,"CRAWFORD",2017-09-04 23:13:00,EST-5,2017-09-04 23:13:00,0,0,0,0,1.00K,1000,0.00K,0,41.83,-79.7,41.83,-79.7,"A strong cold front crossed western Pennsylvania during the late evening hours of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region.","Thunderstorm winds downed a large tree." +120687,722863,PENNSYLVANIA,2017,September,Thunderstorm Wind,"CRAWFORD",2017-09-04 23:23:00,EST-5,2017-09-04 23:23:00,0,0,0,0,3.00K,3000,0.00K,0,41.59,-79.92,41.59,-79.92,"A strong cold front crossed western Pennsylvania during the late evening hours of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region.","Thunderstorm winds downed a few trees." +112891,674476,COLORADO,2017,January,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-01-09 01:53:00,MST-7,2017-01-09 05:07:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in and near the Front Range Foothills. Peak wind gusts included: 90 mph, 3 miles north-northeast of Pleasant View; 88 mph, 3 miles west-southwest of Louisville; 87 mph, 2 miles south of Gold Hill; 79 mph at the NCAR Mesa Laboratory; 76 mph at Glen Haven; 60 mph in Littleton and 58 mph in Arvada. Scattered outages affected approximately 2,400 customers in Boulder and Jefferson Counties. In Berthoud, strong winds destroyed a barn.","" +112891,674478,COLORADO,2017,January,High Wind,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-01-09 02:00:00,MST-7,2017-01-09 05:07:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in and near the Front Range Foothills. Peak wind gusts included: 90 mph, 3 miles north-northeast of Pleasant View; 88 mph, 3 miles west-southwest of Louisville; 87 mph, 2 miles south of Gold Hill; 79 mph at the NCAR Mesa Laboratory; 76 mph at Glen Haven; 60 mph in Littleton and 58 mph in Arvada. Scattered outages affected approximately 2,400 customers in Boulder and Jefferson Counties. In Berthoud, strong winds destroyed a barn.","High winds destroyed a barn near Berthoud." +112891,674480,COLORADO,2017,January,High Wind,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-01-09 03:49:00,MST-7,2017-01-09 05:49:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in and near the Front Range Foothills. Peak wind gusts included: 90 mph, 3 miles north-northeast of Pleasant View; 88 mph, 3 miles west-southwest of Louisville; 87 mph, 2 miles south of Gold Hill; 79 mph at the NCAR Mesa Laboratory; 76 mph at Glen Haven; 60 mph in Littleton and 58 mph in Arvada. Scattered outages affected approximately 2,400 customers in Boulder and Jefferson Counties. In Berthoud, strong winds destroyed a barn.","" +112909,674586,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-01-02 11:06:00,CST-6,2017-01-02 11:06:00,0,0,0,0,0.00K,0,0.00K,0,29.7075,-93.8547,29.7075,-93.8547,"A strong storm moved from Jefferson County to the mouth of the Sabine River producing a high wind gust at the pass.","The tide station at Sabine Pass recorded a wind gust of 41 MPH with a passing storm." +111742,666428,LOUISIANA,2017,January,Winter Weather,"WINN",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +111742,666429,LOUISIANA,2017,January,Winter Weather,"JACKSON",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +111742,666430,LOUISIANA,2017,January,Winter Weather,"OUACHITA",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +111753,666535,IOWA,2017,January,Winter Weather,"CHEROKEE",2017-01-16 19:00:00,CST-6,2017-01-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +111753,666536,IOWA,2017,January,Winter Weather,"BUENA VISTA",2017-01-16 19:00:00,CST-6,2017-01-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Lingering light freezing rain and freezing drizzle after an ice storm produced little or no additional ice accumulation, but contributed to keeping untreated surfaces icy." +112208,669075,NEW YORK,2017,January,Strong Wind,"SOUTHERN HERKIMER",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669076,NEW YORK,2017,January,Strong Wind,"NORTHERN FULTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669078,NEW YORK,2017,January,Strong Wind,"SOUTHERN FULTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +111629,665944,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"BARNES",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111629,665946,NORTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"WESTERN WALSH",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665947,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"KITTSON",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665948,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"ROSEAU",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665949,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"WEST MARSHALL",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +111630,665950,MINNESOTA,2017,January,Extreme Cold/Wind Chill,"EAST MARSHALL",2017-01-12 15:00:00,CST-6,2017-01-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Some of the coldest air of the season filtered into eastern North Dakota and the northwest quarter of Minnesota, with early morning temperatures on the 13th ranging from 25 below to 35 below zero. Combined with wind speeds of 5 to 10 mph, wind chill temperatures dipped to 40 below to 45 below zero at times.","" +113065,676176,OHIO,2017,January,Winter Weather,"HIGHLAND",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The county garage east of Hillsboro and a social media post from 3 miles south of New Vienna showed that 2 inches of snow had fallen. The cooperative and CoCoRaHS observers located near Hillsboro and 6 miles southwest of Lynchburg both measured 1.5 inches." +114406,685822,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:35:00,MST-7,2017-05-08 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-104.11,34.37,-104.11,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Quarter size hail." +114768,688402,NEW MEXICO,2017,May,Thunderstorm Wind,"CIBOLA",2017-05-16 14:33:00,MST-7,2017-05-16 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-107.42,35.05,-107.42,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","Laguna." +112626,672336,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-01 02:00:00,PST-8,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","Observers near Worley reported 5.1 inches of new snow accumulation." +112626,672337,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-01 02:00:00,PST-8,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","A spotter in Hayden reported 5 inches of new snow accumulation." +112626,672339,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-01 02:00:00,PST-8,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","A member of the public near Spirit Lake reported 9.7 inches of new snow accumulation." +112626,672341,IDAHO,2017,January,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","Lookout Pass Ski Resort reported 11 inches of new snow accumulation from the early morning hours through the afternoon of January 1st. Silver Mountains Ski Resort reported 8 inches of accumulation." +112626,672342,IDAHO,2017,January,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descended out of Canada and interacted with a moist air mass over North Idaho soon after the turn of the new year. The front produced heavy snow accumulations across much of north Idaho followed by breezy and gusty winds channeling through the north-south oriented Purcell Trench valley. Blowing and drifting snow was widely reported from Boundary and Bonner Counties as the snow tapered off during the day on January 1st.","An observer at Pritchard reported 5 inches of new snow accumulation." +111632,676806,MINNESOTA,2017,January,Blizzard,"KITTSON",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +113486,679562,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 22:50:00,MST-7,2017-01-31 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 31/2305 MST." +113486,679563,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 07:50:00,MST-7,2017-01-31 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 31/1630 MST." +113486,679564,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-31 04:35:00,MST-7,2017-01-31 20:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 31/1120 MST." +113486,679566,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-31 04:55:00,MST-7,2017-01-31 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 31/1055 MST." +113486,679567,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-31 13:00:00,MST-7,2017-01-31 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Hynds Lodge Road measured peak wind gusts of 58 mph." +113486,679568,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-31 05:00:00,MST-7,2017-01-31 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 31/1100 MST." +112520,671034,KENTUCKY,2017,January,Dense Fog,"BALLARD",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112520,671035,KENTUCKY,2017,January,Dense Fog,"CARLISLE",2017-01-02 16:00:00,CST-6,2017-01-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky, except for areas from Madisonville south and east. Visibility was frequently reduced to one-quarter mile or less. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures maintained favorable conditions for dense fog.","" +112521,671064,ILLINOIS,2017,January,Strong Wind,"WILLIAMSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671066,ILLINOIS,2017,January,Strong Wind,"GALLATIN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671111,MISSOURI,2017,January,Strong Wind,"BUTLER",2017-01-10 05:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671112,MISSOURI,2017,January,Strong Wind,"MISSISSIPPI",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112524,671113,MISSOURI,2017,January,Strong Wind,"RIPLEY",2017-01-10 05:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southeast Missouri. Peak wind gusts at airport sites included 48 mph at the Cape Girardeau airport and 44 mph at the Poplar Bluff airport. Measured gusts at non-airport sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +113073,676257,WISCONSIN,2017,January,Winter Weather,"VERNON",2017-01-16 04:15:00,CST-6,2017-01-17 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across western Wisconsin on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Vernon County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113040,675738,OREGON,2017,January,Heavy Snow,"CENTRAL OREGON",2017-01-07 08:00:00,PST-8,2017-01-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured snow fall of 10 inches, 8 miles northwest of Terrebonne in Jefferson county." +113040,675739,OREGON,2017,January,Heavy Snow,"OCHOCO-JOHN DAY HIGHLANDS",2017-01-07 10:00:00,PST-8,2017-01-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured snow fall of 20 inches, 7 miles east-northeast of Paulina in Crook county." +113040,675740,OREGON,2017,January,Heavy Snow,"GRAND RONDE VALLEY",2017-01-07 10:55:00,PST-8,2017-01-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured snow fall of 6 inches at Imbler, in Union county. Snow drifts up to 4 feet in depth." +113040,675741,OREGON,2017,January,Heavy Snow,"NORTH CENTRAL OREGON",2017-01-07 10:00:00,PST-8,2017-01-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured storm total snow fall of 10 inches at Maupin, Wasco county." +113040,675742,OREGON,2017,January,Heavy Snow,"EASTERN COLUMBIA RIVER GORGE",2017-01-07 10:28:00,PST-8,2017-01-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest.","Measured storm total snow fall of 9 inches at the City of The Dalles, Wasco county." +113139,676656,WASHINGTON,2017,January,Heavy Snow,"YAKIMA VALLEY",2017-01-07 13:02:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Measured storm total snow fall of 5.5 inches, 1 miles south-southwest of Yakima in Yakima county." +113139,676658,WASHINGTON,2017,January,Ice Storm,"BLUE MOUNTAIN FOOTHILLS",2017-01-08 13:40:00,PST-8,2017-01-08 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Ice storm producing 0.40 inches of accumulated ice, 3 miles northeast of Waitsburg in Columbia county." +113139,676659,WASHINGTON,2017,January,Heavy Snow,"KITTITAS VALLEY",2017-01-07 13:08:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Measured storm total snow fall of 5 inches, 6 miles north-northeast of Ellensburg in Kittitas county." +113139,676661,WASHINGTON,2017,January,Heavy Snow,"EASTERN COLUMBIA RIVER GORGE",2017-01-07 10:28:00,PST-8,2017-01-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Measured 6 inches of snow on the 8th for a storm total snow fall of 10 inches in Klickitat county, 1 mile north-northwest of The City of The Dalles." +113139,676662,WASHINGTON,2017,January,Heavy Snow,"SIMCOE HIGHLANDS",2017-01-07 10:30:00,PST-8,2017-01-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Measured snow fall of 6 inches, 1 mile east-northeast of Goldendale in Klickitat county. Some light freezing rain occurred as the event ended." +113058,676273,MISSISSIPPI,2017,January,Hail,"FORREST",2017-01-21 19:54:00,CST-6,2017-01-21 19:54:00,0,0,0,0,0.00K,0,0.00K,0,31.025,-89.3524,31.025,-89.3524,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Quarter size hail fell on Pistol Ridge Road." +113058,676274,MISSISSIPPI,2017,January,Hail,"WARREN",2017-01-21 20:18:00,CST-6,2017-01-21 20:25:00,0,0,0,0,3.00K,3000,0.00K,0,32.3081,-90.8858,32.3468,-90.8658,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Quarter sized hail occurred near Vicksburg, including half dollar size hail near the Vicksburg mall." +113058,676275,MISSISSIPPI,2017,January,Hail,"RANKIN",2017-01-21 20:28:00,CST-6,2017-01-21 20:28:00,0,0,0,0,0.00K,0,0.00K,0,32.2138,-89.9585,32.2138,-89.9585,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Hail up to the size of quarters fell in the Robinhood community." +113058,676276,MISSISSIPPI,2017,January,Hail,"RANKIN",2017-01-21 20:43:00,CST-6,2017-01-21 20:43:00,0,0,0,0,0.00K,0,0.00K,0,32.34,-90.04,32.34,-90.04,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +111443,664837,OHIO,2017,January,Winter Weather,"VINTON",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111443,664838,OHIO,2017,January,Winter Weather,"WASHINGTON",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to the middle Ohio River Valley on the 5th and 6th. Snow started on the morning of the 5th, and tapered off early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across southeast Ohio were around 3 inches. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111441,664826,KENTUCKY,2017,January,Winter Weather,"BOYD",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to eastern Kentucky on the 5th and 6th. Snow started on the morning of the 5th, and tapered off just after midnight early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across northeastern Kentucky were around 3 inches. Mid-morning on the 5th, just as snow was beginning to stick on the roads, a fatal vehicle accident occurred in Lawrence County. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111441,664827,KENTUCKY,2017,January,Winter Weather,"CARTER",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to eastern Kentucky on the 5th and 6th. Snow started on the morning of the 5th, and tapered off just after midnight early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across northeastern Kentucky were around 3 inches. Mid-morning on the 5th, just as snow was beginning to stick on the roads, a fatal vehicle accident occurred in Lawrence County. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111441,664828,KENTUCKY,2017,January,Winter Weather,"GREENUP",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to eastern Kentucky on the 5th and 6th. Snow started on the morning of the 5th, and tapered off just after midnight early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across northeastern Kentucky were around 3 inches. Mid-morning on the 5th, just as snow was beginning to stick on the roads, a fatal vehicle accident occurred in Lawrence County. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111465,665472,PENNSYLVANIA,2017,January,Winter Weather,"WESTERN CHESTER",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event, with 2.8 inches in Elverson, 2.5 inches in Phoenixville, and 2.1 inches in Glenmoore." +111465,665474,PENNSYLVANIA,2017,January,Winter Weather,"EASTERN CHESTER",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than three inches of snow fell from this event with 2.8 inches in Valley Forge, 2.2 inches in Chadds Ford, and 2.0 inches in Exton." +111465,665475,PENNSYLVANIA,2017,January,Winter Weather,"WESTERN MONTGOMERY",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around three inches or less of snow fell from this event with 2.5 inches in Kulpsville, 2.0 inches in Pottstown, and 1.3 inches in Gilbertsville." +111465,665476,PENNSYLVANIA,2017,January,Winter Weather,"EASTERN MONTGOMERY",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around three inches or less of snow fell from this event with 3.0 inches in Ambler, 2.9 inches in Horsham, and 1.3 inches in Blue Bell." +112495,670708,ILLINOIS,2017,January,Flood,"WHITE",2017-01-21 17:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.1244,-88.0355,38.08,-87.9998,"A very active weather pattern across the central United States led to minor flooding on the Wabash River and part of the Ohio River. While heavy rain did not occur in southern Illinois, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Wabash River. The river overflowed onto some low ground, primarily farmland that was dormant during the winter season." +112497,670748,INDIANA,2017,January,Flood,"GIBSON",2017-01-21 09:00:00,CST-6,2017-01-31 18:00:00,0,0,0,0,3.00K,3000,0.00K,0,38.4,-87.73,38.3646,-87.7653,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Wabash River. Floodwaters began to affect residents of East Mt. Carmel. Several local river roads were flooded. A few of those local river roads were closed by high water. All oil field production ceased with the exception of pumping units on substructures. Access to these was by boat only. Agricultural losses were minimal because the flooding occurred outside the main growing season. Farmers moved livestock to higher ground. Many river cabins became inaccessible." +112497,670749,INDIANA,2017,January,Flood,"PIKE",2017-01-17 09:00:00,EST-5,2017-01-29 11:00:00,0,0,0,0,4.00K,4000,0.00K,0,38.509,-87.3015,38.5432,-87.2402,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the White River. Low-lying woods and fields near the river were inundated. State Route 257 was flooded. Numerous Pike County roads were flooded, including County Roads 750N, 600N, and 1000E east of State Route 57. West of State Route 57, County Roads 250W, 400W, 675N, 700N, 1000W, 900W, 700W, and 775W were flooded. Low agricultural lands and low oil fields were inundated." +114810,688602,TEXAS,2017,April,Hail,"TARRANT",2017-04-02 00:28:00,CST-6,2017-04-02 00:28:00,0,0,0,0,0.00K,0,0.00K,0,32.8352,-97.2986,32.8352,-97.2986,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Quarter-sized hail was reported at the National Weather Service Office in North Fort Worth." +114810,688603,TEXAS,2017,April,Hail,"TARRANT",2017-04-02 00:30:00,CST-6,2017-04-02 00:30:00,0,0,0,0,0.00K,0,0.00K,0,32.93,-97.25,32.93,-97.25,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","A trained spotter reported quarter sized hail in the city of Keller, TX." +112497,670752,INDIANA,2017,January,Flood,"GIBSON",2017-01-18 11:00:00,CST-6,2017-01-30 17:00:00,0,0,0,0,4.00K,4000,0.00K,0,38.4964,-87.5408,38.5294,-87.4546,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the White River. Bottomland woods and fields were inundated, including low-lying oil fields. High water affected some river cabins. A few local streets were flooded, and Pottsville Road was underwater and impassable. Flood gates were installed at Hazleton, and floodwaters covered the Hazleton softball field." +113684,698564,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-02 21:29:00,CST-6,2017-04-03 03:45:00,0,0,0,0,75.00K,75000,0.00K,0,32.2814,-90.046,32.2268,-90.0275,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple lanes of I-20 were flooded between Jackson and Brandon. Flooding also occurred along Highways 468 and 469, and Monterey Road. Water also entered homes along Boehle Street." +113684,698576,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-02 22:30:00,CST-6,2017-04-03 03:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.2984,-89.8722,32.2969,-89.8774,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flooding occurred at Highway 80 and Gulde Road." +111734,666404,ALASKA,2017,January,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-13 09:00:00,AKST-9,2017-01-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely strong fetch of warm moist maritime air set up over the Panhandle on 1/12 and 1/13. Cold air at the surface was eroded before significant snowfall fell except for the Lynn Canal area and Misty Fjords. This setup persisted until early on 1/15. Rain mixed in with snow at times which made true measurements of snowfall difficult. Both northern highways had significant ice on the road base for very slick driving conditions. The impacts of this snow storm were snow removal, slippery roads, and avalanches.","Alaska DOT reported at MP 8 on the Klondike Highway 4 inches of new snow with a South wind of 20 to 25 MPH indicating near Blizzard conditions in White Pass at 0743 on 1/14." +111734,666405,ALASKA,2017,January,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-01-13 09:00:00,AKST-9,2017-01-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely strong fetch of warm moist maritime air set up over the Panhandle on 1/12 and 1/13. Cold air at the surface was eroded before significant snowfall fell except for the Lynn Canal area and Misty Fjords. This setup persisted until early on 1/15. Rain mixed in with snow at times which made true measurements of snowfall difficult. Both northern highways had significant ice on the road base for very slick driving conditions. The impacts of this snow storm were snow removal, slippery roads, and avalanches.","DOT on the Haines Highway reported that 5 inches of new snow had already fallen at MP 20 to the border, then it started to rain on the icy-scraped road. Closer to Haines it was only 4 inches. The COOP at the border measured 7 inches new which continued on the afternoon of Friday 1/13. Visibility was mentioned at 300 FT, plus 40 MPH wind for near blizzard conditions. Impact was snow removal and slippery road." +111734,666407,ALASKA,2017,January,Winter Storm,"MISTY FJORDS",2017-01-14 08:57:00,AKST-9,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely strong fetch of warm moist maritime air set up over the Panhandle on 1/12 and 1/13. Cold air at the surface was eroded before significant snowfall fell except for the Lynn Canal area and Misty Fjords. This setup persisted until early on 1/15. Rain mixed in with snow at times which made true measurements of snowfall difficult. Both northern highways had significant ice on the road base for very slick driving conditions. The impacts of this snow storm were snow removal, slippery roads, and avalanches.","COOP in Hyder measured 12.5 inches of new snow for 12 hours ending at 1/14 at 1100. Additional snow fell 3 more inches by 1300 for a storm total 15.4 inches. Impact was snow removal especially because it started to rain on top of the new snow at 1300." +111830,667017,NEW JERSEY,2017,January,High Wind,"WESTERN MONMOUTH",2017-01-23 12:30:00,EST-5,2017-01-23 12:30:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Tree limbs and power lines down in Howell, Ocean Twp and Middletown, particularly on Colts Neck road and Louise drive." +111830,668028,NEW JERSEY,2017,January,High Wind,"WESTERN CAPE MAY",2017-01-23 11:00:00,EST-5,2017-01-23 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Downed tree due to non-thunderstorm winds." +111999,667858,SOUTH DAKOTA,2017,January,Winter Storm,"CLAY",2017-01-24 11:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 13 inches at Wakonda. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +117735,707934,NEW MEXICO,2017,August,Thunderstorm Wind,"UNION",2017-08-13 14:46:00,MST-7,2017-08-13 14:49:00,0,0,0,0,1.00K,1000,0.00K,0,36.63,-103.12,36.63,-103.12,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Combination of strong wind gusts and hail broke windows at home in Seneca." +117735,707936,NEW MEXICO,2017,August,Hail,"DE BACA",2017-08-13 14:53:00,MST-7,2017-08-13 14:55:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-104.25,34.5,-104.25,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Hail up to the size of pennies in Fort Sumner." +111788,666771,NEW MEXICO,2017,January,Heavy Snow,"WEST CENTRAL PLATEAU",2017-01-20 12:30:00,MST-7,2017-01-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Snowfall reports around the Gallup area ranged from 4 to 8 inches." +111999,667861,SOUTH DAKOTA,2017,January,Winter Storm,"HUTCHINSON",2017-01-24 12:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 6 to 12 inches, including 12 inches at Menno. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112303,670262,DELAWARE,2017,February,Winter Weather,"NEW CASTLE",2017-02-09 10:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through the region leading to a sharp downfall of temperatures from the 70's to near freezing in 24 hours. Light snow accumulations were noted in New Castle county along with some wind gusts across the state on the backside of the low.","A cold frontal boundary moved through the region leading to a sharp downfall of temperatures from the 70's to near freezing in 24 hours. Light snow accumulations were noted in New Castle county along with some wind gusts across the state on the backside of the low. Snowfall amounts generally ranged from a half an inch to nearly 2.0 inches, with the highest amount in Hockessin, where a DEOS sensor recorded 1.8 inches." +112575,671682,MARYLAND,2017,February,Hail,"QUEEN ANNE'S",2017-02-25 15:50:00,EST-5,2017-02-25 15:50:00,0,0,0,0,,NaN,,NaN,38.98,-76.31,38.98,-76.31,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","Penny size hail was measured with a thunderstorm behind the main line." +112415,670173,HAWAII,2017,January,High Surf,"KAUAI WINDWARD",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670174,HAWAII,2017,January,High Surf,"KAUAI LEEWARD",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670175,HAWAII,2017,January,High Surf,"WAIANAE COAST",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670176,HAWAII,2017,January,High Surf,"OAHU NORTH SHORE",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670177,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +111999,667868,SOUTH DAKOTA,2017,January,Winter Storm,"HANSON",2017-01-24 13:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 4 to 8 inches, including 7.0 inches at Alexandrial. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667869,SOUTH DAKOTA,2017,January,Winter Storm,"MCCOOK",2017-01-24 14:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 5 to 8 inches, including 6.5 inches at Salem. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667870,SOUTH DAKOTA,2017,January,Winter Storm,"MINNEHAHA",2017-01-24 14:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 5 to 8 inches, including 8.0 inches near Sioux Falls. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112643,672460,CONNECTICUT,2017,January,Winter Weather,"NORTHERN LITCHFIELD",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the wet snow downed some trees and power lines, causing isolated power outages as well.||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. When precipitation was all said and done, about 1 to 3 inches of snow and sleet had accumulated, with a light glaze of ice as well.","" +112643,672461,CONNECTICUT,2017,January,Winter Weather,"SOUTHERN LITCHFIELD",2017-01-23 16:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the wet snow downed some trees and power lines, causing isolated power outages as well.||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. When precipitation was all said and done, about 1 to 3 inches of snow and sleet had accumulated, with a light glaze of ice as well.","" +112644,672466,NEW YORK,2017,January,Winter Weather,"WESTERN GREENE",2017-01-23 17:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672467,NEW YORK,2017,January,Winter Weather,"EASTERN GREENE",2017-01-23 17:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672577,OKLAHOMA,2017,January,Drought,"HARPER",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672578,OKLAHOMA,2017,January,Drought,"ALFALFA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672474,NEW YORK,2017,January,Winter Weather,"EASTERN SCHENECTADY",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672475,NEW YORK,2017,January,Winter Weather,"SOUTHERN SARATOGA",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112654,672585,OKLAHOMA,2017,January,Drought,"CANADIAN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672586,OKLAHOMA,2017,January,Drought,"LOGAN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112644,672483,NEW YORK,2017,January,Winter Weather,"SOUTHERN WASHINGTON",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672482,NEW YORK,2017,January,Winter Weather,"NORTHERN SARATOGA",2017-01-23 19:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112644,672488,NEW YORK,2017,January,Winter Weather,"HAMILTON",2017-01-23 20:00:00,EST-5,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began late in the afternoon across southern areas and across northern areas by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight.||Valley areas generally picked up 2 to 4 inches of snow and sleet, with a light glaze of ice as well. Higher terrain locations generally had 3 to 6 inches of snow and sleet, although a few localized areas in the eastern Catskills and Helderbergs had up to 8 inches.","" +112645,672489,MASSACHUSETTS,2017,January,Winter Weather,"NORTHERN BERKSHIRE",2017-01-23 18:00:00,EST-5,2017-01-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Monday, January 23rd, an area of low pressure formed along the mid-Atlantic coast and began to slowly lift northward. Light precipitation in the form of snow began by the early evening hours. As some warmer air moved into the region aloft, the precipitation mixed with sleet, especially for southern areas. ||During the overnight hours, the precipitation fell moderate at times and primarily fell in the form of sleet. The combination of wet snow and sleet made for slow travel and many vehicle accidents. Many schools were cancelled on Tuesday, January 24th. Also, the heavy wet snow downed some trees and power lines, causing isolated power outages as well. ||As warmer air continued to move in aloft, the precipitation fell as sleet and freezing rain in most areas into the day on Tuesday, January 24th. The precipitation continued through the entire day on Tuesday, January 24th, but was generally lighter in intensity. The precipitation changed back to all snow briefly on Tuesday evening, before ending around midnight. When precipitation was all said and done, about 1 to 3 inches of snow and sleet had accumulated for valley areas, with a light glaze of ice as well. Some higher terrain areas saw up to 5 inches of snow and sleet.","" +111686,667519,NEBRASKA,2017,January,Ice Storm,"DODGE",2017-01-15 14:00:00,CST-6,2017-01-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving cyclone tracked from northern Mexico into the central Plains on January 15th through the 16th. Ahead of this system warm and moist air was pulled northward over a cold airmass at the surface. This resulted in periods of freezing rain for eastern Nebraska and western Iowa, which started during the early morning on Sunday January 15th and continued off and on through the day on Monday January 16th. Temperatures through the event were generally in the lower 30s, which mitigated some of the potential travel effects of the freezing rain but accumulation still occurred on trees, power lines, and on sidewalks, parking lots and secondary roadways. This resulted in sporadic tree damage and power outages.","Periods of freezing rain produced ice accumulations around a quarter of an inch." +112913,674599,LOUISIANA,2017,January,Hail,"JEFFERSON DAVIS",2017-01-20 23:13:00,CST-6,2017-01-20 23:13:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-92.81,30.24,-92.81,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop in Southwest Louisiana. A few storms turned severe producing a high wind gust and large hail.","" +112913,674600,LOUISIANA,2017,January,Thunderstorm Wind,"ALLEN",2017-01-20 22:48:00,CST-6,2017-01-20 22:48:00,0,0,0,0,0.00K,0,0.00K,0,30.43,-93.11,30.43,-93.11,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop in Southwest Louisiana. A few storms turned severe producing a high wind gust and large hail.","A tree was downed across Topsy Bel Road near Texas Eastern." +120457,721711,OHIO,2017,September,Thunderstorm Wind,"ASHLAND",2017-09-04 22:10:00,EST-5,2017-09-04 22:10:00,0,0,0,0,4.00K,4000,0.00K,0,40.8263,-82.3354,40.8263,-82.3354,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds downed a few trees." +120457,722293,OHIO,2017,September,Hail,"CRAWFORD",2017-09-04 21:57:00,EST-5,2017-09-04 21:57:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-82.78,40.73,-82.78,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Quarter sized hail was observed." +120457,722294,OHIO,2017,September,Thunderstorm Wind,"LUCAS",2017-09-04 18:10:00,EST-5,2017-09-04 18:10:00,0,0,0,0,1.00K,1000,0.00K,0,41.6993,-83.6364,41.6993,-83.6364,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds downed a large tree." +120457,722295,OHIO,2017,September,Thunderstorm Wind,"LUCAS",2017-09-04 18:26:00,EST-5,2017-09-04 18:26:00,0,0,0,0,2.00K,2000,0.00K,0,41.6901,-83.5552,41.6901,-83.5552,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds tore some siding off of a house." +120457,722296,OHIO,2017,September,Thunderstorm Wind,"LUCAS",2017-09-04 18:11:00,EST-5,2017-09-04 18:11:00,0,0,0,0,1.00K,1000,0.00K,0,41.6899,-83.6224,41.6899,-83.6224,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds downed a tree." +120457,722297,OHIO,2017,September,Thunderstorm Wind,"RICHLAND",2017-09-04 22:15:00,EST-5,2017-09-04 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,40.67,-82.58,40.67,-82.58,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds tore part of a roof off of a home." +120457,722861,OHIO,2017,September,Thunderstorm Wind,"RICHLAND",2017-09-04 22:04:00,EST-5,2017-09-04 22:04:00,0,0,0,0,25.00K,25000,0.00K,0,40.8128,-82.52,40.8128,-82.52,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorms winds blew in some large overhead doors at a factory just south of Mansfield Lahm Airport." +112998,675315,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-07 19:38:00,PST-8,2017-01-07 19:38:00,0,0,0,0,0.00K,0,0.00K,0,36.7554,-119.1722,36.758,-119.1684,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported large boulder in westbound lane of State Route 180 at Hopewell Road northeast of Squaw Valley." +112998,675314,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-07 19:17:00,PST-8,2017-01-07 19:17:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-119.24,36.6923,-119.2473,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported a boulder in the road near the intersection of George Smith Road and Bronco Lane south of Squaw Valley." +112832,675493,RHODE ISLAND,2017,January,High Wind,"WASHINGTON",2017-01-23 21:20:00,EST-5,2017-01-24 06:00:00,0,0,0,0,1.40K,1400,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","An amateur radio station at Charlestown reported a wind gust of 61 mph. A tree was down on power lines on Skunk Hill Road and wires were reported down on High Street in Hopkinton. Wires were down on Weekapaug Road in Westerly." +112832,675498,RHODE ISLAND,2017,January,High Wind,"BLOCK ISLAND",2017-01-23 13:00:00,EST-5,2017-01-24 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","The WeatherFlow reporting site at Block Island Jetty reported a wind gust to 58 mph." +112832,675507,RHODE ISLAND,2017,January,Strong Wind,"NORTHWEST PROVIDENCE",2017-01-24 00:00:00,EST-5,2017-01-24 11:00:00,0,0,0,0,11.00K,11000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","A tree was down on wires at Cumberland Hill and caused a power outage. High tension wires were down on Putnam Pike in Gloucester. A telephone pole and wires were down in Foster." +112832,675509,RHODE ISLAND,2017,January,Strong Wind,"SOUTHEAST PROVIDENCE",2017-01-24 02:00:00,EST-5,2017-01-24 11:00:00,0,0,0,0,3.50K,3500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Wires down on East Scenic View Drive in Johnston. Multiple trees and wires down on Phenix Ridge Drive in Cranston." +112420,670213,HAWAII,2017,January,High Surf,"NIIHAU",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670214,HAWAII,2017,January,High Surf,"KAUAI WINDWARD",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112420,670215,HAWAII,2017,January,High Surf,"KAUAI LEEWARD",2017-01-28 10:00:00,HST-10,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. A young woman drowned in the high surf on Kauai on the 30th. No other deaths or serious injuries were reported. There also were no reports of serious property damage. This episode continued into February.","" +112674,672943,IOWA,2017,January,Winter Storm,"BOONE",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672899,IOWA,2017,January,Winter Storm,"GREENE",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672944,IOWA,2017,January,Winter Storm,"SAC",2017-01-24 12:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112654,672589,OKLAHOMA,2017,January,Drought,"MCCLAIN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672590,OKLAHOMA,2017,January,Drought,"CLEVELAND",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672591,OKLAHOMA,2017,January,Drought,"LINCOLN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672592,OKLAHOMA,2017,January,Drought,"POTTAWATOMIE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672593,OKLAHOMA,2017,January,Drought,"SEMINOLE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672594,OKLAHOMA,2017,January,Drought,"HUGHES",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672595,OKLAHOMA,2017,January,Drought,"GARVIN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672596,OKLAHOMA,2017,January,Drought,"MURRAY",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672597,OKLAHOMA,2017,January,Drought,"PONTOTOC",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672598,OKLAHOMA,2017,January,Drought,"JOHNSTON",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112208,672676,NEW YORK,2017,January,High Wind,"EASTERN RENSSELAER",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112323,672753,MASSACHUSETTS,2017,January,Drought,"NORTHERN WORCESTER",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for most of northern Worcester County through January 3. A Severe Drought (D2) designation then covered the region through January 24. Eastern sections such as Leominster were reduced to Moderate Drought (D1) at that time, while northern and western sections remained at Severe Drought through the end of the month." +112688,672810,NORTH CAROLINA,2017,January,Winter Storm,"PITT",2017-01-07 01:00:00,EST-5,2017-01-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation initially fell as freezing rain, then transitioned to sleet and snow through the day. Two to three inches of combined sleet and snow fell." +112688,672816,NORTH CAROLINA,2017,January,Winter Storm,"TYRRELL",2017-01-07 03:00:00,EST-5,2017-01-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation initially fell as sleet and freezing rain overnight, then transitioned to a period of snow during the day, with two to three inches falling before the event ended late in the afternoon." +112688,672817,NORTH CAROLINA,2017,January,Winter Storm,"LENOIR",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Minor auto accidents due to a glaze of freezing rain and trace of sleet. A trace of snow fell before the event wound down in the early afternoon." +112687,672800,IDAHO,2017,January,Heavy Snow,"EASTERN MAGIC VALLEY",2017-01-03 21:00:00,MST-7,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","A powerful storm dropped heavy snow throughout the Eastern Magic Valley. Some of the amounts were: 8 inches in Richfield, 12 inches in Burley, and 14 inches in Paul. All schools were closed in the region on the 4th due to the heavy snow and road conditions. Highway 93 was closed south of Shoshone all the way to Twin Falls." +112690,672840,IDAHO,2017,January,Extreme Cold/Wind Chill,"LOST RIVER / PAHSIMEROI",2017-01-04 21:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast winds behind a cold front brought actual and wind chill temperatures to the -20 to -35 range overnight on the 4th and into the morning on the 5th. Most schools in southeast Idaho were closed on the 5th due to the extreme cold conditions.","Extreme cold wind chills of -30 to -40 degrees caused many schools including Mackay School District and Butte County Schools to close." +112695,672875,NEW YORK,2017,January,Winter Weather,"NORTHERN WESTCHESTER",2017-01-07 09:00:00,EST-5,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters, the public, and social media reported 4 to 6 inches of snowfall." +112695,672876,NEW YORK,2017,January,Winter Weather,"SOUTHERN WESTCHESTER",2017-01-07 09:00:00,EST-5,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters and the public reported 4 to 5 inches of snowfall." +112695,672869,NEW YORK,2017,January,Heavy Snow,"NORTHWEST SUFFOLK",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters, NWS Employees and the public reported snowfall ranging from 7 to 10 inches." +112695,672873,NEW YORK,2017,January,Winter Weather,"NEW YORK (MANHATTAN)",2017-01-07 08:30:00,EST-5,2017-01-07 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Central Park reported 5 inches of snow. Trained spotters also reported 4 to 5 inches of snow." +112700,672885,CONNECTICUT,2017,January,Winter Weather,"SOUTHERN FAIRFIELD",2017-01-07 10:30:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Southern Connecticut.","Trained spotters and CoCoRaHS observers reported 4 to 6 inches of snow. Bridgeport COOP Observer reported 5.7 inches of snow." +112655,672614,IOWA,2017,January,Ice Storm,"STORY",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672615,IOWA,2017,January,Ice Storm,"MARSHALL",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672616,IOWA,2017,January,Ice Storm,"AUDUBON",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672617,IOWA,2017,January,Ice Storm,"GUTHRIE",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672618,IOWA,2017,January,Ice Storm,"DALLAS",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672629,IOWA,2017,January,Ice Storm,"LUCAS",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672630,IOWA,2017,January,Ice Storm,"TAYLOR",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672631,IOWA,2017,January,Ice Storm,"RINGGOLD",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672632,IOWA,2017,January,Ice Storm,"DECATUR",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672633,IOWA,2017,January,Ice Storm,"WAYNE",2017-01-15 15:00:00,CST-6,2017-01-16 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112674,672903,IOWA,2017,January,Winter Storm,"FRANKLIN",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672904,IOWA,2017,January,Winter Storm,"BUTLER",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672905,IOWA,2017,January,Winter Storm,"BREMER",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112808,674009,TEXAS,2017,January,Wildfire,"GONZALES",2017-01-24 12:00:00,CST-6,2017-01-24 17:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Near record high temperatures ahead of a cold front sent relative humidity to near 30 percent. A wildfire started in these conditions at 7237 N. Hwy 80 in Nixon and consumed 10 acres destroying an outbuilding which contained a vehicle and farm equipment.","Near record high temperatures ahead of a cold front sent relative humidity to near 30 percent. A wildfire started in these conditions at 7237 N. Hwy 80 in Nixon and consumed 10 acres destroying an outbuilding which contained a vehicle and farm equipment." +111645,666061,OREGON,2017,January,High Wind,"CURRY COUNTY COAST",2017-01-10 09:14:00,PST-8,2017-01-10 12:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing low moved north off the southern Oregon coast, bringing a short period of high winds to the coast south of Cape Blanco.","The Flynn Prairie RAWS recorded a gust to 59 mph at 10/1013 PST, a gust to 64 mph at 10/1113 PST, and a gust to 59 mph at 10/1213 PST. The CWOP at Brookings recorded a gust to 66 mph at 10/1218 PST." +111692,666249,CALIFORNIA,2017,January,High Wind,"MODOC COUNTY",2017-01-16 10:04:00,PST-8,2017-01-16 11:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was another in a series of storms. This one was marginal in terms of strong winds, but one station did record high winds.","The Rush Creek RAWS recorded a gust to 61 mph at 16/1103 PST." +111698,666293,CALIFORNIA,2017,January,Winter Storm,"MODOC COUNTY",2017-01-03 10:00:00,PST-8,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","Public Reports: Canby got 11.0 inches of snow as of 03/1700 PST." +111823,668574,TEXAS,2017,January,Hail,"KENDALL",2017-01-15 21:50:00,CST-6,2017-01-15 21:50:00,0,0,0,0,0.00K,0,0.00K,0,29.97,-98.52,29.97,-98.52,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","" +111823,668575,TEXAS,2017,January,Thunderstorm Wind,"BLANCO",2017-01-15 22:10:00,CST-6,2017-01-15 22:10:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-98.42,30.1,-98.42,"A warm front moved through South Central Texas from the south and brought warm, moist air. An upper level low moved through the southwestern US bringing a Pacific cold front into Texas. Thunderstorms developed along this cold front and some of these storms produced large hail.","A thunderstorm produced wind gusts estimated at 60 mph in Blanco." +111742,666431,LOUISIANA,2017,January,Winter Weather,"CALDWELL",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +112827,674136,RHODE ISLAND,2017,January,Winter Storm,"NORTHWEST PROVIDENCE",2017-01-07 10:00:00,EST-5,2017-01-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure, the second in three days, developed along the coast of the Carolinas the night of January 6 and moved up the coast to bring snow and wind to Southern New England on January 7.","Eight to eleven inches of snow fell on Northwest Providence County during the day and evening." +112208,669079,NEW YORK,2017,January,Strong Wind,"MONTGOMERY",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669080,NEW YORK,2017,January,Strong Wind,"SCHOHARIE",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669081,NEW YORK,2017,January,Strong Wind,"SOUTHEAST WARREN",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112992,675244,CALIFORNIA,2017,January,Flash Flood,"SANTA CLARA",2017-01-10 12:01:00,PST-8,2017-01-10 14:01:00,0,0,0,0,0.00K,0,0.00K,0,37.2308,-121.9735,37.2311,-121.9731,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Los Gatos Creek flooding." +112992,675245,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-10 13:20:00,PST-8,2017-01-10 15:20:00,0,0,0,0,0.00K,0,0.00K,0,38.504,-123.0007,38.5043,-123.0011,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Flooding east of 5th street. Fife Creek overflowing." +112992,675248,CALIFORNIA,2017,January,Flood,"NAPA",2017-01-10 17:13:00,PST-8,2017-01-10 19:13:00,0,0,0,0,0.00K,0,0.00K,0,38.349,-122.3023,38.3495,-122.3032,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Big Ranch Road completely under water at Salvador Ave." +112992,675249,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-10 18:45:00,PST-8,2017-01-10 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4781,-122.7564,38.4781,-122.7561,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Entire roadway flooded at intersection of Barnes Rd and Hopper Ave." +112992,675250,CALIFORNIA,2017,January,Flood,"CONTRA COSTA",2017-01-10 19:42:00,PST-8,2017-01-10 21:42:00,0,0,0,0,0.00K,0,0.00K,0,37.9247,-121.9123,37.9243,-121.9122,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Marsh Creek Road at Pine Lane roadway completely flooded." +113065,676178,OHIO,2017,January,Winter Weather,"HOCKING",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The cooperative observer in Laurelville measured 1.5 inches of snow." +113065,676179,OHIO,2017,January,Winter Weather,"LICKING",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from east of Newark showed that 2.5 inches of snow had fallen. The CoCoRaHS observer 4 miles north of Granville measured 1.5 inches of snow." +113065,676182,OHIO,2017,January,Winter Weather,"LOGAN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The county garage north of Bellefontaine measured 1.5 inches of snow, while cooperative observers north of Huntsville and west of Bellefontaine measured a half inch." +113065,676183,OHIO,2017,January,Winter Weather,"MADISON",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The cooperative observer near London measured 1.1 inches of snow." +113065,676186,OHIO,2017,January,Winter Weather,"MIAMI",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter east of Tipp City and another 3 miles northwest of Troy both measured 1.3 inches of snow." +113065,676187,OHIO,2017,January,Winter Weather,"MONTGOMERY",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media post from north of Lytle indicated that 4 inches of snow had fallen. The CoCoRaHS observers located 4 miles south of Centerville and 3 miles south of Dayton measured 2.8 and 2.5 inches, respectively." +113065,676188,OHIO,2017,January,Winter Weather,"PICKAWAY",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A spotter northwest of Laurelville measured 2.8 inches of snow. The county garage near Circleville measured 2.5 inches." +111451,664970,TEXAS,2017,January,Winter Weather,"BRISCOE",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111451,664971,TEXAS,2017,January,Winter Weather,"HALL",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111680,676770,MINNESOTA,2017,January,Winter Storm,"RED LAKE",2017-01-02 15:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676772,MINNESOTA,2017,January,Winter Storm,"LAKE OF THE WOODS",2017-01-02 18:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676773,MINNESOTA,2017,January,Winter Storm,"NORTH BELTRAMI",2017-01-02 18:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676774,NORTH DAKOTA,2017,January,Winter Storm,"BARNES",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +120456,721694,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 17:48:00,EST-5,2017-09-06 17:48:00,0,0,0,0,0.00K,0,0.00K,0,41.7602,-81.3414,41.7602,-81.3414,"Several waterspouts were observed on Lake Erie.","A waterspout was observed on Lake Erie northwest of Fairport Harbor." +120456,721696,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 09:00:00,EST-5,2017-09-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7192,-81.4362,41.7192,-81.4362,"Several waterspouts were observed on Lake Erie.","A waterspout was observed offshore from Willoughby." +120456,721697,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 08:00:00,EST-5,2017-09-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9948,-80.5689,41.9948,-80.5689,"Several waterspouts were observed on Lake Erie.","A waterspout was observed on Lake Erie north of Conneaut." +120457,721698,OHIO,2017,September,Thunderstorm Wind,"LUCAS",2017-09-04 18:04:00,EST-5,2017-09-04 18:04:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-83.7,41.72,-83.7,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Penny sized hail was observed." +120457,721699,OHIO,2017,September,Hail,"LUCAS",2017-09-04 18:10:00,EST-5,2017-09-04 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.7198,-83.6233,41.7198,-83.6233,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Penny sized hail was observed." +112358,673009,GEORGIA,2017,January,Tornado,"LOWNDES",2017-01-22 07:00:00,EST-5,2017-01-22 07:04:00,0,0,0,0,250.00K,250000,0.00K,0,30.8897,-83.3891,30.9158,-83.3134,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The tornado initially touched down just east of the Withlacoochee River in Lowndes County and tracked toward Interstate 75. On the west side of the interstate, a few trees were snapped along Shiloh Road. Additionally, billboards along the interstate were also damaged. After crossing Interstate 75, the tornado impacted a subdivision on both the west and east side of North Coleman Road. Damage in this area was primarily limited to minor roof damage. Multiple homes had shingles removed. Additionally several large pines were snapped in the area as well. Damage in this area was consistent with lower end EF-1 damage. As the tornado approached US-41, a large barn was destroyed and several large trees were also uprooted. Several other large trees were uprooted just east of US-41 on Kilarney Circle. Damage in these areas was consistent with an EF-1 tornado with winds around 100 MPH. The tornado snapped a few more pine trees when passing Val Del Road before lifting about 1 mile east of the road. Damage cost was estimated." +112358,673043,GEORGIA,2017,January,Tornado,"RANDOLPH",2017-01-22 14:45:00,EST-5,2017-01-22 14:52:00,0,0,0,0,200.00K,200000,0.00K,0,31.6195,-84.7874,31.6805,-84.7076,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The tornado touched down in Clay County and moved northeast through the northwest corner of Calhoun County and into southern Randolph County. It caused extensive tree damage with nearly every tree in its path snapped through the Clay and Calhoun portions of the track. In addition, it flipped a mobile home in Clay County, injuring one person who was inside. The tornado caused major roof damage in Clay and Calhoun counties removing the roofing structure from two homes. It also caused minor roofing damage to several homes in all three counties. Damage cost was estimated." +111680,676780,MINNESOTA,2017,January,Winter Storm,"CLAY",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676781,MINNESOTA,2017,January,Winter Storm,"WILKIN",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676784,MINNESOTA,2017,January,Winter Storm,"NORTH CLEARWATER",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111680,676785,MINNESOTA,2017,January,Winter Storm,"SOUTH BELTRAMI",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113188,677091,WASHINGTON,2017,January,Heavy Snow,"WASHINGTON PALOUSE",2017-01-30 20:00:00,PST-8,2017-01-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night of January 30th through the morning of January 31st a stalled front provided a focusing mechanism for bands of snow showers over southeastern Washington. Whitman County was under the axis of the most persistent snow showers with local snow accumulations of 4 to 5 inches. The Blue Mountains of extreme southeast Washington also received significant snow accumulations.","Four inches of new snow accumulation was reported from Palouse." +113188,677094,WASHINGTON,2017,January,Heavy Snow,"WASHINGTON PALOUSE",2017-01-30 20:00:00,PST-8,2017-01-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night of January 30th through the morning of January 31st a stalled front provided a focusing mechanism for bands of snow showers over southeastern Washington. Whitman County was under the axis of the most persistent snow showers with local snow accumulations of 4 to 5 inches. The Blue Mountains of extreme southeast Washington also received significant snow accumulations.","Photographs from local newspapers indicated 4 to 5 inches of new snow fell in Colfax during the night of January 30th through the morning of January 31st." +113188,677095,WASHINGTON,2017,January,Heavy Snow,"LOWER GARFIELD & ASOTIN",2017-01-30 20:00:00,PST-8,2017-01-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night of January 30th through the morning of January 31st a stalled front provided a focusing mechanism for bands of snow showers over southeastern Washington. Whitman County was under the axis of the most persistent snow showers with local snow accumulations of 4 to 5 inches. The Blue Mountains of extreme southeast Washington also received significant snow accumulations.","A spotter near Asotin reported a total of 5 inches of new snow accumulation." +113188,677097,WASHINGTON,2017,January,Heavy Snow,"LOWER GARFIELD & ASOTIN",2017-01-30 20:00:00,PST-8,2017-01-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night of January 30th through the morning of January 31st a stalled front provided a focusing mechanism for bands of snow showers over southeastern Washington. Whitman County was under the axis of the most persistent snow showers with local snow accumulations of 4 to 5 inches. The Blue Mountains of extreme southeast Washington also received significant snow accumulations.","The Bluewood Ski Resort reported 6 inches of new snow." +113263,678112,CALIFORNIA,2017,January,Dense Fog,"E CENTRAL S.J. VALLEY",2017-01-31 06:45:00,PST-8,2017-01-31 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0645 PST and 0745 PST the Merced Castle Airport (KMER) AWOS reported visibility less than 1/4 mile." +113149,676724,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"BOX BUTTE",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 15 to 20 mph combined with temperatures of -15 to -25 degrees produced wind chill values between -30 and -45 degrees.","Sustained wind speeds of 10 to 15 mph combined with temperatures of -20 to -25 degrees produced wind chill values between -35 and -45 degrees." +113486,679569,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-31 11:30:00,MST-7,2017-01-31 19:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 31/1655 MST." +113486,679570,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-31 12:30:00,MST-7,2017-01-31 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance moved across northern Wyoming and strengthened the pressure gradient across southeast Wyoming. The result was periodic high winds for the normally wind prone areas.","The WYDOT sensor at Wildcat Trail measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 31/1540 MST." +112521,671065,ILLINOIS,2017,January,Strong Wind,"EDWARDS",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112521,671067,ILLINOIS,2017,January,Strong Wind,"HAMILTON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 56 mph across southern Illinois. A utility company reported power outages in the Marion-Carbondale area due to the wind. Some of the highest wind gusts at airport sites included 56 mph at the Carbondale airport, 52 mph at the Mount Vernon and Marion airports, 48 mph at the Harrisburg airport, and 46 mph at the Carmi airport. Gusts at other automated airport sites such as Cairo and Metropolis were 40 to 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +111704,666303,WASHINGTON,2017,January,High Wind,"SAN JUAN",2017-01-10 10:15:00,PST-8,2017-01-11 03:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In a strong Fraser River outflow pattern, high wind occurred in western Whatcom County and the San Juan Islands.","Lopez Island recorded sustained wind 40-43 mph off and on from 1015 AM on the 10th to 335 AM on the 11th." +112713,673025,WASHINGTON,2017,January,High Wind,"SAN JUAN",2017-01-01 17:15:00,PST-8,2017-01-01 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Brief high wind occurred on Lopez Island.","Lopez Island recorded high wind of 40 mph gusting to 47 mph." +112715,673028,WASHINGTON,2017,January,High Wind,"WESTERN SKAGIT COUNTY",2017-01-17 18:33:00,PST-8,2017-01-17 20:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was high wind on the central coast and over the northwest interior.","An instrument on Blanchard Mtn recorded 25g59 mph." +112715,673029,WASHINGTON,2017,January,High Wind,"SAN JUAN",2017-01-17 18:35:00,PST-8,2017-01-17 20:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was high wind on the central coast and over the northwest interior.","Lopez Island recorded 44g46 mph." +113004,675435,ARKANSAS,2017,January,Hail,"MONTGOMERY",2017-01-21 17:33:00,CST-6,2017-01-21 17:33:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-93.45,34.36,-93.45,"Severe thunderstorms moved across Arkansas on January 21, 2017 producing wind damage and large hail.","Estimated hail size of one inch was reported by public near Highway 70 northeast of Glenwood." +113142,676666,OREGON,2017,January,Heavy Snow,"OCHOCO-JOHN DAY HIGHLANDS",2017-01-10 03:00:00,PST-8,2017-01-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 9.5 inches, 23 miles northeast of Prineville in Crook county. Elevation of 4451 feet." +113142,676668,OREGON,2017,January,Heavy Snow,"JOHN DAY BASIN",2017-01-10 03:30:00,PST-8,2017-01-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 6 inches, 5 miles north-northwest of Service Creek in Wheeler county." +113142,676669,OREGON,2017,January,Heavy Snow,"EAST SLOPES OF THE OREGON CASCADES",2017-01-10 00:00:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 20 inches, 3 miles west of La Pine in Deschutes county." +113142,676672,OREGON,2017,January,Heavy Snow,"EASTERN COLUMBIA RIVER GORGE",2017-01-10 10:00:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 7 inches, 1 mile southwest of The City of The Dalles in Wasco county. Elevation of 307 feet." +113208,677235,WASHINGTON,2017,January,Heavy Snow,"BLUE MOUNTAIN FOOTHILLS",2017-01-31 03:45:00,PST-8,2017-01-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system produced significant snow over portions of the Columbia Basin of Washington and Oregon.","Measured snow fall of 5 inches at Walla Walla, in Walla Walla county." +113208,677236,WASHINGTON,2017,January,Heavy Snow,"LOWER COLUMBIA BASIN",2017-01-31 03:00:00,PST-8,2017-01-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system produced significant snow over portions of the Columbia Basin of Washington and Oregon.","Measured snow fall of 4 inches at Touchet, in Walla Walla county." +113207,677238,OREGON,2017,January,Heavy Snow,"LOWER COLUMBIA BASIN",2017-01-31 03:00:00,PST-8,2017-01-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system produced significant snow over portions of the Columbia Basin of Washington and Oregon.","Measured snow fall of 4 inches, 6 miles northeast of Hermiston in Umatilla county." +113207,677240,OREGON,2017,January,Heavy Snow,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-01-31 03:30:00,PST-8,2017-01-31 22:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system produced significant snow over portions of the Columbia Basin of Washington and Oregon.","Measured snow fall of 6 inches at Mission, in Umatilla county." +113206,678510,WASHINGTON,2017,January,Ice Storm,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-01-17 14:30:00,PST-8,2017-01-18 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .5 inches, 1 mile north of Trout Lake in Klickitat county." +113058,676277,MISSISSIPPI,2017,January,Hail,"JEFFERSON",2017-01-21 20:48:00,CST-6,2017-01-21 20:53:00,0,0,0,0,5.00K,5000,0.00K,0,31.6811,-91.2733,31.7155,-91.223,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Hail fell in southwest Jefferson County, including golfball size hail around the Church Hill area." +113058,676278,MISSISSIPPI,2017,January,Hail,"HINDS",2017-01-21 20:36:00,CST-6,2017-01-21 20:36:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-90.13,32.4,-90.13,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Nickel sized hail fell near the Academy Sports on County Line Road." +113058,676279,MISSISSIPPI,2017,January,Hail,"MADISON",2017-01-21 20:53:00,CST-6,2017-01-21 20:53:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-90.15,32.54,-90.15,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Hail to the size of quarters fell just south of Lake Caroline." +113058,676280,MISSISSIPPI,2017,January,Hail,"RANKIN",2017-01-21 20:55:00,CST-6,2017-01-21 20:55:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-89.74,32.32,-89.74,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Nickel to quarter size hail fell between Pelahatchie and the Rankin/Scott county line." +111460,664951,PENNSYLVANIA,2017,January,Winter Weather,"MONROE",2017-01-03 06:00:00,EST-5,2017-01-03 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Lingering precipitation, fog, and mist associated with an onshore flow, in combination with below freezing temperatures, produced areas of light freezing rain over the highest terrain of eastern Pennsylvania during the early morning hours of January 3, 2017. 0.25 inches of freezing rain was reported at Tobyhanna, and 0.20 inches of freezing rain was reported at Pocono Mountains Airport, both in Monroe County.","Lingering precipitation, fog, and mist associated with an onshore flow, in combination with below freezing temperatures, produced areas of light freezing rain over the highest terrain of eastern Pennsylvania during the early morning hours of January 3, 2017. 0.25 inches of freezing rain was reported by a spotter in Tobyhanna at 08:30EDT, and 0.20 inches of freezing rain was reported by the ASOS unit at Pocono Mountains Airport at 07:00EDT." +111441,664829,KENTUCKY,2017,January,Winter Weather,"LAWRENCE",2017-01-05 09:00:00,EST-5,2017-01-06 01:00:00,0,0,0,1,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper type system brought widespread snowfall to eastern Kentucky on the 5th and 6th. Snow started on the morning of the 5th, and tapered off just after midnight early on the 6th. Widespread light snow occurred throughout the event, with several bands of moderate snow. Total snow accumulations across northeastern Kentucky were around 3 inches. Mid-morning on the 5th, just as snow was beginning to stick on the roads, a fatal vehicle accident occurred in Lawrence County. Many schools were dismissed early on the afternoon of the 5th as the snow started to accumulate.","" +111473,664976,WISCONSIN,2017,January,Winter Weather,"COLUMBIA",2017-01-03 04:00:00,CST-6,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Black ice formed during the morning rush hour as road temperatures fell below freezing while light drizzle or rain fell, and dense fog was occurring. This affected south central WI and areas north and west of the Milwaukee area. A few schools were delayed. Vehicle accidents and slide-offs occurred including a crash that resulted in one fatality in Sheboygan County.","Areas of icy roads from light freezing rain and fog." +115032,690565,MISSISSIPPI,2017,April,Tornado,"HOLMES",2017-04-30 08:38:00,CST-6,2017-04-30 08:47:00,0,0,0,0,30.00K,30000,0.00K,0,33.1769,-89.9856,33.2481,-89.8721,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began just to the southwest of Sudbeck Road and downed hardwood trees in this area. It then continued northeast, snapping tree limbs and uprooting a few trees along its path in the northern part of Holmes County. The tornado then crossed into Carroll County and dissipated along Highway 37. The total path length for this tornado was 9.16 miles and the maximum estimated wind speed was 90mph. The maximum width was 400 yards, which occurred in Holmes County." +111465,665477,PENNSYLVANIA,2017,January,Winter Weather,"DELAWARE",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around three inches or less of snow fell from this event with 3.0 inches in Wayne, 2.0 inches in Lansdowne, and 1.8 inches in Norwood." +111465,665478,PENNSYLVANIA,2017,January,Winter Weather,"PHILADELPHIA",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around two inches or less of snow fell from this event with 2.0 inches in Rockledge, 1.9 inches at Philadelphia International Airport, and 1.6 inches in Spring Garden." +111465,665480,PENNSYLVANIA,2017,January,Winter Weather,"NORTHAMPTON",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around one inch or less of snow fell from this event with 1.0 inches in Hellertown and 0.5 inches in Nazareth." +111465,665481,PENNSYLVANIA,2017,January,Winter Weather,"LEHIGH",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally around one inch or less of snow fell from this event with 1.1 inches at Lehigh Valley International Airport, 1.0 inches in Albertis, and 0.5 inches in Heidelberg Township." +112496,670710,KENTUCKY,2017,January,Flood,"MUHLENBERG",2017-01-17 19:00:00,CST-6,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-86.98,37.31,-86.9894,"A very active weather pattern across the central United States led to minor flooding on parts of the Green and Ohio Rivers. While heavy rain did not occur in western Kentucky, there was enough rainfall in those basins to push a couple river gages above flood stage.","Minor flooding occurred along the Green River. Some low-lying woods and farmland along the river were inundated. The farmland was mostly dormant during the winter season." +112496,670718,KENTUCKY,2017,January,Flood,"UNION",2017-01-20 07:00:00,CST-6,2017-01-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.776,-87.9414,37.78,-87.9159,"A very active weather pattern across the central United States led to minor flooding on parts of the Green and Ohio Rivers. While heavy rain did not occur in western Kentucky, there was enough rainfall in those basins to push a couple river gages above flood stage.","Minor flooding occurred on the Ohio River, affecting mainly bottomland and surrounding low-lying areas. The road to several farms above Uniontown flooded." +112497,670731,INDIANA,2017,January,Flood,"WARRICK",2017-01-18 08:00:00,CST-6,2017-01-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9477,-87.3983,37.9167,-87.3326,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Ohio River. The river covered low-lying agricultural land, which was mainly dormant during the winter season." +112497,670738,INDIANA,2017,January,Flood,"POSEY",2017-01-19 21:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8909,-87.9411,37.925,-87.909,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Ohio River. Low-lying cropland was underwater, however it was mostly dormant in the winter season." +112497,670745,INDIANA,2017,January,Flood,"POSEY",2017-01-21 17:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,2.00K,2000,0.00K,0,38.1253,-87.9464,38.1251,-87.9395,"A very active weather pattern across the central United States led to minor flooding on the White, Wabash, and Ohio Rivers. While heavy rain did not occur in southwest Indiana, there was enough rainfall in those basins to push several river gages above flood stage.","Minor flooding occurred along the Wabash River. Low-lying agricultural land was inundated. The land was dormant for the winter season. Some stripper oil wells began to flood along the river from New Harmony south." +115032,690598,MISSISSIPPI,2017,April,Tornado,"YAZOO",2017-04-30 08:06:00,CST-6,2017-04-30 08:14:00,0,0,0,0,130.00K,130000,0.00K,0,32.7771,-90.1848,32.8331,-90.0869,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This EF-1 tornado started just north of MS Highway 16 in Yazoo County. It uprooted and snapped trees as it approached the Linwood Community. While progressing through the Linwood Community, it caused damage to several structures including removing the entire tin roof from a home on Black Jack Road, damaging a mobile home on Vaughan Road, and damaging the awnings at the Linwood Gin. The tornado was responsible for a tree falling on a house on Pepper Wilson Road. It continued to cause damage on Bennett Road, before it dissipated prior to Interstate 55. The estimated wind speed with this tornado was 110 mph." +116395,699930,NEW YORK,2017,May,Hail,"FULTON",2017-05-18 17:08:00,EST-5,2017-05-18 17:08:00,0,0,0,0,,NaN,,NaN,43.05,-74.24,43.05,-74.24,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +111734,666409,ALASKA,2017,January,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-01-14 11:14:00,AKST-9,2017-01-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely strong fetch of warm moist maritime air set up over the Panhandle on 1/12 and 1/13. Cold air at the surface was eroded before significant snowfall fell except for the Lynn Canal area and Misty Fjords. This setup persisted until early on 1/15. Rain mixed in with snow at times which made true measurements of snowfall difficult. Both northern highways had significant ice on the road base for very slick driving conditions. The impacts of this snow storm were snow removal, slippery roads, and avalanches.","White Pass continued with near blizzard conditions on the afternoon and evening of 1/14. At least 5 more inches of snow fell although measurements were difficult due to strong winds and drifting. Impact was poor driving conditions, blowing and drifting snow, slick roads, poor visibility, and of course snow removal under those conditions." +111939,667581,WISCONSIN,2017,January,Winter Weather,"SAUK",2017-01-10 07:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667583,WISCONSIN,2017,January,Winter Weather,"DODGE",2017-01-10 07:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667584,WISCONSIN,2017,January,Winter Weather,"WASHINGTON",2017-01-10 07:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667585,WISCONSIN,2017,January,Winter Weather,"OZAUKEE",2017-01-10 07:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667587,WISCONSIN,2017,January,Winter Weather,"SHEBOYGAN",2017-01-10 07:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain, snow, and sleet." +111939,667589,WISCONSIN,2017,January,Winter Weather,"FOND DU LAC",2017-01-10 07:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain, snow, and sleet." +111830,667018,NEW JERSEY,2017,January,High Wind,"WESTERN OCEAN",2017-01-23 12:47:00,EST-5,2017-01-23 12:47:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Telephone polls and wires down in Jackson." +111830,668029,NEW JERSEY,2017,January,High Wind,"MIDDLESEX",2017-01-23 07:00:00,EST-5,2017-01-23 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Tree fell onto wires due to wind." +111999,667859,SOUTH DAKOTA,2017,January,Winter Storm,"UNION",2017-01-24 11:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated near or over a foot, including 13 inches at Alcester. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667860,SOUTH DAKOTA,2017,January,Winter Storm,"DOUGLAS",2017-01-24 11:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 6 to 12 inches, including 12 inches at Armour. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112151,668844,INDIANA,2017,January,Winter Weather,"SPENCER",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +112151,668845,INDIANA,2017,January,Winter Weather,"VANDERBURGH",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +112415,670178,HAWAII,2017,January,High Surf,"MOLOKAI WINDWARD",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670179,HAWAII,2017,January,High Surf,"MOLOKAI LEEWARD",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670180,HAWAII,2017,January,High Surf,"MAUI WINDWARD WEST",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670181,HAWAII,2017,January,High Surf,"MAUI CENTRAL VALLEY",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670182,HAWAII,2017,January,High Surf,"WINDWARD HALEAKALA",2017-01-18 17:00:00,HST-10,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670183,HAWAII,2017,January,High Surf,"KONA",2017-01-19 06:00:00,HST-10,2017-01-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +112415,670184,HAWAII,2017,January,High Surf,"KOHALA",2017-01-19 06:00:00,HST-10,2017-01-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 10 to 20 feet along the west-facing shores of Oahu; and 10 to 15 feet along the west-facing shores of the Big Island. No serious injuries or property damage were reported.","" +111788,666767,NEW MEXICO,2017,January,Heavy Snow,"SAN JUAN MOUNTAINS",2017-01-20 11:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Various sources across Rio Arriba County reported between 10 and 16 inches of snow. The heaviest amounts occurred from Chama into the higher terrain around Hopewell Lake." +111788,666766,NEW MEXICO,2017,January,Heavy Snow,"JEMEZ MOUNTAINS",2017-01-20 11:00:00,MST-7,2017-01-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","Various sources across the Jemez Mountains reported between 6 and 10 inches of snow. The heaviest amounts occurred at the Vacas Locas and Quemazon SNOTELs." +120280,720689,KANSAS,2017,August,Hail,"RAWLINS",2017-08-26 17:10:00,CST-6,2017-08-26 17:10:00,0,0,0,0,0.00K,0,0.00K,0,39.9573,-100.9544,39.9573,-100.9544,"The thunderstorm that had produced hail up to ping-pong ball size in Hitchcock County continued south into Rawlins County. The largest hail size reported was golf ball size.","" +120280,720690,KANSAS,2017,August,Hail,"RAWLINS",2017-08-26 17:38:00,CST-6,2017-08-26 17:38:00,0,0,0,0,0.00K,0,0.00K,0,39.8698,-101.0467,39.8698,-101.0467,"The thunderstorm that had produced hail up to ping-pong ball size in Hitchcock County continued south into Rawlins County. The largest hail size reported was golf ball size.","The hail ranged from quarter to half dollar in size." +120279,720694,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-26 17:35:00,MST-7,2017-08-26 17:41:00,0,0,0,0,0.00K,0,0.00K,0,40.0767,-101.55,40.0767,-101.55,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","The hail stones were up to golf ball in size. The hail did not cover the ground." +112674,672890,IOWA,2017,January,Winter Storm,"POCAHONTAS",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672892,IOWA,2017,January,Winter Storm,"HUMBOLDT",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672895,IOWA,2017,January,Winter Storm,"WRIGHT",2017-01-24 14:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112654,672599,OKLAHOMA,2017,January,Drought,"COAL",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672600,OKLAHOMA,2017,January,Drought,"ATOKA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112654,672601,OKLAHOMA,2017,January,Drought,"BRYAN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of January. Extreme drought retreated out of Coal county, but persisted in Atoka and Bryan counties.","" +112647,672494,NEW YORK,2017,January,Lake-Effect Snow,"NORTHERN HERKIMER",2017-01-27 10:00:00,EST-5,2017-01-29 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an upper level trough moved over upstate New York, very cold temperatures aloft moved across the region. This allowed for the formation of bands of lake-effect snow off Lake Ontario. Bands of snow developed during the morning across on Friday, January 27th and impacted parts of the western Mohawk Valley and southwestern Adirondacks.||Through the day on Friday, January 27th, the snow bands slowly lifted northward into the western and central Adirondacks, where they continued into the overnight hours and intermittently throughout the entire weekend.||By Sunday evening, up to two feet of snow fell across parts of northern Herkimer and western Hamilton Counties. Around a foot of snow fell in central Herkimer County, with just a few inches across southern parts of Herkimer County.","" +112208,672675,NEW YORK,2017,January,High Wind,"WESTERN RENSSELAER",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112323,672779,MASSACHUSETTS,2017,January,Drought,"SOUTHEAST MIDDLESEX",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Severe Drought (D2) designation in Southeast Middlesex County until January 24, when it was reduced to the Moderate Drought (D1) designation." +112323,672776,MASSACHUSETTS,2017,January,Drought,"EASTERN HAMPDEN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation in eastern Hampden County through the end of the month. On January 31 the the designation in the area east of Springfield was reduced to Severe Drought (D2)." +112688,672811,NORTH CAROLINA,2017,January,Winter Storm,"MARTIN",2017-01-07 01:00:00,EST-5,2017-01-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of snow, sleet, and freezing rain fell across northern portions of Eastern NC. Precipitation began during the early morning hours as mainly freezing rain, then transitioned to sleet and finally snow during the day. A surface low pressure system tracking just offshore of the coast kept precipitation closer to the coast all rain, with a transition to sleet, freezing rain and snow further north. Ice accretion from one-tenth to one-half of an inch impacted portions of inland eastern North Carolina, with numerous accidents being reported in Washington, Martin, Pitt, Greene, Lenoir and Duplin Counties. One to three inches of snow fell north of Highway 264.","Precipitation initially fell as freezing rain overnight, then transitioned to sleet and snow during the day. A quarter inch of freezing rain was reported, then two to three inches of combined sleet and snow fell." +112695,672863,NEW YORK,2017,January,Heavy Snow,"BRONX",2017-01-07 09:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters reported snowfall between 6 and 7 inches." +112695,672865,NEW YORK,2017,January,Heavy Snow,"SOUTHERN QUEENS",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","JFK airport contract observer reported 8.2 inches of snow. Trained spotters and the public reported snowfall of 6 to 8 inches." +112695,672864,NEW YORK,2017,January,Heavy Snow,"NORTHERN QUEENS",2017-01-07 09:00:00,EST-5,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","La Guardia airport contract observer reported 7 inches of snow. Trained spotters also reported snowfall between 7 and 8 inches." +112695,672866,NEW YORK,2017,January,Heavy Snow,"KINGS (BROOKLYN)",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters and CoCoRaHs observers reported 5 to 7 inches of snow." +112695,672867,NEW YORK,2017,January,Heavy Snow,"NORTHERN NASSAU",2017-01-07 09:00:00,EST-5,2017-01-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing heavy snow to Long Island and New York City and portions of the Lower Hudson Valley.","Trained spotters, the public, and social media reported snowfall ranging from 7 to 9 inches." +112655,672603,IOWA,2017,January,Ice Storm,"FRANKLIN",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672604,IOWA,2017,January,Ice Storm,"BUTLER",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672605,IOWA,2017,January,Ice Storm,"BLACK HAWK",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672606,IOWA,2017,January,Ice Storm,"WEBSTER",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672607,IOWA,2017,January,Ice Storm,"HAMILTON",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672619,IOWA,2017,January,Ice Storm,"POLK",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672620,IOWA,2017,January,Ice Storm,"JASPER",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672621,IOWA,2017,January,Ice Storm,"CASS",2017-01-15 17:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672622,IOWA,2017,January,Ice Storm,"ADAIR",2017-01-15 17:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672623,IOWA,2017,January,Ice Storm,"MADISON",2017-01-15 17:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672937,IOWA,2017,January,Ice Storm,"BREMER",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672939,IOWA,2017,January,Ice Storm,"WRIGHT",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672940,IOWA,2017,January,Ice Storm,"POWESHIEK",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672941,IOWA,2017,January,Ice Storm,"CRAWFORD",2017-01-15 21:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112655,672942,IOWA,2017,January,Ice Storm,"SAC",2017-01-15 22:00:00,CST-6,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As high pressure moved eastward out of the region, southerly flow returned bringing with it a surge of moisture and opportunities for precipitation. Temperature profiles were such that a widespread ice storm was likely across large portions of central and western Iowa. Reported ice amounts on surfaces generally ranged from around a tenth of an inch across many areas of the state to a quarter inch or a bit more through areas from Waterloo to Fort Dodge and down through Carroll, Ames, Des Moines and on towards the Missouri border.","" +112674,672888,IOWA,2017,January,Winter Storm,"EMMET",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672889,IOWA,2017,January,Winter Storm,"PALO ALTO",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672891,IOWA,2017,January,Winter Storm,"KOSSUTH",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672893,IOWA,2017,January,Winter Storm,"WINNEBAGO",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672896,IOWA,2017,January,Winter Storm,"WORTH",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672897,IOWA,2017,January,Winter Storm,"CERRO GORDO",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112674,672894,IOWA,2017,January,Winter Storm,"HANCOCK",2017-01-24 16:00:00,CST-6,2017-01-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the Rockies and moved into the plains of eastern Colorado and western Kansas early on the 24th and slowly progressed primarily eastward through Kansas. Eventually the system took a more northeasterly route across northern Missouri and southeast Iowa, traversing those areas relatively quickly during the first half of the 25th. All the while, snow developed north of the warm front and produced moderate snowfall across much of northern Iowa from the afternoon of the 24th and into the afternoon of the 25th before eventually pulling out of the area. As the low pulled out on the 25th, snow on the backside of the low spread across a majority of the state, through totals from central Iowa and southward were primarily 4 inches to less than an inch at the Missouri border. Back in the heavier snows of northern Iowa, total snowfall ranged from as much as 14 inches around Mason City to 12 inches in Estherville, then dropping to around 6 to 8 inches by Fort Dodge.","" +112715,673027,WASHINGTON,2017,January,High Wind,"WESTERN WHATCOM COUNTY",2017-01-17 11:11:00,PST-8,2017-01-17 23:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was high wind on the central coast and over the northwest interior.","A Bellingham CWOP recorded 46 mph gusting to 62 mph off and on for most of the day. Sandy Point Shores recorded 39g60 mph for awhile. Ferndale had a 75 mph gust. KBLI recorded 41g52 mph with a peak gust of 58 mph." +112699,672877,OKLAHOMA,2017,January,Ice Storm,"TEXAS",2017-01-14 18:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported, especially in Beaver County where 40 million dollars worth of damage was reported with 1 injury and 1 fatality reported during the reconstruction of electrical lines.","" +112733,673245,MICHIGAN,2017,January,High Wind,"LAPEER",2017-01-10 18:00:00,EST-5,2017-01-10 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through southeast Michigan, with post frontal winds causing multiple trees to come down in Lapeer and surrounding towns in Lapeer County.","" +112699,673097,OKLAHOMA,2017,January,Ice Storm,"BEAVER",2017-01-14 17:11:00,CST-6,2017-01-15 12:00:00,0,1,0,1,40.00M,40000000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported, especially in Beaver County where 40 million dollars worth of damage was reported with 1 injury and 1 fatality reported during the reconstruction of electrical lines.","" +111772,666599,NEW MEXICO,2017,January,Winter Storm,"SOUTH CENTRAL MOUNTAINS",2017-01-15 08:00:00,MST-7,2017-01-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Snowfall amounts in the lower elevations of the Sacramento Mountains were generally less than 3 inches with little impact to travel. High terrain areas above 9,000 feet picked up as much as 14 inches with difficult travel conditions reported." +112982,675130,NORTH CAROLINA,2017,January,Winter Storm,"GASTON",2017-01-06 22:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the North Carolina Piedmont throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By daybreak on the 7th, locations across far northern Gaston, Mecklenburg, and Cabarrus Counties had received as much as 5 inches of snow, while locations near the South Carolina border were just beginning to transition to sleet. By the time the prcipitation had tapered off to flurries during late morning, mostly snow had fallen near the Iredell, Rowan, and Lincoln County lines, and total accumulations there ranged from 4 to 6 inches. Meanwhile, locations from Gastonia, through Uptown Charlotte to Concord saw quite a bit of sleet, with total accumulations of sleet and snow ranging from 1 to 3 inches. Locations closer to the South Carolina border saw primarily sleet and rain, with some sleet accumulations as high as one half inch.","" +112982,675131,NORTH CAROLINA,2017,January,Winter Storm,"CABARRUS",2017-01-06 22:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the North Carolina Piedmont throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By daybreak on the 7th, locations across far northern Gaston, Mecklenburg, and Cabarrus Counties had received as much as 5 inches of snow, while locations near the South Carolina border were just beginning to transition to sleet. By the time the prcipitation had tapered off to flurries during late morning, mostly snow had fallen near the Iredell, Rowan, and Lincoln County lines, and total accumulations there ranged from 4 to 6 inches. Meanwhile, locations from Gastonia, through Uptown Charlotte to Concord saw quite a bit of sleet, with total accumulations of sleet and snow ranging from 1 to 3 inches. Locations closer to the South Carolina border saw primarily sleet and rain, with some sleet accumulations as high as one half inch.","" +112982,675132,NORTH CAROLINA,2017,January,Winter Storm,"MECKLENBURG",2017-01-06 22:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the North Carolina Piedmont throughout the 6th. As cold air gradually spilled in from the north, precipitation slowly transitioned from rain to sleet and snow. By daybreak on the 7th, locations across far northern Gaston, Mecklenburg, and Cabarrus Counties had received as much as 5 inches of snow, while locations near the South Carolina border were just beginning to transition to sleet. By the time the prcipitation had tapered off to flurries during late morning, mostly snow had fallen near the Iredell, Rowan, and Lincoln County lines, and total accumulations there ranged from 4 to 6 inches. Meanwhile, locations from Gastonia, through Uptown Charlotte to Concord saw quite a bit of sleet, with total accumulations of sleet and snow ranging from 1 to 3 inches. Locations closer to the South Carolina border saw primarily sleet and rain, with some sleet accumulations as high as one half inch.","" +113181,677026,NORTH CAROLINA,2017,January,Cold/Wind Chill,"MACON",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +113181,677028,NORTH CAROLINA,2017,January,Cold/Wind Chill,"MITCHELL",2017-01-07 22:00:00,EST-5,2017-01-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds ushering in an arctic air mass to the southern Appalachians combined with a snowpacked ground to produce frigid temperatures and low wind chill values across the North Carolina mountains on the night of the 7th through the morning of the 8th. By daybreak on the 8th, air temperatures were in the single digits and lower teens across the mountains valleys, while the high peaks and ridge tops saw temperatures below 0. Valley wind chill values ranged from around 0 to -10 across the southern and central mountains, and from -5 to -15 from the French Broad Valley north. The high peaks and ridge tops likely saw wind chill values of -30 or lower at times. Although temperatures warmed slightly and winds abated during the day, conditions remained unseasonably cold across the mountains for a couple of days. Even some valley locations did not warm above freezing until the afternoon of the 10th.","" +112803,674129,IOWA,2017,January,Heavy Snow,"CLAYTON",2017-01-24 17:35:00,CST-6,2017-01-25 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 9 inches of heavy, wet snow across Clayton County. The higher totals were generally across the northern half of the county. The highest reported total was 9.8 inches in Monona." +112803,674151,IOWA,2017,January,Heavy Snow,"HOWARD",2017-01-24 17:36:00,CST-6,2017-01-25 21:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 6 to 8 inches of heavy, wet snow fell across Howard County. The highest reported total was 8 inches in Elma." +112803,674146,IOWA,2017,January,Heavy Snow,"FLOYD",2017-01-24 17:35:00,CST-6,2017-01-25 21:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 10 to 14 inches of heavy, wet snow fell across Floyd County. The highest reported total was 14 inches in Charles City." +113069,676222,IOWA,2017,January,Winter Weather,"ALLAMAKEE",2017-01-16 01:55:00,CST-6,2017-01-16 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Allamakee County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111753,666542,IOWA,2017,January,Winter Weather,"OSCEOLA",2017-01-16 04:00:00,CST-6,2017-01-16 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Sibley reported 0.20 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +111765,666559,NEW MEXICO,2017,January,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-01-09 10:00:00,MST-7,2017-01-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream that stretched across a vast portion of the eastern Pacific Ocean surged into the southwest United States and created periodic high winds for several days. The first round brought high winds to the area from the northern mountains across the adjacent east slopes and the high plains. Sustained winds of 40 to 50 mph with gusts between 60 and 70 mph were common.","Peak wind gust to 81 mph at Kachina Peak." +112734,673257,NEBRASKA,2017,February,Winter Weather,"CUMING",2017-02-07 22:30:00,CST-6,2017-02-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall was observed across the county. A measured 5 inches was recorded in West Point." +112734,673258,NEBRASKA,2017,February,Winter Weather,"BURT",2017-02-07 23:00:00,CST-6,2017-02-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall fell across the county. Generally 3 to 5 inches were observed." +112734,673259,NEBRASKA,2017,February,Winter Weather,"WASHINGTON",2017-02-07 23:00:00,CST-6,2017-02-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall fell across the county. Generally 3 to 5 inches were observed including a measured 4 inches in Blair." +112734,676410,NEBRASKA,2017,February,Winter Weather,"DODGE",2017-02-07 23:00:00,CST-6,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall fell across the county with generally amounts of 3 to 5 inches observed." +111698,666300,CALIFORNIA,2017,January,Winter Storm,"NORTHEAST SISKIYOU AND NORTHWEST MODOC COUNTIES",2017-01-03 19:00:00,PST-8,2017-01-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","The cooperative observer at Tulelake reported 12.0 inches of snow in 24 hours as of 04/1900 PST." +112038,668140,CALIFORNIA,2017,January,Flood,"MODOC",2017-01-08 21:00:00,PST-8,2017-01-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1895,-120.9275,41.4613,-120.8221,"Heavy rain and snow fell on areas where heavy snow was already on the ground, and drainage issues led to flooding on creeks in the area.","At 08/2102 PST, law enforcement and spotters reported flooding near Adin California. Water was flowing across streets and into some homes. Flooding was also reported on the highway between Alturas and Canby and on highway 395 1SSW of Davis Creek. One to two inches of rain fell over the area this day onto heavy snow already on the ground. The snow clogged drains and other outlets, leading to flooding on Ash Creek and Dry Creek. A mudslide on highway 299 at Adin Pass reduced the road to one lane." +112038,668141,CALIFORNIA,2017,January,Flood,"SISKIYOU",2017-01-08 09:18:00,PST-8,2017-01-08 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.4479,-122.3108,41.5579,-122.3712,"Heavy rain and snow fell on areas where heavy snow was already on the ground, and drainage issues led to flooding on creeks in the area.","Caltrans reported water blocking portions of Highway 97. A rock slide was also blocking most of Highway 96 two miles upriver from Beaver Creek." +112044,668175,CALIFORNIA,2017,January,High Wind,"CENTRAL SISKIYOU COUNTY",2017-01-17 22:49:00,PST-8,2017-01-18 00:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming storm brought high winds to the Shasta Valley in northern California.","The Weed Airport RAWS recorded a gust to 60 mph at 17/2348 and a gust to 62 mph at 18/0048 PST." +112050,668219,OREGON,2017,January,Flood,"CURRY",2017-01-19 00:15:00,PST-8,2017-01-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-123.9,42.74,-123.75,"Heavy precipitation combined with snowmelt brought the Rogue River at Agness above flood stage.","The Rogue River at Agness rose above flood stage (17.0 feet) at 19/0015 PST. The river crested at 19.36 feet at 19/0715 PST. The river fell below flood stage at 19/1800 PST." +111698,666297,CALIFORNIA,2017,January,Winter Storm,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-01-03 10:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two fronts combined with an usually cold air mass already in place to bring heavy snow to many portions of northern California. This storm had an unusually severe impact due to the low snow levels, all the way down into the deepest valleys. Some areas that usually only get a few inches of snow in a season got as much as two feet over several days. There were numerous reports of power outages and tree damage. Traffic along major highways, including Interstate 5, was shut down at times, and there were numerous traffic accidents. Many people were stranded on the roads or in their homes. There were widespread school closures, many closed for the entire week.","A spotter in Tennant reported 14.0 inches of snow in 24 hours as of 04/0800 PST." +111742,666432,LOUISIANA,2017,January,Winter Weather,"LA SALLE",2017-01-06 08:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass began to spill southward across East Texas and North Louisiana during the evening hours on January 5th, ahead of a shortwave trough that translated east through the Rockies and across Oklahoma/the Red River Valley during the morning hours on January 6th. Warmer air overrunning the arctic front across portions of Deep East Texas and much of Northcentral Louisiana resulting in areas of light sleet, mixing with freezing rain and light snow during the morning and afternoon of the 6th. Surface temperatures remained near or slightly below freezing, which resulted in freezing rain accumulations of around a tenth of an inch, with sleet accumulations of around a quarter inch or less. This resulted in the development of icing on bridges and overpasses across the southern and eastern sections of Northcentral Louisiana, resulting in hazardous travel conditions mainly south and east of a Converse, to Goldonna, to Jonesboro and West Monroe line.","" +112114,668663,TEXAS,2017,January,Drought,"UPSHUR",2017-01-01 00:00:00,CST-6,2017-01-02 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across Southwest Cass, Southern Morris, Northeast Upshur, and Western Marion Counties in Northeast Texas to start January 2017. However, widespread rainfall amounts of a half inch to an inch fell across this area during the final week of December, which resulted in drought conditions improving to moderate (D1) with the first U.S. Drought Monitor issuance of 2017. Additional improvement occurred across the moderate drought areas during mid-January, where widespread rainfall amounts of three to in excess of four inches fell. This eliminated drought conditions here by the third week of the month.","" +112114,668662,TEXAS,2017,January,Drought,"MORRIS",2017-01-01 00:00:00,CST-6,2017-01-02 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across Southwest Cass, Southern Morris, Northeast Upshur, and Western Marion Counties in Northeast Texas to start January 2017. However, widespread rainfall amounts of a half inch to an inch fell across this area during the final week of December, which resulted in drought conditions improving to moderate (D1) with the first U.S. Drought Monitor issuance of 2017. Additional improvement occurred across the moderate drought areas during mid-January, where widespread rainfall amounts of three to in excess of four inches fell. This eliminated drought conditions here by the third week of the month.","" +112114,668664,TEXAS,2017,January,Drought,"MARION",2017-01-01 00:00:00,CST-6,2017-01-02 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across Southwest Cass, Southern Morris, Northeast Upshur, and Western Marion Counties in Northeast Texas to start January 2017. However, widespread rainfall amounts of a half inch to an inch fell across this area during the final week of December, which resulted in drought conditions improving to moderate (D1) with the first U.S. Drought Monitor issuance of 2017. Additional improvement occurred across the moderate drought areas during mid-January, where widespread rainfall amounts of three to in excess of four inches fell. This eliminated drought conditions here by the third week of the month.","" +112323,672749,MASSACHUSETTS,2017,January,Drought,"WESTERN FRANKLIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in southwestern Franklin County through the month of January." +112323,672750,MASSACHUSETTS,2017,January,Drought,"EASTERN FRANKLIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation for much of eastern Franklin County through the month of January. The U.S. Drought Monitor had extreme Drought (D3) in the vicinity of Leverett and Shutesbury until January 3, then Severe Drought (D2) for the remainder of the month." +112208,669082,NEW YORK,2017,January,Strong Wind,"NORTHERN SARATOGA",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669083,NEW YORK,2017,January,Strong Wind,"SOUTHERN WASHINGTON",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669084,NEW YORK,2017,January,Strong Wind,"SOUTHERN SARATOGA",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112992,675251,CALIFORNIA,2017,January,Flood,"MONTEREY",2017-01-10 21:15:00,PST-8,2017-01-10 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8437,-121.7425,36.8434,-121.7421,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Kirby Rd at Elkhorn Rd. Part of road washed away." +111451,664972,TEXAS,2017,January,Winter Weather,"MOTLEY",2017-01-05 20:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A longwave trough brought widespread light snowfall accumulations to the region. Snow began on the evening of the fifth in the extreme southern Texas Panhandle then spread to the remainder of the South Plains and Rolling Plains during the morning hours of the sixth. As a result, the extreme southern Texas Panhandle saw the highest snowfall accumulations which were generally between two and three inches. The snowfall led to several car accidents in the city of Lubbock. Elsewhere, snowfall ranged from a trace to two inches.||Snowfall totals are listed below:||3.8 inches Childress 7NW (Childress County), 3.0 inches Turkey (Hall County), 3.0 inches Friona (Parmer County), 2.3 inches Tulia (Swisher County), 2.0 inches Dimmitt and Hart (Castro County), 2.0 inches Kirkland 1W (Childress County), 2.0 inches Northfield (Motley County), 1.5 inches Slaton and WFO Lubbock (Lubbock County), 1.5 inches Roaring Springs (Motley County), 1.5 inches Ropesville 6NNW (Hockley County), and 1.5 inches Muleshoe Wildlife Refuge (Bailey County).","" +111679,676758,NORTH DAKOTA,2017,January,Winter Storm,"WESTERN WALSH",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676759,NORTH DAKOTA,2017,January,Winter Storm,"NELSON",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113267,677734,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-23 12:28:00,PST-8,2017-01-23 12:28:00,0,0,0,0,0.00K,0,0.00K,0,36.4503,-119.1305,36.4509,-119.1252,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported roadway flooding on Avenue 364 near Road 200 intersection south of Elderwood." +113267,677740,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-23 12:41:00,PST-8,2017-01-23 12:41:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-119.21,36.3296,-119.2046,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported roadway flooding with 1 to 2 feet of water at off ramp of State Route 198 near Avenue 296 in Cameron Creek Colony area." +113267,677745,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-23 13:34:00,PST-8,2017-01-23 13:34:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-119.15,36.47,-119.1627,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported roadway flooding near State Route 201 and Piedra Avenue west of Elderwood." +113267,677752,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-23 14:54:00,PST-8,2017-01-23 14:54:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-119,36.1543,-118.9991,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported mud in road from heavy rainfall near Road 256 and 7th Avenue east of Strathmore." +113267,677760,CALIFORNIA,2017,January,Flood,"KERN",2017-01-23 15:15:00,PST-8,2017-01-23 15:15:00,0,0,0,0,0.00K,0,0.00K,0,35.79,-119.21,35.7917,-119.2098,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","California Highway Patrol reported roadway flooding near Avenue O and Veneto Street in Delano." +113263,678017,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-31 07:22:00,PST-8,2017-01-31 07:22:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","California Highway Patrol reported dense fog caused multiple vehicle collisions with at least 40 vehicles involved on northbound Highway 41 at eastbound highway 198 junction in Kings County. No injuries were reported." +120457,721700,OHIO,2017,September,Hail,"CRAWFORD",2017-09-04 21:48:00,EST-5,2017-09-04 21:48:00,0,0,0,0,0.00K,0,0.00K,0,40.7795,-83.007,40.7795,-83.007,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Penny sized hail was observed." +120457,721701,OHIO,2017,September,Thunderstorm Wind,"WAYNE",2017-09-04 21:36:00,EST-5,2017-09-04 21:36:00,0,0,0,0,10.00K,10000,0.00K,0,40.97,-81.68,40.97,-81.68,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Thunderstorm winds downed several trees." +120457,721704,OHIO,2017,September,Hail,"LUCAS",2017-09-04 18:15:00,EST-5,2017-09-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.7169,-83.5129,41.7169,-83.5129,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","Quarter sized hail was reported." +112357,673358,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:34:00,EST-5,2017-01-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,30.4785,-84.2366,30.4785,-84.2366,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2052 Capital Circle NE." +112357,673359,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:35:00,EST-5,2017-01-22 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.4435,-84.2353,30.4435,-84.2353,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near Polos On Park." +112357,673360,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:35:00,EST-5,2017-01-22 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.485,-84.2437,30.485,-84.2437,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near Potts Road at Noble Drive." +112357,673361,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:36:00,EST-5,2017-01-22 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.516,-84.224,30.516,-84.224,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2700 Donovan Drive." +112357,673362,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:36:00,EST-5,2017-01-22 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.5081,-84.2126,30.5081,-84.2126,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 3506 Colonnade." +112357,673364,FLORIDA,2017,January,Thunderstorm Wind,"WALTON",2017-01-21 10:31:00,CST-6,2017-01-21 10:31:00,0,0,0,0,0.00K,0,0.00K,0,30.7482,-86.0644,30.7482,-86.0644,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down onto a power line on Spring Lake Road." +112357,673365,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 06:05:00,EST-5,2017-01-22 06:05:00,0,0,0,0,0.00K,0,0.00K,0,30.6581,-84.3961,30.6581,-84.3961,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down on McBride Ct." +112357,673366,FLORIDA,2017,January,Thunderstorm Wind,"GADSDEN",2017-01-22 06:13:00,EST-5,2017-01-22 06:13:00,0,0,0,0,0.00K,0,0.00K,0,30.6409,-84.4359,30.6409,-84.4359,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees were blown down on Salem Road." +112217,669136,HAWAII,2017,January,High Surf,"BIG ISLAND NORTH AND EAST",2017-01-04 09:00:00,HST-10,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell in combination with locally generated wind waves caused surf of 6 to 8 feet along the east-facing shores of the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +112217,669137,HAWAII,2017,January,High Surf,"SOUTH BIG ISLAND",2017-01-04 09:00:00,HST-10,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell in combination with locally generated wind waves caused surf of 6 to 8 feet along the east-facing shores of the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +112218,669146,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-07 10:00:00,HST-10,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north-northeast swell generated surf of 5 to 9 feet along the east-facing shores of Oahu. No serious property damage or injuries were reported.","" +112218,669147,HAWAII,2017,January,High Surf,"OLOMANA",2017-01-07 10:00:00,HST-10,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north-northeast swell generated surf of 5 to 9 feet along the east-facing shores of Oahu. No serious property damage or injuries were reported.","" +111631,676791,NORTH DAKOTA,2017,January,Blizzard,"TOWNER",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +113263,678109,CALIFORNIA,2017,January,Dense Fog,"E CENTRAL S.J. VALLEY",2017-01-31 00:25:00,PST-8,2017-01-31 07:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0025 PST and 0755 PST the Merced Regional Airport (KMCE) ASOS reported visibility less than 1/4 mile." +113263,678110,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-31 01:50:00,PST-8,2017-01-31 10:56:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0150 PST and 1056 PST the Lemoore Naval Air Station (KNLC) ASOS reported visibility less than 1/4 mile." +113263,678111,CALIFORNIA,2017,January,Dense Fog,"SW S.J. VALLEY",2017-01-30 07:38:00,PST-8,2017-01-30 07:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","At 0738 PST the Lemoore Naval Air Station (KNLC) ASOS reported visibility less than 1/4 mile." +113149,676725,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"SCOTTS BLUFF",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 15 to 20 mph combined with temperatures of -15 to -25 degrees produced wind chill values between -30 and -45 degrees.","Sustained wind speeds of 10 to 15 mph combined with temperatures of -20 to -25 degrees produced wind chill values between -35 and -45 degrees." +113149,676726,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"CHEYENNE",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 15 to 20 mph combined with temperatures of -15 to -25 degrees produced wind chill values between -30 and -45 degrees.","Sustained wind speeds of 15 to 20 mph combined with temperatures of -15 to -20 degrees produced wind chill values between -35 and -45 degrees." +113149,676727,NEBRASKA,2017,January,Extreme Cold/Wind Chill,"DAWES",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 15 to 20 mph combined with temperatures of -15 to -25 degrees produced wind chill values between -30 and -45 degrees.","Sustained wind speeds of 15 to 20 mph combined with temperatures of -10 to -15 degrees produced wind chill values between -30 and -40 degrees." +113195,677150,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-17 10:50:00,MST-7,2017-01-17 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periodic high gap winds developed between Chugwater and Wheatland.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +112687,672815,IDAHO,2017,January,Heavy Snow,"SOUTH CENTRAL HIGHLANDS",2017-01-03 21:00:00,MST-7,2017-01-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell in the southern highlands of Idaho along with the Eastern Magic Valley and Lower Snake River Plain. Amounts ranged from 6 to 20 inches across the region with many travel issues encountered.","A wet and powerful winter storm dropped very heavy snow in the South Central Highlands. Amounts reported by spotters and COOP observers were the following: 9 inches in Malta, 14 inches in Oakley, and 15 inches in Malad City. All Cassia County schools were closed on the 4th. The Howell Canyon SNOTEL had 12 inches." +118252,710628,IOWA,2017,June,Hail,"PAGE",2017-06-28 15:34:00,CST-6,2017-06-28 15:34:00,0,0,0,0,,NaN,,NaN,40.83,-95.3,40.83,-95.3,"During the afternoon hours of the 28th supercell thunderstorms developed over southwest Iowa causing two confirmed tornadoes and reports of large hail. These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","A train storm spotter reported golf ball to tennis ball sized hail that cracked house siding and severely dented vehicles." +112454,670596,ILLINOIS,2017,January,Winter Weather,"HAMILTON",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670597,ILLINOIS,2017,January,Winter Weather,"WAYNE",2017-01-13 07:00:00,CST-6,2017-01-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112522,671084,INDIANA,2017,January,Strong Wind,"PIKE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across southwest Indiana. Localized power outages were reported on the west side of the city of Evansville due to high winds. A tree downed a power line on the northwest side of Evansville. The highest wind gust at the Evansville airport was 49 mph. Measured gusts at other sites were under 45 mph. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112454,670605,ILLINOIS,2017,January,Winter Weather,"POPE",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670606,ILLINOIS,2017,January,Winter Weather,"HARDIN",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113206,678512,WASHINGTON,2017,January,Ice Storm,"EASTERN COLUMBIA RIVER GORGE",2017-01-17 14:30:00,PST-8,2017-01-18 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .5 inches, 1 mile west-northwest of White Salmon in Klickitat county." +113206,678514,WASHINGTON,2017,January,Ice Storm,"KITTITAS VALLEY",2017-01-17 15:00:00,PST-8,2017-01-18 22:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .5 inches, 4 miles south-southwest of Kittitas in Kittitas county." +113206,678515,WASHINGTON,2017,January,Ice Storm,"YAKIMA VALLEY",2017-01-17 15:00:00,PST-8,2017-01-18 22:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .38 inches at Toppenish, in Yakima county." +113206,678518,WASHINGTON,2017,January,Ice Storm,"SIMCOE HIGHLANDS",2017-01-17 15:00:00,PST-8,2017-01-18 22:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .25 inches at Bickleton, in Klickitat county." +113206,678527,WASHINGTON,2017,January,Ice Storm,"LOWER COLUMBIA BASIN",2017-01-17 17:00:00,PST-8,2017-01-18 14:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .25 inches at Prosser, in Benton county." +113205,678536,OREGON,2017,January,Ice Storm,"EASTERN COLUMBIA RIVER GORGE",2017-01-17 14:30:00,PST-8,2017-01-18 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Accumulated ice of .25 inches in Wasco county Oregon, 3 miles southwest of Lyle WA." +113205,678547,OREGON,2017,January,Ice Storm,"LOWER COLUMBIA BASIN",2017-01-17 16:00:00,PST-8,2017-01-18 14:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Accumulated ice of .25 inches at Hermiston, in Umatilla county." +113205,678564,OREGON,2017,January,Ice Storm,"SOUTHERN BLUE MOUNTAINS",2017-01-17 19:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Accumulated ice of .5 inches at Ukiah, in Umatilla county. Changed to light snow during mid morning on the 18th." +113205,678566,OREGON,2017,January,Ice Storm,"OCHOCO-JOHN DAY HIGHLANDS",2017-01-17 18:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Total accumulated ice of .5 inches at Seneca in Grant county by 10 AM of the 18th. Changed to periods of light rain with snow and ice above 5000 feet." +113205,678572,OREGON,2017,January,Ice Storm,"WALLOWA COUNTY",2017-01-17 23:00:00,PST-8,2017-01-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Total accumulated ice of .5 inches, 2 miles south of Lostine in Wallowa county, between 4 and 9 AM on the morning of the 18th. Periods of light snow before and after this time frame, continuing into the morning of the 19th." +113058,676281,MISSISSIPPI,2017,January,Thunderstorm Wind,"SCOTT",2017-01-21 21:07:00,CST-6,2017-01-21 21:07:00,0,0,0,0,4.00K,4000,0.00K,0,32.3039,-89.6665,32.3039,-89.6665,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A tree was blown down across Springfield Road near the intersection of Highway 13 South." +113058,676282,MISSISSIPPI,2017,January,Hail,"LAMAR",2017-01-21 21:10:00,CST-6,2017-01-21 21:10:00,0,0,0,0,0.00K,0,0.00K,0,31.14,-89.41,31.14,-89.41,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +113058,676283,MISSISSIPPI,2017,January,Hail,"FORREST",2017-01-21 21:15:00,CST-6,2017-01-21 21:15:00,0,0,0,0,0.00K,0,0.00K,0,31.17,-89.22,31.17,-89.22,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","" +113058,676284,MISSISSIPPI,2017,January,Hail,"SCOTT",2017-01-21 21:08:00,CST-6,2017-01-21 21:30:00,0,0,0,0,3.00K,3000,0.00K,0,32.3244,-89.7242,32.5057,-89.4347,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A swath of hail fell, including quarter size hail in Morton and golfball size hail near the intersection of Highway 35 and Old Jackson Road in the Hillsboro community." +112540,671395,PENNSYLVANIA,2017,January,High Wind,"CRAWFORD",2017-01-10 22:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across western Pennsylvania during the late evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northwestern Pennsylvania. The damage was the most concentrated near Lake Erie. A peak wind gust of 68 mph was measured at the Erie Airport. At the peak of the storm, several thousand homes were without power. Most of the outages were near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed many trees, limbs and power lines. Some power outages were reported." +112540,671393,PENNSYLVANIA,2017,January,High Wind,"NORTHERN ERIE",2017-01-10 20:00:00,EST-5,2017-01-11 01:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across western Pennsylvania during the late evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northwestern Pennsylvania. The damage was the most concentrated near Lake Erie. A peak wind gust of 68 mph was measured at the Erie Airport. At the peak of the storm, several thousand homes were without power. Most of the outages were near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed many trees, limbs and power lines in northern Erie County. Several thousand homes lost power. The outages were heavily concentrated near Lake Erie and it took nearly 24 hours for power to be fully restored. Interstate 90 between Exits 3 and 6 had to be closed for about four hours beginning around midnight on the 11th because of downed lines and debris on the road surface." +114810,688604,TEXAS,2017,April,Hail,"TARRANT",2017-04-02 00:37:00,CST-6,2017-04-02 00:37:00,0,0,0,0,0.00K,0,0.00K,0,32.97,-97.35,32.97,-97.35,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","A social media report indicated quarter-sized hail in the city of Haslet, TX." +111465,665485,PENNSYLVANIA,2017,January,Winter Weather,"MONROE",2017-01-05 20:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system moving in from the northwest, combined with cold temperatures and a secondary low moving northeast along the coast, gave eastern portions of the Keystone State it's first general snowfall of the season. The snow started after the evening commute on Thursday, January 5th, and ended before the morning commute on Friday, January 6th, so negative impacts from this event were minimal. In addition, the snow was light and fluffy, which greatly eased the removal process and roadway pre-treatment prevented accumulation on the major highways. A number of school districts around the area opened late on Friday morning.","Generally less than one-half inch of snow fell from this event with 0.5 inches in Tobyhanna and 0.3 inches in Mount Pocono." +111517,665236,ALASKA,2017,January,High Wind,"CAPE FAIRWEATHER TO CAPE SUCKLING COASTAL AREA",2017-01-06 03:00:00,AKST-9,2017-01-09 10:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Extremely strong arctic high pressure build into the Yukon on 1/5 and persisted well over a week. This pushed blasts of cold air through gaps in terrain for all passes along the North Gulf Coast and the Taku wind area for Downtown Juneau and Douglas. Damage was reported all over Downtown Juneau, Douglas, and Thane.","Yakutat Airport had a peak wind of 50 mph on 1/6 at 0954 and a peak of 52 mph at 0156 on 1/7. Wind chill was in the minus 30s (-30F). So, those are extreme for the airport. Estimated wind 100 mph or more for the Dangerous River outflow. No damage |reported so far." +111517,665237,ALASKA,2017,January,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-01-06 03:00:00,AKST-9,2017-01-09 10:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Extremely strong arctic high pressure build into the Yukon on 1/5 and persisted well over a week. This pushed blasts of cold air through gaps in terrain for all passes along the North Gulf Coast and the Taku wind area for Downtown Juneau and Douglas. Damage was reported all over Downtown Juneau, Douglas, and Thane.","There were numerous reports of damage. Peak winds at several sensors were between 85 and 110 mph. Here is a catalog of incidents: Juneau AML peak wind 85mph at 1330 Friday, South Douglas boat harbor (NWS employee estimated) wind gust around 80mph at 1300 Friday, Point Bishop measured a wind gusts to 66mph at 1330 Friday, Juneau federal building measured a peak wind of 78mph at 1606 Friday, Juneau library wind sensor measured a peak wind gust of 94 mph at 1645 Friday, Vinyl siding blew off a hotel in downtown Juneau and is flying around, reported at 0500 Saturday. A shack was blown into the center of a street in downtown Juneau, reported at 0500 Saturday. A trampoline flipped over and hit a shed, causing minor damage, reported at 0500 Saturday. Glass door on State Office Building in JNU broken per KTOO Tweet. Caller from Douglas heard a number of cars parked at boat harbor had windows knocked out. AEL&P reported power outage out the road Friday night due to tree down on 5200 block of Thane Road. Hit old trailer and car. Another tree down across Thane Road, no damage. JNU Empire reports a house on Telegraph Hill Downtwon and two windows broken. Another house in Douglas had a skylight ripped off the roof." +115032,690570,MISSISSIPPI,2017,April,Tornado,"HOLMES",2017-04-30 08:42:00,CST-6,2017-04-30 08:45:00,0,0,0,0,30.00K,30000,0.00K,0,33.136,-89.8272,33.1663,-89.789,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down just south of County Road 69 and as it tracked north-northeast, it crossed Highway 51. Through the length of its path, it downed softwood and hardwood trees. It finally lifted east of Highway 51, near the railroad. The maximum estimated wind speed with this tornado was 100 mph." +121162,725331,OKLAHOMA,2017,October,Hail,"COMANCHE",2017-10-21 17:20:00,CST-6,2017-10-21 17:20:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-98.51,34.76,-98.51,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725332,OKLAHOMA,2017,October,Hail,"KIOWA",2017-10-21 17:43:00,CST-6,2017-10-21 17:43:00,0,0,0,0,0.00K,0,0.00K,0,34.69,-98.95,34.69,-98.95,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725333,OKLAHOMA,2017,October,Thunderstorm Wind,"CADDO",2017-10-21 18:15:00,CST-6,2017-10-21 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-98.3,34.92,-98.3,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +112454,670592,ILLINOIS,2017,January,Winter Weather,"ALEXANDER",2017-01-13 07:00:00,CST-6,2017-01-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112337,669785,WYOMING,2017,January,Winter Storm,"STAR VALLEY",2017-01-07 17:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell throughout the Star Valley. The highest amounts were in the north and in the higher elevations where 29 inches fell at the Star Valley Ranch and 25 inches fell at Alpine. Further south, there was much less around Afton where the snow mixed and changed to rain for a time, limiting accumulation somewhat." +111939,667590,WISCONSIN,2017,January,Winter Weather,"GREEN LAKE",2017-01-10 07:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain, snow, and sleet." +111939,667592,WISCONSIN,2017,January,Winter Weather,"MARQUETTE",2017-01-10 07:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain, snow, and sleet." +111939,667593,WISCONSIN,2017,January,Winter Weather,"IOWA",2017-01-10 06:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667594,WISCONSIN,2017,January,Winter Weather,"DANE",2017-01-10 06:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667596,WISCONSIN,2017,January,Winter Weather,"WAUKESHA",2017-01-10 06:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667597,WISCONSIN,2017,January,Winter Weather,"MILWAUKEE",2017-01-10 06:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667598,WISCONSIN,2017,January,Winter Weather,"RACINE",2017-01-10 05:45:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667599,WISCONSIN,2017,January,Winter Weather,"WALWORTH",2017-01-10 05:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Some icy roadways from freezing rain." +111939,667600,WISCONSIN,2017,January,Winter Weather,"ROCK",2017-01-10 05:30:00,CST-6,2017-01-10 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching warm front brought mainly freezing rain, and some sleet and snow to southern WI. Schools were delayed a couple hours in portions of south central WI. Some vehicle slide-offs and accidents occurred.","Widespread icy roadways from freezing rain." +111830,667030,NEW JERSEY,2017,January,High Wind,"WESTERN ATLANTIC",2017-01-23 14:00:00,EST-5,2017-01-23 14:00:00,2,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","A tree fell onto the top of a car in Galloway Twp on Pomona road." +111830,669941,NEW JERSEY,2017,January,Winter Weather,"MORRIS",2017-01-24 08:15:00,EST-5,2017-01-24 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","The highest Storm Total Snowfall in Morris County associated with the nor'easter was 1.5 inches in Green Pond, which was also mixed with sleet." +112026,668117,OREGON,2017,January,Ice Storm,"CENTRAL DOUGLAS COUNTY",2017-01-07 00:00:00,PST-8,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of strong storms brought some snow and freezing precipitation to southwest Oregon. Many motor vehicle collisions and power outages were reported.","A member of the public reported freezing precipitation in Roseburg. As of 07/0721 PST, an estimated 0.05 inches of ice was reported on powerlines. As of 07/0851 PST, 0.10 inches of accumulation was reported. A member of the public reported 0.25 inches of ice accumulation 4WNW Roseburg at 07/0901 PST. A member of the public reported 0.10 inches of ice accumulation in 9 hours 1WNW Sutherlin at 07/0920 PST." +112151,668846,INDIANA,2017,January,Winter Weather,"WARRICK",2017-01-05 05:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around two inches north of Interstate 64. Further south, accumulations were about an inch from Interstate 64 to the Ohio River. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways.","" +112150,668822,ILLINOIS,2017,January,Winter Weather,"JEFFERSON",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668823,ILLINOIS,2017,January,Winter Weather,"PERRY",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +111999,667862,SOUTH DAKOTA,2017,January,Winter Storm,"TURNER",2017-01-24 12:00:00,CST-6,2017-01-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 6 to 14 inches, including 14 inches 10 miles west southwest of Hurley. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667863,SOUTH DAKOTA,2017,January,Winter Storm,"LINCOLN",2017-01-24 12:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 6 to 12 inches, including 10 inches at Canton. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112150,668824,ILLINOIS,2017,January,Winter Weather,"WAYNE",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +111788,666772,NEW MEXICO,2017,January,Heavy Snow,"WEST CENTRAL MOUNTAINS",2017-01-20 13:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another slow-moving upper level low pressure system shifted east across New Mexico with abundant moisture and strong winds. Temperatures with this system were colder than the previous system so snow levels were lower and a much larger area of western New Mexico was impacted. Snowfall amounts average 10 to 15 inches in the high terrain of northern and western New Mexico. Lower terrain areas like Reserve, Gallup, Farmington, and Santa Fe even saw snowfall amounts ranging from 2 to 8 inches. Difficult to severe travel impacts were mainly confined to the higher terrain.","The Rice Park SNOTEL racked up 10 inches of snowfall. The remainder of the area saw between 2 and 6 inches of snowfall." +111999,667864,SOUTH DAKOTA,2017,January,Winter Storm,"BRULE",2017-01-24 10:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 6 to 12 inches, including 8.2 inches at Puckwanna. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing many roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +111999,667865,SOUTH DAKOTA,2017,January,Winter Storm,"AURORA",2017-01-24 11:00:00,CST-6,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow spread well into the area from south to north during the daylight hours of January 24th, and continued through the night and into the morning of January 25th. Winds of 20 to 30 mph created significant blowing and drifting of the snow, closing some roads. Numerous schools closed for the day or closed early on January 24th, and many also closed for the day or opened late on January 25th. Numerous businesses also closed. The snow accumulated as much as 18 inches near the Missouri River. While snow accumulations were generally less to the north of Interstate 90, the blowing and drifting there made travel extremely difficult in some areas.","Snow accumulated 5 to 8 inches, including 5 inches at White Lake, with higher amounts suspected in the southern part of the county. Winds of 20 to 30 mph caused significant blowing and drifting snow, closing several roads and causing school and business closings. The blowing and drifting continued to cause problems after snow accumulations had ended." +112150,668833,ILLINOIS,2017,January,Winter Weather,"GALLATIN",2017-01-05 04:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668835,ILLINOIS,2017,January,Winter Weather,"JOHNSON",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668836,ILLINOIS,2017,January,Winter Weather,"POPE",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668837,ILLINOIS,2017,January,Winter Weather,"HARDIN",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668839,ILLINOIS,2017,January,Winter Weather,"PULASKI",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112150,668840,ILLINOIS,2017,January,Winter Weather,"MASSAC",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were from one to two inches north of a line from Carbondale to Marion and Harrisburg. Further south, accumulations were closer to one-half inch south of that line. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112153,668865,MISSOURI,2017,January,Winter Weather,"CARTER",2017-01-05 06:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were around an inch north of a line from Marble Hill to Cape Girardeau. Further south, accumulations were closer to one-half inch. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112211,669107,NORTH CAROLINA,2017,January,Heavy Snow,"CHEROKEE",2017-01-06 22:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 6 inches was measured six miles northwest of Murphy." +112743,673398,ALASKA,2017,January,Heavy Snow,"UPPER KOBUK AND NOATAK VLYS",2017-01-01 14:55:00,AKST-9,2017-01-03 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112743,673487,ALASKA,2017,January,Coastal Flood,"ERN NORTON SOUND NULATO HILLS",2017-01-01 00:00:00,AKST-9,2017-01-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112743,673749,ALASKA,2017,January,Coastal Flood,"SRN SEWARD PENINSULA COAST",2017-01-01 00:00:00,AKST-9,2017-01-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112743,673805,ALASKA,2017,January,Coastal Flood,"ST LAWRENCE IS. BERING STRAIT",2017-01-01 00:00:00,AKST-9,2017-01-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112743,673788,ALASKA,2017,January,Coastal Flood,"CHUKCHI SEA COAST",2017-01-01 00:00:00,AKST-9,2017-01-02 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112743,673845,ALASKA,2017,January,Coastal Flood,"YUKON DELTA",2017-01-01 00:00:00,AKST-9,2017-01-01 21:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Back to back strong low pressure systems affected much of the state over several days from December 28th 2016 until January 2nd 2017. |Freezing rain in the Bristol bay area, strong wind, heavy snow and blizzard conditions for the west coast and interior as well as minor coastal flooding with higher than normal storm surges ( 5 to 9 feet) occurred along the southern Seward Peninsula over the course of several days. ||Strong southerly winds of 50 to 65 mph pushed sea ice on shore and water levels rose in several villages. Villages along Norton sound reported high surge values of 5 to 9 feet breaking up the ice near shore and pushing it up onto the land. High water on roads and near homes were reported in nome savoonga and unallakleet.|High winds damaged buildings in Kotzebue along with power outages.||Gambell runway on Saint Lawrence island received flooding and minor damage to lighting. Airport was closed. |Savoonga received power outages and over 30 homes had roofing damage. |Golovin old runway was inundated with water and half a foot from reaching lowest area of the village. |Boats reported missing at shishmaref.||Zones 211 and 212: Minor coastal flooding in Norton sound due to the water level rise and sea ice pushed into villages. Nome minor flooding of homes along belmont point. ||Zone 213: Coastal flooding of Gambell airport.||Zone 214: Coastal flooding in Kotlik||Zone 207: Minor coastal flooding near shishmaref. Boats reported lost.||Zone 217 - Blizzard conditions were observed at Noatak. Estimated snow fall of 1 to 2 feet in the mountains north of Ambler.","" +112812,674012,ALASKA,2017,January,Blizzard,"CENTRAL BEAUFORT SEA COAST",2017-01-04 12:24:00,AKST-9,2017-01-05 17:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure of 1055 mb over northwest alaska and low pressure trough over barrow created a strong pressure gradient east of barrow on January 4th. Strong winds and along with snow and blowing snow caused blizzard conditions from January 4th through the afternoon of January 5th. ||Zone 203: Blizzard conditions reported at the Deadhorse ASOS. Peak wind of 51 kt (59 mph).","Peak wind of 51 kt ( 59 mph) reported at the Deadhorse ASOS." +112998,675296,CALIFORNIA,2017,January,Flash Flood,"TULARE",2017-01-07 20:35:00,PST-8,2017-01-07 20:35:00,0,0,0,0,0.00K,0,0.00K,0,36.4521,-118.8268,36.4511,-118.8118,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reports mud slide and boulders blocking Mineral King Road near Three Rivers." +113000,675370,CALIFORNIA,2017,January,Heavy Rain,"FRESNO",2017-01-12 06:00:00,PST-8,2017-01-12 06:00:00,0,0,0,0,,NaN,,NaN,36.86,-119.71,36.86,-119.71,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Trained spotter report of 24 hour rainfall total of 0.66 inches in Clovis." +113000,675371,CALIFORNIA,2017,January,Funnel Cloud,"MADERA",2017-01-12 15:37:00,PST-8,2017-01-12 15:37:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-120.07,36.96,-120.07,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Public report on social media with a photo of a funnel cloud in Madera." +112998,675319,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-07 19:45:00,PST-8,2017-01-07 19:45:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-119.5207,37.2875,-119.5207,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported large boulder on Road 274 near Central Camp Road east of Wishon." +112998,675326,CALIFORNIA,2017,January,Flash Flood,"FRESNO",2017-01-08 00:20:00,PST-8,2017-01-08 00:20:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-119.51,36.9601,-119.5092,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported that Highway 168 westbound was closed due to boulder and rock slide west of Humphreys Station." +113005,675430,CALIFORNIA,2017,January,Flood,"SANTA CLARA",2017-01-18 20:40:00,PST-8,2017-01-18 22:40:00,0,0,0,0,0.00K,0,0.00K,0,37.3852,-121.9117,37.3849,-121.9115,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Roadway flooded Junction Ave between Charcot and Hartog." +113005,675431,CALIFORNIA,2017,January,Flood,"SANTA CRUZ",2017-01-18 21:09:00,PST-8,2017-01-18 23:09:00,0,0,0,0,0.00K,0,0.00K,0,37.1907,-121.9937,37.1904,-121.9933,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Hwy 17 at Bear Creek Rd pooling of water 3 inches deep. 2.15 inches of rain from 6PM to 9PM." +113005,675432,CALIFORNIA,2017,January,Flood,"MARIN",2017-01-18 21:22:00,PST-8,2017-01-18 23:22:00,0,0,0,0,0.00K,0,0.00K,0,38.2421,-122.9056,38.2419,-122.9054,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Closure of Hwy 1 at Tomales Rd due to flooding." +111772,666594,NEW MEXICO,2017,January,Winter Storm,"ALBUQUERQUE METRO AREA",2017-01-15 00:00:00,MST-7,2017-01-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended fetch of deep subtropical moisture surged northeast out of the eastern Pacific Ocean while a weak back door cold front seeped slowly southwest across eastern New Mexico. The combination of a shallow pool of cold air over northeastern New Mexico and abundant moisture set the stage for rare freezing rain from Tucumcari north to Clayton. Snow levels over the northern high terrain started out above 9,000 feet for the first half of the event until colder air arrived with the passing of an upper level low pressure system. Snow levels then fell to many areas for the second half of the winter storm and resulted in heavy snowfall over the northern mountains and adjacent highlands. Snowfall amounts of 10 to 15 inches were common in the high terrain and 6 to 10 inches over the northeast highlands. Impacts to travel were not severe in most areas as temperatures were marginally freezing for most of the event.","Various observers across the Angel Fire and Black Lake area reported between 5 and 10 inches of snow." +113060,677541,ALABAMA,2017,January,Thunderstorm Wind,"ELMORE",2017-01-21 07:40:00,CST-6,2017-01-21 07:41:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-86.31,32.54,-86.31,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Trees uprooted and power lines downed along Highway 14." +112831,675464,MASSACHUSETTS,2017,January,High Wind,"EASTERN PLYMOUTH",2017-01-23 13:40:00,EST-5,2017-01-24 09:25:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Tree down on Rocky Hill Road in Plymouth. Branches down on power lines on Porter Street and wires down on Ocean Street in Marshfield. Large limb down on power lines in Hingham. Tree down on wires in Scituate." +112831,675465,MASSACHUSETTS,2017,January,High Wind,"WESTERN NORFOLK",2017-01-23 19:00:00,EST-5,2017-01-24 07:30:00,0,0,0,0,4.20K,4200,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Tree branch down across power feed lines to Elm Street Substation in Foxboro causing power outage. Wires down on Washington Street and tree down on wires on Sharon Street in Stoughton. Large tree and multiple wires down on Spring Lane in Canton. Tree down blocking road on Old Cumberland Road in Wrentham. Trees and wires reported down in Medfield." +112831,675466,MASSACHUSETTS,2017,January,High Wind,"WESTERN PLYMOUTH",2017-01-23 19:14:00,EST-5,2017-01-24 07:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","Tree down on Union Street in Bridgewater. One-foot section of tree down on Plymouth Street in Bridgewater. Wires down blocking route 139 between Circuit and Plain Streets in Hanover. Trees down on River Street and Prospect Street in Norwell. Tree also down on Bay Path Lane in Norwell. Tree and wires down on Clinton Street in Brockton." +112831,675471,MASSACHUSETTS,2017,January,High Wind,"EASTERN NORFOLK",2017-01-23 19:35:00,EST-5,2017-01-24 07:20:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","The wind at Blue Hill Observatory in Milton reached a sustained speed of 40 mph and gusted to 61 mph. A utility pole was brought down at the I-93 southbound exit 11B ramp. A railroad gate at the Cohasset commuter rail station was snapped by the wind. A tree was downed on Howe Road in Cohasset." +112831,675473,MASSACHUSETTS,2017,January,High Wind,"BARNSTABLE",2017-01-23 21:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","The WeatherFlow reporting site in Wellfleet measured a wind gust of 59 mph. Large limbs were down on Old Stage Road in Centerville. An amateur radio antenna and a large branch were blown down on Long Pond Road at Marstons Mills. A tree and wires were reported down in Falmouth." +112831,675474,MASSACHUSETTS,2017,January,High Wind,"SUFFOLK",2017-01-23 21:30:00,EST-5,2017-01-24 07:00:00,0,0,0,0,3.20K,3200,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure that developed over the Gulf States moved up the East Coast on January 23 and 24, passing off Cape Cod on January 24. The storm moved off through the Martimes on January 25.","The Automated Surface Observation System at Logan International Airport (KBOS) measured a sustained wind of 40 mph. Power lines were downed on Essex Street in Dorchester. Large limbs were down on Woodruff Way in Mattapan. Tree down on the VFW Parkway in West Roxbury. A tree was downed on Warren Avenue in Hyde Park. A tree was downed on Child Street in Jamaica Plain." +112978,675114,GEORGIA,2017,January,Thunderstorm Wind,"LIBERTY",2017-01-22 06:44:00,EST-5,2017-01-22 06:46:00,0,0,0,0,,NaN,0.00K,0,31.8872,-81.5625,31.8872,-81.5625,"A few lines of thunderstorms developed in the early morning hours across southeast Georgia north of a warm front. A few of the lines became severe, producing damaging winds and even a tornado.","The ASOS site LHW on Wright Army Airfield at Fort Stewart measured a 56 knot wind gust with a passing line of thunderstorms." +112978,675117,GEORGIA,2017,January,Tornado,"LIBERTY",2017-01-22 04:25:00,EST-5,2017-01-22 04:27:00,0,0,0,0,,NaN,0.00K,0,32.01,-81.67,32.01,-81.66,"A few lines of thunderstorms developed in the early morning hours across southeast Georgia north of a warm front. A few of the lines became severe, producing damaging winds and even a tornado.","A National Weather Service storm survey team confirmed an EF-1 tornado in Liberty County. The tornado touched down just west of State Route 119 and crossed the roadway moving to the east. Along the brief path, the tornado damaged at least 100 trees. Numerous large trees were snapped off well above the ground. Several trees were also uprooted. The tornado lifted less than 2 minutes after touching down." +112979,675120,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-01-22 22:30:00,EST-5,2017-01-22 22:32:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"Isolated to scattered thunderstorms develop along a cold front across the Atlantic coastal waters. These thunderstorms eventually produced strong wind gusts.","Buoy 41004 measured a 54 knot wind gust with a passing thunderstorm." +112974,675093,TEXAS,2017,January,Hail,"HARRIS",2017-01-20 15:35:00,CST-6,2017-01-20 15:35:00,0,0,0,0,,NaN,,NaN,29.8129,-95.5637,29.8129,-95.5637,"Slow moving showers and thunderstorms produced hail and flash flooding in the afternoon through early evening hours.","There was dime sized hail at the intersection of Beltway 8 and Hammerly Blvd." +112974,675096,TEXAS,2017,January,Hail,"HARRIS",2017-01-20 18:05:00,CST-6,2017-01-20 18:05:00,0,0,0,0,,NaN,,NaN,29.645,-95.3682,29.645,-95.3682,"Slow moving showers and thunderstorms produced hail and flash flooding in the afternoon through early evening hours.","There was quarter sized hail near the intersection of Scott Street and Airport Blvd." +112974,675097,TEXAS,2017,January,Hail,"HARRIS",2017-01-20 18:10:00,CST-6,2017-01-20 18:10:00,0,0,0,0,,NaN,,NaN,29.5969,-95.3861,29.5969,-95.3861,"Slow moving showers and thunderstorms produced hail and flash flooding in the afternoon through early evening hours.","There was golf ball sized hail near the intersection of Highway 288 and Beltway 8." +112991,675241,TEXAS,2017,January,Strong Wind,"GALVESTON",2017-01-22 11:00:00,CST-6,2017-01-22 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds behind a cold frontal passage produced mainly power line damage and downed some trees. The most damage occurred in the Harris County area.","Power lines were downed in the League City area." +112030,668151,OHIO,2017,January,Flood,"CRAWFORD",2017-01-12 11:30:00,EST-5,2017-01-12 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.8524,-83.0154,40.8201,-83.1226,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","The Upper Sandusky River headwaters in Bucyrus Ohio received between an inch and a half and an inch and three quarters of an inch of rainfall on the 12th. Low lying roads flooded across Crawford County with one man's car in Marmon having to be pushed out of flood waters. In Galion the water was up to the buildings' doors on 7th Street. The river gauge in Bucyrus reached 8.33' resulting in Lane and River Streets flooding." +113069,676223,IOWA,2017,January,Winter Weather,"CHICKASAW",2017-01-15 23:00:00,CST-6,2017-01-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Chickasaw County on the 16th. Ice accumulations from the freezing rain were up to 0.1 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113069,676225,IOWA,2017,January,Winter Weather,"FAYETTE",2017-01-15 23:30:00,CST-6,2017-01-16 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Fayette County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +113069,676224,IOWA,2017,January,Winter Weather,"CLAYTON",2017-01-15 23:55:00,CST-6,2017-01-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rain spread across northeast Iowa on January 16th. Some of this fell as freezing rain with ice accumulations of 0.10 to 0.15 inches. This ice accumulated on some trees and power lines. A greater impact developed as temperatures quickly dropped below freezing causing the standing water to rapidly turn into a sheet of ice on roads, parking lots and sidewalks. Numerous accidents occurred on the icy roads with some schools closed for 2 or 3 days.","Freezing rain and rain fell across Clayton County on the 16th. Ice accumulations from the freezing rain were up to 0.15 inches. A greater impact occurred when temperatures quickly dropped below freezing causing a sheet of ice to develop on roads, parking lots and sidewalks. This led to numerous accidents and school closures." +111625,670660,MONTANA,2017,January,Blizzard,"EASTERN ROOSEVELT",2017-01-12 01:00:00,MST-7,2017-01-12 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sudden cold front during the overnight and early morning hours brought strong and gusty winds which blew the recently-fallen snow enough to create blizzard-like conditions, especially for the eastern portion of Sheridan County, Montana.","Severe driving conditions were reported by MDT on their website, for a period of at least two hours in Eastern Roosevelt County. US-2 @Stateline also reported winds sustained around 30 mph gusting to 40 mph during this time." +111625,670662,MONTANA,2017,January,Blizzard,"RICHLAND",2017-01-12 00:00:00,MST-7,2017-01-12 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sudden cold front during the overnight and early morning hours brought strong and gusty winds which blew the recently-fallen snow enough to create blizzard-like conditions, especially for the eastern portion of Sheridan County, Montana.","Sioux Pass MT-16 DOT weather station reported unknown precipitation (blowing snow) and winds gusting 40 mph from midnight through 0500. MDT road reports showed blowing snow during this time." +111753,666543,IOWA,2017,January,Winter Weather,"OSCEOLA",2017-01-16 04:00:00,CST-6,2017-01-16 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of one to two tenths of an inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Spirit Lake reported 0.15 inch of rain during a time when temperatures were at or below freezing. Law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds prevented significant damage to trees and power lines." +111509,665763,NEW MEXICO,2017,January,Heavy Snow,"FAR NORTHEAST HIGHLANDS",2017-01-05 12:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall ranged from 6 to 10 inches along the Interstate 25 corridor from Raton to Maxwell, Springer, and Wagon Mound. A local maximum of 14 inches was reported at Raton. Temperatures in the single digits with snowfall created treacherous travel conditions across the area. Numerous motorists spun out according to law enforcement." +111509,665765,NEW MEXICO,2017,January,Heavy Snow,"NORTHEAST HIGHLANDS",2017-01-05 12:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm impacted nearly all of northern and central New Mexico just a few days after ringing in 2017. An extremely cold airmass shifted slowly south and west into eastern New Mexico on the 5th while a moist, slow-moving upper level wave shifted north and east from Arizona through the 6th. The combination of bitterly cold air at the surface and abundant mid and upper level moisture resulted in a major winter storm across New Mexico. Temperatures in the single digits with widespread snowfall amounts of 4 to 8 inches created severe travel conditions across the eastern plains. The Sangre de Cristo Mountains were pummeled with 1 to 2 feet of snowfall. Bitterly cold air seeped into the Rio Grande Valley from the eastern plains on the morning of the 6th while a band of snowfall pushed across the area. Temperatures in the middle teens with around one inch of snow created treacherous travel conditions across the Albuquerque metro area. Nearly 100 motor vehicle accidents shut down many roads across the city and closed schools. Shelters were opened in many areas and the New Mexico EOC was activated for several days until impacts improved. The coldest air since 2011 filtered into the state behind this storm. Wind chill values across the eastern plains fell to between 20 and 30 degrees below zero.","Snowfall ranged from 4 to 8 inches along the Interstate 25 corridor near Las Vegas. Temperatures in the single digits with snowfall created treacherous travel conditions across the area." +111785,666750,MISSOURI,2017,January,Ice Storm,"NODAWAY",2017-01-15 11:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117735,707932,NEW MEXICO,2017,August,Hail,"UNION",2017-08-13 14:46:00,MST-7,2017-08-13 14:49:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-103.12,36.63,-103.12,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Hail up to the size of pennies in Seneca." +112343,669797,MICHIGAN,2017,January,Lake-Effect Snow,"CASS",2017-01-29 16:00:00,EST-5,2017-01-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow developed across southwest Lower Michigan late on January 29th into early January 30th. Reduced visibilities, snow covered roads and localized snowfall totals in excess of 6 inches created difficult driving conditions.","Periods of moderate to heavy lake effect snow showers accumulated to between 3 and 8 inches mid-afternoon on January 29th into the early morning hours of January 30th. The heaviest snowfall totals were reported across western Cass County. There was a report of 8.0 inches of total snow accumulation 2 miles northeast of Niles. Reduced visibilities and snow covered roads aided in slide-offs and minor accidents across the region during this time. Many schools were delayed on January 30th." +112078,668386,OREGON,2017,January,Sneakerwave,"SOUTH CENTRAL OREGON COAST",2017-01-15 12:55:00,PST-8,2017-01-15 13:05:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people were swept into the ocean by a sneaker wave at 15/1300 PST. The 31 year old male and his 3 year old son have not been found as of 31/0800 PST. The beach on which they were walking had a steep angle to the water and the seas were reported to be rough.","Two people were swept into the ocean by a sneaker wave at 15/1300 PST. The 31 year old male and his 3 year old son have not been found as of 31/0800 PST. The beach on which they were walking had a steep angle to the water and the seas were reported to be rough." +117735,707916,NEW MEXICO,2017,August,Flash Flood,"LINCOLN",2017-08-13 13:56:00,MST-7,2017-08-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.5333,-105.168,33.53,-105.1602,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","State road 368 closed from several feet of water rushing across nearly 50 feet of the roadway." +112343,669796,MICHIGAN,2017,January,Lake-Effect Snow,"BERRIEN",2017-01-29 16:00:00,EST-5,2017-01-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow developed across southwest Lower Michigan late on January 29th into early January 30th. Reduced visibilities, snow covered roads and localized snowfall totals in excess of 6 inches created difficult driving conditions.","Periods of moderate to heavy lake effect snow showers accumulated to between 2 and 10 inches mid-afternoon on January 29th into the early morning hours of January 30th. The heaviest snowfall totals were reported across southeast Berrien County, including the Niles. There was a report of 9.7 inches of total snow accumulation 1 mile east-southeast of Buchanan. Reduced visibilities and snow covered roads aided in slide-offs and minor accidents across the region during this time. Many schools were delayed on January 30th." +117855,708327,ARIZONA,2017,July,Heavy Rain,"GILA",2017-07-11 16:06:00,MST-7,2017-07-11 16:36:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-111.31,34.5543,-111.0361,"Thunderstorms produced locally heavy rain across northern Arizona.","Thunderstorms produced 1.36 inches of rain in 30 minutes in Payson." +117897,708548,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-12 13:38:00,MST-7,2017-07-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-112.15,34.0692,-112.1632,"Thunderstorms brought heavy rain across parts of northern Arizona.","Heavy rain over the Brooklyn Fire scar caused flash flooding in Black Canyon Creek. The water was flowing black from ash in the normally dry riverbed." +117855,715726,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-11 19:00:00,MST-7,2017-07-11 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.3564,-112.323,34.363,-112.3421,"Thunderstorms produced locally heavy rain across northern Arizona.","Heavy rain over the Goodwin Fire scar caused a debris flow across Forest Road 67." +119194,715771,ARIZONA,2017,July,Flash Flood,"NAVAJO",2017-07-16 19:19:00,MST-7,2017-07-16 20:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5571,-110.4008,34.5767,-110.3994,"Strong high pressure was in a favorable position to bring deep monsoon moisture over northern Arizona which allowed strong to severe thunderstorms to form.","Flash flooding was reported on Scott Wash over State Route 377 between mile marker 7 and 8." +111753,666528,IOWA,2017,January,Ice Storm,"WOODBURY",2017-01-16 00:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain produced ice accumulations of a quarter to a half inch in part of northwest Iowa, from Sioux City to Spencer and southeast, including Storm Lake. The icing occurred from shortly after midnight through the daytime hours. There was widespread icing on roads, trees, power lines, and other surfaces. The impact of the widespread heavy icing was fairly limited for several reasons. Traffic was very limited because the day was a holiday, and because some businesses closings and activity cancellations were announced ahead of the storm. Winds remained light, limiting the breakage of ice covered trees and power lines. There were several vehicle accidents, but they were not numerous in any given area.","Freezing rain of over a quarter inch caused icy roads, and accumulated on trees, power lines, and other surfaces. Sioux City police and other law enforcement agencies reported a few vehicles accidents on the ice, but no known injuries, with traffic being light because of the holiday, business closings, and activity cancellations. Light winds limited damage to trees and power lines, with only small branches breaking off." +112323,672763,MASSACHUSETTS,2017,January,Drought,"WESTERN MIDDLESEX",2017-01-01 00:00:00,EST-5,2017-01-01 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for western Middlesex County through January 3. This designation was reduced to Severe Drought (D2) at that time, and this continued through January 24. On January 24 the designation was reduced to Moderate Drought (D1)." +112323,672770,MASSACHUSETTS,2017,January,Drought,"WESTERN ESSEX",2017-01-01 00:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was close to normal for most of Massachusetts during January, but below normal over Southeast Massachusetts. Well above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge.||A Drought Warning remained in effect for most of Massachusetts, with two exceptions. The Drought Status for Northeast Massachusetts was improved to a Drought Watch. A Drought Advisory continued for Cape Cod and the Islands. ||Rivers and streams received a boost in January, in large part due to mild conditions that enabled rainfall and periods of snowmelt. By the end of the month, many gaged rivers and streams were running at normal levels. Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly at normal to below normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for western Essex County through January 3, then reduced it to a Severe Drought (D2) designation through January 24. The designation was then reduced to Moderate Drought (D1) on January 24." +112208,669085,NEW YORK,2017,January,Strong Wind,"EASTERN SCHENECTADY",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669086,NEW YORK,2017,January,Strong Wind,"WESTERN SCHENECTADY",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +112208,669087,NEW YORK,2017,January,Strong Wind,"WESTERN ALBANY",2017-01-10 15:00:00,EST-5,2017-01-11 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved from the eastern Great Lakes on Tuesday, January 10th towards the St. Lawrence Valley by the morning of Wednesday, January 11th. Ahead of this storm system, strong south to southeast winds were in place across the entire region, with the strongest winds across the higher elevations. As the storm's cold front crossed the region, winds switched to the west to southwest and continued to be gusty. Although the winds were strongest early in the day, gusty winds continued into the day on Wednesday, January 11th. ||Surface observations, including from the New York State Mesonet, recorded wind gusts of 40 to 60 MPH across the area. These strong wind gusts resulted in many downed trees, power poles, and power lines. Newspaper media reported that up to 35,000 customers were without power at one point across upstate New York, although only about 2,500 of those were across eastern New York state. Some schools were closed or delayed due to power outages.","" +111632,676807,MINNESOTA,2017,January,Blizzard,"WEST MARSHALL",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +111632,676808,MINNESOTA,2017,January,Blizzard,"WEST POLK",2017-01-12 09:35:00,CST-6,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through the region, northwest winds gusted from 40 to 55 mph for a period of a little over three hours. This area had received a couple inches of fresh powdery snow in the days preceding the event. The winds combined with the old snow to produce a ground blizzard in open country.","" +112270,669487,INDIANA,2017,January,Thunderstorm Wind,"RIPLEY",2017-01-10 21:13:00,EST-5,2017-01-10 21:15:00,0,0,0,0,1.00K,1000,0.00K,0,39.28,-85.13,39.28,-85.13,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","A tree was downed onto State Route 46 near Indian Lakes." +112270,669488,INDIANA,2017,January,Thunderstorm Wind,"RIPLEY",2017-01-10 21:25:00,EST-5,2017-01-10 21:27:00,0,0,0,0,3.00K,3000,0.00K,0,38.98,-85.19,38.98,-85.19,"A broken line of thunderstorms developed across the region ahead of a strong upper level disturbance moving through the Ohio Valley.","Several trees were downed on State Routes 129 and County Road 650." +113064,676119,INDIANA,2017,January,Winter Weather,"DEARBORN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observers in both Bright and Lawrence measured 2 inches of snow. Other observers southeast of Moore's Hill and west of Aurora measured 1.3 and 1.2 inches, respectively." +113064,676121,INDIANA,2017,January,Winter Weather,"FRANKLIN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer in Brookville measured 1.5 inches of snow." +113064,676123,INDIANA,2017,January,Winter Weather,"RIPLEY",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer north of Batesville measured 2.3 inches of snow while the observer northeast of Osgood measured 1.5 inches." +113066,676131,KENTUCKY,2017,January,Winter Weather,"BRACKEN",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The cooperative observer west of Augusta measured 2 inches of snow." +114074,683125,ARIZONA,2017,January,Heavy Snow,"WESTERN MOGOLLON RIM",2017-01-20 12:00:00,MST-7,2017-01-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","The snow let up for a couple of hours between storms before snow started falling from the second storm. Five to almost 15 inches of snow was reported around the Flagstaff area. The lesser amounts were reported on the lee of major mountain peaks. Flagstaff airport had 14.9 inches, NWS office 9.1 inches, Kachina Village 10 inches, and Doney Park 5 inches." +114074,683165,ARIZONA,2017,January,Heavy Snow,"KAIBAB PLATEAU",2017-01-20 10:00:00,MST-7,2017-01-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","The North Rim of the Grand Canyon received an estimated 18 inches of new snow." +114074,683349,ARIZONA,2017,January,Heavy Snow,"BLACK MESA AREA",2017-01-20 11:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","The Navajo National Monument reported 9.0 inches of snow at about 7,200 feet elevation." +114074,683549,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS SOUTH OF HIGHWAY 264",2017-01-20 11:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","An estimated 15 inches of snow fell at around 5600 feet on Second Mesa." +114175,683821,ARIZONA,2017,January,Extreme Cold/Wind Chill,"WESTERN MOGOLLON RIM",2017-01-25 19:00:00,MST-7,2017-01-26 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong area of high pressure moved over northern Arizona in the wake of 6 days of snowfall. This resulted in very cold conditions, especially at night as strong radiational cooling developed over the deep snowpack.","The temperature that the Flagstaff Airport dropped below the average low of 18F at 700 PM and remained below that temperature until 11 AM on the 26th. The low at the airport was -4F, the low at the NWS Office in Bellemont was -12 F, Sunset Crater National Monument dropped to -8 F, Williams Airport was -2 F, and Walnut Canyon was 2F." +114175,683823,ARIZONA,2017,January,Cold/Wind Chill,"GRAND CANYON COUNTRY",2017-01-25 17:00:00,MST-7,2017-01-26 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong area of high pressure moved over northern Arizona in the wake of 6 days of snowfall. This resulted in very cold conditions, especially at night as strong radiational cooling developed over the deep snowpack.","Bitterly cold temperatures settled in the low spots near the South Rim of the Grand Canyon. The Grand Canyon Airport dropped to a low of -18 F while the Grand Canyon Visitors Center near the edge of the Rim only dropped to 7 F." +111679,676760,NORTH DAKOTA,2017,January,Winter Storm,"GRAND FORKS",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +111679,676761,NORTH DAKOTA,2017,January,Winter Storm,"GRIGGS",2017-01-02 12:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113002,675408,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 13:23:00,PST-8,2017-01-20 13:23:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-118.97,35.371,-118.9696,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Chamberlain Avenue near Harold Way east of Bakersfield." +113002,675409,CALIFORNIA,2017,January,Flood,"KERN",2017-01-20 14:24:00,PST-8,2017-01-20 14:24:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-118.91,35.3493,-118.9096,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported roadway flooding on Kimber Avenue near Highway 58 southeast of Algoso." +113182,677042,MICHIGAN,2017,January,Cold/Wind Chill,"GOGEBIC",2017-01-12 22:00:00,CST-6,2017-01-13 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Falling temperatures associated with an advancing Arctic high pressure system produced bitter cold wind chill readings over interior western Upper Michigan from late evening on the 12th into the morning of the 13th.","The Ironwood AWOS reported wind chill readings as low as 30 below zero during the period." +113182,677044,MICHIGAN,2017,January,Cold/Wind Chill,"IRON",2017-01-12 22:00:00,CST-6,2017-01-13 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Falling temperatures associated with an advancing Arctic high pressure system produced bitter cold wind chill readings over interior western Upper Michigan from late evening on the 12th into the morning of the 13th.","Mesonet observing stations in Iron County reported wind chill readings as low as 30 below zero during the period." +113090,676417,CALIFORNIA,2017,January,Heavy Snow,"NORTHERN HUMBOLDT INTERIOR",2017-01-01 12:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","A storm spotter and utility company reported at least a thousand people without power from Hoopa to Orleans along the Highway 96 corridor. The power outages were caused by downed trees which trapped several people due to blocked roads. Storm total snowfall of very wet, heavy snow was reported to be 4 to 6 inches in valley locations. Higher elevation snowfall was not known." +113090,676424,CALIFORNIA,2017,January,Heavy Snow,"NORTHWESTERN MENDOCINO INTERIOR",2017-01-01 12:00:00,PST-8,2017-01-03 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","Public and trained spotter reports indicated 4 to 6 inches of snow had fallen in northern Mendocino County from Iron Mountain near Laytonville at 3,750 feet elevation to near Willits at around 2,000 feet elevation." +113092,676522,CALIFORNIA,2017,January,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-01-21 21:00:00,PST-8,2017-01-22 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 11:01 pm at School House Peak." +113092,676523,CALIFORNIA,2017,January,High Wind,"SOUTHERN HUMBOLDT INTERIOR",2017-01-21 20:00:00,PST-8,2017-01-22 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 12:55 am at Kneeland." +112219,669148,HAWAII,2017,January,High Surf,"NIIHAU",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669149,HAWAII,2017,January,High Surf,"KAUAI WINDWARD",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669150,HAWAII,2017,January,High Surf,"KAUAI LEEWARD",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669151,HAWAII,2017,January,High Surf,"WAIANAE COAST",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669152,HAWAII,2017,January,High Surf,"OAHU NORTH SHORE",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669153,HAWAII,2017,January,High Surf,"OAHU KOOLAU",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +112219,669154,HAWAII,2017,January,High Surf,"MOLOKAI WINDWARD",2017-01-12 18:00:00,HST-10,2017-01-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 10 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island. No significant injuries or property damage were reported.","" +120279,720682,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-26 16:26:00,CST-6,2017-08-26 16:26:00,0,0,0,0,0.00K,0,0.00K,0,40.1916,-101.0464,40.1916,-101.0464,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","The hail ranged from quarter to half dollar in size." +120279,720683,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-26 16:40:00,CST-6,2017-08-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,40.1016,-101.0317,40.1016,-101.0317,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","The hail was almost covering the ground." +120279,720684,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-26 16:35:00,MST-7,2017-08-26 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.3385,-101.4177,40.3385,-101.4177,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","" +120279,720685,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-26 17:30:00,MST-7,2017-08-26 17:46:00,0,0,0,0,0.00K,0,0.00K,0,40.0883,-101.4697,40.0883,-101.4697,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","" +120279,720687,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-26 17:45:00,MST-7,2017-08-26 17:51:00,0,0,0,0,,NaN,,NaN,40.05,-101.54,40.05,-101.54,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","The hail ranged from 2-2.5 in diameter." +112998,675341,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-09 02:17:00,PST-8,2017-01-09 02:17:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-118.82,36.2173,-118.8154,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Californa Highway Patrol reported roadway flooding on Balch Park Road near Yokohl Valley Drive north of Springville." +112998,675343,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 03:12:00,PST-8,2017-01-09 03:12:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-119.71,36.8,-119.7089,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding at intersection of Minnewawa Avenue and Norwich Road in Clovis." +112964,674986,GEORGIA,2017,January,Tornado,"TATTNALL",2017-01-21 14:50:00,EST-5,2017-01-21 14:52:00,0,0,0,0,,NaN,0.00K,0,31.93,-82.09,31.92,-82.08,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","A National Weather Service storm survey team confirmed an EF-0 tornado in Tattnall County. The brief tornado touched down on a farm between Rushing Boone Road and State Route 178. Following a path toward the east-southeast, this tornado peeled metal roofing from five farm buildings, produced minor shingle damage to a residence and snapped off a large tree. The tornado crossed State Route 178 and snapped off and uprooted a few large trees before lifting and dissipating." +111699,666272,TEXAS,2017,January,Tornado,"HARRIS",2017-01-16 08:35:00,CST-6,2017-01-16 08:36:00,0,0,0,0,,NaN,0.00K,0,30.085,-95.4498,30.086,-95.44,"Several weak tornadoes formed in an unstable air mass. Severe thunderstorm wind damage also occurred.","Video broadcast by television stations and shared on social media showed this tornado|just to the southwest of the intersection of the Grand Parkway (State Highway 99) and Interstate 45. The storm survey found numerous small limbs and pine needles on the road in that area, but no other damage was observed in the vicinity. As a result of the survey, the tornado rated low end EF0 with winds estimated near 65 mph." +111699,666276,TEXAS,2017,January,Tornado,"MONTGOMERY",2017-01-16 08:40:00,CST-6,2017-01-16 08:41:00,0,0,0,0,,NaN,0.00K,0,30.1276,-95.4339,30.1308,-95.4333,"Several weak tornadoes formed in an unstable air mass. Severe thunderstorm wind damage also occurred.","This weak tornado caused minor damage. A door window in a store was broken, and loose debris was thrown about. A large tree was snapped, but there was no damage to surrounding trees or structures. A funnel cloud was observed in the area." +112944,674833,ALABAMA,2017,January,Drought,"PIKE",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D0 category." +112944,674834,ALABAMA,2017,January,Drought,"BARBOUR",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D0 category." +112945,674835,ALABAMA,2017,January,Drought,"LAMAR",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall totals during the first three weeks of January greatly reduced the moderate drought conditions that encompassed the northwest portions of central Alabama.","Rainfall totals of 4-6 inches reduced the drought intensity below D2 levels." +112945,674836,ALABAMA,2017,January,Drought,"MARION",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall totals during the first three weeks of January greatly reduced the moderate drought conditions that encompassed the northwest portions of central Alabama.","Rainfall totals of 4-6 inches reduced the drought intensity below D2 levels." +112945,674837,ALABAMA,2017,January,Drought,"WINSTON",2017-01-01 00:00:00,CST-6,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall totals during the first three weeks of January greatly reduced the moderate drought conditions that encompassed the northwest portions of central Alabama.","Rainfall totals of 4-6 inches reduced the drought intensity below D2 levels." +120238,720502,PUERTO RICO,2017,August,Flash Flood,"MAYAGUEZ",2017-08-20 14:17:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2028,-67.1376,18.2055,-67.1375,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","People trapped in vehicle reported along Calle Martinez Nadal before Palacio de Recreacion y Deportes." +120238,720511,PUERTO RICO,2017,August,Flash Flood,"CAROLINA",2017-08-20 12:21:00,AST-4,2017-08-20 17:30:00,0,0,0,0,0.00K,0,0.00K,0,18.4255,-65.9879,18.4256,-65.9877,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","State Police station personnel reported that police cars were stranded due to flooding." +120238,720516,PUERTO RICO,2017,August,Flood,"CAROLINA",2017-08-20 12:14:00,AST-4,2017-08-20 17:30:00,0,0,0,0,0.00K,0,0.00K,0,18.4169,-65.969,18.4174,-65.969,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in Calle 34 in Barrio Villa Asturia." +120652,722741,MICHIGAN,2017,August,Hail,"MANISTEE",2017-08-03 16:50:00,EST-5,2017-08-03 16:50:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-86.27,44.23,-86.27,"Thunderstorms moved into northern lower Michigan in the afternoon and evening of the 3rd. Isolated severe weather occurred, including a brief tornado.","" +120652,722742,MICHIGAN,2017,August,Hail,"ROSCOMMON",2017-08-03 20:20:00,EST-5,2017-08-03 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-84.8,44.18,-84.8,"Thunderstorms moved into northern lower Michigan in the afternoon and evening of the 3rd. Isolated severe weather occurred, including a brief tornado.","" +120652,722743,MICHIGAN,2017,August,Thunderstorm Wind,"MANISTEE",2017-08-03 16:45:00,EST-5,2017-08-03 16:45:00,0,0,0,0,2.00K,2000,0.00K,0,44.2596,-86.3166,44.2596,-86.3166,"Thunderstorms moved into northern lower Michigan in the afternoon and evening of the 3rd. Isolated severe weather occurred, including a brief tornado.","A large tree was downed onto power lines." +120653,722744,LAKE SUPERIOR,2017,August,Marine Thunderstorm Wind,"ST MARYS RIVER FROM POINT IROQUOIS TO E POTAGANNISSING BAY",2017-08-01 14:48:00,EST-5,2017-08-01 14:48:00,0,0,0,0,0.00K,0,0.00K,0,46.5008,-84.3721,46.5008,-84.3721,"An isolated strong thunderstorm produced gusty winds near Sault Ste Marie.","Measured at Southwest Pier." +120652,722745,MICHIGAN,2017,August,Tornado,"ANTRIM",2017-08-03 17:10:00,EST-5,2017-08-03 17:11:00,0,0,0,0,55.00K,55000,0.00K,0,44.9285,-85.3808,44.9272,-85.3811,"Thunderstorms moved into northern lower Michigan in the afternoon and evening of the 3rd. Isolated severe weather occurred, including a brief tornado.","An EF0 tornado crossed Williams Drive at the south end of Birch Lake, then dissipated over the lake. Maximum wind speed was estimated at 80 mph. Many trees were uprooted in the area, and a few homes were damaged by falling trees. Saturated soils likely contributed to the number of uprooted trees." +120654,722746,MICHIGAN,2017,August,Hail,"ROSCOMMON",2017-08-14 14:00:00,EST-5,2017-08-14 14:00:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-84.5,44.41,-84.5,"Scattered thunderstorms produced some hail in northern lower Michigan.","" +120655,722747,MICHIGAN,2017,August,Tornado,"OGEMAW",2017-08-17 18:34:00,EST-5,2017-08-17 18:35:00,0,0,0,0,45.00K,45000,0.00K,0,44.4016,-83.9742,44.405,-83.972,"A large area of thunderstorms produced heavy rain, and a single tornado, in northern Michigan.","An EF0 tornado developed over George Lake, and crossed Maple Avenue at the north end of the lake before dissipating. Maximum winds were estimated at 80 mph. Damage was done to docks, outbuildings, and the siding of a few homes." +112575,671684,MARYLAND,2017,February,Hail,"TALBOT",2017-02-25 16:15:00,EST-5,2017-02-25 16:15:00,0,0,0,0,,NaN,,NaN,38.94,-76.08,38.94,-76.08,"Several days of record warmth was ended with the passage of a cold front. Enough moisture and instability was present ahead of this front to produce a band of showers and thunderstorms. Some of the storms did cause wind damage and had hail.","A photo of quarter size hail was sent in." +120100,719582,KANSAS,2017,August,Hail,"CHEYENNE",2017-08-14 16:38:00,CST-6,2017-08-14 16:38:00,0,0,0,0,0.00K,0,0.00K,0,39.7428,-101.5605,39.7428,-101.5605,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","The hail ranged from dime to nickel size at the Bird City Airport." +120100,719583,KANSAS,2017,August,Hail,"CHEYENNE",2017-08-14 16:48:00,CST-6,2017-08-14 16:48:00,0,0,0,0,0.00K,0,0.00K,0,39.7421,-101.5332,39.7421,-101.5332,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","" +120100,719584,KANSAS,2017,August,Hail,"CHEYENNE",2017-08-14 16:54:00,CST-6,2017-08-14 16:54:00,0,0,0,0,0.00K,0,0.00K,0,39.7166,-101.5433,39.7166,-101.5433,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","The hail ranged from dime to quarter size, with a depth of four inches on the road." +120100,719588,KANSAS,2017,August,Hail,"SHERMAN",2017-08-14 17:03:00,MST-7,2017-08-14 17:03:00,0,0,0,0,0.00K,0,0.00K,0,39.5114,-101.5732,39.5114,-101.5732,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","The hail started off as nickel size then increased to quarter size and was brief. The hail then decreased in size to peas." +120146,719852,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-17 17:46:00,MST-7,2017-08-17 17:48:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-101.54,40.05,-101.54,"During the early evening a thunderstorm produced dime to quarter size hail in Benkelman.","Most of the hail was smaller than dime size, but a few stones were dime to quarter in size." +120279,720681,NEBRASKA,2017,August,Hail,"HITCHCOCK",2017-08-26 16:05:00,CST-6,2017-08-26 16:05:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-101.0913,40.25,-101.0913,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","" +113797,681279,WISCONSIN,2017,February,Winter Weather,"SHEBOYGAN",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 3-4 inches of snow accumulation. Thundersnow was reported." +113797,681276,WISCONSIN,2017,February,Winter Weather,"OZAUKEE",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 1-2 inches of snow accumulation." +113797,681280,WISCONSIN,2017,February,Winter Weather,"FOND DU LAC",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 3-4 inches of snow accumulation." +113797,681281,WISCONSIN,2017,February,Winter Weather,"GREEN LAKE",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 3-4 inches of snow accumulation." +116027,697332,NEBRASKA,2017,April,High Wind,"SCOTTS BLUFF",2017-04-09 16:25:00,MST-7,2017-04-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The UPR sensor at Haig measured sustained winds of 40 mph or higher." +116027,697333,NEBRASKA,2017,April,High Wind,"SCOTTS BLUFF",2017-04-09 17:34:00,MST-7,2017-04-09 17:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The RAWS sensor at Scottsbluff measured a peak wind gust of 58 mph." +116027,697334,NEBRASKA,2017,April,High Wind,"BANNER",2017-04-09 18:15:00,MST-7,2017-04-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The NEDOR sensor at Banner Road and Highway 71 measured sustained winds of 40 mph or higher." +116027,697335,NEBRASKA,2017,April,High Wind,"MORRILL",2017-04-09 17:00:00,MST-7,2017-04-09 18:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The UPR sensor at Bridgeport measured sustained winds of 40 mph or higher." +116027,697336,NEBRASKA,2017,April,High Wind,"MORRILL",2017-04-09 16:55:00,MST-7,2017-04-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The UPR sensor on Highway 385 between Broadwater and Bridgeport measured sustained winds of 40 mph or higher." +113797,681328,WISCONSIN,2017,February,Winter Weather,"GREEN",2017-02-24 15:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and an inch or less of snow accumulation." +116027,697337,NEBRASKA,2017,April,High Wind,"KIMBALL",2017-04-09 15:15:00,MST-7,2017-04-09 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The wind sensor at Kimball Airport measured sustained winds of 40 mph or higher." +116027,697338,NEBRASKA,2017,April,High Wind,"CHEYENNE",2017-04-09 18:55:00,MST-7,2017-04-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The wind sensor at the Sidney Airport measured sustained winds of 40 mph or higher." +116027,697340,NEBRASKA,2017,April,High Wind,"NORTH SIOUX",2017-04-09 17:50:00,MST-7,2017-04-09 18:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The UPR sensor near Crawford measured sustained winds of 40 mph or higher." +116027,697341,NEBRASKA,2017,April,High Wind,"SOUTH SIOUX",2017-04-09 17:15:00,MST-7,2017-04-09 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high winds affected the western Nebraska Panhandle.","The RAWS sensor at Agate measured sustained winds of 40 mph or higher." +114088,683179,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:08:00,EST-5,2017-05-01 19:08:00,0,0,0,0,5.00K,5000,0.00K,0,44.85,-74.29,44.85,-74.29,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","A few trees down." +114088,683180,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:08:00,EST-5,2017-05-01 19:08:00,0,0,0,0,10.00K,10000,0.00K,0,44.94,-74.4,44.94,-74.4,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +114388,689072,MARYLAND,2017,May,Thunderstorm Wind,"TALBOT",2017-05-05 07:19:00,EST-5,2017-05-05 07:19:00,0,0,0,0,,NaN,,NaN,38.72,-76.28,38.72,-76.28,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of thunderstorms traversed the state. In particular, a squall line of thunderstorms during the mid-morning hours produced sporadic wind damage in Cecil and Talbot counties, with reports of trees and large limbs down.","A tree was downed due to thunderstorm winds on Elston shore road." +114862,689075,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-05-07 21:17:00,EST-5,2017-05-07 21:17:00,0,0,0,0,,NaN,,NaN,38.6855,-75.07,38.6855,-75.07,"A thunderstorm produced a strong wind gust over the waters.","Measured wind gust from Weatherflow site." +114863,689077,NEW JERSEY,2017,May,Flood,"ATLANTIC",2017-05-13 08:06:00,EST-5,2017-05-13 08:06:00,0,0,0,0,0.00K,0,0.00K,0,39.3325,-74.5019,39.3291,-74.4992,"Heavy rain led to some localized flooding on the 13th in Cape May and Atlantic Counties with the aid of the high tide.","Some street flooding in Margate City." +114863,689212,NEW JERSEY,2017,May,Flood,"ATLANTIC",2017-05-13 08:25:00,EST-5,2017-05-13 08:25:00,0,0,0,0,0.00K,0,0.00K,0,39.359,-74.447,39.3598,-74.4461,"Heavy rain led to some localized flooding on the 13th in Cape May and Atlantic Counties with the aid of the high tide.","Arizona ave in Atlantic city was flooded." +114863,689213,NEW JERSEY,2017,May,Flood,"CAPE MAY",2017-05-13 10:30:00,EST-5,2017-05-13 10:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2836,-74.5718,39.2793,-74.5652,"Heavy rain led to some localized flooding on the 13th in Cape May and Atlantic Counties with the aid of the high tide.","Several streets were impassable due to the heavy rain and high tide." +114863,689214,NEW JERSEY,2017,May,Flood,"CAPE MAY",2017-05-13 12:00:00,EST-5,2017-05-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.09,-74.74,39.088,-74.7294,"Heavy rain led to some localized flooding on the 13th in Cape May and Atlantic Counties with the aid of the high tide.","Ocean drive was flooded in spots, combination of heavy rain and high tide." +114863,689215,NEW JERSEY,2017,May,Flood,"CAPE MAY",2017-05-13 12:17:00,EST-5,2017-05-13 12:17:00,0,0,0,0,0.00K,0,0.00K,0,39.15,-74.7,39.1568,-74.6945,"Heavy rain led to some localized flooding on the 13th in Cape May and Atlantic Counties with the aid of the high tide.","Several roads flooded due to a combination of high tide and heavy rain in Sea Isle city." +114889,689217,NEW JERSEY,2017,May,Hail,"SOMERSET",2017-05-14 17:00:00,EST-5,2017-05-14 17:00:00,0,0,0,0,,NaN,,NaN,40.5,-74.49,40.5,-74.49,"A couple of thunderstorms produced sub-severe hail just under an inch in north central New Jersey.","Estimated." +114894,689223,NEW JERSEY,2017,May,Heavy Rain,"CUMBERLAND",2017-05-22 08:19:00,EST-5,2017-05-22 08:19:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-75.21,39.48,-75.21,"Heavy rains from showers and a few thunderstorms occurred across Southern New Jersey.","Just over 2 inches of rain fell from showers and thunderstorms." +112964,674988,GEORGIA,2017,January,Tornado,"SCREVEN",2017-01-21 14:52:00,EST-5,2017-01-21 14:57:00,0,0,0,0,,NaN,0.00K,0,32.78,-81.61,32.8,-81.57,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","A National Weather Service storm survey team confirmed an EF-1 tornado in Screven County. The tornado touched down in Friendship Memorial Park, initially lifting and rolling a motor vehicle downhill. The tornado was photographed from this cemetery. Continuing a path toward the northeast across the cemetery, the tornado blew down 6 headstones estimated to weight between 200 and 400 pounds. The tornado then crossed Friendship Road, which bends from a northeast to east-northeast orientation. Close to the south side of Friendship Road, the tornado removed the northeast wall of a metal firehouse, uprooted several large trees and blew over a farm wagon. The tornado then blew off much of the metal roof from a residence just north of Friendship Road, depositing the metal in nearby trees. At the intersection of Friendship Road, Newington Highway and McBride Circle, the tornado blew a large part of the metal roof from another residence and adjacent buildings, depositing debris along and north of Newington Highway. An entire stop sign was also deposited in a tree about 50 feet above the ground along the north side of Newington Highway. The tornado then crossed a forested area, snapping off the tops of numerous trees as it advanced toward the northeast. A resident's video showed the tornado emerging from the forest along the northern branch of McBride Circle, before it produced roof damage and snapped off a large pine tree on the west side of McBride Circle. The tornado then crossed McBride Circle and tore much of the roof from a residence, depositing metal and other debris in nearby trees and across a field to the northeast. The tornado then crossed this field and damaged additional trees in the far treeline before lifting." +112947,674860,ALABAMA,2017,January,Drought,"FAYETTE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D3 to a D2." +112947,674861,ALABAMA,2017,January,Drought,"WALKER",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D3 to a D2." +111696,666271,MONTANA,2017,January,Winter Storm,"KOOTENAI/CABINET REGION",2017-01-01 06:00:00,MST-7,2017-01-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Arctic front pushed through western Montana on New Years day and brought snow, blowing snow and cold wind chills across the region.","The Montana Department of Transportation reported around 5 inches of new snow with considerable blowing and drifting along Highway 37. Highway 56 was also slick with some blowing snow. Snotel sites around the area reported 6 inches of snow." +111696,666290,MONTANA,2017,January,Winter Storm,"WEST GLACIER REGION",2017-01-01 06:00:00,MST-7,2017-01-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Arctic front pushed through western Montana on New Years day and brought snow, blowing snow and cold wind chills across the region.","Whitefish Mountain ski resort reported 7 inches of snow with wind gusts of up to 45 mph. Due to the strong winds and very cold wind chills, several ski lifts were forced to close. Other higher elevation sites such as Hornet RAWS also reported high winds of up to 40 mph." +111696,666301,MONTANA,2017,January,Winter Storm,"BUTTE / BLACKFOOT REGION",2017-01-01 09:00:00,MST-7,2017-01-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Arctic front pushed through western Montana on New Years day and brought snow, blowing snow and cold wind chills across the region.","The Montana Department of Transportation reported widespread areas of blowing snow with periods of moderate to heavy snow during the day. A fair amount of slide offs were reported and a fatal crash was also reported on highway 12 several miles west of Avon." +111702,666912,MONTANA,2017,January,Heavy Snow,"WEST GLACIER REGION",2017-01-07 21:00:00,MST-7,2017-01-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","A Spotter reported 10 inches of snow over the previous 24 hours and 13 inches for the storm total at Essex." +111564,676618,CALIFORNIA,2017,January,Flood,"COLUSA",2017-01-10 10:00:00,PST-8,2017-01-11 10:02:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-122.13,39.1784,-122.134,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","State Route 20 in Colusa County closed in both directions from Husted Rd in Williams to approximately 3 miles east of Williams at Lone State Rd. due to flooding." +111564,676619,CALIFORNIA,2017,January,Funnel Cloud,"STANISLAUS",2017-01-11 10:55:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37.45,-120.96,37.45,-120.96,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A funnel cloud was sighted and photographed over Ceres, around Central Ave. and Bradbury Rd. There were no reports of touchdown or damage." +111702,666462,MONTANA,2017,January,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-01-08 19:24:00,MST-7,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","The combination of snow and freezing rain caused slick roads and led to numerous accidents across the area. Due to the road conditions, an emergency travel alert was issued for Missoula county. The emergency travel was eventually lifted the next morning but more freezing rain led to severe driving conditions around Missoula and parts of the Bitterroot valley. Many schools, businesses, and flights were delayed or cancelled because of this winter storm." +119952,718917,VIRGIN ISLANDS,2017,August,Flash Flood,"ST. JOHN",2017-08-07 18:44:00,AST-4,2017-08-08 00:45:00,0,0,0,0,0.00K,0,0.00K,0,18.3321,-64.7949,18.3326,-64.7931,"A strong upper-level trough in combination with a tropical wave produced heavy showers and strong thunderstorms across most of the USVI.","Law enforcement reported North Shore Road Closed near the Ferry Dock Station due to flooding." +119952,718918,VIRGIN ISLANDS,2017,August,Flood,"ST. JOHN",2017-08-07 20:53:00,AST-4,2017-08-08 00:45:00,0,0,0,0,0.00K,0,0.00K,0,18.3312,-64.7912,18.3316,-64.7899,"A strong upper-level trough in combination with a tropical wave produced heavy showers and strong thunderstorms across most of the USVI.","Tennis court and starfish area flooded. Phone lines down along Route 10 near Centerline Road." +119954,718919,PUERTO RICO,2017,August,Flood,"HORMIGUEROS",2017-08-10 16:30:00,AST-4,2017-08-10 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.1443,-67.1469,18.1456,-67.1441,"Low-level moisture combined with daytime heating and local effects to generate showers and thunderstorms across portions of interior and southwest PR.","ROADS PR-309 AND PR-114 were reported impassable in the Urbanization Valle Hermoso." +112308,673117,NEW JERSEY,2017,February,Winter Weather,"NORTHWESTERN BURLINGTON",2017-02-09 11:54:00,EST-5,2017-02-09 11:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 5.0 inches were measured near Moorestown on the morning of Feb 9." +114894,689224,NEW JERSEY,2017,May,Heavy Rain,"CUMBERLAND",2017-05-22 08:20:00,EST-5,2017-05-22 08:20:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.05,39.39,-75.05,"Heavy rains from showers and a few thunderstorms occurred across Southern New Jersey.","Just over 2 inches of rain fell from showers and thunderstorms." +114895,689225,DELAWARE,2017,May,Hail,"SUSSEX",2017-05-25 17:55:00,EST-5,2017-05-25 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-75.61,38.47,-75.61,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits.","Measured." +114897,689227,MARYLAND,2017,May,Hail,"TALBOT",2017-05-25 17:15:00,EST-5,2017-05-25 17:15:00,0,0,0,0,,NaN,,NaN,38.76,-76.32,38.76,-76.32,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing damaging winds and some hail at a few locations.","Estimated." +114897,689228,MARYLAND,2017,May,Hail,"QUEEN ANNE'S",2017-05-25 17:45:00,EST-5,2017-05-25 17:45:00,0,0,0,0,,NaN,,NaN,39.07,-76.07,39.07,-76.07,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing damaging winds and some hail at a few locations.","Measured." +114897,689230,MARYLAND,2017,May,Thunderstorm Wind,"TALBOT",2017-05-25 17:49:00,EST-5,2017-05-25 17:49:00,0,0,0,0,,NaN,,NaN,38.88,-75.99,38.88,-75.99,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing damaging winds and some hail at a few locations.","Several medium to large trees snapped or uprooted." +114897,689232,MARYLAND,2017,May,Thunderstorm Wind,"KENT",2017-05-25 18:18:00,EST-5,2017-05-25 18:18:00,0,0,0,0,,NaN,,NaN,39.22,-76.07,39.22,-76.07,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing damaging winds and some hail at a few locations.","A tree was downed due to a thunderstorm wind gust." +114898,689234,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-05-19 21:06:00,EST-5,2017-05-19 21:06:00,0,0,0,0,,NaN,,NaN,38.9076,-74.95,38.9076,-74.95,"Thunderstorms Produced a 40 mph wind gust at the Cape May Nos Buoy.","Measured wind gust at NOS buoy." +114899,689235,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-05-25 19:00:00,EST-5,2017-05-25 19:00:00,0,0,0,0,,NaN,,NaN,39.2388,-75.325,39.2388,-75.325,"Strong thunderstorms produced localized strong wind gusts on the waters.","Ship John NOS buoy measured gust." +114897,689557,MARYLAND,2017,May,Hail,"TALBOT",2017-05-25 17:17:00,EST-5,2017-05-25 17:17:00,0,0,0,0,,NaN,,NaN,38.73,-76.18,38.73,-76.18,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing damaging winds and some hail at a few locations.","Estimated through photos sent in." +112998,681834,CALIFORNIA,2017,January,Debris Flow,"TULARE",2017-01-07 17:38:00,PST-8,2017-01-07 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4597,-118.8745,36.454,-118.874,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol report of mud, dirt, and rock partially blocking Mineral King Road and Highway 198 intersection near Hammond. Traffic was able to move around the obstruction." +111564,676623,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-08 07:00:00,PST-8,2017-01-09 07:19:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 4.29 inches of rain measured over 24 hours, 4 miles east of Kyburz." +111564,676622,CALIFORNIA,2017,January,Heavy Rain,"NEVADA",2017-01-08 06:00:00,PST-8,2017-01-09 06:42:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-120.45,39.32,-120.45,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 5.76 of rain, with a storm total of 10.67. There was light snow at the time of observation, with 28 of snow on the ground." +112310,673118,PENNSYLVANIA,2017,February,Winter Weather,"EASTERN CHESTER",2017-02-09 09:14:00,EST-5,2017-02-09 09:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 4.5 inches were measured in Valley Forge on the morning of Feb 9." +113797,681327,WISCONSIN,2017,February,Winter Weather,"LAFAYETTE",2017-02-24 15:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and less than 1 inch of snow accumulation." +113797,681329,WISCONSIN,2017,February,Winter Weather,"JEFFERSON",2017-02-24 15:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of light snow, sleet, and freezing rain. Minor ice accumulation and around an inch of snow accumulation." +112310,673120,PENNSYLVANIA,2017,February,Winter Weather,"EASTERN MONTGOMERY",2017-02-09 09:48:00,EST-5,2017-02-09 09:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 4.5 inches were measured in Maple Glen on the morning of Feb 9." +112729,675521,MARYLAND,2017,March,Thunderstorm Wind,"CAROLINE",2017-03-01 14:42:00,EST-5,2017-03-01 14:42:00,0,0,0,0,,NaN,,NaN,38.95,-75.89,38.95,-75.89,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","Thunderstorm winds took down a tree in Ridgely." +114088,683181,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:10:00,EST-5,2017-05-01 19:10:00,0,0,0,0,5.00K,5000,0.00K,0,44.93,-74.3,44.93,-74.3,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees down." +113308,678299,PENNSYLVANIA,2017,March,Flood,"MONTGOMERY",2017-03-31 13:45:00,EST-5,2017-03-31 15:45:00,0,0,0,0,0.00K,0,0.00K,0,40.0835,-75.3123,40.1017,-75.3139,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues. Gusty winds in Chester county also resulted in some downed trees and wires.","Flooding on Cocshohocken Rd, Fairfield Rd and New Elm Street which closed all lanes." +113308,678300,PENNSYLVANIA,2017,March,Flood,"MONTGOMERY",2017-03-31 14:30:00,EST-5,2017-03-31 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.23,-75.4,40.2312,-75.4031,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues. Gusty winds in Chester county also resulted in some downed trees and wires.","Flooding on Route 113 in both directions in Skippack." +119274,716212,ILLINOIS,2017,July,Excessive Heat,"ST. CLAIR",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit the St. Louis Metro area from July 18 - 23. High temperatures started in the upper 90s then ended near 110 on the 23rd. The heat index ranged from 105 to around 110 degrees.","" +119275,716213,ILLINOIS,2017,July,Excessive Heat,"RANDOLPH",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southwest Illinois July 21 through July 23. High temperatures were around 100 degrees with the heat index from 105 - 110.","" +119277,716215,MISSOURI,2017,July,Excessive Heat,"CRAWFORD",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +114088,683176,NEW YORK,2017,May,Thunderstorm Wind,"ST. LAWRENCE",2017-05-01 18:12:00,EST-5,2017-05-01 18:12:00,0,0,0,0,30.00K,30000,0.00K,0,44.43,-75.15,44.43,-75.15,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Numerous trees and power lines down in various locations in southern St. Lawrence county, including Russell." +112916,675239,OHIO,2017,January,Lake-Effect Snow,"LAKE",2017-01-29 05:00:00,EST-5,2017-01-30 10:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. A few of the higher snowfall totals from Cuyahoga County included 14.0 and 13.8 inches in separate reports from Shaker Heights; 13.6 inches at Chagrin Falls; 8.5 inches in Euclid, 8.0 in Kamms Corners and 7.8 inches in Solon. In Geauga County some of the higher totals included 15.0 inches at Chardon; 13.0 inches at Burton; 11.5 inches north of Chardon and 9.2 inches in Montville Township. In Trumbull County a peak total of 9.0 inches was reported near Kinsman. In Lake County both South Madison and Kirtland saw 8.0 inches of snow. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area.","Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. In Lake County both South Madison and Kirtland saw 8.0 inches of snow. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area." +111696,666294,MONTANA,2017,January,Winter Storm,"FLATHEAD/MISSION VALLEYS",2017-01-01 04:00:00,MST-7,2017-01-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Arctic front pushed through western Montana on New Years day and brought snow, blowing snow and cold wind chills across the region.","Glacier Park International Airport and the Montana Department of Transportation reported widespread blowing snow around the Kalispell area with wind gusts of 30 to 40 mph. Over on the Flathead Lake east side highway, wind gusts of over 50 mph were recorded on the the Mid Lake buoy. Due to the strong gusty winds, 2 foot drifts were common in the valleys, along with visibility reductions, due to the blowing snow." +111821,666950,MONTANA,2017,January,Winter Storm,"KOOTENAI/CABINET REGION",2017-01-18 07:00:00,MST-7,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist and warm southwest flow combined with persistent cold pools brought a mix of snow and freezing rain to northwest Montana, mainly near the Idaho border. The freezing rain caused widespread travel impacts and severe driving conditions were reported in many areas.","Montana Department of Transportation reported severe driving conditions on highway 56 to Bull Lake, and black ice on highway 37 and 93 going to Eureka. Due to the slick roads around northwest Montana, Troy High School cancelled all after school activities." +112729,675522,MARYLAND,2017,March,Thunderstorm Wind,"CAROLINE",2017-03-01 14:44:00,EST-5,2017-03-01 14:44:00,0,0,0,0,,NaN,,NaN,38.98,-75.81,38.98,-75.81,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","A tree was taken down in greensboro due to thunderstorm winds." +112729,675523,MARYLAND,2017,March,Thunderstorm Wind,"CAROLINE",2017-03-01 14:45:00,EST-5,2017-03-01 14:45:00,0,0,0,0,,NaN,,NaN,38.88,-75.82,38.88,-75.82,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","A tree was downed in Denton due to thunderstorm winds." +112729,675524,MARYLAND,2017,March,Thunderstorm Wind,"CAROLINE",2017-03-01 14:48:00,EST-5,2017-03-01 14:48:00,0,0,0,0,,NaN,,NaN,38.71,-75.91,38.71,-75.91,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","A tree was downed in Preston due to thunderstorm winds." +112855,675869,PENNSYLVANIA,2017,March,Winter Weather,"BERKS",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Measured snowfall on grass ranged from 3-5 inches." +112677,672787,MONTANA,2017,January,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-01-31 04:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate to heavy snow causes slick roads and a high volume of accidents across west-central and southwest Montana.","The Hamilton AWOS reported up to 4 hours of quarter mile or less visibility due to moderate and heavy snow. A trained spotter reported 8 to 10 inches of snow in Hamilton. The combination of heavy snow and warm afternoon road surfaces led to icy road conditions during the evening commute." +112677,672791,MONTANA,2017,January,Winter Storm,"BUTTE / BLACKFOOT REGION",2017-01-31 04:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate to heavy snow causes slick roads and a high volume of accidents across west-central and southwest Montana.","Trained spotters reported 7 inches of snow in Anaconda, and 6 inches of snow in Butte with snow drifts up to 2 feet. Discovery ski resort reported 9 inches of new snow in 24 hours." +112922,674651,IDAHO,2017,January,Winter Storm,"OROFINO / GRANGEVILLE REGION",2017-01-17 22:00:00,PST-8,2017-01-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist and warm southwest flow combined with unusually cold sub-surface temperatures to produce freezing rain across low elevation valleys in central Idaho. The freezing rain caused widespread travel impacts, and caused all schools in the district to close.","The Emergency Manager of Clearwater County reported secondary roads were like an ice skating rink due to freezing rain. Due to the icy roads, all schools in the district were closed." +112852,674957,CALIFORNIA,2017,January,Heavy Snow,"SHASTA LAKE/NORTH SHASTA COUNTY",2017-01-01 06:00:00,PST-8,2017-01-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 8 inches of new snow, 19 inches storm total at Montgomery, elevation 3800 feet. This caused travel delays on Highway 299 and local roads." +112800,673890,CALIFORNIA,2017,January,Flood,"MARIPOSA",2017-01-04 14:00:00,PST-8,2017-01-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.4613,-119.9504,37.4629,-119.9486,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Mariposa County Sheriff reported flooding along Mariposa Creek near Mormon Bar in Mariposa County. Also reported several minor road crossings were closed due to flooding." +112800,673892,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 17:00:00,PST-8,2017-01-05 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,35.24,-118.79,35.2374,-118.7861,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Public reported truck swept away in high water near Rockpile Road. However, no substantiating evidence had been received." +112800,673891,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 06:48:00,PST-8,2017-01-05 06:48:00,0,0,0,0,0.00K,0,0.00K,0,35.7399,-118.6915,35.7616,-118.5775,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","California Higway Patrol reported State Route 155 is closed between 5.5 miles east of Glennville to Greenhorn Summit due to flooding on highway." +112800,673896,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 21:00:00,PST-8,2017-01-05 21:00:00,0,0,0,0,36.00K,36000,0.00K,0,35.21,-118.86,35.2086,-118.8568,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Public reported that three vehicles stuck in high water on Malaga Road near East Canal just west of Arvin in Kern County." +112800,673897,CALIFORNIA,2017,January,Heavy Rain,"TULARE",2017-01-05 09:11:00,PST-8,2017-01-05 09:11:00,0,0,0,0,,NaN,,NaN,36.14,-118.61,36.14,-118.61,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Public report of 24 hour rainfall total of 5.70 inches in Camp Nelson." +111564,676625,CALIFORNIA,2017,January,Heavy Rain,"LAKE",2017-01-08 12:00:00,PST-8,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-122.68,38.76,-122.68,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 11.25 of rain measured at Bear Canyon Road, in Anderson Springs. The duration of the heavy rain event was 72 hours." +111564,676629,CALIFORNIA,2017,January,Heavy Rain,"SACRAMENTO",2017-01-06 13:00:00,PST-8,2017-01-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-121.33,38.68,-121.33,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 11.25 measured at Arcade Creek. The duration of the heavy rain event was 72 hours." +119995,719089,MONTANA,2017,October,High Wind,"CHOUTEAU",2017-10-17 11:34:00,MST-7,2017-10-17 11:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Tweet from the Grand Union Hotel in Fort Benton showed tree damage." +120506,721960,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-22 01:06:00,MST-7,2017-10-22 01:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the Two Medicine Bridge DOT site." +112855,675871,PENNSYLVANIA,2017,March,Winter Weather,"CARBON",2017-03-10 08:00:00,EST-5,2017-03-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Six inches of snow was measured in the county." +112947,674849,ALABAMA,2017,January,Drought,"BLOUNT",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674846,ALABAMA,2017,January,Drought,"PICKENS",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D3 to a D2." +112947,674847,ALABAMA,2017,January,Drought,"TUSCALOOSA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D3." +112947,674848,ALABAMA,2017,January,Drought,"JEFFERSON",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D3." +112964,674991,GEORGIA,2017,January,Thunderstorm Wind,"CANDLER",2017-01-21 14:26:00,EST-5,2017-01-21 14:27:00,0,0,0,0,,NaN,0.00K,0,32.46,-82.07,32.46,-82.07,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","Candler County dispatch reported a tree down on Highway 121 North near the landfill." +114406,685826,NEW MEXICO,2017,May,Hail,"QUAY",2017-05-08 16:15:00,MST-7,2017-05-08 16:28:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-104.03,34.65,-104.03,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Hail up to the size of golf balls west of House." +111702,666460,MONTANA,2017,January,Winter Storm,"LOWER CLARK FORK REGION",2017-01-08 20:00:00,MST-7,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","Freezing rain over Interstate 90 caused severe driving conditions between Lookout pass and St. Regis. The combination of snow and freezing rain also caused 2 snow slides on Interstate 90, which briefly blocked some lanes. In the Noxon area, the Montana Department of Transportation reported 12 to 16 inches of snow." +111821,666951,MONTANA,2017,January,Winter Storm,"LOWER CLARK FORK REGION",2017-01-18 04:30:00,MST-7,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist and warm southwest flow combined with persistent cold pools brought a mix of snow and freezing rain to northwest Montana, mainly near the Idaho border. The freezing rain caused widespread travel impacts and severe driving conditions were reported in many areas.","Montana Department of Transportation reported freezing rain and black ice across most areas in the lower Clark Fork region. Severe driving conditions were also reported near the Noxon and Trout Creek area, and schools were cancelled at Trout Creek due to the road conditions." +112998,675364,CALIFORNIA,2017,January,Flood,"MARIPOSA",2017-01-11 08:31:00,PST-8,2017-01-11 08:31:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-119.79,37.6736,-119.7823,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported large boulders blocking westbound lane of Highway 140 near El Portel just west of Yosemite National Park entrance." +112998,681833,CALIFORNIA,2017,January,Flash Flood,"TULARE",2017-01-07 14:44:00,PST-8,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4616,-118.8783,36.4518,-118.8712,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding on Highway 198 and Craig Ranch Road northeast of Three Rivers." +112310,673121,PENNSYLVANIA,2017,February,Winter Weather,"WESTERN MONTGOMERY",2017-02-09 09:15:00,EST-5,2017-02-09 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 5.3 inches were measured 2 miles west of Green Lane on the morning of Feb 9." +120506,721961,MONTANA,2017,October,High Wind,"SOUTHERN LEWIS AND CLARK",2017-10-22 03:17:00,MST-7,2017-10-22 03:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the Bowmans Corner DOT site." +120506,721962,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-22 02:58:00,MST-7,2017-10-22 02:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Military site." +112998,675342,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-09 03:01:00,PST-8,2017-01-09 03:01:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-120.49,37.2608,-120.4855,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported closure of Highway 59 at Reilly Road due to road flooding south of Merced." +112998,675344,CALIFORNIA,2017,January,Flood,"MARIPOSA",2017-01-09 03:13:00,PST-8,2017-01-09 03:13:00,0,0,0,0,0.00K,0,0.00K,0,37.5076,-120.0393,37.5054,-120.0373,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported mud covering most of southbound lane of Highway 49 near Mt. Bullion Cutoff Road in Mt. Bullion." +113028,675626,ALABAMA,2017,January,Ice Storm,"CHOCTAW",2017-01-06 10:30:00,CST-6,2017-01-06 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance to the west of the north central Gulf Coast produced a large area of precipitation as a cold front was moving south through the area. Temperatures dropped to at or slightly below freezing in portions of far inland southwest Alabama, resulting in freezing rain and sleet.","Ice accrual of a quarter inch was reported across northern and central Choctaw County. Ice accrual around a tenth of an inch occurred over the southern portion of the county. The greatest accrual occurred on trees, power lines, and metal surfaces. A few trees were downed due to the icing in the northern and central portion of the county. There was also a minor accumulation of sleet with the storm, generally a trace to a tenth of an inch." +113028,675625,ALABAMA,2017,January,Ice Storm,"CLARKE",2017-01-06 12:00:00,CST-6,2017-01-06 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance to the west of the north central Gulf Coast produced a large area of precipitation as a cold front was moving south through the area. Temperatures dropped to at or slightly below freezing in portions of far inland southwest Alabama, resulting in freezing rain and sleet.","Ice accrual of a quarter inch was reported across far northern Clarke County. The greatest accrual occurred on trees, power lines, and metal surfaces. Several trees were downed due to the icing, especially around the Thomasville area. There was also a minor accumulation of sleet with the storm, generally a trace to a tenth of an inch." +112998,675345,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-09 05:18:00,PST-8,2017-01-09 05:18:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-118.91,36.4401,-118.9022,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported flooding on Highway 198 and water flowing over Airport Drive and Upper North Fork bridges in Three Rivers." +112998,675347,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 08:19:00,PST-8,2017-01-09 08:19:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-120.1,36.2516,-120.0998,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding on Highway 269 near Highway 198 north of Huron." +112998,675348,CALIFORNIA,2017,January,Flood,"KERN",2017-01-09 08:36:00,PST-8,2017-01-09 08:36:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-118.84,35.2551,-118.8404,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported flooded roadway at Di Giorgio Road and Comanche Drive and vehicles blocking roadway due to flooding east of Lamont." +112816,674026,ALABAMA,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 12:15:00,CST-6,2017-01-02 12:15:00,0,0,0,0,20.00K,20000,0.00K,0,31.499,-87.75,31.499,-87.75,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Winds estimated at 70 mph damaged several homes in the Perry Chapel community." +114388,685434,MARYLAND,2017,May,Thunderstorm Wind,"CECIL",2017-05-05 09:10:00,EST-5,2017-05-05 09:10:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-76.07,39.57,-76.07,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of thunderstorms traversed the state. In particular, a squall line of thunderstorms during the mid-morning hours produced sporadic wind damage in Cecil and Talbot counties, with reports of trees and large limbs down.","Tree down on a car at Jackson Station Road and Old Hawley Road." +114388,685435,MARYLAND,2017,May,Thunderstorm Wind,"TALBOT",2017-05-05 08:26:00,EST-5,2017-05-05 08:26:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-76.23,38.79,-76.23,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of thunderstorms traversed the state. In particular, a squall line of thunderstorms during the mid-morning hours produced sporadic wind damage in Cecil and Talbot counties, with reports of trees and large limbs down.","Trees were reportedly down." +113029,675628,MISSISSIPPI,2017,January,Ice Storm,"WAYNE",2017-01-06 10:00:00,CST-6,2017-01-06 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance to the west of the north central Gulf Coast produced a large area of precipitation as a cold front was moving south through the area. Temperatures dropped to at or slightly below freezing in portions of far inland southeast Mississippi, resulting in freezing rain and sleet.","Ice accrual up to a quarter inch was reported across northern Wayne County. The greatest accrual occurred on trees, power lines, and metal surfaces. Several trees were downed due to the icing." +113015,675629,MICHIGAN,2017,January,Winter Weather,"ALGER",2017-01-04 00:00:00,EST-5,2017-01-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","The observer ten miles south of Grand Marais measured nearly three inches of lake effect snow in six hours." +113015,675632,MICHIGAN,2017,January,Winter Weather,"BARAGA",2017-01-04 01:00:00,EST-5,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","There was a public report of 4.3 inches of lake effect snow in nine hours at Keweenaw Bay." +113015,675633,MICHIGAN,2017,January,Winter Weather,"ONTONAGON",2017-01-03 19:00:00,EST-5,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","The observer six miles north of Greenland measured nearly four inches of lake effect snow in approximately 13 hours." +112964,674992,GEORGIA,2017,January,Thunderstorm Wind,"BULLOCH",2017-01-21 14:44:00,EST-5,2017-01-21 14:45:00,0,0,0,0,,NaN,0.00K,0,32.46,-81.78,32.46,-81.78,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","Bulloch County dispatch reported a power line down on N Zetterower Avenue at Northside Drive East." +112964,674993,GEORGIA,2017,January,Thunderstorm Wind,"LIBERTY",2017-01-21 15:34:00,EST-5,2017-01-21 15:35:00,0,0,0,0,,NaN,0.00K,0,31.83,-81.62,31.83,-81.62,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","Liberty County dispatch reported that a portion of a commercial structure roof had caved in near the intersection of Weeping Willow Drive and Veterans Parkway." +112998,675346,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 06:23:00,PST-8,2017-01-09 06:23:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-119.41,37.0102,-119.4015,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported small rockslides on Tollhouse Road near Lodge Road south of Tollhouse due to heavy rain." +112816,674027,ALABAMA,2017,January,Lightning,"MOBILE",2017-01-02 12:25:00,CST-6,2017-01-02 12:25:00,0,0,0,0,10.00K,10000,0.00K,0,30.6265,-88.2043,30.6265,-88.2043,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","A lightning strike caused a house fire on Cortex Drive." +112816,675446,ALABAMA,2017,January,Thunderstorm Wind,"BALDWIN",2017-01-02 14:47:00,CST-6,2017-01-02 14:48:00,1,0,0,0,950.00K,950000,0.00K,0,30.2625,-87.687,30.2625,-87.687,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","A severe thunderstorm moved across Gulf Shores and|produced a corridor of significant wind damage from near the|intersection of Highway 59 and Highway 182 north and east to just |east of Highway 59 and south of Fort Morgan road (Highway 180). |All damage surveyed was blown from a southwest to northeast direction,|indicative of straight line wind damage. The corridor of greatest damage |occurred around 300 to 350 yards on either side of Highway 59. Numerous|trees were uprooted and had significant large branches broken off. A few |homes were damaged by the fallen trees along West 12th and 13th Avenues |and a few homes suffered shingle damage. The Alabama Gulf Coast Zoo |experienced significant tree damage and damage to fencing and animal |enclosures. Fortunately, all of the animals survived. Roofing material|was blown off of a few commercial buildings near the zoo and also south |close to Highway 182. Outside of this main corridor of damage, sporadic|straight line wind damage was observed and reported across Gulf Shores,|Bon Secour, and Orange Beach. There was one minor injury when a sunroom |collapsed onto an elderly woman. She was quickly rescued and suffered|minor cuts and bruises." +112816,675454,ALABAMA,2017,January,Flash Flood,"CLARKE",2017-01-02 13:04:00,CST-6,2017-01-02 17:00:00,0,0,0,0,750.00K,750000,0.00K,0,31.5236,-87.9332,31.5768,-87.8961,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Significant flash flooding occurred in the Jackson, AL area due to 5 to 7 inches of rain falling over a very short period of time. 5 1/2 inches were measured in just 90 minutes. Numerous homes and roads flooded, with a few water rescues becoming necessary. Numerous homes on Cherry Avenue were flooded. 3 mobile homes were flooded on Warren Street. The Fish House Restaurant was also flooded. Several roads suffered damage." +112816,675483,ALABAMA,2017,January,Flash Flood,"MONROE",2017-01-02 14:30:00,CST-6,2017-01-02 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,31.547,-87.3599,31.4826,-87.3592,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Flash flooding resulted in the closure of several roads in the city of Monroeville. Five homes also experienced flooding." +112970,675035,TEXAS,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-02 07:11:00,CST-6,2017-01-02 07:11:00,0,0,0,0,,NaN,,NaN,31.1397,-95.4517,31.1397,-95.4517,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed on Highway 19 just north of Lovelady." +112970,675036,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:15:00,CST-6,2017-01-02 08:15:00,0,0,0,0,,NaN,,NaN,30.0593,-95.3825,30.0593,-95.3825,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed in the Spring area." +112947,674850,ALABAMA,2017,January,Drought,"SHELBY",2017-01-01 00:00:00,CST-6,2017-01-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D3." +112947,674851,ALABAMA,2017,January,Drought,"BIBB",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D3 to a D2." +112947,674852,ALABAMA,2017,January,Drought,"ST. CLAIR",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674853,ALABAMA,2017,January,Drought,"ETOWAH",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674854,ALABAMA,2017,January,Drought,"CHEROKEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674855,ALABAMA,2017,January,Drought,"CALHOUN",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +113210,677246,PENNSYLVANIA,2017,March,Lightning,"MONTGOMERY",2017-03-28 07:40:00,EST-5,2017-03-28 07:40:00,0,0,0,0,0.50K,500,,NaN,40.01,-75.29,40.01,-75.29,"Lightning strikes from thunderstorms throughout the day resulted in a couple of damage reports.","Direct strike to telephone polls causing traffic light damage at the corner of Eagle and Haverford roads." +112855,675886,PENNSYLVANIA,2017,March,Winter Weather,"PHILADELPHIA",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 1 to 3 inches." +113210,677248,PENNSYLVANIA,2017,March,Lightning,"DELAWARE",2017-03-28 08:00:00,EST-5,2017-03-28 08:00:00,0,0,0,0,1.00K,1000,,NaN,39.9757,-75.3147,39.9757,-75.3147,"Lightning strikes from thunderstorms throughout the day resulted in a couple of damage reports.","Cardinal John Foley Regional Catholic School was closed due to a lightning strike that damaged fire and telephone systems. Damage estimated." +112860,677329,PENNSYLVANIA,2017,March,Blizzard,"CARBON",2017-03-14 12:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","ASOS observations at KMPO show intervals of blizzard conditions from 12:34-15:36 and from 15:00 to 16:12." +112860,677360,PENNSYLVANIA,2017,March,Blizzard,"NORTHAMPTON",2017-03-14 08:11:00,EST-5,2017-03-14 19:09:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","KABE had three intervals of blizzard conditions from 811 to 818 and from 1158 to 1344 along with 1829 to 1909." +113306,678113,DELAWARE,2017,March,Flood,"SUSSEX",2017-03-31 12:00:00,EST-5,2017-03-31 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8562,-75.5181,38.8714,-75.5226,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Flooding due to heavy rain just north of Staytonville." +113306,678116,DELAWARE,2017,March,Flood,"NEW CASTLE",2017-03-31 17:00:00,EST-5,2017-03-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6855,-75.5974,39.6936,-75.6014,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Airport Road closed at Nonsuch creek due to flooding." +113306,678117,DELAWARE,2017,March,Flood,"NEW CASTLE",2017-03-31 18:30:00,EST-5,2017-03-31 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.703,-75.5279,39.7157,-75.5329,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Pigeon road at Lambson and Pyles Lane closed due to flooding." +117190,704875,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"PT WASHINGTON TO NORTH PT LT WI",2017-07-16 22:30:00,CST-6,2017-07-16 22:30:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-87.2726,43.38,-87.2726,"Passing weak thunderstorms and an outflow boundary caused rapidly shifting winds to affect the 109th Annual Chicago to Mackinac Race. The shifting winds caused a Corsair 31 multi-hull vessel to capsize. Four crew members were rescued by the Coast Guard.","Social media and broadcast media outlets reported the boat capsizing around 1130 pm CDT. The Coast Guard reported shifting winds of 30 to 35 mph near the time of the boat capsizing." +117904,708557,WISCONSIN,2017,July,Hail,"JEFFERSON",2017-07-01 11:12:00,CST-6,2017-07-01 11:12:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-88.74,43.2,-88.74,"A trough of low pressure triggered scattered thunderstorms during the afternoon. One thunderstorm produced 3/4 inch hail.","" +112983,675133,GEORGIA,2017,January,Winter Weather,"FRANKLIN",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet occurred during the pre-dawn hours. The sleet tapered off aound sunrise, but not before some areas (mainly near the I-85 corridor) saw up to a half inch of sleet.","" +112983,675134,GEORGIA,2017,January,Winter Weather,"HART",2017-01-07 04:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread the Piedmont throughout the 6th. Most of the precip fell as rain south of the I-85 corridor. However, as cold air gradually spilled in from the north, a transition to mainly sleet occurred during the pre-dawn hours. The sleet tapered off aound sunrise, but not before some areas (mainly near the I-85 corridor) saw up to a half inch of sleet.","" +112972,675075,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GALVESTON BAY",2017-01-02 09:53:00,CST-6,2017-01-02 09:53:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.9109,29.54,-94.9109,"Morning marine thunderstorm winds were associated with a disturbance moving eastward across the area.","Wind gust was measured at WeatherFlow site XGAL." +112972,675076,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GALVESTON BAY",2017-01-02 10:18:00,CST-6,2017-01-02 10:18:00,0,0,0,0,0.00K,0,0.00K,0,29.515,-94.5133,29.515,-94.5133,"Morning marine thunderstorm winds were associated with a disturbance moving eastward across the area.","Wind gust was measured at Rollover Pass WeatherFlow site." +112970,675032,TEXAS,2017,January,Thunderstorm Wind,"BRAZOS",2017-01-02 06:35:00,CST-6,2017-01-02 06:35:00,0,0,0,0,,NaN,,NaN,30.8518,-96.3036,30.8518,-96.3036,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed near the intersection of Clay Hill Road and Ferrill Creek Road." +112970,675033,TEXAS,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-02 06:45:00,CST-6,2017-01-02 06:45:00,0,0,0,0,,NaN,,NaN,31.32,-95.46,31.32,-95.46,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","Power lines were downed." +112970,675034,TEXAS,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-02 06:47:00,CST-6,2017-01-02 06:47:00,0,0,0,0,,NaN,,NaN,31.5279,-95.2491,31.5279,-95.2491,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed on FM 227 near Highway 21." +112947,674856,ALABAMA,2017,January,Drought,"TALLADEGA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674857,ALABAMA,2017,January,Drought,"CLEBURNE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112947,674858,ALABAMA,2017,January,Drought,"CLAY",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112998,675349,CALIFORNIA,2017,January,Flood,"KERN",2017-01-09 11:32:00,PST-8,2017-01-09 11:32:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-118.42,35.7478,-118.4234,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Broadcast Media reported through twitter a picture of Kern River Overflowing near Kernville." +112998,675351,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 12:19:00,PST-8,2017-01-09 12:19:00,0,0,0,0,0.00K,0,0.00K,0,36.2243,-120.0999,36.243,-120.1003,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Broadcast Media reported through Twitter a video showing road flooding on Lassen Avenue between Mitchell Avenue and Marmon Avenue north of Huron." +112998,675352,CALIFORNIA,2017,January,Flood,"KERN",2017-01-10 07:49:00,PST-8,2017-01-10 07:49:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-119.58,35.76,-119.577,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road flooding on Garces Highway near Corcoran Road/Dairy Avenue just east of Kern Wildlife Refuge northeast of Lost Hills." +112816,675489,ALABAMA,2017,January,Flash Flood,"CRENSHAW",2017-01-02 18:20:00,CST-6,2017-01-02 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.7396,-86.3223,31.7171,-86.3203,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Several roads closed in the Rutledge area due to flash flooding." +112816,675502,ALABAMA,2017,January,Flash Flood,"WASHINGTON",2017-01-02 13:05:00,CST-6,2017-01-02 18:00:00,0,0,0,0,1.20M,1200000,0.00K,0,31.4767,-88.0098,31.5162,-88.0252,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Significant flash flooding occurred near the Leroy area of Washington County. The flash flooding was the result of over 6 inches of rain falling over just a couple of hours of time, with most of the rainfall occurring in just 90 minutes. Roads were washed out near Highway 43, including Lower Ferry Road, Sullivan Lane, Powell Cutoff Road, and Upper Ferry Roadway. The washouts also exposed and damaged a water main and natural gas line. Over a foot of water was reported on Luke River Road." +116029,697345,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate snowfall over the Snowy and Sierra Madre mountains and Laramie Valley. Snow amounts ranged from five to ten inches.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated seven inches of snow." +112855,675870,PENNSYLVANIA,2017,March,Winter Weather,"UPPER BUCKS",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Measured snowfall by spotters ranged from 2-5 inches." +119995,719083,MONTANA,2017,October,High Wind,"EASTERN PONDERA",2017-10-17 19:00:00,MST-7,2017-10-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Spotter measured a peak wind gust of 68 mph near Valier. Time estimated." +119995,719088,MONTANA,2017,October,High Wind,"LIBERTY",2017-10-17 11:00:00,MST-7,2017-10-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","NW Energy reports 160 customers without power due to wind damage to the system." +112998,675350,CALIFORNIA,2017,January,Flood,"KERN",2017-01-09 11:35:00,PST-8,2017-01-09 11:35:00,0,0,0,0,0.00K,0,0.00K,0,35.3413,-118.919,35.2954,-118.9167,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Caltrans District 6 reported that Weedpatch Highway between Redbank Road and Panama Lane southeast of Bakersfield was closed due to flooding." +112816,675543,ALABAMA,2017,January,Flash Flood,"BALDWIN",2017-01-02 19:00:00,CST-6,2017-01-02 22:00:00,0,0,0,0,600.00K,600000,0.00K,0,30.5754,-87.8165,30.5672,-87.5775,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Significant flash flooding occurred, especially in the Foley area, due to 5 to 7 inches of rain falling the span of only a couple of hours. A water rescue had to be performed on Fernwood Circle due to the rapid rise of Sandy Creek. Numerous roads in the central and southern half of the county were flooded and closed, with several sustaining damage due to the flooding." +112816,675839,ALABAMA,2017,January,Thunderstorm Wind,"MOBILE",2017-01-02 16:42:00,CST-6,2017-01-02 16:42:00,0,0,0,0,5.00K,5000,0.00K,0,30.65,-88.2,30.65,-88.2,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Numerous trees were blown down across West Mobile." +112816,675840,ALABAMA,2017,January,Thunderstorm Wind,"MONROE",2017-01-02 17:21:00,CST-6,2017-01-02 17:21:00,0,0,0,0,5.00K,5000,0.00K,0,31.65,-87.21,31.65,-87.21,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Trees and power lines were blown down near Corner Fork Road and Highway 42." +112816,676132,ALABAMA,2017,January,Lightning,"MOBILE",2017-01-02 17:25:00,CST-6,2017-01-02 17:25:00,0,0,0,0,10.00K,10000,0.00K,0,30.6574,-88.169,30.6574,-88.169,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","House fire on Cortez Drive due to a lightning strike." +112970,675037,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:35:00,CST-6,2017-01-02 08:35:00,0,0,0,0,,NaN,,NaN,29.7477,-95.5391,29.7477,-95.5391,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed near the intersection of Briar Forest Drive and South Gessner Road." +112970,675038,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:35:00,CST-6,2017-01-02 08:35:00,0,0,0,0,,NaN,,NaN,29.7924,-95.412,29.7924,-95.412,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed near the intersection of West 12th Street and North Durham Drive." +112970,675041,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:38:00,CST-6,2017-01-02 08:38:00,0,0,0,0,,NaN,,NaN,29.7467,-95.3994,29.7467,-95.3994,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","Power line was downed near the intersection of Maryland Street and Windsor Street." +112970,675043,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 09:10:00,CST-6,2017-01-02 09:10:00,0,0,0,0,,NaN,,NaN,29.7639,-95.2033,29.7639,-95.2033,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","Power line was downed on Century Road." +112991,675243,TEXAS,2017,January,Strong Wind,"TRINITY",2017-01-22 10:30:00,CST-6,2017-01-22 14:30:00,1,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds behind a cold frontal passage produced mainly power line damage and downed some trees. The most damage occurred in the Harris County area.","A driver was severely injured when a tree fell onto a vehicle that was traveling on State Highway 94 to the west of Groveton." +112992,675252,CALIFORNIA,2017,January,Flood,"SAN MATEO",2017-01-10 21:43:00,PST-8,2017-01-10 23:43:00,0,0,0,0,0.00K,0,0.00K,0,37.4935,-122.3834,37.4927,-122.3834,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","West bound Hwy 92 flooding at Pilarcito Creek Rd." +112998,675299,CALIFORNIA,2017,January,Flood,"KERN",2017-01-07 11:14:00,PST-8,2017-01-07 11:14:00,0,0,0,0,0.00K,0,0.00K,0,35.14,-118.47,35.1451,-118.4714,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding at Highway 58 and State Route 202 near Tehachapi." +112947,674859,ALABAMA,2017,January,Drought,"RANDOLPH",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall across central Alabama significantly reduced the drought severity, but many counties along the I-20 corridor remained at or above D2 drought intensity levels.","Above normal rainfall helped reduce the drought intensity from a D4 to a D2." +112729,674213,MARYLAND,2017,March,Thunderstorm Wind,"QUEEN ANNE'S",2017-03-01 14:30:00,EST-5,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,38.9,-76.2,38.9,-76.2,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","Measured gust." +112729,675518,MARYLAND,2017,March,Thunderstorm Wind,"TALBOT",2017-03-01 14:32:00,EST-5,2017-03-01 14:32:00,0,0,0,0,,NaN,,NaN,38.74,-76.18,38.74,-76.18,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","Trees and wires downed due to thunderstorm winds in Royal Oak." +112729,675517,MARYLAND,2017,March,Thunderstorm Wind,"QUEEN ANNE'S",2017-03-01 14:30:00,EST-5,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,39.14,-75.98,39.14,-75.98,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","Trees downed and a roof damaged due to thunderstorm winds." +112815,674023,MISSISSIPPI,2017,January,Thunderstorm Wind,"GREENE",2017-01-02 10:47:00,CST-6,2017-01-02 10:47:00,0,0,0,0,5.00K,5000,0.00K,0,31.1666,-88.6169,31.1666,-88.6169,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds across inland southeast Mississippi.","A tree fell on a truck near the prison." +112816,674024,ALABAMA,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 12:00:00,CST-6,2017-01-02 12:02:00,0,0,0,0,15.00K,15000,0.00K,0,31.5467,-87.867,31.5467,-87.867,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Winds estimated at 60 mph downed trees near Jackson. One tree fell on a house." +112816,674025,ALABAMA,2017,January,Thunderstorm Wind,"CLARKE",2017-01-02 12:00:00,CST-6,2017-01-02 12:02:00,0,0,0,0,5.00K,5000,0.00K,0,31.52,-87.88,31.52,-87.88,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds and flooding across southwest and south central Alabama.","Winds estimated at 70 mph blew out windows at the Subway in Jackson." +112998,675353,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-10 16:20:00,PST-8,2017-01-10 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-119.42,37.101,-119.4222,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road flooding on Usfs Road near Acorn Road north of Meadow Lakes." +112998,675362,CALIFORNIA,2017,January,Flood,"MERCED",2017-01-11 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2767,-121.0384,37.2998,-121.035,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Merced Emergency Manager reports numerous road closures between Gustine and Newman due to broken levee along Garza Creek." +112998,675361,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-11 07:12:00,PST-8,2017-01-11 07:12:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-120.1,36.2529,-120.0987,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road closure of Highway 269 near Highway 198 north of Huron." +112998,675363,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-11 08:05:00,PST-8,2017-01-11 08:05:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-119.64,37.168,-119.6334,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported mud covering southbound lanes of Road 200 near House Ranch Road southwest of Fine Gold." +113005,675433,CALIFORNIA,2017,January,Heavy Rain,"SAN FRANCISCO",2017-01-18 19:21:00,PST-8,2017-01-18 20:21:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-122.42,37.77,-122.42,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Very heavy rain rates near 2.5 inches per hour." +113005,675434,CALIFORNIA,2017,January,Debris Flow,"SONOMA",2017-01-18 15:53:00,PST-8,2017-01-18 17:53:00,0,0,0,0,0.00K,0,0.00K,0,38.5071,-122.9648,38.5069,-122.9648,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Mud/rock/dirt slide into river road near Korbel." +113005,675436,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-18 17:36:00,PST-8,2017-01-18 19:36:00,0,0,0,0,0.00K,0,0.00K,0,37.0331,-122.0625,37.033,-122.0626,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Large boulders blocking one lane of hwy 9 and several other boulders falling into roadway junction of old times rd." +113005,675440,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-18 18:02:00,PST-8,2017-01-18 20:02:00,0,0,0,0,0.00K,0,0.00K,0,37.1284,-122.1229,37.1284,-122.1231,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Culvert flooding. Large amounts of water getting in roadway at hwy 9 and Bear Creek Road." +113005,675441,CALIFORNIA,2017,January,Debris Flow,"SANTA CLARA",2017-01-18 18:02:00,PST-8,2017-01-18 20:02:00,0,0,0,0,0.00K,0,0.00K,0,37.1456,-121.9855,37.1454,-121.9853,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Mud/rock/dirt slide blocking one lane heading towards hwy 17 from Bear Creek Rd." +112729,675519,MARYLAND,2017,March,Thunderstorm Wind,"TALBOT",2017-03-01 14:35:00,EST-5,2017-03-01 14:35:00,0,0,0,0,,NaN,,NaN,38.77,-76.08,38.77,-76.08,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","A tree was downed in Easton due to thunderstorm winds." +112729,675520,MARYLAND,2017,March,Thunderstorm Wind,"QUEEN ANNE'S",2017-03-01 14:38:00,EST-5,2017-03-01 14:38:00,0,0,0,0,,NaN,,NaN,39.14,-75.86,39.14,-75.86,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of the eastern shore of Maryland. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. Near Windward Cove, MD, a wind gust of 62 MPH was recorded during the afternoon hours of March 1st.","Thunderstorm winds caused a tractor trailer truck flipped over on route 313. Spped limit signs were also downed." +112855,675884,PENNSYLVANIA,2017,March,Winter Weather,"NORTHAMPTON",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 4 to 6 inches." +112964,674990,GEORGIA,2017,January,Hail,"BRYAN",2017-01-21 16:00:00,EST-5,2017-01-21 16:03:00,0,0,0,0,,NaN,0.00K,0,31.94,-81.3,31.94,-81.3,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","A trained spotter reported penny sized hail and 30 mph wind gusts in Richmond Hill." +111564,676617,CALIFORNIA,2017,January,Flood,"AMADOR",2017-01-09 22:00:00,PST-8,2017-01-10 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-120.77,38.3505,-120.7706,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Flooding reported on Highway 49, along South Ave. in Jackson for backs of houses near creek, possible flooded basements. Jackson Creek and Sutter Creek rose over banks. Three bridges shut down in the area." +111702,666459,MONTANA,2017,January,Heavy Snow,"FLATHEAD/MISSION VALLEYS",2017-01-07 21:30:00,MST-7,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","Montana Department of Transportation reported widespread 6 to 12 inches of snow during this event. Due to the winter storm, Glacier Park International Airport had some flight cancellations and delays, and Dixon schools were also on a 2 hour delay." +111702,666471,MONTANA,2017,January,Winter Storm,"POTOMAC / SEELEY LAKE REGION",2017-01-08 18:30:00,MST-7,2017-01-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm overrunning event interacted with significant cold pools in valleys of north central ID and western MT. This brought heavy snow initially to many areas followed by freezing rain. The combination of snow and freezing rain caused severe driving conditions across many places in western Montana.","Montana Department of Transportation reported severe driving conditions due to freezing rain between Bonner and Potomac. Schools in Bonner and Potomac had delayed starts to their day." +111564,677597,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-10 09:00:00,PST-8,2017-01-11 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A tree fell on a car a woman was driving to work in eastern Sacramento. Firemen helped her escape, and she had no injuries. Saturated ground and gusty winds were thought responsible. Winds gusted to 45 mph at 3:53 pm PST." +112852,674963,CALIFORNIA,2017,January,Heavy Rain,"PLUMAS",2017-01-03 08:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-120.9311,39.93,-120.9311,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 1.99 inches of rain over 6 hours." +112960,674981,GEORGIA,2017,January,Thunderstorm Wind,"SCREVEN",2017-01-02 17:33:00,EST-5,2017-01-02 17:34:00,0,0,0,0,,NaN,0.00K,0,32.86,-81.67,32.86,-81.67,"Isolated thunderstorms developed along a cold front in the afternoon hours across southeast Georgia. A few of these storms because strong enough to produce hail and damaging winds.","A member o the broadcast media reported a large tree down on a mobile home in the Boscom community. Images on social media show extensive damage to the home." +113306,678118,DELAWARE,2017,March,Flood,"NEW CASTLE",2017-03-31 17:00:00,EST-5,2017-03-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.7534,-75.5052,39.7523,-75.5048,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Route 13 closed between Lea and Edgemoor roads." +113307,678177,NEW JERSEY,2017,March,Flood,"MONMOUTH",2017-03-31 14:00:00,EST-5,2017-03-31 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.23,-74.23,40.2325,-74.155,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Flooding of small streams and creeks." +113307,678178,NEW JERSEY,2017,March,Flood,"GLOUCESTER",2017-03-31 15:00:00,EST-5,2017-03-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.7717,-75.0689,39.7685,-75.0229,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Flooding on the Black Horse Pike." +113307,678179,NEW JERSEY,2017,March,Flood,"HUNTERDON",2017-03-31 15:00:00,EST-5,2017-03-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-74.82,40.4815,-74.8215,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","The Neshanic River reached flood stage." +113307,678180,NEW JERSEY,2017,March,Flood,"HUNTERDON",2017-03-31 17:00:00,EST-5,2017-03-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5777,-74.695,40.5499,-74.7015,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Poor drainage flooding." +112970,675039,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:38:00,CST-6,2017-01-02 08:38:00,0,0,0,0,,NaN,,NaN,29.805,-95.3173,29.805,-95.3173,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","Trees and power lines were downed in the Kashmere Gardens area." +112998,677961,CALIFORNIA,2017,January,Flood,"KINGS",2017-01-08 00:00:00,PST-8,2017-01-11 23:59:00,0,0,0,0,637.19K,637190,0.00K,0,36.2666,-119.8279,35.9058,-120.0414,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","CalTrans reported accelerated pavement failure areas of Highway 41 across Kings County due to flood waters." +111564,677480,CALIFORNIA,2017,January,Debris Flow,"BUTTE",2017-01-09 21:00:00,PST-8,2017-01-10 21:00:00,0,0,0,0,4.26M,4260000,0.00K,0,39.7636,-121.4677,39.7659,-121.4554,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Rocks, mud, on Highway 70, making the roadway unpassable, as well as a slip out." +112852,674212,CALIFORNIA,2017,January,Flood,"EL DORADO",2017-01-03 19:00:00,PST-8,2017-01-04 19:45:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.92,38.7664,-120.9162,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","Minor street flooding was reported on roads near Gold Hill." +114406,685988,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-08 19:03:00,MST-7,2017-05-08 19:10:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-104.38,34.73,-104.38,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Hail up to the size of quarters." +112998,675339,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 01:16:00,PST-8,2017-01-09 01:16:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-119.35,36.9675,-119.3497,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported dirt and rocks on roadway due to small landslide from heavy rain on Burrough Valley Road near Sycamore Road east of Humphreys Station." +111564,676624,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-08 07:00:00,PST-8,2017-01-09 07:34:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.5,38.76,-120.5,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was a 24 hour total of 4.25 of rain in Pacific House, with an 8 day total of 13.89." +112998,675329,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-08 21:21:00,PST-8,2017-01-08 21:21:00,0,0,0,0,0.00K,0,0.00K,0,36.1224,-120.5647,36.1021,-120.5574,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported Highway 198 was closed due to road flooding from Firestone Avenue to the Fresno/Monterey County line west of Coalinga." +114406,685991,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-08 19:12:00,MST-7,2017-05-08 19:14:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-104.6,33.37,-104.6,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Nickel to quarter size hail on the west side of Roswell." +112998,675331,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-08 23:17:00,PST-8,2017-01-08 23:17:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-119.63,37.3822,-119.6216,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported southbound lane of Highway 41 was blocked due to debris flow near Road 632 north of Yosemite Forks." +113005,675444,CALIFORNIA,2017,January,Debris Flow,"SAN MATEO",2017-01-18 21:22:00,PST-8,2017-01-18 23:22:00,0,0,0,0,0.00K,0,0.00K,0,37.3188,-122.2744,37.3187,-122.2744,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Mud slide blocking portions of hwy 84." +113005,675785,CALIFORNIA,2017,January,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-01-18 15:53:00,PST-8,2017-01-18 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Tree down, 50 ft, blocking north bound lanes Lawrence Expressway at Monroe." +113005,682539,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-18 19:30:00,PST-8,2017-01-18 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3133,-122.4959,38.3049,-122.491,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain resulted in flooding on the Sonoma Creek. The Sonoma Creek stream gauge at Agua Caliente rose above flood stage at 7:30 pm PST on January 18 and remained above flood stage until 10:30 pm PST." +113005,682541,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-18 19:45:00,PST-8,2017-01-19 01:45:00,0,0,0,0,0.00K,0,0.00K,0,38.3633,-122.7552,38.3369,-122.7631,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain on January 18 caused the Laguna de Santa Rosa to flood. The stream gauge on the Laguna de Santa Rosa at Stony Point Road rose above flood stage at 7:45 pm PST on January 18 and remained above flood stage until 1:45 am PST on January 19." +112964,674989,GEORGIA,2017,January,Hail,"TATTNALL",2017-01-21 14:55:00,EST-5,2017-01-21 14:58:00,0,0,0,0,,NaN,0.00K,0,31.92,-82.1,31.92,-82.1,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","Videos received through social media show large hail estimated at golf ball size falling in the community of Cowford." +114406,685978,NEW MEXICO,2017,May,Hail,"HARDING",2017-05-08 16:25:00,MST-7,2017-05-08 16:32:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-104.2,35.94,-104.2,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Hail up to the size of golf balls in Roy." +114406,685980,NEW MEXICO,2017,May,Hail,"SAN MIGUEL",2017-05-08 16:42:00,MST-7,2017-05-08 16:45:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-104.44,35.63,-104.44,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Nickel to quarter size hail 10 miles east-southeast of Maes." +119277,716217,MISSOURI,2017,July,Excessive Heat,"IRON",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +119277,716218,MISSOURI,2017,July,Excessive Heat,"MADISON",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +119277,716219,MISSOURI,2017,July,Excessive Heat,"REYNOLDS",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +119277,716220,MISSOURI,2017,July,Excessive Heat,"ST. FRANCOIS",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +119277,716221,MISSOURI,2017,July,Excessive Heat,"STE. GENEVIEVE",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +119277,716223,MISSOURI,2017,July,Excessive Heat,"WASHINGTON",2017-07-21 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit southeast Missouri July 21 through July 23. High temperatures were in the upper 90s to around 100 with the heat index from 105 to 110 degrees.","" +112998,675340,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-09 02:11:00,PST-8,2017-01-09 02:11:00,0,0,0,0,0.00K,0,0.00K,0,37.0585,-119.6572,37.0608,-119.6536,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported rocks and dirt on Road 200 at Ralston Way just west of Fine Gold Creek north of Millerton Lake." +113005,682546,CALIFORNIA,2017,January,Flash Flood,"SANTA CRUZ",2017-01-20 07:25:00,PST-8,2017-01-20 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0507,-122.0717,37.0483,-122.0705,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain in the Santa Cruz Mountains resulted in flooding on the San Lorenzo River. The San Lorenzo stream gauge at Big Trees rose above flood stage at 7:25 am PST on January 20 and remained above flood stage until 8:30 am PST." +112916,675236,OHIO,2017,January,Lake-Effect Snow,"CUYAHOGA",2017-01-29 08:00:00,EST-5,2017-01-30 10:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. A few of the higher snowfall totals from Cuyahoga County included 14.0 and 13.8 inches in separate reports from Shaker Heights; 13.6 inches at Chagrin Falls; 8.5 inches in Euclid, 8.0 in Kamms Corners and 7.8 inches in Solon. In Geauga County some of the higher totals included 15.0 inches at Chardon; 13.0 inches at Burton; 11.5 inches north of Chardon and 9.2 inches in Montville Township. In Trumbull County a peak total of 9.0 inches was reported near Kinsman. In Lake County both South Madison and Kirtland saw 8.0 inches of snow. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area.","Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. A few of the higher snowfall totals from Cuyahoga County included 14.0 and 13.8 inches in separate reports from Shaker Heights; 13.6 inches at Chagrin Falls; 8.5 inches in Euclid, 8.0 in Kamms Corners and 7.8 inches in Solon. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area." +114088,683178,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:02:00,EST-5,2017-05-01 19:02:00,0,0,0,0,10.00K,10000,0.00K,0,44.81,-74.4,44.81,-74.4,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +114088,683177,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:00:00,EST-5,2017-05-01 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.94,-74.57,44.94,-74.57,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +112998,675334,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-09 00:03:00,PST-8,2017-01-09 00:03:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-119.02,36.3993,-119.0156,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Broadcast Media reported Highway 198 near Road 248 was closed due to flooding near Citro." +112970,675031,TEXAS,2017,January,Thunderstorm Wind,"LIBERTY",2017-01-02 06:00:00,CST-6,2017-01-02 06:00:00,0,0,0,0,,NaN,,NaN,30.2917,-95.0786,30.2917,-95.0786,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","A tree was downed onto County Road 331 near the South Cleveland water tower." +112970,675042,TEXAS,2017,January,Thunderstorm Wind,"HARRIS",2017-01-02 08:47:00,CST-6,2017-01-02 08:47:00,0,0,0,0,,NaN,,NaN,29.8636,-95.3949,29.8636,-95.3949,"Early morning thunderstorm wind damage was associated with a disturbance moving eastward across the area.","Power line was downed at the intersection of East Echo Glen Drive and Werner Street." +113005,675442,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-18 20:44:00,PST-8,2017-01-18 22:44:00,0,0,0,0,0.00K,0,0.00K,0,37.1675,-122.0738,37.1673,-122.0739,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Lines, trees, and mud almost covering entire roadway of Bear Creek Rd at Deerwood Dr." +113005,675443,CALIFORNIA,2017,January,Debris Flow,"NAPA",2017-01-18 21:20:00,PST-8,2017-01-18 23:20:00,0,0,0,0,0.00K,0,0.00K,0,38.3917,-122.4114,38.3909,-122.4107,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Mud slide covering west bound lane of Dry Creek Rd." +113005,682542,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-20 04:45:00,PST-8,2017-01-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3153,-122.4976,38.3062,-122.4901,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain resulted in flash flooding on both the Willow Brook at Penngrove and Sonoma Creek at Agua Caliente. The Sonoma Creek stream gauge at Agua Caliente rose above flood stage at 4:45 am on January 20 and remained above flood stage until 8 am that day." +111564,674969,CALIFORNIA,2017,January,Winter Weather,"NORTHERN SACRAMENTO VALLEY",2017-01-07 00:00:00,PST-8,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 3 inches of low elevation snow, at elevation 335 feet. This caused travel problems on area roads. Precipitation switched from snow to rain at 10 am." +112961,674982,GEORGIA,2017,January,Thunderstorm Wind,"CANDLER",2017-01-03 00:48:00,EST-5,2017-01-03 00:49:00,0,0,0,0,,NaN,0.00K,0,32.46,-82.08,32.46,-82.08,"A line of thunderstorms developed along a stationary front in the late evening hours and pushed eastward across southeast Georgia. Portions of the line of thunderstorms became strong enough to produce damaging wind gusts.","Candler County dispatch reported a tree down and across the roadway near the intersection o Highway 121 and Forehand Lane." +112964,674987,GEORGIA,2017,January,Tornado,"SCREVEN",2017-01-21 14:42:00,EST-5,2017-01-21 14:45:00,0,0,0,0,,NaN,0.00K,0,32.82,-81.76,32.83,-81.76,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts, large hail, and a few tornadoes.","A National Weather Service storm survey team confirmed an EF-0 tornado in Screven County. The tornado touched down along Bay Branch Road, initially damaging a carport attached to a residence. This narrow tornado then followed a path toward the north-northeast, ripping metal roofing from 4 storage buildings and depositing some of this metal in trees on the north side of Buttermilk Road. The tornado then crossed Buttermilk Road and produced significant tree damage along a dirt road, then crossed an open field and produced additional tree damage along the tree line north o the ield before lifting." +112998,675338,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-09 01:00:00,PST-8,2017-01-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4505,-118.9013,36.4539,-118.8963,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Tulare County Official reported that the bridge at Kaweah River Drive was closed due to flooding northeast of Three Rivers." +112998,675336,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-09 00:46:00,PST-8,2017-01-09 00:46:00,0,0,0,0,0.00K,0,0.00K,0,37,-119.53,36.9961,-119.526,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported rocks and boulders blocking part of southbound lane on Highway 168 near Tollhouse south of Prather." +115538,693716,NEW JERSEY,2017,May,Hail,"HUNTERDON",2017-05-31 19:15:00,EST-5,2017-05-31 19:15:00,0,0,0,0,,NaN,,NaN,40.55,-74.91,40.55,-74.91,"Although a very unstable airmass was present coupled with ample shear only a few thunderstorms formed due to the lack of a lifting feature across the region. One thunderstorm became severe tracking northeast from Hunterdon into Somerset and Sussex counties. Numerous hail reports of .5 and .75 inch were recorded. A couple of the reports met severe criteria.","Measured." +115538,693717,NEW JERSEY,2017,May,Hail,"HUNTERDON",2017-05-31 19:15:00,EST-5,2017-05-31 19:15:00,0,0,0,0,,NaN,,NaN,40.58,-74.96,40.58,-74.96,"Although a very unstable airmass was present coupled with ample shear only a few thunderstorms formed due to the lack of a lifting feature across the region. One thunderstorm became severe tracking northeast from Hunterdon into Somerset and Sussex counties. Numerous hail reports of .5 and .75 inch were recorded. A couple of the reports met severe criteria.","Measured." +115538,693718,NEW JERSEY,2017,May,Hail,"HUNTERDON",2017-05-31 19:18:00,EST-5,2017-05-31 19:18:00,0,0,0,0,,NaN,,NaN,40.51,-74.86,40.51,-74.86,"Although a very unstable airmass was present coupled with ample shear only a few thunderstorms formed due to the lack of a lifting feature across the region. One thunderstorm became severe tracking northeast from Hunterdon into Somerset and Sussex counties. Numerous hail reports of .5 and .75 inch were recorded. A couple of the reports met severe criteria.","Size estimated." +115538,693719,NEW JERSEY,2017,May,Hail,"SOMERSET",2017-05-31 19:35:00,EST-5,2017-05-31 19:35:00,0,0,0,0,,NaN,,NaN,40.55,-74.72,40.55,-74.72,"Although a very unstable airmass was present coupled with ample shear only a few thunderstorms formed due to the lack of a lifting feature across the region. One thunderstorm became severe tracking northeast from Hunterdon into Somerset and Sussex counties. Numerous hail reports of .5 and .75 inch were recorded. A couple of the reports met severe criteria.","One inch and nickel size hail both measured at slightly different times." +113005,682548,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-22 04:15:00,PST-8,2017-01-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3139,-122.4949,38.3064,-122.4877,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain on January 22, 2017, resulted in flooding on the Sonoma Creek. The Sonoma Creek stream gauge at Agua Caliente rose above flood stage at 4:15 AM PST on January 22 and remained above flood stage until 8:30 AM PST." +113005,682549,CALIFORNIA,2017,January,Debris Flow,"SANTA CLARA",2017-01-22 08:12:00,PST-8,2017-01-22 11:15:00,0,0,0,0,0.00K,0,0.00K,0,37.1331,-121.8193,37.1087,-121.8145,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Remote rain gauge data in the Loma Burn Scar indicated rain rates approaching 0.75 per hour, rates that were predetermined to cause debris flows in the burn scar." +113005,682551,CALIFORNIA,2017,January,Flash Flood,"SAN BENITO",2017-01-22 11:45:00,PST-8,2017-01-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9382,-121.4289,36.9149,-121.4197,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","Heavy rain on January 24 caused the Pacheco Creek in San Benito County to flood. The Pacheco Creek stream gauge near Dunneville rose above flood stage at 11:45 am PST on January 22 and remained above flood stage until 4 pm PST on January 22." +112997,675831,VIRGINIA,2017,January,Blizzard,"HAMPTON/POQUOSON",2017-01-06 23:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and twelve inches of snow, some sleet, and very strong winds across Hampton Roads and the Virginia Eastern Shore.","Snowfall totals were generally between 8 inches and 12 inches across the county. Very strong north winds affected the area, producing blowing snow and poor visibilities. City of Hampton and Buckroe Beach reported 12 inches of snow. City of Poquoson (1 NNW Messick) reported 9.5 inches of snow." +112823,674097,COLORADO,2017,January,High Wind,"CANON CITY VICINITY / EASTERN FREMONT COUNTY",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112823,674098,COLORADO,2017,January,High Wind,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112823,674099,COLORADO,2017,January,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112152,668859,KENTUCKY,2017,January,Winter Weather,"MARSHALL",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +111564,674970,CALIFORNIA,2017,January,Winter Weather,"NORTHERN SACRAMENTO VALLEY",2017-01-07 00:00:00,PST-8,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 3 inches of low elevation snow in Redding, at elevation 565 feet. This caused travel problems on city roads." +116395,699965,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 18:57:00,EST-5,2017-05-18 18:57:00,0,0,0,0,,NaN,,NaN,42.64,-73.73,42.64,-73.73,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees were reported down." +112523,671100,KENTUCKY,2017,January,Strong Wind,"TODD",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112872,674279,OKLAHOMA,2017,February,High Wind,"CIMARRON",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112152,668861,KENTUCKY,2017,January,Winter Weather,"MUHLENBERG",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668860,KENTUCKY,2017,January,Winter Weather,"MCCRACKEN",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,1,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112777,673652,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 11:35:00,CST-6,2017-01-02 11:35:00,0,0,0,0,20.00K,20000,0.00K,0,30.4,-86.87,30.4,-86.87,"Lightning strikes caused house fires in the Florida panhandle.","Lightning caused a house fire on Surfside Cove." +112777,673659,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 12:05:00,CST-6,2017-01-02 12:05:00,0,0,0,0,20.00K,20000,0.00K,0,30.35,-87.15,30.35,-87.15,"Lightning strikes caused house fires in the Florida panhandle.","Lightning strike caused a house fire on Autumn Breeze Circle." +112592,671860,CALIFORNIA,2017,January,Flood,"NAPA",2017-01-03 23:58:00,PST-8,2017-01-04 00:58:00,0,0,0,0,0.00K,0,0.00K,0,38.4003,-122.3578,38.4002,-122.3575,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Two feet of water in the road near Heather and Oak Circle. Road has been temporarily closed." +112523,671093,KENTUCKY,2017,January,Strong Wind,"GRAVES",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +119762,718211,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-17 17:25:00,MST-7,2017-07-17 17:35:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-113.17,34.57,-113.17,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Power lines and trees were blown down by thunderstorm winds in Bagdad." +119762,718222,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-17 20:45:00,MST-7,2017-07-17 22:45:00,0,0,0,0,0.00K,0,0.00K,0,34.6429,-111.5737,34.654,-111.7358,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","A flash flood was reported in Walker Creek, a tributary into Wet Beaver Creek, at 845 PM. The water was estimated to be flowing 4-5 feet deep in a normally dry area. Radar showed that two inches of rain fell southeast of the area an hour to an hour and a half earlier." +112523,671094,KENTUCKY,2017,January,Strong Wind,"HENDERSON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +116395,699966,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 19:13:00,EST-5,2017-05-18 19:13:00,0,0,0,0,,NaN,,NaN,42.8,-73.33,42.8,-73.33,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Tree limbs were reported down." +112592,671870,CALIFORNIA,2017,January,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-01-03 08:22:00,PST-8,2017-01-03 08:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Los Gatos Raws. Elevation 1842 feet." +112523,671095,KENTUCKY,2017,January,Strong Wind,"HOPKINS",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671096,KENTUCKY,2017,January,Strong Wind,"MARSHALL",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112944,674823,ALABAMA,2017,January,Drought,"MARENGO",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674824,ALABAMA,2017,January,Drought,"AUTAUGA",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674826,ALABAMA,2017,January,Drought,"ELMORE",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674827,ALABAMA,2017,January,Drought,"LOWNDES",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112592,671871,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-03 08:47:00,PST-8,2017-01-03 08:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Very large tree blocking roadway in Pebble Beach at Sloat Rd and Aztec Rd." +112592,671872,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-03 09:19:00,PST-8,2017-01-03 09:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Large tree down in roadway at fort rd." +112592,671873,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-03 09:20:00,PST-8,2017-01-03 09:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Tree down across hwy 1 near pacific valley." +112592,671874,CALIFORNIA,2017,January,High Wind,"SAN FRANCISCO PENINSULA COAST",2017-01-03 09:23:00,PST-8,2017-01-03 09:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Elevation 900 feet. At 1 S Sausalito in Marin County." +112592,671877,CALIFORNIA,2017,January,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-01-03 10:46:00,PST-8,2017-01-03 10:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Trees down on roadway, SR 152 near Mt. Madonna." +112592,671880,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-04 12:49:00,PST-8,2017-01-04 13:59:00,0,0,0,0,0.00K,0,0.00K,0,37.084,-122.089,37.0842,-122.0887,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Rock and water on roadway at state route 9 and Woodland Dr." +112592,671882,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-04 12:51:00,PST-8,2017-01-04 13:51:00,0,0,0,0,0.00K,0,0.00K,0,37.0493,-122.0836,37.0491,-122.0835,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Mud dirt and rock across roadway at Felton Empire Rd and Bennett Creek Trail." +112152,668849,KENTUCKY,2017,January,Winter Weather,"UNION",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112997,675841,VIRGINIA,2017,January,Blizzard,"NORTHAMPTON",2017-01-07 00:00:00,EST-5,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and twelve inches of snow, some sleet, and very strong winds across Hampton Roads and the Virginia Eastern Shore.","Snowfall totals were generally between 8 inches and 14 inches across the county. Very strong north winds affected the area, producing blowing snow and poor visibilities." +111564,676626,CALIFORNIA,2017,January,Heavy Rain,"PLACER",2017-01-08 12:00:00,PST-8,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-120.53,39.28,-120.53,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 14.07 of rain over 72 hours at Huysink along I80." +112916,675238,OHIO,2017,January,Lake-Effect Snow,"TRUMBULL",2017-01-29 11:00:00,EST-5,2017-01-30 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. A few of the higher snowfall totals from Cuyahoga County included 14.0 and 13.8 inches in separate reports from Shaker Heights; 13.6 inches at Chagrin Falls; 8.5 inches in Euclid, 8.0 in Kamms Corners and 7.8 inches in Solon. In Geauga County some of the higher totals included 15.0 inches at Chardon; 13.0 inches at Burton; 11.5 inches north of Chardon and 9.2 inches in Montville Township. In Trumbull County a peak total of 9.0 inches was reported near Kinsman. In Lake County both South Madison and Kirtland saw 8.0 inches of snow. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area.","Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. In Trumbull County a peak total of 9.0 inches was reported near Kinsman." +112944,674828,ALABAMA,2017,January,Drought,"MONTGOMERY",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674829,ALABAMA,2017,January,Drought,"MACON",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674830,ALABAMA,2017,January,Drought,"LEE",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112944,674831,ALABAMA,2017,January,Drought,"BULLOCK",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D0 category." +112944,674832,ALABAMA,2017,January,Drought,"RUSSELL",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D0 category." +112523,671101,KENTUCKY,2017,January,Strong Wind,"TRIGG",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671102,KENTUCKY,2017,January,Strong Wind,"UNION",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671103,KENTUCKY,2017,January,Strong Wind,"BALLARD",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671106,KENTUCKY,2017,January,Strong Wind,"LIVINGSTON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671107,KENTUCKY,2017,January,Strong Wind,"LYON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671108,KENTUCKY,2017,January,Strong Wind,"WEBSTER",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +119272,716178,ILLINOIS,2017,July,Excessive Heat,"CALHOUN",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716179,ILLINOIS,2017,July,Excessive Heat,"CLINTON",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716180,ILLINOIS,2017,July,Excessive Heat,"FAYETTE",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716181,ILLINOIS,2017,July,Excessive Heat,"GREENE",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716183,ILLINOIS,2017,July,Excessive Heat,"MACOUPIN",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +114944,689523,NEW MEXICO,2017,May,High Wind,"NORTHWEST PLATEAU",2017-05-25 17:23:00,MST-7,2017-05-25 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough crossing the southern Rockies generated windy conditions across much of New Mexico. A thin layer of mid level moisture approaching the Four Corners region from southwest Colorado allowed a few virga showers to develop by late in the day. A passing shower near Farmington produced a brief high wind gust to 59 mph at the airport.","Farmington." +112852,674948,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-01 06:00:00,PST-8,2017-01-02 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 12 inches of snow measured at Soda Springs by Caltrans, 24 hour total. This caused travel difficulties on Sierra highways, especially due to increased travel after the New Years holiday weekend." +111564,665646,CALIFORNIA,2017,January,Flood,"SACRAMENTO",2017-01-07 13:00:00,PST-8,2017-01-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5304,-121.2472,38.523,-121.2491,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Kiefer Boulevard north of Jackson Rd. was closed due to flooding." +111564,665653,CALIFORNIA,2017,January,Flood,"NEVADA",2017-01-07 17:33:00,PST-8,2017-01-08 17:33:00,0,0,0,0,10.00K,10000,0.00K,0,39.32,-120.45,39.3188,-120.4435,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Homes flooded near the Plavada subdivision in Kingvale, with 2 feet of water in some homes and garages." +112523,671104,KENTUCKY,2017,January,Strong Wind,"CARLISLE",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +114406,685820,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:18:00,MST-7,2017-05-08 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-104.19,34.39,-104.19,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Multiple rounds of hail with the largest stones up to quarter size a couple different times over the 20 minute period." +112997,675834,VIRGINIA,2017,January,Blizzard,"NORFOLK",2017-01-07 00:00:00,EST-5,2017-01-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and twelve inches of snow, some sleet, and very strong winds across Hampton Roads and the Virginia Eastern Shore.","Snowfall totals were generally between 5 inches and 7 inches across the county. Snow was mixed with some sleet. Very strong north winds affected the area, producing blowing snow and poor visibilities. Ghent reported 7 inches of snow. Wards Corner (1 SW) reported 6.6 inches of snow. Norfolk International Airport (ORF) reported 5.3 inches of snow. Cradock reported 6 inches of snow." +112997,675842,VIRGINIA,2017,January,Blizzard,"VIRGINIA BEACH",2017-01-07 00:00:00,EST-5,2017-01-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and twelve inches of snow, some sleet, and very strong winds across Hampton Roads and the Virginia Eastern Shore.","Snowfall totals were generally between 3 inches and 7 inches across the county. Snow was mixed with sleet over the area. Very strong north winds affected the area, producing blowing snow and poor visibilities. Bayside (3 E) reported 7 inches of snow. North Virginia Beach (1 WNW) reported 6 inches of snow. London Bridge (3 N) reported 5.1 inches of snow." +112800,673916,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4192,-118.5397,35.4182,-118.5271,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding south of Havilah on Walser Road from Dailey Road to Caliente Bodfish Road." +112800,673954,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,6.00K,6000,0.00K,0,35.6161,-118.4812,35.6187,-118.4802,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding in Lake Isabella at the intersection of Lake Isabella Road and Erskine Creek Road. Power poles were also reported leaning due to erosion in this area." +112800,673957,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:30:00,PST-8,2017-01-05 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.284,-118.8305,35.2653,-118.8285,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding east of Lamont on Tejon Highway from Mountain View Road to Panama Road." +112800,673975,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 10:30:00,PST-8,2017-01-05 10:30:00,0,0,0,0,0.00K,0,0.00K,0,35.1255,-118.6048,35.115,-118.6055,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding near Bear Valley Springs on Pellisier Road between Giraudo Road and Baumbach Road." +111564,674966,CALIFORNIA,2017,January,Flood,"PLUMAS",2017-01-07 16:00:00,PST-8,2017-01-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.88,-121.37,39.8802,-121.3719,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Flooding caused closure of Highway 70 near Cresta Dam on Feather River Canyon. This was due to heavy rain which necessitated the opening of the floodgates." +114768,689284,NEW MEXICO,2017,May,High Wind,"CHAVES COUNTY PLAINS",2017-05-16 17:08:00,MST-7,2017-05-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","A public CWOP station at Buck Springs reported a peak wind gust of 62 mph." +114768,689287,NEW MEXICO,2017,May,High Wind,"GUADALUPE COUNTY",2017-05-16 14:45:00,MST-7,2017-05-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","Santa Rosa Route 66 Airport." +114768,689288,NEW MEXICO,2017,May,High Wind,"QUAY COUNTY",2017-05-16 15:52:00,MST-7,2017-05-16 15:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","Tucumcari Municipal Airport." +114768,689289,NEW MEXICO,2017,May,High Wind,"UPPER TULAROSA VALLEY",2017-05-16 12:28:00,MST-7,2017-05-16 12:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","Several WSMR sites reported peak wind gusts up to 61 mph." +112916,675237,OHIO,2017,January,Lake-Effect Snow,"GEAUGA",2017-01-29 08:00:00,EST-5,2017-01-30 11:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Lake, Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County, portions of Lake County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. A few of the higher snowfall totals from Cuyahoga County included 14.0 and 13.8 inches in separate reports from Shaker Heights; 13.6 inches at Chagrin Falls; 8.5 inches in Euclid, 8.0 in Kamms Corners and 7.8 inches in Solon. In Geauga County some of the higher totals included 15.0 inches at Chardon; 13.0 inches at Burton; 11.5 inches north of Chardon and 9.2 inches in Montville Township. In Trumbull County a peak total of 9.0 inches was reported near Kinsman. In Lake County both South Madison and Kirtland saw 8.0 inches of snow. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area.","Cold northwest winds blowing across Lake Erie caused snow showers to develop before daybreak on January 29th. At that time a band of moderate to heavy snow stretched across Lake and Ashtabula Counties. This band eventually sagged south clipping eastern Cuyahoga County and impacting portions of Geauga and Trumbull Counties as well. This band eventually broke up but other scattered snow showers continued to affect the snow belt areas. A new band developed during the evening of the 29th and continued into the morning hours of the 30th. The snow was heavy at times especially during the predawn hours of the 30th when visibilities were a quarter mile or less and snowfall rates exceeded an inch per hour. The snow began to dissipate after sunrise on the 30th and ended during the afternoon. Eastern Cuyahoga County along with much of Geauga County and the northern half of Trumbull County saw between 6 and 10 inches of accumulation from this activity. In Geauga County some of the higher totals included 15.0 inches at Chardon; 13.0 inches at Burton; 11.5 inches north of Chardon and 9.2 inches in Montville Township. The snow showers caused significant traffic problems over the eastern portion of the Cleveland Metro area. Numerous accidents and long delays were reported in that area." +111564,676641,CALIFORNIA,2017,January,Heavy Rain,"PLACER",2017-01-09 07:00:00,PST-8,2017-01-10 07:52:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-121.22,38.92,-121.22,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Ham radio operators in the Grass Valley/Nevada City area reported 2.5 to 3.0 of rain over 24 hours." +111564,676643,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-09 07:00:00,PST-8,2017-01-10 07:55:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-120.51,38.89,-120.51,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 2.20 of rain measured over 24 hours near Big Bend Summit, with a 9 day total of 16.19." +111564,676644,CALIFORNIA,2017,January,Heavy Rain,"YUBA",2017-01-09 08:00:00,PST-8,2017-01-10 08:38:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-121.28,39.04,-121.28,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was a 24 hour total of 1.46 measured 7 SE of Beale AFB." +111564,676612,CALIFORNIA,2017,January,Flood,"NEVADA",2017-01-07 23:00:00,PST-8,2017-01-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-120.38,39.3195,-120.3785,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Roadway flooding cut off access to Lake Van Norden." +112800,675377,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Public report of 24 hour rainfall of 2.70 inches near Ponderosa Basin in Mariposa County." +112800,675380,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-04 08:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Snotel estimated report of 66 inches of snowfall near Charlotte Lake in Fresno County." +112800,675381,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-04 08:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Snotel estimated report of 12 inches of snowfall near Tioga Pass in Tuolumne County." +120506,721963,MONTANA,2017,October,High Wind,"CHOUTEAU",2017-10-22 08:35:00,MST-7,2017-10-22 08:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust measured by a spotter 15 miles SE of Fort Benton." +120506,721964,MONTANA,2017,October,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-10-22 02:17:00,MST-7,2017-10-22 02:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at a mesonet site 17 miles west of Pendroy." +112592,671885,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-04 02:08:00,PST-8,2017-01-04 03:08:00,0,0,0,0,0.00K,0,0.00K,0,36.9731,-122.0259,36.973,-122.0259,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Tree down and heavy debris/mud slide across entire roadway." +112592,671887,CALIFORNIA,2017,January,Debris Flow,"SONOMA",2017-01-04 02:47:00,PST-8,2017-01-04 03:47:00,0,0,0,0,0.00K,0,0.00K,0,38.538,-122.648,38.5375,-122.6479,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Entire lane blocked by debris WB Calistoga Rd and Gates Rd." +112592,671891,CALIFORNIA,2017,January,Flash Flood,"MONTEREY",2017-01-04 03:47:00,PST-8,2017-01-04 04:47:00,0,0,0,0,0.00K,0,0.00K,0,36.813,-121.704,36.813,-121.7032,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Three feet of water in roadway near Paradise Rd/Lakeview Dr intersection." +112838,674197,TEXAS,2017,February,High Wind,"DALLAM",2017-02-23 14:23:00,CST-6,2017-02-23 15:23:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +112915,675153,LOUISIANA,2017,January,Astronomical Low Tide,"WEST CAMERON",2017-01-22 23:00:00,CST-6,2017-01-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","The tide level fell below -1 foot MLLW for multiple hours and reached -2.3 feet at Cameron." +117809,708204,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"CONNEAUT OH TO RIPLEY NY",2017-06-19 18:39:00,EST-5,2017-06-19 18:39:00,0,0,0,0,0.00K,0,0.00K,0,41.8882,-80.788,41.8882,-80.788,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","A 58 mph thunderstorm wind gust was measured at the Ashtabula Lighthouse." +117808,708205,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-19 18:33:00,EST-5,2017-06-19 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-80.15,41.63,-80.15,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a couple of trees in the Meadville area." +113704,681114,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ELK",2017-04-16 16:24:00,EST-5,2017-04-16 16:24:00,0,0,0,0,2.00K,2000,0.00K,0,41.26,-78.49,41.26,-78.49,"A line of showers and thunderstorms developed during the afternoon of April 16 along a pre-frontal trough that was situated just downwind of Lake Erie. The airmass across central Pennsylvania was unseasonably warm, although low-level moisture was limited. One of the storms produced damaging winds in Elk County, while small (sub-severe) hail was reported in Clearfield County.","A severe thunderstorm produced winds estimated around 60 mph and knocked down trees in Jay Township near Force." +112823,674095,COLORADO,2017,January,High Wind,"TELLER COUNTY / RAMPART RANGE ABOVE 7500 FT / PIKES PEAK BETWEEN 7500 & 11000 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00B,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112823,674096,COLORADO,2017,January,High Wind,"PIKES PEAK ABOVE 11000 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +113763,681116,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ELK",2017-04-20 21:14:00,EST-5,2017-04-20 21:14:00,0,0,0,0,7.00K,7000,0.00K,0,41.4174,-78.7355,41.4174,-78.7355,"A cold front crossing the area was the focus for numerous showers and thunderstorms the evening of April 20th. The strongest storms affected northwestern Pennsylvania, where a single cell developed ahead of the main squall line and produced hail, wind damage, and a weak tornado in Warren County. A bow echo along the squall line produced additional wind damage in Elk County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Ridgway, and one tree fell onto an unoccupied vehicle." +114406,686002,NEW MEXICO,2017,May,Flash Flood,"GUADALUPE",2017-05-08 21:00:00,MST-7,2017-05-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,34.6795,-104.3736,34.7459,-104.3475,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Radar estimated 4 to 8 inches of rainfall over a large area of the Alamogordo Creek drainage. The creek nearly reached the base of the U.S. Highway 84 bridge near Sumner Lake. Several low water crossings northeast of this area along the creek washed out." +112800,675382,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-04 08:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Snotel estimated report of 72 inches of snowfall near Dana Meadows in Tuolumne County." +112800,681812,CALIFORNIA,2017,January,Flash Flood,"KERN",2017-01-05 09:30:00,PST-8,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5854,-118.5068,35.5789,-118.4979,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding in Bodfish on Caliente Bodfish Road at Rim Road for southbound traffic." +111564,676653,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-10 07:00:00,PST-8,2017-01-11 07:21:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-120.21,38.93,-120.21,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 1 of new snow at elevation 4050', 9 NNW Twin Bridges." +120445,721591,MISSOURI,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-23 01:30:00,CST-6,2017-07-23 01:55:00,0,0,0,0,0.00K,0,0.00K,0,39.0125,-91.1264,39.0727,-90.7498,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","A wide swath of damaging winds occurred across Lincoln County. Numerous trees, tree limbs and power lines were blown down near Hawk Point, Cave, Troy, Moscow Mills, Winfield and Elsberry areas. Some homes sustained roof damage from the fallen trees. Also, a vehicle in Elsberry sustained major damage from a fallen tree." +120445,721592,MISSOURI,2017,July,Thunderstorm Wind,"PIKE",2017-07-23 01:45:00,CST-6,2017-07-23 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.45,-91.05,39.45,-91.05,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down a 100 foot tall, 6 foot diameter tree down onto a house. It caused major damage to the home. Six people were in the home at the time, but no one sustained any injuries." +112592,682448,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-04 02:00:00,PST-8,2017-01-04 10:00:00,0,0,0,0,5.00K,5000,5.00K,5000,38.3306,-122.7375,38.3409,-122.7746,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Colgan Creek near Sebastopol went above flood stage." +112592,682458,CALIFORNIA,2017,January,Debris Flow,"MONTEREY",2017-01-04 04:40:00,PST-8,2017-01-04 10:40:00,0,0,0,0,5.00K,5000,5.00K,5000,36.3511,-121.8499,36.3223,-121.8496,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Rain gauges in the burn scar were experiencing rain rates between 0.75-1.5 per hour, exceeding pre-established thresholds for debris flows. Damage are estimates." +120445,721596,MISSOURI,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-23 02:04:00,CST-6,2017-07-23 02:04:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-90.3,38.75,-90.3,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down several large tree limbs." +112860,678377,PENNSYLVANIA,2017,March,Strong Wind,"EASTERN CHESTER",2017-03-14 09:15:00,EST-5,2017-03-14 09:15:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Trees and wires downed due to ice and wind." +112856,678383,DELAWARE,2017,March,High Wind,"KENT",2017-03-14 09:22:00,EST-5,2017-03-14 09:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Measured Gust." +112858,678387,MARYLAND,2017,March,Winter Weather,"QUEEN ANNES",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Just over an inch of snow." +112858,678388,MARYLAND,2017,March,Winter Weather,"CECIL",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall totals ranged from 3 to 4 inches." +119270,716170,ILLINOIS,2017,July,Heat,"MADISON",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th.","" +112592,682459,CALIFORNIA,2017,January,Flash Flood,"SANTA CLARA",2017-01-04 15:30:00,PST-8,2017-01-04 17:30:00,0,0,0,0,5.00K,5000,5.00K,5000,36.9868,-121.5498,37.0057,-121.5821,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Media reported flash flooding of Uvas Creek overflowing near Christmas Hill Park in Gilroy, CA. Damage are estimates." +112592,683580,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-03 18:05:00,PST-8,2017-01-03 19:05:00,0,0,0,0,0.00K,0,0.00K,0,38.5039,-122.8615,38.5031,-122.8612,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Eastside road at Trenton Healdsburg Road entire roadway flooded." +112592,683598,CALIFORNIA,2017,January,Flood,"SANTA CLARA",2017-01-03 20:07:00,PST-8,2017-01-03 21:07:00,0,0,0,0,0.00K,0,0.00K,0,37.3169,-121.9756,37.3167,-121.9757,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Roadway flooding. 1 foot deep in right lane of I-280 and Saratoga Ave." +112523,671105,KENTUCKY,2017,January,Strong Wind,"HICKMAN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +116395,699931,NEW YORK,2017,May,Hail,"FULTON",2017-05-18 17:18:00,EST-5,2017-05-18 17:18:00,0,0,0,0,,NaN,,NaN,43.1,-74.3,43.1,-74.3,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +112152,668853,KENTUCKY,2017,January,Winter Weather,"CALDWELL",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112915,675154,LOUISIANA,2017,January,Astronomical Low Tide,"EAST CAMERON",2017-01-22 23:00:00,CST-6,2017-01-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","The tide level fell below -1 foot MLLW for multiple hours and reached -2.3 feet at Cameron." +112915,675155,LOUISIANA,2017,January,Astronomical Low Tide,"VERMILION",2017-01-22 23:00:00,CST-6,2017-01-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","The tide level fell below -1 foot MLLW for multiple hours and reached -1.83 feet at Fresh Water Lock." +112915,675165,LOUISIANA,2017,January,Astronomical Low Tide,"WEST CAMERON",2017-01-26 05:00:00,CST-6,2017-01-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","Strong north winds pushed out the tide along the coast for multiple tide cycles. The tide fell below -1 foot MLLW during 2 low tides with a minimum reading of -1.73 feet at Cameron." +112915,675167,LOUISIANA,2017,January,Astronomical Low Tide,"EAST CAMERON",2017-01-26 05:00:00,CST-6,2017-01-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","Strong north winds pushed out the tide along the coast for multiple tide cycles. The tide fell below -1 foot MLLW during 2 low tides with a minimum reading of -1.73 feet at Cameron." +112915,675168,LOUISIANA,2017,January,Astronomical Low Tide,"VERMILION",2017-01-26 06:00:00,CST-6,2017-01-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of cold fronts produced strong north to northwest winds across the coast. This pushed the tides below -1 MLLW during multiple tide cycles.","Strong north winds pushed out the tide along the coast for multiple tide cycles. The tide fell below -1 foot MLLW during 2 low tides with a minimum reading of -1.4 feet at Fresh Water Lock." +112152,668857,KENTUCKY,2017,January,Winter Weather,"LIVINGSTON",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +111564,676654,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-10 07:25:00,PST-8,2017-01-11 07:25:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-120.48,38.89,-120.48,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 4.16 inches of rain measured 4 NE Big Bend Summit, with a 10 day total of 20.35." +111564,676655,CALIFORNIA,2017,January,Heavy Rain,"PLACER",2017-01-10 07:30:00,PST-8,2017-01-11 07:40:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-121.24,38.94,-121.24,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 1.77 of rain measured at 5 ENE Lincoln over 24 hours. Grass Valley ham radio operators reported 3.5 of rain." +112523,671089,KENTUCKY,2017,January,Strong Wind,"CHRISTIAN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +119274,716210,ILLINOIS,2017,July,Excessive Heat,"MADISON",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit the St. Louis Metro area from July 18 - 23. High temperatures started in the upper 90s then ended near 110 on the 23rd. The heat index ranged from 105 to around 110 degrees.","" +119274,716211,ILLINOIS,2017,July,Excessive Heat,"MONROE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave hit the St. Louis Metro area from July 18 - 23. High temperatures started in the upper 90s then ended near 110 on the 23rd. The heat index ranged from 105 to around 110 degrees.","" +112855,675872,PENNSYLVANIA,2017,March,Winter Weather,"WESTERN CHESTER",2017-03-10 08:00:00,EST-5,2017-03-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Three to five inches of snow fell in Chester County." +112855,675874,PENNSYLVANIA,2017,March,Winter Weather,"DELAWARE",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 2 to 4 inches." +112855,675873,PENNSYLVANIA,2017,March,Winter Weather,"EASTERN CHESTER",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Three to five inches of snow fell in Chester County." +112855,675875,PENNSYLVANIA,2017,March,Winter Weather,"LEHIGH",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through Pennsylvania early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were in the Poconos with six inches at lake Harmony. A general 2-5 inches fell elsewhere in eastern Pennsylvania with totals even lower as you approached the Delaware river. Most of the snow fell on non-paved surfaces due to the warm road temperatures. However, where heavier bursts of snow fell roads did become slick for a timeperiod. Additional snow squalls later in the day led to additional light coatings and brief white-out conditions. Heidelberg twp saw an additional 1.5 inches of snow.","Snowfall ranged from 4 to 6 inches." +114088,683183,NEW YORK,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 19:25:00,EST-5,2017-05-01 19:25:00,0,0,0,0,10.00K,10000,0.00K,0,44.72,-73.91,44.72,-73.91,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +114088,683184,NEW YORK,2017,May,Thunderstorm Wind,"ESSEX",2017-05-01 19:25:00,EST-5,2017-05-01 19:25:00,0,0,0,0,10.00K,10000,0.00K,0,43.97,-74.17,43.97,-74.17,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +112152,668855,KENTUCKY,2017,January,Winter Weather,"CRITTENDEN",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668854,KENTUCKY,2017,January,Winter Weather,"CARLISLE",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668856,KENTUCKY,2017,January,Winter Weather,"HOPKINS",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668858,KENTUCKY,2017,January,Winter Weather,"LYON",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +119272,716185,ILLINOIS,2017,July,Excessive Heat,"MARION",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716186,ILLINOIS,2017,July,Excessive Heat,"MONROE",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716187,ILLINOIS,2017,July,Excessive Heat,"MONTGOMERY",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716188,ILLINOIS,2017,July,Excessive Heat,"PIKE",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716189,ILLINOIS,2017,July,Excessive Heat,"WASHINGTON",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +112998,675306,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-07 14:44:00,PST-8,2017-01-07 14:44:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-118.87,36.4617,-118.8711,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported roadway flooding on Highway 198 and Craig Ranch Road northeast of Three Rivers." +112523,671091,KENTUCKY,2017,January,Strong Wind,"DAVIESS",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671090,KENTUCKY,2017,January,Strong Wind,"CRITTENDEN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +120260,720615,MISSOURI,2017,July,Flash Flood,"MARION",2017-07-05 17:03:00,CST-6,2017-07-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9358,-91.4379,39.8987,-91.4448,"Storms with heavy rain trained across northeast Missouri during the day and into the evening hours causing flash flooding.","Up to three inches of rain fell in less than an hour causing flash flooding. County Road 306 near Taylor had 6 to 8 inches of fast flowing water over it." +120262,720621,ILLINOIS,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-10 21:55:00,CST-6,2017-07-10 21:55:00,1,0,0,0,0.00K,0,0.00K,0,39.3111,-89.2962,39.2967,-89.2725,"Isolated severe storms moved southeast through southern Illinois.","Thunderstorm winds blew over an occupied mobile home. The occupant sustained minor injuries. Also, numerous trees, tree limbs and power lines were blown down. A couple of trees fell onto homes causing minor to moderate damage around town." +120264,720624,MISSOURI,2017,July,Flash Flood,"ST. FRANCOIS",2017-07-13 19:53:00,CST-6,2017-07-14 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-90.3,37.6401,-90.3036,"Several rounds of storms moved across southeastern Missouri causing isolated flash flooding.","Up to 4 inches of rain fell in a short amount of time causing flash flooding. Several roads were flooded including the intersection of Highways OO and T." +120264,720627,MISSOURI,2017,July,Flash Flood,"IRON",2017-07-14 00:00:00,CST-6,2017-07-14 04:00:00,0,0,0,0,0.00K,0,0.00K,0,37.499,-90.7382,37.2817,-90.7473,"Several rounds of storms moved across southeastern Missouri causing isolated flash flooding.","Up to three inches of rain fell in a short amount of time causing flash flooding. Several roads were flooded including the south bound lane at the intersection of Highways 21 and 49 on the north side of Glover." +120266,720631,ILLINOIS,2017,July,Hail,"ST. CLAIR",2017-07-16 20:40:00,CST-6,2017-07-16 20:40:00,0,0,0,0,0.00K,0,0.00K,0,38.6321,-90.0234,38.6321,-90.0234,"Isolated severe storms developed over the St. Louis metro area.","" +120445,721583,MISSOURI,2017,July,Hail,"ST. LOUIS",2017-07-22 21:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5949,-90.589,38.5949,-90.589,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120445,721584,MISSOURI,2017,July,Hail,"ST. LOUIS (C)",2017-07-22 21:18:00,CST-6,2017-07-22 21:18:00,0,0,0,0,0.00K,0,0.00K,0,38.6373,-90.2239,38.6373,-90.2239,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120445,721585,MISSOURI,2017,July,Thunderstorm Wind,"BOONE",2017-07-22 23:30:00,CST-6,2017-07-22 23:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9554,-92.3957,38.9482,-92.2762,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down numerous trees around town. Some of the fallen trees blocked roads." +112358,673452,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 11:35:00,EST-5,2017-01-22 11:35:00,0,0,0,0,50.00K,50000,0.00K,0,30.99,-83.37,30.99,-83.37,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The Colquitt Electric Membership Corporation reported numerous power poles and power lines down through portions of Berrien, Brooks, Colquitt, Cook, and Lowndes counties." +112358,673453,GEORGIA,2017,January,Thunderstorm Wind,"BROOKS",2017-01-22 12:00:00,EST-5,2017-01-22 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,30.98,-83.65,30.98,-83.65,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The Colquitt Electric Membership Corporation reported numerous power poles and power lines down through portions of Berrien, Brooks, Colquitt, Cook, and Lowndes counties." +112358,673454,GEORGIA,2017,January,Thunderstorm Wind,"COLQUITT",2017-01-22 16:10:00,EST-5,2017-01-22 16:10:00,0,0,0,0,50.00K,50000,0.00K,0,31.07,-83.61,31.07,-83.61,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The Colquitt Electric Membership Corporation reported numerous power poles and power lines down through portions of Berrien, Brooks, Colquitt, Cook, and Lowndes counties." +112358,673455,GEORGIA,2017,January,Thunderstorm Wind,"COOK",2017-01-22 16:20:00,EST-5,2017-01-22 16:20:00,0,0,0,0,50.00K,50000,0.00K,0,31.13,-83.42,31.13,-83.42,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The Colquitt Electric Membership Corporation reported numerous power poles and power lines down through portions of Berrien, Brooks, Colquitt, Cook, and Lowndes counties." +113154,676831,UTAH,2017,January,Winter Storm,"CACHE VALLEY/UTAH",2017-01-03 20:00:00,MST-7,2017-01-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","The Cache Valley received more snow than any other valley location in Utah during this storm, with reported snowfall of 24 inches in Providence, 20 inches in Logan, and 15 inches in both North Logan and Richmond. The heavy snowfall and temperatures below zero degrees Fahrenheit caused Logan City and Cache County school districts to be closed on January 5." +114391,685607,NEW MEXICO,2017,May,Thunderstorm Wind,"SAN JUAN",2017-05-06 15:55:00,MST-7,2017-05-06 16:10:00,0,0,0,0,10.00K,10000,0.00K,0,36.698,-108.033,36.698,-108.033,"An upper level low pressure system deepening over southern California spread deep layer southerly flow over New Mexico beginning on the 6th. Increasing moisture over the area along with afternoon heating led to a band of showers and thunderstorms over western New Mexico. The combination of downburst winds and thunderstorm outflows associated with this line produced wind damage across the Bloomfield and Aztec area. Numerous trees and power lines were blown down across the area producing power outages and damage to homes and vehicles. An isolated thunderstorm over the Raton area also produced strong winds but with no damage.","Several trees blown down along CR5173. One fell onto home with damage to roof and windows. Trees also blown down onto power lines in nearby area of Bloomfield. Power outage reported for four to five hours." +117804,708206,OHIO,2017,June,Thunderstorm Wind,"ASHLAND",2017-06-19 16:35:00,EST-5,2017-06-19 16:35:00,0,0,0,0,1.00K,1000,0.00K,0,40.87,-82.3,40.87,-82.3,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a tree." +117808,708207,PENNSYLVANIA,2017,June,Hail,"CRAWFORD",2017-06-19 16:20:00,EST-5,2017-06-19 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.5179,-80.4501,41.5179,-80.4501,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Quarter sized hail was observed." +117811,708209,OHIO,2017,June,Thunderstorm Wind,"WOOD",2017-06-22 16:41:00,EST-5,2017-06-22 16:41:00,0,0,0,0,0.00K,0,0.00K,0,41.5655,-83.4813,41.5655,-83.4813,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms became severe.","A 74 mph thunderstorm wind gust was measured by an automated sensor at Toledo Executive Airport." +117811,708210,OHIO,2017,June,Thunderstorm Wind,"WOOD",2017-06-22 16:45:00,EST-5,2017-06-22 16:45:00,0,0,0,0,8.00K,8000,0.00K,0,41.58,-83.5,41.58,-83.5,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms became severe.","Thunderstorm winds downed some trees." +117812,708213,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-06-22 17:10:00,EST-5,2017-06-22 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.7101,-83.2478,41.7101,-83.2478,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms produced strong winds.","A 52 mph thunderstorm wind gust was measured by a buoy northeast of Reno Beach." +112998,675333,CALIFORNIA,2017,January,Flood,"MADERA",2017-01-09 00:00:00,PST-8,2017-01-09 00:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2621,-119.5325,37.2586,-119.524,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Utility company reported that the mobile home park near Willow Creek and downstream from Crane Valley Dam was to be evacuated due to flood threat from planned Crane Valley Dam releases." +111564,665647,CALIFORNIA,2017,January,Flood,"BUTTE",2017-01-07 14:50:00,PST-8,2017-01-08 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.5476,-121.687,39.5531,-121.5934,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Cottonwood Road from Table Mountain to Highway 99 closed due to flooding." +111564,674297,CALIFORNIA,2017,January,Tornado,"PLACER",2017-01-09 14:00:00,PST-8,2017-01-09 14:02:00,0,0,0,0,0.00K,0,0.00K,0,38.8491,-121.3272,38.8502,-121.3241,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A brief tornado touchdown was photographed out in a grassy field in Lincoln, near Thunder Valley Casino, causing no damage." +112523,671092,KENTUCKY,2017,January,Strong Wind,"FULTON",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112805,674602,WISCONSIN,2017,January,Heavy Snow,"GRANT",2017-01-24 19:25:00,CST-6,2017-01-26 00:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to western Wisconsin. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 2 to 12 inches with the highest total an estimated 10 to 12 inches in Mt. Hope (Grant County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 12 inches of heavy, wet snow fell across Grant County. The higher totals were generally over the northern third of the county. The highest total was and estimated 10 to 12 inches in Mt. Hope." +112805,674605,WISCONSIN,2017,January,Heavy Snow,"VERNON",2017-01-24 20:43:00,CST-6,2017-01-25 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to western Wisconsin. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 2 to 12 inches with the highest total an estimated 10 to 12 inches in Mt. Hope (Grant County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 9 inches of heavy, wet snow fell across Vernon County. The highest reported total was 9.8 inches near Westby." +112805,674603,WISCONSIN,2017,January,Heavy Snow,"LA CROSSE",2017-01-24 21:15:00,CST-6,2017-01-25 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to western Wisconsin. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 2 to 12 inches with the highest total an estimated 10 to 12 inches in Mt. Hope (Grant County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 9 inches of heavy, wet snow fell across La Crosse County. The highest reported total was 9.6 inches at the NWS La Crosse office." +114406,685996,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-08 21:09:00,MST-7,2017-05-08 21:14:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-104.26,35.17,-104.26,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Penny size hail north of Newkirk." +114406,685997,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-08 21:12:00,MST-7,2017-05-08 21:15:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-104.26,35.17,-104.26,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Quarter size hail north of Newkirk." +112358,673450,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 16:31:00,EST-5,2017-01-22 16:31:00,0,0,0,0,3.00K,3000,0.00K,0,30.6581,-83.2397,30.6581,-83.2397,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down on Grassy Pond Road." +112358,673451,GEORGIA,2017,January,Thunderstorm Wind,"LOWNDES",2017-01-22 16:45:00,EST-5,2017-01-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-83.18,30.68,-83.18,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down in Lake Park." +113154,676839,UTAH,2017,January,Winter Storm,"SOUTHERN WASATCH FRONT",2017-01-04 03:00:00,MST-7,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","The southern portions of Utah Valley received the most snow from this storm, with 10 inches of snow reported at the Spanish Fork Power House." +113154,676846,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-01-03 20:00:00,MST-7,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","Storm total snowfall included 21 inches at Powder Mountain, 19 inches at Snowbasin Resort, and 19 inches in Laketown." +113154,676848,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-01-03 22:00:00,MST-7,2017-01-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","Storm total snowfall included 24 inches at Brighton Resort, 19 inches at UDOT Provo Canyon, and 15 inches at Alta Ski Area." +111850,676879,ALABAMA,2017,January,Flash Flood,"CULLMAN",2017-01-22 16:29:00,CST-6,2017-01-22 17:29:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-86.62,34.2001,-86.6193,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","Flash flooding reported along CR 1711 at Mud Creek." +114768,689281,NEW MEXICO,2017,May,High Wind,"EASTERN LINCOLN COUNTY",2017-05-16 15:00:00,MST-7,2017-05-16 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","The Columbia Scientific Balloon Facility Transwestern Pump station reported sustained winds near 40 mph and gusts to 58 mph." +114768,689283,NEW MEXICO,2017,May,High Wind,"CHAVES COUNTY PLAINS",2017-05-16 13:45:00,MST-7,2017-05-16 18:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","A public CWOP station at Buck Springs reported high sustained winds for several hours with a peak speed of 47 mph." +114768,689286,NEW MEXICO,2017,May,High Wind,"ROOSEVELT COUNTY",2017-05-16 14:40:00,MST-7,2017-05-16 14:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","Melrose Bombing Range." +112837,674196,OKLAHOMA,2017,February,High Wind,"CIMARRON",2017-02-23 12:23:00,CST-6,2017-02-23 13:23:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Out ahead of the main cold front, a lee low was developing in SE Colorado in association with favorable upper level dynamics during the late morning hours on the 23rd. This included our region being in the left exit region of a New Mexico jet streak along with a deepening 700-500 hPa trough to the west of the area. This helped to steepen the mid level height gradients and with clearing skies, strong winds mixed down to the surface and strong sustained winds and gusts were reported throughout the day across areas in western OK along with the western and central TX Panhandle.","" +114391,685611,NEW MEXICO,2017,May,Thunderstorm Wind,"COLFAX",2017-05-06 18:00:00,MST-7,2017-05-06 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-104.5,36.73,-104.5,"An upper level low pressure system deepening over southern California spread deep layer southerly flow over New Mexico beginning on the 6th. Increasing moisture over the area along with afternoon heating led to a band of showers and thunderstorms over western New Mexico. The combination of downburst winds and thunderstorm outflows associated with this line produced wind damage across the Bloomfield and Aztec area. Numerous trees and power lines were blown down across the area producing power outages and damage to homes and vehicles. An isolated thunderstorm over the Raton area also produced strong winds but with no damage.","Raton Airport." +114402,685778,NEW MEXICO,2017,May,Thunderstorm Wind,"CHAVES",2017-05-07 19:47:00,MST-7,2017-05-07 19:53:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-104.5,33.32,-104.5,"An upper level low pressure system that moved into southern California on the 6th continued to spread moisture northward over New Mexico through the 7th. The combination of upper level forcing and high temperatures in the 90s over southeast New Mexico provided sufficient instability for a cluster of thunderstorms to develop across Eddy and Chaves counties through the late afternoon hours. One of these thunderstorms became severe as it crossed the Roswell area and produced a peak wind gust to 64 mph shortly after sunset. No significant damage occurred with these winds.","Roswell Airport." +114406,685818,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:06:00,MST-7,2017-05-08 15:09:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-104.35,34.48,-104.35,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Nickel size hail." +119272,716176,ILLINOIS,2017,July,Excessive Heat,"BOND",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +119272,716177,ILLINOIS,2017,July,Excessive Heat,"BROWN",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +114088,683182,NEW YORK,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 19:16:00,EST-5,2017-05-01 19:16:00,0,0,0,0,10.00K,10000,0.00K,0,44.9,-74.17,44.9,-74.17,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +113879,681990,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GALVESTON BAY",2017-03-29 15:12:00,CST-6,2017-03-29 15:12:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-94.98,29.68,-94.98,"A storm system's line of showers and thunderstorms moved through the coastal waters during the mid afternoon hours and produced marine thunderstorm wind gusts.","The wind gust was measured at the Morgan's Point PORTS site." +111564,674965,CALIFORNIA,2017,January,Flood,"BUTTE",2017-01-07 10:00:00,PST-8,2017-01-08 10:25:00,0,0,0,0,0.00K,0,0.00K,0,39.6249,-121.941,39.7002,-121.9208,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","River Road between Chico River Road and Ord Ferry Road was closed due to flooding." +112800,673993,CALIFORNIA,2017,January,Debris Flow,"KERN",2017-01-05 07:00:00,PST-8,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4568,-118.7914,35.4898,-118.7574,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","California highway patrol reports Highway 178 was closed from Kern Canyon Road through the canyon due to several rock slides from heavy rainfall." +112805,674604,WISCONSIN,2017,January,Heavy Snow,"MONROE",2017-01-24 21:32:00,CST-6,2017-01-25 22:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to western Wisconsin. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 2 to 12 inches with the highest total an estimated 10 to 12 inches in Mt. Hope (Grant County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 7 inches of heavy, wet snow fell across Monroe County. The highest reported total was 7.6 inches in Four Corners." +112944,674822,ALABAMA,2017,January,Drought,"DALLAS",2017-01-01 00:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy rainfall during the first few days of January lead to rainfall amounts of 6-8 inches across the southeast portions of central Alabama.","Heavy rainfall during the first few days of January lowered the drought intensity to a D1 category." +112998,675311,CALIFORNIA,2017,January,Flood,"TULARE",2017-01-07 17:38:00,PST-8,2017-01-07 17:38:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-118.86,36.4702,-118.8577,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol report of mud, dirt, and rock partially blocking Mineral King Road and Highway 198 intersection near Hammond. Traffic was able to move around the obstruction." +119270,716171,ILLINOIS,2017,July,Heat,"MONROE",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th.","" +119270,716172,ILLINOIS,2017,July,Heat,"ST. CLAIR",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th.","" +119272,716175,ILLINOIS,2017,July,Excessive Heat,"ADAMS",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +112852,674954,CALIFORNIA,2017,January,Heavy Snow,"BURNEY BASIN/EASTERN SHASTA COUNTY",2017-01-01 06:00:00,PST-8,2017-01-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 6 inches of new snow, 12 inches storm total at Burney, elevation 3100 feet. This caused travel delays on Highway 299 and local roads." +112800,673898,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-05 10:52:00,PST-8,2017-01-05 10:52:00,0,0,0,0,,NaN,,NaN,37.48,-119.64,37.48,-119.64,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Trained spotter report of 24 hour rainfall total over 5 inches in Fish Camp." +112800,673904,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.3488,-118.0591,35.4664,-117.7707,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding near Red Rock Randsburg Road near Red Rock Canyon State Park from Highway 395 to Highway 14 and Garlock Road." +112800,673994,CALIFORNIA,2017,January,Dense Fog,"KERN CTY MTNS",2017-01-05 13:15:00,PST-8,2017-01-05 13:15:00,0,0,0,1,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","California Highway Patrol reported multiple accidents due to fog at 1315 PST along eastbound State Route 58 and eastbound State Route 223 near Towerline Road in which one fatality was reported along with several injuries. The multi-vehicle accidents involved around 19 vehicles including at least one semi-truck." +112800,675375,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-04 07:27:00,PST-8,2017-01-04 07:27:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Trained Spotter near Ponderosa Basin in Mariposa County reported a 24 hour rainfall total of 1.90 inches." +112800,675379,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-04 08:00:00,PST-8,2017-01-05 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Snotel estimated report of 50 inches of snowfall near Agnew Pass in Madera County." +111564,676648,CALIFORNIA,2017,January,Heavy Rain,"PLUMAS",2017-01-10 08:00:00,PST-8,2017-01-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,39.92,-120.9,39.92,-120.9,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.50 of rain measured over 5 hours 1 E of Quincy." +112872,674280,OKLAHOMA,2017,February,High Wind,"TEXAS",2017-02-28 13:23:00,CST-6,2017-02-28 14:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112873,674289,TEXAS,2017,February,High Wind,"OLDHAM",2017-02-28 14:23:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112931,674714,PUERTO RICO,2017,January,Coastal Flood,"NORTHWEST",2017-01-10 06:00:00,AST-4,2017-01-12 12:19:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a surface low pressure across the Central Atlantic and a surface high pressure across the Western Atlantic resulted in windy conditions across the region. The combination of the winds and a large northerly swell created very hazardous seas across the local waters.","Beach erosion and coastal flooding were reported at Montones Beach in the municipality of Isabela." +112592,671861,CALIFORNIA,2017,January,Flood,"SAN FRANCISCO",2017-01-04 04:55:00,PST-8,2017-01-04 05:55:00,0,0,0,0,0.00K,0,0.00K,0,37.7232,-122.401,37.7233,-122.4007,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","US 101 S and Paul Ave Offramp. Vehicles hydroplaning. Unknown depth, possibly several inches." +112852,674961,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-03 07:00:00,PST-8,2017-01-04 07:43:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There was 1.73 inches of rain measured over 24 hours, 4 miles east of Kyburz." +112852,674962,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-03 07:00:00,PST-8,2017-01-04 07:47:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.51,38.76,-120.51,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There was 2.40 inches of rain measured over 24 hours in Pacific House, 4.56 inches storm total, over 3 days." +112800,673905,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 06:00:00,PST-8,2017-01-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.284,-118.8463,35.2845,-118.8389,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding northeast of Lamont on Comanche Drive from Panama Road to Mountain View Road." +112800,673907,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2983,-118.8822,35.2656,-118.8814,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding northeast of Lamont on Edison Road from Panama Road to Panama Lane." +112800,673909,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 09:00:00,PST-8,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2842,-118.8822,35.2844,-118.8598,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding northeast of Lamont on Mountain View Road from Edison Road to Malaga Road." +111564,676638,CALIFORNIA,2017,January,Heavy Rain,"PLUMAS",2017-01-06 16:53:00,PST-8,2017-01-09 16:53:00,0,0,0,0,0.00K,0,0.00K,0,40.23,-121.19,40.23,-121.19,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 3.99 of rain measured, 72 hour storm total." +111564,676651,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-09 12:30:00,PST-8,2017-01-10 16:35:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.51,38.76,-120.51,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 1.68 of rain measured over 8 hours at Pacific House." +111564,676652,CALIFORNIA,2017,January,Heavy Rain,"PLACER",2017-01-09 17:00:00,PST-8,2017-01-10 17:18:00,0,0,0,0,0.00K,0,0.00K,0,38.81,-121.24,38.81,-121.24,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 2.00 of rainfall estimated over 24 hours. Clover Valley Creek rose to the top of its banks and extended into portions of Clover Valley Park." +112592,671862,CALIFORNIA,2017,January,Flood,"SANTA CLARA",2017-01-04 05:52:00,PST-8,2017-01-04 06:52:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-121.52,37.0084,-121.5167,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","WB SR152 and Ferguson. Flood water in area." +112592,671863,CALIFORNIA,2017,January,Debris Flow,"SONOMA",2017-01-03 05:11:00,PST-8,2017-01-03 06:11:00,0,0,0,0,0.00K,0,0.00K,0,38.5223,-122.9971,38.5219,-122.9969,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Mud dirt rocks on roadway. Rio Nido Road and Armstrong Road." +112592,671864,CALIFORNIA,2017,January,Debris Flow,"ALAMEDA",2017-01-03 05:47:00,PST-8,2017-01-03 06:47:00,0,0,0,0,0.00K,0,0.00K,0,37.6005,-121.9485,37.5972,-121.9471,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","State route 84 and Palomares Road. Mud and rocks blocking east bound side." +112592,671865,CALIFORNIA,2017,January,Debris Flow,"NAPA",2017-01-03 05:51:00,PST-8,2017-01-03 06:51:00,0,0,0,0,0.00K,0,0.00K,0,38.3542,-122.2046,38.3544,-122.2046,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Mud and rocks in roadway. State route 121 at wild horse." +112592,671866,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-03 06:05:00,PST-8,2017-01-03 07:05:00,0,0,0,0,0.00K,0,0.00K,0,37.0532,-122.0735,37.053,-122.0734,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Mud/dirt/rocks in south bound lane at SR 9 and Felton Empire Road." +112592,671867,CALIFORNIA,2017,January,Strong Wind,"SAN FRANCISCO PENINSULA COAST",2017-01-03 07:09:00,PST-8,2017-01-03 07:14:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Golden gate bridge mid span." +112592,671869,CALIFORNIA,2017,January,Strong Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-01-03 08:17:00,PST-8,2017-01-03 08:22:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Las trampas raws. Elevation 1760 feet." +112152,668847,KENTUCKY,2017,January,Winter Weather,"DAVIESS",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668850,KENTUCKY,2017,January,Winter Weather,"MCLEAN",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +113917,682255,PENNSYLVANIA,2017,February,Heavy Snow,"WESTMORELAND",2017-02-08 19:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving from the Lower Ohio Valley to off the Mid Atlantic states produced a swath of moderate to heavy snow across portions of eastern Ohio, western Pennsylvania, northern West Virginia, and Garrett county Maryland. A general 6 to 10 inches of snow fell across the highest elevations of Garrett county, Maryland, and Tucker and eastern Preston counties in West Virginia. Across the Laurel Ridges of western Pennsylvania into areas east of Morgantown, WV, 6 to 8 inches of snow fell. Elsewhere in an area between I-80 to south of I-70, a general 4 to 6 inches of snow fell.","" +121085,724858,MONTANA,2017,November,High Wind,"TOOLE",2017-11-23 05:53:00,MST-7,2017-11-23 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 6 miles NNW of Sunburst measured a wind gust of 66 mph." +121085,724860,MONTANA,2017,November,High Wind,"TOOLE",2017-11-23 06:30:00,MST-7,2017-11-23 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","DOT Sensor near Sunburst measured a 68 mph wind gust." +117224,705009,TEXAS,2017,June,Thunderstorm Wind,"CULBERSON",2017-06-23 14:51:00,CST-6,2017-06-23 14:51:00,0,0,0,0,,NaN,,NaN,31.88,-104.8,31.88,-104.8,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Culberson County and produced a 58 mph wind gust at Pine Springs." +112852,677415,CALIFORNIA,2017,January,Heavy Snow,"SHASTA LAKE/NORTH SHASTA COUNTY",2017-01-01 06:00:00,PST-8,2017-01-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","Interstate 5 was closed 10 miles north of Redding due to snow accumulating on the road. The closure occurred between 6 pm on January 3, to 2 pm on January 4." +112852,674949,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-01 06:00:00,PST-8,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 9.5 inches of snow measured at Kingvale at 6100 feet by a trained weather spotter, 24 hour total. Traffic on Interstate was impacted, with delays and chain controls." +112852,674953,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-01 06:00:00,PST-8,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","Pacific House had 13 inches of snow at 3450 feet, Kyburz at 4058 feet had 11 inches of snow. Travel on nearby Highway 50 was slowed, with chain controls in place." +111564,676631,CALIFORNIA,2017,January,Heavy Rain,"BUTTE",2017-01-06 15:30:00,PST-8,2017-01-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-121.41,39.65,-121.41,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 11.59 of rain measured. The duration of the heavy rain event was 72 hours." +111564,676639,CALIFORNIA,2017,January,Heavy Rain,"EL DORADO",2017-01-09 07:00:00,PST-8,2017-01-10 07:18:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-120.3,38.77,-120.3,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was 1.55 of heavy rain measured over 24 hours in Kyburz." +112873,674290,TEXAS,2017,February,High Wind,"POTTER",2017-02-28 14:23:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A favorable upper level pattern supported a high wind event across the Panhandles. A SW-NE oriented 700-300 mb jet over the Panhandles during the day on the 28th in conjunction with the position of a developing low pressure system across SE Colorado during the day on the 28th allowed the axis of strongest winds across the Panhandles region. An upper level trough was also centered over central New Mexico with the Panhandles region downstream of the trough axis with strong surface southwesterly flow and down slope during the day. With good mixing under mostly clear skies, strong winds aloft easily mixed down to the surface and multiple high wind reports were all across the OK and TX Panhandles.","" +112523,671097,KENTUCKY,2017,January,Strong Wind,"MCCRACKEN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671098,KENTUCKY,2017,January,Strong Wind,"MCLEAN",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671099,KENTUCKY,2017,January,Strong Wind,"MUHLENBERG",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112152,668848,KENTUCKY,2017,January,Winter Weather,"HENDERSON",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668851,KENTUCKY,2017,January,Winter Weather,"WEBSTER",2017-01-05 06:00:00,CST-6,2017-01-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668852,KENTUCKY,2017,January,Winter Weather,"BALLARD",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +114450,686286,NORTH CAROLINA,2017,March,Hail,"CABARRUS",2017-03-21 19:30:00,EST-5,2017-03-21 19:30:00,0,0,0,0,,NaN,,NaN,35.32,-80.61,35.32,-80.61,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Public reported ping pong ball to baseball size hail covering the ground on Moss Creek Drive." +114450,686292,NORTH CAROLINA,2017,March,Hail,"ROWAN",2017-03-21 20:28:00,EST-5,2017-03-21 20:28:00,0,0,0,0,,NaN,,NaN,35.64,-80.55,35.64,-80.55,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Spotter reported quarter size hail." +114450,686294,NORTH CAROLINA,2017,March,Thunderstorm Wind,"TRANSYLVANIA",2017-03-21 20:54:00,EST-5,2017-03-21 21:08:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-82.868,35.234,-82.733,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","County comms reported a few trees blown down on power lines from the Balsam Grove area to Brevard." +114958,689575,NORTH CAROLINA,2017,March,Thunderstorm Wind,"IREDELL",2017-03-26 13:40:00,EST-5,2017-03-26 13:40:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-80.98,35.76,-80.98,"Scattered showers and thunderstorms developed over western North Carolina during the afternoon. One storm produced brief severe weather over Iredell County.","Spotter reported multiple trees blown down at the intersection of Old Mountain Rd and Lewis Ferry Rd." +114984,689913,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BURKE",2017-03-31 04:47:00,EST-5,2017-03-31 04:47:00,0,0,0,0,0.00K,0,0.00K,0,35.709,-81.764,35.709,-81.764,"Multiple waves of showers and thunderstorms passed through western North Carolina ahead of a cold front late on the 30th and through the morning of the 31st. Isolated damaging winds were reported with some of the embedded storms, while an area of flash flooding developed near Hendersonville.","Broadcast media reported trees and power lines down on Conley Road and on I-40 near mm 99 (in the same area)." +115045,690580,OKLAHOMA,2017,March,Wildfire,"CHEROKEE",2017-03-03 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690581,OKLAHOMA,2017,March,Wildfire,"MUSKOGEE",2017-03-03 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690582,OKLAHOMA,2017,March,Wildfire,"ADAIR",2017-03-03 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690583,OKLAHOMA,2017,March,Wildfire,"DELAWARE",2017-03-03 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690584,OKLAHOMA,2017,March,Wildfire,"LE FLORE",2017-03-03 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +113434,678733,HAWAII,2017,March,High Surf,"NIIHAU",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678734,HAWAII,2017,March,High Surf,"KAUAI WINDWARD",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678735,HAWAII,2017,March,High Surf,"KAUAI LEEWARD",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678736,HAWAII,2017,March,High Surf,"WAIANAE COAST",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678737,HAWAII,2017,March,High Surf,"OAHU NORTH SHORE",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678738,HAWAII,2017,March,High Surf,"OAHU KOOLAU",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678739,HAWAII,2017,March,High Surf,"MOLOKAI WINDWARD",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678740,HAWAII,2017,March,High Surf,"MOLOKAI LEEWARD",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +112813,683561,KANSAS,2017,March,Hail,"DOUGLAS",2017-03-06 19:18:00,CST-6,2017-03-06 19:19:00,0,0,0,0,,NaN,,NaN,38.86,-95.1,38.86,-95.1,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Hail report received via social media." +112813,683562,KANSAS,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-06 19:51:00,CST-6,2017-03-06 19:52:00,0,0,0,0,,NaN,,NaN,38.28,-95.26,38.28,-95.26,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Trained spotter estimated 70 MPH wind gusts." +112813,683563,KANSAS,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-06 19:27:00,CST-6,2017-03-06 19:28:00,0,0,0,0,,NaN,,NaN,38.19,-95.87,38.19,-95.87,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","An outbuilding was blown over with some livestock killed." +112813,683564,KANSAS,2017,March,Thunderstorm Wind,"NEMAHA",2017-03-06 17:30:00,CST-6,2017-03-06 17:31:00,0,0,0,0,,NaN,,NaN,39.83,-96.01,39.83,-96.01,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Wind damage to an outbuilding and a grain bin." +112444,680055,FLORIDA,2017,February,Thunderstorm Wind,"ST. JOHNS",2017-02-07 22:50:00,EST-5,2017-02-07 22:50:00,0,0,0,0,20.00K,20000,0.00K,0,29.96,-81.53,29.96,-81.53,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Extensive wind damage occurred to 2 homes in the Heritage Park subdivision. The cost of damage was unknown, but it was estimated for the even to be included in Storm Data." +112444,680056,FLORIDA,2017,February,Thunderstorm Wind,"FLAGLER",2017-02-07 23:15:00,EST-5,2017-02-07 23:15:00,0,0,0,0,1.00K,1000,0.00K,0,29.52,-81.21,29.52,-81.21,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Power lines were blown down along Pine Grove Drive in Palm Coast. The time of damage was based on radar. The cost of damage was unknown, but it was estimated so that the event could be included in Storm Data." +117223,705007,NEW MEXICO,2017,June,Flash Flood,"LEA",2017-06-23 14:43:00,MST-7,2017-06-23 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.7581,-103.1752,32.7551,-103.174,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","Heavy rain fell across Lea County and produced flash flooding near Hobbs. Millen Drive east of Highway 18 was closed due to flooding. There were reports of multiple cars floating on the sides of the road and water rescues. The cost of damage is a very rough estimate." +120446,721607,ILLINOIS,2017,July,Thunderstorm Wind,"CLINTON",2017-07-23 03:15:00,CST-6,2017-07-23 03:15:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-89.37,38.62,-89.37,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down a large tree in town." +120446,721608,ILLINOIS,2017,July,Thunderstorm Wind,"BOND",2017-07-23 03:25:00,CST-6,2017-07-23 03:25:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-89.27,38.93,-89.27,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down several large tree limbs around town." +120446,721609,ILLINOIS,2017,July,Thunderstorm Wind,"MARION",2017-07-23 03:32:00,CST-6,2017-07-23 03:50:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-89.13,38.655,-88.7675,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds snapped off 3 power poles in Centralia and uprooted one large tree. In Salem, several large tree limbs were blown down and broke one telephone pole." +120446,721610,ILLINOIS,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-23 03:35:00,CST-6,2017-07-23 03:35:00,0,0,0,0,0.00K,0,0.00K,0,38.9903,-89.1683,38.9903,-89.1683,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120446,721611,ILLINOIS,2017,July,Hail,"GREENE",2017-07-23 15:49:00,CST-6,2017-07-23 15:49:00,0,0,0,0,0.00K,0,0.00K,0,39.4807,-90.2198,39.4807,-90.2198,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120447,721613,MISSOURI,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-26 18:10:00,CST-6,2017-07-26 18:10:00,0,0,0,0,0.00K,0,0.00K,0,38.2192,-90.4063,38.2217,-90.3952,"Isolated strong to severe storms moved through on July 26th.","Thunderstorm winds blew down several trees in a small residential area and throughout Sunset Park in Festus. Some siding was also removed from a home. Damage appears to be from a microburst." +120597,722430,ILLINOIS,2017,February,Hail,"COOK",2017-02-24 01:20:00,CST-6,2017-02-24 01:22:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-87.68,42.05,-87.68,"Scattered thunderstorms moved across parts of northern Illinois during the late evening of February 23rd and the early morning of February 24th producing large hail.","" +120615,722553,INDIANA,2017,February,Thunderstorm Wind,"LAKE",2017-02-28 18:36:00,CST-6,2017-02-28 18:36:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-87.5087,41.65,-87.5087,"Severe thunderstorms moved across northwest Indiana during the evening hours of February 28th.","A wind gust to 95 mph was measured two miles west of East Chicago." +120615,722554,INDIANA,2017,February,Thunderstorm Wind,"JASPER",2017-02-28 23:59:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,41.1438,-87.0457,41.1438,-87.0457,"Severe thunderstorms moved across northwest Indiana during the evening hours of February 28th.","A one foot diameter tree was snapped near County Road 900 North and State Road 49." +120425,721480,ALASKA,2017,August,High Wind,"UPPER KOBUK AND NOATAK VLYS",2017-08-01 00:00:00,AKST-9,2017-08-01 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient produced winds over 55 mph near the Brooks range.","" +113051,686675,MASSACHUSETTS,2017,March,High Wind,"SOUTHERN WORCESTER",2017-03-14 11:52:00,EST-5,2017-03-14 16:58:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds affected southern Worcester County during the afternoon hours on March 14. A trained spotter reported a gust to 61 mph in Milford at 134 PM EDT. A gust to 55 mph was recorded at the Worcester Airport ASOS (KORH) at 111 PM. ||At 1252 PM EDT, a tree was down on power lines at Nipmuc Drive in Mendon. At 228 PM, a large tree was down in Grafton, blocking a road. At 4 PM, a tree was down on a house on Denver Terrace in Worcester and several other trees were down throughout the city. At 529 PM, a large tree was down on wires in Shrewsbury. At 558 PM, a tree was down on wires on Blood Road and wires were down on Lelandville Road in Charlton." +114556,689742,INDIANA,2017,March,High Wind,"ELKHART",2017-03-08 16:51:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689743,INDIANA,2017,March,High Wind,"HUNTINGTON",2017-03-08 16:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689744,INDIANA,2017,March,High Wind,"KOSCIUSKO",2017-03-08 15:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689745,INDIANA,2017,March,High Wind,"LAGRANGE",2017-03-08 15:50:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689746,INDIANA,2017,March,High Wind,"MARSHALL",2017-03-08 15:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689748,INDIANA,2017,March,High Wind,"MIAMI",2017-03-08 15:48:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689749,INDIANA,2017,March,High Wind,"NOBLE",2017-03-08 10:26:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689750,INDIANA,2017,March,High Wind,"ST. JOSEPH",2017-03-08 10:30:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689752,INDIANA,2017,March,High Wind,"STEUBEN",2017-03-08 15:42:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689753,INDIANA,2017,March,High Wind,"WELLS",2017-03-08 12:10:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +112673,672913,WISCONSIN,2017,March,Winter Weather,"SAUK",2017-03-01 06:00:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Two to five inches of wet snow with the highest totals in the northeast portion of the county." +112673,672914,WISCONSIN,2017,March,Winter Weather,"WASHINGTON",2017-03-01 08:00:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Three to six inches of wet snow with the highest totals in the northern half of the county." +112673,673138,WISCONSIN,2017,March,Winter Storm,"SHEBOYGAN",2017-03-01 08:00:00,CST-6,2017-03-01 18:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Five to seven inches of wet snow with the highest totals in the northern half of the county. One fatality occurred when a motorist slid and crossed the centerline striking another vehicle on highway 32 in the Town of Lima. Heavy snow was occurring at the time." +112673,673142,WISCONSIN,2017,March,Winter Storm,"FOND DU LAC",2017-03-01 07:00:00,CST-6,2017-03-01 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Five to six inches of wet snow. A few schools closed early along with a few private and government events." +112765,673564,INDIANA,2017,March,Thunderstorm Wind,"RIPLEY",2017-03-01 06:06:00,EST-5,2017-03-01 06:08:00,0,0,0,0,5.00K,5000,0.00K,0,39.12,-85.41,39.12,-85.41,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A barn was blown down on County Road 275W." +112774,673655,COLORADO,2017,March,High Wind,"PHILLIPS COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673657,COLORADO,2017,March,High Wind,"WASHINGTON COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673656,COLORADO,2017,March,High Wind,"SEDGWICK COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112681,673155,OHIO,2017,March,Tornado,"MEIGS",2017-03-01 09:07:00,EST-5,2017-03-01 09:08:00,0,0,0,0,80.00K,80000,0.00K,0,39.0577,-82.1854,39.0582,-82.1849,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","A National Weather Service storm survey team found damage consistent with a EF-1 tornado near Langsville, OH. Multiple trees were snapped. A small shed was ripped from its foundation and blown several feet away. A porch was torn from a house, lifted over the house and deposited on the other side. The house also had some shingle damage. A large barn suffered significant damage. The metal roof was torn off and thrown up to 200 yards away. It appeared that two side walls of the barn collapsed after loss of the roof. Wind were estimated to be 100 mph." +112681,673901,OHIO,2017,March,Flood,"PERRY",2017-03-01 11:15:00,EST-5,2017-03-02 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.6541,-82.3562,39.6068,-82.368,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to high water across southern Perry County as a result of continued minor flooding on Sunday and Monday Creeks, and their smaller feeder creeks." +112681,673902,OHIO,2017,March,Flood,"ATHENS",2017-03-01 11:15:00,EST-5,2017-03-03 00:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.2915,-82.2571,39.4582,-82.266,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to flooding on Sunday and Monday Creek, that lead to flooding along the Hocking River." +112814,674144,NEW MEXICO,2017,March,High Wind,"UNION COUNTY",2017-03-06 09:30:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The Clayton Airport reported peak wind gusts up to 60 mph for several hours. The area around Sedan also reported peak wind gusts up to 60 mph with sustained winds as high as 45 mph." +112814,674148,NEW MEXICO,2017,March,High Wind,"NORTHEAST HIGHLANDS",2017-03-06 10:00:00,MST-7,2017-03-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The area from Las Vegas southeastward along U.S. Highway 84 to near Tecolotito reported peak wind gusts up to 61 mph." +112814,674150,NEW MEXICO,2017,March,High Wind,"CENTRAL HIGHLANDS",2017-03-06 10:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The area around Harvey Ranch reported peak wind gusts up to 65 mph. Clines Corners reported peak wind gusts up to 63 mph." +112829,689348,NORTH DAKOTA,2017,March,High Wind,"EASTERN WALSH",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689349,NORTH DAKOTA,2017,March,High Wind,"GRAND FORKS",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689350,NORTH DAKOTA,2017,March,High Wind,"STEELE",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +113846,681775,LAKE SUPERIOR,2017,February,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-02-02 17:30:00,EST-5,2017-02-02 17:40:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"West storm force winds developed at Stannard Rock on the 2nd in the wake of a cold front.","The peak wind gust at Stannard Rock was 50 knots." +113860,681882,LAKE SUPERIOR,2017,February,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-02-12 11:30:00,EST-5,2017-02-12 20:20:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"A strong cold front moving through the Upper Great Lakes produced northwest storm force winds over central Lake Superior on the 12th.","The observing station at Stannard Rock measured northwest storm force winds through the period with a peak wind gust of 50 knots." +113860,681883,LAKE SUPERIOR,2017,February,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-02-12 10:45:00,EST-5,2017-02-12 13:20:00,0,0,0,0,0.00K,0,0.00K,0,46.721,-87.412,46.721,-87.412,"A strong cold front moving through the Upper Great Lakes produced northwest storm force winds over central Lake Superior on the 12th.","The GLOS at the Granite Island Light measured storm force west winds through the period with a peak gust of 55 knots." +113862,681885,MICHIGAN,2017,February,Winter Weather,"GOGEBIC",2017-02-22 03:00:00,CST-6,2017-02-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a cold front brought moderate wet snow to portions of west and central Upper Michigan from the 22nd into the 23rd.","The spotter in Marenisco measured 4.5 inches of wet heavy snow on trees and power lines." +113862,681886,MICHIGAN,2017,February,Winter Weather,"IRON",2017-02-23 03:00:00,CST-6,2017-02-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a cold front brought moderate wet snow to portions of west and central Upper Michigan from the 22nd into the 23rd.","The observer at Amasa measured six inches of wet snow overnight on the morning of the 23rd." +114822,688703,TENNESSEE,2017,May,Thunderstorm Wind,"MARION",2017-05-24 05:55:00,CST-6,2017-05-24 05:55:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Several trees were reported down." +114822,688704,TENNESSEE,2017,May,Thunderstorm Wind,"BRADLEY",2017-05-24 09:05:00,EST-5,2017-05-24 09:05:00,0,0,0,0,,NaN,,NaN,35.08,-84.74,35.08,-84.74,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Six trees were reported down." +113034,675672,INDIANA,2017,March,Winter Weather,"LAGRANGE",2017-03-17 08:00:00,EST-5,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +117224,705364,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-23 16:43:00,CST-6,2017-06-23 16:43:00,0,0,0,0,3.00M,3000000,0.00K,0,32.4022,-100.7504,32.4022,-100.7504,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Mitchell County and produced wind damage near Loraine. Multiple high profile train cars derailed just south of I-20 near mile marker 223 along Lucus Road. The survey team estimated that the wind speeds were roughly 90 mph through this area. The cost of damage is a very rough estimate." +113034,675671,INDIANA,2017,March,Winter Weather,"STEUBEN",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113034,675669,INDIANA,2017,March,Winter Weather,"DE KALB",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +112766,675881,KENTUCKY,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 06:55:00,EST-5,2017-03-01 06:56:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-84.72,38.97,-84.72,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Measured at a Kentucky Mesonet site." +115711,695396,WEST VIRGINIA,2017,May,Flood,"BERKELEY",2017-05-05 19:19:00,EST-5,2017-05-06 06:11:00,0,0,0,0,0.00K,0,0.00K,0,39.51,-78.04,39.5146,-78.0364,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Back Creek at Jones Springs exceeded their flood stage of 11 feet and peaked at 12.35 feet at 2:15 EST. Dry Run Road began to flood. Water approaches Daisy Lane." +115709,695671,MARYLAND,2017,May,Flood,"HOWARD",2017-05-05 08:22:00,EST-5,2017-05-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.15,-76.93,39.1528,-76.9319,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The 11000 Block of Lime Kiln Road was closed due to high water." +115709,695672,MARYLAND,2017,May,Flood,"FREDERICK",2017-05-05 09:39:00,EST-5,2017-05-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6169,-77.4076,39.6221,-77.409,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Water Street was closed due to high water." +115709,695673,MARYLAND,2017,May,Flood,"FREDERICK",2017-05-05 09:39:00,EST-5,2017-05-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6252,-77.4108,39.6265,-77.4105,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Wood side Avenue was closed due to high water." +112918,675792,PENNSYLVANIA,2017,March,Winter Storm,"LANCASTER",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 5-10 inches of snow across Lancaster County." +112918,675793,PENNSYLVANIA,2017,March,Winter Storm,"LEBANON",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 12-16 inches of snow across Lebanon County." +112918,675794,PENNSYLVANIA,2017,March,Winter Storm,"MIFFLIN",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 12-15 inches of snow across Mifflin County." +112918,675800,PENNSYLVANIA,2017,March,Winter Storm,"PERRY",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 12-18 inches of snow across Perry County." +112918,675802,PENNSYLVANIA,2017,March,Winter Storm,"SCHUYLKILL",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,3,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 14-22 inches of snow across Schuylkill County." +112918,675803,PENNSYLVANIA,2017,March,Winter Storm,"SNYDER",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 14-18 inches of snow across Snyder County." +112918,675810,PENNSYLVANIA,2017,March,Winter Storm,"YORK",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 7-16 inches of snow across York County." +113107,677226,NEW MEXICO,2017,March,Thunderstorm Wind,"ROOSEVELT",2017-03-23 14:47:00,MST-7,2017-03-23 14:57:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-103.36,33.92,-103.36,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Thunderstorm outflow winds of 72 mph at Dora." +113107,676477,NEW MEXICO,2017,March,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-03-23 22:00:00,MST-7,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The Santa Fe Ski Basin and SNOTEL sites reported between 18 and 22 inches of snowfall with rates near two inches per hour. Strong winds were also reported across the high terrain." +113203,677227,MICHIGAN,2017,March,Lake-Effect Snow,"BERRIEN",2017-03-15 01:00:00,EST-5,2017-03-15 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lake effect snow band set up over Berrien County during the early morning hours of March 15 and continued through the early afternoon. Intense snowfall rates, gusty winds, and snow accumulations in excess of 6 inches created difficult travel conditions.","Heavy lake effect snow fell during the morning to early afternoon hours of March 15th. Snowfall accumulations varied across the county, generally ranging between 4 and 10 inches. A spotter reported 8.0 of total snow accumulation 3 miles south-southeast of Fair Plain. The intense snowfall rates of an inch or more per hour, gusty winds, and reduced visibilities led to some school delays across the region. There were also a few reports of slide-offs and minor accidents on area roadways." +112769,673597,KENTUCKY,2017,March,Thunderstorm Wind,"LEE",2017-03-01 08:49:00,EST-5,2017-03-01 08:49:00,0,0,0,0,,NaN,,NaN,37.63,-83.74,37.63,-83.74,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Around 50 large trees were blown down. One tree fell onto a home and power lines were blown down across Bear Track Road. Privacy fences across the area were also blown down." +112769,673598,KENTUCKY,2017,March,Thunderstorm Wind,"ELLIOTT",2017-03-01 08:50:00,EST-5,2017-03-01 08:50:00,0,0,0,0,,NaN,,NaN,38.09,-83.12,38.09,-83.12,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A dumpster was blown into someones yard. Trees were blown down and into a home. One home suffered roof damage, while another had its porch blown off." +112769,673599,KENTUCKY,2017,March,Thunderstorm Wind,"LEE",2017-03-01 08:54:00,EST-5,2017-03-01 08:54:00,0,0,0,0,,NaN,,NaN,37.57,-83.81,37.57,-83.81,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Two homes on the 1400 and 1600 blocks of New Yellow Rock Road had their roofs blown off and had trees inside them." +112769,673600,KENTUCKY,2017,March,Thunderstorm Wind,"LEE",2017-03-01 08:46:00,EST-5,2017-03-01 08:46:00,0,0,0,0,,NaN,,NaN,37.6414,-83.7975,37.6414,-83.7975,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","High winds felled multiple trees along Highways 52, 399, and 498 in west central Lee county. Several homes in the area suffered roof damage. One tree located along a river bank had fallen into a nearby home. The majority of the wind damage occurred at elevated locations and along ridgetops." +112769,673601,KENTUCKY,2017,March,Thunderstorm Wind,"ESTILL",2017-03-01 08:42:00,EST-5,2017-03-01 08:42:00,0,0,0,0,,NaN,,NaN,37.7,-83.97,37.7,-83.97,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Phone lines were blown down in south Irvine." +113360,678461,OHIO,2017,March,Flood,"MEIGS",2017-03-31 13:00:00,EST-5,2017-03-31 23:00:00,0,0,0,0,3.00K,3000,0.00K,0,39.1796,-81.9791,39.186,-82.1751,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Multiple roads were closed due to flooding. This included State Route 681 near Gilkey Ridge Road, State Route 124 in Rutland, and State Route 143 near Old Landfill Road." +113360,678306,OHIO,2017,March,Flood,"ATHENS",2017-03-31 09:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,8.00K,8000,0.00K,0,39.4557,-82.2429,39.4533,-82.1583,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Heavy rainfall caused flooding across northeastern Athens County. Multiple roads were closed due to high water, including routes 56, 356, 681, and 685." +112682,673194,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 10:02:00,EST-5,2017-03-01 10:02:00,0,0,0,0,2.00K,2000,0.00K,0,38.3519,-81.7242,38.3519,-81.7242,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were blown down, with a measured gust of 55 knots." +112682,673195,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 09:58:00,EST-5,2017-03-01 09:58:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-81.6,38.37,-81.6,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","" +112682,673199,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 10:05:00,EST-5,2017-03-01 10:05:00,0,0,0,0,10.00K,10000,0.00K,0,38.0624,-81.8195,38.0624,-81.8195,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Roofing was ripped from a garage. Also, several trees and power lines were blown down." +112682,673200,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 10:10:00,EST-5,2017-03-01 10:10:00,0,0,0,0,30.00K,30000,0.00K,0,37.9802,-81.6998,37.9802,-81.6998,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A mobile home was flipped off its foundation." +113399,678543,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN VALLEY",2017-02-08 13:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Tonasket reported 4 inches of snow." +113399,678549,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 4 miles north of Republic reported 4.2 inches of new snow." +113228,678486,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-05 13:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Elk reported 4.5 inches of new snow." +113228,678487,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-05 13:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Clayton reported 6.5 inches of new snow." +112888,674406,ILLINOIS,2017,January,Dense Fog,"JEFFERSON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112454,670590,ILLINOIS,2017,January,Ice Storm,"SALINE",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112454,670591,ILLINOIS,2017,January,Ice Storm,"GALLATIN",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112473,670618,MISSOURI,2017,January,Ice Storm,"PERRY",2017-01-13 05:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 60's and 70's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was around Perryville, where about one-quarter inch of ice glazed trees and power lines. Ice accumulations on elevated surfaces were about one-tenth of an inch from Cape Girardeau westward to the hilly terrain of Wayne and Carter Counties. From Sikeston south and east, most places received no ice. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113232,677515,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 12:35:00,MST-7,2017-01-11 00:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind senor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 10/2215 MST." +113232,677822,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 01:45:00,MST-7,2017-01-09 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 09/0525 MST." +113232,677823,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 12:00:00,MST-7,2017-01-10 21:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 10/1215 MST." +113232,677824,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-08 08:25:00,MST-7,2017-01-08 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, wtih a peak gust of 59 mph at 08/0955 MST." +111564,677050,CALIFORNIA,2017,January,Debris Flow,"NEVADA",2017-01-09 18:00:00,PST-8,2017-01-10 11:00:00,0,0,0,0,480.00K,480000,0.00K,0,39.3235,-120.4078,39.3286,-120.3841,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Interstate 80 was closed in both directions over the Sierra Nevada near Donner Lake. CalTrans and CHP reported a 60 foot mudslide at 6 pm due to a mudslide. Interstate 80 was shut down for 17 hours west bound, 14 hours east bound, until CalTrans removed the debris." +112549,671454,COLORADO,2017,January,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +113299,677971,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","COOP station at Tuolumne Meadows reported a measured 24 hour snowfall of 20 inches in Tuolumne County at an elevation of 8,694 feet." +113299,677972,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Trained Spotter near Fish Camp reported a measured 24 hour snowfall of 12 inches in Mariposa County at an elevation around 5,500 feet." +113299,677973,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","COOP station 2 miles north of Fish Camp reported a measured 24 hour snowfall of 11 inches in Mariposa County." +113299,677974,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-10 08:00:00,PST-8,2017-01-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","COOP station at Lodgepole reported a measured 24 hour snowfall of 23 inches in Tulare County at an elevation of 6,690 feet." +112836,674195,KANSAS,2017,January,Winter Weather,"THOMAS",2017-01-02 09:05:00,CST-6,2017-01-02 09:15:00,0,3,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two accidents occurred on I-70 near Mingo due to ice on the highway and freezing fog. A total of three injuries were reported from two vehicles.","The low visibility from freezing fog and the slick road conditions from freezing drizzle contributed to two vehicle accidents near mile marker 64 3 SE of Mingo. The icy highway was the primary cause for the accidents. Both accidents occurred within 10 minutes and a half mile of each other. Two injuries occurred in one vehicle and one injury in the second vehicle." +113242,677530,KANSAS,2017,January,Ice Storm,"NORTON",2017-01-15 11:45:00,CST-6,2017-01-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.25-0.75 were reported across the county." +113242,677533,KANSAS,2017,January,Ice Storm,"SHERIDAN",2017-01-15 07:45:00,CST-6,2017-01-16 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.50-0.63 were reported across the county." +111564,665645,CALIFORNIA,2017,January,Flood,"SACRAMENTO",2017-01-07 11:20:00,PST-8,2017-01-08 11:20:00,0,0,0,0,0.00K,0,0.00K,0,38.4171,-121.2346,38.4197,-121.2337,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Heavy rainfall brought street flooding to Wilton on Green Rd." +112334,669758,WYOMING,2017,January,Extreme Cold/Wind Chill,"YELLOWSTONE NATIONAL PARK",2017-01-05 21:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Frigid temperatures occurred in Yellowstone Park. Some of the low temperatures included minus 41 degrees at the Lamar Ranger Station and -35 degrees at the northeast entrance to Yellowstone Park." +111564,676988,CALIFORNIA,2017,January,Debris Flow,"PLACER",2017-01-08 00:00:00,PST-8,2017-01-09 00:15:00,0,0,0,0,6.00K,6000,0.00K,0,39.1145,-120.95,39.1144,-120.9489,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There was a mudslide blocking Highway 174 in Colfax." +111564,676628,CALIFORNIA,2017,January,Heavy Rain,"PLUMAS",2017-01-07 12:00:00,PST-8,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.85,-121.24,39.85,-121.24,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 11.25 inches measured at Bucks Lake. The duration of the heavy rain event was 72 hours." +112337,669778,WYOMING,2017,January,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-01-07 23:00:00,MST-7,2017-01-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Extremely heavy snow fell over the Salt and Wyoming Range. All SNOTEL locations reported at least three feet of snow with several topping four feet. Some of the highest totals included 56 inches at the Blind Bull Summit SNOTEL and 53 inches at the Spring Creek and Indian Creek SNOTELS." +112337,670006,WYOMING,2017,January,High Wind,"CODY FOOTHILLS",2017-01-09 18:14:00,MST-7,2017-01-09 18:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","A 78 mph gust was measured at the weather sensor, five miles west-northwest of Clark." +113112,682178,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,7.00M,7000000,0.00K,0,39.7125,-123.4939,39.7125,-123.4939,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Roadway failure near Laytonville along Highway 101 from milepost 66 to 78." +113112,682305,CALIFORNIA,2017,January,Strong Wind,"MENDOCINO COAST",2017-01-08 10:00:00,PST-8,2017-01-08 11:00:00,0,0,0,0,17.00K,17000,0.00K,0,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Strong winds knocked trees down on a county owned building and fences in Fort Bragg causing damage. The trees fell on the 8th but the exact time is unknown." +112905,674559,WISCONSIN,2017,January,Winter Storm,"MARATHON",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused icy roads across Marathon County, and up to a quarter of an inch of ice was measured on tree limbs in Rothschild." +112905,674560,WISCONSIN,2017,January,Winter Storm,"SHAWANO",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused an accumulation of ice across Shawano County." +112815,675836,MISSISSIPPI,2017,January,Thunderstorm Wind,"PERRY",2017-01-02 15:26:00,CST-6,2017-01-02 15:26:00,0,0,0,0,5.00K,5000,0.00K,0,31.26,-89.11,31.26,-89.11,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds across inland southeast Mississippi.","Trees and power lines were downed on Memorial Church Road." +112815,675837,MISSISSIPPI,2017,January,Thunderstorm Wind,"WAYNE",2017-01-02 15:30:00,CST-6,2017-01-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.6749,-88.646,31.6749,-88.646,"A surface low developed over the southern Plains and moved east into the Tennessee Valley, resulting in numerous thunderstorms across the area that produced damaging winds across inland southeast Mississippi.","Numerous trees and power lines were downed across Wayne County." +113064,676120,INDIANA,2017,January,Winter Weather,"FAYETTE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer northeast of Alpine measured 1.2 inches of snow." +113090,676414,CALIFORNIA,2017,January,Heavy Snow,"DEL NORTE INTERIOR",2017-01-01 12:00:00,PST-8,2017-01-04 05:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","Four to six inches of snow reported in Gasquet at 400 feet elevation at 10 am on the 2nd. Snow was still falling at the time of the observation. There was also an additional report of over 12 inches of snow on highway 199 from an NWS employee passing through the Collier Tunnel and 17 inches around 1700 feet from a spotter around noon on the 3rd." +113090,676419,CALIFORNIA,2017,January,Heavy Snow,"SOUTHERN HUMBOLDT INTERIOR",2017-01-01 12:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","Several reports of heavy snow were received over social media in interior southern Humboldt County with the first report over 6 inches of snow received at 10:45 am on the 2nd in Bridgeville at 2,800 feet elevation. Additional reports of between 4 and 7 inches were received through the 3rd. More snow likely fell at higher elevations into the 4th but no additional reports were received. Snow chains were required along Highway 36 during much of the event." +113152,676849,VIRGINIA,2017,January,Flood,"HALIFAX",2017-01-24 06:00:00,EST-5,2017-01-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6869,-78.9337,36.6936,-78.905,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","The Dan River at South Boston (SBNV2) rose above flood stage on the 24th and crested at 22.30 feet (Minor Flood Stage = 19 ft.) early on the 25th. Flooding was confined to mainly lowland areas." +113152,676882,VIRGINIA,2017,January,Flood,"CHARLOTTE",2017-01-24 18:00:00,EST-5,2017-01-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.8857,-78.7043,36.9193,-78.7473,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","The lower Roanoke River flooded along the left bank in Charlotte County as the river gage at Randolph crested at 21.43 feet late on the 24th just above Minor flood stage (21 feet). Flooding was confined to lowland areas." +113187,677102,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-01-22 15:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Storm total snow reports included 43 inches at Brighton Resort, 33 inches at Alta Ski Area, and 27 inches at Snowbird Ski & Summer Resort. In addition, winds were strong at the beginning of the storm, with a peak wind gust of 86 mph recorded at Cardiff Peak." +113187,677103,UTAH,2017,January,Winter Storm,"WESTERN UINTA MOUNTAINS",2017-01-22 15:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","The Trial Lake SNOTEL received 2.20 inches of liquid equivalent precipitation, or approximately 25 inches of snow." +113030,676158,ALABAMA,2017,January,Thunderstorm Wind,"BUTLER",2017-01-21 08:22:00,CST-6,2017-01-21 08:22:00,0,0,0,0,15.00K,15000,0.00K,0,31.5505,-86.7144,31.5505,-86.7144,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Numerous trees and power lines were downed in and around McKenzie. A home on Elizabeth Street was damaged due to fallen trees. A home on Garland Road suffered minor damage from a fallen tree." +113060,676090,ALABAMA,2017,January,Tornado,"PIKE",2017-01-21 08:55:00,CST-6,2017-01-21 09:29:00,0,0,0,0,0.00K,0,0.00K,0,31.787,-86.1345,31.7889,-85.6644,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in Pike County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down along Pike County Road 1107, about 5 miles north of the town of Goshen. The tornado traveled due east and produced mostly light damage as it crossed just south of the city of Troy. The most significant damage occurred just south of the town of Banks, where a mobile home suffered significant damage. The two occupants were uninjured as they took shelter after hearing about the warning. The tornado continued eastward where it uprooted trees and caused minor roof damage before exiting Pike County and into Barbour County." +112467,673160,MAINE,2017,January,Sleet,"NORTHEAST AROOSTOOK",2017-01-24 10:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 4 inches." +112538,671205,OHIO,2017,January,High Wind,"GEAUGA",2017-01-10 19:06:00,EST-5,2017-01-10 19:30:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed trees and limbs throughout Geuaga County. Scattered power outages were reported. A moving vehicle was struck by a falling tree limb in Claridon Township. The car was heavily damaged but the driver was uninjured." +112538,671300,OHIO,2017,January,High Wind,"CUYAHOGA",2017-01-10 23:21:00,EST-5,2017-01-10 23:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Cleveland Hopkins International Airport measured a 58 mph wind gust." +112467,673174,MAINE,2017,January,Sleet,"CENTRAL PENOBSCOT",2017-01-24 05:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 3 inches." +113796,681520,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was measured at the NWS in Cheyenne." +113796,681521,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was measured one mile northwest of Cheyenne." +112200,669042,TENNESSEE,2017,January,Heavy Snow,"KNOX",2017-01-06 20:00:00,EST-5,2017-01-07 09:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 4 inches was measured one mile west of Strawberry Plains." +112200,669043,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 09:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 5 inches was measured two miles northwest of Sevierville." +112200,669046,TENNESSEE,2017,January,Heavy Snow,"HAWKINS",2017-01-06 20:00:00,EST-5,2017-01-07 09:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 4 inches was measured at Rogersville." +112464,673140,MAINE,2017,January,Winter Storm,"SOUTHEAST AROOSTOOK",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 3 to 5 inches along with 1 to 3 inches of sleet." +112965,674998,NORTH CAROLINA,2017,January,Heavy Snow,"YANCEY",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +113830,681577,NEBRASKA,2017,January,Winter Storm,"NORTH SIOUX",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer nine miles northeast of Harrison measured 9.5 inches of snow." +111680,676779,MINNESOTA,2017,January,Winter Storm,"NORMAN",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113830,681579,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer at Melbeta measured 12.5 inches of snow." +113148,676719,WYOMING,2017,January,Extreme Cold/Wind Chill,"CENTRAL LARAMIE COUNTY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 10 to 25 mph combined with temperatures of -15 to -40 degrees produced wind chill values between -30 and -65 degrees.","Sustained wind speeds of 20 to 25 mph combined with temperatures around -15 degrees produced wind chill values between -35 and -45 degrees." +113302,677993,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-23 12:04:00,PST-8,2017-01-23 12:04:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Yosemite National Park south entrance ranger station reported 36 inches of snowfall and approximately 30 vehicles were stuck in snow near Fish Camp in Mariposa County." +113302,677994,CALIFORNIA,2017,January,Winter Weather,"S SIERRA FOOTHILLS",2017-01-23 07:04:00,PST-8,2017-01-23 07:04:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter reported 2 inches of snowfall around 7 miles northwest of Oakhurst which was causing cars to get stuck and vehicles spinning out." +113302,677995,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter near Fish Camp reported a measured 24 hour snowfall of 12 inches in Mariposa County at an elevation of 5,000 feet." +113302,677998,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station at Grant Grove reported a measured 24 hour snowfall of 12 inches in Tulare County." +113302,678001,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-23 08:00:00,PST-8,2017-01-24 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Snotel report 7 miles east southeast of Grant Grove reported a measured 24 hour snowfall of 10 inches in Tulare County." +113302,678004,CALIFORNIA,2017,January,Heavy Snow,"KERN CTY MTNS",2017-01-23 08:00:00,PST-8,2017-01-24 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station report 6 miles southwest of Keene reported a measured 24 hour snowfall of 12 inches in Kern County." +113300,678006,KANSAS,2017,January,Winter Weather,"GRANT",2017-01-05 00:00:00,CST-6,2017-01-05 17:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate snow event occurred across parts of the region as a strong upper storm moved out of the southwest states. Snow amounts were as high as 4 1/2 inches.","Snowfall of 3.5 inches was observed at a location 3 miles NNE of Ulysses." +112779,678095,KANSAS,2017,January,Ice Storm,"PRATT",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1/2 to 1 inch. Water equivalent was 2 to 3 inches." +112902,674545,WISCONSIN,2017,January,Winter Storm,"MENOMINEE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +112779,678102,KANSAS,2017,January,Ice Storm,"TREGO",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 inch. Water equivalent was 3/4 to 1 1/2 inches." +113219,677408,IDAHO,2017,February,Heavy Snow,"COEUR D'ALENE AREA",2017-02-03 13:00:00,PST-8,2017-02-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","An observer 6 miles south of Huetter reported 10.5 inches of new snow." +113219,677410,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 13:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","An observer near Spirit lake reported 11.5 inches of new snow accumulation." +113263,678103,CALIFORNIA,2017,January,Dense Fog,"SE S.J. VALLEY",2017-01-29 03:15:00,PST-8,2017-01-29 10:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0315 PST and 1015 PST the Visalia Municipal Airport (KVIS) AWOS reported visibility less than 1/4 mile." +112820,674053,COLORADO,2017,January,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112779,678076,KANSAS,2017,January,Ice Storm,"EDWARDS",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1 to 1 1/2 inches. Water equivalent was 2 to 3 inches. Tree and power line damage was extensive." +114074,683129,ARIZONA,2017,January,Heavy Snow,"EASTERN MOGOLLON RIM",2017-01-20 10:00:00,MST-7,2017-01-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","Nine inches of new snow fell in Forest Lakes by 800 AM from the second storm. By 120 PM, the second storm produced 25 inches of snow in less than 28 hours. Close to 33 inches of snow fell in under 50 hours." +113190,683099,ARIZONA,2017,January,Heavy Snow,"EASTERN MOGOLLON RIM",2017-01-19 07:00:00,MST-7,2017-01-20 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","Eight inches of snow fell in Forest Lakes (7,600 feet) and 5.5 inches of snow fell in Clints Well at around 6,800 feet." +113190,683112,ARIZONA,2017,January,Heavy Snow,"GRAND CANYON COUNTRY",2017-01-19 09:00:00,MST-7,2017-01-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","Weather spotters around the South Rim of the Grand Canyon reported 6.5 to 7.0 inches of snow. The elevations were between 6,800 and 7,100 feet elevation." +118251,710649,MISSOURI,2017,June,Hail,"WORTH",2017-06-28 17:45:00,CST-6,2017-06-28 17:48:00,0,0,0,0,,NaN,,NaN,40.43,-94.33,40.43,-94.33,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710650,MISSOURI,2017,June,Hail,"ATCHISON",2017-06-28 18:05:00,CST-6,2017-06-28 18:06:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-95.38,40.44,-95.38,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710651,MISSOURI,2017,June,Hail,"ATCHISON",2017-06-28 18:12:00,CST-6,2017-06-28 18:16:00,0,0,0,0,,NaN,,NaN,40.44,-95.38,40.44,-95.38,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +121164,725362,OKLAHOMA,2017,October,Flash Flood,"NOBLE",2017-10-04 11:00:00,CST-6,2017-10-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5326,-97.3509,36.5319,-97.3333,"An area of showers and storms formed and trained over central Oklahoma near a stalled front through the morning and early afternoon of the 4th.","Highway 15 experienced water over the roadway." +121164,725363,OKLAHOMA,2017,October,Flash Flood,"CANADIAN",2017-10-04 12:05:00,CST-6,2017-10-04 15:05:00,0,0,0,0,0.00K,0,0.00K,0,35.6387,-97.7303,35.6233,-97.7306,"An area of showers and storms formed and trained over central Oklahoma near a stalled front through the morning and early afternoon of the 4th.","A 200 yard stretch of Mustang road between 150TH and 164TH was flooded. One foot of water was flowing across the road." +121164,725364,OKLAHOMA,2017,October,Flash Flood,"CANADIAN",2017-10-04 13:20:00,CST-6,2017-10-04 16:20:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-97.68,35.6616,-97.6697,"An area of showers and storms formed and trained over central Oklahoma near a stalled front through the morning and early afternoon of the 4th.","Six inches to 2 feet of water was flowing over the road at 192nd and County Line Rd." +121164,725365,OKLAHOMA,2017,October,Flash Flood,"CANADIAN",2017-10-04 14:55:00,CST-6,2017-10-04 17:55:00,0,0,0,0,0.00K,0,0.00K,0,35.6763,-97.6819,35.6777,-97.6688,"An area of showers and storms formed and trained over central Oklahoma near a stalled front through the morning and early afternoon of the 4th.","Water over the road." +121162,725377,OKLAHOMA,2017,October,Tornado,"TILLMAN",2017-10-21 16:23:00,CST-6,2017-10-21 16:23:00,0,0,0,0,0.00K,0,0.00K,0,34.4793,-98.9428,34.4793,-98.9428,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Numerous storm chasers observed and reported a brief landspout estimated to have occurred about 3 miles southeast of Manitou. No damage was reported." +113358,680896,MAINE,2017,March,Blizzard,"NORTHEAST AROOSTOOK",2017-03-14 20:00:00,EST-5,2017-03-14 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 11 to 16 inches. Blizzard conditions also occurred." +112766,675885,KENTUCKY,2017,March,Thunderstorm Wind,"CAMPBELL",2017-03-01 07:10:00,EST-5,2017-03-01 07:12:00,0,0,0,0,5.00K,5000,0.00K,0,38.95,-84.38,38.95,-84.38,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A large tree was downed and a porch was uplifted and blown downwind several hundred feet." +112767,675887,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 07:01:00,EST-5,2017-03-01 07:03:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-84.35,39.25,-84.35,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +113727,680797,VERMONT,2017,March,Winter Weather,"EASTERN ADDISON",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches with locally higher amounts fell across Addison county. Some specific totals include; 12 niches in south Hancock, 7 inches in Orwell, 6 inches in Ferrisburgh, Vergennes and New Haven, 5 inches in Middlebury and 3 inches in South Lincoln." +113727,680798,VERMONT,2017,March,Winter Weather,"WESTERN ADDISON",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches with locally higher amounts fell across Addison county. Some specific totals include; 12 niches in south Hancock, 7 inches in Orwell, 6 inches in Ferrisburgh, Vergennes and New Haven, 5 inches in Middlebury and 3 inches in South Lincoln." +113727,680801,VERMONT,2017,March,Winter Weather,"EASTERN FRANKLIN",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Franklin county. Some specific totals include; 6 inches in St. Albans, 4 inches in Richford and 3 inches in Swanton." +113611,680114,GEORGIA,2017,March,Frost/Freeze,"QUITMAN",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680115,GEORGIA,2017,March,Frost/Freeze,"RANDOLPH",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680116,GEORGIA,2017,March,Frost/Freeze,"SEMINOLE",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680117,GEORGIA,2017,March,Frost/Freeze,"TERRELL",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680118,GEORGIA,2017,March,Frost/Freeze,"THOMAS",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680119,GEORGIA,2017,March,Frost/Freeze,"TIFT",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680120,GEORGIA,2017,March,Frost/Freeze,"TURNER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680121,GEORGIA,2017,March,Frost/Freeze,"WORTH",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +112845,679045,MISSOURI,2017,March,Hail,"BARTON",2017-03-09 16:43:00,CST-6,2017-03-09 16:43:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-94.19,37.57,-94.19,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679046,MISSOURI,2017,March,Hail,"BARTON",2017-03-09 16:45:00,CST-6,2017-03-09 16:45:00,0,0,0,0,50.00K,50000,0.00K,0,37.49,-94.28,37.49,-94.28,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Golf ball size hail damaged several cars and homes. This report will have damage estimates for this storm event." +112845,679047,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 16:45:00,CST-6,2017-03-09 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-93.17,37.36,-93.17,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Ping pong size hail was reported on the north side of Fellows Lake. This report was from social media with a picture." +112845,679048,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 16:46:00,CST-6,2017-03-09 16:46:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-94.28,37.34,-94.28,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679051,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 16:52:00,CST-6,2017-03-09 16:52:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-94.31,37.3,-94.31,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Tea cup size hail was reported south of Jasper." +112845,679052,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 16:58:00,CST-6,2017-03-09 16:58:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-93.12,37.27,-93.12,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679053,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:00:00,CST-6,2017-03-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.56,37.08,-94.56,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679054,MISSOURI,2017,March,Hail,"SHANNON",2017-03-09 17:12:00,CST-6,2017-03-09 17:12:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-91.41,37.28,-91.41,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679055,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:13:00,CST-6,2017-03-09 17:13:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-94.57,37.18,-94.57,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +113619,680164,LOUISIANA,2017,March,Thunderstorm Wind,"WINN",2017-03-24 23:10:00,CST-6,2017-03-24 23:10:00,0,0,0,0,0.00K,0,0.00K,0,32.0793,-92.4877,32.0793,-92.4877,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A tree was blown down blocking a portion of a road in Sikes." +113619,680165,LOUISIANA,2017,March,Thunderstorm Wind,"OUACHITA",2017-03-24 23:25:00,CST-6,2017-03-24 23:25:00,0,0,0,0,0.00K,0,0.00K,0,32.3218,-92.2492,32.3218,-92.2492,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down on Cypress School Road." +113549,687239,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:40:00,CST-6,2017-03-06 20:40:00,0,0,0,0,10.00K,10000,0.00K,0,43.8145,-91.243,43.8145,-91.243,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","In the city of La Crosse, a garage roof was blown off, which brought power lines down onto a house starting a fire in the house." +113549,687258,WISCONSIN,2017,March,Lightning,"JUNEAU",2017-03-06 22:39:00,CST-6,2017-03-06 22:39:00,0,0,0,0,55.00K,55000,0.00K,0,44.0243,-90.178,44.0243,-90.178,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","A fire caused by a lightning strike, destroyed a house west of Necedah." +113460,679219,MARYLAND,2017,March,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-03-10 04:00:00,EST-5,2017-03-10 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south. Cold air from the north filtered in during this time while precipitation was occurring. This allowed for rain to change to snow before ending and the highest accumulations were on the ridges where surface temps were below freezing.","Snowfall totaled up to 3 inches in Frostburg and Midland." +113461,679220,WEST VIRGINIA,2017,March,Winter Weather,"WESTERN GRANT",2017-03-10 04:00:00,EST-5,2017-03-10 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south. Cold air from the north filtered in during this time while precipitation was occurring. This allowed for rain to change to snow before ending and the highest accumulations were on the ridges where surface temps were below freezing.","Snowfall totaled up to 4.0 inches in Mount Storm and 3.7 inches at Bayard." +113461,679221,WEST VIRGINIA,2017,March,Winter Weather,"WESTERN MINERAL",2017-03-10 04:00:00,EST-5,2017-03-10 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south. Cold air from the north filtered in during this time while precipitation was occurring. This allowed for rain to change to snow before ending and the highest accumulations were on the ridges where surface temps were below freezing.","Snowfall totaled up to 3.0 inches at Kitzmiller." +113588,679958,DISTRICT OF COLUMBIA,2017,March,Winter Weather,"DISTRICT OF COLUMBIA",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to sleet and and freezing rain. This cut down on some of the snow totals, but ice accumulation from freezing rain also took place.","Snowfall totaled up to 3.1 inches near the National Zoo." +114021,685672,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,39.136,-77.216,39.136,-77.216,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported in Gaithersburg." +114021,685673,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:42:00,EST-5,2017-03-01 13:42:00,0,0,0,0,,NaN,,NaN,39.0398,-77.0282,39.0398,-77.0282,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Arcola Avenue was closed between Lamberton Drive and Hoyt Street due to a tree on wires." +114021,685674,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:41:00,EST-5,2017-03-01 13:41:00,0,0,0,0,,NaN,,NaN,39.0096,-77.0407,39.0096,-77.0407,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down blocking Brookville Road near Georgia Avenue." +114021,685675,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,39.0271,-77.0762,39.0271,-77.0762,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Brunswick Avenue near Finch Street." +114021,685676,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:42:00,EST-5,2017-03-01 13:42:00,0,0,0,0,,NaN,,NaN,39.016,-77.0367,39.016,-77.0367,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A large tree fell onto a house causing the roof to collapse." +114021,685678,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,39.3353,-77.0762,39.3353,-77.0762,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Several large horse trailers were blown over and several Outbuildings were damaged. Numerous trees were down as well." +114021,685680,MARYLAND,2017,March,Thunderstorm Wind,"ST. MARY'S",2017-03-01 14:06:00,EST-5,2017-03-01 14:06:00,0,0,0,0,,NaN,,NaN,38.3393,-76.7764,38.3393,-76.7764,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on the 24000 Block of Hurry Road." +114021,685681,MARYLAND,2017,March,Thunderstorm Wind,"ST. MARY'S",2017-03-01 14:01:00,EST-5,2017-03-01 14:01:00,0,0,0,0,,NaN,,NaN,38.43,-76.73,38.43,-76.73,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Morganza Turna Road." +119671,717848,NEW MEXICO,2017,September,Hail,"SANDOVAL",2017-09-30 16:45:00,MST-7,2017-09-30 16:48:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-106.69,35.25,-106.69,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of pennies in Rio Rancho." +114525,686798,ILLINOIS,2017,March,Thunderstorm Wind,"EDGAR",2017-03-07 02:53:00,CST-6,2017-03-07 02:58:00,0,0,0,0,0.00K,0,0.00K,0,39.51,-87.56,39.51,-87.56,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A large tree limb was blown down." +119671,717849,NEW MEXICO,2017,September,Hail,"SANDOVAL",2017-09-30 16:56:00,MST-7,2017-09-30 16:58:00,0,0,0,0,0.00K,0,0.00K,0,35.274,-106.6512,35.274,-106.6512,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of pennies near Northern and Rockaway." +114525,686804,ILLINOIS,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-07 00:23:00,CST-6,2017-03-07 00:28:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-89.05,41.05,-89.05,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Several tree branches were broken in Wenona." +114525,686821,ILLINOIS,2017,March,Strong Wind,"MCLEAN",2017-03-06 22:00:00,CST-6,2017-03-06 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Gradient winds gusting to 45-50mph ahead of an approaching line of thunderstorms caused a tree to fall along the 1200 block of West College Avenue in Bloomington." +114695,687972,TEXAS,2017,March,Tornado,"JEFFERSON",2017-03-11 14:47:00,CST-6,2017-03-11 14:48:00,0,0,0,0,0.00K,0,0.00K,0,30.0929,-94.2291,30.0933,-94.2215,"Scattered showers and thunderstorms developed over Southeast Texas during the afternoon. One storm produced a brief tornado.","Broadcast media shared a video of a brief tornado that occurred in a field. The tornado moved roughly half a mile through the field causing no damage. Multiple reports funnel clouds were also received from this storm." +114700,687977,LOUISIANA,2017,March,Hail,"LAFAYETTE",2017-03-25 09:06:00,CST-6,2017-03-25 09:06:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-91.99,30.1,-91.99,"A line of thunderstorms ahead of a cold front moved across South Louisiana producing a few reports of hail and wind damage.","" +114700,687978,LOUISIANA,2017,March,Hail,"ST. MARTIN",2017-03-25 09:36:00,CST-6,2017-03-25 09:36:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-91.78,30.16,-91.78,"A line of thunderstorms ahead of a cold front moved across South Louisiana producing a few reports of hail and wind damage.","" +114860,689054,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CHATHAM",2017-03-01 20:20:00,EST-5,2017-03-01 20:28:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-79.14,35.71,-79.23,"Warm sector destabilization in advance of a strong cold front approaching from the west, allowed clusters and small lines of strong to severe thunderstorms to move east from the southern Appalachians during the afternoon, into the western and central Piedmont of NC during the evening. The storms produced several quarter size hail swaths across |the western Piedmont, along with localized straight-line wind damage in Chatham County.","Three trees reported blown down along the swath, including one down tree on Foxwood Trail." +114860,689056,NORTH CAROLINA,2017,March,Hail,"RANDOLPH",2017-03-01 18:52:00,EST-5,2017-03-01 18:52:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-79.77,35.88,-79.77,"Warm sector destabilization in advance of a strong cold front approaching from the west, allowed clusters and small lines of strong to severe thunderstorms to move east from the southern Appalachians during the afternoon, into the western and central Piedmont of NC during the evening. The storms produced several quarter size hail swaths across |the western Piedmont, along with localized straight-line wind damage in Chatham County.","Quarter sized hail reported near the community of Level Cross." +114975,689823,CALIFORNIA,2017,March,Hail,"HUMBOLDT",2017-03-05 09:15:00,PST-8,2017-03-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-124.2,40.74,-124.2,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report from a store in Humboldt Hill." +114975,689824,CALIFORNIA,2017,March,Hail,"HUMBOLDT",2017-03-05 20:30:00,PST-8,2017-03-05 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-124.22,40.64,-124.22,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Picture received over social media of penny sized hail stones near Loleta." +114975,689829,CALIFORNIA,2017,March,Winter Storm,"DEL NORTE INTERIOR",2017-03-04 00:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 15 inches at 1850 feet elevation. An exact location is uncertain and the time in which criteria was reached is estimated based on snow reports in Humboldt County." +114975,689843,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of four inches of snow two miles west of Hayfork. Snow fell over a four hour period." +114149,683797,OKLAHOMA,2017,March,Hail,"CARTER",2017-03-26 18:00:00,CST-6,2017-03-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.26,34.18,-97.26,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683798,OKLAHOMA,2017,March,Hail,"SEMINOLE",2017-03-26 18:00:00,CST-6,2017-03-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-96.68,35.11,-96.68,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683799,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:01:00,CST-6,2017-03-26 18:01:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-96.64,34.74,-96.64,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683800,OKLAHOMA,2017,March,Hail,"CARTER",2017-03-26 18:03:00,CST-6,2017-03-26 18:03:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-97.49,34.23,-97.49,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683801,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:08:00,CST-6,2017-03-26 18:08:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-96.68,34.76,-96.68,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683802,OKLAHOMA,2017,March,Hail,"CARTER",2017-03-26 18:23:00,CST-6,2017-03-26 18:23:00,0,0,0,0,0.00K,0,0.00K,0,34.33,-97.43,34.33,-97.43,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683803,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:28:00,CST-6,2017-03-26 18:28:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-96.68,34.77,-96.68,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683804,OKLAHOMA,2017,March,Hail,"MURRAY",2017-03-26 18:31:00,CST-6,2017-03-26 18:31:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.12,34.5,-97.12,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683805,OKLAHOMA,2017,March,Hail,"MURRAY",2017-03-26 18:31:00,CST-6,2017-03-26 18:31:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.19,34.5,-97.19,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683806,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 18:34:00,CST-6,2017-03-26 18:34:00,0,0,0,0,0.00K,0,0.00K,0,34.53,-97.2,34.53,-97.2,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +113755,684012,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:30:00,CST-6,2017-03-26 19:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.08,-96.85,33.08,-96.85,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A delayed social media report indicated golf ball sized hail near The Colony." +113755,684013,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:30:00,CST-6,2017-03-26 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-96.93,33.18,-96.93,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A delayed CoCoRaHS report indicated ping-pong ball sized hail 3 miles northeast of Little Elm." +113755,684014,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:31:00,CST-6,2017-03-26 19:31:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported golf ball sized hail in Frisco." +113755,684015,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:32:00,CST-6,2017-03-26 19:32:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.97,33.15,-96.97,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated golf ball sized hail in the city of Little Elm." +113755,684016,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:35:00,CST-6,2017-03-26 19:35:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A delayed social media report indicated 2-inch diameter hail near the intersection of Preston Rd and Main Street in Frisco, TX." +113755,684017,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:36:00,CST-6,2017-03-26 19:36:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Fire and Rescue measured hail of 2.25 inches in diameter in Frisco, TX." +113755,684018,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:36:00,CST-6,2017-03-26 19:36:00,0,0,0,0,10.00K,10000,0.00K,0,33.37,-97.18,33.37,-97.18,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported golf ball sized hail in the city of Sanger, TX." +113755,684019,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:38:00,CST-6,2017-03-26 19:38:00,0,0,0,0,10.00K,10000,0.00K,0,33.2185,-96.88,33.2185,-96.88,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated golf ball sized hail near the intersection of Hwy 380 and Route 423." +113755,684021,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:46:00,CST-6,2017-03-26 19:46:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated 2-inch diameter hail on the east side of Frisco, TX ." +114914,689446,WISCONSIN,2017,March,High Wind,"MILWAUKEE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down throughout the city and county. A light pole and large sign were blown over just west of Mitchell Field." +114914,689461,WISCONSIN,2017,March,High Wind,"WALWORTH",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down throughout the county. Vinyl siding ripped off a house in Genoa City." +114914,689462,WISCONSIN,2017,March,High Wind,"ROCK",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","A Tractor trailer was overturned on I-39 just north of Beloit. Scattered trees and limbs down throughout the county." +114914,689463,WISCONSIN,2017,March,High Wind,"GREEN",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down throughout the county." +114914,689465,WISCONSIN,2017,March,High Wind,"IOWA",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","The roof of a hay shed was torn off and blew into another shed approximately 125 yards away, destroying the shed. Scattered trees and limbs down throughout the county." +114092,683198,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"OCONEE",2017-03-01 18:16:00,EST-5,2017-03-01 18:24:00,0,0,0,0,10.00K,10000,0.00K,0,34.78,-83.038,34.851,-82.911,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","EM reported widespread trees blown down across northern Oconee County, with more than two dozen roads blocked. Several outbuildings were also damaged or destroyed, while at least one home received siding damage (near Big Brown Dr and Old Highway 11)." +114092,683203,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"PICKENS",2017-03-01 18:35:00,EST-5,2017-03-01 18:35:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-82.71,34.88,-82.71,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported multiple trees blown down in Pickens, especially off Glassy Mountain St." +114092,683206,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"PICKENS",2017-03-01 18:41:00,EST-5,2017-03-01 18:41:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-82.59,34.82,-82.59,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) trees blown down across the train tracks in Easley and power lines blown down off Saluda Dam Rd on the north side of town." +114092,683221,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SPARTANBURG",2017-03-01 19:01:00,EST-5,2017-03-01 19:01:00,0,0,0,0,0.00K,0,0.00K,0,34.978,-82.193,34.978,-82.193,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) trees on power lines near Lyman Lake." +114092,683222,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SPARTANBURG",2017-03-01 19:16:00,EST-5,2017-03-01 19:16:00,0,0,0,0,5.00K,5000,0.00K,0,34.859,-82.22,34.876,-81.764,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Highway Patrol reported at least a dozen trees blown down across the central part of Spartanburg County. Some screen porches were also damaged at the Pelham Medical Center in Greer." +114092,683223,SOUTH CAROLINA,2017,March,Hail,"OCONEE",2017-03-01 18:24:00,EST-5,2017-03-01 18:24:00,0,0,0,0,,NaN,,NaN,34.87,-82.91,34.87,-82.91,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported quarter to half dollar size hail in the Salem area." +114984,689928,NORTH CAROLINA,2017,March,Flash Flood,"HENDERSON",2017-03-31 04:10:00,EST-5,2017-03-31 06:00:00,0,0,0,0,0.50K,500,0.00K,0,35.311,-82.453,35.302,-82.457,"Multiple waves of showers and thunderstorms passed through western North Carolina ahead of a cold front late on the 30th and through the morning of the 31st. Isolated damaging winds were reported with some of the embedded storms, while an area of flash flooding developed near Hendersonville.","A stream gauge indicated and emergency management confirmed that Mud Creek overflowed its banks on the south side of downtown Hendersonville flooding a few roads near the intersection of Spartanburg and Greenville Highways including E Caswell St." +114984,689914,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CLEVELAND",2017-03-31 05:57:00,EST-5,2017-03-31 05:57:00,0,0,0,0,50.00K,50000,0.00K,0,35.34,-81.54,35.292,-81.489,"Multiple waves of showers and thunderstorms passed through western North Carolina ahead of a cold front late on the 30th and through the morning of the 31st. Isolated damaging winds were reported with some of the embedded storms, while an area of flash flooding developed near Hendersonville.","Media reported a tree blown down on Lafeyette St north of Shelby. Public reported (via Social Media) a tree fell on and damaged a house and three vehicles on Elizabeth Ave." +113083,689960,NORTH CAROLINA,2017,March,Hail,"BURKE",2017-03-01 17:10:00,EST-5,2017-03-01 17:10:00,0,0,0,0,,NaN,,NaN,35.647,-81.54,35.647,-81.54,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Media reported half dollar size hail." +114092,689965,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"YORK",2017-03-01 20:00:00,EST-5,2017-03-01 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.11,-81.05,35.11,-81.05,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) multiple trees down, with a limb puncturing a garage door." +114092,689968,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"CHESTER",2017-03-01 20:20:00,EST-5,2017-03-01 20:20:00,0,0,0,0,1.00K,1000,0.00K,0,34.57,-80.9,34.57,-80.9,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","EM reported metal sheeting was ripped from a building in Great Falls." +115048,690599,OKLAHOMA,2017,March,Wildfire,"CHEROKEE",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +115048,690600,OKLAHOMA,2017,March,Wildfire,"PITTSBURG",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +115048,690601,OKLAHOMA,2017,March,Wildfire,"SEQUOYAH",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +115048,690602,OKLAHOMA,2017,March,Wildfire,"ADAIR",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +115048,690603,OKLAHOMA,2017,March,Wildfire,"LATIMER",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +115048,690604,OKLAHOMA,2017,March,Wildfire,"DELAWARE",2017-03-20 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late March 2017. The largest wildfires occurred in Cherokee County where over 5000 acres burned, Adair County where over 2200 acres burned, Pittsburg and Sequoyah Counties where over 1000 acres burned, Delaware County where over 600 acres burned, and Latimer County where over 500 acres burned.","" +113434,678741,HAWAII,2017,March,High Surf,"MAUI WINDWARD WEST",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678742,HAWAII,2017,March,High Surf,"MAUI CENTRAL VALLEY",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113434,678743,HAWAII,2017,March,High Surf,"WINDWARD HALEAKALA",2017-03-13 03:00:00,HST-10,2017-03-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest generated surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. No significant injuries or property damage were reported.","" +113435,678744,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-24 06:16:00,HST-10,2017-03-24 09:56:00,0,0,0,0,0.00K,0,0.00K,0,19.411,-155.2382,19.0506,-155.6145,"Trade wind showers moved over portions of windward Big Island. The precipitation caused ponding on roadways, and small stream and drainage ditch flooding. No serious property damage or injuries were reported.","" +113436,678745,HAWAII,2017,March,High Surf,"NIIHAU",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678746,HAWAII,2017,March,High Surf,"KAUAI WINDWARD",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678748,HAWAII,2017,March,High Surf,"WAIANAE COAST",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +112813,683565,KANSAS,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-06 19:43:00,CST-6,2017-03-06 19:44:00,0,0,0,0,,NaN,,NaN,38.49,-95.15,38.49,-95.15,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Twenty power poles down near John Brown Road and Texas Road." +112813,683566,KANSAS,2017,March,Thunderstorm Wind,"WABAUNSEE",2017-03-06 18:00:00,CST-6,2017-03-06 18:01:00,0,0,0,0,,NaN,,NaN,39.08,-96.15,39.08,-96.15,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Roof was blown off of a barn." +112813,683567,KANSAS,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-06 19:46:00,CST-6,2017-03-06 19:47:00,0,0,0,0,,NaN,,NaN,38.28,-95.35,38.28,-95.35,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Two outbuildings had their tin roofs blown off." +112510,670965,VIRGINIA,2017,January,Winter Weather,"SHENANDOAH",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall was estimated to be around two inches based on observations nearby." +112511,670974,WEST VIRGINIA,2017,January,Winter Weather,"HARDY",2017-01-05 17:00:00,EST-5,2017-01-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","Snowfall totaled up to 2.2 inches near Romney." +112512,670985,VIRGINIA,2017,January,Winter Weather,"GREENE",2017-01-07 01:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southeastern CONUS off the Mid-Atlantic coast and eventually out to sea. High pressure to the north provided plenty of cold air during this time, resulting in snow.","Snowfall was estimated to be between 1 and 3 inches based on observations nearby." +112696,673480,VIRGINIA,2017,January,Winter Weather,"NORTHERN FAUQUIER",2017-01-14 02:00:00,EST-5,2017-01-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was reported in Greenwich." +112698,673505,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN MINERAL",2017-01-13 22:00:00,EST-5,2017-01-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area. There was enough cold air trapped near the surface for a period of freezing rain.","A glaze of ice was estimated based on observations nearby." +112750,673515,VIRGINIA,2017,January,Winter Weather,"WESTERN HIGHLAND",2017-01-23 12:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Coastal low pressure impacted the area. A strong upper-level low provided just enough cold air for rain end as a period of snow and freezing rain over the higher elevations.","Snowfall totaled up to 3.0 inches near Hightown." +113797,681270,WISCONSIN,2017,February,Winter Weather,"COLUMBIA",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Ice accumulation up to one half inch on elevated surfaces and 2-3 inches of snow accumulation." +113797,681272,WISCONSIN,2017,February,Winter Weather,"DANE",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Ice accumulation up to one half inch on elevated surfaces and 2-3 inches of snow accumulation." +113797,681274,WISCONSIN,2017,February,Winter Weather,"DODGE",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Ice accumulation up to one half inch on elevated surfaces and 1-3 inches of snow accumulation." +113797,681275,WISCONSIN,2017,February,Winter Weather,"WASHINGTON",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Ice accumulation up to one half inch on elevated surfaces and 1-2 inches of snow accumulation. Numerous tree branches down from ice accumulation throughout the county." +114340,685162,NEW YORK,2017,March,Strong Wind,"SOUTHERN QUEENS",2017-03-02 06:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","At JFK International Airport, a wind gust up to 54 mph was observed at 831 am." +114340,685175,NEW YORK,2017,March,Strong Wind,"SOUTHWEST SUFFOLK",2017-03-02 04:00:00,EST-5,2017-03-02 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","At 851 am, a mesonet station near Copiague measured wind gusts up to 51 mph. At 434 am, a mesonet station reported wind gusts up to 50 mph near Captree State Park. At 11 am, the public reported large tree limbs were knocked down, along with power lines in East Patchogue. There were power outages in the area." +114340,685179,NEW YORK,2017,March,Strong Wind,"SOUTHEAST SUFFOLK",2017-03-02 08:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","A mesonet station near the town of Hampton Bays measured a wind gust up to 50 mph at 9 am." +114340,685181,NEW YORK,2017,March,Strong Wind,"SOUTHERN WESTCHESTER",2017-03-02 08:00:00,EST-5,2017-03-02 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The ASOS at White Plains Airport measured wind gusts up to 55 mph at 911 am. In Mamaroneck, a mesonet station measure gusts up to 53 mph at 842 am." +114340,685182,NEW YORK,2017,March,Strong Wind,"NORTHERN WESTCHESTER",2017-03-02 07:00:00,EST-5,2017-03-02 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","At 749 am in the town of Bedford, Springhurst Road was closed due to a downed tree per social media reports. A gust up to 55 mph was measured at nearby White Plains Airport at 911 am." +114556,689754,INDIANA,2017,March,High Wind,"WHITLEY",2017-03-08 15:06:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +112673,672906,WISCONSIN,2017,March,Winter Weather,"COLUMBIA",2017-03-01 06:30:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Three to five inches of wet snow." +112673,672907,WISCONSIN,2017,March,Winter Weather,"DODGE",2017-03-01 07:00:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Four to six inches of wet snow." +112673,672910,WISCONSIN,2017,March,Winter Weather,"GREEN LAKE",2017-03-01 06:30:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Four to six inches of wet snow." +112673,672911,WISCONSIN,2017,March,Winter Weather,"MARQUETTE",2017-03-01 06:00:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Three to six inches of wet snow." +112673,672912,WISCONSIN,2017,March,Winter Weather,"OZAUKEE",2017-03-01 08:30:00,CST-6,2017-03-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance brought moderate to sometimes heavy snow to portions of southern and central WI, mainly north of Madison and Milwaukee. Several inches of snow accumulated on roads and caused vehicle slide-offs and accidents. Sheboygan County had a large number of vehicle slide-offs and accidents including one fatality.","Three to five inches of wet snow with the highest totals in the northwest portion of the county." +112765,673572,INDIANA,2017,March,Thunderstorm Wind,"OHIO",2017-03-01 06:28:00,EST-5,2017-03-01 06:45:00,0,0,0,0,10.00K,10000,0.00K,0,38.95,-84.94,38.95,-84.94,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were downed across the county." +112765,673570,INDIANA,2017,March,Thunderstorm Wind,"RIPLEY",2017-03-01 06:25:00,EST-5,2017-03-01 06:27:00,0,0,0,0,5.00K,5000,0.00K,0,38.94,-85.21,38.94,-85.21,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A trailer was damaged." +112765,673666,INDIANA,2017,March,Thunderstorm Wind,"DEARBORN",2017-03-01 06:22:00,EST-5,2017-03-01 06:37:00,0,0,0,0,10.00K,10000,0.00K,0,39.09,-84.97,39.09,-84.97,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were downed throughout the county." +112765,673668,INDIANA,2017,March,Thunderstorm Wind,"DEARBORN",2017-03-01 06:29:00,EST-5,2017-03-01 06:37:00,0,0,0,0,50.00K,50000,0.00K,0,38.9852,-85.0841,38.9927,-85.001,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The westernmost extent of damage was found near Davies Road and US Route 62 south-southwest of Dillsboro. More significant damage occurred south of Dillsboro on Arlington Road, Martin Road, and Kachina Trail. Tree damage was more extensive through this area, with roof damage to several residences, and a few barns and outbuildings destroyed. Significant tree damage was also observed to the east on Bocock Road and Indiana State Road 262, again with many trees snapped or uprooted and a few instances of minor structural damage. Some tree damage was also observed on Hueseman Road. This was part of about a 13 mile swath of damage that continued into Ohio County. The damage was consistent with winds in the 70 to 80 mph range." +112774,673658,COLORADO,2017,March,High Wind,"MORGAN COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673660,COLORADO,2017,March,High Wind,"MORGAN COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673661,COLORADO,2017,March,High Wind,"C & E ADAMS & ARAPAHOE COUNTIES",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112681,673157,OHIO,2017,March,Thunderstorm Wind,"MEIGS",2017-03-01 09:14:00,EST-5,2017-03-01 09:14:00,0,0,0,0,5.00K,5000,0.00K,0,38.9968,-82.0569,38.9968,-82.0569,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","A tree fell on a mobile home along Oliver Street and a steeple was blown off a church on Pearl Street." +112681,673159,OHIO,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 09:15:00,EST-5,2017-03-01 09:15:00,0,0,0,0,7.00K,7000,0.00K,0,38.43,-82.45,38.43,-82.45,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","A tree fell on a parked car." +112681,673908,OHIO,2017,March,Flood,"MEIGS",2017-03-01 11:33:00,EST-5,2017-03-02 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.1008,-82.2254,39.02,-82.2089,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to flooding along the Shade River, Leading Creek, Thomas Fork and their smaller tributaries." +112681,673910,OHIO,2017,March,Flood,"GALLIA",2017-03-01 11:40:00,EST-5,2017-03-02 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.6861,-82.4668,38.6866,-82.412,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed across the western part of the county due to flooding along Symmes Creek." +112814,674152,NEW MEXICO,2017,March,High Wind,"ESTANCIA VALLEY",2017-03-06 10:00:00,MST-7,2017-03-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","Moriarty reported peak wind gusts up to 60 mph." +112814,674154,NEW MEXICO,2017,March,High Wind,"QUAY COUNTY",2017-03-06 12:00:00,MST-7,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The Tucumcari Municipal Airport reported a peak wind gust up to 61 mph." +112702,673144,WISCONSIN,2017,March,Winter Weather,"JEFFERSON",2017-03-02 06:39:00,CST-6,2017-03-02 06:39:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Icy roads from previously fallen snow resulted in three fatal accidents in Walworth, Jefferson, and Dodge Counties.","A motorist lost control on icy highway CW in Ixonia, and crossed the centerline striking another vehicle. One motorist was killed." +112702,674022,WISCONSIN,2017,March,Winter Weather,"DODGE",2017-03-02 08:35:00,CST-6,2017-03-02 08:35:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Icy roads from previously fallen snow resulted in three fatal accidents in Walworth, Jefferson, and Dodge Counties.","A motorist lost control on snow-covered State Highway 33 in the town of Oak Grove, and crossed the centerline striking another vehicle. One motorist was killed." +112819,674052,NEBRASKA,2017,March,High Wind,"PERKINS",2017-03-06 16:00:00,MST-7,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The nearby Imperial ASOS and Ogallala AWOS recorded strong westerly winds of 35 to 45 mph with peak gusts to 59 mph during the late afternoon hours. These winds were common across Perkins County." +112829,689351,NORTH DAKOTA,2017,March,High Wind,"TRAILL",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689352,NORTH DAKOTA,2017,March,High Wind,"CASS",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689353,NORTH DAKOTA,2017,March,High Wind,"RICHLAND",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112732,673242,NEBRASKA,2017,February,Heavy Snow,"KNOX",2017-02-23 16:00:00,CST-6,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. Specific measurements included 12 inches in Bloomfield and 8.2 inches in Verdel." +112732,673243,NEBRASKA,2017,February,Heavy Snow,"CEDAR",2017-02-23 16:00:00,CST-6,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. A measured 8.5 inches was observed in Harrington." +112732,673246,NEBRASKA,2017,February,Heavy Snow,"PIERCE",2017-02-23 16:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. A snowfall measurement of 6.6 inches was recorded at Pierce." +121085,724876,MONTANA,2017,November,High Wind,"GALLATIN",2017-11-23 23:59:00,MST-7,2017-11-23 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","DOT sensor 11 miles east of Bozeman measured a 69 mph wind gust." +121085,724878,MONTANA,2017,November,High Wind,"GALLATIN",2017-11-24 00:40:00,MST-7,2017-11-24 00:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Public report of a measured wind gust of 62 mph." +115196,694508,OKLAHOMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-10 16:35:00,CST-6,2017-05-10 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-99.28,34.64,-99.28,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694509,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:40:00,CST-6,2017-05-10 16:40:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-99.18,34.78,-99.18,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694510,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 18:20:00,CST-6,2017-05-10 18:20:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-99.14,34.63,-99.14,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694511,OKLAHOMA,2017,May,Hail,"TILLMAN",2017-05-10 18:58:00,CST-6,2017-05-10 18:58:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-99.01,34.39,-99.01,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694512,OKLAHOMA,2017,May,Thunderstorm Wind,"TILLMAN",2017-05-10 18:59:00,CST-6,2017-05-10 18:59:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-98.97,34.36,-98.97,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694513,OKLAHOMA,2017,May,Thunderstorm Wind,"TILLMAN",2017-05-10 19:04:00,CST-6,2017-05-10 19:04:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-98.97,34.36,-98.97,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +113061,676047,TEXAS,2017,March,High Wind,"HOCKLEY",2017-03-23 16:25:00,CST-6,2017-03-23 16:25:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","" +112766,675897,KENTUCKY,2017,March,Thunderstorm Wind,"MASON",2017-03-01 07:56:00,EST-5,2017-03-01 07:57:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-83.74,38.54,-83.74,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Measured at the Fleming-Mason County Airport." +113061,676050,TEXAS,2017,March,High Wind,"LUBBOCK",2017-03-23 17:40:00,CST-6,2017-03-23 17:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","" +115197,694518,TEXAS,2017,May,Hail,"WILBARGER",2017-05-10 18:08:00,CST-6,2017-05-10 18:08:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-99.42,34.32,-99.42,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115197,694519,TEXAS,2017,May,Hail,"HARDEMAN",2017-05-10 18:09:00,CST-6,2017-05-10 18:09:00,0,0,0,0,0.00K,0,0.00K,0,34.26,-99.55,34.26,-99.55,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115198,694520,OKLAHOMA,2017,May,Hail,"KINGFISHER",2017-05-11 12:48:00,CST-6,2017-05-11 12:48:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-97.94,35.84,-97.94,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +113061,676051,TEXAS,2017,March,High Wind,"GARZA",2017-03-23 20:55:00,CST-6,2017-03-23 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","" +112918,675621,PENNSYLVANIA,2017,March,Winter Storm,"COLUMBIA",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 20-24 inches of snow across Columbia County." +112918,675795,PENNSYLVANIA,2017,March,Winter Storm,"MONTOUR",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 20-24 inches of snow across Montour County." +112918,675796,PENNSYLVANIA,2017,March,Winter Storm,"NORTHERN CENTRE",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 6-10 inches of snow across Northern Centre County." +112918,675797,PENNSYLVANIA,2017,March,Winter Storm,"NORTHERN CLINTON",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 6-10 inches of snow across Northern Clinton County." +112918,675798,PENNSYLVANIA,2017,March,Winter Storm,"NORTHERN LYCOMING",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 8-15 inches of snow across Northern Lycoming County." +112918,675799,PENNSYLVANIA,2017,March,Winter Storm,"NORTHUMBERLAND",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 16-24 inches of snow across Northumberland County." +113107,677228,NEW MEXICO,2017,March,Thunderstorm Wind,"CURRY",2017-03-23 15:05:00,MST-7,2017-03-23 15:12:00,0,0,0,0,0.00K,0,0.00K,0,34.35,-103.2,34.35,-103.2,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","A thunderstorm near Clovis produced heavy rainfall, pea size hail, blowing dust, and a peak wind gust up to 60 mph." +113107,677229,NEW MEXICO,2017,March,Thunderstorm Wind,"CURRY",2017-03-23 15:05:00,MST-7,2017-03-23 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-103.31,34.39,-103.31,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Thunderstorm outflow winds peaked at 67 mph at Cannon AFB." +112769,673602,KENTUCKY,2017,March,Thunderstorm Wind,"MORGAN",2017-03-01 09:00:00,EST-5,2017-03-01 09:00:00,0,0,0,0,,NaN,,NaN,38.02,-83.27,38.02,-83.27,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down." +112769,673603,KENTUCKY,2017,March,Thunderstorm Wind,"OWSLEY",2017-03-01 09:00:00,EST-5,2017-03-01 09:00:00,0,0,0,0,,NaN,,NaN,37.5,-83.71,37.5,-83.71,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Large trees were blown down." +112769,673604,KENTUCKY,2017,March,Thunderstorm Wind,"WOLFE",2017-03-01 08:55:00,EST-5,2017-03-01 08:55:00,0,0,0,0,,NaN,,NaN,37.8102,-83.592,37.8102,-83.592,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down on Highway 715 near Whistling Arch." +112769,673605,KENTUCKY,2017,March,Thunderstorm Wind,"WOLFE",2017-03-01 09:02:00,EST-5,2017-03-01 09:02:00,0,0,0,0,,NaN,,NaN,37.6899,-83.529,37.6899,-83.529,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A barn was knocked off of its foundation. A 30 foot wide swath of trees near the barn were also blown down." +112769,673606,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:02:00,EST-5,2017-03-01 09:02:00,0,0,0,0,,NaN,,NaN,37.6,-83.46,37.6,-83.46,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A 50 foot tall pine tree was blown down." +112769,673607,KENTUCKY,2017,March,Thunderstorm Wind,"LEE",2017-03-01 09:01:00,EST-5,2017-03-01 09:01:00,0,0,0,0,,NaN,,NaN,37.58,-83.71,37.58,-83.71,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Multiple trees and power lines were blown down." +112813,674016,KANSAS,2017,March,Tornado,"WABAUNSEE",2017-03-06 17:36:00,CST-6,2017-03-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1548,-96.3829,39.1892,-96.0864,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","This was an intermittent tornado with visual confirmation|on at least 4 separate occasions along its 16 mile track, including 3 |miles S of St George, 2 miles S of Wamego, 3 miles SW of Belvue, and SW |of St Marys. This tornado produced minimal damage along its track. Time |estimated based on individual reports and radar data." +112682,673197,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 10:07:00,EST-5,2017-03-01 10:07:00,0,0,0,0,2.00K,2000,0.00K,0,38.25,-81.57,38.25,-81.57,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were downed, at least one fell across the road." +112682,673201,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MINGO",2017-03-01 10:12:00,EST-5,2017-03-01 10:12:00,0,0,0,0,15.00K,15000,0.00K,0,37.7048,-82.1372,37.7048,-82.1372,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A mobile home was blown off its foundation." +113882,683502,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:00:00,MST-7,2017-03-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,48.085,-106.0661,48.0414,-106.0641,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Public reported ice jamming causing rising water on Little Porcupine Creek in Frazer, which flooded their barnyard and corrals." +114186,683904,KENTUCKY,2017,March,Hail,"TRIGG",2017-03-09 20:18:00,CST-6,2017-03-09 20:18:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-87.95,36.8,-87.95,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114186,683905,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-09 20:37:00,CST-6,2017-03-09 20:37:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-88.338,36.62,-88.338,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114188,683917,MISSOURI,2017,March,Funnel Cloud,"CARTER",2017-03-09 17:57:00,CST-6,2017-03-09 17:57:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-90.85,36.88,-90.85,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","The funnel cloud was reported by the public. This tornadic storm later produced a tornado in northern Butler County northwest and north of Poplar Bluff." +114188,683919,MISSOURI,2017,March,Hail,"CARTER",2017-03-09 17:30:00,CST-6,2017-03-09 17:35:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-91.03,37,-91.1106,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Dime-size hail was reported from Eastwood to several miles west of Van Buren." +112682,673221,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BRAXTON",2017-03-01 10:35:00,EST-5,2017-03-01 10:35:00,0,0,0,0,6.00K,6000,0.00K,0,38.67,-80.71,38.67,-80.71,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees and power lines were downed. One house was damaged by a falling tree." +112682,673225,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MCDOWELL",2017-03-01 10:40:00,EST-5,2017-03-01 10:41:00,0,0,0,0,60.00K,60000,0.00K,0,37.3566,-81.8072,37.3546,-81.7985,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A National Weather Service storm survey team found considerable damage near Dan and Bradshaw in McDowell County. The damage was determined to be due to a microburst. Multiple businesses and power poles were damaged. Funneling through the terrain enhanced the winds, causing roof damage to numerous homes. A small travel trailer was flipped and suffered severe damage. The survey team estimated the path length of the microburst to be about half a mile, and the width to be about 500 yards." +112823,674100,COLORADO,2017,January,High Wind,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112823,674101,COLORADO,2017,January,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +112823,674102,COLORADO,2017,January,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-01-10 18:00:00,MST-7,2017-01-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong winds impacted portions of southeastern Colorado. Some of the highest reported wind gusts with this event included 59 mph near Wetmore, 62 mph near Walsenburg, 65 mph near Colorado City, 68 mph near the Air Force Academy and an impressive 99 mph wind gust observed near Colorado Springs.","" +111595,665787,NEW MEXICO,2017,January,Cold/Wind Chill,"UPPER RIO GRANDE VALLEY",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at Taos Municipal Airport fell to -21 degrees." +112803,674157,IOWA,2017,January,Heavy Snow,"WINNESHIEK",2017-01-24 17:45:00,CST-6,2017-01-25 22:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 5 to 8 inches of heavy, wet snow fell across Winneshiek County. The highest reported total was 8 inches in Calmar." +111564,676674,CALIFORNIA,2017,January,Strong Wind,"NORTHEAST FOOTHILLS/SACRAMENTO VALLEY",2017-01-09 13:00:00,PST-8,2017-01-09 13:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A 24 year old man died when his car crashed into a large oak tree. The CHP thought weather may have played a factor. At the time of the incident it was cloudy, windy and raining steadily." +111780,666672,OKLAHOMA,2017,January,Ice Storm,"OSAGE",2017-01-13 03:30:00,CST-6,2017-01-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +113137,676642,WASHINGTON,2017,January,High Wind,"SOUTHWEST INTERIOR",2017-01-17 14:01:00,PST-8,2017-01-17 21:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","The Abernathy RAWS site recorded a max sustained wind of 59 mph with gusts up to 78 mph." +113299,677975,CALIFORNIA,2017,January,Heavy Snow,"KERN CTY MTNS",2017-01-11 08:00:00,PST-8,2017-01-12 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Public report about 4 miles west southwest of Wofford Heights of a measured 24 hour snowfall of 10 inches in Kern County." +113299,677976,CALIFORNIA,2017,January,Heavy Snow,"KERN CTY MTNS",2017-01-11 08:00:00,PST-8,2017-01-12 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","COOP station at Tuolumne Meadows reported a measured 24 hour snowfall of 9 inches in Tuolumne County at an elevation of 8,694 feet." +113232,677857,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-08 11:25:00,MST-7,2017-01-08 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher." +113232,677858,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 02:25:00,MST-7,2017-01-09 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 09/1030 MST." +113232,677859,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 21:20:00,MST-7,2017-01-10 01:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 10/0005 MST." +113232,677860,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-08 03:15:00,MST-7,2017-01-08 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 08/1045 MST." +112334,669759,WYOMING,2017,January,Extreme Cold/Wind Chill,"NORTH BIG HORN BASIN",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","The temperature dropped to minus 30 degrees at Greybull." +112334,669760,WYOMING,2017,January,Extreme Cold/Wind Chill,"SOUTHWEST BIG HORN BASIN",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","A weather station 9 miles northeast of Thermopolis recorded a low temperatures of minus 33 degrees." +112334,669761,WYOMING,2017,January,Extreme Cold/Wind Chill,"SOUTHEAST JOHNSON COUNTY",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","The COOP observer at Kaycee recorded a low temperature of minus 30 degrees." +112557,671492,COLORADO,2017,January,Winter Storm,"EASTERN LAS ANIMAS COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671493,COLORADO,2017,January,Winter Storm,"WESTERN KIOWA COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +111564,675908,CALIFORNIA,2017,January,Debris Flow,"YOLO",2017-01-08 15:00:00,PST-8,2017-01-08 21:30:00,0,0,0,0,365.00K,365000,0.00K,0,38.9005,-122.2563,39.0283,-122.3465,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Roadway closed on Highway 16 Yolo - Rumsey to Highway 20 due to rockslide and debris in the roadway." +111564,676680,CALIFORNIA,2017,January,High Wind,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-08 12:00:00,PST-8,2017-01-08 19:00:00,0,0,0,0,480.00K,480000,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","CalTrans reported eastbound I80 was closed by more than 80 power poles that were leaning toward the highway with power lines dipping to within a few feet of the ground. Eastbound traffic was stopped at the city of Colfax. The leaning poles were thought to be the result of high winds and soaked ground. Winds gusted to an estimated 50-55 kt." +111564,677381,CALIFORNIA,2017,January,Debris Flow,"YOLO",2017-01-11 11:10:00,PST-8,2017-01-11 11:15:00,0,0,0,0,392.00K,392000,0.00K,0,38.8947,-122.2471,38.8959,-122.2483,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","State Route 16 in Yolo County was closed from Rumsey Canyon to State Route 20 due to a rock/mud slide blocking the roadway." +112337,669787,WYOMING,2017,January,Winter Storm,"NORTH BIG HORN BASIN",2017-01-10 17:00:00,MST-7,2017-01-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Heavy snow fell in a narrow band around the Lovell area. A foot of new snow was common with the highest amount of 19.1 inches. Amounts dropped off rapidly further south with less than three inches reported around Greybull." +113293,677949,NEW YORK,2017,January,Flood,"CATTARAUGUS",2017-01-12 20:00:00,EST-5,2017-01-21 02:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.1588,-78.6642,42.167,-78.8317,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Allegheny River at Salamanca crested at 13.83' at 1:00 AM EST on January 13. Flood stage is 12 feet." +115198,694540,OKLAHOMA,2017,May,Flash Flood,"KAY",2017-05-11 15:09:00,CST-6,2017-05-11 18:09:00,0,0,0,0,5.00K,5000,0.00K,0,36.7263,-97.0646,36.6825,-97.0701,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","Several vehicles were stalled in flood waters." +115198,694541,OKLAHOMA,2017,May,Flash Flood,"NOBLE",2017-05-11 16:00:00,CST-6,2017-05-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4158,-97.2633,36.4177,-97.3011,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","Highway 77 2 miles south of highway 15 closed due to flooding." +113063,676093,VIRGINIA,2017,January,Winter Storm,"APPOMATTOX",2017-01-06 18:00:00,EST-5,2017-01-07 12:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Appomattox area, where 9.3 inches of snow was measured." +113063,676099,VIRGINIA,2017,January,Winter Storm,"AMHERST",2017-01-06 18:00:00,EST-5,2017-01-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 4 and 6 inches were observed across several locations throughout the county." +113063,676109,VIRGINIA,2017,January,Winter Storm,"BUCKINGHAM",2017-01-06 18:30:00,EST-5,2017-01-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 5 and 7 inches were observed across several locations throughout the county. The highest accumulation report was received near Andersonville , where 7 inches of snow was measured." +113036,676820,MICHIGAN,2017,January,Winter Storm,"DICKINSON",2017-01-10 07:30:00,CST-6,2017-01-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There were several reports of eight to nine inches of wet snow in 12 hours from Iron Mountain to Vulcan." +113090,676420,CALIFORNIA,2017,January,Heavy Snow,"NORTHERN TRINITY",2017-01-01 12:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","Several reports received of heavy snow in northern Trinity County including over 6 inches in Burnt Ranch at 1,200 feet elevation, 8 inches in Covington Mill at 2,500 feet elevation, and 14 inches in Denny at 3,000 feet elevation. Snow chains were required on highways 299 and 3 for much of the event. Highway 3 was closed over Scott Mountain Pass." +113152,676889,VIRGINIA,2017,January,Flood,"HALIFAX",2017-01-24 18:00:00,EST-5,2017-01-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.919,-78.7483,36.9156,-78.7476,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","The Roanoke River near Randolph (RNDV2) flooded along the right bank in Halifax County as the river crested at 21.43 feet on the 24th just above Minor Flood Stage (21 ft.). Flooding was confined to lowland areas with several roads impacted." +113168,676938,NEW YORK,2017,January,Lake-Effect Snow,"NORTHERN ERIE",2017-01-05 09:00:00,EST-5,2017-01-05 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113031,676198,MISSISSIPPI,2017,January,Hail,"PERRY",2017-01-21 21:40:00,CST-6,2017-01-21 21:41:00,0,0,0,0,,NaN,0.00K,0,31.17,-88.92,31.17,-88.92,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail reported in Beaumont." +113031,676215,MISSISSIPPI,2017,January,Hail,"GREENE",2017-01-22 10:35:00,CST-6,2017-01-22 10:36:00,0,0,0,0,,NaN,0.00K,0,31.16,-88.56,31.16,-88.56,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail was reported in Leakesville." +113060,676100,ALABAMA,2017,January,Tornado,"BARBOUR",2017-01-21 09:29:00,CST-6,2017-01-21 09:38:00,0,0,0,0,0.00K,0,0.00K,0,31.7889,-85.6644,31.7882,-85.4987,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in Barbour County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 80 mph. This tornado began in Pike county about 5 miles north of the town of Goshen and traveled due east entering Barbour County near CR 130.|Damage across Barbour County was mainly uprooted trees. The tornado lifted just east of the town of Louisville off Carroway Road." +113059,676059,NORTH CAROLINA,2017,January,Winter Storm,"STOKES",2017-01-06 15:30:00,EST-5,2017-01-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Lawsonville area, where 10 inches was measured." +112467,673183,MAINE,2017,January,Sleet,"CENTRAL WASHINGTON",2017-01-24 05:00:00,EST-5,2017-01-25 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 1 to 2 inches." +113112,676493,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-06 22:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,1.50M,1500000,0.00K,0,41.0151,-123.6372,41.0151,-123.6372,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Landslide along highway 96 near Tish Tang Campground." +113112,676508,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,2.30M,2300000,0.00K,0,41.2138,-123.76,41.2138,-123.76,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Culvert failure and slipout near Mitchell Road along Highway 169." +112467,673177,MAINE,2017,January,Sleet,"NORTHERN WASHINGTON",2017-01-24 05:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 1 to 3 inches." +113796,681310,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was measured four miles southeast of Laramie." +113796,681497,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was measured one mile east-northeast of Laramie." +112200,669050,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST BLOUNT",2017-01-06 20:00:00,EST-5,2017-01-07 09:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 4 inches was measured three miles south southwest of Maryville." +112200,669056,TENNESSEE,2017,January,Heavy Snow,"JOHNSON",2017-01-06 20:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 7.6 inches was measured Mountain City." +112200,669058,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 6 inches was measured at Wears Valley." +112200,669060,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST CARTER",2017-01-06 20:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 6 inches was measured at Elizabethton." +112965,674997,NORTH CAROLINA,2017,January,Heavy Snow,"DAVIE",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,674999,NORTH CAROLINA,2017,January,Heavy Snow,"MITCHELL",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675000,NORTH CAROLINA,2017,January,Heavy Snow,"CATAWBA",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112538,671215,OHIO,2017,January,High Wind,"WAYNE",2017-01-10 22:30:00,EST-5,2017-01-10 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at the Wayne County Airport measured a 60 mph wind gust." +113215,677328,OREGON,2017,January,Heavy Snow,"UPPER HOOD RIVER VALLEY",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","Hood River and Parkdale reported 8 to 12 inches of snow. Heavy packed snow led to leaking roofs, broken pies and gutters on homes across the area. Hood River also required additional emergency snow plowing. I-84 was closed for around 15 hours due to hazardous road conditions." +113215,677355,OREGON,2017,January,Heavy Snow,"WESTERN COLUMBIA RIVER GORGE",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","A local TV meteorologist reported 4 inches in Corbett, and there was another report of 4 inches of snow in Gresham. Further east in the Gorge, 8-12 inches fell. Seems likely with 8-12+ inches east and west of this zone that somewhere near Cascade Locks got at least 4-6 inches of snow. I 84 was closed for 15 hours due to hazardous road conditions." +113221,677797,WASHINGTON,2017,January,Heavy Snow,"WESTERN COLUMBIA GORGE",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest. Surface temperatures as precipitation started were just above freezing, but with heavy showers, rain quickly turned over to snow during the early evening. Embedded thunderstorms enhanced snowfall rates around the Vancouver Metro for a crippling snowstorm Tuesday evening, with snow continuing to fall through Wednesday morning.","A local TV meteorologist reported 4 inches in Corbett across the river, and there was another report of 4 inches of snow in Gresham. Seems likely with 8-12+ inches east and west of this zone that somewhere in the western Columbia River Gorge got at least 4-6 inches of snow. I-84 was closed for 15 hours due to hazardous road conditions." +112902,674546,WISCONSIN,2017,January,Winter Storm,"NORTHERN OCONTO",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +113304,678058,OKLAHOMA,2017,January,Drought,"MUSKOGEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678059,OKLAHOMA,2017,January,Drought,"MCINTOSH",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +112886,674370,KENTUCKY,2017,January,Dense Fog,"CHRISTIAN",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674371,KENTUCKY,2017,January,Dense Fog,"CRITTENDEN",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674372,KENTUCKY,2017,January,Dense Fog,"FULTON",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674373,KENTUCKY,2017,January,Dense Fog,"GRAVES",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674374,KENTUCKY,2017,January,Dense Fog,"HICKMAN",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112779,678077,KANSAS,2017,January,Ice Storm,"ELLIS",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 inch. Water equivalent was 1 to 2 inches." +111905,667388,NEBRASKA,2017,January,Heavy Snow,"ANTELOPE",2017-01-24 08:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout the county from the 24th into the 25th of January. North and northwest winds of 15 to 25 mph accompanied the heavy snowfall, which led to considerable blowing and drifting of snow. Snowfall ranged from 9 to 14 inches across the county with specific amounts of 8.4 inches in Neligh, 9 inches in Elgin, and 14 inches in Royal." +121162,725378,OKLAHOMA,2017,October,Tornado,"COMANCHE",2017-10-21 17:05:00,CST-6,2017-10-21 17:05:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-98.7148,34.62,-98.7148,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Media coverage showed a brief tornado approximately 2 miles east of Indiahoma. No damage was reported." +121162,725390,OKLAHOMA,2017,October,Thunderstorm Wind,"POTTAWATOMIE",2017-10-21 20:32:00,CST-6,2017-10-21 20:32:00,0,0,0,0,5.00K,5000,0.00K,0,35.192,-96.954,35.192,-96.954,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Metal shed destroyed by wind." +117936,708816,MISSOURI,2017,June,Hail,"PUTNAM",2017-06-14 21:04:00,CST-6,2017-06-14 21:04:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-92.88,40.47,-92.88,"On the evening of June 14 a storm produced a nickel sized hail stone.","" +117903,709040,KANSAS,2017,June,Hail,"LEAVENWORTH",2017-06-15 19:55:00,CST-6,2017-06-15 19:58:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-95,39.32,-95,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","" +113358,680898,MAINE,2017,March,Blizzard,"NORTHWEST AROOSTOOK",2017-03-14 20:00:00,EST-5,2017-03-14 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 10 to 18 inches. Blizzard conditions also occurred." +117903,709043,KANSAS,2017,June,Hail,"JOHNSON",2017-06-15 20:26:00,CST-6,2017-06-15 20:26:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.85,39.01,-94.85,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","" +117903,709044,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-15 20:01:00,CST-6,2017-06-15 20:04:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.89,39.25,-94.89,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Several trees down across the city of Lansing. Some were up to 10 inches in diameter, but most were in the 4 to 6 inch range." +117903,709045,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:17:00,CST-6,2017-06-16 22:20:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-95.3,39.57,-95.3,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Trees and a few power lines down in Lancaster." +112767,675892,OHIO,2017,March,Hail,"CLINTON",2017-03-01 07:24:00,EST-5,2017-03-01 07:26:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-83.82,39.43,-83.82,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675893,OHIO,2017,March,Hail,"CLINTON",2017-03-01 07:18:00,EST-5,2017-03-01 07:20:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-83.98,39.4,-83.98,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +113727,680802,VERMONT,2017,March,Winter Weather,"WESTERN FRANKLIN",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Franklin county. Some specific totals include; 6 inches in St. Albans, 4 inches in Richford and 3 inches in Swanton." +113727,680804,VERMONT,2017,March,Winter Weather,"LAMOILLE",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 7 inches fell across Lamoille county, including; 7 inches in Johnson and 6 inches in Hyde Park, Wolcott, Morrisville and Jeffersonville." +113727,680805,VERMONT,2017,March,Winter Weather,"ORLEANS",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 7 inches fell across Orleans county, including; 7 inches in Greensboro, 6 inches in Derby Center and Westfield, 5 inches in Newport and 4 inches in Barton." +114076,683120,ALASKA,2017,March,High Wind,"NERN P.W. SND",2017-03-05 20:50:00,AKST-9,2017-03-05 23:50:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A high over the Bering Sea retrograded to the west and ushered in low pressure from the east. This produced a tightened gradient over the Prince William Sound. A transiting trough generated high winds through Valdez.","Alaska Department of Transportation Road Weather Information System reported a gust to 82 mph at 10:20 p.m." +113873,681942,NEVADA,2017,March,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-03-05 11:00:00,PST-8,2017-03-05 23:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought 9 to 12 inches of snow to the Ruby Mountains and the East Humboldt Range.","" +113874,681948,NEVADA,2017,March,Heavy Snow,"N ELKO CNTY",2017-03-27 00:00:00,PST-8,2017-03-27 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought 6 to 10 inches of snow to portions of northern Elko county.","" +114240,684364,ILLINOIS,2017,March,Flood,"GALLATIN",2017-03-05 23:00:00,CST-6,2017-03-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-88.13,37.6974,-88.1279,"A combination of rainfall at the end of February and the first part of March sent the Ohio River above flood stage.","Minor flooding occurred along the Ohio River at Shawneetown. Some low-lying woods and fields near the river were inundated, along with a boat ramp." +114245,684377,ILLINOIS,2017,March,Strong Wind,"ALEXANDER",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684378,ILLINOIS,2017,March,Strong Wind,"EDWARDS",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684380,ILLINOIS,2017,March,Strong Wind,"FRANKLIN",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +112845,679056,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 17:17:00,CST-6,2017-03-09 17:17:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-93.12,37.27,-93.12,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679057,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-09 17:18:00,CST-6,2017-03-09 17:18:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-92.86,37.3,-92.86,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679058,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:19:00,CST-6,2017-03-09 17:19:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.44,37.15,-94.44,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679059,MISSOURI,2017,March,Hail,"SHANNON",2017-03-09 17:24:00,CST-6,2017-03-09 17:24:00,0,0,0,0,10.00K,10000,0.00K,0,37.14,-91.44,37.14,-91.44,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Alley Spring Park Ranger reported damage from golf ball size hail." +112845,679063,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-09 17:37:00,CST-6,2017-03-09 17:37:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-92.85,37.22,-92.85,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679064,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-09 17:31:00,CST-6,2017-03-09 17:31:00,0,0,0,0,5.00K,5000,0.00K,0,37.15,-92.77,37.15,-92.77,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Ping pong size hail was reported in Seymour with wind gusts estimated up to 55 mph." +112845,679065,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 17:35:00,CST-6,2017-03-09 17:35:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-93.29,37.2,-93.29,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media." +112845,679066,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:40:00,CST-6,2017-03-09 17:40:00,0,0,0,0,25.00K,25000,0.00K,0,37.1406,-94.366,37.1406,-94.366,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","The fire department reported golf ball size hail and stalled traffic near the intersection of Country Road 170 and Fir Road on the southwest side of Carthage. There was damage to cars from hail and will include a damage estimate." +113619,680166,LOUISIANA,2017,March,Thunderstorm Wind,"OUACHITA",2017-03-24 23:30:00,CST-6,2017-03-24 23:30:00,0,0,0,0,0.00K,0,0.00K,0,32.4581,-92.2956,32.4581,-92.2956,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down on Tom Sturdivant Road." +113619,680167,LOUISIANA,2017,March,Thunderstorm Wind,"OUACHITA",2017-03-24 23:32:00,CST-6,2017-03-24 23:32:00,0,0,0,0,0.00K,0,0.00K,0,32.4949,-92.3316,32.4949,-92.3316,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A tree was blown down across Golson Road southeast of Calhoun." +113466,679989,WEST VIRGINIA,2017,March,Winter Storm,"BERKELEY",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 8.3 inches near Martinsburg and 6.5 inches near Falling Waters and Bunker Hill." +113466,679990,WEST VIRGINIA,2017,March,Winter Storm,"EASTERN GRANT",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall was estimated to be between 4 and 8 inches based on observations nearby." +113466,679991,WEST VIRGINIA,2017,March,Winter Storm,"EASTERN MINERAL",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 7.0 inches in Keyser." +113466,679992,WEST VIRGINIA,2017,March,Winter Storm,"EASTERN PENDLETON",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 6.0 inches at Seneca Rocks." +113466,679993,WEST VIRGINIA,2017,March,Winter Storm,"HAMPSHIRE",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 10.0 inches at Romney and Green Spring." +114021,687754,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:28:00,EST-5,2017-03-01 13:28:00,0,0,0,0,,NaN,,NaN,39.2096,-77.1416,39.2096,-77.1416,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down closing the road at Route 108 and Sundown." +114021,687755,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,39.203,-76.858,39.203,-76.858,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Columbia." +114021,687756,MARYLAND,2017,March,Thunderstorm Wind,"CHARLES",2017-03-01 13:42:00,EST-5,2017-03-01 13:42:00,0,0,0,0,,NaN,,NaN,38.4547,-77.2172,38.4547,-77.2172,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Multiple trees were down in Nanjemoy." +114021,687757,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:46:00,EST-5,2017-03-01 13:46:00,0,0,0,0,,NaN,,NaN,39.2645,-76.7417,39.2645,-76.7417,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down in Catonsville." +114021,687758,MARYLAND,2017,March,Thunderstorm Wind,"CHARLES",2017-03-01 13:46:00,EST-5,2017-03-01 13:46:00,0,0,0,0,,NaN,,NaN,38.3967,-77.1424,38.3967,-77.1424,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A large tree was down on wires blocking Dowes Road." +114021,687759,MARYLAND,2017,March,Thunderstorm Wind,"CHARLES",2017-03-01 13:46:00,EST-5,2017-03-01 13:46:00,0,0,0,0,,NaN,,NaN,38.5561,-77.1585,38.5561,-77.1585,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Multiple trees were down on Marbury." +114021,687760,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:46:00,EST-5,2017-03-01 13:46:00,0,0,0,0,,NaN,,NaN,39.2019,-76.7505,39.2019,-76.7505,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Elkridge." +114021,687761,MARYLAND,2017,March,Thunderstorm Wind,"CHARLES",2017-03-01 13:54:00,EST-5,2017-03-01 13:54:00,0,0,0,0,,NaN,,NaN,38.5341,-76.9705,38.5341,-76.9705,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Multiple trees were down in La Plata." +114021,687762,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:56:00,EST-5,2017-03-01 13:56:00,0,0,0,0,,NaN,,NaN,39.395,-76.6213,39.395,-76.6213,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down in Towson." +113493,679392,NEW YORK,2017,March,High Wind,"SOUTHERN SARATOGA",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679393,NEW YORK,2017,March,High Wind,"WESTERN ALBANY",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679403,NEW YORK,2017,March,High Wind,"EASTERN DUTCHESS",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679404,NEW YORK,2017,March,High Wind,"NORTHERN FULTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113494,679405,VERMONT,2017,March,High Wind,"BENNINGTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Multiple trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Power companies reported a few hundred people were without power for a period of time.","" +114700,687980,LOUISIANA,2017,March,Hail,"ST. MARTIN",2017-03-25 10:17:00,CST-6,2017-03-25 10:17:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-91.71,30.24,-91.71,"A line of thunderstorms ahead of a cold front moved across South Louisiana producing a few reports of hail and wind damage.","Penny sized hail with winds of 40 to 50 MPH was reported near Catahoula." +114706,688019,LOUISIANA,2017,March,Hail,"CAMERON",2017-03-29 17:35:00,CST-6,2017-03-29 17:35:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-93.23,29.79,-93.23,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688020,LOUISIANA,2017,March,Hail,"JEFFERSON DAVIS",2017-03-29 17:35:00,CST-6,2017-03-29 17:35:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-92.66,30.22,-92.66,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688021,LOUISIANA,2017,March,Hail,"ACADIA",2017-03-29 19:20:00,CST-6,2017-03-29 19:20:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-92.27,30.35,-92.27,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688022,LOUISIANA,2017,March,Hail,"JEFFERSON DAVIS",2017-03-29 19:20:00,CST-6,2017-03-29 19:20:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-92.67,30.35,-92.67,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688023,LOUISIANA,2017,March,Hail,"ACADIA",2017-03-29 19:30:00,CST-6,2017-03-29 19:30:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-92.27,30.35,-92.27,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688024,LOUISIANA,2017,March,Hail,"LAFAYETTE",2017-03-29 19:38:00,CST-6,2017-03-29 19:38:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-92.19,30.23,-92.19,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114706,688025,LOUISIANA,2017,March,Hail,"LAFAYETTE",2017-03-29 19:57:00,CST-6,2017-03-29 19:57:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-92.13,30.18,-92.13,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Quarter size hail was reported through social media." +114855,689041,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-03-29 13:25:00,CST-6,2017-03-29 13:25:00,0,0,0,0,0.00K,0,0.00K,0,29.51,-94.02,29.51,-94.02,"Strong storms across the coastal waters ahead of a cold front.","An report of an estimated wind gust of 40 MPH was received from a platform in High Island Block 22." +114855,689044,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-03-29 17:00:00,CST-6,2017-03-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7655,-93.3436,29.7655,-93.3436,"Strong storms across the coastal waters ahead of a cold front.","A wind gust of 40 MPH was recorded at the Cameron tide station." +114706,689046,LOUISIANA,2017,March,Flash Flood,"ST. LANDRY",2017-03-29 07:00:00,CST-6,2017-03-30 04:30:00,0,0,0,0,0.00K,0,0.00K,0,30.5825,-92.0517,30.5032,-92.4184,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Four to 8 inches of rain fell during the morning of the 29. Numerous roads were underwater between Eunice and Opelousas." +114975,689844,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of storm total snow of 12 inches near Ruth. Elevation and exact location were not provided." +114975,689845,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of 6 inches of snow at 3000 feet elevation in Zenia." +114975,689848,CALIFORNIA,2017,March,Winter Storm,"NORTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of 4 inches of snow in Weaverville at 2000 feet elevation." +114975,689849,CALIFORNIA,2017,March,Winter Storm,"NORTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of 5 inches of snow in Covington Mill at 2500 feet elevation." +114975,689851,CALIFORNIA,2017,March,Winter Storm,"NORTHERN TRINITY",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 27 inches approximately three miles northwest of Denny at 3000 feet elevation. Estimate of time reaching criteria determined by other nearby storm reports." +114975,689858,CALIFORNIA,2017,March,Winter Storm,"NORTHEASTERN MENDOCINO INTERIOR",2017-03-04 04:45:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Estimate of 6 to 8 inches of snow at 3500 feet five miles east-northeast of Covelo." +114975,689859,CALIFORNIA,2017,March,Winter Storm,"NORTHWESTERN MENDOCINO INTERIOR",2017-03-04 04:45:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Report of 8 to 10 inches of snow on Lincoln Ridge near Branscomb at 2500 feet elevation." +114149,683807,OKLAHOMA,2017,March,Thunderstorm Wind,"GRANT",2017-03-26 18:35:00,CST-6,2017-03-26 18:35:00,0,0,0,0,1.00K,1000,0.00K,0,36.96,-97.92,36.96,-97.92,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","Shed was damaged by severe winds." +114149,683808,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:43:00,CST-6,2017-03-26 18:43:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-96.51,34.8,-96.51,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683809,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:43:00,CST-6,2017-03-26 18:43:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-96.41,34.86,-96.41,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683810,OKLAHOMA,2017,March,Thunderstorm Wind,"LOVE",2017-03-26 18:45:00,CST-6,2017-03-26 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.89,-97.02,33.89,-97.02,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","A few downed trees from strong winds." +114149,683811,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 18:48:00,CST-6,2017-03-26 18:48:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-96.96,34.8,-96.96,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683812,OKLAHOMA,2017,March,Thunderstorm Wind,"GRANT",2017-03-26 18:48:00,CST-6,2017-03-26 18:48:00,0,0,0,0,1.00K,1000,0.00K,0,36.93,-97.73,36.93,-97.73,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","Power lines downed from severe thunderstorm winds." +114149,683813,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 18:50:00,CST-6,2017-03-26 18:50:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-96.41,34.81,-96.41,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683814,OKLAHOMA,2017,March,Hail,"HUGHES",2017-03-26 19:02:00,CST-6,2017-03-26 19:02:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-96.34,34.85,-96.34,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683815,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 19:09:00,CST-6,2017-03-26 19:09:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-96.96,34.85,-96.96,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683816,OKLAHOMA,2017,March,Hail,"SEMINOLE",2017-03-26 19:12:00,CST-6,2017-03-26 19:12:00,0,0,0,0,0.00K,0,0.00K,0,34.95,-96.6,34.95,-96.6,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +113755,684274,TEXAS,2017,March,Hail,"BOSQUE",2017-03-26 18:19:00,CST-6,2017-03-26 18:19:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-97.87,31.98,-97.87,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A public report of ping pong ball sized hail was received in the city of Iredell, TX." +113755,684275,TEXAS,2017,March,Hail,"BOSQUE",2017-03-26 19:30:00,CST-6,2017-03-26 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.85,-97.49,31.85,-97.49,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported quarter-sized hail near the intersection of State Highway 22 and County Road 3345." +113755,684276,TEXAS,2017,March,Hail,"BOSQUE",2017-03-26 19:30:00,CST-6,2017-03-26 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-97.45,31.98,-97.45,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported half-dollar sized hail along FM 1713 at Lake Whitney." +113755,684277,TEXAS,2017,March,Hail,"HILL",2017-03-26 19:35:00,CST-6,2017-03-26 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,31.97,-97.33,31.97,-97.33,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A broadcast media report of golf ball sized hail was received at Lake Whitney." +113755,684278,TEXAS,2017,March,Hail,"HILL",2017-03-26 19:40:00,CST-6,2017-03-26 19:40:00,0,0,0,0,5.00K,5000,0.00K,0,31.97,-97.33,31.97,-97.33,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported golf ball sized hail near Lake Whitney." +113755,684280,TEXAS,2017,March,Hail,"HILL",2017-03-26 19:54:00,CST-6,2017-03-26 19:54:00,0,0,0,0,5.00K,5000,0.00K,0,32.01,-97.33,32.01,-97.33,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported golf ball sized hail near the intersection of FM 1713 and FM 933, approximately 3 miles north of Lake Whitney." +113755,684297,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:50:00,CST-6,2017-03-26 19:50:00,0,0,0,0,5.00K,5000,0.00K,0,33.15,-96.81,33.15,-96.81,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A NWS employee reported golf ball sized hail via social media near the intersection of Stratford and Enmore in the city of Frisco, TX." +113755,684298,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:51:00,CST-6,2017-03-26 19:51:00,0,0,0,0,20.00K,20000,0.00K,0,33.12,-97.03,33.12,-97.03,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported baseball sized hail in the community of Lake Dallas." +114425,686072,MICHIGAN,2017,March,Winter Weather,"MARQUETTE",2017-03-01 01:00:00,EST-5,2017-03-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moving through the Lower Great Lakes dropped moderate snow over portions of central Upper Michigan from the 1st into the 2nd.","The National Weather Service in Negaunee Township measured 5.3 inches of snow in 12 hours." +114425,686075,MICHIGAN,2017,March,Winter Weather,"MENOMINEE",2017-03-01 02:00:00,CST-6,2017-03-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moving through the Lower Great Lakes dropped moderate snow over portions of central Upper Michigan from the 1st into the 2nd.","A station four miles northwest of Menominee measured 6.2 inches of snow in 30 hours." +114426,686085,MICHIGAN,2017,March,Winter Weather,"ALGER",2017-03-03 00:00:00,EST-5,2017-03-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate lake effect snow fell near Grand Marais on the morning of the 3rd.","Observers near Grand Marais measured between four and six inches of lake effect snow on the morning of the 3rd." +114774,688415,MICHIGAN,2017,March,High Wind,"SOUTHERN SCHOOLCRAFT",2017-03-07 12:00:00,EST-5,2017-03-07 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","A mesonet station near Germfask measured a peak wind gust of 71 mph." +114774,688417,MICHIGAN,2017,March,Strong Wind,"DELTA",2017-03-07 08:00:00,EST-5,2017-03-08 11:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","Strong winds caused power outages from Cornell to Rapid River." +114774,688418,MICHIGAN,2017,March,Strong Wind,"MENOMINEE",2017-03-07 07:00:00,CST-6,2017-03-07 10:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","Power outages were reported across portions of central Menominee County." +114426,688613,MICHIGAN,2017,March,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-03-03 01:15:00,EST-5,2017-03-03 02:45:00,0,3,0,1,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Moderate lake effect snow fell near Grand Marais on the morning of the 3rd.","Lake effect snow and poor visibility contributed to a fatal car accident which occurred on US-2 near Gulliver on the early morning of the 3rd. A semi-truck was westbound and a pickup truck was eastbound when one of the drivers lost control and the vehicles collided on US-2 west of Jackson Road in Doyle Township around 230 am. The passenger of the pickup truck was pronounced dead at the scene of the accident. The driver of the pickup truck was injured and taken to U.P. Health Systems in Marquette. Two people in the semi-truck were taken to Schoolcraft Memorial Hospital for treatment." +114774,688618,MICHIGAN,2017,March,Strong Wind,"DICKINSON",2017-03-07 05:30:00,CST-6,2017-03-07 08:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","Strong winds peaking near 50 mph at times during the period caused power outages to around 1000 customers in Iron Mountain as reported by WE Energies." +114092,683225,SOUTH CAROLINA,2017,March,Hail,"PICKENS",2017-03-01 18:00:00,EST-5,2017-03-01 18:00:00,0,0,0,0,,NaN,,NaN,34.81,-82.82,34.81,-82.82,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported quarter size hail in the Six Mile area." +114092,683226,SOUTH CAROLINA,2017,March,Hail,"PICKENS",2017-03-01 17:50:00,EST-5,2017-03-01 17:50:00,0,0,0,0,,NaN,,NaN,34.88,-82.71,34.88,-82.71,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported 3/4 inch hail in the Pickens area." +114092,683227,SOUTH CAROLINA,2017,March,Hail,"PICKENS",2017-03-01 18:17:00,EST-5,2017-03-01 18:17:00,0,0,0,0,,NaN,,NaN,34.96,-82.6,34.96,-82.6,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported ping pong ball size hail along Dacusville Highway." +114092,683228,SOUTH CAROLINA,2017,March,Hail,"PICKENS",2017-03-01 18:10:00,EST-5,2017-03-01 18:10:00,0,0,0,0,,NaN,,NaN,34.88,-82.71,34.88,-82.71,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) ping pong ball size hail in the Pickens area associated with a second storm." +114092,683230,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-01 18:23:00,EST-5,2017-03-01 18:23:00,0,0,0,0,,NaN,,NaN,34.996,-82.461,34.996,-82.461,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) nickel to quarter size hail in the Travelers Rest area." +114092,683233,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-01 18:53:00,EST-5,2017-03-01 18:53:00,0,0,0,0,,NaN,,NaN,34.85,-82.35,34.85,-82.35,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) quarter to golf ball size hail on the east side of downtown Greenville, especially in the area centered around Cleveland Park." +114092,683234,SOUTH CAROLINA,2017,March,Hail,"LAURENS",2017-03-01 18:53:00,EST-5,2017-03-01 18:53:00,0,0,0,0,,NaN,,NaN,34.464,-82.182,34.464,-82.182,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Public reported (via Social Media) 2-inch diameter hail in the Hickory Tavern area." +115513,693641,TEXAS,2017,June,Thunderstorm Wind,"HALL",2017-06-15 17:00:00,CST-6,2017-06-15 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.55,-100.42,34.55,-100.42,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","A semi-truck was blown over along Highway 287 near the Hall and Childress County line. The driver was unharmed." +115513,693642,TEXAS,2017,June,Thunderstorm Wind,"LYNN",2017-06-15 17:10:00,CST-6,2017-06-15 17:10:00,0,0,0,0,0.00K,0,0.00K,0,32.9781,-101.8326,32.97,-101.83,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Measured by a Texas Tech University West Texas mesonet. A storm spotter in O'Donnell also reported tree limbs of 8 inches in diameter snapped." +114205,684034,KANSAS,2017,March,Dust Storm,"LOGAN",2017-03-06 10:53:00,CST-6,2017-03-06 10:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained winds of 40-45 MPH with gusts around 50 MPH developed behind a strong cold front in the morning. These winds caused near zero visibility in the blowing dust at Winona.","Near zero visibility reported in blowing dust along Highway 40 at Winona." +115052,690608,ARKANSAS,2017,March,Wildfire,"CRAWFORD",2017-03-21 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across northwestern Arkansas during late March 2017. The largest wildfires occurred in Crawford and Carroll Counties where over 200 acres burned.","" +115052,690609,ARKANSAS,2017,March,Wildfire,"CARROLL",2017-03-21 10:00:00,CST-6,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across northwestern Arkansas during late March 2017. The largest wildfires occurred in Crawford and Carroll Counties where over 200 acres burned.","" +113365,678335,MONTANA,2017,March,Heavy Snow,"BITTERROOT / SAPPHIRE MOUNTAINS",2017-03-07 21:00:00,MST-7,2017-03-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front brought heavy mountain snow that caused high impact to area passes.","The Lolo Pass Visitor center reported up to 18 inches of snow during the event while Lost Trail Pass saw up to 6 inches." +113365,678336,MONTANA,2017,March,Winter Weather,"POTOMAC / SEELEY LAKE REGION",2017-03-07 22:00:00,MST-7,2017-03-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front brought heavy mountain snow that caused high impact to area passes.","Snowfall amounts during this storm include: 5 to 8 inches in the Seeley and Swan valleys, 3.3 inches in Condon and 11 inches at the top of Snowbowl Ski Resort. Roads conditions were mainly snow and ice." +113711,680676,MONTANA,2017,March,Heavy Rain,"LINCOLN",2017-03-17 10:00:00,MST-7,2017-03-19 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,48.3469,-115.5347,48.4781,-115.8917,"An atmospheric river brought moderate rainfall to northwest Montana which was already soaked from previous rains. This contributed to mudslides and homes being flooded.","At least four trailer homes in Troy were directly impacted by water that had flowed over US-2 from an unauthorized channel that had overflowed. In Libby, a home cellar was flooded, the Libby Elementary School saw minor issues and Education Way was closed due to flooding caused by a clogged drainage. Silver Butte Creek south of Libby filled with debris causing it to re-route and surround a house with water during the early morning hours of the 19th. Several culverts had to be replaced due to washouts." +115049,690617,KANSAS,2017,March,Hail,"MORTON",2017-03-23 16:15:00,CST-6,2017-03-23 16:15:00,0,0,0,0,,NaN,,NaN,37,-101.89,37,-101.89,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690618,KANSAS,2017,March,Hail,"SCOTT",2017-03-23 16:22:00,CST-6,2017-03-23 16:22:00,0,0,0,0,,NaN,,NaN,38.4,-100.75,38.4,-100.75,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Nickel to quarter sized hail covered the ground." +115049,690619,KANSAS,2017,March,Hail,"MORTON",2017-03-23 16:33:00,CST-6,2017-03-23 16:33:00,0,0,0,0,,NaN,,NaN,37.09,-101.86,37.09,-101.86,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690621,KANSAS,2017,March,Hail,"MORTON",2017-03-23 16:50:00,CST-6,2017-03-23 16:50:00,0,0,0,0,,NaN,,NaN,37.29,-101.72,37.29,-101.72,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Most of the stones were soft and splattered upon impact." +113436,678747,HAWAII,2017,March,High Surf,"KAUAI LEEWARD",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678749,HAWAII,2017,March,High Surf,"OAHU NORTH SHORE",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678750,HAWAII,2017,March,High Surf,"OAHU KOOLAU",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678751,HAWAII,2017,March,High Surf,"MOLOKAI WINDWARD",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678752,HAWAII,2017,March,High Surf,"MOLOKAI LEEWARD",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +112813,683568,KANSAS,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-06 19:48:00,CST-6,2017-03-06 19:49:00,0,0,0,0,,NaN,,NaN,38.3,-95.29,38.3,-95.29,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Damage reported to one exterior side of a home. An outbuilding had the tin roof blown off with the inward facing wall tilted inward. Two cedar trees 20 inches in diameter were snapped at the base." +112813,683570,KANSAS,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-06 19:51:00,CST-6,2017-03-06 19:52:00,0,0,0,0,,NaN,,NaN,38.31,-95.24,38.31,-95.24,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Cement block building was destroyed." +114370,685349,KANSAS,2017,March,Hail,"OSAGE",2017-03-09 11:50:00,CST-6,2017-03-09 11:51:00,0,0,0,0,,NaN,,NaN,38.67,-95.58,38.67,-95.58,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","" +114370,685350,KANSAS,2017,March,Hail,"FRANKLIN",2017-03-09 12:11:00,CST-6,2017-03-09 12:12:00,0,0,0,0,,NaN,,NaN,38.72,-95.26,38.72,-95.26,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","" +114370,685351,KANSAS,2017,March,Hail,"FRANKLIN",2017-03-09 12:15:00,CST-6,2017-03-09 12:16:00,0,0,0,0,,NaN,,NaN,38.69,-95.3,38.69,-95.3,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","" +114370,685353,KANSAS,2017,March,Hail,"DOUGLAS",2017-03-09 12:17:00,CST-6,2017-03-09 12:18:00,0,0,0,0,,NaN,,NaN,38.75,-95.26,38.75,-95.26,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","Nickel size hail was covering the ground." +114370,685356,KANSAS,2017,March,Hail,"FRANKLIN",2017-03-09 12:28:00,CST-6,2017-03-09 12:29:00,0,0,0,0,,NaN,,NaN,38.72,-95.08,38.72,-95.08,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","Approximately half dollar size hail at the Wellsville Elementary." +113605,680060,GEORGIA,2017,February,Thunderstorm Wind,"WAYNE",2017-02-07 22:00:00,EST-5,2017-02-07 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.66,-81.93,31.66,-81.93,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A section of a mobile home roof was ripped off and Red Hill Road in Jesup. The time of damage was based on radar. The cost of damage was estimated for the event to be included in Storm Data." +112444,680051,FLORIDA,2017,February,Thunderstorm Wind,"DUVAL",2017-02-07 22:35:00,EST-5,2017-02-07 22:35:00,0,0,0,0,15.00K,15000,0.00K,0,30.14,-81.51,30.14,-81.51,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","At least one home was uninhabitable after a tree fell on it near Bayard Blvd and Targonski Road. Numerous trees were blown down across the area. The time was based on radar imagery. The cost of damage was unknown but estimated for the event to be included in Storm Data." +112444,680053,FLORIDA,2017,February,Thunderstorm Wind,"ST. JOHNS",2017-02-07 22:45:00,EST-5,2017-02-07 22:45:00,0,0,0,0,10.00K,10000,0.00K,0,30.22,-81.42,30.22,-81.42,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Extensive damage occurred to the metal frame of a pool enclosure. The cost of damage was estimated so the event could be included in Storm Data." +112444,680054,FLORIDA,2017,February,Thunderstorm Wind,"ST. JOHNS",2017-02-07 22:50:00,EST-5,2017-02-07 22:50:00,0,0,0,0,2.00K,2000,0.00K,0,29.92,-81.35,29.92,-81.35,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Some structural damage occurred to a home along Hefferon Drive. The cost of damage was estimated for the event to be included in Storm Data." +114118,683444,TENNESSEE,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-01 06:28:00,CST-6,2017-03-01 06:34:00,0,0,0,0,20.00K,20000,0.00K,0,35.9026,-87.4773,35.9077,-87.374,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A damage survey conducted by Hickman County Emergency Management along with reports from the media and public indicated an approximately 300 yard wide swath of wind damage occurred from north of Nunelly along Highway 230 eastward about 6 miles to southwest of Lyles. TDOT reported 2 trees were blown down on Highway 48. Twenty large trees were snapped and uprooted at the Ginny Linnell farm on Pinewood Mansion Road. Around 12 more trees were snapped and uprooted at the Hickory Winds Farm on Hensley Way. A mobile home on the northeast corner of Hensley Way at Industrial Park Road suffered roof damage, an adjacent garage lost part of its roof, debris was scattered through adjacent fields. Another mobile home further east on Pinewood Lake Drive had a small tree fall onto it. A carport was knocked over at a home on Industrial Park Drive just north of Pinewood Lake Drive, and more roof damage occurred to a home across the street. Numerous more trees were snapped and uprooted around both of these homes. Damage was also reported just to the east on Bates Crossing Road. Although uncertain, convergent patterns in some of the damage photos along with radar data suggests this may have been an EF0 tornado." +112765,673574,INDIANA,2017,March,Thunderstorm Wind,"SWITZERLAND",2017-03-01 06:41:00,EST-5,2017-03-01 06:44:00,0,0,0,0,25.00K,25000,0.00K,0,38.8033,-84.9436,38.8033,-84.9436,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A car was overturned and there was significant structural damage in the 14000 block of Bethel Ridge Road. The damage was consistent with winds in the 65 to 85 mph range." +112774,673653,COLORADO,2017,March,High Wind,"NE WELD COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673654,COLORADO,2017,March,High Wind,"LOGAN COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112774,673662,COLORADO,2017,March,High Wind,"N DOUGLAS COUNTY BELOW 6000 FEET / DENVER / W ADAMS & ARAPAHOE COUNTIES / E BROOMFIELD COUNTY",2017-03-06 09:12:00,MST-7,2017-03-06 14:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High wind gusts, ranging from 60 to 70 mph, combined with very dry conditions produced extreme fire danger and spawned a massive brush fire that consumed 30 thousand acres over eastern Logan and northwest Phillips Counties. The blowing dust and smoke reduced visibilities in the area as well. Colorado Highway 71 from Brush to Limon was closed due to several crashes and brown out conditions. In Aurora, fire crews responded to a brush fire near Gun Club Road and Jewell Avenue. It burned approximately 290 acres before it was contained. Strong winds also downed a tree which crushed a parked car in a driveway.||Peak wind gusts included: 83 mph, 5 miles south of Berthoud; 70 mph at Akron, 68 mph near Twin Buttes; 66 mph, 8 miles south of Holyoke, 64 mph near the Natural Fort Rest Area; 63 mph at Centennial, 7 miles southwest of Carr; 62 mph near Briggsdale and the Ft. Morgan Airport; 61 mph, 8 miles south-southwest of Grover; 60 mph at Holyoke and Last Chance; 58 mph near Bennett, Cedar Point and at Denver International Airport.","" +112680,673141,KENTUCKY,2017,March,Thunderstorm Wind,"GREENUP",2017-03-01 08:44:00,EST-5,2017-03-01 08:44:00,0,0,0,0,1.00K,1000,0.00K,0,38.52,-82.72,38.52,-82.72,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","A former TV meteorologist reported one large tree was uprooted which also damaged a residential fence." +112680,673148,KENTUCKY,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 09:05:00,EST-5,2017-03-01 09:05:00,0,0,0,0,0.50K,500,0.00K,0,38.14,-82.87,38.14,-82.87,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","A tree fell across KY 201." +112680,673150,KENTUCKY,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 09:02:00,EST-5,2017-03-01 09:02:00,0,0,0,0,150.00K,150000,0.00K,0,38.4827,-82.6588,38.48,-82.64,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","A NWS storm survey found damage consistent with a microburst. The doors were blown in at one retail business and the AC unit and some roofing was hurled from another retail store near the Ashland Mall. A portion of a roof was also removed from a warehouse structure about half a mile away. Multiple trees and power lines were downed throughout the city of Ashland. The total path length of the microbust was estimated to be about 4000 feet. The width about 1000 feet." +112681,673709,OHIO,2017,March,Flood,"VINTON",2017-03-01 11:15:00,EST-5,2017-03-03 00:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.2812,-82.455,39.3603,-82.4824,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Raccoon Creek was above bankfull, closing multiple roads, including sections of SR 328 and 278." +112681,673878,OHIO,2017,March,Flash Flood,"PERRY",2017-03-01 10:45:00,EST-5,2017-03-01 11:15:00,0,0,0,0,3.00K,3000,0.00K,0,39.5752,-82.255,39.6024,-82.2476,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to high water across southern Perry County as a result of flash flooding on Sunday and Monday Creeks, and their smaller feeder creeks." +112681,673911,OHIO,2017,March,Flood,"LAWRENCE",2017-03-01 11:40:00,EST-5,2017-03-02 16:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.5169,-82.5856,38.6813,-82.5403,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to flooding along Symmes Creek." +112681,673903,OHIO,2017,March,Flood,"WASHINGTON",2017-03-01 19:00:00,EST-5,2017-03-02 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,39.637,-81.4721,39.4559,-81.4786,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Multiple roads were closed due to flooding on Duck Creek and the Little Muskingum River, along with their smaller feeder creeks." +112819,674051,NEBRASKA,2017,March,High Wind,"CHASE",2017-03-06 16:00:00,MST-7,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The Imperial ASOS recorded strong westerly winds of 35 to 45 mph with a peak gust to 59 mph at 553 pm CST. These winds were common across Chase County during the late afternoon hours." +112819,674069,NEBRASKA,2017,March,High Wind,"HAYES",2017-03-06 16:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The nearby Imperial ASOS recorded strong westerly winds of 35 to 45 mph with a peak gust to 59 mph at 553 pm CST. These winds were common across Hayes County during the late afternoon hours." +112819,674049,NEBRASKA,2017,March,High Wind,"KEITH",2017-03-06 15:00:00,MST-7,2017-03-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The Ogallala AWOS recorded strong westerly winds of 35 to 45 mph with a peak gust to 59 mph at 555 pm CST. These winds were common across Keith County during the late afternoon hours." +112819,674048,NEBRASKA,2017,March,High Wind,"DEUEL",2017-03-06 11:00:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","Strong westerly winds of 35 to 45 mph with a gust to 58 mph occurred 2 miles east of Big Springs at 1210 pm MST. These winds were common across Deuel County during the early to mid afternoon hours." +112819,674050,NEBRASKA,2017,March,High Wind,"LINCOLN",2017-03-06 16:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The North Platte ASOS recorded strong westerly winds of 35 to 45 mph with a peak gust to 59 mph at 525 pm CST. These winds were common across Lincoln County during the late afternoon hours." +112848,674205,WEST VIRGINIA,2017,March,Strong Wind,"BARBOUR",2017-03-08 16:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed West Virginia on the 7th. Behind the cold front, on the 8th, gusty winds prevailed under strong cold air advection. The strongest winds were across north central West Virginia, and into the northern mountainous counties.","A metal flag pole was damaged in the strong wind." +112830,689354,MINNESOTA,2017,March,High Wind,"KITTSON",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +112830,689355,MINNESOTA,2017,March,High Wind,"WEST MARSHALL",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +112830,689356,MINNESOTA,2017,March,High Wind,"WEST POLK",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +112732,673244,NEBRASKA,2017,February,Heavy Snow,"ANTELOPE",2017-02-23 16:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. Specific amounts included 12 inches at Royal, 7.5 inches in Neligh, and 7 inches at Elgin." +112734,673254,NEBRASKA,2017,February,Heavy Snow,"ANTELOPE",2017-02-07 21:00:00,CST-6,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Heavy snowfall fell across the county. A measured 6.5 inches of snow was reported at Neligh." +112732,673247,NEBRASKA,2017,February,Heavy Snow,"MADISON",2017-02-23 16:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. A snowfall measurement of 6.6 inches was recorded at Norfolk." +115199,694580,OKLAHOMA,2017,May,Thunderstorm Wind,"BECKHAM",2017-05-16 18:08:00,CST-6,2017-05-16 18:08:00,0,0,0,0,2.00K,2000,0.00K,0,35.2301,-99.5057,35.2301,-99.5057,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Power lines and debris blown onto highway 34." +115199,694581,OKLAHOMA,2017,May,Thunderstorm Wind,"BECKHAM",2017-05-16 18:10:00,CST-6,2017-05-16 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-99.42,35.34,-99.42,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694582,OKLAHOMA,2017,May,Thunderstorm Wind,"BECKHAM",2017-05-16 18:15:00,CST-6,2017-05-16 18:15:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-99.42,35.34,-99.42,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694584,OKLAHOMA,2017,May,Thunderstorm Wind,"BECKHAM",2017-05-16 18:35:00,CST-6,2017-05-16 18:35:00,0,0,0,0,50.00K,50000,0.00K,0,35.37,-99.42,35.37,-99.42,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Numerous homes and structures were damaged including roofs removed. One home collapsed." +115199,694585,OKLAHOMA,2017,May,Thunderstorm Wind,"CADDO",2017-05-16 20:33:00,CST-6,2017-05-16 20:33:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-98.56,35.31,-98.56,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","No damage reported." +115199,694586,OKLAHOMA,2017,May,Thunderstorm Wind,"KIOWA",2017-05-16 21:02:00,CST-6,2017-05-16 21:02:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-99.02,34.9,-99.02,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","No damage reported." +115198,694527,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:40:00,CST-6,2017-05-11 13:40:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-97.39,35.88,-97.39,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +113061,676049,TEXAS,2017,March,High Wind,"YOAKUM",2017-03-23 19:00:00,CST-6,2017-03-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","" +112766,676055,KENTUCKY,2017,March,Thunderstorm Wind,"BRACKEN",2017-03-01 07:19:00,EST-5,2017-03-01 07:21:00,0,0,0,0,5.00K,5000,0.00K,0,38.7516,-84.213,38.7516,-84.213,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A barn was destroyed. A few trees were also downed in the area." +118212,710364,NEW MEXICO,2017,August,Thunderstorm Wind,"BERNALILLO",2017-08-29 16:35:00,MST-7,2017-08-29 16:37:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-106.62,35.04,-106.62,"The center of upper level high pressure over the Four Corners region through the end of August 2017 continued to force steering flow from north to south over New Mexico. The combination of low level easterly flow across the state and strong afternoon heating allowed storms to fire up over the Sandia and Manzano mountains during the late afternoon hours. Outflow from a storm over the Four Hills area of Albuquerque surged westward and interacted with another boundary surging north from the Rio Grande Valley. The storm over the Four Hills area developed rapidly westward toward Nob Hill and the Albuquerque Sunport. This storm produced a brief torrential downpour with severe wind gusts and small hail. The Albuquerque Sunport reported a peak wind gust up to 59 mph. Minor flooding was also reported.","Peak wind gust up to 59 mph at the Albuquerque Sunport." +112918,675801,PENNSYLVANIA,2017,March,Winter Storm,"POTTER",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 6-10 inches of snow across Potter County." +112918,675804,PENNSYLVANIA,2017,March,Winter Storm,"SOUTHERN CENTRE",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 7-14 inches of snow across Southern Centre County." +112918,675805,PENNSYLVANIA,2017,March,Winter Storm,"SOUTHERN CLINTON",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 8-14 inches of snow across Southern Clinton County." +112918,675806,PENNSYLVANIA,2017,March,Winter Storm,"SOUTHERN LYCOMING",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 13-19 inches of snow across Southern Lycoming County." +112918,675807,PENNSYLVANIA,2017,March,Winter Storm,"SULLIVAN",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 18-21 inches of snow across Sullivan County." +112918,675808,PENNSYLVANIA,2017,March,Winter Storm,"TIOGA",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 7-15 inches of snow across Tioga County." +113107,677233,NEW MEXICO,2017,March,High Wind,"FAR NORTHEAST HIGHLANDS",2017-03-23 11:30:00,MST-7,2017-03-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Raton airport." +113107,677234,NEW MEXICO,2017,March,High Wind,"CENTRAL HIGHLANDS",2017-03-23 12:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","An extended duration of high winds was reported from Clines Corners to Harvey Ranch and Duran. A peak wind gust to 70 mph was reported at Harvey Ranch and 59 mph at Clines Corners. Sustained winds as high as 55 mph were reported near Duran." +112769,673608,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:10:00,EST-5,2017-03-01 09:10:00,0,0,0,0,,NaN,,NaN,37.53,-83.34,37.53,-83.34,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A wooden shed was blown over at Headstart. A heavy plastic play set was also blown from the playground." +112769,673609,KENTUCKY,2017,March,Thunderstorm Wind,"MORGAN",2017-03-01 09:03:00,EST-5,2017-03-01 09:03:00,0,0,0,0,,NaN,,NaN,37.87,-83.42,37.87,-83.42,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Two large pine trees were blown down." +112769,673611,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:10:00,EST-5,2017-03-01 09:10:00,0,0,0,0,,NaN,,NaN,37.56,-83.38,37.56,-83.38,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The Marathon station next door to the McDonalds in Jackson was damaged and had gas pumps overturned by thunderstorm wind gusts." +112769,673612,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:10:00,EST-5,2017-03-01 09:10:00,0,0,0,0,,NaN,,NaN,37.59,-83.32,37.59,-83.32,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A 62 mph wind gust was recorded by the RAWS equipment at the Jackson Julian Airport." +112769,673614,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:15:00,EST-5,2017-03-01 09:15:00,0,0,0,0,,NaN,,NaN,37.62,-83.38,37.62,-83.38,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Numerous trees were uprooted or snapped off above the ground." +112680,673132,KENTUCKY,2017,March,Thunderstorm Wind,"GREENUP",2017-03-01 06:25:00,EST-5,2017-03-01 06:25:00,0,0,0,0,1.00K,1000,0.00K,0,38.5355,-82.7055,38.5355,-82.7055,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","Two trees were blown down at State Route 207 and US 23." +112680,673714,KENTUCKY,2017,March,Flash Flood,"GREENUP",2017-03-01 08:30:00,EST-5,2017-03-01 11:40:00,0,0,0,0,1.00K,1000,0.00K,0,38.5528,-83.0968,38.5412,-83.1099,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","Flash flooding along Three Prong Brand and Horner Fork caused water to cover Route 784." +112681,673881,OHIO,2017,March,Flash Flood,"VINTON",2017-03-01 09:30:00,EST-5,2017-03-01 11:15:00,0,0,0,0,1.00K,1000,0.00K,0,39.2959,-82.4698,39.2836,-82.4542,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","State Route 328 was closed in both directions due to flash flooding along Raccoon Creek." +112682,673238,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BARBOUR",2017-03-01 11:20:00,EST-5,2017-03-01 11:20:00,0,0,0,0,3.00K,3000,0.00K,0,39.02,-79.93,39.02,-79.93,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trees and power lines were blown down." +112682,673239,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RANDOLPH",2017-03-01 11:20:00,EST-5,2017-03-01 11:20:00,0,0,0,0,1.00K,1000,0.00K,0,38.9087,-79.8569,38.9087,-79.8569,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trampoline and other outdoor items were blown around and damaged." +112682,673702,WEST VIRGINIA,2017,March,Thunderstorm Wind,"POCAHONTAS",2017-03-01 11:20:00,EST-5,2017-03-01 11:20:00,0,0,0,0,10.00K,10000,0.00K,0,38.28,-80.1,38.28,-80.1,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A barn was damaged near Edray." +112682,673703,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 09:55:00,EST-5,2017-03-01 09:55:00,0,0,0,0,0.50K,500,0.00K,0,38.3464,-81.8621,38.3464,-81.8621,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A single tree was uprooted by winds." +112682,673913,WEST VIRGINIA,2017,March,Flood,"TYLER",2017-03-01 14:15:00,EST-5,2017-03-02 12:00:00,0,0,0,0,8.00K,8000,0.00K,0,39.4363,-81.0122,39.4744,-81.0249,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple roads and some private cabins were flooded along Middle Island Creek due to flooding." +113377,678392,PUERTO RICO,2017,March,Tornado,"TRUJILLO ALTO",2017-03-26 15:00:00,AST-4,2017-03-26 15:03:00,0,0,0,0,,NaN,0.00K,0,18.383,-66.0312,18.3889,-66.0292,"A surface low pressure north of Hispanola induced a moist and convectively unstable air mass over Puerto Rico. This southerly flow interacted with the island topography enhancing the low-level convergence along and downwind of the Cordillera Central. Scattered showers began to develop during the early afternoon hours across the northern slopes of Puerto Rico. One of these showers collided with the sea breeze front over southeast portions of San Juan, giving way to a brief EF0 tornado/landspout that touched down between Villa Andalucia and Park Gardens, Rio Piedras at approximately 3 PM AST.","Brief tornado in Villa Andalucia, Trujillo Alto left several trees and power lines down as well as a few houses with structural damage." +113410,678629,HAWAII,2017,March,Flash Flood,"KAUAI",2017-03-01 06:58:00,HST-10,2017-03-01 09:38:00,0,0,0,0,0.00K,0,0.00K,0,22.2099,-159.4807,22.2113,-159.4775,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","Flooding waters closed Kuhio Highway near the Hanalei Bridge for a time." +113412,678639,HAWAII,2017,March,High Surf,"WAIANAE COAST",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678640,HAWAII,2017,March,High Surf,"OAHU NORTH SHORE",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678641,HAWAII,2017,March,High Surf,"OAHU KOOLAU",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678642,HAWAII,2017,March,High Surf,"MOLOKAI WINDWARD",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678643,HAWAII,2017,March,High Surf,"MOLOKAI LEEWARD",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678644,HAWAII,2017,March,High Surf,"LANAI MAKAI",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +111595,665788,NEW MEXICO,2017,January,Cold/Wind Chill,"FAR NORTHEAST HIGHLANDS",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at Raton Municipal Airport fell to -27 degrees." +111595,665790,NEW MEXICO,2017,January,Cold/Wind Chill,"HARDING COUNTY",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at Mills Canyon fell to -34 degrees." +112152,668874,KENTUCKY,2017,January,Winter Weather,"HICKMAN",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +113137,677418,WASHINGTON,2017,January,Ice Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-01-17 08:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","Devastating Ice Storm in the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches. State Route 14 through the Gorge was closed for 24 hours. Interstate 84 (I-84) through the Gorge was closed for a good part of 3 days." +113137,677419,WASHINGTON,2017,January,Ice Storm,"WESTERN COLUMBIA GORGE",2017-01-17 08:00:00,PST-8,2017-01-18 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","Devastating Ice Storm in the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches. State Route 14 through the Gorge was closed for 24 hours. Interstate 84 (I-84) through the Gorge was closed for a good part of 3 days." +113137,677420,WASHINGTON,2017,January,Ice Storm,"SOUTH WASHINGTON CASCADES",2017-01-17 08:00:00,PST-8,2017-01-18 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","Devastating Ice Storm in the Cascades and the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches." +113138,676645,OREGON,2017,January,High Wind,"NORTHERN OREGON COAST",2017-01-17 15:15:00,PST-8,2017-01-18 09:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","The Garibaldi weather station recorded wind gusts up to 63 mph." +113232,677862,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 21:25:00,MST-7,2017-01-10 03:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 82 mph at 10/0025 MST." +113232,677863,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 08:55:00,MST-7,2017-01-09 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 75 mph at 09/1055 MST." +113232,677864,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 22:05:00,MST-7,2017-01-10 03:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 73 mph at 10/0025 MST." +113134,677302,WASHINGTON,2017,January,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-01-07 10:00:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a little bit of freezing rain on the 7th, snow increased dramatically on the 8th, leading to multiple 10-12 snow reports in the Hood River Valley, White Salmon, Underwood and other parts of the Columbia River Gorge, including the Wind River Valley." +113134,678247,WASHINGTON,2017,January,Winter Storm,"WESTERN COLUMBIA GORGE",2017-01-07 10:00:00,PST-8,2017-01-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","The Columbia River Highway was closed between Larch Mountain Rd and Vista House due to extreme ice conditions. Local TV meteorologist reported 0.50 inches of ice and 1 inch of snow in Corbett across the river." +112557,671494,COLORADO,2017,January,Winter Storm,"EASTERN KIOWA COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671495,COLORADO,2017,January,Winter Storm,"BENT COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671496,COLORADO,2017,January,Winter Storm,"LAMAR VICINITY / PROWERS COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671497,COLORADO,2017,January,Winter Storm,"SPRINGFIELD VICINITY / BACA COUNTY",2017-01-14 20:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +115365,695406,ARKANSAS,2017,April,Flash Flood,"LONOKE",2017-04-30 01:27:00,CST-6,2017-04-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-91.87,34.9349,-91.8788,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highway 31 flooded with swift moving water over the road." +115365,695409,ARKANSAS,2017,April,Flash Flood,"PRAIRIE",2017-04-30 02:28:00,CST-6,2017-04-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-91.58,34.7746,-91.5874,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Water was running on city streets." +112334,669765,WYOMING,2017,January,Extreme Cold/Wind Chill,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","The COOP observer reported a low temperature of minus 33 degrees at Jeffrey City." +113187,677107,UTAH,2017,January,Winter Storm,"SOUTHERN MOUNTAINS",2017-01-22 15:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","The Webster Flat SNOTEL received 2.20 inches of liquid equivalent precipitation, or approximately 25 inches of snow." +113187,677093,UTAH,2017,January,Winter Storm,"CACHE VALLEY/UTAH",2017-01-22 16:00:00,MST-7,2017-01-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Storm totals in the Cache Valley included 17 inches of snow in Providence, 16 inches in North Logan, and 14 inches in Logan. Cache County School District and Logan City School District schools were closed on January 23 due to the heavy snow." +113187,677096,UTAH,2017,January,Winter Storm,"NORTHERN WASATCH FRONT",2017-01-22 16:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Storm total snowfall included 15 inches in Garland, 11 inches in Thatcher, and 8 inches in North Ogden and Brigham City." +113187,677104,UTAH,2017,January,Winter Storm,"WASATCH PLATEAU/BOOK CLIFFS",2017-01-22 16:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","The Timberline SNOTEL received 2.00 inches of liquid equivalent precipitation, or approximately 22 inches of snow." +113187,677098,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAIN VALLEYS",2017-01-22 17:00:00,MST-7,2017-01-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Liberty received 27 inches of snow, while Kamas reported 15 inches and Park City reported 13 inches of snow." +113232,677503,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 12:20:00,MST-7,2017-01-10 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 10/1435 MST." +113232,677506,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-08 06:15:00,MST-7,2017-01-08 11:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 08/0625 MST." +113232,677507,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 00:55:00,MST-7,2017-01-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 09/0435 MST." +113232,677508,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 01:30:00,MST-7,2017-01-09 07:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at County Road 402 measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 09/0200 MST." +115365,695418,ARKANSAS,2017,April,Flash Flood,"WHITE",2017-04-30 03:50:00,CST-6,2017-04-30 05:20:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-92.08,35.323,-92.0931,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","On Saint Mary's Church Road, 20 to 30 feet of the road was washed out." +115365,695711,ARKANSAS,2017,April,Flash Flood,"WHITE",2017-04-30 03:55:00,CST-6,2017-04-30 05:10:00,0,0,0,0,50.00K,50000,0.00K,0,35.28,-92.02,35.279,-92.0205,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A bridge was washed out on Foster Rd." +115365,695715,ARKANSAS,2017,April,Flash Flood,"LONOKE",2017-04-30 04:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-92.05,35.0072,-92.0513,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several roads were under water." +113015,675646,MICHIGAN,2017,January,Lake-Effect Snow,"NORTHERN SCHOOLCRAFT",2017-01-05 07:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","There was an estimated 12 inches of lake effect snow in 24 hours north of Highway M-28." +113015,675649,MICHIGAN,2017,January,Lake-Effect Snow,"NORTHERN HOUGHTON",2017-01-06 19:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","The observer near Kearsarge measured eight inches of lake effect snow in 12 hours. There was also a public report of 10 inches of snow in 12 hours at Calumet." +113015,675652,MICHIGAN,2017,January,Lake-Effect Snow,"KEWEENAW",2017-01-06 19:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","The observer near Kearsarge measured eight inches of lake effect snow in approximately 12 hours." +113015,675631,MICHIGAN,2017,January,Winter Weather,"NORTHERN HOUGHTON",2017-01-03 21:00:00,EST-5,2017-01-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","There was a public report of nearly six inches of lake effect snow at Painesdale in 14 hours and nearly five inches of snow at Chassell." +112991,675240,TEXAS,2017,January,Strong Wind,"HARRIS",2017-01-22 10:21:00,CST-6,2017-01-22 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds behind a cold frontal passage produced mainly power line damage and downed some trees. The most damage occurred in the Harris County area.","There were more than 25 reports of power lines and power poles downed across the county. There were also a couple of trees that were snapped. One tree fell onto a home, and another tree fell onto a car. Some scaffolding and a fence were blown down too." +113041,675754,CALIFORNIA,2017,January,Flood,"SAN FRANCISCO",2017-01-22 17:47:00,PST-8,2017-01-22 19:47:00,0,0,0,0,0.00K,0,0.00K,0,37.735,-122.5074,37.7258,-122.5064,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Southbound lanes of the Great Highway closed form Sloat to Skyline Blv due to roadway flooding." +111564,676616,CALIFORNIA,2017,January,Flood,"PLACER",2017-01-09 22:00:00,PST-8,2017-01-10 22:00:00,0,0,0,0,5.00M,5000000,0.00K,0,39.2015,-120.8115,39.201,-120.8111,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","The bridge on Morton Rd. was washed out by flooding from Canyon Creek. This road is located next to the I80 exit in Alta. The incident isolated 15 homes. An alternative temporary access was established, traversing a steep, windy gravel road over private property. |The Placer County Board of Supervisors approved two measures giving both short- and long-term assistance to the isolated community. A new temporary bridge, and then a permanent bridge will be constructed on the site. The estimated cost is $3 million dollars for the bridge construction. The total cost was estimated by the county to be $5 million." +113148,676720,WYOMING,2017,January,Extreme Cold/Wind Chill,"LARAMIE VALLEY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 10 to 25 mph combined with temperatures of -15 to -40 degrees produced wind chill values between -30 and -65 degrees.","Sustained wind speeds of 20 to 25 mph combined with temperatures of -20 to -40 degrees produced wind chill values between -40 and -65 degrees." +113148,676721,WYOMING,2017,January,Extreme Cold/Wind Chill,"CENTRAL CARBON COUNTY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 10 to 25 mph combined with temperatures of -15 to -40 degrees produced wind chill values between -30 and -65 degrees.","Sustained wind speeds of 15 to 20 mph combined with temperatures of -25 to -35 degrees produced wind chill values between -40 and -55 degrees." +117903,709041,KANSAS,2017,June,Hail,"LEAVENWORTH",2017-06-15 20:01:00,CST-6,2017-06-15 20:04:00,0,0,0,0,0.00K,0,0.00K,0,39.08,-95.1,39.08,-95.1,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","" +117903,709042,KANSAS,2017,June,Hail,"LEAVENWORTH",2017-06-15 20:02:00,CST-6,2017-06-15 20:05:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-95.01,39.27,-95.01,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","" +113030,676141,ALABAMA,2017,January,Thunderstorm Wind,"CLARKE",2017-01-21 05:38:00,CST-6,2017-01-21 05:38:00,0,0,0,0,2.00K,2000,0.00K,0,31.99,-87.99,31.99,-87.99,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A tree was blown down across Highway 69. Another trees was blown down across Bashi Road." +113060,676056,ALABAMA,2017,January,Tornado,"MARENGO",2017-01-21 05:29:00,CST-6,2017-01-21 05:37:00,0,0,0,0,0.00K,0,0.00K,0,31.998,-88.106,32.0237,-88.0173,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southwest Marengo County near Putnam and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 110 mph. This tornado continued from Choctaw County where EF2 damage occurred. The tornado crossed into Marengo County near the Slater Community on Blue Rock Road. The tornado moved northeast and generally parallel Blue Rock Road into the Putnam Community. The tornado crossed State Highway 69 and lifted east of Putnam on County Road 4. Numerous trees were snapped and uprooted along the path. At least one mobile home was destroyed and several homes sustained roof damage." +113059,676837,NORTH CAROLINA,2017,January,Winter Storm,"SURRY",2017-01-06 15:15:00,EST-5,2017-01-07 12:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Pilot Mountain area, where 10 inches was measured." +113059,676053,NORTH CAROLINA,2017,January,Winter Storm,"ROCKINGHAM",2017-01-06 16:00:00,EST-5,2017-01-07 12:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Reidsville area, where 9 inches of snow was measured." +113194,677148,WYOMING,2017,January,Winter Weather,"SNOWY RANGE",2017-01-12 17:00:00,MST-7,2017-01-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance produced light to moderate snow and gusty southwest winds to 30 mph over the Snowy and Sierra Madre mountains. Snowfall accumulations ranged from three to six inches above 9500 feet.","The Medicine Bow SNOTEL site (elevation 10050 ft) estimated three inches of snow." +112995,675332,GEORGIA,2017,February,Thunderstorm Wind,"PICKENS",2017-02-25 05:36:00,EST-5,2017-02-25 05:46:00,0,0,0,0,5.00K,5000,,NaN,34.45,-84.4347,34.4444,-84.4278,"A strong cold front moving across north Georgia during the pre-dawn hours produced an isolated severe thunderstorm in Pickens County where a few trees were blown down.","The Pickens County 911 center reported a few trees blown down from around Gum Circle and White Oak Drive to Camp Road near the Cornerstone Church." +113112,676507,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,3.00M,3000000,0.00K,0,40.6126,-124.2038,40.6126,-124.2038,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Scouring and damage to the supports of the Fernbridge bridge over the Eel River on Highway 211." +113112,676506,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,400.00K,400000,0.00K,0,39.1977,-123.7483,39.1977,-123.7483,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Multiple drainage issues near the Navarro River along Highway 1 and a log jam under the bridge requiring removal." +112538,671219,OHIO,2017,January,High Wind,"ASHTABULA LAKESHORE",2017-01-11 00:20:00,EST-5,2017-01-11 00:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Conneaut measured a 62 mph wind gust." +113796,681499,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was measured one mile north of Laramie." +113796,681500,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was reported at Laramie." +113796,681505,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was reported 15 miles northwest of Cheyenne." +112200,669003,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 5 inches was measured three miles southeast of Sevierville." +112200,669004,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST MONROE",2017-01-06 20:00:00,EST-5,2017-01-07 08:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 4 inches was measured at Tellico Plains." +112464,673128,MAINE,2017,January,Heavy Snow,"NORTHERN SOMERSET",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 5 to 8 inches." +112464,673130,MAINE,2017,January,Heavy Snow,"NORTHWEST AROOSTOOK",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 6 to 10 inches." +113796,681503,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was reported 11 miles northwest of Chugwater." +113796,681501,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was reported eight miles south of Wheatland." +113796,681502,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Nine inches of snow was reported at FE Warren AFB." +113827,681548,WYOMING,2017,January,Winter Storm,"NIOBRARA COUNTY",2017-01-23 21:00:00,MST-7,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across east central Wyoming and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to eight inches.","Six to eight inches of snow was reported countywide." +113830,681559,NEBRASKA,2017,January,Winter Storm,"BANNER",2017-01-24 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer 12 miles west-northwest of Harrisburg measured 6.2 inches of snow." +112538,671216,OHIO,2017,January,High Wind,"ASHTABULA LAKESHORE",2017-01-11 00:35:00,EST-5,2017-01-11 00:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Geneva-on-the-Lake measured a 59 mph wind gust." +111611,665841,SOUTH DAKOTA,2017,January,Winter Weather,"BROOKINGS",2017-01-01 20:00:00,CST-6,2017-01-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy drizzle and freezing drizzle caused a few icy areas before the precipitation changed to snow. The snow accumulated 1 to 3 inches.","Patchy freezing drizzle caused a few icy areas on New Years night before the precipitation changed to snow. The snow accumulated 1 to 3 inches, including 2.7 inches at Aurora." +113221,677390,WASHINGTON,2017,January,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest. Surface temperatures as precipitation started were just above freezing, but with heavy showers, rain quickly turned over to snow during the early evening. Embedded thunderstorms enhanced snowfall rates around the Vancouver Metro for a crippling snowstorm Tuesday evening, with snow continuing to fall through Wednesday morning.","Reports of 8 to 12 inches reported in Hood River and Parkdale. Similar amounts in Underwood, Stevenson and Wind River Valley. State Route 14 and I-84 were closed for 15 hours due to hazardous road conditions." +112779,678088,KANSAS,2017,January,Ice Storm,"KEARNY",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1/2 to 3/4 inches. Water equivalent was 3/4 to 1 1/2 inches." +112779,678089,KANSAS,2017,January,Ice Storm,"KIOWA",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1 to 1 3/4 inches. Tree and power line damage was extensive. Water equivalent was 2 to 3 inches." +113304,678060,OKLAHOMA,2017,January,Drought,"SEQUOYAH",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678061,OKLAHOMA,2017,January,Drought,"PITTSBURG",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113484,679351,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-11 12:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","WYDOT sensors along Interstate 80 between mile markers 250 and 280 measured peak wind gusts of 55 to 65 mph with visibilities less than a quarter mile at times in falling and blowing snow. Two to six inches of snow was observed along this stretch of Interstate 80." +113484,679338,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 31 inches of snow." +112886,674375,KENTUCKY,2017,January,Dense Fog,"HOPKINS",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112710,673999,CALIFORNIA,2017,January,Drought,"S SIERRA FOOTHILLS",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +111905,667386,NEBRASKA,2017,January,Heavy Snow,"CEDAR",2017-01-24 10:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout the county from the 24th into the 25th of January. North and northwest winds of 20 to 30 mph accompanied the heavy snowfall, which led to considerable blowing and drifting of snow. Snowfall ranged from 7 to 16 inches across the county with specific amounts of 7 inches in Laurel, 6 miles east of Crofton had 13 inches, and 16 inches was reported in Hartington." +111905,667390,NEBRASKA,2017,January,Heavy Snow,"WAYNE",2017-01-24 10:00:00,CST-6,2017-01-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout mainly the western half of the county. North and northwest winds of 15 to 25 mph accompanied the heavy snowfall, which led to some blowing and drifting of snow. Snowfall ranged from 3 to 7 inches across the county. The city of Wayne reported 5 inches of snowfall from the storm." +115513,693638,TEXAS,2017,June,Hail,"CHILDRESS",2017-06-15 18:00:00,CST-6,2017-06-15 18:00:00,0,0,0,0,0.00K,0,5.00K,5000,34.34,-100.39,34.34,-100.39,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","The hail caused minor damage to area crops." +115513,693636,TEXAS,2017,June,Hail,"LYNN",2017-06-15 17:10:00,CST-6,2017-06-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.97,-101.83,32.97,-101.83,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Hail of quarter to half dollar size fell for about ten minutes. No reports of damage accompanied the hail." +111471,673852,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-08 08:10:00,PST-8,2017-01-08 09:10:00,0,0,0,0,0.00K,0,0.00K,0,38.527,-122.7935,38.5271,-122.7918,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Shiloh flooded at 101 N. Northbound on ramp from central Windsor closed." +111471,683610,CALIFORNIA,2017,January,Flood,"MONTEREY",2017-01-08 00:44:00,PST-8,2017-01-08 01:44:00,0,0,0,0,0.00K,0,0.00K,0,36.5989,-121.8642,36.5988,-121.8644,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Three to four feet of standing water at Casa Verde Road and SR 1N." +112200,669100,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST GREENE",2017-01-06 20:00:00,EST-5,2017-01-07 11:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 4.5 inches was measured at Tusculum." +113628,680218,FLORIDA,2017,March,Wildfire,"FLAGLER",2017-03-24 14:29:00,EST-5,2017-03-24 18:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","The Candelberry wildfire started near the Mondex community in Bunnell and was around 7 acres in size at 3:29 pm local time. At 4:52 pm, the fire grew to 40 acres and was 50% contained. At 7:01 pm, the fire affected about 35 acres and was 70% contained." +117903,709078,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-16 23:40:00,CST-6,2017-06-16 23:43:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-94.67,38.93,-94.67,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Public reported 60 mph wind." +117903,709079,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-16 23:44:00,CST-6,2017-06-16 23:47:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.74,39.01,-94.74,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Public reported 60 mph wind." +117903,709081,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 00:04:00,CST-6,2017-06-17 00:07:00,0,0,0,0,0.00K,0,0.00K,0,38.83,-94.89,38.83,-94.89,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","ASOS at KIXD reporteda 63 mph wind gust (54 knots)." +113629,680219,FLORIDA,2017,March,Wildfire,"COASTAL NASSAU",2017-03-31 16:30:00,EST-5,2017-03-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","A wildfire was near 37 acres in size about 5 miles WSW of Fernandina Beach. Volunteer evacuations of 12 homes were ongoing. The fire was about 75% contained." +113630,680220,FLORIDA,2017,March,Wildfire,"MARION",2017-03-31 17:15:00,EST-5,2017-03-31 17:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","A wildfire about 3 miles south of Orange Springs burned about 200 acres." +113631,680221,FLORIDA,2017,March,Wildfire,"COLUMBIA",2017-03-28 16:53:00,EST-5,2017-03-28 16:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","A 50 acre wildfire was reported off of U.S. Highway 441 near the Florida-Georgia state line in rural Columbia County. Two hunting camps were partially damaged." +113632,680222,FLORIDA,2017,March,Wildfire,"BAKER",2017-03-27 09:23:00,EST-5,2017-03-27 09:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","The Florida Forest service reported that the Hilltop fire which was located east of Eddy Grade and 1 mile north of Highway 122 was 100% contained. The fire started on March 9th and burned 100 acres. The cause was a debris burn." +112767,674105,OHIO,2017,March,Tornado,"CLERMONT",2017-03-01 03:38:00,EST-5,2017-03-01 03:47:00,0,0,0,0,400.00K,400000,0.00K,0,39.0258,-84.2955,39.0288,-84.1765,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The first sign of tornadic damage was observed on Locust Corner Road in Pierce Township near the Pierce Township Nature Area where several trees were snapped. A power pole was also snapped on the corner of Locust Corner Road and Wagner Road.||Damage continued on Locust Corner Road near the Pierce Township Park. Damage was mostly in the form of snapped trees and downed tree branches. Several evergreen trees were also uprooted.||Further east, beginning at the intersection of Lewis Road and Locust Lake Road, tree damage continued and was more significant. Structural damage was also observed at the 1300 block of Locust Lake Road. The most significant damage occurred to a home which had its roof completely lifted off and displaced into the backyard. Damage here was estimated to be EF1 in nature, with maximum winds near 110 MPH. Other homes further east on Locust Lake Road also suffered damage, including shingles ripped off and several instances of siding partially or completely removed from multiple sides of several structures. Multiple trees also fell onto one of the homes, resulting in roof damage.||To the east of Locust Lake Road, any structural damage was more sporadic and primarily consisted of shingles torn from a few homes on Maple Avenue and South Klein Avenue. A few trees were snapped as far east as Amelia Park Drive and Mount Holly Road." +112767,675895,OHIO,2017,March,Thunderstorm Wind,"CLERMONT",2017-03-01 07:10:00,EST-5,2017-03-01 07:25:00,0,0,0,0,10.00K,10000,0.00K,0,39.07,-84.17,39.07,-84.17,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were reported downed throughout the county." +112766,675896,KENTUCKY,2017,March,Thunderstorm Wind,"BRACKEN",2017-03-01 07:20:00,EST-5,2017-03-01 07:22:00,0,0,0,0,8.00K,8000,0.00K,0,38.79,-84.17,38.79,-84.17,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Two barns on Kentucky Route 8 were destroyed." +113727,680806,VERMONT,2017,March,Winter Weather,"WESTERN RUTLAND",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 6 inches fell in the region including; 5 inches in Sudbury and 3 to 4 inches in Rutland." +113234,677718,KENTUCKY,2017,March,Hail,"FLOYD",2017-03-27 13:25:00,EST-5,2017-03-27 13:31:00,0,0,0,0,,NaN,,NaN,37.67,-82.78,37.6055,-82.6869,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A local utility company reported hail up to the size of half dollars from Prestonsburg to northwest of Ivel." +113234,677722,KENTUCKY,2017,March,Hail,"PIKE",2017-03-27 13:48:00,EST-5,2017-03-27 13:48:00,0,0,0,0,,NaN,,NaN,37.6224,-82.541,37.6224,-82.541,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen reported quarter sized hail near Gulnare." +113234,677746,KENTUCKY,2017,March,Hail,"WHITLEY",2017-03-27 14:32:00,EST-5,2017-03-27 14:32:00,0,0,0,0,,NaN,,NaN,36.8313,-84.17,36.8313,-84.17,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Dispatch relayed a report of nickel sized hail north of Williamsburg." +113234,677750,KENTUCKY,2017,March,Hail,"PULASKI",2017-03-27 16:58:00,EST-5,2017-03-27 16:58:00,0,0,0,0,,NaN,,NaN,37.1,-84.6,37.1,-84.6,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A Skywarn storm spotter observed penny sized hail near Somerset." +114245,684381,ILLINOIS,2017,March,Strong Wind,"GALLATIN",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684382,ILLINOIS,2017,March,Strong Wind,"HAMILTON",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684383,ILLINOIS,2017,March,Strong Wind,"HARDIN",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684384,ILLINOIS,2017,March,Strong Wind,"JACKSON",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +112845,679067,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:13:00,CST-6,2017-03-09 17:13:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.48,37.15,-94.48,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679068,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:47:00,CST-6,2017-03-09 17:47:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-94.31,37.12,-94.31,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679070,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 18:22:00,CST-6,2017-03-09 18:22:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-93.93,36.92,-93.93,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679071,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 18:39:00,CST-6,2017-03-09 18:39:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-94.12,37.07,-94.12,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679072,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 18:34:00,CST-6,2017-03-09 18:34:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-93.93,36.92,-93.93,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Quarter size hail reported from the Walmart parking lot in Monett." +112845,679073,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:01:00,CST-6,2017-03-09 19:01:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-93.16,36.71,-93.16,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679074,MISSOURI,2017,March,Hail,"NEWTON",2017-03-09 19:04:00,CST-6,2017-03-09 19:04:00,0,0,0,0,10.00K,10000,0.00K,0,36.86,-94.52,36.86,-94.52,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Golf ball size hail was reported south of Racine. There was some damage report to windows." +112845,679075,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:08:00,CST-6,2017-03-09 19:08:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.12,36.68,-93.12,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679076,MISSOURI,2017,March,Hail,"NEWTON",2017-03-09 19:11:00,CST-6,2017-03-09 19:11:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-94.37,36.87,-94.37,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +113619,680168,LOUISIANA,2017,March,Thunderstorm Wind,"OUACHITA",2017-03-24 23:45:00,CST-6,2017-03-24 23:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5567,-92.1749,32.5567,-92.1749,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A tree was blown down on Andre Drive in West Monroe." +113619,680171,LOUISIANA,2017,March,Thunderstorm Wind,"OUACHITA",2017-03-24 23:55:00,CST-6,2017-03-24 23:55:00,0,0,0,0,0.00K,0,0.00K,0,32.5334,-92.0767,32.5334,-92.0767,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Webster and Breville Streets. One tree was blown onto a home on Breville Street." +113466,679995,WEST VIRGINIA,2017,March,Winter Storm,"JEFFERSON",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 7.0 inches near Ripton and 6.0 inches in Shepherdstown." +113466,679994,WEST VIRGINIA,2017,March,Winter Storm,"HARDY",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 8.0 inches at Old Fields and also near Wardensville." +113466,679996,WEST VIRGINIA,2017,March,Winter Storm,"MORGAN",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to totaled up to 12.0 inches near Great Cacapon and 11.3 inches near Smith Crossroads." +113466,679998,WEST VIRGINIA,2017,March,Winter Storm,"WESTERN GRANT",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 13.0 inches at Bayard." +113466,679999,WEST VIRGINIA,2017,March,Winter Storm,"WESTERN MINERAL",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 9.0 inches at Short Gap." +114021,687763,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:59:00,EST-5,2017-03-01 13:59:00,0,0,0,0,,NaN,,NaN,39.2686,-76.4974,39.2686,-76.4974,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down in Dundalk." +114021,687764,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 13:59:00,EST-5,2017-03-01 13:59:00,0,0,0,0,,NaN,,NaN,38.8176,-76.7554,38.8176,-76.7554,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","There were multiple reports of wires down in the Marlboro area." +114021,687765,MARYLAND,2017,March,Thunderstorm Wind,"CHARLES",2017-03-01 14:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,38.6175,-76.8908,38.6175,-76.8908,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Siding was torn off a house on Leonardtown Road." +114021,687767,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:34:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,39.2006,-77.2631,39.2006,-77.2631,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 66 mph was reported." +114021,687769,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:44:00,EST-5,2017-03-01 13:44:00,0,0,0,0,,NaN,,NaN,39.226,-77.265,39.226,-77.265,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +114021,687771,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 13:54:00,EST-5,2017-03-01 13:54:00,0,0,0,0,,NaN,,NaN,38.8539,-76.9172,38.8539,-76.9172,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +114021,687773,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 13:59:00,EST-5,2017-03-01 13:59:00,0,0,0,0,,NaN,,NaN,38.9581,-76.7364,38.9581,-76.7364,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported in Bowie." +114021,687777,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 14:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,38.91,-76.889,38.91,-76.889,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +114021,687780,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,38.9592,-76.9534,38.9592,-76.9534,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","There were multiple reports of wires down in Hyattsville." +114593,687263,NEW MEXICO,2017,March,High Wind,"SOUTHERN TULAROSA BASIN",2017-03-23 13:00:00,MST-7,2017-03-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also right over far southern New Mexico aiding in the development of strong winds. A peak gust of 82 mph was reported with this storm at San Augustin Pass.","A peak gust of 82 mph was reported at San Augustin Pass. Other wind reports across the zone included 70 mph 1 mile southeast of the White Sands Main Post, 64 mph 5 miles northeast of San Augustin Pass and 18 miles northeast of the White Sands Main Post and 59 mph at the White Sands Main Post." +114593,687264,NEW MEXICO,2017,March,High Wind,"SOUTHERN DONA ANA COUNTY/MESILLA VALLEY",2017-03-23 13:00:00,MST-7,2017-03-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also right over far southern New Mexico aiding in the development of strong winds. A peak gust of 82 mph was reported with this storm at San Augustin Pass.","A mesonet site just northeast of Las Cruces reported a peak gust of 74 mph. A 59 mph gust was recorded at the National Weather Service Office in Santa Teresa, NM and a 58 mph gust was reported at the Las Cruces Airport and at Dripping Springs." +113493,679414,NEW YORK,2017,March,High Wind,"WESTERN COLUMBIA",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +114454,686288,VERMONT,2017,March,Winter Weather,"BENNINGTON",2017-03-31 03:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +114454,686289,VERMONT,2017,March,Winter Weather,"EASTERN WINDHAM",2017-03-31 03:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +114706,689050,LOUISIANA,2017,March,Flash Flood,"JEFFERSON DAVIS",2017-03-29 07:00:00,CST-6,2017-03-30 04:30:00,0,0,0,0,0.00K,0,0.00K,0,30.5413,-92.0586,30.5044,-92.417,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Numerous roads were flooded around Jennings after 6 to 8 inches of rain fell on the town during the morning." +114120,683376,WISCONSIN,2017,March,Thunderstorm Wind,"WOOD",2017-03-06 21:56:00,CST-6,2017-03-06 21:56:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-89.839,44.36,-89.839,"A line of thunderstorms formed along a strong cold front in an unseasonably mild airmass. A few of the storms produced wind gusts in excess of 60 mph, including one that destroyed a pole barn.","A thunderstorm produced a wind gust to 64 mph at Alexander Field South Wood County Airport as it passed near Wisconsin Rapids." +114120,683382,WISCONSIN,2017,March,Thunderstorm Wind,"WAUSHARA",2017-03-06 23:35:00,CST-6,2017-03-06 23:35:00,0,0,0,0,10.00K,10000,0.00K,0,44.089,-88.928,44.089,-88.928,"A line of thunderstorms formed along a strong cold front in an unseasonably mild airmass. A few of the storms produced wind gusts in excess of 60 mph, including one that destroyed a pole barn.","Thunderstorm winds downed a 36 foot by 40 foot pole barn as the storms passed southeast of Poy Sippi." +114122,683378,IDAHO,2017,March,Heavy Snow,"COEUR D'ALENE AREA",2017-03-07 16:00:00,PST-8,2017-03-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer 6 miles north of Rathdrum reported 5.6 inches of new snow." +114122,683379,IDAHO,2017,March,Heavy Snow,"COEUR D'ALENE AREA",2017-03-07 16:00:00,PST-8,2017-03-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer 2 miles northeast of Rathdrum reported 4 inches of new snow." +114122,683380,IDAHO,2017,March,Heavy Snow,"COEUR D'ALENE AREA",2017-03-07 16:00:00,PST-8,2017-03-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer near Coeur D'Alene reported 4.2 inches of new snow." +114975,689860,CALIFORNIA,2017,March,Winter Storm,"NORTHWESTERN MENDOCINO INTERIOR",2017-03-04 04:45:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 10 inches at 2871 feet elevation four miles east-northeast of Potter Valley." +114980,689861,E PACIFIC,2017,March,Waterspout,"POINT SAINT GEORGE TO CAPE MENDOCINO OUT TO 10 NM",2017-03-05 09:37:00,PST-8,2017-03-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7526,-124.2114,40.7526,-124.2114,"A strong shower produced two waterspouts in Humboldt Bay during a winter storm.","Local media shared a video of two waterspouts in Humboldt Bay. The waterspouts lasted for a few minutes and then dissipated as they approached land." +114864,689078,IDAHO,2017,March,Winter Storm,"UPPER SNAKE HIGHLANDS",2017-03-04 18:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and winds caused road closures and lost snow mobiles due to restricted visibility with search and rescue needed in Franklin County to find a lost individual.","About 4 to 6 inches of snowfall combined with high winds caused Idaho Highway 32 to be closed from Ashton to Tetonia on the 6th and Idaho Highway 31 to be closed from Swan Valley to Victor." +114864,689079,IDAHO,2017,March,Winter Storm,"CARIBOU HIGHLANDS",2017-03-04 18:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and winds caused road closures and lost snow mobiles due to restricted visibility with search and rescue needed in Franklin County to find a lost individual.","Snow amounts of 4 to 6 inches combined with high winds caused Idaho Highway 31 to be closed from Swan Valley to Victor on the 6th." +114864,689080,IDAHO,2017,March,Winter Storm,"WASATCH MOUNTAINS/IADHO PORTION",2017-03-05 01:00:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and winds caused road closures and lost snow mobiles due to restricted visibility with search and rescue needed in Franklin County to find a lost individual.","Strong winds and snow created difficult conditions. 4 to 8 inches of snow fell in the region with 6 inches in Bern. A snowmobiler was lost on the evening of the 5th due to the poor visibility and stayed overnight in a make shift shelter in a snow cave and was rescued on the 6th." +114865,689081,IDAHO,2017,March,Flood,"BANNOCK",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,125.00K,125000,0.00K,0,42.9712,-112.5199,42.53,-112.4282,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Extensive field flooding and some home damage continued across much of Bannock County especially in the Marsh Creek and Inkom areas. Extensive sandbagging required. But many back roads flooded along with the fields and homes." +114865,689082,IDAHO,2017,March,Flood,"BEAR LAKE",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,135.00K,135000,0.00K,0,42.5519,-111.5611,42.23,-111.5955,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Continued extensive snow melt created continued sheet flooding throughout the month with water as much as 3 feet deep in fields near Ovid. Damage estimates continued to increase from roads to property damage." +114149,683817,OKLAHOMA,2017,March,Hail,"SEMINOLE",2017-03-26 19:12:00,CST-6,2017-03-26 19:12:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-96.68,35.07,-96.68,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683818,OKLAHOMA,2017,March,Hail,"HUGHES",2017-03-26 19:18:00,CST-6,2017-03-26 19:18:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-96.29,34.84,-96.29,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683819,OKLAHOMA,2017,March,Hail,"MARSHALL",2017-03-26 19:31:00,CST-6,2017-03-26 19:31:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-96.83,33.94,-96.83,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114150,684899,OKLAHOMA,2017,March,Hail,"JACKSON",2017-03-28 17:55:00,CST-6,2017-03-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-99.35,34.48,-99.35,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684901,OKLAHOMA,2017,March,Thunderstorm Wind,"CADDO",2017-03-28 19:35:00,CST-6,2017-03-28 19:35:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-98.45,35.21,-98.45,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684902,OKLAHOMA,2017,March,Thunderstorm Wind,"CADDO",2017-03-28 19:52:00,CST-6,2017-03-28 19:52:00,0,0,0,0,2.00K,2000,0.00K,0,35.11,-98.6,35.11,-98.6,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Reports of many power lines downed in town. Relayed by EM." +114150,684903,OKLAHOMA,2017,March,Thunderstorm Wind,"CADDO",2017-03-28 19:54:00,CST-6,2017-03-28 19:54:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-98.36,35.48,-98.36,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684904,OKLAHOMA,2017,March,Thunderstorm Wind,"CADDO",2017-03-28 19:55:00,CST-6,2017-03-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-98.48,35.47,-98.48,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684905,OKLAHOMA,2017,March,Thunderstorm Wind,"CANADIAN",2017-03-28 19:55:00,CST-6,2017-03-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-98,35.47,-98,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +113755,684299,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:57:00,CST-6,2017-03-26 19:57:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-96.64,33.18,-96.64,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported quarter-sized hail 2 miles southwest of McKinney." +113755,684300,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 20:00:00,CST-6,2017-03-26 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.2,-96.62,33.2,-96.62,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Fire and rescue reported 2 inch diameter hail in Mckinney." +113755,684306,TEXAS,2017,March,Hail,"DENTON",2017-03-26 20:05:00,CST-6,2017-03-26 20:05:00,0,0,0,0,5.00K,5000,0.00K,0,33.4,-96.97,33.4,-96.97,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported golf ball sized hail in the city of Pilot Point, TX." +113755,684311,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 20:07:00,CST-6,2017-03-26 20:07:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-96.58,33.28,-96.58,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported ping pong ball sized hail in the city of Melissa, TX." +113755,684320,TEXAS,2017,March,Hail,"DENTON",2017-03-26 20:10:00,CST-6,2017-03-26 20:10:00,0,0,0,0,0.00K,0,0.00K,0,33.4,-96.97,33.4,-96.97,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A public report of ping pong ball sized hail was received in the city of Pilot Point." +113755,684323,TEXAS,2017,March,Hail,"FANNIN",2017-03-26 21:15:00,CST-6,2017-03-26 21:15:00,0,0,0,0,0.00K,0,0.00K,0,33.38,-96.25,33.38,-96.25,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter sized hail in the city of Leonard." +113755,684327,TEXAS,2017,March,Hail,"FANNIN",2017-03-26 21:27:00,CST-6,2017-03-26 21:27:00,0,0,0,0,0.00K,0,0.00K,0,33.43,-96.17,33.43,-96.17,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported golf ball sized hail in the city of Bailey, TX." +113755,684328,TEXAS,2017,March,Hail,"FANNIN",2017-03-26 21:51:00,CST-6,2017-03-26 21:51:00,0,0,0,0,0.00K,0,0.00K,0,33.42,-95.97,33.42,-95.97,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported half-dollar sized hail in the city of Ladonia." +113755,684329,TEXAS,2017,March,Hail,"MILLS",2017-03-26 19:36:00,CST-6,2017-03-26 19:36:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-98.38,31.45,-98.38,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Broadcast media reported quarter sized hail approximately 11 miles east of the city of Goldthwaite." +115014,690141,LAKE SUPERIOR,2017,March,Marine High Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-03-07 05:30:00,EST-5,2017-03-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,47.77,-89.22,47.77,-89.22,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","Storm force west winds were recorded throughout the period by the Rock of Ages Light C-MAN station with a peak gust of 66 knots." +115014,690379,LAKE SUPERIOR,2017,March,Marine High Wind,"GRAND MARAIS TO WHITEFISH POINT MI",2017-03-08 17:00:00,EST-5,2017-03-09 00:30:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","The Grand Marais GLOS station measured storm force west to northwest winds through the period with a peak gust of 55 knots." +115014,690380,LAKE SUPERIOR,2017,March,Marine High Wind,"MUNISING TO GRAND MARAIS MI",2017-03-08 17:00:00,EST-5,2017-03-09 00:30:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","The Grand Marais GLOS station measured storm force west to northwest winds through the period with a peak gust of 55 knots." +115014,690386,LAKE SUPERIOR,2017,March,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-03-07 09:00:00,EST-5,2017-03-07 11:40:00,0,0,0,0,0.00K,0,0.00K,0,46.721,-87.412,46.721,-87.412,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","Storm force southwest winds were measured throughout the period with a peak gust of 61 knots." +115014,690388,LAKE SUPERIOR,2017,March,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-03-07 07:30:00,EST-5,2017-03-07 11:30:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","Storm force southwest winds were reported throughout the period at Stannard Rock with a peak gust of 62 knots." +115014,690390,LAKE SUPERIOR,2017,March,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-03-08 02:00:00,EST-5,2017-03-08 23:30:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm force west winds occurred from the 7th into the 8th in the wake of a powerful cold frontal passage.","Storm force west winds were reported throughout the period at Stannard Rock with a peak gust of 60 knots." +115034,690420,MICHIGAN,2017,March,Winter Weather,"MARQUETTE",2017-03-23 18:30:00,EST-5,2017-03-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","Freezing rain accumulated up to a quarter inch of ice on tree branches and untreated surfaces by the morning of the 24th." +115034,690421,MICHIGAN,2017,March,Winter Weather,"NORTHERN HOUGHTON",2017-03-23 19:30:00,EST-5,2017-03-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","Several locations throughout the county reported a glaze of ice on surfaces by the morning of the 24th from light freezing rain." +114092,683235,SOUTH CAROLINA,2017,March,Hail,"LAURENS",2017-03-01 18:58:00,EST-5,2017-03-01 19:05:00,0,0,0,0,,NaN,,NaN,34.491,-82.109,34.496,-82.014,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Spotters reported quarter to golf ball size hail along Highway 252 from west of Laurens into the city." +114092,683236,SOUTH CAROLINA,2017,March,Hail,"LAURENS",2017-03-01 19:16:00,EST-5,2017-03-01 19:16:00,0,0,0,0,,NaN,,NaN,34.48,-81.87,34.48,-81.87,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","The NWS in Columbia relayed a media report of golf ball size hail in Clinton." +114092,683237,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LAURENS",2017-03-01 19:00:00,EST-5,2017-03-01 19:09:00,0,0,0,0,50.00K,50000,0.00K,0,34.488,-82.056,34.479,-81.943,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Spotter reported trees and power lines down throughout the city of Laurens, from around Stagecoach Rd, through the city and east to the around the Laurens County hospital. One tree fell and significantly damaged a home on Stuart St in Laurens." +114092,683238,SOUTH CAROLINA,2017,March,Hail,"GREENWOOD",2017-03-01 20:26:00,EST-5,2017-03-01 20:26:00,0,0,0,0,,NaN,,NaN,34.32,-82.14,34.32,-82.14,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Cocorahs observer reported 3/4 inch hail." +114306,684847,NORTH CAROLINA,2017,March,Winter Weather,"BUNCOMBE",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684848,NORTH CAROLINA,2017,March,Winter Weather,"BURKE MOUNTAINS",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114233,684350,COLORADO,2017,March,High Wind,"YUMA COUNTY",2017-03-07 10:34:00,MST-7,2017-03-07 10:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind gusts of 58 MPH were measured at the airport in Yuma for a brief time during the morning.","" +114802,688570,COLORADO,2017,March,High Wind,"KIT CARSON COUNTY",2017-03-23 17:14:00,MST-7,2017-03-23 17:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wind gust of 59 MPH was reported at the Burlington airport.","" +114933,689400,NEBRASKA,2017,March,High Wind,"RED WILLOW",2017-03-23 22:00:00,CST-6,2017-03-23 22:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the late evening high wind gusts up to 68 MPH were reported at the McCook airport.","Reported at the McCook airport. Two rounds of gusts occurred, from :00-:14 and :18-:19 after the hour." +114934,689401,COLORADO,2017,March,Thunderstorm Wind,"KIT CARSON",2017-03-24 07:02:00,MST-7,2017-03-24 07:04:00,0,0,0,0,0.00K,0,0.00K,0,39.2426,-102.2855,39.2426,-102.2855,"In the morning a severe thunderstorm produced wind gusts of 59 MPH at the Burlington airport.","" +114934,689402,COLORADO,2017,March,Thunderstorm Wind,"KIT CARSON",2017-03-24 06:53:00,MST-7,2017-03-24 06:54:00,0,0,0,0,0.00K,0,0.00K,0,39.2426,-102.2855,39.2426,-102.2855,"In the morning a severe thunderstorm produced wind gusts of 59 MPH at the Burlington airport.","" +115042,690560,NEBRASKA,2017,March,Wildfire,"HITCHCOCK",2017-03-05 12:00:00,CST-6,2017-03-05 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A large wildfire began in Stratton County Nebraska on this day. Persistent drought and windy conditions made the fire difficult to contain.","Times of the fire are approximate. Fire burned nearly 2000 acres. Fire trucks were damaged during the response (not due to burning) but when this damage occurred is unknown. Fire occurred between Palisade and Stratton." +115043,690574,KANSAS,2017,March,Wildfire,"CHEYENNE",2017-03-05 12:00:00,CST-6,2017-03-05 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A large wildfire began in Cheyenne County Kansas on this day. Persistent drought and windy conditions made the fire difficult to contain.","A large fire began near Wheeler, KS. Fire conditions were poor due to persistent drought and breezy/windy conditions. Fire burned approximately 700 acres. No structures were threatened. Times are approximate." +114694,690519,PENNSYLVANIA,2017,March,Blizzard,"LACKAWANNA",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Lackawanna and Luzerne Counties mainly during the afternoon and evening of the 14th with snowfall of 20 to 30 inches and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions. The Scranton-Wilkes Barre airport set an all-time daily snowfall record of 22.1 inches on the 14th." +114694,690520,PENNSYLVANIA,2017,March,Blizzard,"LUZERNE",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Lackawanna and Luzerne Counties mainly during the afternoon and evening of the 14th with snowfall of 20 to 30 inches and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions. The Scranton-Wilkes Barre airport set an all-time daily snowfall record of 22.1 inches on the 14th." +114694,690533,PENNSYLVANIA,2017,March,Blizzard,"PIKE",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Pike County mainly during the afternoon and evening of the 14th with snowfall of 2 to 3 feet and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions." +115049,690622,KANSAS,2017,March,Hail,"STANTON",2017-03-23 17:05:00,CST-6,2017-03-23 17:05:00,0,0,0,0,,NaN,,NaN,37.51,-101.57,37.51,-101.57,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Winds were 50 to 55 mph as the hail fell." +115049,690623,KANSAS,2017,March,Hail,"STANTON",2017-03-23 17:10:00,CST-6,2017-03-23 17:10:00,0,0,0,0,,NaN,,NaN,37.52,-101.54,37.52,-101.54,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","The ground was covered by the hail." +115049,690624,KANSAS,2017,March,Hail,"GRANT",2017-03-23 17:15:00,CST-6,2017-03-23 17:15:00,0,0,0,0,,NaN,,NaN,37.59,-101.46,37.59,-101.46,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690625,KANSAS,2017,March,Hail,"GRANT",2017-03-23 17:20:00,CST-6,2017-03-23 17:20:00,0,0,0,0,,NaN,,NaN,37.62,-101.42,37.62,-101.42,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Most of the hail was dime sized with a few larger stones." +115049,690626,KANSAS,2017,March,Hail,"MORTON",2017-03-23 17:28:00,CST-6,2017-03-23 17:28:00,0,0,0,0,,NaN,,NaN,37.11,-101.66,37.11,-101.66,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690627,KANSAS,2017,March,Hail,"MORTON",2017-03-23 18:07:00,CST-6,2017-03-23 18:07:00,0,0,0,0,,NaN,,NaN,37.09,-101.63,37.09,-101.63,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690636,KANSAS,2017,March,Thunderstorm Wind,"HODGEMAN",2017-03-24 00:10:00,CST-6,2017-03-24 00:10:00,0,0,0,0,50.00K,50000,,NaN,37.98,-100.04,37.98,-100.04,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","A pivot irrigation sprinkler was overturned by high wind." +115049,690637,KANSAS,2017,March,Thunderstorm Wind,"GRANT",2017-03-23 17:15:00,CST-6,2017-03-23 17:15:00,0,0,0,0,,NaN,,NaN,37.59,-101.46,37.59,-101.46,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Winds were estimated at 60 MPH." +115049,690638,KANSAS,2017,March,Thunderstorm Wind,"GRANT",2017-03-23 17:22:00,CST-6,2017-03-23 17:22:00,0,0,0,0,,NaN,,NaN,37.65,-101.49,37.65,-101.49,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Pea sized hail also accompanied the 60 MPH wind gusts." +115049,690639,KANSAS,2017,March,Thunderstorm Wind,"GRANT",2017-03-23 17:29:00,CST-6,2017-03-23 17:29:00,0,0,0,0,,NaN,,NaN,37.68,-101.37,37.68,-101.37,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","There was also 1 inch diameter hail with the wind." +115049,690640,KANSAS,2017,March,Thunderstorm Wind,"GRANT",2017-03-23 18:47:00,CST-6,2017-03-23 18:47:00,0,0,0,0,,NaN,,NaN,37.59,-101.37,37.59,-101.37,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690641,KANSAS,2017,March,Thunderstorm Wind,"FINNEY",2017-03-23 19:56:00,CST-6,2017-03-23 19:56:00,0,0,0,0,,NaN,,NaN,37.94,-100.74,37.94,-100.74,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","" +115049,690642,KANSAS,2017,March,Thunderstorm Wind,"FORD",2017-03-24 00:00:00,CST-6,2017-03-24 00:00:00,0,0,0,0,,NaN,,NaN,37.77,-100.02,37.77,-100.02,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","Winds were estimated to be 60 MPH." +113436,678753,HAWAII,2017,March,High Surf,"MAUI CENTRAL VALLEY",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678754,HAWAII,2017,March,High Surf,"WINDWARD HALEAKALA",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678755,HAWAII,2017,March,High Surf,"KONA",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678756,HAWAII,2017,March,High Surf,"SOUTH BIG ISLAND",2017-03-25 12:00:00,HST-10,2017-03-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +113436,678757,HAWAII,2017,March,High Surf,"KOHALA",2017-03-25 12:00:00,HST-10,2017-03-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State produced surf of 15 to 25 feet along the north- and west-facing shores of Niihau and Kauai, and along the north-facing shores of Oahu, Molokai, and Maui; 12 to 18 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Although lifeguards and other ocean safety personnel were kept busy with dispensing advice and helping beach-goers with the dangerous conditions, no significant property damage or injuries were reported.","" +114374,685378,KANSAS,2017,March,Hail,"SHAWNEE",2017-03-29 15:08:00,CST-6,2017-03-29 15:09:00,0,0,0,0,,NaN,,NaN,38.94,-95.63,38.94,-95.63,"Thunderstorms during the last week of March led to widespread heavy rain amounts along with a few hail reports.","" +115198,694528,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:45:00,CST-6,2017-05-11 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.28,35.95,-97.28,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694529,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:50:00,CST-6,2017-05-11 13:50:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.25,35.95,-97.25,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694530,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:51:00,CST-6,2017-05-11 13:51:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.26,35.95,-97.26,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694531,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:53:00,CST-6,2017-05-11 13:53:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.25,35.95,-97.25,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694532,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:56:00,CST-6,2017-05-11 13:56:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.24,35.95,-97.24,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694533,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:56:00,CST-6,2017-05-11 13:56:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.26,35.95,-97.26,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694534,OKLAHOMA,2017,May,Thunderstorm Wind,"LOGAN",2017-05-11 13:56:00,CST-6,2017-05-11 13:56:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.24,35.95,-97.24,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","No damage reported." +115198,694535,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 14:06:00,CST-6,2017-05-11 14:06:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-97.25,35.84,-97.25,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694537,OKLAHOMA,2017,May,Thunderstorm Wind,"PAYNE",2017-05-11 14:13:00,CST-6,2017-05-11 14:13:00,0,0,0,0,0.00K,0,0.00K,0,36.1122,-97.1945,36.1122,-97.1945,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694538,OKLAHOMA,2017,May,Hail,"BLAINE",2017-05-11 14:50:00,CST-6,2017-05-11 14:50:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-98.59,36.06,-98.59,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +112444,680041,FLORIDA,2017,February,Thunderstorm Wind,"ALACHUA",2017-02-07 21:18:00,EST-5,2017-02-07 21:18:00,0,0,0,0,0.50K,500,0.00K,0,29.78,-82.61,29.78,-82.61,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A 12x24 ft awning was ripped away from the ground. The cost of damage was estimated for the event to be included in Storm Data." +112444,680042,FLORIDA,2017,February,Thunderstorm Wind,"COLUMBIA",2017-02-07 21:18:00,EST-5,2017-02-07 21:18:00,0,0,0,0,5.00K,5000,0.00K,0,30.16,-82.68,30.16,-82.68,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Two homes had trees down on them. Several power lines were blown down. The time of damage was based on radar. The cost of damage was unknown but estimated for the event to be included in Storm Data." +112444,680043,FLORIDA,2017,February,Thunderstorm Wind,"GILCHRIST",2017-02-07 21:20:00,EST-5,2017-02-07 21:20:00,0,0,0,0,0.00K,0,0.00K,0,29.82,-82.68,29.82,-82.68,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A small barn was destroyed and several trees were blown down." +112444,680044,FLORIDA,2017,February,Thunderstorm Wind,"UNION",2017-02-07 21:38:00,EST-5,2017-02-07 21:38:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-82.34,30.02,-82.34,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Multiple trees and power lines were blown down." +112444,680045,FLORIDA,2017,February,Thunderstorm Wind,"UNION",2017-02-07 21:40:00,EST-5,2017-02-07 21:40:00,0,0,0,0,0.00K,0,0.00K,0,30.03,-82.38,30.03,-82.38,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A spotter reported a pine tree was twisted off and fell on a home which caused damage. Multiple trees were blown down around nearby property." +112444,680046,FLORIDA,2017,February,Thunderstorm Wind,"ALACHUA",2017-02-07 21:46:00,EST-5,2017-02-07 21:46:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-82.37,29.79,-82.37,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Wind damage occurred to the front and roof of a home. The time of damage was based on radar." +114629,687527,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-18 16:29:00,EST-5,2017-05-18 16:30:00,0,0,0,0,25.00K,25000,0.00K,0,44.4562,-73.1119,44.4562,-73.1119,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Strong thunderstorm winds estimated to be 50 knots or greater occurred across portions of Williston, especially north of Route 2A. Several reports of large tree branches of softwoods (pines/willows) downed by thunderstorm winds, causing power outages and minor structural damage." +114629,687525,VERMONT,2017,May,Hail,"RUTLAND",2017-05-18 18:45:00,EST-5,2017-05-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,43.6,-73.27,43.6,-73.27,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Dime size hail reported." +114629,687528,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-18 16:25:00,EST-5,2017-05-18 16:25:00,0,0,0,0,30.00K,30000,0.00K,0,44.48,-73.15,44.48,-73.15,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","A measured wind gust of 50 knots was recorded at Burlington Int'l Airport along with scattered large branches of softwoods (pines) falling on property causing some damage." +113034,675663,INDIANA,2017,March,Winter Weather,"MARSHALL",2017-03-17 07:00:00,EST-5,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +113034,675664,INDIANA,2017,March,Winter Weather,"ELKHART",2017-03-17 08:00:00,EST-5,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +112680,673162,KENTUCKY,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 09:25:00,EST-5,2017-03-01 09:25:00,0,0,0,0,0.50K,500,0.00K,0,38.0757,-82.5681,38.0757,-82.5681,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","A tree was blown down across KY 3." +112681,673126,OHIO,2017,March,Thunderstorm Wind,"ATHENS",2017-03-01 04:00:00,EST-5,2017-03-01 04:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.4251,-82.1895,39.4251,-82.1895,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","A large tree fell and took out several electric poles." +112680,673145,KENTUCKY,2017,March,Thunderstorm Wind,"BOYD",2017-03-01 08:55:00,EST-5,2017-03-01 08:55:00,0,0,0,0,1.50K,1500,0.00K,0,38.2803,-82.9241,38.2803,-82.9241,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding in Greenup County, where up to two inches of rain fell in a couple hours.","Multiple trees were downed along State Route 1." +112702,672916,WISCONSIN,2017,March,Winter Weather,"WALWORTH",2017-03-02 03:30:00,CST-6,2017-03-02 06:50:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Icy roads from previously fallen snow resulted in three fatal accidents in Walworth, Jefferson, and Dodge Counties.","A motorist lost control on icy highway 14 and crossed the centerline striking another vehicle. One motorist was killed." +112681,673879,OHIO,2017,March,Flash Flood,"PERRY",2017-03-01 10:40:00,EST-5,2017-03-01 11:15:00,0,0,0,0,5.00K,5000,0.00K,0,39.7777,-82.0809,39.7024,-82.0907,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Rising waters due to flash flooding caused minor damage to an apartment building." +112681,673880,OHIO,2017,March,Flash Flood,"PERRY",2017-03-01 08:45:00,EST-5,2017-03-01 10:55:00,0,0,0,0,1.00K,1000,0.00K,0,39.7777,-82.0809,39.8141,-82.0768,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Water rescues were reported due to flash flooding in Roseville." +112681,673707,OHIO,2017,March,Flood,"WASHINGTON",2017-03-01 19:00:00,EST-5,2017-03-01 22:05:00,0,0,0,0,10.00K,10000,0.00K,0,39.5517,-81.6531,39.5573,-81.6404,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Several homes, sections of Route 60, and areas of farmland were flooded due to flooding on the Muskingum River at Beverly." +112814,674124,NEW MEXICO,2017,March,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-03-06 01:30:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The top of the Sandia Peak Tram reported a peak wind gust to 61 mph. Areas along the east slopes of the Sandia Mountains from the San Pedro Creek neighborhood to Edgewood reported peak winds up to 60 mph." +112829,689336,NORTH DAKOTA,2017,March,High Wind,"TOWNER",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689337,NORTH DAKOTA,2017,March,High Wind,"CAVALIER",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689338,NORTH DAKOTA,2017,March,High Wind,"BENSON",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112830,689357,MINNESOTA,2017,March,High Wind,"NORMAN",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +112830,689358,MINNESOTA,2017,March,High Wind,"CLAY",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +112830,689359,MINNESOTA,2017,March,High Wind,"WILKIN",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 62 mph, measured by a MNDOT sensor near Rothsay, Minnesota. East Grand Forks recorded 59 mph, and Dilworth and Tenney recorded 58 mph. The strong wind knocked several semi trucks off roads and damaged a signal light in Moorhead.","" +119671,717816,NEW MEXICO,2017,September,Flash Flood,"SAN JUAN",2017-09-29 13:45:00,MST-7,2017-09-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7199,-108.1612,36.7206,-108.1579,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Flash flooding along U.S. Highway 64 at Browning Street." +119671,717819,NEW MEXICO,2017,September,Hail,"CIBOLA",2017-09-29 13:45:00,MST-7,2017-09-29 13:48:00,0,0,0,0,0.00K,0,0.00K,0,34.9434,-107.6104,34.9434,-107.6104,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Nickel to quarter size hail at Acoma Pueblo." +115365,695380,ARKANSAS,2017,April,Thunderstorm Wind,"INDEPENDENCE",2017-04-29 22:40:00,CST-6,2017-04-29 22:40:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-91.5,35.75,-91.5,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tree was down on a home in Sulphur Rock." +115365,695381,ARKANSAS,2017,April,Flash Flood,"CONWAY",2017-04-29 22:40:00,CST-6,2017-04-29 23:55:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-92.56,35.0987,-92.6463,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highways 92, 9, and 64 were flooded and 2 water rescues were performed." +115365,695382,ARKANSAS,2017,April,Thunderstorm Wind,"HOT SPRING",2017-04-29 22:43:00,CST-6,2017-04-29 22:43:00,0,0,0,0,5.00K,5000,0.00K,0,34.36,-92.81,34.36,-92.81,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tree was down on a home in Malvern." +115365,695385,ARKANSAS,2017,April,Thunderstorm Wind,"HOT SPRING",2017-04-29 22:50:00,CST-6,2017-04-29 22:50:00,0,0,0,0,0.00K,0,0.00K,0,34.46,-92.73,34.46,-92.73,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Power lines were down around Glen Rose." +115365,695400,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 23:52:00,CST-6,2017-04-29 23:52:00,0,0,0,0,10.00K,10000,0.00K,0,35.13,-91.45,35.13,-91.45,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines were down in Georgetown, including a tree down on a home." +115365,695404,ARKANSAS,2017,April,Flash Flood,"LONOKE",2017-04-30 01:21:00,CST-6,2017-04-30 02:50:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-92.07,35.0275,-92.0708,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highway 5 north of Mountain Springs flooded." +115365,695405,ARKANSAS,2017,April,Flash Flood,"LONOKE",2017-04-30 01:25:00,CST-6,2017-04-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-92,34.9276,-92.0081,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highway 321 and Highway 89 were flooded." +119671,717820,NEW MEXICO,2017,September,Hail,"SOCORRO",2017-09-29 16:28:00,MST-7,2017-09-29 16:32:00,0,0,0,0,50.00K,50000,0.00K,0,34.52,-106.77,34.52,-106.77,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of golf balls reported in Veguita. Vehicle windshields damaged from large hail. Damages estimated." +115365,695401,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-30 00:00:00,CST-6,2017-04-30 01:30:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-92.21,34.7856,-92.2381,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Numerous roads were flooded in Sherwood, including parts of Highway 167 near McCain Blvd. and portions of Highway 107." +115365,695403,ARKANSAS,2017,April,Flash Flood,"WHITE",2017-04-30 01:00:00,CST-6,2017-04-30 02:30:00,0,0,0,0,70.00K,70000,0.00K,0,35.48,-91.77,35.4772,-91.7716,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A bridge was reported washed out on Prince Reaper Road." +121085,724863,MONTANA,2017,November,High Wind,"JUDITH BASIN",2017-11-23 10:58:00,MST-7,2017-11-23 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","A 58 mph wind gust measured at site Bravo." +121085,724864,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-23 10:58:00,MST-7,2017-11-23 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","A 60 mph wind gust measured at site Juliett." +121085,724865,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-23 11:01:00,MST-7,2017-11-23 11:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station in Choteau measured a 60 mph wind gust." +112918,675809,PENNSYLVANIA,2017,March,Winter Storm,"UNION",2017-03-13 23:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 13-19 inches of snow across Union County." +113150,676732,WEST VIRGINIA,2017,March,Hail,"RALEIGH",2017-03-27 16:01:00,EST-5,2017-03-27 16:01:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-81.37,37.83,-81.37,"Showers and thunderstorms developed across the Central Appalachians on the 27th. The area was in the warm sector of a low pressure system which was moving through the Lower Ohio River Valley. While most storms were not severe, one did produce brief large hail and thunderstorm wind damage.","" +113150,676733,WEST VIRGINIA,2017,March,Hail,"RALEIGH",2017-03-27 16:14:00,EST-5,2017-03-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-81.19,37.85,-81.19,"Showers and thunderstorms developed across the Central Appalachians on the 27th. The area was in the warm sector of a low pressure system which was moving through the Lower Ohio River Valley. While most storms were not severe, one did produce brief large hail and thunderstorm wind damage.","" +113150,676734,WEST VIRGINIA,2017,March,Hail,"RALEIGH",2017-03-27 16:14:00,EST-5,2017-03-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-81.2,37.86,-81.2,"Showers and thunderstorms developed across the Central Appalachians on the 27th. The area was in the warm sector of a low pressure system which was moving through the Lower Ohio River Valley. While most storms were not severe, one did produce brief large hail and thunderstorm wind damage.","" +121085,724861,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-23 10:05:00,MST-7,2017-11-23 10:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 10 miles south of Fort Benton measured a 72 mph wind gust." +113150,676735,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RALEIGH",2017-03-27 16:14:00,EST-5,2017-03-27 16:14:00,0,0,0,0,1.00K,1000,0.00K,0,37.87,-81.2,37.87,-81.2,"Showers and thunderstorms developed across the Central Appalachians on the 27th. The area was in the warm sector of a low pressure system which was moving through the Lower Ohio River Valley. While most storms were not severe, one did produce brief large hail and thunderstorm wind damage.","Thunderstorm winds blew a section of rain gutter off a house." +113150,677200,WEST VIRGINIA,2017,March,Hail,"FAYETTE",2017-03-27 16:14:00,EST-5,2017-03-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-81.32,38.09,-81.32,"Showers and thunderstorms developed across the Central Appalachians on the 27th. The area was in the warm sector of a low pressure system which was moving through the Lower Ohio River Valley. While most storms were not severe, one did produce brief large hail and thunderstorm wind damage.","" +112765,676364,INDIANA,2017,March,Flash Flood,"RIPLEY",2017-03-01 06:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39,-85.36,39.0016,-85.3116,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water and debris were reported on several roads in the southwest part of the county." +113107,677241,NEW MEXICO,2017,March,High Wind,"SOUTHWEST CHAVES COUNTY",2017-03-23 12:15:00,MST-7,2017-03-23 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Dunken." +113107,677242,NEW MEXICO,2017,March,High Wind,"QUAY COUNTY",2017-03-23 13:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","An extended period of powerful wind gusts as high as 74 mph impacted much of the Interstate 40 corridor from Montoya to Tucumcari. Sustained winds were as high as 51 mph. Fortunately no significant damage or power outages were reported." +112769,673613,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:15:00,EST-5,2017-03-01 09:15:00,0,0,0,0,,NaN,,NaN,37.59,-83.23,37.59,-83.23,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roof of a metal building was blown off and into a roadway in Roussea, blocking the road near mile marker 26. Another large tree was blown down between mile markers 27 and 28." +112769,673615,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:15:00,EST-5,2017-03-01 09:15:00,0,0,0,0,,NaN,,NaN,37.52,-83.53,37.52,-83.53,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Numerous trees were blown down on Highway 1812." +112769,673616,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:14:00,EST-5,2017-03-01 09:14:00,0,0,0,0,,NaN,,NaN,37.67,-83.24,37.67,-83.24,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Large limbs were blown down." +112769,673617,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:15:00,EST-5,2017-03-01 09:15:00,0,0,0,0,,NaN,,NaN,37.44,-83.46,37.44,-83.46,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A large pine tree was snapped, while several other smaller trees and large limbs were blown down along Highways 315 and 1933 near Talbert." +112769,673618,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:10:00,EST-5,2017-03-01 09:10:00,0,0,0,0,,NaN,,NaN,37.55,-83.38,37.55,-83.38,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A large tree limb was blown down in the Jackson Cemetary." +113360,678302,OHIO,2017,March,Heavy Rain,"JACKSON",2017-03-30 21:00:00,EST-5,2017-03-31 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.08,-82.71,39.08,-82.71,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","A cooperative observer measured 2.07 inches of rain." +112681,673906,OHIO,2017,March,Flood,"VINTON",2017-03-01 11:34:00,EST-5,2017-03-04 07:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.2509,-82.272,39.2899,-82.2675,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Raccoon Creek at Bolins Mills remained in flood stage following heavy rain. This closed multiple roads across the eastern part of the county." +113413,678725,HAWAII,2017,March,Heavy Rain,"HONOLULU",2017-03-09 14:49:00,HST-10,2017-03-09 17:54:00,0,0,0,0,0.00K,0,0.00K,0,21.6563,-157.9408,21.3834,-158.0162,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +113413,678726,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-09 16:06:00,HST-10,2017-03-09 18:40:00,0,0,0,0,0.00K,0,0.00K,0,19.8921,-155.1476,19.5004,-155.0707,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +113413,678727,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-09 20:27:00,HST-10,2017-03-09 23:12:00,0,0,0,0,0.00K,0,0.00K,0,19.2269,-155.4325,19.0259,-155.6282,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +113413,678728,HAWAII,2017,March,Heavy Rain,"HONOLULU",2017-03-10 15:09:00,HST-10,2017-03-10 16:29:00,0,0,0,0,0.00K,0,0.00K,0,21.6323,-158.0589,21.4832,-157.8619,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +115831,696165,VIRGINIA,2017,May,Thunderstorm Wind,"CULPEPER",2017-05-30 16:41:00,EST-5,2017-05-30 16:41:00,0,0,0,0,,NaN,,NaN,38.599,-77.955,38.599,-77.955,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A tree was down near the intersection of Oak Shade road and Little Fort Church Road." +115831,696167,VIRGINIA,2017,May,Thunderstorm Wind,"CULPEPER",2017-05-30 16:42:00,EST-5,2017-05-30 16:42:00,0,0,0,0,,NaN,,NaN,38.62,-77.899,38.62,-77.899,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A tree was down near the intersection of Myers Mill Road and Jeffersonton Road." +115831,696169,VIRGINIA,2017,May,Thunderstorm Wind,"CULPEPER",2017-05-30 16:45:00,EST-5,2017-05-30 16:45:00,0,0,0,0,,NaN,,NaN,38.583,-77.878,38.583,-77.878,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A few trees were down near the intersection of Lakota Road and Clover Hill Road." +115831,696170,VIRGINIA,2017,May,Thunderstorm Wind,"FREDERICK",2017-05-30 16:48:00,EST-5,2017-05-30 16:48:00,0,0,0,0,,NaN,,NaN,39.1839,-78.0987,39.1839,-78.0987,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A few large trees fell onto trailers near the intersection of Route 7 and Woods Mill Road. Trees were also down in a neighborhood between Route 7 and Route 659." +115710,695676,DISTRICT OF COLUMBIA,2017,May,Flood,"DISTRICT OF COLUMBIA",2017-05-05 09:30:00,EST-5,2017-05-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9055,-77.036,38.9067,-77.0361,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The 1200 Block of 16th Street was closed due to high water." +115711,695677,WEST VIRGINIA,2017,May,Flood,"BERKELEY",2017-05-05 14:32:00,EST-5,2017-05-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3385,-78.0543,39.3417,-78.063,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","There was a vehicle stuck in high water on Henshaw Road." +117780,708097,NEW MEXICO,2017,August,Thunderstorm Wind,"UNION",2017-08-15 16:20:00,MST-7,2017-08-15 16:23:00,0,0,0,0,0.50K,500,0.00K,0,36.94,-103.56,36.94,-103.56,"A large dry intrusion moving east across New Mexico from Arizona resulted in a significant break in monsoon storm activity west of the central mountain chain. However, just enough moisture and instability lingered over far northeastern New Mexico to generate a few more strong to severe thunderstorms. The focus was once again over Union County where hail, strong winds, and heavy rainfall occurred. A window was broken out of a home from a falling tree along the Colorado border northeast of Des Moines.","A tree fell onto a home and broke a window." +118161,710124,NEW MEXICO,2017,August,Flash Flood,"TAOS",2017-08-25 15:00:00,MST-7,2017-08-25 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7085,-105.4451,36.7093,-105.4441,"Several consecutive days of light to moderate rainfall over the steep terrain around Red River, New Mexico led to the second mudslide of the season along state road 38. Mining operations in the area exacerbate already loose and fine soils within several steep chutes that run down toward the highway. Rainfall estimates in the one quarter to one half inch range after several days of rainfall led to a mudslide roughly two miles west of Red River. The roadway was closed for a couple hours while crews cleared about a 50 yard wide section of mud and debris.","A mudslide closed state road 38 two miles west of Red River." +115817,696047,VIRGINIA,2017,May,Thunderstorm Wind,"NELSON",2017-05-05 04:30:00,EST-5,2017-05-05 04:30:00,0,0,0,0,,NaN,,NaN,37.7488,-78.8694,37.7488,-78.8694,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree fell down onto the James River near Route 642." +115817,696048,VIRGINIA,2017,May,Thunderstorm Wind,"ALBEMARLE",2017-05-05 04:48:00,EST-5,2017-05-05 04:48:00,0,0,0,0,,NaN,,NaN,38.0115,-78.7017,38.0115,-78.7017,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down near the intersection of Miller School Road and Samuel Miller Loop." +115817,696049,VIRGINIA,2017,May,Thunderstorm Wind,"ALBEMARLE",2017-05-05 04:55:00,EST-5,2017-05-05 04:55:00,0,0,0,0,,NaN,,NaN,37.7808,-78.5636,37.7808,-78.5636,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down along the 1500 Block of James River Road." +118210,710360,NEW MEXICO,2017,August,Hail,"UNION",2017-08-27 19:52:00,MST-7,2017-08-27 19:56:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-103.16,35.88,-103.16,"The center of upper level high pressure moved into southern Utah by the end of August 2017 and forced steering flow to become more south to north across New Mexico. Moist, low level southeasterly flow remained in place over the state and continued the daily rounds of showers and storms. The main focus for convection was over the central high terrain and the northeastern plains. Most storms were garden variety with brief heavy rainfall and gusty outflow winds. One cluster of storms that moved south along the Texas and New Mexico border between 8 and 9 pm produced quarter to ping pong ball size hail near Amistad. This cluster of storms held together as it moved southward toward Clovis where a strong wind gust to 56 mph was reported.","Hail up to the size of ping pong balls covered the ground three miles south of Amistad." +121085,724872,MONTANA,2017,November,High Wind,"EASTERN TETON",2017-11-23 15:04:00,MST-7,2017-11-23 15:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 5 miles ENE of Power measured a 66 mph wind gust." +112845,679049,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 16:47:00,CST-6,2017-03-09 16:47:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-94.3,37.34,-94.3,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Hen egg size hail was report on social media with a picture." +112845,679077,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:13:00,CST-6,2017-03-09 19:13:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.03,36.68,-93.03,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Quarter size hail was reported on Highway 76 near the River Church." +112845,679100,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 19:10:00,CST-6,2017-03-09 19:10:00,0,0,0,0,25.00K,25000,0.00K,0,36.68,-93.87,36.68,-93.87,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture. There was damage to cars in the area." +121085,724869,MONTANA,2017,November,High Wind,"HILL",2017-11-23 13:02:00,MST-7,2017-11-23 13:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Twitter report of a power outage south of Havre due to strong winds." +112845,679115,MISSOURI,2017,March,Hail,"SHANNON",2017-03-09 17:20:00,CST-6,2017-03-09 17:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.99,-91.49,36.99,-91.49,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture. There was some damage to cars and windows in the Birch Tree area." +112845,679118,MISSOURI,2017,March,Tornado,"BARRY",2017-03-09 18:42:00,CST-6,2017-03-09 18:43:00,0,0,0,0,25.00K,25000,0.00K,0,36.766,-93.8717,36.7661,-93.87,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A National Weather Service survey determined that a tornado damaged a home to the east northeast of Butterfield. Estimated peak wind speed was 75 mph." +112845,679127,MISSOURI,2017,March,Thunderstorm Wind,"TANEY",2017-03-09 19:05:00,CST-6,2017-03-09 19:05:00,0,0,0,0,10.00K,10000,0.00K,0,36.7,-93.09,36.7,-93.09,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Reports of several trees down on houses along Skyline Road. A roof was on top of a car." +113454,679185,FLORIDA,2017,March,Hail,"LEE",2017-03-01 15:06:00,EST-5,2017-03-01 15:08:00,0,0,0,0,0.00K,0,0.00K,0,26.75,-82.03,26.75,-82.03,"Sea breeze thunderstorms moved southwest across the Florida Peninsula. One of these storms produced several hail reports across Lee County.","Broadcast media received a viewer video of hail estimated of between 1/2 and 1 inch in diameter." +112152,668873,KENTUCKY,2017,January,Winter Weather,"FULTON",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668875,KENTUCKY,2017,January,Winter Weather,"GRAVES",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112833,674171,OHIO,2017,January,Lake-Effect Snow,"ASHTABULA LAKESHORE",2017-01-04 13:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through daybreak on the 7th and then dissipated during the morning hours. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern half of Ashtabula County where totals in some areas were greater than a foot. A few of the higher totals in Ashtabula County included 14.5 inches in Kelloggsville; 11.6 inches in Monroe Township; 11.1 inches at Ashtabula; 9.6 inches at Conneaut and 8.7 inches at Jefferson. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported.","Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through daybreak on the 7th and then dissipated during the morning hours. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern half of Ashtabula County where totals in some areas were greater than a foot. A few of the higher totals in Ashtabula County included 14.5 inches in Kelloggsville; 11.6 inches in Monroe Township; 11.1 inches at Ashtabula; 9.6 inches at Conneaut and 8.7 inches at Jefferson. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported." +113153,676816,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-01-01 16:00:00,MST-7,2017-01-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and slow moving storm system passed through northern and central Utah at the beginning of 2017, with the heaviest snowfall in portions of the Wasatch Range, the Wasatch mountain valleys, and in Utah County.","Storm total snowfall included 31 inches at Brighton Resort, 27 inches at Solitude Mountain Resort, 25 inches at Alta Ski Area, 23 inches at Park City Mountain Resort, and 22 inches at UDOT Provo Canyon." +112990,675235,TEXAS,2017,January,Flash Flood,"HARRIS",2017-01-18 08:10:00,CST-6,2017-01-18 10:10:00,0,0,0,0,500.00K,500000,0.00K,0,29.5897,-95.4473,29.7156,-95.2048,"A slow moving upper level storm system combined with a stalled frontal boundary and high moisture levels to produce early morning showers and thunderstorms that trained for several hours and produced 4 to 6 inch rainfall totals along and near the U.S. 59 corridor from the Kendleton area to Sugar Land to the Houston area.","There was widespread flooding and numerous road closures across the central parts of the county, especially from just north of Downtown Houston southwestward toward the Harris-Fort Bend County line. More than 75 water rescues were conducted, and close to 100 homes and businesses received water damage." +112990,675233,TEXAS,2017,January,Flash Flood,"WHARTON",2017-01-18 08:00:00,CST-6,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,29.4247,-96.0917,29.3999,-96.13,"A slow moving upper level storm system combined with a stalled frontal boundary and high moisture levels to produce early morning showers and thunderstorms that trained for several hours and produced 4 to 6 inch rainfall totals along and near the U.S. 59 corridor from the Kendleton area to Sugar Land to the Houston area.","Roads were flooded and impassable near the Wharton-Fort Bend County line, including County Road 215 near the West Bernard Creek." +112974,675098,TEXAS,2017,January,Flash Flood,"HARRIS",2017-01-20 19:10:00,CST-6,2017-01-20 20:15:00,0,0,0,0,0.00K,0,0.00K,0,29.7598,-95.3668,29.6487,-95.5412,"Slow moving showers and thunderstorms produced hail and flash flooding in the afternoon through early evening hours.","There were numerous road closures between the downtown Houston area and the Harris-Fort Bend county line." +112998,675298,CALIFORNIA,2017,January,Flash Flood,"TULARE",2017-01-07 21:58:00,PST-8,2017-01-07 21:58:00,0,0,0,0,159.70K,159700,0.00K,0,36.4,-119.01,36.4027,-119.0089,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reports that Highway 198 at Long Road is closed due to a mudslide just southwest of Kaweah Lake." +113002,675419,CALIFORNIA,2017,January,Flood,"KERN",2017-01-22 16:46:00,PST-8,2017-01-22 16:46:00,0,0,0,0,150.00K,150000,0.00K,0,35.64,-118.41,35.6391,-118.4095,"A nearly stationary cold low pressure system from the Pacific Northwest moved into central California and tropical moisture being fed from the Pacific with a continued atmospheric river set-up, brought thunderstorms and heavy rainfall to the Sierra Nevada Mountains and Foothills and parts of the San Joaquin Valley over several days. Small pea-sized hail was also reported with some of the thunderstorms.","California Highway Patrol reported Lynch Canyon Road with 1 to 2 inches of roadway flooding near State Route 178 in Mountain Mesa." +113134,678250,WASHINGTON,2017,January,Winter Storm,"SOUTHERN WASHINGTON CASCADE FOOTHILLS",2017-01-07 10:00:00,PST-8,2017-01-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","The Columbia River Highway was closed between Larch Mountain Rd and Vista House due to extreme ice conditions. Similar conditions likely extended into the South Washington Cascade Foothills near the Columbia Gorge, since they had similar precipitation amounts and temperatures." +113134,678252,WASHINGTON,2017,January,Winter Storm,"GREATER VANCOUVER AREA",2017-01-07 10:30:00,PST-8,2017-01-09 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a period of snow and sleet brought a trace to 1 inch of accumulation, a substantial ice storm affected the Vancouver metro, especially the east side. Across the river, the National Weather Service in Portland reported 0.51 inch of ice. Additionally, there was a report of 0.50 inch of ice from Vancouver. Around 6000 people lost power per Clark County Public Utilities." +113133,677300,OREGON,2017,January,Heavy Snow,"UPPER HOOD RIVER VALLEY",2017-01-07 10:00:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a little bit of freezing rain on the 7th, snow increased dramatically on the 8th, leading to multiple 10-12 snow reports in the Hood River Valley." +112549,671455,COLORADO,2017,January,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +113302,677984,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-20 08:00:00,PST-8,2017-01-21 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter near Fish Camp reported a measured 24 hour snowfall of 12 inches in Mariposa County." +115365,695397,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 23:37:00,CST-6,2017-04-29 23:37:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-91.71,35.2,-91.71,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines down around the Higginson area and a portion of Hwy 11 was blocked as a result." +115365,695398,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 23:38:00,CST-6,2017-04-29 23:38:00,0,0,0,0,40.00K,40000,0.00K,0,35.14,-91.65,35.14,-91.65,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A trailer flipped over." +115365,695399,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 23:44:00,CST-6,2017-04-29 23:44:00,0,0,0,0,50.00K,50000,0.00K,0,35.15,-91.48,35.15,-91.48,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several trailers were overturned northwest of Georgetown, near Highway 36 and Nimmo road." +115365,692695,ARKANSAS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-29 19:20:00,CST-6,2017-04-29 19:20:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-93.63,34.56,-93.63,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Numerous trees were downed." +115365,692698,ARKANSAS,2017,April,Hail,"SALINE",2017-04-29 19:27:00,CST-6,2017-04-29 19:27:00,0,0,0,0,0.00K,0,0.00K,0,34.68,-92.58,34.68,-92.58,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","" +115365,692703,ARKANSAS,2017,April,Thunderstorm Wind,"PERRY",2017-04-29 20:25:00,CST-6,2017-04-29 20:25:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-92.79,35.04,-92.79,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees were down just north of Perry along Highway 9 by Cypress Creek." +113302,677985,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-20 08:00:00,PST-8,2017-01-21 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter 6 miles east southeast of Camp Nelson reported a measured 24 hour snowfall of 11 inches in Tulare County." +112334,669766,WYOMING,2017,January,Extreme Cold/Wind Chill,"NATRONA COUNTY LOWER ELEVATIONS",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","A weather sensor at Independence Rock recorded a low temperature of minus 41 degrees." +112334,669767,WYOMING,2017,January,Extreme Cold/Wind Chill,"STAR VALLEY",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Very cold temperatures occurred through the Star Valley. Among the coldest temperatures recorded was minus 35 degrees at the Afton airport." +112334,669768,WYOMING,2017,January,Extreme Cold/Wind Chill,"UPPER GREEN RIVER BASIN FOOTHILLS",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Frigid temperatures occurred throughout the region. Some of the coldest temperatures included minus 44 degrees at Bondurant and minus 36 degrees at the Pinedale airport." +112334,669769,WYOMING,2017,January,Extreme Cold/Wind Chill,"UPPER GREEN RIVER BASIN",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Extreme cold occurred through the Upper Green River Basin, including minus 32 degrees at the Farson COOP." +113232,677509,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 14:00:00,MST-7,2017-01-10 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +113232,677510,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 00:00:00,MST-7,2017-01-09 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 09/0005 MST." +113232,677511,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 20:40:00,MST-7,2017-01-10 22:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 10/2050 MST." +113063,676101,VIRGINIA,2017,January,Winter Storm,"FLOYD",2017-01-06 16:15:00,EST-5,2017-01-07 12:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received along the Blue Ridge Parkway area, where 9 inches of snow was measured." +113041,675755,CALIFORNIA,2017,January,Flood,"MARIN",2017-01-22 20:36:00,PST-8,2017-01-22 22:36:00,0,0,0,0,0.00K,0,0.00K,0,37.922,-122.5103,37.922,-122.5105,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Roadway flooding reported at San Clemente Drive." +113079,676313,NEW MEXICO,2017,January,Hail,"OTERO",2017-01-14 19:48:00,MST-7,2017-01-14 19:48:00,0,0,0,0,0.00K,0,0.00K,0,32.9131,-105.9535,32.9131,-105.9535,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","Quarter sized hail covered the ground in Alamogordo." +113079,676315,NEW MEXICO,2017,January,Hail,"OTERO",2017-01-14 19:27:00,MST-7,2017-01-14 19:27:00,0,0,0,0,0.00K,0,0.00K,0,32.8537,-106.1094,32.8537,-106.1094,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","" +113079,676316,NEW MEXICO,2017,January,Flood,"DONA ANA",2017-01-15 04:00:00,MST-7,2017-01-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,32.673,-107.0776,32.6715,-107.1425,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","New Mexico 154 was closed between Rincon and Hatch due to flooding at two low water crossings. One crossing was located right at mile marker 3 with the other located about 0.7 miles east. The worst of the flooding was around 4 AM when water ran 3 to 4 feet deep." +113148,676722,WYOMING,2017,January,Extreme Cold/Wind Chill,"GOSHEN COUNTY",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 10 to 25 mph combined with temperatures of -15 to -40 degrees produced wind chill values between -30 and -65 degrees.","Sustained wind speeds of 10 to 15 mph combined with temperatures of -15 to -20 degrees produced wind chill values between -30 and -40 degrees." +113154,676834,UTAH,2017,January,Winter Storm,"NORTHERN WASATCH FRONT",2017-01-03 21:00:00,MST-7,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","Storm total snowfall included 10.5 inches in Brigham City and 9 inches at Bountiful Bench. The heavy snowfall caused Box Elder County School District to keep schools closed on January 5. Numerous accidents were reported in Box Elder County, including a semitrailer that rolled over near Brigham City. A school bus also slid off of the road on January 4, but no one was injured." +113154,676850,UTAH,2017,January,Winter Storm,"WESTERN UINTA MOUNTAINS",2017-01-04 00:00:00,MST-7,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","The Trial Lake SNOTEL received 1.70 inches of liquid equivalent precipitation, or approximately 20 inches of snow." +113154,676851,UTAH,2017,January,Winter Storm,"WASATCH PLATEAU/BOOK CLIFFS",2017-01-04 03:00:00,MST-7,2017-01-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","The Huntington Horse SNOTEL received 2.40 inches of liquid equivalent precipitation, or approximately 25 inches of snow." +113154,676854,UTAH,2017,January,Winter Storm,"WEST CENTRAL UTAH",2017-01-04 23:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","Oak City received a storm total of 14 inches of snow, while Fillmore and Delta both received 8 inches of snow." +113164,676903,UTAH,2017,January,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-01-08 22:00:00,MST-7,2017-01-09 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through northern Utah on January 9, producing strong gusty winds both ahead of and behind the front.","Peak recorded wind gusts included 69 mph at the SR-201 at I-80 sensor, 66 mph in Sandy, 65 mph at the Great Salt Lake Marina, 61 mph at the I-80 @ mp 78 sensor, 61 mph at Olympus Cove, and 59 mph at Tooele. The strongest gusts in Murray uprooted several trees, one of which fell on a home and damaged it. A shed was also damaged significantly." +113060,676065,ALABAMA,2017,January,Tornado,"ELMORE",2017-01-21 07:55:00,CST-6,2017-01-21 07:58:00,0,0,0,0,0.00K,0,0.00K,0,32.5299,-86.2179,32.5504,-86.2081,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in central Elmore County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds of 100 mph. The tornado touched down on the north side of the Coosa River, south of South Boundary Street. The tornado tracked north northeast right into the city of Wetumpka. Just after crossing South Boundary Street, the tornado began snapping and uprooting trees. The strongest winds appeared to be between West Bridge Street and West Tuskeena Street where several large trees were uprooted and a church was damaged. The tornado continued north northeast where several more trees were uprooted and several structures received minor roof damage. The tornado lifted near Wetumpka City Park and North Bridge Street." +113183,677085,UTAH,2017,January,Winter Storm,"CACHE VALLEY/UTAH",2017-01-20 13:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","Brian Head Resort received 17 inches of new snow during the event. In addition, Kolob SNOTEL received 2.30 inches of liquid equivalent precipitation, or approximately 25 inches of snow." +113183,677057,UTAH,2017,January,Winter Storm,"SALT LAKE AND TOOELE VALLEYS",2017-01-20 16:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm moved through Utah on January 20 and 21, bringing heavy snow to much of the state.","The heaviest snow in the Salt Lake Valley occurred on the benches, including storm total reports of 16 inches in eastern Cottonwood Heights, 15 inches in eastern Sandy, 13 inches at the Upper Avenues, and 12 inches at the University of Utah. Totals closer to the valley floor were lower, in part due to initially higher snow levels, but were still notable. These totals included 8 inches in South Salt Lake and 6 inches at Salt Lake City International Airport." +111361,676842,ALABAMA,2017,January,Strong Wind,"LAUDERDALE",2017-01-02 19:15:00,CST-6,2017-01-02 19:15:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"As a strong upper level trough moved through the region on the evening of Jan. 2, a wake low formed at the rear of an associated area of showers. Gusty winds of approx. 35 to 45 mph resulted during the mid evening hours in north Alabama. The winds knocked down trees and power lines in at least three counties.","Tree downed near intersection of al17 and cr30." +111361,676844,ALABAMA,2017,January,Strong Wind,"MARSHALL",2017-01-02 21:00:00,CST-6,2017-01-02 21:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"As a strong upper level trough moved through the region on the evening of Jan. 2, a wake low formed at the rear of an associated area of showers. Gusty winds of approx. 35 to 45 mph resulted during the mid evening hours in north Alabama. The winds knocked down trees and power lines in at least three counties.","Power lines down across Boaz." +113164,676906,UTAH,2017,January,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-01-09 00:00:00,MST-7,2017-01-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through northern Utah on January 9, producing strong gusty winds both ahead of and behind the front.","Peak recorded wind gusts in the Dugway Proving Ground mesonet included 59 mph at Simpson Springs, 58 mph at Upper Cedar Mountain, and 58 mph at the Causeway sensor." +111453,676863,ALABAMA,2017,January,Winter Weather,"DEKALB",2017-01-06 23:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Minor winter weather weather was observed Jan 6 - Jan 7. With a very cold air mass in place, a minor moisture return wrapping around on the backside of a surface low centered SE of the region produced light snow fall accumulations, generally around 0.50. However, higher amounts were reported in the higher elevation in DeKalb County. ||Additionally, cold air convection from the NW produced widespread apparent temperatures around 0F on the morning of Jan 7. Widespread sub-zero temperatures were observed in Franklin Co (AL).","Reports of 0.5 to 2.00 of snow across DeKalb. Highest reports from Mentone area." +111453,676866,ALABAMA,2017,January,Extreme Cold/Wind Chill,"FRANKLIN",2017-01-07 06:00:00,CST-6,2017-01-07 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Minor winter weather weather was observed Jan 6 - Jan 7. With a very cold air mass in place, a minor moisture return wrapping around on the backside of a surface low centered SE of the region produced light snow fall accumulations, generally around 0.50. However, higher amounts were reported in the higher elevation in DeKalb County. ||Additionally, cold air convection from the NW produced widespread apparent temperatures around 0F on the morning of Jan 7. Widespread sub-zero temperatures were observed in Franklin Co (AL).","Interpolated observation reports showed apparent temps dropping to around -5 F across Franklin County (AL)." +112538,671220,OHIO,2017,January,High Wind,"MEDINA",2017-01-10 23:31:00,EST-5,2017-01-10 23:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor in Brunswick measured a 60 mph wind gust." +112467,673161,MAINE,2017,January,Sleet,"NORTHERN SOMERSET",2017-01-24 10:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 1 to 3 inches...along with 3 to 5 inches of snow." +112200,669005,TENNESSEE,2017,January,Heavy Snow,"SOUTHEAST CARTER",2017-01-06 20:00:00,EST-5,2017-01-07 08:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6.5 inches was measured at Roan Mountain." +112200,669006,TENNESSEE,2017,January,Heavy Snow,"WASHINGTON",2017-01-06 20:00:00,EST-5,2017-01-07 08:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6.5 inches was measured at Johnson City." +112200,669007,TENNESSEE,2017,January,Heavy Snow,"WASHINGTON",2017-01-06 20:00:00,EST-5,2017-01-07 08:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6.5 inches was measured at Jonesborough." +112200,669009,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST BLOUNT",2017-01-06 20:00:00,EST-5,2017-01-07 08:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6 inches was measured at Townsend." +112200,669012,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 08:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6 inches was measured two miles south of Pigeon Forge." +111979,667785,NEW MEXICO,2017,January,Heavy Snow,"SAN JUAN MOUNTAINS",2017-01-22 12:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Public, COOP, and SNOTEL sites reported between 8 and 15 inches from Chama to Hopewell Lake and Tres Piedras. Difficult travel was reported." +111979,667786,NEW MEXICO,2017,January,Heavy Snow,"JEMEZ MOUNTAINS",2017-01-22 12:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Various observers across the Jemez Mountains reported 8 to 12 inches of snowfall, including Coyote and Gallina. The big winner was 20 inches at Pajarito Mountain." +113830,681560,NEBRASKA,2017,January,Winter Storm,"BANNER",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer four miles east of Harrisburg measured seven inches of snow." +112538,671211,OHIO,2017,January,High Wind,"SENECA",2017-01-10 20:58:00,EST-5,2017-01-10 21:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor in Fostoria measured a peak gust of 60 mph. Winds gusted to 58 mph for almost an hour." +111725,666373,KANSAS,2017,January,Ice Storm,"ANDERSON",2017-01-14 20:00:00,CST-6,2017-01-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Reports from EM and public report tree limbs down from ice accumulation across county. Measurement estimates put the ice accumulation between one quarter and one half inch across most of the county by midday Sunday Jan 15th." +111725,666374,KANSAS,2017,January,Ice Storm,"COFFEY",2017-01-14 20:00:00,CST-6,2017-01-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Tree limbs down from ice accumulation across county. Measurement estimates put the ice accumulation between one quarter and one half inch across most of the county by midday Sunday Jan 15th." +112444,680196,FLORIDA,2017,February,Thunderstorm Wind,"ST. JOHNS",2017-02-07 10:45:00,EST-5,2017-02-07 10:45:00,0,0,0,0,0.00K,0,0.00K,0,29.9672,-81.6468,29.9672,-81.6468,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Two homes along Snail Kite Court were damaged from thunderstorm winds. One family was displaced due to the damage." +112902,674539,WISCONSIN,2017,January,Winter Storm,"FOREST",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Forest County was 11.5 inches at Crandon." +112902,674540,WISCONSIN,2017,January,Winter Storm,"FLORENCE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Florence County was 9.0 inches near Spread Eagle." +113484,679339,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Battle Mountain SNOTEL site (elevation 7440 ft)0 estimated 14 inches of snow." +113484,679340,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Sandstone Ranger Station SNOTEL site (elevation 8150 ft) estimated 32 inches of snow." +113484,679341,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 95 inches of snow." +113484,679343,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 63 inches of snow." +112710,674000,CALIFORNIA,2017,January,Drought,"TULARE CTY FOOTHILLS",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +112820,674054,COLORADO,2017,January,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +121162,725344,OKLAHOMA,2017,October,Hail,"CLEVELAND",2017-10-21 19:50:00,CST-6,2017-10-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-97.49,35.31,-97.49,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725345,OKLAHOMA,2017,October,Hail,"OKLAHOMA",2017-10-21 19:50:00,CST-6,2017-10-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-97.59,35.4,-97.59,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725346,OKLAHOMA,2017,October,Hail,"CLEVELAND",2017-10-21 19:52:00,CST-6,2017-10-21 19:52:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-97.53,35.33,-97.53,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725350,OKLAHOMA,2017,October,Thunderstorm Wind,"STEPHENS",2017-10-21 19:54:00,CST-6,2017-10-21 19:54:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.94,34.5,-97.94,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725351,OKLAHOMA,2017,October,Hail,"OKLAHOMA",2017-10-21 19:55:00,CST-6,2017-10-21 19:55:00,0,0,0,0,0.00K,0,0.00K,0,35.4629,-97.425,35.4629,-97.425,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +112200,669101,TENNESSEE,2017,January,Heavy Snow,"BLOUNT/SMOKY MOUNTAINS",2017-01-06 20:00:00,EST-5,2017-01-07 11:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snow depth of 6 inches was measured at Cades Cove." +111471,671484,CALIFORNIA,2017,January,High Wind,"EAST BAY INTERIOR VALLEYS",2017-01-07 07:00:00,PST-8,2017-01-07 08:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Tree fell on woman in high wind. Woman died at scene.|Http://www.sfchronicle.com/bayarea/article/Woman-killed-by-falling-tree-on-stormy-San-Ramon-10842553.php." +111471,673849,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-08 07:21:00,PST-8,2017-01-08 08:21:00,0,0,0,0,0.00K,0,0.00K,0,38.4465,-122.7234,38.4463,-122.7236,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Freeway shutdown at Hwy 101N due to flooding." +111471,673850,CALIFORNIA,2017,January,Flood,"MARIN",2017-01-08 08:10:00,PST-8,2017-01-08 09:10:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-122.51,37.9199,-122.5095,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Water breached the bank at Corte Madera and is up to buildings." +111471,673851,CALIFORNIA,2017,January,Flood,"MARIN",2017-01-08 08:10:00,PST-8,2017-01-08 09:10:00,0,0,0,0,0.00K,0,0.00K,0,37.9703,-122.5125,37.97,-122.5123,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Sea water breached San Rafael Marina and flooded parking lot." +114074,683547,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS FROM HIGHWAY 264 NORTH",2017-01-20 11:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","An estimated 15 inches of new snow fell at around 5600 feet on Second Mesa." +114074,683131,ARIZONA,2017,January,Heavy Snow,"YAVAPAI COUNTY MOUNTAINS",2017-01-20 10:00:00,MST-7,2017-01-21 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","Trained spotters near Iron Sprigs at around 6000 feet elevation reported 11.4 inches of snow with the second storm. The total for the two storms was 15 inches. Six inches of snow fell 3 miles of the Prescott Courthouse at about 6000 feet elevation." +114074,683130,ARIZONA,2017,January,Heavy Snow,"WHITE MOUNTAINS",2017-01-20 10:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","Ten inches of new snow fell in Show Low and 10-15 inches fell a few miles north of McNary. Alpine received 16 inches of new snow in 24 hours ending at 600 PM. Eighteen inches of new snow fell in Pinetop-Lakeside. Eight inches of snow fell in Nutrioso." +112592,683578,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-03 17:40:00,PST-8,2017-01-03 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38.5487,-122.8449,38.5483,-122.8469,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Roadway flooding. Eastside Road and Windsor River Road. Approximately 18 inches of water across lanes." +114079,683132,ARIZONA,2017,January,Heavy Snow,"WESTERN MOGOLLON RIM",2017-01-22 08:00:00,MST-7,2017-01-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","The Flagstaff NWS Office received 9.4 inches of snow during the third of three storms. This was just over 36 inches of snow in 6 days. A spotter 3 miles north-northwest of Flagstaff reported 10.5 inches of new snow. The local ski resort reported 92.0 inches of new snow over a 6 day period at 10,800 feet elevation." +114079,683166,ARIZONA,2017,January,Heavy Snow,"KAIBAB PLATEAU",2017-01-22 10:00:00,MST-7,2017-01-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","The North Rim of the Grand Canyon received an estimated 13 inches of new snow. The 5 day snowfall total was measured at 44.9 inches. Jacob Lake received 11 inches of snow in the third storm." +114079,683167,ARIZONA,2017,January,Heavy Snow,"EASTERN MOGOLLON RIM",2017-01-22 10:00:00,MST-7,2017-01-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","Forest Lakes received 13 inches of snow in the third storm. The 6 day snow total was 43 inches. Six inches of snow fell just east of Linden and in Heber-Overgaard at around 6,660 feet." +113634,680224,FLORIDA,2017,March,Wildfire,"PUTNAM",2017-03-27 09:23:00,EST-5,2017-03-27 09:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","The State Road 100 County line wildfire started as an authorized broadcast burn on March 18th. The fire was located near U.S. Highway 17 and State Road 100 in San Mateo. It burned 993 acres. By March 27th, the fire was 100% contained." +113358,680883,MAINE,2017,March,Blizzard,"COASTAL HANCOCK",2017-03-14 15:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 7 to 12 inches. Blizzard conditions also occurred." +113793,681250,PUERTO RICO,2017,March,Rip Current,"NORTH CENTRAL",2017-03-18 17:55:00,AST-4,2017-03-18 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Seas between 6 to 8 feet produced dangerous marine conditions along the north coast of Puerto Rico. Dangerous Rip current occurred along the north facing beaches of Puerto Rico.","A 29 year old women from Guaynabo municipality drowned at Poza Las Mujeres in Manati. Reports indicated she was dragged by Rip Currents." +113794,681251,PUERTO RICO,2017,March,Flood,"COAMO",2017-03-29 18:15:00,AST-4,2017-03-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,18.0817,-66.356,18.0824,-66.3546,"A moist southeast wind flow combined with daytime heating and local effects to produce scattered to numerous showers across the southern slopes of Puerto Rico.","Heavy rainfall and runoff across portions of northern Coamo caused Rio Coamo to flood portions of road PR-14 near the downtown area." +112766,675898,KENTUCKY,2017,March,Thunderstorm Wind,"MASON",2017-03-01 07:48:00,EST-5,2017-03-01 07:50:00,0,0,0,0,20.00K,20000,0.00K,0,38.557,-83.8257,38.557,-83.8257,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A trailer was overturned with debris blown onto US Route 68." +112766,675899,KENTUCKY,2017,March,Thunderstorm Wind,"PENDLETON",2017-03-01 07:14:00,EST-5,2017-03-01 07:16:00,0,0,0,0,5.00K,5000,0.00K,0,38.76,-84.35,38.76,-84.35,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several trees were uprooted or snapped. A roof of a house was also damaged." +112766,676058,KENTUCKY,2017,March,Thunderstorm Wind,"BRACKEN",2017-03-01 07:18:00,EST-5,2017-03-01 07:20:00,0,0,0,0,5.00K,5000,0.00K,0,38.8,-84.22,38.8,-84.22,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A barn was destroyed." +112767,676064,OHIO,2017,March,Thunderstorm Wind,"CLERMONT",2017-03-01 07:22:00,EST-5,2017-03-01 07:24:00,0,0,0,0,4.00K,4000,0.00K,0,38.9323,-84.1353,38.9323,-84.1353,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several trees were downed on Meisman Lane." +112767,676066,OHIO,2017,March,Hail,"CLERMONT",2017-03-01 07:26:00,EST-5,2017-03-01 07:28:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-84.08,38.96,-84.08,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +113234,677753,KENTUCKY,2017,March,Hail,"ROCKCASTLE",2017-03-27 17:00:00,EST-5,2017-03-27 17:00:00,0,0,0,0,,NaN,,NaN,37.4,-84.42,37.4,-84.42,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Emergency management reported quarter sized hail in Brodhead." +113234,677755,KENTUCKY,2017,March,Hail,"PULASKI",2017-03-27 17:20:00,EST-5,2017-03-27 17:20:00,0,0,0,0,,NaN,,NaN,37.0734,-84.38,37.0734,-84.38,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A trained spotter observed nickel sized hail north of Mount Victory." +113234,677757,KENTUCKY,2017,March,Hail,"PULASKI",2017-03-27 17:30:00,EST-5,2017-03-27 17:30:00,0,0,0,0,,NaN,,NaN,37.1511,-84.62,37.1511,-84.62,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen reported penny sized hail near Science Hill." +113234,677759,KENTUCKY,2017,March,Hail,"ROCKCASTLE",2017-03-27 17:36:00,EST-5,2017-03-27 17:36:00,0,0,0,0,,NaN,,NaN,37.35,-84.38,37.35,-84.38,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen reported quarter sized hail in Maretburg." +113234,677761,KENTUCKY,2017,March,Hail,"PULASKI",2017-03-27 17:40:00,EST-5,2017-03-27 17:40:00,0,0,0,0,,NaN,,NaN,37.15,-84.3292,37.15,-84.3292,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen observed quarter sized hail east of Stab." +114245,684385,ILLINOIS,2017,March,Strong Wind,"JEFFERSON",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684386,ILLINOIS,2017,March,Strong Wind,"JOHNSON",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684387,ILLINOIS,2017,March,Strong Wind,"MASSAC",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684388,ILLINOIS,2017,March,Strong Wind,"PERRY",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +112845,679078,MISSOURI,2017,March,Hail,"MCDONALD",2017-03-09 19:27:00,CST-6,2017-03-09 19:27:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-94.61,36.51,-94.61,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679079,MISSOURI,2017,March,Hail,"CHRISTIAN",2017-03-09 19:19:00,CST-6,2017-03-09 19:19:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-93.27,37.07,-93.27,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679080,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:41:00,CST-6,2017-03-09 19:41:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-93.22,36.5,-93.22,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679081,MISSOURI,2017,March,Hail,"MCDONALD",2017-03-09 19:42:00,CST-6,2017-03-09 19:42:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-94.48,36.55,-94.48,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679082,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:48:00,CST-6,2017-03-09 19:48:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-93.25,36.53,-93.25,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679083,MISSOURI,2017,March,Hail,"MCDONALD",2017-03-09 20:13:00,CST-6,2017-03-09 20:13:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-94.39,36.57,-94.39,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679084,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:34:00,CST-6,2017-03-09 17:34:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-94.31,37.1,-94.31,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Ping pong size hail was reported at the Jasper County 911 Center south of Carthage." +112845,679085,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:15:00,CST-6,2017-03-09 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.44,37.15,-94.44,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679086,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:15:00,CST-6,2017-03-09 17:15:00,0,0,0,0,25.00K,25000,0.00K,0,37.15,-94.48,37.15,-94.48,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","There were some cars and homes damaged in the Webb City area." +113619,680173,LOUISIANA,2017,March,Thunderstorm Wind,"WINN",2017-03-24 23:55:00,CST-6,2017-03-24 23:55:00,0,0,0,0,0.00K,0,0.00K,0,31.8047,-92.584,31.8047,-92.584,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A tree was blown down on Highway 167 South near the Grant Parish line." +113619,680174,LOUISIANA,2017,March,Thunderstorm Wind,"CADDO",2017-03-24 20:05:00,CST-6,2017-03-24 20:05:00,0,0,0,0,0.00K,0,0.00K,0,32.6627,-93.9745,32.6627,-93.9745,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Highway 169." +113466,680000,WEST VIRGINIA,2017,March,Winter Storm,"WESTERN PENDLETON",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to fall mainly in the form of snow. Significant snowfall accumulations were reported due to the copious amounts of moisture associated with this storm.","Snowfall totaled up to 6.0 inches in Circleville." +113591,680004,WEST VIRGINIA,2017,March,Winter Weather,"WESTERN PENDLETON",2017-03-17 16:00:00,EST-5,2017-03-17 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front passed through the area, bringing some rain with it. However, there was a layer of cold air between about two and four thousand feet where rain froze on contact in the Allegheny Highlands.","A trace of ice was reported at Circleville." +113593,680006,MARYLAND,2017,March,Winter Weather,"NORTHWEST HARFORD",2017-03-19 00:00:00,EST-5,2017-03-19 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed offshore before moving out to sea. Colder air worked its way in from the north causing rain to end as a period of snow. Accumulating snow took place along the Mason-Dixon line where colder air worked its way in first before most of the moisture was gone.","Snowfall totaled up to 2.0 inches in Norrisville." +113593,680007,MARYLAND,2017,March,Winter Weather,"NORTHERN BALTIMORE",2017-03-19 00:00:00,EST-5,2017-03-19 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed offshore before moving out to sea. Colder air worked its way in from the north causing rain to end as a period of snow. Accumulating snow took place along the Mason-Dixon line where colder air worked its way in first before most of the moisture was gone.","Snowfall totaled up to 2.2 inches in Glyndon." +113595,680010,MARYLAND,2017,March,Winter Weather,"WASHINGTON",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113595,680011,MARYLAND,2017,March,Winter Weather,"CENTRAL AND EASTERN ALLEGANY",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113595,680012,MARYLAND,2017,March,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was reported near Ridgely." +114021,687781,MARYLAND,2017,March,Thunderstorm Wind,"PRINCE GEORGE'S",2017-03-01 13:59:00,EST-5,2017-03-01 13:59:00,0,0,0,0,,NaN,,NaN,38.8313,-76.8703,38.8313,-76.8703,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 60 mph was reported." +114022,687782,WEST VIRGINIA,2017,March,Thunderstorm Wind,"HARDY",2017-03-01 11:48:00,EST-5,2017-03-01 11:48:00,0,0,0,0,,NaN,,NaN,38.9984,-79.01,38.9984,-79.01,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down on power lines near South Forks." +114022,687783,WEST VIRGINIA,2017,March,Thunderstorm Wind,"GRANT",2017-03-01 11:50:00,EST-5,2017-03-01 11:50:00,0,0,0,0,,NaN,,NaN,38.9963,-79.1282,38.9963,-79.1282,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees and limbs were down in Petersburg." +114022,687784,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 12:56:00,EST-5,2017-03-01 12:56:00,0,0,0,0,,NaN,,NaN,39.3881,-77.8858,39.3881,-77.8858,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down on Charles Town Road." +114022,687785,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 13:04:00,EST-5,2017-03-01 13:04:00,0,0,0,0,,NaN,,NaN,39.3628,-77.7633,39.3628,-77.7633,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down on Engle Molers Road." +114022,687786,WEST VIRGINIA,2017,March,Thunderstorm Wind,"GRANT",2017-03-01 11:50:00,EST-5,2017-03-01 11:50:00,0,0,0,0,,NaN,,NaN,38.9801,-79.1298,38.9801,-79.1298,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +114023,687788,DISTRICT OF COLUMBIA,2017,March,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-03-01 13:38:00,EST-5,2017-03-01 13:38:00,0,0,0,0,,NaN,,NaN,38.9171,-77.0572,38.9171,-77.0572,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Massachusetts Avenue." +114023,687789,DISTRICT OF COLUMBIA,2017,March,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-03-01 13:44:00,EST-5,2017-03-01 13:44:00,0,0,0,0,,NaN,,NaN,38.9059,-77.0793,38.9059,-77.0793,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down blocking Canal Road Northwest near Foxhall Road Northwest." +114593,687265,NEW MEXICO,2017,March,High Wind,"CENTRAL TULAROSA BASIN",2017-03-23 15:00:00,MST-7,2017-03-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also right over far southern New Mexico aiding in the development of strong winds. A peak gust of 82 mph was reported with this storm at San Augustin Pass.","A peak gust of 61 mph was recorded at a mesonet site 16 miles northwest of Northrup Strip. A gust of 59 mph was also recorded 19 miles west-northwest of Tularosa." +114593,687266,NEW MEXICO,2017,March,High Wind,"CENTRAL TULAROSA BASIN",2017-03-23 16:00:00,MST-7,2017-03-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also right over far southern New Mexico aiding in the development of strong winds. A peak gust of 82 mph was reported with this storm at San Augustin Pass.","A peak gust of 65 mph was recorded 5 miles northeast of Road Forks." +114596,687270,TEXAS,2017,March,High Wind,"EASTERN/CENTRAL EL PASO COUNTY",2017-03-23 15:00:00,MST-7,2017-03-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also over El Paso aiding in the development of strong winds. A peak gust of 62 mph was reported with this system in El Paso and Fort Hancock.","A peak gust of 62 mph was recorded 6 miles northeast of El Paso. The El Paso Airport reported a peak gust of 61 mph with 58 mph gusts recorded 13 miles north-northeast and 3 miles east of El Paso." +114596,688569,TEXAS,2017,March,High Wind,"RIO GRANDE VALLEY OF EASTERN EL PASO/WESTERN HUDSPETH COUNTIES",2017-03-23 14:00:00,MST-7,2017-03-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving through the Four Corners region with a strong cold front moving east along the Mexican border. A 150 knot jet streak was also over El Paso aiding in the development of strong winds. A peak gust of 62 mph was reported with this system in El Paso and Fort Hancock.","A peak gust of 62 mph was recorded at a mesonet site in Fort Hancock." +114155,683630,WASHINGTON,2017,March,Flood,"YAKIMA",2017-03-10 19:31:00,PST-8,2017-03-11 19:16:00,0,0,0,0,20.00K,20000,0.00K,0,46.612,-120.7251,46.5293,-120.7297,"Significant snow melt due to extended seasonal warming caused numerous area streams to flood.","Substantial snow pack was remained in the foothills and lower elevations of the Washington Cascades at the beginning of March. Temperatures started to moderate during the first week of the month with several nights of temperatures above freezing occurring on the 8th and 9th. Flooding was reported along Wide Hollow and Cottonwood creeks from about 9 miles west of Yakima through the city of Yakima as rapid snow melt was occurring in the foothills west of Yakima. Water flowed through the Meadowbrook Mobile Home Park, and there were numerous reports of damaged driveways as culverts were overwhelmed with mud and other debris. Along Ahtanum Creek, there was standing water in fields, with water from roadside ditches spilling over the road in places." +114159,683641,OREGON,2017,March,Flood,"UMATILLA",2017-03-16 00:00:00,PST-8,2017-03-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,45.7145,-118.3704,45.6828,-118.6739,"Heavy rain and snow melt resulted in flooding along portions of the Umatilla river.","The Umatilla river near Gibbon (flood stage 7.0) crested at 7.8 feet around 0500 on March 16th." +114122,683381,IDAHO,2017,March,Heavy Snow,"COEUR D'ALENE AREA",2017-03-07 16:00:00,PST-8,2017-03-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer 6 miles south of Coeur D'Alene reported 6.2 inches of new snow." +114122,683383,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 15:00:00,PST-8,2017-03-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Kellogg reported 5 inches of new snow accumulation." +114122,683385,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 15:00:00,PST-8,2017-03-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Mullan reported a three day total of 12.8 inches of new snow accumulation." +114122,683386,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 15:00:00,PST-8,2017-03-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Plummer reported a two day total of 9 inches of new snow accumulation." +114865,689095,IDAHO,2017,March,Flood,"BONNEVILLE",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,40.00K,40000,0.00K,0,43.58,-112.5694,43.47,-112.3789,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding continued to cause road and some property damage mainly in early March due to snow melt." +114865,689100,IDAHO,2017,March,Flood,"BUTTE",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,135.00K,135000,0.00K,0,43.7914,-113.455,43.4977,-113.4712,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding continued throughout March in the county with continued road and minor property damages continuing." +114865,689537,IDAHO,2017,March,Flood,"CARIBOU",2017-03-01 01:00:00,MST-7,2017-03-31 14:00:00,0,0,0,0,42.00K,42000,0.00K,0,42.9212,-111.9499,42.72,-112.067,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding from snow melt continued in March in Caribou County. Some homes reported basement flooding near King Creek. On the 15th and 16th multiple side roads off of Highway 34 were under water and got close to Highway 34 as well." +114865,689539,IDAHO,2017,March,Flood,"CASSIA",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,175.00K,175000,0.00K,0,42.53,-113.9764,41.9615,-114.0801,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding continued in March throughout Cassia although effects were not nearly as strong as February. Property and road damage continued to add up and many fields in the Oakley area remained under water for much of the month." +114865,689540,IDAHO,2017,March,Flood,"CLARK",2017-03-01 01:00:00,MST-7,2017-03-31 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.35,-112.3824,44.0038,-112.7885,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Minor sheet flooding from snow melt continued in March but effects were minimal and mainly limited to road damage and some field flooding." +114865,689548,IDAHO,2017,March,Flood,"CUSTER",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,90.00K,90000,0.00K,0,44.3647,-114.93,44.1177,-115.0727,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Road damage from melting of heavy winter snows continued throughout the county along with mainly minor field flooding and occasional ice jams near the Butte County border." +114150,684906,OKLAHOMA,2017,March,Thunderstorm Wind,"CADDO",2017-03-28 20:01:00,CST-6,2017-03-28 20:01:00,0,0,0,0,2.00K,2000,0.00K,0,35.31,-98.34,35.31,-98.34,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Powerlines downed." +114150,684907,OKLAHOMA,2017,March,Thunderstorm Wind,"CANADIAN",2017-03-28 20:05:00,CST-6,2017-03-28 20:05:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-98.04,35.56,-98.04,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Believed to be associated with a storm-scale mesovortex on the north side of the bow echo." +114150,684908,OKLAHOMA,2017,March,Hail,"COMANCHE",2017-03-28 20:51:00,CST-6,2017-03-28 20:51:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-98.42,34.6,-98.42,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684909,OKLAHOMA,2017,March,Flash Flood,"CLEVELAND",2017-03-28 22:09:00,CST-6,2017-03-29 01:09:00,0,0,0,0,5.00K,5000,0.00K,0,35.2019,-97.4439,35.2004,-97.454,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Water rescue. Vehicle stalled in water." +114150,684910,OKLAHOMA,2017,March,Hail,"COMANCHE",2017-03-28 22:09:00,CST-6,2017-03-28 22:09:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-98.41,34.61,-98.41,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684911,OKLAHOMA,2017,March,Flash Flood,"COMANCHE",2017-03-28 22:23:00,CST-6,2017-03-29 01:23:00,0,0,0,0,0.00K,0,0.00K,0,34.606,-98.4076,34.6056,-98.3958,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Road was flooded." +114150,684912,OKLAHOMA,2017,March,Flash Flood,"COMANCHE",2017-03-28 22:28:00,CST-6,2017-03-29 01:28:00,0,0,0,0,0.00K,0,0.00K,0,34.5494,-98.4171,34.5815,-98.4179,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Water was over the road at Sheridan road and Numu creek." +114150,684913,OKLAHOMA,2017,March,Flash Flood,"COMANCHE",2017-03-29 00:08:00,CST-6,2017-03-29 03:08:00,0,0,0,0,0.00K,0,0.00K,0,34.6253,-98.398,34.5917,-98.3997,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Flash flooding was ongoing with flowing water making numerous city streets impassable." +113755,684330,TEXAS,2017,March,Hail,"HILL",2017-03-26 20:11:00,CST-6,2017-03-26 20:11:00,0,0,0,0,0.00K,0,0.00K,0,32.0058,-97.1495,32.0058,-97.1495,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported quarter sized hail on Hwy 22 west of the city of Hillsboro, TX." +113755,684331,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:05:00,CST-6,2017-03-26 22:05:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-97.47,31.2,-97.47,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter sized hail in the community of Moffat, TX." +113755,684333,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:15:00,CST-6,2017-03-26 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.08,-97.62,31.08,-97.62,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Broadcast media reported golf ball sized hail in the city of Nolanville, TX." +113755,684334,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:15:00,CST-6,2017-03-26 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.1,-97.45,31.1,-97.45,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Broadcast media reported golf ball sized hail near Lake Belton." +113755,684336,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:22:00,CST-6,2017-03-26 22:22:00,0,0,0,0,0.00K,0,0.00K,0,31.07,-97.47,31.07,-97.47,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Bell County Sheriff's Department reported quarter sized hail in the city of Belton, TX." +113755,684337,TEXAS,2017,March,Thunderstorm Wind,"WISE",2017-03-26 18:18:00,CST-6,2017-03-26 18:18:00,0,0,0,0,0.00K,0,0.00K,0,33.08,-97.58,33.08,-97.58,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported that 8-inch diameter tree limbs were blown down in the city of Boyd, TX." +113755,684339,TEXAS,2017,March,Hail,"HUNT",2017-03-26 20:43:00,CST-6,2017-03-26 20:43:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-96.2,33.28,-96.2,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported half-dollar sized hail in the city of Celeste, TX." +113755,684340,TEXAS,2017,March,Hail,"HUNT",2017-03-26 22:21:00,CST-6,2017-03-26 22:21:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-96.2,33.28,-96.2,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter-sized hail in the City of Celeste, TX." +113755,684341,TEXAS,2017,March,Hail,"HUNT",2017-03-26 22:22:00,CST-6,2017-03-26 22:22:00,0,0,0,0,0.00K,0,0.00K,0,33.24,-96.2,33.24,-96.2,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported quarter-sized hail approximately 3 miles north of Celeste, TX." +115034,690423,MICHIGAN,2017,March,Winter Weather,"IRON",2017-03-23 19:00:00,CST-6,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","The spotter near Peavy Falls Dam estimated nearly a quarter inch of ice accumulation on roads and trees from freezing rain by the morning of the 24th." +115034,690424,MICHIGAN,2017,March,Winter Weather,"DICKINSON",2017-03-23 19:00:00,CST-6,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","Observers in Dickinson County observed a light glaze of ice on untreated surfaces from freezing rain by the morning of the 24th." +115034,690425,MICHIGAN,2017,March,Winter Weather,"ONTONAGON",2017-03-23 22:00:00,EST-5,2017-03-24 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","Observers in Ontonagon County observed a light glaze of ice on untreated surfaces from freezing rain by the morning of the 24th." +115034,690426,MICHIGAN,2017,March,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-03-23 20:00:00,EST-5,2017-03-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","Observers throughout the county observed a light glaze of ice on untreated surfaces from freezing rain by the morning of the 24th." +115034,690427,MICHIGAN,2017,March,Winter Weather,"BARAGA",2017-03-23 19:00:00,EST-5,2017-03-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","The observer near Three Lakes measured from a tenth to a quarter inch of ice accumulation from freezing rain on untreated surfaces by the morning of the 24th." +115034,690428,MICHIGAN,2017,March,Winter Weather,"ALGER",2017-03-23 20:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 23rd into the morning of the 24th.","The observer ten miles south of Grand Marais reported a light glaze of ice from freezing rain by the morning of the 24th." +114306,684849,NORTH CAROLINA,2017,March,Winter Weather,"CALDWELL MOUNTAINS",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684850,NORTH CAROLINA,2017,March,Winter Weather,"HAYWOOD",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684851,NORTH CAROLINA,2017,March,Winter Weather,"HENDERSON",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684852,NORTH CAROLINA,2017,March,Winter Weather,"MACON",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684853,NORTH CAROLINA,2017,March,Winter Weather,"MADISON",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684854,NORTH CAROLINA,2017,March,Winter Weather,"MCDOWELL MOUNTAINS",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114694,690541,PENNSYLVANIA,2017,March,Heavy Snow,"SUSQUEHANNA",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall of 2 to 3 feet fell in Susquehanna County." +114694,690542,PENNSYLVANIA,2017,March,Heavy Snow,"WYOMING",2017-03-14 00:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall of 2 to 3 feet fell in Wyoming County. The heavy snow lead to two small avalanches that closed 2 roads in Falls Township." +113324,678188,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-07 00:00:00,CST-6,2017-03-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-94.35,36.27,-94.35,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a small tree onto Highway 12, and snapped numerous large tree limbs in and around town." +113329,678190,OKLAHOMA,2017,March,Hail,"WAGONER",2017-03-21 05:20:00,CST-6,2017-03-21 05:20:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-95.65,35.95,-95.65,"Scattered strong to severe thunderstorms moved across portions of northeastern Oklahoma during the morning hours of the 21st. The strongest storms produced hail up to quarter size.","" +113329,678191,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-21 06:45:00,CST-6,2017-03-21 06:45:00,0,0,0,0,0.00K,0,0.00K,0,36.9107,-94.8416,36.9107,-94.8416,"Scattered strong to severe thunderstorms moved across portions of northeastern Oklahoma during the morning hours of the 21st. The strongest storms produced hail up to quarter size.","" +113329,678192,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-21 06:50:00,CST-6,2017-03-21 06:50:00,0,0,0,0,0.00K,0,0.00K,0,36.9193,-94.7416,36.9193,-94.7416,"Scattered strong to severe thunderstorms moved across portions of northeastern Oklahoma during the morning hours of the 21st. The strongest storms produced hail up to quarter size.","" +113332,678193,ARKANSAS,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-24 19:15:00,CST-6,2017-03-24 19:15:00,0,0,0,0,1.00K,1000,0.00K,0,35.3,-94.03,35.3,-94.03,"A strong upper level disturbance moved eastward from the Southern Rockies into the Southern Plains on the 24th and 25th. Several areas of strong thunderstorms developed ahead of this system, in the moist and unstable air across eastern Oklahoma and northwestern Arkansas. The strongest storms produced damaging wind in northwestern Arkansas.","Strong thunderstorm wind snapped a utility pole." +113331,678197,OKLAHOMA,2017,March,Hail,"ROGERS",2017-03-25 00:56:00,CST-6,2017-03-25 00:56:00,0,0,0,0,0.00K,0,0.00K,0,36.3046,-95.7543,36.3046,-95.7543,"A strong upper level disturbance moved eastward from the Southern Rockies into the Southern Plains on the 24th and 25th. Several areas of strong thunderstorms developed ahead of this system, in the moist and unstable air across eastern Oklahoma and northwestern Arkansas. The strongest storms produced hail up to penny size in eastern Oklahoma.","" +115050,690647,KANSAS,2017,March,Hail,"PRATT",2017-03-28 16:40:00,CST-6,2017-03-28 16:40:00,0,0,0,0,,NaN,,NaN,37.64,-98.77,37.64,-98.77,"An isolated severe thunderstorm occurred in a widespread area of convection.","Heavy rainfall was also observed." +115046,690663,KANSAS,2017,March,High Wind,"FINNEY",2017-03-06 13:54:00,CST-6,2017-03-06 13:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front. See the separate event for the wildfires that also occurred.","A gust to 58 MPH was reported at the Garden City airport." +115046,690667,KANSAS,2017,March,High Wind,"STEVENS",2017-03-06 14:15:00,CST-6,2017-03-06 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front. See the separate event for the wildfires that also occurred.","A gust of 58 MPH was reported at the Hugoton airport." +115046,690669,KANSAS,2017,March,High Wind,"FORD",2017-03-06 14:48:00,CST-6,2017-03-06 14:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front. See the separate event for the wildfires that also occurred.","A gust to 58 MPH was recorded at the Dodge City airport." +115046,690674,KANSAS,2017,March,High Wind,"BARBER",2017-03-06 14:58:00,CST-6,2017-03-06 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front. See the separate event for the wildfires that also occurred.","A gust of 58 MPH was recorded at the Medicine Lodge airport." +113956,682439,ILLINOIS,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-01 02:10:00,CST-6,2017-03-01 02:10:00,0,0,0,0,0.00K,0,0.00K,0,38.5752,-90.1631,38.5752,-90.1631,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113956,682442,ILLINOIS,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 02:44:00,CST-6,2017-03-01 03:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4584,-89.5652,38.3893,-89.1699,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","As a severe thunderstorm moved across Washington County, several trees were snapped off along I-64. Also, a semi was blown over into the median at mile marker 55 on Interstate 64. No injuries were reported." +113437,678758,HAWAII,2017,March,High Surf,"NIIHAU",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678759,HAWAII,2017,March,High Surf,"KAUAI WINDWARD",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678760,HAWAII,2017,March,High Surf,"KAUAI LEEWARD",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678761,HAWAII,2017,March,High Surf,"WAIANAE COAST",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678762,HAWAII,2017,March,High Surf,"OAHU NORTH SHORE",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +115365,695412,ARKANSAS,2017,April,Flash Flood,"WHITE",2017-04-30 03:50:00,CST-6,2017-04-30 05:15:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-91.64,35.2697,-91.6517,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Multiple water rescues were ongoing due to flash flooding." +115365,695413,ARKANSAS,2017,April,Flash Flood,"WHITE",2017-04-30 03:50:00,CST-6,2017-04-30 05:15:00,0,0,0,0,5.00K,5000,0.00K,0,35.41,-91.81,35.4051,-91.8143,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Crook Road was flooded and water was in some of the residences." +115365,695414,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-30 03:50:00,CST-6,2017-04-30 05:15:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-92.26,34.8195,-92.2603,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Minor street flooding was occurring in portions of Indian Hills." +115365,695751,ARKANSAS,2017,April,Heavy Rain,"SEARCY",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-92.87,35.77,-92.87,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 3.42 inches." +115365,695752,ARKANSAS,2017,April,Flash Flood,"PRAIRIE",2017-04-30 06:00:00,CST-6,2017-04-30 07:30:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-91.5,34.9513,-91.5302,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Widespread flooding was occurring. Multiple roads were underwater...including several bridges. The sheriff's office was discouraging any travel." +115365,695753,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-30 06:05:00,CST-6,2017-04-30 07:25:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-92.29,34.7507,-92.2979,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Street flooding was reported on Cantrell Road in Little Rock." +115365,695754,ARKANSAS,2017,April,Heavy Rain,"LONOKE",2017-04-30 06:13:00,CST-6,2017-04-30 06:13:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-92.02,34.97,-92.02,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 5.75 inches." +115365,695755,ARKANSAS,2017,April,Heavy Rain,"LONOKE",2017-04-30 06:13:00,CST-6,2017-04-30 06:13:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-92.01,34.6,-92.01,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 3.67 inches." +115365,695756,ARKANSAS,2017,April,Heavy Rain,"CLEBURNE",2017-04-30 06:25:00,CST-6,2017-04-30 06:25:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-92.03,35.52,-92.03,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.65 inches." +113606,680061,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-02-07 22:42:00,EST-5,2017-02-07 22:42:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.51,30.34,-81.51,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","The Craig Airfield ASOS measured a gust of 49 mph." +113606,680062,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-02-07 22:48:00,EST-5,2017-02-07 22:48:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","The WeatherFlow station on Buck Island measured a wind gust to 49 mph." +113606,680063,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-02-07 22:51:00,EST-5,2017-02-07 22:51:00,0,0,0,0,0.00K,0,0.00K,0,29.96,-81.34,29.96,-81.34,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A wind gust to 45 mph was measured at the St. Augustine Airport." +117224,705016,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-23 16:00:00,CST-6,2017-06-23 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.4,-100.6957,32.4,-100.6957,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Mitchell County and produced wind damage nine miles east of Colorado City. Power poles were blown down due to the thunderstorm. The cost of damage is a very rough estimate." +117224,705017,TEXAS,2017,June,Thunderstorm Wind,"ANDREWS",2017-06-23 16:25:00,CST-6,2017-06-23 16:25:00,0,0,0,0,,NaN,,NaN,32.32,-102.5158,32.32,-102.5158,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Andrews County and produced a 62 mph wind gust two miles east of Andrews." +117224,705018,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-23 16:35:00,CST-6,2017-06-23 16:35:00,0,0,0,0,8.00K,8000,0.00K,0,32.4119,-100.7153,32.4119,-100.7153,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Mitchell County and produced wind damage in Loraine. There were power lines reported down in Loraine. The time was estimated from radar. The cost of damage is a very rough estimate." +113034,675665,INDIANA,2017,March,Winter Weather,"KOSCIUSKO",2017-03-17 08:00:00,EST-5,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +113034,675666,INDIANA,2017,March,Winter Weather,"WHITLEY",2017-03-17 08:00:00,EST-5,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +113034,675668,INDIANA,2017,March,Winter Weather,"ALLEN",2017-03-17 08:00:00,EST-5,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents were reported across the region." +113034,675670,INDIANA,2017,March,Winter Weather,"NOBLE",2017-03-17 08:00:00,EST-5,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents were reported across the region." +113035,675678,OHIO,2017,March,Winter Weather,"ALLEN",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113035,675686,OHIO,2017,March,Winter Weather,"PAULDING",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +112681,673882,OHIO,2017,March,Flash Flood,"VINTON",2017-03-01 10:30:00,EST-5,2017-03-01 11:33:00,0,0,0,0,1.00K,1000,0.00K,0,39.2402,-82.3817,39.2416,-82.391,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","State Route 278 was closed in both directions due to flash flooding from Raccoon Creek and some of its smaller tributaries." +112681,673883,OHIO,2017,March,Flash Flood,"ATHENS",2017-03-01 10:00:00,EST-5,2017-03-01 11:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.2358,-82.2605,39.2421,-82.1987,"A strong cold front moved across the Ohio River Valley during the afternoon of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley early on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding as 1-2 inches of rain fell over several hours. The flash flooding combined with the wet ground eventually lead to river and stream flooding during the afternoon of the 1st through the 2nd. ||The Muskingum river at Beverly, spilled over its banks on the evening of the 1st, and remained in flood stage for several hours. The river had a crest of 29.3 feet, just above the flood stage of 29 feet. This caused minor flooding of several homes, roads and lowlands next to the river.||The Hocking River at Athens rose out of its banks just after noon on the 2nd, and remained above flood stage through mid morning on the 3rd. The river crested at just over 21 feet, about a foot over flood stage of 20 feet. This resulted in minor flooding of lowlands and campgrounds along the river.||Other smaller creeks and streams, such as Duck Creek, the Little Muskingum, Raccoon Creek, Shade Creek and Symmes Creek all rose out of their banks. The Raccoon Creek was the last to return below bankfull, early on the 4th. According to the Ohio DOT, various roads were closed due to the flooding across Southeast Ohio.","Flash flooding occurred along portions of Rockcamp Creek, Mud Lick Run and Hewett Fork. This closed portions of SR 56, SR 356, and SR 691 due to the high water." +112814,674125,NEW MEXICO,2017,March,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-03-06 02:45:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The Sierra Blanca Regional Airport reported peak wind gusts between 58 and 61 mph for several hours. Sustained winds were as high as 43 mph." +112814,674127,NEW MEXICO,2017,March,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-03-06 03:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","Kachina Peak at Taos Ski Valley reported peak wind gusts between 70 and 80 mph for around 12 hours." +112814,674128,NEW MEXICO,2017,March,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-03-06 06:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The RAWS station near Ute Park reported a peak wind gust to 69 mph. The Angel Fire airport also experienced high wind gusts to 62 mph for several hours." +112829,689339,NORTH DAKOTA,2017,March,High Wind,"RAMSEY",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689340,NORTH DAKOTA,2017,March,High Wind,"WESTERN WALSH",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689341,NORTH DAKOTA,2017,March,High Wind,"EDDY",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112824,674103,NEBRASKA,2017,March,High Wind,"DEUEL",2017-03-07 11:00:00,MST-7,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds of 35 to 45 mph with gusts to near 60 mph occurred across portions of southwest Nebraska during the late morning through mid afternoon hours on March 7, 2017.","Nearby Sidney ASOS recorded sustained winds of 40 to 45 mph during the late morning until mid afternoon hours. A peak gust of 60 mph occurred at 153 pm MST. A peak gust of 57 mph also occurred 2 miles east of Big Springs at 1130 am MST. Winds of this magnitude were common across Deuel County from late morning through the mid afternoon hours." +112848,674206,WEST VIRGINIA,2017,March,Strong Wind,"BRAXTON",2017-03-08 16:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed West Virginia on the 7th. Behind the cold front, on the 8th, gusty winds prevailed under strong cold air advection. The strongest winds were across north central West Virginia, and into the northern mountainous counties.","A tree fell onto a car along Route 5 near Orlando." +112848,674207,WEST VIRGINIA,2017,March,Strong Wind,"LEWIS",2017-03-08 16:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed West Virginia on the 7th. Behind the cold front, on the 8th, gusty winds prevailed under strong cold air advection. The strongest winds were across north central West Virginia, and into the northern mountainous counties.","A tree fell onto a house in Alum Bridge." +117904,708558,WISCONSIN,2017,July,Hail,"WAUKESHA",2017-07-01 12:28:00,CST-6,2017-07-01 12:28:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-88.3,43.16,-88.3,"A trough of low pressure triggered scattered thunderstorms during the afternoon. One thunderstorm produced 3/4 inch hail.","" +117905,708561,WISCONSIN,2017,July,Hail,"DANE",2017-07-02 15:02:00,CST-6,2017-07-02 15:02:00,0,0,0,0,,NaN,,NaN,43.13,-89.62,43.13,-89.62,"A cold front and shortwave trough triggered scattered thunderstorms over south central WI. A couple storms produced large hail.","" +117905,708562,WISCONSIN,2017,July,Hail,"DANE",2017-07-02 15:05:00,CST-6,2017-07-02 15:05:00,0,0,0,0,,NaN,,NaN,43.16,-89.55,43.16,-89.55,"A cold front and shortwave trough triggered scattered thunderstorms over south central WI. A couple storms produced large hail.","" +117905,708563,WISCONSIN,2017,July,Hail,"DANE",2017-07-02 15:07:00,CST-6,2017-07-02 15:07:00,0,0,0,0,,NaN,,NaN,43.14,-89.54,43.14,-89.54,"A cold front and shortwave trough triggered scattered thunderstorms over south central WI. A couple storms produced large hail.","" +119671,717821,NEW MEXICO,2017,September,Flash Flood,"SOCORRO",2017-09-29 16:30:00,MST-7,2017-09-29 17:45:00,0,0,0,0,50.00K,50000,0.00K,0,34.5166,-106.7708,34.5145,-106.7666,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Mobile home flooded in Veguita with three feet of water." +119671,717825,NEW MEXICO,2017,September,Flash Flood,"SOCORRO",2017-09-29 18:00:00,MST-7,2017-09-29 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-106.78,34.4175,-106.7779,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","State road 304 closed at U.S. Highway 60 due to flooding." +119671,717824,NEW MEXICO,2017,September,Flash Flood,"SOCORRO",2017-09-29 18:15:00,MST-7,2017-09-29 19:15:00,0,0,0,0,0.00K,0,0.00K,0,34.4625,-106.8107,34.4625,-106.8154,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","State road 116 closed around Abeytas due to flash flooding." +115365,695747,ARKANSAS,2017,April,Heavy Rain,"PULASKI",2017-04-30 06:00:00,CST-6,2017-04-30 06:20:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-92.44,34.67,-92.44,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall was 5.00 inches from the Crystal Valley observer." +115365,695748,ARKANSAS,2017,April,Heavy Rain,"LOGAN",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-93.63,35.29,-93.63,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 2.90 inches." +121085,724874,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-23 23:49:00,MST-7,2017-11-23 23:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Measured wind gust of 60 mph 1 mile NE of Choteau." +121085,724875,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-23 23:50:00,MST-7,2017-11-23 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Public report of a measured wind gust of 71 mph 17 miles WNW of Pendroy." +121085,724873,MONTANA,2017,November,High Wind,"MADISON",2017-11-23 20:12:00,MST-7,2017-11-23 20:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","DOT sensor measured a 63 mph wind gust 4 miles NNE of McAllister." +115365,695749,ARKANSAS,2017,April,Heavy Rain,"MONTGOMERY",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-93.91,34.59,-93.91,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 3.42 inches." +115365,695750,ARKANSAS,2017,April,Heavy Rain,"PULASKI",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-92.26,34.83,-92.26,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 5.45 inches at the North Little Rock NWS office." +115365,695386,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 22:59:00,CST-6,2017-04-29 22:59:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-92,34.99,-92,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees were downed." +115365,695387,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 22:59:00,CST-6,2017-04-29 22:59:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-91.96,35.04,-91.96,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees were downed." +115365,695390,ARKANSAS,2017,April,Flash Flood,"PERRY",2017-04-29 23:14:00,CST-6,2017-04-30 00:40:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-92.79,35.0548,-92.7852,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highway 10 and Smith Crossings Road west of Perry were reported flooded." +115365,695391,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-29 23:15:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-92.34,34.8047,-92.3447,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","" +113083,676336,NORTH CAROLINA,2017,March,Hail,"CATAWBA",2017-03-01 17:15:00,EST-5,2017-03-01 17:17:00,0,0,0,0,,NaN,0.00K,0,35.76,-81.27,35.759,-81.22,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Spotter reported half dollar size hail near St Stephens. Public reported (via social media) ping pong ball size hail on the north side of Conover." +113093,676387,NEBRASKA,2017,March,Hail,"RICHARDSON",2017-03-06 17:41:00,CST-6,2017-03-06 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-95.71,40.15,-95.71,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +119671,717818,NEW MEXICO,2017,September,Flash Flood,"CIBOLA",2017-09-29 14:18:00,MST-7,2017-09-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-107.58,34.8753,-107.538,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Tribal police reported flooding along Acoma Creek." +112765,676365,INDIANA,2017,March,Flash Flood,"RIPLEY",2017-03-01 06:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-85.24,39.0531,-85.2086,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Water and debris were flowing across US 50 near Versailles State Park." +112765,673665,INDIANA,2017,March,Thunderstorm Wind,"OHIO",2017-03-01 06:37:00,EST-5,2017-03-01 06:41:00,0,0,0,0,50.00K,50000,0.00K,0,38.9885,-85.0008,39.0011,-84.8843,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A farm residence on Hartford Pike Road was damaged, where a house had the top of its roof removed, and several large trees on the nearby hillside were toppled. Tree damage was observed along Laughery Creek and adjacent portions of Hartford Pike Road along the Dearborn/Ohio County border. Structural damage was also observed at several locations along Salem Ridge Road and Belleview Lane, with minor roof damage to homes, and significant damage or destruction of a few barns and garages. This was near the end of a swath of about 13 miles of damage that extended back into Dearborn County. The damage was consistent with winds in the 70 to 80 mph range." +112765,673577,INDIANA,2017,March,Thunderstorm Wind,"OHIO",2017-03-01 06:39:00,EST-5,2017-03-01 06:41:00,0,0,0,0,40.00K,40000,0.00K,0,38.9303,-84.9303,38.9303,-84.9303,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Three properties along Indiana State Route 56, a few miles west of the Ohio River, sustained damage, starting in the west near Stewart Ridge Road and running about a mile to the east. Several outbuildings and garages were significantly damaged, though homes suffered only minor roof and siding damage. Tree damage in this area was scattered but there were a few uprootings and a couple areas where trees were snapped. The damage was consistent with winds in the 70 to 80 mph range." +113107,677243,NEW MEXICO,2017,March,High Wind,"CHAVES COUNTY PLAINS",2017-03-23 13:00:00,MST-7,2017-03-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Powerful wind gusts up to 77 mph were reported along the U.S. Highway 285 corridor from near Mesa to Roswell. Several stations reported wind gusts in the 65 to 75 mph range with sustained winds near 50 mph." +113107,677245,NEW MEXICO,2017,March,High Wind,"NORTHEAST HIGHLANDS",2017-03-23 13:00:00,MST-7,2017-03-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Sustained winds as high as 44 mph were reported for a few hours around Las Vegas. A peak wind gust to 62 mph was reported north of Tecolotito." +112769,673619,KENTUCKY,2017,March,Thunderstorm Wind,"BREATHITT",2017-03-01 09:10:00,EST-5,2017-03-01 09:10:00,0,0,0,0,,NaN,,NaN,37.53,-83.35,37.53,-83.35,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A mobile home was overturned by thunderstorm wind gusts in the Millers Trailer Court." +112769,673620,KENTUCKY,2017,March,Hail,"JACKSON",2017-03-01 09:11:00,EST-5,2017-03-01 09:11:00,0,0,0,0,,NaN,,NaN,37.32,-83.97,37.32,-83.97,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Quarter size hail was observed in Annville." +112769,673621,KENTUCKY,2017,March,Thunderstorm Wind,"FLOYD",2017-03-01 09:35:00,EST-5,2017-03-01 09:35:00,0,0,0,0,,NaN,,NaN,37.67,-82.86,37.67,-82.86,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A 20X24 outbuilding was blown off its foundation. Numerous trees in the area were also blown down." +112769,673622,KENTUCKY,2017,March,Thunderstorm Wind,"LAUREL",2017-03-01 09:17:00,EST-5,2017-03-01 09:17:00,0,0,0,0,,NaN,,NaN,37.1,-84.11,37.1,-84.11,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A tree was blown down and onto Boggs Road." +112769,673623,KENTUCKY,2017,March,Thunderstorm Wind,"KNOTT",2017-03-01 09:40:00,EST-5,2017-03-01 09:40:00,0,0,0,0,,NaN,,NaN,37.41,-82.99,37.41,-82.99,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A 68 mph thunderstorm wind gust was recorded by the Mesonet station near Hindman." +113360,678304,OHIO,2017,March,Flood,"GALLIA",2017-03-31 08:00:00,EST-5,2017-03-31 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.8099,-82.4703,38.805,-82.3968,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Heavy rainfall caused water to pond, flooding a low spot along State Route 141." +112682,673124,WEST VIRGINIA,2017,March,Strong Wind,"PLEASANTS",2017-03-02 03:00:00,EST-5,2017-03-02 03:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trees blown down onto a power line St. Marys." +113375,678385,WEST VIRGINIA,2017,March,Heavy Rain,"ROANE",2017-03-31 05:00:00,EST-5,2017-03-31 17:30:00,0,0,1,0,0.00K,0,0.00K,0,38.5801,-81.4374,38.5801,-81.4374,"A prolonged period of rain fell on the 31st as a low pressure system moved through the Ohio River Valley. Generally around an inch of rain fell. This did not produce any flooding, but swift flow was observed on local creeks and streams.","A toddler was left unattended, playing along Green Creek in southern Roane County, near the community of Walton. It was believed that the young girl was swept away by the swollen creek. Rescuers found the girl a short distance downstream but were not able to resuscitate her." +112925,674661,FLORIDA,2017,March,Tornado,"CHARLOTTE",2017-03-13 20:15:00,EST-5,2017-03-13 20:16:00,0,0,0,0,,NaN,0.00K,0,26.9339,-82.367,26.935,-82.3653,"An area of low pressure over the Gulf of Mexico, lifted northeast across Florida dragging a cold front through the area. A large area of showers developed ahead of this low pressure and front, with a few thunderstorms developing along the southern edge where solar heating aided instability. Two tornadoes briefly touched down in Charlotte County as these storms moved onshore.","Charlotte County Emergency Management reported damage to several structures on Manasota Key. An NWS storm survey team found a narrow path of damage consistent with a waterspout moving onshore and crossing Manasota Key near De Soto Avenue. A multifamily condo building along the street sustained moderate roof damage, and |another older home on the beach had a large section of the roof removed. East of North Beach Road, a few trees were snapped or uprooted, and a two story residence had a large section of shingles and siding removed." +113463,679940,MARYLAND,2017,March,Winter Weather,"ANNE ARUNDEL",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 2.5 inches near Georgetown and 2.2 inches at BWI Airport. Ice from freezing rain also totaled up to a tenth of an inch near Annapolis and a quarter of an inch near Georgetown. Average ice accumulations were between one and two tenths of an inch across the county." +113463,679942,MARYLAND,2017,March,Winter Weather,"CENTRAL AND SOUTHEAST HOWARD",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 2.8 inches near Oella and 2.4 inches near Elkridge." +113463,679948,MARYLAND,2017,March,Winter Weather,"SOUTHERN BALTIMORE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.8 inces near upper Falls and 2.5 inches near Catonsville. Snowfall averaged between 2 and 4 inches across southern Baltimore County." +113463,679947,MARYLAND,2017,March,Winter Weather,"SOUTHEAST HARFORD",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 2.5 inches near Havre De Grace." +113463,679949,MARYLAND,2017,March,Winter Weather,"ST. MARY'S",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Ice accumulation from freezing rain was estimated to range from a trace to around one-tenth of an inch based on observations nearby." +113463,679951,MARYLAND,2017,March,Winter Storm,"CENTRAL AND EASTERN ALLEGANY",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 10.0 inches near Cumberland." +113463,679956,MARYLAND,2017,March,Winter Storm,"NORTHWEST MONTGOMERY",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 4.5 inches near Damascus." +113463,679957,MARYLAND,2017,March,Winter Storm,"WASHINGTON",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 9.5 inches near Pecktonville and 6.0 inches near Halfway. Snowfall also totaled up to 6.0 inches in Hagerstown." +119671,717851,NEW MEXICO,2017,September,Hail,"SANTA FE",2017-09-30 17:10:00,MST-7,2017-09-30 17:12:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-106.21,35.27,-106.21,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of nickels in Golden." +119671,717852,NEW MEXICO,2017,September,Hail,"VALENCIA",2017-09-30 17:50:00,MST-7,2017-09-30 17:53:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-106.73,34.74,-106.73,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of quarters near Tome." +119671,717853,NEW MEXICO,2017,September,Hail,"VALENCIA",2017-09-30 17:57:00,MST-7,2017-09-30 18:01:00,0,0,0,0,0.00K,0,0.00K,0,34.6446,-106.7139,34.6446,-106.7139,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of ping pong balls near Rio Communities." +119671,717854,NEW MEXICO,2017,September,Thunderstorm Wind,"VALENCIA",2017-09-30 17:55:00,MST-7,2017-09-30 17:58:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-106.72,34.64,-106.72,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Peak wind gust up to 70 mph with severe storm in Rio Communities." +119671,717855,NEW MEXICO,2017,September,Flash Flood,"VALENCIA",2017-09-30 17:55:00,MST-7,2017-09-30 19:15:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-106.72,34.6376,-106.7401,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Public reported the streets turned into raging rivers in Rio Communities from a severe thunderstorm." +112768,673552,OREGON,2017,March,Heavy Snow,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-03-05 00:00:00,PST-8,2017-03-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season winter storm brought snow to unusually low elevations for this time of year.","A spotter 2WSW OBrien reported 6.5 inches of snow at 05/1515 PST, then another 5.0 inches overnight at 06/1100 PST. Over a foot of snow was on the ground at that point. A spotter in Selma reported 8.5 inches of snow between 05/2000 PST and 06/0600 PST.|A spotter 6SE Selma reported 7.1 inches of snow in 24 hours as of 06/0930 PST. The snow has 1.08 inches water equivalent. A spotter 1W Williams reported 5.5 inches of snow, presumably overnight, at 06/0900 PST. A CoCoRAHS observer 2SW OBrien reported 7.0 inches of snow in 24 hours ending at 06/1000 PST. A CoCoRAHS observer 3.7E Cave Junction reported 6.7 inches of snow in 24 hours ending at 06/1000 PST. The cooperative observer 1NW Williams reported 4.0 inches of snow in 24 hours." +113070,676220,OREGON,2017,March,High Wind,"CURRY COUNTY COAST",2017-03-23 18:14:00,PST-8,2017-03-24 03:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to isolated portions of the south coast of Oregon.","The Flynn Prairie RAWS recorded gusts exceeding 57 mph almost continuously during this interval. The peak gust was 68 mph recorded at 23/1913 PST." +115724,695452,NORTH CAROLINA,2017,April,High Wind,"WATAUGA",2017-04-06 21:56:00,EST-5,2017-04-07 02:00:00,0,0,0,0,2.50K,2500,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure deepened as it progressed from the Ohio Valley to New York. Winds increased on the backside of the system and produced wind gusts around 60 mph that downed numerous trees in both Ashe and Watauga counties and a traffic sign in Alleghany County.","Northwest wind downed at least five trees across western portions of the county. In Boone, NC, an AWOS measured a 58.7 mph wind gust. Damage values are estimated." +113153,676817,UTAH,2017,January,Winter Storm,"SOUTHERN WASATCH FRONT",2017-01-02 03:00:00,MST-7,2017-01-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and slow moving storm system passed through northern and central Utah at the beginning of 2017, with the heaviest snowfall in portions of the Wasatch Range, the Wasatch mountain valleys, and in Utah County.","Utah Valley was the hardest hit valley location with regards to snowfall, with storm totals of 18 inches of snow in Spanish Fork, 14 inches of snow in Springville, and 10 inches of snow at Provo BYU." +113153,676825,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAIN VALLEYS",2017-01-02 03:00:00,MST-7,2017-01-03 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and slow moving storm system passed through northern and central Utah at the beginning of 2017, with the heaviest snowfall in portions of the Wasatch Range, the Wasatch mountain valleys, and in Utah County.","Storm total snowfall for the Wasatch mountain valleys included 15 inches at the Park City Library and 13 inches at both Deer Creek Dam and Heber City. The heaviest snowfall occurred during the early morning hours of January 3; this caused Park City schools to close for the day, the first snow day for the district in the last 15 years." +112994,675301,GEORGIA,2017,February,Tornado,"HARRIS",2017-02-07 16:36:00,EST-5,2017-02-07 16:39:00,0,0,0,0,150.00K,150000,,NaN,32.6234,-84.9057,32.6468,-84.8773,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","A National Weather Service survey team determined that an EF-1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 250 yards travelled for just under 2.5 miles along U.S Highway 27 in southern Harris County between the communities of Fortson and Cataula. The tornado began on West Bonacre Road just west of Highway 27, where a few small trees were snapped, and moved northeast, intensifying as it crossed Highway 27 north of Raymond Road where numerous trees were snapped or uprooted and several power lines and poles were brought down. The most significant damage was observed just northeast of this location along Gatlin Road where an estimated 50-100 large trees were snapped or uprooted. One large tree fell on a home at this location causing significant damage, however no injuries were reported. Continuing northeast, additional damage was observed between Knowles Road and Wells Drive where a grove of trees was snapped or uprooted on the east side of Highway 27. The tornado ended just northeast of the intersection of Wells Drive and Highway 27. [02/07/17: Tornado #1, County #1/1, EF1, Harris, 2017:029]." +112888,674407,ILLINOIS,2017,January,Dense Fog,"JOHNSON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674408,ILLINOIS,2017,January,Dense Fog,"MASSAC",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674409,ILLINOIS,2017,January,Dense Fog,"PERRY",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +113232,677825,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 00:40:00,MST-7,2017-01-09 08:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 09/0135 MST." +119671,717826,NEW MEXICO,2017,September,Flash Flood,"SOCORRO",2017-09-29 17:22:00,MST-7,2017-09-29 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.429,-106.8184,34.525,-106.7943,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","All lanes of Interstate 25 closed due to mud, rocks, and debris rushing over the highway from nearby mesas and retention ponds." +113232,677826,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 10:35:00,MST-7,2017-01-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 10/1120 MST." +113232,677827,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 00:10:00,MST-7,2017-01-09 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Interstate 80 mile post 249 measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 09/0130 MST." +113232,677828,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 20:40:00,MST-7,2017-01-10 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 10/2110 MST." +113232,677829,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 00:05:00,MST-7,2017-01-09 02:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 09/0215 MST." +113232,677830,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 01:45:00,MST-7,2017-01-09 07:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 09/0230 MST." +112549,671456,COLORADO,2017,January,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671457,COLORADO,2017,January,Winter Storm,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671458,COLORADO,2017,January,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671459,COLORADO,2017,January,Winter Storm,"PIKES PEAK ABOVE 11000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +113301,677977,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-18 08:00:00,PST-8,2017-01-19 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","COOP station at Lodgepole reported a measured 24 hour snowfall of 16 inches in Tulare County." +113242,677532,KANSAS,2017,January,Ice Storm,"THOMAS",2017-01-15 08:00:00,CST-6,2017-01-16 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ice accumulations of a quarter of an inch to an inch were reported across Northwest Kansas as three waves of freezing drizzle and freezing rain moved through. The highest ice accumulation of an inch was reported in Sharon Springs. Most ice accumulations were a quarter to half an inch.","Ice accumulations of 0.50 were reported across the county." +113060,677544,ALABAMA,2017,January,Thunderstorm Wind,"RANDOLPH",2017-01-21 09:30:00,CST-6,2017-01-21 09:32:00,0,0,0,0,0.00K,0,0.00K,0,33.12,-85.56,33.12,-85.56,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Several trees uprooted in the town of Wadley." +111564,677417,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-10 09:00:00,PST-8,2017-01-11 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A 70 foot tall oak tree fell and damaged a vehicle in the driveway and scraped the front of the home, in addition to ripping out a few sections of sidewalk. Saturated ground and gusty winds were thought responsible. Winds gusted to 45 mph at 3:53 pm PST." +112876,674301,CALIFORNIA,2017,January,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-01-03 16:00:00,PST-8,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific storm followed immediately behind the previous one, bringing heavy snow to the Sierra Nevada.","Fifteen inches of snow fell in Aspendell." +112877,674302,NEVADA,2017,January,Cold/Wind Chill,"LAS VEGAS VALLEY",2017-01-03 00:00:00,PST-8,2017-01-06 23:59:00,0,0,1,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died in Las Vegas of Cold related causes.","Two people died in Las Vegas of cold related causes." +115196,694515,OKLAHOMA,2017,May,Thunderstorm Wind,"PAYNE",2017-05-10 20:30:00,CST-6,2017-05-10 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36,-97.04,36,-97.04,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +113063,676082,VIRGINIA,2017,January,Winter Storm,"HALIFAX",2017-01-06 16:30:00,EST-5,2017-01-07 13:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the South Boston area, where 9.5 inches of snow was measured." +113063,676087,VIRGINIA,2017,January,Winter Storm,"FRANKLIN",2017-01-06 16:45:00,EST-5,2017-01-07 12:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Snow Creek area, where 9.8 inches of snow was measured." +113176,676974,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAIN VALLEYS",2017-01-10 04:00:00,MST-7,2017-01-12 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two storm systems moved through Utah in quick succession from January 10 through January 12, bringing snowfall to the mountains and mountain valleys of Utah.","Storm total snowfall reports included 19.5 inches of snow at the Park City Library and 15 inches at Kamas." +113176,676984,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-01-10 00:00:00,MST-7,2017-01-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two storm systems moved through Utah in quick succession from January 10 through January 12, bringing snowfall to the mountains and mountain valleys of Utah.","Storm total snowfall reports included 35 inches at Powder Mountain and 27 inches at Snowbasin Resort." +113176,676987,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-01-10 01:00:00,MST-7,2017-01-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two storm systems moved through Utah in quick succession from January 10 through January 12, bringing snowfall to the mountains and mountain valleys of Utah.","Snowfall totals for the storm included 38 inches of new snow at Brighton Resort, 32 inches at UDOT Provo Canyon, 30 inches of snow at Canyons Village, and 23 inches at Solitude Mountain Resort." +113079,676318,NEW MEXICO,2017,January,Heavy Snow,"SACRAMENTO MOUNTAINS ABOVE 7500 FEET",2017-01-15 10:00:00,MST-7,2017-01-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","An observer 1 mile southeast of Cloudcroft reported 6.5 inches of snow through the day. Additional amounts around the Cloudcroft area ranged from 4 to 7.5 inches." +112905,674561,WISCONSIN,2017,January,Winter Storm,"WOOD",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused many side streets in Wood County to become ice-covered and dangerous. There were numerous reports of vehicles sliding off the road on Highway 10 and Highway 73 in eastern Wood County." +112905,674562,WISCONSIN,2017,January,Winter Storm,"PORTAGE",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused icy roads across Portage County, and as much as 0.3 inch of ice accumulation was measured in Plover." +112905,674563,WISCONSIN,2017,January,Winter Storm,"WAUPACA",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused icy roads across Waupaca County, and a spotter near Iola measured a tenth of an inch of ice accumulation. There were numerous reports of accidents on Highway 10 just west of Waupaca." +113165,676899,LAKE SUPERIOR,2017,January,Marine High Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-01-12 14:00:00,EST-5,2017-01-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,47.77,-89.22,47.77,-89.22,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Rock of Ages observing station measured storm force west wind gusts through the period." +113066,676128,KENTUCKY,2017,January,Winter Weather,"BOONE",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The CVG airport had 2.5 inches of snowfall while a social media report from Francisville had two inches. The CoCoRaHS observer northwest of Walton measured 1.5 inches of snow." +113066,676135,KENTUCKY,2017,January,Winter Weather,"KENTON",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","A social media report out of Villa Hills showed that 2.4 inches of snow had fallen." +113065,676148,OHIO,2017,January,Winter Weather,"CLARK",2017-01-05 04:00:00,EST-5,2017-01-05 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system crossed south of the region during the morning of January 5th. Snowfall was generally on the order of one to three inches and ended by evening.","The observer near Springfield measured 1.4 inches of snow. Observers south of New Carlisle and 4 miles north of Springfield measured an inch, as did the county garage west of Springfield." +113068,676202,FLORIDA,2017,January,Hail,"SANTA ROSA",2017-01-21 19:49:00,CST-6,2017-01-21 19:50:00,0,0,0,0,,NaN,0.00K,0,30.6,-87.15,30.6,-87.15,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter to hen egg size hail was reported near Pace." +113168,676942,NEW YORK,2017,January,Lake-Effect Snow,"CHAUTAUQUA",2017-01-07 19:00:00,EST-5,2017-01-08 15:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This lake effect snow event was a long duration, high impact event; one that snarled traffic across the Buffalo Southtowns Thursday evening and ultimately produced three to four feet of snow east of Lake Erie and Lake Ontario. Multi band structured lake effect snow began east of Lake Erie and Ontario through the afternoon hours of Wednesday, January 4th. Embedded within these bands were several stronger bands, which brought very narrow stripes of heavy snow east of the lakes, before the winds began to veer, sending snows southward overnight across the Ski Country and the Southern Tier east of Lake Erie, and across the southern Tug Hill east of Lake Ontario. Backing winds began to lift a plume of lake effect snow from over the Southern Tier and Ski Country early Thursday morning towards the far southern towns of Buffalo by late morning Thursday. Snowfall rates began to increase to 3 inches per hour along and just inland from the Lake Erie shoreline early Thursday afternoon. By mid to late afternoon on Thursday the band of snow was oriented along the long axis of Lake Erie, where added low level convergence and residence time over the lake strengthened the band of snow to 4 to 5 inches per hour over an area from Lake View to Orchard Park on the south side of the band, and Blasdell and West Seneca on the north side of the band. This heavy snowfall, combined with the late afternoon rush hour of people leaving work and schools, brought traffic to a standstill over the Buffalo Southtowns. The snow accumulated so quickly that plows were unable to keep up with the clearing of the snow, which led to people abandoning their cars on the Thruway and local roads, evening commutes extending to 6 hours or more, and school busses returning back to school, unable to deliver children to their homes. This snow band reached its northern extent from the City of Buffalo and near the southern end of the airport before starting to slide southward through the late evening and overnight hours. Snowfall rates were not as strong later in the evening, which allowed the plows to begin the dig-out from an event that dropped over two-feet of fresh snow over portions of the Buffalo Southtowns in only 6 to 8 hours. Snowfall decreased rapidly farther inland, with just several inches falling over far northeastern Erie County, and into Genesee and Livingston Counties. East of Lake Ontario Thursday, the snow band remained anchored over northern and central Jefferson and northern Lewis Counties. The low level convergent wind was so strong that the upstream shortwave nudge the band only slightly northward, but still added additional low level moisture that brought snowfall rates of 4 inches per hour to Watertown, Fort Drum and other central Jefferson County communities. Later Thursday night, and early Friday morning the lake effect snow band dropped back south towards the Tug Hill region, bringing an additional half to one foot of snow through the night. The snow band transitioned into an anticyclonic structure towards Friday morning, where heavy lake effect snow in northern Oswego County quickly brought the event totals up towards 2 feet of snow. Lake effect snows continued, somewhat disorganized through Friday Night. On Saturday morning these lake bands formed mesolows on the east side of both lakes. As for Lake Erie, Saturday morning the band was hugging the shoreline from about Ripley to Angola. This made for hazardous travel conditions along the I-90 Thruway in this corridor, with all commercial traffic banned for much of the day. By Saturday afternoon and evening, the band pushed inland across northern Chautauqua, northern Cattaraugus and southern Erie counties. Saturday night the band reoriented across the western Southern Tier on the westerly flow, producing a multi-banded structure with upslope enhancement over the Chautauqua Ridge and Boston Hills. On Lake Ontario Saturday, a mesolow developed on the east end of the lake, with a tea kettle band in place across the center of the lake. Initially, snow on the south side of the mesolow was impacting the shoreline of northern Cayuga and Oswego County, near the city of Oswego. By late morning Saturday, the mesolow moved farther offshore bringing a break in the snowfall east of Lake Ontario until the afternoon. The center of the mesolow made landfall across central Oswego County, with the heaviest snow concentrated on the south side of the low, as is typically the case. During the course of the evening, the lingering enhanced area of convergence on the south side of the mesolow focused a band of heavy snow that slowly moved from northern Cayuga County into central Oswego County. Snowfall rates were observed at about 4 inches per hour in the heaviest part of the snow band. Overnight, a secondary mesolow tracked into northern Jefferson County bringing a burst of snow across Jefferson county and central Lewis county, although accumulations from this were fairly minor as the snow lost intensity away from the lake. Snowfall amounted to about a foot and half overnight in that most persistent band, with Oswego, Mexico and north of Fulton topping the list of reports. On Sunday, lake effect bands reoriented on a northwesterly flow. Lake effect snow began to diminish in intensity. |Off Lake Erie, specific snowfall reports included: 46 inches at Perrysburg, 45 inches at Colden, 42 inches at Forestville, 33 inches at Springville, 28 inches at Blasdell, 27 inches at Glenwood, 26 inches at West Seneca and Boston, 24 inches at East Concord, 23 inches at Portland, West Seneca and Hamburg, 21 inches at Dunkirk and Orchard Park, 20 inches at Fredonia, 19 inches at Angola and Warsaw, 18 inches at Little Valley, East Aurora and Marilla, 17 inches at Ripley, 16 inches at Dayton, Silver Creek and New Albion, 14 inches at Attica and Wyoming,13 inches at Lackawanna, 12 inches at Kennedy and Warsaw, 11 inches at Franklinville, and 10 inches at Randolph. Off Lake Ontario, specific snowfall reports included: 45 inches at Pulaski, 38 inches at Mannsville, 37 inches at Hooker, 34 inches at Croghan, 33 inches at Lacona, 31 inches at Watertown, 29 inches at Copenhagen, 28 inches at Redfield, 27 inches at Carthage, 22 inches at West Carthage, 21 inches at Natural Bridge, 20 inches at Beaver Falls, 18 inches at Fulton, 17 inches at Harrisville and Mexico, 16 inches at Oswego, 15 inches at Scriba, 13 inches at Osceola, Fulton and Minetto, and 11 inches at Lowville.","" +113169,676946,MICHIGAN,2017,January,High Wind,"NORTHERN HOUGHTON",2017-01-12 17:30:00,EST-5,2017-01-12 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west wind gusts developed at Freda on the afternoon of the 12th in the wake of a cold frontal passage.","The spotter at Freda measured peak west wind gusts to 60 mph. This was the highest wind gust of the fall and winter season thus far." +113174,676956,NEW YORK,2017,January,Lake-Effect Snow,"CATTARAUGUS",2017-01-26 14:00:00,EST-5,2017-01-29 09:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113030,676161,ALABAMA,2017,January,Thunderstorm Wind,"CRENSHAW",2017-01-21 08:50:00,CST-6,2017-01-21 08:50:00,0,0,0,0,10.00K,10000,0.00K,0,31.72,-86.26,31.72,-86.26,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Numerous trees and power lines down in the city of Luverne. One business experienced minor wind damage." +113030,676162,ALABAMA,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-21 08:55:00,CST-6,2017-01-21 08:55:00,0,0,0,0,10.00K,10000,0.00K,0,31.41,-86.48,31.41,-86.48,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A tree was blown down onto a garage in the community of Gantt." +113030,676172,ALABAMA,2017,January,Hail,"MOBILE",2017-01-21 18:55:00,CST-6,2017-01-21 18:56:00,0,0,0,0,,NaN,0.00K,0,30.6415,-88.2477,30.6415,-88.2477,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Off duty NWS employee reported hen egg size hail off of Dawes Road." +112467,673164,MAINE,2017,January,Sleet,"NORTHERN PISCATAQUIS",2017-01-24 07:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 5 inches." +113796,681263,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Battle Mountain SNOTEL site (elevation 7440 ft) estimated 49 inches of snow." +113796,681264,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Sandstone Ranger Station SNOTEL site (elevation 8150 ft) estimated 49 inches of snow." +112538,671301,OHIO,2017,January,High Wind,"LAKE",2017-01-10 23:30:00,EST-5,2017-01-11 00:30:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed trees, utility poles and power lines in Mentor. Scattered power outages were reported." +112467,673179,MAINE,2017,January,Sleet,"SOUTHERN PENOBSCOT",2017-01-24 05:00:00,EST-5,2017-01-25 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 1 to 3 inches." +111979,667790,NEW MEXICO,2017,January,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-01-23 00:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Various observers reported between 4 and 12 inches of snowfall mainly in the area from Questa to Sipapu and Chamisal." +113796,681524,WYOMING,2017,January,Winter Storm,"SOUTHWEST CARBON COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Seven inches of snow was reported at Dixon and Baggs." +113796,681526,WYOMING,2017,January,Winter Storm,"EAST LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Nine inches of snow was reported one mile west of Burns." +113796,681527,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was measured five miles northeast of Cheyenne." +112464,673143,MAINE,2017,January,Coastal Flood,"COASTAL HANCOCK",2017-01-04 01:00:00,EST-5,2017-01-04 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Strong onshore winds and large breaking waves produced minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks and debris were washed on to Seawall Road." +112465,673147,MAINE,2017,January,Heavy Snow,"COASTAL WASHINGTON",2017-01-07 17:00:00,EST-5,2017-01-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked east of the Gulf of Maine during the night of the 7th then exited across the maritimes during the 8th. The western edge of the heavier snow shield from this low clipped the southeast corner of Washington County. Snow developed during the late afternoon and evening of the 7th then persisted into the early morning hours of the 8th. Warning criteria snow accumulations occurred during the early morning hours of the 8th. Storm total snow accumulations generally ranged from 4 to 9 inches...with a sharp gradient of lesser accumulations across the remainder of the county.","Storm total snow accumulations ranged from 5 to 9 inches." +113796,681261,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Sage Creek Basin SNOTEL site (elevation 7850 ft) estimated 43 inches of snow." +113105,676455,TEXAS,2017,January,High Wind,"SALT BASIN",2017-01-21 14:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to|69 mph to the El Paso Airport.","A peak gust of 60 mph was recorded about 1 mile north of Dell City." +112820,674059,COLORADO,2017,January,High Wind,"TELLER COUNTY / RAMPART RANGE ABOVE 7500 FT / PIKES PEAK BETWEEN 7500 & 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +115015,690161,ILLINOIS,2017,April,Flood,"ALEXANDER",2017-04-09 16:00:00,CST-6,2017-04-13 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37,-89.18,36.9801,-89.1446,"Heavy rain across the Missouri and middle Mississippi Valleys early in the month caused minor flooding along parts of the Mississippi and lower Ohio Rivers.","Minor flooding occurred along the Ohio River. Low-lying fields and bottomlands were under water." +117175,704822,COLORADO,2017,February,Avalanche,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-03 14:00:00,MST-7,2017-02-03 14:05:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snowfall during the previous month and other factors resulted in an unstable snowpack in the mountains near Gothic.","A backcountry skier was descending along the same route another skier in his party had already trekked when he triggered a small, hard slab avalanche. The skier was knocked over by the moving debris and was dragged down over a rock band and carried further down the slope in moving debris with one ski still on. The debris carried the skier approximately 1,350 vertical feet down the prominent gully, and washed him over a sloping cliff band about 80 feet tall. The avalanche came to a stop near the apron of the cliff band and deposited the skier on top of about 3 feet of debris. The skier sustained numerous serious injuries." +121162,725352,OKLAHOMA,2017,October,Hail,"OKLAHOMA",2017-10-21 20:02:00,CST-6,2017-10-21 20:02:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.37,35.39,-97.37,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +112886,674365,KENTUCKY,2017,January,Dense Fog,"BALLARD",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +113304,678041,OKLAHOMA,2017,January,Drought,"PUSHMATAHA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678042,OKLAHOMA,2017,January,Drought,"CHOCTAW",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678048,OKLAHOMA,2017,January,Drought,"PAWNEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +112779,678096,KANSAS,2017,January,Ice Storm,"RUSH",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 inch. Water equivalent was 2 to 3 inches." +112779,678097,KANSAS,2017,January,Ice Storm,"SCOTT",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1/2 inch. Water equivalent was 1/2 to 1 inch." +113060,676074,ALABAMA,2017,January,Tornado,"ELMORE",2017-01-21 07:55:00,CST-6,2017-01-21 07:56:00,0,0,0,0,0.00K,0,0.00K,0,32.4692,-86.1733,32.4785,-86.1697,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southern Elmore County near Willow Springs Road and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down briefly just south of Willow Springs Road and moved north northeast, parallel to Harwell Mill Creek, uprooting a dozen trees. One tree fell on and destroyed an outbuilding. The tornado lifted quickly just north of Willow Springs Road and east of Ross Ridge Lane." +111354,664502,TEXAS,2017,January,Thunderstorm Wind,"TERRY",2017-01-01 20:50:00,CST-6,2017-01-01 20:50:00,0,0,0,0,8.00K,8000,0.00K,0,33.18,-102.27,33.18,-102.27,"Unusual for early winter, a squall line with severe winds at times trekked northeast over much of the Texas South Plains late this evening. Despite minimal instability, these storms developed ahead of a compact upper low with very strong lift. The result was isolated severe wind gusts and wind damage over portions of Yoakum and Terry Counties. Elsewhere over the South Plains, this New Year's Day MCS produced strong wind gusts of 50 to 55 mph, heavy rainfall up to one half inch and frequent cloud-to-ground lightning.","Law enforcement reported downed power lines on some streets in Brownfield." +113309,678115,ILLINOIS,2017,February,Dense Fog,"VERMILION",2017-02-22 03:28:00,CST-6,2017-02-22 10:40:00,0,10,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably warm and humid airmass flowing northward over cold ground produced widespread dense fog during the morning of February 22nd. Visibilities were frequently reduced to less than one quarter of a mile, prompting the issuance of a Dense Fog Advisory. At approximately 6:40 AM CST, a 10-car accident occurred in the eastbound lanes of I-74 just west of Danville in Vermilion County. One man was killed in the crash and several other people were injured.","A 10-vehicle accident occurred on eastbound I-74 just west of Danville at approximately 6:40am CST. One man was killed in the crash, while several other people were injured. Dense fog had reduced the visibility to less than one quarter of a mile at the time of the accident." +112820,674055,COLORADO,2017,January,High Wind,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674056,COLORADO,2017,January,High Wind,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674057,COLORADO,2017,January,High Wind,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +114079,683171,ARIZONA,2017,January,Heavy Snow,"YAVAPAI COUNTY MOUNTAINS",2017-01-23 08:00:00,MST-7,2017-01-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","A spotter reported 7.5 inches of snow 2 miles south of Iron Springs." +113358,680884,MAINE,2017,March,Blizzard,"COASTAL WASHINGTON",2017-03-14 15:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 9 to 14 inches. Blizzard conditions also occurred." +112765,673548,INDIANA,2017,March,Flash Flood,"RIPLEY",2017-03-01 01:00:00,EST-5,2017-03-01 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1634,-85.2127,39.1195,-85.2237,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Water was flowing over several roads across east central portions of Ripley County. This included a road just east of the intersection of State Routes 129 and 350." +112765,673555,INDIANA,2017,March,Hail,"RIPLEY",2017-03-01 06:13:00,EST-5,2017-03-01 06:15:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-85.24,39.17,-85.24,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,676069,OHIO,2017,March,Thunderstorm Wind,"CLERMONT",2017-03-01 07:20:00,EST-5,2017-03-01 07:22:00,0,0,0,0,4.00K,4000,0.00K,0,38.92,-84.19,38.92,-84.19,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several trees were downed." +112766,676073,KENTUCKY,2017,March,Thunderstorm Wind,"ROBERTSON",2017-03-01 07:20:00,EST-5,2017-03-01 07:22:00,0,0,0,0,5.00K,5000,0.00K,0,38.548,-84.0038,38.548,-84.0038,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A barn was destroyed on Henson Ridge Road." +112766,676079,KENTUCKY,2017,March,Thunderstorm Wind,"MASON",2017-03-01 07:48:00,EST-5,2017-03-01 07:50:00,0,0,0,0,10.00K,10000,0.00K,0,38.55,-83.77,38.55,-83.77,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A communication tower near the Lewisburg Volunteer Fire Department was bent." +112767,676092,OHIO,2017,March,Thunderstorm Wind,"ROSS",2017-03-01 08:22:00,EST-5,2017-03-01 08:24:00,0,0,0,0,3.00K,3000,0.00K,0,39.26,-82.79,39.26,-82.79,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A power pole and wires were downed." +112767,676096,OHIO,2017,March,Thunderstorm Wind,"SCIOTO",2017-03-01 08:10:00,EST-5,2017-03-01 08:30:00,0,0,0,0,10.00K,10000,0.00K,0,38.74,-82.99,38.74,-82.99,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were downed throughout the county." +113234,677765,KENTUCKY,2017,March,Hail,"LAUREL",2017-03-27 18:07:00,EST-5,2017-03-27 18:07:00,0,0,0,0,,NaN,,NaN,37.2024,-84.08,37.2024,-84.08,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen reported quarter sized hail north of London." +113234,677775,KENTUCKY,2017,March,Thunderstorm Wind,"WAYNE",2017-03-27 18:20:00,EST-5,2017-03-27 18:20:00,0,0,0,0,,NaN,,NaN,36.9761,-84.8411,36.9761,-84.8411,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A department of highways official reported large tree limbs blown down near Lake Cumberland." +113234,677767,KENTUCKY,2017,March,Hail,"JACKSON",2017-03-27 18:32:00,EST-5,2017-03-27 18:32:00,0,0,0,0,,NaN,,NaN,37.32,-83.97,37.32,-83.97,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen observed ping pong ball sized hail near Annville." +113234,677784,KENTUCKY,2017,March,Thunderstorm Wind,"PULASKI",2017-03-27 18:27:00,EST-5,2017-03-27 18:29:00,0,0,0,0,,NaN,,NaN,37.026,-84.6931,37.1174,-84.5831,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Dispatch relayed reports of trees down near Somerset, on Wondering Woods Drive and Pine Street." +113234,677790,KENTUCKY,2017,March,Hail,"CLAY",2017-03-27 19:10:00,EST-5,2017-03-27 19:10:00,0,0,0,0,,NaN,,NaN,37.2999,-83.6442,37.2999,-83.6442,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Local law enforcement reported quarter sized hail near Oneida." +114245,684389,ILLINOIS,2017,March,Strong Wind,"POPE",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684390,ILLINOIS,2017,March,Strong Wind,"PULASKI",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684391,ILLINOIS,2017,March,Strong Wind,"SALINE",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684393,ILLINOIS,2017,March,Strong Wind,"WABASH",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +112845,679088,MISSOURI,2017,March,Hail,"NEWTON",2017-03-09 17:50:00,CST-6,2017-03-09 17:50:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-94.32,37.04,-94.32,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679089,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:31:00,CST-6,2017-03-09 17:31:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-94.47,37.19,-94.47,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679090,MISSOURI,2017,March,Hail,"SHANNON",2017-03-09 17:44:00,CST-6,2017-03-09 17:44:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-91.32,37.01,-91.32,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Hail covered the ground." +112845,679091,MISSOURI,2017,March,Hail,"MCDONALD",2017-03-09 20:25:00,CST-6,2017-03-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-94.31,36.53,-94.31,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679092,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-09 17:20:00,CST-6,2017-03-09 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-92.97,37.29,-92.97,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was near Mile Marker 96 on I-44 southwest of Marshfield and from social media with a picture." +112845,679093,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:25:00,CST-6,2017-03-09 17:25:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.12,37.08,-94.12,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679094,MISSOURI,2017,March,Hail,"TEXAS",2017-03-09 17:50:00,CST-6,2017-03-09 17:50:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-91.78,37.24,-91.78,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679095,MISSOURI,2017,March,Hail,"NEWTON",2017-03-09 19:15:00,CST-6,2017-03-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-94.37,36.85,-94.37,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679096,MISSOURI,2017,March,Hail,"HOWELL",2017-03-09 19:25:00,CST-6,2017-03-09 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-91.85,36.73,-91.85,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +113624,680175,ARKANSAS,2017,March,Thunderstorm Wind,"MILLER",2017-03-24 20:01:00,CST-6,2017-03-24 20:01:00,0,0,0,0,0.00K,0,0.00K,0,33.2611,-93.8862,33.2611,-93.8862,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","A large tree was blown down at the Post Office in Fouke." +113624,680177,ARKANSAS,2017,March,Thunderstorm Wind,"COLUMBIA",2017-03-24 21:05:00,CST-6,2017-03-24 21:05:00,0,0,0,0,0.00K,0,0.00K,0,33.2712,-93.2421,33.2712,-93.2421,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","A tree was blown down onto a power line on West McNeil Street in Magnolia." +113624,680178,ARKANSAS,2017,March,Thunderstorm Wind,"COLUMBIA",2017-03-24 21:08:00,CST-6,2017-03-24 21:08:00,0,0,0,0,0.00K,0,0.00K,0,33.0936,-93.2057,33.0936,-93.2057,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","Trees were blown down on County Road 9 in Emerson." +113596,680013,WEST VIRGINIA,2017,March,Winter Weather,"BERKELEY",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113596,680014,WEST VIRGINIA,2017,March,Winter Weather,"MORGAN",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113596,680015,WEST VIRGINIA,2017,March,Winter Weather,"HAMPSHIRE",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113596,680016,WEST VIRGINIA,2017,March,Winter Weather,"WESTERN MINERAL",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113596,680017,WEST VIRGINIA,2017,March,Winter Weather,"EASTERN MINERAL",2017-03-24 05:00:00,EST-5,2017-03-24 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure moved off the coast and a southerly flow developed. The southerly flow ushered in more moisture at the same time and upper-level disturbance was passing through. The upper-level disturbance caused a period of rain, but there was enough cold air in place for rain to freeze on some surfaces during the early morning hours.","A glaze of ice was estimated based on observations nearby." +113597,680019,MARYLAND,2017,March,Cold/Wind Chill,"EXTREME WESTERN ALLEGANY",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113598,680020,VIRGINIA,2017,March,Cold/Wind Chill,"WESTERN HIGHLAND",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +114023,687790,DISTRICT OF COLUMBIA,2017,March,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-03-01 13:48:00,EST-5,2017-03-01 13:48:00,0,0,0,0,,NaN,,NaN,38.8472,-77.0015,38.8472,-77.0015,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Newcomb Street." +114023,687791,DISTRICT OF COLUMBIA,2017,March,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-03-01 13:50:00,EST-5,2017-03-01 13:50:00,0,0,0,0,,NaN,,NaN,38.874,-77.007,38.874,-77.007,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +114020,687792,VIRGINIA,2017,March,Thunderstorm Wind,"CLARKE",2017-03-01 12:40:00,EST-5,2017-03-01 12:40:00,0,0,0,0,,NaN,,NaN,39.093,-78.0595,39.093,-78.0595,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wires were down in Boyce." +114020,687793,VIRGINIA,2017,March,Thunderstorm Wind,"SPOTSYLVANIA",2017-03-01 13:35:00,EST-5,2017-03-01 13:35:00,0,0,0,0,,NaN,,NaN,38.2295,-77.5289,38.2295,-77.5289,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A road was blocked due to downed wires." +114668,687806,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-01 13:50:00,EST-5,2017-03-01 13:50:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 50 knots was reported at Nationals Park." +114668,687808,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-01 13:50:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wind gusts of 49 to 56 knots were reported at Baber Point." +114668,687809,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-01 14:06:00,EST-5,2017-03-01 14:06:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 50 knots was reported at Key Bridge." +114668,687811,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.707,-76.528,38.707,-76.528,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wind gusts around 50 knots were estimated based on thunderstorm wind damage in North Beach." +114160,683644,WASHINGTON,2017,March,Flood,"WALLA WALLA",2017-03-16 09:30:00,PST-8,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,46.065,-118.5934,46.082,-118.7762,"Heavy rain and snow melt resulted in flooding along portions of the Walla Walla river for the second time this month.","The Walla Walla river near Touchet, (flood stage 13.0 feet) crested at 14.2 feet at 2245 on March 16th. Fell below flood stage by 1100 on the 17th." +114161,683647,OREGON,2017,March,Flood,"WHEELER",2017-03-16 11:30:00,PST-8,2017-03-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,44.8453,-119.8117,44.8083,-120.017,"An extended period of snow melt, combined with a period of heavy rain, caused an extended period of flooding along portions of the John Day River.","The John Day river near Service Creek, ( flood stage 11.5) crested at 12.0 feet at 1815 on March 16th, fell below flood stage and then rose again to 12.1 feet at 1900 on March 19th. Fell below flood stage 0600 on the 20th." +114162,683653,WASHINGTON,2017,March,Flood,"KITTITAS",2017-03-13 10:15:00,PST-8,2017-03-16 10:20:00,0,0,0,0,0.00K,0,0.00K,0,46.9804,-120.5496,47.0513,-120.5239,"Snow melt, combined with periods rain, resulted in numerous streams flooding across south-central Washington.","Small Stream Flooding was reported along numerous creeks draining into the western sections of Ellensburg. Several roads were closed due to water including Railroad, Dolarway, Enterprise and West Thrall Roads. Most of the flooding was along Reecer and Dry Creek with water surrounding several businesses and homes." +114162,683655,WASHINGTON,2017,March,Flood,"YAKIMA",2017-03-14 10:00:00,PST-8,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,46.7194,-120.7499,46.56,-120.9672,"Snow melt, combined with periods rain, resulted in numerous streams flooding across south-central Washington.","More flooding was reported along Wide Hollow and Cottonwood creeks, as well as Cowiche and Ahtanum creeks, through the city of Yakima, then southeast into the lower Yakima valley. Rapid snow melt occurred in the foothills west of Yakima. Water from roadside ditches spilled over various road in places. ||Along Toppenish and Satus Creeks, in the lower valley, water over roads and field flooding were reported along the main branches of the creeks as well as the numerous tributaries to these creeks. A number of roads remained closed due to high water through the rest of March." +114806,688577,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-03-06 21:00:00,PST-8,2017-03-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought snow to portions of eastern Washington and northeastern Oregon. Significant snow occurred over the Northern Blue mountains and along the Cascade east slopes.","Measured snow fall of 11 inches 6 miles ENE of Easton in Kittitas county." +114528,686818,ALASKA,2017,March,High Wind,"WESTERN ARCTIC COAST",2017-03-08 05:00:00,AKST-9,2017-03-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed over Northwest Alaska on march 8th between a low over Russia and a 1040 mb high over the Seward peninsula.","A peak wind of 63 kt (72 mph) reported at Cape Lisburne." +114122,683387,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 15:00:00,PST-8,2017-03-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Avery reported a two day total of 5.4 inches of new snow accumulation." +114122,683388,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 15:00:00,PST-8,2017-03-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer 3 miles south of St. Maries reported a two day total of 9.3 inches of new snow accumulation." +114122,683390,IDAHO,2017,March,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-03-07 10:00:00,PST-8,2017-03-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","The Lookout Pass Ski Resort reported a four day total snow accumulation of 80 inches. Silver Mountain Ski Resort reported 29 inches over the same time frame." +114122,683394,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-08 21:00:00,PST-8,2017-03-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer near Moscow reported 7 inches of new snow accumulation." +114865,689550,IDAHO,2017,March,Flood,"FRANKLIN",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,77.00K,77000,0.00K,0,42.42,-111.72,42.2188,-112.0891,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding from snow melt continued in March but the effects decreased substantially from February. Road damage persisted along with some minor property damage." +114865,689556,IDAHO,2017,March,Flood,"JEFFERSON",2017-03-01 01:00:00,MST-7,2017-03-31 01:00:00,0,0,0,0,435.00K,435000,0.00K,0,44,-112.22,43.93,-112.6506,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Extensive road and property damage continued into March. Many roads in the Roberts area suffered severe damage due to the flooding. Multiple personal water wells had e-coli due to the problems from the flooding in the first week of March. This occurred near E 200 N and N 3300 E southwest of Lewisville." +114865,689558,IDAHO,2017,March,Flood,"LINCOLN",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,277.00K,277000,0.00K,0,42.8072,-114.5676,42.7576,-113.78,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Snow melt sheet flooding continued into March in the region with continued road and property damage due to the waters. The last two days of the month release from the Magic Reservoir into the Big Wood River caused some flooding 5 miles north of Shoshone and trapped a many in his home for a couple of days. It washed over the bridge in front of his home blocking his way out." +114865,689560,IDAHO,2017,March,Flood,"MINIDOKA",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,425.00K,425000,0.00K,0,43.1618,-113.72,42.6,-113.9666,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Extensive flooding continued throughout Minidoka County in March although effects did diminish significantly from February. Road and property damage remained substantial however despite the improved conditions from February." +114865,689561,IDAHO,2017,March,Flood,"ONEIDA",2017-03-01 01:00:00,MST-7,2017-03-31 23:00:00,0,0,0,0,45.00K,45000,0.00K,0,42.37,-112.4,42.33,-112.9916,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding from snow melt continued throughout March though not as severe as it was in February. Damages to roads and property ...mainly flooded basements continued to add up through the month. On the 17th there was water running over North Highway 1919 between Devil Creek Reservoir and Power House Road on Malad Summit." +114150,684914,OKLAHOMA,2017,March,Thunderstorm Wind,"MCCLAIN",2017-03-29 01:30:00,CST-6,2017-03-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-97.52,34.98,-97.52,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114150,684915,OKLAHOMA,2017,March,Thunderstorm Wind,"CLEVELAND",2017-03-29 01:55:00,CST-6,2017-03-29 01:55:00,0,0,0,0,0.00K,0,0.00K,0,35.14,-97.39,35.14,-97.39,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Tree limbs up to one foot diameter were snapped by strong winds." +114151,684916,TEXAS,2017,March,Thunderstorm Wind,"BAYLOR",2017-03-28 18:45:00,CST-6,2017-03-28 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-99.3,33.63,-99.3,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684917,TEXAS,2017,March,Hail,"BAYLOR",2017-03-28 18:53:00,CST-6,2017-03-28 18:53:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-99.26,33.6,-99.26,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684918,TEXAS,2017,March,Hail,"BAYLOR",2017-03-28 18:54:00,CST-6,2017-03-28 18:54:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-99.26,33.6,-99.26,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684919,TEXAS,2017,March,Hail,"BAYLOR",2017-03-28 19:11:00,CST-6,2017-03-28 19:11:00,0,0,0,0,0.00K,0,0.00K,0,33.57,-99.27,33.57,-99.27,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684920,TEXAS,2017,March,Hail,"WICHITA",2017-03-28 19:41:00,CST-6,2017-03-28 19:41:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.94,34.03,-98.94,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684921,TEXAS,2017,March,Hail,"WICHITA",2017-03-28 19:43:00,CST-6,2017-03-28 19:43:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.92,34.03,-98.92,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +113755,684348,TEXAS,2017,March,Thunderstorm Wind,"CORYELL",2017-03-26 20:35:00,CST-6,2017-03-26 20:35:00,0,0,0,0,0.00K,0,0.00K,0,31.43,-97.75,31.43,-97.75,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","The Gatesville, TX AWOS recorded a thunderstorm wind gust of 58 MPH." +113755,687734,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:21:00,CST-6,2017-03-26 19:21:00,0,0,0,0,10.00K,10000,0.00K,0,33.0174,-97.069,33.0174,-97.069,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated 2 inch diameter hail in Flower Mound, TX." +115017,690163,TEXAS,2017,March,Hail,"LIMESTONE",2017-03-24 15:55:00,CST-6,2017-03-24 15:55:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-96.46,31.48,-96.46,"Isolated thunderstorms developed during the afternoon of March 24th. Small hail was reported in several storms, with the largest being nickel sized hail.","" +113755,690164,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:25:00,CST-6,2017-03-26 17:25:00,0,0,0,0,0.00K,0,0.00K,0,33.23,-97.6,33.23,-97.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690166,TEXAS,2017,March,Hail,"HAMILTON",2017-03-26 18:04:00,CST-6,2017-03-26 18:04:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-98.03,31.98,-98.03,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690167,TEXAS,2017,March,Hail,"BOSQUE",2017-03-26 18:50:00,CST-6,2017-03-26 18:50:00,0,0,0,0,0.00K,0,0.00K,0,31.95,-97.65,31.95,-97.65,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690168,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:45:00,CST-6,2017-03-26 19:45:00,0,0,0,0,0.00K,0,0.00K,0,33.16,-96.64,33.16,-96.64,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690169,TEXAS,2017,March,Hail,"HILL",2017-03-26 20:20:00,CST-6,2017-03-26 20:20:00,0,0,0,0,0.00K,0,0.00K,0,32,-97.13,32,-97.13,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690170,TEXAS,2017,March,Hail,"GRAYSON",2017-03-26 20:23:00,CST-6,2017-03-26 20:23:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-96.7,33.53,-96.7,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690171,TEXAS,2017,March,Hail,"HILL",2017-03-26 20:38:00,CST-6,2017-03-26 20:38:00,0,0,0,0,0.00K,0,0.00K,0,31.88,-97.08,31.88,-97.08,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113927,682303,PENNSYLVANIA,2017,February,Strong Wind,"ALLEGHENY",2017-02-12 19:00:00,EST-5,2017-02-12 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","Emergency management reported trees and power lines down." +117816,708222,LAKE ERIE,2017,June,Waterspout,"AVON POINT TO WILLOWICK OH",2017-06-26 08:28:00,EST-5,2017-06-26 08:28:00,0,0,0,0,0.00K,0,0.00K,0,41.7683,-81.5694,41.7683,-81.5694,"Showers and thunderstorms developed over Lake Erie. Several waterspouts were reported.","A large waterspout was observed." +117816,708223,LAKE ERIE,2017,June,Waterspout,"AVON POINT TO WILLOWICK OH",2017-06-26 09:00:00,EST-5,2017-06-26 09:10:00,0,0,0,0,0.00K,0,0.00K,0,41.8145,-81.3867,41.8461,-81.3071,"Showers and thunderstorms developed over Lake Erie. Several waterspouts were reported.","Three waterspouts were reported offshore of Mentor and Fairport." +117577,707074,OHIO,2017,June,Thunderstorm Wind,"MEDINA",2017-06-04 14:50:00,EST-5,2017-06-04 14:50:00,0,0,0,0,1.00K,1000,0.00K,0,41.03,-82.1159,41.03,-82.1159,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Thunderstorm wind gusts were estimated to be 60 mph. A couple large tree limbs were reported down." +114306,684855,NORTH CAROLINA,2017,March,Winter Weather,"MITCHELL",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684856,NORTH CAROLINA,2017,March,Winter Weather,"NORTHERN JACKSON",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684857,NORTH CAROLINA,2017,March,Winter Weather,"POLK MOUNTAINS",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684858,NORTH CAROLINA,2017,March,Winter Weather,"RUTHERFORD MOUNTAINS",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684859,NORTH CAROLINA,2017,March,Winter Weather,"SOUTHERN JACKSON",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684860,NORTH CAROLINA,2017,March,Winter Weather,"SWAIN",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +113331,678198,OKLAHOMA,2017,March,Hail,"TULSA",2017-03-25 01:38:00,CST-6,2017-03-25 01:38:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-95.95,36.15,-95.95,"A strong upper level disturbance moved eastward from the Southern Rockies into the Southern Plains on the 24th and 25th. Several areas of strong thunderstorms developed ahead of this system, in the moist and unstable air across eastern Oklahoma and northwestern Arkansas. The strongest storms produced hail up to penny size in eastern Oklahoma.","" +113334,678199,OKLAHOMA,2017,March,Hail,"ROGERS",2017-03-29 16:17:00,CST-6,2017-03-29 16:17:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-95.7697,36.23,-95.7697,"An area of strong thunderstorms moved through eastern Oklahoma during the morning hours of the 29th. Scattered thunderstorms redeveloped across portions of northeastern Oklahoma during the afternoon hours as a cold-core upper level storm system moved northeast across the area. The strongest storms produced hail up to quarter size.","" +113334,678200,OKLAHOMA,2017,March,Hail,"ROGERS",2017-03-29 16:20:00,CST-6,2017-03-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.3405,-95.6254,36.3405,-95.6254,"An area of strong thunderstorms moved through eastern Oklahoma during the morning hours of the 29th. Scattered thunderstorms redeveloped across portions of northeastern Oklahoma during the afternoon hours as a cold-core upper level storm system moved northeast across the area. The strongest storms produced hail up to quarter size.","" +113318,680900,OKLAHOMA,2017,March,Hail,"PITTSBURG",2017-03-01 00:21:00,CST-6,2017-03-01 00:21:00,0,0,0,0,0.00K,0,0.00K,0,34.9455,-95.7453,34.9455,-95.7453,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +113318,680904,OKLAHOMA,2017,March,Hail,"LATIMER",2017-03-01 01:25:00,CST-6,2017-03-01 01:25:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-95.08,34.75,-95.08,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +113324,680913,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-06 22:25:00,CST-6,2017-03-06 22:25:00,0,0,0,0,0.00K,0,0.00K,0,35.8348,-94.3115,35.8348,-94.3115,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","" +113956,682441,ILLINOIS,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-01 02:40:00,CST-6,2017-03-01 02:40:00,0,0,0,0,0.00K,0,0.00K,0,38.5,-89.8,38.5,-89.8,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew down several trees, tree limbs and power lines around town." +114332,685096,MISSOURI,2017,March,Thunderstorm Wind,"SHELBY",2017-03-06 21:55:00,CST-6,2017-03-06 21:55:00,0,0,0,0,0.00K,0,0.00K,0,39.8063,-92.0415,39.8063,-92.0415,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew over a large tree onto a house causing moderate damage." +114332,685097,MISSOURI,2017,March,Thunderstorm Wind,"SHELBY",2017-03-06 21:58:00,CST-6,2017-03-06 22:03:00,0,0,0,0,0.00K,0,0.00K,0,39.7806,-91.9198,39.7968,-91.8629,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Scattered wind damage extended from 3 miles west southwest of Emden to Emden. Numerous tree limbs were blown down. In Emden, several trees were blown down around town. One tree caused moderate damage to one building. Just north of Emden, there was one outbuilding that sustained minor roof damage." +114332,686641,MISSOURI,2017,March,Thunderstorm Wind,"RALLS",2017-03-06 22:55:00,CST-6,2017-03-06 22:55:00,0,0,0,0,0.00K,0,0.00K,0,39.4724,-91.5296,39.4724,-91.5296,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down numerous large tree limbs and a couple of street signs." +114332,686643,MISSOURI,2017,March,Hail,"BOONE",2017-03-06 22:07:00,CST-6,2017-03-06 22:07:00,0,0,0,0,0.00K,0,0.00K,0,39.0342,-92.47,39.0342,-92.47,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686644,MISSOURI,2017,March,Hail,"BOONE",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-92.33,38.95,-92.33,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686645,MISSOURI,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,0.00K,0,0.00K,0,38.9712,-92.3254,38.9712,-92.3254,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew off portions of a roof on a strip mall at the intersection of Providence Road and Vandiver Drive." +114332,686646,MISSOURI,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 22:25:00,CST-6,2017-03-06 22:25:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-92.23,39.1157,-92.2143,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down numerous large tree limbs around town." +113437,678763,HAWAII,2017,March,High Surf,"OAHU KOOLAU",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678764,HAWAII,2017,March,High Surf,"MOLOKAI WINDWARD",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678765,HAWAII,2017,March,High Surf,"MOLOKAI LEEWARD",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678766,HAWAII,2017,March,High Surf,"MAUI WINDWARD WEST",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678767,HAWAII,2017,March,High Surf,"MAUI CENTRAL VALLEY",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +115365,695392,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-29 23:16:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-92.35,34.7378,-92.3514,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","" +115365,695394,ARKANSAS,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 23:37:00,CST-6,2017-04-29 23:37:00,0,0,0,0,10.00K,10000,0.00K,0,35.19,-91.59,35.19,-91.59,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","It was reported that a house sustained major damage." +115365,695395,ARKANSAS,2017,April,Tornado,"BOONE",2017-04-29 14:16:00,CST-6,2017-04-29 14:18:00,1,0,0,0,400.00K,400000,0.00K,0,36.2087,-93.0769,36.2207,-93.0464,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tornado moved near/through the town of Bellefonte. A couple homes sustained significant damage. A chandelier fell on a woman in the first house impacted by the tornado, resulting in a head injury and a hospital visit. She is expected to have a full recovery. Subsequent damage included damage to outbuildings and several trees uprooted." +115365,692704,ARKANSAS,2017,April,Thunderstorm Wind,"VAN BUREN",2017-04-29 20:49:00,CST-6,2017-04-29 20:49:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-92.41,35.37,-92.41,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several trees were downed in the city of Damascus in about a 100 yard swath." +115365,695348,ARKANSAS,2017,April,Thunderstorm Wind,"SCOTT",2017-04-29 20:53:00,CST-6,2017-04-29 20:53:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-93.95,34.8,-93.95,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tree was blown down across the highway near the town of Parks." +115365,695349,ARKANSAS,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 21:20:00,CST-6,2017-04-29 21:20:00,0,0,0,0,0.00K,0,0.00K,0,34.46,-93.68,34.4566,-93.689,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Fire department reported cars floating out of peoples driveways in Norman." +115365,695350,ARKANSAS,2017,April,Thunderstorm Wind,"GARLAND",2017-04-29 21:26:00,CST-6,2017-04-29 21:26:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-93.29,34.43,-93.29,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines were down throughout Garland County with Pearcy being one of the harder hit areas." +115365,695351,ARKANSAS,2017,April,Thunderstorm Wind,"PERRY",2017-04-29 21:49:00,CST-6,2017-04-29 21:49:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-93.04,35.03,-93.04,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Trees and power lines were down in Casa." +115365,695352,ARKANSAS,2017,April,Thunderstorm Wind,"POPE",2017-04-29 21:50:00,CST-6,2017-04-29 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-93.05,35.27,-93.05,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Power lines were down on Crow Mountain." +115365,695354,ARKANSAS,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 22:00:00,CST-6,2017-04-29 23:30:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-93.63,34.5359,-93.6339,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several roads around Mount Ida were covered be several feet of water and impassable." +115365,696494,ARKANSAS,2017,April,Heavy Rain,"PIKE",2017-04-30 06:10:00,CST-6,2017-04-30 06:10:00,0,0,0,0,0.00K,0,0.00K,0,34.06,-93.71,34.06,-93.71,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","This was the 24 hour rainfall total." +115914,696495,ARKANSAS,2017,April,Hail,"BOONE",2017-04-28 21:38:00,CST-6,2017-04-28 21:38:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-93.21,36.32,-93.21,"A severe thunderstorm occurred in Boone County on 4/28/17.","" +112444,680198,FLORIDA,2017,February,Thunderstorm Wind,"SUWANNEE",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0777,-82.8596,30.0777,-82.8596,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Strong winds damage the skirting of a mobile home, broke a window, ripped 9 shingles off of the roof, rolled a carport into a field, damaged a water shed, torn down fences, and damaged the rear glass of a vehicle. The EM that conducted the survey estimated winds of 90-98 mph. These winds were adjusted downward for StormData based on other wind speed measurement with this event." +113027,675616,CONNECTICUT,2017,March,Heavy Snow,"HARTFORD",2017-03-14 02:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of northern Connecticut, with snowfall rates of 3 to 4 inches per hour at times. Strong winds gusted past 50 mph at times.","Heavy snow, coming down at the rate of 3 to 4 inches per hour at times, occurred in the morning and early afternoon. Totals reached 19.5 inches in Burlington; 18.5 inches in Southington; 16.0 inches in Farmington... and officially 15.8 inches at Bradley International Airport in Windsor Locks. Amounts were less in the southeast portion of Hartford County, with 8.0 inches in Wethersfield and 7.0 inches in Marlborough." +113027,675617,CONNECTICUT,2017,March,Heavy Snow,"TOLLAND",2017-03-14 03:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of northern Connecticut, with snowfall rates of 3 to 4 inches per hour at times. Strong winds gusted past 50 mph at times.","Heavy snow, coming down at the rate of 2-3 inches per hour at times, occurred in the morning and early afternoon. Totals reached 8 to 14 inches across Tolland County. Some specific amounts included: 14.0 inches in Tolland, 13.5 inches in Somers and Staffordville; 13.0 inches in Ellington and Coventry; 12.0 inches in Columbia; 11.0 inches in Mansfield; and 8.0 inches in Vernon." +113035,675680,OHIO,2017,March,Winter Weather,"VAN WERT",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county were generally around an inch or two, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113035,675688,OHIO,2017,March,Winter Weather,"PUTNAM",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county generally ranged between 2 and 3 inches, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113035,675691,OHIO,2017,March,Winter Weather,"HENRY",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county generally ranged between 2 and 3 inches, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113035,675692,OHIO,2017,March,Winter Weather,"DEFIANCE",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county generally ranged between 2 and 3 inches, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +113035,675694,OHIO,2017,March,Winter Weather,"WILLIAMS",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county generally ranged between 2 and 3 inches, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +112814,674135,NEW MEXICO,2017,March,High Wind,"FAR NORTHEAST HIGHLANDS",2017-03-06 08:00:00,MST-7,2017-03-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The Raton Crews Airport reported peak wind gusts up to 60 mph for several hours." +112814,674138,NEW MEXICO,2017,March,High Wind,"EASTERN LINCOLN COUNTY",2017-03-06 08:00:00,MST-7,2017-03-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The CSBF Transwestern Pump station reported peak wind gusts up to 58 mph for several hours." +112814,674141,NEW MEXICO,2017,March,High Wind,"JEMEZ MOUNTAINS",2017-03-06 09:00:00,MST-7,2017-03-06 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward across the southern Rockies forced a strong cold front through New Mexico with another round of high winds. The strongest winds once again impacted the area from the central mountain chain eastward along Interstate 40. Wind gusts between 70 and 80 mph were reported over the high peaks of the central mountain chain, including Kachina Peak, Sandia Crest, and the Magdalena Ridge Observatory. Gusts across the eastern plains averaged 60 to 65 mph with a few areas of blowing dust. Even the Rio Grande Valley experienced very windy conditions with wind gusts up to 50 mph from near Santa Fe south to Albuquerque and Socorro. A small wildfire broke along the Rio Grande near Monta��o Road in Albuquerque.","The Los Alamos National Lab weather network reported a peak wind gust up to 72 mph. The Los Alamos airport reported a peak wind gust up to 58 mph." +112829,689342,NORTH DAKOTA,2017,March,High Wind,"NELSON",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689343,NORTH DAKOTA,2017,March,High Wind,"GRIGGS",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689344,NORTH DAKOTA,2017,March,High Wind,"BARNES",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +117906,708906,WISCONSIN,2017,July,Thunderstorm Wind,"RACINE",2017-07-06 23:25:00,CST-6,2017-07-06 23:25:00,0,0,0,0,4.00K,4000,0.00K,0,42.77,-88.22,42.77,-88.22,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Trees down and power outages." +117906,708913,WISCONSIN,2017,July,Thunderstorm Wind,"MARQUETTE",2017-07-06 23:27:00,CST-6,2017-07-06 23:37:00,0,0,0,0,4.00K,4000,0.00K,0,43.79,-89.33,43.79,-89.33,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Multiple trees down throughout Montello." +117906,708919,WISCONSIN,2017,July,Thunderstorm Wind,"RACINE",2017-07-06 23:38:00,CST-6,2017-07-06 23:38:00,0,0,0,0,3.00K,3000,0.00K,0,42.69,-88.05,42.69,-88.05,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Several branches down including one 15 inches in diameter." +117906,708921,WISCONSIN,2017,July,Thunderstorm Wind,"KENOSHA",2017-07-06 23:45:00,CST-6,2017-07-06 23:50:00,0,0,0,0,4.00K,4000,,NaN,42.63,-88.03,42.63,-88.03,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Trees and power lines down including a 40 foot tree on a road." +117940,708935,WISCONSIN,2017,July,Hail,"WAUKESHA",2017-07-07 18:41:00,CST-6,2017-07-07 18:41:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-88.31,43.14,-88.31,"A cold front and upper trough brought scattered thunderstorms with large hail and damaging winds during the late afternoon and early evening hours.","" +117940,708936,WISCONSIN,2017,July,Thunderstorm Wind,"SHEBOYGAN",2017-07-07 16:54:00,CST-6,2017-07-07 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,43.87,-87.77,43.87,-87.77,"A cold front and upper trough brought scattered thunderstorms with large hail and damaging winds during the late afternoon and early evening hours.","Construction equipment blown over between mile markers 133 and 134 on I-43." +117940,708937,WISCONSIN,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 17:55:00,CST-6,2017-07-07 17:55:00,0,0,0,0,5.00K,5000,0.00K,0,43.47,-88.32,43.47,-88.32,"A cold front and upper trough brought scattered thunderstorms with large hail and damaging winds during the late afternoon and early evening hours.","One large tree uprooted and a few large trees snapped. Minor siding damage." +117940,708939,WISCONSIN,2017,July,Thunderstorm Wind,"FOND DU LAC",2017-07-07 17:01:00,CST-6,2017-07-07 17:08:00,0,0,0,0,2.00K,2000,,NaN,43.86,-88.85,43.86,-88.85,"A cold front and upper trough brought scattered thunderstorms with large hail and damaging winds during the late afternoon and early evening hours.","A 1.5 foot diameter tree snapped at its base and a 2 foot diameter tree snapped upward from the trunk." +117906,709318,WISCONSIN,2017,July,Thunderstorm Wind,"DANE",2017-07-06 22:50:00,CST-6,2017-07-06 22:57:00,0,0,0,0,15.00K,15000,0.00K,0,43.01,-89.3,43.01,-89.3,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Many large trees and limbs down in the village of McFarland. Some large limbs down on fences and homes. A trampoline was blown into a street." +117735,707948,NEW MEXICO,2017,August,Hail,"UNION",2017-08-13 15:53:00,MST-7,2017-08-13 15:57:00,0,0,0,0,1.00K,1000,0.00K,0,36.15,-103.13,36.15,-103.13,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Hail up to the size of golf balls with strong winds broke out windows at home in Sedan." +117735,707946,NEW MEXICO,2017,August,Hail,"UNION",2017-08-13 15:46:00,MST-7,2017-08-13 15:49:00,0,0,0,0,0.50K,500,0.00K,0,36.15,-103.13,36.15,-103.13,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","The combination of strong winds and ping pong ball hail broke a window at a home in Sedan." +117739,707950,NEW MEXICO,2017,August,Flash Flood,"SAN MIGUEL",2017-08-12 17:00:00,MST-7,2017-08-12 18:30:00,0,0,0,0,0.00K,0,0.00K,0,35.5915,-105.1296,35.5913,-105.1185,"A thunderstorm that moved slowly southeast across the Las Vegas area produced around two inches of rainfall over already saturated grounds. The Rito Vegoso creek five miles east of Las Vegas flooded a large section of state road 104 with mud and hail. A photo from an observer in the area noted the high water and a motorist heading advice not to drive through flood waters.","State road 104 flooded by mud and hail over a large section of the roadway." +112927,674667,WEST VIRGINIA,2017,March,Heavy Snow,"NORTHWEST POCAHONTAS",2017-03-13 19:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112940,674802,VERMONT,2017,March,Blizzard,"GRAND ISLE",2017-03-14 10:00:00,EST-5,2017-03-15 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Blizzard conditions impacted Grand Isle county starting around 4-5 pm on March 14th and ended around midnight with frequent gusts in excess of 40-45 mph reported. Snowfall reports ranged from 18 to 24 inches. There were only a few isolated power outages but roads were impassable and the Grand Isle to Cumberland Head Ferry was closed." +112940,674808,VERMONT,2017,March,Blizzard,"WESTERN ADDISON",2017-03-14 08:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Addison county generally ranged from 12 to 30 inches. Some specific amounts include; 34 inches in Waltham, 30 inches in Salisbury, 29 inches in Starksboro, 26 inches in Bristol, 25 inches in Lincoln, 18 inches in Orwell, 16 inches in New Haven, 15 inches in Hancock and 14 inches in Middlebury.||Blizzard conditions impacted many locations of western Addison county from Routes 7 and 22A westward to the lakeshore starting around 3-4 pm on March 14th and ended around 10-11 pm with frequent gusts in the 35-40 mph range." +115196,694501,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:14:00,CST-6,2017-05-10 16:14:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-99.42,34.55,-99.42,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694502,OKLAHOMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-10 16:20:00,CST-6,2017-05-10 16:20:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-99.33,34.51,-99.33,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694503,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:22:00,CST-6,2017-05-10 16:22:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-99.33,34.61,-99.33,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694504,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:27:00,CST-6,2017-05-10 16:27:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-99.33,34.78,-99.33,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694505,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:28:00,CST-6,2017-05-10 16:28:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-99.33,34.64,-99.33,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +112765,673550,INDIANA,2017,March,Flash Flood,"DEARBORN",2017-03-01 02:00:00,EST-5,2017-03-01 04:00:00,0,0,0,0,20.00K,20000,0.00K,0,39.1322,-84.89,39.0912,-84.8831,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several basements were flooded in Greendale." +113093,676376,NEBRASKA,2017,March,Hail,"BURT",2017-03-06 14:00:00,CST-6,2017-03-06 14:01:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-96.47,41.84,-96.47,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +115196,694506,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:33:00,CST-6,2017-05-10 16:33:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-99.33,34.66,-99.33,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694507,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:35:00,CST-6,2017-05-10 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-99.29,34.66,-99.29,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +113061,676434,TEXAS,2017,March,Thunderstorm Wind,"GARZA",2017-03-23 22:20:00,CST-6,2017-03-23 22:20:00,0,0,0,0,0.00K,0,0.00K,0,33.06,-101.05,33.06,-101.05,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","A metal security gate was torn off its mounts. Time estimated." +113062,676435,TEXAS,2017,March,High Wind,"SWISHER",2017-03-24 09:12:00,CST-6,2017-03-24 18:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sporadic high sustained winds developed this day south of a tightly wound low pressure system in the Texas Panhandle. These westerly winds generated some blowing dust, but surprisingly much less than the preceding day when southerly wind gusts were more robust. The visibility at Lubbock International Airport fell briefly to five miles late in the morning, before quickly recovering to seven miles or better.","" +113062,676436,TEXAS,2017,March,High Wind,"HALE",2017-03-24 09:19:00,CST-6,2017-03-24 12:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sporadic high sustained winds developed this day south of a tightly wound low pressure system in the Texas Panhandle. These westerly winds generated some blowing dust, but surprisingly much less than the preceding day when southerly wind gusts were more robust. The visibility at Lubbock International Airport fell briefly to five miles late in the morning, before quickly recovering to seven miles or better.","" +112766,675135,KENTUCKY,2017,March,Thunderstorm Wind,"MASON",2017-03-01 04:43:00,EST-5,2017-03-01 04:44:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-83.74,38.54,-83.74,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Measured at the Fleming-Mason County Airport." +112766,676367,KENTUCKY,2017,March,Flash Flood,"BOONE",2017-03-01 06:45:00,EST-5,2017-03-01 07:45:00,0,0,0,0,50.00K,50000,0.00K,0,39.05,-84.81,39.0579,-84.8103,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A car was washed into a creek off of Asby Fork Road. A private bridge was also washed out." +112766,675162,KENTUCKY,2017,March,Thunderstorm Wind,"CARROLL",2017-03-01 06:35:00,EST-5,2017-03-01 06:40:00,0,0,0,0,200.00K,200000,0.00K,0,38.68,-85.16,38.68,-85.16,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous houses, buildings and churches sustained significant roof damage. There was also substantial damage to a concrete building. In addition, dozens of trees were downed." +112766,673735,KENTUCKY,2017,March,Thunderstorm Wind,"GALLATIN",2017-03-01 06:49:00,EST-5,2017-03-01 06:53:00,0,0,0,0,50.00K,50000,0.00K,0,38.82,-84.79,38.82,-84.79,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous hardwood and softwood trees were snapped or uprooted. In addition, damage occurred to the roofs of several homes. Most roof damage consisted of roofing material fully or partially removed. A few barns and outbuildings were completely destroyed. The damage was consistent with wind speeds of 65 to 85 mph." +113107,677247,NEW MEXICO,2017,March,High Wind,"UNION COUNTY",2017-03-23 14:00:00,MST-7,2017-03-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Clayton reported an extended period of wind gusts near 60 mph." +113107,677252,NEW MEXICO,2017,March,High Wind,"ROOSEVELT COUNTY",2017-03-23 15:30:00,MST-7,2017-03-23 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Strong winds developed over Roosevelt County behind a departing line of showers and thunderstorms. Sustained winds as high as 45 mph were reported for a couple hours." +112769,673625,KENTUCKY,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-01 09:27:00,EST-5,2017-03-01 09:27:00,0,0,0,0,,NaN,,NaN,37.82,-82.81,37.82,-82.81,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roof of a building was damaged in downtown Paintsville." +112769,673626,KENTUCKY,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 09:25:00,EST-5,2017-03-01 09:25:00,0,0,0,0,,NaN,,NaN,37.27,-83.65,37.27,-83.65,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A 61 mph thunderstorm wind gust was measure by a weather station at the Oneida Baptist Institute." +112769,673628,KENTUCKY,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 09:50:00,EST-5,2017-03-01 09:50:00,0,0,0,0,,NaN,,NaN,37.54,-82.6,37.54,-82.6,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","One mobile home was rolled off its foundation and two other mobile homes were shifted off their foundations." +112769,673629,KENTUCKY,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 09:54:00,EST-5,2017-03-01 09:54:00,0,0,0,0,,NaN,,NaN,37.49,-82.54,37.49,-82.54,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","An awning was blown down and a flag pole was blown over at the Pikeville High School." +112769,673630,KENTUCKY,2017,March,Thunderstorm Wind,"PERRY",2017-03-01 09:45:00,EST-5,2017-03-01 09:45:00,0,0,0,0,,NaN,,NaN,37.29,-83.15,37.29,-83.15,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roof of a barn was damaged." +112682,673125,WEST VIRGINIA,2017,March,Strong Wind,"TYLER",2017-03-02 04:30:00,EST-5,2017-03-02 04:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trees were downed in several locations along Route 2 west of Middlebourne." +112682,673127,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 06:05:00,EST-5,2017-03-01 06:05:00,0,0,0,0,0.20K,200,0.00K,0,39.05,-81.73,39.05,-81.73,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Large limbs were blown down across a road." +115724,695450,NORTH CAROLINA,2017,April,High Wind,"ALLEGHANY",2017-04-06 01:00:00,EST-5,2017-04-06 01:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure deepened as it progressed from the Ohio Valley to New York. Winds increased on the backside of the system and produced wind gusts around 60 mph that downed numerous trees in both Ashe and Watauga counties and a traffic sign in Alleghany County.","Winds downed a traffic sign in the Piney Creek area. Damage values are estimated." +115731,695478,VIRGINIA,2017,April,Thunderstorm Wind,"ROANOKE",2017-04-15 13:06:00,EST-5,2017-04-15 13:06:00,0,0,0,0,2.50K,2500,,NaN,37.3035,-79.9988,37.3035,-79.9988,"A warm front lifted across the region with accompanying showers and storms. One of these storms moved through the Salem/Roanoke region and producing damaging winds and nickle sized hail.","Thunderstorm winds blew a tree down on power lines along Garstland Dr. NW. Damage values are estimated." +115731,695479,VIRGINIA,2017,April,Thunderstorm Wind,"ROANOKE",2017-04-15 13:07:00,EST-5,2017-04-15 13:07:00,0,0,0,0,2.50K,2500,,NaN,37.2621,-79.9774,37.2621,-79.9774,"A warm front lifted across the region with accompanying showers and storms. One of these storms moved through the Salem/Roanoke region and producing damaging winds and nickle sized hail.","Thunderstorm winds blew a tree down on a power line along Windsor Avenue, causing a power outage. Damage values are estimated." +115731,695480,VIRGINIA,2017,April,Hail,"SALEM (C)",2017-04-15 12:55:00,EST-5,2017-04-15 12:55:00,0,0,0,0,,NaN,,NaN,37.3,-80.07,37.3,-80.07,"A warm front lifted across the region with accompanying showers and storms. One of these storms moved through the Salem/Roanoke region and producing damaging winds and nickle sized hail.","" +115731,695481,VIRGINIA,2017,April,Hail,"ROANOKE",2017-04-15 13:25:00,EST-5,2017-04-15 13:25:00,0,0,0,0,,NaN,,NaN,37.3,-79.93,37.3,-79.93,"A warm front lifted across the region with accompanying showers and storms. One of these storms moved through the Salem/Roanoke region and producing damaging winds and nickle sized hail.","" +119055,714995,MISSOURI,2017,July,Hail,"GENTRY",2017-07-10 17:36:00,CST-6,2017-07-10 17:36:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-94.29,40.34,-94.29,"On the evening of July 10, a thunderstorm produced some penny to golf ball sized hail in Gentry County.","" +119055,714996,MISSOURI,2017,July,Hail,"GENTRY",2017-07-10 17:58:00,CST-6,2017-07-10 17:59:00,0,0,0,0,0.00K,0,0.00K,0,40.26,-94.3,40.26,-94.3,"On the evening of July 10, a thunderstorm produced some penny to golf ball sized hail in Gentry County.","" +119055,714997,MISSOURI,2017,July,Hail,"GENTRY",2017-07-10 18:10:00,CST-6,2017-07-10 18:13:00,0,0,0,0,,NaN,,NaN,40.28,-94.29,40.28,-94.29,"On the evening of July 10, a thunderstorm produced some penny to golf ball sized hail in Gentry County.","This report was received via social media." +119056,714998,MISSOURI,2017,July,Flash Flood,"GRUNDY",2017-07-12 23:32:00,CST-6,2017-07-13 02:32:00,0,0,0,0,0.00K,0,0.00K,0,40.0472,-93.4358,40.019,-93.4336,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Several feet of water was running over Route V east of Laredo." +113580,679866,TEXAS,2017,March,Thunderstorm Wind,"CASS",2017-03-24 19:18:00,CST-6,2017-03-24 19:18:00,0,0,0,0,0.00K,0,0.00K,0,33.0313,-94.3898,33.0313,-94.3898,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A tree was blown down across FM 1399. A motorist ran over the tree." +113580,679867,TEXAS,2017,March,Thunderstorm Wind,"CASS",2017-03-24 19:20:00,CST-6,2017-03-24 19:20:00,0,0,0,0,0.00K,0,0.00K,0,32.9813,-94.3112,32.9813,-94.3112,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A power line was snapped and started a fire along County Road 1899." +113463,679941,MARYLAND,2017,March,Winter Weather,"CALVERT",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between one and two inches across the county and ice accumulation was estimated to be between one and two tenths of an inch based on observations nearby." +113580,679868,TEXAS,2017,March,Thunderstorm Wind,"CASS",2017-03-24 19:21:00,CST-6,2017-03-24 19:21:00,0,0,0,0,0.00K,0,0.00K,0,32.9881,-94.3363,32.9881,-94.3363,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were downed along FM 125." +113580,679869,TEXAS,2017,March,Thunderstorm Wind,"RUSK",2017-03-24 19:25:00,CST-6,2017-03-24 19:25:00,0,0,0,0,0.00K,0,0.00K,0,32.3118,-94.5277,32.3118,-94.5277,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A few trees were blown down on the west southwest side of Tatum." +113580,679870,TEXAS,2017,March,Thunderstorm Wind,"HARRISON",2017-03-24 19:30:00,CST-6,2017-03-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.4882,-94.4399,32.4882,-94.4399,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down across Interstate 20 westbound at mile marker 612." +113580,679871,TEXAS,2017,March,Thunderstorm Wind,"HARRISON",2017-03-24 19:35:00,CST-6,2017-03-24 19:35:00,0,0,0,0,0.00K,0,0.00K,0,32.4957,-94.2479,32.4957,-94.2479,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A semi truck was overturned near Scottsville on Westbound Interstate 20." +113580,679872,TEXAS,2017,March,Thunderstorm Wind,"HARRISON",2017-03-24 19:35:00,CST-6,2017-03-24 19:35:00,0,0,0,0,0.00K,0,0.00K,0,32.5536,-94.3767,32.5536,-94.3767,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Numerous trees were uprooted and snapped across the city of Marshall. A very concentrated area of snapped and uprooted trees occurred in the Greenwood Cemetery, and the damage pattern was consistent with a downburst, with wind speeds estimated between 95-105 mph." +113580,679873,TEXAS,2017,March,Thunderstorm Wind,"CASS",2017-03-24 19:35:00,CST-6,2017-03-24 19:35:00,0,0,0,0,0.00K,0,0.00K,0,33.037,-94.1264,33.037,-94.1264,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Power lines were downed along FM 1841 near County Road 4672." +113463,679950,MARYLAND,2017,March,Winter Storm,"CARROLL",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 8.0 inches near Westminster and Lineboro." +113580,679876,TEXAS,2017,March,Thunderstorm Wind,"SAN AUGUSTINE",2017-03-24 20:29:00,CST-6,2017-03-24 20:29:00,0,0,0,0,125.00K,125000,0.00K,0,31.3116,-94.381,31.3116,-94.381,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A downburst occurred as an eastward moving line of severe thunderstorms moved across Lake Sam Rayburn. Winds likely accelerated across the open waters before slamming into the westward exposed shoreline at the Shirley Creek Marina south of Etoile. Numerous trees were snapped and uprooted. The boat awning at the marina was damaged, and several residences sustained minor damage to their roofing shingles. One residence was severely damaged, as a large portion of the roof deck was uplifted and the walls partially collapsed. Wind speeds were estimated to be between 100-110 mph." +113580,679877,TEXAS,2017,March,Thunderstorm Wind,"SAN AUGUSTINE",2017-03-24 20:52:00,CST-6,2017-03-24 20:52:00,0,0,0,0,0.00K,0,0.00K,0,31.4465,-94.0638,31.4465,-94.0638,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down across County Road 413." +113580,679880,TEXAS,2017,March,Thunderstorm Wind,"SABINE",2017-03-24 21:15:00,CST-6,2017-03-24 21:15:00,0,0,0,0,0.00K,0,0.00K,0,31.3446,-93.849,31.3446,-93.849,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down in and near Hemphill." +113580,679881,TEXAS,2017,March,Thunderstorm Wind,"RUSK",2017-03-24 18:55:00,CST-6,2017-03-24 18:55:00,0,0,0,0,0.00K,0,0.00K,0,32.1601,-94.8105,32.1601,-94.8105,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Tree down blocking Fordall Street in Henderson." +111595,665791,NEW MEXICO,2017,January,Cold/Wind Chill,"QUAY COUNTY",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at the Tucumcari airport fell to between -15 and -20 degrees." +111595,665793,NEW MEXICO,2017,January,Cold/Wind Chill,"CENTRAL HIGHLANDS",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at Clines Corners fell to between -10 and -20 degrees." +113219,677396,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-03 13:00:00,PST-8,2017-02-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","The Prichard COOP Observer reported a two day snowfall total of 32 inches, falling from the afternoon of February 3rd through the afternoon of the 5th." +113219,677401,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-03 15:00:00,PST-8,2017-02-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","An observer at St. Maries reported 7.6 inches of new snow." +112804,674583,MINNESOTA,2017,January,Heavy Snow,"MOWER",2017-01-24 18:45:00,CST-6,2017-01-25 19:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 8 to 12 inches of heavy, wet snow fell across Mower County. The highest reported total was 12 inches in Grand Meadow." +112804,674581,MINNESOTA,2017,January,Heavy Snow,"FILLMORE",2017-01-24 19:10:00,CST-6,2017-01-25 21:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 4 to 8 inches of heavy, wet snow fell across Fillmore County. The highest reported total was 8.3 inches near Wykoff." +112804,674582,MINNESOTA,2017,January,Heavy Snow,"HOUSTON",2017-01-24 20:02:00,CST-6,2017-01-25 22:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 3 to 8 inches of heavy, wet snow fell across Houston County. The highest reported total was 8.8 inches in Caledonia." +113219,677402,IDAHO,2017,February,Heavy Snow,"COEUR D'ALENE AREA",2017-02-03 17:00:00,PST-8,2017-02-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","An observer at Huetter measured 12.5 inches of new snow accumulation." +113232,677831,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 09:15:00,MST-7,2017-01-10 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wagonhound measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 10/1235 MST." +111780,666674,OKLAHOMA,2017,January,Ice Storm,"NOWATA",2017-01-13 03:30:00,CST-6,2017-01-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +111780,666673,OKLAHOMA,2017,January,Ice Storm,"WASHINGTON",2017-01-13 03:30:00,CST-6,2017-01-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +111780,666675,OKLAHOMA,2017,January,Ice Storm,"PAWNEE",2017-01-13 03:30:00,CST-6,2017-01-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +113301,677978,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-18 08:00:00,PST-8,2017-01-19 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","Trained Spotter near 6 miles east southeast of Camp Nelson reported a measured 24 hour snowfall of 14 inches in Tulare County at an elevation of 7,200 feet." +113301,677979,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-18 08:00:00,PST-8,2017-01-19 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","COOP station near Tuolumne Meadows reported a measured 24 hour snowfall of 15 inches in Tuolumne County." +113301,677980,CALIFORNIA,2017,January,Winter Weather,"KERN CTY MTNS",2017-01-18 18:04:00,PST-8,2017-01-18 18:04:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","California Highway Patrol reported vehicles spinning out due to snow on roadway near Cuddy Valley Road and Mil Potrero Highway in Kern County." +113301,677981,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-19 08:00:00,PST-8,2017-01-20 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","COOP station at Lodgepole reported a measured 24 hour snowfall of 10 inches in Tulare County." +113301,677982,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-19 08:00:00,PST-8,2017-01-20 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","Trained Spotter at 5 miles east southeast of Camp Nelson reported a measured 24 hour snowfall of 10 inches in Tulare County." +113301,677983,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-19 08:00:00,PST-8,2017-01-20 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and the Sierra Foothills along with wintry weather in the Kern County Mountains.","COOP station near Tuolumne Meadows reported a measured 24 hour snowfall of 10 inches in Tuolumne County." +113232,677865,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-08 10:20:00,MST-7,2017-01-08 15:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/1250 MST." +112878,674303,CALIFORNIA,2017,January,Ice Storm,"OWENS VALLEY",2017-01-07 06:00:00,PST-8,2017-01-07 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river made landfall in California, while cold and dry air remained trapped in the Owens Valley. This resulted in the first known freezing rain event in the WFO Las Vegas CWA since record keeping began.","Two inches of snow fell in Big Pine before the precipitation changed over to freezing rain. Approximately half an inch of freezing rain was reported in Big Pine and Independence, and Highway 395 was closed for about 90 minutes due to several incidents related to the slick roads." +112878,674304,CALIFORNIA,2017,January,Ice Storm,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-01-07 09:00:00,PST-8,2017-01-07 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river made landfall in California, while cold and dry air remained trapped in the Owens Valley. This resulted in the first known freezing rain event in the WFO Las Vegas CWA since record keeping began.","Over a quarter inch of freezing rain fell 5 miles WSW of Bishop, resulting in tree limbs sagging and breaking." +112878,674305,CALIFORNIA,2017,January,Flood,"INYO",2017-01-07 15:09:00,PST-8,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2923,-118.0186,36.2933,-118.0148,"An atmospheric river made landfall in California, while cold and dry air remained trapped in the Owens Valley. This resulted in the first known freezing rain event in the WFO Las Vegas CWA since record keeping began.","Water was over Highway 395 in two places near Olancha, but the road was still passable." +112884,674363,CALIFORNIA,2017,January,High Wind,"OWENS VALLEY",2017-01-09 20:32:00,PST-8,2017-01-10 14:22:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Yet another Pacific storm system brought high winds to the Owens Valley and heavy snow to the Sierra Nevada.","The peak gust was measured 5 miles NW of Independence. Four big rigs were blown over on Highway 395 near Olancha, prompting CHP to close the highway." +112884,674368,CALIFORNIA,2017,January,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-01-10 14:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another Pacific storm system brought high winds to the Owens Valley and heavy snow to the Sierra Nevada.","Sixteen inches of snow fell in Aspendell." +112885,674387,NEVADA,2017,January,High Wind,"LAS VEGAS VALLEY",2017-01-11 01:04:00,PST-8,2017-01-11 05:15:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Still another Pacific storm hot on the heels of the previous storm brought high winds to the Las Vegas Valley and heavy snow to the Spring Mountains.","The peak gust was measured 1 mile W of Summerlin. Around the valley, at least two trees were blown down, a large concrete sign began to lean but did not fall, and windblown debris got into a power substation and knocked out power to two Las Vegas Strip resorts for just over an hour." +112558,671498,COLORADO,2017,January,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-01-19 17:00:00,MST-7,2017-01-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow accumulations to the eastern San Juan and La Garita Mountains. An impressive 29 inches of snow fell at Wolf Creek Pass (Mineral County).","" +113241,677526,COLORADO,2017,January,Ice Storm,"CHEYENNE COUNTY",2017-01-15 04:15:00,MST-7,2017-01-16 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quarter of an inch of ice accumulated over Cheyenne County as three waves of freezing drizzle and freezing rain moved over the county. The highest ice accumulation was 0.30 reported near Cheyenne Wells.","Ice accumulation of 0.25-0.30 were reported near Cheyenne Wells." +111564,677100,CALIFORNIA,2017,January,Debris Flow,"EL DORADO",2017-01-10 12:00:00,PST-8,2017-01-10 18:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.7742,-120.814,38.7735,-120.8148,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Law enforcement reported a mud/rock slide on State Route 193 near the junction with Rock Creek Road." +111564,676646,CALIFORNIA,2017,January,Heavy Rain,"BUTTE",2017-01-09 11:00:00,PST-8,2017-01-10 11:00:00,0,0,0,0,6.00K,6000,0.00K,0,39.56,-121.43,39.56,-121.43,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A rock/mud slide covered the northbound lane of Highway 162 near the intersection with Simmons Rd. on the east side of Lake Oroville." +114629,687515,VERMONT,2017,May,Hail,"ADDISON",2017-05-18 17:27:00,EST-5,2017-05-18 17:28:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-73.3,44.09,-73.3,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Quarter-size hail reported along with strong gusty winds." +114629,687523,VERMONT,2017,May,Hail,"WASHINGTON",2017-05-18 17:54:00,EST-5,2017-05-18 17:57:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-72.83,44.12,-72.83,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Hail occurring for several minutes with sizes up to dime size or slightly larger accumulating an inch or more in portions of the area." +113030,676185,ALABAMA,2017,January,Thunderstorm Wind,"ESCAMBIA",2017-01-21 20:30:00,CST-6,2017-01-21 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.12,-87.07,31.12,-87.07,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A tree fell on a commercial building in Downtown Brewton." +112905,674564,WISCONSIN,2017,January,Winter Storm,"WAUSHARA",2017-01-16 18:00:00,CST-6,2017-01-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm air moving into the area ahead of a low pressure system brought near freezing temperatures that resulted in a wintry mix of precipitation across central Wisconsin. Between 0.25 and 0.40 inch of ice accretion was reported along with a light accumulation of sleet and snow. The freezing rain and sleet caused roads across central Wisconsin to become ice-covered, resulting in numerous vehicle accidents.","Freezing rain caused an accumulation of ice across Waushara County." +113092,676519,CALIFORNIA,2017,January,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-01-18 11:00:00,PST-8,2017-01-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 1:01 pm at School House Peak." +113036,676821,MICHIGAN,2017,January,Winter Weather,"ONTONAGON",2017-01-10 08:00:00,EST-5,2017-01-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","The observer in Paulding measured six inches of wet snow in 12 hours. Report was relayed via social media. West winds becoming gusty toward evening caused blowing and drifting of snow and hazardous road conditions." +113036,676823,MICHIGAN,2017,January,Winter Storm,"SOUTHERN SCHOOLCRAFT",2017-01-10 08:30:00,EST-5,2017-01-10 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report via social media of an estimated 7.5 inches of wet snow in 12 hours near Indian Lake." +113036,676826,MICHIGAN,2017,January,Winter Storm,"MARQUETTE",2017-01-10 08:00:00,EST-5,2017-01-10 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There were public reports of six inches of wet snow in 12 hours at both Harvey and K.I. Sawyer. An estimated seven to eight inches of wet snow fell in 14 hours at Big Bay." +113068,676203,FLORIDA,2017,January,Hail,"ESCAMBIA",2017-01-21 20:06:00,CST-6,2017-01-21 20:07:00,0,0,0,0,,NaN,0.00K,0,30.88,-87.5,30.88,-87.5,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Hail up to the size of hen eggs was reported near Walnut Hill." +113174,676959,NEW YORK,2017,January,Lake-Effect Snow,"OSWEGO",2017-01-26 14:00:00,EST-5,2017-01-29 21:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This was a long duration event that focused the greatest accumulations across the typical snow belts of the western Southern Tier and Tug Hill. The most impressive accumulations fell across the higher terrain of the Tug Hill, where a robust plume concentrated off of Lake Ontario. Totals were less impressive off Lake Erie, as parameters and fetch were less than ideal, making for more disorganized cellular convection for much of the event. Though persistent, the lake effect snows bands were mobile throughout the event. Off Lake Erie, lake effect snow developed Thursday evening and became more widespread overnight. Westerly to west northwesterly flow directed the lake effect across the western Southern Tier and Chautauqua ridge. Friday evening the lake effect consolidated into a more defined band across northern Chautauqua and Cattaraugus and southern Erie counties. Off Lake Ontario, weak lake effect snow developed late Thursday Night across southern and central Oswego County on west-northwesterly flow. The band slowly intensified by Saturday morning across north-central Oswego County and the southern Tug Hill. A true lake effect plume redeveloped Saturday night and locked in across the central Tug Hill Sunday. Snowfall rates increased over 2 inches per hour at times over the Tug Hill, with reports of over 2 feet of snow in roughly 12 hours. The band finally started to weaken by Sunday evening.|Specific snowfall reports off Lake Erie included: 19 inches at Springville, 18 inches at East Concord, 17 inches at Perrsyburg, 16 inches at Little Valley, New Albion and Cattaraugus, 13 inches at Forestville and Glenwood, 12 inches at Humphrey and Kennedy, 11 inches at Warsaw, 10 inches at Houghton, Boston and Ischua, Specific snowfall reports off Lake Ontario included: 40 inches at Worth and Lacona, 38 inches at Redfield, 28 inches at Osceola, 25 inches at Constableville, 24 inches at Port Leyden, 23 inches at Highmarket, 17 inches at Pulaski, 16 inches at Mannsville and 14 inches at Lowville and Glenfield.","" +113177,676980,MICHIGAN,2017,January,Dense Fog,"DICKINSON",2017-01-21 05:00:00,CST-6,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moisture from recent rain and melting snow pack generated dense fog over portions of south central Upper Michigan on the 21st, particularly over Dickinson County.","Dense fog was reported at the Iron Mountain ASOS through much of the day and dense fog was also reported at times between Iron Mountain and Norway on Highway US-2." +113180,677006,MICHIGAN,2017,January,Winter Weather,"MARQUETTE",2017-01-28 03:00:00,EST-5,2017-01-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder Arctic air moving across Lake Superior in a north to northwest flow generated moderate lake effect snow over portions of north central Upper Michigan from the 28th into the 30th.","There was a report north of the Dead River Storage Basin of an estimated 8 to 10 inches of lake effect snow over approximately a 32-hour period." +113180,677007,MICHIGAN,2017,January,Winter Weather,"LUCE",2017-01-28 07:00:00,EST-5,2017-01-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder Arctic air moving across Lake Superior in a north to northwest flow generated moderate lake effect snow over portions of north central Upper Michigan from the 28th into the 30th.","The observer seven miles south of Pine Stump Junction measured seven inches of lake effect snow in 24 hours." +113180,677020,MICHIGAN,2017,January,Winter Weather,"BARAGA",2017-01-28 09:00:00,EST-5,2017-01-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder Arctic air moving across Lake Superior in a north to northwest flow generated moderate lake effect snow over portions of north central Upper Michigan from the 28th into the 30th.","There was a public report of 2.5 inches of lake effect snow in three hours." +113180,677014,MICHIGAN,2017,January,Winter Weather,"ALGER",2017-01-28 07:00:00,EST-5,2017-01-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder Arctic air moving across Lake Superior in a north to northwest flow generated moderate lake effect snow over portions of north central Upper Michigan from the 28th into the 30th.","The observer in Munising measured a foot of lake effect snow over a two-day period. Seven inches of lake effect snow fell ten miles south of Grand Marais over a 24-hour period." +113060,676456,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 08:56:00,CST-6,2017-01-21 08:58:00,0,0,0,0,0.00K,0,0.00K,0,32.5626,-85.3572,32.5777,-85.3529,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in central Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 70 mph. A weak tornado formed near CR 413 about .25 mile south of Stringfellow Road, causing shingle damage and knocking down some branches. The tornado tracked north and dissipated just north of CR 417. Several trees were uprooted as it crossed CR 417." +113060,676457,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 09:00:00,CST-6,2017-01-21 09:01:00,0,0,0,0,0.00K,0,0.00K,0,32.6138,-85.3677,32.624,-85.3603,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in Central Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 65 mph. A weak tornado formed near the intersection of Ballard Avenue and Edgemont Street on the south side of Opelika, just east of Alabama State Road 51, where shingle damage occurred. A pine tree was knocked down as the tornado crossed Alabama State Road 169. Several pine trees were uprooted and more shingle damage occurred as the tornado crossed Old Columbus Road before dissipating." +113796,681265,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 85 inches of snow." +113796,681266,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Little Snake SNOTEL site (elevation 8915 ft) estimated 67 inches of snow." +113796,681267,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 65 inches of snow." +113112,676505,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,3.00M,3000000,0.00K,0,39.7176,-123.8018,39.7176,-123.8018,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Multiple areas of bluff erosion and drainage issues along Highway 1 from post mile 78 to 84." +112467,673180,MAINE,2017,January,Sleet,"INTERIOR HANCOCK",2017-01-24 05:00:00,EST-5,2017-01-25 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 1 to 3 inches." +113796,681507,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Twenty inches of snow was measured 20 miles west of Cheyenne." +113796,681508,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Thirty inches of snow was measured 20 miles west-southwest of FE Warren AFB." +113796,681528,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was measured 10 miles north of Cheyenne." +113796,681534,WYOMING,2017,January,Winter Storm,"UPPER NORTH PLATTE RIVER BASIN",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","An observer at Encampment measured 21.5 inches of snow." +112538,671206,OHIO,2017,January,High Wind,"OTTAWA",2017-01-10 19:13:00,EST-5,2017-01-10 19:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor measured a 61 mph wind gust on South Bass Island." +112965,675001,NORTH CAROLINA,2017,January,Heavy Snow,"ROWAN",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675002,NORTH CAROLINA,2017,January,Heavy Snow,"CLEVELAND",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675003,NORTH CAROLINA,2017,January,Heavy Snow,"LINCOLN",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112820,674058,COLORADO,2017,January,High Wind,"WET MOUNTAINS ABOVE 10000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674061,COLORADO,2017,January,High Wind,"PIKES PEAK ABOVE 11000 FT",2017-01-09 02:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674063,COLORADO,2017,January,High Wind,"CANON CITY VICINITY / EASTERN FREMONT COUNTY",2017-01-09 03:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +113304,678049,OKLAHOMA,2017,January,Drought,"OSAGE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113215,677386,OREGON,2017,January,Heavy Snow,"CENTRAL WILLAMETTE VALLEY",2017-01-10 11:30:00,PST-8,2017-01-11 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","Snowfall of 1 to 2 inches were reported in the Salem area and up to 11 inches at Chehalem Mountain near Newberg." +113215,677368,OREGON,2017,January,Heavy Snow,"COAST RANGE OF NW OREGON",2017-01-10 13:00:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","Storm spotter in Banks reported 12 inches of snow." +113215,677373,OREGON,2017,January,Heavy Snow,"LOWER COLUMBIA",2017-01-10 16:00:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","There were reports of 4 to 8 inches of snow around Kelso and Longview across the river." +112902,674547,WISCONSIN,2017,January,Winter Storm,"MARATHON",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall totals in Marathon County were 9.8 inches at Wausau and 9.0 inches at Rothschild. A wind gust to 47 mph was measured at Wausau Municipal Airport as the storm system departed on the early evening of the 10th." +112902,674548,WISCONSIN,2017,January,Winter Storm,"SHAWANO",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Shawano County was 9.5 inches at Tigerton." +113293,677953,NEW YORK,2017,January,Flood,"WYOMING",2017-01-13 00:15:00,EST-5,2017-01-13 10:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.57,-78.05,42.5713,-78.0215,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Genesee River at Portageville crested at 19.73' at 6:45 AM EST on January 13. Flood stage is 19 feet." +112777,673651,FLORIDA,2017,January,Lightning,"SANTA ROSA",2017-01-02 11:33:00,CST-6,2017-01-02 11:33:00,0,0,0,0,20.00K,20000,0.00K,0,30.6,-87.03,30.6,-87.03,"Lightning strikes caused house fires in the Florida panhandle.","Lightning caused a house fire on Enchanted Oak Court." +112886,674376,KENTUCKY,2017,January,Dense Fog,"LIVINGSTON",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +113244,677545,WASHINGTON,2017,February,Heavy Snow,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-02-04 12:00:00,PST-8,2017-02-05 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Stevens Pass NWAC station reported 18 inches snow during the warning period ending at 3 am Feb 5. Alpental NWAC station reported 13 inches snow during 12 hours ending 3 am Feb 5. Snoqualmie Pass NWAC station reported 14 inches snow during 12 hours ending 3 am Feb 5." +112779,678080,KANSAS,2017,January,Ice Storm,"CLARK",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1 to 1 1/2 inches. Water equivalent was 3 to 4 inches. Tree and power line damage was extensive." +112779,678081,KANSAS,2017,January,Ice Storm,"FINNEY",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 0.5 to 0.75 inches. Water equivalent was 1 to 2 inches." +113358,680885,MAINE,2017,March,Blizzard,"SOUTHERN PENOBSCOT",2017-03-14 17:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 10 to 14 inches. Blizzard conditions also occurred." +112765,673549,INDIANA,2017,March,Flash Flood,"DEARBORN",2017-03-01 02:00:00,EST-5,2017-03-01 03:30:00,0,0,0,0,10.00K,10000,0.00K,0,39.15,-84.83,39.1589,-84.8735,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Water was reported flowing across numerous roadways across eastern Dearborn County, causing some buckling of a few roadways." +112765,673562,INDIANA,2017,March,Hail,"RIPLEY",2017-03-01 06:21:00,EST-5,2017-03-01 06:23:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-85.14,39.14,-85.14,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,676097,OHIO,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 08:20:00,EST-5,2017-03-01 08:22:00,0,0,0,0,4.00K,4000,0.00K,0,38.97,-83.0572,38.97,-83.0572,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous large trees were downed." +112767,676102,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:48:00,EST-5,2017-03-01 06:50:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-84.63,39.26,-84.63,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,676104,OHIO,2017,March,Thunderstorm Wind,"ROSS",2017-03-01 07:58:00,EST-5,2017-03-01 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.47,-83.17,39.47,-83.17,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A few trees were downed." +112766,676107,KENTUCKY,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 07:43:00,EST-5,2017-03-01 07:45:00,0,0,0,0,10.00K,10000,0.00K,0,38.9823,-84.8255,38.9823,-84.8255,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A house on Kentucky Route 18 sustained damage and several trees were downed." +112767,676112,OHIO,2017,March,Flash Flood,"BUTLER",2017-03-01 01:45:00,EST-5,2017-03-01 02:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3885,-84.4626,39.3851,-84.45,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was covering State Route 747 near State Route 129." +113234,677791,KENTUCKY,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-27 19:22:00,EST-5,2017-03-27 19:22:00,0,0,0,0,,NaN,,NaN,37.9753,-83.8542,37.9703,-83.8326,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Dispatch relayed a report of trees down in Jeffersonville." +113234,677792,KENTUCKY,2017,March,Thunderstorm Wind,"LEE",2017-03-27 19:28:00,EST-5,2017-03-27 19:28:00,0,0,0,0,,NaN,,NaN,37.5566,-83.7775,37.5566,-83.7775,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","Dispatch reported a tree blown down on Highway 399 southwest of Beattyville." +113234,677794,KENTUCKY,2017,March,Hail,"OWSLEY",2017-03-27 19:30:00,EST-5,2017-03-27 19:30:00,0,0,0,0,,NaN,,NaN,37.47,-83.78,37.47,-83.78,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A citizen observed nickel sized hail in Vincent." +113234,677795,KENTUCKY,2017,March,Hail,"HARLAN",2017-03-27 20:01:00,EST-5,2017-03-27 20:01:00,0,0,0,0,,NaN,,NaN,36.97,-82.98,36.97,-82.98,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A Skywarn storm spotter observed penny sized hail in Cumberland." +114245,684394,ILLINOIS,2017,March,Strong Wind,"WAYNE",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684395,ILLINOIS,2017,March,Strong Wind,"WHITE",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114245,684396,ILLINOIS,2017,March,Strong Wind,"WILLIAMSON",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114246,684401,KENTUCKY,2017,March,Strong Wind,"BALLARD",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684402,KENTUCKY,2017,March,Strong Wind,"CALDWELL",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +112845,679097,MISSOURI,2017,March,Hail,"NEWTON",2017-03-09 18:05:00,CST-6,2017-03-09 18:05:00,0,0,0,0,100.00K,100000,0.00K,0,36.99,-94.07,36.99,-94.07,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Baseball size hail was reported from social media with pictures. There were multiple reports of damage to cars and homes in the area." +112845,679098,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 17:05:00,CST-6,2017-03-09 17:05:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-93.08,37.28,-93.08,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679099,MISSOURI,2017,March,Hail,"MCDONALD",2017-03-09 19:20:00,CST-6,2017-03-09 19:20:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-94.4,36.74,-94.4,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679101,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 18:22:00,CST-6,2017-03-09 18:22:00,0,0,0,0,50.00K,50000,0.00K,0,36.91,-93.93,36.91,-93.93,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture. There was reports of damage to cars in the Monett area." +112845,679102,MISSOURI,2017,March,Hail,"LAWRENCE",2017-03-09 17:32:00,CST-6,2017-03-09 17:32:00,0,0,0,0,50.00K,50000,0.00K,0,37.12,-93.95,37.12,-93.95,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with pictures. There was damage to cars and homes in the Stotts City area." +112845,679103,MISSOURI,2017,March,Hail,"WRIGHT",2017-03-09 17:08:00,CST-6,2017-03-09 17:08:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-92.26,37.16,-92.26,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679104,MISSOURI,2017,March,Hail,"TEXAS",2017-03-09 17:45:00,CST-6,2017-03-09 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-91.89,37.05,-91.89,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679105,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 19:35:00,CST-6,2017-03-09 19:35:00,0,0,0,0,50.00K,50000,0.00K,0,36.52,-93.65,36.52,-93.65,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with pictures. There was some damage to cars and homes in the area." +113624,680179,ARKANSAS,2017,March,Thunderstorm Wind,"COLUMBIA",2017-03-24 21:09:00,CST-6,2017-03-24 21:09:00,0,0,0,0,0.00K,0,0.00K,0,33.0905,-93.1907,33.0905,-93.1907,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","Trees were blown down on Highway 79 South in Emerson." +113624,680180,ARKANSAS,2017,March,Thunderstorm Wind,"COLUMBIA",2017-03-24 21:17:00,CST-6,2017-03-24 21:17:00,0,0,0,0,0.00K,0,0.00K,0,33.3509,-93.2961,33.3509,-93.2961,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","A tree was blown onto a power line on South Olive Street in Waldo." +113855,681838,OKLAHOMA,2017,March,Thunderstorm Wind,"MCCURTAIN",2017-03-26 23:25:00,CST-6,2017-03-26 23:25:00,0,0,0,0,0.00K,0,0.00K,0,34.0069,-94.5647,34.0069,-94.5647,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","A few trees and large limbs were downed south of Eagletown." +113598,680021,VIRGINIA,2017,March,Cold/Wind Chill,"EASTERN HIGHLAND",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113598,680022,VIRGINIA,2017,March,Cold/Wind Chill,"NORTHERN VIRGINIA BLUE RIDGE",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113598,680023,VIRGINIA,2017,March,Cold/Wind Chill,"CENTRAL VIRGINIA BLUE RIDGE",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113599,680024,WEST VIRGINIA,2017,March,Cold/Wind Chill,"WESTERN GRANT",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113599,680025,WEST VIRGINIA,2017,March,Cold/Wind Chill,"EASTERN MINERAL",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113599,680026,WEST VIRGINIA,2017,March,Cold/Wind Chill,"WESTERN PENDLETON",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113599,680027,WEST VIRGINIA,2017,March,Cold/Wind Chill,"EASTERN PENDLETON",2017-03-14 23:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds ushered in very cold air during the overnight hours of the 14th through the morning hours of the 15th. The combination of bitterly cold air and strong winds caused wind chill values to dip well below zero.","Wind chill values were estimated to be between 10 and 15 degrees below zero based on observations nearby." +113668,680365,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 68 knots was reported at Quantico." +114668,687812,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-01 14:20:00,EST-5,2017-03-01 14:20:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 56 knots was reported at Thomas Point Lighthouse." +114668,687819,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"EASTERN BAY",2017-03-01 14:30:00,EST-5,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,38.9183,-76.2036,38.9183,-76.2036,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 54 knots was reported at Prospect Bay." +114670,687821,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-08 03:34:00,EST-5,2017-03-08 03:58:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 34 to 38 knots were reported at Reagan National Airport." +114670,687822,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-08 03:34:00,EST-5,2017-03-08 03:50:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 37 knots were reported at Nationals Park." +114670,687823,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-08 03:45:00,EST-5,2017-03-08 04:05:00,0,0,0,0,,NaN,,NaN,38.644,-77.199,38.644,-77.199,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 36 knots were reported at Occoquon." +114670,687824,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:40:00,EST-5,2017-03-08 03:45:00,0,0,0,0,,NaN,,NaN,39.25,-76.65,39.25,-76.65,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 34 knots were reported." +114670,687825,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:45:00,EST-5,2017-03-08 03:48:00,0,0,0,0,,NaN,,NaN,39.27,-76.58,39.27,-76.58,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 35 to 42 knots were reported." +114670,687826,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:54:00,EST-5,2017-03-08 04:06:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 41 to 42 knots were reported at Key Bridge." +117905,708564,WISCONSIN,2017,July,Hail,"DANE",2017-07-02 17:30:00,CST-6,2017-07-02 17:30:00,0,0,0,0,,NaN,,NaN,43.02,-89.62,43.02,-89.62,"A cold front and shortwave trough triggered scattered thunderstorms over south central WI. A couple storms produced large hail.","" +117906,708569,WISCONSIN,2017,July,Hail,"MARQUETTE",2017-07-06 20:15:00,CST-6,2017-07-06 20:15:00,0,0,0,0,,NaN,,NaN,43.86,-89.57,43.86,-89.57,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Accumulating hail and torrential rainfall." +117906,708570,WISCONSIN,2017,July,Hail,"MARQUETTE",2017-07-06 20:23:00,CST-6,2017-07-06 20:29:00,0,0,0,0,,NaN,,NaN,43.87,-89.56,43.87,-89.56,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Hail accumulated to a depth of 1-2 inches." +117906,708571,WISCONSIN,2017,July,Hail,"MARQUETTE",2017-07-06 20:29:00,CST-6,2017-07-06 20:29:00,0,0,0,0,,NaN,,NaN,43.89,-89.57,43.89,-89.57,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","" +114122,683395,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-08 21:00:00,PST-8,2017-03-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Moscow reported 7.5 inches of new snow accumulation." +117906,708572,WISCONSIN,2017,July,Hail,"DANE",2017-07-06 22:33:00,CST-6,2017-07-06 22:33:00,0,0,0,0,,NaN,,NaN,43.13,-89.32,43.13,-89.32,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","" +117906,708573,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-06 23:11:00,CST-6,2017-07-06 23:11:00,0,0,0,0,,NaN,,NaN,42.82,-88.35,42.82,-88.35,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","" +117906,708575,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-06 23:47:00,CST-6,2017-07-06 23:47:00,0,0,0,0,,NaN,,NaN,42.69,-88.44,42.69,-88.44,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","" +117906,708576,WISCONSIN,2017,July,Hail,"JEFFERSON",2017-07-07 01:00:00,CST-6,2017-07-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-88.77,43.08,-88.77,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","" +117906,708897,WISCONSIN,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-06 21:25:00,CST-6,2017-07-06 21:25:00,0,0,0,0,2.00K,2000,,NaN,43.55,-89.47,43.55,-89.47,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","A few trees down near Portage." +117906,708901,WISCONSIN,2017,July,Thunderstorm Wind,"DODGE",2017-07-06 21:55:00,CST-6,2017-07-06 21:55:00,0,0,0,0,2.00K,2000,0.00K,0,43.47,-88.84,43.47,-88.84,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Several trees down." +117906,708903,WISCONSIN,2017,July,Thunderstorm Wind,"DODGE",2017-07-06 22:15:00,CST-6,2017-07-06 22:15:00,0,0,0,0,3.00K,3000,0.00K,0,43.26,-88.63,43.26,-88.63,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Multiple trees down as large at 8 inches in diameter." +117906,708904,WISCONSIN,2017,July,Thunderstorm Wind,"DANE",2017-07-06 22:43:00,CST-6,2017-07-06 22:43:00,0,0,0,0,7.00K,7000,0.00K,0,43.0564,-89.3162,43.0564,-89.3162,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Several trees down including one tree on a house." +114122,683398,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-08 21:00:00,PST-8,2017-03-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An member of the public near Onaway reported 6 inches of new snow accumulation." +114122,683396,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-08 21:00:00,PST-8,2017-03-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent fetch of Pacific moisture streamed into the Idaho Panhandle beginning on March 7th and continuing through March 9th. Snow levels were initially at valley floors and areas from Coeur D'Alene south to the Idaho Palouse received widespread 4 to 7 inches of snow accumulation during the 8th and 9th of March. Snow levels rose during the day on the 9th of March turning valley precipitation into rain or non-accumulating wet snow but heavy snow continued to affect the higher elevations of the Idaho panhandle with up to 6 feet of snow on some of the peaks.","An observer at Potlatch reported 6 inches of new snow accumulation." +114127,683412,WASHINGTON,2017,March,Heavy Snow,"NORTHEAST BLUE MOUNTAINS",2017-03-04 16:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fetch of Pacific moisture enhanced along a stalled front into persistent snow showers over extreme southeast Washington during the afternoon and evening of March 4th, producing heavy snow accumulations in the Blue Mountains and the valleys adjacent to the mountains.","The Bluewood Ski Resort in the Blue Mountains reported 8 inches of new snow accumulation." +114127,683413,WASHINGTON,2017,March,Heavy Snow,"NORTHEAST BLUE MOUNTAINS",2017-03-04 16:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fetch of Pacific moisture enhanced along a stalled front into persistent snow showers over extreme southeast Washington during the afternoon and evening of March 4th, producing heavy snow accumulations in the Blue Mountains and the valleys adjacent to the mountains.","An observer 8 miles northwest of Anatone reported 10 inches of new snow accumulation." +114865,689562,IDAHO,2017,March,Flood,"POWER",2017-03-01 01:00:00,MST-7,2017-03-31 05:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.37,-113.0159,42.78,-112.4356,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Flooding continued in March although the severity decreased substantially from February. Had a lot of minor basement flooding and damage and continued road damage from the snow melt." +114095,683220,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-03-31 09:32:00,EST-5,2017-03-31 09:34:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-78.02,33.92,-78.02,"A warm front produced strong thunderstorms along the coast.","A 39 mph gust was measured at the Cape Fear Pilots location." +114924,689330,NORTH CAROLINA,2017,March,Thunderstorm Wind,"ROBESON",2017-03-18 17:22:00,EST-5,2017-03-18 17:23:00,0,0,0,0,3.00K,3000,0.00K,0,34.74,-79.35,34.74,-79.35,"A mid-level shortwave trough coincident with a cold front helped to briefly intensify thunderstorms to marginally severe levels in an environment that was characterized by little instability.","Minor roof damage reported to a mobile home. The time was estimated by radar data." +114924,689332,NORTH CAROLINA,2017,March,Hail,"BLADEN",2017-03-18 18:25:00,EST-5,2017-03-18 18:26:00,0,0,0,0,0.50K,500,0.00K,0,34.6291,-78.6061,34.6291,-78.6061,"A mid-level shortwave trough coincident with a cold front helped to briefly intensify thunderstorms to marginally severe levels in an environment that was characterized by little instability.","Dime to quarter size hail was reported near the Bladen County Courthouse in Elizabethtown." +114989,689950,NORTH CAROLINA,2017,March,Frost/Freeze,"BLADEN",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689951,NORTH CAROLINA,2017,March,Frost/Freeze,"BLADEN",2017-03-17 02:00:00,EST-5,2017-03-17 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114151,684922,TEXAS,2017,March,Hail,"WILBARGER",2017-03-28 19:47:00,CST-6,2017-03-28 19:47:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.96,34.03,-98.96,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684923,TEXAS,2017,March,Hail,"WICHITA",2017-03-28 19:55:00,CST-6,2017-03-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-98.92,34.03,-98.92,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684924,TEXAS,2017,March,Hail,"WICHITA",2017-03-28 20:21:00,CST-6,2017-03-28 20:21:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-98.87,34.12,-98.87,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","" +114151,684925,TEXAS,2017,March,Flash Flood,"WILBARGER",2017-03-28 22:17:00,CST-6,2017-03-29 01:17:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-99.28,34.1459,-99.2769,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Road was closed due to flooding." +114151,684926,TEXAS,2017,March,Flash Flood,"WILBARGER",2017-03-28 22:17:00,CST-6,2017-03-29 01:17:00,0,0,0,0,0.00K,0,0.00K,0,34.1412,-99.2776,34.1611,-99.2666,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","City streets were flooded." +114151,684927,TEXAS,2017,March,Flash Flood,"WILBARGER",2017-03-28 22:17:00,CST-6,2017-03-29 01:17:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-99.28,34.2115,-99.28,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Water was over the road." +114152,685104,OKLAHOMA,2017,March,Drought,"HARPER",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685105,OKLAHOMA,2017,March,Drought,"WOODS",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685106,OKLAHOMA,2017,March,Drought,"WOODWARD",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +113755,690172,TEXAS,2017,March,Hail,"HILL",2017-03-26 20:42:00,CST-6,2017-03-26 20:42:00,0,0,0,0,0.00K,0,0.00K,0,31.88,-97.08,31.88,-97.08,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690173,TEXAS,2017,March,Hail,"GRAYSON",2017-03-26 21:06:00,CST-6,2017-03-26 21:06:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-96.7,33.53,-96.7,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690174,TEXAS,2017,March,Hail,"HUNT",2017-03-26 21:00:00,CST-6,2017-03-26 21:00:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-96.08,33.37,-96.08,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690175,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:09:00,CST-6,2017-03-26 22:09:00,0,0,0,0,0.00K,0,0.00K,0,31.13,-97.73,31.13,-97.73,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690176,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:09:00,CST-6,2017-03-26 22:09:00,0,0,0,0,0.00K,0,0.00K,0,31.13,-97.73,31.13,-97.73,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690177,TEXAS,2017,March,Hail,"COLLIN",2017-03-26 19:00:00,CST-6,2017-03-26 19:00:00,0,0,0,0,100.00K,100000,0.00K,0,33.2,-96.62,33.2,-96.62,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Two inch diameter hail was reported in the city of McKinney." +113755,690178,TEXAS,2017,March,Hail,"HILL",2017-03-26 20:11:00,CST-6,2017-03-26 20:11:00,0,0,0,0,20.00K,20000,0.00K,0,31.9969,-97.1791,31.9969,-97.1791,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Quarter sized hail was reported by the Hill County emergency manager on SH 22, west of Hillsboro." +113755,690179,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:28:00,CST-6,2017-03-26 22:28:00,0,0,0,0,10.00K,10000,0.00K,0,31.2,-97.47,31.2,-97.47,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio operators reported on inch diameter hail in Moffat." +113755,690180,TEXAS,2017,March,Hail,"BELL",2017-03-27 10:15:00,CST-6,2017-03-27 10:15:00,0,0,0,0,60.00K,60000,0.00K,0,31.1,-97.45,31.1,-97.45,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Golf ball sized hail was reported near Lake Belton, by broadcast media crew." +113755,690181,TEXAS,2017,March,Hail,"ROBERTSON",2017-03-27 00:11:00,CST-6,2017-03-27 00:11:00,0,0,0,0,0.00K,0,0.00K,0,30.976,-96.6728,30.976,-96.6728,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +114306,684861,NORTH CAROLINA,2017,March,Winter Weather,"TRANSYLVANIA",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684862,NORTH CAROLINA,2017,March,Winter Weather,"YANCEY",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114306,684863,NORTH CAROLINA,2017,March,Winter Weather,"GRAHAM",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114307,684864,SOUTH CAROLINA,2017,March,Winter Weather,"GREENVILLE MOUNTAINS",2017-03-12 00:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the South Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations above 2500 feet or so received as much as 5 inches.","" +114307,684865,SOUTH CAROLINA,2017,March,Winter Weather,"PICKENS MOUNTAINS",2017-03-12 00:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the South Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations above 2500 feet or so received as much as 5 inches.","" +114308,684866,NORTH CAROLINA,2017,March,Winter Weather,"ALEXANDER",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +113324,680919,ARKANSAS,2017,March,Hail,"MADISON",2017-03-06 23:12:00,CST-6,2017-03-06 23:12:00,0,0,0,0,0.00K,0,0.00K,0,35.8866,-93.68,35.8866,-93.68,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","" +113323,680935,OKLAHOMA,2017,March,Hail,"WASHINGTON",2017-03-06 21:15:00,CST-6,2017-03-06 21:15:00,0,0,0,0,0.00K,0,0.00K,0,36.7474,-95.9821,36.7474,-95.9821,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680936,OKLAHOMA,2017,March,Hail,"WASHINGTON",2017-03-06 21:19:00,CST-6,2017-03-06 21:19:00,0,0,0,0,0.00K,0,0.00K,0,36.7611,-95.9666,36.7611,-95.9666,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680941,OKLAHOMA,2017,March,Hail,"ADAIR",2017-03-06 21:53:00,CST-6,2017-03-06 21:53:00,0,0,0,0,0.00K,0,0.00K,0,35.6634,-94.7206,35.6634,-94.7206,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +114332,686647,MISSOURI,2017,March,Hail,"LEWIS",2017-03-06 22:25:00,CST-6,2017-03-06 22:25:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-91.5,40.05,-91.5,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114333,686648,ILLINOIS,2017,March,Hail,"ADAMS",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-91.4,39.93,-91.4,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686649,MISSOURI,2017,March,Thunderstorm Wind,"MARION",2017-03-06 22:35:00,CST-6,2017-03-06 22:35:00,0,0,0,0,0.00K,0,0.00K,0,39.7256,-91.4451,39.7256,-91.4451,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686650,MISSOURI,2017,March,Hail,"MARION",2017-03-06 22:39:00,CST-6,2017-03-06 22:39:00,0,0,0,0,0.00K,0,0.00K,0,39.729,-91.4222,39.729,-91.4222,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114333,686652,ILLINOIS,2017,March,Thunderstorm Wind,"ADAMS",2017-03-06 22:41:00,CST-6,2017-03-06 22:41:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-91.2,39.95,-91.2,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686653,MISSOURI,2017,March,Hail,"AUDRAIN",2017-03-06 22:41:00,CST-6,2017-03-06 22:41:00,0,0,0,0,0.00K,0,0.00K,0,39.1679,-91.8773,39.1679,-91.8773,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686654,MISSOURI,2017,March,Thunderstorm Wind,"MONITEAU",2017-03-06 22:32:00,CST-6,2017-03-06 22:32:00,0,0,0,0,0.00K,0,0.00K,0,38.6432,-92.5556,38.6432,-92.5556,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds caused minor damage to a roof of a building on the north side of California. The debris landed on Highway 87." +114332,686655,MISSOURI,2017,March,Hail,"CALLAWAY",2017-03-06 22:42:00,CST-6,2017-03-06 22:42:00,0,0,0,0,0.00K,0,0.00K,0,38.953,-92.0084,38.953,-92.0084,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686656,MISSOURI,2017,March,Hail,"CALLAWAY",2017-03-06 22:51:00,CST-6,2017-03-06 22:51:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-91.93,38.85,-91.93,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686657,MISSOURI,2017,March,Thunderstorm Wind,"CALLAWAY",2017-03-06 22:59:00,CST-6,2017-03-06 22:59:00,0,0,0,0,0.00K,0,0.00K,0,38.855,-91.7537,38.855,-91.7537,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down several large tree limbs." +113437,678768,HAWAII,2017,March,High Surf,"WINDWARD HALEAKALA",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678769,HAWAII,2017,March,High Surf,"KONA",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113437,678770,HAWAII,2017,March,High Surf,"KOHALA",2017-03-31 04:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low far northwest of the islands generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; 12 to 20 feet along the west-facing shores of Oahu and Molokai; and 8 to 12 feet along the west-facing shores of the Big Island of Hawaii. Ocean safety personnel were kept busy by helping beach-goers with advice and assistance during the dangerous surf conditions. However, there were no reports of serious injuries or property damage.","" +113438,678771,HAWAII,2017,March,Drought,"KONA",2017-03-28 02:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leeward parts of the Big Island of Hawaii, lacking sufficient rainfall for a time, worsened to the D2 category of severe drought toward the end of March.","" +113438,678772,HAWAII,2017,March,Drought,"SOUTH BIG ISLAND",2017-03-28 02:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leeward parts of the Big Island of Hawaii, lacking sufficient rainfall for a time, worsened to the D2 category of severe drought toward the end of March.","" +113438,678773,HAWAII,2017,March,Drought,"KOHALA",2017-03-28 02:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leeward parts of the Big Island of Hawaii, lacking sufficient rainfall for a time, worsened to the D2 category of severe drought toward the end of March.","" +113438,678774,HAWAII,2017,March,Drought,"BIG ISLAND INTERIOR",2017-03-28 02:00:00,HST-10,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leeward parts of the Big Island of Hawaii, lacking sufficient rainfall for a time, worsened to the D2 category of severe drought toward the end of March.","" +115056,690697,HAWAII,2017,March,High Wind,"BIG ISLAND SUMMIT",2017-03-07 13:30:00,HST-10,2017-03-09 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough and remnants of an old front brought active weather to the Big Island, with strong winds and a mix of winter weather restricting access to the Big Island summits.","The winds first reached High Wind Warning threshold at 130 PM on the 7th, and continued to reach Warning levels through 430 PM on the 9th. The peak measured wind gust was 69 mph at 730 PM HST on the 7th." +115197,694516,TEXAS,2017,May,Thunderstorm Wind,"HARDEMAN",2017-05-10 15:15:00,CST-6,2017-05-10 15:15:00,0,0,0,0,0.00K,0,0.00K,0,34.34,-99.94,34.34,-99.94,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115197,694517,TEXAS,2017,May,Hail,"HARDEMAN",2017-05-10 15:40:00,CST-6,2017-05-10 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-99.74,34.4,-99.74,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +117903,709058,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 20:00:00,CST-6,2017-06-17 20:03:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.71,39.02,-94.71,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A 2 to 3 inch tree limb was down." +117903,709059,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 20:07:00,CST-6,2017-06-17 20:10:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-94.87,38.98,-94.87,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A 50 foot tall, 4 foot diameter tree was knocked over." +115198,694521,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-11 13:01:00,CST-6,2017-05-11 13:01:00,0,0,0,0,0.00K,0,0.00K,0,36.3956,-97.8906,36.3956,-97.8906,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694522,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-11 13:10:00,CST-6,2017-05-11 13:10:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-99.21,36.44,-99.21,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694523,OKLAHOMA,2017,May,Hail,"ROGER MILLS",2017-05-11 13:15:00,CST-6,2017-05-11 13:15:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-99.56,35.69,-99.56,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694524,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:25:00,CST-6,2017-05-11 13:25:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-97.59,35.95,-97.59,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694525,OKLAHOMA,2017,May,Thunderstorm Wind,"LOGAN",2017-05-11 13:25:00,CST-6,2017-05-11 13:25:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-97.6,36.1,-97.6,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115198,694526,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-11 13:38:00,CST-6,2017-05-11 13:38:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-97.41,35.84,-97.41,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","" +115199,694578,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:57:00,CST-6,2017-05-16 17:57:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-99.5,35.29,-99.5,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694579,OKLAHOMA,2017,May,Thunderstorm Wind,"ROGER MILLS",2017-05-16 18:06:00,CST-6,2017-05-16 18:06:00,0,0,0,0,2.00K,2000,0.00K,0,35.62,-99.82,35.62,-99.82,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Power poles downed by winds." +121162,725336,OKLAHOMA,2017,October,Thunderstorm Wind,"GRADY",2017-10-21 19:14:00,CST-6,2017-10-21 19:14:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-97.72,35.23,-97.72,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","No damage reported." +113011,675487,DISTRICT OF COLUMBIA,2017,January,Winter Weather,"DISTRICT OF COLUMBIA",2017-01-30 00:00:00,EST-5,2017-01-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed through the area and plenty of cold air was in place for a period of snow.","Snowfall totaled up to 1.1 inches near the National Zoo." +121162,725337,OKLAHOMA,2017,October,Hail,"GRADY",2017-10-21 19:27:00,CST-6,2017-10-21 19:27:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-97.73,35.25,-97.73,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725338,OKLAHOMA,2017,October,Hail,"GRADY",2017-10-21 19:30:00,CST-6,2017-10-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-97.72,35.23,-97.72,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +113035,675696,OHIO,2017,March,Winter Weather,"FULTON",2017-03-17 09:00:00,EST-5,2017-03-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. Snowfall totals generally ranged between 1 and 3 inches.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning and early afternoon hours of March 17th. Snow accumulations across the county generally ranged between 2 and 3 inches, with light ice accretions also reported. This created slick roads with several accidents reported across the region." +121162,725339,OKLAHOMA,2017,October,Thunderstorm Wind,"GRADY",2017-10-21 19:30:00,CST-6,2017-10-21 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.25,-97.73,35.25,-97.73,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Sheet metal debris blown onto side roadway off of Highway 4, south of Fox Lane and to the west. Time estimated by radar." +121162,725341,OKLAHOMA,2017,October,Flash Flood,"PAYNE",2017-10-21 19:44:00,CST-6,2017-10-21 22:44:00,0,0,0,0,0.00K,0,0.00K,0,36.1058,-97.0951,36.1055,-97.0474,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Street flooding reported with stalled vehicles." +121162,725342,OKLAHOMA,2017,October,Hail,"CLEVELAND",2017-10-21 19:45:00,CST-6,2017-10-21 19:45:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-97.55,35.35,-97.55,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725343,OKLAHOMA,2017,October,Hail,"CLEVELAND",2017-10-21 19:47:00,CST-6,2017-10-21 19:47:00,0,0,0,0,0.00K,0,0.00K,0,35.36,-97.53,35.36,-97.53,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +113204,677230,INDIANA,2017,March,Lake-Effect Snow,"LA PORTE",2017-03-14 21:00:00,CST-6,2017-03-15 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lake effect snow band set up over northwest Indiana during the late evening hours of March 14th and continued through the late morning hours of March 15th. Intense snowfall rates, gusty winds, and snow accumulations in excess of 6 inches in many locations created difficult travel conditions.","Heavy lake effect snow fell during the late evening hours of March 14th and the morning hours of March 15th. Snow accumulations varied across the county, generally ranging between 4 and 12 inches. A spotter reported 11.0 of total snow in Kingsbury. The intense snowfall rates of an inch or more per hour, gusty winds, and reduced visibilities led to some school delays across the region. There were also a few reports of slide-offs and minor accidents on area roadways." +113204,677231,INDIANA,2017,March,Lake-Effect Snow,"STARKE",2017-03-14 21:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lake effect snow band set up over northwest Indiana during the late evening hours of March 14th and continued through the late morning hours of March 15th. Intense snowfall rates, gusty winds, and snow accumulations in excess of 6 inches in many locations created difficult travel conditions.","Heavy lake effect snow fell during the late evening hours of March 14th and the morning hours of March 15th. Snow accumulations varied across the county, generally ranging between 4 and 10 inches. There was a report of 8.0 in Knox. The intense snowfall rates of an inch or more per hour, gusty winds, and reduced visibilities led to some school delays across the region. There were also a few reports of slide-offs and minor accidents on area roadways." +113204,677232,INDIANA,2017,March,Winter Weather,"ST. JOSEPH",2017-03-15 05:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lake effect snow band set up over northwest Indiana during the late evening hours of March 14th and continued through the late morning hours of March 15th. Intense snowfall rates, gusty winds, and snow accumulations in excess of 6 inches in many locations created difficult travel conditions.","Moderate to heavy lake effect snow fell during the morning hours of March 15th. Snowfall accumulations across the county generally ranged between 2 and 4 inches. Brief intense snowfall rates of an inch or more per hour, gusty winds, and reduced visibilities led to some school delays across the region. There were also a few reports of slide-offs and minor accidents on area roadways." +114548,686981,OHIO,2017,March,Hail,"PUTNAM",2017-03-01 03:50:00,EST-5,2017-03-01 03:51:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-84.06,40.93,-84.06,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","" +112829,689345,NORTH DAKOTA,2017,March,High Wind,"RANSOM",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689346,NORTH DAKOTA,2017,March,High Wind,"SARGENT",2017-03-07 03:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +112829,689347,NORTH DAKOTA,2017,March,High Wind,"PEMBINA",2017-03-07 09:52:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. A low pressure reading of 980.4 millibars was measured by the ASOS at the Fargo airport, which was just shy of the March record low of 979.3 millibars, which occurred on March 15, 1920. This low track resulted in a prolonged period of gusty west to northwest winds, with the highest gust, 66 mph, measured by the AWOS at Gwinner, North Dakota. Devils Lake recorded 64 mph, Fargo and Cooperstown recorded 62 mph, Wahpeton, Grand Forks, and Grafton recorded 61 mph, and McLeod recorded 58 mph. The strong wind blew multiple semi trucks off roads, damaged the roof of a business west of Grand Forks, and knocked over a light pole in north Fargo.","" +117993,710945,WISCONSIN,2017,July,Flash Flood,"KENOSHA",2017-07-10 02:15:00,CST-6,2017-07-10 06:15:00,0,0,0,0,250.00K,250000,0.00K,0,42.6618,-87.9421,42.4955,-87.9373,"A large, slow moving complex of thunderstorms produced heavy rain and flash flooding in the Madison and Kenosha areas. A couple storms produced large hail.","Severe street flooding east of I-94 including the city of Kenosha after 3.0-5.50 of rain fell over a few hours. The most severe flash flooding occurred in a 10 block area around 40th Ave. and 75th St. in Kenosha. Stranded vehicles with water up to the windows were reported along with several buildings and homes flooded." +118313,710955,WISCONSIN,2017,July,Dense Fog,"COLUMBIA",2017-07-07 05:50:00,CST-6,2017-07-07 08:00:00,0,3,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog was a factor in a couple accidents in Columbia County.","A school bus rolled over into a steep ditch on highway 60 while negotiating a sharp curve in dense fog. This occurred near the intersection of highway 60 and highway 51 in Leeds Township. The driver was the only occupant. Another accident occurred in dense fog at the intersection of highway 51 and Goose Pond Road in the Arlington Township. A semi-truck collided with a car. The semi-truck driver was then hit by a car as he warned oncoming traffic of the accident. He sustained serious injuries." +118632,712702,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-23 12:01:00,CST-6,2017-07-23 12:01:00,0,0,0,0,,NaN,,NaN,42.6702,-88.5397,42.6702,-88.5397,"A cold front and shortwave trough triggered a cluster of thunderstorms over far southern WI during the early afternoon hours. One storm produced large hail.","Picture shown of 1 inch hail." +119290,716314,WISCONSIN,2017,July,Flood,"SAUK",2017-07-20 14:22:00,CST-6,2017-07-27 08:39:00,0,0,0,0,5.00K,5000,1.00K,1000,43.4762,-89.9171,43.4765,-89.9149,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Baraboo River at Rock Springs crested at 16.0 ft. which is moderate flood stage. Floodwaters affected Highways DD, 154 and 136 in Rock Springs as well as Busser Park along Highway 136. Water is about 3 feet deep in the baseball diamond in Fireman's Park along Highway DD. Floodwaters affect some businesses, including the Post Office, on Highway 154 in Rock Springs." +119290,716321,WISCONSIN,2017,July,Flood,"SAUK",2017-07-21 07:00:00,CST-6,2017-07-25 12:50:00,0,0,0,0,2.00K,2000,0.00K,0,43.5354,-90.0178,43.5356,-90.0125,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Baraboo River at Reedsburg crested at 16 ft. which is moderate flood stage. There is widespread inundation of lowland in the Reedsburg area at this level. Floodwaters affect West Second Street, Granite Avenue and South Webb Avenue along the river. Water affects the concrete deck of the South Webb Avenue bridge. Floodwaters are into Webb Park and Smith Conservancy. The Public Works Yard is under 2 to 2.5 feet of water." +112927,674668,WEST VIRGINIA,2017,March,Winter Weather,"NORTHWEST NICHOLAS",2017-03-13 20:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674672,WEST VIRGINIA,2017,March,Winter Weather,"NORTHWEST FAYETTE",2017-03-13 22:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674673,WEST VIRGINIA,2017,March,Winter Weather,"SOUTHEAST RALEIGH",2017-03-13 22:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112940,674784,VERMONT,2017,March,Winter Storm,"LAMOILLE",2017-03-14 09:00:00,EST-5,2017-03-15 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Lamoille county generally ranged from 18 to 28 inches with isolated higher totals. Some specific amounts include; 38 inches in Belvedere Center, 32 inches in Jeffersonville, 28 inches in Johnson, 23 inches in Cambridge, 21 inches in Morrisville and 18 inches in Eden Mills." +112767,675166,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:35:00,EST-5,2017-03-01 06:37:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-84.79,39.25,-84.79,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Hail of 1 to 2 inches in diameter was reported in the Harrison area." +112766,675161,KENTUCKY,2017,March,Thunderstorm Wind,"CARROLL",2017-03-01 06:40:00,EST-5,2017-03-01 06:41:00,0,0,0,0,0.00K,0,0.00K,0,38.69,-85.14,38.69,-85.14,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","This was recorded at a Kentucky Mesonet site. A wind gust of 51 Knots was also recorded at 06:35 EST." +113062,676437,TEXAS,2017,March,High Wind,"LUBBOCK",2017-03-24 09:55:00,CST-6,2017-03-24 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sporadic high sustained winds developed this day south of a tightly wound low pressure system in the Texas Panhandle. These westerly winds generated some blowing dust, but surprisingly much less than the preceding day when southerly wind gusts were more robust. The visibility at Lubbock International Airport fell briefly to five miles late in the morning, before quickly recovering to seven miles or better.","" +113062,676438,TEXAS,2017,March,High Wind,"HOCKLEY",2017-03-24 11:25:00,CST-6,2017-03-24 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sporadic high sustained winds developed this day south of a tightly wound low pressure system in the Texas Panhandle. These westerly winds generated some blowing dust, but surprisingly much less than the preceding day when southerly wind gusts were more robust. The visibility at Lubbock International Airport fell briefly to five miles late in the morning, before quickly recovering to seven miles or better.","" +113062,676439,TEXAS,2017,March,High Wind,"PARMER",2017-03-24 14:00:00,CST-6,2017-03-24 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sporadic high sustained winds developed this day south of a tightly wound low pressure system in the Texas Panhandle. These westerly winds generated some blowing dust, but surprisingly much less than the preceding day when southerly wind gusts were more robust. The visibility at Lubbock International Airport fell briefly to five miles late in the morning, before quickly recovering to seven miles or better.","" +113114,679763,SOUTH CAROLINA,2017,March,Hail,"LEE",2017-03-21 22:20:00,EST-5,2017-03-21 22:25:00,0,0,0,0,,NaN,,NaN,34.29,-80.27,34.29,-80.27,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Public reported, via social media, around 10 minutes of large hail, with the largest hailstones slightly larger than the size of a golf ball." +113114,679765,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SALUDA",2017-03-21 20:37:00,EST-5,2017-03-21 20:42:00,0,0,0,0,,NaN,,NaN,34.09,-81.67,34.09,-81.67,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down at the intersection of Denny Hwy and Hollywood Rd." +113114,679766,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SALUDA",2017-03-21 20:38:00,EST-5,2017-03-21 20:43:00,0,0,0,0,,NaN,,NaN,34.06,-81.56,34.06,-81.56,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway patrol reported several trees down at the intersection of Prosperity Hwy and Mt. Willing Rd." +113114,679767,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"NEWBERRY",2017-03-21 20:44:00,EST-5,2017-03-21 20:45:00,0,0,0,0,,NaN,,NaN,34.09,-81.41,34.09,-81.41,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported tree down on Dreher Island Rd at State Park Rd." +112766,675176,KENTUCKY,2017,March,Thunderstorm Wind,"OWEN",2017-03-01 06:58:00,EST-5,2017-03-01 07:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.5166,-84.8229,38.5166,-84.8229,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The garage doors of a wrecker service station were blown in. Numerous trees were also downed." +112766,673706,KENTUCKY,2017,March,Thunderstorm Wind,"BRACKEN",2017-03-01 07:20:00,EST-5,2017-03-01 07:23:00,0,0,0,0,40.00K,40000,0.00K,0,38.7838,-84.1667,38.7838,-84.1667,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several barns were severely damaged along Kentucky Route 8. The barns looked as if they were collapsed by strong west winds. Another barn was destroyed on Eden Ridge Road. Several large trees were down throughout the county. Also, a house on Snag Creek Road had major damage with a large section of the roof missing. A large swath of damage with numerous trees laying in the road was located along Kentucky Route 8 just west and including Snag Creek Road. Based on the damage, winds were estimated to be 70 to 80 mph." +112766,673886,KENTUCKY,2017,March,Thunderstorm Wind,"BOONE",2017-03-02 06:49:00,EST-5,2017-03-02 06:54:00,0,0,0,0,200.00K,200000,0.00K,0,38.97,-84.72,38.97,-84.61,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous hardwood and softwood trees were snapped or uprooted. In addition, damage occurred to the roofs of several homes and businesses. Most roof damage consisted of roofing material fully or partially removed. A few barns and outbuildings were completely destroyed. The damage was consistent with wind speeds of 65 to 85 mph. The damage swath continued east into Kenton County." +113107,677270,NEW MEXICO,2017,March,High Wind,"LOWER RIO GRANDE VALLEY",2017-03-24 05:30:00,MST-7,2017-03-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Socorro airport." +113107,677293,NEW MEXICO,2017,March,High Wind,"EASTERN LINCOLN COUNTY",2017-03-23 21:00:00,MST-7,2017-03-24 02:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The CSBF Transwestern Pump station reported peak wind gusts up to 62 mph with sustained winds up to 47 mph for several hours." +112769,673631,KENTUCKY,2017,March,Thunderstorm Wind,"FLOYD",2017-03-01 09:50:00,EST-5,2017-03-01 09:50:00,0,0,0,0,,NaN,,NaN,37.4,-82.74,37.4,-82.74,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roofs of numerous structures were damage in Price." +112769,673632,KENTUCKY,2017,March,Thunderstorm Wind,"FLOYD",2017-03-01 09:42:00,EST-5,2017-03-01 09:42:00,0,0,0,0,,NaN,,NaN,37.67,-82.69,37.67,-82.69,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roof of a house was damaged and a well pump house was turned over on Sugarloaf Branch Road." +112769,673633,KENTUCKY,2017,March,Thunderstorm Wind,"WHITLEY",2017-03-01 09:45:00,EST-5,2017-03-01 09:45:00,0,0,0,0,,NaN,,NaN,36.86,-84.07,36.86,-84.07,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A tree was blown down on Meadow Creek Road." +112769,673634,KENTUCKY,2017,March,Thunderstorm Wind,"LESLIE",2017-03-01 09:57:00,EST-5,2017-03-01 09:57:00,0,0,0,0,,NaN,,NaN,37.09,-83.26,37.09,-83.26,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A barn was blown down." +112769,673635,KENTUCKY,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 10:07:00,EST-5,2017-03-01 10:07:00,0,0,0,0,,NaN,,NaN,37.38,-82.48,37.38,-82.48,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A car port was blown over at a residence." +112682,673129,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 06:10:00,EST-5,2017-03-01 06:10:00,0,0,0,0,0.50K,500,0.00K,0,38.88,-81.67,38.88,-81.67,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A small wood shed was destroyed." +112682,673134,WEST VIRGINIA,2017,March,Hail,"CALHOUN",2017-03-01 06:43:00,EST-5,2017-03-01 06:43:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-81.09,38.92,-81.09,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","" +113580,679874,TEXAS,2017,March,Thunderstorm Wind,"CASS",2017-03-24 19:35:00,CST-6,2017-03-24 19:35:00,0,0,0,0,0.00K,0,0.00K,0,33.119,-94.121,33.119,-94.121,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down along County Road 4809." +113580,679875,TEXAS,2017,March,Thunderstorm Wind,"ANGELINA",2017-03-24 20:26:00,CST-6,2017-03-24 20:26:00,0,0,0,0,0.00K,0,0.00K,0,31.231,-94.4201,31.231,-94.4201,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Trees were blown down between Huntington and Zavalla." +113580,679878,TEXAS,2017,March,Thunderstorm Wind,"SABINE",2017-03-24 21:00:00,CST-6,2017-03-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4511,-93.9814,31.4511,-93.9814,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Eddings Lane." +113580,679879,TEXAS,2017,March,Thunderstorm Wind,"SHELBY",2017-03-24 21:05:00,CST-6,2017-03-24 21:05:00,0,0,0,0,0.00K,0,0.00K,0,31.597,-93.9642,31.597,-93.9642,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Numerous trees and power lines were blown down along Highway 87 southeast of the Patroon community near the Sabine County line." +113580,679882,TEXAS,2017,March,Thunderstorm Wind,"ANGELINA",2017-03-24 20:15:00,CST-6,2017-03-24 20:15:00,0,0,0,0,0.00K,0,0.00K,0,31.2808,-94.5827,31.2808,-94.5827,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down in the Huntington area." +113580,679883,TEXAS,2017,March,Thunderstorm Wind,"SAN AUGUSTINE",2017-03-24 20:42:00,CST-6,2017-03-24 20:42:00,0,0,0,0,0.00K,0,0.00K,0,31.368,-94.152,31.368,-94.152,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along FM 705." +113580,679884,TEXAS,2017,March,Tornado,"HARRISON",2017-03-24 19:31:00,CST-6,2017-03-24 19:36:00,0,0,0,0,90.00K,90000,0.00K,0,32.4825,-94.4499,32.5102,-94.4169,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","An EF2 tornado with estimated winds between 105-115 mph touched down just south of Interstate 20 just southwest of Marshall, and continued northeast across the Interstate into rural portions of Harrison County to just outside the Marshall city limits. The tornado snapped and uprooted numerous trees, pushed metal carports over, ripped roofing material off of a couple of homes, and destroyed a metal outbuilding." +113465,679959,VIRGINIA,2017,March,Winter Weather,"ALBEMARLE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between one and three inches across the county and ice accumulation was estimated to be between a trace and a tenth of an inch based on observations nearby." +113465,679960,VIRGINIA,2017,March,Winter Weather,"NELSON",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between one and three inches across the county and ice accumulation was estimated to be between a trace and a tenth of an inch based on observations nearby." +113465,679961,VIRGINIA,2017,March,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between one and three inches across the county and ice accumulation was estimated to be between a trace and a tenth of an inch based on observations nearby." +113465,679962,VIRGINIA,2017,March,Winter Weather,"ARLINGTON",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.2 inches near Baileys Crossroads. A trace of ice was reported at Reagan National Airport." +113465,679963,VIRGINIA,2017,March,Winter Weather,"CULPEPER",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 2 and 4 inches based on observations nearby." +113465,679964,VIRGINIA,2017,March,Winter Weather,"EASTERN HIGHLAND",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.0 inches near Clover Creek." +113465,679970,VIRGINIA,2017,March,Winter Weather,"MADISON",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 1 and 3 inches based on observations nearby. Ice accumulation of a trace to one-tenth of an inch was also estimated based on observations nearby." +113465,679971,VIRGINIA,2017,March,Winter Weather,"NORTHERN FAUQUIER",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 2 and 4 inches based on observations nearby." +113465,679972,VIRGINIA,2017,March,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 2 and 4 inches based on observations nearby." +113465,679973,VIRGINIA,2017,March,Winter Weather,"ORANGE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 1.0 inch in Thornhill. Ice accumulation of fifteen hundredths of an inch was also reported in Thornhill." +113465,679978,VIRGINIA,2017,March,Winter Weather,"SOUTHERN FAUQUIER",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 1 and 3 inches based on observations nearby. Ice accumulation of a trace to one-tenth of an inch was estimated based on observations nearby." +113465,679980,VIRGINIA,2017,March,Winter Weather,"STAFFORD",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 1.5 inches near Glendie. Ice accumulation was estimated to be around a trace up to one-tenth of an inch based on observations nearby." +113465,679979,VIRGINIA,2017,March,Winter Weather,"SPOTSYLVANIA",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 2.2 inches near Dunavant. Ice accumulation was estimated to be around a trace up to one-tenth of an inch based on observations nearby." +113465,679982,VIRGINIA,2017,March,Winter Storm,"CLARKE",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 6.5 inches near Berryville." +113592,680003,VIRGINIA,2017,March,Winter Weather,"WESTERN HIGHLAND",2017-03-17 16:00:00,EST-5,2017-03-17 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front passed through the area, bringing some rain with it. However, there was a layer of cold air between about two and four thousand feet where rain froze on contact in the Allegheny Highlands.","A trace of ice was reported near Hightown." +113619,680157,LOUISIANA,2017,March,Tornado,"NATCHITOCHES",2017-03-24 22:00:00,CST-6,2017-03-24 22:09:00,0,0,0,0,70.00K,70000,0.00K,0,31.7063,-93.2166,31.8027,-93.1265,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","An EF-1 tornado with maximum estimated winds of 100-110 mph touched down on the southwest side of Hagewood, just west of Highway 117. Although the primary damage was snapped trees, two businesses at the intersection of Highway 117 and Highway 6 sustained some damage. The first was a metal warehouse that lost some siding. Across the street, a pool supply business sustained some roof damage. There was also an I-Beam structure behind the pool business that had several I-beams knocked down, including one that was blown over that had been attached to the concrete base. Several homes had minor roof damage, including one that had a corner of the roof lift enough for the ceiling to cave in. Several outbuildings were damaged or destroyed. This tornado continued northeast across Interstate 49 and across the western and northern fringes of Sibley Lake along Highway 504, crossing Highway 1 and lifting along White Oak Lane." +111595,665794,NEW MEXICO,2017,January,Cold/Wind Chill,"NORTHEAST HIGHLANDS",2017-01-07 03:00:00,MST-7,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An exceptionally cold airmass and light to moderate winds settled into New Mexico behind a departing major winter storm. The result was dangerously cold wind chills across much of eastern New Mexico and parts of the Rio Grande Valley. Wind chill values averaged 15 to 25 degrees below zero across the northeast plains. The coldest wind chill of 34 degrees below zero occurred at Mills Canyon. Even the Albuquerque and Santa Fe metro areas saw wind chills values as low as -10 degrees.","The wind chill at Las Vegas fell to between -15 and -20 degrees." +112803,674142,IOWA,2017,January,Heavy Snow,"FAYETTE",2017-01-24 16:55:00,CST-6,2017-01-25 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 8 inches of heavy, wet snow fell across Fayette County. The higher totals were generally over the northern half of the county. The highest reported total was 8.5 inches in the city of Fayette." +112888,674399,ILLINOIS,2017,January,Dense Fog,"ALEXANDER",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112152,668876,KENTUCKY,2017,January,Winter Weather,"CALLOWAY",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112994,675304,GEORGIA,2017,February,Thunderstorm Wind,"MUSCOGEE",2017-02-07 16:23:00,EST-5,2017-02-07 16:27:00,0,0,0,0,15.00K,15000,,NaN,32.56,-84.94,32.56,-84.94,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","An amateur radio operator reported multiple trees and large limbs blown down, some on structures, near the intersection of U.S. Highway 27 and Old Moon Road." +112994,675313,GEORGIA,2017,February,Thunderstorm Wind,"TAYLOR",2017-02-07 17:00:00,EST-5,2017-02-07 17:05:00,0,0,0,0,30.00K,30000,,NaN,32.5412,-84.3774,32.5829,-84.3482,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","The Taylor County Emergency Manager reported several trees and power lines blown down across western Taylor County. One tree fell on a house and a car near Black Creek Trail and a mobile home was damaged near the intersection of Parks Road and Black Creek Trail. A downed power line blocked Highway 96 near the intersection with Parks Road." +112994,675321,GEORGIA,2017,February,Thunderstorm Wind,"CRAWFORD",2017-02-07 17:32:00,EST-5,2017-02-07 17:37:00,0,0,0,0,10.00K,10000,,NaN,32.7461,-84.1127,32.7813,-84.0214,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","The Crawford County 911 center reported numerous trees blown down across western and northern Crawford County from Highway 80 northwest of Roberta to Highway 341 south of Musella." +112994,675325,GEORGIA,2017,February,Thunderstorm Wind,"CRAWFORD",2017-02-07 17:32:00,EST-5,2017-02-07 17:40:00,0,0,0,0,10.00K,10000,,NaN,32.5601,-83.9754,32.5858,-83.9555,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","The Crawford County 911 center reported multiple trees blown down between Crook Road and Tribble Road in the southern portion of the county." +112994,675330,GEORGIA,2017,February,Thunderstorm Wind,"MACON",2017-02-07 17:24:00,EST-5,2017-02-07 17:30:00,0,0,0,0,4.00K,4000,,NaN,32.32,-84.067,32.32,-84.067,"A strong upper-level trough and short wave swept through the region during the afternoon and evening. A marginally unstable air mass in place across central Georgia combined with moderate mid and deep-layer shear were enough to produce scattered severe thunderstorms, and an isolated tornado.","The Macon County Emergency Manager reported a few trees blown down north of Oglethorpe near Highway 128." +113000,675365,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-12 12:22:00,PST-8,2017-01-12 12:22:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-119.7,36.818,-119.7,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days prior and a colder low pressure system moved into central California. This created thunderstorms that produced heavy rainfall for parts of the San Joaquin Valley. Reports of road ponding/flooding was reported along with a few reports of funnel clouds.","Public reported via Facebook of street flooding approximately 2 to 3 feet deep in Clovis." +113137,678238,WASHINGTON,2017,January,Ice Storm,"GREATER VANCOUVER AREA",2017-01-17 08:00:00,PST-8,2017-01-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","Most of the Vancouver area saw less than 0.33 inches of ice, however the eastern portions of the Vancouver/Clark County area near the Columbia Gorge saw up to an inch of ice, with 0.65 inches reported at the Portland Airport and 1 inch reported at Troutdale." +113138,676647,OREGON,2017,January,High Wind,"CENTRAL OREGON COAST",2017-01-17 23:57:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","The Gleneden Beach station recorded wind gusts up to 72 mph, and a station at Lincoln City recorded gusts up to 62 mph. The Yaquina Bridge weather station recorded sustained winds up to 62 mph." +113138,676649,OREGON,2017,January,High Wind,"COAST RANGE OF NW OREGON",2017-01-18 07:14:00,PST-8,2017-01-18 09:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","The Tidewater RAWS site recorded a peak gust of 62 mph." +113232,677866,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 02:00:00,MST-7,2017-01-09 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 09/1045 MST." +113232,677867,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 21:35:00,MST-7,2017-01-10 02:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 10/0020 MST." +113232,677868,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 05:45:00,MST-7,2017-01-09 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Speer measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 09/1115 MST." +113232,677869,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 22:30:00,MST-7,2017-01-10 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Speer measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 10/0045 MST." +113232,677870,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 03:35:00,MST-7,2017-01-09 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher, with a peak gust 09/1045 MST." +113232,677871,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 22:00:00,MST-7,2017-01-10 02:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 10/0045 MST." +112558,671499,COLORADO,2017,January,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-01-19 17:00:00,MST-7,2017-01-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow accumulations to the eastern San Juan and La Garita Mountains. An impressive 29 inches of snow fell at Wolf Creek Pass (Mineral County).","" +112559,671500,COLORADO,2017,January,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-01-22 18:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought heavy snow to the Continental Divide and other parts of southern Colorado. More than 8 inches fell along the Continental Divide, but an impressive 38 inches of snow impacted Wolf Creek Pass (Mineral County).","" +112559,671501,COLORADO,2017,January,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-01-22 18:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought heavy snow to the Continental Divide and other parts of southern Colorado. More than 8 inches fell along the Continental Divide, but an impressive 38 inches of snow impacted Wolf Creek Pass (Mineral County).","" +112559,671502,COLORADO,2017,January,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-01-22 18:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought heavy snow to the Continental Divide and other parts of southern Colorado. More than 8 inches fell along the Continental Divide, but an impressive 38 inches of snow impacted Wolf Creek Pass (Mineral County).","" +112559,671503,COLORADO,2017,January,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-01-22 18:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought heavy snow to the Continental Divide and other parts of southern Colorado. More than 8 inches fell along the Continental Divide, but an impressive 38 inches of snow impacted Wolf Creek Pass (Mineral County).","" +113232,677856,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 20:05:00,MST-7,2017-01-10 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 10/0005 MST." +111564,677354,CALIFORNIA,2017,January,Debris Flow,"NEVADA",2017-01-10 21:00:00,PST-8,2017-01-11 21:00:00,0,0,0,0,1.12M,1120000,0.00K,0,39.299,-121.0955,39.2963,-121.0991,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Rocks, mud, and a tree across the roadway on Highway 49. The roadway was unpassable due to numerous slides on both sides of the South Yuba River Bridge." +113232,677475,WYOMING,2017,January,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-01-08 00:50:00,MST-7,2017-01-08 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 08/0450 MST." +113219,677407,IDAHO,2017,February,Heavy Snow,"COEUR D'ALENE AREA",2017-02-03 13:00:00,PST-8,2017-02-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Six inches of new snow was reported at Hayden." +113030,676206,ALABAMA,2017,January,Hail,"BALDWIN",2017-01-22 09:04:00,CST-6,2017-01-22 09:05:00,0,0,0,0,,NaN,0.00K,0,30.41,-87.68,30.41,-87.68,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Numerous pictures of ping pong to hen egg size hail in Foley." +113030,676207,ALABAMA,2017,January,Hail,"BALDWIN",2017-01-22 09:51:00,CST-6,2017-01-22 09:52:00,0,0,0,0,,NaN,0.00K,0,30.41,-87.68,30.41,-87.68,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail reported in Foley." +113108,676474,ARIZONA,2017,January,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-01-06 00:45:00,MST-7,2017-01-07 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front move across northern Arizona with snow and strong winds. A few locations recorded high winds above 58 MPH. Northern Apache Country received 6 inches of snow...other areas got lighter amounts.","The Springerville Airport ASOS recorded wind gust above 55 MPH from around 1245 AM MST to around 115 AM MST. The peak wind gust of 59 MPH was recorded at 1255 AM just before the front moved through." +113108,676478,ARIZONA,2017,January,Heavy Snow,"CHINLE VALLEY",2017-01-05 22:00:00,MST-7,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front move across northern Arizona with snow and strong winds. A few locations recorded high winds above 58 MPH. Northern Apache Country received 6 inches of snow...other areas got lighter amounts.","The Tolikan Chapter House reported 6 inches of snow at 5,308 feet MSL." +113036,676827,MICHIGAN,2017,January,Winter Storm,"MENOMINEE",2017-01-10 07:00:00,CST-6,2017-01-10 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report via social media of 5.5 inches of wet snow in 12 hours near Daggett." +113036,676828,MICHIGAN,2017,January,Winter Weather,"ALGER",2017-01-10 08:00:00,EST-5,2017-01-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report of an estimated five inches of wet snow in 12 hours just south of Munising and six inches of wet snow in 12 hours in Au Train." +113036,676836,MICHIGAN,2017,January,Winter Weather,"BARAGA",2017-01-10 09:00:00,EST-5,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","The spotter in L'anse measured five inches of snow in 12 hours. West winds gusting to 20 mph toward evening also caused some blowing and drifting of snow." +113041,675757,CALIFORNIA,2017,January,Lightning,"SAN FRANCISCO",2017-01-22 13:38:00,PST-8,2017-01-22 13:39:00,0,0,0,0,0.01K,10,0.01K,10,37.78,-122.43,37.78,-122.43,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","" +113041,675764,CALIFORNIA,2017,January,High Wind,"SANTA LUCIA MOUNTAINS AND LOS PADRES NATIONAL FOREST",2017-01-22 02:47:00,PST-8,2017-01-22 02:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pacific Vista RAWS at 1969 feet." +113041,675765,CALIFORNIA,2017,January,High Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-01-22 01:18:00,PST-8,2017-01-22 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Wind gust of 66 mph recorded at Calaveras." +113041,675766,CALIFORNIA,2017,January,Hail,"ALAMEDA",2017-01-22 14:04:00,PST-8,2017-01-22 15:04:00,0,0,0,0,0.01K,10,0.01K,10,37.8601,-122.2332,37.8601,-122.2332,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pea sized hail reported by spotter. Several other reports of pea sized hail also." +113148,676723,WYOMING,2017,January,Extreme Cold/Wind Chill,"CONVERSE COUNTY LOWER ELEVATIONS",2017-01-05 17:00:00,MST-7,2017-01-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sustained wind speeds of 10 to 25 mph combined with temperatures of -15 to -40 degrees produced wind chill values between -30 and -65 degrees.","Sustained wind speeds of 10 to 15 mph combined with temperatures of -15 to -20 degrees produced wind chill values from -30 to -40 degrees." +111680,676782,MINNESOTA,2017,January,Winter Storm,"EAST POLK",2017-01-02 09:17:00,CST-6,2017-01-03 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Surface low pressure moved from southwest Minnesota on the evening of Monday January 2nd to near Bemidji by the early morning hours of Tuesday January 3rd. This brought a period of steady snowfall to most of eastern North Dakota and portions of the northwest quarter of Minnesota. Many locations in this area saw 8 to 12 inches of snow, however, some spots around the Lake of the Woods region did pick up around 18 inches of snow. As the low pushed off to the east, northwest winds were rather gusty into the day on January 3rd. This resulted in periods of reduced visibility due to blowing and drifting snow. Many schools were closed for both days.","" +113030,675630,ALABAMA,2017,January,Tornado,"CHOCTAW",2017-01-21 05:14:00,CST-6,2017-01-21 05:29:00,4,0,0,0,750.00K,750000,0.00K,0,31.8476,-88.2905,31.998,-88.106,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","The tornado first touched down on Clark Road near Gilbertown and continued 15 miles to the northeast to the Choctaw and Marengo County line. The tornado then crossed the Tombigbee River and continued into Marengo County. A total of 24 structures were damaged by the tornado along its path. 4 residences were completely destroyed, 2 of which were mobile homes with the other 2 homes having no attached foundation. 2 other mobile homes were destroyed by downed trees. Another 20 structures experienced varying degrees of damage, some of which included major roof damage. The EF-2 intensity damage was located on Chapel Hill Road, Wimberly Road, and Pleasant Hill Road. 4 people were injured with 2 receiving significant, but non life threatening injuries after they were ejected 100-200 yards from their destroyed mobile home. Damage estimates of property were around $600,000 with another $150,000 estimated on the extensive tree damage." +113030,676142,ALABAMA,2017,January,Thunderstorm Wind,"MOBILE",2017-01-21 06:45:00,CST-6,2017-01-21 06:45:00,0,0,0,0,4.00K,4000,0.00K,0,30.79,-88.41,30.79,-88.41,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A large pine tree was uprooted, large tree limbs snapped, and a fence blown down." +113059,676048,NORTH CAROLINA,2017,January,Winter Storm,"CASWELL",2017-01-06 16:30:00,EST-5,2017-01-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 8 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Providence area, where 10 inches was measured." +113063,676095,VIRGINIA,2017,January,Winter Storm,"CARROLL",2017-01-06 15:30:00,EST-5,2017-01-07 12:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Hillsville area, where 9.0 inches of snow was measured." +113063,676105,VIRGINIA,2017,January,Winter Storm,"GRAYSON",2017-01-06 15:15:00,EST-5,2017-01-07 11:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received along the city of Galax area, where 9 inches of snow was measured." +113112,676504,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,550.00K,550000,0.00K,0,38.9755,-123.1008,38.9755,-123.1008,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Dooley Creek bank erosion near Old Hopland." +113092,682180,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,1.75M,1750000,0.00K,0,40.9032,-123.7627,40.9032,-123.7627,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Landslide and slope failure along Highway 299 near mile post 30." +113092,682179,CALIFORNIA,2017,January,Heavy Rain,"TRINITY",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,750.00K,750000,0.00K,0,40.5791,-123.062,40.5791,-123.062,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Undermined hill and slip-out near mile post 15 on Highway 3." +113112,676513,CALIFORNIA,2017,January,High Wind,"SOUTHWESTERN HUMBOLDT",2017-01-08 04:00:00,PST-8,2017-01-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Peak wind gust at 10:08 am at Cooskie Mountain." +113092,676529,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,650.00K,650000,0.00K,0,40.926,-123.9011,40.926,-123.9011,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Roadway pushup caused by landslide near mile post 19 on Highway 299." +113796,681509,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Ten inches of snow was reported 10 miles northwest of Cheyenne." +113796,681510,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was reported one mile southwest of Cheyenne." +113796,681511,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Fifteen inches of snow was reported 22 miles west of Cheyenne." +112200,669062,TENNESSEE,2017,January,Heavy Snow,"UNICOI",2017-01-06 20:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 7 inches was measured at Unicoi." +112200,669063,TENNESSEE,2017,January,Heavy Snow,"JEFFERSON",2017-01-06 20:00:00,EST-5,2017-01-07 09:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 6 inches was measured three miles south southeast of Dandridge." +112538,671207,OHIO,2017,January,High Wind,"SANDUSKY",2017-01-10 19:24:00,EST-5,2017-01-10 20:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed trees and power lines in the Woodville area. Some power outages were reported." +112464,673131,MAINE,2017,January,Winter Storm,"NORTHERN PISCATAQUIS",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 5 to 8 inches along with 1 to 3 inches of sleet." +112965,675004,NORTH CAROLINA,2017,January,Heavy Snow,"BURKE MOUNTAINS",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +113830,681561,NEBRASKA,2017,January,Winter Storm,"BANNER",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer 18 miles west-southwest of Bridgeport measured 8.8 inches of snow." +113830,681562,NEBRASKA,2017,January,Winter Storm,"BANNER",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer six miles south of Melbeta measured 16 inches of snow." +113830,681571,NEBRASKA,2017,January,Winter Storm,"BOX BUTTE",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer seven miles northwest of Alliance measured nine inches of snow." +113830,681573,NEBRASKA,2017,January,Winter Storm,"BOX BUTTE",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Six inches of snow was observed at Hemingford." +113830,681574,NEBRASKA,2017,January,Winter Storm,"DAWES",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer at Chadron measured 11.5 inches of snow." +112779,678082,KANSAS,2017,January,Ice Storm,"FORD",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1.5 to 1.75 inches. Water equivalent was 2 to 4 inches. Tree and power line damage was extensive." +112779,678083,KANSAS,2017,January,Ice Storm,"GRANT",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1/2 to 1 inch. Water equivalent was 1 to 2 inches." +111725,666375,KANSAS,2017,January,Ice Storm,"OTTAWA",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Reports including photos from social media show ice accumulation on tree limbs and power lines to between one quarter and one half inch across the county." +113221,677398,WASHINGTON,2017,January,Heavy Snow,"GREATER VANCOUVER AREA",2017-01-10 13:00:00,PST-8,2017-01-11 11:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest. Surface temperatures as precipitation started were just above freezing, but with heavy showers, rain quickly turned over to snow during the early evening. Embedded thunderstorms enhanced snowfall rates around the Vancouver Metro for a crippling snowstorm Tuesday evening, with snow continuing to fall through Wednesday morning.","A high-impact snowstorm for the Portland Metro area, which caused hazardous travel, power outages and other challenges. Many cars were stuck on the road during the evening rush hour. Widespread downed or broken trees due to snow loading, leading to multiple power outages. Snow amounted to 6 to 14 inches across the Vancouver Metro." +113133,678262,OREGON,2017,January,Winter Storm,"WESTERN COLUMBIA RIVER GORGE",2017-01-07 10:00:00,PST-8,2017-01-08 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","The Columbia River Highway was closed between Larch Mountain Rd and Vista House due to extreme ice conditions. Local TV meteorologist reported 0.50 inches of ice and 1 inch of snow in Corbett." +112779,678090,KANSAS,2017,January,Ice Storm,"LANE",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1/2 to 3/4 inches. Water equivalent was 1 to 2 inches." +113304,678062,OKLAHOMA,2017,January,Drought,"HASKELL",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678063,OKLAHOMA,2017,January,Drought,"LATIMER",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678065,OKLAHOMA,2017,January,Drought,"LE FLORE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113263,678105,CALIFORNIA,2017,January,Dense Fog,"SE S.J. VALLEY",2017-01-30 23:00:00,PST-8,2017-01-31 08:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 2300 PST and 0810 PST the Visalia Municipal Airport (KVIS) AWOS reported visibility less than 1/4 mile." +112886,674377,KENTUCKY,2017,January,Dense Fog,"LYON",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674379,KENTUCKY,2017,January,Dense Fog,"MARSHALL",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674380,KENTUCKY,2017,January,Dense Fog,"MCCRACKEN",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674381,KENTUCKY,2017,January,Dense Fog,"MUHLENBERG",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674382,KENTUCKY,2017,January,Dense Fog,"TODD",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +111905,667389,NEBRASKA,2017,January,Heavy Snow,"ANTELOPE",2017-01-24 08:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout the county from the 24th into the 25th of January. North and northwest winds of 15 to 25 mph accompanied the heavy snowfall, which led to considerable blowing and drifting of snow. Snowfall ranged from 8 to 12 inches across the county. The city of Plainview reported 10 inches of snowfall from the storm." +111905,667393,NEBRASKA,2017,January,Heavy Snow,"BOONE",2017-01-24 08:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout mainly the northern half of the county. North and northwest winds of 15 to 25 mph accompanied the heavy snowfall, which led to some blowing and drifting of snow." +111905,667398,NEBRASKA,2017,January,Heavy Snow,"MADISON",2017-01-24 08:00:00,CST-6,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Periods of heavy snow fell throughout the county from the 24th into the 25th. North and northwest winds of 15 to 25 mph accompanied the heavy snowfall, which led to some blowing and drifting of snow. Snowfall ranged from 6 to 9 inches across the County with Norfolk reporting 8 inches." +111471,673853,CALIFORNIA,2017,January,Flood,"NAPA",2017-01-08 08:32:00,PST-8,2017-01-08 09:32:00,0,0,0,0,0.00K,0,0.00K,0,38.313,-122.326,38.313,-122.3258,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Brook wood Drive flooded near Brook wood Creek. Road closed until next week." +111471,673854,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-08 08:32:00,PST-8,2017-01-08 09:32:00,0,0,0,0,0.00K,0,0.00K,0,38.3004,-122.6676,38.2997,-122.667,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Adobe Road at Petaluma Hilla Road in Penngrove flooded, not passable." +111471,673855,CALIFORNIA,2017,January,Flood,"SONOMA",2017-01-08 09:17:00,PST-8,2017-01-08 10:17:00,0,0,0,0,0.00K,0,0.00K,0,38.5288,-122.7227,38.5284,-122.7229,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Creek flooding roadway at Mark West Springs Rd and Fox Hunt Ln." +111471,673856,CALIFORNIA,2017,January,Flood,"NAPA",2017-01-08 10:49:00,PST-8,2017-01-08 11:49:00,0,0,0,0,0.00K,0,0.00K,0,38.5184,-122.4886,38.5246,-122.4831,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Deer Park Road between HWY 29 and Silverado Trail closed due to flooding. Yountville Cross road also impacted." +111471,673857,CALIFORNIA,2017,January,Heavy Rain,"SANTA CLARA",2017-01-08 13:53:00,PST-8,2017-01-08 14:53:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-121.65,37.13,-121.65,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Precipitation 1.78 inches measured since 8 AM. Widespread minor flooding in Morgan Hill." +111471,675230,CALIFORNIA,2017,January,Debris Flow,"SAN MATEO",2017-01-09 03:38:00,PST-8,2017-01-09 05:38:00,0,0,0,0,0.00K,0,0.00K,0,37.6203,-122.4848,37.6202,-122.4849,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Pacifica Police department confirms, northbound lane is closed on highway 1 in Pacifica due to a landslide." +111471,675231,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-09 06:33:00,PST-8,2017-01-09 08:33:00,0,0,0,0,0.00K,0,0.00K,0,36.9382,-121.8078,36.9379,-121.8082,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Mud 5 feet deep covering half road at Buena Vista Rd and Larken Valley Rd." +114079,683343,ARIZONA,2017,January,Heavy Snow,"GRAND CANYON COUNTRY",2017-01-22 11:00:00,MST-7,2017-01-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","Snow from the third storm started falling late morning in January 22. Snow became heavy overnight and then became showery after daylight on January 23. The Grand Canyon Visitors Center measured 11.0 inches by 0800 AM on January 23. The Grand Canyon East Entrance reported 9.5 inches and the Grand Canyon Village 8.0 inches. Employees and volunteers shoveled snow off the upper portions of the popular Bright Angel Trail so that visitors could use the trail." +114079,683348,ARIZONA,2017,January,Heavy Snow,"WHITE MOUNTAINS",2017-01-23 13:00:00,MST-7,2017-01-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","The Show Low Airport received 6 inches of snow at an elevation of 6,400 feet. Alpine received 3 inches of snow at close to 8000 feet. A spotter 4 miles northwest of McNary received 9.5 inches of snow." +114079,683537,ARIZONA,2017,January,Heavy Snow,"CHUSKA MOUNTAINS AND DEFIANCE PLATEAU",2017-01-23 14:00:00,MST-7,2017-01-24 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","An estimated 14 inches of new snow fell 5 miles northwest of St Michaels at the summit if Highway 264 (7,600 feet elevation)." +114079,683538,ARIZONA,2017,January,Heavy Snow,"COCONINO PLATEAU",2017-01-23 10:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","Seven inches of snow fell three miles east of Ash Fork at an elevation of around 5,300 feet. Six inches of snow fell in Valle at around 6,000 feet elevation. Six inches of snow fell about 6 miles north of Ash Fork." +114079,683540,ARIZONA,2017,January,Heavy Snow,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-01-23 13:00:00,MST-7,2017-01-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","Seven inches of new snow fell 7 miles north of Vernon at around 6,500 feet." +114079,683542,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS SOUTH OF HIGHWAY 264",2017-01-23 13:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","An estimated 9 inches of new snow fell at around 5600 feet on Second Mesa. The 4 day total snowfall was 36 inches." +114079,683543,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS FROM HIGHWAY 264 NORTH",2017-01-23 12:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","An estimated 9 inches of new snow fell at around 5600 feet on Second Mesa. The 4 day total snowfall was 36 inches." +113358,680886,MAINE,2017,March,Blizzard,"INTERIOR HANCOCK",2017-03-14 17:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 8 to 12 inches. Blizzard conditions also occurred." +112765,673563,INDIANA,2017,March,Hail,"DEARBORN",2017-03-01 06:33:00,EST-5,2017-03-01 06:35:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-84.86,39.22,-84.86,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675152,OHIO,2017,March,Thunderstorm Wind,"ROSS",2017-03-01 03:04:00,EST-5,2017-03-01 03:05:00,0,0,0,0,0.00K,0,0.00K,0,39.44,-83.02,39.44,-83.02,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,676114,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 02:00:00,EST-5,2017-03-01 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-84.45,39.1674,-84.4465,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Multiple roads were closed in Norwood due to high water, including Montgomery Road near Sanker Blvd." +112767,676205,OHIO,2017,March,Thunderstorm Wind,"PICKAWAY",2017-03-01 04:13:00,EST-5,2017-03-01 04:15:00,0,0,0,0,3.00K,3000,0.00K,0,39.47,-82.74,39.47,-82.74,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A shed was destroyed." +112767,676219,OHIO,2017,March,Thunderstorm Wind,"ROSS",2017-03-01 02:48:00,EST-5,2017-03-01 02:50:00,0,0,0,0,4.00K,4000,0.00K,0,39.4733,-83.1644,39.4733,-83.1644,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Large roof sections and siding were stripped from a barn. A fence was also flattened." +112765,676339,INDIANA,2017,March,Flash Flood,"RIPLEY",2017-03-01 01:30:00,EST-5,2017-03-01 03:30:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-85.22,39.1397,-85.1907,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was flowing over multiple roads throughout the east central portions of the county." +112767,676341,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 02:30:00,EST-5,2017-03-01 03:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1591,-84.6176,39.1592,-84.609,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Three to six inches of water was flowing around a house." +112732,673248,NEBRASKA,2017,February,Heavy Snow,"WAYNE",2017-02-23 16:00:00,CST-6,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the county. A snowfall measurement of 5.6 inches was recorded at Wayne." +112732,673249,NEBRASKA,2017,February,Heavy Snow,"STANTON",2017-02-23 16:00:00,CST-6,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snowfall occurred across the central and northern half of the county. A snowfall measurement of 5.8 inches was recorded at Pilger." +114246,684403,KENTUCKY,2017,March,Strong Wind,"CALLOWAY",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684404,KENTUCKY,2017,March,Strong Wind,"CARLISLE",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684405,KENTUCKY,2017,March,Strong Wind,"CHRISTIAN",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +118211,710363,NEW MEXICO,2017,August,Thunderstorm Wind,"SOCORRO",2017-08-28 16:30:00,MST-7,2017-08-28 16:33:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-106.92,34.22,-106.92,"The center of upper level high pressure remained in place over southern Utah while low level moisture was recycled into the form of isolated afternoon showers and thunderstorms. Storms that developed over the central mountain chain during the early afternoon hours moved south-southwest toward nearby highlands and valleys by late afternoon. A storm near Gascon produced ping pong ball size around 230 pm. Colliding outflow boundaries within the Rio Grande Valley led to the development of another severe storm to the north of Socorro where a wind gust to 65 mph was reported. Heavy rainfall and half inch hail with this storm also produced some minor flooding in Chamizal.","Severe outflow wind gusts up to 65 mph reported in Chamizal." +114246,684406,KENTUCKY,2017,March,Strong Wind,"CRITTENDEN",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684407,KENTUCKY,2017,March,Strong Wind,"DAVIESS",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684408,KENTUCKY,2017,March,Strong Wind,"FULTON",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +112845,679106,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-09 17:15:00,CST-6,2017-03-09 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-92.91,37.18,-92.91,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679107,MISSOURI,2017,March,Hail,"TEXAS",2017-03-09 17:55:00,CST-6,2017-03-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-91.66,37.18,-91.66,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679108,MISSOURI,2017,March,Hail,"TEXAS",2017-03-09 17:30:00,CST-6,2017-03-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-92.09,37.15,-92.09,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media." +112845,679109,MISSOURI,2017,March,Hail,"TANEY",2017-03-09 19:45:00,CST-6,2017-03-09 19:45:00,0,0,0,0,10.00K,10000,0.00K,0,36.5,-93.22,36.5,-93.22,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media. There was some damage reported from hail around the Top of the Rock property." +112845,679110,MISSOURI,2017,March,Hail,"BARRY",2017-03-09 19:35:00,CST-6,2017-03-09 19:35:00,0,0,0,0,25.00K,25000,0.00K,0,36.6,-93.6,36.6,-93.6,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with pictures. There was some damage to cars and windows in the area." +112845,679111,MISSOURI,2017,March,Hail,"HOWELL",2017-03-09 17:45:00,CST-6,2017-03-09 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-91.89,37.05,-91.89,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media." +112845,679112,MISSOURI,2017,March,Hail,"HOWELL",2017-03-09 19:14:00,CST-6,2017-03-09 19:14:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-92.09,36.7,-92.09,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media." +112845,679114,MISSOURI,2017,March,Hail,"DOUGLAS",2017-03-09 18:01:00,CST-6,2017-03-09 18:01:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-92.58,37.05,-92.58,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +113856,681842,ARKANSAS,2017,March,Thunderstorm Wind,"SEVIER",2017-03-26 23:37:00,CST-6,2017-03-26 23:37:00,0,0,0,0,0.00K,0,0.00K,0,34.1005,-94.3228,34.1005,-94.3228,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","Trees were downed south of Gillham." +113856,681843,ARKANSAS,2017,March,Thunderstorm Wind,"SEVIER",2017-03-27 00:00:00,CST-6,2017-03-27 00:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0903,-94.4,34.0903,-94.4,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","Trees were downed on Miles Road." +113856,681844,ARKANSAS,2017,March,Thunderstorm Wind,"HOWARD",2017-03-27 00:15:00,CST-6,2017-03-27 00:15:00,0,0,0,0,0.00K,0,0.00K,0,34.0824,-93.9771,34.0824,-93.9771,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","A tree was downed on Highway 278 south of Dierks." +113668,680367,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-01 13:50:00,EST-5,2017-03-01 13:50:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 50 knots was reported at Nationals Park." +113668,680373,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-01 14:06:00,EST-5,2017-03-01 14:06:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 50 knots was reported at the Baltimore Key Bridge." +113668,680375,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 53 knots was reported at Herring Bay." +113668,680378,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.7073,-76.5311,38.7073,-76.5311,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A tree was down in North Beach due to thunderstorm winds." +113668,680379,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-01 14:20:00,EST-5,2017-03-01 14:20:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 56 knots was reported at Thomas Point Lighthouse." +113668,680380,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"EASTERN BAY",2017-03-01 14:30:00,EST-5,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,38.9177,-76.2003,38.9177,-76.2003,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 54 knots was estimated based on thunderstorm wind damage nearby." +113668,680382,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-01 14:13:00,EST-5,2017-03-01 14:13:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front passed through the waters. Showers were able to mix down strong winds from aloft.","A wind gust of 51 knots was reported at Cobb Point." +113669,680383,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-08 03:34:00,EST-5,2017-03-08 03:58:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts of 34 to 38 knots were reported at Reagan National Airport." +113669,680384,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-03-08 03:34:00,EST-5,2017-03-08 03:50:00,0,0,0,0,,NaN,,NaN,38.87,-77.02,38.87,-77.02,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 37 knots were reported at Nationals Park." +113669,680387,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-08 03:45:00,EST-5,2017-03-08 04:05:00,0,0,0,0,,NaN,,NaN,38.644,-77.199,38.644,-77.199,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 36 knots were reported at Occoquan." +114670,687827,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:03:00,EST-5,2017-03-08 04:24:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 34 to 35 knots were reported at Martin State." +114670,687828,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:04:00,EST-5,2017-03-08 04:14:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 35 to 38 knots were reported Gunpowder." +114670,687829,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:30:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 34 knots were reported at Tolchester." +114670,687830,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:30:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 34 knots were reported at North Bay." +114670,687831,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:44:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 38 knots were reported at Grove Point." +114670,687832,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:09:00,EST-5,2017-03-08 04:29:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 35 to 50 knots were reported at Greenbury Point." +114670,687833,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:11:00,EST-5,2017-03-08 04:16:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts of 38 to 42 knots were reported at Tolly Point." +114670,687836,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:20:00,EST-5,2017-03-08 04:20:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gust of 41 knots was reported at Annapolis." +117940,709322,WISCONSIN,2017,July,Thunderstorm Wind,"FOND DU LAC",2017-07-07 17:26:00,CST-6,2017-07-07 17:32:00,0,0,0,0,3.00K,3000,0.00K,0,43.7374,-88.3928,43.7374,-88.3928,"A cold front and upper trough brought scattered thunderstorms with large hail and damaging winds during the late afternoon and early evening hours.","A 250 pound canoe was blown from a deck by the lake into the hood of a car. A couple lighter weight kayaks were also thrown. Tree limbs landed on a split rail fence; thereby knocking most of it down with some cross-members broken. The metal frame of a shore station was bent." +114649,687647,ARIZONA,2017,March,Strong Wind,"GREATER PHOENIX AREA",2017-03-30 21:24:00,MST-7,2017-03-30 21:25:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty winds developed during the afternoon and evening hours across much of southern Arizona in response to a strong weather system approaching from the west. Gusty winds over 40 mph were widespread over the deserts and resulted in the issuances of Blowing Dust Advisories as well as Dust Storm Warnings. Patchy dense blowing dust with visibilities below one quarter of a mile were observed in La Paz county. Gusty winds at least 40 mph caused a tree to be downed in the greater Phoenix area during the evening hours.","Strong gusty winds developed across the greater Phoenix area during the evening hours on March 30th due to an approaching strong weather system. The strong gusts caused areas of blowing dust and led to the issuances of blowing dust advisories and wind advisories. At 2124MST a trained spotter 5 miles northwest of Deer Valley reported that winds gusts estimated to be at least 40 mph downed a 20 inch diameter tree in far north Phoenix." +114115,683359,CALIFORNIA,2017,March,Funnel Cloud,"SANTA BARBARA",2017-03-22 10:00:00,PST-8,2017-03-22 10:10:00,0,0,0,0,0.00K,0,0.00K,0,34.9082,-120.5145,34.9055,-120.5082,"Several strong thunderstorms developed across the Central Coast of California. In Creston, a severe thunderstorm developed, producing one inch hail. Near the community of Santa Maria, a funnel cloud was observed.","Near the community of Santa Maria, a funnel cloud was reported." +114116,683360,CALIFORNIA,2017,March,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-03-27 22:00:00,PST-8,2017-03-28 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a late season storm, strong and gusty northwest to north winds developed across southwestern California. Across the mountains and local deserts, wind gusts between 58 and 65 MPH were reported.","Strong northerly winds developed across the mountains of Los Angeles county. Some peak wind gusts from the local observation network include: Chilao (gust 65 MPH) and Sandberg (gust 63 MPH)." +114127,683414,WASHINGTON,2017,March,Heavy Snow,"LOWER GARFIELD & ASOTIN",2017-03-04 16:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fetch of Pacific moisture enhanced along a stalled front into persistent snow showers over extreme southeast Washington during the afternoon and evening of March 4th, producing heavy snow accumulations in the Blue Mountains and the valleys adjacent to the mountains.","A spotter 5 miles southeast of Anatone reported 7 inches of new snow accumulation." +117993,709324,WISCONSIN,2017,July,Hail,"IOWA",2017-07-09 23:00:00,CST-6,2017-07-09 23:00:00,0,0,0,0,,NaN,,NaN,43.16,-89.91,43.16,-89.91,"A large, slow moving complex of thunderstorms produced heavy rain and flash flooding in the Madison and Kenosha areas. A couple storms produced large hail.","" +117993,709325,WISCONSIN,2017,July,Hail,"JEFFERSON",2017-07-10 01:04:00,CST-6,2017-07-10 01:04:00,0,0,0,0,,NaN,,NaN,42.88,-88.59,42.88,-88.59,"A large, slow moving complex of thunderstorms produced heavy rain and flash flooding in the Madison and Kenosha areas. A couple storms produced large hail.","" +114128,683416,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","Holden Village received 10.1 inches of new snow accumulation." +114128,683417,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","The Leavenworth Fish Hatchery received 7.8 inches of new snow accumulation." +114128,683418,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","The observer at Plain received 7.4 inches of new snow accumulation." +114128,683420,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","An observer 12 miles north of Leavenworth received 7.5 inches of new snow accumulation." +114989,689953,NORTH CAROLINA,2017,March,Frost/Freeze,"INLAND PENDER",2017-03-17 02:00:00,EST-5,2017-03-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689954,NORTH CAROLINA,2017,March,Frost/Freeze,"ROBESON",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689955,NORTH CAROLINA,2017,March,Frost/Freeze,"ROBESON",2017-03-17 02:00:00,EST-5,2017-03-17 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689956,NORTH CAROLINA,2017,March,Frost/Freeze,"COLUMBUS",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114152,685107,OKLAHOMA,2017,March,Drought,"ELLIS",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685108,OKLAHOMA,2017,March,Drought,"ROGER MILLS",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685109,OKLAHOMA,2017,March,Drought,"MAJOR",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685110,OKLAHOMA,2017,March,Drought,"DEWEY",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685111,OKLAHOMA,2017,March,Drought,"KAY",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685112,OKLAHOMA,2017,March,Drought,"GARFIELD",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685113,OKLAHOMA,2017,March,Drought,"NOBLE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685114,OKLAHOMA,2017,March,Drought,"KINGFISHER",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685115,OKLAHOMA,2017,March,Drought,"LOGAN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685116,OKLAHOMA,2017,March,Drought,"PAYNE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685117,OKLAHOMA,2017,March,Drought,"CANADIAN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +113755,690182,TEXAS,2017,March,Hail,"ROBERTSON",2017-03-27 00:32:00,CST-6,2017-03-27 00:32:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-96.6,30.88,-96.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","" +113755,690183,TEXAS,2017,March,Hail,"BELL",2017-03-26 22:15:00,CST-6,2017-03-26 22:15:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-97.47,31.2,-97.47,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A second area of quarter sized hail fell in Moffat." +114800,688561,SOUTH DAKOTA,2017,March,High Wind,"CORSON",2017-03-06 16:06:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing surface low pressure area brought high winds to a few counties during the afternoon and early evening. The much stronger winds developed across all of the region on March 7th.","" +114800,688563,SOUTH DAKOTA,2017,March,High Wind,"ROBERTS",2017-03-06 18:03:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing surface low pressure area brought high winds to a few counties during the afternoon and early evening. The much stronger winds developed across all of the region on March 7th.","" +114918,689310,MINNESOTA,2017,March,Lake-Effect Snow,"SOUTHERN ST. LOUIS / CARLTON",2017-03-13 01:00:00,CST-6,2017-03-13 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very narrow lake effect snow band developed over West Duluth and gradually shifted to Superior, WI during the wee hours of the morning of March 13th. The snow came down fast, at one point dropping 7 in just a few hours. The snow continued through much of the morning, but tapered off in the late morning and early afternoon. Final snowfall amounts included 8 to 13 in the Duluth's Gary-New Duluth neighborhood and 10 in the Morgan Park neighborhood, and 9 Superior's Billings Park neighborhood. Much of the rest of Duluth and Superior had little to no snow.","" +114363,685298,CALIFORNIA,2017,March,Strong Wind,"S SIERRA MTNS",2017-03-05 10:00:00,PST-8,2017-03-05 10:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and moist upper trough pushed through the region between the evening of March 4 through the evening of March 5. This system produced widespread precipitation with several locations in the Southern Sierra Nevada and adjacent foothills measuring between 0.75 inches to 1.50 inches of rainfall. In addition, 6 to 12 inches of snow was measured at several locations above 6000 feet. Rain shadowing kept rainfall totals below a quarter of an inch across most of the San Joaquin Valley. Gusty post-frontal winds were observed across the Kern County Mountains and Deserts during the afternoon and evening hours of March 5 with several locations measuring gusts above 45 mph.","Yosemite National Park reported that a tree fell on a woman and killed her in the park. A heavy snow shower and gusty winds were occurring at the time." +114364,685299,CALIFORNIA,2017,March,Dense Fog,"SW S.J. VALLEY",2017-03-11 05:17:00,PST-8,2017-03-11 10:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of high pressure and abundant surface moisture allowed for patches of dense fog to form on the morning of March 11 which reduced visibility near Hanford and Lemoore to a few hundred feet.","Dense fog reduced visibility to below a quarter mile at the Hanford ASOS." +114308,684867,NORTH CAROLINA,2017,March,Winter Weather,"CABARRUS",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684868,NORTH CAROLINA,2017,March,Winter Weather,"CATAWBA",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684869,NORTH CAROLINA,2017,March,Winter Weather,"CLEVELAND",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684870,NORTH CAROLINA,2017,March,Winter Weather,"EASTERN MCDOWELL",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684871,NORTH CAROLINA,2017,March,Winter Weather,"EASTERN POLK",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684872,NORTH CAROLINA,2017,March,Winter Weather,"GASTON",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +113323,680942,OKLAHOMA,2017,March,Hail,"TULSA",2017-03-06 21:55:00,CST-6,2017-03-06 21:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1513,-96.2261,36.1513,-96.2261,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680945,OKLAHOMA,2017,March,Hail,"CREEK",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8308,-96.3902,35.8308,-96.3902,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680951,OKLAHOMA,2017,March,Hail,"CREEK",2017-03-06 22:16:00,CST-6,2017-03-06 22:16:00,0,0,0,0,0.00K,0,0.00K,0,35.9099,-96.5842,35.9099,-96.5842,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680955,OKLAHOMA,2017,March,Hail,"CREEK",2017-03-06 22:21:00,CST-6,2017-03-06 22:21:00,0,0,0,0,0.00K,0,0.00K,0,36,-96.0463,36,-96.0463,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +114332,686659,MISSOURI,2017,March,Thunderstorm Wind,"PIKE",2017-03-06 23:05:00,CST-6,2017-03-06 23:05:00,0,0,0,0,0.00K,0,0.00K,0,39.4935,-91.3221,39.4935,-91.3221,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds overturned a 16 foot above ground pool that still had about a foot of water in it." +114332,686660,MISSOURI,2017,March,Thunderstorm Wind,"OSAGE",2017-03-06 23:11:00,CST-6,2017-03-06 23:11:00,0,0,0,0,0.00K,0,0.00K,0,38.3072,-91.9102,38.3072,-91.9102,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down several large tree limbs onto County Road 636." +114332,686665,MISSOURI,2017,March,Tornado,"MONTGOMERY",2017-03-06 23:17:00,CST-6,2017-03-06 23:23:00,0,0,0,0,0.00K,0,0.00K,0,38.7166,-91.5152,38.7358,-91.4178,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","The tornado developed near the baseball fields in Rhineland along Highway 94 and moved east causing damage to several trees, fences and roof of a building on the grounds. The tornado continued east paralleling Highway 94 and causing various amounts of damage to homesteads and farm buildings. It crossed Highway 19 just north of Highway 94 and caused mainly tree damage as it crossed from Montgomery County into Warren County, about 1.5 miles east of McKittrick." +114332,686666,MISSOURI,2017,March,Tornado,"WARREN",2017-03-06 23:23:00,CST-6,2017-03-06 23:38:00,0,0,0,0,0.00K,0,0.00K,0,38.7358,-91.4178,38.7802,-91.1366,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","After crossing into Warren County from Montgomery County, it destroyed a barn and garage on Engemann Farm Road. The tornado continued east causing damage to trees along Case Road and then expanded as it crossed Massas Creek Road to nearly 150 yards. It is at this point that the greatest tree damage occurred with numerous trees uprooted, twisted and snapped in a convergent pattern near the creek. The tornado then crossed Highway B and Centennial Drive with more large trees uprooted and some minor damage to outbuildings and residences noted. The tornado continued east, destroying a pole barn west of Hickory Health Ranch Road, and uprooting more trees along State Highway EE and Missouri Highway U. The tornado crossed Highway 47 south of Warrenton causing roof damage to a building of a private campground and then dissipated east of the campground in rural Warren County. Overall, there was a continuous path of damage observed from Rhineland (Montgomery County) to two miles south southeast of Warrenton, Missouri (east of Missouri Highway 47- Warren County). It was rated EF1 with a path length of 21 miles and a max path width of 150 yards." +115056,690701,HAWAII,2017,March,Winter Weather,"BIG ISLAND SUMMIT",2017-03-09 15:00:00,HST-10,2017-03-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough and remnants of an old front brought active weather to the Big Island, with strong winds and a mix of winter weather restricting access to the Big Island summits.","Rangers on Mauna Kea reported ice, freezing rain, snow, and hail, sticking to the roadway and leading to poor traction. The summit road was closed to visitors from 730 PM HST on the 8th through 5 AM HST on the 10th." +112444,670382,FLORIDA,2017,February,Thunderstorm Wind,"SUWANNEE",2017-02-07 21:10:00,EST-5,2017-02-07 21:10:00,0,0,0,0,1.00K,1000,0.00K,0,30.14,-82.83,30.14,-82.83,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Numerous trees and power lines were blown down. The time of damage of based on radar imagery. The cost of damage was unknown but estimated." +113289,677921,WASHINGTON,2017,March,Heavy Snow,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-03-28 05:00:00,PST-8,2017-03-29 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal system brought heavy snow to the North Cascades.","Mt Baker NWAC station reported 20 inches snow during 24 hours ending 5 am Mar 29." +115075,690725,GULF OF MEXICO,2017,March,Waterspout,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-03-02 17:33:00,EST-5,2017-03-02 17:41:00,0,0,0,0,0.00K,0,0.00K,0,24.7603,-80.9366,24.7603,-80.9366,"An isolated waterspout developed in association with a rain shower developing within the middle Florida Keys nearshore waters.","A waterspout was observed to the east of Grassy Key offshore Mile Marker 57.5 of the Overseas Highway." +115076,690726,GULF OF MEXICO,2017,March,Waterspout,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-03-12 09:03:00,EST-5,2017-03-12 09:03:00,0,0,0,0,0.00K,0,0.00K,0,24.7319,-80.9315,24.7319,-80.9315,"A small cluster of rain showers resulted in a waterspout briefly being observed in Hawk Channel near the middle Florida Keys.","A waterspout was briefly observed over Hawk Channel about 3 miles southeast of Grassy Key by NWS personnel. The waterspout appeared as a condensation funnel cloud extending partially down from cloud base to the horizon. No spray ring could be observed due to obscuration of the water surface by the horizon." +115199,694572,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:26:00,CST-6,2017-05-16 17:26:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-99.87,35.16,-99.87,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694573,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:29:00,CST-6,2017-05-16 17:29:00,0,0,0,0,0.00K,0,0.00K,0,35.1,-99.87,35.1,-99.87,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115444,693235,CALIFORNIA,2017,May,Heavy Snow,"KERN CTY MTNS",2017-05-06 08:00:00,PST-8,2017-05-06 22:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A closed low pressure system moved southward along the California coast on the 6th then turned inland and crossed northern Baja on the 7th. This system produced widespread showers across the area on the evening of the 6th through the morning of the 7th. After skies cleared out, isolated thunderstorms broke out over the mountain areas in Tulare and Kern Counties during the afternoon of the 7th in a cool and unstable airmass. Most locations in the San Joaquin Valley, southern Sierra foothills and Kern County Mountains picked up between 1 and 3 tenths of an inch of rain while the Southern Sierra Nevada picked up between a quarter to half an inch of liquid precipitation with the precipitation mainly falling as snow above 5500 feet.","Report on Facebook of 6 inches of snow at Pine Mountain Club." +115446,693238,CALIFORNIA,2017,May,High Wind,"SE KERN CTY DESERT",2017-05-16 22:20:00,PST-8,2017-05-16 22:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave trough dropped south into the area on the afternoon of the 16th. This system produced some light showers mainly over the Southern Sierra Nevada. However, the main impact from this system was a period of strong winds across the Kern County Mountains and Deserts from the afternoon of the 16th through the evening of the 17th as there were several reports of wind gusts exceeding 60 mph prompting the issuance of a High Wind Warning for the Kern County Mountains and Deserts during the morning of the 17th.","The AWOS at the Mojave Airport reported a peak wind gust of 63 mph." +115446,693239,CALIFORNIA,2017,May,High Wind,"KERN CTY MTNS",2017-05-16 22:27:00,PST-8,2017-05-16 22:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave trough dropped south into the area on the afternoon of the 16th. This system produced some light showers mainly over the Southern Sierra Nevada. However, the main impact from this system was a period of strong winds across the Kern County Mountains and Deserts from the afternoon of the 16th through the evening of the 17th as there were several reports of wind gusts exceeding 60 mph prompting the issuance of a High Wind Warning for the Kern County Mountains and Deserts during the morning of the 17th.","The Bird Springs Pass RAWS reported a peak wind gust of 94 mph." +114856,689040,ARIZONA,2017,March,Heavy Snow,"WESTERN MOGOLLON RIM",2017-03-22 20:00:00,MST-7,2017-03-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving across northern Arizona produced an are of strong convection over the Western Mogollon Rim. A band of heavy snow developed across central Flagstaff and westward to Parks with lighter amounts to the east and west.","A band of heavy snow developed across and west of the Flagstaff area with heavy snow. Here are the snow totals in inches (Measured between 7 AM and 11 AM):| |2 E Parks 14.0 |Bellemont 12.0 |Fort Valley 12.0 |3 NNW Flagstaff 11.0 |Parks 9.0 |Downtown Flagstaff 8.5 |Flagstaff Airport 7.7. ||Just east of Flagstaff, only 5 inches fell at the Flagstaff Mall and in Cosnino. Doney Park had 3 inches of new snow. Only 3 inches in Williams west of Flagstaff." +114597,687305,TEXAS,2017,March,Wildfire,"CARSON",2017-03-06 14:43:00,CST-6,2017-03-07 00:00:00,3,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Dumas Complex Wildfire was comprised of several merged wildfires including the Reclamation wildfire, the Willow Vista wildfire, the Bluebonnet wildfire, the East wildfire, and the Folsom wildfire. The Dumas Complex wildfire began around 1443CST about seven miles north of Claude Texas in Carson County. The wildfire reportedly consumed twenty-eight thousand and eight hundred acres. There were about one hundred and fifty homes and other structures which were threatened by the wildfire and an evacuation was declared. There were no homes or other structures damaged or destroyed by the wildfire and, although no fatalities were reported, there was a local television station report that at least three firefighters were injured by the wildfire. The East wildfire began at 1501CST northwest of the Pantex Plant and north of the Amarillo Rick Husband International Airport just east of the Fritch Highway (State Road 136 and Farm to Market Road 293). There were about ten fire departments and other agencies that responded to the wildfire including the Texas A&M Forest Service. The wildfire was caused by downed power lines and was contained around 0000CST on March 7.","" +114599,687307,TEXAS,2017,March,Wildfire,"OCHILTREE",2017-03-06 14:50:00,CST-6,2017-03-09 15:00:00,2,0,1,0,25.10M,25100000,0.00K,0,NaN,NaN,NaN,NaN,"The Perryton Wildfire began around 1450CST about thirteen miles southwest of Wolf Creek Park in Ochiltree County. The wildfire was caused by downed power lines or sparks from a transformer and the wildfire consumed three hundred and eighteen thousand and fifty six acres. There was a report that this wildfire spread east across southern Lipscomb and northern Hemphill counties. The Perryton wildfire has been determined to be the third largest wildfire in the history of the Texas A&M Forest Service. The wildfire threatened homes north of Canadian and residents were urged to evacuate at a moment���s notice. The town of Higgins was also threatened briefly. There were two hundred homes and one hundred other structures threatened but saved, however four homes and one hundred other structures were destroyed by the wildfire. There was one report of a fatality and two injuries along with many heads of cattle lost. There were approximately one hundred near misses reported. The wildfire was contained around 1500CST on March 9. There were approximately four thousand livestock killed in the Texas Panhandle on March 6 from all of the wildfires and total damages were estimated to be in the neighborhood of 25.1 million dollars.","" +114527,686842,TENNESSEE,2017,March,Winter Weather,"SUMNER",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Sumner County ranged from a dusting up to nearly 1 inch. CoCoRaHS station Hendersonville 2.9 NE measured 0.8 inches of snow." +114527,686843,TENNESSEE,2017,March,Winter Weather,"WARREN",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Warren County ranged from a dusting up to 1 inch. CoCoRaHS station Morrison 1.9 SSW measured 1.0 inch of snow, while CoCoRaHS station Mcminnville 8.5 ESE measured 0.2 inches of snow." +114527,686844,TENNESSEE,2017,March,Winter Weather,"WAYNE",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Wayne County ranged from a dusting up to 1 inch. The sheriff office in Waynesboro reported 1 inch of snow, while a tSpotter Twitter report indicated 0.9 inches of snow in Colinwood." +114548,686982,OHIO,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 00:00:00,EST-5,2017-03-01 00:01:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-84.35,40.71,-84.35,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Local media reported trees and power lines were blown down." +114548,686983,OHIO,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 00:00:00,EST-5,2017-03-01 00:01:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-84.11,40.74,-84.11,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Local media reported structural damage to a modular home, with roof damage and porch collapse noted." +114548,686984,OHIO,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 04:00:00,EST-5,2017-03-01 04:01:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-84.13,40.75,-84.13,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public reported a large tree was uprooted onto a privacy fence. In addition, roughly a half dozen other large trees were blown down in the area." +114547,686985,INDIANA,2017,March,Hail,"MARSHALL",2017-03-01 01:37:00,EST-5,2017-03-01 01:38:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-86.16,41.45,-86.16,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","" +114547,686986,INDIANA,2017,March,Hail,"NOBLE",2017-03-01 02:13:00,EST-5,2017-03-01 02:14:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-85.42,41.4,-85.42,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","" +114547,686987,INDIANA,2017,March,Hail,"DE KALB",2017-03-01 02:25:00,EST-5,2017-03-01 02:26:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-85.06,41.44,-85.06,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","" +114822,688713,TENNESSEE,2017,May,Thunderstorm Wind,"GREENE",2017-05-24 11:30:00,EST-5,2017-05-24 11:30:00,0,0,0,0,,NaN,,NaN,36.05,-82.99,36.05,-82.99,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","A few trees were reported down along the western edge of the county." +114822,688714,TENNESSEE,2017,May,Thunderstorm Wind,"GREENE",2017-05-24 11:40:00,EST-5,2017-05-24 11:40:00,0,0,0,0,,NaN,,NaN,36.05,-82.99,36.05,-82.99,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","A few trees were reported down along the western part of the county east of Caney Branch." +114822,688715,TENNESSEE,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-24 12:20:00,EST-5,2017-05-24 12:20:00,0,0,0,0,,NaN,,NaN,36.41,-82.44,36.41,-82.44,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Significant damage was reported at the Poplar Ridge apartments along highway 36. Several trees and power lines were reported down along with roof and fence damage." +114823,688716,VIRGINIA,2017,May,Thunderstorm Wind,"SCOTT",2017-05-24 12:40:00,EST-5,2017-05-24 12:40:00,0,0,0,0,,NaN,,NaN,36.65,-82.47,36.65,-82.47,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Several trees were reported down on Highway 23." +114823,688718,VIRGINIA,2017,May,Thunderstorm Wind,"BRISTOL (C)",2017-05-24 12:51:00,EST-5,2017-05-24 12:51:00,0,0,0,0,,NaN,,NaN,36.61,-82.17,36.61,-82.17,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Numerous trees and power lines were reported down across the City of Bristol, Virginia. In addition, roof structural damage occurred at a few buildings in the city." +112939,675307,NEW YORK,2017,March,Blizzard,"EASTERN CLINTON",2017-03-14 10:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Clinton county generally ranged from 20 to 40 inches. Some specific amounts include; 39 inches in Altona, 30 inches in Chazy, 26 inches in Plattsburgh, 23 inches in Peru and 20 inches in Morrisonville. ||Blizzard conditions impacted many locations of Clinton county, especially the Champlain Valley and along the International border between 5 pm and 11 pm as wind gusts of 40 to 45 mph were observed." +112940,674790,VERMONT,2017,March,Winter Storm,"EASTERN ADDISON",2017-03-14 08:00:00,EST-5,2017-03-15 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Addison county generally ranged from 12 to 30 inches. Some specific amounts include; 34 inches in Waltham, 30 inches in Salisbury, 29 inches in Starksboro, 26 inches in Bristol, 25 inches in Lincoln, 18 inches in Orwell, 16 inches in New Haven, 15 inches in Hancock and 14 inches in Middlebury. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +112940,674783,VERMONT,2017,March,Winter Storm,"ORANGE",2017-03-14 09:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Orange county were largely 12 to 18 inches. Some specific amounts include; 19 inches in Vershire, 18 inches in Corinth and Tunbridge, 17 inches in Williamstown and 15 inches in Fairlee." +113114,679768,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"NEWBERRY",2017-03-21 20:44:00,EST-5,2017-03-21 20:45:00,0,0,0,0,,NaN,,NaN,34.14,-81.54,34.14,-81.54,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Big Creek Rd in Prosperity." +113114,679769,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 20:50:00,EST-5,2017-03-21 20:55:00,0,0,0,0,,NaN,,NaN,34.01,-81.34,34.01,-81.34,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Rocky Cove Rd at Rocky Cove Ct." +113114,679770,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 20:55:00,EST-5,2017-03-21 21:00:00,0,0,0,0,,NaN,,NaN,34.04,-81.22,34.04,-81.22,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Corley Mill Rd at SC Hwy 6." +113114,679771,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:00:00,EST-5,2017-03-21 21:05:00,0,0,0,0,,NaN,,NaN,34.02,-81.3,34.02,-81.3,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down at the intersection of Beechcreek Rd and Wise Ferry Rd." +113114,679772,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:05:00,EST-5,2017-03-21 21:10:00,0,0,0,0,,NaN,,NaN,33.93,-81.22,33.93,-81.22,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down near Old Orangeburg Rd and Squirrel Hollow Rd." +113114,679773,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:05:00,EST-5,2017-03-21 21:10:00,0,0,0,0,,NaN,,NaN,33.94,-81.15,33.94,-81.15,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Retired NWS employee reported one tree down causing damage to a carport." +113114,679774,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:05:00,EST-5,2017-03-21 21:10:00,0,0,0,0,,NaN,,NaN,33.97,-81.1,33.97,-81.1,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported a tree down on Rainbow Dr at Rainbow Circle." +112766,673716,KENTUCKY,2017,March,Thunderstorm Wind,"LEWIS",2017-03-01 08:12:00,EST-5,2017-03-01 08:17:00,0,0,0,0,100.00K,100000,0.00K,0,38.49,-83.58,38.49,-83.51,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","On Kentucky 989 just west of Burtonville, the top third of a silo was destroyed and blown to the east toppling onto another structure. Also, two other barns were destroyed. Several large trees were blown down or uprooted in the southwestern part of the county. Also, a few large, very well constructed barns were shifted 6 to 8 feet off their foundations with the opposite walls severely buckled. One of these barns had the roof completely blown off and large sections of the siding missing. All the debris from the above barns was scattered in fields to the east. Several smaller barns in this same area were completely destroyed.||Numerous trees were downed along Buck Lick Branch Road, five miles south-southeast of Tollesboro. Several homes in this neighborhood had minor damage. A brick home had the roof completely blown off. A 2 by 4 board from the roof of this house was blown approximately 100 yards to the east, piercing through a bedroom on the front of another brick house. Also, on the front of this same house, a large window facing west was blown into the house along with the front door. This allowed the wind to enter the house to do further damage. The roof was lifted but not detached. The force of the wind inside the house caused the brick foundation on the north side of the house to bulge and fail over a significant area. Debris from the house and associated shed was scattered into a field to the east of the house. Finally, a church on Mount Zion Road had a storage structure lifted up over the church and into the church cemetery. ||The damage was consistent with wind speeds of 80 to 90 mph." +112766,673887,KENTUCKY,2017,March,Thunderstorm Wind,"KENTON",2017-03-02 06:54:00,EST-5,2017-03-02 06:59:00,0,0,0,0,200.00K,200000,0.00K,0,38.97,-84.6,38.96,-84.55,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous hardwood and softwood trees were snapped or uprooted. In addition, damage occurred to the roofs of several homes and businesses. Most roof damage consisted of roofing material fully or partially removed. A few barns and outbuildings were completely destroyed. The damage was consistent with wind speeds of 65 to 85 mph. This was the continuation of a damage swath that started in Boone County." +113107,677296,NEW MEXICO,2017,March,High Wind,"HARDING COUNTY",2017-03-24 05:00:00,MST-7,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Mills Canyon." +113107,677237,NEW MEXICO,2017,March,High Wind,"ALBUQUERQUE METRO AREA",2017-03-23 12:28:00,MST-7,2017-03-23 12:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","A brief virga shower that passed over the Albuquerque Sunport enhanced strong winds in the area with a peak gust to 67 mph. The area around Placitas also reported strong winds with gusts up to 63 mph." +113235,677500,KENTUCKY,2017,March,Hail,"MORGAN",2017-03-26 12:54:00,EST-5,2017-03-26 12:54:00,0,0,0,0,,NaN,,NaN,38.02,-83.33,38.02,-83.33,"A broken line of showers and thunderstorms developed early this afternoon. One storm on the northern end of this line produced quarter sized hail in Morgan County, while pennies were reported in Elliott County. In addition, a rain shower mixed down strong enough winds to produce localized damage in Fleming County.","A citizen reported quarter sized hail near Blaze." +112769,673636,KENTUCKY,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 10:08:00,EST-5,2017-03-01 10:08:00,0,0,0,0,,NaN,,NaN,37.34,-82.4,37.34,-82.4,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A tree was blown down and onto a home." +112769,673638,KENTUCKY,2017,March,Thunderstorm Wind,"FLOYD",2017-03-01 10:01:00,EST-5,2017-03-01 10:01:00,0,0,0,0,,NaN,,NaN,37.57,-82.65,37.57,-82.65,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Shingles were blown off of homes in the Tram community." +112769,673639,KENTUCKY,2017,March,Thunderstorm Wind,"WHITLEY",2017-03-01 10:13:00,EST-5,2017-03-01 10:13:00,0,0,0,0,,NaN,,NaN,36.73,-84.12,36.73,-84.12,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A tree was blown down." +113234,677764,KENTUCKY,2017,March,Hail,"LAUREL",2017-03-27 17:50:00,EST-5,2017-03-27 17:58:00,0,0,0,1,,NaN,,NaN,37.1645,-84.2,37.19,-84.12,"Scattered to numerous thunderstorms developed early this afternoon as temperatures warmed into the 70s ahead of an approaching cool front. These produced isolated reports of large hail across Floyd County. More widespread storms arrived into the late afternoon and evening in the form of a line as the front approached the Bluegrass region and Interstate 75 corridor. These produced up to golf ball size hail, while also causing multiple trees to be blown down.","A department of highways official relayed a report of half dollar to golf ball size hail from near Bernstadt to East Bernstadt." +113287,677909,WASHINGTON,2017,March,Heavy Snow,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-03-07 02:00:00,PST-8,2017-03-08 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal system brought heavy snow to the Cascades from Snoqualmie Pass northward, with snowfall totals of 12 to 20 inches. Snoqualmie Pass (I-90) was closed in both directions for several hours due to snow and avalanche risk, stranding motorists (including children in ski buses).","Mt Baker NWAC station reported 20 inches snow during 24 hours ending 2 am Mar 8." +112682,673137,WEST VIRGINIA,2017,March,Thunderstorm Wind,"GILMER",2017-03-01 07:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.03,-80.83,39.03,-80.83,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Many trees were downed by the thunderstorm winds." +112682,673156,WEST VIRGINIA,2017,March,Thunderstorm Wind,"CABELL",2017-03-01 09:12:00,EST-5,2017-03-01 09:12:00,0,0,0,0,0.50K,500,0.00K,0,38.49,-82.3,38.49,-82.3,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A tree fell down near Ohio River Road." +113465,679965,VIRGINIA,2017,March,Winter Weather,"EASTERN LOUDOUN",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 5.6 inches at Dulles International and 3.5 inches at Sterling Park. Snowfall averaged between 2 and 4 inches across eastern Loudoun County." +113465,679967,VIRGINIA,2017,March,Winter Weather,"GREENE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 1.5 inches near Amicus. Ice accumulation was estimated to range from a trace up to a tenth of an inch across the county based on observations nearby." +113465,679966,VIRGINIA,2017,March,Winter Weather,"FAIRFAX",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.0 inches near Vienna and Chantilly. Snowfall also totaled up to 3.0 inches near Centreville and Dunn Loring." +113465,679968,VIRGINIA,2017,March,Winter Weather,"KING GEORGE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Ice accumulation was estimated to be between a trace and a tenth of an inch based on observations nearby." +113465,679974,VIRGINIA,2017,March,Winter Weather,"PAGE",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 4.0 inches in Stanly and Luray." +113465,679976,VIRGINIA,2017,March,Winter Weather,"RAPPAHANNOCK",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 2 and 4 inches based on observations nearby." +113465,679975,VIRGINIA,2017,March,Winter Weather,"PRINCE WILLIAM",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.8 inches near Woolsey and 3.0 inches near Bull Run." +113465,679977,VIRGINIA,2017,March,Winter Weather,"ROCKINGHAM",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 4.0 inches in Dayton and also near Massanutten. Snowfall also totaled up to 6.3 inches in Bergton. Snowfall averaged between 3 and 5 inches across the county." +113465,679983,VIRGINIA,2017,March,Winter Storm,"FREDERICK",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall was estimated to be between 4 and 8 inches across the county." +113465,679984,VIRGINIA,2017,March,Winter Storm,"SHENANDOAH",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 5.0 inches in Woodstock and New Market." +113465,679985,VIRGINIA,2017,March,Winter Storm,"WARREN",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 4.8 inches near Front Royal." +113465,679987,VIRGINIA,2017,March,Winter Storm,"WESTERN HIGHLAND",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 7.0 inches about five miles northwest of Hightown." +113465,679988,VIRGINIA,2017,March,Winter Storm,"WESTERN LOUDOUN",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 8.0 inches near Lovettsville and 5.0 inches in Purcellville." +113619,680158,LOUISIANA,2017,March,Thunderstorm Wind,"BIENVILLE",2017-03-24 22:24:00,CST-6,2017-03-24 22:24:00,0,0,0,0,200.00K,200000,0.00K,0,32.3278,-93.3082,32.3278,-93.3082,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","The Ringgold Assembly of God Church had its roof lifted by straight line winds. As the roof came back down, it crushed the un-reinforced cinderblock walls near the front of the structure, which then partially collapsed. Portions of the roof structure also pelted the home across the street, with one two-by-four piercing the swimming pool slide in the backyard. All debris was found immediately down-wind of the church. A home about a half mile west of the church lost some shingles, and several trees were uprooted." +113633,680223,FLORIDA,2017,March,Wildfire,"PUTNAM",2017-03-27 09:23:00,EST-5,2017-03-27 09:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Hoot Owl fire was started by children along Sharon Road and Illinois Drive in Satsuma on March 4th. The fire burned about 110 acres. On March 27th, the fire was 100% contained. Long term dry conditions, warm temperatures and an early spring bloom contributed to elevated fire danger conditions.","The Hoot Owl fire was started by children along Sharon Road and Illinois Drive in Satsuma on March 4th. The fire burned about 110 acres. On March 27th, the fire was 100% contained." +113624,680176,ARKANSAS,2017,March,Thunderstorm Wind,"LAFAYETTE",2017-03-24 20:44:00,CST-6,2017-03-24 20:44:00,0,0,0,0,0.00K,0,0.00K,0,33.0509,-93.511,33.0509,-93.511,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas. Trees were blown down across portions of Miller, Lafayette, and Columbia Counties in Southern Arkansas.","Trees were blown down on Highway 53 north of Highway 160 near Lake Erling." +113626,680212,FLORIDA,2017,March,Wildfire,"ALACHUA",2017-03-04 15:24:00,EST-5,2017-03-04 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","All lanes of State Road 26 were closed due to a wildfire. The size was unknown." +113627,680217,FLORIDA,2017,March,Wildfire,"INLAND NASSAU",2017-03-22 14:00:00,EST-5,2017-03-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term rainfall deficits combined with above normal warmth and an early spring bloom contributed to dry fuels and favorable conditions for wildfires.","The wildfire broke out around 14:20 along Willis Lane in western Nassau County due to an illegal paper burn. Evacuations were ordered and 150 residents left. The fire was driven south through residential neighborhoods and horse farms. There were 2 homes destroyed and 8 that suffered damage from the fire. The fire burned about 250 acres by the evening of the start day. On March 23, the fire burned about 400 acres and was at 50% containment. By March 23, the fire was at 65% containment and County Road 119 remained closed as well as parts of County Road 121. A county shelter was opened. By March 26, the evacuation order was lifted. As of March 27, the fire burned 750 acres and was at 95% containment." +113688,680482,INDIANA,2017,March,Hail,"GIBSON",2017-03-01 00:21:00,CST-6,2017-03-01 00:21:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-87.57,38.2,-87.57,"Isolated severe thunderstorms on the evening of February 28 lingered past midnight March 1 across a small part of southwest Indiana. These storms occurred ahead of a cold front in a moist air mass characterized by dew points in the lower to mid 60's. These storms occurred ahead of a mid-level impulse moving northeast from Oklahoma. A southwesterly low-level jet increased substantially during the night.","" +113678,680402,KENTUCKY,2017,March,Hail,"CHRISTIAN",2017-03-01 06:30:00,CST-6,2017-03-01 06:30:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-87.35,36.78,-87.35,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","This hail occurred at the Pembroke fire station." +113678,680422,KENTUCKY,2017,March,Thunderstorm Wind,"FULTON",2017-03-01 05:05:00,CST-6,2017-03-01 05:05:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-89.144,36.57,-89.144,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 63 mph was measured at the Kentucky mesonet site." +113675,680381,ILLINOIS,2017,March,Tornado,"JACKSON",2017-03-01 04:08:00,CST-6,2017-03-01 04:13:00,0,0,0,0,2.00K,2000,0.00K,0,37.7013,-89.3705,37.7164,-89.2978,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","This weak tornado began in the Shawnee National Forest and ended four miles west of Carbondale. Peak winds were estimated near 75 mph. The tornado skipped along the path, taking down large tree branches and uprooting a few trees." +112767,677088,OHIO,2017,March,Flash Flood,"CLERMONT",2017-03-01 02:30:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-84.17,39.2632,-84.2116,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was reported flowing across numerous roads throughout Clermont County during the pre-dawn hours, leaving behind mud and debris on the roadways." +112766,678820,KENTUCKY,2017,March,Flood,"ROBERTSON",2017-03-01 10:30:00,EST-5,2017-03-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4645,-84.0697,38.4672,-84.0662,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Piqua Kentontown Road was underwater due to Johnson Creek overflowing." +112767,677087,OHIO,2017,March,Flood,"HOCKING",2017-03-01 10:00:00,EST-5,2017-03-01 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.51,-82.17,39.5093,-82.1625,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","All access roads into Murray City were closed due to high water." +117903,709046,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:23:00,CST-6,2017-06-16 22:28:00,0,0,0,0,0.00K,0,0.00K,0,39.5656,-95.2834,39.5656,-95.2834,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","An Emergency Manager reported a 83 mph measured gust. These winds blew in some windows in a trained spotters truck at Kingman Road and 286th Road." +117903,709047,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:29:00,CST-6,2017-06-16 22:32:00,0,0,0,0,0.00K,0,0.00K,0,39.54,-95.16,39.54,-95.16,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Trees were uprooted at 274th and Phillips Road. Upstream measurements were in the 70 to 85 mph range." +117903,709048,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:53:00,CST-6,2017-06-16 22:56:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-95.21,39.43,-95.21,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Six inch tree limbs were down." +117903,709050,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:16:00,CST-6,2017-06-16 23:19:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-94.93,39.14,-94.93,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A few power lines were down just east of Basehor." +113526,679573,IDAHO,2017,March,Flood,"CLEARWATER",2017-03-16 03:00:00,PST-8,2017-03-16 12:30:00,0,0,0,0,3000.00K,3000000,0.00K,0,46.501,-116.424,46.415,-116.196,"An atmospheric river brought several inches of rainfall to central Idaho which was already soaked from previous rains. This contributed to mudslides that shut down roads and flooding that affected residences and property.","Abundant rain and low elevation snow melt in the upper portions of Orofino Creek near Pierce led to high stream flows on the 15th, followed by minor flooding on the 16th. Multiple homes and property were sandbagged to prevent flooding across southwest portions of the county. Jim Ford Creek flooded multiple properties in the Weippe area. Clearwater County declared a state of emergency because of all the mudslide, debris and river issues. Although the most severe flooding occurred on or near the 16th, another culvert gave way and caused Grangemont Road to shut down mile-marker 22 on March 25th lasting until April 5th. Total estimated cost of road repairs was 3 million dollars due to landslide failures." +113401,678532,ALASKA,2017,March,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-01 03:00:00,AKST-9,2017-03-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported. This is a continuation of the earlier episode.","Juneau got at least 6 inches in 12 hours ending at 2/28 ending at 2100. West Juneau reported a heavy rate of snow: 6 inches in 6 hours on 3/1. Impact was snow removal." +117903,709052,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:18:00,CST-6,2017-06-16 23:21:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-94.94,39.22,-94.94,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Power lines down across the area." +117903,709053,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-16 23:35:00,CST-6,2017-06-16 23:38:00,0,0,0,0,0.00K,0,0.00K,0,39.0392,-94.6138,39.0392,-94.6138,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A large tree limb fell onto a car damaging the car on 49th between Booth and Adams." +117903,709055,KANSAS,2017,June,Thunderstorm Wind,"LINN",2017-06-17 01:57:00,CST-6,2017-06-17 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.18,-94.71,38.18,-94.71,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Large tree in the roadway." +117903,709056,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-17 19:51:00,CST-6,2017-06-17 19:54:00,0,0,0,0,,NaN,,NaN,39.25,-94.9,39.25,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Power lines were down in Lansing with a blown transformer. Power poles were broken in half." +113408,680825,ALASKA,2017,March,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-03-02 00:00:00,AKST-9,2017-03-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure persisted over the Yukon on the night of 3/1 as a storm force low moved northward into the eastern Gulf of Alaska. This set up warm moist air overrunning the colder air at the surface causing heavy snowfall to the Northern Panhandle almost immediately following a previous snow dump 2/28-3/1. No damage was reported, but again the impact was snow removal on top of a large snowpack.","The storm total was 8.2 inches new snowfall. The rate was heavy during the first 6 hours. Snow removal was the issue for Pelican. No reports from Elfin Cove." +113408,680830,ALASKA,2017,March,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-02 00:00:00,AKST-9,2017-03-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure persisted over the Yukon on the night of 3/1 as a storm force low moved northward into the eastern Gulf of Alaska. This set up warm moist air overrunning the colder air at the surface causing heavy snowfall to the Northern Panhandle almost immediately following a previous snow dump 2/28-3/1. No damage was reported, but again the impact was snow removal on top of a large snowpack.","This storm produced widely varying amounts of snow ranging from 6 to 13.5 inches storm total. The big impact was snow removal." +113408,680831,ALASKA,2017,March,Winter Storm,"EASTERN BARANOF ISLAND AND SOUTHERN ADMIRALTY ISLAND",2017-03-02 00:00:00,AKST-9,2017-03-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure persisted over the Yukon on the night of 3/1 as a storm force low moved northward into the eastern Gulf of Alaska. This set up warm moist air overrunning the colder air at the surface causing heavy snowfall to the Northern Panhandle almost immediately following a previous snow dump 2/28-3/1. No damage was reported, but again the impact was snow removal on top of a large snowpack.","Angoon got 14 inches new snow for this event and was not warned. Impact was snow removal." +113408,680832,ALASKA,2017,March,Winter Storm,"SOUTHERN INNER CHANNELS",2017-03-02 00:00:00,AKST-9,2017-03-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure persisted over the Yukon on the night of 3/1 as a storm force low moved northward into the eastern Gulf of Alaska. This set up warm moist air overrunning the colder air at the surface causing heavy snowfall to the Northern Panhandle almost immediately following a previous snow dump 2/28-3/1. No damage was reported, but again the impact was snow removal on top of a large snowpack.","The north part of Ketchikan measured 8.9 inches of new snow during this storm and was not warned. Impact was snow removal." +113678,680438,KENTUCKY,2017,March,Thunderstorm Wind,"HOPKINS",2017-03-01 06:05:00,CST-6,2017-03-01 06:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.17,-87.7,37.23,-87.48,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A tree was blown down near Dawson Springs, blocking U.S. Highway 62. A trained spotter at Mortons Gap estimated a wind gust to 70 mph." +113678,680436,KENTUCKY,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-01 06:10:00,CST-6,2017-03-01 06:15:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-87.65,36.9368,-87.48,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Scattered wind gusts around 60 mph were reported north and west of Hopkinsville. A wind gust to 60 mph was measured by a trained spotter along U.S. Highway 68 near the Trigg County line. At the Kentucky mesonet site six miles north of Hopkinsville, a wind gust to 61 mph was measured." +113429,680966,ALASKA,2017,March,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-10 00:14:00,AKST-9,2017-03-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure built into the Yukon on 3/9. This system developed a Taku Wind event on 3/10 and again on 3/11. Although the wind increased to 60 to 70 mph on those two days, there was no damage reported.","Wind reaching 60 to 70 mph began shortly after midnight for Downtown Juneau and Douglas, and ended mid morning on 3/10 when the wind speed subsided into the 40 mph range. These winds were measured both on the South Douglas profiler and the Marine Exchange observations in the Rock Dump and docks area. No damage was reported although cargo loading operations were impeded." +113430,681036,ALASKA,2017,March,Winter Storm,"GLACIER BAY",2017-03-12 18:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Gustavus got 5.6 inches of new snow by 0800 3/13 and by 200 the storm total was 8.6 with more light snow after that." +112152,668878,KENTUCKY,2017,January,Winter Weather,"CHRISTIAN",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112152,668877,KENTUCKY,2017,January,Winter Weather,"TRIGG",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +113154,676870,UTAH,2017,January,Winter Storm,"CENTRAL MOUNTAINS",2017-01-04 04:00:00,MST-7,2017-01-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the heels of the storm that began on New Year's Day, a second strong and cold storm system entered Utah early on January 3, bringing widespread snowfall to the state over a 48-hour period.","The Red Pine Ridge SNOTEL received 1.60 inches of liquid equivalent precipitation, or approximately 18 inches of snow." +113176,676990,UTAH,2017,January,Winter Storm,"WESTERN UINTA MOUNTAINS",2017-01-10 03:00:00,MST-7,2017-01-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two storm systems moved through Utah in quick succession from January 10 through January 12, bringing snowfall to the mountains and mountain valleys of Utah.","The Lakefork Basin SNOTEL received 1.50 inches of liquid equivalent precipitation, or approximately 18 inches of snow." +113176,676997,UTAH,2017,January,Winter Storm,"WASATCH PLATEAU/BOOK CLIFFS",2017-01-10 07:00:00,MST-7,2017-01-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two storm systems moved through Utah in quick succession from January 10 through January 12, bringing snowfall to the mountains and mountain valleys of Utah.","The Daniels-Strawberry SNOTEL received 2.70 inches of liquid equivalent precipitation, or approximately 27 inches of snow." +111850,676907,ALABAMA,2017,January,Flash Flood,"DEKALB",2017-01-22 22:00:00,CST-6,2017-01-23 03:00:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-85.78,34.56,-85.7758,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","Two feet of flowing water reported on County Road 112 between AL Hwy 75 and County Road 27. The location is a low water crossing. The Road Department is en route to place barricades around the flowing water." +111850,676911,ALABAMA,2017,January,Flash Flood,"DEKALB",2017-01-22 22:00:00,CST-6,2017-01-23 03:00:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-85.63,34.5707,-85.6221,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","Six inches of flowing water reported along Rock Ridge Road near the Big Wills Creek in Hammondville. Vehicles were able to drive through the water earlier, but may no longer be able to at this time." +111850,676912,ALABAMA,2017,January,Flash Flood,"DEKALB",2017-01-22 22:00:00,CST-6,2017-01-23 03:00:00,0,0,0,0,0.00K,0,0.00K,0,34.69,-85.66,34.6777,-85.6573,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","County Road 712 along Crow Creek near AL Hwy 117 in Ider beginning to wash out. Emergency Management and Road Department personnel are en route." +111850,676915,ALABAMA,2017,January,Flood,"MADISON",2017-01-22 18:45:00,CST-6,2017-01-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,34.6932,-86.5876,34.6933,-86.5928,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","Estimated three feet of water coming out of Pinhool Creek at the intersection of Jaycee Way and Airport Road. Water reported not to be flowing over the intersection, though Huntsville PD is blocking off the road at this time." +111850,676917,ALABAMA,2017,January,Flood,"DEKALB",2017-01-22 21:45:00,CST-6,2017-01-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-85.97,34.3059,-85.9697,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","Bridge on County Road 191 just northeast of Crossville reported to nearly be underwater. Bridge is near a low water crossing and there is about two inches of water covering other parts of the road." +111361,676835,ALABAMA,2017,January,Strong Wind,"DEKALB",2017-01-02 20:45:00,CST-6,2017-01-02 20:45:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"As a strong upper level trough moved through the region on the evening of Jan. 2, a wake low formed at the rear of an associated area of showers. Gusty winds of approx. 35 to 45 mph resulted during the mid evening hours in north Alabama. The winds knocked down trees and power lines in at least three counties.","Strong wind gusts from a wake low have knocked out power across portions of DeKalb Co. and a tree has fallen on a home in Ft. Payne." +113138,676650,OREGON,2017,January,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-01-17 11:50:00,PST-8,2017-01-18 08:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","The Marys Peak weather station recorded a max sustained wind of 57 mph with gusts up to 84 mph. A RAWS station in an adjacent zone measured wind gusts of 62 mph." +113138,677423,OREGON,2017,January,Ice Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-01-17 08:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","Devastating Ice Storm in the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches. Interstate 84 (I-84) through the Gorge was closed for a good part of 3 days." +111688,667041,TEXAS,2017,January,Winter Weather,"CHILDRESS",2017-01-14 16:00:00,CST-6,2017-01-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow cold air mass combined with a slow moving upper level system resulting in light wintry precipitation across the extreme southern Texas Panhandle from the 14th through the early morning hours of the 16th. Temperatures just below freezing at Childress allowed freezing rain to develop for much of the day on the 15th. Ice accumulations totaled 0.16 at Childress Municipal Airport. As an upper level low moved directly over the region, rain changed over to snow in the southwestern Texas Panhandle. A snow accumulation of 1.2 inches was reported in Tulia (Swisher County) while Friona (Parmer County) saw 1.0 inch.","" +111688,667042,TEXAS,2017,January,Winter Weather,"PARMER",2017-01-15 22:00:00,CST-6,2017-01-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow cold air mass combined with a slow moving upper level system resulting in light wintry precipitation across the extreme southern Texas Panhandle from the 14th through the early morning hours of the 16th. Temperatures just below freezing at Childress allowed freezing rain to develop for much of the day on the 15th. Ice accumulations totaled 0.16 at Childress Municipal Airport. As an upper level low moved directly over the region, rain changed over to snow in the southwestern Texas Panhandle. A snow accumulation of 1.2 inches was reported in Tulia (Swisher County) while Friona (Parmer County) saw 1.0 inch.","" +113133,677301,OREGON,2017,January,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-01-07 10:00:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a little bit of freezing rain on the 7th, snow increased dramatically on the 8th, leading to multiple 10-12 snow reports in the Hood River Valley and in the Columbia Gorge." +113133,678255,OREGON,2017,January,Winter Storm,"COAST RANGE OF NW OREGON",2017-01-07 10:00:00,PST-8,2017-01-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","South Fork RAWS recorded 0.89 inches of liquid equivalent while temperatures were well below freezing, suggesting substantial icing in some of the valleys in the Coast Range of Northwest Oregon." +113133,678256,OREGON,2017,January,Winter Storm,"CASCADE FOOTHILLS IN LANE COUNTY",2017-01-07 07:30:00,PST-8,2017-01-08 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","General snowfall totals of 2-4 inches were reported, with the greatest total being 5 inches. Major ice accumulations occurred after the snow, with several locations reporting 0.50-1.00. The combination of snow and ice resulted in significant power outages and closures across the area." +113133,678258,OREGON,2017,January,Winter Storm,"CENTRAL WILLAMETTE VALLEY",2017-01-07 08:15:00,PST-8,2017-01-08 18:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","Precipitation types were mixed, with generally 1-2 of snow/sleet and around 0.25 of freezing rain." +113133,678259,OREGON,2017,January,Winter Storm,"NORTH OREGON CASCADES FOOTHILLS",2017-01-07 09:00:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","Precipitation types were mixed, with generally 1-2 of snow/sleet and around 0.25 of freezing rain." +113227,677463,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-22 07:00:00,PST-8,2017-01-22 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","A fallen tree blocked lanes of northbound Highway 99 at the 12th Avenue off ramp in Sacramento." +113223,677424,CALIFORNIA,2017,January,Hail,"SUTTER",2017-01-23 15:00:00,PST-8,2017-01-23 15:08:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-121.67,39.04,-121.67,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","Accumulating hail covered the ground, with hailstones up to an inch in diameter." +113223,677427,CALIFORNIA,2017,January,Heavy Rain,"SHASTA",2017-01-19 10:00:00,PST-8,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-122.36,41.07,-122.36,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 3.09 of rain measured at Sims, along with a dusting of snow." +113223,677429,CALIFORNIA,2017,January,Heavy Rain,"BUTTE",2017-01-19 16:00:00,PST-8,2017-01-20 16:34:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-121.54,39.48,-121.54,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 2.25 of rain measured over 24 hours." +113223,677430,CALIFORNIA,2017,January,Heavy Rain,"SHASTA",2017-01-19 17:31:00,PST-8,2017-01-20 17:31:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-122.38,40.58,-122.38,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 3.58 over 24 hours in Redding, 1.03 overnight until 0730, then 2.55 until 1730." +113223,677437,CALIFORNIA,2017,January,Heavy Snow,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-01-22 16:30:00,PST-8,2017-01-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 11 of snow over 24 hours, 2 ESE Camino at elevation 3120 feet." +112334,669770,WYOMING,2017,January,Extreme Cold/Wind Chill,"SOUTH LINCOLN COUNTY",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Frigid temperatures were common across Southern Lincoln County. Some of the lowest temperatures included minus 40 degrees south of Cokeville and minus 32 degrees at Kemmerer." +113219,677414,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th, 26.5 inches of new snow accumulation was recorded near Elmira." +113219,678505,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th, 32.5 inches of new snow accumulation was recorded near Naples." +113219,678506,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th, 29 inches of new snow accumulation was recorded Bonners Ferry." +113112,676492,CALIFORNIA,2017,January,Heavy Snow,"NORTHERN TRINITY",2017-01-06 10:00:00,PST-8,2017-01-07 13:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","A trained spotter reported 6 inches of snow between Douglas City and Lewiston along Highway 299 at about 2,400 feet elevation. Another spotter in Covington Mill reported 4 inches of snow overnight." +113112,676494,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-06 22:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,600.00K,600000,0.00K,0,40.4591,-124.0737,40.4591,-124.0737,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Failed culvert along Highway 101." +113112,676498,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-06 22:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,2.50M,2500000,0.00K,0,39.8621,-123.7254,39.8621,-123.7254,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Two landslides blocking Highway 1 requiring removal and slope stabilization. Highway has been closed for nearly two months." +113063,676086,VIRGINIA,2017,January,Winter Storm,"PITTSYLVANIA",2017-01-06 17:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Blairs area, where 9.0 inches of snow was measured." +113041,675767,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-22 03:09:00,PST-8,2017-01-22 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Tree down, 40ft, across Tierra Grande Road in Carmel." +113041,675768,CALIFORNIA,2017,January,High Wind,"NORTHERN MONTEREY BAY",2017-01-22 03:36:00,PST-8,2017-01-22 03:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Tree down nb lane Hwy 1 at Struve Road near Castroville." +113041,675769,CALIFORNIA,2017,January,Debris Flow,"MONTEREY",2017-01-22 06:27:00,PST-8,2017-01-22 08:27:00,0,0,0,0,0.00K,0,0.00K,0,36.2094,-121.7374,36.2085,-121.738,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Slide just south of the Big Sur Inn." +113041,675770,CALIFORNIA,2017,January,Flash Flood,"MONTEREY",2017-01-22 07:58:00,PST-8,2017-01-22 08:58:00,0,0,0,0,0.00K,0,0.00K,0,36.3997,-121.9045,36.3995,-121.9049,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Roadway flooding Palo Colorado Rd at Hwy 1." +113079,676314,NEW MEXICO,2017,January,Hail,"OTERO",2017-01-14 19:35:00,MST-7,2017-01-14 19:56:00,0,0,0,0,25.00K,25000,0.00K,0,32.935,-105.9604,32.935,-105.9604,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","Some damage to vehicles caused by hail slightly smaller than golf balls." +113165,676909,LAKE SUPERIOR,2017,January,Marine High Wind,"UPPER ENTRANCE OF PORTAGE CANAL TO MANITOU ISLAND MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-01-12 15:30:00,EST-5,2017-01-12 20:30:00,0,0,0,0,0.00K,0,0.00K,0,48.22,-88.37,48.22,-88.37,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Passage Island Light observing station measured storm force west winds through the period." +113165,676913,LAKE SUPERIOR,2017,January,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-01-10 21:00:00,EST-5,2017-01-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Stannard Rock observing station measured storm force west winds through the period." +113225,677434,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer 5 miles north of Spokane measured 7 inches of new snow." +113225,677436,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer at Nine Mile Falls measured 6.6 inches of new snow." +113060,676075,ALABAMA,2017,January,Tornado,"ELMORE",2017-01-21 07:57:00,CST-6,2017-01-21 07:58:00,0,0,0,0,0.00K,0,0.00K,0,32.4359,-86.1064,32.4388,-86.1052,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southern Elmore County near Emerald Mountain and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 75 mph. The tornado touched down briefly along Rifle Range Road near Emerald Mountain Christian Academy, cause damage to fencing and metal siding at the school. The tornado tracked northeast before quickly lifting east of Mountain Laurel Road." +113060,676077,ALABAMA,2017,January,Tornado,"MACON",2017-01-21 08:48:00,CST-6,2017-01-21 08:50:00,0,0,0,0,0.00K,0,0.00K,0,32.474,-85.4557,32.497,-85.4392,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in northeast Macon County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down in far northeast Macon County about .25 mile southwest of the intersection of County Road 43 and County Road 24. Several trees were snapped off and one home suffered roof damage shortly after touch down. The tornado tracked north northeast for 1.85 miles where it produced additional tree damage, before exiting Macon County and into Lee County. One home along County Road 43 suffered roof damage." +115020,690236,MISSOURI,2017,April,Strong Wind,"PERRY",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +113211,677272,OREGON,2017,January,Strong Wind,"CENTRAL OREGON COAST",2017-01-03 19:31:00,PST-8,2017-01-04 05:41:00,0,0,0,1,28.00K,28000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system retreating westward offshore increased offshore winds across the area. Strong offshore winds brought down a tree on a house leading to a fatality.","Strong winds brought a tree down on a house killing one child inside." +113225,677447,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-03 08:00:00,PST-8,2017-02-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer near Northport recorded 6.3 inches of new snow accumulation." +113225,677449,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-03 08:00:00,PST-8,2017-02-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer near Clayton recorded 7 inches of new snow accumulation." +112538,671221,OHIO,2017,January,High Wind,"CUYAHOGA",2017-01-10 23:30:00,EST-5,2017-01-10 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor located near the intersection of Interstates 71 and 80 measured a 64 mph wind gust." +112467,673166,MAINE,2017,January,Sleet,"NORTHERN PENOBSCOT",2017-01-24 07:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 3 inches." +112200,669064,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST GREENE",2017-01-06 20:00:00,EST-5,2017-01-07 09:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 6 inches was measured at Greeneville." +112200,669066,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST GREENE",2017-01-06 20:00:00,EST-5,2017-01-07 09:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 7 inches was measured at Del Rio." +112200,669067,TENNESSEE,2017,January,Heavy Snow,"HAMBLEN",2017-01-06 20:00:00,EST-5,2017-01-07 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 4 inches was measured four miles west of Morristown." +112200,669068,TENNESSEE,2017,January,Heavy Snow,"HAMBLEN",2017-01-06 20:00:00,EST-5,2017-01-07 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 3.5 inches was measured three miles west southwest of Bulls Gap." +112200,669070,TENNESSEE,2017,January,Heavy Snow,"JEFFERSON",2017-01-06 20:00:00,EST-5,2017-01-07 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 5 inches was measured at White Pine." +112464,673133,MAINE,2017,January,Winter Storm,"NORTHERN PENOBSCOT",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 3 to 6 inches along with 1 to 3 inches of sleet." +111979,667788,NEW MEXICO,2017,January,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-01-23 00:00:00,MST-7,2017-01-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Various observers across the high terrain of Taos County reported between 8 and 16 inches of snowfall. Taos Ski Valley issued an avalanche warning as strong winds combined with heavy snowfall on unstable snowpack. A peak wind of 68 mph was reported at Kachina Peak." +113830,681575,NEBRASKA,2017,January,Winter Storm,"DAWES",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer 13 miles north of Hemingford measured nine inches of snow." +113830,681576,NEBRASKA,2017,January,Winter Storm,"DAWES",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer eight miles east of Marsland measured nine inches of snow." +113830,681578,NEBRASKA,2017,January,Winter Storm,"SOUTH SIOUX",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer 12 miles southeast of Agate measured 10.5 inches of snow." +112538,671212,OHIO,2017,January,High Wind,"LORAIN",2017-01-10 21:55:00,EST-5,2017-01-10 23:30:00,0,0,0,0,125.00K,125000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","Highs downed trees, large limbs and power lines throughout Lorain County. Scattered power outages were reported." +111725,666378,KANSAS,2017,January,Ice Storm,"CLOUD",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Reports including photos from social media show ice accumulation on tree limbs and power lines to between one half and three quarters of an inch across the county. The Concordia ASOS ice sensor also reported 0.44 of ice during this event." +111725,666379,KANSAS,2017,January,Ice Storm,"REPUBLIC",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Law enforcement and public reports including social media indicate that ice accumulations of one quarter to around one half inch of ice occurred throughout the county during this ice storm." +113244,677554,WASHINGTON,2017,February,Heavy Snow,"BELLEVUE AND VICINITY",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Several NWS spotters reported snowfall ranging from 4 to 11 inches across the zone during the warning period." +113244,677556,WASHINGTON,2017,February,Heavy Snow,"SEATTLE AND VICINITY",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Numerous NWS spotters reported snowfall ranging from 4 to 8 inches across the zone during the warning period." +112779,678091,KANSAS,2017,January,Ice Storm,"MEADE",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1 to 1 1/2 inches. Tree and power line damage was extensive. Water equivalent was 2 to 4 inches." +112902,674541,WISCONSIN,2017,January,Winter Storm,"NORTHERN MARINETTE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +113263,678104,CALIFORNIA,2017,January,Dense Fog,"SE S.J. VALLEY",2017-01-30 01:50:00,PST-8,2017-01-30 07:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure with clearing skies over the region coupled with recent heavy precipitation created ideal conditions for dense nighttime and morning radiational fog to develop.","Between 0150 PST and 0750 PST the Visalia Municipal Airport (KVIS) AWOS reported visibility less than 1/4 mile." +113484,679342,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 67 inches of snow." +113484,679344,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 38 inches of snow." +113484,679345,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 72 inches of snow." +113484,679346,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 38 inches of snow." +113484,679347,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 57 inches of snow." +112710,674001,CALIFORNIA,2017,January,Drought,"KERN CTY MTNS",2017-01-01 00:00:00,PST-8,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area. This left only a small area of Extreme Drought (D3) in the Kern County mountainous area." +112975,675102,SOUTH CAROLINA,2017,January,Thunderstorm Wind,"HAMPTON",2017-01-21 15:27:00,EST-5,2017-01-21 15:28:00,0,0,0,0,,NaN,0.00K,0,32.71,-81.1,32.71,-81.1,"A strong line of thunderstorms developed ahead of an area of low pressure in the early afternoon hours across central Georgia. The line of storms quickly progressed eastward into an environment that was unusually warm and moist with plentiful environmental shear. The line of storms became severe producing damaging wind gusts.","Hampton County Emergency Management reported several trees down on John Penn Road near Cypress Creek Road. There was also damage to an old home." +119873,718583,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-18 18:00:00,MST-7,2017-07-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-112.23,34.5032,-112.3874,"Deep monsoon moisture allowed thunderstorms to develop over northern Arizona with several reports of flash flooding across the area.","The river gauge on the Agua Fria River at Humbuldt showed a rapid 4 foot rise. This was below the Goodwin Fire scar." +111471,675232,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-09 08:55:00,PST-8,2017-01-09 10:55:00,0,0,0,0,0.00K,0,0.00K,0,37.0609,-122.0054,37.0609,-122.005,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Large slide onto Hwy 17 north bound lanes closed." +114079,683790,ARIZONA,2017,January,Heavy Snow,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-01-24 20:00:00,MST-7,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","A persistent band of snow showers associated with a trailing shortwave behind the main low produced 4 inches of snow in Chino Valley at an elevation of around 4,800 feet. This much snow is not often seen at this elevation." +113358,680887,MAINE,2017,March,Blizzard,"CENTRAL WASHINGTON",2017-03-14 17:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 8 to 12 inches. Blizzard conditions also occurred." +112767,673722,OHIO,2017,March,Thunderstorm Wind,"BROWN",2017-03-01 07:29:00,EST-5,2017-03-01 07:41:00,0,0,0,0,40.00K,40000,0.00K,0,38.92,-83.99,38.95,-83.75,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","There were multiple swaths of enhanced thunderstorm wind damage across central Brown County, with patterns that were consistent with non-tornadic winds. Tree damage was common among these swaths. In addition, occasional structural damage was noted. This included damage to several mobile homes, barns and outbuildings on Martin-Alexander Road, Weis Road and Oakland Road southeast of Mount Orab. Some structures in Hamersville and Higginsport also experience some minor structural damage, which included roofing material partially removed from several buildings and damage to a few outbuildings. The damage was consistent with winds of 70 to 80 mph." +112766,676345,KENTUCKY,2017,March,Flash Flood,"LEWIS",2017-03-01 05:30:00,EST-5,2017-03-01 06:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5957,-83.3802,38.5967,-83.3749,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was running across Blue Springs Road and completely surrounding the foundation of two homes." +112766,676346,KENTUCKY,2017,March,Flash Flood,"LEWIS",2017-03-01 05:30:00,EST-5,2017-03-01 06:30:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-83.43,38.5581,-83.4328,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was flowing across Kentucky Route 989." +112767,676359,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 05:45:00,EST-5,2017-03-01 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.1433,-84.5859,39.1477,-84.5801,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A delivery truck and a pickup truck were stranded in high water on Gobel Avenue in Westwood. The water was over the hood of the pickup truck." +112767,676361,OHIO,2017,March,Flash Flood,"CLINTON",2017-03-01 06:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.49,-83.63,39.4922,-83.64,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Street flooding over two feet deep was reported in Sabina." +119671,717823,NEW MEXICO,2017,September,Flash Flood,"VALENCIA",2017-09-29 17:00:00,MST-7,2017-09-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-106.78,34.557,-106.783,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Interstate 25 closed between Belen and U.S. Highway 60 due to flooding over the highway. Mud, rocks, and debris overflowing from mesa on west side of highway." +114246,684409,KENTUCKY,2017,March,Strong Wind,"GRAVES",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684410,KENTUCKY,2017,March,Strong Wind,"HENDERSON",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684411,KENTUCKY,2017,March,Strong Wind,"HICKMAN",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +119671,717817,NEW MEXICO,2017,September,Flash Flood,"CIBOLA",2017-09-29 12:55:00,MST-7,2017-09-29 13:45:00,0,0,0,0,0.00K,0,0.00K,0,34.9034,-107.6164,34.9828,-107.5314,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Tribal police reported hail and flash flooding throughout Acoma Pueblo." +114246,684412,KENTUCKY,2017,March,Strong Wind,"HOPKINS",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684413,KENTUCKY,2017,March,Strong Wind,"LIVINGSTON",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684414,KENTUCKY,2017,March,Strong Wind,"LYON",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +112845,679116,MISSOURI,2017,March,Hail,"HOWELL",2017-03-09 18:02:00,CST-6,2017-03-09 18:02:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-91.7,37.02,-91.7,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This report was from social media with a picture." +112845,679117,MISSOURI,2017,March,Hail,"STONE",2017-03-09 19:40:00,CST-6,2017-03-09 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-93.4,36.5,-93.4,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679121,MISSOURI,2017,March,Thunderstorm Wind,"SHANNON",2017-03-09 17:23:00,CST-6,2017-03-09 17:23:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-91.36,37.19,-91.36,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Several trees and power lines were blown down across the road." +112845,679122,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-09 17:15:00,CST-6,2017-03-09 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,37.26,-93.25,37.26,-93.25,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Several shingles were blown off the roof north of Payne Stewart Golf Course. A privacy fence was blown over." +112845,679123,MISSOURI,2017,March,Thunderstorm Wind,"WRIGHT",2017-03-09 18:21:00,CST-6,2017-03-09 18:21:00,0,0,0,0,5.00K,5000,0.00K,0,37.13,-92.26,37.13,-92.26,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","The Mountain Grove Fire Department reported shingles blown off several roofs. Several small trees and sections of privacy fence were blown over on Hovis Street." +112845,679124,MISSOURI,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-09 18:24:00,CST-6,2017-03-09 18:24:00,0,0,0,0,2.00K,2000,0.00K,0,36.97,-93.72,36.97,-93.72,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Aurora Police Department reported a rural fire truck and a passenger vehicle blown off the roadway into a ditch on Route K and Farm Road 2167 north of Aurora." +112845,679126,MISSOURI,2017,March,Thunderstorm Wind,"STONE",2017-03-09 19:52:00,CST-6,2017-03-09 19:52:00,0,0,0,0,5.00K,5000,0.00K,0,36.54,-93.57,36.54,-93.57,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A house was reported damage and several windows blown out." +113856,681845,ARKANSAS,2017,March,Thunderstorm Wind,"HOWARD",2017-03-27 00:24:00,CST-6,2017-03-27 00:24:00,0,0,0,0,0.00K,0,0.00K,0,33.9538,-93.8509,33.9538,-93.8509,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","Three trees were downed on Mount Pleasant Drive." +113859,681874,LOUISIANA,2017,March,Thunderstorm Wind,"NATCHITOCHES",2017-03-29 17:25:00,CST-6,2017-03-29 17:25:00,0,0,0,0,0.00K,0,0.00K,0,31.7782,-93.1308,31.7782,-93.1308,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating. An isolated severe thunderstorm developed over Southern Sabine Parish, which resulted in several trees being downed just north of Toledo Bend Dam.","A tree was blown down along Cele Cook Drive." +113669,680390,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:40:00,EST-5,2017-03-08 03:45:00,0,0,0,0,,NaN,,NaN,39.29,-76.58,39.29,-76.58,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 34 knots were reported at Lakeland Elementary School." +113669,680391,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:45:00,EST-5,2017-03-08 03:48:00,0,0,0,0,,NaN,,NaN,39.27,-76.58,39.27,-76.58,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 42 knots were reported." +113669,680393,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-03-08 03:54:00,EST-5,2017-03-08 04:06:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 42 knots were reported at the Baltimore Key Bridge." +113669,680404,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:03:00,EST-5,2017-03-08 04:24:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 35 knots were reported at Martin State." +113669,680406,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-03-08 04:04:00,EST-5,2017-03-08 04:14:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 38 knots were reported at Gunpowder." +113669,680409,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:30:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 34 knots were reported at North Bay." +113669,680410,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-03-08 04:24:00,EST-5,2017-03-08 04:44:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts of 35 to 38 knots were reported at Grove Point." +113669,680411,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:09:00,EST-5,2017-03-08 04:29:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts of 35 to 50 knots were reported at Greenberry Point." +113669,680413,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:11:00,EST-5,2017-03-08 04:16:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts of 38 to 42 knots were reported at Tolly Point." +113669,680414,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:15:00,EST-5,2017-03-08 04:15:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","A wind gust of 36 knots was reported at Herring Bay." +114670,687837,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:20:00,EST-5,2017-03-08 04:20:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gust of 41 knots was reported at Thomas Point Lighthouse." +114670,687838,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-08 04:38:00,EST-5,2017-03-08 04:53:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","Wind gusts up to 38 knots were reported at Potomac Light." +114670,687839,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-08 04:58:00,EST-5,2017-03-08 04:58:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gust of 36 knots was reported at Cobb Point." +114670,687840,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-08 05:24:00,EST-5,2017-03-08 05:24:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gust of 36 knots was reported at Piney Point." +114670,687841,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-08 05:48:00,EST-5,2017-03-08 05:48:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A potent cold front moved through the area during the early morning hours of the 8th. A line of showers developed along the front, and these were able to mix down gusty winds from aloft.","A wind gust of 38 knots was reported at Lewisetta." +113341,678207,TEXAS,2017,March,Hail,"WILLIAMSON",2017-03-26 23:40:00,CST-6,2017-03-26 23:40:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-97.68,30.83,-97.68,"Isolated thunderstorms formed along a pre-frontal trough. One of these storms produced large hail.","A thunderstorm produced quarter size hail west of Jarrell." +113342,678208,TEXAS,2017,March,Hail,"VAL VERDE",2017-03-28 17:20:00,CST-6,2017-03-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-101.17,29.68,-101.17,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","" +113342,678209,TEXAS,2017,March,Hail,"VAL VERDE",2017-03-28 18:15:00,CST-6,2017-03-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,29.62,-100.93,29.62,-100.93,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced two inch hail near Devils Shores." +113342,678210,TEXAS,2017,March,Hail,"MAVERICK",2017-03-28 23:15:00,CST-6,2017-03-28 23:15:00,0,0,0,0,0.00K,0,0.00K,0,28.95,-100.63,28.95,-100.63,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced golf ball size hail in Quemado." +114116,683361,CALIFORNIA,2017,March,High Wind,"VENTURA COUNTY MOUNTAINS",2017-03-27 22:00:00,PST-8,2017-03-28 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a late season storm, strong and gusty northwest to north winds developed across southwestern California. Across the mountains and local deserts, wind gusts between 58 and 65 MPH were reported.","Strong northerly winds developed across the mountains of Ventura county. Wind gusts up to 65 MPH were reported." +114116,683363,CALIFORNIA,2017,March,High Wind,"ANTELOPE VALLEY",2017-03-27 14:00:00,PST-8,2017-03-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a late season storm, strong and gusty northwest to north winds developed across southwestern California. Across the mountains and local deserts, wind gusts between 58 and 65 MPH were reported.","Strong westerly wind developed across the Antelope Valley. The ASOS at Lancaster reported a wind gust of 59 MPH." +114117,683364,CALIFORNIA,2017,March,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-03-30 19:47:00,PST-8,2017-03-31 00:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong northerly winds impacted southwestern California. In the local mountains, wind gusts up to 64 MPH were reported.","Strong northerly winds developed across the mountains of Los Angeles county. Some peak wind gusts from the local observational network include: Whitaker Peak (gust 59 MPH), Sandberg (gust 58 MPH) and Warm Springs (gust 58 MPH)." +114117,683365,CALIFORNIA,2017,March,High Wind,"VENTURA COUNTY MOUNTAINS",2017-03-30 19:47:00,PST-8,2017-03-31 00:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong northerly winds impacted southwestern California. In the local mountains, wind gusts up to 64 MPH were reported.","Strong northerly winds developed across the mountains of Ventura county. Peak wind gusts exceeded 58 MPH." +114117,683367,CALIFORNIA,2017,March,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-03-31 05:47:00,PST-8,2017-03-31 07:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong northerly winds impacted southwestern California. In the local mountains, wind gusts up to 64 MPH were reported.","Strong northerly winds developed across the Santa Ynez mountains in southern Santa Barbara county. The RAWS sensor at Montecito reported northerly wind gusts to 64 MPH." +114117,683368,CALIFORNIA,2017,March,High Wind,"SANTA BARBARA COUNTY SOUTH COAST",2017-03-31 05:47:00,PST-8,2017-03-31 07:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another round of strong northerly winds impacted southwestern California. In the local mountains, wind gusts up to 64 MPH were reported.","Strong northerly winds developed across the south coast of Santa Barbara county. The RAWS sensor at Montecito reported northerly wind gusts to 64 MPH." +112768,673554,OREGON,2017,March,Heavy Snow,"CURRY COUNTY COAST",2017-03-04 20:00:00,PST-8,2017-03-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season winter storm brought snow to unusually low elevations for this time of year.","A spotter 4SE Nesika Beach reported 4.0 inches of snow at 05/0800 PST. It is assumed that it fell overnight." +112768,682463,OREGON,2017,March,Heavy Snow,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-03-05 20:00:00,PST-8,2017-03-06 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season winter storm brought snow to unusually low elevations for this time of year.","The cooperative observer at Toketee Falls reported 6.0 inches of snow in 24 hours ending at 06/1900 PST." +114128,683419,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","The observer at Stehekin received 10 inches of new snow accumulation." +114128,683422,WASHINGTON,2017,March,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-03-07 16:00:00,PST-8,2017-03-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","An observer 5 miles south of Peshastin received 9.5 inches of new snow accumulation." +114128,683423,WASHINGTON,2017,March,Heavy Snow,"SPOKANE AREA",2017-03-07 13:00:00,PST-8,2017-03-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","An observer near Davenport reported 5 inches of new snow accumulation." +114128,683424,WASHINGTON,2017,March,Heavy Snow,"SPOKANE AREA",2017-03-07 13:00:00,PST-8,2017-03-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","An observer in northwest Spokane received 4 inches of new snow accumulation." +114989,689957,NORTH CAROLINA,2017,March,Frost/Freeze,"COLUMBUS",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689958,NORTH CAROLINA,2017,March,Frost/Freeze,"COLUMBUS",2017-03-17 02:00:00,EST-5,2017-03-17 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689961,NORTH CAROLINA,2017,March,Frost/Freeze,"INLAND NEW HANOVER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114989,689963,NORTH CAROLINA,2017,March,Frost/Freeze,"INLAND NEW HANOVER",2017-03-17 02:00:00,EST-5,2017-03-17 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +114152,685118,OKLAHOMA,2017,March,Drought,"OKLAHOMA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685119,OKLAHOMA,2017,March,Drought,"LINCOLN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685120,OKLAHOMA,2017,March,Drought,"MCCLAIN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685121,OKLAHOMA,2017,March,Drought,"CLEVELAND",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685122,OKLAHOMA,2017,March,Drought,"POTTAWATOMIE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685123,OKLAHOMA,2017,March,Drought,"SEMINOLE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685124,OKLAHOMA,2017,March,Drought,"ATOKA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114152,685125,OKLAHOMA,2017,March,Drought,"BRYAN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and southeast Oklahoma through the month of March. Severe drought expanded in northwest Oklahoma.","" +114150,687594,OKLAHOMA,2017,March,Thunderstorm Wind,"CANADIAN",2017-03-28 20:10:00,CST-6,2017-03-28 20:10:00,0,0,1,0,0.00K,0,0.00K,0,35.5011,-97.931,35.5011,-97.931,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","A man was driving a tractor trailer eastbound on I-40 near mile marker 126 when his truck was hit by severe winds associated with a bow echo. The vehicle veered into the median, where it struck the cable barrier and overturned. The driver was not wearing a seat belt, was partially ejected from the vehicle and died on the scene." +114151,687600,TEXAS,2017,March,Tornado,"BAYLOR",2017-03-28 18:13:00,CST-6,2017-03-28 18:18:00,0,0,0,0,0.00K,0,0.00K,0,33.417,-99.387,33.455,-99.361,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Video captured tornado." +112742,673326,NEW MEXICO,2017,March,Wildfire,"ROOSEVELT COUNTY",2017-03-04 16:00:00,MST-7,2017-03-04 17:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Dry and breezy conditions with above normal temperatures over eastern New Mexico through much of February elevated fire weather potential by early March. A small wildfire broke out along State Road 236 and Roosevelt Road near Portales and quickly grew to around 100 acres. Officials promptly extinguished the fire however a shed was burned in the process.","A wildfire broke out along State Road 236 and Roosevelt Road near Portales. The fire consumed nearly 100 acres. A shed was also destroyed." +113093,676377,NEBRASKA,2017,March,Hail,"BURT",2017-03-06 14:15:00,CST-6,2017-03-06 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-96.25,42.01,-96.25,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676379,NEBRASKA,2017,March,Hail,"DOUGLAS",2017-03-06 15:17:00,CST-6,2017-03-06 15:17:00,0,0,0,0,0.00K,0,0.00K,0,41.307,-96.1508,41.307,-96.1508,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676380,NEBRASKA,2017,March,Hail,"DOUGLAS",2017-03-06 15:16:00,CST-6,2017-03-06 15:16:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-96.24,41.3,-96.24,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676381,NEBRASKA,2017,March,Hail,"WASHINGTON",2017-03-06 15:27:00,CST-6,2017-03-06 15:27:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-96.03,41.46,-96.03,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676382,NEBRASKA,2017,March,Hail,"DOUGLAS",2017-03-06 15:31:00,CST-6,2017-03-06 15:31:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-96.15,41.21,-96.15,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +117577,707075,OHIO,2017,June,Hail,"PORTAGE",2017-06-04 15:55:00,EST-5,2017-06-04 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-81.35,41.23,-81.35,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Penny sized hail was observed." +117577,707298,OHIO,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-04 16:20:00,EST-5,2017-06-04 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,40.75,-82.6873,40.75,-82.6873,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Thunderstorm winds downed a large tree along State Route 314." +117577,707299,OHIO,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-04 16:27:00,EST-5,2017-06-04 16:27:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-82.42,40.7,-82.42,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Thunderstorm winds downed two trees in the Lucas area." +114308,684873,NORTH CAROLINA,2017,March,Winter Weather,"GREATER BURKE",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684874,NORTH CAROLINA,2017,March,Winter Weather,"GREATER CALDWELL",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684875,NORTH CAROLINA,2017,March,Winter Weather,"GREATER RUTHERFORD",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684876,NORTH CAROLINA,2017,March,Winter Weather,"IREDELL",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684877,NORTH CAROLINA,2017,March,Winter Weather,"LINCOLN",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684878,NORTH CAROLINA,2017,March,Winter Weather,"MECKLENBURG",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +113323,680956,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-06 22:23:00,CST-6,2017-03-06 22:23:00,0,0,0,0,0.00K,0,0.00K,0,36.829,-94.93,36.829,-94.93,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680958,OKLAHOMA,2017,March,Hail,"MAYES",2017-03-06 22:35:00,CST-6,2017-03-06 22:35:00,0,0,0,0,0.00K,0,0.00K,0,36.4369,-95.2721,36.4369,-95.2721,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113323,680975,OKLAHOMA,2017,March,Hail,"MCINTOSH",2017-03-06 23:55:00,CST-6,2017-03-06 23:55:00,0,0,0,0,0.00K,0,0.00K,0,35.4693,-95.5584,35.4693,-95.5584,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113333,681021,OKLAHOMA,2017,March,Hail,"OKFUSKEE",2017-03-26 18:00:00,CST-6,2017-03-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4283,-96.3813,35.4283,-96.3813,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +113333,681022,OKLAHOMA,2017,March,Hail,"OKFUSKEE",2017-03-26 18:12:00,CST-6,2017-03-26 18:12:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-96.3,35.43,-96.3,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +114333,686667,ILLINOIS,2017,March,Thunderstorm Wind,"PIKE",2017-03-06 23:34:00,CST-6,2017-03-06 23:34:00,0,0,0,0,0.00K,0,0.00K,0,39.45,-90.87,39.45,-90.87,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew over a utility pole in town." +114332,686669,MISSOURI,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-06 23:49:00,CST-6,2017-03-06 23:49:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-90.98,38.98,-90.98,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686672,MISSOURI,2017,March,Tornado,"ST. CHARLES",2017-03-06 23:51:00,CST-6,2017-03-06 23:54:00,3,0,0,0,0.00K,0,0.00K,0,38.8051,-90.9085,38.8111,-90.8505,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","The second tornado associated with the small vortex developed along the South Service Road of Interstate 70 west of South Pointe Prairie Road. The tornado crossed Interstate 70 and causing roof and siding damage to a number of homes and uprooted or snapped trees along its path as it moved east across Langtree Drive, Shadow Point Circle, Shadow Point Drive, Giotto Court, Cabot Court, Tiffany Lynn Court, Huntsdale Drive, Tiger Drive and Ivybrook Drive. The tornado once again approached Interstate 70 causing damage to several businesses along W Pierce Blvd. The tornado crossed the interstate, flipping over a large camper trailer along Thomas RV Way and flattening several road signs. The tornado tracked east paralleling Interstate 70, causing varying degrees of damage to buildings along Swantherville Drive and Ruggeri Drive. The tornado then caused significant roof damage to a building along P&A Drywall Drive before crossing Interstate 70 for the third and final time. The tornado continued east into a mobile home park where it flipped one trailer over and damaged many more. This is where the three minor injuries occurred. The tornado continued east northeast just to the south of West Main Street through downtown Wentzville causing mainly minor damage to many residences and businesses. The exception was a lumber business along South Church Street which took the brunt of the tornado and had a large building destroyed. The tornado finally dissipated near the intersection of E. Pitman Avenue and S. Tally Street. Overall, the tornado was rated EF1 with a path length of 3.15 miles and a max path width of 100 yards." +114332,686673,MISSOURI,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 22:37:00,CST-6,2017-03-06 22:37:00,0,0,0,0,0.00K,0,0.00K,0,38.7905,-92.2963,38.7905,-92.2963,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down several large tree limbs." +114332,686674,MISSOURI,2017,March,Thunderstorm Wind,"OSAGE",2017-03-06 23:12:00,CST-6,2017-03-06 23:25:00,0,0,0,0,0.00K,0,0.00K,0,38.4268,-91.9846,38.4649,-91.7441,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew over two large pine trees onto U.S. Highway 63 south of Westphalia. Further to the east northeast, several trees were blown down along U.S. Highway 50 about 5 to 8 miles east of Linn." +115077,690727,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-03-13 23:20:00,EST-5,2017-03-13 23:20:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Showers and a few thunderstorms along a pre-frontal trough passed through the lower Florida Keys, producing scattered gale-force wind gusts. The pre-frontal trough was associated with a deepening low pressure system moving rapidly northeast along the Mid Atlantic coastline.","A wind gust of 35 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +115077,690729,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-14 00:13:00,EST-5,2017-03-14 00:13:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"Showers and a few thunderstorms along a pre-frontal trough passed through the lower Florida Keys, producing scattered gale-force wind gusts. The pre-frontal trough was associated with a deepening low pressure system moving rapidly northeast along the Mid Atlantic coastline.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing System station along the south shore of Cudjoe Bay." +115078,690730,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-23 18:09:00,EST-5,2017-03-23 18:09:00,0,0,0,0,0.00K,0,0.00K,0,24.6607,-81.4111,24.6607,-81.4111,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 45 knots was measured at an automated Citizen Weather Observing Program station at the Florida Keys Aqueduct Authority Pump Station on Ramrod Key." +115078,690731,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-03-23 18:15:00,EST-5,2017-03-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +115078,690732,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-03-23 18:15:00,EST-5,2017-03-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +115446,693244,CALIFORNIA,2017,May,High Wind,"SE KERN CTY DESERT",2017-05-17 07:35:00,PST-8,2017-05-17 07:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave trough dropped south into the area on the afternoon of the 16th. This system produced some light showers mainly over the Southern Sierra Nevada. However, the main impact from this system was a period of strong winds across the Kern County Mountains and Deserts from the afternoon of the 16th through the evening of the 17th as there were several reports of wind gusts exceeding 60 mph prompting the issuance of a High Wind Warning for the Kern County Mountains and Deserts during the morning of the 17th.","The Mesonet station 5 SSW of Red Rock Canyon reported a peak wind gust of 66 mph." +114602,687313,TEXAS,2017,March,Wildfire,"OLDHAM",2017-03-23 14:54:00,CST-6,2017-03-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Green Wildfire began around 1454CST about nine miles north northeast of Vega Texas in Oldham County. The wildfire consumed an estimated five hundred acres. There were no reports of any homes or other structures damaged or destroyed, however three homes and two other structures were threatened but saved. There were also no reports of any injuries or fatalities. The wildfire was contained by 2100CST and a total of nine fire departments and other agencies responded to the wildfire including the Texas A&M Forest Service.","" +114603,687314,TEXAS,2017,March,Wildfire,"ROBERTS",2017-03-23 16:29:00,CST-6,2017-03-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Rankin Ranch Road Wildfire began around 1629CST about ten miles north northwest of Codman Texas in Roberts County. The wildfire was caused by downed power lines and consumed an estimated sixty-thousand acres. There were no reports of any homes or other structures threatened, damaged or destroyed by the wildfire and there were also no reports of any injuries or fatalities. There were a total of ten fire departments and other agencies that responded to the wildire including the Texas A&M Forest Service. The wildfire was contained by 0100CST on March 24.","" +114604,687315,TEXAS,2017,March,Wildfire,"GRAY",2017-03-26 14:18:00,CST-6,2017-03-26 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Arrington Wildfire began about eight miles southeast of White Deer in Gray County around 1418CST. The wildfire started between W Line Road and Keahey Haiduk Road south of Baggerman Road. The wildfire consumed three hundred and twenty-three acres and was caused by downed power lines. There were no homes or other structures threatened or destroyed by the wildfire. There also were no reports of injuries or fatalities. The wildfire was contained around 2200CST and a total of five fire departments and other fire agencies responded to the wildfire including the Texas A&M Forest Service.","" +114487,686524,LOUISIANA,2017,March,Hail,"ASCENSION",2017-03-25 11:07:00,CST-6,2017-03-25 11:07:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-90.89,30.3,-90.89,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Quarter size hail was reported near Gonzales." +114487,686527,LOUISIANA,2017,March,Hail,"WEST BATON ROUGE",2017-03-25 10:12:00,CST-6,2017-03-25 10:12:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-91.27,30.35,-91.27,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Dime size hail was reported in the town of Addis." +114487,686529,LOUISIANA,2017,March,Hail,"EAST BATON ROUGE",2017-03-25 10:16:00,CST-6,2017-03-25 10:16:00,0,0,0,0,0.00K,0,0.00K,0,30.45,-91.13,30.45,-91.13,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Multiple occurrences of pea and some nickel size hail were received from in and around the city of Baton Rouge. The nickel size hail was reported around the Garden District of Baton Rouge." +113051,683077,MASSACHUSETTS,2017,March,Heavy Snow,"EASTERN NORFOLK",2017-03-14 04:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell for a time in the late morning and early afternoon in eastern Norfolk County, before changing to rain, then ending. Snowfall totals ranged from 5.0 inches in North Weymouth to 7.2 inches at both Quincy and the Blue Hill Observatory in Milton." +113051,683078,MASSACHUSETTS,2017,March,Heavy Snow,"NORTHERN BRISTOL",2017-03-14 03:30:00,EST-5,2017-03-14 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","A period of heavy snow occurred in the mid to late morning in western Bristol County, Massachusetts, before changing to rain, then ending by mid-afternoon. Snowfall totals averaged 6 to 8 inches. A trained spotter reported 6.8 inches in Attleboro. The National Weather Service Office in Taunton measured 7.0 inches. A National Weather Service employee recorded 7.8 inches in Norton." +114547,686988,INDIANA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 01:30:00,EST-5,2017-03-01 01:31:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-86.31,41.3,-86.31,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Local law enforcement reported a tree was blown down across a roadway." +114547,686989,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 01:53:00,EST-5,2017-03-01 01:54:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-85.75,41.43,-85.75,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public reported a privacy fence was blown over." +114547,686990,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 01:54:00,EST-5,2017-03-01 01:55:00,0,0,0,0,0.00K,0,0.00K,0,41.22,-85.86,41.22,-85.86,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Law enforcement officials reported power lines down in the area." +114547,686991,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 02:00:00,EST-5,2017-03-01 02:01:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-85.7,41.33,-85.7,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Law enforcement reported a tree was blown down onto a home." +114547,686992,INDIANA,2017,March,Thunderstorm Wind,"WHITLEY",2017-03-01 02:19:00,EST-5,2017-03-01 02:20:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-85.4,41.17,-85.4,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Emergency management officials reported one large tree was blown down as well as several smaller two inch limbs in the Miami Village Area." +114547,686993,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:29:00,EST-5,2017-03-01 02:30:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-85.13,41.24,-85.13,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public reported a large tree down onto a local roadway." +117224,705113,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-23 16:52:00,CST-6,2017-06-23 16:52:00,0,0,0,0,,NaN,,NaN,31.93,-102.2,31.93,-102.2,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Midland County and produced a 60 mph wind gust at the Midland International Air and Space Port." +117224,705111,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-23 16:45:00,CST-6,2017-06-23 16:45:00,0,0,0,0,30.00K,30000,0.00K,0,32.4,-100.85,32.4,-100.85,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Mitchell County and produced a 61 mph wind gust which caused wind damage in Colorado City. There was moderate tree and roof damage reported. The time was estimated from radar. The cost of damage is a very rough estimate." +112940,674791,VERMONT,2017,March,Winter Storm,"EASTERN RUTLAND",2017-03-14 07:00:00,EST-5,2017-03-15 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Rutland county generally ranged from 12 to 22 inches. Some specific amounts include; 22 inches in Pittsford and Middletown Springs, 18 inches in West Rutland, Castleton and Pawlet, 16 inches in Danby and 15 inches in Rutland. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +112940,674792,VERMONT,2017,March,Winter Storm,"EASTERN CHITTENDEN",2017-03-14 09:00:00,EST-5,2017-03-16 00:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Chittenden county generally ranged from 20 to 36 inches. Some specific amounts include; 38 inches in Nashville, 33 inches in Westford, 31 inches in Essex Junction, 30.4 inches at NWS Burlington (2nd Largest ALL-TIME), 30 inches in Hinesburg, Winooski and Williston, 29 inches in Jericho, Milton and Underhill and 28 inches in Huntington. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +112940,674794,VERMONT,2017,March,Winter Storm,"EASTERN FRANKLIN",2017-03-14 10:00:00,EST-5,2017-03-16 00:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Franklin county generally ranged from 20 to 36 inches. Some specific amounts include; 38 inches in Richford, 36 inches in Georgia Center, 34 inches in Bakersfield, 30 inches in Fairfax, 28 inches in Sheldon, 27 inches in Enosburg Falls, 24 inches in St. albans, and 19 inches in Swanton. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +113052,675848,OREGON,2017,March,High Wind,"CURRY COUNTY COAST",2017-03-21 16:14:00,PST-8,2017-03-21 19:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds behind a cold front brought high winds to at least one location along the Oregon south coast.","The Flynn Prairie RAWS recorded a gust to 59 mph at 21/1713 PST, a gust to 60 mph at 21/1813 PST, and a gust to 64 mph at 21/1913 PST." +113114,679775,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:05:00,EST-5,2017-03-21 21:05:00,0,0,0,0,,NaN,,NaN,34.01,-81.14,34.01,-81.14,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Sunset Blvd at White Oak Lane." +113114,679776,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:05:00,EST-5,2017-03-21 21:10:00,0,0,0,0,,NaN,,NaN,34.03,-81.16,34.03,-81.16,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Corley Mill Rd at River Bluff High School." +113114,679777,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:10:00,EST-5,2017-03-21 21:15:00,0,0,0,0,,NaN,,NaN,34.01,-81.14,34.01,-81.14,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down at US Hwy 378 and Leaphart Rd." +113114,679778,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"RICHLAND",2017-03-21 21:18:00,EST-5,2017-03-21 21:23:00,0,0,0,0,,NaN,,NaN,33.98,-80.91,33.98,-80.91,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported tree down on Pleasant Ridge Dr at Mountainbrook Dr." +113114,679779,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:21:00,EST-5,2017-03-21 21:26:00,0,0,0,0,,NaN,,NaN,33.86,-81.56,33.86,-81.56,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported power lines down on Kneece Mill Rd." +113114,679780,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"RICHLAND",2017-03-21 21:35:00,EST-5,2017-03-21 21:40:00,0,0,0,0,,NaN,,NaN,33.95,-80.84,33.95,-80.84,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Grammar Rd and Congaree Rd." +113114,679782,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-21 21:43:00,EST-5,2017-03-21 21:45:00,0,0,0,0,,NaN,,NaN,34,-80.54,34,-80.54,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on Hwy 261 and Fish Rd." +112767,673723,OHIO,2017,March,Thunderstorm Wind,"CLERMONT",2017-03-01 07:20:00,EST-5,2017-03-01 07:23:00,0,0,0,0,30.00K,30000,0.00K,0,38.7984,-84.1364,38.7984,-84.1364,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The village of Chilo experienced numerous trees downed from straight-line winds and also some structural damage to buildings and homes on Market Street, Washington Street and Warren Street, as well as the Chilo Lock 34 Park area. Based on the damage, the winds were estimated to be in the 70 to 80 mph range." +112767,674104,OHIO,2017,March,Tornado,"HIGHLAND",2017-03-01 02:31:00,EST-5,2017-03-01 02:39:00,0,0,0,0,30.00K,30000,0.00K,0,39.2991,-83.5968,39.3209,-83.4714,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Damage was first observed at a farm residence on the north side of Larkin Road, where one tree was downed and a barn was destroyed. Northeast of there, some minor tree damage was seen on State Route 72 and along tree lines in adjacent fields.||Structural damage occurred at a property on US Route 62 near the intersection with Old US 62, with several outbuildings destroyed or heavily damaged. The house at this location had minor damage, mainly to roofing materials, with shingles removed on multiple sides. One large evergreen tree was uprooted and other trees were snapped. At another property slightly northeast on US Route 62, a garage was destroyed and numerous trees behind the garage were snapped.||On Leaverton Road, a barn was partially collapsed. Two evergreen trees were also snapped and other tree damage was observed both at this location and across the field to the east. Slightly south of this location, also on Leaverton Road, several trees were downed along a low spot on the road and a fence was blown flat. Minor tree damage was also observed where the tornado crossed Smith Road and a garage door was blown in at a residence on State Route 771 with some trees snapped in the vicinity. A few trees were also damaged where the tornado crossed Monroe Road.||Tree damage was observed to be significant in several locations along Milner Road. A house on Milner Road sustained siding damage to both the east and west sides of the structure and tree damage was extensive at this property. An adjacent modular home had its roof removed and other outbuildings were damaged, with debris thrown northeast across an adjacent field. ||A hay barn on Bridges Road had most of its top half removed with the top also removed from another adjacent outbuilding. A home on Big Oak Road had part of its roof removed with debris observed in an adjacent field, likely a result of damage further to the west.||The last observed damage from this tornado occurred along Cope Road, where an outbuilding was mostly destroyed and a garage had part of its roof removed. Debris was thrown across Cope Road into a field to the east and southeast." +112767,674021,OHIO,2017,March,Tornado,"HIGHLAND",2017-03-01 02:40:00,EST-5,2017-03-01 02:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.2754,-83.4669,39.2926,-83.3852,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The tornado initially touched down near a residence north of the intersection of State Route 138 and Hardins Creek Road where a tree was downed. Further north along State Route 138, several trees were snapped. On Road T-319A, a small unanchored shed was completely removed from its slab, and a barn had part of its roof removed on both its northwest and southeast sides. In addition, some trees in this area were snapped.||The next observed damage was along State Route 753 about one mile north of the bridge over Rattlesnake Creek, where several trees were snapped. A slightly more concentrated area of tree damage was observed on Paint Creek Road just to the west of Paint Creek. Some tall trees were snapped and sheet metal debris from earlier damage was also found along Paint Creek Road.||To the west of Paint Creek in Ross County, no further damage was observed." +113107,676472,NEW MEXICO,2017,March,Blizzard,"RATON RIDGE/JOHNSON MESA",2017-03-24 00:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The higher terrain along the Colorado border from near Costilla to Raton Pass and Capulin experienced whiteout conditions with high winds and snowfall rates near two inches per hour. Snowfall amounts ranged from 6 to 12 inches. A peak wind gust up to 68 mph was reported with the snowfall around Des Moines. Drifts up to 3 feet were reported at Capulin. Interstate 25 was closed for several hours at Raton Pass due to blizzard conditions." +113107,677244,NEW MEXICO,2017,March,High Wind,"ESTANCIA VALLEY",2017-03-23 13:00:00,MST-7,2017-03-23 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The Moriarty airport reported sustained winds as high as 46 mph while Stanley reported a peak wind gust up to 61 mph." +113235,677501,KENTUCKY,2017,March,Hail,"ELLIOTT",2017-03-26 13:14:00,EST-5,2017-03-26 13:14:00,0,0,0,0,,NaN,,NaN,38.09,-83.12,38.09,-83.12,"A broken line of showers and thunderstorms developed early this afternoon. One storm on the northern end of this line produced quarter sized hail in Morgan County, while pennies were reported in Elliott County. In addition, a rain shower mixed down strong enough winds to produce localized damage in Fleming County.","A citizen reported penny sized hail near Sandy Hook." +113287,677910,WASHINGTON,2017,March,Heavy Snow,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-03-07 02:00:00,PST-8,2017-03-08 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal system brought heavy snow to the Cascades from Snoqualmie Pass northward, with snowfall totals of 12 to 20 inches. Snoqualmie Pass (I-90) was closed in both directions for several hours due to snow and avalanche risk, stranding motorists (including children in ski buses).","Stevens Pass NWAC station reported 11 inches snow during warning period. Alpental and Snoqualmie Pass NWAC stations both reported 13 inches snow during warning period. The snowfall and avalanche risk closed I-90 in both directions, trapping many motorists (including children in ski buses)." +113286,677908,WASHINGTON,2017,March,Heavy Snow,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-03-02 04:00:00,PST-8,2017-03-04 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal system brought heavy snow to the North Cascades over a prolonged period.","Mt Baker NWAC station reported 13 inches snow during 12 hours ending 6 pm Mar 3, 22 inches snow during 24 hours ending 4 am Mar 4, and 34 inches total during the warning period." +113316,678146,NEW MEXICO,2017,March,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-03-31 07:15:00,MST-7,2017-03-31 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A return to a more active storm track that began impacting New Mexico with the blizzard event on the 23rd and 24th continued through the end of March. Several upper waves crossed the area through the 30th and delivered periodic bursts of light to moderate snowfall for the northern high terrain and windy conditions for the remainder of New Mexico. This additional snowfall over the northern mountains slightly improved the quickly deteriorating snowpack from the record warmth earlier in the month. The next system that crossed the state on the 31st delivered the strongest burst of winds across portions of the south-central high terrain. Areas from the White Sands Missile Range to Ruidoso and Dunken reported peak wind gusts near 60 mph. Many other areas of northern and central New Mexico experienced wind gusts between 45 and 55 mph.","Sierra Blanca Regional Airport." +113316,678148,NEW MEXICO,2017,March,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-03-31 10:00:00,MST-7,2017-03-31 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A return to a more active storm track that began impacting New Mexico with the blizzard event on the 23rd and 24th continued through the end of March. Several upper waves crossed the area through the 30th and delivered periodic bursts of light to moderate snowfall for the northern high terrain and windy conditions for the remainder of New Mexico. This additional snowfall over the northern mountains slightly improved the quickly deteriorating snowpack from the record warmth earlier in the month. The next system that crossed the state on the 31st delivered the strongest burst of winds across portions of the south-central high terrain. Areas from the White Sands Missile Range to Ruidoso and Dunken reported peak wind gusts near 60 mph. Many other areas of northern and central New Mexico experienced wind gusts between 45 and 55 mph.","Several White Sands Missile Range sites reported high wind gusts up to 58 mph." +112682,673163,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MASON",2017-03-01 09:25:00,EST-5,2017-03-01 09:25:00,0,0,0,0,3.00K,3000,0.00K,0,38.75,-82.05,38.75,-82.05,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees fell down on Lower Nine Mile Road." +112682,673165,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MASON",2017-03-01 09:23:00,EST-5,2017-03-01 09:23:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-82.02,38.85,-82.02,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","" +113678,680448,KENTUCKY,2017,March,Thunderstorm Wind,"TODD",2017-03-01 06:40:00,CST-6,2017-03-01 06:40:00,0,0,0,0,0.00K,0,0.00K,0,36.7688,-87.2139,36.7688,-87.2139,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 59 mph was measured at a Kentucky mesonet site." +113678,680787,KENTUCKY,2017,March,Thunderstorm Wind,"CALLOWAY",2017-03-01 05:32:00,CST-6,2017-03-01 05:32:00,0,0,0,0,0.00K,0,0.00K,0,36.6358,-88.4746,36.6358,-88.4746,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Several large branches were broken along the Graves County line. This damage was associated with the storm that produced the EF-2 tornado near Cuba in Graves County." +113675,680366,ILLINOIS,2017,March,Hail,"JACKSON",2017-03-01 04:20:00,CST-6,2017-03-01 04:20:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-89.33,37.77,-89.33,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","" +113675,680371,ILLINOIS,2017,March,Thunderstorm Wind,"UNION",2017-03-01 04:30:00,CST-6,2017-03-01 04:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.479,-89.27,37.4211,-89.27,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","Several trees were blown down around the Jonesboro area." +117903,709068,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:13:00,CST-6,2017-06-16 23:16:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.9,39.25,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Fire department reported 60 mph wind." +117903,709069,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:13:00,CST-6,2017-06-16 23:16:00,0,0,0,0,0.00K,0,0.00K,0,39.31,-94.92,39.31,-94.92,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 60 mph wind." +117903,709071,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:21:00,CST-6,2017-06-16 23:24:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.9,39.2,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 70 mph wind." +117903,709072,KANSAS,2017,June,Thunderstorm Wind,"WYANDOTTE",2017-06-16 23:21:00,CST-6,2017-06-16 23:24:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-94.81,39.14,-94.81,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A trained spotter reported 81 mph wind, with considerable tree damage." +113689,680513,MISSOURI,2017,March,Thunderstorm Wind,"CAPE GIRARDEAU",2017-03-01 04:37:00,CST-6,2017-03-01 04:37:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-89.57,37.23,-89.57,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 60 mph was measured by the automated observing system at the Cape Girardeau airport." +113675,680368,ILLINOIS,2017,March,Hail,"WILLIAMSON",2017-03-01 04:36:00,CST-6,2017-03-01 04:45:00,0,0,0,0,0.00K,0,0.00K,0,37.73,-88.93,37.62,-88.83,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","Dime-size hail was reported at three locations from Marion southward and southeast toward the Johnson County line." +117903,709073,KANSAS,2017,June,Thunderstorm Wind,"WYANDOTTE",2017-06-16 23:21:00,CST-6,2017-06-16 23:24:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.9,39.2,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 70 mph wind." +117903,709074,KANSAS,2017,June,Thunderstorm Wind,"WYANDOTTE",2017-06-16 23:23:00,CST-6,2017-06-16 23:26:00,0,0,0,0,0.00K,0,0.00K,0,39.11,-94.83,39.11,-94.83,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A storm chaser at the Hollywood Casino reported 80 mph winds." +117903,709075,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:30:00,CST-6,2017-06-16 23:33:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.96,39.04,-94.96,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 70 mph wind." +117903,709077,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:29:00,CST-6,2017-06-16 23:32:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.9,39.25,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 60 mph wind." +112767,680775,OHIO,2017,March,Tornado,"PIKE",2017-03-01 08:16:00,EST-5,2017-03-01 08:17:00,0,0,0,0,30.00K,30000,0.00K,0,39.1583,-83.0228,39.1557,-83.0126,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A weak tornado briefly touched down, initially near Denver Road to the south of Left Fork Crooked Creek. Tornado damage consisted of primarily hardwood and softwood trees that were both snapped off above ground and uprooted. In addition, some structural damage was noted, including complete destruction of three outbuildings, and partial roof removal from a residential home. One additional home suffered minor structural damage to one side.||Damage showed a distinctively convergent pattern in the immediate vicinity of Left Fork Crooked Creek, particularly in several stands of trees. In this area, tree damage was extensive and significant." +113689,680508,MISSOURI,2017,March,Thunderstorm Wind,"BUTLER",2017-03-01 04:08:00,CST-6,2017-03-01 04:10:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-90.4,36.68,-90.25,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","There were three reports of wind gusts around 60 mph in the Poplar Bluff area and surrounding parts of the county. A wind gust to 60 mph was measured by the automated observing system at the Poplar Bluff airport. A wind gust to 62 mph was measured in Broseley by a Davis weather station. A trained spotter in the city of Poplar Bluff estimated a gust to 60 mph." +113725,680789,MONTANA,2017,March,Flood,"SILVER BOW",2017-03-19 17:00:00,MST-7,2017-03-22 04:00:00,0,0,0,0,1.00K,1000,0.00K,0,45.8517,-113.0722,45.8525,-113.0775,"An ice jam on the Big Hole River caused water to back into properties in Silver Bow County.","An ice jam on the Big Hole River at the Dickie Bridge caused water to back up and flood a land owner to the west of the bridge." +113408,680821,ALASKA,2017,March,Winter Storm,"EASTERN CHICHAGOF ISLAND",2017-03-02 00:00:00,AKST-9,2017-03-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic high pressure persisted over the Yukon on the night of 3/1 as a storm force low moved northward into the eastern Gulf of Alaska. This set up warm moist air overrunning the colder air at the surface causing heavy snowfall to the Northern Panhandle almost immediately following a previous snow dump 2/28-3/1. No damage was reported, but again the impact was snow removal on top of a large snowpack.","There were 8.8 inches of new snowfall in 6 hours. This is quite a high rate. Snowfall lingered into 3/3 but not at that rate. Impact was snow removal for Hoonah and Tenakee Springs. Storm total at Tenakee was 10 inches." +113428,680842,ALASKA,2017,March,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-07 01:38:00,AKST-9,2017-03-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm slammed the Northern Panhandle with wind and the Southern Panhandle with snow from 3/6 to 3/8. No damage was reported from the Taku Wind around Juneau on 3/7. Prince of Wales Island and the Ketchikan Area got heavy snow. The impact as usual was snow removal over this long duration event.","Mountain wave Taku winds in the downtown and Douglas area reached 60 to 70 mph in the early morning hours, then abated towards early morning while remaining gusty in the 45 to 50 mph range. Minor Mountain wave activity continued to persist beyond the afternoon. No damage was reported." +113428,680848,ALASKA,2017,March,Winter Storm,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-03-06 15:00:00,AKST-9,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm slammed the Northern Panhandle with wind and the Southern Panhandle with snow from 3/6 to 3/8. No damage was reported from the Taku Wind around Juneau on 3/7. Prince of Wales Island and the Ketchikan Area got heavy snow. The impact as usual was snow removal over this long duration event.","Hydaburg area got 6 to 8 inches new snow. Thorne Bay got 6 inches. The highways around Prince of Wales Island ranged 4-8 inches. Traffic was impeded and snow removal was the main impact." +113428,680849,ALASKA,2017,March,Winter Storm,"SOUTHERN INNER CHANNELS",2017-03-08 04:38:00,AKST-9,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another winter storm slammed the Northern Panhandle with wind and the Southern Panhandle with snow from 3/6 to 3/8. No damage was reported from the Taku Wind around Juneau on 3/7. Prince of Wales Island and the Ketchikan Area got heavy snow. The impact as usual was snow removal over this long duration event.","Storm totals for new snowfall were as follows: Ward Cove 9 inches, Thorne Bay 5 inches, Meyers Chuck 5 inches, KPU 6 inches, Powerhouse 6 inches, 28-13 7 to 8 inches South of Town, and Bear Valley 7 inches. Most fell in the morning. Impact was snow removal in an already buried area." +113318,680897,OKLAHOMA,2017,March,Hail,"PITTSBURG",2017-03-01 00:12:00,CST-6,2017-03-01 00:12:00,0,0,0,0,0.00K,0,0.00K,0,34.9386,-95.7698,34.9386,-95.7698,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +113430,681037,ALASKA,2017,March,Winter Storm,"EASTERN CHICHAGOF ISLAND",2017-03-12 15:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Highly variable amounts of snow fell on 3/13 for Chichagof Island. Hoonah had a storm total of 12 inches by 0745 on 3/13 with 10 inches at the Police and Fire. Tneakee got 15 to 16 inches of new snow from this storm plus 3 to 4 more inches by 3/14." +113430,681038,ALASKA,2017,March,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-03-12 18:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Pelican got 9.2 inches of new snow by 0700 on 3/13. Impact was snow removal." +113430,681040,ALASKA,2017,March,Winter Storm,"INNER CHANNELS FROM KUPREANOF ISLAND TO ETOLIN ISLAND",2017-03-12 12:00:00,AKST-9,2017-03-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Storm total for Kake by 0000 on 3/13 was 12 inches. Impact was snow removal." +113430,681041,ALASKA,2017,March,Winter Storm,"MISTY FJORDS",2017-03-12 12:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Storm total by 0815 on 3/13 was measured at 13.5 inches with continued snowfall. Impact was snow removal." +113442,678867,NORTH CAROLINA,2017,March,Hail,"JONES",2017-03-28 15:59:00,EST-5,2017-03-28 15:59:00,0,0,0,0,0.00K,0,0.00K,0,35,-77.23,35,-77.23,"An isolated severe thunderstorm produced 1 to 2 inch diameter hail in the Trenton to Pollocksville area.","Estimated 2 inch hail." +113777,681179,WISCONSIN,2017,March,Hail,"SHEBOYGAN",2017-03-19 20:40:00,CST-6,2017-03-19 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-87.99,43.76,-87.99,"A surge of relatively warm, moist, and unstable air aloft led to scattered thunderstorms over Sheboygan County. One thunderstorm produced large hail across the county.","" +113777,681180,WISCONSIN,2017,March,Hail,"SHEBOYGAN",2017-03-19 20:45:00,CST-6,2017-03-19 20:45:00,0,0,0,0,0.00K,0,0.00K,0,43.82,-87.83,43.82,-87.83,"A surge of relatively warm, moist, and unstable air aloft led to scattered thunderstorms over Sheboygan County. One thunderstorm produced large hail across the county.","" +113777,681183,WISCONSIN,2017,March,Hail,"SHEBOYGAN",2017-03-19 20:59:00,CST-6,2017-03-19 20:59:00,0,0,0,0,0.00K,0,0.00K,0,43.7733,-87.71,43.7733,-87.71,"A surge of relatively warm, moist, and unstable air aloft led to scattered thunderstorms over Sheboygan County. One thunderstorm produced large hail across the county.","" +113746,680924,MAINE,2017,March,Coastal Flood,"COASTAL HANCOCK",2017-03-14 23:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Onshore winds and large breaking waves produced overwash on Seawall Road around the time of high tide during the early morning and early afternoon hours of the 15th. Debris and rocks were deposited on the road. These high tide cycles followed strong low pressure which had produced blizzard conditions through the afternoon and evening hours of the 14th.","Onshore winds and large breaking waves produced overwash along Seawall Road around the time of high tide. Rocks and debris were deposited on the road." +113746,680927,MAINE,2017,March,Coastal Flood,"COASTAL HANCOCK",2017-03-15 11:00:00,EST-5,2017-03-15 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Onshore winds and large breaking waves produced overwash on Seawall Road around the time of high tide during the early morning and early afternoon hours of the 15th. Debris and rocks were deposited on the road. These high tide cycles followed strong low pressure which had produced blizzard conditions through the afternoon and evening hours of the 14th.","Onshore winds and large breaking waves produced overwash along Seawall Road around the time of high tide. Rocks and debris were deposited on the road." +113151,676745,MISSOURI,2017,March,Flood,"DOUGLAS",2017-03-25 03:00:00,CST-6,2017-03-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9657,-92.7262,36.9633,-92.7278,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway Y was closed in both directions due to high water over the road at Cowskin Creek." +113151,676746,MISSOURI,2017,March,Flood,"DOUGLAS",2017-03-25 03:00:00,CST-6,2017-03-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-92.52,37.0092,-92.5196,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway U was closed in both directions due to high water over the road at Bryant Creek." +113151,676747,MISSOURI,2017,March,Flood,"OZARK",2017-03-27 10:30:00,CST-6,2017-03-27 14:30:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-92.4,36.5398,-92.3982,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway T was closed in both directions due to high water over the road." +113151,676748,MISSOURI,2017,March,Flood,"BARRY",2017-03-27 12:15:00,CST-6,2017-03-27 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8208,-93.7871,36.8178,-93.7899,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway C was closed in both directions due to flooding at Flat Creek." +113151,676752,MISSOURI,2017,March,Flood,"HOWELL",2017-03-27 12:25:00,CST-6,2017-03-27 16:25:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.01,36.5172,-92.0117,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway 142 was closed in both directions due to high water over the road." +113151,676753,MISSOURI,2017,March,Flood,"HOWELL",2017-03-27 13:15:00,CST-6,2017-03-27 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-92.06,36.6708,-92.0677,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway K was closed in both directions due to high water over the road." +113151,676771,MISSOURI,2017,March,Lightning,"TANEY",2017-03-26 23:45:00,CST-6,2017-03-26 23:45:00,0,0,0,0,250.00K,250000,0.00K,0,36.6032,-93.2856,36.6032,-93.2856,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A lightning strike started a fire at a condominium complex in Branson. Approximately 60 people were evacuated due to the fire. The fire severely damaged several condo units. There were no injuries." +113151,681323,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-29 19:27:00,CST-6,2017-03-29 19:27:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-92.77,37.97,-92.77,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Quarter size hail was reported just south of Ha Ha Tonka State Park." +113151,681325,MISSOURI,2017,March,Hail,"MARIES",2017-03-29 17:44:00,CST-6,2017-03-29 17:44:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-92.09,38.1,-92.09,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Quarter size hail was reported seven miles north of Dixon." +113151,681326,MISSOURI,2017,March,Hail,"OREGON",2017-03-29 23:50:00,CST-6,2017-03-29 23:50:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-91.53,36.51,-91.53,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Half dollar size hail was reported near the state line just southeast of Thayer along Highway 63." +113151,681335,MISSOURI,2017,March,Tornado,"DENT",2017-03-29 22:00:00,CST-6,2017-03-29 22:02:00,0,0,0,0,50.00K,50000,0.00K,0,37.7304,-91.443,37.7596,-91.4202,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A NWS storm survey found an EF-1 rated tornado touched down in the Short Bend area of northeastern Dent County or about nine miles northeast of Salem, Missouri. Maximum winds were estimated to be up to 100 mph and a path length or 2.5 miles. There was minor damage to several homes and cabins. One roof was completely destroyed. A damaged barn was moved off the foundation. Numerous trees were uprooted or snapped along the path." +113151,681338,MISSOURI,2017,March,Hail,"LACLEDE",2017-03-29 20:00:00,CST-6,2017-03-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-92.59,37.76,-92.59,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A picture from Facebook showed quarter size hail near Sleeper." +113151,681339,MISSOURI,2017,March,Hail,"DOUGLAS",2017-03-29 20:18:00,CST-6,2017-03-29 20:18:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-92.22,36.99,-92.22,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","There was quarter size hail near State Highway EE and Highway 76." +113832,681589,WISCONSIN,2017,March,Winter Weather,"DODGE",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Four to seven inches of snow accumulation." +113832,681591,WISCONSIN,2017,March,Winter Weather,"FOND DU LAC",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681590,WISCONSIN,2017,March,Winter Weather,"GREEN LAKE",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681593,WISCONSIN,2017,March,Winter Weather,"SAUK",2017-03-12 18:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681610,WISCONSIN,2017,March,Winter Weather,"JEFFERSON",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Three to eight inches of snow accumulation." +113832,681622,WISCONSIN,2017,March,Lake-Effect Snow,"SHEBOYGAN",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,3,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Four to eight inches of snow accumulation. A chain-reaction accident involving 5 semi-trucks and 12 passenger vehicles shutdown the northbound lanes of I-43 at WI highway 23 for 2 hours beginning around 11:30 AM. 3 minor injuries were reported." +113832,681645,WISCONSIN,2017,March,Lake-Effect Snow,"RACINE",2017-03-12 20:00:00,CST-6,2017-03-14 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Five to twenty-two inches of snow accumulation with the highest amounts in the eastern portion of the county. Numerous vehicle slide-offs and accidents." +115018,690211,MISSOURI,2017,April,Strong Wind,"CARTER",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690212,MISSOURI,2017,April,Strong Wind,"MISSISSIPPI",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690213,MISSOURI,2017,April,Strong Wind,"NEW MADRID",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115020,690238,MISSOURI,2017,April,Strong Wind,"CAPE GIRARDEAU",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +115020,690239,MISSOURI,2017,April,Strong Wind,"BUTLER",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +115023,690254,ILLINOIS,2017,April,Dense Fog,"ALEXANDER",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690255,ILLINOIS,2017,April,Dense Fog,"EDWARDS",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +112833,674172,OHIO,2017,January,Lake-Effect Snow,"ASHTABULA",2017-01-04 13:00:00,EST-5,2017-01-07 09:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through daybreak on the 7th and then dissipated during the morning hours. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern half of Ashtabula County where totals in some areas were greater than a foot. A few of the higher totals in Ashtabula County included 14.5 inches in Kelloggsville; 11.6 inches in Monroe Township; 11.1 inches at Ashtabula; 9.6 inches at Conneaut and 8.7 inches at Jefferson. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported.","Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through daybreak on the 7th and then dissipated during the morning hours. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern half of Ashtabula County where totals in some areas were greater than a foot. A few of the higher totals in Ashtabula County included 14.5 inches in Kelloggsville; 11.6 inches in Monroe Township; 11.1 inches at Ashtabula; 9.6 inches at Conneaut and 8.7 inches at Jefferson. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported." +112888,674410,ILLINOIS,2017,January,Dense Fog,"POPE",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674411,ILLINOIS,2017,January,Dense Fog,"PULASKI",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +111688,667043,TEXAS,2017,January,Winter Weather,"SWISHER",2017-01-15 22:00:00,CST-6,2017-01-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow cold air mass combined with a slow moving upper level system resulting in light wintry precipitation across the extreme southern Texas Panhandle from the 14th through the early morning hours of the 16th. Temperatures just below freezing at Childress allowed freezing rain to develop for much of the day on the 15th. Ice accumulations totaled 0.16 at Childress Municipal Airport. As an upper level low moved directly over the region, rain changed over to snow in the southwestern Texas Panhandle. A snow accumulation of 1.2 inches was reported in Tulia (Swisher County) while Friona (Parmer County) saw 1.0 inch.","" +113299,677963,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Hetch Hetchy snotel reported a 24 hour snowfall of 8 inches in Tuolumne County." +113299,677964,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Paradise Meadow snotel reported an estimated 24 hour snowfall of 8 inches in Tuolumne County at an elevation of 7.650 feet." +113232,677832,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 19:25:00,MST-7,2017-01-10 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +113232,677834,WYOMING,2017,January,High Wind,"LARAMIE VALLEY",2017-01-09 05:05:00,MST-7,2017-01-09 07:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 09/0655 MST." +113232,677835,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-08 03:20:00,MST-7,2017-01-08 06:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Quealy Dome measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 08/0525 MST." +113137,676640,WASHINGTON,2017,January,High Wind,"SOUTH COAST",2017-01-17 12:30:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Vancouver Airport, impacting the east side of the Vancouver Metro as well, mainly near the Columbia River.","The Cape Disappointment weather station recorded sustained winds of 55 mph with gusts of 70 mph, and the Long Beach weather station recorded wind gusts up to 63 mph." +112549,671460,COLORADO,2017,January,Winter Storm,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671461,COLORADO,2017,January,Winter Storm,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112550,671462,COLORADO,2017,January,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-01-09 03:00:00,MST-7,2017-01-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced heavy snow and strong winds across and near the Continental Divide. Some of the higher reported snow totals with this event included 24 inches near Wolf Creek Pass (Mineral County), and 26 inches near Monarch Pass (Chaffee County).","" +112550,671463,COLORADO,2017,January,Winter Storm,"LEADVILLE VICINITY / LAKE COUNTY BELOW 11000 FT",2017-01-09 03:00:00,MST-7,2017-01-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced heavy snow and strong winds across and near the Continental Divide. Some of the higher reported snow totals with this event included 24 inches near Wolf Creek Pass (Mineral County), and 26 inches near Monarch Pass (Chaffee County).","" +113223,677439,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-22 07:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 20 of snow over 24 hours at Kingvale, 82 over 7 days." +111564,677409,CALIFORNIA,2017,January,Flood,"SACRAMENTO",2017-01-10 18:00:00,PST-8,2017-01-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4201,-121.2227,38.4176,-121.2331,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Heavy rainfall and water over topping a levee along the Cosumnes brought street flooding to Wilton on Green Rd and Dillard Rd, and into adjacent properties. There were voluntary evacuations of about 7000 to 10000 people, due to the levee over topping and the threat of possible levee failure." +111564,677055,CALIFORNIA,2017,January,Debris Flow,"EL DORADO",2017-01-09 18:00:00,PST-8,2017-01-10 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.7634,-120.3229,38.7665,-120.3154,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","CalTrans reported a mud/rock slide on Highway 50, which closed westbound lanes." +112334,669771,WYOMING,2017,January,Extreme Cold/Wind Chill,"ROCK SPRINGS & GREEN RIVER",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Temperatures of minus 30 or below were commonplace across the region, including minus 35 degrees, three miles northwest of Rock Springs." +112334,669772,WYOMING,2017,January,Extreme Cold/Wind Chill,"EAST SWEETWATER COUNTY",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Frigid temperatures occurred across the region. Three locations east of Rock Springs experienced low temperatures of minus 40 degrees or below, including minus 45 degrees at a site 8 miles East of Rock Springs." +112337,669776,WYOMING,2017,January,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-01-07 10:00:00,MST-7,2017-01-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell across portions of Yellowstone Park. The hardest hit areas where in the southwestern portions of the Park. Over 3 feet of snow fell in some locations, including 50 inches at the Lewis Lake Divide SNOTEL. Less snow fell in the north, where amounts generally ranged from 9 to 18 inches." +113063,676088,VIRGINIA,2017,January,Winter Storm,"BEDFORD",2017-01-06 17:00:00,EST-5,2017-01-07 12:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 5 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Huddleston area, where 9.0 inches of snow was measured." +113063,676098,VIRGINIA,2017,January,Winter Storm,"ROANOKE",2017-01-06 17:00:00,EST-5,2017-01-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 4 and 7 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Poages Mill area, where 7.0 inches of snow was measured." +113225,677435,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer 11 miles north of Davenport measured 4.1 inches of new snow." +113079,676317,NEW MEXICO,2017,January,Heavy Snow,"SOUTHERN GILA HIGHLANDS/BLACK RANGE",2017-01-15 15:00:00,MST-7,2017-01-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","Fifteen inches of snow was reported at the McKnight Cabin SNOTEL. The Lookout Mountain SNOTEL reported 10 inches of snow." +113080,676319,GEORGIA,2017,January,Drought,"ELBERT",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113080,676320,GEORGIA,2017,January,Drought,"FRANKLIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113092,676520,CALIFORNIA,2017,January,High Wind,"SOUTHWESTERN HUMBOLDT",2017-01-19 22:00:00,PST-8,2017-01-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 02:08 am at Cooskie Mountain." +113092,676521,CALIFORNIA,2017,January,High Wind,"SOUTHWESTERN HUMBOLDT",2017-01-21 20:00:00,PST-8,2017-01-22 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 11:08 pm at Cooskie Mountain." +113165,676919,LAKE SUPERIOR,2017,January,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-01-12 17:00:00,EST-5,2017-01-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Stannard Rock Light observing station measured storm force west wind gusts through the period." +113165,676925,LAKE SUPERIOR,2017,January,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-01-10 21:20:00,EST-5,2017-01-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,46.721,-87.412,46.721,-87.412,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Granite Island Light observing station measured storm force west wind gusts through the period." +113165,676930,LAKE SUPERIOR,2017,January,Marine High Wind,"GRAND MARAIS MI TO WHITEFISH POINT MI 5NM OFFSHORE TO THE US/CANADIAN BORDER",2017-01-10 22:20:00,EST-5,2017-01-11 02:10:00,0,0,0,0,0.00K,0,0.00K,0,46.67,-85.98,46.67,-85.98,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The GLOS observing station at Grand Marais measured storm force west wind gusts through the period." +113165,676935,LAKE SUPERIOR,2017,January,Marine High Wind,"GRAND MARAIS MI TO WHITEFISH POINT MI 5NM OFFSHORE TO THE US/CANADIAN BORDER",2017-01-12 19:40:00,EST-5,2017-01-12 21:20:00,0,0,0,0,0.00K,0,0.00K,0,46.67,-85.98,46.67,-85.98,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The GLOS observing station at Grand Marais measured storm force west wind gusts through the period." +113068,676231,FLORIDA,2017,January,Hail,"OKALOOSA",2017-01-22 09:26:00,CST-6,2017-01-22 09:27:00,0,0,0,0,,NaN,0.00K,0,30.42,-86.62,30.42,-86.62,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail reported in Fort Walton Beach." +113059,676062,NORTH CAROLINA,2017,January,Winter Storm,"ASHE",2017-01-06 14:30:00,EST-5,2017-01-07 10:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Jefferson area, where 8 inches was measured at numerous locations around the town." +113244,677560,WASHINGTON,2017,February,Heavy Snow,"EASTERN STRAIT OF JUAN DE FUCA",2017-02-05 15:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Several NWS spotters reported snowfall ranging from 4 to 8 inches across the zone during the warning period." +113245,677561,WASHINGTON,2017,February,Heavy Snow,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-02-10 06:00:00,PST-8,2017-02-10 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal system brought heavy snow to the North Cascades.","Mt Baker NWAC station reported 14 inches snow during 12 hours ending 6 pm Feb 10." +113246,677563,WASHINGTON,2017,February,Heavy Snow,"WESTERN WHATCOM COUNTY",2017-02-27 18:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold Fraser outflow and a weak front produced heavy snow in Western Whatcom County and the Eastern Strait of Juan de Fuca.","Five CoCoRaHS stations reported snowfall ranging from 4 to 6 inches across the zone during the 12 hours ending 6 am Feb 28." +113246,677564,WASHINGTON,2017,February,Heavy Snow,"EASTERN STRAIT OF JUAN DE FUCA",2017-02-27 18:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold Fraser outflow and a weak front produced heavy snow in Western Whatcom County and the Eastern Strait of Juan de Fuca.","Five CoCoRaHS stations reported snowfall ranging from 4 to 7 inches across the zone during the 12 hours ending 6 am Feb 28." +113030,676174,ALABAMA,2017,January,Hail,"BALDWIN",2017-01-21 19:18:00,CST-6,2017-01-21 19:19:00,0,0,0,0,,NaN,0.00K,0,30.41,-87.6,30.41,-87.6,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Off duty NWS employee reported ping pong ball size hail in Elberta." +113030,676180,ALABAMA,2017,January,Hail,"WASHINGTON",2017-01-21 21:15:00,CST-6,2017-01-21 21:16:00,0,0,0,0,,NaN,0.00K,0,31.56,-88.42,31.56,-88.42,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail was reported in Copeland." +113030,676181,ALABAMA,2017,January,Hail,"BALDWIN",2017-01-21 19:09:00,CST-6,2017-01-21 19:10:00,0,0,0,0,,NaN,0.00K,0,30.42,-87.68,30.42,-87.68,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Several reports of quarter to golf ball size hail in Foley." +112467,673168,MAINE,2017,January,Sleet,"SOUTHEAST AROOSTOOK",2017-01-24 07:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 3 inches." +113796,681271,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The South Brush Creek SNOTEL site (elevation 8440 ft) estimated 40 inches of snow." +113796,681273,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 64 inches of snow." +112538,671302,OHIO,2017,January,High Wind,"WOOD",2017-01-10 22:15:00,EST-5,2017-01-10 22:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Toledo Executive Airport measured a 58 mph wind gust." +111979,667888,NEW MEXICO,2017,January,High Wind,"QUAY COUNTY",2017-01-24 10:00:00,MST-7,2017-01-24 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Sustained winds between 40 and 44 mph occurred for several hours at Tucumcari." +112960,674980,GEORGIA,2017,January,Thunderstorm Wind,"SCREVEN",2017-01-02 17:26:00,EST-5,2017-01-02 17:27:00,0,0,0,0,,NaN,0.00K,0,32.83,-81.71,32.83,-81.71,"Isolated thunderstorms developed along a cold front in the afternoon hours across southeast Georgia. A few of these storms because strong enough to produce hail and damaging winds.","Screven County 911 Call Center reported multiple trees down at the intersection of Winchester Road and Sunnyside Road. A separate report was received of hail damage to a passing vehicle but the hail size was unknown." +112973,675077,TEXAS,2017,January,Tornado,"MADISON",2017-01-15 15:48:00,CST-6,2017-01-15 15:50:00,0,0,0,0,,NaN,,NaN,30.9217,-96.114,30.9365,-96.0978,"A weak and brief afternoon tornado caused minimal damage.","EF-0 tornado briefly touched down in the North Zulch area and damaged some trees from Bundic Road to Diserens Road." +115513,693643,TEXAS,2017,June,Thunderstorm Wind,"CHILDRESS",2017-06-15 18:00:00,CST-6,2017-06-15 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.34,-100.39,34.34,-100.39,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","A few tree limbs were downed." +113796,681535,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","An observer at Elk Mountain measured 15 inches of snow." +115513,693647,TEXAS,2017,June,Thunderstorm Wind,"HALL",2017-06-15 16:50:00,CST-6,2017-06-15 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-100.44,34.49,-100.44,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Some tree branches were broken." +112466,673149,MAINE,2017,January,High Wind,"COASTAL HANCOCK",2017-01-11 01:00:00,EST-5,2017-01-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north across the region from the overnight hours of the 10th through the 11th. A strong low level jet crossed the region from the overnight hours of the 10th into the morning of the 11th. Onshore south winds were sustained at speeds of 30 to 40 mph...with gusts up to around 60 mph. A wind gust of 61 mph was measured near Eastport in coastal Washington county...with a measured gust of 60 mph at Castine in coastal Hancock county. The strong onshore winds produced seas of 12 to 18 feet with large breaking waves. The strong winds and large waves combined to produce coastal flooding along portions of the Downeast coast at the time of high tide during the morning of the 11th. Splashover was reported at Seawall Road in coastal Hancock county where rocks were deposited on the road. Minor coastal flooding was also reported at Machias and Roque Bluffs in coastal Washington county.|Overrunning snow in advance of the warm front totaled 1 to 3 inches across northern Aroostook county before a transition to rain. The weight of snow and sleet from recent storms caused a barn to collapse at Sherman...in southeast Aroostook county...during the 11th. The barn collapse killed a horse.","South winds were sustained at speeds of 30 to 40 mph with gusts up to around 60 mph. A peak wind gust of 60 mph was measured near Castine." +112466,673151,MAINE,2017,January,High Wind,"COASTAL WASHINGTON",2017-01-11 01:00:00,EST-5,2017-01-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north across the region from the overnight hours of the 10th through the 11th. A strong low level jet crossed the region from the overnight hours of the 10th into the morning of the 11th. Onshore south winds were sustained at speeds of 30 to 40 mph...with gusts up to around 60 mph. A wind gust of 61 mph was measured near Eastport in coastal Washington county...with a measured gust of 60 mph at Castine in coastal Hancock county. The strong onshore winds produced seas of 12 to 18 feet with large breaking waves. The strong winds and large waves combined to produce coastal flooding along portions of the Downeast coast at the time of high tide during the morning of the 11th. Splashover was reported at Seawall Road in coastal Hancock county where rocks were deposited on the road. Minor coastal flooding was also reported at Machias and Roque Bluffs in coastal Washington county.|Overrunning snow in advance of the warm front totaled 1 to 3 inches across northern Aroostook county before a transition to rain. The weight of snow and sleet from recent storms caused a barn to collapse at Sherman...in southeast Aroostook county...during the 11th. The barn collapse killed a horse.","South winds were sustained at speeds of 30 to 40 mph with gusts up to around 60 mph. A peak wind gust of 61 mph was measured near Eastport." +112902,674542,WISCONSIN,2017,January,Winter Storm,"SOUTHERN MARINETTE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +113304,678050,OKLAHOMA,2017,January,Drought,"TULSA",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678051,OKLAHOMA,2017,January,Drought,"ROGERS",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113484,679348,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 51 inches of snow." +112779,678098,KANSAS,2017,January,Ice Storm,"SEWARD",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 1/2 inches. Water equivalent was 1 1/2 to 3 inches. Tree and power line damage was severe." +112779,678099,KANSAS,2017,January,Ice Storm,"STAFFORD",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1/2 to 1 inch. Water equivalent was 2 to 3 inches." +112710,674002,CALIFORNIA,2017,January,Drought,"S SIERRA MTNS",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +112333,669753,WYOMING,2017,January,Winter Storm,"UPPER GREEN RIVER BASIN",2017-01-03 12:00:00,MST-7,2017-01-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","A CocoRaHS observer measured 6 inches of new snow 5 miles north of Farson." +113267,677749,CALIFORNIA,2017,January,Flood,"KERN",2017-01-23 13:53:00,PST-8,2017-01-23 13:53:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-118.86,35.2829,-118.8599,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","Public reported roadway flooding near Malaga Road and Mountain View Road intersection due to runoff from nearby farm fields near Lamont in Kern County." +112998,675327,CALIFORNIA,2017,January,Flood,"FRESNO",2017-01-08 19:46:00,PST-8,2017-01-08 19:46:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-120.26,36.0975,-120.2621,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","California Highway Patrol reported road completely flooded over on Highway 33 at Lost Hills Road southeast of Coalinga." +112592,683605,CALIFORNIA,2017,January,Flood,"SAN FRANCISCO",2017-01-04 03:19:00,PST-8,2017-01-04 04:19:00,0,0,0,0,0.00K,0,0.00K,0,37.7701,-122.4058,37.7698,-122.4056,"The first in a series of three atmospheric river events between January 2 and January 10. Strong winds, flooding, and debris flows occurred throughout this event. Snow was also recorded at higher elevations.","Water a couple of feet high 2 right lanes nb 101 eb 80 connection." +113041,675756,CALIFORNIA,2017,January,Funnel Cloud,"SANTA CLARA",2017-01-23 14:52:00,PST-8,2017-01-23 15:03:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-121.96,37.24,-121.96,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Video of brief funnel cloud submitted via social media. Location and timing are approximate from radar." +113358,680888,MAINE,2017,March,Blizzard,"CENTRAL PISCATAQUIS",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 12 to 15 inches. Blizzard conditions also occurred." +112767,675157,OHIO,2017,March,Thunderstorm Wind,"FAIRFIELD",2017-03-01 02:28:00,EST-5,2017-03-01 02:30:00,0,0,0,0,5.00K,5000,0.00K,0,39.74,-82.42,39.74,-82.42,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A few trees were downed and a shed was destroyed." +112766,675158,KENTUCKY,2017,March,Thunderstorm Wind,"LEWIS",2017-03-01 04:12:00,EST-5,2017-03-01 04:14:00,0,0,0,0,2.00K,2000,0.00K,0,38.5,-83.57,38.5,-83.57,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A few trees were downed." +112767,676362,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 06:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.2279,-84.443,39.2274,-84.4415,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Central Elementary School was flooded." +112765,676366,INDIANA,2017,March,Flash Flood,"DEARBORN",2017-03-01 06:45:00,EST-5,2017-03-01 07:45:00,0,0,0,0,30.00K,30000,0.00K,0,39.17,-84.91,39.185,-84.8309,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous basements were flooded and water with debris was flowing over several roadways in the Bright area." +112767,676368,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 07:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1185,-84.4037,39.1105,-84.3887,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Extensive flash flooding was reported around State Routes 125 and 32 in Anderson Township." +112767,676369,OHIO,2017,March,Flash Flood,"WARREN",2017-03-01 07:15:00,EST-5,2017-03-01 08:15:00,0,0,0,0,0.00K,0,0.00K,0,39.416,-84.205,39.4193,-84.1869,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was reported flowing across State Route 48." +112767,676372,OHIO,2017,March,Flash Flood,"HOCKING",2017-03-01 06:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4822,-82.7509,39.4638,-82.7507,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several roads were closed due to very high water flowing across them." +112940,674778,VERMONT,2017,March,Winter Storm,"CALEDONIA",2017-03-14 10:00:00,EST-5,2017-03-15 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Caledonia county were largely 12 to 18 inches with some higher terrain approaching 2 feet. Some specific amounts include; 24 inches in Walden, 18 inches in Danville and Sutton, 17 inches in Lyndonville and Groton and 15 inches in Wheelock." +112940,674781,VERMONT,2017,March,Winter Storm,"ESSEX",2017-03-14 10:00:00,EST-5,2017-03-15 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Essex county were largely 12 to 18 inches with some higher terrain approaching 2 feet. Some specific amounts include; 27 inches in Averill, 22 inches in Island Pond, 17 inches in Granby and 12 inches in Concord." +121085,724868,MONTANA,2017,November,High Wind,"HILL",2017-11-23 12:07:00,MST-7,2017-11-23 12:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","A 59 mph wind gust was measured at the Havre Airport ASOS." +121085,724866,MONTANA,2017,November,High Wind,"HILL",2017-11-23 11:56:00,MST-7,2017-11-23 11:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 10 miles SSE of Havre measured a 63 mph wind gust." +118210,710361,NEW MEXICO,2017,August,Hail,"UNION",2017-08-27 20:00:00,MST-7,2017-08-27 20:03:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-103.18,35.87,-103.18,"The center of upper level high pressure moved into southern Utah by the end of August 2017 and forced steering flow to become more south to north across New Mexico. Moist, low level southeasterly flow remained in place over the state and continued the daily rounds of showers and storms. The main focus for convection was over the central high terrain and the northeastern plains. Most storms were garden variety with brief heavy rainfall and gusty outflow winds. One cluster of storms that moved south along the Texas and New Mexico border between 8 and 9 pm produced quarter to ping pong ball size hail near Amistad. This cluster of storms held together as it moved southward toward Clovis where a strong wind gust to 56 mph was reported.","Hail up to the size of quarters three miles south-southwest of Amistad." +118211,710362,NEW MEXICO,2017,August,Hail,"MORA",2017-08-28 13:32:00,MST-7,2017-08-28 13:34:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-105.45,35.89,-105.45,"The center of upper level high pressure remained in place over southern Utah while low level moisture was recycled into the form of isolated afternoon showers and thunderstorms. Storms that developed over the central mountain chain during the early afternoon hours moved south-southwest toward nearby highlands and valleys by late afternoon. A storm near Gascon produced ping pong ball size around 230 pm. Colliding outflow boundaries within the Rio Grande Valley led to the development of another severe storm to the north of Socorro where a wind gust to 65 mph was reported. Heavy rainfall and half inch hail with this storm also produced some minor flooding in Chamizal.","Hail up to the size of ping pong balls in Gascon." +114246,684415,KENTUCKY,2017,March,Strong Wind,"MARSHALL",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684416,KENTUCKY,2017,March,Strong Wind,"MCCRACKEN",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684417,KENTUCKY,2017,March,Strong Wind,"MCLEAN",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684418,KENTUCKY,2017,March,Strong Wind,"MUHLENBERG",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684419,KENTUCKY,2017,March,Strong Wind,"TODD",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684420,KENTUCKY,2017,March,Strong Wind,"TRIGG",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114437,686222,VIRGINIA,2017,March,Thunderstorm Wind,"LOUISA",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,1.00K,1000,0.00K,0,37.84,-77.91,37.84,-77.91,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was knocked down across Route 522." +113859,681880,LOUISIANA,2017,March,Thunderstorm Wind,"NATCHITOCHES",2017-03-29 18:11:00,CST-6,2017-03-29 18:11:00,0,0,0,0,0.00K,0,0.00K,0,31.6534,-93.2044,31.6534,-93.2044,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating. An isolated severe thunderstorm developed over Southern Sabine Parish, which resulted in several trees being downed just north of Toledo Bend Dam.","A tree was blown down south of Provencal." +113859,681881,LOUISIANA,2017,March,Thunderstorm Wind,"UNION",2017-03-29 19:06:00,CST-6,2017-03-29 19:06:00,0,0,0,0,0.00K,0,0.00K,0,32.7289,-92.1692,32.7289,-92.1692,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating. An isolated severe thunderstorm developed over Southern Sabine Parish, which resulted in several trees being downed just north of Toledo Bend Dam.","A tree was blown down northwest of Sterlington." +113669,680415,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:20:00,EST-5,2017-03-08 04:20:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","A wind gust of 41 knots was reported at Annapolis." +113669,680416,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-03-08 04:20:00,EST-5,2017-03-08 04:20:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","A wind gust of 41 knots was reported at Thomas Point Lighthouse." +113669,680420,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-08 04:58:00,EST-5,2017-03-08 04:58:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 36 knots at Cobb Point." +113669,680421,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-03-08 05:24:00,EST-5,2017-03-08 05:24:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A strong cold front passed through the waters on the eighth of March. Showers were able to mix down strong winds from aloft.","Wind gusts up to 36 knots at Piney Point." +114020,682853,VIRGINIA,2017,March,Thunderstorm Wind,"ROCKINGHAM",2017-03-01 11:59:00,EST-5,2017-03-01 11:59:00,0,0,0,0,,NaN,,NaN,38.7656,-78.9492,38.7656,-78.9492,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Bergton." +114020,682854,VIRGINIA,2017,March,Thunderstorm Wind,"AUGUSTA",2017-03-01 12:03:00,EST-5,2017-03-01 12:03:00,0,0,0,0,,NaN,,NaN,38.2261,-79.1625,38.2261,-79.1625,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down throughout central Augusta County." +114020,682855,VIRGINIA,2017,March,Thunderstorm Wind,"AUGUSTA",2017-03-01 12:03:00,EST-5,2017-03-01 12:03:00,0,0,0,0,,NaN,,NaN,38.3169,-79.0892,38.3169,-79.0892,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down in Moscow." +114020,682856,VIRGINIA,2017,March,Thunderstorm Wind,"ROCKINGHAM",2017-03-01 12:07:00,EST-5,2017-03-01 12:07:00,0,0,0,0,,NaN,,NaN,38.4136,-78.9386,38.4136,-78.9386,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down in Dayton. Several trees fell onto houses and cars." +114020,682857,VIRGINIA,2017,March,Thunderstorm Wind,"ROCKINGHAM",2017-03-01 12:10:00,EST-5,2017-03-01 12:10:00,0,0,0,0,,NaN,,NaN,38.4147,-78.9389,38.4147,-78.9389,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Dayton." +113342,682345,TEXAS,2017,March,Thunderstorm Wind,"EDWARDS",2017-03-28 21:30:00,CST-6,2017-03-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-100.56,30.28,-100.56,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced a 66 mph wind gust measured by a RAWS station." +113342,682347,TEXAS,2017,March,Hail,"KINNEY",2017-03-28 23:40:00,CST-6,2017-03-28 23:40:00,0,0,0,0,0.00K,0,0.00K,0,29.3345,-100.42,29.3345,-100.42,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","" +113947,682348,TEXAS,2017,March,Flash Flood,"COMAL",2017-03-09 19:45:00,CST-6,2017-03-09 21:45:00,0,0,0,0,0.00K,0,0.00K,0,29.6344,-98.2393,29.6376,-98.245,"An upper level trough moved over Texas and interacted with a very moist boundary layer to produce isolated thunderstorms. Some of these storms produced locally heavy rain that led to flash flooding.","A thunderstorm produced heavy rain that caused flash flooding leading to a water rescue near Hubertus Rd. and FM482." +113948,682349,TEXAS,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-24 17:05:00,CST-6,2017-03-24 17:05:00,0,0,0,0,1.00K,1000,0.00K,0,29.83,-97,29.83,-97,"A cold front moved through Texas and generated thunderstorms. One of these storms produced severe wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that damaged the roof of a house." +113342,682565,TEXAS,2017,March,Thunderstorm Wind,"LLANO",2017-03-28 23:30:00,CST-6,2017-03-28 23:30:00,0,0,0,0,2.00K,2000,0.00K,0,30.7602,-98.6819,30.7602,-98.6819,"An upper level trough brought a cold front through South Central Texas and thunderstorms developed along the front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that damaged the roof of a business building." +113947,683056,TEXAS,2017,March,Flash Flood,"GUADALUPE",2017-03-10 01:00:00,CST-6,2017-03-10 05:00:00,0,0,1,0,0.00K,0,0.00K,0,29.5283,-98.1172,29.528,-98.1197,"An upper level trough moved over Texas and interacted with a very moist boundary layer to produce isolated thunderstorms. Some of these storms produced locally heavy rain that led to flash flooding.","Heavy rain during the evening of March 9 caused Santa Clara Creek to flood a low water crossing on the I-10 access road near exit 599. A car was swept off the road and a woman passenger was killed." +114060,683057,TEXAS,2017,March,Wildfire,"VAL VERDE",2017-03-27 12:00:00,CST-6,2017-03-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Pocket Fire burned 300 acres in Val Verde County from March 27 through March 30.","The Pocket Fire burned 300 acres in Val Verde County from March 27 through March 30." +113883,682023,MICHIGAN,2017,March,Hail,"WASHTENAW",2017-03-01 00:00:00,EST-5,2017-03-01 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-83.6,42.14,-83.6,"A thunderstorm produced 1 inch hail in Washtenaw County.","" +113885,688408,LAKE ERIE,2017,March,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-03-01 03:42:00,EST-5,2017-03-01 03:48:00,0,0,0,0,0.00K,0,0.00K,0,41.694,-83.475,41.694,-83.475,"A thunderstorm moving through western Lake Erie produced a wind gust of 50 knots.","A thunderstorm moved over the Michigan Waters of Lake Erie and produced wind gusts to 50 knots." +112819,674080,NEBRASKA,2017,March,High Wind,"FRONTIER",2017-03-06 13:30:00,CST-6,2017-03-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","The nearby McCook ASOS recorded strong westerly winds of 35 to 45 mph with a peak gust to 59 mph at 153 pm CST. These winds were common across Frontier County during the afternoon hours." +112819,674094,NEBRASKA,2017,March,High Wind,"CUSTER",2017-03-06 16:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong western winds developed behind a cold front across portions of southwest and central Nebraska during the afternoon hours on March 6, 2017. Westerly winds of 35 to 45 mph with a few gusts to around 60 mph were recorded.","A Cooperative Observer located 8 miles west southwest of Callaway recorded strong westerly winds of 35 to 45 mph with a peak gust to 61 mph at 520 pm CST. These winds were common across Custer County during the late afternoon hours." +112824,674173,NEBRASKA,2017,March,High Wind,"CHASE",2017-03-07 10:00:00,MST-7,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds of 35 to 45 mph with gusts to near 60 mph occurred across portions of southwest Nebraska during the late morning through mid afternoon hours on March 7, 2017.","Imperial ASOS recorded strong westerly winds during the late morning until mid afternoon hours. A peak gust of 61 mph occurred at 1022 am MST. Winds of this magnitude were common across Chase County from late morning through the mid afternoon hours." +112824,674174,NEBRASKA,2017,March,High Wind,"PERKINS",2017-03-07 10:00:00,MST-7,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds of 35 to 45 mph with gusts to near 60 mph occurred across portions of southwest Nebraska during the late morning through mid afternoon hours on March 7, 2017.","Nearby Imperial ASOS recorded strong westerly winds during the late morning until mid afternoon hours. A peak gust of 61 mph occurred at 1022 am MST. Winds of this magnitude were common across Perkins County from late morning through the mid afternoon hours." +112824,674175,NEBRASKA,2017,March,High Wind,"GARDEN",2017-03-07 11:00:00,MST-7,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds of 35 to 45 mph with gusts to near 60 mph occurred across portions of southwest Nebraska during the late morning through mid afternoon hours on March 7, 2017.","Nearby Alliance ASOS recorded sustained winds of 40 mph during the late morning until mid afternoon hours. A peak gust of 57 mph also occurred 2 miles east of Big Springs at 1130 am MST. Winds of this magnitude were common across Garden County from late morning through the mid afternoon hours." +114854,689007,NEW YORK,2017,March,Winter Storm,"NIAGARA",2017-03-13 21:00:00,EST-5,2017-03-15 14:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689008,NEW YORK,2017,March,Winter Storm,"ORLEANS",2017-03-13 21:00:00,EST-5,2017-03-15 14:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689009,NEW YORK,2017,March,Winter Storm,"ORLEANS",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114128,683426,WASHINGTON,2017,March,Heavy Snow,"SPOKANE AREA",2017-03-07 13:00:00,PST-8,2017-03-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","The observer at the Spokane International Airport reported 4.2 inches of new snow accumulation." +114883,689177,WASHINGTON,2017,March,Debris Flow,"OKANOGAN",2017-03-14 11:30:00,PST-8,2017-03-31 23:59:00,0,0,0,0,80.00K,80000,0.00K,0,48.0201,-118.9406,48.0152,-118.9402,"A debris flow estimated to contain 400,000 cubic yards of mud and rocks cut Peter Dan Road near Elmer City. The road remained closed through the end of the month with crews unable to address the slide until soil conditions improved.","Okanogan County Dept. of Public Works closed Peter Dan Road between mile 0.0 and 2.4 due to a landslide." +114128,683428,WASHINGTON,2017,March,Heavy Snow,"SPOKANE AREA",2017-03-07 13:00:00,PST-8,2017-03-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","A member of the public 3 miles southwest of Deer Park reported 6 inches of new snow accumulation." +114427,686106,ALABAMA,2017,March,Thunderstorm Wind,"CLARKE",2017-03-01 17:57:00,CST-6,2017-03-01 17:59:00,0,0,0,0,5.00K,5000,0.00K,0,31.97,-87.98,31.97,-87.98,"Thunderstorms produced high winds which caused damage across southwest Alabama.","Winds estimated at 60 mph downed several trees on Campbells Landing Road." +114495,686575,ALABAMA,2017,March,Hail,"WASHINGTON",2017-03-30 10:40:00,CST-6,2017-03-30 10:40:00,0,0,0,0,0.00K,0,0.00K,0,31.22,-88.32,31.22,-88.32,"Thunderstorms moved across the area and produced large hail and damaging winds.","" +114495,686592,ALABAMA,2017,March,Hail,"CONECUH",2017-03-30 11:40:00,CST-6,2017-03-30 11:40:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-87.02,31.3,-87.02,"Thunderstorms moved across the area and produced large hail and damaging winds.","" +114495,686594,ALABAMA,2017,March,Hail,"MONROE",2017-03-30 12:05:00,CST-6,2017-03-30 12:05:00,0,0,0,0,0.00K,0,0.00K,0,31.63,-87.25,31.63,-87.25,"Thunderstorms moved across the area and produced large hail and damaging winds.","" +114495,689006,ALABAMA,2017,March,Hail,"BUTLER",2017-03-30 13:09:00,CST-6,2017-03-30 13:09:00,0,0,0,0,0.00K,0,0.00K,0,31.8079,-86.5671,31.8079,-86.5671,"Thunderstorms moved across the area and produced large hail and damaging winds.","" +112825,674108,NORTH DAKOTA,2017,March,Blizzard,"TOWNER",2017-03-06 15:30:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of surface low pressure tracked from near Mobridge, South Dakota, on Monday, morning March 6th, to south of Winnipeg, Manitoba, Canada, by early Monday evening. The low continued to strengthen as it lifted north-northeast into northeast Manitoba by Tuesday morning, March 7th. This low track resulted in the most snow, roughly 4 to 10 inches, over north central North Dakota. This snow, combined with west to northwest winds gusting as high as 66 mph, resulted in a prolonged period of whiteout conditions. The press quoted people from the blizzard area stating that this blizzard was the strongest or worst blizzard they had experienced in years. Many roads, including U. S. Highway 2 west of Devils Lake, North Dakota, were closed.","" +113339,678201,NORTH DAKOTA,2017,March,Flood,"TOWNER",2017-03-30 06:50:00,CST-6,2017-03-31 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-99.5,48.54,-99.46,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +113339,678202,NORTH DAKOTA,2017,March,Flood,"CAVALIER",2017-03-30 06:50:00,CST-6,2017-03-31 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-98.98,48.57,-98.94,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +113339,678203,NORTH DAKOTA,2017,March,Flood,"PEMBINA",2017-03-30 06:50:00,CST-6,2017-03-31 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-97.93,48.56,-97.89,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +114626,687496,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY COASTAL",2017-03-12 06:20:00,PST-8,2017-03-12 07:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","John Wayne Airport reported dense fog with a visibility of 1/4 mile." +113093,676383,NEBRASKA,2017,March,Hail,"WASHINGTON",2017-03-06 15:31:00,CST-6,2017-03-06 15:31:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-96.03,41.46,-96.03,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676385,NEBRASKA,2017,March,Hail,"JOHNSON",2017-03-06 16:35:00,CST-6,2017-03-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-96.22,40.35,-96.22,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113093,676389,NEBRASKA,2017,March,Thunderstorm Wind,"NEMAHA",2017-03-06 17:04:00,CST-6,2017-03-06 17:04:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-95.84,40.39,-95.84,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","A roof was lifted off a 4 season room on a home." +113093,676391,NEBRASKA,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-06 15:15:00,CST-6,2017-03-06 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-96.16,41.37,-96.16,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","Spotters estimated wind gusts to 70 mph in the area. This resulted in some large limbs being blown down." +113094,676393,IOWA,2017,March,Hail,"MONONA",2017-03-06 14:36:00,CST-6,2017-03-06 14:36:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-96.09,42.03,-96.09,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +112444,670376,FLORIDA,2017,February,Tornado,"ST. JOHNS",2017-02-07 22:37:00,EST-5,2017-02-07 22:40:00,0,0,0,0,0.00K,0,0.00K,0,29.96,-81.53,29.9622,-81.5216,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Two homes in the Heritage Landing neighborhood had significant wind damage to both their roofs and the interior of the home. Peak winds were around 100 mph." +114308,684879,NORTH CAROLINA,2017,March,Winter Weather,"ROWAN",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114308,684880,NORTH CAROLINA,2017,March,Winter Weather,"UNION",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across much of the western Piedmont and foothills of North Carolina during the morning of the 12th. Precipitation began as rain in some areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the southern Piedmont saw up to 3 inches.","" +114309,684881,GEORGIA,2017,March,Winter Weather,"RABUN",2017-03-12 00:00:00,EST-5,2017-03-12 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across the northeast Georgia mountains during the morning of the 12th. Most locations saw total snowfall accumulation of around an inch, although the higher peaks and ridges may have seen more.","" +114310,684882,SOUTH CAROLINA,2017,March,Winter Weather,"CHEROKEE",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684883,SOUTH CAROLINA,2017,March,Winter Weather,"CHESTER",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684884,SOUTH CAROLINA,2017,March,Winter Weather,"GREATER GREENVILLE",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +113333,681023,OKLAHOMA,2017,March,Hail,"OKFUSKEE",2017-03-26 18:12:00,CST-6,2017-03-26 18:12:00,0,0,0,0,0.00K,0,0.00K,0,35.4011,-96.3,35.4011,-96.3,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +113333,681024,OKLAHOMA,2017,March,Hail,"MCINTOSH",2017-03-26 19:48:00,CST-6,2017-03-26 19:48:00,0,0,0,0,0.00K,0,0.00K,0,35.2655,-95.58,35.2655,-95.58,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +113333,681026,OKLAHOMA,2017,March,Hail,"ROGERS",2017-03-26 20:55:00,CST-6,2017-03-26 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1889,-95.7459,36.1889,-95.7459,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +113336,682122,OKLAHOMA,2017,March,Drought,"PUSHMATAHA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682123,OKLAHOMA,2017,March,Drought,"CHOCTAW",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682124,OKLAHOMA,2017,March,Drought,"OSAGE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +114332,686676,MISSOURI,2017,March,Thunderstorm Wind,"ST. CHARLES",2017-03-07 00:03:00,CST-6,2017-03-07 00:03:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-90.73,38.8,-90.73,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114333,686677,ILLINOIS,2017,March,Thunderstorm Wind,"GREENE",2017-03-07 00:11:00,CST-6,2017-03-07 00:11:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-90.37,39.48,-90.37,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686678,MISSOURI,2017,March,Thunderstorm Wind,"ST. CHARLES",2017-03-07 00:18:00,CST-6,2017-03-07 00:18:00,0,0,0,0,0.00K,0,0.00K,0,38.9299,-90.4286,38.9299,-90.4286,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114332,686682,MISSOURI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:26:00,CST-6,2017-03-07 00:29:00,0,0,0,0,0.00K,0,0.00K,0,38.3089,-90.7589,38.3125,-90.7125,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down several large trees and numerous tree limbs north of Highway 30 between the Franklin/Jefferson County line and the intersection of Highway 30 and Ridge Road. Several mobile homes on Forest Hills Manor sustained minor roof damage and a couple of small metal sheds were destroyed." +114332,686683,MISSOURI,2017,March,Tornado,"JEFFERSON",2017-03-07 00:29:00,CST-6,2017-03-07 00:32:00,0,0,0,0,0.00K,0,0.00K,0,38.3116,-90.7115,38.3182,-90.6638,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","A weak tornado touched down along Valley Springs Drive south of Ridge Road causing trees to fall in a convergent pattern to the east northeast. The tornado moved northeast causing trees to be uprooted, twisted and snapped. Several homes in the track sustained minor roof and siding damage. The greatest damage was located along Ridge Road between Dittmer Ridge Road and Sylvan Place. The tornado lifted near Cedar Tree Drive with only minor tree damage noted. Overall, the tornado was rated EF0 with a path length of 2.63 miles and max path width of 80 yards." +114332,686689,MISSOURI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:35:00,CST-6,2017-03-07 00:37:00,0,0,0,0,0.00K,0,0.00K,0,38.2321,-90.6411,38.2327,-90.611,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down a number of trees and tree limbs along Reynolds Creek Road and Highway B, north northwest of Hillsboro. Also, several homes sustained minor roof damage." +114332,686696,MISSOURI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:40:00,CST-6,2017-03-07 00:40:00,0,0,0,0,0.00K,0,0.00K,0,38.2418,-90.5626,38.243,-90.5588,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds caused some roof, soffit and fence damage both south and north of tornado track." +115078,690733,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-03-23 18:15:00,EST-5,2017-03-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,24.7021,-81.3491,24.7021,-81.3491,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 41 knots was measured by an automated Weather Underground station along Bogie Channel on Big Pine Key." +115078,690734,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-03-23 18:19:00,EST-5,2017-03-23 18:19:00,0,0,0,0,0.00K,0,0.00K,0,24.6096,-81.6487,24.6096,-81.6487,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured by an automated Davis Weatherlink station on Shark Key." +115078,690736,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-03-23 18:30:00,EST-5,2017-03-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 34 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Sector Key West." +115078,690737,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-23 18:23:00,EST-5,2017-03-23 18:23:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station along the south shore of Cudjoe Bay." +115078,690738,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-23 18:50:00,EST-5,2017-03-23 18:50:00,0,0,0,0,0.00K,0,0.00K,0,24.456,-81.877,24.456,-81.877,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured at the new Sand Key Light navigation tower, located just southeast of the Sand Key Lighthouse." +114487,686533,LOUISIANA,2017,March,Hail,"EAST BATON ROUGE",2017-03-25 10:20:00,CST-6,2017-03-25 10:20:00,0,0,0,0,0.00K,0,0.00K,0,30.4307,-91.1092,30.4307,-91.1092,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","One inch hail was reported near Corporate Boulevard and Jefferson Highway." +114487,686535,LOUISIANA,2017,March,Hail,"EAST BATON ROUGE",2017-03-25 10:42:00,CST-6,2017-03-25 10:42:00,0,0,0,0,0.00K,0,0.00K,0,30.4517,-91.0245,30.4517,-91.0245,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Penny to quarter size hail was reported near the intersection of Old Hammond Highway and Millerville Road." +114487,686537,LOUISIANA,2017,March,Hail,"ST. TAMMANY",2017-03-25 12:40:00,CST-6,2017-03-25 12:40:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-89.75,30.37,-89.75,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","A report of golf ball size hail was received from Pearl River." +114487,686539,LOUISIANA,2017,March,Hail,"ST. TAMMANY",2017-03-25 12:47:00,CST-6,2017-03-25 12:47:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-89.73,30.37,-89.73,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Golf ball size hail was reported in the Honey Island Swamp east of Pearl River." +114487,686542,LOUISIANA,2017,March,Thunderstorm Wind,"ST. TAMMANY",2017-03-25 12:57:00,CST-6,2017-03-25 12:57:00,0,0,0,0,,NaN,0.00K,0,30.294,-89.7124,30.294,-89.7124,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","Fences were blown down, a few shingles blown off roofs and some tree damage was reported near Oak Leaf Drive in the Cross Gates Subdivision east of Slidell." +114488,686543,MISSISSIPPI,2017,March,Thunderstorm Wind,"PEARL RIVER",2017-03-25 14:00:00,CST-6,2017-03-25 14:00:00,0,0,0,0,,NaN,0.00K,0,30.51,-89.68,30.51,-89.68,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","A large pine tree was downed by strong winds. The tree fell onto a home and damaged portions of the roof and walls." +114493,686552,LOUISIANA,2017,March,Thunderstorm Wind,"POINTE COUPEE",2017-03-29 21:20:00,CST-6,2017-03-29 21:20:00,0,0,0,0,0.00K,0,0.00K,0,30.84,-91.66,30.84,-91.66,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","Several trees were blown down near Batchelor. Event time was estimated by radar." +114547,686994,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:30:00,EST-5,2017-03-01 02:31:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-85.17,41.16,-85.17,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Emergency management officials reported the roof of a business was damaged as well as parts of the interior of the building." +114547,686995,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:34:00,EST-5,2017-03-01 02:35:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-85.04,41.24,-85.04,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Amateur radio operators reported a tree was blown down." +114547,686996,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:34:00,EST-5,2017-03-01 02:35:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-85.02,41.26,-85.02,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Amateur radio operators reported power lines down." +114547,686997,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:34:00,EST-5,2017-03-01 02:35:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-85.04,41.26,-85.04,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Amateur radio operators reported a tree was blown down onto a house." +114547,686998,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:37:00,EST-5,2017-03-01 02:38:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-85.13,41.12,-85.13,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public reported a pine tree was blown down." +114547,686999,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:40:00,EST-5,2017-03-01 02:41:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-84.96,41.25,-84.96,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Amateur radio operators reported several trees were blown down." +113034,675660,INDIANA,2017,March,Winter Weather,"STARKE",2017-03-17 06:00:00,EST-5,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +113034,675656,INDIANA,2017,March,Winter Weather,"LA PORTE",2017-03-17 06:00:00,CST-6,2017-03-17 11:00:00,0,0,0,3,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the county. One accident around 8:00 am EDT, about 1 mile west of Rolling Praire on US 20, killed 3 people in a crash involving a semi tractor-trailer and a car." +113034,675661,INDIANA,2017,March,Winter Weather,"ST. JOSEPH",2017-03-17 07:00:00,EST-5,2017-03-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of snow, sleet, and freezing rain with temperatures in the upper 20s to near 30 created icy roads during the morning hours of March 17th. An accident in LaPorte County resulted in 3 deaths.","A wintry mix of snow, sleet, and freezing rain accompanied a warm front during the morning hours of March 17th. Ice and snow amounts were light, though enough to create slick spots on area roads. Several accidents and school delays were reported across the region." +113706,680623,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 03:15:00,CST-6,2017-03-01 03:20:00,0,0,0,0,30.00K,30000,0.00K,0,36.0142,-91.2669,36.0114,-91.2318,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Farm shop and lumber yard damaged. Trees uprooted." +113706,680627,ARKANSAS,2017,March,Thunderstorm Wind,"RANDOLPH",2017-03-01 03:25:00,CST-6,2017-03-01 03:30:00,0,0,0,0,20.00K,20000,0.00K,0,36.321,-91.2421,36.316,-91.1996,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Carport blown off and trees down." +113114,679783,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-21 21:52:00,EST-5,2017-03-21 21:57:00,0,0,0,0,,NaN,,NaN,34,-80.49,34,-80.49,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down at Hwy 441 and Shakemia Rd." +113114,679784,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-21 21:55:00,EST-5,2017-03-21 21:59:00,0,0,0,0,,NaN,,NaN,33.93,-80.36,33.93,-80.36,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down on N Purdy St at Haynesworth St in downtown Sumter." +113114,679786,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-21 22:08:00,EST-5,2017-03-21 22:13:00,0,0,0,0,,NaN,,NaN,33.96,-80.31,33.96,-80.31,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported a tree down at East Brewington Rd and Winkles Rd." +113114,679787,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-21 22:09:00,EST-5,2017-03-21 22:14:00,0,0,0,0,,NaN,,NaN,34.08,-80.32,34.08,-80.32,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported trees down along Hwy 15 near the Lee Co line." +113114,679788,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEE",2017-03-21 22:10:00,EST-5,2017-03-21 22:30:00,0,0,0,0,,NaN,,NaN,34.22,-80.25,34.22,-80.25,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Lee Co Sheriff's Dept reported trees down across the county, as well as power lines down in the town of Bishopville." +113114,679789,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"AIKEN",2017-03-21 22:16:00,EST-5,2017-03-21 22:21:00,0,0,0,0,,NaN,,NaN,33.56,-81.77,33.56,-81.77,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","SC Highway Patrol reported multiple trees down on Dibble Rd at Westcliff Dr, and at Old Dibble Rd at Lewis Lane." +113114,679790,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LEXINGTON",2017-03-21 21:10:00,EST-5,2017-03-21 21:14:00,0,0,0,0,,NaN,,NaN,34.04,-81.22,34.04,-81.22,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Richland Co SC Mesonet site at the Lake Murray Dam reported a wind gust to 60 MPH." +112767,676358,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 05:00:00,EST-5,2017-03-01 06:30:00,0,0,0,0,20.00K,20000,0.00K,0,39.11,-84.44,39.1217,-84.4359,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Cars were stuck due to high water in the Columbia Tusculum area, along Stanley Avenue. A home was flooded along Delta Avenue." +112767,674107,OHIO,2017,March,Tornado,"HAMILTON",2017-03-01 07:03:00,EST-5,2017-03-01 07:04:00,0,0,0,0,250.00K,250000,0.00K,0,39.0699,-84.3925,39.0672,-84.3733,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","The tornado first touched down between 4 Mile Road and Phillips Road in a heavily wooded ravine. Numerous trees were knocked down in the ravine. As the tornado moved east toward Phillips Road, several more trees were knocked down, one of which fell on a home and damaged the roof.||On Phillips Road, numerous homes were damaged by trees or large limbs that were tossed onto roofs. One of the more heavily damaged houses had a garage wall knocked down. Additionally, the house suffered roof and siding damage. A neighboring house lost 20 percent of the backside of its roof.||Between Phillips Road and Nimitz Lane, more trees were knocked down. Several of the trees fell onto homes on Nimitz Lane, causing roof damage. A very large tree was knocked down across Nimitz Lane, completely blocking the road.||The tornado lifted briefly, but touched down again on Birchdale Court, knocking trees down onto several homes and causing additional damage.||Once again the tornado lifted, and then touched down near the intersection of Burney Lane and Wetheridge Drive. A large property on Burney Lane had numerous trees knocked over or snapped. As the tornado moved eastward along Wetheridge Lane, more trees were knocked down, with several causing roof damage to houses. The path continued down to Chesterton Way, before the tornado finally lifted." +113107,677249,NEW MEXICO,2017,March,High Wind,"DE BACA COUNTY",2017-03-23 20:00:00,MST-7,2017-03-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The CSBF Fort Sumner location reported an extended period of peak wind gusts as high as 70 mph. Sumner Lake saw wind gusts as high as 61 mph." +113107,677251,NEW MEXICO,2017,March,High Wind,"CURRY COUNTY",2017-03-23 16:00:00,MST-7,2017-03-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Strong winds developed over Curry County behind a departing line of showers and thunderstorms. Sustained winds as high as 44 mph with gusts up to 60 mph were reported for a few hours." +113316,678149,NEW MEXICO,2017,March,High Wind,"SOUTHWEST CHAVES COUNTY",2017-03-31 11:45:00,MST-7,2017-03-31 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A return to a more active storm track that began impacting New Mexico with the blizzard event on the 23rd and 24th continued through the end of March. Several upper waves crossed the area through the 30th and delivered periodic bursts of light to moderate snowfall for the northern high terrain and windy conditions for the remainder of New Mexico. This additional snowfall over the northern mountains slightly improved the quickly deteriorating snowpack from the record warmth earlier in the month. The next system that crossed the state on the 31st delivered the strongest burst of winds across portions of the south-central high terrain. Areas from the White Sands Missile Range to Ruidoso and Dunken reported peak wind gusts near 60 mph. Many other areas of northern and central New Mexico experienced wind gusts between 45 and 55 mph.","Dunken RAWS wind gust peaked at 59 mph." +113351,678291,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"COLLETON",2017-03-21 23:26:00,EST-5,2017-03-21 23:27:00,0,0,0,0,,NaN,0.00K,0,32.92,-80.68,32.92,-80.68,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","South Carolina Highway Patrol reported a tree down near the intersection of Hiers Corner Road and Bells Highway. Also, another tree was reported down on Interstate 95 near exit 57 by the public." +113350,678280,GEORGIA,2017,March,Thunderstorm Wind,"JENKINS",2017-03-21 22:13:00,EST-5,2017-03-21 22:14:00,0,0,0,0,,NaN,0.00K,0,32.8,-81.95,32.8,-81.95,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast Georgia near midnight. These storms were strong enough to produce damaging wind gusts.","Jenkins County dispatch reported trees and power lines down on S Masonic Street." +113350,678281,GEORGIA,2017,March,Thunderstorm Wind,"JENKINS",2017-03-21 22:28:00,EST-5,2017-03-21 22:29:00,0,0,0,0,,NaN,0.00K,0,32.8,-81.84,32.8,-81.84,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast Georgia near midnight. These storms were strong enough to produce damaging wind gusts.","Jenkins County dispatch reported trees and power lines down on Highway 21 near Sand Hills Church Road." +115828,696150,VIRGINIA,2017,May,Thunderstorm Wind,"SPOTSYLVANIA",2017-05-19 15:52:00,EST-5,2017-05-19 15:52:00,0,0,0,0,,NaN,,NaN,38.2554,-77.5231,38.2554,-77.5231,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A tree fell onto Leavells Crossing Drive at Woodland Drive." +112682,673167,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WAYNE",2017-03-01 09:30:00,EST-5,2017-03-01 09:30:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-82.38,38.17,-82.38,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","" +112682,673169,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WAYNE",2017-03-01 09:35:00,EST-5,2017-03-01 09:35:00,0,0,0,0,3.00K,3000,0.00K,0,38.02,-82.43,38.02,-82.43,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were blown down along Route 152." +113430,681039,ALASKA,2017,March,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-12 15:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Storm total for Juneau by 1000 on 3/13 was 12.6 inches. NWS employee measured 16 inches storm total on Douglas Island. WFO got 14 inches. Impact was snow removal." +113430,681035,ALASKA,2017,March,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-03-12 21:00:00,AKST-9,2017-03-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Haines #2 measured 8 inches of new snow 1115 3/13. Two more inches fell through 2000 on 3/13 for a storm total of at least 10 inches.Mud Bay measured 12 inches new at 1405 on 3/13." +113430,681042,ALASKA,2017,March,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-03-14 15:00:00,AKST-9,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On 3/12 the arctic front was over the central Panhandle as another in a series of storms moved northward from off the Pacific Northwest. By the afternoon of 3/12 the storm center had deepened to 981 MB off Dixon Entrance forcing warm moist air over the arctic air in place. The result was heavy snow for most of the Panhandle into 3/13 and lingering snow into 3/14. The impact was intense snow removal for storm totals up to 20 inches on top of an already deep snowpack. This was a setup for avalanches later that week.","Another 6 inches of new snow fell on Douglas Island for a storm total of 20 plus inches by the morning of 3/15. This was due to a second wrap of showers around the storm described in this episode. Again, the impact was continuous difficult snow removal." +113442,678860,NORTH CAROLINA,2017,March,Hail,"JONES",2017-03-28 15:43:00,EST-5,2017-03-28 15:43:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-77.36,35.06,-77.36,"An isolated severe thunderstorm produced 1 to 2 inch diameter hail in the Trenton to Pollocksville area.","" +113442,678864,NORTH CAROLINA,2017,March,Hail,"JONES",2017-03-28 16:00:00,EST-5,2017-03-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-77.22,35.01,-77.22,"An isolated severe thunderstorm produced 1 to 2 inch diameter hail in the Trenton to Pollocksville area.","Ping pong ball sized hail at the intersection of Highway 58 and Highway 17 from 450pm to 510pm. The hail damaged a windshield." +113442,678866,NORTH CAROLINA,2017,March,Hail,"JONES",2017-03-28 15:59:00,EST-5,2017-03-28 15:59:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-77.22,35.01,-77.22,"An isolated severe thunderstorm produced 1 to 2 inch diameter hail in the Trenton to Pollocksville area.","Estimated golf ball sized hail at a convenience store in Pollocksville." +113151,676743,MISSOURI,2017,March,Flash Flood,"TANEY",2017-03-25 08:00:00,CST-6,2017-03-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-92.98,36.6835,-92.9832,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A water rescue was conducted along Cross Timbers Road at Cane Creek where three to four feet of water flooded a low water crossing. All occupants in the car were able to get out of the flood water. This rescue was located at the entrance to Hercules Glades Wilderness." +113151,676744,MISSOURI,2017,March,Flood,"DOUGLAS",2017-03-25 03:00:00,CST-6,2017-03-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9574,-92.624,36.9546,-92.6218,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","State Highway FF was closed in both directions due to high water over the road at Hunter Creek." +113151,681311,MISSOURI,2017,March,Hail,"TEXAS",2017-03-29 18:30:00,CST-6,2017-03-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-91.88,37.24,-91.88,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","" +113151,681312,MISSOURI,2017,March,Hail,"DOUGLAS",2017-03-29 19:37:00,CST-6,2017-03-29 19:37:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-92.42,36.97,-92.42,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","" +113151,681315,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-29 19:26:00,CST-6,2017-03-29 19:26:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-92.63,38.13,-92.63,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","This hail report was from Facebook." +113151,681317,MISSOURI,2017,March,Thunderstorm Wind,"CAMDEN",2017-03-29 20:20:00,CST-6,2017-03-29 20:20:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-92.57,37.96,-92.57,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","A picture from social media showed a large tree blown down in a yard near Montreal." +113151,681318,MISSOURI,2017,March,Thunderstorm Wind,"OZARK",2017-03-29 20:00:00,CST-6,2017-03-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-92.26,36.6,-92.26,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Several tree limbs were blown down." +113151,681320,MISSOURI,2017,March,Thunderstorm Wind,"WRIGHT",2017-03-29 19:45:00,CST-6,2017-03-29 19:45:00,0,0,0,0,1.00K,1000,0.00K,0,37.12,-92.35,37.12,-92.35,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","There was damage to an outbuilding and minor damage to a roof of a home with shingles blown off." +113151,681321,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-30 01:30:00,CST-6,2017-03-30 01:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.99,-92.09,37.99,-92.09,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Several pictures from Facebook showed minor wind damage to roofing material and shingles blown off a couple homes. The siding and a gutter was blown off the side of a house. An outbuilding was blown several hundred feet into a field." +113811,681465,PUERTO RICO,2017,March,Coastal Flood,"EASTERN INTERIOR",2017-03-07 12:19:00,AST-4,2017-03-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface high pressure north of Puerto Rico produced windy conditions across the region. Surface winds between 20 to 25 knots across the coastal waters produced very hazardous marine conditions. A Coastal Flood Warning was in effect due to seas up to 16 feet with periods of 14 seconds resultant from a frontal boundary and very windy conditions.","Downtown Loiza reported as completely flooded. Coastal erosion and flooding due to hazardous breaking waves." +113826,681545,PUERTO RICO,2017,March,High Surf,"MAYAGUEZ AND VICINITY",2017-03-06 04:20:00,AST-4,2017-03-07 18:00:00,0,0,0,0,0.00K,0,1000.00K,1000000,NaN,NaN,NaN,NaN,"A 58 years old experience surfer suffered a heart complication while surfing and drowned near las Marias Beach. The Coast Guard tried to rescue him, but the efforts were negative. A NWS Southern Region For-The-Record Report was issued after the event. A Rip Current Statements and a High Surf Advisory were out.","Northerly long periods swell generated breaking wave heights between 10 and 14 feet. A 58 years old experience surfer suffered a heart complication while surfing and drowned near las Marias Beach. The Coast Guard tried to rescue him, but the efforts were negative. A NWS Southern Region For-The-Record Report was issued after the event. A Rip Current Statements and a High Surf Advisory were out." +112846,678685,KANSAS,2017,March,Hail,"CHEROKEE",2017-03-09 16:17:00,CST-6,2017-03-09 16:17:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-94.88,37.17,-94.88,"An isolated supercell thunderstorm produced a few reports of large hail across southeastern Kansas.","" +112846,678686,KANSAS,2017,March,Hail,"BOURBON",2017-03-09 11:55:00,CST-6,2017-03-09 11:55:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-94.7,37.86,-94.7,"An isolated supercell thunderstorm produced a few reports of large hail across southeastern Kansas.","" +112846,678687,KANSAS,2017,March,Hail,"BOURBON",2017-03-09 11:30:00,CST-6,2017-03-09 11:30:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.71,37.84,-94.71,"An isolated supercell thunderstorm produced a few reports of large hail across southeastern Kansas.","" +113832,681588,WISCONSIN,2017,March,Winter Weather,"COLUMBIA",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Four to six inches of snow accumulation." +113832,681592,WISCONSIN,2017,March,Winter Weather,"MARQUETTE",2017-03-12 19:00:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681594,WISCONSIN,2017,March,Winter Weather,"IOWA",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681595,WISCONSIN,2017,March,Winter Weather,"LAFAYETTE",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to three inches of snow accumulation." +113832,681607,WISCONSIN,2017,March,Winter Weather,"GREEN",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681646,WISCONSIN,2017,March,Lake-Effect Snow,"KENOSHA",2017-03-12 20:00:00,CST-6,2017-03-14 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Five to seventeen inches of snow accumulation with the highest amounts in the eastern portion of the county. Numerous vehicle slide-offs and accidents." +113832,681640,WISCONSIN,2017,March,Lake-Effect Snow,"OZAUKEE",2017-03-12 20:30:00,CST-6,2017-03-13 19:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Nine to fifteen inches of snow accumulation. Numerous vehicle slide-offs and accidents." +113832,681638,WISCONSIN,2017,March,Lake-Effect Snow,"MILWAUKEE",2017-03-12 20:00:00,CST-6,2017-03-13 23:30:00,0,0,0,4,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Eight to thirteen inches of snow accumulation. Numerous slide-offs and chain-reaction accidents. Overall, there were 59 crash calls and 68 disabled vehicles during the daylight hours. Four older men collapsed and died while shoveling or snow blowing." +116075,697653,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-08 21:45:00,MST-7,2017-06-08 21:45:00,0,0,0,0,,NaN,,NaN,33.2295,-103.3445,33.2295,-103.3445,"A couple of disturbances moved over the region. There was good wind shear and instability across the area. These conditions contributed to thunderstorms that produced strong winds across southeast New Mexico.","A thunderstorm moved across Lea County and produced a 61 mph wind gust at the mesonet site two miles southwest of Tatum." +117074,704342,TEXAS,2017,June,Tornado,"UPTON",2017-06-18 18:05:00,CST-6,2017-06-18 18:13:00,0,0,0,0,0.00K,0,0.00K,0,31.1586,-101.8282,31.1856,-101.7307,"There was an upper level trough over the Great Lakes/Mississippi Valley region with a cold front that had passed through portions of the Permian Basin. The front created a temperature contrast between the central and northern Permian Basin. This front along with hot, unstable conditions south of the front allowed for thunderstorms to develop. These storms produced a couple of landspouts and a tornado across the southern Permian Basin and Lower Trans Pecos.","A thunderstorm moved across Upton County and produced a tornado six miles southeast of Rankin. The tornado was confirmed in open country south of Highway 67. There was no damage reported with this tornado so it was rated as an EF-0." +117074,704346,TEXAS,2017,June,Tornado,"REAGAN",2017-06-18 19:05:00,CST-6,2017-06-18 19:08:00,0,0,0,0,0.00K,0,0.00K,0,31.4895,-101.47,31.5093,-101.4443,"There was an upper level trough over the Great Lakes/Mississippi Valley region with a cold front that had passed through portions of the Permian Basin. The front created a temperature contrast between the central and northern Permian Basin. This front along with hot, unstable conditions south of the front allowed for thunderstorms to develop. These storms produced a couple of landspouts and a tornado across the southern Permian Basin and Lower Trans Pecos.","A thunderstorm moved across Reagan County and produced a brief landspout. This landspout was observed in an open field just east of State Highway 137 roughly 20 to 25 miles north of Big Lake. There was no damage reported so it was rated as an EF-0." +117074,704354,TEXAS,2017,June,Tornado,"REAGAN",2017-06-18 19:00:00,CST-6,2017-06-18 19:03:00,0,0,0,0,0.00K,0,0.00K,0,31.2614,-101.3982,31.2776,-101.3753,"There was an upper level trough over the Great Lakes/Mississippi Valley region with a cold front that had passed through portions of the Permian Basin. The front created a temperature contrast between the central and northern Permian Basin. This front along with hot, unstable conditions south of the front allowed for thunderstorms to develop. These storms produced a couple of landspouts and a tornado across the southern Permian Basin and Lower Trans Pecos.","A thunderstorm moved across Reagan County and produced a landspout. The landspout was observed in open country and no damage was reported so it was rated as an EF-0." +117224,705114,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-23 16:55:00,CST-6,2017-06-23 16:55:00,0,0,0,0,,NaN,,NaN,32.0277,-102.1589,32.0277,-102.1589,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Midland County and produced a 60 mph wind gust five miles west northwest of the City of Midland." +117224,705115,TEXAS,2017,June,Hail,"MIDLAND",2017-06-23 16:55:00,CST-6,2017-06-23 17:00:00,0,0,0,0,,NaN,,NaN,32.0277,-102.1589,32.0277,-102.1589,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","" +117224,705117,TEXAS,2017,June,Hail,"MIDLAND",2017-06-23 17:00:00,CST-6,2017-06-23 17:05:00,0,0,0,0,,NaN,,NaN,31.992,-102.1523,31.992,-102.1523,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","" +117224,705127,TEXAS,2017,June,Thunderstorm Wind,"GLASSCOCK",2017-06-23 18:35:00,CST-6,2017-06-23 18:35:00,0,0,0,0,,NaN,,NaN,31.6291,-101.5481,31.6291,-101.5481,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Glasscock County and produced a 64 mph wind gust four miles southwest of St. Lawrence." +117224,705247,TEXAS,2017,June,Thunderstorm Wind,"REAGAN",2017-06-23 19:29:00,CST-6,2017-06-23 19:29:00,0,0,0,0,,NaN,,NaN,31.1945,-101.4856,31.1945,-101.4856,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Reagan County and produced a wind gust of 58 mph one mile west southwest of Big Lake." +117223,705260,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 13:55:00,MST-7,2017-06-23 13:55:00,0,0,0,0,,NaN,,NaN,32.7,-103.1128,32.7,-103.1128,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced a 60 mph wind gust one mile east of Hobbs." +113866,681897,TEXAS,2017,March,Drought,"RED RIVER",2017-03-07 00:00:00,CST-6,2017-03-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of dry conditions developed during October 2016 across Red River County Texas, at which point severe drought conditions (D2) had developed over this area and lingered through the start of December before beneficial rains fell resulting in a one category improvement to D1 (moderate drought). This persisted through the remainder of December, all of January and February, before another period of abnormally warm and dry conditions developed during the late winter, resulting in severe drought conditions (D2) again expanding east into Red River County from Lamar and Delta Counties to start the month of March. Severe drought conditions continued for much of the month, before timely rainfall fell by the final week of the month resulting in a one category improvement to D1 (Moderate Drought) across much of this region. Additional improvement would be seen through late April as additional heavy rainfall amounts of 5-7 inches fell across much of Lamar and Red River Counties.","" +113884,682024,LAKE ST CLAIR,2017,March,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-03-01 00:40:00,EST-5,2017-03-01 00:40:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-82.88,42.47,-82.88,"Thunderstorms moving through Lake St. Clair and Detroit River produced winds up to 40 knots.","" +113884,682025,LAKE ST CLAIR,2017,March,Marine Thunderstorm Wind,"DETROIT RIVER",2017-03-01 00:32:00,EST-5,2017-03-01 00:32:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-83.17,42.1068,-83.1643,"Thunderstorms moving through Lake St. Clair and Detroit River produced winds up to 40 knots.","" +113887,682035,OHIO,2017,March,Strong Wind,"FRANKLIN",2017-03-01 15:00:00,EST-5,2017-03-01 23:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region on Wednesday, March 1st. Winds behind the system were generally 40 to 50 mph, with a few exceptions of higher gusts causing isolated damage or measuring above 50 mph. Two distinct periods of strong winds affected the area north of Dayton, the first occurring late in the evening of February 28th and ending shortly after midnight on the morning of the 1st.","A strong cold front crossed the region in the late day of March 1st. A large tree with a 3 foot base was uprooted 5 miles east-southeast of Dublin. Numerous measured gusts in the 45-55 mph range were recorded across the region." +113887,682034,OHIO,2017,March,Strong Wind,"MERCER",2017-03-01 00:00:00,EST-5,2017-03-01 23:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region on Wednesday, March 1st. Winds behind the system were generally 40 to 50 mph, with a few exceptions of higher gusts causing isolated damage or measuring above 50 mph. Two distinct periods of strong winds affected the area north of Dayton, the first occurring late in the evening of February 28th and ending shortly after midnight on the morning of the 1st.","A warm front crossed the region during the late evening of February 28th. Behind the warm front, some showers crossed east along the I-70 corridor, with strong winds found as they passed by. A semi-trailer was blown over on Route 33 near Rice Road about 5 miles northeast of Celina. Wind gusts in the region shortly before and after midnight were 50-55 mph measured at a few locations outside of Mercer County. Similarly strong winds were found area-wide in the afternoon and evening." +113898,682099,OHIO,2017,March,Winter Weather,"HIGHLAND",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage near Hillsboro measured an inch of snow." +113898,682103,OHIO,2017,March,Winter Weather,"MERCER",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage located 3 miles west of Celina measured an inch of snow." +113898,682107,OHIO,2017,March,Winter Weather,"ROSS",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage located 2 miles north of North Fork Villa measured 0.4 inches of snow." +113898,682119,OHIO,2017,March,Winter Weather,"HAMILTON",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observers located 9 miles northwest of Cincinnati and near Wyoming both measured 0.9 inches of snow. Another observer 8 miles northwest of Cincinnati measured 0.8 inches, while one located 3 miles west of Cheviot measured 0.6 inches." +113898,682120,OHIO,2017,March,Winter Weather,"LICKING",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located 4 miles north of Granville measured 1.7 inches of snow." +113898,682121,OHIO,2017,March,Winter Weather,"PREBLE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located north of Eaton measured 0.9 inches of snow, while another west of Eaton measured 0.7 inches." +113898,682081,OHIO,2017,March,Winter Weather,"AUGLAIZE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage south of Wapakoneta measured 1.5 inches of snow. The CoCoRaHS observer located 3 miles south of St. Marys measured 0.7 inches." +113898,682087,OHIO,2017,March,Winter Weather,"CHAMPAIGN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The cooperative observer located 2 miles west of Urbana measured an inch of snow. The county garage near Urbana measured a half inch of snow." +113219,677411,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th 15.7 inches of new snow accumulation was recorded at Sagle." +113219,677413,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th, 22.8 inches of new snow accumulation was recorded 10 miles northeast of Hope." +113219,677416,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th an observer just south of Bonners Ferry recorded 28.3 inches of new snow accumulation. Another CoCoRahs observer just north of Bonners Ferry recorded 29.5 inches of new snow during the same time period." +112888,674412,ILLINOIS,2017,January,Dense Fog,"SALINE",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112804,674580,MINNESOTA,2017,January,Heavy Snow,"DODGE",2017-01-24 20:23:00,CST-6,2017-01-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 6 to 8 inches of heavy, wet snow fell across Dodge County. The highest reported total was 8.8 inches near Mantorville." +112804,674584,MINNESOTA,2017,January,Heavy Snow,"OLMSTED",2017-01-24 20:23:00,CST-6,2017-01-25 19:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 5 to 11 inches of heavy, wet snow fell across Olmsted County. The highest reported total was 11 inches in Stewartville." +112804,674589,MINNESOTA,2017,January,Heavy Snow,"WINONA",2017-01-24 21:12:00,CST-6,2017-01-25 21:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 9 inches of heavy, wet snow fell across Winona County. The highest reported total was 9 inches near the city of Winona." +112804,674585,MINNESOTA,2017,January,Heavy Snow,"WABASHA",2017-01-24 21:52:00,CST-6,2017-01-25 18:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to southeast Minnesota. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 3 to 12 inches with the highest reported total of 12 inches in Grand Meadow (Mower County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 7 inches of heavy, wet snow fell across Wabasha County. The highest reported total was 7 inches in Millville." +113232,677836,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-08 23:10:00,MST-7,2017-01-09 06:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 09/0220 MST." +113232,677837,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 01:00:00,MST-7,2017-01-09 06:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 09/0100 MST." +113232,677838,WYOMING,2017,January,High Wind,"LARAMIE VALLEY",2017-01-10 11:45:00,MST-7,2017-01-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 10/1425 MST." +113232,677841,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 02:20:00,MST-7,2017-01-09 03:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 09/0230 MST." +111780,666676,OKLAHOMA,2017,January,Ice Storm,"CRAIG",2017-01-13 03:30:00,CST-6,2017-01-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +112550,671464,COLORADO,2017,January,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-01-09 03:00:00,MST-7,2017-01-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced heavy snow and strong winds across and near the Continental Divide. Some of the higher reported snow totals with this event included 24 inches near Wolf Creek Pass (Mineral County), and 26 inches near Monarch Pass (Chaffee County).","" +112550,671465,COLORADO,2017,January,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-01-09 03:00:00,MST-7,2017-01-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced heavy snow and strong winds across and near the Continental Divide. Some of the higher reported snow totals with this event included 24 inches near Wolf Creek Pass (Mineral County), and 26 inches near Monarch Pass (Chaffee County).","" +112550,671466,COLORADO,2017,January,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-01-09 03:00:00,MST-7,2017-01-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced heavy snow and strong winds across and near the Continental Divide. Some of the higher reported snow totals with this event included 24 inches near Wolf Creek Pass (Mineral County), and 26 inches near Monarch Pass (Chaffee County).","" +112928,674676,TEXAS,2017,January,Tornado,"MCCULLOCH",2017-01-15 19:00:00,CST-6,2017-01-15 19:05:00,0,0,0,0,0.00K,0,0.00K,0,31.0817,-99.2111,31.1097,-99.2033,"An unstable atmosphere, with strong wind shear and moderate instability, resulted in the development of a Quasi-Linear Convective System or squall line as a Pacific cold front move across West Central Texas. This system produced a tornado in a rural area just southeast of Brady and damaging thunderstorm wind gusts just east of Menard.","A National Weather Service Damage Survey team determined an EF-2 tornado touched down about 8 miles southeast of Brady. Numerous hardwood trees were uprooted and many tree trunks were snapped off." +112928,677602,TEXAS,2017,January,Thunderstorm Wind,"MENARD",2017-01-15 18:20:00,CST-6,2017-01-15 18:26:00,0,0,0,0,0.00K,0,0.00K,0,30.9502,-99.6782,30.9502,-99.6782,"An unstable atmosphere, with strong wind shear and moderate instability, resulted in the development of a Quasi-Linear Convective System or squall line as a Pacific cold front move across West Central Texas. This system produced a tornado in a rural area just southeast of Brady and damaging thunderstorm wind gusts just east of Menard.","A rancher reported many trees were uprooted on his property from damaging thunderstorm winds." +112885,674388,NEVADA,2017,January,Heavy Snow,"SPRING MOUNTAINS",2017-01-12 06:00:00,PST-8,2017-01-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Still another Pacific storm hot on the heels of the previous storm brought high winds to the Las Vegas Valley and heavy snow to the Spring Mountains.","Several stations reported 13 to 17 inches of snow." +112893,677149,ARIZONA,2017,January,Heavy Snow,"NORTHWEST DESERTS",2017-01-20 14:00:00,MST-7,2017-01-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Ten inches of snow fell at Hualapai Mountain Ranger Station." +115827,696175,ARKANSAS,2017,April,Flood,"SHARP",2017-04-30 03:42:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.3138,-91.4837,36.3121,-91.4836,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted in Hardy after heavy rain fell. The flooding began early on 4/30/17." +115827,696177,ARKANSAS,2017,April,Flood,"WOODRUFF",2017-04-26 21:36:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.2728,-91.2418,35.2629,-91.2428,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted in Patterson on the Cache River after heavy rain fell. The flooding began late on 4/26/17." +115832,696180,ARKANSAS,2017,April,Flood,"WOODRUFF",2017-04-01 00:00:00,CST-6,2017-04-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2725,-91.2415,35.2676,-91.2417,"Heavy rain in March led to flooding which continue into April 2017.","Flooding was noted in Hardy after heavy rain fell. The flooding continued from March." +112894,677152,CALIFORNIA,2017,January,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-01-18 15:00:00,PST-8,2017-01-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Several stations reported 8-13 inches of snow." +112894,677153,CALIFORNIA,2017,January,Heavy Snow,"OWENS VALLEY",2017-01-22 01:00:00,PST-8,2017-01-22 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Nine inches of snow fell in Big Pine. Four inches fell in Independence, breaking tree limbs." +112894,677154,CALIFORNIA,2017,January,Heavy Snow,"DEATH VALLEY NATIONAL PARK",2017-01-22 01:00:00,PST-8,2017-01-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Eleven and a half inches of snow fell at Deep Springs." +113293,677950,NEW YORK,2017,January,Flood,"CHAUTAUQUA",2017-01-12 14:30:00,EST-5,2017-01-12 15:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.12,-79.2,42.1178,-79.2705,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Chadakoin River at Falconer crested at 4.17' at 3:00 PM EST on January 12. Flood stage is 4 feet." +113293,677951,NEW YORK,2017,January,Flood,"CATTARAUGUS",2017-01-12 16:45:00,EST-5,2017-01-12 22:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.47,-78.92,42.4346,-78.9299,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Cattaraugus Creek at Gowanda crested at 10.70' at 6:00 PM EST on January 12. Flood stage is 10 feet." +113232,677476,WYOMING,2017,January,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-01-08 20:50:00,MST-7,2017-01-09 05:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 08/2350 MST." +112030,668163,OHIO,2017,January,Flood,"PORTAGE",2017-01-12 09:30:00,EST-5,2017-01-12 14:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.3227,-81.2226,41.2975,-81.4252,"A surge of warm air with high moisture content moved into the region during the early morning hours of the 12th. Moderate to heavy rain showers developed over north central Ohio extending into northwest Pennsylvania with several locations receiving over an inch of rainfall. This first round of heavy rain waned by late morning, with light to moderate rainfall persisting through midday as temperatures climbed into the mid 60s. A secondary line of heavier rain, with isolated thunder and strong winds, developed early afternoon. This second line of showers produced around another inch to an inch and half of rain as it moved east. |The combination of two round of moderate to heavy rainfall and saturated to partially frozen top soils resulted in rapid runoff. Rivers across the region rose quickly following the first round of rainfall, but it was the contribution of the second round of rainfall that resulted in some rivers reaching moderate to major flood stages. Widespread flooding away from the mainstem rivers was common, though the damage to property was limited to basements and road closures in most instances. The flooding was limited to areas where rainfall totals exceeded 1.50���, with the hardest hit areas in Stark and Portage Counties in Ohio and Erie and Crawford Counties in Pennsylvania. Temperatures dropped during the evening of the 12th into the 30s and runoff gradually diminished. Rivers flooded portions of the Scioto, Mohican, Muskingum, Black, Cuyahoga, Mahoning River Basins as well as the French Creek in Pennsylvania.","Numerous road closures occurred across Portage County after around 2 inches of rainfall fell on January 12th. This rainfall, on top of partially frozen ground cover, caused widespread flooding. The hardest hit communities were Mantua, Shalersville, Garrettsville, Palmyra, Nelson, Suffield, and Deerfield. Flooding in Streetsboro cut off about 24 apartments. There was one washed out road, Coit Rd. in Shalersville Township." +112333,669752,WYOMING,2017,January,Winter Storm,"SOUTH LINCOLN COUNTY",2017-01-03 17:00:00,MST-7,2017-01-05 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture rode over a dome of very cold air at this surface. With good jet dynamics in place, portions of southern Wyoming saw periods of heavy snow. The heaviest snow fell in Lincoln County where many locations received a foot or more of new snow. Heavy snow also fell in Sweetwater County with 6 to 10 inches commonplace along the Interstate 80 corridor.","At Fossil Butte, eight inches of new snow was measured." +113092,676516,CALIFORNIA,2017,January,High Wind,"SOUTHWESTERN HUMBOLDT",2017-01-18 08:00:00,PST-8,2017-01-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 09:08 am at Cooskie Mountain." +113112,676512,CALIFORNIA,2017,January,High Wind,"DEL NORTE INTERIOR",2017-01-07 08:00:00,PST-8,2017-01-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Peak wind gust at 11:57 am at Ship Mountain." +113112,676515,CALIFORNIA,2017,January,High Wind,"SOUTHWESTERN HUMBOLDT",2017-01-07 08:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Peak wind gust at 9:08 am at Cooskie Mountain." +113092,676517,CALIFORNIA,2017,January,High Wind,"SOUTHERN HUMBOLDT INTERIOR",2017-01-18 10:00:00,PST-8,2017-01-18 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 10:55 am at Kneeland." +113036,676838,MICHIGAN,2017,January,Winter Storm,"LUCE",2017-01-10 09:00:00,EST-5,2017-01-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report of an estimated six to seven inches of snow in 12 hours at McMillan on the 10th. An estimated 7.5 inches of wet snow fell in 13 hours at Newberry on the 10th. The spotter in Deer Park measured 12 inches of snow in 24 hours from the evening of the 10th into the evening of the 11th." +113068,676232,FLORIDA,2017,January,Hail,"OKALOOSA",2017-01-22 09:25:00,CST-6,2017-01-22 09:26:00,0,0,0,0,,NaN,0.00K,0,30.42,-86.69,30.42,-86.69,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail at Hurlburt Field." +113068,676233,FLORIDA,2017,January,Hail,"ESCAMBIA",2017-01-22 09:32:00,CST-6,2017-01-22 09:33:00,0,0,0,0,,NaN,0.00K,0,30.6,-87.35,30.6,-87.35,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail reported in Cantonment." +113104,676443,NEW MEXICO,2017,January,Heavy Snow,"SOUTHERN GILA HIGHLANDS/BLACK RANGE",2017-01-20 15:00:00,MST-7,2017-01-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to |88 mph to the region and up to a foot of snow in the Gila region.","A foot of snow was reported at the Signal Peak SNOTEL. Additional snowfall reports across the zone included 11 inches of McKnight Cabin and Copperas Vista, 9 inches at Lookout Mountain, 8 inches at Pinos Altos and 6 inches 1 mile east-northeast of Fort Bayard. Lesser amounts of snow were reported below 7000 feet with 6.2 inches 5 miles northeast of Silver City, 5.5 inches 9 miles east of Hanover and 4.5 inches 4 miles northwest of Silver City." +113104,676445,NEW MEXICO,2017,January,Heavy Snow,"SACRAMENTO MOUNTAINS ABOVE 7500 FEET",2017-01-20 15:00:00,MST-7,2017-01-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to |88 mph to the region and up to a foot of snow in the Gila region.","An observer 2 miles southwest of Cloudcroft reported 9.5 inches of snow with 6.5 inches in Cloudcroft and 6.0 inches 1 miles southeast of Cloudcroft." +113059,676070,NORTH CAROLINA,2017,January,Winter Storm,"WATAUGA",2017-01-06 14:30:00,EST-5,2017-01-07 10:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 5 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Seven Devils area, where 8 inches was measured." +113184,677054,INDIANA,2017,January,Winter Weather,"DEARBORN",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The observer north of Bright measured a half inch of snowfall." +113185,677063,OHIO,2017,January,Winter Weather,"ADAMS",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The county garage near West Union measured 1.5 inches of snowfall. The cooperative observer located 6 miles east of West Union measured 1.3 inches." +113185,677064,OHIO,2017,January,Winter Weather,"BROWN",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The county garage near Georgetown measured 1.5 inches of snowfall." +113185,677066,OHIO,2017,January,Winter Weather,"BUTLER",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","An inch of snow was reported to have fallen in Middletown." +113185,677069,OHIO,2017,January,Winter Weather,"CHAMPAIGN",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The observer west of Urbana measured six tenths of an inch of snow." +113060,676458,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 09:08:00,CST-6,2017-01-21 09:09:00,0,0,0,0,0.00K,0,0.00K,0,32.4811,-85.2189,32.4828,-85.2183,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southeast Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 80 mph. A brief tornado touched down in the Haley Woods subdivision causing minor damage to several roofs and wooden fences. Damage was confined to houses near one intersection within the neighborhood." +113108,676473,ARIZONA,2017,January,High Wind,"KAIBAB PLATEAU",2017-01-05 20:30:00,MST-7,2017-01-05 21:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front move across northern Arizona with snow and strong winds. A few locations recorded high winds above 58 MPH. Northern Apache Country received 6 inches of snow...other areas got lighter amounts.","The RAWS on Buckskin Mountain (6400 feet MSL) recorded wind gusts above 55 MPH from around 830 PM to around 950 PM MST. The peak wind gust of 58 MPH was recorded at 933 PM just as the front was moving through." +113796,681277,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 68 inches of snow." +113796,681278,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 34 inches of snow." +113796,681283,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 46 inches of snow." +113092,676532,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,2.90M,2900000,0.00K,0,40.4818,-123.7351,40.4818,-123.7351,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Multiple slipouts and sinks along Highway 36 from mile post 3 to 44 due to heavy rain during the month of January and early February. All damage along this section of highway was compiled into one report and given a January 24th event date." +113092,676528,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,2.00M,2000000,0.00K,0,39.6396,-123.349,39.6396,-123.349,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Culvert failure and slipouts from mile post 16 to 23 on Highway 162." +112538,671326,OHIO,2017,January,High Wind,"WOOD",2017-01-10 20:48:00,EST-5,2017-01-10 20:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor measured a 66 mph wind gust near Tontogany." +113059,676840,NORTH CAROLINA,2017,January,Extreme Cold/Wind Chill,"SURRY",2017-01-09 12:00:00,EST-5,2017-01-09 14:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","An 85 year old man died after he fell outside of his home and was exposed to cold weather for an unknown period of time. Temperatures on the morning of January 9th were near 10 degrees." +111967,674947,CALIFORNIA,2017,January,Drought,"NORTHERN SAN JOAQUIN VALLEY",2017-01-01 00:00:00,PST-8,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to decrease through the month of January, as a series of strong atmospheric river storms brought very wet conditions. This continued the wet pattern which began in the Fall; and resulted in significant improvement to the drought situation, especially to the northern Sierra. The northern Sierra had the third wettest January on record (8 Station Index). At the end of January, Lake Shasta was 115% of normal, Lake Oroville was 123%, Folsom Lake was 80%, and Don Pedro was 129%. New Melones Reservoir improved, though continued to lag behind the other significant area reservoirs at 71% of normal. ||The U.S. Drought Monitor showed significant improvement over the area, with only the northern San Joaquin Valley in D1 Moderate Drought, and portions of the Motherlode in D0 Abnormally Dry, Those areas were in D3 Extreme Drought and D2 Severe Drought in December. All of the rest of interior Northern California, including the northern Sierra, the Sacramento Valley, the Delta, and the southern Cascades were in the 'None' category by the end of January.||Groundwater aquifers continued to recharge more slowly than the surface reservoirs, though the DWR Water Data Library showed signs of improvement in some areas. ||Governor Jerry Brown declared a drought emergency for the entire state of California January 17, 2014 and this continued to be in effect. Governor Brown issued an executive order on May 9, 2016 that built on temporary statewide emergency water restrictions to establish longer-term water conservation measures, including permanent monthly water use reporting, new permanent water use standards in California communities and banned clearly wasteful practices such as hosing off sidewalks, driveways and other hardscapes. ||Local emergency proclamations remain for Colusa, Calaveras, El Dorado, Glenn, San Joaquin, Shasta, Stanislaus, Sutter, Tuolumne, and Yuba counties. Plumas County no longer had a Local Emergency Proclamation. The cities of Live Oak (Sutter County), Lodi (San Joaquin County), Manteca (San Joaquin County), Portola (Plumas County), Ripon (San Joaquin County), and West Sacramento (Yolo County) continued to have local emergency proclamations . Drought task forces remain in Lake, Nevada, Placer, Plumas, Sacramento, San Joaquin, Stanislaus, Sutter, Tehama, Tuolumne, and Yolo counties to coordinate response to the drought. ||The State Water Resources Control Board announced that urban Californians��� monthly water conservation was 20.5 percent in January, an increase from the 17.2 percent savings in January 2016, when state-mandated conservation targets were in place. The State Water Board stressed the need for continued conservation since statewide snow pack remained below average despite the wet storms||The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level.||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were some homes without well water due to dry wells. In Jnaury there were 228 in Stanislaus County, unchanged since December. There were 8 in San Joaquin County, unchanged from December. Many rural communities in the Northern San Joaquin Valley were also still receiving food assistance as a direct result of the drought." +113796,681537,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Nine inches of snow was measured two miles north-northeast of Cheyenne." +113796,681538,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","An observer nine miles east of Cheyenne measured 7.5 inches of snow." +113796,681539,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Seven inches of snow was measured eight miles north of Cheyenne." +113796,681540,WYOMING,2017,January,Winter Storm,"UPPER NORTH PLATTE RIVER BASIN",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","A foot of snow was measured three miles east-northeast of Saratoga." +113796,681262,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 45 inches of snow." +112965,675005,NORTH CAROLINA,2017,January,Heavy Snow,"CALDWELL MOUNTAINS",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675006,NORTH CAROLINA,2017,January,Heavy Snow,"EASTERN MCDOWELL",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112820,674064,COLORADO,2017,January,High Wind,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-01-09 03:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674067,COLORADO,2017,January,High Wind,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-01-09 07:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674078,COLORADO,2017,January,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-01-09 06:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +112820,674090,COLORADO,2017,January,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-01-09 06:00:00,MST-7,2017-01-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","" +113304,678052,OKLAHOMA,2017,January,Drought,"CREEK",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678053,OKLAHOMA,2017,January,Drought,"WAGONER",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113215,677384,OREGON,2017,January,Heavy Snow,"GREATER PORTLAND METRO AREA",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,280.00K,280000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","A high-impact snowstorm for the Portland Metro area, which caused hazardous travel, power outages and other challenges. Many cars were stuck on the road during the evening rush hour. Widespread downed or broken trees due to snow loading, leading to multiple power outages. There was one report on social media of a car smashed by a downed tree which was loaded with snow. Snow amounted to 5 to 15.5 inches across the Portland Metro, with highest amounts in the West Hills. Heavy snow caused the roof of a warehouse to collapse in Hillsboro." +112902,674549,WISCONSIN,2017,January,Winter Storm,"WOOD",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest measured snowfall totals in Wood County were 10.0 inches northwest of Bakerville, and 8.0 inches at Wisconsin Rapids. A wind gust to 45 mph was measured at Alexander Field South Wood County Airport, in Wisconsin Rapids, as the storm system departed on the early evening of the 10th." +112902,674550,WISCONSIN,2017,January,Winter Storm,"PORTAGE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest measured snowfall total in Portage County was 11.0 inches at both Stevens Point and Polonia. A wind gust to 43 mph was measured near Plover as the storm system departed." +113175,676965,MICHIGAN,2017,January,Winter Weather,"MENOMINEE",2017-01-17 02:00:00,CST-6,2017-01-17 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain developed over south central Upper Michigan on the morning of the 17th as a low pressure system passed through the Lower Great Lakes.","A glaze of ice formed on roadways and untreated surfaces due to light freezing rain. The Menominee County Sheriff reported roads to be ice covered and slippery during the early morning." +112820,674066,COLORADO,2017,January,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-01-09 03:00:00,MST-7,2017-01-09 19:00:00,0,0,2,0,20.00M,20000000,0.00K,0,NaN,NaN,NaN,NaN,"A long-lasting high wind episode occurred across the eastern part of the area. Strong winds aloft, and a long-lasting mountain top stable layer generated widespread high winds and damage. Damage included downed power poles, causing numerous power outages to tens of thousands of customers; uprooted trees; roof damage; numerous overturned semi-trailers in El Paso County. Winds gusted between 58 and 75 mph across many locations across the eastern mountains and I-25 corridor. Areas in the immediate lee of the eastern mountains experienced gusts between 80 and 100 mph. Gusts over 100 mph occurred on the southwest side of Colorado Springs, causing widespread damage and two fatalities.","Two people were injured and then perished after being hit by flying debris in southwest Colorado Springs." +111731,666408,NEW MEXICO,2017,January,Thunderstorm Wind,"LEA",2017-01-01 18:35:00,MST-7,2017-01-01 18:35:00,0,0,0,0,,NaN,,NaN,32.6693,-103.1665,32.6693,-103.1665,"An upper level disturbance moved over southeast New Mexico and West Texas and was associated with an upper low over southeast Arizona. There was good instability and moisture across the region. These conditions resulted in damaging winds and wind gusts from thunderstorms across the area.","Thunderstorms moved across Lea County and produced a 69 mph wind gust at the Lea County Regional Airport near Hobbs, New Mexico." +113116,677839,IOWA,2017,January,Flood,"DES MOINES",2017-01-18 05:30:00,CST-6,2017-01-21 07:45:00,0,0,0,0,5.00K,5000,0.00K,0,40.8564,-91.0928,40.6689,-91.1771,"Seasonably heavy upstream rainfall combined with temperatures favorable for ice jam conditions led to major flooding on the Mississippi River at Burlington.","Seasonably heavy rainfall upstream combined with a rare ice jam that impacted the river for several days resulted major flood conditions for a small segment of the Mississippi River around Burlington.||Roads were closed for a period of time impacting homes and structures near the Mississippi River." +115513,693634,TEXAS,2017,June,Hail,"HALL",2017-06-15 16:27:00,CST-6,2017-06-15 16:27:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-100.94,34.62,-100.94,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","No reports of damage accompanied the hail." +115513,693635,TEXAS,2017,June,Hail,"HALL",2017-06-15 17:05:00,CST-6,2017-06-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-100.91,34.4,-100.91,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","No reports of damage accompanied the hail." +111354,664501,TEXAS,2017,January,Thunderstorm Wind,"YOAKUM",2017-01-01 19:50:00,CST-6,2017-01-01 19:55:00,0,0,0,0,0.00K,0,0.00K,0,32.99,-102.94,32.99,-102.94,"Unusual for early winter, a squall line with severe winds at times trekked northeast over much of the Texas South Plains late this evening. Despite minimal instability, these storms developed ahead of a compact upper low with very strong lift. The result was isolated severe wind gusts and wind damage over portions of Yoakum and Terry Counties. Elsewhere over the South Plains, this New Year's Day MCS produced strong wind gusts of 50 to 55 mph, heavy rainfall up to one half inch and frequent cloud-to-ground lightning.","Wind gusts of 58 mph and 64 mph were measured by a Texas Tech University West Texas Mesonet station at 1950 and 1955 CST, respectively." +112974,675099,TEXAS,2017,January,Flash Flood,"FORT BEND",2017-01-20 18:00:00,CST-6,2017-01-20 19:05:00,0,0,0,0,0.00K,0,0.00K,0,29.5712,-95.8269,29.5425,-95.7369,"Slow moving showers and thunderstorms produced hail and flash flooding in the afternoon through early evening hours.","There were several road closures in and around the Rosenberg area." +112992,682533,CALIFORNIA,2017,January,Flash Flood,"ALAMEDA",2017-01-10 20:45:00,PST-8,2017-01-11 05:30:00,0,0,0,0,0.00K,0,0.00K,0,37.5949,-121.966,37.5882,-121.9734,"The third and final system in a string of Atmospheric River events between January 2 to 11. This system resulted in widespread roadway flooding and debris flows across the CWA.","Heavy rain caused the Alameda Creek to flood. The stream gauge on Alameda Creek near Niles to rise above flood stage between 8:45 pm PST on January 10 and 5:30 am PST on January 11." +111471,682460,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-08 03:30:00,PST-8,2017-01-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3118,-122.688,38.2691,-122.6797,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Willow Brook at Penngrove Park stream gage rose above major flood stage." +111471,682466,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-08 07:00:00,PST-8,2017-01-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4274,-122.5672,38.4105,-122.5677,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Stream gage on Sonoma Creek at Kenwood exceeded flood stage between 7 and 8 am PST." +111471,682477,CALIFORNIA,2017,January,Flash Flood,"SONOMA",2017-01-08 08:15:00,PST-8,2017-01-08 16:45:00,0,0,0,0,0.00K,0,0.00K,0,38.497,-122.8621,38.4899,-122.8611,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Mark West Creek stream gauge at Mirabel Heights exceeded flood stage starting at 8:15 am on January 8." +111471,682484,CALIFORNIA,2017,January,Debris Flow,"MONTEREY",2017-01-08 13:00:00,PST-8,2017-01-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1892,-121.6591,36.1791,-121.6529,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Anderson Peak Rain Gauge reported one hour rain rates of 0.75 which met predefined rates necessary for debris flows." +111471,682488,CALIFORNIA,2017,January,Flash Flood,"SANTA CLARA",2017-01-08 16:30:00,PST-8,2017-01-08 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.1302,-121.6563,37.0908,-121.6096,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Local law enforcement officials reported widespread flooding due to runoff from heavy rain." +114079,684941,ARIZONA,2017,January,Avalanche,"WESTERN MOGOLLON RIM",2017-01-23 14:00:00,MST-7,2017-01-23 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third storm in a series of storms hit northern Arizona with heavy snow.","Two avalanches were reported in Kachina Peaks Wilderness just north of Flagstaff after over seven feet of snow fell over a six day period. A 1500 foot by 700 foot slide went down Snowslide Canyon (on the north side of Agassiz Peak). It ripped out many 10 inch diameter trees. ||Another avalanche slid down the north side of Doyle Peak." +113351,678282,SOUTH CAROLINA,2017,March,Hail,"COLLETON",2017-03-21 23:21:00,EST-5,2017-03-21 23:24:00,0,0,0,0,,NaN,0.00K,0,32.94,-80.42,32.94,-80.42,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","A trained spotter reported nickel sized hail." +113358,680889,MAINE,2017,March,Blizzard,"SOUTHERN PISCATAQUIS",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 12 to 16 inches. Blizzard conditions also occurred." +112767,675159,OHIO,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 05:31:00,EST-5,2017-03-01 05:33:00,0,0,0,0,2.00K,2000,0.00K,0,39.8,-83.88,39.8,-83.88,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A few trees were downed." +112766,675160,KENTUCKY,2017,March,Thunderstorm Wind,"LEWIS",2017-03-01 06:03:00,EST-5,2017-03-01 06:05:00,0,0,0,0,2.00K,2000,0.00K,0,38.5284,-83.1584,38.5284,-83.1584,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A few trees were downed." +112767,676373,OHIO,2017,March,Flash Flood,"HOCKING",2017-03-01 07:00:00,EST-5,2017-03-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,39.51,-82.17,39.5319,-82.1716,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was flowing across several roadways. A few homes were surrounded by water." +113178,677009,OHIO,2017,March,Flood,"WARREN",2017-03-27 20:30:00,EST-5,2017-03-27 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5538,-84.3046,39.5537,-84.3045,"Showers and thunderstorms developed across the Ohio Valley as an upper level short wave moved through the region. A few of the storms produced locally heavy rainfall.","High water was reported at the intersection of Roberts Avenue and Union Road." +113178,677010,OHIO,2017,March,Flood,"HAMILTON",2017-03-27 19:10:00,EST-5,2017-03-27 20:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1594,-84.6696,39.1605,-84.67,"Showers and thunderstorms developed across the Ohio Valley as an upper level short wave moved through the region. A few of the storms produced locally heavy rainfall.","Street flooding was reported near Cheviot." +113109,677012,OHIO,2017,March,Hail,"FRANKLIN",2017-03-26 19:15:00,EST-5,2017-03-26 19:17:00,0,0,0,0,0.00K,0,0.00K,0,40.06,-82.84,40.06,-82.84,"An upper level low pressure system produced showers with embedded thunderstorms during the afternoon and early evening hours.","" +113109,677013,OHIO,2017,March,Hail,"FRANKLIN",2017-03-26 18:56:00,EST-5,2017-03-26 18:58:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-83.08,39.9,-83.08,"An upper level low pressure system produced showers with embedded thunderstorms during the afternoon and early evening hours.","" +113109,677016,OHIO,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-26 18:44:00,EST-5,2017-03-26 18:46:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-83.14,40.04,-83.14,"An upper level low pressure system produced showers with embedded thunderstorms during the afternoon and early evening hours.","Winds were estimated to be between 50 and 60 mph." +113109,677017,OHIO,2017,March,Hail,"FRANKLIN",2017-03-26 18:44:00,EST-5,2017-03-26 18:46:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-83.14,40.04,-83.14,"An upper level low pressure system produced showers with embedded thunderstorms during the afternoon and early evening hours.","" +112767,677089,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 02:30:00,EST-5,2017-03-01 06:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-84.42,39.2686,-84.3585,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","High water was reported flowing across several roads across eastern Hamilton County." +112940,674782,VERMONT,2017,March,Winter Storm,"ORLEANS",2017-03-14 10:00:00,EST-5,2017-03-15 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Orleans county were largely 15 to 24 inches. Some specific amounts include; 24 inches in Newport and Morgan, 21 inches in Greensboro, 18 inches in Barton and 15 inches in Westfield." +112940,674787,VERMONT,2017,March,Winter Storm,"WASHINGTON",2017-03-14 09:00:00,EST-5,2017-03-15 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Washington county generally ranged from 14 to 24 inches with isolated higher totals. Some specific amounts include; 26 inches in Northfield, 23 inches in Waterbury, Warren and Waitsfield, 20 inches in Cabot, 19 inches in Worcester, 17 inches in Woodbury, 16 inches in Middlesex, 15 inches in Moretown and 14 inches in Montpelier." +113727,680803,VERMONT,2017,March,Winter Weather,"GRAND ISLE",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Grand Isle county." +119056,714999,MISSOURI,2017,July,Flash Flood,"GRUNDY",2017-07-13 00:00:00,CST-6,2017-07-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0939,-93.6368,40.0983,-93.5809,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Ellison and 4th Street were covered in running water in Trenton." +119056,715000,MISSOURI,2017,July,Flash Flood,"GRUNDY",2017-07-13 03:11:00,CST-6,2017-07-13 05:11:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-93.65,39.9808,-93.6419,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Highway F and W in southern Grundy County were closed due to high water." +119056,715001,MISSOURI,2017,July,Flood,"LIVINGSTON",2017-07-13 03:27:00,CST-6,2017-07-13 09:27:00,0,0,0,0,0.00K,0,0.00K,0,39.813,-93.5699,39.7674,-93.5719,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Water over the road on 3rd Street near the old prison property caused a vehicle to stall." +119056,715002,MISSOURI,2017,July,Flood,"DAVIESS",2017-07-13 05:00:00,CST-6,2017-07-13 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8851,-93.7899,39.8868,-93.7635,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Missouri HWY 190 was flooded in both directions near Clear Creek. Route V near Clear Creek was also flooded in both directions." +119056,715003,MISSOURI,2017,July,Flood,"DAVIESS",2017-07-13 05:00:00,CST-6,2017-07-13 11:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-93.94,40.0915,-93.9402,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Route B was flooded in both directions near Hickory Creek." +119056,715004,MISSOURI,2017,July,Flood,"GRUNDY",2017-07-13 05:42:00,CST-6,2017-07-13 11:42:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-93.68,39.9803,-93.6869,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Missouri Highway F flooded." +119056,715005,MISSOURI,2017,July,Flood,"GRUNDY",2017-07-13 05:42:00,CST-6,2017-07-13 11:42:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-93.65,39.9865,-93.6479,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Missouri W was flooded near Wolf Creek." +119056,715006,MISSOURI,2017,July,Flood,"GRUNDY",2017-07-13 05:42:00,CST-6,2017-07-13 11:42:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-93.72,40.0204,-93.7138,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Missouri Route WW flooded at Hickory Creek." +114246,684421,KENTUCKY,2017,March,Strong Wind,"UNION",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114246,684422,KENTUCKY,2017,March,Strong Wind,"WEBSTER",2017-03-06 22:00:00,CST-6,2017-03-07 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted to around 40 mph across most of western Kentucky. The highest measured wind gusts included: 52 mph a few miles southeast of Henderson, 46 mph near Philpot in Daviess County, 41 mph near Hickman in Fulton County, 41 mph near Calhoun in Mclean County, 41 mph near Trenton in Todd County, and 40 mph at the Paducah airport.","" +114248,684427,MISSOURI,2017,March,Strong Wind,"BOLLINGER",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684428,MISSOURI,2017,March,Strong Wind,"BUTLER",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684429,MISSOURI,2017,March,Strong Wind,"CAPE GIRARDEAU",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684430,MISSOURI,2017,March,Strong Wind,"CARTER",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684431,MISSOURI,2017,March,Strong Wind,"MISSISSIPPI",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684432,MISSOURI,2017,March,Strong Wind,"NEW MADRID",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684433,MISSOURI,2017,March,Strong Wind,"PERRY",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114437,686223,VIRGINIA,2017,March,Thunderstorm Wind,"WESTMORELAND",2017-03-01 14:18:00,EST-5,2017-03-01 14:18:00,0,0,0,0,1.00K,1000,0.00K,0,38.12,-76.92,38.12,-76.92,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was downed." +114437,686224,VIRGINIA,2017,March,Thunderstorm Wind,"KING AND QUEEN",2017-03-01 14:30:00,EST-5,2017-03-01 14:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.87,-77.06,37.87,-77.06,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed." +113549,679709,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:37:00,CST-6,2017-03-06 20:37:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-91.3,43.87,-91.3,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","An estimated 60 mph wind gust occurred on a Mississippi River spillway west of French Island." +113549,679710,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 20:36:00,CST-6,2017-03-06 20:36:00,0,0,0,0,2.00K,2000,0.00K,0,43.6599,-91.2095,43.6599,-91.2095,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Power lines were blown down east of Stoddard." +113549,679724,WISCONSIN,2017,March,Hail,"LA CROSSE",2017-03-06 20:53:00,CST-6,2017-03-06 20:53:00,0,0,0,0,0.00K,0,0.00K,0,43.79,-91.09,43.79,-91.09,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","" +113549,679722,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:53:00,CST-6,2017-03-06 20:53:00,0,0,0,0,0.00K,0,0.00K,0,43.79,-91.09,43.79,-91.09,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","A 60 mph wind gust occurred west of St. Joseph." +113549,679730,WISCONSIN,2017,March,Hail,"VERNON",2017-03-06 21:25:00,CST-6,2017-03-06 21:25:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-90.64,43.58,-90.64,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Golfball sized hail fell in La Farge." +114020,682858,VIRGINIA,2017,March,Thunderstorm Wind,"AUGUSTA",2017-03-01 12:14:00,EST-5,2017-03-01 12:14:00,0,0,0,0,,NaN,,NaN,37.955,-79.2139,37.955,-79.2139,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down in Spottswood." +114020,682859,VIRGINIA,2017,March,Thunderstorm Wind,"SHENANDOAH",2017-03-01 12:17:00,EST-5,2017-03-01 12:17:00,0,0,0,0,,NaN,,NaN,38.8234,-78.5649,38.8234,-78.5649,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Edinburg." +114020,682860,VIRGINIA,2017,March,Thunderstorm Wind,"SHENANDOAH",2017-03-01 12:17:00,EST-5,2017-03-01 12:17:00,0,0,0,0,,NaN,,NaN,38.8763,-78.519,38.8763,-78.519,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Woodstock." +114020,682861,VIRGINIA,2017,March,Thunderstorm Wind,"ROCKINGHAM",2017-03-01 12:26:00,EST-5,2017-03-01 12:26:00,0,0,0,0,,NaN,,NaN,38.4131,-78.6171,38.4131,-78.6171,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Elkton." +114020,682862,VIRGINIA,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 12:30:00,EST-5,2017-03-01 12:30:00,0,0,0,0,,NaN,,NaN,38.9248,-78.1847,38.9248,-78.1847,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down on Wakens Mill Road and Langs Road." +114020,682863,VIRGINIA,2017,March,Thunderstorm Wind,"FREDERICK",2017-03-01 12:32:00,EST-5,2017-03-01 12:32:00,0,0,0,0,,NaN,,NaN,39.0275,-78.2808,39.0275,-78.2808,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A large tree was down in Middletown." +114020,682864,VIRGINIA,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 12:32:00,EST-5,2017-03-01 12:32:00,0,0,0,0,,NaN,,NaN,38.9248,-78.1847,38.9248,-78.1847,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees and branches were down in Front Royal." +114020,682865,VIRGINIA,2017,March,Thunderstorm Wind,"WINCHESTER (C)",2017-03-01 12:38:00,EST-5,2017-03-01 12:38:00,0,0,0,0,,NaN,,NaN,39.1745,-78.175,39.1745,-78.175,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down blocking Wilkins Drive." +114020,682866,VIRGINIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 12:40:00,EST-5,2017-03-01 12:40:00,0,0,0,0,,NaN,,NaN,38.2536,-78.54,38.2536,-78.54,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Dyke." +114854,689010,NEW YORK,2017,March,Winter Storm,"WAYNE",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689014,NEW YORK,2017,March,Winter Storm,"GENESEE",2017-03-13 21:00:00,EST-5,2017-03-15 14:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689015,NEW YORK,2017,March,Winter Storm,"WYOMING",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689016,NEW YORK,2017,March,Winter Storm,"LIVINGSTON",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689017,NEW YORK,2017,March,Winter Storm,"ONTARIO",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689018,NEW YORK,2017,March,Winter Storm,"CHAUTAUQUA",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689019,NEW YORK,2017,March,Winter Storm,"CATTARAUGUS",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689020,NEW YORK,2017,March,Winter Storm,"ALLEGANY",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689021,NEW YORK,2017,March,Winter Storm,"SOUTHERN ERIE",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689022,NEW YORK,2017,March,Winter Storm,"OSWEGO",2017-03-14 01:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689023,NEW YORK,2017,March,Winter Storm,"JEFFERSON",2017-03-14 01:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689024,NEW YORK,2017,March,Winter Storm,"LEWIS",2017-03-14 01:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +113787,681227,TEXAS,2017,March,Flash Flood,"NUECES",2017-03-10 10:25:00,CST-6,2017-03-10 10:55:00,0,0,0,0,0.00K,0,0.00K,0,27.75,-97.42,27.7569,-97.4105,"A very moist atmosphere combined with an upper level disturbance to produce scattered thunderstorms with heavy rain across the Coastal Bend during the morning hours. Rainfall amounts around 2 inches fell in and around downtown Corpus Christi causing roads to be flooded.","High water rescue occurred with no injuries reported." +113787,681229,TEXAS,2017,March,Flash Flood,"NUECES",2017-03-10 10:50:00,CST-6,2017-03-10 11:20:00,0,0,0,0,0.00K,0,0.00K,0,27.75,-97.42,27.7902,-97.4398,"A very moist atmosphere combined with an upper level disturbance to produce scattered thunderstorms with heavy rain across the Coastal Bend during the morning hours. Rainfall amounts around 2 inches fell in and around downtown Corpus Christi causing roads to be flooded.","Numerous reports of roads flooded around the downtown area of Corpus Christi." +112708,679750,SOUTH CAROLINA,2017,March,Hail,"NEWBERRY",2017-03-01 19:34:00,EST-5,2017-03-01 19:35:00,0,0,0,0,0.01K,10,0.01K,10,34.5,-81.62,34.5,-81.62,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Dime size hail reported at a gas station in Whitmire." +112708,679751,SOUTH CAROLINA,2017,March,Hail,"NEWBERRY",2017-03-01 19:36:00,EST-5,2017-03-01 19:38:00,0,0,0,0,0.01K,10,0.01K,10,34.5,-81.62,34.5,-81.62,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Nickel and pea size hail reported in Whitmire." +114496,689545,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-03-30 14:32:00,CST-6,2017-03-30 14:32:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-87.56,30.07,-87.56,"Strong thunderstorms moved across the marine area and produced high winds.","Buoy 42012 reported a wind gust of 37 knots." +114496,689546,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-03-30 16:30:00,CST-6,2017-03-30 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-86.56,30.38,-86.56,"Strong thunderstorms moved across the marine area and produced high winds.","Weatherflow station on Okaloosa Pier measured a wind gust of 35 knots." +114496,689547,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"CHOCTAWHATCHEE BAY",2017-03-30 16:35:00,CST-6,2017-03-30 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.4337,-86.5825,30.4337,-86.5825,"Strong thunderstorms moved across the marine area and produced high winds.","A mesonet weather station at Fort Walton Beach port measured a wind gust of 35 knots." +115828,696128,VIRGINIA,2017,May,Hail,"CULPEPER",2017-05-19 14:48:00,EST-5,2017-05-19 14:48:00,0,0,0,0,,NaN,,NaN,38.4,-77.71,38.4,-77.71,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Quarter sized hail was reported." +115828,696131,VIRGINIA,2017,May,Hail,"SPOTSYLVANIA",2017-05-19 15:50:00,EST-5,2017-05-19 15:50:00,0,0,0,0,,NaN,,NaN,38.2654,-77.5325,38.2654,-77.5325,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Quarter sized hail was reported." +115828,696138,VIRGINIA,2017,May,Hail,"KING GEORGE",2017-05-19 16:38:00,EST-5,2017-05-19 16:38:00,0,0,0,0,,NaN,,NaN,38.1919,-77.1989,38.1919,-77.1989,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Quarter sized hail tore off leaves and made pock marks on copper roof." +115828,696139,VIRGINIA,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 14:53:00,EST-5,2017-05-19 14:53:00,0,0,0,0,,NaN,,NaN,38.3329,-78.4677,38.3329,-78.4677,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Several trees were down across roadways in the Turkey Ridge Area." +115828,696140,VIRGINIA,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 14:54:00,EST-5,2017-05-19 14:54:00,0,0,0,0,,NaN,,NaN,38.3357,-78.4534,38.3357,-78.4534,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Several trees and large limbs were down." +115828,696143,VIRGINIA,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 15:05:00,EST-5,2017-05-19 15:05:00,0,0,0,0,,NaN,,NaN,38.3202,-78.4022,38.3202,-78.4022,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Two medium size trees were down at Green Hills Country Club." +115828,696144,VIRGINIA,2017,May,Thunderstorm Wind,"MADISON",2017-05-19 15:07:00,EST-5,2017-05-19 15:07:00,0,0,0,0,,NaN,,NaN,38.3556,-78.3478,38.3556,-78.3478,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Several reports of trees were down in the Wolftown area." +115828,696147,VIRGINIA,2017,May,Thunderstorm Wind,"MADISON",2017-05-19 15:17:00,EST-5,2017-05-19 15:17:00,0,0,0,0,,NaN,,NaN,38.38,-78.29,38.38,-78.29,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A tree was down on Ruth Road." +115828,696149,VIRGINIA,2017,May,Thunderstorm Wind,"CULPEPER",2017-05-19 15:33:00,EST-5,2017-05-19 15:33:00,0,0,0,0,,NaN,,NaN,38.6168,-77.904,38.6168,-77.904,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Multiple trees were down." +114626,687497,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY INLAND",2017-03-12 06:28:00,PST-8,2017-03-12 07:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Los Alamitos Army Airfield reported a brief period of dense fog with a visibility of 1/4 mile." +114626,687498,CALIFORNIA,2017,March,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-03-11 23:45:00,PST-8,2017-03-12 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Dense fog developed along the coast late on the 11th and pushed inland overnight. Carlsbad, McClellan-Palomar Airport reported 9 hours of dense fog with a visibility of 1/4 mile or less. Other airports up and down the coast also experienced visibility of 1/4 or less during this period, though San Diego International never dropped below 1/4 mile." +114626,687499,CALIFORNIA,2017,March,Dense Fog,"SAN DIEGO COUNTY VALLEYS",2017-03-12 06:10:00,PST-8,2017-03-12 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Dense fog briefly pushed into the western San Diego County Valleys, Gillespie Field Airport reported 1/4 mile or less visibility for about an hour." +114626,687501,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY COASTAL",2017-03-13 05:00:00,PST-8,2017-03-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Newport Beach lifeguards reported dense fog with a visibility of 200 ft." +114626,687503,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY COASTAL",2017-03-14 01:35:00,PST-8,2017-03-14 07:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","John Wayne Airport reported reported dense fog with a visibility of 1/4 mile or less for more than 6 hours." +114626,687504,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY INLAND",2017-03-13 22:48:00,PST-8,2017-03-14 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Los Alamitos Army Airfield reported periods of dense fog with a visibility of 1/4 mile or over a 9 hour period." +114626,687505,CALIFORNIA,2017,March,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-03-13 18:30:00,PST-8,2017-03-14 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Areas of dense fog were reported by multiple ASOS/AWOS stations over a 11 hour period. No significant impacts were reported at San Diego International, though the visibility did drop to 1/4 mile for several hours." +114626,687509,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY INLAND",2017-03-16 05:00:00,PST-8,2017-03-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Newport Beach Lifeguards reported dense fog with a visibility of 200 ft." +113094,676394,IOWA,2017,March,Hail,"HARRISON",2017-03-06 15:35:00,CST-6,2017-03-06 15:35:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-95.92,41.54,-95.92,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676395,IOWA,2017,March,Hail,"POTTAWATTAMIE",2017-03-06 15:36:00,CST-6,2017-03-06 15:36:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-95.82,41.43,-95.82,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676396,IOWA,2017,March,Hail,"POTTAWATTAMIE",2017-03-06 15:36:00,CST-6,2017-03-06 15:36:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-95.86,41.49,-95.86,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676397,IOWA,2017,March,Hail,"HARRISON",2017-03-06 15:45:00,CST-6,2017-03-06 15:45:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-95.75,41.52,-95.75,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676398,IOWA,2017,March,Hail,"POTTAWATTAMIE",2017-03-06 16:50:00,CST-6,2017-03-06 16:50:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-95.34,41.48,-95.34,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676399,IOWA,2017,March,Hail,"FREMONT",2017-03-06 17:14:00,CST-6,2017-03-06 17:14:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-95.65,40.61,-95.65,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +115009,690100,MASSACHUSETTS,2017,March,Winter Weather,"NANTUCKET",2017-03-10 07:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","An amateur radio operator on Nantucket measured 7.3 inches of snow." +114310,684885,SOUTH CAROLINA,2017,March,Winter Weather,"GREATER PICKENS",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684886,SOUTH CAROLINA,2017,March,Winter Weather,"GREENWOOD",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684887,SOUTH CAROLINA,2017,March,Winter Weather,"LAURENS",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684888,SOUTH CAROLINA,2017,March,Winter Weather,"OCONEE MOUNTAINS",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684889,SOUTH CAROLINA,2017,March,Winter Weather,"SPARTANBURG",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114310,684890,SOUTH CAROLINA,2017,March,Winter Weather,"UNION",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +113336,682125,OKLAHOMA,2017,March,Drought,"PAWNEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682126,OKLAHOMA,2017,March,Drought,"TULSA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682127,OKLAHOMA,2017,March,Drought,"ROGERS",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682128,OKLAHOMA,2017,March,Drought,"CREEK",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682130,OKLAHOMA,2017,March,Drought,"OKMULGEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +114332,686692,MISSOURI,2017,March,Tornado,"JEFFERSON",2017-03-07 00:39:00,CST-6,2017-03-07 00:41:00,0,0,0,0,0.00K,0,0.00K,0,38.2424,-90.5707,38.2443,-90.5497,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","A tornado touched down near Hillsboro High School where some trees were topped. It moved across the football field where bleachers, hurdles and other school equipment were destroyed and blown up to 300 yards down the track of the tornado. Tree damage continued from the back side of the Hillsboro High School toward the Jefferson County Fairgrounds. Several buildings, including barns and small outbuildings suffered major roof failures and numerous trees were uprooted across the fairgrounds with debris tossed up to 200 yards to the east northeast. The tornado continued east damaging the roof of a social services building and tossing insulation in the trees. It crossed Business Highway 21 topping more trees and causing minor roof damage to a number of homes on Micah Lane. The tornado dissipated near Lake Wauwanoka Road with only a few limbs broken off. Overall, the tornado was rated EF0 with a path length of 1.14 miles and a max path width of 75 yards." +114332,686697,MISSOURI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:40:00,CST-6,2017-03-07 00:40:00,0,0,0,0,0.00K,0,0.00K,0,38.4096,-90.58,38.4154,-90.5586,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew some sheet metal off of the roof and side of a barn." +114333,686698,ILLINOIS,2017,March,Thunderstorm Wind,"MADISON",2017-03-07 00:45:00,CST-6,2017-03-07 00:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8992,-90.1976,38.8992,-90.1976,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds snapped off several large tree limbs." +114333,686699,ILLINOIS,2017,March,Thunderstorm Wind,"MACOUPIN",2017-03-07 00:45:00,CST-6,2017-03-07 00:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0396,-89.96,39.0437,-89.943,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds took some shingles off of roofs, knocked over fences and snapped a few small trees around town. Also, some sheet metal was torn off of a couple of barns in the area." +114333,686700,ILLINOIS,2017,March,Thunderstorm Wind,"MACOUPIN",2017-03-07 00:52:00,CST-6,2017-03-07 00:52:00,0,0,0,0,0.00K,0,0.00K,0,39.0117,-89.7926,39.0117,-89.7926,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew the awning off of a business in town." +114332,686702,MISSOURI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:55:00,CST-6,2017-03-07 00:55:00,0,0,0,0,0.00K,0,0.00K,0,38.3435,-90.386,38.3435,-90.386,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down a large tree at the intersection of Highway M and U.S. Highway 61." +115078,690739,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-03-24 00:00:00,EST-5,2017-03-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A trough of low pressure moving southward around the southeast periphery of strong high pressure along the Carolina coastline focused strong thunderstorm development across southwest Florida. The thunderstorms propagated southward divergently along outflow boundaries, producing scattered gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +115079,690740,GULF OF MEXICO,2017,March,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-28 12:13:00,EST-5,2017-03-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,24.5484,-81.6411,24.5166,-81.78,"Weak surface high pressure ridging across the Florida Peninsula combined with heat-induced troughing over the Everglades resulted in a very light northeast tropospheric flow over the lower Florida Keys. A well-developed towering cumulus cloud line accompanied by a few rain showers developed just offshore the oceanside of the lower Florida Keys, resulting in frequent cyclic waterspout development.","NWS employees at the Weather Forecast Office Key West and the public reported a total of 14 waterspouts developing and decaying in succession over waters generally 3 miles offshore Boca Chica Key, Stock Island and Key West, with several simultaneously observed. A maximum of 5 waterspouts were observed at the same time during one instant within the entire event period." +115079,690741,GULF OF MEXICO,2017,March,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-03-28 13:44:00,EST-5,2017-03-28 13:44:00,0,0,0,0,0.00K,0,0.00K,0,24.5334,-81.5845,24.5253,-81.6243,"Weak surface high pressure ridging across the Florida Peninsula combined with heat-induced troughing over the Everglades resulted in a very light northeast tropospheric flow over the lower Florida Keys. A well-developed towering cumulus cloud line accompanied by a few rain showers developed just offshore the oceanside of the lower Florida Keys, resulting in frequent cyclic waterspout development.","NWS employees and the public reported numerous waterspouts developing and decaying in succession over waters approximately 6 miles south-southeast of Geiger Key. At one instant during the sequence, 4 waterspouts were occurring simultaneously. The westernmost waterspout had an observable spray ring, whereas mangroves obscured the water surface for waterspouts further east under the towering cumulus cloud line." +114383,685425,TEXAS,2017,March,Drought,"BROOKS",2017-03-01 00:00:00,CST-6,2017-03-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions persisted across portions of Brooks, Kenedy, Hidalgo, and Starr counties through the first week of March. Abundant rainfall on the 4th allowed for improvement of drought conditions.","The narrow strip of Severe (D2) drought conditions along the southern county border persisted through much of the first week of March. Beneficial rainfall would allow conditions to improve by the 7th." +114383,685427,TEXAS,2017,March,Drought,"HIDALGO",2017-03-01 00:00:00,CST-6,2017-03-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions persisted across portions of Brooks, Kenedy, Hidalgo, and Starr counties through the first week of March. Abundant rainfall on the 4th allowed for improvement of drought conditions.","The area of Severe (D2) drought conditions across north central to northwest Hidalgo County persisted through much of the first week of March. Beneficial rainfall would allow conditions to improve by the 7th." +114336,685127,ALABAMA,2017,March,Drought,"MARION",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685128,ALABAMA,2017,March,Drought,"WINSTON",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685129,ALABAMA,2017,March,Drought,"BLOUNT",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685130,ALABAMA,2017,March,Drought,"ETOWAH",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685131,ALABAMA,2017,March,Drought,"CHEROKEE",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685132,ALABAMA,2017,March,Drought,"SUMTER",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685133,ALABAMA,2017,March,Drought,"GREENE",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685134,ALABAMA,2017,March,Drought,"HALE",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114336,685135,ALABAMA,2017,March,Drought,"BIBB",2017-03-01 00:00:00,CST-6,2017-03-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of March lowered the drought intensity to a D1 category." +114341,685164,ALABAMA,2017,March,Hail,"MARION",2017-03-01 13:13:00,CST-6,2017-03-01 13:14:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-87.73,34.25,-87.73,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail along Highway 241 near the town of Bear Creek." +114493,686555,LOUISIANA,2017,March,Thunderstorm Wind,"ST. TAMMANY",2017-03-30 09:00:00,CST-6,2017-03-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2556,-89.6953,30.2556,-89.6953,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","Several trees were blown down, as well as large tree limbs in the Indian Village Subdivision near Slidell." +114492,686562,MISSISSIPPI,2017,March,Funnel Cloud,"HARRISON",2017-03-30 10:52:00,CST-6,2017-03-30 10:52:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-88.87,30.44,-88.87,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A funnel cloud was reported in St. Martin." +114492,686566,MISSISSIPPI,2017,March,Hail,"HANCOCK",2017-03-30 09:30:00,CST-6,2017-03-30 09:30:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-89.37,30.38,-89.37,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","Quarter size hail was reported near Interstate 10 between Mississippi Highway 43 and Diamondhead." +114492,686567,MISSISSIPPI,2017,March,Tornado,"WILKINSON",2017-03-29 22:23:00,CST-6,2017-03-29 22:27:00,0,0,0,0,,NaN,0.00K,0,31.1774,-91.3105,31.189,-91.2777,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","An EF1 tornado touched down just west of Fords Creek Road and tracked east northeast, crossing US Highway 61 with the path ending east of Hackett Ford Road. Numerous trees were uprooted or snapped in the path. Five homes were damaged, primarily by falling trees. A commercial building had its doors blown in and a wall was heavily damaged. A recreational vehicle was also blown over. Damage path was approximately 2 miles, maximum path width 450 yards. Estimated maximum wind speed 105 mph." +114492,686570,MISSISSIPPI,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-30 09:43:00,CST-6,2017-03-30 09:43:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-89.38,30.39,-89.38,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A tree and large limbs were blown down near Diamondhead. A video of the damage was shared on social media." +112444,680194,FLORIDA,2017,February,Thunderstorm Wind,"COLUMBIA",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.1835,-82.6383,30.1835,-82.6383,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Widespread tree and power line damage due to winds. One tree was blown down on a home along State Road 47 in Lake City." +112444,680195,FLORIDA,2017,February,Thunderstorm Wind,"COLUMBIA",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,29.9385,-82.7827,29.9385,-82.7827,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Trees and power lines were blown down in the Fort White area. One tree was blown down on a home along Montana Parkway." +114527,686845,TENNESSEE,2017,March,Winter Weather,"WHITE",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across White County ranged from a dusting up to 0.5 inches. CoCoRaHS station Sparta 3.0 WNW measured 0.5 inches of snow." +114547,687000,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 03:34:00,EST-5,2017-03-01 03:35:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-85.04,41.24,-85.04,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Amateur radio operators reported a tree was blown down." +114547,687001,INDIANA,2017,March,Thunderstorm Wind,"JAY",2017-03-01 03:50:00,EST-5,2017-03-01 03:51:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-84.98,40.44,-84.98,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Emergency management officials reported trees, power lines and phone lines down across the county. Some buildings had roofing blown off and others were impacted by trees." +114547,687002,INDIANA,2017,March,Thunderstorm Wind,"LA PORTE",2017-03-01 00:00:00,CST-6,2017-03-01 00:01:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-86.74,41.59,-86.74,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","A trained spotter recorded a 62 mph wind gust." +114547,687003,INDIANA,2017,March,Thunderstorm Wind,"ST. JOSEPH",2017-03-01 01:15:00,EST-5,2017-03-01 01:16:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-86.3,41.69,-86.3,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public estimated wind gusts to 60 mph." +114547,687005,INDIANA,2017,March,Thunderstorm Wind,"DE KALB",2017-03-01 02:27:00,EST-5,2017-03-01 02:28:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-85.14,41.37,-85.14,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","A trained spotter estimated 60 mph wind gusts as well as observing a few smaller tree limbs down in the area." +114547,687006,INDIANA,2017,March,Thunderstorm Wind,"NOBLE",2017-03-01 02:22:00,EST-5,2017-03-01 02:23:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-85.24,41.35,-85.24,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","A trained spotter estimated wind gusts to 60 mph." +115711,695377,WEST VIRGINIA,2017,May,Flood,"MORGAN",2017-05-05 23:18:00,EST-5,2017-05-06 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-78.31,39.5828,-78.3081,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Cacapon River at Great Cacapon exceeded their flood stage of 9 feet and peaked at 10.30 feet at 5:45 EST. Rock Ford Road began to flood in multiple locations, including flowing completely over the low water bridge. Constant Run Road also began to flood." +115711,695384,WEST VIRGINIA,2017,May,Flood,"BERKELEY",2017-05-05 17:47:00,EST-5,2017-05-06 05:22:00,0,0,0,0,0.00K,0,0.00K,0,39.4172,-77.9416,39.4399,-77.9383,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Opequon River at Martinsburg exceeded their flood stage of 10 feet and peaked at 11.20 feet at 1:15 EST. Water began to cover backyards of homes on Bowers Road. Douglas Grove Road was flooded and impassible. Water also approaches Golf Course Road and Grapevine Road." +115711,695393,WEST VIRGINIA,2017,May,Flood,"BERKELEY",2017-05-05 10:34:00,EST-5,2017-05-05 13:55:00,0,0,0,0,0.00K,0,0.00K,0,39.33,-78.05,39.3384,-78.0619,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Mill Creek at Bunker Hill exceeded their flood stage of 4.2 feet and peaked at 4.47 feet at 12:30 EST. Henshaw Road was flooded under Interstate 81." +115711,695388,WEST VIRGINIA,2017,May,Flood,"JEFFERSON",2017-05-06 19:06:00,EST-5,2017-05-07 07:22:00,0,0,0,0,0.00K,0,0.00K,0,39.2379,-77.8074,39.2637,-77.7954,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Shenandoah River at Millville exceeded their flood stage of 10 feet and peaked at 10.61 feet at 00:15 EST. Parts of Bloomery Road and John Rissler Road were flooded near Bloomery, WV. Once these roads flood, access to homes was impaired but the homes themselves are not in any danger of flooding. Moulton Park and the Millville boat launch were also flooded." +113114,679792,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"RICHLAND",2017-03-21 21:46:00,EST-5,2017-03-21 21:50:00,0,0,0,0,,NaN,,NaN,33.92,-80.81,33.92,-80.81,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Instrument at McEntire Air National Guard Base near Eastover measured a wind gust of 58 MPH." +113114,679793,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"AIKEN",2017-03-21 22:22:00,EST-5,2017-03-21 22:25:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-81.7,33.34,-81.7,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Instrument in Savannah River Site at Area A wind tower, at 200 feet above the ground, measured a wind gust of 81 MPH between 1115 PM and 1130 PM EDT." +113114,679794,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"BARNWELL",2017-03-21 22:22:00,EST-5,2017-03-21 22:27:00,0,0,0,0,,NaN,,NaN,33.28,-81.59,33.28,-81.59,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Instrument in Savannah River Site on a tower 200 feet above the ground measured a 71 MPH wind gust between 1115 PM and 1130 PM EDT." +113114,679795,SOUTH CAROLINA,2017,March,Hail,"SUMTER",2017-03-21 21:59:00,EST-5,2017-03-21 22:00:00,0,0,0,0,0.01K,10,0.01K,10,33.99,-80.5,33.99,-80.5,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Public reported one quarter to one half inch hail." +113114,679796,SOUTH CAROLINA,2017,March,Hail,"AIKEN",2017-03-21 22:10:00,EST-5,2017-03-21 22:14:00,0,0,0,0,0.01K,10,0.01K,10,33.51,-81.86,33.51,-81.86,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Hail less than dime size reported." +112918,675620,PENNSYLVANIA,2017,March,Winter Storm,"ADAMS",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 10-16 inches of snow across Adams County." +112918,675622,PENNSYLVANIA,2017,March,Winter Storm,"BLAIR",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 6-10 inches of snow across Blair County." +112767,674106,OHIO,2017,March,Tornado,"HIGHLAND",2017-03-01 07:39:00,EST-5,2017-03-01 07:41:00,0,0,0,0,50.00K,50000,0.00K,0,39.1078,-83.6814,39.0969,-83.6431,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","At a location on Sanders Road just west of US Route 62, a barn roof was significantly damaged with roofing material thrown to the east as much as a half mile away. A few trees were downed in this area.||Damage was most significant at a dairy farm on State Route 136, about 1.3 miles south of Millers Chapel Road. A large barn at this property experienced a significant amount of roof damage, including a total loss of the roof on the east side of the structure. Insulation, wood beams, and sheet metal from this roof were scattered across the property and well into a field across State Route 136. A roof was also removed from a dog kennel and a roof was partially removed from another barn at the property. Other outbuildings had minor damage as well and another house sustained minor roofing damage and several broken windows, along with some damage of siding. Trees were snapped or downed at this property, as well as along a tree line further to the west.||Tree damage occurred on Millers Chapel Road near the intersection with Poole Lane. A few other trees were snapped in the field just to the north of Poole Lane, but damage was not observed west of the end point of Poole Lane." +112767,676094,OHIO,2017,March,Thunderstorm Wind,"PIKE",2017-03-01 08:30:00,EST-5,2017-03-01 08:32:00,0,0,0,0,50.00K,50000,0.00K,0,38.98,-82.88,38.98,-82.88,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Several houses sustained roof damage. Numerous trees were downed and several barns were destroyed. A school bus was heavily damaged by flying debris." +112767,673888,OHIO,2017,March,Thunderstorm Wind,"ADAMS",2017-03-01 07:51:00,EST-5,2017-03-01 07:54:00,0,0,0,0,25.00K,25000,0.00K,0,38.8358,-83.5523,38.8358,-83.5523,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","In the vicinity of Unity Road and Highway 247, just south of the Alexander Salamon Airport, four barns were destroyed with the roofing thrown well downwind of the damage sites. At one residence, a porch was removed from a home. On the west side of Highway 247, there was significant tree damage to a grove of trees. Based on the damage, the maximum wind speeds were estimated to be around 90 mph." +113107,677253,NEW MEXICO,2017,March,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-03-23 16:00:00,MST-7,2017-03-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Observations around Sandia Park reported peak wind gusts up to 66 mph for an extended period early on the 24th. The top of the Sandia Peak tramway reported a peak wind gust to 60 mph late on the 23rd. Light snowfall amounts accompanied the strong winds above 8,000 feet." +113235,677504,KENTUCKY,2017,March,Strong Wind,"FLEMING",2017-03-26 12:41:00,EST-5,2017-03-26 12:41:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A broken line of showers and thunderstorms developed early this afternoon. One storm on the northern end of this line produced quarter sized hail in Morgan County, while pennies were reported in Elliott County. In addition, a rain shower mixed down strong enough winds to produce localized damage in Fleming County.","A citizen reported roof damage to a barn near Nepton." +112769,673580,KENTUCKY,2017,March,Thunderstorm Wind,"BATH",2017-03-01 08:03:00,EST-5,2017-03-01 08:03:00,0,0,0,0,,NaN,,NaN,38.14,-83.76,38.14,-83.76,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down county wide." +112769,673581,KENTUCKY,2017,March,Thunderstorm Wind,"BATH",2017-03-01 08:03:00,EST-5,2017-03-01 08:03:00,0,0,0,0,,NaN,,NaN,38.2,-83.93,38.2,-83.93,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","The roofs were blown off structures in Sharpsburg at 167 Main Street and 120 Back Street." +113352,678295,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-03-22 00:00:00,EST-5,2017-03-22 00:01:00,0,0,0,0,,NaN,0.00K,0,32.1482,-80.7507,32.1482,-80.7507,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina and southeast Georgia in the late evening and early morning hours. Once these storms reached the coast they were still strong enough to produce strong wind gusts.","A mesonet station on Hilton Head Island measured a 35 knot wind gust with a line of thunderstorms." +113361,678307,OREGON,2017,March,Sneakerwave,"SOUTH CENTRAL OREGON COAST",2017-03-25 15:00:00,PST-8,2017-03-25 15:01:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 14 year old female died of injuries sustained when a sneaker wave caused a log to roll onto her.","A 14 year old female recreating on the beach 3S Bandon died of injuries sustained when a sneaker wave caused a log to roll onto her." +113363,678324,MONTANA,2017,March,Heavy Snow,"LOWER CLARK FORK REGION",2017-03-04 19:30:00,MST-7,2017-03-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow showers associated with a slow moving front impacted travel on Interstate 90 at Lookout Pass and briefly caused moderate impact to Missoula, Seeley Lake and portions of southwest Montana.","An intense band of snow brought heavy snow to Lookout Pass for several hours during the evening of the 4th which caused the Montana Department of Transportation to issue severe driving conditions." +113363,678326,MONTANA,2017,March,Winter Weather,"POTOMAC / SEELEY LAKE REGION",2017-03-05 07:00:00,MST-7,2017-03-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow showers associated with a slow moving front impacted travel on Interstate 90 at Lookout Pass and briefly caused moderate impact to Missoula, Seeley Lake and portions of southwest Montana.","A Greenough spotter reported that one inch of snow had fallen in only 30 minutes and it was still snowing. Seeley Lake received two inches during this event." +113363,678329,MONTANA,2017,March,Winter Weather,"BUTTE / BLACKFOOT REGION",2017-03-05 08:30:00,MST-7,2017-03-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow showers associated with a slow moving front impacted travel on Interstate 90 at Lookout Pass and briefly caused moderate impact to Missoula, Seeley Lake and portions of southwest Montana.","Web cams revealed periods of heavy snow with the slow moving front from Ovando south to Butte. The Bert Mooney Airport reported moderate to heavy snow between 7 and 735 pm MST on the 5th." +115829,696157,MARYLAND,2017,May,Thunderstorm Wind,"BALTIMORE",2017-05-25 18:05:00,EST-5,2017-05-25 18:05:00,0,0,0,0,,NaN,,NaN,39.4226,-76.6809,39.4226,-76.6809,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down on the 900 Block of Greenspring Valley Road." +112682,673171,WEST VIRGINIA,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 09:35:00,EST-5,2017-03-01 09:35:00,0,0,0,0,3.00K,3000,0.00K,0,38.38,-82.03,38.38,-82.03,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were blown over by winds." +112682,673172,WEST VIRGINIA,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 09:35:00,EST-5,2017-03-01 09:35:00,0,0,0,0,2.00K,2000,0.00K,0,38.45,-82.03,38.45,-82.03,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A highway sign along I-64 near the Hurricane exit was blown down." +113832,681606,WISCONSIN,2017,March,Winter Weather,"DANE",2017-03-12 19:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Three to four inches of snow accumulation." +113832,681608,WISCONSIN,2017,March,Winter Weather,"ROCK",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Two to four inches of snow accumulation." +113832,681609,WISCONSIN,2017,March,Winter Weather,"WALWORTH",2017-03-12 20:30:00,CST-6,2017-03-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Three to seven inches of snow accumulation." +113832,681644,WISCONSIN,2017,March,Lake-Effect Snow,"WAUKESHA",2017-03-12 20:30:00,CST-6,2017-03-13 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Four to twelve inches of snow accumulation with the highest amounts in the eastern portion of the county. Numerous vehicle slide-offs and accidents." +113832,681632,WISCONSIN,2017,March,Lake-Effect Snow,"WASHINGTON",2017-03-12 20:30:00,CST-6,2017-03-13 19:00:00,0,7,0,1,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A significant lake effect snowstorm occurred over eastern WI with snowfall totals of 1 to 2 feet. Hundreds of vehicles were involved in accidents and slide-offs including several large chain-reaction accidents on I-41 and I-43 on March 13th. No deaths occurred and only a small number of injuries were reported. Portions of the Interstates were closed for hours for cleanup and removal. There were 5 deaths in southeast WI when older men collapsed while shoveling or snow blowing. Some schools and local governments closed during the afternoon of March 13th due to the heavy snow. Several inches of snow also fell over south central WI during this time due to a low pressure area that tracked from the central Great Plains through the Ohio River Valley.","Six to sixteen inches of snow accumulation with the lowest amounts in the far northwest portion of the county. Two large chain-reaction accidents involving dozens of vehicles occurred on I-41 from the late morning into the afternoon hours. I-41 southbound was closed from Sherman Rd. and Hillside Rd. in the Town of Polk for 6 hours. The two left lanes of northbound I-41 near Cedar Creek were also closed due to a large chain-reaction accident. 7 injuries were reported in total from both chain-reaction accidents. Overall, there were 97 crash calls involving 300 vehicles in the county. One older man collapsed and died while snow blowing his driveway." +121021,724844,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-21 23:10:00,MST-7,2017-11-21 23:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front from a quick moving system delivered gusty conditions across the Plains of Northern and Central Montana.","Mesonet station 10 miles south of Fort Benton measured a 58 mph wind gust." +121021,724855,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-22 01:29:00,MST-7,2017-11-22 01:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front from a quick moving system delivered gusty conditions across the Plains of Northern and Central Montana.","Mesonet station 17 miles west of Pendroy measured a 73 mph wind gust." +121085,724857,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-23 01:01:00,MST-7,2017-11-23 01:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 17 miles west of Pendroy measured a 66 mph wind gust." +117735,707945,NEW MEXICO,2017,August,Hail,"UNION",2017-08-13 15:20:00,MST-7,2017-08-13 15:23:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-103.32,36.27,-103.32,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Hail up to the size of golf balls 14 miles northwest of Sedan. Trees stripped of leaves, small branches broken, and garden decimated." +117735,707943,NEW MEXICO,2017,August,Hail,"UNION",2017-08-13 15:15:00,MST-7,2017-08-13 15:18:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-103.28,36.25,-103.28,"The upper level high center shifted well south and east of New Mexico by the 13th and forced stronger westerly flow aloft over the region. The combination of abundant low level moisture in place over eastern New Mexico along with a weak frontal boundary sagging into the area provided the focus for strong to severe thunderstorms with torrential rainfall. A cluster of storms that repeatedly developed over the same area of the east slopes of the Capitan Mountains produced flash flooding near Arabela. State road 368 was closed as several feet of water rushed across the roadway. Union County was the epic center for numerous storms that produced large hail through the afternoon. Hail up to the size of golf balls was reported around Sedan. Yet another round of heavy rainfall between one and two inches impacted much of the Caprock area.","Nickel size hail and wind gusts up to 50 mph reported 11 miles northwest of Sedan." +117224,705365,TEXAS,2017,June,Flash Flood,"MITCHELL",2017-06-23 16:45:00,CST-6,2017-06-23 20:00:00,0,0,0,0,0.30K,300,0.00K,0,32.4141,-100.7307,32.4054,-100.7816,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","Heavy rain moved across Mitchell County and produced flash flooding west of Loraine. There were flooded access roads along I-20 between mile markers 224 and 221. There was flooding along Lucus Road south of I-20. The cost of damage is a very rough estimate." +113854,681836,TEXAS,2017,March,Thunderstorm Wind,"RED RIVER",2017-03-26 23:05:00,CST-6,2017-03-26 23:05:00,0,0,0,0,0.00K,0,0.00K,0,33.544,-95.0528,33.544,-95.0528,"A shortwave trough moved into Westcentral Arkansas during the evening hours on March 27th, resulting in an associated cold front moving into Southeast Oklahoma and Western Arkansas. Increasing moisture advection ahead of this front resulted in building low level instability over Southeast Oklahoma and Southwest Arkansas, with strong wind shear and steep lapse rates aloft enhancing the development of supercell thunderstorms near and just east of the dryline over Central and Southern Oklahoma and extreme North Texas during the late afternoon and early evening hours. These strong to severe thunderstorms shifted east into Southeast Oklahoma and into the northern sections of Southwest Arkansas during the late evening hours, being sustained by the available instability in place ahead of the front. Damaging winds which downed trees were common across these areas, before the storms weakened shortly after midnight on March 28th with the diminished instability.","A power line was downed at County Road 1370 and Farm to Market Road 910." +115365,695358,ARKANSAS,2017,April,Thunderstorm Wind,"CLARK",2017-04-29 22:20:00,CST-6,2017-04-29 22:20:00,0,0,0,0,0.00K,0,0.00K,0,34.17,-93.14,34.17,-93.14,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tree was down on a house." +115365,695362,ARKANSAS,2017,April,Flash Flood,"FAULKNER",2017-04-29 22:25:00,CST-6,2017-04-29 23:55:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-92.43,35.0446,-92.4324,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The area at 470 E Robins Rd. in Conway was flooded." +115365,695364,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 22:35:00,CST-6,2017-04-29 22:35:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-91.95,35.04,-91.95,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Highway 319 was blocked due to trees down." +115365,695368,ARKANSAS,2017,April,Flash Flood,"FAULKNER",2017-04-29 22:40:00,CST-6,2017-04-30 00:10:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.45,35.0666,-92.4843,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A number of roads in the city of Conway were under water and impassable." +115365,695378,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 22:40:00,CST-6,2017-04-29 22:40:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-91.98,35.03,-91.98,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Multiple trees were down and blocking the road." +115365,695379,ARKANSAS,2017,April,Thunderstorm Wind,"LONOKE",2017-04-29 22:40:00,CST-6,2017-04-29 22:40:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-91.96,34.92,-91.96,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Downed trees were blocking the roadway." +113857,681848,TEXAS,2017,March,Tornado,"GREGG",2017-03-29 04:38:00,CST-6,2017-03-29 04:49:00,0,0,0,0,60.00K,60000,0.00K,0,32.5278,-94.7976,32.5726,-94.7098,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating over these areas.","An EF-1 tornado with maximum estimated winds of 100-110 mph touched down along Reel Road just north of West Loop 281, primarily snapping and uprooting trees. A tree did fall on the back side of one house at the corner of Reel Road and Buckner Street, damaging the house. Several homes had roof damage in the Hobson Road area, and several fences were blown over as well. The cross at the Grace Crossing United Methodist Church was leaning significantly and a light pole was also bent in this area. The tornado partially lifted the roof at the Judson Road Animal Clinic. One home and two cars were crushed by trees along Mary Ellen Drive. Another home along Airline Road lost several shingles as well as several trees on the property were snapped or uprooted. The tornado finally lifted just east of Sam Page Road." +113891,682043,OHIO,2017,March,Winter Weather,"BUTLER",2017-03-04 07:00:00,EST-5,2017-03-04 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north through the region, producing light snowfall as it passed.","One and a half inches of snow was measured in Oxford. A spotter east of Fairfield and another northwest of Hamilton measured 1.3 and an inch, respectively." +113891,682045,OHIO,2017,March,Winter Weather,"CLINTON",2017-03-04 07:00:00,EST-5,2017-03-04 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north through the region, producing light snowfall as it passed.","The NWS office in Wilmington measured 0.2 inches of snowfall." +113444,682048,OHIO,2017,March,High Wind,"AUGLAIZE",2017-03-08 12:00:00,EST-5,2017-03-08 16:30:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"Gusty winds were found in the Ohio Valley, being sandwiched between a low pressure center moving across Canada and a high pressure system tracking across the Tennessee Valley. Numerous reports of winds between 45 and 55 mph were found, with scattered damage due to the strong winds reported in west central Ohio.","Trees were down at the intersection of Ioof and Swartz Roads north of Kossuth, as well as on the 16000 block of Dixie Highway on the northeast side of Wapakoneta." +113444,682049,OHIO,2017,March,High Wind,"HARDIN",2017-03-08 12:00:00,EST-5,2017-03-08 16:30:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"Gusty winds were found in the Ohio Valley, being sandwiched between a low pressure center moving across Canada and a high pressure system tracking across the Tennessee Valley. Numerous reports of winds between 45 and 55 mph were found, with scattered damage due to the strong winds reported in west central Ohio.","Trees were down at the intersection of County Road 215 and Route 90. Powerlines were blown down at various locations across the county." +113444,682050,OHIO,2017,March,High Wind,"MERCER",2017-03-08 12:00:00,EST-5,2017-03-08 16:30:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"Gusty winds were found in the Ohio Valley, being sandwiched between a low pressure center moving across Canada and a high pressure system tracking across the Tennessee Valley. Numerous reports of winds between 45 and 55 mph were found, with scattered damage due to the strong winds reported in west central Ohio.","A tree was blown down on St. Johns Road, as well as large limbs along the Mercer-Auglaize county line." +113897,682074,KENTUCKY,2017,March,Winter Weather,"BOONE",2017-03-13 10:00:00,EST-5,2017-03-13 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CVG airport measured 0.8 inches of snowfall." +113897,682076,KENTUCKY,2017,March,Winter Weather,"MASON",2017-03-13 10:00:00,EST-5,2017-03-13 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","A half inch of snow fell in Maysville." +113896,682069,INDIANA,2017,March,Winter Weather,"RIPLEY",2017-03-13 11:00:00,EST-5,2017-03-13 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","An inch of snow was measured just north of Batesville. The CoCoRaHS observer located 4 miles northeast of Osgood also measured an inch of snow." +113898,682111,OHIO,2017,March,Winter Weather,"CLARK",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located 4 miles north of Springfield measured 0.7 inches of snow. Another closer to town measured 0.6 inches." +113898,682091,OHIO,2017,March,Winter Weather,"DARKE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located 2 miles northwest of Bradford measured 0.7 inches of snow. The county garage near Greenville and another CoCoRaHS observer west of Versailles measured a half inch of snow." +113898,682092,OHIO,2017,March,Winter Weather,"DELAWARE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage located 2 miles east of Delaware measured an inch of snow, as did a social media report and CoCoRaHS observer out of Lewis Center, and yet another CoCoRaHS observer located 4 miles north of Dublin." +113898,682096,OHIO,2017,March,Winter Weather,"FRANKLIN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","An inch of snow was measured by the CoCoRaHS observers located 8 miles northeast of Columbus, 3 miles east of Dublin, and 3 miles north of Galloway. The Columbus airport measured 0.7 inches of snow." +113898,682098,OHIO,2017,March,Winter Weather,"HARDIN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage near Kenton measured an inch of snow." +113898,682101,OHIO,2017,March,Winter Weather,"HOCKING",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The cooperative observer 2 miles north of Logan measured 1.9 inches of snow. The county garage near Lake Logan State Park measured 1.5 inches of snow." +113898,682102,OHIO,2017,March,Winter Weather,"LOGAN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage located 2 miles north of Bellefontaine, as well as the cooperative observer north of Huntsville both measured 1.2 inches of snow." +113875,682176,NEVADA,2017,March,High Wind,"NORTHEASTERN NYE",2017-03-30 10:30:00,PST-8,2017-03-30 14:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought winds gusting up to 85 mph to portions of northern and central Nevada. These strong winds blew down power poles in Humboldt county and did some other minor property damage. In northern Nye county the winds blew down the historic Mitzpah Hotel and Casino sign in Tonopah. The cold front brought heavy snow to portions of White Pine county with 9 to 11 inches reported in some locations.","A wind gust to 60 mph was recorded at the Currant Creek RAWS site." +113875,681958,NEVADA,2017,March,High Wind,"HUMBOLDT",2017-03-30 08:00:00,PST-8,2017-03-30 10:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought winds gusting up to 85 mph to portions of northern and central Nevada. These strong winds blew down power poles in Humboldt county and did some other minor property damage. In northern Nye county the winds blew down the historic Mitzpah Hotel and Casino sign in Tonopah. The cold front brought heavy snow to portions of White Pine county with 9 to 11 inches reported in some locations.","Strong winds gusting to 66 mph snapped 8 power poles along State Route 140 and damaged 3 power poles in the Paradise Hills area. In Winnemucca a carport was destroyed by the strong winds. Damages are estimated." +113875,682177,NEVADA,2017,March,Heavy Snow,"WHITE PINE",2017-03-30 12:00:00,PST-8,2017-03-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought winds gusting up to 85 mph to portions of northern and central Nevada. These strong winds blew down power poles in Humboldt county and did some other minor property damage. In northern Nye county the winds blew down the historic Mitzpah Hotel and Casino sign in Tonopah. The cold front brought heavy snow to portions of White Pine county with 9 to 11 inches reported in some locations.","Reports of 6 to 9 inches of snow were reported in Ely and 9 inches 10 miles southwest of Baker." +113875,682175,NEVADA,2017,March,High Wind,"NORTHWESTERN NYE",2017-03-30 10:30:00,PST-8,2017-03-30 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought winds gusting up to 85 mph to portions of northern and central Nevada. These strong winds blew down power poles in Humboldt county and did some other minor property damage. In northern Nye county the winds blew down the historic Mitzpah Hotel and Casino sign in Tonopah. The cold front brought heavy snow to portions of White Pine county with 9 to 11 inches reported in some locations.","A wind gust of 64 mph was recorded at the Tonopah airport. These strong winds blew down the historic Mitzpah Hotel and Casino sign in Tonopah and blew down a 12 inch diameter tree in front of the museum." +112768,673553,OREGON,2017,March,Heavy Snow,"JACKSON COUNTY",2017-03-05 20:00:00,PST-8,2017-03-06 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season winter storm brought snow to unusually low elevations for this time of year.","A spotter 7NNW Rogue River reported 4.0 inches of snow at 06/0745 PST. It is assumed that it fell overnight. A spotter 3NE Applegate reported 6.0 inches of snow at 06/0940 PST. It is assumed that it fell overnight. A CoCoRAHS observer 5.4NNW Gold Hill reported 6.7 inches of snow in 24 hours ending at 06/1000 PST. The cooperative observer 2SW Prospect reported 6.0 inches of snow in 24 hours ending at 06/0800 PST." +115023,690268,ILLINOIS,2017,April,Dense Fog,"SALINE",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690269,ILLINOIS,2017,April,Dense Fog,"UNION",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690270,ILLINOIS,2017,April,Dense Fog,"WABASH",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690271,ILLINOIS,2017,April,Dense Fog,"WAYNE",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690272,ILLINOIS,2017,April,Dense Fog,"WHITE",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115018,690214,MISSOURI,2017,April,Strong Wind,"PERRY",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690215,MISSOURI,2017,April,Strong Wind,"RIPLEY",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690216,MISSOURI,2017,April,Strong Wind,"SCOTT",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +119290,716552,WISCONSIN,2017,July,Flood,"LAFAYETTE",2017-07-21 18:18:00,CST-6,2017-07-24 22:42:00,0,0,0,0,5.00K,5000,0.00K,0,42.6813,-90.0914,42.686,-90.1,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Pecatonica River near Darlington crested at 15.35 ft. which is moderate flood stage. There is flooding in Calamine, Wisconsin, about 5 miles upstream of Darlington. Highways 23 and 81 are flooded and closed in Darlington as is a good part of Main Street. This includes the highway 23 bridge. The Lafayette County Fairgrounds are flooded." +119290,716590,WISCONSIN,2017,July,Flood,"GREEN",2017-07-22 19:47:00,CST-6,2017-07-23 03:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.7287,-89.468,42.726,-89.439,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Sugar River at Albany crested at 12.04 ft., which is minor flood stage. Floodwaters affect the village park in Albany. Floodwaters cover Tin Can Road about 2 miles northwest of Albany." +119290,716605,WISCONSIN,2017,July,Flood,"ROCK",2017-07-20 16:15:00,CST-6,2017-07-28 04:00:00,0,0,0,0,1.00K,1000,5.00K,5000,42.5537,-89.3661,42.5157,-89.2802,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Sugar River flooded from Green County into Rock County. The Avon Bottoms State Natural Area is flooded including County Road T which is the border of Green and Rock County." +113845,681769,MICHIGAN,2017,February,Winter Weather,"ALGER",2017-02-01 00:00:00,EST-5,2017-02-02 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the Upper Great Lakes generated moderate to heavy lake effect snow and considerable blowing snow for the several northwest wind snow belt locations near Lake Superior from the 1st into the 2nd.","The observer ten miles south of Grand Marais measured nearly 18 inches of lake effect snow over a two-day period. Northwest winds gusting near 30 mph at times also caused considerable blowing and drifting of snow as well." +113845,681771,MICHIGAN,2017,February,Winter Weather,"LUCE",2017-02-01 07:00:00,EST-5,2017-02-02 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the Upper Great Lakes generated moderate to heavy lake effect snow and considerable blowing snow for the several northwest wind snow belt locations near Lake Superior from the 1st into the 2nd.","The observer in Newberry measured 6.3 inches of lake effect snow in 24 hours." +113845,681772,MICHIGAN,2017,February,Winter Weather,"BARAGA",2017-02-01 00:00:00,EST-5,2017-02-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the Upper Great Lakes generated moderate to heavy lake effect snow and considerable blowing snow for the several northwest wind snow belt locations near Lake Superior from the 1st into the 2nd.","The observer in Herman measured six inches of lake effect snow in 24 hours." +114017,682838,GUAM,2017,March,Rip Current,"BELAU",2017-03-30 17:00:00,GST10,2017-03-31 00:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 37 man died on the reef just off of Talafofo, Guam. The person died while fishing near the end of the month.","A 37-year-old man died on the reef just off of Ipan Talofofo, Guam.||Guam Fire Department responded to a beach along the east side of Guam after 23:40 on the night of the 30th. At that time fire department personnel pulled a distressed fisherman to safety. ||The fisherman told the firefighters that he and a few other people were walking the reef, searching for lobsters. Since the other men could not be seen, searchers combed the Calvo Beach area near Ipan, Talofofo.||Sea heights just off-shore were between 8 and 9 feet as recorded by the Ipan wave rider buoy. The tide was also decreasing during the evening which may have helped enhance already strong currents. ||At around 10:00 am on the 31st, a U. S. Coast Guard boat recovered the body of the 37-year-old man outside the reef in front of the Calvo Beach in Ipan, Talofofo Guam." +114629,687524,VERMONT,2017,May,Hail,"ORANGE",2017-05-18 18:45:00,EST-5,2017-05-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-72.22,44.06,-72.22,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Dime size hail reported." +112835,674178,MICHIGAN,2017,March,High Wind,"MIDLAND",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674179,MICHIGAN,2017,March,High Wind,"BAY",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674191,MICHIGAN,2017,March,High Wind,"WASHTENAW",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674193,MICHIGAN,2017,March,High Wind,"LENAWEE",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674194,MICHIGAN,2017,March,High Wind,"MONROE",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674181,MICHIGAN,2017,March,High Wind,"SAGINAW",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,23.00M,23000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674186,MICHIGAN,2017,March,High Wind,"LAPEER",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112834,674176,PENNSYLVANIA,2017,January,Lake-Effect Snow,"NORTHERN ERIE",2017-01-04 13:00:00,EST-5,2017-01-07 06:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through the early morning hours of the 7th and then dissipated by daybreak. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern and eastern ends of Erie County where totals in some areas were greater than a foot. A few of the higher totals in Erie County included 23.5 inches on the higher terrain south of North East; 16.4 inches in Millcreek Township; 11.4 inches in Fairview and 11.0 inches at Colt Station. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported.","Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through the early morning hours of the 7th and then dissipated by daybreak. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern and eastern ends of Erie County where totals in some areas were greater than a foot. A few of the higher totals in Erie County included 23.5 inches on the higher terrain south of North East; 16.4 inches in Millcreek Township; 11.4 inches in Fairview and 11.0 inches at Colt Station. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported." +112888,674401,ILLINOIS,2017,January,Dense Fog,"GALLATIN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674400,ILLINOIS,2017,January,Dense Fog,"FRANKLIN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112805,674601,WISCONSIN,2017,January,Heavy Snow,"CRAWFORD",2017-01-24 19:34:00,CST-6,2017-01-25 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to western Wisconsin. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 2 to 12 inches with the highest total an estimated 10 to 12 inches in Mt. Hope (Grant County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 2 to 8 inches of heavy, wet snow fell across Crawford County. The higher totals were generally over the northern three-quarters of the county. The highest reported total was 8.2 inches near Steuben." +113225,677428,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","The NWS office in Airway Heights recorded 4.6 inches of new snow accumulation." +113225,677431,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","The NWS observer at the Spokane International Airport measured 8.3 inches of new snow from this storm." +113225,677432,WASHINGTON,2017,February,Heavy Snow,"SPOKANE AREA",2017-02-03 10:00:00,PST-8,2017-02-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer near Marshall measured 10 inches of new snow." +111780,666678,OKLAHOMA,2017,January,Ice Storm,"ROGERS",2017-01-13 04:00:00,CST-6,2017-01-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +113266,677798,CALIFORNIA,2017,January,High Wind,"KERN CTY MTNS",2017-01-23 02:32:00,PST-8,2017-01-23 02:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A final storm system in a series of systems moved through central California bringing strong gusty winds to parts of the San Joaquin Valley and Kern County Mountain areas.","At 2:34 PST the Blue Max RAWS (TR518) reported a wind gust of 70 mph and a sustained wind of 21 mph." +113266,677799,CALIFORNIA,2017,January,High Wind,"KERN CTY MTNS",2017-01-22 04:13:00,PST-8,2017-01-22 21:13:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A final storm system in a series of systems moved through central California bringing strong gusty winds to parts of the San Joaquin Valley and Kern County Mountain areas.","Between 04:13 PST and 21:13 PST the Grapevine Peak RAWS (GVPC1) reported a maximum wind gust of 108 mph and sustained winds of 33-81 mph." +113138,677422,OREGON,2017,January,Ice Storm,"UPPER HOOD RIVER VALLEY",2017-01-17 08:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","Devastating Ice Storm in the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches, with 1.5 to 2 inches in Hood River. Interstate 84 (I-84) through the Gorge was closed for a good part of 3 days." +113138,677425,OREGON,2017,January,Ice Storm,"WESTERN COLUMBIA RIVER GORGE",2017-01-17 08:00:00,PST-8,2017-01-18 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","Devastating Ice Storm in the Columbia River Gorge, with ice accumulations generally around 1 to 2 inches. Interstate 84 (I-84) through the Gorge was closed for a good part of 3 days." +113232,677872,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 10:35:00,MST-7,2017-01-09 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 09/1405 MST." +113232,677873,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 23:15:00,MST-7,2017-01-10 02:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Wyoming Hill measured wind gusts of 58 mph or higher, with a peak gust of 77 mph at 10/0055 MST." +115365,695726,ARKANSAS,2017,April,Heavy Rain,"MONTGOMERY",2017-04-30 05:30:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-93.63,34.5,-93.63,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rain fall was 5.75 inches. Before midnight, 4.75 inches fell before midnight." +115365,695741,ARKANSAS,2017,April,Heavy Rain,"PULASKI",2017-04-30 06:00:00,CST-6,2017-04-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-92.36,34.86,-92.36,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall was 5.38 inches." +115365,695742,ARKANSAS,2017,April,Heavy Rain,"VAN BUREN",2017-04-30 06:00:00,CST-6,2017-04-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-92.4,35.39,-92.4,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.28 inches." +115365,695743,ARKANSAS,2017,April,Heavy Rain,"SEARCY",2017-04-30 06:00:00,CST-6,2017-04-30 06:10:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-92.7,35.72,-92.7,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 3.40 inches from the Dennard 10 WSW observer." +115365,695744,ARKANSAS,2017,April,Heavy Rain,"CONWAY",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-92.75,35.32,-92.75,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour total rainfall was 2.86." +115365,695746,ARKANSAS,2017,April,Heavy Rain,"JACKSON",2017-04-30 06:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-91.07,35.46,-91.07,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 5.84 inches." +112894,677155,CALIFORNIA,2017,January,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-01-22 08:00:00,PST-8,2017-01-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Twenty-five inches of snow fell in Aspendell." +112895,677156,NEVADA,2017,January,Heavy Snow,"SPRING MOUNTAINS",2017-01-18 21:00:00,PST-8,2017-01-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert and southern Great Basin, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Fifteen inches of snow fell in Lee Canyon." +112895,677157,NEVADA,2017,January,Heavy Snow,"LAS VEGAS VALLEY",2017-01-20 07:00:00,PST-8,2017-01-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert and southern Great Basin, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Fifteen inches of snow fell in Rainbow Canyon." +112895,677158,NEVADA,2017,January,Winter Weather,"SPRING MOUNTAINS",2017-01-22 12:00:00,PST-8,2017-01-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert and southern Great Basin, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","Red Rock Scenic Loop was closed due to snow falling as low as 4000 feet." +113232,677477,WYOMING,2017,January,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-01-09 21:50:00,MST-7,2017-01-10 17:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 77 mph at 10/1450 MST." +113232,677478,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-09 01:00:00,MST-7,2017-01-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","A UPR sensor near Rawlins measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 09/0230 MST." +113232,677479,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-09 01:05:00,MST-7,2017-01-09 04:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 09/0105 MST." +113232,677481,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-10 20:10:00,MST-7,2017-01-10 21:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 10/2020 MST." +113232,677482,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-09 01:15:00,MST-7,2017-01-09 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Sinclair measured peak wind gusts of 58 mph." +113232,677483,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-09 03:25:00,MST-7,2017-01-09 05:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 09/0330 MST." +113030,676209,ALABAMA,2017,January,Thunderstorm Wind,"CLARKE",2017-01-22 11:09:00,CST-6,2017-01-22 11:09:00,0,0,0,0,3.00K,3000,0.00K,0,31.48,-87.82,31.48,-87.82,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A tree was blown down onto a power line on Gainestown Road near Evergreen Road." +113030,676210,ALABAMA,2017,January,Thunderstorm Wind,"MONROE",2017-01-22 11:37:00,CST-6,2017-01-22 11:37:00,0,0,0,0,45.00K,45000,0.00K,0,31.82,-87.09,31.82,-87.09,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A roof was blown off of a trailer and a house. 2 barns and a shed were destroyed. Numerous trees were blown down." +113030,676211,ALABAMA,2017,January,Thunderstorm Wind,"BUTLER",2017-01-22 11:52:00,CST-6,2017-01-22 11:52:00,0,0,0,0,5.00K,5000,0.00K,0,31.86,-86.84,31.86,-86.84,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A roof of a home was damage by severe thunderstorm winds." +113036,676841,MICHIGAN,2017,January,Winter Weather,"NORTHERN HOUGHTON",2017-01-10 08:00:00,EST-5,2017-01-10 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","Spotters in Chassell and Hancock measured six to seven inches of snow in 14 hours. West winds becoming gusty toward evening caused blowing and drifting of snow across roadways." +113036,676843,MICHIGAN,2017,January,Winter Storm,"DELTA",2017-01-10 09:00:00,EST-5,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report of an estimated six inches of wet snow in 12 hours at Rock. Wet snow accumulation on roads caused multiple cars to slide into the ditch between Gladstone and Escanaba." +113036,676858,MICHIGAN,2017,January,Winter Storm,"ALGER",2017-01-11 09:00:00,EST-5,2017-01-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There were several reports via social media of eight inches of lake enhanced snow in 12 hours between Munising and Grand Marais on the 11th." +113036,676861,MICHIGAN,2017,January,Winter Weather,"MARQUETTE",2017-01-11 08:30:00,EST-5,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","Numerous locations across the county reported six inches of fluffy lake enhanced snow in 8 hours including the National Weather Service Office in Negaunee Township." +113036,676865,MICHIGAN,2017,January,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-01-11 08:30:00,EST-5,2017-01-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","The spotter in Manistique measured four inches of lake enhanced snow in eight hours." +113041,675771,CALIFORNIA,2017,January,Hail,"MONTEREY",2017-01-22 14:45:00,PST-8,2017-01-22 15:00:00,0,0,0,0,0.01K,10,0.01K,10,36.5,-121.93,36.5,-121.93,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pea sized hail reported in Carmel." +113104,676448,NEW MEXICO,2017,January,High Wind,"SOUTHERN TULAROSA BASIN",2017-01-21 09:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to |88 mph to the region and up to a foot of snow in the Gila region.","A peak gust of 88 mph was recorded at San Augustin Pass. Other strong wind reports included 71 mph 5 miles northeast of San Augustin Pass and 68 mph at Condron Field." +113104,676451,NEW MEXICO,2017,January,High Wind,"SOUTHERN DONA ANA COUNTY/MESILLA VALLEY",2017-01-21 12:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to |88 mph to the region and up to a foot of snow in the Gila region.","A Mesonet site at Twin Peaks near Las Cruces reported a peak gust of 68 mph. Other gusts included 64 mph 6 miles west-southwest of Las Cruces, 61 mph at the Las Cruces Airport AWOS, 61 mph at the National Weather Service Office in Santa Teresa and 60 mph 2 miles east-southeast of Talavera." +113104,676452,NEW MEXICO,2017,January,High Wind,"CENTRAL TULAROSA BASIN",2017-01-21 13:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to |88 mph to the region and up to a foot of snow in the Gila region.","A peak gust of 65 mph was reported 1 mile southeast of the White Sands Missile Range Main Post. Other gusts included 61 mph 6 miles east-southeast of the WSMR Main Post, and 60 mph at the Main Post." +113244,677546,WASHINGTON,2017,February,Heavy Snow,"CASCADES OF PIERCE AND LEWIS COUNTIES",2017-02-04 12:00:00,PST-8,2017-02-05 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Paradise NWAC station reported 14 inches snow during 12 hours ending 3 am Feb 5." +113244,677547,WASHINGTON,2017,February,Heavy Snow,"CASCADES OF PIERCE AND LEWIS COUNTIES",2017-02-05 04:00:00,PST-8,2017-02-06 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Paradise NWAC station reported 19 inches snow during 24 hours ending 4 am Feb 6." +113185,677071,OHIO,2017,January,Winter Weather,"CLARK",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The observer just north of Springfield measured six tenths of an inch of snow. The CoCoRaHS observer 4 miles north of town measured a half inch." +113185,677072,OHIO,2017,January,Winter Weather,"CLINTON",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The NWS office measured 1.4 inches of snow. An employee near Odgen measured 1.2 inches. Another employee 2 miles north of Wilmington measured six tenths of an inch of snow." +113185,677075,OHIO,2017,January,Winter Weather,"HIGHLAND",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The county garage near Hillsboro measured an inch of snow. A social media report from north of Wakefield measured eight tenths of an inch." +113030,676143,ALABAMA,2017,January,Thunderstorm Wind,"MOBILE",2017-01-21 07:15:00,CST-6,2017-01-21 07:15:00,0,0,0,0,10.00K,10000,0.00K,0,30.69,-88.31,30.69,-88.31,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A large tree was blown down onto a home on Darling Lane." +113060,676061,ALABAMA,2017,January,Tornado,"MARENGO",2017-01-21 05:55:00,CST-6,2017-01-21 06:01:00,0,0,0,0,0.00K,0,0.00K,0,32.0988,-87.7823,32.157,-87.7634,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in south-central Marengo County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down along U.S. Highway 43 near the intersection of Sweetwater Creek and Wayne Road. The tornado tracked north northeast and downed several trees along the path. A few outbuildings were damaged. The tornado lifted north of Pillie Road and Diamond Road, east of U.S. Highway 43." +113063,676085,VIRGINIA,2017,January,Winter Storm,"HENRY",2017-01-06 15:45:00,EST-5,2017-01-07 12:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of Martinsville, where 9 inches of snow was measured." +113092,682307,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-17 14:30:00,PST-8,2017-01-18 23:00:00,0,0,0,0,4.50M,4500000,0.00K,0,39.8323,-123.6326,39.8323,-123.6326,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Large landslide and drainage issues near mile post 87 on Highway 101. Slide reported on January 25th and was caused by the heavy rain earlier in the month." +112874,674298,CALIFORNIA,2017,January,Flash Flood,"SAN BERNARDINO",2017-01-01 06:41:00,PST-8,2017-01-01 07:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.9043,-116.7727,34.8906,-116.7709,"A Pacific storm system and associated cold front brought high winds to the Owens Valley, and isolated flash flooding to the Mojave Desert.","A car was stuck in rushing water on Minneola Road." +112874,674299,CALIFORNIA,2017,January,High Wind,"OWENS VALLEY",2017-01-01 21:42:00,PST-8,2017-01-01 23:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system and associated cold front brought high winds to the Owens Valley, and isolated flash flooding to the Mojave Desert.","These winds occurred 5 miles NW of Independence." +112874,674300,CALIFORNIA,2017,January,High Wind,"OWENS VALLEY",2017-01-02 13:43:00,PST-8,2017-01-02 16:42:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system and associated cold front brought high winds to the Owens Valley, and isolated flash flooding to the Mojave Desert.","The peak gust was measured 5 miles NW of Independence. Three big rigs were blown over on Highway 395 north of Olancha." +113078,676309,VIRGINIA,2017,January,Strong Wind,"WYTHE",2017-01-31 14:36:00,EST-5,2017-01-31 14:36:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"A Low Pressure system over Michigan tracked east into New England during the day on January 31st. The associated cold front with this system pushed through the Mid-Atlantic region before stalling across Tennessee and North Carolina on February 1st. Ahead of this boundary, southeasterly winds intensified across the eastern slopes of the Blue Ridge Mountains, producing isolated tree damage in the favored upslope areas.","Strong winds resulted in the downing of five trees within the town of Wytheville. A local mesonet site, recorded a wind gust of 40 MPH." +111458,664945,OKLAHOMA,2017,January,Winter Storm,"ADAIR",2017-01-06 01:30:00,CST-6,2017-01-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance moved into the Southern Plains on the 6th. Arctic air had previously settled into the region and became deep enough to support snow as the disturbance approached. Light snow fell across much of eastern Oklahoma south of a Pawnee-Tulsa-Jay line. A heavy band of snow of four to five inches fell across portions of Muskogee, McIntosh, Adair, Okmulgee, and Cherokee Counties.","" +111458,664946,OKLAHOMA,2017,January,Winter Storm,"CHEROKEE",2017-01-06 01:15:00,CST-6,2017-01-06 04:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance moved into the Southern Plains on the 6th. Arctic air had previously settled into the region and became deep enough to support snow as the disturbance approached. Light snow fell across much of eastern Oklahoma south of a Pawnee-Tulsa-Jay line. A heavy band of snow of four to five inches fell across portions of Muskogee, McIntosh, Adair, Okmulgee, and Cherokee Counties.","" +111458,664947,OKLAHOMA,2017,January,Winter Storm,"MCINTOSH",2017-01-06 00:45:00,CST-6,2017-01-06 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance moved into the Southern Plains on the 6th. Arctic air had previously settled into the region and became deep enough to support snow as the disturbance approached. Light snow fell across much of eastern Oklahoma south of a Pawnee-Tulsa-Jay line. A heavy band of snow of four to five inches fell across portions of Muskogee, McIntosh, Adair, Okmulgee, and Cherokee Counties.","" +111458,664949,OKLAHOMA,2017,January,Winter Storm,"MUSKOGEE",2017-01-06 00:45:00,CST-6,2017-01-06 04:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance moved into the Southern Plains on the 6th. Arctic air had previously settled into the region and became deep enough to support snow as the disturbance approached. Light snow fell across much of eastern Oklahoma south of a Pawnee-Tulsa-Jay line. A heavy band of snow of four to five inches fell across portions of Muskogee, McIntosh, Adair, Okmulgee, and Cherokee Counties.","" +113796,681512,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was reported three miles south-southwest of Cheyenne." +112538,671208,OHIO,2017,January,High Wind,"LAKE",2017-01-10 17:52:00,EST-5,2017-01-10 17:52:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed many trees and large limbs across Lake County resulting in scattered power outages. Several trees were downed near where Interstate 90 crosses State Route 44 in the western part of the county." +112965,675007,NORTH CAROLINA,2017,January,Heavy Snow,"EASTERN POLK",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675008,NORTH CAROLINA,2017,January,Heavy Snow,"GREATER BURKE",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +113830,681580,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","A foot of snow was observed at Minatare." +113830,681581,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer four miles southwest of Minatare measured a foot of snow." +113830,681582,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","A foot of snow was observed seven miles south of Gering." +112779,678084,KANSAS,2017,January,Ice Storm,"GRAY",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 1/2 inches. Water equivalent was 2 to 3 inches. Tree and power line damage was extensive." +112779,678085,KANSAS,2017,January,Ice Storm,"HAMILTON",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1/2 inch. Water equivalent was 0.5 to 0.75 inches." +111725,666380,KANSAS,2017,January,Ice Storm,"WASHINGTON",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Law enforcement and public reports including social media indicate that ice accumulations of one quarter to around three quarters of an inch of ice occurred throughout the county during this ice storm." +113133,678257,OREGON,2017,January,Winter Storm,"GREATER PORTLAND METRO AREA",2017-01-07 09:30:00,PST-8,2017-01-09 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a brief period of snow/sleet brought a trace to 1 inch of accumulation, a substantial ice storm affected especially eastern portions of the Portland metro areas Ice accumulations ranged from 0.25 in Southwest Portland to as much as 0.75 around Gresham and Fairview. WFO Portland reported 0.51 of ice by Jan 8th. Around 7200 people lost power during the peak of the ice storm." +113024,675568,CALIFORNIA,2017,January,Hail,"SANTA CLARA",2017-01-19 10:15:00,PST-8,2017-01-19 10:25:00,0,0,0,0,5000.00K,5000000,,NaN,37.2299,-121.96,37.2299,-121.96,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Damage dollar amounts is a low estimate. Impacts are not fully known, but any individual car crash would likely exceed this amount." +112710,673995,CALIFORNIA,2017,January,Drought,"W CENTRAL S.J. VALLEY",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +112710,673996,CALIFORNIA,2017,January,Drought,"E CENTRAL S.J. VALLEY",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +113117,677847,ILLINOIS,2017,January,Flood,"ROCK ISLAND",2017-01-20 20:00:00,CST-6,2017-01-21 07:45:00,0,0,0,0,15.00K,15000,0.00K,0,41.464,-90.51,41.457,-90.51,"Heavy rainfall upstream combined with a nearby ice jam led to major flooding on the Rock River at Moline.","Seasonably heavy rainfall upstream combined with a rare ice jam that impacted the river for several days. Major flood conditions resulted for a small segment of the Rock River at Moline for less than 12 hours. Local reports indicate ice and water impacted some local roads and numerous homes and structures near the Rock River.||Some water damage was reported to some homes." +113117,677842,ILLINOIS,2017,January,Flood,"ROCK ISLAND",2017-01-20 23:00:00,CST-6,2017-01-20 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.559,-90.195,41.553,-90.196,"Heavy rainfall upstream combined with a nearby ice jam led to major flooding on the Rock River at Moline.","Seasonably heavy rainfall upstream combined with a rare ice jam that impacted the river for several days. Major flood conditions resulted for a small segment of the Rock River near Joslin for less than 1 hour. Local reports indicate that ice impacted a few local roads and homes and structures near the Rock River." +112886,674383,KENTUCKY,2017,January,Dense Fog,"TRIGG",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112444,680197,FLORIDA,2017,February,Thunderstorm Wind,"ALACHUA",2017-02-07 21:00:00,EST-5,2017-02-07 21:30:00,0,0,0,0,0.00K,0,0.00K,0,29.7808,-82.5939,29.7808,-82.5939,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Extensive tree damage occurred along NW 142nd Avenue. There was also some structural damage to farm buildings across the western side of the county including a stable that collapsed an injured 2 horses." +113032,675639,LAKE SUPERIOR,2017,January,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-01-04 14:00:00,EST-5,2017-01-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"West winds in the wake of a cold frontal passage gusted to storm force at Stannard Rock late on the 3rd and then again on the afternoon of the 4th.","The Stannard Rock Light measured a peak wind gust to 48 knots on the afternoon of the 4th." +112334,669762,WYOMING,2017,January,Extreme Cold/Wind Chill,"JACKSON HOLE",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Frigid temperatures occurred throughout the Jackson Valley. Some of the coldest lows included minus 36 degrees at the Jackson Hole Airport and minus 32 degrees at Moose." +111471,682491,CALIFORNIA,2017,January,Flash Flood,"MONTEREY",2017-01-08 23:00:00,PST-8,2017-01-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4775,-121.7368,36.4773,-121.7336,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Levee breach on the Carmel river near Paso Hondo in Carmel Valley village. Inundation from the levee breach impacted 20 to 30 homes. Swift water rescue underway." +111471,683608,CALIFORNIA,2017,January,Flood,"ALAMEDA",2017-01-07 07:30:00,PST-8,2017-01-07 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.4784,-121.9337,37.4785,-121.9335,"Potent atmospheric river bringing heavy rain, strong southerly winds, and storm surge issues. This AR is following a normal to slightly above normal 3 month period, meaning the grounds were saturated.","Localized flooding and intermittent heavy rains on Highway 880 at Mission Blvd exit caused fatal crash taking life of female driver." +113351,678283,SOUTH CAROLINA,2017,March,Hail,"DORCHESTER",2017-03-21 23:40:00,EST-5,2017-03-21 23:48:00,0,0,0,0,,NaN,0.00K,0,32.94,-80.11,32.94,-80.11,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","A trained spotter reported half-dollar sized hail persisting for 8 minutes." +113351,678284,SOUTH CAROLINA,2017,March,Hail,"CHARLESTON",2017-03-21 23:44:00,EST-5,2017-03-21 23:47:00,0,0,0,0,,NaN,0.00K,0,32.98,-80.12,32.98,-80.12,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","A trained spotter reported quarter sized hail in Ladson." +113351,678285,SOUTH CAROLINA,2017,March,Hail,"DORCHESTER",2017-03-21 23:45:00,EST-5,2017-03-21 23:48:00,0,0,0,0,,NaN,0.00K,0,32.94,-80.12,32.94,-80.12,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","An off duty National Weather Service employee reported quarter sized hail near Ladson." +113351,678286,SOUTH CAROLINA,2017,March,Hail,"BERKELEY",2017-03-21 23:49:00,EST-5,2017-03-21 23:52:00,0,0,0,0,,NaN,0.00K,0,33.09,-80.06,33.09,-80.06,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","A member of the public reported quarter sized hail on Cypress Gardens Road." +113351,678287,SOUTH CAROLINA,2017,March,Hail,"CHARLESTON",2017-03-21 23:50:00,EST-5,2017-03-21 23:55:00,0,0,0,0,,NaN,0.00K,0,32.9361,-80.097,32.9361,-80.097,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","Trained spotters reported quarter sized hail falling on Kellum Road, Ashley Phosphate Road, and Royal Palm Lane." +113351,678288,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"ALLENDALE",2017-03-21 23:04:00,EST-5,2017-03-21 23:05:00,0,0,0,0,,NaN,0.00K,0,32.96,-81.24,32.96,-81.24,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","Allendale County dispatch reported multiple trees down on power lines on Bay Shore Drive near Fairfax." +113358,680890,MAINE,2017,March,Blizzard,"CENTRAL PENOBSCOT",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 10 to 15 inches. Blizzard conditions also occurred." +112767,675163,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 01:16:00,EST-5,2017-03-01 01:18:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-84.39,39.27,-84.39,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675164,OHIO,2017,March,Hail,"AUGLAIZE",2017-03-01 04:12:00,EST-5,2017-03-01 04:14:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-84.15,40.65,-84.15,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112766,677144,KENTUCKY,2017,March,Thunderstorm Wind,"GRANT",2017-03-01 06:55:00,EST-5,2017-03-01 07:10:00,0,0,0,0,10.00K,10000,0.00K,0,38.7466,-84.6016,38.7466,-84.6016,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were reported downed onto county roads, especially across northern portions of the county." +113382,678426,OHIO,2017,March,Hail,"LICKING",2017-03-30 17:30:00,EST-5,2017-03-30 17:32:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-82.44,40.03,-82.44,"Isolated thunderstorms developed across central Ohio during the early evening hours ahead of an upper level disturbance.","" +113382,678427,OHIO,2017,March,Hail,"LICKING",2017-03-30 17:29:00,EST-5,2017-03-30 17:31:00,0,0,0,0,0.00K,0,0.00K,0,40.06,-82.4,40.06,-82.4,"Isolated thunderstorms developed across central Ohio during the early evening hours ahead of an upper level disturbance.","" +113382,678428,OHIO,2017,March,Hail,"LICKING",2017-03-30 17:24:00,EST-5,2017-03-30 17:26:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-82.41,39.94,-82.41,"Isolated thunderstorms developed across central Ohio during the early evening hours ahead of an upper level disturbance.","" +113382,678429,OHIO,2017,March,Hail,"LICKING",2017-03-30 17:21:00,EST-5,2017-03-30 17:23:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-82.44,40.03,-82.44,"Isolated thunderstorms developed across central Ohio during the early evening hours ahead of an upper level disturbance.","" +112767,678802,OHIO,2017,March,Flood,"HAMILTON",2017-03-01 09:30:00,EST-5,2017-03-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1267,-84.4663,39.1253,-84.4586,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Columbia Parkway remained closed due to high water." +112767,678807,OHIO,2017,March,Flood,"HOCKING",2017-03-01 10:30:00,EST-5,2017-03-01 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4842,-82.7586,39.4765,-82.7631,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Flooding was reported along Salt Creek just west of Laurelville." +112940,674788,VERMONT,2017,March,Winter Storm,"WINDSOR",2017-03-14 07:00:00,EST-5,2017-03-15 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Windsor county generally ranged from 12 to 24 inches. Some specific amounts include; 24 inches in Rochester, 23 inches in Pomfret, 20 inches in Hartland, 17 inches in Hartford and Norwich and 15 inches in Woodstock." +112940,674809,VERMONT,2017,March,Blizzard,"WESTERN RUTLAND",2017-03-14 07:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Rutland county generally ranged from 12 to 22 inches. Some specific amounts include; 22 inches in Pittsford and Middletown Springs, 18 inches in West Rutland, Castleton and Pawlet, 16 inches in Danby and 15 inches in Rutland.||Blizzard conditions impacted many locations of western-northwest Rutland county from Routes 7 and 22A westward to the lakeshore starting around 3 pm and ending around 10 pm with frequent gusts around 35 mph." +119671,717846,NEW MEXICO,2017,September,Hail,"SANDOVAL",2017-09-30 15:12:00,MST-7,2017-09-30 15:14:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-106.73,35.62,-106.73,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Dime to nickel size hail reported at Jemez Pueblo." +114248,684434,MISSOURI,2017,March,Strong Wind,"RIPLEY",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684435,MISSOURI,2017,March,Strong Wind,"SCOTT",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114248,684436,MISSOURI,2017,March,Strong Wind,"STODDARD",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +119671,717847,NEW MEXICO,2017,September,Hail,"COLFAX",2017-09-30 16:13:00,MST-7,2017-09-30 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-104.59,36.37,-104.59,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of half dollars reported in Springer." +114248,684437,MISSOURI,2017,March,Strong Wind,"WAYNE",2017-03-06 20:00:00,CST-6,2017-03-07 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Winds gusted from 40 to nearly 50 mph. The highest measured wind gusts at airport locations included 47 mph at Cape Girardeau and 44 mph at Poplar Bluff.","" +114318,684960,WEST VIRGINIA,2017,March,Thunderstorm Wind,"OHIO",2017-03-01 08:30:00,EST-5,2017-03-01 08:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.05,-80.63,40.05,-80.63,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported trees down on Middle Creek Road." +114318,684961,WEST VIRGINIA,2017,March,Thunderstorm Wind,"OHIO",2017-03-01 08:30:00,EST-5,2017-03-01 08:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.1,-80.67,40.1,-80.67,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported trees down on state route 88." +114318,684962,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 09:42:00,EST-5,2017-03-01 09:42:00,0,0,0,0,5.00K,5000,0.00K,0,39.99,-80.73,39.99,-80.73,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","State official reported a tree down on power lines on Boggs Run near McMechen." +114444,686252,VIRGINIA,2017,March,Winter Weather,"CAROLINE",2017-03-14 00:00:00,EST-5,2017-03-14 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intense low pressure moving east northeast across Virginia and off the Delmarva coast produced minor ice accumulations from freezing rain and strong winds across portions of central Virginia. This resulted in downed trees and power lines, and scattered power outages due to the combination of wind and ice.","Between 0.10 inch and 0.20 inch of ice accumulation was reported across eastern and southern portions of the county. Downed trees and power lines occurred due to the combination of ice and strong winds." +114444,686253,VIRGINIA,2017,March,Winter Weather,"EASTERN CHESTERFIELD",2017-03-14 00:00:00,EST-5,2017-03-14 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intense low pressure moving east northeast across Virginia and off the Delmarva coast produced minor ice accumulations from freezing rain and strong winds across portions of central Virginia. This resulted in downed trees and power lines, and scattered power outages due to the combination of wind and ice.","Around 0.10 inch of ice accumulation was reported in northern portions of the county. Scattered power outages occurred and a few trees were downed due to the combination of ice and strong winds." +114444,686259,VIRGINIA,2017,March,Winter Weather,"WESTERN KING AND QUEEN",2017-03-14 00:00:00,EST-5,2017-03-14 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intense low pressure moving east northeast across Virginia and off the Delmarva coast produced minor ice accumulations from freezing rain and strong winds across portions of central Virginia. This resulted in downed trees and power lines, and scattered power outages due to the combination of wind and ice.","Around 0.10 inch of ice accumulation was reported north of Route 360 in King and Queen county. Trees and power lines were downed due to the combination of ice and strong winds." +114459,686353,VIRGINIA,2017,March,Flash Flood,"CHESAPEAKE (C)",2017-03-31 17:50:00,EST-5,2017-03-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-76.22,36.789,-76.2032,"Scattered thunderstorms in advance of low pressure and a cold front produced heavy rain which caused flash flooding across portions of southeast Virginia.","Knee high water was reported at Sparrow Intermediate School." +114459,686362,VIRGINIA,2017,March,Heavy Rain,"PORTSMOUTH (C)",2017-03-31 18:40:00,EST-5,2017-03-31 18:40:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-76.33,36.8,-76.33,"Scattered thunderstorms in advance of low pressure and a cold front produced heavy rain which caused flash flooding across portions of southeast Virginia.","Rainfall total of 3.36 inches was reported." +114459,686369,VIRGINIA,2017,March,Heavy Rain,"VIRGINIA BEACH (C)",2017-03-31 19:00:00,EST-5,2017-03-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.03,36.89,-76.03,"Scattered thunderstorms in advance of low pressure and a cold front produced heavy rain which caused flash flooding across portions of southeast Virginia.","Rainfall total of 4.52 inches was reported." +114461,686398,NORTH CAROLINA,2017,March,Hail,"HERTFORD",2017-03-31 17:10:00,EST-5,2017-03-31 17:10:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-76.97,36.27,-76.97,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","Quarter size hail was reported." +113549,679726,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:58:00,CST-6,2017-03-06 20:58:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-91.04,43.9,-91.04,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","East of West Salem, a tree was blown down and blocked the eastbound land of Interstate 90." +113549,679731,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 21:25:00,CST-6,2017-03-06 21:25:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-90.64,43.58,-90.64,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","An estimated 60 mph wind gust occurred in La Farge." +113549,679732,WISCONSIN,2017,March,Thunderstorm Wind,"JUNEAU",2017-03-06 21:32:00,CST-6,2017-03-06 21:32:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-90.25,43.94,-90.25,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","The automated weather observing equipment at Volk Field measured a wind gust of 63 mph." +113549,679733,WISCONSIN,2017,March,Hail,"GRANT",2017-03-06 22:24:00,CST-6,2017-03-06 22:24:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-90.44,42.53,-90.44,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","" +113549,682453,WISCONSIN,2017,March,Thunderstorm Wind,"TREMPEALEAU",2017-03-06 20:18:00,CST-6,2017-03-06 20:18:00,0,0,0,0,5.00K,5000,0.00K,0,44.43,-91.4,44.43,-91.4,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","A metal grain bin was blown over in Elk Creek." +114020,682867,VIRGINIA,2017,March,Thunderstorm Wind,"CLARKE",2017-03-01 12:42:00,EST-5,2017-03-01 12:42:00,0,0,0,0,,NaN,,NaN,39.1496,-77.9814,39.1496,-77.9814,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Berryville. One tree fell onto a house." +114020,682868,VIRGINIA,2017,March,Thunderstorm Wind,"ALBEMARLE",2017-03-01 12:48:00,EST-5,2017-03-01 12:48:00,0,0,0,0,,NaN,,NaN,38.12,-78.44,38.12,-78.44,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Hollymead." +114020,682869,VIRGINIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 12:48:00,EST-5,2017-03-01 12:48:00,0,0,0,0,,NaN,,NaN,38.23,-78.37,38.23,-78.37,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down in Ruckersville." +114020,682870,VIRGINIA,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 12:48:00,EST-5,2017-03-01 12:48:00,0,0,0,0,,NaN,,NaN,38.3668,-78.2414,38.3668,-78.2414,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down on Oak Park Road." +114020,682871,VIRGINIA,2017,March,Thunderstorm Wind,"ALBEMARLE",2017-03-01 12:50:00,EST-5,2017-03-01 12:50:00,0,0,0,0,,NaN,,NaN,37.8864,-78.6167,37.8864,-78.6167,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down in Alberene." +114020,682872,VIRGINIA,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 12:54:00,EST-5,2017-03-01 12:54:00,0,0,0,0,,NaN,,NaN,38.2603,-78.2118,38.2603,-78.2118,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down on Tatums School Road." +114020,682873,VIRGINIA,2017,March,Thunderstorm Wind,"CULPEPER",2017-03-01 12:56:00,EST-5,2017-03-01 12:56:00,0,0,0,0,,NaN,,NaN,38.58,-77.97,38.58,-77.97,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down across northern Culpeper County." +114020,682874,VIRGINIA,2017,March,Thunderstorm Wind,"CULPEPER",2017-03-01 13:00:00,EST-5,2017-03-01 13:00:00,0,0,0,0,,NaN,,NaN,38.471,-78.0011,38.471,-78.0011,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down across central Culpeper County." +114020,682875,VIRGINIA,2017,March,Thunderstorm Wind,"LOUDOUN",2017-03-01 13:00:00,EST-5,2017-03-01 13:00:00,0,0,0,0,,NaN,,NaN,39.138,-77.7115,39.138,-77.7115,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Purcellville." +120446,721601,ILLINOIS,2017,July,Hail,"ST. CLAIR",2017-07-23 02:35:00,CST-6,2017-07-23 02:35:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-89.98,38.52,-89.98,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120446,721603,ILLINOIS,2017,July,Thunderstorm Wind,"ST. CLAIR",2017-07-23 02:30:00,CST-6,2017-07-23 02:41:00,0,0,0,0,0.00K,0,0.00K,0,38.5214,-90.0082,38.5455,-89.8215,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down numerous large tree limbs. In Belleville, two large tree limbs fell onto the roof of a house causing moderate roof damage." +120446,721605,ILLINOIS,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-23 03:05:00,CST-6,2017-07-23 03:18:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-89.65,39.3195,-89.5674,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds caused minor damage to buildings at a business on the west side of Litchfield. In Raymond, numerous tree limbs were blown down and some shingles were blown off roofs." +113789,681230,TEXAS,2017,March,Sneakerwave,"ARANSAS",2017-03-25 09:35:00,CST-6,2017-03-25 09:35:00,1,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A rogue wave capsized a boat of unknown size near Port Aransas on Saturday morning. The capsizing of the boat resulted when another boat of unknown size crashed into it, possibly causing it to sink. Eight people were rescued from the water by the USCG. An 85-year old male was rushed to the hospital and suffered a severe hip injury and a compound fracture as a result of the incident.","A rogue wave capsized a boat of unknown size near Port Aransas, TX on Saturday morning. The capsizing of the boat resulted in another boat of unknown size crashing into it, possibly causing it to sink. 8 people were rescued from the water by the USCG. An 85-year old male was rushed to the hospital and suffered a severe hip injury and a compound fracture as a result of the incident. United States Coast Guard units from Port Aransas and Corpus Christi along with the Texas Parks and Wildlife Department assisted with incident." +112708,679753,SOUTH CAROLINA,2017,March,Hail,"LANCASTER",2017-03-01 20:20:00,EST-5,2017-03-01 20:25:00,0,0,0,0,0.01K,10,0.01K,10,35,-80.86,35,-80.86,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Pea to dime size hail reported in Indian Land." +117223,704977,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 13:45:00,MST-7,2017-06-23 13:45:00,0,0,0,0,,NaN,,NaN,32.9198,-103.3378,32.9198,-103.3378,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced a 70 mph wind gust one mile southeast of Lovington." +117223,704981,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 13:50:00,MST-7,2017-06-23 13:50:00,0,0,0,0,,NaN,,NaN,32.6599,-103.1497,32.6599,-103.1497,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced a 71 mph wind gust three miles south southwest of Hobbs." +112708,679754,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"FAIRFIELD",2017-03-01 20:00:00,EST-5,2017-03-01 20:05:00,0,0,0,0,,NaN,,NaN,34.56,-81.25,34.56,-81.25,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Tree in roadway on Old Douglass Rd near the Chester County line." +112708,679755,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"FAIRFIELD",2017-03-01 20:03:00,EST-5,2017-03-01 20:08:00,0,0,0,0,,NaN,,NaN,34.53,-81.17,34.53,-81.17,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","SC Highway Patrol reported trees down on Blackstock Rd at US Hwy 321." +112708,679756,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"LANCASTER",2017-03-01 20:35:00,EST-5,2017-03-01 20:40:00,0,0,0,0,,NaN,,NaN,34.59,-80.67,34.59,-80.67,"A cold front moved through on the night of March 1st, along and ahead of which were scattered thunderstorms, a few of which were severe.","Several reports of trees and power lines down in and around the Heath Springs vicinity." +113115,679797,GEORGIA,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-21 21:30:00,EST-5,2017-03-21 21:35:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-82.48,33.67,-82.48,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Lincoln Co Sherriff's Dept reported large limbs down on Woodlawn Amity Rd near the Amity community." +113115,679798,GEORGIA,2017,March,Thunderstorm Wind,"MCDUFFIE",2017-03-21 21:35:00,EST-5,2017-03-21 21:40:00,0,0,0,0,,NaN,,NaN,33.47,-82.5,33.47,-82.5,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Thunderstorm wind gusts downed two trees into a yard." +117223,704994,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 13:52:00,MST-7,2017-06-23 13:52:00,0,0,0,0,,NaN,,NaN,32.7512,-103.1908,32.7512,-103.1908,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced a 61 mph wind gust five miles northwest of Hobbs." +115199,694571,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:12:00,CST-6,2017-05-16 17:12:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-99.9,35.15,-99.9,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +117223,704998,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 14:05:00,MST-7,2017-06-23 14:05:00,0,0,0,0,,NaN,,NaN,32.6693,-103.1665,32.6693,-103.1665,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced a 63 mph wind gust three miles southwest of Hobbs." +117223,704997,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 14:00:00,MST-7,2017-06-23 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.7257,-103.1351,32.7257,-103.1351,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced wind damage in Hobbs. Windows were blown out at KHOB Radio on N. Bensing Road and power poles were blown down along N. Bender Boulevard. The cost of damage is a very rough estimate." +115198,694542,OKLAHOMA,2017,May,Flash Flood,"NOBLE",2017-05-11 16:12:00,CST-6,2017-05-11 19:12:00,0,0,0,0,2.00K,2000,0.00K,0,36.46,-97.21,36.4608,-97.2305,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","County emergency manager reported state highway 15 was closed due to flash flooding between county road 140 and county road 150. Two people were rescued when their car stalled in the water." +115199,694570,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 16:55:00,CST-6,2017-05-16 16:55:00,0,0,0,0,0.00K,0,0.00K,0,35.1315,-99.9045,35.1315,-99.9045,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +114626,687522,CALIFORNIA,2017,March,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-03-16 01:30:00,PST-8,2017-03-16 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Numerous ASOS and AWOS stations along the San Diego County coast reported visibility of 1/4 mile or less over a 7 hour period. No impacts were reported at San Diego International." +115199,694574,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:31:00,CST-6,2017-05-16 17:31:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-99.65,35.29,-99.65,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694576,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:38:00,CST-6,2017-05-16 17:38:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-99.64,35.3,-99.64,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694577,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:44:00,CST-6,2017-05-16 17:44:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-99.62,35.29,-99.62,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115365,695762,ARKANSAS,2017,April,Heavy Rain,"JACKSON",2017-04-30 07:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-91.24,35.63,-91.24,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.62 inches." +115827,696136,ARKANSAS,2017,April,Flood,"PERRY",2017-04-30 00:57:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.0192,-92.7346,35.0044,-92.7361,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the Fouche LaFave River at Houston. The flooding began early on 4/30/17." +115827,696152,ARKANSAS,2017,April,Flood,"WHITE",2017-04-30 06:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.2697,-91.6442,35.2648,-91.6443,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted at the end of April on the Little Red River at Judsonia. Flooding began early on 4/30/17." +113602,680036,WYOMING,2017,March,High Wind,"ABSAROKA MOUNTAINS",2017-03-01 12:00:00,MST-7,2017-03-01 12:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an approaching front that tightened the pressure gradient and strong mid level winds mixing to the surface brought high winds portions of northwestern and central Wyoming. Hurricane force wind gusts occurred in the Absarokas where a pair of 82 mph wind gusts were recorded. In the nearby Cody Foothills, two locations near Clark had gusts to 67 mph with gusts over 50 mph in the west side of Cody. In the Green and Rattlesnake range, high winds blew at Camp Creek for many hours with a maximum wind gust of 77 mph.","A pair of 82 mph wind gusts occurred at the wind sensor along the Chief Joseph Highway." +113602,680037,WYOMING,2017,March,High Wind,"CODY FOOTHILLS",2017-03-01 04:12:00,MST-7,2017-03-01 06:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an approaching front that tightened the pressure gradient and strong mid level winds mixing to the surface brought high winds portions of northwestern and central Wyoming. Hurricane force wind gusts occurred in the Absarokas where a pair of 82 mph wind gusts were recorded. In the nearby Cody Foothills, two locations near Clark had gusts to 67 mph with gusts over 50 mph in the west side of Cody. In the Green and Rattlesnake range, high winds blew at Camp Creek for many hours with a maximum wind gust of 77 mph.","Wind gusts to 67 mph occurred at the wind sensors 5 miles west-northwest and 8 miles south of Clark." +113602,680038,WYOMING,2017,March,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-03-01 09:50:00,MST-7,2017-03-01 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an approaching front that tightened the pressure gradient and strong mid level winds mixing to the surface brought high winds portions of northwestern and central Wyoming. Hurricane force wind gusts occurred in the Absarokas where a pair of 82 mph wind gusts were recorded. In the nearby Cody Foothills, two locations near Clark had gusts to 67 mph with gusts over 50 mph in the west side of Cody. In the Green and Rattlesnake range, high winds blew at Camp Creek for many hours with a maximum wind gust of 77 mph.","There were several wind gusts past 58 mph at Camp Creek; including a maximum wind gust of 77 mph." +113603,680039,WYOMING,2017,March,High Wind,"CODY FOOTHILLS",2017-03-02 23:45:00,MST-7,2017-03-03 11:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another fast moving trough mixed strong mid level winds to the surface and brought another bout of high wind to the Cody Foothills. The strongest winds gust recorded was 83 mph at a weather sensor 5 miles west-northwest of Clark.","The three wind sensors around Clark all recorded wind gusts past 58 mph. The strongest gust was 83 mph at the sensor 5 miles west-northwest of Clark." +113094,676400,IOWA,2017,March,Hail,"PAGE",2017-03-06 17:49:00,CST-6,2017-03-06 17:49:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-95.04,40.74,-95.04,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","" +113094,676401,IOWA,2017,March,Thunderstorm Wind,"SHELBY",2017-03-06 16:05:00,CST-6,2017-03-06 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-95.39,41.72,-95.39,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","The spotter indicated that a large playground set was destroyed by the wind in the backyard of the home." +113094,676402,IOWA,2017,March,Thunderstorm Wind,"MILLS",2017-03-06 16:30:00,CST-6,2017-03-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-95.74,41.05,-95.74,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","Law enforcement indicated tree damage as well as power lines downed by the wind." +113094,676403,IOWA,2017,March,Thunderstorm Wind,"FREMONT",2017-03-06 16:59:00,CST-6,2017-03-06 16:59:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-95.56,40.87,-95.56,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","Telephone lines were downed by the winds." +113094,676404,IOWA,2017,March,Thunderstorm Wind,"FREMONT",2017-03-06 17:08:00,CST-6,2017-03-06 17:08:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-95.64,40.75,-95.64,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","Power lines and poles were reported blown over by the winds." +114310,684891,SOUTH CAROLINA,2017,March,Winter Weather,"YORK",2017-03-12 04:00:00,EST-5,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in an area of snow that moved quickly across portions of Upstate South Carolina during the morning of the 12th. Precipitation began as rain in many areas, but quickly changed to snow. Most locations saw total snowfall accumulation from a dusting to less than two inches. However, some locations across the eastern Piedmont saw up to 3 inches.","" +114431,686172,NORTH CAROLINA,2017,March,Winter Weather,"AVERY",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686173,NORTH CAROLINA,2017,March,Winter Weather,"BUNCOMBE",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686174,NORTH CAROLINA,2017,March,Winter Weather,"GRAHAM",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686175,NORTH CAROLINA,2017,March,Winter Weather,"HAYWOOD",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +113336,682129,OKLAHOMA,2017,March,Drought,"OKFUSKEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682131,OKLAHOMA,2017,March,Drought,"WAGONER",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682132,OKLAHOMA,2017,March,Drought,"CHEROKEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682133,OKLAHOMA,2017,March,Drought,"ADAIR",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682134,OKLAHOMA,2017,March,Drought,"MUSKOGEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +114333,686707,ILLINOIS,2017,March,Tornado,"MACOUPIN",2017-03-07 00:50:00,CST-6,2017-03-07 00:57:00,0,0,0,0,0.00K,0,0.00K,0,39.0745,-89.815,39.1116,-89.6994,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","A tornado first formed on the southwest side of Sawyerville, destroying one garage and damaging two cars inside. Damage was rated EF1 in this area. Several outbuildings sustained minor to moderate damage as well as the tornado moved through the southern portions of town. Most damage was to trees and loss of roof covering on homes and outbuildings. Several power poles were also downed. Further to the northeast, the tornado caused similar damage in the Lake Kaho area. The tornado crossed Interstate 55 near Panther Creek Road, continued northeast crossing into Montgomery County about 2.2 miles northeast of Interstate 55." +114333,686708,ILLINOIS,2017,March,Tornado,"MONTGOMERY",2017-03-07 00:57:00,CST-6,2017-03-07 01:03:00,0,0,0,0,0.00K,0,0.00K,0,39.1116,-89.6994,39.1526,-89.5962,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","The tornado continued northeast crossing into Montgomery County about 2.2 miles northeast of Interstate 55. After crossing U.S. Route 66, the tornado caused minor roof and tree damage on East First Road just south of Grosenheider Lane. For the remainder of the track, minor roof, siding and tree damage was observed. The tornado dissipated southeast of Litchfield along Flat School Road. Damage was rated EF0 in Montgomery County. Overall, the tornado was rated EF1 with a path length of 12.92 miles and a max path width of 100 yards." +114333,686712,ILLINOIS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-07 01:04:00,CST-6,2017-03-07 01:04:00,0,0,0,0,0.00K,0,0.00K,0,39.1482,-89.5804,39.1482,-89.5804,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds snapped off several large tree limbs." +114333,686717,ILLINOIS,2017,March,Tornado,"MONTGOMERY",2017-03-07 01:14:00,CST-6,2017-03-07 01:19:00,0,0,0,0,0.00K,0,0.00K,0,39.2061,-89.3969,39.2616,-89.2837,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","A tornado formed on east side of Irving and moved northeast. The bulk of the damage was EF0 with downed large tree limbs and partial removal of metal covering of farm outbuildings. A couple of grain bins, empty, were tossed into fields about 100 to 200 yards, on North 16th Avenue, just west of Witt Trail. One home east of Witt had the chimney blown off. A barn at the same location was pushed such that it ended up leaning about 6 inches off center. The tornado lifted and dissipated on Hillside Avenue about a quarter of a mile east of the intersection with East 22nd Road. Overall, the tornado was rated EF1 with a path length of 7.17 miles and a max path width of 100 yards." +114333,686719,ILLINOIS,2017,March,Thunderstorm Wind,"MONROE",2017-03-07 01:05:00,CST-6,2017-03-07 01:05:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-90.2,38.45,-90.2,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down a highway sign on I-255." +114383,685428,TEXAS,2017,March,Drought,"STARR",2017-03-01 00:00:00,CST-6,2017-03-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions persisted across portions of Brooks, Kenedy, Hidalgo, and Starr counties through the first week of March. Abundant rainfall on the 4th allowed for improvement of drought conditions.","The area of Severe (D2) drought conditions across northeast corner of the county persisted through much of the first week of March. Beneficial rainfall would allow conditions to improve by the 7th." +112813,674014,KANSAS,2017,March,Tornado,"FRANKLIN",2017-03-06 19:38:00,CST-6,2017-03-06 19:39:00,0,0,0,0,,NaN,,NaN,38.4881,-95.2717,38.4899,-95.2154,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","A firefighter gave a first hand account of being |impacted by the tornado in the town of Princeton, including power|flashes and rotating wind field. Damage to trees and power lines|in Princeton was reported. The tornado traveled east, impacting a|home on Nebraska Road where it was able to remove a majority of |the roof. 0.5 miles east of Nebraska Road a barn was destroyed and|other outbuildings damaged while a nearby home only experienced|minor roof damage. The tornado likely dissipated shortly after this|point while downburst winds continued to the east where approximately|20 power poles oriented north to south along Texas road were damaged." +112813,674015,KANSAS,2017,March,Tornado,"GEARY",2017-03-06 17:35:00,CST-6,2017-03-06 17:35:00,0,0,0,0,,NaN,,NaN,39.0539,-96.5376,39.0539,-96.5376,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","A semi truck was blown off of Highway 177 near I-70|by this small tornado. Driver was uninjured. Exact start and end location are uncertain due to a lack of reliable damage indicators. Time estimated based on radar data." +114370,685348,KANSAS,2017,March,Hail,"COFFEY",2017-03-09 10:16:00,CST-6,2017-03-09 10:17:00,0,0,0,0,,NaN,,NaN,38.08,-95.63,38.08,-95.63,"Morning thunderstorms developed over portions of east central Kansas. Several hail reports of large hail were received including a 2 inch diameter stone.","" +114341,685171,ALABAMA,2017,March,Hail,"MARION",2017-03-01 14:00:00,CST-6,2017-03-01 14:01:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-87.83,33.93,-87.83,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail in the town of Winfield." +114341,685185,ALABAMA,2017,March,Hail,"FAYETTE",2017-03-01 14:24:00,CST-6,2017-03-01 14:25:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-87.83,33.69,-87.83,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail reported in the city of Fayette." +114341,685186,ALABAMA,2017,March,Hail,"WALKER",2017-03-01 15:21:00,CST-6,2017-03-01 15:22:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-87.2,33.75,-87.2,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail along I-22 in the town of Cordorva." +114341,685192,ALABAMA,2017,March,Thunderstorm Wind,"HALE",2017-03-01 15:00:00,CST-6,2017-03-01 15:01:00,0,0,0,0,0.00K,0,0.00K,0,32.89,-87.68,32.89,-87.68,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted along Highway 60." +114341,685194,ALABAMA,2017,March,Thunderstorm Wind,"HALE",2017-03-01 15:33:00,CST-6,2017-03-01 15:34:00,0,0,0,0,0.00K,0,0.00K,0,32.91,-87.63,32.91,-87.63,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted north of the town of Havana." +114341,685197,ALABAMA,2017,March,Hail,"JEFFERSON",2017-03-01 15:37:00,CST-6,2017-03-01 15:38:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-88.62,33.81,-88.62,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","" +114341,685198,ALABAMA,2017,March,Hail,"JEFFERSON",2017-03-01 15:47:00,CST-6,2017-03-01 15:48:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-86.82,33.67,-86.82,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail reported in the city of Gardendale." +114492,686571,MISSISSIPPI,2017,March,Thunderstorm Wind,"HARRISON",2017-03-30 10:11:00,CST-6,2017-03-30 10:11:00,0,0,0,0,0.00K,0,0.00K,0,30.3781,-89.0523,30.3781,-89.0523,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A large truss was blown over on vehicles at Centennial Plaza in Gulfport." +114490,686576,GULF OF MEXICO,2017,March,Waterspout,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-03-30 08:20:00,CST-6,2017-03-30 08:20:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-90.08,30.07,-90.08,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","Several social media outlets and several motorists relayed reports of a waterspout over Lake Pontchartrain to broadcast meteorologists." +114492,686573,MISSISSIPPI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-30 10:47:00,CST-6,2017-03-30 10:47:00,0,0,0,0,0.00K,0,0.00K,0,30.51,-88.85,30.51,-88.85,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A thunderstorm wind gust downed a couple of trees near the Latimer Community." +114490,686578,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"LAKE BORGNE",2017-03-30 09:18:00,CST-6,2017-03-30 09:18:00,0,0,0,0,0.00K,0,0.00K,0,29.87,-89.67,29.87,-89.67,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A 40 mph wind gust was reported at Shell Beach C-MAN station in a thunderstorm." +114490,686580,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"LAKE BORGNE",2017-03-30 09:36:00,CST-6,2017-03-30 09:36:00,0,0,0,0,0.00K,0,0.00K,0,29.87,-89.67,29.87,-89.67,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A 48 mph wind gust was reported during a thunderstorm at the Shell Beach C-MAN station." +114490,686582,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-03-30 09:36:00,CST-6,2017-03-30 09:36:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-89.33,30.33,-89.33,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A 41 mph wind gust was measured at the Bay Waveland Yacht Club in a thunderstorm." +114527,686847,TENNESSEE,2017,March,Winter Weather,"WILSON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Wilson County ranged from 0.5 inches up to 1.5 inches. CoCoRaHS station Green Hill 0.3 N measured 1.2 inches of snow, while CoCoRaHS station Mount Juliet 4.0 SE measured 0.5 inches of snow. A tSpotter Twitter report indicated 1.5 inches of snow fell in Gladeville, while the NWS Nashville office measured 1 inch of snow." +114527,686846,TENNESSEE,2017,March,Winter Weather,"WILLIAMSON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Williamson County ranged from 1 inch up to 2.5 inches. CoCoRaHS station Forest Hills 4.3 WSW measured 2.5 inches of snow, while CoCoRaHS station Fairview 3.8 SW measured 1.5 inches of snow. A tSpotter Twitter report indicated 1.4 inches of snow fell 1 miles southwest of Nolensville, while another tSpotter Twitter report indicated 1 inch of snow fell in Franklin." +114547,687007,INDIANA,2017,March,Thunderstorm Wind,"WHITLEY",2017-03-01 02:20:00,EST-5,2017-03-01 02:21:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-85.49,41.1,-85.49,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","A trained spotter estimated wind gusts to 60 mph in the area." +114547,687008,INDIANA,2017,March,Thunderstorm Wind,"NOBLE",2017-03-01 02:18:00,EST-5,2017-03-01 02:19:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-85.26,41.47,-85.26,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","An Automated Weather Station recorded a 74 mph wind gust at the Kendallville Airport." +114547,687009,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 02:00:00,EST-5,2017-03-01 02:01:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-85.7,41.36,-85.7,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Wind gusts to 65 mph were estimated at the National Weather Service office north of North Webster." +114547,687010,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 01:56:00,EST-5,2017-03-01 01:57:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-85.85,41.28,-85.85,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The Automated Weather Observation System at the Warsaw Airport recorded a 59 mph wind gust." +114547,687011,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 01:55:00,EST-5,2017-03-01 01:56:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-85.85,41.24,-85.85,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","Local law enforcement estimated wind gusts to 70 mph." +114547,687012,INDIANA,2017,March,Thunderstorm Wind,"KOSCIUSKO",2017-03-01 01:54:00,EST-5,2017-03-01 01:55:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-85.78,41.34,-85.78,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","An off duty NWS employee estimated wind gusts of 60 to 65 mph." +112918,675623,PENNSYLVANIA,2017,March,Winter Storm,"BEDFORD",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 8-12 inches of snow across Bedford County." +112918,675624,PENNSYLVANIA,2017,March,Winter Storm,"CUMBERLAND",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 12-18 inches of snow across Cumberland County." +112918,675787,PENNSYLVANIA,2017,March,Winter Storm,"DAUPHIN",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 15-20 inches of snow across Dauphin County." +112918,675788,PENNSYLVANIA,2017,March,Winter Storm,"FRANKLIN",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 7-12 inches of snow across Franklin County." +112918,675789,PENNSYLVANIA,2017,March,Winter Storm,"FULTON",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 7-12 inches of snow across Fulton County." +112918,675790,PENNSYLVANIA,2017,March,Winter Storm,"HUNTINGDON",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 10-14 inches of snow across Huntingdon County." +112918,675791,PENNSYLVANIA,2017,March,Winter Storm,"JUNIATA",2017-03-13 21:00:00,EST-5,2017-03-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Miller-B East Coast winter storm affected the mid-Atlantic and northeastern United States over this two day period, producing heavy snow for the interior and snow to sleet to rain closer to the coast. Portions of central Pennsylvania received nearly two feet of snowfall, with much of the CTP CWA receiving warning-criteria snow.","A winter storm produced 10-14 inches of snow across Juniata County." +113109,677019,OHIO,2017,March,Tornado,"CLERMONT",2017-03-26 13:24:00,EST-5,2017-03-26 13:25:00,0,0,0,0,30.00K,30000,0.00K,0,39.0139,-84.0608,39.0172,-84.0568,"An upper level low pressure system produced showers with embedded thunderstorms during the afternoon and early evening hours.","A weak tornado briefly touched down just in front of a tree line south of Concord Hennings Mill Road. Initial damage from the tornado consisted of an overturned small barn with an overturned camper. The tornado then headed northeast and caused structural damage to a residence on Concord Hennings Mill Road. The garage door walls were collapsed inwards with the roof blown off and debris scattered into a field north of Concord Hennings Mill Road. The tornado then lifted in a field north of Concord Hennings Mill Road." +113107,676470,NEW MEXICO,2017,March,Blizzard,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-03-24 00:00:00,MST-7,2017-03-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Numerous reports of whiteout conditions with strong winds and snowfall rates near two inches per hour. Snowfall amounts ranged from 10 to 16 inches in the area from Black Lake to Angel Fire and Eagle Nest. Peak wind gusts up to 54 mph were reported at the Angel Fire airport. Power outages occurred for several hours through the morning of the 24th." +113107,676476,NEW MEXICO,2017,March,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-03-23 22:00:00,MST-7,2017-03-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Numerous observations all along the west slopes of the Sangre de Cristo Mountains reported between 10 and 22 inches of snowfall. The area around Questa picked up nearly 2 feet of snowfall in less than 12 hours." +112769,673582,KENTUCKY,2017,March,Thunderstorm Wind,"FLEMING",2017-03-01 08:10:00,EST-5,2017-03-01 08:10:00,0,0,0,0,,NaN,,NaN,38.51,-83.66,38.51,-83.66,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Straight line wind damage occurred on Poplar Grove Road. Damage included a collapsed garaged, trees blown down with one across two vehicles and one on a house, a barn and silo were destroyed, and an outbuilding was moved." +112769,673583,KENTUCKY,2017,March,Thunderstorm Wind,"POWELL",2017-03-01 08:33:00,EST-5,2017-03-01 08:33:00,0,0,0,0,,NaN,,NaN,37.86,-83.9,37.86,-83.9,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A tree was blown down in the Heartbreak Ridge area." +112769,673584,KENTUCKY,2017,March,Thunderstorm Wind,"FLEMING",2017-03-01 08:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,,NaN,,NaN,38.42,-83.73,38.42,-83.73,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Two trees were blown down." +112769,673585,KENTUCKY,2017,March,Thunderstorm Wind,"ESTILL",2017-03-01 08:35:00,EST-5,2017-03-01 08:35:00,0,0,0,0,,NaN,,NaN,37.7,-83.97,37.7,-83.97,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","From the 500 block of Irvine to 7th Street in Ravenna, numerous homes suffered significant damage. Some had their roofs blown off. Several outbuildings were also blown off their foundations. Power was out across much of the county." +112769,673586,KENTUCKY,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 08:35:00,EST-5,2017-03-01 08:35:00,0,0,0,0,,NaN,,NaN,38.06,-83.95,38.06,-83.95,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Large tree limbs greater than 2 inches in diameter were blown down." +113362,678353,MONTANA,2017,March,Winter Storm,"CRAZY MOUNTAINS",2017-03-08 17:00:00,MST-7,2017-03-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 12 to 24 inches was reported across portions of the Crazy Mountains." +113362,678354,MONTANA,2017,March,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-03-07 19:00:00,MST-7,2017-03-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Area Snotels received around 12 to 24 inches of new snow." +115831,696160,VIRGINIA,2017,May,Hail,"FAUQUIER",2017-05-30 17:07:00,EST-5,2017-05-30 17:07:00,0,0,0,0,,NaN,,NaN,38.577,-77.7623,38.577,-77.7623,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Quarter sized hail was reported." +115831,696161,VIRGINIA,2017,May,Hail,"CLARKE",2017-05-30 17:08:00,EST-5,2017-05-30 17:08:00,0,0,0,0,,NaN,,NaN,39.1607,-77.9885,39.1607,-77.9885,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Quarter sized hail was reported." +115831,696162,VIRGINIA,2017,May,Hail,"CLARKE",2017-05-30 17:10:00,EST-5,2017-05-30 17:10:00,0,0,0,0,,NaN,,NaN,39.1592,-77.9881,39.1592,-77.9881,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Half dollar sized hail was reported." +115831,696163,VIRGINIA,2017,May,Hail,"STAFFORD",2017-05-30 18:12:00,EST-5,2017-05-30 18:12:00,0,0,0,0,,NaN,,NaN,38.3668,-77.4984,38.3668,-77.4984,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Quarter sized hail was reported." +115831,696164,VIRGINIA,2017,May,Hail,"STAFFORD",2017-05-30 18:05:00,EST-5,2017-05-30 18:05:00,0,0,0,0,,NaN,,NaN,38.4707,-77.4758,38.4707,-77.4758,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Quarter sized hail was reported." +112682,673175,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 09:40:00,EST-5,2017-03-01 09:40:00,0,0,0,0,5.00K,5000,0.00K,0,38.86,-81.8,38.86,-81.8,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were downed with some damage to a mobile home." +112682,673178,WEST VIRGINIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 09:44:00,EST-5,2017-03-01 09:44:00,0,0,0,0,3.00K,3000,0.00K,0,38.9041,-81.6866,38.9041,-81.6866,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were downed along Greenhills Road." +113219,677391,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-03 11:00:00,PST-8,2017-02-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","The Silver Mountain Ski Resort reported a three day total of 40 inches of new snow accumulation. Lookout Pass Ski Resort reported between 40 and 50 inches of new snow during the same period." +113857,681851,TEXAS,2017,March,Thunderstorm Wind,"HARRISON",2017-03-29 04:55:00,CST-6,2017-03-29 04:55:00,0,0,0,0,0.00K,0,0.00K,0,32.6122,-94.5807,32.6122,-94.5807,"A squall line which originally developed over West Texas during the late morning and early afternoon hours on March 28th ahead of a closed low over Central New Mexico, marched east across much of Texas during the afternoon and evening hours along the eastward advancing dryline, producing widespread reports of wind damage and large hail over these areas. These storms marched east into East Texas shortly after 4 am on March 29th, but began to weaken with the loss of instability, with wind gusts of 35 to 45 mph common before they pushed into Western Louisiana and Southwest Arkansas shortly after daybreak. These winds did result in some large branches being downed north of Marshall, with even an isolated tornado having touched down along the north side of Longview. These storms diminished during the late morning hours across SouthCentral Arkansas and Northcentral Louisiana, leaving behind a mesoscale boundary which focused additional scattered shower and thunderstorm development during the late afternoon hours with increased heating over these areas.","Several large tree limbs were downed. The wind also got under a mobile home, dislodging some of the skirt along the base of the home." +113868,681903,OKLAHOMA,2017,March,Drought,"MCCURTAIN",2017-03-07 00:00:00,CST-6,2017-03-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of abnormally warm and dry conditions developed during October 2016 across Southeast Oklahoma, at which point severe drought conditions (D2) had developed over McCurtain County during the second week of March. This lingered only one week before beneficial rains fell, resulting in a one category improvement to D1 (moderate drought) across much of the county. Additional improvement was observed by the end of March as additional rains fell, with moderate drought completely removed by March 28th.","" +113896,682070,INDIANA,2017,March,Winter Weather,"SWITZERLAND",2017-03-13 11:00:00,EST-5,2017-03-13 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","An inch of snow was measured in Vevay." +113898,682080,OHIO,2017,March,Winter Weather,"ADAMS",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage in West Union measured a half inch of snow." +113898,682083,OHIO,2017,March,Winter Weather,"BROWN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage near Georgetown measured a quarter inch of snow." +113898,682085,OHIO,2017,March,Winter Weather,"BUTLER",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","A spotter in Oxford measured an inch of snow. The county garage near Maustown measured a quarter inch of snow." +113898,682090,OHIO,2017,March,Winter Weather,"CLINTON",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The NWS office in Wilmington measured 0.7 inches of snow. An employee located 2 miles north of town measured a half inch, while the county garage south of town measured a quarter inch of snow." +113898,682093,OHIO,2017,March,Winter Weather,"FAIRFIELD",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","A report from Lancaster showed that 3 inches of snow fell, while the county garage located 2 miles south of town measured 2 inches of snow." +113898,682094,OHIO,2017,March,Winter Weather,"FAYETTE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","A report from Washington Court House showed that an inch of snow fell." +113898,682097,OHIO,2017,March,Winter Weather,"GREENE",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage near Xenia measured an inch of snow." +113898,682104,OHIO,2017,March,Winter Weather,"MIAMI",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","A social media report from 3 miles northwest of Troy showed that 0.9 inches of snow fell. The CoCoRaHS observer located near Piqua measured a half inch. The county garage located 3 miles west of Troy only measured a tenth of an inch of snow." +113898,682105,OHIO,2017,March,Winter Weather,"MONTGOMERY",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located 4 miles south of Centerville measured 1.1 inches of snow. An employee located 2 miles north of Lytle measured an inch of snow. The Dayton airport measured 0.8 inches, while a half inch was measured by the CoCoRaHS observers located 3 miles south of Dayton, 7 miles north of Dayton,and 2 miles east of Farmersville." +113898,682106,OHIO,2017,March,Winter Weather,"PICKAWAY",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage and the cooperative observer near Circleville both measured an inch of snow." +113898,682108,OHIO,2017,March,Winter Weather,"SCIOTO",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located west of Rosemount measured an inch of snow. The county garage and CoCoRaHS observer located near Lucasville both measured a half inch of snow. The emergency manager in Portsmouth measured two tenths." +113898,682109,OHIO,2017,March,Winter Weather,"UNION",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The CoCoRaHS observer located 4 miles northwest of Raymond measured an inch of snow." +113898,682110,OHIO,2017,March,Winter Weather,"WARREN",2017-03-13 12:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A surface low pressure system tracked east through Kentucky. Cold air in the wake of this low interacted with an upper disturbance to produce a period of snowfall for the region.","The county garage located south of Lebanon measured an inch of snow. The CoCoRaHS observer west of Clarksville measured 0.7 inches." +115023,690256,ILLINOIS,2017,April,Dense Fog,"FRANKLIN",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690257,ILLINOIS,2017,April,Dense Fog,"GALLATIN",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690258,ILLINOIS,2017,April,Dense Fog,"HAMILTON",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690259,ILLINOIS,2017,April,Dense Fog,"HARDIN",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690261,ILLINOIS,2017,April,Dense Fog,"JACKSON",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690262,ILLINOIS,2017,April,Dense Fog,"JEFFERSON",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690273,ILLINOIS,2017,April,Dense Fog,"WILLIAMSON",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +114822,688707,TENNESSEE,2017,May,Thunderstorm Wind,"SEVIER",2017-05-24 10:54:00,EST-5,2017-05-24 10:54:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-83.49,35.72,-83.49,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Several trees were reported down in the Great Smoky Mountains National Park. Trees were reported down in the Treemont, Laurel Creek, and the Little River between Elkmont and Laurel Falls. Trees were also down along the Gatlinburg bypass." +114822,688708,TENNESSEE,2017,May,Thunderstorm Wind,"SEVIER",2017-05-24 10:54:00,EST-5,2017-05-24 10:54:00,0,0,0,0,,NaN,,NaN,35.86,-83.54,35.86,-83.54,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Numerous trees were reported down in the Middle Creek area." +114822,688709,TENNESSEE,2017,May,Thunderstorm Wind,"COCKE",2017-05-24 11:15:00,EST-5,2017-05-24 11:15:00,0,0,0,0,,NaN,,NaN,35.89,-83.28,35.89,-83.28,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Several trees and a few power lines were reported down on a home in the Bogard community." +114822,688710,TENNESSEE,2017,May,Thunderstorm Wind,"COCKE",2017-05-24 11:18:00,EST-5,2017-05-24 11:18:00,0,0,0,0,,NaN,,NaN,35.81,-83.25,35.81,-83.25,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Trees were reported down in Cosby and along Interstate 40 at exit 440." +114822,688711,TENNESSEE,2017,May,Thunderstorm Wind,"COCKE",2017-05-24 11:18:00,EST-5,2017-05-24 11:18:00,0,0,0,0,,NaN,,NaN,35.93,-83.15,35.93,-83.15,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Numerous trees were reported down in the Edwina area." +112835,674180,MICHIGAN,2017,March,High Wind,"HURON",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674182,MICHIGAN,2017,March,High Wind,"TUSCOLA",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674183,MICHIGAN,2017,March,High Wind,"SANILAC",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674184,MICHIGAN,2017,March,High Wind,"SHIAWASSEE",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674189,MICHIGAN,2017,March,High Wind,"OAKLAND",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,35.00M,35000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +113726,680790,NEW YORK,2017,March,Winter Storm,"WESTERN ESSEX",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across northern New York by midday on the 31st, then fell mainly as wet snow overnight before ending by mid-morning on April 1st. Snowfall totals were generally 2 to 5 inches across northeast New York with 6 to 12 inches at elevations above 1000-1200 feet in Adirondack portion of Essex county.","Six to twelve inches of a heavy, wet snow fell across portions of Essex county, including 9 inches in Elizabethtown, Keene Valley and 8 inches in Wilmington and Newcomb." +113727,680794,VERMONT,2017,March,Winter Storm,"ORANGE",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 6 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 12 inches in Braintree and East Randolph, 10 inches in Tunbridge and Strafford, 8 inches in Vershire, 7 inches in West Fairlee and 6 inches in Williamstown." +113727,680795,VERMONT,2017,March,Winter Storm,"WINDSOR",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 8 to 16 inches of a heavy, wet snow fell across the region, some specific totals include; 16 inches in Rochester, 15 inches in Woodstock, 14 inches in Ludlow and Proctorsville, 13 inches in Hartland and Pomfret, 12 inches in Bethel and Windsor and 10 inches in Tyson. Some scattered power outages resulted from the snow loading on trees and power lines." +113727,680796,VERMONT,2017,March,Winter Storm,"EASTERN RUTLAND",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 8 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 13 inches in Killington, 12 inches in Pittsfield and 8 inches in Chittenden." +114071,683118,ALASKA,2017,March,High Wind,"NERN P.W. SND",2017-03-02 05:50:00,AKST-9,2017-03-02 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong low in the Gulf of Alaska intensified as it moved into the Panhandle. An accompanying trough moved across Prince William Sound from the east and brought high winds through Thompson Pass to Valdez.","Alaska Department of Transportation Road Weather Information System measured winds to 93 mph. Numerous windows were blown out in town." +113927,682301,PENNSYLVANIA,2017,February,High Wind,"INDIANA",2017-02-12 16:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusted from 40 to 50 MPH with localized gusts over 60 MPH behind a strong cold front moving across the Upper Ohio Valley. Trees and power lines were reported down across portions of western Pennsylvania across the ridges into Garrett county, Maryland. The highest recorded wind gusts were 62 MPH at Marion Center in Indiana county, 59 MPH near Accident in Garrett county, 55 MPH at Wheeling, WV, and 55 MPH at Pittsburgh International Airport.","" +114043,683026,ATLANTIC SOUTH,2017,March,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-03-02 06:35:00,EST-5,2017-03-02 06:35:00,0,0,0,0,,NaN,,NaN,25.955,-80.04,25.955,-80.04,"Isolated convective showers in the Atlantic waters produce 2 water spouts. Winds were light and variable for good waterspout conditions. These water spouts were seen offshore Miami Dade County.","A pilot reported a waterspout 10 miles southeast of Fort Lauderdale International Airport." +114043,683027,ATLANTIC SOUTH,2017,March,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-03-02 07:16:00,EST-5,2017-03-02 07:16:00,0,0,0,0,,NaN,,NaN,25.81,-80.02,25.81,-80.02,"Isolated convective showers in the Atlantic waters produce 2 water spouts. Winds were light and variable for good waterspout conditions. These water spouts were seen offshore Miami Dade County.","An off duty NWS employee reported a waterspout offshore Miami Beach." +114045,683029,ATLANTIC SOUTH,2017,March,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-03-13 23:50:00,EST-5,2017-03-13 23:50:00,0,0,0,0,,NaN,,NaN,26.5083,-80.0475,26.5083,-80.0475,"A squall line tracked across South Florida bringing plenty of moisture and convection overnight. Multiple thunderstorms tracked across the area. One of these thunderstorms produced a waterspout offshore Palm Beach County.","A waterspout was reported offshore Briny Breezes in Palm Beach County via social media." +112888,674403,ILLINOIS,2017,January,Dense Fog,"HAMILTON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112454,670588,ILLINOIS,2017,January,Ice Storm,"JACKSON",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +112152,668879,KENTUCKY,2017,January,Winter Weather,"TODD",2017-01-05 08:00:00,CST-6,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance in the upper levels of the atmosphere produced a swath of light snow as it raced eastward across the central states. Accumulations were less than an inch over most of western Kentucky, except around an inch in the Owensboro and Henderson area. Although accumulations were light, travel impacts were significant due to cold pavement temperatures. The snow produced a very slippery coating on roadways. Schools were closed in some areas, including Henderson County. Several accidents were reported on highways, including the Purchase Parkway and Interstate 24. One person was injured on Interstate 24 in McCracken County after his car slid into a cable barrier in the median at exit 16. Many vehicles slid off roads and city streets, but no other injuries were reported. As the snow ended, falling temperatures caused moisture on roadways to freeze. The result was another rash of accidents during the evening hours.","" +112454,670589,ILLINOIS,2017,January,Ice Storm,"WILLIAMSON",2017-01-13 07:00:00,CST-6,2017-01-13 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Up to one-quarter inch of ice accumulated on elevated surfaces, including trees and power lines. Ground surfaces were relatively warm following three days of high temperatures in the 50's and 60's. Therefore, impacts on travel were quite minor due to the melting on pavement. The area with the worst icing was along the Route 13 corridor from Carbondale and Murphysboro eastward across Harrisburg. Along this corridor, around one-quarter inch of ice on trees and power lines resulted in isolated power outages and downed tree limbs. About 500 utility customers were without power across portions of the Marion-Carbondale area. The freezing rain occurred north of a stationary front that extended from southern Arkansas to southern Tennessee. High pressure over the Upper Mississippi Valley produced a cold northeast wind flow at the surface.","" +113225,677438,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-03 10:00:00,PST-8,2017-02-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","The 49 North Ski Resort reported a three day total of 34 inches of new snow accumulation." +113225,677443,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-03 09:00:00,PST-8,2017-02-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer near Northport recorded 4.8 inches of new snow." +113225,677448,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-03 08:00:00,PST-8,2017-02-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into eastern Washington beginning on February 3rd and continuing through February 5th. Enhancing into precipitation along a warm front, initially heavy snow was recorded over the northeastern Columbia Basin on February 4th, but turned to rain and ended on the 5th as the front moved north of the area. In the northeastern Washington mountains and valleys the warm front stalled and accumulating snow continued through February 5th before a cold front pushed the moisture feed out of the area and allowed a break in the winter weather.","An observer at Boundary Dam recorded 7.5 inches of new snow accumulation." +113138,677433,OREGON,2017,January,Ice Storm,"GREATER PORTLAND METRO AREA",2017-01-17 08:00:00,PST-8,2017-01-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system brought rain across the Columbia River Gorge, while cold air was trapped at the surface and was slow to clear out. This brought a tremendous amount of freezing rain to the Columbia Gorge, closing I-84 and SR-14 to travel through the Gorge. Freezing rain was observed as far west as the Portland Airport, impacting the east side of the Portland Metro as well.","Most of the Portland area saw less than 0.33 inches of ice, however the eastern portions of the Portland Metro near the Columbia Gorge saw up to an inch of ice, with 0.65 inches reported at the Portland Airport and 1 inch reported at Troutdale." +112549,671448,COLORADO,2017,January,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-01-04 05:00:00,MST-7,2017-01-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671449,COLORADO,2017,January,Winter Storm,"LEADVILLE VICINITY / LAKE COUNTY BELOW 11000 FT",2017-01-04 05:00:00,MST-7,2017-01-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +113299,677965,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Tuolumne Meadows snotel reported an estimated 24 hour snowfall of 9 inches in Mariposa County at an elevation of 8,150 feet." +113299,677966,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Tenaya Lake snotel reported an estimated 24 hour snowfall of 9 inches in Mariposa County at an elevation of 8,150 feet." +113232,677874,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-09 03:30:00,MST-7,2017-01-09 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 69 mph at 09/1010 MST." +113232,677875,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-09 20:35:00,MST-7,2017-01-10 01:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 79 mph at 10/0025 MST." +113232,677876,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-09 10:40:00,MST-7,2017-01-09 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Cheyenne East measured sustained winds of 40 mph or higher." +113232,677877,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-09 22:50:00,MST-7,2017-01-10 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Cheyenne East measured sustained winds of 40 mph or higher, wit a peak gust of 62 mph at 10/0145 MST." +113232,677878,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-10 00:05:00,MST-7,2017-01-10 01:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at the Cheyenne Airport measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 10/0053 MST." +113060,677892,ALABAMA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-22 01:01:00,CST-6,2017-01-22 01:02:00,0,0,0,0,0.00K,0,0.00K,0,33.4699,-86.8987,33.4699,-86.8987,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","Power lines downed at the intersection of 67th and Pineview Road." +112959,674971,ALABAMA,2017,January,Tornado,"BULLOCK",2017-01-02 16:24:00,CST-6,2017-01-02 16:32:00,0,0,0,0,0.00K,0,0.00K,0,32.0308,-85.8742,32.0669,-85.8351,"A warm front lifted northward during the morning hours on January 2nd. Cold temperatures aloft created steep mid level lapse rates and several of the storms produced hail, mostly below 1 inch. During the afternoon, a low level jet developed across south Alabama increasing the instability across region. Precipitable water values also increased to above 1.5 inches, setting the stage for heavy rainfall and flash flooding.","National Weather Service meteorologists surveyed damage in southwest Bullock County just west of Clayton determined that the damage was consistent with an EF1 tornado, with maximum winds estimated near 90 mph. The tornado touched down along CR 13, between CR 7 and Rabbit Rd, and then traveled northeast. The majority of the damage was around Hooks Crossroads, the intersection of CR 14 and CR 15, where numerous trees were snapped or uprooted and one camper was overturned. A concentrated area of tree damage was noted in a wooded area between CR 15 and East Creek. The tornado lifted just north of East Creek. Special thanks to Bullock County Emergency Management Agency for their help in conducting the survey." +113228,678484,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-05 14:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","Three CoCoRaHs observers in and near Republic reported heavy snow accumulations ranging from 6.1 inches to 7.6 inches from this storm." +113228,678485,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-05 14:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Wauconda reported 6 inches of new snow." +113112,676501,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-06 22:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,1.30M,1300000,0.00K,0,39.3917,-123.4057,39.3917,-123.4057,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Two landslides and a slip out between post miles 20 and 26 along Highway 20 in Mendocino County requiring slide removal and slope stabilization." +113112,676502,CALIFORNIA,2017,January,Heavy Rain,"MENDOCINO",2017-01-06 22:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,2.00M,2000000,0.00K,0,39.4215,-123.343,39.4215,-123.343,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Slope failure along the Willits Bypass." +113112,676509,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,5.00M,5000000,0.00K,0,40.3971,-123.9447,40.3971,-123.9447,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Landslide and slipout along Highway 101 near Redcrest." +113112,676510,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,3.50M,3500000,0.00K,0,40.3212,-123.921,40.3212,-123.921,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Multiple sinks in the roadway and a landslide along Highway 101 from post mile 28 to 32." +113041,675772,CALIFORNIA,2017,January,Debris Flow,"NAPA",2017-01-22 16:19:00,PST-8,2017-01-22 18:19:00,0,0,0,0,0.00K,0,0.00K,0,38.5019,-122.4321,38.5015,-122.4325,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Mudslide reported at Silverado and Taplin Road. NB lanes blocked by water and mud." +113041,675773,CALIFORNIA,2017,January,Hail,"SAN FRANCISCO",2017-01-22 14:30:00,PST-8,2017-01-22 14:40:00,0,0,0,0,0.01K,10,0.01K,10,37.6635,-122.4347,37.6635,-122.4347,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pea sized hail reported at Sigh Hill and Sunshine Gardens in South San Francisco." +113041,675774,CALIFORNIA,2017,January,Hail,"SAN FRANCISCO",2017-01-23 09:58:00,PST-8,2017-01-23 10:05:00,0,0,0,0,0.01K,10,0.01K,10,37.7389,-122.4315,37.7389,-122.4315,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Multiple reports of pea sized hail near Glen park and Bernal Heights in San Francisco." +113041,675775,CALIFORNIA,2017,January,Hail,"SAN MATEO",2017-01-22 14:33:00,PST-8,2017-01-22 14:40:00,0,0,0,0,0.01K,10,0.01K,10,37.4595,-122.4406,37.4595,-122.4406,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Spotter reported pea sized hail in Half Moon Bay. Other reports around San Mateo county as well." +113041,675776,CALIFORNIA,2017,January,Hail,"SAN MATEO",2017-01-23 15:33:00,PST-8,2017-01-23 15:40:00,0,0,0,0,0.01K,10,0.01K,10,37.5562,-122.312,37.5562,-122.312,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pea sized hail reported in Highlands Baywood Park." +113041,675777,CALIFORNIA,2017,January,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-01-22 03:32:00,PST-8,2017-01-22 03:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Trees down - lane blocked at 1 W Milpitas in Santa Clara." +113041,675778,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-22 07:48:00,PST-8,2017-01-22 09:48:00,0,0,0,0,0.00K,0,0.00K,0,37.0056,-122.0214,37.0055,-122.021,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","North bound hwy 17 closed due to slide." +114629,687514,VERMONT,2017,May,Hail,"CHITTENDEN",2017-05-18 16:28:00,EST-5,2017-05-18 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-73.09,44.45,-73.09,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Dime to nickel size hail observed for two minutes along with strong gusty winds near 50 mph that knocked down several limbs of a Willow tree." +114629,687521,VERMONT,2017,May,Hail,"ADDISON",2017-05-18 17:32:00,EST-5,2017-05-18 17:32:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-73.26,44.09,-73.26,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Dime size hail reported." +113244,677557,WASHINGTON,2017,February,Heavy Snow,"BREMERTON AND VICINITY",2017-02-05 14:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Three CoCoRaHS stations and an NWS spotter reported snowfall ranging from 4 to 5 inches across the zone during the warning period." +113244,677558,WASHINGTON,2017,February,Heavy Snow,"SOUTHWEST INTERIOR",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Numerous NWS spotters reported snowfall ranging from 5 to 9 inches across the zone during the warning period." +113244,677559,WASHINGTON,2017,February,Heavy Snow,"HOOD CANAL AREA",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Two CoCoRaHS stations and an NWS spotter reported snowfall ranging from 4 to 6 inches across the zone during the warning period." +113030,676147,ALABAMA,2017,January,Thunderstorm Wind,"MOBILE",2017-01-21 08:00:00,CST-6,2017-01-21 08:00:00,0,0,0,0,300.00K,300000,0.00K,0,30.656,-88.1233,30.656,-88.1233,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Approximately 40 cars were damaged at a car dealership near Interstate 65 and Government Boulevard." +113030,676149,ALABAMA,2017,January,Thunderstorm Wind,"CONECUH",2017-01-21 08:10:00,CST-6,2017-01-21 08:10:00,0,0,0,0,20.00K,20000,0.00K,0,31.52,-87,31.52,-87,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A barn was destroyed along with shingle damage to a home near the intersection of Highway 83 and County Road 22. Severe trees were also blown down." +113063,676108,VIRGINIA,2017,January,Winter Storm,"WYTHE",2017-01-06 15:30:00,EST-5,2017-01-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 4 and 6 inches were observed across several locations throughout the county. The highest accumulation report was received along the Coleman Store area, where 6 inches of snow was measured." +113063,676084,VIRGINIA,2017,January,Winter Storm,"PATRICK",2017-01-06 16:00:00,EST-5,2017-01-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 5 and 9 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Meadows of Dan area, where 8.5 inches of snow was measured." +112538,671222,OHIO,2017,January,High Wind,"ASHLAND",2017-01-10 22:02:00,EST-5,2017-01-10 23:03:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed many trees and large limbs in Ashland County. Snow plows were called out to clear tree debris from the roads. Some power outages were reported. A 57 mph wind gust was measured in Hayesville." +112467,673170,MAINE,2017,January,Sleet,"CENTRAL PISCATAQUIS",2017-01-24 07:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 5 inches." +113796,681513,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was reported one mile south of Cheyenne." +113796,681514,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Nine inches of snow was reported seven miles east of Cheyenne." +113796,681515,WYOMING,2017,January,Winter Storm,"UPPER NORTH PLATTE RIVER BASIN",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was reported at Saratoga." +113796,681516,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eighteen inches of snow was reported three miles south of Vedauwoo." +112200,669015,TENNESSEE,2017,January,Heavy Snow,"UNICOI",2017-01-06 20:00:00,EST-5,2017-01-07 08:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6 inches was measured at Erwin." +112464,673135,MAINE,2017,January,Winter Storm,"CENTRAL PISCATAQUIS",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 5 to 8 inches along with 1 to 3 inches of sleet." +112464,673136,MAINE,2017,January,Winter Storm,"SOUTHERN PISCATAQUIS",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 3 to 5 inches along with 1 to 3 inches of sleet." +113830,681583,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Eleven inches of snow was observed at Gering." +113830,681584,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Ten inches of snow was observed at Scottsbluff." +113830,681585,NEBRASKA,2017,January,Winter Storm,"SCOTTS BLUFF",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer one mile east of Scottsbluff measured 8.8 inches of snow." +113830,681586,NEBRASKA,2017,January,Winter Storm,"MORRILL",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Eighteen inches of snow was observed at Bayard." +113830,681587,NEBRASKA,2017,January,Winter Storm,"MORRILL",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Eleven inches of snow was observed at Bridgeport." +111725,666382,KANSAS,2017,January,Ice Storm,"MARSHALL",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","EM and public reports including social media indicate that ice accumulations of one quarter to around one half inch of ice occurred throughout the county during this ice storm." +111725,666383,KANSAS,2017,January,Ice Storm,"CLAY",2017-01-14 23:00:00,CST-6,2017-01-16 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A slow moving storm system brought a prolonged period of freezing rain to the state between January 14th and 16th. Parts of the state of Kansas received over 1 inch of ice while areas within the NWS Topeka county warning area received less. Some parts of east central Kansas received between one quarter and one half inch of ice while areas of north central Kansas also received up to around one half inch of ice through Jan 16th. Air temperatures were critical during this event and actually warmed to around 32 degrees on Jan 15th which served to limit the ice accumulation on power lines and trees which helped to minimize impacts across the area.","Reports from around the county indicate that between one quarter and one half inch of ice accumulated on tree limbs and power lines across mainly the northwest half of the county." +113302,677986,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-21 08:00:00,PST-8,2017-01-22 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station at Lodgepole reported a measured 24 hour snowfall of 8 inches in Tulare County." +113302,677987,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-21 08:00:00,PST-8,2017-01-22 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter 6 miles east southeast of Camp Nelson reported a measured 24 hour snowfall of 5 inches in Tulare County at an elevation of 7,200 feet." +112779,678092,KANSAS,2017,January,Ice Storm,"MORTON",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1/2 to 3/4 inches. Water equivalent was 1 to 2 inches." +112779,678093,KANSAS,2017,January,Ice Storm,"NESS",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 inch. Water equivalent was 2 to 3 inches." +113484,679349,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 28 inches of snow." +113484,679350,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 63 inches of snow." +119873,718597,ARIZONA,2017,July,Flash Flood,"NAVAJO",2017-07-18 18:30:00,MST-7,2017-07-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-110.15,34.4771,-110.1573,"Deep monsoon moisture allowed thunderstorms to develop over northern Arizona with several reports of flash flooding across the area.","Law enforcement reported flooded roadway at Freeman Hollow. The road was closed and manhole covers were lifted off due to the force of the water. Flood waters entered properties." +119882,718618,ARIZONA,2017,July,Flash Flood,"NAVAJO",2017-07-20 15:00:00,MST-7,2017-07-20 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4612,-110.3261,36.005,-110.7,"A thunderstorm with heavy rain produced flash flooding in northern Navajo County.","Heavy rain from a thunderstorm produced an estimated 2-3 foot rise in the Dinnebito Wash at Navajo Route 41. Time is approximate." +119907,718728,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-22 14:30:00,MST-7,2017-07-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-110.17,33.834,-110.2423,"Deep monsoon moisture remained over northern Arizona which lead to thunderstorms with heavy rain and strong winds.","Heavy rain over the Cedar Fire scar caused flash flooding in Cedar Creek. The gauge at Highway 73 peaked at 6 feet and was receding at 300 PM MST." +112710,674003,CALIFORNIA,2017,January,Drought,"TULARE CTY MTNS",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +117903,709060,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 20:09:00,CST-6,2017-06-17 20:12:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.69,39.02,-94.69,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A 15 inch diameter tree was down near Merriam." +117903,709061,KANSAS,2017,June,Thunderstorm Wind,"WYANDOTTE",2017-06-17 20:15:00,CST-6,2017-06-17 20:18:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-94.61,39.06,-94.61,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","A few 3 to 5 inch tree limbs were broken." +117903,709063,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:36:00,CST-6,2017-06-16 22:39:00,0,0,0,0,0.00K,0,0.00K,0,39.56,-95.13,39.56,-95.13,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","An Emergency Manager near Atchison reported a 60 mph wind gust." +117903,709065,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:06:00,CST-6,2017-06-16 23:09:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-95.14,39.2,-95.14,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","An Emergency Manager reported 60 mph wind." +112514,671002,ILLINOIS,2017,January,Dense Fog,"HARDIN",2017-01-02 16:00:00,CST-6,2017-01-03 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois. Visibility was frequently reduced to one-quarter mile, and even near zero at times. A weak low pressure system over the Plains during the evening produced a mild southerly wind over moist ground. The low dissipated as it moved east across southern Illinois during the overnight hours. Light winds and cool nighttime temperatures kept the dense fog from dissipating.","" +113036,676815,MICHIGAN,2017,January,Winter Weather,"GOGEBIC",2017-01-10 07:30:00,CST-6,2017-01-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","Spotters reported between five and seven inches of snowfall over a 12-hour period. West to northwest winds gusting over 30 mph toward the evening of the 10th also caused blowing and drifting of snow." +113399,678535,WASHINGTON,2017,February,Heavy Snow,"WENATCHEE AREA",2017-02-08 10:00:00,PST-8,2017-02-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","Two CoCoRaHs observers in Wenatchee reported 4.3 inches and 4.0 inches of new snow." +119907,718732,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-22 15:20:00,MST-7,2017-07-22 15:50:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-112.42,34.7422,-112.316,"Deep monsoon moisture remained over northern Arizona which lead to thunderstorms with heavy rain and strong winds.","A wet microburst produced high winds at the Prescott Airport (Love Field). The peak wind gust was 68 MPH at 325 PM MST. A few aircraft were moved/turned by the wind. No damage was reported. Strong winds were observed for 30 minutes." +113351,678289,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"HAMPTON",2017-03-21 23:09:00,EST-5,2017-03-21 23:10:00,0,0,0,0,,NaN,0.00K,0,32.75,-81.24,32.75,-81.24,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","Hampton County dispatch reported multiple trees down along Columbia Highway near Estill." +113351,678290,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"COLLETON",2017-03-21 23:15:00,EST-5,2017-03-21 23:16:00,0,0,0,0,,NaN,0.00K,0,32.91,-80.94,32.91,-80.94,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","South Carolina Highway Patrol reported a tree down at the intersection of Highway 63 and Moselle Road." +113351,678293,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"BEAUFORT",2017-03-21 23:42:00,EST-5,2017-03-21 23:43:00,0,0,0,0,,NaN,0.00K,0,32.31,-80.9,32.31,-80.9,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","Beaufort County dispatch reported a tree down on Pinckney Colony Road." +113351,678294,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"CHARLESTON",2017-03-22 00:15:00,EST-5,2017-03-22 00:19:00,0,0,0,0,,NaN,0.00K,0,32.6551,-79.9398,32.6551,-79.9398,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina in the early morning hours. These storms were strong enough to produce damaging wind gusts and large hail.","The Weatherflow site at the Folly Beach pier measured a 51 knot wind gust." +113352,678297,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-03-22 00:16:00,EST-5,2017-03-22 00:31:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina and southeast Georgia in the late evening and early morning hours. Once these storms reached the coast they were still strong enough to produce strong wind gusts.","The Weatherflow site at Fort Sumter measured a 34 knot wind gust with a passing thunderstorm. The peak gust for the event, 39 knots, occurred 10 minutes later." +113362,678308,MONTANA,2017,March,Winter Storm,"POWDER RIVER",2017-03-08 19:00:00,MST-7,2017-03-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 5 to 6 inches was common around Broadus with 13 inches across the Lame Deer Divide." +113358,680891,MAINE,2017,March,Blizzard,"NORTHERN WASHINGTON",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 9 to 12 inches. Blizzard conditions also occurred." +112767,675169,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:47:00,EST-5,2017-03-01 06:49:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-84.66,39.19,-84.66,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675170,OHIO,2017,March,Hail,"BUTLER",2017-03-01 06:50:00,EST-5,2017-03-01 06:52:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-84.51,39.32,-84.51,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112765,678809,INDIANA,2017,March,Flood,"RIPLEY",2017-03-01 09:35:00,EST-5,2017-03-01 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-85.3,39.1314,-85.2828,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Very high water was lingering across the Osgood area." +112767,678821,OHIO,2017,March,Flood,"HOCKING",2017-03-01 10:30:00,EST-5,2017-03-01 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,39.4616,-82.3554,39.4616,-82.3551,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Union Furnace Elementary School was flooded on the first floor." +112767,678828,OHIO,2017,March,Flash Flood,"HAMILTON",2017-03-01 02:30:00,EST-5,2017-03-01 03:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1535,-84.5405,39.1576,-84.5367,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Interstate 75 was closed for about an hour due to water flowing across the road. Vehicles were forced to pull off the highway and one vehicle was trapped in the middle lane." +112767,678830,OHIO,2017,March,Flood,"HAMILTON",2017-03-01 03:00:00,EST-5,2017-03-01 06:00:00,0,0,0,0,100.00K,100000,0.00K,0,39.12,-84.55,39.1248,-84.421,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Dozens of basements were flooding across Hamilton County due to high water." +112939,675310,NEW YORK,2017,March,Blizzard,"EASTERN ESSEX",2017-03-14 09:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Essex county generally ranged from 18 to 36 inches. Some specific amounts include; 42 inches in Lake Placid, 35 inches in Au Sable Forks, 32 inches in Keene Valley, 28 inches in Wilmington and 18 inches in Schroon Lake. ||Blizzard conditions impacted many locations of the Champlain Valley of Essex county between 4 pm and 11 pm as wind gusts of 40 to 45 mph were observed." +112939,675312,NEW YORK,2017,March,Blizzard,"WESTERN CLINTON",2017-03-14 10:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Clinton county generally ranged from 20 to 40 inches. Some specific amounts include; 39 inches in Altona, 30 inches in Chazy, 26 inches in Plattsburgh, 23 inches in Peru and 20 inches in Morrisonville. ||Blizzard conditions impacted many locations of Clinton county, especially the Champlain Valley and along the International border between 5 pm and 11 pm as wind gusts of 40 to 45 mph were observed." +119671,717850,NEW MEXICO,2017,September,Hail,"SANDOVAL",2017-09-30 16:50:00,MST-7,2017-09-30 16:53:00,0,0,0,0,0.00K,0,0.00K,0,35.3441,-106.6148,35.3441,-106.6148,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Hail up to the size of slightly larger than a quarter on northwest edge of Enchanted Hills." +114318,684964,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WETZEL",2017-03-01 10:20:00,EST-5,2017-03-01 10:20:00,0,0,0,0,5.00K,5000,0.00K,0,39.61,-80.68,39.61,-80.68,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported trees down." +114319,684965,MARYLAND,2017,March,Thunderstorm Wind,"GARRETT",2017-03-01 11:45:00,EST-5,2017-03-01 11:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.41,-79.41,39.41,-79.41,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","The public reported trees down in the Oakland area." +113493,679386,NEW YORK,2017,March,High Wind,"MONTGOMERY",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679390,NEW YORK,2017,March,High Wind,"WESTERN SCHENECTADY",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679391,NEW YORK,2017,March,High Wind,"EASTERN SCHENECTADY",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +114320,684966,OHIO,2017,March,Thunderstorm Wind,"MONROE",2017-03-01 09:29:00,EST-5,2017-03-01 09:29:00,0,0,0,0,5.00K,5000,0.00K,0,39.66,-81.07,39.66,-81.07,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported trees down." +114318,684983,WEST VIRGINIA,2017,March,Flood,"MONONGALIA",2017-03-01 11:38:00,EST-5,2017-03-01 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.6354,-79.9949,39.6427,-79.9891,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Amateur radio user reported that Dens Run Creek at Dens Run Road was flooded from approximately 2 inches of rainfall since midnight." +114320,685715,OHIO,2017,March,Flash Flood,"BELMONT",2017-03-01 12:30:00,EST-5,2017-03-02 08:20:00,0,0,0,0,20.00K,20000,0.00K,0,40.02,-80.94,40.0298,-81.0887,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Emergency manager reported several roads partially or completely closed due to flash flooding including the Intersection of route 149 and route 9, South Pipe Creek Road, Weegee Road, state route 147 at Baileys Mills, Number One School Road, state route 800 at mile marker 2. 25, and Slope Creek Road." +114461,686403,NORTH CAROLINA,2017,March,Hail,"PASQUOTANK",2017-03-31 19:30:00,EST-5,2017-03-31 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-76.21,36.28,-76.21,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","Half dollar size hail was reported at Elizabeth City State University." +114461,686407,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BERTIE",2017-03-31 10:55:00,EST-5,2017-03-31 10:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.04,-76.78,36.04,-76.78,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","Trees were downed on a road and limbs were downed on a house." +114461,686411,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BERTIE",2017-03-31 17:28:00,EST-5,2017-03-31 17:28:00,0,0,0,0,1.00K,1000,0.00K,0,36.23,-76.82,36.23,-76.82,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","Large tree was downed on Buncomb Road." +114461,686639,NORTH CAROLINA,2017,March,Tornado,"BERTIE",2017-03-31 17:15:00,EST-5,2017-03-31 17:24:00,0,0,0,0,250.00K,250000,0.00K,0,36.2081,-76.9334,36.2213,-76.8488,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and one tornado across portions of northeast North Carolina.","NWS storm survey determined that an EF1 tornado caused an intermittent damage path nearly 5 miles long and 50 to 100 yards wide. Initial damage, mainly to trees, was seen along and just west of Sally Freeman Road, about a mile south of Powellsville. The tornado tracked east northeast, crossing Route 42 near Rockpile Road, where additional damage to trees and a mobile home was seen. The path then continued|to Quebec Road, north of Route 42, where multiple trees were downed, some farm buildings were damaged, and a mobile home was overturned and destroyed. The tornado weakened as it moved into the wooded area adjacent to the location of the damage mentioned above. The damage was most intense near the northeast end of the track." +114563,687169,ATLANTIC NORTH,2017,March,Marine Strong Wind,"YORK RIVER",2017-03-01 13:48:00,EST-5,2017-03-01 13:48:00,0,0,0,0,1.00K,1000,0.00K,0,37.23,-76.48,37.23,-76.48,"Gusty southwest winds occurred ahead of a cold front across portions of the York River.","Wind gust of 38 knots was measured at Yorktown USCG Station." +114564,687172,ATLANTIC NORTH,2017,March,Marine Strong Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-03-01 14:24:00,EST-5,2017-03-01 14:24:00,0,0,0,0,1.00K,1000,0.00K,0,37.25,-76.33,37.25,-76.33,"Gusty southwest winds occurred ahead of a cold front across portions of the Chesapeake Bay.","Wind gust of 40 knots was measured at York River East Rear Range Light." +114565,687174,ATLANTIC NORTH,2017,March,Marine Strong Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-03-01 14:24:00,EST-5,2017-03-01 14:24:00,0,0,0,0,1.00K,1000,0.00K,0,36.96,-76.43,36.96,-76.43,"Gusty southwest winds occurred ahead of a cold front across portions of the James River.","Wind gust of 42 knots was measured at Dominion Terminal Associates." +113549,682456,WISCONSIN,2017,March,Thunderstorm Wind,"MONROE",2017-03-06 21:07:00,CST-6,2017-03-06 21:07:00,0,0,0,0,3.00K,3000,0.00K,0,43.94,-90.63,43.94,-90.63,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Several large trees were snapped off southwest of Tunnel City." +113549,683116,WISCONSIN,2017,March,Thunderstorm Wind,"BUFFALO",2017-03-06 19:40:00,CST-6,2017-03-06 19:40:00,0,0,0,0,0.50K,500,0.00K,0,44.56,-91.69,44.56,-91.69,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down south of Mondovi along State Highway 37." +113549,683200,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 20:41:00,CST-6,2017-03-06 20:41:00,0,0,0,0,2.00K,2000,0.00K,0,43.66,-91.09,43.66,-91.09,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Power lines were blown down in Chaseburg." +113549,683201,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 20:54:00,CST-6,2017-03-06 20:54:00,0,0,0,0,5.00K,5000,0.00K,0,43.56,-90.97,43.56,-90.97,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down onto a camper west of Viroqua." +113549,683204,WISCONSIN,2017,March,Thunderstorm Wind,"JUNEAU",2017-03-06 21:42:00,CST-6,2017-03-06 21:42:00,0,0,0,0,2.00K,2000,0.00K,0,44.03,-90.07,44.03,-90.07,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down in several locations across Juneau County." +114020,682876,VIRGINIA,2017,March,Thunderstorm Wind,"CULPEPER",2017-03-01 13:08:00,EST-5,2017-03-01 13:08:00,0,0,0,0,,NaN,,NaN,38.4431,-77.9,38.4431,-77.9,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down across southern Culpeper County." +114020,682877,VIRGINIA,2017,March,Thunderstorm Wind,"FAUQUIER",2017-03-01 13:12:00,EST-5,2017-03-01 13:12:00,0,0,0,0,,NaN,,NaN,38.5994,-77.7247,38.5994,-77.7247,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Midland." +114020,682878,VIRGINIA,2017,March,Thunderstorm Wind,"FAUQUIER",2017-03-01 13:14:00,EST-5,2017-03-01 13:14:00,0,0,0,0,,NaN,,NaN,38.6536,-77.6408,38.6536,-77.6408,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Catlett." +114020,682879,VIRGINIA,2017,March,Thunderstorm Wind,"SPOTSYLVANIA",2017-03-01 13:22:00,EST-5,2017-03-01 13:22:00,0,0,0,0,,NaN,,NaN,38.3098,-77.6725,38.3098,-77.6725,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Several trees were down on Orange Plank road near Route 3." +114020,682880,VIRGINIA,2017,March,Thunderstorm Wind,"PAGE",2017-03-01 12:23:00,EST-5,2017-03-01 12:23:00,0,0,0,0,,NaN,,NaN,38.67,-78.5,38.67,-78.5,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported at Luray." +114020,682881,VIRGINIA,2017,March,Thunderstorm Wind,"ORANGE",2017-03-01 13:08:00,EST-5,2017-03-01 13:08:00,0,0,0,0,,NaN,,NaN,38.25,-78.04,38.25,-78.04,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported in Orange." +114020,682882,VIRGINIA,2017,March,Thunderstorm Wind,"PRINCE WILLIAM",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,38.512,-77.3031,38.512,-77.3031,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 78 mph was reported at Quantico." +114020,682883,VIRGINIA,2017,March,Thunderstorm Wind,"STAFFORD",2017-03-01 13:34:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,38.42,-77.4,38.42,-77.4,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wind caused damage to siding of a house." +114020,682884,VIRGINIA,2017,March,Thunderstorm Wind,"KING GEORGE",2017-03-01 13:50:00,EST-5,2017-03-01 13:50:00,0,0,0,0,,NaN,,NaN,38.2744,-77.1975,38.2744,-77.1975,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 61 mph was reported in King George." +112926,674665,ARKANSAS,2017,January,Strong Wind,"CRAIGHEAD",2017-01-10 02:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds developed across the Midsouth ahead of a storm system in the Plains through most of the day on January 10th. The highest gusts were seen in northeast Arkansas.","Trees down on County Road 755. Windows blown out on Main Street. Power lines down on east side of Jonesboro. Relayed by Emergency Manager." +113494,679406,VERMONT,2017,March,High Wind,"WESTERN WINDHAM",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Multiple trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Power companies reported a few hundred people were without power for a period of time.","" +113115,679799,GEORGIA,2017,March,Thunderstorm Wind,"BURKE",2017-03-21 22:00:00,EST-5,2017-03-21 22:05:00,0,0,0,0,,NaN,,NaN,33.1,-82,33.1,-82,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Burke Co Emergency Manager reported that a roof partially peeled off a warehouse." +113115,679800,GEORGIA,2017,March,Thunderstorm Wind,"RICHMOND",2017-03-21 22:00:00,EST-5,2017-03-21 22:05:00,0,0,0,0,,NaN,,NaN,33.51,-82.02,33.51,-82.02,"A frontal boundary stretched across the region, with warm and unstable air along and south of the boundary, combined with a strong upper level disturbance to produce severe thunderstorms that moved across the region, producing strong damaging wind and some hail.","Richmond Co law enforcement reported trees down at Azalea Dr and Washington Rd." +113551,679801,SOUTH CAROLINA,2017,March,Hail,"RICHLAND",2017-03-30 14:50:00,EST-5,2017-03-30 14:54:00,0,0,0,0,0.01K,10,0.01K,10,34,-80.99,34,-80.99,"Daytime heating, along with a warm front lifting north across the area, contributed to scattered showers and thunderstorms across central SC in the afternoon, a few of which produced hail and locally heavy rain in the Columbia area.","Public reported dime size hail, that lasted 3-4 minutes, at the intersection of Millwood Ave and Devine St." +113551,679802,SOUTH CAROLINA,2017,March,Hail,"RICHLAND",2017-03-30 14:55:00,EST-5,2017-03-30 15:00:00,0,0,0,0,,NaN,,NaN,33.99,-81,33.99,-81,"Daytime heating, along with a warm front lifting north across the area, contributed to scattered showers and thunderstorms across central SC in the afternoon, a few of which produced hail and locally heavy rain in the Columbia area.","Public reported quarter size hail in the Rosewood community." +113551,679803,SOUTH CAROLINA,2017,March,Hail,"RICHLAND",2017-03-30 15:05:00,EST-5,2017-03-30 15:10:00,0,0,0,0,0.01K,10,0.01K,10,33.99,-80.98,33.99,-80.98,"Daytime heating, along with a warm front lifting north across the area, contributed to scattered showers and thunderstorms across central SC in the afternoon, a few of which produced hail and locally heavy rain in the Columbia area.","Dime size hail was reported near the intersection of Beltline Blvd and Devine St." +113494,679407,VERMONT,2017,March,Strong Wind,"EASTERN WINDHAM",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Multiple trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Power companies reported a few hundred people were without power for a period of time.","" +113551,679804,SOUTH CAROLINA,2017,March,Hail,"RICHLAND",2017-03-30 14:52:00,EST-5,2017-03-30 14:57:00,0,0,0,0,0.01K,10,0.01K,10,34.02,-80.96,34.02,-80.96,"Daytime heating, along with a warm front lifting north across the area, contributed to scattered showers and thunderstorms across central SC in the afternoon, a few of which produced hail and locally heavy rain in the Columbia area.","Reports from the public received via social media and local news media of one half inch hail in Forest Acres." +113551,679814,SOUTH CAROLINA,2017,March,Flash Flood,"RICHLAND",2017-03-30 15:00:00,EST-5,2017-03-30 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.982,-81.0352,33.9866,-81.0271,"Daytime heating, along with a warm front lifting north across the area, contributed to scattered showers and thunderstorms across central SC in the afternoon, a few of which produced hail and locally heavy rain in the Columbia area.","The USGS gage along Rocky Branch Creek crested at 10.47 feet at 430 pm at the intersection of Whaley Street and Main Street." +115365,695416,ARKANSAS,2017,April,Tornado,"WHITE",2017-04-29 23:37:00,CST-6,2017-04-29 23:47:00,0,0,0,0,80.00K,80000,0.00K,0,35.1512,-91.702,35.165,-91.5996,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A mobile home was shifted off its foundation. Several trees were either snapped or uprooted. Several structures were damaged, with debris lofted upward into the trees." +116072,697627,TEXAS,2017,June,Thunderstorm Wind,"CULBERSON",2017-06-07 23:52:00,CST-6,2017-06-07 23:52:00,0,0,0,0,,NaN,,NaN,31.88,-104.8,31.88,-104.8,"A couple of disturbances moved over the region. There was good wind shear and instability across the area. These conditions contributed to thunderstorms that produced strong winds across West Texas.","A thunderstorm moved across Culberson County and produced a 59 mph wind gust at the Pine Springs mesonet site." +116075,697639,NEW MEXICO,2017,June,Thunderstorm Wind,"EDDY",2017-06-07 22:52:00,MST-7,2017-06-07 22:52:00,0,0,0,0,,NaN,,NaN,32.17,-104.4213,32.17,-104.4213,"A couple of disturbances moved over the region. There was good wind shear and instability across the area. These conditions contributed to thunderstorms that produced strong winds across southeast New Mexico.","A thunderstorm moved across Eddy County and produced a 59 mph wind gust at the mesonet site three miles west of Whites City." +115365,695757,ARKANSAS,2017,April,Heavy Rain,"WHITE",2017-04-30 06:30:00,CST-6,2017-04-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-91.45,35.13,-91.45,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 7.82 inches." +115365,695759,ARKANSAS,2017,April,Heavy Rain,"FAULKNER",2017-04-30 07:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.44,35.09,-92.44,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 5.79 inches." +115365,695760,ARKANSAS,2017,April,Heavy Rain,"GARLAND",2017-04-30 07:43:00,CST-6,2017-04-30 07:43:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-93.06,34.7,-93.06,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.11 inches." +115365,695761,ARKANSAS,2017,April,Heavy Rain,"PULASKI",2017-04-30 08:13:00,CST-6,2017-04-30 08:13:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-92.4,34.87,-92.4,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.18 inches." +113625,680182,WYOMING,2017,March,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-03-04 03:31:00,MST-7,2017-03-05 22:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific front and trough moved across Wyoming and brought strong winds to portions of the central Wyoming. The strongest winds were across the Green and Rattlesnake Range. The RAWS at Camp Creek had a prolonged period of high wind with gusts as high as 89 mph. Other notable winds included 70 mph at the Lander airport and 64 mph at the Casper airport. Meanwhile, snow fell West of the Divide. Although most amounts were light to moderate, banding developed across the Star Valley and brought locally heavy amounts. The highest amount measured was 11 inches at the Star Valley Ranch.","The ASOS at the Casper airport recorded a wind gust of 64 mph. Along Outer Drive south of Casper, there were several wind gusts between 55 and 60 mph." +113625,680181,WYOMING,2017,March,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-03-05 18:50:00,MST-7,2017-03-06 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific front and trough moved across Wyoming and brought strong winds to portions of the central Wyoming. The strongest winds were across the Green and Rattlesnake Range. The RAWS at Camp Creek had a prolonged period of high wind with gusts as high as 89 mph. Other notable winds included 70 mph at the Lander airport and 64 mph at the Casper airport. Meanwhile, snow fell West of the Divide. Although most amounts were light to moderate, banding developed across the Star Valley and brought locally heavy amounts. The highest amount measured was 11 inches at the Star Valley Ranch.","A prolonged period of high wind occurred at the Camp Creek RAWS site. Wind gusts above 58 mph were recorded for over 24 hours straight including a maximum wind gust of 89 mph." +115365,695718,ARKANSAS,2017,April,Lightning,"LONOKE",2017-04-30 04:30:00,CST-6,2017-04-30 04:30:00,0,0,0,0,600.00K,600000,0.00K,0,34.79,-91.9,34.79,-91.9,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Three houses and a barn in different portions of the county were struck by lightning during the night. The barn and two of the houses were destroyed." +115365,695720,ARKANSAS,2017,April,Flash Flood,"LONOKE",2017-04-30 04:38:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-91.9,34.7388,-91.9652,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Many roads throughout the county are underwater. The sheriff's office was discouraging travel in the county." +115365,695722,ARKANSAS,2017,April,Heavy Rain,"INDEPENDENCE",2017-04-30 05:00:00,CST-6,2017-04-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-91.64,35.77,-91.64,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall at Batesville Lock and Dam was 4.29 inches. This is a corrected report." +115365,695723,ARKANSAS,2017,April,Flash Flood,"DREW",2017-04-30 05:30:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-91.79,33.6185,-91.7992,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Some minor street flooding was occurred." +113625,680183,WYOMING,2017,March,High Wind,"LANDER FOOTHILLS",2017-03-05 19:03:00,MST-7,2017-03-05 19:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific front and trough moved across Wyoming and brought strong winds to portions of the central Wyoming. The strongest winds were across the Green and Rattlesnake Range. The RAWS at Camp Creek had a prolonged period of high wind with gusts as high as 89 mph. Other notable winds included 70 mph at the Lander airport and 64 mph at the Casper airport. Meanwhile, snow fell West of the Divide. Although most amounts were light to moderate, banding developed across the Star Valley and brought locally heavy amounts. The highest amount measured was 11 inches at the Star Valley Ranch.","The ASOS at the Lander airport reported a wind gust of 70 mph." +113625,680184,WYOMING,2017,March,Winter Storm,"STAR VALLEY",2017-03-05 12:00:00,MST-7,2017-03-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific front and trough moved across Wyoming and brought strong winds to portions of the central Wyoming. The strongest winds were across the Green and Rattlesnake Range. The RAWS at Camp Creek had a prolonged period of high wind with gusts as high as 89 mph. Other notable winds included 70 mph at the Lander airport and 64 mph at the Casper airport. Meanwhile, snow fell West of the Divide. Although most amounts were light to moderate, banding developed across the Star Valley and brought locally heavy amounts. The highest amount measured was 11 inches at the Star Valley Ranch.","Trained spotters reported between 7 and 11 inches of snow through portions of the Star Valley. The highest amount reported was 11 inches at the Star Valley Ranch." +113094,676406,IOWA,2017,March,Thunderstorm Wind,"PAGE",2017-03-06 17:54:00,CST-6,2017-03-06 17:54:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-95.02,40.66,-95.02,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","An unanchored yard shed and lead to the shed were destroyed by the strong winds." +113094,676405,IOWA,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 17:22:00,CST-6,2017-03-06 17:22:00,0,0,0,0,0.00K,0,0.00K,0,41.0234,-95.2206,41.0234,-95.2206,"An intense shortwave trough crossed the central and northern Plains during the day on March 6th. This resulted in a strong cold front that swept through eastern Nebraska and western Iowa during the afternoon. Although moisture was limited ahead of the cold front, strong forcing associated with the front and cold temperatures aloft created an atmosphere favorable for strong thunderstorms. The thunderstorms were generally wind and hail producers.","Trees were blown down in the Red Oak Cemetery." +113098,676408,NEBRASKA,2017,March,Hail,"CEDAR",2017-03-23 08:30:00,CST-6,2017-03-23 08:30:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-97.17,42.74,-97.17,"Strong thunderstorms developed in northeast Nebraska during the morning on March 23rd as low-level moisture was returning to the region beneath steep lapse rates aloft. Although the majority of the thunderstorms were below severe limits, one storms did produce severe criteria hail.","" +112787,673697,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-03-07 00:10:00,CST-6,2017-03-07 00:10:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"A passing cold front brought a squall line of strong thunderstorms to the nearshore waters of Lake Michigan. These thunderstorms caused gusty strong west to southwest winds.","Kensosha lakeshore observing station measured strong wind gust as thunderstorms passed." +112787,673698,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-03-07 00:12:00,CST-6,2017-03-07 00:12:00,0,0,0,0,0.00K,0,0.00K,0,43.046,-87.879,43.046,-87.879,"A passing cold front brought a squall line of strong thunderstorms to the nearshore waters of Lake Michigan. These thunderstorms caused gusty strong west to southwest winds.","Milwaukee lakeshore observing station measured strong wind gust as thunderstorms passed by." +112787,673700,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-03-07 00:15:00,CST-6,2017-03-07 00:15:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.692,42.7276,-87.692,"A passing cold front brought a squall line of strong thunderstorms to the nearshore waters of Lake Michigan. These thunderstorms caused gusty strong west to southwest winds.","Private weather observing equipment located on Racine Reef platform measured strong wind gusts as thunderstorms passed by." +114384,688251,WISCONSIN,2017,March,Thunderstorm Wind,"FOND DU LAC",2017-03-07 01:38:00,CST-6,2017-03-07 01:38:00,0,0,0,0,0.00K,0,0.00K,0,43.77,-88.49,43.77,-88.49,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds." +113083,676329,NORTH CAROLINA,2017,March,Hail,"POLK",2017-03-01 16:59:00,EST-5,2017-03-01 16:59:00,0,0,0,0,,NaN,0.00K,0,35.24,-82.35,35.24,-82.35,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Spotter reported 3/4 inch hail." +113083,676330,NORTH CAROLINA,2017,March,Hail,"BURKE",2017-03-01 16:43:00,EST-5,2017-03-01 16:43:00,0,0,0,0,,NaN,0.00K,0,35.704,-81.661,35.704,-81.661,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Spotter reported 3/4 inch hail near Old Highway 18 and Old Colony Road." +113083,676332,NORTH CAROLINA,2017,March,Hail,"BURKE",2017-03-01 17:00:00,EST-5,2017-03-01 17:00:00,0,0,0,0,,NaN,0.00K,0,35.705,-81.653,35.705,-81.653,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Public reported nickel size hail on Mountain Home Church Rd." +114431,686176,NORTH CAROLINA,2017,March,Winter Weather,"MACON",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686177,NORTH CAROLINA,2017,March,Winter Weather,"MADISON",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686178,NORTH CAROLINA,2017,March,Winter Weather,"MITCHELL",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686179,NORTH CAROLINA,2017,March,Winter Weather,"NORTHERN JACKSON",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114431,686180,NORTH CAROLINA,2017,March,Winter Weather,"SWAIN",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +113336,682135,OKLAHOMA,2017,March,Drought,"MCINTOSH",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682136,OKLAHOMA,2017,March,Drought,"SEQUOYAH",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682137,OKLAHOMA,2017,March,Drought,"PITTSBURG",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682138,OKLAHOMA,2017,March,Drought,"HASKELL",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682140,OKLAHOMA,2017,March,Drought,"LE FLORE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +114333,686720,ILLINOIS,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-07 01:27:00,CST-6,2017-03-07 01:27:00,0,0,0,0,0.00K,0,0.00K,0,38.5,-89.8,38.5,-89.8,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","" +114333,686723,ILLINOIS,2017,March,Thunderstorm Wind,"CLINTON",2017-03-07 01:45:00,CST-6,2017-03-07 01:45:00,0,0,0,0,0.00K,0,0.00K,0,38.5653,-89.3962,38.5653,-89.3962,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down a large tree at Redwood Street and Camp Joy Road." +114515,686725,MISSOURI,2017,March,Hail,"MONITEAU",2017-03-21 11:20:00,CST-6,2017-03-21 11:20:00,0,0,0,0,0.00K,0,0.00K,0,38.4577,-92.5217,38.4577,-92.5217,"Isolated severe storms developed across central Missouri.","" +114515,686726,MISSOURI,2017,March,Hail,"COLE",2017-03-21 11:27:00,CST-6,2017-03-21 11:27:00,0,0,0,0,0.00K,0,0.00K,0,38.4963,-92.4312,38.4963,-92.4312,"Isolated severe storms developed across central Missouri.","" +114516,686727,MISSOURI,2017,March,Tornado,"RALLS",2017-03-25 17:21:00,CST-6,2017-03-25 17:48:00,0,0,0,0,0.00K,0,0.00K,0,39.448,-91.6656,39.5459,-91.6658,"Isolated severe storms developed across the region. One tornado was reported.","A local storm chaser documented multiple brief touchdowns of a very weak EF0 tornado along an almost seven mile path extending from one mile north of Perry, MO to one mile south of Landing, MO near Missouri Highway J. There was no visible damage observed from this tornado. The total amount of time that the funnel was in contact with the ground was estimated to be less than one minute." +114643,687615,MISSOURI,2017,March,Hail,"CALLAWAY",2017-03-29 18:29:00,CST-6,2017-03-29 18:38:00,0,0,0,0,0.00K,0,0.00K,0,38.7008,-91.9268,38.8549,-91.9063,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +114643,687625,MISSOURI,2017,March,Hail,"MONROE",2017-03-29 19:28:00,CST-6,2017-03-29 19:37:00,0,0,0,0,0.00K,0,0.00K,0,39.5657,-91.7265,39.656,-91.7259,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +114643,687626,MISSOURI,2017,March,Hail,"LEWIS",2017-03-29 20:04:00,CST-6,2017-03-29 20:04:00,0,0,0,0,0.00K,0,0.00K,0,39.9759,-91.6677,39.9759,-91.6677,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +114643,687627,MISSOURI,2017,March,Hail,"CRAWFORD",2017-03-29 20:20:00,CST-6,2017-03-29 20:20:00,0,0,0,0,0.00K,0,0.00K,0,38.0905,-91.374,38.0905,-91.374,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +114643,687628,MISSOURI,2017,March,Hail,"COLE",2017-03-29 20:45:00,CST-6,2017-03-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.5463,-92.2378,38.5463,-92.2378,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +114644,687629,ILLINOIS,2017,March,Hail,"ADAMS",2017-03-29 20:52:00,CST-6,2017-03-29 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8643,-91.3362,39.9351,-91.35,"As a warm front moved northward through forecast area, thunderstorms developed with some producing large hail.","" +112813,674017,KANSAS,2017,March,Tornado,"POTTAWATOMIE",2017-03-06 17:37:00,CST-6,2017-03-06 17:37:00,0,0,0,0,0.00K,0,0.00K,0,39.2934,-96.32,39.2934,-96.32,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Emergency management reported visual confirmation of a |tornado at this location with no reliable damage indicators impacted. |Time estimated based on radar data." +112813,674018,KANSAS,2017,March,Tornado,"WABAUNSEE",2017-03-06 17:37:00,CST-6,2017-03-06 17:38:00,0,0,0,0,0.00K,0,0.00K,0,39.0079,-96.4,39.0083,-96.3979,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Video evidence of a tornado existing for at least one|minute, traveling approximately 1000 yards in that time. Start time |and location are likely prior to those noted here, with end time and |location likely after those noted here, but this is the period for |which video evidence encompasses. No damage was reported with this |tornado. Time estimated based on radar data." +112813,674019,KANSAS,2017,March,Tornado,"WABAUNSEE",2017-03-06 17:59:00,CST-6,2017-03-06 18:01:00,0,0,0,0,,NaN,,NaN,39.07,-96.1886,39.0802,-96.1568,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","A visual confirmation of a tornado was reported |approximately 1 mile west of Paxico slightly north of Interstate 70. |This tornado proceeded to remove a barn roof on the northeast side of |Paxico. Time estimated based on radar data." +114341,685199,ALABAMA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 16:06:00,CST-6,2017-03-01 16:07:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-88.04,32.75,-88.04,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted and power lines downed in the city of Boligee." +114341,685200,ALABAMA,2017,March,Thunderstorm Wind,"SUMTER",2017-03-01 16:06:00,CST-6,2017-03-01 16:07:00,0,0,0,0,0.00K,0,0.00K,0,32.69,-88.12,32.69,-88.12,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted and power lines downed in the town of Epes." +114341,685201,ALABAMA,2017,March,Thunderstorm Wind,"ETOWAH",2017-03-01 16:08:00,CST-6,2017-03-01 16:09:00,0,0,0,0,0.00K,0,0.00K,0,34.06,-86.07,34.06,-86.07,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted and power lines downed near Big Wills Creek." +114341,685202,ALABAMA,2017,March,Hail,"CALHOUN",2017-03-01 16:56:00,CST-6,2017-03-01 16:57:00,0,0,0,0,0.00K,0,0.00K,0,33.8,-85.76,33.8,-85.76,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Quarter size hail reported in the city of Jacksonville." +114341,685203,ALABAMA,2017,March,Thunderstorm Wind,"TALLAPOOSA",2017-03-01 17:44:00,CST-6,2017-03-01 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.86,-85.94,32.86,-85.94,"A cold front pushed through central Alabama on Wednesday afternoon, March 1st. Deep layer shear values exceeded 50 knots and surface based CAPE values approached 1000 j/kg ahead of the cold front . Mid level lapse rates were near 7 degrees Celsius, which favored large hail. A line of severe storms developed ahead of the front.","Several trees uprooted and power lines downed in Wind Creek State Park." +114840,688915,ALABAMA,2017,March,Hail,"MARION",2017-03-27 15:57:00,CST-6,2017-03-27 15:58:00,0,0,0,0,0.00K,0,0.00K,0,34.28,-87.82,34.28,-87.82,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688918,ALABAMA,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-27 16:45:00,CST-6,2017-03-27 16:46:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-86.39,33.69,-86.39,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Several trees uprooted and sheet metal blown off building." +114490,686584,GULF OF MEXICO,2017,March,Waterspout,"MISSISSIPPI SOUND",2017-03-30 10:33:00,CST-6,2017-03-30 10:33:00,0,0,0,0,0.00K,0,0.00K,0,30.3809,-88.9372,30.3809,-88.9372,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A waterspout was sighted due south of Rodenberg Avenue moving toward Biloxi." +114490,686586,GULF OF MEXICO,2017,March,Waterspout,"MISSISSIPPI SOUND",2017-03-30 10:37:00,CST-6,2017-03-30 10:37:00,0,0,0,0,0.00K,0,0.00K,0,30.4286,-88.9302,30.4286,-88.9302,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A waterspout was reported in the Biloxi Back Bay." +114490,686588,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-03-30 11:18:00,CST-6,2017-03-30 11:18:00,0,0,0,0,0.00K,0,0.00K,0,28.91,-89.43,28.91,-89.43,"A strong upper level low pressure system moving from the Southern Plains States to the middle Mississippi River Valley triggered two rounds of severe thunderstorms across southern Mississippi, southeast Louisiana and the adjacent coastal waters. One was during the late evening hours of the 29th, the second during mainly the late morning hours of the 30th.","A 67 mph wind gust was reported at the Burlwood C-MAN station at the entrance to Southwest Pass." +114798,688565,CALIFORNIA,2017,March,Flood,"SONOMA",2017-03-24 08:20:00,PST-8,2017-03-24 09:20:00,0,0,0,0,0.00K,0,0.00K,0,38.443,-122.8849,38.443,-122.885,"The SFO area was impacted by a series of mid/upper level troughs at the end of March that created isolated thunderstorms. Some of these thunderstorms resulted in damaging winds, lightning, pea sized hail, and minor roadway flooding.","Roadway flooding at Green Valley Rd near Sullivan Rd." +114798,688566,CALIFORNIA,2017,March,Lightning,"NAPA",2017-03-21 23:00:00,PST-8,2017-03-21 23:01:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-122.3,38.3,-122.3,"The SFO area was impacted by a series of mid/upper level troughs at the end of March that created isolated thunderstorms. Some of these thunderstorms resulted in damaging winds, lightning, pea sized hail, and minor roadway flooding.","A tree was struck by lightning at Park Ave and Sonoma Street leaving thousands without power. Reported by the Napa Valley Register." +114798,688567,CALIFORNIA,2017,March,Hail,"SAN BENITO",2017-03-22 16:45:00,PST-8,2017-03-22 16:48:00,0,0,0,0,0.00K,0,0.00K,0,36.84,-121.3902,36.84,-121.3902,"The SFO area was impacted by a series of mid/upper level troughs at the end of March that created isolated thunderstorms. Some of these thunderstorms resulted in damaging winds, lightning, pea sized hail, and minor roadway flooding.","Trained spotter reported pea sized hail falling for about 3 minutes." +113051,686670,MASSACHUSETTS,2017,March,High Wind,"WESTERN MIDDLESEX",2017-03-14 13:36:00,EST-5,2017-03-14 17:30:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High wind gusts affected western Middlesex County from mid-afternoon into the early evening hours. At 335 PM EDT, a wind gust to 62 mph was reported by an amateur radio observer in Lowell. At 609 PM, a gust to 54 mph was reported in Westford.|At 344 PM, Hanscom Field in Bedford (KBED) recorded sustained winds of 43 mph.||From 236 PM EDT to 305 PM EDT in Natick, a tree and wires were down on East Central Street; power lines were down near the Natick Mall; and a tree fell onto a house. At 240 PM, a large tree and wires were down in Stow. At 353 PM, trees and wires were down on Otis Street in Bedford. At 357 PM, a tree fell down onto a house, with damage through the attic and second floor in Wilmington. At 404 PM in Lowell, part of a roof was blown off of the St. George Greek Orthodox Church on Princeton Blvd. At 425 PM, a tree was down on wires on Chapman Avenue in Wilmington. At 529 PM, a large tree branch was down on Farm Land Road in Lowell. |At 530 PM, trees were down on wires in both Concord and Burlington. At 540 PM, in Bedford, a tree was down and a utility pole was sheared, closing a road. At 554 PM, a tree was down on Beaver Brook Road in Westford. At 558 PM, a tree and wires were down on Hartwell Avenue in Littleton. At 6 PM, a large tree was down on a house on High Street in Reading. At 609 PM, a large tree fell, smashing through a deck and garage in Concord. At 615 PM, a large limb was down on Worthen Street in Chelmsford. At 618 PM, a tree and wires were down on a garage with minimal damage in Westford. At 630 PM, a tree was down on Little John Road in Billerica." +114547,687013,INDIANA,2017,March,Thunderstorm Wind,"ELKHART",2017-03-01 01:40:00,EST-5,2017-03-01 01:41:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-85.99,41.44,-85.99,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public estimated wind gusts to 60 mph." +114547,687014,INDIANA,2017,March,Thunderstorm Wind,"ELKHART",2017-03-01 01:35:00,EST-5,2017-03-01 01:36:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-85.98,41.69,-85.98,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","A trained spotter estimated wind gusts to 60 mph." +114547,687015,INDIANA,2017,March,Thunderstorm Wind,"ST. JOSEPH",2017-03-01 01:24:00,EST-5,2017-03-01 01:25:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-86.18,41.65,-86.18,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The public reported wind gusts estimated to 60 mph." +114550,687020,INDIANA,2017,March,Hail,"BLACKFORD",2017-03-30 17:00:00,EST-5,2017-03-30 17:01:00,0,0,0,0,0.00K,0,0.00K,0,40.49,-85.33,40.49,-85.33,"A warm front edged north into portions of northern Indiana, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","The public reported through social media." +114550,687021,INDIANA,2017,March,Hail,"ALLEN",2017-03-30 17:01:00,EST-5,2017-03-30 17:02:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-85.14,41.07,-85.14,"A warm front edged north into portions of northern Indiana, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","" +114550,687022,INDIANA,2017,March,Hail,"JAY",2017-03-30 17:17:00,EST-5,2017-03-30 17:18:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-85.15,40.56,-85.15,"A warm front edged north into portions of northern Indiana, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","" +113107,676471,NEW MEXICO,2017,March,Blizzard,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-03-24 00:00:00,MST-7,2017-03-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","The high terrain of Taos County experienced whiteout conditions with high winds and snowfall rates near two inches per hour. Snowfall amounts ranged from 16 to 22 inches in the area from near Questa to Red River and the Taos Ski Valley. A peak wind gust to 63 mph was reported on Kachina Peak. Power outages occurred for several hours through the morning of the 24th." +113107,676475,NEW MEXICO,2017,March,Heavy Snow,"UPPER RIO GRANDE VALLEY",2017-03-23 22:00:00,MST-7,2017-03-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developing off the California coastline on the 22nd shifted quickly east into New Mexico on the 23rd and forced strong west to southwest winds across much of the state. This system intensified rapidly as it crossed the southern Rockies through the 24th. Strong north to northwest winds then impacted eastern New Mexico as the storm shifted into Texas and Oklahoma. Peak wind gusts averaged 60 to 70 mph. A couple thunderstorms near the Texas border with southeast New Mexico produced outflow winds near 70 mph with blowing dust and small hail. The most impressive aspect of the storm was the deep conveyor belt of moisture that wrapped around the upper low and slammed the Sangre de Cristo Mountains and Raton Ridge with blizzard conditions. Snowfall rates up to two inches per hour occurred for around 10 hours along with wind gusts near 60 mph. This produced blizzard conditions for several hours and resulted in the closure of Interstate 25 at Raton Pass and portions of state highways 4, 72, and 150.","Numerous observers in the area from Taos to Questa reported 3 to 8 inches of snowfall with snowfall rates as high as two inches per hour. The 1-day total of 8 inches at Taos broke the old record of 5 inches from 1920." +112769,673587,KENTUCKY,2017,March,Thunderstorm Wind,"ROWAN",2017-03-01 08:38:00,EST-5,2017-03-01 08:38:00,0,0,0,0,,NaN,,NaN,38.12,-83.31,38.12,-83.31,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","One mobile home was destroyed and another one nearby had its roof blown off." +112769,673588,KENTUCKY,2017,March,Thunderstorm Wind,"BATH",2017-03-01 08:40:00,EST-5,2017-03-01 08:40:00,0,0,0,0,,NaN,,NaN,38.12,-83.62,38.12,-83.62,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Multiple trees were blown down or damaged and several buildings in the same area were also damaged." +112769,673589,KENTUCKY,2017,March,Thunderstorm Wind,"ROWAN",2017-03-01 08:40:00,EST-5,2017-03-01 08:40:00,0,0,0,0,,NaN,,NaN,38.13,-83.26,38.13,-83.26,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Several barns and homes either suffered roof damage or had their roofs blown off." +112769,673590,KENTUCKY,2017,March,Thunderstorm Wind,"ESTILL",2017-03-01 08:42:00,EST-5,2017-03-01 08:42:00,0,0,0,0,,NaN,,NaN,37.7,-83.97,37.7,-83.97,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A school official reported that trees had been blown down in the Millers Creek area. A phone line was also downed in South Irvine." +112769,673591,KENTUCKY,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 08:45:00,EST-5,2017-03-01 08:45:00,0,0,0,0,,NaN,,NaN,37.18,-84.64,37.18,-84.64,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down in Science Hill." +113383,678431,OHIO,2017,March,Flood,"ADAMS",2017-03-31 05:45:00,EST-5,2017-03-31 09:30:00,0,0,0,0,0.00K,0,0.00K,0,38.7619,-83.6139,38.7549,-83.6017,"Occasional showers and embedded thunderstorms produced periods of heavy rain during the morning hours as an upper level disturbance moved through the Ohio Valley.","Stare route 41 was closed due to high water. High water was also reported on several other roads in the area." +113383,678432,OHIO,2017,March,Flood,"PIKE",2017-03-31 06:00:00,EST-5,2017-03-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0929,-82.9564,39.0992,-83.047,"Occasional showers and embedded thunderstorms produced periods of heavy rain during the morning hours as an upper level disturbance moved through the Ohio Valley.","A few roads were closed due to high water in the Piketon area." +113383,678430,OHIO,2017,March,Flood,"HOCKING",2017-03-31 07:00:00,EST-5,2017-03-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-82.6,39.5433,-82.6158,"Occasional showers and embedded thunderstorms produced periods of heavy rain during the morning hours as an upper level disturbance moved through the Ohio Valley.","High water was reported on several roads across Hocking County." +112682,673181,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 09:47:00,EST-5,2017-03-01 09:47:00,0,0,0,0,4.00K,4000,0.00K,0,38.44,-81.77,38.44,-81.77,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trees and power lines knocked down by thunderstorm wind." +112682,673182,WEST VIRGINIA,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 09:44:00,EST-5,2017-03-01 09:44:00,0,0,0,0,3.00K,3000,0.00K,0,38.4397,-81.8312,38.4397,-81.8312,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were downed near the Nitro exit of I-64." +117106,704515,TENNESSEE,2017,May,Thunderstorm Wind,"ANDERSON",2017-05-27 21:25:00,EST-5,2017-05-27 21:25:00,0,0,0,0,,NaN,,NaN,36.09,-84.13,36.09,-84.13,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several trees were reported down across the county." +117106,704517,TENNESSEE,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-27 21:25:00,EST-5,2017-05-27 21:25:00,0,0,0,0,,NaN,,NaN,36.37,-84.13,36.37,-84.13,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","A few trees were reported down across the county." +117106,704518,TENNESSEE,2017,May,Thunderstorm Wind,"SEQUATCHIE",2017-05-27 20:29:00,CST-6,2017-05-27 20:29:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Two trees were downed in Sequatchie County." +117106,704519,TENNESSEE,2017,May,Thunderstorm Wind,"KNOX",2017-05-27 21:40:00,EST-5,2017-05-27 21:40:00,0,0,0,0,,NaN,,NaN,35.97,-83.95,35.97,-83.95,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees and power lines were reported down across the county." +114823,688719,VIRGINIA,2017,May,Thunderstorm Wind,"BRISTOL (C)",2017-05-24 12:53:00,EST-5,2017-05-24 12:53:00,0,0,0,0,,NaN,,NaN,36.61,-82.17,36.61,-82.17,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Several trees were reported down at Washington-Lee Elementary School. Trees and power lines were also down on Lee Highway near Valley Drive." +114823,688721,VIRGINIA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-24 13:10:00,EST-5,2017-05-24 13:10:00,0,0,0,0,,NaN,,NaN,36.71,-81.97,36.71,-81.97,"An amplified upper level trough directed a deep surface low across the Southern Appalachian Region with sufficient moisture but insufficient instability. Some of the storms had a great deal of directional wind shear along with a decent amount of low level speed shear. Some of these storms generated a fair amount of straight line wind damage across the tri-state area.","Over a dozen trees were reported down across the city of Abingdon, including a large tree down on a house on Summerwood Drive." +114826,688730,TENNESSEE,2017,May,Hail,"MARION",2017-05-23 18:10:00,CST-6,2017-05-23 18:10:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"An isolated thunderstorm became severe in the vicinity of a stationary frontal boundary over the Cumberland Plateau in Southeast Tennessee.","Quarter size hail was reported in Whitwell." +114826,688732,TENNESSEE,2017,May,Thunderstorm Wind,"MARION",2017-05-23 18:05:00,CST-6,2017-05-23 18:05:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"An isolated thunderstorm became severe in the vicinity of a stationary frontal boundary over the Cumberland Plateau in Southeast Tennessee.","A few trees were reported down in the Whitwell area." +112835,674185,MICHIGAN,2017,March,High Wind,"GENESEE",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +114826,688733,TENNESSEE,2017,May,Thunderstorm Wind,"MARION",2017-05-23 18:10:00,CST-6,2017-05-23 18:10:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"An isolated thunderstorm became severe in the vicinity of a stationary frontal boundary over the Cumberland Plateau in Southeast Tennessee.","Large uprooted trees were reported in the Whitwell area." +117106,704508,TENNESSEE,2017,May,Thunderstorm Wind,"BLEDSOE",2017-05-27 20:00:00,CST-6,2017-05-27 20:00:00,0,0,0,0,,NaN,,NaN,35.61,-85.2,35.61,-85.2,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees were reported down across the county." +117106,704509,TENNESSEE,2017,May,Thunderstorm Wind,"SCOTT",2017-05-27 21:00:00,EST-5,2017-05-27 21:00:00,0,0,0,0,,NaN,,NaN,36.5,-84.51,36.5,-84.51,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","A few trees were reported down across the county." +117106,704513,TENNESSEE,2017,May,Thunderstorm Wind,"MORGAN",2017-05-27 21:07:00,EST-5,2017-05-27 21:07:00,0,0,0,0,,NaN,,NaN,36.1,-84.59,36.1,-84.59,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Massive trees and power lines were reported down across the entire county." +117106,704514,TENNESSEE,2017,May,Thunderstorm Wind,"ROANE",2017-05-27 21:20:00,EST-5,2017-05-27 21:20:00,0,0,0,0,,NaN,,NaN,35.87,-84.51,35.87,-84.51,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several trees were reported down across the county." +112835,674187,MICHIGAN,2017,March,High Wind,"ST. CLAIR",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674188,MICHIGAN,2017,March,High Wind,"LIVINGSTON",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674190,MICHIGAN,2017,March,High Wind,"MACOMB",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,30.00M,30000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +112835,674192,MICHIGAN,2017,March,High Wind,"WAYNE",2017-03-08 10:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"A non thunderstorm event took place over the state on Wednesday, March 8, 2017, as high winds brought wind gusts in excess of 60 mph! The high winds took out power lines and trees, along with numerous reports of structural damage to buildings. There were also reports of brush fires and tractor-trailers flipped over around the area. Due to the extensive damage, many areas were without power for several days. Approximately 800,000 DTE customers and approximately 300,000 Consumers Energy customers were affected. The highest wind gust reported across Southeast Michigan was 68 mph at both Saginaw and Detroit Metro Airport.","" +114088,683185,NEW YORK,2017,May,Thunderstorm Wind,"ESSEX",2017-05-01 19:30:00,EST-5,2017-05-01 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.28,-73.98,44.28,-73.98,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees down." +114088,683186,NEW YORK,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 19:31:00,EST-5,2017-05-01 19:31:00,0,0,0,0,10.00K,10000,0.00K,0,44.61,-73.8,44.61,-73.8,"A surface cold front and powerful upper level disturbance moved across northern New York during the evening hours of May 1st with a line of strong to severe thunderstorms.|These thunderstorms produced lots of tree and power line damage as well as some light structural damage to a few roofs in St. Lawrence county.","Several trees and power lines down." +113727,680791,VERMONT,2017,March,Winter Storm,"CALEDONIA",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 5 to 10 inches of a heavy, wet snow fell across the region, some specific totals include; 10 inches in Peacham, 9 inches in Sutton, Groton and Sheffield, 8 inches in St. Johnsbury with 7 inches in Lyndonville, Walden and Danville." +113727,680793,VERMONT,2017,March,Winter Storm,"WASHINGTON",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 6 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 13 inches in Fayston, 11 inches in Waitsfield, 9 inches in Worcester, 8 inches in Middlesex, 7 inches in Cabot, Berlin with 6 inches in Waterbury and Montpelier." +113727,680792,VERMONT,2017,March,Winter Storm,"ESSEX",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 5 to 10 inches of a heavy, wet snow fell across the region, some specific totals include; 10 inches in Lunenberg, 9 inches in Island Pond and Maidstone, 8 inches in Granby with 7 inches in Concord and Averill." +113727,680799,VERMONT,2017,March,Winter Weather,"EASTERN CHITTENDEN",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches fell across Chittenden county. Some specific totals include; 8 inches in Shelburne, 7 inches at NWS office in South Burlington, 6 inches in Williston, Winooski, Hinesburg and Milton, 5 inches in Charlotte and Jericho." +113727,680800,VERMONT,2017,March,Winter Weather,"WESTERN CHITTENDEN",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches fell across Chittenden county. Some specific totals include; 8 inches in Shelburne, 7 inches at NWS office in South Burlington, 6 inches in Williston, Winooski, Hinesburg and Milton, 5 inches in Charlotte and Jericho." +114116,683362,CALIFORNIA,2017,March,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-03-28 00:47:00,PST-8,2017-03-28 02:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a late season storm, strong and gusty northwest to north winds developed across southwestern California. Across the mountains and local deserts, wind gusts between 58 and 65 MPH were reported.","Strong northerly winds developed across the mountains of Santa Barbara county. Some peak wind gusts from the local RAWS network include: Montecito (gust 62 MPH) and Tepusquet (gust 59 MPH)." +114126,683407,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-04 10:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A feed of Pacific moisture enhanced over a stalled frontal zone into persistent snow showers over extreme southeast Washington and the southern Idaho Panhandle during the afternoon and evening hours of March 7th. Heavy snow accumulated above 2000 feet elevation from the Moscow area south to the Camas Prairie region. The mountains in the Central Idaho Panhandle received around 12 inches with the valleys only 2 to 4 inches.","An observer in Moscow reported 6 inches of new snow accumulation." +114126,683408,IDAHO,2017,March,Heavy Snow,"LEWISTON AREA",2017-03-04 15:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A feed of Pacific moisture enhanced over a stalled frontal zone into persistent snow showers over extreme southeast Washington and the southern Idaho Panhandle during the afternoon and evening hours of March 7th. Heavy snow accumulated above 2000 feet elevation from the Moscow area south to the Camas Prairie region. The mountains in the Central Idaho Panhandle received around 12 inches with the valleys only 2 to 4 inches.","The weather observer at the Lewiston Airport reported 4.1 inches of new snow accumulation." +114126,683409,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-04 15:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A feed of Pacific moisture enhanced over a stalled frontal zone into persistent snow showers over extreme southeast Washington and the southern Idaho Panhandle during the afternoon and evening hours of March 7th. Heavy snow accumulated above 2000 feet elevation from the Moscow area south to the Camas Prairie region. The mountains in the Central Idaho Panhandle received around 12 inches with the valleys only 2 to 4 inches.","An observer near Moscow reported 4 inches of new snow accumulation." +114126,683410,IDAHO,2017,March,Heavy Snow,"LEWIS AND SOUTHERN NEZ PERCE",2017-03-04 15:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A feed of Pacific moisture enhanced over a stalled frontal zone into persistent snow showers over extreme southeast Washington and the southern Idaho Panhandle during the afternoon and evening hours of March 7th. Heavy snow accumulated above 2000 feet elevation from the Moscow area south to the Camas Prairie region. The mountains in the Central Idaho Panhandle received around 12 inches with the valleys only 2 to 4 inches.","The observer at Nez Perce reported 4.4 inches of new snow accumulation." +114126,683411,IDAHO,2017,March,Heavy Snow,"IDAHO PALOUSE",2017-03-04 15:00:00,PST-8,2017-03-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A feed of Pacific moisture enhanced over a stalled frontal zone into persistent snow showers over extreme southeast Washington and the southern Idaho Panhandle during the afternoon and evening hours of March 7th. Heavy snow accumulated above 2000 feet elevation from the Moscow area south to the Camas Prairie region. The mountains in the Central Idaho Panhandle received around 12 inches with the valleys only 2 to 4 inches.","An observer at the University of Idaho in Moscow reported 6.5 inches of new snow accumulation." +115667,695063,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:26:00,EST-5,2017-06-21 15:26:00,0,0,0,0,,NaN,,NaN,40.12,-75.34,40.12,-75.34,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Large branches down. Time estimated from radar." +115667,695064,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:32:00,EST-5,2017-06-21 15:32:00,0,0,0,0,,NaN,,NaN,40.03,-75.29,40.03,-75.29,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Several wires and trees were blown down." +115667,695066,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DELAWARE",2017-06-21 15:35:00,EST-5,2017-06-21 15:35:00,0,0,0,0,,NaN,,NaN,40.05,-75.36,40.05,-75.36,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Numerous large trees down. Time estimated from radar." +115667,695068,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUCKS",2017-06-21 15:42:00,EST-5,2017-06-21 15:42:00,0,0,0,0,,NaN,,NaN,40.19,-75.08,40.19,-75.08,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Large tree limbs down." +115667,695069,PENNSYLVANIA,2017,June,Thunderstorm Wind,"PHILADELPHIA",2017-06-21 15:45:00,EST-5,2017-06-21 15:45:00,0,0,0,0,,NaN,,NaN,40.03,-75.03,40.03,-75.03,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Trees blown down. Time estimated from radar." +112803,674155,IOWA,2017,January,Heavy Snow,"MITCHELL",2017-01-24 17:36:00,CST-6,2017-01-25 20:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northeast Iowa. The snow started during the evening of January 24th and continued through much of the day on the 25th. Snowfall totals ranged from 5 to 14 inches with the highest reported total of 14 inches in Charles City (Floyd County). The main impact from this system was snow covered roads for the morning commute on the 25th causing several schools to close.","COOP and volunteer snow observers reported 9 to 11 inches of heavy, wet snow fell across Mitchell County. The highest reported total was 11.2 in St. Ansgar." +115513,693639,TEXAS,2017,June,Thunderstorm Wind,"HOCKLEY",2017-06-15 15:18:00,CST-6,2017-06-15 15:45:00,0,0,0,0,22.00K,22000,0.00K,0,33.58,-102.36,33.4814,-102.2236,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Multiple downbursts within a high-based supercell produced damage from Levelland southeast towards Ropesville. A Texas Tech University West Texas mesonet south of Levelland measured a gust to 69 mph at 1530 CST. These winds blew a large bay door off a welding shop in Levelland, downed several utility poles and broke many tree limbs as the storm moved southeast toward Ropesville." +112888,674413,ILLINOIS,2017,January,Dense Fog,"UNION",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674414,ILLINOIS,2017,January,Dense Fog,"WAYNE",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674415,ILLINOIS,2017,January,Dense Fog,"WILLIAMSON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +113299,677967,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Bass Lake snotel reported an estimated 24 hour snowfall of 10 inches in Madera County at an elevation of 7,150 feet." +113299,677968,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Chilkoot Meadow snotel reported an estimated 24 hour snowfall of 10 inches in Madera County at an elevation of 7,150 feet." +113299,677969,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Snotel 8 miles northwest of Hetch Hetchy reported an estimated 24 hour snowfall of 13 inches in Tuolumne County at an elevation of 6,750 feet." +113299,677970,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-10 08:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist air was pushed into the central California interior from an atmospheric river influx was coupled with a colder low pressure system that moved into central California bringing lower snow levels and heavy snowfall to parts of the Sierra Nevada and Kern County Mountains.","Snotel at Lower Kibbie Ridge reported an estimated 24 hour snowfall of 13 inches in Tuolumne County at an elevation of 6,700 feet." +113232,677843,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 23:00:00,MST-7,2017-01-10 01:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +113232,677844,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 22:45:00,MST-7,2017-01-10 01:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 09/2245 MST." +111564,676664,CALIFORNIA,2017,January,Tornado,"SACRAMENTO",2017-01-11 00:01:00,PST-8,2017-01-11 00:04:00,0,0,0,0,25.00K,25000,0.00K,0,38.6267,-121.4805,38.6286,-121.4731,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","An NWS survey determined an EF0 tornado touched down in the southern Natomas area of Sacramento- South Natomas Tornado. The path length was 3/8 of a mile. Several trees and fences were downed. Two metal awnings were twisted and torn down. Numerous trees were stripped of limbs and deposited in the roadway." +111564,677367,CALIFORNIA,2017,January,Debris Flow,"PLUMAS",2017-01-11 10:30:00,PST-8,2017-01-12 10:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0269,-121.9349,41.0243,-121.9319,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","State Route 70 closed due to a mud slide at mile marker 5, in Plumas County." +111564,676682,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-09 18:00:00,PST-8,2017-01-10 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 26 of snow measured by a weather spotter in Kingvale at an elevation of 6100 feet. The duration of the heavy snow event was 12 hours." +113223,677440,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-22 07:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 36 of snow over 24 hours at Kirkwood Ski Resort, 97 over 7 days." +113223,677441,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-22 07:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 36 of snow over 24 hours at Sierra-atTahoe Ski Resort, 99 over 7 days." +113223,677442,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-22 07:00:00,PST-8,2017-01-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of winter storms moved through bringing travel problems in the mountains from heavy snow, and heavy rain with local flooding. Gusty winds brought down trees and caused power outages. Thunderstorms also locally brought some large hail.","There were 24 of snow over 24 hours at Sugar Bowl, 101 over 7 days." +113227,677457,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-22 07:00:00,PST-8,2017-01-22 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Winds gusted up to 53 mph at Sacramento International Airport, with numerous trees down. An example of this was an occupied car struck by a falling tree at 12th and Richards in Sacramento. No injuries were caused, but a large portion of the intersection was blocked." +113227,677462,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-22 07:00:00,PST-8,2017-01-22 12:00:00,0,0,0,0,26.00K,26000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","A large tree fell on top of a truck at 19th and X streets in midtown Sacramento, trapping occupants inside. The Sacramento Fire Department said occupants were able to get out uninjured." +113227,677464,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-22 07:00:00,PST-8,2017-01-22 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","A large tree fell in lanes on Highway 160 at Highway 220 in south Sacramento County." +112337,669775,WYOMING,2017,January,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-01-07 12:00:00,MST-7,2017-01-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell over a four day period across the Tetons. Many areas received over three feet of new snow with some areas exceeding four feet. Teton Pass was closed at times for avalanche control. Some of the snowfall totals included 58 inches at the Phillips Bench SNOTEL and 44 inches at the Jackson Hole Ski Resort." +112852,674952,CALIFORNIA,2017,January,Heavy Snow,"SHASTA LAKE/NORTH SHASTA COUNTY",2017-01-01 06:00:00,PST-8,2017-01-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 6 inches of snow at 2500 feet elevation 2 miles northwest of Sims. There were 2 inches on Interstate 5 at 1800 feet elevation, slowing travel." +112337,669781,WYOMING,2017,January,Winter Storm,"JACKSON HOLE",2017-01-07 19:00:00,MST-7,2017-01-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of front and upper level disturbances combined with a prolonged and deep flow of Pacific moisture to bring a prolonged period of snow to much of western and northern Wyoming. Total snowfall eclipsed 4 feet in portions of the Tetons as well as the Salt and Wyoming Range. Even in the western Valleys, totals of over a foot were commonplace with some areas receiving over 2 feet. This combined with strong winds that gusted to hurricane force at times in the mountains resulted in road closures and avalanches. Heavy snow also fell across northern Wyoming where a foot or more of new snow fell across northern portions of Big Horn and Park counties. Meanwhile, the passage of fronts brought strong winds to portions of Park, Fremont and Natrona Counties where wind gusts past 70 mph were recorded at times.","Very heavy snow fell over the Jackson Valley over four days. The highest amounts were 40 recorded, three miles SSW of Wilson and two miles west-southwest of Jackson. In the town of Jackson, the snow mixed or changed to rain at times and this held accumulations down to around 9 to 18 inches." +113112,676511,CALIFORNIA,2017,January,Heavy Rain,"HUMBOLDT",2017-01-09 14:30:00,PST-8,2017-01-11 00:30:00,0,0,0,0,4.00M,4000000,0.00K,0,40.2361,-123.8333,40.2361,-123.8333,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Eel River bank erosion including a landslide, drainage failures, and sinks from mile post 24 to 27 along Highway 101." +113063,676091,VIRGINIA,2017,January,Winter Storm,"CAMPBELL",2017-01-06 17:15:00,EST-5,2017-01-07 13:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Rustburg area, where 8.0 inches of snow was measured." +113063,676106,VIRGINIA,2017,January,Winter Storm,"BOTETOURT",2017-01-06 17:15:00,EST-5,2017-01-07 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 4 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received along the Blue Ridge area, where 7 inches of snow was measured." +113080,676323,GEORGIA,2017,January,Drought,"HART",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113080,676321,GEORGIA,2017,January,Drought,"HABERSHAM",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113080,676324,GEORGIA,2017,January,Drought,"RABUN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113080,676325,GEORGIA,2017,January,Drought,"STEPHENS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After an extended period of abnormally dry weather during much of 2016, in which record low annual rainfall amounts were observed (deficits of around 20 inches), northeast Georgia finally saw a month of near-to-above normal precipitation during January 2017. This resulted in slight relief from the drought conditions. Nevertheless, levels remained well below normal on all area streams and reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113152,676814,VIRGINIA,2017,January,Flood,"SALEM (C)",2017-01-23 11:12:00,EST-5,2017-01-23 17:12:00,0,0,0,0,0.00K,0,0.00K,0,37.2885,-80.0291,37.2782,-80.0315,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","Flooding occurred along portions of Mason Creek threatening several mobile home parks but causing no evacuations. The Mason Creek gage (MSCV2) crested at 7.5 feet (Minor Flood Stage = 7 ft.) around midday and remained above flood stage through mid-afternoon." +113152,676813,VIRGINIA,2017,January,Flood,"SALEM (C)",2017-01-23 11:00:00,EST-5,2017-01-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2847,-80.0844,37.2863,-80.0765,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","Mill Lane bridge in Salem closed due to flooding from the Roanoke River. The IFLOWS gage at Salem Pump Station (SPSV2) crested at 8.5 feet (Minor Flood Stage = 7 feet) during the early afternoon of the 23rd and remained above flood stage into the morning of 24th." +113152,676819,VIRGINIA,2017,January,Flood,"ROANOKE (C)",2017-01-23 12:00:00,EST-5,2017-01-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2607,-79.9372,37.2614,-79.9352,"A powerful upper low developed over the south central states late on January 21st with an intense surface low tracking from Arkansas to the northern mid-Atlantic coast over the next few days. Storm total rainfall ranged from 1 to 4 inches with locally higher amounts across the Blacksburg CWA during the 48-hour period ending 7 PM on the 24th. Record daily rainfall records were set for January 23rd at Roanoke Airport (1.87���; old record 0.91��� set in 1999), Bluefield Airport (1.53���; old record 0.91��� set in 2002) and Blacksburg NWS (1.32���; old record 0.88��� set in 1954). Flooding was generally minor and concentrated in the Roanoke metro area and on the lower reaches of several rivers.","The Roanoke River at Roanoke (RONV2) gage crested at 10.58 feet (Minor Flood Stage = 10 ft.) near midday on the 23rd. The bike trail along the river was closed due to flood waters and the low water brdige at Wiley Drive was well under water." +113060,676081,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 08:49:00,CST-6,2017-01-21 08:53:00,0,0,0,0,0.00K,0,0.00K,0,32.5267,-85.4825,32.55,-85.4523,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southwest Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 70 mph. A weak tornado formed along County Road 23 south of Sand Hill Road where several trees were uprooted. It crossed Sand Hill Road and Wrights Mill Road near Wright Crossroads, and then uprooted several trees at Springwood Drive and Old Creek Trail just inside the Auburn city limits. The tornado then dissipated as it approached Lake Ogletree." +113060,676078,ALABAMA,2017,January,Tornado,"LEE",2017-01-21 08:50:00,CST-6,2017-01-21 08:51:00,0,0,0,0,0.00K,0,0.00K,0,32.497,-85.4392,32.509,-85.4303,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southwest Lee County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 75 mph. This tornado began in northeast Macon County .25 mile southwest of the intersection of County Road 43 and County Road 24, and entered southwest Lee County .5 mile south of the intersection of CR 54 and CR 27. The tornado lifted shortly after crossing into Lee County near the Auburn University Fisheries." +112538,671203,OHIO,2017,January,High Wind,"LUCAS",2017-01-10 19:03:00,EST-5,2017-01-10 19:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","High winds downed trees, limbs and power lines causing some power outages. State Route 24 was blocked by a fallen tree near Waterville." +113232,677861,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-09 03:10:00,MST-7,2017-01-09 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 87 mph at 09/1045 MST." +113185,677082,OHIO,2017,January,Winter Weather,"SCIOTO",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The EMA in Sciotoville and a spotter east of Wheelersburg both measured 2.8 inches of snow. Another EMA in Rarden and the county garage in Lucasville measured 2 inches." +112467,673173,MAINE,2017,January,Sleet,"SOUTHERN PISCATAQUIS",2017-01-24 05:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total sleet accumulations ranged from 2 to 5 inches." +113796,681284,WYOMING,2017,January,Winter Storm,"SNOWY RANGE",2017-01-02 07:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 69 inches of snow." +113796,681286,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","The Crow Creek SNOTEL site (elevation 8330 ft) estimated 26 inches of snow." +112200,669026,TENNESSEE,2017,January,Heavy Snow,"SULLIVAN",2017-01-06 20:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 4 inches was measured three miles south southeast of Kingsport near Rock Springs." +112200,669030,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST COCKE",2017-01-06 20:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 5.5 inches was measured at Newport." +112200,669037,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST COCKE",2017-01-06 20:00:00,EST-5,2017-01-07 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 5.5 inches was measured at Newport." +112200,669038,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 5.5 inches was measured at Wears Valley." +112200,669039,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST BLOUNT",2017-01-06 20:00:00,EST-5,2017-01-07 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 5 inches was estimated two miles west of Seymour." +112200,669041,TENNESSEE,2017,January,Heavy Snow,"COCKE/SMOKY MOUNTAINS",2017-01-06 20:00:00,EST-5,2017-01-07 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall depth of 7 inches was measured at Cosby." +112965,674994,NORTH CAROLINA,2017,January,Heavy Snow,"ALEXANDER",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,674995,NORTH CAROLINA,2017,January,Heavy Snow,"AVERY",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,674996,NORTH CAROLINA,2017,January,Heavy Snow,"IREDELL",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112538,671213,OHIO,2017,January,High Wind,"LORAIN",2017-01-10 23:10:00,EST-5,2017-01-10 23:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at the Lorain County Airport measured a 59 mph wind gust." +113302,677988,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-21 08:00:00,PST-8,2017-01-22 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station at Grant Grove reported a measured 24 hour snowfall of 14 inches in Tulare County." +113302,677989,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-21 08:00:00,PST-8,2017-01-22 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station at Tuolumne Meadows reported a measured 24 hour snowfall of 15 inches in Tuolumne County." +113302,677990,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA FOOTHILLS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Public report of a measured 24 hour snowfall of 8 inches in North Fork in Madera County." +113302,677991,CALIFORNIA,2017,January,Heavy Snow,"S SIERRA MTNS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","COOP station near Tuolumne Meadows reported a measured 24 hour snowfall of 25 inches in Tuolumne County." +113302,677992,CALIFORNIA,2017,January,Heavy Snow,"TULARE CTY MTNS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold low pressure system moved into central California bringing heavy snowfall to parts of the Sierra Nevada and Kern County Mountains along with wintry weather to the Sierra Foothills.","Trained Spotter 6 miles east southeast of Camp Nelson reported a measured 24 hour snowfall of 8 inches in Tulare County." +113133,678253,OREGON,2017,January,Winter Storm,"SOUTHERN WILLAMETTE VALLEY",2017-01-07 07:30:00,PST-8,2017-01-08 17:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","General snowfall totals of 2-4 inches were reported, with the greatest total being 4.5 inches from the observer at Eugene Airport. Major ice accumulations occurred after the snow, with several locations reporting 0.50-1.00. The combination of snow and ice resulted in significant power outages and closures across the area." +112902,674543,WISCONSIN,2017,January,Winter Storm,"LINCOLN",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +112902,674544,WISCONSIN,2017,January,Winter Storm,"LANGLADE",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Langlade County was 9.8 inches at White Lake." +112779,678100,KANSAS,2017,January,Ice Storm,"STANTON",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1/2 to 3/4 inch. Water equivalent was 1/2 to 1 inch." +112779,678101,KANSAS,2017,January,Ice Storm,"STEVENS",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 3/4 to 1 inch. Water equivalent was 1 to 2 inches." +112710,674004,CALIFORNIA,2017,January,Drought,"INDIAN WELLS VLY",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +112779,678074,KANSAS,2017,January,Ice Storm,"BARBER",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 0.5 to 0.75 inches. Water equivalent was over 4 inches." +112800,673932,CALIFORNIA,2017,January,Flood,"KERN",2017-01-05 07:30:00,PST-8,2017-01-05 07:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2895,-118.6305,35.2876,-118.6343,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Kern County Department of Highways reported flooding in Caliente on Caliente Bodfish Road near Bealville Road by the Post Office." +113399,678542,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN VALLEY",2017-02-08 13:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Okanogan reported 4 inches of snow." +113399,678537,WASHINGTON,2017,February,Winter Storm,"WATERVILLE PLATEAU",2017-02-08 09:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Waterville reported 3 inches of new snow and freezing rain." +113190,677108,ARIZONA,2017,January,Heavy Snow,"WESTERN MOGOLLON RIM",2017-01-19 06:00:00,MST-7,2017-01-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","Light snow began to fall by daybreak on January 19. Snow increased overnight and early on January 20. Seven to 9 inches of snow was reported around Flagstaff. Twenty one inches of snow was reported at 10,800 feet elevation. Eleven to 13.5 inches fell in the Parks and Williams areas west of Flagstaff. Kachina Village received 8-10 inches." +113190,683164,ARIZONA,2017,January,Heavy Snow,"KAIBAB PLATEAU",2017-01-19 07:00:00,MST-7,2017-01-20 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","The North Rim of the Grand Canyon received and estimated 9 to 10 inches of new snow." +113190,683553,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS FROM HIGHWAY 264 NORTH",2017-01-19 07:00:00,MST-7,2017-01-20 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","An estimated seven to nine inches of new snow fell at around 5,700 feet elevation." +113190,683554,ARIZONA,2017,January,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS SOUTH OF HIGHWAY 264",2017-01-19 07:00:00,MST-7,2017-01-20 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms hit northern Arizona with heavy snow.","An estimated seven to nine inches of new snow fell at around 5,700 feet elevation." +111564,665642,CALIFORNIA,2017,January,Flood,"SACRAMENTO",2017-01-07 09:20:00,PST-8,2017-01-08 09:20:00,0,0,0,0,15.00K,15000,0.00K,0,38.5497,-121.1099,38.552,-121.1126,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Flooding of Deer Creek reported at Scott Rd. in Sloughhouse. A driver was rescued when his truck got stuck as he drove across the flooded road." +113352,678298,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-03-22 01:02:00,EST-5,2017-03-22 01:03:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"An area of scattered to numerous thunderstorms developed in the afternoon hours to the northwest along a strong cold front. These storms eventually transitioned into a line of thunderstorms through the evening and propagated into southeast South Carolina and southeast Georgia in the late evening and early morning hours. Once these storms reached the coast they were still strong enough to produce strong wind gusts.","Buoy 41004 measured a 41 knot wind gust with a line of thunderstorms." +113362,678309,MONTANA,2017,March,Winter Storm,"SOUTHERN ROSEBUD",2017-03-08 23:00:00,MST-7,2017-03-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Ashland received 7 inches of snow." +113362,678310,MONTANA,2017,March,Winter Storm,"NORTHERN BIG HORN",2017-03-08 21:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 6 inches along with freezing rain was reported across the area." +113362,678315,MONTANA,2017,March,Winter Storm,"NORTHERN ROSEBUD",2017-03-08 20:00:00,MST-7,2017-03-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 5 to 6 inches along with freezing rain was reported across the area." +113362,678316,MONTANA,2017,March,Winter Storm,"TREASURE",2017-03-08 21:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 4 to 6 inches along with freezing rain was reported across the area." +113362,678317,MONTANA,2017,March,Winter Storm,"GOLDEN VALLEY",2017-03-08 18:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of at least 6 inches along with freezing rain was reported across the area." +113362,678318,MONTANA,2017,March,Winter Storm,"NORTHERN SWEET GRASS",2017-03-08 20:00:00,MST-7,2017-03-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 15 inches was reported across the area. In addition, multiple accidents were reported on Interstate 90." +113358,680892,MAINE,2017,March,Blizzard,"NORTHERN PISCATAQUIS",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 12 to 18 inches. Blizzard conditions also occurred." +112767,675171,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:51:00,EST-5,2017-03-01 06:53:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-84.48,39.29,-84.48,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675172,OHIO,2017,March,Hail,"BUTLER",2017-03-01 06:49:00,EST-5,2017-03-01 06:51:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-84.56,39.4,-84.56,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +113891,682044,OHIO,2017,March,Winter Weather,"HAMILTON",2017-03-04 07:00:00,EST-5,2017-03-04 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north through the region, producing light snowfall as it passed.","One and a half inches of snow was measured 3 miles west of Cheviot. In Montgomery, 1.3 inches was measured by a spotter." +113892,682046,KENTUCKY,2017,March,Winter Weather,"BOONE",2017-03-04 07:00:00,EST-5,2017-03-04 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north through the region, producing light snowfall as it passed.","The Cincinnati airport at CVG measured 0.9 inches of snow." +113891,682047,OHIO,2017,March,Winter Weather,"MONTGOMERY",2017-03-04 07:00:00,EST-5,2017-03-04 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north through the region, producing light snowfall as it passed.","The Dayton-Cox airport measured 0.3 inches of snowfall." +113895,682056,OHIO,2017,March,Winter Weather,"LICKING",2017-03-01 02:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed the region during the evening of the 9th. Lingering light precipitation turned to snow and lightly accumulated over portions of central Ohio.","An inch of snow was measured 2 miles north of Buckeye Lake and by the CoCoRaHS observer located 4 miles north of Granville." +113895,682059,OHIO,2017,March,Winter Weather,"FRANKLIN",2017-03-01 02:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed the region during the evening of the 9th. Lingering light precipitation turned to snow and lightly accumulated over portions of central Ohio.","Two tenths of an inch of snow fell at the Columbus airport." +121162,725353,OKLAHOMA,2017,October,Hail,"STEPHENS",2017-10-21 20:08:00,CST-6,2017-10-21 20:08:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.96,34.5,-97.96,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +112939,675316,NEW YORK,2017,March,Winter Storm,"WESTERN ESSEX",2017-03-14 09:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Essex county generally ranged from 18 to 36 inches. Some specific amounts include; 42 inches in Lake Placid, 35 inches in Au Sable Forks, 32 inches in Keene Valley, 28 inches in Wilmington and 18 inches in Schroon Lake. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +112939,675318,NEW YORK,2017,March,Winter Storm,"NORTHERN FRANKLIN",2017-03-14 10:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Franklin county generally ranged from 18 to 36 inches. Some specific amounts include; 34 inches in Gabriels, 33 inches in Duane Center and Malone, 31 inches in Westville Center and 25 inches in Dickinson. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +113495,679408,CONNECTICUT,2017,March,High Wind,"NORTHERN LITCHFIELD",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Every town in Litchfield county had at least one tree down resulting in road closures and or power outages.","" +113495,679409,CONNECTICUT,2017,March,High Wind,"SOUTHERN LITCHFIELD",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Every town in Litchfield county had at least one tree down resulting in road closures and or power outages.","" +113493,679410,NEW YORK,2017,March,Strong Wind,"WESTERN ULSTER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +112845,679008,MISSOURI,2017,March,Funnel Cloud,"NEWTON",2017-03-09 18:02:00,CST-6,2017-03-09 18:02:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-94.14,37.02,-94.14,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Storm spotters observed a funnel cloud." +112845,679009,MISSOURI,2017,March,Funnel Cloud,"BARRY",2017-03-09 18:22:00,CST-6,2017-03-09 18:22:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-93.92,36.82,-93.92,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A funnel cloud was observed northwest of Purdy." +112845,679010,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:03:00,CST-6,2017-03-09 12:03:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.5,37.84,-94.5,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679012,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:07:00,CST-6,2017-03-09 12:07:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.36,37.84,-94.36,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +113493,679411,NEW YORK,2017,March,Strong Wind,"NORTHERN HERKIMER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679413,NEW YORK,2017,March,High Wind,"NORTHERN WARREN",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +112845,679013,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:11:00,CST-6,2017-03-09 12:11:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.36,37.84,-94.36,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679014,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:18:00,CST-6,2017-03-09 12:18:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-94.35,37.89,-94.35,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679015,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:20:00,CST-6,2017-03-09 12:20:00,0,0,0,0,50.00K,50000,0.00K,0,37.89,-94.24,37.89,-94.24,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Baseball size hail was reported on social media with a picture. There was damage to cars and houses reported by this hail. Damage estimates will be included in this storm report." +112845,679016,MISSOURI,2017,March,Hail,"CEDAR",2017-03-09 12:35:00,CST-6,2017-03-09 12:35:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-94.02,37.89,-94.02,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679017,MISSOURI,2017,March,Hail,"ST. CLAIR",2017-03-09 13:15:00,CST-6,2017-03-09 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-94.03,38.2,-94.03,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +114568,687188,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-03-08 08:30:00,EST-5,2017-03-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-76,36.92,-76,"Showers along a cold front produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 45 knots was measured at Cape Henry." +114569,687190,ATLANTIC NORTH,2017,March,Marine Strong Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-03-10 14:36:00,EST-5,2017-03-10 14:36:00,0,0,0,0,1.00K,1000,0.00K,0,36.92,-76,36.92,-76,"Gusty north or northwest winds occurred on the back side of low pressure across portions of the Virginia Coastal Waters.","Wind gust of 43 knots was measured at Cape Henry." +113619,680149,LOUISIANA,2017,March,Thunderstorm Wind,"CADDO",2017-03-24 20:06:00,CST-6,2017-03-24 20:06:00,0,0,0,0,0.00K,0,0.00K,0,32.7348,-93.9674,32.7348,-93.9674,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Highway 538." +113619,680150,LOUISIANA,2017,March,Thunderstorm Wind,"CADDO",2017-03-24 20:16:00,CST-6,2017-03-24 20:16:00,0,0,0,0,0.00K,0,0.00K,0,32.8067,-93.8498,32.8067,-93.8498,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Highway 71." +113549,683202,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 21:01:00,CST-6,2017-03-06 21:01:00,0,0,0,0,5.00K,5000,0.00K,0,43.56,-90.89,43.56,-90.89,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Several trees were blown down in and around Viroqua. Numerous power lines were also downed." +113549,683207,WISCONSIN,2017,March,Thunderstorm Wind,"ADAMS",2017-03-06 21:54:00,CST-6,2017-03-06 21:54:00,0,0,0,0,2.00K,2000,0.00K,0,43.83,-89.82,43.83,-89.82,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down in and near Rome." +113549,683208,WISCONSIN,2017,March,Thunderstorm Wind,"ADAMS",2017-03-06 21:51:00,CST-6,2017-03-06 21:51:00,0,0,0,0,2.00K,2000,0.00K,0,44.03,-89.88,44.03,-89.88,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down in and near Arkdale." +113549,683211,WISCONSIN,2017,March,Thunderstorm Wind,"ADAMS",2017-03-06 22:24:00,CST-6,2017-03-06 22:24:00,0,0,0,0,2.00K,2000,0.00K,0,43.8095,-89.8416,43.8095,-89.8416,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees were blown down southeast of White Creek." +113549,683213,WISCONSIN,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 21:47:00,CST-6,2017-03-06 21:47:00,0,0,0,0,2.00K,2000,0.00K,0,43.66,-90.34,43.66,-90.34,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Trees and power lines were blown down in Hillsboro." +114020,682885,VIRGINIA,2017,March,Thunderstorm Wind,"SPOTSYLVANIA",2017-03-01 13:26:00,EST-5,2017-03-01 13:26:00,0,0,0,0,,NaN,,NaN,38.3,-77.63,38.3,-77.63,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","There were about twenty trees down along Route 3 and River Road near Wilderness Battlefield." +114020,682887,VIRGINIA,2017,March,Thunderstorm Wind,"STAFFORD",2017-03-01 13:32:00,EST-5,2017-03-01 13:32:00,0,0,0,0,,NaN,,NaN,38.42,-77.4,38.42,-77.4,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down throughout the county." +114020,682888,VIRGINIA,2017,March,Thunderstorm Wind,"KING GEORGE",2017-03-01 13:48:00,EST-5,2017-03-01 13:48:00,0,0,0,0,,NaN,,NaN,38.2681,-77.1847,38.2681,-77.1847,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous trees were down throughout the county." +114020,682889,VIRGINIA,2017,March,Thunderstorm Wind,"ARLINGTON",2017-03-01 13:44:00,EST-5,2017-03-01 13:44:00,0,0,0,0,,NaN,,NaN,38.8626,-77.0881,38.8626,-77.0881,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Siding as torn off a roof of a Seven Eleven on Columbia Pike." +114020,682890,VIRGINIA,2017,March,Thunderstorm Wind,"SPOTSYLVANIA",2017-03-01 13:30:00,EST-5,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,38.2734,-77.5536,38.2734,-77.5536,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Multiple trees were down in front of Chancellor High School. A wind gust of 61 mph was also measured." +114021,685012,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:14:00,EST-5,2017-03-01 13:14:00,0,0,0,0,,NaN,,NaN,39.0789,-77.3278,39.0789,-77.3278,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees and wires were down at the Intersection of River Road and Seneca Road." +114021,685013,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:20:00,EST-5,2017-03-01 13:20:00,0,0,0,0,,NaN,,NaN,39.1782,-77.2607,39.1782,-77.2607,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree fell onto wires in Germantown." +114021,685014,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:23:00,EST-5,2017-03-01 13:23:00,0,0,0,0,,NaN,,NaN,39.0789,-77.3276,39.0789,-77.3276,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree and wires were down on a car. The car blocked River Road between Seneca Road and Violettes Lock Road." +121115,725093,CALIFORNIA,2017,December,High Wind,"MODOC COUNTY",2017-12-19 17:04:00,PST-8,2017-12-19 18:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought strong winds to parts of northeast California.","The Timber Mountain RAWS recorded a gust to 61 mph at 19/1803 PST." +121927,729834,CALIFORNIA,2017,December,High Wind,"VENTURA COUNTY INTERIOR VALLEYS",2017-12-06 19:38:00,PST-8,2017-12-06 21:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure in the Great Basin generated another round of gusty Santa Ana winds across Southern California. Across the interior valleys of Ventura county, northeast wind gusts up to 85 MPH were reported.","Strong northeast winds were reported across the interior valleys of Ventura county. The RAWS sensor at Boney Mountain reported northeast wind gusts between 73 and 85 MPH. A sensor at Decker Canyon reported wind gusts up to 73 MPH." +113493,679394,NEW YORK,2017,March,High Wind,"EASTERN ALBANY",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679396,NEW YORK,2017,March,High Wind,"WESTERN GREENE",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +114525,686771,ILLINOIS,2017,March,Hail,"CASS",2017-03-06 23:20:00,CST-6,2017-03-06 23:25:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-90.43,40.02,-90.43,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +114525,686772,ILLINOIS,2017,March,Hail,"KNOX",2017-03-06 23:28:00,CST-6,2017-03-06 23:33:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-90.19,40.75,-90.19,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +113493,679397,NEW YORK,2017,March,High Wind,"EASTERN GREENE",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679401,NEW YORK,2017,March,High Wind,"EASTERN ULSTER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +114525,686773,ILLINOIS,2017,March,Hail,"PEORIA",2017-03-06 23:45:00,CST-6,2017-03-06 23:50:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-89.64,40.81,-89.64,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +114525,686774,ILLINOIS,2017,March,Hail,"MORGAN",2017-03-07 00:00:00,CST-6,2017-03-07 00:05:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-90.23,39.73,-90.23,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +114525,686775,ILLINOIS,2017,March,Hail,"TAZEWELL",2017-03-07 00:07:00,CST-6,2017-03-07 00:12:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-89.4191,40.7,-89.4191,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +117223,704980,NEW MEXICO,2017,June,Hail,"LEA",2017-06-23 13:45:00,MST-7,2017-06-23 13:50:00,0,0,0,0,,NaN,,NaN,32.9198,-103.3378,32.9198,-103.3378,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","" +114137,683539,OKLAHOMA,2017,March,High Wind,"WOODS",2017-03-06 12:50:00,CST-6,2017-03-06 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds increased ahead of a dryline and front as a pressure gradient tightened over Oklahoma during the day on the 6th.","" +114137,683541,OKLAHOMA,2017,March,High Wind,"WOODS",2017-03-06 17:05:00,CST-6,2017-03-06 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds increased ahead of a dryline and front as a pressure gradient tightened over Oklahoma during the day on the 6th.","" +114138,683756,OKLAHOMA,2017,March,Hail,"LINCOLN",2017-03-06 20:59:00,CST-6,2017-03-06 20:59:00,0,0,0,0,0.00K,0,0.00K,0,35.79,-97.02,35.79,-97.02,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +117224,705118,TEXAS,2017,June,Thunderstorm Wind,"DAWSON",2017-06-23 17:30:00,CST-6,2017-06-23 17:30:00,0,0,0,0,,NaN,,NaN,32.7095,-101.9257,32.7095,-101.9257,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Dawson County and produced a 61 mph wind gust two miles southeast of Lamesa." +117224,705122,TEXAS,2017,June,Thunderstorm Wind,"REEVES",2017-06-23 18:03:00,CST-6,2017-06-23 18:03:00,0,0,0,0,5.00K,5000,0.00K,0,31.4236,-103.4878,31.4236,-103.4878,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Reeves County and produced a 64 mph wind gust in Pecos. There were power outages reported in Pecos. The cost of damage is a very rough estimate." +114138,683757,OKLAHOMA,2017,March,Hail,"OKLAHOMA",2017-03-06 21:03:00,CST-6,2017-03-06 21:03:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-97.3,35.64,-97.3,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114138,683758,OKLAHOMA,2017,March,Hail,"CLEVELAND",2017-03-06 21:55:00,CST-6,2017-03-06 21:55:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-97.41,35.17,-97.41,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +113840,681725,WYOMING,2017,March,Flood,"SUBLETTE",2017-03-12 19:00:00,MST-7,2017-03-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9731,-110.0658,41.957,-110.1942,"Rapid snow melt caused by warming temperatures produced flooding in portions of Sublette County. There was flooding in the normally flood prone areas around LaBarge where water rose into a couple of houses basements. In addition, high water closed portions of Highway 372 between Mile Markers 40 and 48 for a couple of days. The water receded the morning on March 14th.","Sublette County Emergency Management reported flooding along portions of Highway 372 between Mile Markers 40 and 48. That portion of the road was closed for over 24 hours before the waters receded." +115344,699169,ARKANSAS,2017,April,Thunderstorm Wind,"YELL",2017-04-26 08:54:00,CST-6,2017-04-26 09:10:00,0,0,0,0,,NaN,,NaN,34.9437,-93.4089,35.2305,-93.1599,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Numerous large trees were uprooted and fell on homes in Rover...Plainview...Danville...|and Dardanelle." +115196,694495,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-10 14:09:00,CST-6,2017-05-10 14:09:00,0,0,0,0,0.00K,0,0.00K,0,35.6235,-97.4601,35.6235,-97.4601,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694497,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-10 14:11:00,CST-6,2017-05-10 14:11:00,0,0,0,0,0.00K,0,0.00K,0,35.594,-97.6214,35.594,-97.6214,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694498,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-10 14:12:00,CST-6,2017-05-10 14:12:00,0,0,0,0,0.00K,0,0.00K,0,35.6101,-97.4959,35.6101,-97.4959,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +115196,694500,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 16:12:00,CST-6,2017-05-10 16:12:00,0,0,0,0,0.00K,0,0.00K,0,34.58,-99.42,34.58,-99.42,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +113840,681726,WYOMING,2017,March,Flash Flood,"SUBLETTE",2017-03-12 19:00:00,MST-7,2017-03-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2631,-110.1931,42.2619,-110.1929,"Rapid snow melt caused by warming temperatures produced flooding in portions of Sublette County. There was flooding in the normally flood prone areas around LaBarge where water rose into a couple of houses basements. In addition, high water closed portions of Highway 372 between Mile Markers 40 and 48 for a couple of days. The water receded the morning on March 14th.","The Sublette County Emergency Manager reported a couple of houses had water in the basements along the Green River above the Fontenelle Reservoir." +113755,681066,TEXAS,2017,March,Hail,"JACK",2017-03-26 16:15:00,CST-6,2017-03-26 16:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.06,-98.11,33.06,-98.11,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency Management reported golf ball sized hail near the intersection of FM 2210 and Pump Station Road; approximately 3 miles northwest of Perrin, TX." +113755,681067,TEXAS,2017,March,Hail,"WISE",2017-03-26 16:38:00,CST-6,2017-03-26 16:38:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-97.6,33.2,-97.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported ping pong ball sized hail approximately 2 miles south of Decatur, TX." +113755,681068,TEXAS,2017,March,Hail,"WISE",2017-03-26 16:57:00,CST-6,2017-03-26 16:57:00,0,0,0,0,0.00K,0,0.00K,0,33.13,-97.87,33.13,-97.87,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated half-dollar sized hail approximately 3 miles south of Runaway Bay, TX." +113755,681070,TEXAS,2017,March,Hail,"MONTAGUE",2017-03-26 17:02:00,CST-6,2017-03-26 17:02:00,0,0,0,0,0.00K,0,0.00K,0,33.57,-97.85,33.57,-97.85,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported quarter-sized hail near the town of Bowie, TX." +113755,681071,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:05:00,CST-6,2017-03-26 17:05:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-97.77,33.18,-97.77,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter-sized hail approximately 3 miles south of Bridgeport, TX." +114384,689270,WISCONSIN,2017,March,Thunderstorm Wind,"LAFAYETTE",2017-03-06 22:36:00,CST-6,2017-03-06 22:36:00,0,0,0,0,1.00K,1000,0.00K,0,42.7541,-90.02,42.7541,-90.02,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Damage to the roof of a building on Highway G." +114384,689271,WISCONSIN,2017,March,Thunderstorm Wind,"SAUK",2017-03-06 22:51:00,CST-6,2017-03-06 22:51:00,0,0,0,0,1.00K,1000,0.00K,0,43.6,-90.13,43.6,-90.13,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Power lines down." +114384,689272,WISCONSIN,2017,March,Thunderstorm Wind,"DANE",2017-03-06 23:39:00,CST-6,2017-03-06 23:39:00,0,0,0,0,1.00K,1000,0.00K,0,43.1,-89.55,43.1,-89.55,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","One large tree down in the Town of Middleton." +114384,689273,WISCONSIN,2017,March,Thunderstorm Wind,"ROCK",2017-03-06 23:59:00,CST-6,2017-03-06 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,42.53,-89.2,42.53,-89.2,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","A tree down in Newark Township." +114384,689274,WISCONSIN,2017,March,Thunderstorm Wind,"ROCK",2017-03-06 23:59:00,CST-6,2017-03-06 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,42.56,-89.29,42.56,-89.29,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","A tree down in Avon Township." +114384,689275,WISCONSIN,2017,March,Thunderstorm Wind,"ROCK",2017-03-06 23:59:00,CST-6,2017-03-06 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,42.63,-89.31,42.63,-89.31,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","A tree down in Spring Valley Township." +114384,689276,WISCONSIN,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:05:00,CST-6,2017-03-07 00:05:00,0,0,0,0,6.00K,6000,0.00K,0,43.04,-88.95,43.04,-88.95,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Four 2 story tall trees uprooted. The trees damaged a boat, trailer, and a chimney after falling on them." +113083,676344,NORTH CAROLINA,2017,March,Hail,"DAVIE",2017-03-01 17:57:00,EST-5,2017-03-01 18:04:00,0,0,0,0,,NaN,,NaN,35.867,-80.603,35.85,-80.51,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Ham radio operator reported 3/4 inch hail near the intersection of Junction Rd and Davie Academy Rd." +113083,676348,NORTH CAROLINA,2017,March,Hail,"GASTON",2017-03-01 18:23:00,EST-5,2017-03-01 18:23:00,0,0,0,0,,NaN,,NaN,35.376,-81.099,35.376,-81.099,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Public reported ping pong ball size hail north of Stanley." +113083,676350,NORTH CAROLINA,2017,March,Hail,"LINCOLN",2017-03-01 18:25:00,EST-5,2017-03-01 18:25:00,0,0,0,0,,NaN,,NaN,35.42,-81,35.42,-81,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Public reported ping pong ball size hail near Sifford Road and Highway 16." +113083,676351,NORTH CAROLINA,2017,March,Hail,"MECKLENBURG",2017-03-01 18:40:00,EST-5,2017-03-01 18:40:00,0,0,0,0,,NaN,,NaN,35.42,-80.85,35.42,-80.85,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Ham radio operator reported quarter size hail in the Huntersville area." +113083,676352,NORTH CAROLINA,2017,March,Hail,"CABARRUS",2017-03-01 18:53:00,EST-5,2017-03-01 18:53:00,0,0,0,0,,NaN,,NaN,35.484,-80.628,35.484,-80.628,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Public reported quarter size hail near Bethpage Rd and South Main St. At least one other report of nickel to quarter size hail was received in the Kannapolis area." +113083,676353,NORTH CAROLINA,2017,March,Hail,"BURKE",2017-03-01 16:50:00,EST-5,2017-03-01 16:50:00,0,0,0,0,,NaN,,NaN,35.727,-81.561,35.727,-81.561,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Media reported 3/4 inch hail off I-40 near exit 111." +114431,686181,NORTH CAROLINA,2017,March,Winter Weather,"YANCEY",2017-03-14 00:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As low pressure moved up the East Coast, light precipitation developed over western North Carolina during the evening of the 13th, beginning as rain in most locations. As colder air wrapped into the area behind the low, snow levels dropped, allowing all but the lower valleys to transition to snow. Moist northwest flow resulted in the precipitation retreating to the Tennessee border areas with time. Total accumulation were generally in the 3 to 5 inch range for elevations above 3500 feet or so, while the lower valleys saw anywhere from trace amounts to around a couple of inches.","" +114434,686215,GEORGIA,2017,March,Cold/Wind Chill,"ELBERT",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2017 growing season began early across northeast Georgia, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114434,686216,GEORGIA,2017,March,Cold/Wind Chill,"FRANKLIN",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2017 growing season began early across northeast Georgia, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114434,686217,GEORGIA,2017,March,Cold/Wind Chill,"HABERSHAM",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2017 growing season began early across northeast Georgia, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114434,686218,GEORGIA,2017,March,Cold/Wind Chill,"HART",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2017 growing season began early across northeast Georgia, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +113336,682139,OKLAHOMA,2017,March,Drought,"LATIMER",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682141,OKLAHOMA,2017,March,Drought,"MAYES",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113336,682142,OKLAHOMA,2017,March,Drought,"DELAWARE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in near to above average rainfall amounts across much of northeastern Oklahoma north of I-44. Unfortunately, areas of eastern Oklahoma to the south of I-44 received below average rainfall amounts for the month, with some areas only receiving between 25 and 50 percent of normal rainfall. As a result, Severe Drought (D2) conditions persisted during the month across much of eastern Oklahoma south of I-44, and even expanded into Mayes and Delaware Counties. Monetary damage estimates resulting from the drought were not available.","" +113323,682151,OKLAHOMA,2017,March,Tornado,"ADAIR",2017-03-06 21:44:00,CST-6,2017-03-06 21:55:00,0,0,0,0,100.00K,100000,0.00K,0,35.6562,-94.7044,35.7233,-94.6345,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","This tornado destroyed several outbuildings, damaged several homes, uprooted numerous trees, and blew down power poles. Based on this damage, estimated maximum wind in the tornado was 90 to 100 mph." +114646,687630,ILLINOIS,2017,March,Hail,"MADISON",2017-03-30 11:40:00,CST-6,2017-03-30 11:45:00,0,0,0,0,0.00K,0,0.00K,0,38.7611,-90.0143,38.8071,-89.9506,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114645,687631,MISSOURI,2017,March,Hail,"ST. LOUIS",2017-03-30 10:35:00,CST-6,2017-03-30 10:35:00,0,0,0,0,0.00K,0,0.00K,0,38.5392,-90.4957,38.5392,-90.4957,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114645,687632,MISSOURI,2017,March,Hail,"LINCOLN",2017-03-30 11:04:00,CST-6,2017-03-30 11:04:00,0,0,0,0,0.00K,0,0.00K,0,39.1594,-90.7457,39.1594,-90.7457,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114646,687633,ILLINOIS,2017,March,Hail,"ST. CLAIR",2017-03-30 11:20:00,CST-6,2017-03-30 11:20:00,0,0,0,0,0.00K,0,0.00K,0,38.6169,-90.1703,38.6169,-90.1703,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114646,687634,ILLINOIS,2017,March,Hail,"MACOUPIN",2017-03-30 11:50:00,CST-6,2017-03-30 11:50:00,0,0,0,0,0.00K,0,0.00K,0,39.0423,-89.9514,39.0423,-89.9514,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114646,687635,ILLINOIS,2017,March,Hail,"CLINTON",2017-03-30 11:57:00,CST-6,2017-03-30 11:57:00,0,0,0,0,0.00K,0,0.00K,0,38.6082,-89.6078,38.6082,-89.6078,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","" +114646,687636,ILLINOIS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-30 12:40:00,CST-6,2017-03-30 12:40:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-89.57,39.32,-89.57,"As a cold front moved through the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","Thunderstorm winds blew down several large tree limbs around town. A couple of homes had a few shingles blown off." +113411,678634,HAWAII,2017,March,Heavy Rain,"KAUAI",2017-03-04 10:03:00,HST-10,2017-03-04 13:52:00,0,0,0,0,0.00K,0,0.00K,0,22.1062,-159.7192,21.9648,-159.3512,"A weakening front moving from the west generated heavy rain and isolated thunderstorms on Kauai and Oahu. The rainfall produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +113411,678635,HAWAII,2017,March,Heavy Rain,"HONOLULU",2017-03-05 08:28:00,HST-10,2017-03-05 10:15:00,0,0,0,0,0.00K,0,0.00K,0,21.2933,-157.6854,21.2843,-157.7829,"A weakening front moving from the west generated heavy rain and isolated thunderstorms on Kauai and Oahu. The rainfall produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +113414,678660,HAWAII,2017,March,High Surf,"NIIHAU",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +112813,674020,KANSAS,2017,March,Tornado,"SHAWNEE",2017-03-06 18:13:00,CST-6,2017-03-06 18:21:00,0,0,0,0,,NaN,,NaN,39.1095,-95.9236,39.1307,-95.8304,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","A tornado touched down approximately 2 miles |southeast of Rossville where it overturned a center pivot|irrigation system. It proceeded to the east northeast, causing |minor tree damage before the damage track ended 3 miles northeast|of Silver Lake." +112813,683544,KANSAS,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-06 17:06:00,CST-6,2017-03-06 17:07:00,0,0,0,0,,NaN,,NaN,39.72,-96.4,39.72,-96.4,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","A machine shed was destroyed." +112813,683545,KANSAS,2017,March,Hail,"POTTAWATOMIE",2017-03-06 17:13:00,CST-6,2017-03-06 17:14:00,0,0,0,0,,NaN,,NaN,39.43,-96.63,39.43,-96.63,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Dime to nickel size hail with a few quarter sized stones." +114840,688919,ALABAMA,2017,March,Hail,"BLOUNT",2017-03-27 16:50:00,CST-6,2017-03-27 16:51:00,0,0,0,0,0.00K,0,0.00K,0,34.08,-86.59,34.08,-86.59,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688920,ALABAMA,2017,March,Hail,"WINSTON",2017-03-27 17:01:00,CST-6,2017-03-27 17:02:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-87.62,34.23,-87.62,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688922,ALABAMA,2017,March,Hail,"BLOUNT",2017-03-27 17:05:00,CST-6,2017-03-27 17:06:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-86.61,33.91,-86.61,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688923,ALABAMA,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-27 17:06:00,CST-6,2017-03-27 17:07:00,0,0,0,0,0.00K,0,0.00K,0,33.86,-86.25,33.86,-86.25,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Several trees uprooted near the town of Ashville." +114840,688924,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 18:01:00,CST-6,2017-03-27 18:02:00,0,0,0,0,0.00K,0,0.00K,0,34,-86.06,34,-86.06,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688926,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 18:06:00,CST-6,2017-03-27 18:07:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-86.0074,33.99,-86.0074,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688943,ALABAMA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-27 18:18:00,CST-6,2017-03-27 18:19:00,0,0,0,0,0.00K,0,0.00K,0,33.43,-86.99,33.43,-86.99,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Several trees uprooted in the city of Hueytown." +115015,690162,ILLINOIS,2017,April,Flood,"ALEXANDER",2017-04-10 09:00:00,CST-6,2017-04-12 00:01:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-89.47,37.162,-89.439,"Heavy rain across the Missouri and middle Mississippi Valleys early in the month caused minor flooding along parts of the Mississippi and lower Ohio Rivers.","Minor flooding occurred along the Mississippi River. Low-lying fields and woods near the river were under water." +115016,690165,MISSOURI,2017,April,Flood,"CAPE GIRARDEAU",2017-04-07 09:30:00,CST-6,2017-04-15 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2798,-89.5169,37.2779,-89.5444,"Heavy rain across the Missouri and middle Mississippi Valleys early in the month caused minor flooding along parts of the Mississippi River.","Minor flooding occurred along the Mississippi River. Low-lying bottomland fields were under water. The river backed into some creeks, producing flooding of low-lying areas inland from the river." +115018,690210,MISSOURI,2017,April,Strong Wind,"BOLLINGER",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +112509,670956,MARYLAND,2017,January,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-01-05 12:00:00,EST-5,2017-01-06 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed and tracked off Mid-Atlantic coast at the same time colder air was funneling in from the north. This resulted in a period of snow.","A snowfall amount of 3.2 inches was received from Frostburg." +113797,681268,WISCONSIN,2017,February,Winter Weather,"IOWA",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 1-2 inches of snow accumulation." +113797,681269,WISCONSIN,2017,February,Winter Weather,"SAUK",2017-02-24 00:00:00,CST-6,2017-02-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well organized area of low pressure brought mixed precipitation to southern WI beginning in the early morning hours on February 24th and lasting until the morning of February 25th. Ice and snow accumulation made for slick roads and sidewalks. Modest ice accumulation north of Milwaukee resulted in downed tree limbs. There were about 30 school closures on February 24th north of Madison and Milwaukee due to the ice. Thunderstorms with small hail were also reported over southeast and east central WI.","Periods of snow, sleet, and freezing rain. Minor ice accumulation and 1-3 inches of snow accumulation." +114550,687023,INDIANA,2017,March,Thunderstorm Wind,"BLACKFORD",2017-03-30 16:45:00,EST-5,2017-03-30 16:46:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-85.37,40.45,-85.37,"A warm front edged north into portions of northern Indiana, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","A trained spotter reported wind gusts to 60 mph along with hail of unknown size covering the road." +114551,687024,OHIO,2017,March,Hail,"VAN WERT",2017-03-30 17:45:00,EST-5,2017-03-30 17:46:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-84.63,40.89,-84.63,"A warm front edged north into portions of northern Indiana and northwestern Ohio, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","" +114551,687025,OHIO,2017,March,Hail,"VAN WERT",2017-03-30 19:55:00,EST-5,2017-03-30 19:56:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-84.63,40.9,-84.63,"A warm front edged north into portions of northern Indiana and northwestern Ohio, bringing with it a low CAPE but high shear environment for rotating supercells. Several cells developed across central Indiana and worked northeast, crossing the warm front. However the depth of cold air north of the front was sufficient to limit any severe threat to isolated large hail despite strong rotation being noted on radar.","" +114557,689138,OHIO,2017,March,High Wind,"DEFIANCE",2017-03-08 11:04:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114557,689139,OHIO,2017,March,High Wind,"FULTON",2017-03-08 11:35:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114557,689141,OHIO,2017,March,High Wind,"HENRY",2017-03-08 12:15:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +112769,673593,KENTUCKY,2017,March,Thunderstorm Wind,"ESTILL",2017-03-01 08:31:00,EST-5,2017-03-01 08:31:00,1,0,0,0,,NaN,,NaN,37.7145,-84.08,37.7145,-84.08,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A microburst with 90 to 100 mph winds caused severe damage to vehicles and buildings near Winston. One man was injured by flying glass as he attempted to shut the front door of his home. One vehicle had been rolled over by the wind. Roof damage also occurred to several structures in the area, and a garage was completely destroyed. Several large trees were also uprooted." +112769,673592,KENTUCKY,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 08:45:00,EST-5,2017-03-01 08:45:00,0,0,0,0,,NaN,,NaN,37.28,-84.65,37.28,-84.65,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down in Eubank." +112769,673594,KENTUCKY,2017,March,Thunderstorm Wind,"ESTILL",2017-03-01 08:35:00,EST-5,2017-03-01 08:35:00,0,0,0,0,,NaN,,NaN,37.7,-83.97,37.7,-83.97,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A two story home on North Oak Street lost its top story due to thunderstorm wind gusts." +112769,673595,KENTUCKY,2017,March,Thunderstorm Wind,"ROWAN",2017-03-01 08:35:00,EST-5,2017-03-01 08:35:00,0,0,0,0,,NaN,,NaN,38.18,-83.27,38.18,-83.27,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","A mobile home was flipped over by thunderstorm wind gusts." +112769,673596,KENTUCKY,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 08:47:00,EST-5,2017-03-01 08:47:00,0,0,0,0,,NaN,,NaN,37.13,-84.85,37.13,-84.85,"The first severe weather outbreak of 2017 struck eastern Kentucky during the early morning hours of March 1st. A line of severe thunderstorms raced across the area between roughly 730 am and 1045 am on Wednesday, March 1st, 2017. A number of these storms packed very strong winds that downed trees and power lines and damaged or destroyed numerous buildings and other structures across the area.","Trees were blown down in Cains Store." +113360,678303,OHIO,2017,March,Flood,"JACKSON",2017-03-31 07:50:00,EST-5,2017-03-31 23:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.2022,-82.7569,39.1866,-82.6529,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Numerous roads were closed across northwestern Jackson County due to flooding. This included State Route 327 northwest of Wellston." +113360,678305,OHIO,2017,March,Flood,"VINTON",2017-03-31 08:00:00,EST-5,2017-03-31 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,39.29,-82.6223,39.2914,-82.4365,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Multiple roads across central Vinton County were closed due to flooding. This included portions of US 50 near McArthur and also near the intersection of US 50 and Carpenter Road at Allensville." +112682,673184,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 09:45:00,EST-5,2017-03-01 09:45:00,0,0,0,0,2.00K,2000,0.00K,0,38.5989,-81.7039,38.5989,-81.7039,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees blown down across Allens Fork Road." +112682,673185,WEST VIRGINIA,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 09:40:00,EST-5,2017-03-01 09:40:00,0,0,0,0,15.00K,15000,0.00K,0,38.5364,-81.9178,38.5364,-81.9178,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A tree fell on a home." +115020,690231,MISSOURI,2017,April,Strong Wind,"CARTER",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +115020,690232,MISSOURI,2017,April,Strong Wind,"RIPLEY",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +115020,690233,MISSOURI,2017,April,Strong Wind,"WAYNE",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +115020,690234,MISSOURI,2017,April,Strong Wind,"STODDARD",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +113706,680628,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 03:35:00,CST-6,2017-03-01 03:40:00,0,0,0,0,60.00K,60000,0.00K,0,36.1147,-90.9998,36.1169,-90.8569,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Emergency manager and public also reported a hangar door blown in at the regional airport along with trees and power lines down at Williams Baptist college." +113706,680629,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-01 03:40:00,CST-6,2017-03-01 03:45:00,0,0,0,0,20.00K,20000,0.00K,0,35.7917,-90.9486,35.7967,-90.9146,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","A tree was blown on top of a house in Cash." +115020,690235,MISSOURI,2017,April,Strong Wind,"SCOTT",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +114527,686823,TENNESSEE,2017,March,Winter Weather,"DEKALB",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across DeKalb County ranged from a dusting up to 1 inch. A tSpotter Twitter report indicated 1 inch of snow fell in Smithville." +114527,686824,TENNESSEE,2017,March,Winter Weather,"DICKSON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Dickson County ranged from 1 inch up to nearly 4 inches. CoCoRaHS station Vanleer 2.8 SE measured 3.7 inches of snow, and CoCoRaHS station Dickson 6.3 WSW measured 1.2 inches of snow. A tSpotter Twitter report indicated 1.5 inches of snow fell in Dickson." +114527,686830,TENNESSEE,2017,March,Winter Weather,"HOUSTON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Houston County ranged from 1 inch up to 3 inches. CoCoRaHS station Tennessee Ridge 1.4 SW measured 3.0 inches of snow." +114527,686835,TENNESSEE,2017,March,Winter Weather,"MONTGOMERY",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Montgomery County ranged from a dusting up to 0.5 inches. CoCoRaHS station Clarksville 10.2 WSW measured 0.5 inches of snow." +113051,686680,MASSACHUSETTS,2017,March,High Wind,"NANTUCKET",2017-03-14 11:52:00,EST-5,2017-03-14 11:52:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds impacted Nantucket lsland for a short time during the late morning and early afternoon on March 14. At 1252 PM, the Nantucket ASOS (KACK) recorded sustained winds of 45 mph and at 216 PM, it recorded a wind gust to 59 mph. |At 148 PM, amateur radio operators reported that the roof of the Nantucket Dept. of Public Works salt shed was blown off." +114128,683425,WASHINGTON,2017,March,Heavy Snow,"SPOKANE AREA",2017-03-07 13:00:00,PST-8,2017-03-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front laying across eastern Washington enhanced a feed of Pacific moisture into widespread snow during the afternoon and overnight hours of March 7th and 8th. Generally 1 to 3 inches of snow accumulated in the lower elevations but in the valleys of the Cascades where cold air was slower to erode heavy accumulations were noted. Also the Spokane area received 3 to locally 6 inches of snow accumulations as well as the southern valleys of the Northeast Washington mountains. The higher elevations of the northeast Washington mountains received nearly two feet with 22 inches noted at the 49 North Ski area.","An NWS employee in northwest Spokane received 4 inches of new snow accumulation." +112813,683551,KANSAS,2017,March,Hail,"SHAWNEE",2017-03-06 18:01:00,CST-6,2017-03-06 18:02:00,0,0,0,0,,NaN,,NaN,39.07,-95.7,39.07,-95.7,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Reported at KSNT studios." +115829,696153,MARYLAND,2017,May,Hail,"BALTIMORE",2017-05-25 18:06:00,EST-5,2017-05-25 18:06:00,0,0,0,0,,NaN,,NaN,39.4113,-76.7932,39.4113,-76.7932,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","Quarter sized was reported at Owings Mills." +115829,696154,MARYLAND,2017,May,Thunderstorm Wind,"ST. MARY'S",2017-05-25 16:11:00,EST-5,2017-05-25 16:11:00,0,0,0,0,,NaN,,NaN,38.3701,-76.679,38.3701,-76.679,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down along the 25500 Block of Loveville Road." +115829,696155,MARYLAND,2017,May,Thunderstorm Wind,"BALTIMORE",2017-05-25 18:05:00,EST-5,2017-05-25 18:05:00,0,0,0,0,,NaN,,NaN,39.3718,-76.798,39.3718,-76.798,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down along Offutt Road at Samoset Road." +115829,696156,MARYLAND,2017,May,Thunderstorm Wind,"BALTIMORE",2017-05-25 18:05:00,EST-5,2017-05-25 18:05:00,0,0,0,0,,NaN,,NaN,39.41,-76.82,39.41,-76.82,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down on Dolfield Boulevard at Lakeside Boulevard." +113605,680058,GEORGIA,2017,February,Thunderstorm Wind,"BACON",2017-02-07 16:00:00,EST-5,2017-02-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.49,-82.32,31.49,-82.32,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A tree was blown down on a power line along Desert Rose Road." +113605,680059,GEORGIA,2017,February,Thunderstorm Wind,"COFFEE",2017-02-07 20:25:00,EST-5,2017-02-07 20:25:00,0,0,0,0,0.00K,0,0.00K,0,31.52,-82.64,31.52,-82.64,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A large tree was blocking the road in Nichols. The time given was based on radar." +113882,683687,MONTANA,2017,March,Flood,"DANIELS",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.8349,-105.6097,48.8218,-105.6116,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Daniels County emergency manager reported water from Butte Creek running over North Four Buttes Road, just north of the town of Four Buttes. Times are estimated." +113882,683688,MONTANA,2017,March,Flood,"DANIELS",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.7118,-105.8368,48.6411,-105.8574,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Daniels County emergency manager reported water from Hell Creek running over Hell Creek Road, south of the town of Peerless. Times are estimated." +113882,683978,MONTANA,2017,March,Flood,"SHERIDAN",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.6708,-104.9404,48.5888,-104.6566,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Sheridan County dispatch reported water from Wolf Creek running over a number of rural roads stretching from Wolf Creek Road to Rock Springs Road, across southwest portions of the county." +113882,683981,MONTANA,2017,March,Flood,"PHILLIPS",2017-03-17 18:27:00,MST-7,2017-03-20 23:00:00,0,0,0,0,0.00K,0,0.00K,0,49.0022,-107.3068,48.9992,-107.3175,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","The water level at the Frenchman Creek river gauge (FREM8) rose above its flood stage of 12 feet around 7:30 PM local time on the 17th, quickly rose to a crest of 15.52 feet at 10:11 AM local time on 18th, then eventually dropped and remained back down below flood stage at 12:11 AM local time on the 21st." +112682,673202,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 10:00:00,EST-5,2017-03-01 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,38,-81.88,38,-81.88,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were downed and a structure was damaged near Six Mile Road." +112682,673204,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MINGO",2017-03-01 10:11:00,EST-5,2017-03-01 10:11:00,0,0,0,0,15.00K,15000,0.00K,0,37.6607,-82.1223,37.6607,-82.1223,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A mobile home was blown off its foundation." +112682,673226,WEST VIRGINIA,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 10:32:00,EST-5,2017-03-01 10:32:00,0,0,0,0,7.00K,7000,0.00K,0,37.98,-81.15,37.98,-81.15,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees, power poles and lines were brought down." +112682,673227,WEST VIRGINIA,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 10:35:00,EST-5,2017-03-01 10:35:00,0,0,0,0,0.50K,500,0.00K,0,37.92,-81.15,37.92,-81.15,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A large tree fell down across Route 16." +112682,673232,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MCDOWELL",2017-03-01 10:50:00,EST-5,2017-03-01 10:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.43,-81.58,37.43,-81.58,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Thunderstorm winds ripped shingles off the roof of a house." +112682,673233,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WYOMING",2017-03-01 10:55:00,EST-5,2017-03-01 10:55:00,0,0,0,0,5.00K,5000,0.00K,0,37.54,-81.38,37.54,-81.38,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees and power lines were downed by wind." +113228,678477,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-05 16:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","A spotter near Northport reported 7.8 inches of new snow." +113228,678478,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-05 15:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Metaline Falls reported 9.5 inches of new snow." +113228,678480,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-05 15:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer at Evans reported 7.5 inches of new snow." +113228,678482,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-05 14:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer 10 miles northwest of Kettle Falls reported 12.4 inches of new snow." +112523,671087,KENTUCKY,2017,January,Strong Wind,"CALDWELL",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112523,671088,KENTUCKY,2017,January,Strong Wind,"CALLOWAY",2017-01-10 08:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds gusted from 40 to 50 mph across western Kentucky. In Paducah, wind blew down fencing on the south side of tennis courts in a city park. A power line was blown down in Paducah, prompting a road closure. Near the Green River in Muhlenberg County, a pole barn collapsed after the roof was blown off. Some of the highest wind gusts at airport sites included 47 mph at the Owensboro airport, 46 mph at the Paducah and Murray airports, 44 mph at the Mayfield, Henderson, and Fort Campbell (Hopkinsville) airports, and 41 mph at the Madisonville airport. A low pressure system over the central Plains moved northeast toward the Great Lakes region. A tight pressure gradient between this low and high pressure over the Carolinas resulted in strong south to southwest winds.","" +112409,670149,WYOMING,2017,January,Winter Storm,"STAR VALLEY",2017-01-22 17:00:00,MST-7,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong, moisture laden Pacific system moved into Wyoming and brought moderate to heavy snow for many areas across western and central Wyoming. In areas West of the Divide, the highest amounts fell in the Tetons where 19 inches of new snow fell at the Jackson Hole Ski Resort. Other notable amounts west of the Divide included 15 inches at the Star Valley Ranch, 15 inches at Green River and 14 inches at Farson. Heavy snow also moved East of the Divide. The heaviest snow occurred in Fremont County where around a foot of new snow fell near Lander with 8 to 10 inches around Riverton. Some other amounts included 7 to 10 inches around Thermopolis and 6 to 9 inches around Casper. As a result of the snow, many roads and mountains passes were closed at times during the winter storm.","Heavy snow fell throughout the Star Valley. Snowfall amounts ranged from 8.5 inches at Afton to 19.5 inches 5 miles north-northeast of Thayne." +113227,677451,CALIFORNIA,2017,January,High Wind,"NORTHERN SAN JOAQUIN VALLEY",2017-01-18 14:00:00,PST-8,2017-01-18 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Winds at 7 miles south of Telegraph City gusted to 61 mph at 455 pm PST. Numerous trees were downed, with thousands of homes without power." +113232,677845,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 08:15:00,MST-7,2017-01-09 09:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Dale Creek measured sustained winds of 40 mph or higher." +113232,677851,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-08 06:25:00,MST-7,2017-01-08 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Lynch measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 08/1055 MST." +113232,677852,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 06:45:00,MST-7,2017-01-09 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Lynch measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 09/2145 MST." +113232,677853,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 23:15:00,MST-7,2017-01-10 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The UPR sensor at Lynch measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 10/0000 MST." +113232,677854,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-09 08:00:00,MST-7,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 09/0930 MST." +113232,677855,WYOMING,2017,January,High Wind,"SOUTH LARAMIE RANGE",2017-01-08 11:05:00,MST-7,2017-01-08 13:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +112557,671486,COLORADO,2017,January,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-01-12 16:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671487,COLORADO,2017,January,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-01-12 16:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671488,COLORADO,2017,January,Winter Storm,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671489,COLORADO,2017,January,Winter Storm,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +112557,671490,COLORADO,2017,January,Winter Storm,"CROWLEY COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +113227,677465,CALIFORNIA,2017,January,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-22 07:00:00,PST-8,2017-01-22 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Tree limbs fell eastbound Highway 50 at the 59th Street off ramp, blocking the road." +111564,665655,CALIFORNIA,2017,January,Flood,"BUTTE",2017-01-07 20:00:00,PST-8,2017-01-08 20:44:00,0,0,0,0,0.00K,0,0.00K,0,39.7995,-121.4552,39.7794,-121.458,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Highway 70 was closed from Jarbo Gap to Greenville due to flooding." +111564,677377,CALIFORNIA,2017,January,Debris Flow,"SIERRA",2017-01-11 11:14:00,PST-8,2017-01-11 20:00:00,0,0,0,0,1.59M,1590000,0.00K,0,39.4971,-121.0364,39.4971,-121.038,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","State Route 49 in Sierra County closed due to a rock/mud slide blocking the roadway. The guard rail was damaged." +113293,677948,NEW YORK,2017,January,Flood,"CATTARAUGUS",2017-01-12 17:45:00,EST-5,2017-01-15 09:45:00,0,0,0,0,25.00K,25000,0.00K,0,42.0738,-78.3971,42.074,-78.435,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Allegheny River at Olean crested at 12.17' at 10:15 AM EST on January 13. Flood Stage is 10 feet." +113293,677952,NEW YORK,2017,January,Flood,"ALLEGANY",2017-01-12 19:15:00,EST-5,2017-01-12 22:30:00,0,0,0,0,25.00K,25000,0.00K,0,42.12,-77.95,42.1049,-77.9473,"A slow moving frontal boundary and area of low pressure moved across the region and brought several rounds of rain totaling over an inch. The rainfall, mild temperatures, and moist dew points melted virtually all of the snowpack from the previous snows across the Southern Tier. This sent the nearly two to four inches of water that was locked up in that snowpack into area creeks and rivers. Flood stage was reached at Olean and Salamanca on the Allegheny River, Falconer on the Chadakoin River, Gowanda on Cattaraugus Creek, and Wellsville and Portageville on the Genesee River. This flooding occurred during the next couple days following the rain and snow melt, on January 12-13th. There was also widespread areal flooding across the Western Southern Tier, with numerous road closures near Jamestown. There was also flooding along rivers and creeks without forecast points in these areas. Flooding was in the minor flood stage category; however Salamanca crested just a few inches short of moderate flood stage.","Genesee River at Wellsville crested at 11.11' at 9:15 PM EST on January 12. Flood stage is 11 feet." +113232,677484,WYOMING,2017,January,High Wind,"CENTRAL CARBON COUNTY",2017-01-10 20:30:00,MST-7,2017-01-11 01:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 11/0010 MST." +113063,676083,VIRGINIA,2017,January,Winter Storm,"CHARLOTTE",2017-01-06 18:00:00,EST-5,2017-01-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the northern and western sides of the storm, bringing measurable snowfall into parts of the south central and southwest Virginia. The heaviest snowfall amounts were recorded within Southside Virginia, where 5 to 10 inches of snow fell. Lesser accumulations were noted to the north and west. Travel impacts were felt area wide during and immediately following the event.","Snowfall amounts between 6 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Keysville area, where 9.5 inches of snow was measured." +113036,676818,MICHIGAN,2017,January,Winter Storm,"IRON",2017-01-10 07:30:00,CST-6,2017-01-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report of an estimated eight inches of snow in 12 hours at Iron River. Conditions turned windy in the afternoon with west winds near 30 mph causing occasional whiteouts." +113015,675635,MICHIGAN,2017,January,Winter Weather,"LUCE",2017-01-04 09:00:00,EST-5,2017-01-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","There was a public report of eight inches of lake effect snow in 24 hours at McMillan." +113015,675636,MICHIGAN,2017,January,Lake-Effect Snow,"ALGER",2017-01-05 07:00:00,EST-5,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","There was a public report of 12 inches of lake effect snow in 24 hours six miles southwest of Grand Marais. Strong and gusty northwest winds were also reported which caused blowing and drifting of snow." +113015,675640,MICHIGAN,2017,January,Cold/Wind Chill,"GOGEBIC",2017-01-04 22:00:00,CST-6,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills at Ironwood during the period were between 25 and 35 below zero." +113090,676422,CALIFORNIA,2017,January,Heavy Snow,"SOUTHERN TRINITY",2017-01-01 12:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold storm system brought heavy snow to much of interior Northwest California. Snow was wet and heavy in the interior valley locations of Humboldt County which resulted in hundreds of downed trees and thousands of people without power.","Storm total snow of 9 to 10 inches reported near Ruth and north of Hayfork. Snow chains were required on highways 36 and 3 for much of the event." +113092,676518,CALIFORNIA,2017,January,High Wind,"DEL NORTE INTERIOR",2017-01-18 04:00:00,PST-8,2017-01-18 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","Peak wind gust at 5:57 am at Ship Mountain." +113092,676526,CALIFORNIA,2017,January,Heavy Snow,"NORTHERN TRINITY",2017-01-19 21:00:00,PST-8,2017-01-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another series of strong storms brought more flooding rains and strong coastal and ridge tops winds to the region. More rock and land slides occurred on primary and secondary highways and trees once again fell during periods of strong winds closing roads and causing power outages.","A trained spotter reported 12 inches of snow on the ground from snow the night prior in Covington Mill at an elevation of 2,500 feet." +111564,676627,CALIFORNIA,2017,January,Heavy Rain,"PLUMAS",2017-01-06 12:00:00,PST-8,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-120.99,39.68,-120.99,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 13.39 of rain measured at La Porte. The duration of the heavy rain event was 72 hours." +113031,675634,MISSISSIPPI,2017,January,Tornado,"PERRY",2017-01-21 04:05:00,CST-6,2017-01-21 04:13:00,1,0,0,0,160.00K,160000,0.00K,0,31.384,-89.1461,31.4193,-89.0342,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","The tornado entered extreme NW Perry County, MS from|NE Forrest County 2 miles WNW of Runnelstown, MS and continued to|move NE at 45 to 50 MPH before lifting 5.5 miles NE of Runnelstown.|Two main areas along the path had significant damage, with EF-2|category winds between 111 to 125 mph. One was located on Pumping|Station Road 1.3 miles NW of Runnelstown, and the other 2.7 miles NE|of Runnelstown along Cole Drive. Significant tree damage and|sporadic power lines were downed along the track of the tornado. Damage estimates from property were around $105,000 with tree damage estimated at $55,000." +113031,676197,MISSISSIPPI,2017,January,Hail,"PERRY",2017-01-21 20:29:00,CST-6,2017-01-21 20:30:00,0,0,0,0,,NaN,0.00K,0,31.19,-88.96,31.19,-88.96,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Quarter size hail reported near Beaumont." +113105,676454,TEXAS,2017,January,High Wind,"SOUTHERN HUDSPETH HIGHLANDS",2017-01-21 13:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to|69 mph to the El Paso Airport.","A peak gust of 64 mph was reported 1 mile south-southeast of Sierra Blanca." +113059,676071,NORTH CAROLINA,2017,January,Winter Storm,"WILKES",2017-01-06 14:45:00,EST-5,2017-01-07 11:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Boomer area, where 8 inches was measured." +113059,676060,NORTH CAROLINA,2017,January,Winter Storm,"YADKIN",2017-01-06 15:15:00,EST-5,2017-01-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 6 and 8 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Shacktown area, where 8 inches was measured." +113059,676063,NORTH CAROLINA,2017,January,Winter Storm,"ALLEGHANY",2017-01-06 15:00:00,EST-5,2017-01-07 11:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter began to strengthen across the Gulf Coast of the United States late in the day on January 6th before moving northeast along the Atlantic coastline on January 7th. Precipitation began to spread to into the area along the north and west side of the storm, bringing measurable snowfall into parts of the south central Virginia. The heaviest snowfall amounts were recorded within southside Virginia, where 5 to 10 inches of snow fell. Travel impacts were felt area-wide during and immediately following the event. Extreme cold conditions overspread the area, resulting in additional impacts, including the death of an elderly man in Surry County.","Snowfall amounts between 8 and 10 inches were observed across several locations throughout the county. The highest accumulation report was received out of the Sparta and Glade Valley areas, where 8 inches was measured." +112998,681835,CALIFORNIA,2017,January,Flash Flood,"MADERA",2017-01-09 00:00:00,PST-8,2017-01-09 00:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2614,-119.5352,37.2578,-119.537,"A series of systems fed by a continued influx of very moist air was pushed into the central California interior through an atmospheric river set-up for several days. This created high snow levels between 9,000-10,000 feet and heavy rainfall for a majority of the San Joaquin Valley County Warning Area which in turn created flooding and flash flooding of area rivers, streams, and water supply canals. Also debris flows, rock slides, and road ponding/flooding was reported.","Utility company reported that the mobile home park near Willow Creek and downstream from Crane Valley Dam was to be evacuated due to flood threat from planned Crane Valley Dam releases." +113796,681287,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Seven inches of snow was reported at Rock River." +113796,681291,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was reported at Woods Landing." +113796,681309,WYOMING,2017,January,Winter Storm,"LARAMIE VALLEY",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eleven inches of snow was reported at Laramie." +112200,668993,TENNESSEE,2017,January,Heavy Snow,"SEVIER/SMOKY MOUNTAINS",2017-01-06 20:00:00,EST-5,2017-01-07 06:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","Snowfall was measured at a depth of 6.5 inches at Pittman Center." +112200,668994,TENNESSEE,2017,January,Heavy Snow,"COCKE/SMOKY MOUNTAINS",2017-01-06 20:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","Snowfall was measured at a depth of 7.5 inches one mile west of Hartford." +112788,673730,WISCONSIN,2017,January,Winter Storm,"TAYLOR",2017-01-10 06:00:00,CST-6,2017-01-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North Central Wisconsin was covered by 6 to 8 inches of snow on January 10th. In addition to the falling snow, west winds of 15 to 30 mph created blowing and drifting snow that reduced the visibility for several hours after the falling snow had ended. The highest reported snow total was 8 inches near Neillsville and Christie (Clark County).","COOP and volunteer snow observers reported 6 to 7 inches of snow across Taylor County. The highest reported total was 7.5 inches in Medford. Once the snow ended, west winds of 15 to 30 mph created blowing and drifting snow that continued to reduce the visibility into the early evening." +112788,673731,WISCONSIN,2017,January,Winter Storm,"JACKSON",2017-01-10 06:30:00,CST-6,2017-01-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North Central Wisconsin was covered by 6 to 8 inches of snow on January 10th. In addition to the falling snow, west winds of 15 to 30 mph created blowing and drifting snow that reduced the visibility for several hours after the falling snow had ended. The highest reported snow total was 8 inches near Neillsville and Christie (Clark County).","COOP and volunteer snow observers reported 6 to 7 inches of snow across Jackson County. The highest reported total was 7.4 inches near Black River Falls. Once the snow ended, west winds of 15 to 30 mph created blowing and drifting snow that continued to reduce the visibility into the late afternoon." +113134,678241,WASHINGTON,2017,January,Winter Storm,"SOUTH WASHINGTON CASCADES",2017-01-07 10:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","After a little bit of freezing rain on the 7th, snow increased dramatically on the 8th, leading to multiple 10-12 snow reports in the Hood River Valley, White Salmon, Underwood and other parts of the Columbia River Gorge, including the Wind River Valley." +112465,673146,MAINE,2017,January,Heavy Snow,"CENTRAL WASHINGTON",2017-01-07 17:00:00,EST-5,2017-01-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked east of the Gulf of Maine during the night of the 7th then exited across the maritimes during the 8th. The western edge of the heavier snow shield from this low clipped the southeast corner of Washington County. Snow developed during the late afternoon and evening of the 7th then persisted into the early morning hours of the 8th. Warning criteria snow accumulations occurred during the early morning hours of the 8th. Storm total snow accumulations generally ranged from 4 to 9 inches...with a sharp gradient of lesser accumulations across the remainder of the county.","Storm total snow accumulations ranged from 4 to 7 inches across southeast portions of the zone...with lesser totals to the northwest." +113796,681542,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE",2017-01-03 03:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","An observer four miles southeast of Buford measured 28.7 inches of snow." +113796,681543,WYOMING,2017,January,Winter Storm,"EAST LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Six inches of snow was reported at Pine Bluffs." +113796,681307,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Thirteen inches of snow was measured nine miles west-southwest of Rock River." +113796,681303,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Seventeen inches of snow was measured 18 miles south of Rock River." +113796,681504,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Nine inches of snow was reported four miles west of Cheyenne." +112538,671214,OHIO,2017,January,High Wind,"RICHLAND",2017-01-10 22:12:00,EST-5,2017-01-10 22:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Mansfield Lahm Airport measured a 61 mph wind gust." +112466,673153,MAINE,2017,January,Coastal Flood,"COASTAL HANCOCK",2017-01-11 08:00:00,EST-5,2017-01-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north across the region from the overnight hours of the 10th through the 11th. A strong low level jet crossed the region from the overnight hours of the 10th into the morning of the 11th. Onshore south winds were sustained at speeds of 30 to 40 mph...with gusts up to around 60 mph. A wind gust of 61 mph was measured near Eastport in coastal Washington county...with a measured gust of 60 mph at Castine in coastal Hancock county. The strong onshore winds produced seas of 12 to 18 feet with large breaking waves. The strong winds and large waves combined to produce coastal flooding along portions of the Downeast coast at the time of high tide during the morning of the 11th. Splashover was reported at Seawall Road in coastal Hancock county where rocks were deposited on the road. Minor coastal flooding was also reported at Machias and Roque Bluffs in coastal Washington county.|Overrunning snow in advance of the warm front totaled 1 to 3 inches across northern Aroostook county before a transition to rain. The weight of snow and sleet from recent storms caused a barn to collapse at Sherman...in southeast Aroostook county...during the 11th. The barn collapse killed a horse.","Splashover was reported along Seawall Road around the time of high tide. Some rocks and debris were washed on to the road." +113133,678249,OREGON,2017,January,Winter Storm,"CENTRAL COAST RANGE OF W OREGON",2017-01-07 06:30:00,PST-8,2017-01-08 17:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","General snowfall totals of 2-4 inches were reported, with the greatest total being 4.5 inches. Major ice accumulations occurred after the snow, with several locations reporting 0.50-1.00. The combination of snow and ice resulted in significant power outages and closures across the area." +113133,676632,OREGON,2017,January,High Wind,"WESTERN COLUMBIA RIVER GORGE",2017-01-08 00:05:00,PST-8,2017-01-08 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Northwest Oregon. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","The weather station at Corbett recorded sustained winds gusts of 85 mph." +113134,676633,WASHINGTON,2017,January,High Wind,"WESTERN COLUMBIA GORGE",2017-01-08 00:05:00,PST-8,2017-01-08 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad shortwave trough brought multiple rounds of precipitation, including a wintry mix of snow and ice for many locations across Southwest Washington. Strong easterly pressure gradients generated high winds through the Columbia River Gorge as well on January 8.","A weather station at Corbett across the river recorded wind gusts of 85 mph." +113215,677348,OREGON,2017,January,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-01-10 13:30:00,PST-8,2017-01-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest and overran an existing cold, deep airmass. Surface temperatures as precipitation started were just above freezing, but with heavy showers, precipitation quickly turned over to snow during the early evening hours. Embedded thunderstorms enhanced snowfall rates around the Portland Metro area for a crippling snowstorm Tuesday evening. Snow continued to fall through Wednesday morning.","Hood River and Parkdale reported 8 to 12 inches of snow. Heavy packed snow led to leaking roofs, broken pies and gutters on homes across the area. Hood River also required additional emergency snow plowing. I-84 was closed for around 15 hours due to hazardous road conditions." +113304,678054,OKLAHOMA,2017,January,Drought,"OKFUSKEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678055,OKLAHOMA,2017,January,Drought,"OKMULGEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113304,678056,OKLAHOMA,2017,January,Drought,"CHEROKEE",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +112902,674551,WISCONSIN,2017,January,Winter Storm,"WAUPACA",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Waupaca County was 10.0 inches northeast of Iola." +112886,674366,KENTUCKY,2017,January,Dense Fog,"CALDWELL",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674367,KENTUCKY,2017,January,Dense Fog,"CALLOWAY",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112886,674369,KENTUCKY,2017,January,Dense Fog,"CARLISLE",2017-01-13 22:00:00,CST-6,2017-01-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of western Kentucky, generally along and southwest of a line from Marion to Madisonville and Central City. Visibility was reduced to one-quarter mile or less at times. The dense fog formed during the late evening hours and continued through mid-morning. The dense fog formed immediately following a cold rainstorm. The fog area was under the southern periphery of a surface high pressure system that was centered over the Great Lakes region.","" +112779,678075,KANSAS,2017,January,Ice Storm,"COMANCHE",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 0.75 to 1.0 inches. Water equivalent was over 3 to 4 inches." +113247,677567,COLORADO,2017,January,Winter Weather,"YUMA COUNTY",2017-01-24 08:39:00,MST-7,2017-01-24 08:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A coating of ice had developed in Yuma during the day. The coating of ice was thick enough to cause accidents as well as slips and falls across the county that prompted EMS.","Emergency Medical Services throughout the county responding to accidents as well as slips and falls because of the ice accumulation." +117223,705000,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 14:10:00,MST-7,2017-06-23 14:10:00,0,0,0,0,6.00K,6000,0.00K,0,32.7128,-103.1448,32.7128,-103.1448,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced wind damage in Hobbs. A large section of the roof was blown off of the Albertsons store on North Grimes. The cost of damage is a very rough estimate." +112800,675376,CALIFORNIA,2017,January,Heavy Rain,"MARIPOSA",2017-01-05 06:47:00,PST-8,2017-01-05 06:47:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"Low pressure moving southeastward into central CA from the Pacific Northwest allowed subtropical moisture stream to be pumped into the region bringing heavy rainfall to the San Joaquin Valley and foothill areas. Orographic lifting caused intensification of rains at times. Heavy mountain snows also occurred. Low clouds and fog from the orographic lifting also created dangerous driving conditions for the Kern County mountain passes.","Trained Spotter near Ponderosa Basin in Mariposa County reported a 24 hour rainfall total of 3.08 inches." +113165,676904,LAKE SUPERIOR,2017,January,Marine High Wind,"UPPER ENTRANCE OF PORTAGE CANAL TO MANITOU ISLAND MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-01-10 22:30:00,EST-5,2017-01-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,48.22,-88.37,48.22,-88.37,"A series of cold frontal passages in the wake of a low pressure system lifting northeast through the Great Lakes generated storm force west winds across much of Lake Superior from the evening of the 10th into the 12th.","The Passage Island observing station measured storm force west winds through the period." +113399,678548,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 7 miles north of Republic reported 4.4 inches of new snow." +113005,682547,CALIFORNIA,2017,January,Flash Flood,"SAN BENITO",2017-01-20 10:30:00,PST-8,2017-01-20 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9539,-121.4651,36.914,-121.4355,"Three storm systems swept through the region between January 18-23. The first occurred on January 18 as a cold front moved through. Heavy rain, widespread flooding, and debris flows were observed.","The Pacheco Creek near Dunneville flooded. A stream gauge on the Pacheco Creek near Dunneville rose above flood stage at 10:30 AM PST and remained above flood stage until 4:15 PM PST." +113972,682566,MICHIGAN,2017,January,Winter Weather,"NORTHERN HOUGHTON",2017-01-09 07:30:00,EST-5,2017-01-09 08:00:00,0,4,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Slippery conditions from several inches of lake effect snow contributed to a fatal accident on Highway M-26 near Dollar Bay on the morning of the 9th.","The Houghton County Sheriff reported a fatal two-vehicle accident on Highway M-26 near Dollar Bay on the morning of the 8th. It is believed that several inches of lake effect snow caused the slippery conditions which contributed to the accident. ||A 2002 Honda Accord collided head-on with a 2005 Chevy pickup truck around 750 am on M-26 near Coal Dock Road in Franklin Township. The 21-year-old male driver of the Honda Accord was ejected and sustained fatal injuries in the crash. The driver's 21-year old wife was also ejected during the crash and was in critical condition with multiple injuries. The pickup driver and two other passengers in the pickup also sustained injuries. The pickup driver's wife sustained serious injuries and was transported to U.P. Health System in Marquette. A third passenger in the pickup, a six-year-old boy properly restrained in a child safety seat, escaped injury." +113362,678319,MONTANA,2017,March,Winter Storm,"YELLOWSTONE",2017-03-08 21:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 6 to 12 inches along with slick roads were reported across the area. Multiple accidents were reported on Interstate 90." +113362,678321,MONTANA,2017,March,Winter Storm,"NORTHERN STILLWATER",2017-03-08 19:00:00,MST-7,2017-03-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 12 inches was reported across the area. In addition, semi truck accidents were reported on Interstate 90." +113362,678343,MONTANA,2017,March,Winter Storm,"MUSSELSHELL",2017-03-08 21:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the forecast area and remained in place for several days. At the same time, abundant moisture moved off the Pacific Ocean and across this arctic air. As a result, a prolonged overrunning event resulting in heavy snow occurred across most of the Billings Forecast Area.","Snowfall of 6 inches was reported across the area." +112924,674660,FLORIDA,2017,March,Wildfire,"INLAND LEE",2017-03-05 12:00:00,EST-5,2017-03-05 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A fire started by children became out of control and damaged homes and vehicles before fire crews contained the fire later that same day.","A fire that was initially started by children became out of control on the afternoon of the 5th and damaged 6 residences, and destroyed 3 vehicles and 2 boats. Fire crews got the fire under control later that evening, after a total of 405 acres were burned." +112925,674662,FLORIDA,2017,March,Tornado,"CHARLOTTE",2017-03-13 19:03:00,EST-5,2017-03-13 19:04:00,0,0,0,0,,NaN,0.00K,0,27.0021,-81.969,27.0045,-81.968,"An area of low pressure over the Gulf of Mexico, lifted northeast across Florida dragging a cold front through the area. A large area of showers developed ahead of this low pressure and front, with a few thunderstorms developing along the southern edge where solar heating aided instability. Two tornadoes briefly touched down in Charlotte County as these storms moved onshore.","Charlotte County Emergency Management reported damage to a farm area in Punta Gorda. An NWS storm survey crew found a short and narrow path of damage just east of Aspen Road and south of Palm Shores Boulevard. Damage included several trees snapped above the base or uprooted, a pickup truck that was flipped over, a trailer lofted into a tree, and a poorly constructed outbuilding that sustained moderate damage." +113454,679198,FLORIDA,2017,March,Hail,"LEE",2017-03-01 15:19:00,EST-5,2017-03-01 15:21:00,0,0,0,0,0.00K,0,0.00K,0,26.6,-81.63,26.6,-81.63,"Sea breeze thunderstorms moved southwest across the Florida Peninsula. One of these storms produced several hail reports across Lee County.","Broadcast media received a viewer video of penny sized hail in Lehigh Acres." +113358,680893,MAINE,2017,March,Blizzard,"NORTHERN PENOBSCOT",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 12 to 15 inches. Blizzard conditions also occurred." +112767,675173,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:54:00,EST-5,2017-03-01 06:56:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-84.51,39.22,-84.51,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +112767,675174,OHIO,2017,March,Hail,"HAMILTON",2017-03-01 06:58:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-84.38,39.25,-84.38,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +113606,680064,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-02-07 22:53:00,EST-5,2017-02-07 22:53:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","The WeatherFlow sensor at Huguenot Park measured a gust to 52 mph." +113606,680065,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-02-07 22:54:00,EST-5,2017-02-07 22:54:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-81.33,29.92,-81.33,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","The WeatherFlow sensor at Lewis near Vilano Beach measured a peak wind gust of 41 mph." +113609,680067,FLORIDA,2017,February,Thunderstorm Wind,"MARION",2017-02-15 19:55:00,EST-5,2017-02-15 19:55:00,0,0,0,0,0.00K,0,0.00K,0,29.1863,-82.3309,29.1863,-82.3309,"A broken band of pre-frontal storms moved across NE Florida during the afternoon and early evening. Strong low level winds promoted strong downburst potential. One storm moved west to east across Marion county and produced some trees and power line damage.","The county dispatch reported scattered reports of trees and power lines down, including one down along West Highway 328." +112939,675320,NEW YORK,2017,March,Winter Storm,"SOUTHERN FRANKLIN",2017-03-14 10:00:00,EST-5,2017-03-15 11:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across Franklin county generally ranged from 18 to 36 inches. Some specific amounts include; 34 inches in Gabriels, 33 inches in Duane Center and Malone, 31 inches in Westville Center and 25 inches in Dickinson. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +112939,675322,NEW YORK,2017,March,Winter Storm,"NORTHERN ST. LAWRENCE",2017-03-14 10:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across St. Lawrence county generally ranged from 12 to 24 inches. Some specific amounts include; 22 inches in Colton, 11 inches in Ogdensburg and 10 inches in Gouverneur. Brisk winds of 20 to 25 mph contributed to near white-out conditions at times with considerable blowing and drifting snow." +118251,710647,MISSOURI,2017,June,Hail,"NODAWAY",2017-06-28 16:45:00,CST-6,2017-06-28 16:49:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-94.81,40.42,-94.81,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +112851,674211,MONTANA,2017,March,High Wind,"CASCADE",2017-03-01 06:40:00,MST-7,2017-03-01 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong westerly jet aloft and tight surface pressure gradient accompanying a trough in the lee of the Rockies contributed to strong, gusty winds across portions of North-Central MT.","Mesonet station 13 miles SE of Belt reported wind gust of 58 mph." +114112,683308,MONTANA,2017,March,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-03-03 00:15:00,MST-7,2017-03-03 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft combined with a tight pressure gradient to produce high winds along the Rocky Mountain Front.","Winds were sustained above 40 mph at the Dellwo Mesonet site for over nine hours." +114114,683320,MONTANA,2017,March,High Wind,"EASTERN GLACIER",2017-03-18 16:17:00,MST-7,2017-03-18 16:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific cold front brought a short period of stronger winds to parts of central Montana.","Peak wind gust at the Cut Bank Municipal Airport (KCTB)." +113611,680096,GEORGIA,2017,March,Frost/Freeze,"BAKER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +114454,686306,VERMONT,2017,March,Winter Storm,"WESTERN WINDHAM",2017-03-31 03:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +113611,680097,GEORGIA,2017,March,Frost/Freeze,"BEN HILL",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +112845,679018,MISSOURI,2017,March,Hail,"ST. CLAIR",2017-03-09 13:19:00,CST-6,2017-03-09 13:19:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-94.03,38.2,-94.03,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679019,MISSOURI,2017,March,Hail,"ST. CLAIR",2017-03-09 13:25:00,CST-6,2017-03-09 13:25:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-94.03,38.2,-94.03,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679020,MISSOURI,2017,March,Hail,"HICKORY",2017-03-09 13:39:00,CST-6,2017-03-09 13:39:00,0,0,0,0,0.00K,0,0.00K,0,37.95,-93.31,37.95,-93.31,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679021,MISSOURI,2017,March,Hail,"HICKORY",2017-03-09 13:40:00,CST-6,2017-03-09 13:40:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-93.47,38.01,-93.47,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media." +112845,679022,MISSOURI,2017,March,Hail,"BENTON",2017-03-09 14:15:00,CST-6,2017-03-09 14:15:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-93.22,38.12,-93.22,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Nickel size hail covered the ground." +112845,679023,MISSOURI,2017,March,Hail,"BENTON",2017-03-09 14:20:00,CST-6,2017-03-09 14:20:00,0,0,0,0,0.00K,0,0.00K,0,38.14,-93.17,38.14,-93.17,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media." +112845,679024,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-09 14:27:00,CST-6,2017-03-09 14:27:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-93.05,38.1,-93.05,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679025,MISSOURI,2017,March,Hail,"BENTON",2017-03-09 14:52:00,CST-6,2017-03-09 14:52:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-93.33,38.33,-93.33,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679026,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-09 14:55:00,CST-6,2017-03-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-92.74,38.02,-92.74,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +113619,680151,LOUISIANA,2017,March,Thunderstorm Wind,"BOSSIER",2017-03-24 20:23:00,CST-6,2017-03-24 20:23:00,0,0,0,0,0.00K,0,0.00K,0,32.8036,-93.7599,32.8036,-93.7599,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Several trees were blown down along Old Plain Dealing Road north of Highway 160." +113619,680152,LOUISIANA,2017,March,Tornado,"DE SOTO",2017-03-24 21:05:00,CST-6,2017-03-24 21:15:00,0,0,0,0,100.00K,100000,0.00K,0,31.8527,-93.8726,31.8776,-93.8531,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","A water spout over Toledo Bend Reservoir moved inland at the Grapevine Estates as an EF-1 tornado, with maximum winds estimated to be between 90-100 mph. Three boats were lifted out of the water, with two being deposited between 250-300 yards north of the reservoir and one on the back porch of a house. Three homes suffered minor siding or roof damage. One home lost its back porch roof, and another lost a carport. Several pine trees were snapped along Grapevine Road, making access to the neighborhood difficult. The exact start point of this tornado is uncertain as it initially touched down over the Toledo Bend Reservoir." +114266,684582,IOWA,2017,March,Heavy Snow,"ALLAMAKEE",2017-03-12 16:20:00,CST-6,2017-03-13 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 4 to 6 inches of snow fell across Allamakee County. The highest reported total was 6.5 inches near Waukon." +114266,684583,IOWA,2017,March,Heavy Snow,"CHICKASAW",2017-03-12 14:50:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 8 to 10 inches of snow fell across Chickasaw County. The highest reported total was 10 inches in New Hampton." +114266,684585,IOWA,2017,March,Heavy Snow,"FAYETTE",2017-03-12 15:40:00,CST-6,2017-03-13 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 6 to 7 inches of snow fell across Fayette County. The highest reported total was 7.8 inches near the town of Fayette." +114266,684586,IOWA,2017,March,Heavy Snow,"FLOYD",2017-03-12 13:57:00,CST-6,2017-03-13 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported around 8 inches of snow fell across Floyd County. The highest reported total was 8 inches near Nora Springs and Nashua." +114266,684587,IOWA,2017,March,Heavy Snow,"HOWARD",2017-03-12 14:50:00,CST-6,2017-03-13 08:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 5 to 6 inches of snow fell across Howard County. The highest reported total was 5.6 inches in Elma." +114021,685016,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:27:00,EST-5,2017-03-01 13:27:00,0,0,0,0,,NaN,,NaN,39.2273,-77.2283,39.2273,-77.2283,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down blocking Davis Mill Road." +114021,685034,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:29:00,EST-5,2017-03-01 13:29:00,0,0,0,0,,NaN,,NaN,39.2596,-77.1686,39.2596,-77.1686,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down blocking Hawkins Creamery Road." +114021,685035,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:30:00,EST-5,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,39.1548,-77.0949,39.1548,-77.0949,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down partially blocking Cashell Road near Bowie Mill Road." +114021,685036,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:30:00,EST-5,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,39.2512,-77.2001,39.2512,-77.2001,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A shed was blown over." +114021,685038,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:32:00,EST-5,2017-03-01 13:32:00,0,0,0,0,,NaN,,NaN,39.2791,-77.1251,39.2791,-77.1251,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Annapolis Rock Road was blocked due to a downed tree." +114021,685039,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:34:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,39.2642,-76.9928,39.2642,-76.9928,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Glenelg." +114021,685041,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:34:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,39.3025,-76.9531,39.3025,-76.9531,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in West Friendship." +114021,685042,MARYLAND,2017,March,Thunderstorm Wind,"HOWARD",2017-03-01 13:34:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,39.3361,-77.0714,39.3361,-77.0714,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees were down in Lisbon." +114021,685043,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:36:00,EST-5,2017-03-01 13:36:00,0,0,0,0,,NaN,,NaN,39.0259,-77.0732,39.0259,-77.0732,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree fell onto a house along Parkwood Court in Kensington." +118251,710652,MISSOURI,2017,June,Hail,"GRUNDY",2017-06-28 19:01:00,CST-6,2017-06-28 19:03:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-93.59,40.25,-93.59,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710656,MISSOURI,2017,June,Hail,"DAVIESS",2017-06-28 20:55:00,CST-6,2017-06-28 21:00:00,0,0,0,0,,NaN,,NaN,40.11,-93.99,40.11,-93.99,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710658,MISSOURI,2017,June,Hail,"MACON",2017-06-28 21:01:00,CST-6,2017-06-28 21:02:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-92.49,40.02,-92.49,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710659,MISSOURI,2017,June,Hail,"NODAWAY",2017-06-28 21:28:00,CST-6,2017-06-28 21:28:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-94.61,40.44,-94.61,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +118251,710662,MISSOURI,2017,June,Thunderstorm Wind,"WORTH",2017-06-28 17:32:00,CST-6,2017-06-28 17:35:00,0,0,0,0,,NaN,,NaN,40.42,-94.4,40.42,-94.4,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Power poles were snapped near Worth." +114525,686776,ILLINOIS,2017,March,Hail,"SANGAMON",2017-03-07 00:25:00,CST-6,2017-03-07 00:30:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-89.55,39.95,-89.55,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +114525,686777,ILLINOIS,2017,March,Hail,"VERMILION",2017-03-07 02:02:00,CST-6,2017-03-07 02:07:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.67,40.47,-87.67,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","" +114525,686783,ILLINOIS,2017,March,Thunderstorm Wind,"FULTON",2017-03-06 23:37:00,CST-6,2017-03-06 23:42:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-90,40.7,-90,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A large object was blown onto a house." +114525,686789,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-07 02:20:00,CST-6,2017-03-07 02:25:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-87.619,40.32,-87.619,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tree was blown down across Route 119." +113698,680592,TENNESSEE,2017,March,Thunderstorm Wind,"LOUDON",2017-03-21 18:15:00,EST-5,2017-03-21 18:15:00,0,0,0,0,,NaN,,NaN,35.8,-84.27,35.8,-84.27,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Several trees were reported down along the interstate." +113698,680593,TENNESSEE,2017,March,Thunderstorm Wind,"MARION",2017-03-21 17:30:00,CST-6,2017-03-21 17:30:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Power lines were reported down." +114138,683759,OKLAHOMA,2017,March,Hail,"CLEVELAND",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-97.43,35.17,-97.43,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114138,683760,OKLAHOMA,2017,March,Hail,"CLEVELAND",2017-03-06 22:09:00,CST-6,2017-03-06 22:09:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-97.14,35.24,-97.14,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114138,683761,OKLAHOMA,2017,March,Hail,"LINCOLN",2017-03-06 22:11:00,CST-6,2017-03-06 22:11:00,0,0,0,0,0.00K,0,0.00K,0,35.49,-96.7,35.49,-96.7,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114138,683762,OKLAHOMA,2017,March,Hail,"POTTAWATOMIE",2017-03-06 22:11:00,CST-6,2017-03-06 22:11:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-96.91,35.34,-96.91,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114138,683764,OKLAHOMA,2017,March,Hail,"POTTAWATOMIE",2017-03-06 22:28:00,CST-6,2017-03-06 22:28:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-96.92,35.37,-96.92,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","Observed at Hardesty and Gordon Cooper." +114138,683765,OKLAHOMA,2017,March,Hail,"BRYAN",2017-03-07 02:05:00,CST-6,2017-03-07 02:05:00,0,0,0,0,0.00K,0,0.00K,0,34,-96.47,34,-96.47,"A line of storms fired along a front on the evening of the 6th in central Oklahoma up into Kansas.","" +114149,683780,OKLAHOMA,2017,March,Hail,"MCCLAIN",2017-03-26 12:24:00,CST-6,2017-03-26 12:24:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-97.61,35.19,-97.61,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683781,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 15:58:00,CST-6,2017-03-26 15:58:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-97.42,34.67,-97.42,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683782,OKLAHOMA,2017,March,Hail,"MCCLAIN",2017-03-26 16:18:00,CST-6,2017-03-26 16:18:00,0,0,0,0,0.00K,0,0.00K,0,35,-97.37,35,-97.37,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683783,OKLAHOMA,2017,March,Hail,"MCCLAIN",2017-03-26 16:35:00,CST-6,2017-03-26 16:35:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-97.5,35.03,-97.5,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683784,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 16:39:00,CST-6,2017-03-26 16:39:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-97.25,34.8,-97.25,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683785,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 16:45:00,CST-6,2017-03-26 16:45:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-97.24,34.83,-97.24,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +113755,681072,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:09:00,CST-6,2017-03-26 17:09:00,0,0,0,0,5.00K,5000,0.00K,0,33.15,-97.77,33.15,-97.77,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported golf ball sized hail approximately 5 miles south of Bridgeport, TX." +113755,681073,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:10:00,CST-6,2017-03-26 17:10:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-97.65,33.15,-97.65,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter sized hail near the town of Paradise, TX." +113755,681075,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:21:00,CST-6,2017-03-26 17:21:00,0,0,0,0,5.00K,5000,0.00K,0,33.15,-97.68,33.15,-97.68,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated golf ball sized hail approximately 7 miles southeast of Bridgeport, TX." +113755,681076,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:25:00,CST-6,2017-03-26 17:25:00,0,0,0,0,0.00K,0,0.00K,0,33.17,-97.53,33.17,-97.53,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A National Weather Service employee reported quarter-sized hail covering the ground approximately 6 miles southeast of Decatur, TX." +113755,681077,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:27:00,CST-6,2017-03-26 17:27:00,0,0,0,0,0.00K,0,0.00K,0,33.11,-97.6,33.11,-97.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported quarter sized hail approximately 8 miles south of Decatur, TX." +113755,683995,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:01:00,CST-6,2017-03-26 18:01:00,0,0,0,0,0.00K,0,0.00K,0,33.22,-97.29,33.22,-97.29,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported quarter-sized hail approximately 8 miles west of Denton." +113755,683998,TEXAS,2017,March,Hail,"WISE",2017-03-26 18:12:00,CST-6,2017-03-26 18:12:00,0,0,0,0,0.00K,0,0.00K,0,33.08,-97.58,33.08,-97.58,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated quarter-sized hail in the town of Boyd." +113755,683999,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:16:00,CST-6,2017-03-26 18:16:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-97.25,33.27,-97.25,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated quarter-sized hail in the town of Krum." +114384,689277,WISCONSIN,2017,March,Thunderstorm Wind,"DODGE",2017-03-07 00:19:00,CST-6,2017-03-07 00:19:00,0,0,0,0,1.00K,1000,0.00K,0,43.34,-88.46,43.34,-88.46,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","A tree down near the town of Rubicon." +114384,689278,WISCONSIN,2017,March,Thunderstorm Wind,"WALWORTH",2017-03-07 00:24:00,CST-6,2017-03-07 00:24:00,0,0,0,0,10.00K,10000,0.00K,0,42.52,-88.48,42.52,-88.48,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Trees and power lines down in Linn Township and throughout central Walworth County." +114384,689279,WISCONSIN,2017,March,Thunderstorm Wind,"ROCK",2017-03-06 23:43:00,CST-6,2017-03-06 23:43:00,0,0,0,0,10.00K,10000,0.00K,0,42.7538,-89.1856,42.7538,-89.1856,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","A horse barn destroyed with debris strewn over 200 yards. A large pine tree was uprooted and minor damage to the home." +114913,689280,WISCONSIN,2017,March,Thunderstorm Wind,"DODGE",2017-03-07 18:00:00,CST-6,2017-03-07 18:00:00,0,0,0,0,0.50K,500,0.00K,0,43.63,-88.74,43.63,-88.74,"A snow shower resulted in downburst winds in Waupun. Shingles were removed from 2 homes.","Shingles removed from two homes via downburst winds from a snow shower." +114914,689423,WISCONSIN,2017,March,Strong Wind,"COLUMBIA",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +114914,689424,WISCONSIN,2017,March,Strong Wind,"FOND DU LAC",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +113083,682926,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BURKE",2017-03-01 16:50:00,EST-5,2017-03-01 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.727,-81.561,35.727,-81.561,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Media reported trees blown down in off exit 111 on I-40." +113083,682927,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BURKE",2017-03-01 17:00:00,EST-5,2017-03-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-81.41,35.76,-81.41,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Media reported trees blown down on Airport Rhodhiss Rd." +113083,682928,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CATAWBA",2017-03-01 17:12:00,EST-5,2017-03-01 17:12:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-81.32,35.73,-81.32,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Em reported downed powerlines that started a structure fire on 12th St. Media reported trees blown down on 22nd St." +113083,682929,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CATAWBA",2017-03-01 17:15:00,EST-5,2017-03-01 17:25:00,0,0,0,0,0.00K,0,0.00K,0,35.734,-81.238,35.708,-81.096,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Em reported power lines blown down and causing a structure fire on Howard Sipe Rd in Conover and numerous trees and power lines blown down between Claremont and Catawba." +113083,682930,NORTH CAROLINA,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-01 17:29:00,EST-5,2017-03-01 17:29:00,0,0,0,0,5.00K,5000,0.00K,0,35.328,-81.864,35.328,-81.864,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","EM reported trees blown down on Oak St. Public reported (via social media) damage to the roof of a car dealership." +113083,682938,NORTH CAROLINA,2017,March,Thunderstorm Wind,"GASTON",2017-03-01 18:03:00,EST-5,2017-03-01 18:03:00,0,0,0,0,10.00K,10000,0.00K,0,35.409,-81.402,35.409,-81.402,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Amateur radar operator reported a tree down on a structure at Flint Hill Rd and Cherryville Hwy." +114434,686219,GEORGIA,2017,March,Cold/Wind Chill,"STEPHENS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 2017 growing season began early across northeast Georgia, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114438,686221,GEORGIA,2017,March,Hail,"HABERSHAM",2017-03-21 17:52:00,EST-5,2017-03-21 17:52:00,0,0,0,0,,NaN,,NaN,34.5,-83.56,34.5,-83.56,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","Public reported quarter to ping pong ball size hail at the Habersham County Airport." +114438,686254,GEORGIA,2017,March,Hail,"FRANKLIN",2017-03-21 18:10:00,EST-5,2017-03-21 18:10:00,0,0,0,0,,NaN,,NaN,34.37,-83.23,34.37,-83.23,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","Public reported 3/4 inch hail in the Carnesville area." +114438,686256,GEORGIA,2017,March,Hail,"FRANKLIN",2017-03-21 18:25:00,EST-5,2017-03-21 18:25:00,0,0,0,0,,NaN,,NaN,34.29,-83.11,34.29,-83.11,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","County comms relayed police report of quarter size hail." +114438,686258,GEORGIA,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-21 18:13:00,EST-5,2017-03-21 18:13:00,0,0,0,0,0.00K,0,0.00K,0,34.28,-83.23,34.28,-83.23,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","County comms reported trees and power lines blown down along Sandy Cross Road." +114450,686266,NORTH CAROLINA,2017,March,Thunderstorm Wind,"GRAHAM",2017-03-21 19:26:00,EST-5,2017-03-21 19:45:00,0,0,0,0,0.00K,0,0.00K,0,35.438,-83.941,35.386,-83.599,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","County comms reported numerous trees blown down." +113324,682154,ARKANSAS,2017,March,Tornado,"WASHINGTON",2017-03-06 22:51:00,CST-6,2017-03-06 22:55:00,0,0,0,0,0.00K,0,0.00K,0,35.8074,-93.9938,35.8268,-93.9611,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","This is the first of two segments of this tornado. In Washington County, this tornado uprooted trees and snapped large tree limbs. Based on this damage, maximum estimated wind in this segment of the tornado was 85 to 95 mph. The tornado continued into Madison County." +113324,682155,ARKANSAS,2017,March,Tornado,"MADISON",2017-03-06 22:55:00,CST-6,2017-03-06 23:02:00,0,0,0,0,40.00K,40000,0.00K,0,35.8268,-93.9611,35.857,-93.8982,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","The is the second segment of a two segment tornado. In Madison County, this tornado damaged chicken houses, damaged a home, and uprooted trees. Based on this damage, maximum estimated wind in this segment of the tornado was 85 to 95 mph." +113323,690532,OKLAHOMA,2017,March,Thunderstorm Wind,"CREEK",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,5.00K,5000,0.00K,0,36,-96.1,36,-96.1,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged the roof of a home." +113414,678661,HAWAII,2017,March,High Surf,"KAUAI WINDWARD",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678662,HAWAII,2017,March,High Surf,"KAUAI LEEWARD",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678664,HAWAII,2017,March,High Surf,"WAIANAE COAST",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678665,HAWAII,2017,March,High Surf,"OAHU NORTH SHORE",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678666,HAWAII,2017,March,High Surf,"OAHU KOOLAU",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678667,HAWAII,2017,March,High Surf,"MOLOKAI WINDWARD",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678668,HAWAII,2017,March,High Surf,"MOLOKAI LEEWARD",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +112813,683546,KANSAS,2017,March,Hail,"RILEY",2017-03-06 17:29:00,CST-6,2017-03-06 17:30:00,0,0,0,0,,NaN,,NaN,39.18,-96.57,39.18,-96.57,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","" +112813,683550,KANSAS,2017,March,Thunderstorm Wind,"NEMAHA",2017-03-06 17:45:00,CST-6,2017-03-06 17:46:00,0,0,0,0,,NaN,,NaN,39.66,-96.03,39.66,-96.03,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Sustained winds of 60 MPH with gusts of 70 MPH or greater." +112813,683552,KANSAS,2017,March,Hail,"LYON",2017-03-06 18:37:00,CST-6,2017-03-06 18:38:00,0,0,0,0,,NaN,,NaN,38.51,-96.26,38.51,-96.26,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","" +112813,683556,KANSAS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-06 18:51:00,CST-6,2017-03-06 18:52:00,0,0,0,0,,NaN,,NaN,39.09,-95.45,39.09,-95.45,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Estimated wind gust of 80 MPH near K-24 and 237 Road." +114840,688948,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 18:25:00,CST-6,2017-03-27 18:26:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-85.78,33.99,-85.78,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688951,ALABAMA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-27 18:35:00,CST-6,2017-03-27 18:36:00,1,0,0,0,0.00K,0,0.00K,0,33.53,-86.77,33.53,-86.77,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Several trees uprooted in the Avondale Community. One tree fell on a car with one injury." +114840,688955,ALABAMA,2017,March,Hail,"ETOWAH",2017-03-27 19:59:00,CST-6,2017-03-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.01,-85.78,34.01,-85.78,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Quarter size hail fell along Beard Road." +112444,680049,FLORIDA,2017,February,Thunderstorm Wind,"NASSAU",2017-02-07 22:30:00,EST-5,2017-02-07 22:30:00,0,0,0,0,0.00K,0,0.00K,0,30.61,-81.63,30.61,-81.63,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Damage occurred to the county courthouse in Yulee. At least 9 windows were cracked and 3-4 vehicles were damaged. A street sign was blown into one vehicle. The time of the damage was based on radar." +115023,690263,ILLINOIS,2017,April,Dense Fog,"JOHNSON",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690264,ILLINOIS,2017,April,Dense Fog,"MASSAC",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690265,ILLINOIS,2017,April,Dense Fog,"PERRY",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690266,ILLINOIS,2017,April,Dense Fog,"POPE",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115023,690267,ILLINOIS,2017,April,Dense Fog,"PULASKI",2017-04-19 03:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southern Illinois for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a light south wind flow of humid air.","" +115018,690217,MISSOURI,2017,April,Strong Wind,"STODDARD",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690218,MISSOURI,2017,April,Strong Wind,"WAYNE",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690219,MISSOURI,2017,April,Strong Wind,"CAPE GIRARDEAU",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115018,690220,MISSOURI,2017,April,Strong Wind,"BUTLER",2017-04-05 15:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. The peak wind gusts at the Cape Girardeau and Poplar Bluff airports were 43 mph.","" +115020,690230,MISSOURI,2017,April,Strong Wind,"BOLLINGER",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across most of southeast Missouri. Winds gusted between 40 and 50 mph along and northwest of a line from Sikeston to Dexter. The peak wind gusts at airport sites included 43 mph at Cape Girardeau and 41 mph at Poplar Bluff.","" +114527,686831,TENNESSEE,2017,March,Winter Weather,"LAWRENCE",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Lawrence County ranged from 0.5 inches up to 1.5 inches. CoCoRaHS station Lawrenceburg 8.8 SE measured 1.5 inches of snow, while CoCoRaHS station Loretto 4.7 NE measured 0.6 inches of snow." +114557,689142,OHIO,2017,March,High Wind,"PAULDING",2017-03-08 14:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114557,689143,OHIO,2017,March,High Wind,"PUTNAM",2017-03-08 13:30:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114557,689144,OHIO,2017,March,High Wind,"VAN WERT",2017-03-08 14:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114557,689145,OHIO,2017,March,High Wind,"WILLIAMS",2017-03-08 14:30:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114555,689721,MICHIGAN,2017,March,High Wind,"BRANCH",2017-03-08 14:20:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114555,689722,MICHIGAN,2017,March,High Wind,"CASS",2017-03-08 12:20:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +113360,678449,OHIO,2017,March,Flood,"WASHINGTON",2017-03-31 16:30:00,EST-5,2017-03-31 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,39.6396,-81.4704,39.6416,-81.4615,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Rises along the West Fork of Duck Creek lead to minor flooding of lowlands and campgrounds near Macksburg." +113360,678452,OHIO,2017,March,Flood,"VINTON",2017-03-31 19:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,39.0603,-82.4112,39.1533,-82.3745,"A strong, slow moving storm system moved through the Ohio River Valley on March 31st. This brought widespread rainfall to the Middle Ohio River Valley. There was some training of storms, leading to localized rainfall amounts of around 2 inches. As creeks and streams rose, numerous roads were closed due to high water, with some flooding lingering into the morning of April 3. An apartment building was evacuated mid day on the 31st due to rising water in Allensville in Vinton County, however in the end, no damage was reported to the building. ||The West Fork of Duck Creek at Macksburg in Washington County, topped it banks late afternoon on March 31, cresting about half a foot above its bankfull level of 13 feet overnight, with the flooding coming to an end early morning on April 1. The river gauge on Monday Creek at Doanville in Athens County, rose above bankfull stage (16 feet) on the evening of March 31, crested that night just above 16 feet, and remained out of its banks until about noon on April 1. Raccoon Creek at Bolins Mills in Vinton County was out of its banks for several days. The creek rose above bankfull of 14 feet on the evening of the 31st, crested at about 16 feet late on the 1st, and remained above bankfull until early morning on the 3rd.","Flooding along Raccoon Creek resulted in multiple closed roads. Some of the impacted roads include State Routes 143 and 346." +112682,673186,WEST VIRGINIA,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-01 09:52:00,EST-5,2017-03-01 09:52:00,0,0,0,0,0.50K,500,0.00K,0,38.2444,-81.8739,38.2444,-81.8739,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A flag pole rated to 70 mph was broken." +112682,673188,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 09:53:00,EST-5,2017-03-01 09:53:00,0,0,0,0,0.50K,500,0.00K,0,38.1358,-81.9125,38.1358,-81.9125,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","One tree was blown down." +113051,686681,MASSACHUSETTS,2017,March,High Wind,"DUKES",2017-03-14 11:44:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds impacted Martha's Vineyard early in the afternoon on March 14th. The Martha's Vineyard Airport ASOS (KMVY) reported sustained winds of 40 mph at 1244 PM EDT and a wind gust to 55 mph at 106 PM." +113706,680630,ARKANSAS,2017,March,Thunderstorm Wind,"POINSETT",2017-03-01 03:45:00,CST-6,2017-03-01 03:50:00,0,0,0,0,0.00K,0,0.00K,0,35.6413,-90.9115,35.6445,-90.8645,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Measured gust on home weather station." +113706,680631,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-01 03:50:00,CST-6,2017-03-01 03:55:00,0,0,0,0,0.00K,0,0.00K,0,35.83,-90.65,35.8379,-90.5946,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +113706,680632,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-01 03:55:00,CST-6,2017-03-01 04:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.7822,-90.62,35.7864,-90.5706,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Two 18-wheelers were blown over on Interstate 555 between Bay and Jonesboro." +113706,680633,ARKANSAS,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 03:55:00,CST-6,2017-03-01 04:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-90.65,36.4017,-90.6259,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +113706,680634,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-01 04:05:00,CST-6,2017-03-01 04:10:00,0,0,0,0,15.00K,15000,0.00K,0,35.8852,-90.3708,35.8963,-90.3193,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","A tin roof was blown off a vacant building. A home lost shingles." +113549,679734,WISCONSIN,2017,March,Thunderstorm Wind,"CLARK",2017-03-06 21:33:00,CST-6,2017-03-06 21:33:00,0,0,0,0,5.00K,5000,0.00K,0,45,-90.33,45,-90.33,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Power lines were blown down near Dorchester. Damage also occurred to outbuildings and trees." +114092,683218,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"GREENVILLE",2017-03-01 18:49:00,EST-5,2017-03-01 19:00:00,0,0,0,0,20.00K,20000,0.00K,0,34.815,-82.444,34.863,-82.237,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","Numerous sources reported multiple trees and power lines blown down throughout central Greenville County, from west Greenville, across the southern part of the city to the Eastside. A power pole snapped and fell on a home in the Judson Mill area. A tree fell through a mobile home in the Taylors area. Some buildings on the Eastside experienced minor roof damage, including at Bob Jones University. A 58 mph wind gust was measured by the ASOS at the Greenville Downtown airport at 6:55 PM EST." +114092,683239,SOUTH CAROLINA,2017,March,Hail,"CHESTER",2017-03-01 20:20:00,EST-5,2017-03-01 20:20:00,0,0,0,0,,NaN,,NaN,34.57,-80.9,34.57,-80.9,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to 2-inch diameter.","FD reported 3/4 inch hail." +114112,683307,MONTANA,2017,March,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-03-03 03:30:00,MST-7,2017-03-03 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft combined with a tight pressure gradient to produce high winds along the Rocky Mountain Front.","Peak wind gust measured at the Dellwo Mesonet site." +114113,683309,MONTANA,2017,March,Flood,"MADISON",2017-03-14 16:18:00,MST-7,2017-03-14 16:18:00,0,0,0,0,0.00K,0,0.00K,0,45.2934,-111.9503,45.2913,-111.9451,"Unseasonably warm temperatures led to rapid snowmelt across parts of Southwest Montana, which in turn led to flooding in a few areas.","Madison County DES reports water flowing over several roadways in Virginia City, including over Highway 287, due to rapid snowmelt." +114114,683322,MONTANA,2017,March,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-03-19 01:15:00,MST-7,2017-03-19 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific cold front brought a short period of stronger winds to parts of central Montana.","Peak wind gust at the Dellwo Mesonet site." +114158,683640,WASHINGTON,2017,March,Flood,"KLICKITAT",2017-03-15 21:45:00,PST-8,2017-03-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,45.7995,-121.2095,45.7054,-121.2876,"Heavy rain and snow melt resulted in flooding along portions of the Klickitat river.","The Klickitat river near Pitt (flood stage 9.0) crested at 9.3 feet at 0445 on March 16th." +114154,683626,WASHINGTON,2017,March,Flood,"WALLA WALLA",2017-03-10 17:00:00,PST-8,2017-03-11 13:00:00,0,0,0,0,0.00K,0,0.00K,0,46.0688,-118.5883,46.084,-118.8969,"Heavy rain and snow melt resulted in flooding along portions of the Walla Walla river.","The Walla Walla river near Touchet (flood stage 13.0 feet) crested at 13.6 feet at 0400 on March 11. Then fell below flood stage around 1300 on the same day." +114157,683634,OREGON,2017,March,Flood,"WALLOWA",2017-03-15 20:45:00,PST-8,2017-03-20 14:00:00,0,0,0,0,0.00K,0,0.00K,0,45.9498,-117.4512,45.9381,-117.4512,"An extended period of snow melt, combined with a period of heavy rain, caused an extended period of flooding along portions of the Grande Ronde River.","The Grande Ronde river at Troy (flood stage 10.0 feet) crested at 11.5 feet at 1000 on March 16, fell below flood stage and then rose again to 11.7 feet at 0100 on March 19th. River went below flood stage around 1400 on March 20th." +114162,683658,WASHINGTON,2017,March,Flood,"YAKIMA",2017-03-16 10:23:00,PST-8,2017-03-17 17:11:00,0,0,0,0,0.00K,0,0.00K,0,46.6285,-120.5827,46.623,-120.587,"Snow melt, combined with periods rain, resulted in numerous streams flooding across south-central Washington.","On March 15th, high flows on Cowiche Creek caused a section of a levee that had previously been damaged to breech, opening a 20 foot wide gap. The water followed along Highway 12 with the bulk of the water flowing into an irrigation canal. On March 16th, water inundated the intersection of North 40th and Fruitvale Boulevard, flooding a number of businesses and parking lots and the Riverview Mobile Home Park. Public Works tried to divert the water into Myron Lake, with a channel expected to take the water back from the lake to the Naches River. Instead, the water overflowed from Myron Lake into Willow Lake and then Aspen Lake, where it overflowed into neighborhoods surrounding the lakes." +115829,696158,MARYLAND,2017,May,Thunderstorm Wind,"BALTIMORE",2017-05-25 18:15:00,EST-5,2017-05-25 18:15:00,0,0,0,0,,NaN,,NaN,39.426,-76.6631,39.426,-76.6631,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down on Seminary Avenue at Mays Chapel Road." +115830,696159,VIRGINIA,2017,May,Thunderstorm Wind,"PRINCE WILLIAM",2017-05-25 16:12:00,EST-5,2017-05-25 16:12:00,0,0,0,0,,NaN,,NaN,38.5559,-77.3168,38.5559,-77.3168,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms became severe.","A tree was down near the intersection of Graham Park Road and Cabin Road." +112444,680057,FLORIDA,2017,February,Thunderstorm Wind,"COLUMBIA",2017-02-07 21:20:00,EST-5,2017-02-07 21:20:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-82.63,30.18,-82.63,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Strong thunderstorm wind gusts estimated at 60 mph caused small tree limbs to be blown down." +114181,683889,MONTANA,2017,March,Flood,"SANDERS",2017-03-19 10:00:00,MST-7,2017-03-19 15:30:00,0,0,0,0,0.00K,0,0.00K,0,47.5834,-115.2152,47.589,-115.2437,"Due to recent heavy rain and snow-melt, several main-stem rivers experienced minor flooding.","The Thompson River gauge near Thompson Falls peaked at 7.15 feet for 4.5 hours." +114181,683890,MONTANA,2017,March,Flood,"LINCOLN",2017-03-19 11:15:00,MST-7,2017-03-19 19:15:00,0,0,0,0,0.00K,0,0.00K,0,48.1037,-115.3649,48.1103,-115.3876,"Due to recent heavy rain and snow-melt, several main-stem rivers experienced minor flooding.","The Fisher River gauge peaked at 7.8 feet for 8 hours." +113163,676881,LAKE MICHIGAN,2017,March,Marine Hail,"WIND PT LT WI TO WINTHROP HBR IL",2017-03-23 20:08:00,CST-6,2017-03-23 20:08:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-87.8399,42.78,-87.8399,"Several strong thunderstorms moved over the nearshore waters of Lake Michigan during the late evening of March 23rd. One of these thunderstorms produced a swath of hail across eastern Racine County into the nearshore waters of Lake Michigan. The hail was reported to be several inches deep, and lingered into the following morning.","Picture of 3/4 inch hail posted on WFO MKX Facebook page. Location was about one half mile from Wind Point lakeshore." +113882,682346,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 15:00:00,MST-7,2017-03-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,48.4698,-105.4664,48.4399,-105.4808,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Sprague Coulee running over MT-13, approximately 27 miles north of Wolf Point. Times are estimated." +113882,683473,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:30:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.0737,-105.8442,48.0654,-105.8398,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Flynn Creek running over US Highway 2, approximately 15 miles west of Wolf Point, near mile marker 581. Times are estimated." +113882,683982,MONTANA,2017,March,Flood,"DANIELS",2017-03-16 18:36:00,MST-7,2017-03-19 05:28:00,0,0,0,0,0.00K,0,0.00K,0,48.9966,-105.7065,48.985,-105.7159,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","The water level at the Poplar River gauge, near the international border (PPRM8), rose above its flood stage of 6 feet at 7:27 PM local time on the 16th, quickly crested at 8.92 feet at 12:28 AM local time on the 17th, then eventually dropped and remained below flood stage at 6:30 AM local time on the 19th." +113882,683983,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-18 10:57:00,MST-7,2017-03-18 11:17:00,0,0,0,0,0.00K,0,0.00K,0,48.1785,-105.1948,48.1263,-105.2116,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","The water level at the Poplar River gauge at Poplar (PLRM8) rose above its flood stage of 15.5 for only a very short time (about 20 minutes) on the 18th: from 11:58 AM to 12:17 PM local time." +113882,683984,MONTANA,2017,March,Flood,"SHERIDAN",2017-03-18 10:09:00,MST-7,2017-03-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,48.6784,-104.5184,48.6731,-104.5253,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","The water level on the Big Muddy Creek near Antelope (MGCM8) rose above its flood stage of 12 feet at 8:09 AM local time on the 18th, crested at a new record high stage of 17.84 feet at 10:15 AM on the 20th, and dropped back down below flood stage at 11:30 PM on the 21st." +113082,682753,MONTANA,2017,March,Freezing Fog,"SHERIDAN",2017-03-24 04:30:00,MST-7,2017-03-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies overnight, light winds, and an unusually moist layer of air at the surface from recent flood waters all combined to create a bank of dense freezing fog which spread across most of Sheridan County in far northeast Montana.","Freezing fog reduced visibility to one quarter of a mile or less in Plentywood during the early morning hours and extended eastward to include the area near the Commertown Turn-Off DOT site." +114202,684029,COLORADO,2017,March,High Wind,"YUMA COUNTY",2017-03-06 10:43:00,MST-7,2017-03-06 16:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Mid morning through most of the afternoon high winds developed over the north half of Yuma County behind a strong cold front. Wind gusts up to 61 MPH were reported at Yuma during this time.","" +112682,673206,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RITCHIE",2017-03-01 10:13:00,EST-5,2017-03-01 10:13:00,0,0,0,0,2.00K,2000,0.00K,0,39.07,-81.09,39.07,-81.09,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple trees were blown down." +112682,673214,WEST VIRGINIA,2017,March,Thunderstorm Wind,"KANAWHA",2017-03-01 10:20:00,EST-5,2017-03-01 10:20:00,0,0,0,0,10.00K,10000,0.00K,0,38.1337,-81.4096,38.1337,-81.4096,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","An equipment trailer was rolled onto its side at the Memorial Tunnel training site." +112682,673228,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WEBSTER",2017-03-01 10:44:00,EST-5,2017-03-01 10:44:00,0,0,0,0,2.00K,2000,0.00K,0,38.57,-80.46,38.57,-80.46,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were reported down." +112682,673229,WEST VIRGINIA,2017,March,Thunderstorm Wind,"NICHOLAS",2017-03-01 10:44:00,EST-5,2017-03-01 10:44:00,0,0,0,0,2.00K,2000,0.00K,0,38.2,-80.85,38.2,-80.85,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees fell down and were blocking roads." +112682,673234,WEST VIRGINIA,2017,March,Thunderstorm Wind,"UPSHUR",2017-03-01 10:54:00,EST-5,2017-03-01 10:54:00,0,0,0,0,2.00K,2000,0.00K,0,38.99,-80.23,38.99,-80.23,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were brought down." +112682,673235,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RALEIGH",2017-03-01 11:05:00,EST-5,2017-03-01 11:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.65,-81.1,37.65,-81.1,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A few trees were blown down by the wind." +112682,673240,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RANDOLPH",2017-03-01 11:24:00,EST-5,2017-03-01 11:24:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-79.85,38.88,-79.85,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","" +112682,673241,WEST VIRGINIA,2017,March,Thunderstorm Wind,"LEWIS",2017-03-01 07:10:00,EST-5,2017-03-01 07:10:00,0,0,0,0,15.00K,15000,0.00K,0,39.0417,-80.4707,39.0417,-80.4707,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A roof, which was under construction, was damaged at the Weston Ford dealer." +112682,673718,WEST VIRGINIA,2017,March,Flash Flood,"TYLER",2017-03-01 10:30:00,EST-5,2017-03-01 12:28:00,0,0,0,0,2.00K,2000,0.00K,0,39.476,-81.0973,39.5772,-80.9624,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several roads were closed due to flooding along multiple creeks and streams that flow into Middle Island Creek." +112682,673884,WEST VIRGINIA,2017,March,Flash Flood,"GILMER",2017-03-01 10:25:00,EST-5,2017-03-01 12:25:00,0,0,0,0,6.00K,6000,0.00K,0,38.9712,-80.9895,39.0128,-80.9678,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Flash flooding along Tanner Creek caused water to enter several basements." +113410,678630,HAWAII,2017,March,Heavy Rain,"HONOLULU",2017-03-01 00:00:00,HST-10,2017-03-01 10:27:00,0,0,0,0,0.00K,0,0.00K,0,21.6508,-158.0493,21.2794,-157.7884,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","" +113410,678631,HAWAII,2017,March,Heavy Rain,"MAUI",2017-03-01 11:40:00,HST-10,2017-03-01 14:12:00,0,0,0,0,0.00K,0,0.00K,0,20.918,-157.0262,20.7718,-156.8655,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","" +113410,678632,HAWAII,2017,March,Heavy Rain,"MAUI",2017-03-01 12:48:00,HST-10,2017-03-01 21:39:00,0,0,0,0,0.00K,0,0.00K,0,20.9436,-156.6802,20.7718,-156.4096,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","Maui Police reported the closure of portions of of S. Kihei Road, one near Kaonoulu Street and and another near Waipualani Road. Water was up to two feet deep in areas." +113410,678633,HAWAII,2017,March,Heavy Rain,"HONOLULU",2017-03-01 17:21:00,HST-10,2017-03-01 20:13:00,0,0,0,0,0.00K,0,0.00K,0,21.3943,-157.9415,21.3101,-157.7637,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","" +113412,678645,HAWAII,2017,March,High Surf,"MAUI WINDWARD WEST",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678646,HAWAII,2017,March,High Surf,"MAUI CENTRAL VALLEY",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678647,HAWAII,2017,March,High Surf,"WINDWARD HALEAKALA",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678648,HAWAII,2017,March,High Surf,"KONA",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678649,HAWAII,2017,March,High Surf,"KOHALA",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +112767,676371,OHIO,2017,March,Flash Flood,"WARREN",2017-03-01 07:00:00,EST-5,2017-03-01 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3545,-84.1311,39.3546,-84.1297,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Front Road was closed in Morrow due to flooding along Todd Fork." +113413,678729,HAWAII,2017,March,Heavy Rain,"MAUI",2017-03-10 18:11:00,HST-10,2017-03-10 20:49:00,0,0,0,0,0.00K,0,0.00K,0,20.9976,-156.6431,20.8608,-156.4474,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +112767,677048,OHIO,2017,March,Flood,"ROSS",2017-03-01 09:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-82.98,39.3471,-82.9571,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous roads were closed due to high water across eastern Ross County. This included locations along US 50 as well as State Routes 180 near Adelphi, 104, 50, 41 and 327 near Londonderry. High water also closed a few roads in the Richmond Dale area." +112767,678822,OHIO,2017,March,Flood,"SCIOTO",2017-03-01 13:00:00,EST-5,2017-03-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8556,-82.8831,38.8562,-82.8817,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","State Route 139 was closed near Oliver Road due to high water. State Route 139 was also closed due to high water near the Jackson County line. In addition, high water closed Goose Creek Road near Wheelersburg." +113244,677548,WASHINGTON,2017,February,Heavy Snow,"WESTERN WHATCOM COUNTY",2017-02-04 19:00:00,PST-8,2017-02-05 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Four CoCoRaHS stations and two NWS spotters reported 4.0 to 4.7 inches snow during the 12 hours ending 7 am Feb 5." +113244,677549,WASHINGTON,2017,February,Heavy Snow,"WESTERN WHATCOM COUNTY",2017-02-05 19:00:00,PST-8,2017-02-06 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Five CoCoRaHS stations reported 4.0 to 5.6 inches snow during the 12 hours ending 7 am Feb 6." +113244,677551,WASHINGTON,2017,February,Heavy Snow,"EVERETT AND VICINITY",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","NWS spotters reported 4.0 to 5.0 inches snow during the warning period." +113244,677552,WASHINGTON,2017,February,Heavy Snow,"TACOMA AREA",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Numerous NWS spotters reported snowfall ranging from 4 to 15 inches across the zone during the warning period." +113244,677553,WASHINGTON,2017,February,Heavy Snow,"EAST PUGET SOUND LOWLANDS",2017-02-05 12:00:00,PST-8,2017-02-06 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Snow began falling in the Cascades on Saturday, February 4, then develop over the Western Washington lowlands on Sunday, February 5, and continued into Monday, February 6. Snow amounts over the lowlands varied widely, from less than an inch in locations near large bodies of water to more than a foot over higher terrain. The storm resulted in snowy and icy roads, widespread power outages, and closures of schools and businesses.","Numerous NWS spotters reported snowfall ranging from 4 to 13 inches across the zone during the warning period." +113227,677446,CALIFORNIA,2017,January,High Wind,"SOUTHERN SACRAMENTO VALLEY",2017-01-18 14:00:00,PST-8,2017-01-18 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Winds at Sacramento International Airport gusted to 63 mph at 713 pm PST, with sustained winds peaking at 43 mph. Numerous trees were downed, with thousands of homes without power. McClellan AFB had a gust to 56 mph at 730 pm. ||Utility impacts: SMUD: (Sacramento Municipal Utilities District) reported that|at the height of the wind storm (around 10 pm PST) they had over 500 outages impacting over 77,000 customers. PG&E: Around 9 pm, 31,883 customers were without power in the Sacramento region, Davis 5,991; Dixon 8,378; Knights Landing 1,174; Lincoln 96; West Sacramento 3,500; Winters 519; Woodland 9,074." +113227,677452,CALIFORNIA,2017,January,High Wind,"CENTRAL SACRAMENTO VALLEY",2017-01-18 14:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Winds at Marysville Airport gusted to 58 mph at 840 pm PST. Numerous trees were downed, with thousands of homes without power." +113227,677453,CALIFORNIA,2017,January,High Wind,"CARQUINEZ STRAIT AND DELTA",2017-01-18 14:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds combined with saturated soils downed trees, some falling across cars, homes, and roads, caused tens of thousands of homes to lose power.","Winds at Travis AFG gusted to 61 mph at 655 pm PST. Numerous trees were downed, with thousands of homes without power." +115365,696469,ARKANSAS,2017,April,Tornado,"LONOKE",2017-04-30 01:15:00,CST-6,2017-04-30 01:22:00,0,0,0,0,10.00K,10000,0.00K,0,34.4852,-91.8424,34.542,-91.7846,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","EF1 tornado touched down near the Lonoke/Jefferson County line... lifting at Allport west of Humnoke. Trees and powerpoles were snapped. Some trees were uprooted or lost limbs." +115365,696493,ARKANSAS,2017,April,Heavy Rain,"INDEPENDENCE",2017-04-30 05:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,35.81,-91.77,35.81,-91.77,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","This was the 24 hour rainfall for the Batesville Livestock Station." +115200,694716,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-18 10:53:00,CST-6,2017-05-18 10:53:00,0,0,0,0,0.00K,0,0.00K,0,34.19,-96.88,34.19,-96.88,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694717,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-18 13:00:00,CST-6,2017-05-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-99.63,34.72,-99.63,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +111780,666679,OKLAHOMA,2017,January,Ice Storm,"MAYES",2017-01-13 03:30:00,CST-6,2017-01-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +113266,677800,CALIFORNIA,2017,January,High Wind,"KERN CTY MTNS",2017-01-22 07:42:00,PST-8,2017-01-22 13:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A final storm system in a series of systems moved through central California bringing strong gusty winds to parts of the San Joaquin Valley and Kern County Mountain areas.","Between 0742 PST and 1322 PST the Grapevine CHP APRS (AT714) reported a maximum wind gust of 69 mph and sustained winds of 06-48 mph." +113266,677802,CALIFORNIA,2017,January,High Wind,"SW S.J. VALLEY",2017-01-22 08:38:00,PST-8,2017-01-22 08:48:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A final storm system in a series of systems moved through central California bringing strong gusty winds to parts of the San Joaquin Valley and Kern County Mountain areas.","Between 0838 PST and 0848 PST the Taft APRS (AU202) reported a maximum wind gust of 63 mph and sustained winds of 41 mph." +113266,677804,CALIFORNIA,2017,January,High Wind,"SW S.J. VALLEY",2017-01-22 08:00:00,PST-8,2017-01-22 09:00:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"A final storm system in a series of systems moved through central California bringing strong gusty winds to parts of the San Joaquin Valley and Kern County Mountain areas.","Reports of wind damage to tar paper and shingles on roofs in Taft. The Taft APRS (AU202) reported maximum wind gusts of 64 mph between 0838 PST and 0848 PST." +113226,677450,OREGON,2017,January,High Surf,"CENTRAL OREGON COAST",2017-01-21 01:50:00,PST-8,2017-01-21 16:50:00,1,0,0,0,160.00K,160000,0.00K,0,NaN,NaN,NaN,NaN,"A significant long-period westerly swell brought seas up into the mid 20s in feet.","High surf brought waves up to 23 feet according to buoy 46050. Damaging waves damaged multiple buildings including a handful of condos in Rockaway Beach as well as a hotel balcony at Surftides in Lincoln City. A woman standing on the balcony when it happened was injured by the wave that hit her hotel balcony." +113135,676634,WASHINGTON,2017,January,High Wind,"WESTERN COLUMBIA GORGE",2017-01-16 06:41:00,PST-8,2017-01-16 22:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system increased the pressure gradient across the Cascades, generating high winds through the Columbia River Gorge.","Weather station at Corbett across the river recorded sustained winds up to 54 mph with gusts up to 85 mph." +112557,671491,COLORADO,2017,January,Winter Storm,"LA JUNTA VICINITY / OTERO COUNTY",2017-01-14 23:00:00,MST-7,2017-01-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system generated gusty winds and heavy snow to southern Colorado, especially over the higher terrain. Some of the higher reported snow totals included: 6 to 9 inches near the Spanish Peaks and Walsenburg (Huerfano County), Rye and Beulah (Pueblo County), Monte Vista (Rio Grande County), Leadville (Lake County), Kim, Hoehne, Trinidad (Las Animas County), Maysville (Chaffee County), and 17 inches near Monarch Pass (Chaffee County).","" +115200,694718,OKLAHOMA,2017,May,Hail,"GREER",2017-05-18 13:14:00,CST-6,2017-05-18 13:14:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-99.5,34.88,-99.5,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694719,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-18 13:15:00,CST-6,2017-05-18 13:15:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-99.33,34.78,-99.33,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694720,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-18 13:20:00,CST-6,2017-05-18 13:20:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-99.81,34.48,-99.81,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694721,OKLAHOMA,2017,May,Hail,"GREER",2017-05-18 13:36:00,CST-6,2017-05-18 13:36:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-99.36,34.93,-99.36,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694722,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-18 13:40:00,CST-6,2017-05-18 13:40:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-99.64,35.3,-99.64,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694723,OKLAHOMA,2017,May,Hail,"GREER",2017-05-18 13:47:00,CST-6,2017-05-18 13:47:00,0,0,0,0,0.00K,0,0.00K,0,34.96,-99.38,34.96,-99.38,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694725,OKLAHOMA,2017,May,Hail,"GREER",2017-05-18 13:55:00,CST-6,2017-05-18 13:55:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-99.42,34.97,-99.42,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694726,OKLAHOMA,2017,May,Thunderstorm Wind,"ELLIS",2017-05-18 13:55:00,CST-6,2017-05-18 13:55:00,0,0,0,0,12.00K,12000,0.00K,0,36.27,-99.78,36.27,-99.78,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","At least 12 power poles were snapped of at various heights." +111564,677603,CALIFORNIA,2017,January,Debris Flow,"BUTTE",2017-01-08 12:00:00,PST-8,2017-01-08 18:00:00,0,0,0,0,48.00K,48000,0.00K,0,40.0254,-121.1703,40.0174,-121.1646,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Multiple rockfalls blocked SR 70 in the Feather River Canyon with rocks and large boulders." +113209,677250,OREGON,2017,January,Cold/Wind Chill,"GREATER PORTLAND METRO AREA",2017-01-01 18:00:00,PST-8,2017-01-11 00:00:00,0,0,4,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system dropping south across the area and a trailing ridge of high pressure brought cold temperatures to Northwest Oregon. The cold temperatures lead to four fatalities in the Portland area.","Cold temperatures claimed four lives in the Portland area. The victims were homeless and died of hypothermia from exposure to the cold temperatures." +112895,677159,NEVADA,2017,January,Heavy Snow,"SPRING MOUNTAINS",2017-01-22 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several closely spaced storm systems passed through the Mojave Desert and southern Great Basin, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","The fire station on Mount Charleston received 17.4 inches of snow." +112895,677160,NEVADA,2017,January,Heavy Rain,"CLARK",2017-01-22 20:00:00,PST-8,2017-01-22 23:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.1854,-115.1528,36.1854,-115.1528,"Several closely spaced storm systems passed through the Mojave Desert and southern Great Basin, bringing widespread heavy snow to the higher terrain and isolated flooding problems to the lower elevations.","The ceiling of an apartment fell in due to heavy rain." +112852,674959,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-01 06:00:00,PST-8,2017-01-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very cold air mass coupled with a strong moisture plume brought several feet of snow to higher elevations. Snow accumulated down into the foothills, impacting travel over long stretches of highways. Local flooding was reported in the Valley.","There were 30 inches of snow measured at Soda Springs/Donner Pass by Caltrans, 24 hour total. There was a storm total of 56 inches. This caused significant travel difficulties and delays on Sierra highways, with whiteout conditions at times. Numerous accidents and heavy traffic caused Caltrans to close east and west bound Interstate 80 mid afternoon through midnight. U.S. Highway 50 had traffic holds due to avalanche control." +113232,677485,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-09 08:45:00,MST-7,2017-01-09 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 09/1030 MST." +113232,677486,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-09 20:55:00,MST-7,2017-01-09 22:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 09/2145 MST." +113232,677487,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-10 00:10:00,MST-7,2017-01-10 01:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 10/0015 MST." +113232,677488,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-01-11 00:25:00,MST-7,2017-01-11 03:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 11/0210 MST." +113232,677494,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 02:35:00,MST-7,2017-01-09 06:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 09/0405 MST." +113232,677502,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-08 22:30:00,MST-7,2017-01-09 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 09/0150 MST." +113015,675641,MICHIGAN,2017,January,Cold/Wind Chill,"IRON",2017-01-04 22:00:00,CST-6,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills during the period were between 25 and 35 below zero." +113015,675642,MICHIGAN,2017,January,Cold/Wind Chill,"ONTONAGON",2017-01-04 23:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills during the period were between 25 and 35 below zero." +113015,675643,MICHIGAN,2017,January,Cold/Wind Chill,"DICKINSON",2017-01-05 04:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills at Iron Mountain during the period were as low as 25 below zero." +113015,675644,MICHIGAN,2017,January,Cold/Wind Chill,"DELTA",2017-01-07 08:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills at Escanaba during the period were near 25 below zero." +113015,675645,MICHIGAN,2017,January,Cold/Wind Chill,"MARQUETTE",2017-01-07 03:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of a strong cold front and the advection of very cold Arctic air across Lake Superior resulted in a prolonged lake effect snow and bitter cold wind chill event from the 3rd into the 7th.","Lowest wind chills at Sawyer International Airport during the period were between 20 and 25 below zero." +113030,676212,ALABAMA,2017,January,Thunderstorm Wind,"BUTLER",2017-01-22 12:10:00,CST-6,2017-01-22 12:10:00,0,0,0,0,20.00K,20000,0.00K,0,31.64,-86.74,31.64,-86.74,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A home's roof was damaged. Numerous trees and power lines were blown down with one tree falling onto a car." +111564,676684,CALIFORNIA,2017,January,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-01-09 07:00:00,PST-8,2017-01-10 07:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two strong storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers, mountain snow many feet deep, and numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. EF0 tornadoes were reported at Lincoln and Natomas. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 21 of snow measured at Bear Valley Ski Resort." +113036,676868,MICHIGAN,2017,January,Winter Weather,"DELTA",2017-01-11 08:30:00,EST-5,2017-01-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a report via social media of an estimated six to seven inches of lake enhanced snow north of Chicago Lake in northeastern Delta County." +113036,676869,MICHIGAN,2017,January,Winter Weather,"ONTONAGON",2017-01-11 08:30:00,EST-5,2017-01-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","The observer in Paulding measured 3.6 inches of lake enhanced snow in eight hours." +113036,676872,MICHIGAN,2017,January,Winter Weather,"BARAGA",2017-01-11 08:30:00,EST-5,2017-01-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report from Keweenaw Bay of 3.5 inches of lake enhanced snow in eight hours." +113036,676873,MICHIGAN,2017,January,Winter Weather,"IRON",2017-01-11 08:00:00,CST-6,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","The spotter near Peavy Falls Dam measured six inches of snow in eight hours. They had a storm total of 15 inches of snow from the morning of the 10th." +113105,676453,TEXAS,2017,January,High Wind,"EASTERN/CENTRAL EL PASO COUNTY",2017-01-21 14:00:00,MST-7,2017-01-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough moved across the Southern Rockies with a 130 knot jet moving right over the US/Mexico border area. This system brought very strong winds up to|69 mph to the El Paso Airport.","The ASOS at the El Paso Airport recorded a peak gust of 69 mph. Other strong gusts included 68 mph 13 miles north-northeast of El Paso, 64 mph at the house of an NWS employee near Cohen Stadium, 60 mph 3 miles east of El Paso, and 59 mph 13 miles north-northeast of El Paso." +113060,676043,ALABAMA,2017,January,Tornado,"ST. CLAIR",2017-01-19 17:58:00,CST-6,2017-01-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,33.4785,-86.3045,33.4877,-86.3025,"After over a week of near-record to record high temperatures, several upper-level disturbances followed by a strong upper-level low pressure system produced multiple rounds of severe weather across Central Alabama. This system was characterized by strong upper-level winds and very cold upper-level temperatures. The first round produced one brief, weak tornado in St. Clair County on the evening of January 19. The second round occurred on the morning of January 20 with 12 tornadoes across Marengo, Elmore, Macon, Lee, Pike, and Barbour Counties. A third round produced damaging straight line winds on the night of January 21, including in the Birmingham metro area where the Birmingham airport measured a 75 mph wind gust and in Oneonta where 80 mph straight-line winds caused significant damage. A brief tornado also occurred in Tuscaloosa County with this activity. Finally, a fourth round moved through during the day on January 22 with 3 tornadoes across Bullock and Lee Counties.","National Weather Service meteorologists surveyed damage in southern St. Clair County near Treasure Island and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. A persistent mesocyclone spun up a brief weak tornado within a line of thunderstorms as it passed through St. Clair County. The tornado touched down on Logan Martin Lake just south of the eastern shore of Treasure Island. The tornado tracked northward parallel to and just off the shores of the island, with the initial damage pointing largely offshore. Four boathouses were destroyed and a few trees were snapped or uprooted here, but the path of the tornado was far enough offshore so as not to cause any structural damage to the homes another 50 to 100 feet further inland. As the tornado continued northward across a large cove, it remained completely over water. As it approached the northeastern tip of the island, which jutted out into the lake, the tornado came ashore again and peeled metal roofing off a well-built boathouse. The tornado reached maximum strength here, with 10 large hardwood trees uprooted in a concentrated area in a convergent pattern. The tornado passed offshore again and dissipated before reaching the opposite point on the lake." +113185,677076,OHIO,2017,January,Winter Weather,"MONTGOMERY",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","A NWS employee north of Lytle measured six tenths of an inch of snowfall." +113185,677079,OHIO,2017,January,Winter Weather,"PICKAWAY",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The observer near Circleville measured a half inch of snowfall." +113185,677081,OHIO,2017,January,Winter Weather,"PIKE",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","The observer near Waverly measured seven tenths of an inch of snowfall. The county garage north of Wakefield measured two tenths." +113185,677083,OHIO,2017,January,Winter Weather,"WARREN",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","A NWS employee north of Maineville measured eight tenths of an inch of snow." +113184,677053,INDIANA,2017,January,Winter Weather,"RIPLEY",2017-01-29 16:00:00,EST-5,2017-01-30 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Scattered snow showers developed across the region and minor accumulations were noted in some of the heavier showers, or where multiple rounds of snow hit this day.","Six tenths of a inch of snow was measured in Batesville. A half inch was measured by the CoCoRaHS observer located 4 miles northeast of Osgood." +113194,677145,WYOMING,2017,January,Winter Weather,"SIERRA MADRE RANGE",2017-01-12 17:00:00,MST-7,2017-01-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance produced light to moderate snow and gusty southwest winds to 30 mph over the Snowy and Sierra Madre mountains. Snowfall accumulations ranged from three to six inches above 9500 feet.","The Old Battle SNOTEL site (elevation 10000 ft) estimated six inches of snow." +113194,677146,WYOMING,2017,January,Winter Weather,"SIERRA MADRE RANGE",2017-01-12 17:00:00,MST-7,2017-01-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance produced light to moderate snow and gusty southwest winds to 30 mph over the Snowy and Sierra Madre mountains. Snowfall accumulations ranged from three to six inches above 9500 feet.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated four inches of snow." +113194,677147,WYOMING,2017,January,Winter Weather,"SNOWY RANGE",2017-01-12 17:00:00,MST-7,2017-01-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance produced light to moderate snow and gusty southwest winds to 30 mph over the Snowy and Sierra Madre mountains. Snowfall accumulations ranged from three to six inches above 9500 feet.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated three inches of snow." +112538,671217,OHIO,2017,January,High Wind,"LAKE",2017-01-10 17:06:00,EST-5,2017-01-10 17:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Fairport Harbor measured a 62 mph wind gust." +112200,668996,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 08:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","Snowfall was measured at a depth of 6.5 inches one mile south of Bird Crossing." +112200,668997,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 08:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","Snowfall was measured at a depth of 6.5 inches one mile south of Bird Crossing." +112200,668999,TENNESSEE,2017,January,Heavy Snow,"NORTHWEST COCKE",2017-01-06 20:00:00,EST-5,2017-01-07 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 5 inches was measured four miles east northeast of Newport." +112200,669002,TENNESSEE,2017,January,Heavy Snow,"NORTH SEVIER",2017-01-06 20:00:00,EST-5,2017-01-07 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Deep and moist air was lifted over a chilly air mass in place across the Southeastern United States as a low pressure system moved northeast from the Central Gulf of Mexico through the Middle Atlantic Coast. Heavy snowfall occurred across the Southern Appalachian region northwest of the pressure system's path.","A snowfall total of 6 inches was estimated at Seymour." +111458,664950,OKLAHOMA,2017,January,Winter Storm,"OKMULGEE",2017-01-06 00:30:00,CST-6,2017-01-06 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance moved into the Southern Plains on the 6th. Arctic air had previously settled into the region and became deep enough to support snow as the disturbance approached. Light snow fell across much of eastern Oklahoma south of a Pawnee-Tulsa-Jay line. A heavy band of snow of four to five inches fell across portions of Muskogee, McIntosh, Adair, Okmulgee, and Cherokee Counties.","" +112923,674659,IDAHO,2017,January,Heavy Snow,"OROFINO / GRANGEVILLE REGION",2017-01-31 05:11:00,PST-8,2017-01-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist weather system brought heavy snow to the valleys of central Idaho. The heavy, wet snow caused low visibility and slick roads. The following day schools were closed due to icy road conditions.","A trained spotter reported 7.3 inches of new snow 5 miles north of Grangeville. He also mentioned roads were atrocious. A spotter in Kooskia reported 6 inches of new snow as well." +111979,667780,NEW MEXICO,2017,January,Heavy Snow,"CHUSKA MOUNTAINS",2017-01-22 23:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","Navajo Whiskey SNOTEL reported 11 inches of snowfall." +112538,671209,OHIO,2017,January,High Wind,"HANCOCK",2017-01-10 20:44:00,EST-5,2017-01-10 20:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at the Findlay Airport measured a 68 mph wind gust." +112466,673154,MAINE,2017,January,Coastal Flood,"COASTAL WASHINGTON",2017-01-11 08:00:00,EST-5,2017-01-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A warm front lifted north across the region from the overnight hours of the 10th through the 11th. A strong low level jet crossed the region from the overnight hours of the 10th into the morning of the 11th. Onshore south winds were sustained at speeds of 30 to 40 mph...with gusts up to around 60 mph. A wind gust of 61 mph was measured near Eastport in coastal Washington county...with a measured gust of 60 mph at Castine in coastal Hancock county. The strong onshore winds produced seas of 12 to 18 feet with large breaking waves. The strong winds and large waves combined to produce coastal flooding along portions of the Downeast coast at the time of high tide during the morning of the 11th. Splashover was reported at Seawall Road in coastal Hancock county where rocks were deposited on the road. Minor coastal flooding was also reported at Machias and Roque Bluffs in coastal Washington county.|Overrunning snow in advance of the warm front totaled 1 to 3 inches across northern Aroostook county before a transition to rain. The weight of snow and sleet from recent storms caused a barn to collapse at Sherman...in southeast Aroostook county...during the 11th. The barn collapse killed a horse.","Minor coastal flooding was reported in Machias around the time of high tide with water covering some roads to varying depth. Sand was also washed on to the road near Rogue Bluffs." +112965,675009,NORTH CAROLINA,2017,January,Heavy Snow,"GREATER CALDWELL",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112965,675010,NORTH CAROLINA,2017,January,Heavy Snow,"GREATER RUTHERFORD",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112779,678086,KANSAS,2017,January,Ice Storm,"HASKELL",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 3/4 to 1 inch. Water equivalent was 1.5 to 2.5 inches." +112779,678087,KANSAS,2017,January,Ice Storm,"HODGEMAN",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was around 1 to 1 1/2 inches. Tree and power line damage was extensive. Water equivalent was 2 to 3 inches." +113304,678057,OKLAHOMA,2017,January,Drought,"ADAIR",2017-01-01 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across eastern Oklahoma to the north of I-44 was above average for the month of January 2017, while areas to the south of I-44 experienced another dry month with only between 50 and 75 percent of normal average precipitation occurring in that region. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of southeastern and east central Oklahoma. Extreme Drought (D3) conditions persisted across portions of Choctaw and Pushmataha Counties, and developed across portions of Latimer, Haskell, Sequoyah, and Le Flore Counties. Monetary damage estimates resulting from the drought were not available.","" +113024,675569,CALIFORNIA,2017,January,Hail,"SANTA CRUZ",2017-01-19 10:47:00,PST-8,2017-01-19 10:57:00,0,0,0,0,5000.00K,5000000,,NaN,36.9996,-122.0113,36.9996,-122.0113,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Damage dollar amounts is a low estimate. Impacts are not fully known, but any individual car crash would likely exceed this amount." +113024,675570,CALIFORNIA,2017,January,Hail,"SANTA CLARA",2017-01-19 10:59:00,PST-8,2017-01-19 11:09:00,0,0,0,0,5000.00K,5000000,,NaN,37.3499,-121.9697,37.3499,-121.9697,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Damage dollar amounts is a low estimate. Impacts are not fully known, but any individual car crash would likely exceed this amount." +113024,675603,CALIFORNIA,2017,January,Hail,"ALAMEDA",2017-01-19 11:00:00,PST-8,2017-01-19 11:10:00,0,0,0,0,5000.00K,5000000,,NaN,37.7708,-122.216,37.7708,-122.216,"The second in a series of three storms between January 18-23. Storm two occurred January 19-20. Heavy rain, strong winds, and small hail were observed with this frontal system as well as lightning strikes in San Francisco.","Damage dollar amounts is a low estimate. Impacts are not fully known, but any individual car crash would likely exceed this amount." +113483,679332,WYOMING,2017,January,Winter Weather,"CENTRAL CARBON COUNTY",2017-01-10 21:00:00,MST-7,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance produced light to moderate snow across lower elevations of Carbon County. Two to six inches of snow was observed, as well as areas of blowing snow and poor visibility from gusty west winds up to 45 mph.","Five inches of snow was reported at Rawlins." +112710,673997,CALIFORNIA,2017,January,Drought,"SW S.J. VALLEY",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +112710,673998,CALIFORNIA,2017,January,Drought,"SE S.J. VALLEY",2017-01-01 00:00:00,PST-8,2017-01-24 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +111905,667377,NEBRASKA,2017,January,Heavy Snow,"KNOX",2017-01-24 10:00:00,CST-6,2017-01-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved into the central and northern Plains during the day on January 24th, and exited into the Great Lakes during the day on the 25th. As the storm system emerged onto the Plains heavy snow developed across northern Nebraska during the morning on the 24th. Periods of heavy snowfall then continued through the afternoon and overnight hours before tapering to flurries on the afternoon of the 25th. The winter storm produced significant snowfall totals across a large portion of northeast Nebraska. As the surface area of low pressure moved across Kansas and into southern Iowa north and northwest winds increased to 15 to 25 mph with gusts over 30 mph, and this created some blowing and drifting of the new new snowfall.","Heavy snow fell throughout the county from the 24th into the 25th of January. North and northwest winds of 20 to 30 mph accompanied the heavy snowfall, which led to considerable blowing and drifting of snow. Snowfall ranged from 11 to 14 inches across the county with specific amounts of 11 in Bloomfield, 13 in Crofton, and 13.3 in Verdigre." +115200,694754,OKLAHOMA,2017,May,Thunderstorm Wind,"STEPHENS",2017-05-18 17:30:00,CST-6,2017-05-18 17:30:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-98.01,34.51,-98.01,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Barn destroyed on Plato road." +115200,694755,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-18 17:33:00,CST-6,2017-05-18 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-97.89,36.17,-97.89,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +112927,674666,WEST VIRGINIA,2017,March,Heavy Snow,"SOUTHEAST RANDOLPH",2017-03-13 19:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674669,WEST VIRGINIA,2017,March,Winter Weather,"NORTHWEST WEBSTER",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674670,WEST VIRGINIA,2017,March,Heavy Snow,"SOUTHEAST WEBSTER",2017-03-13 19:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +113113,676533,WEST VIRGINIA,2017,March,Hail,"FAYETTE",2017-03-26 15:52:00,EST-5,2017-03-26 15:52:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-81.2,38.17,-81.2,"A surface and upper level low pressure system moved through the Lower Ohio River Valley toward the Great Lakes during the afternoon of March 26. This resulted in several rounds of showers and thunderstorms moving through. Overall, any thunderstorms remained weak, but one did briefly pulse up resulting in some hail.","" +113358,680894,MAINE,2017,March,Blizzard,"SOUTHEAST AROOSTOOK",2017-03-14 18:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 10 to 14 inches. Blizzard conditions also occurred." +112766,675178,KENTUCKY,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 06:50:00,EST-5,2017-03-01 06:52:00,0,0,0,0,15.00K,15000,0.00K,0,38.8901,-84.7626,38.8901,-84.7626,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","A roof was blown off a house on Beaver Road." +112766,675179,KENTUCKY,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 06:51:00,EST-5,2017-03-01 06:52:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-84.66,39.05,-84.66,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","" +115526,693592,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-16 15:28:00,EST-5,2017-06-16 15:28:00,0,0,0,0,0.00K,0,0.00K,0,28.101,-80.612,28.101,-80.612,"A collision of the west and east coast sea breezes generated thunderstorms that produced several strong wind gusts along the Brevard County coast.","The ASOS at the Melbourne International Airport recorded a peak wind gust of 34 knots out of the west as thunderstorms pushed offshore." +115513,693633,TEXAS,2017,June,Hail,"HOCKLEY",2017-06-15 16:04:00,CST-6,2017-06-15 16:04:00,0,0,0,0,0.00K,0,0.00K,0,33.41,-102.15,33.41,-102.15,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","No damage accompanied the hail." +112939,675323,NEW YORK,2017,March,Winter Storm,"SOUTHEASTERN ST. LAWRENCE",2017-03-14 09:00:00,EST-5,2017-03-15 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across St. Lawrence county generally ranged from 12 to 24 inches. Some specific amounts include; 22 inches in Colton, 11 inches in Ogdensburg and 10 inches in Gouverneur. Brisk winds of 20 to 25 mph contributed to near white-out conditions at times with considerable blowing and drifting snow." +112939,675324,NEW YORK,2017,March,Winter Storm,"SOUTHWESTERN ST. LAWRENCE",2017-03-14 09:00:00,EST-5,2017-03-15 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th. ||Snow developed across northern New York by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and early overnight hours before gradually diminishing on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours. ||Total snowfall across northern New York was 15 to 40 inches with Clinton, Essex and Franklin counties witnessing a few reports of greater than 3 feet.||States of Emergencies were declared for all four northern counties with schools, businesses and local government offices closed.","Snowfall totals across St. Lawrence county generally ranged from 12 to 24 inches. Some specific amounts include; 22 inches in Colton, 11 inches in Ogdensburg and 10 inches in Gouverneur. Brisk winds of 20 to 25 mph contributed to near white-out conditions at times with considerable blowing and drifting snow." +113611,680098,GEORGIA,2017,March,Frost/Freeze,"BERRIEN",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680099,GEORGIA,2017,March,Frost/Freeze,"BROOKS",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680100,GEORGIA,2017,March,Frost/Freeze,"CALHOUN",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680101,GEORGIA,2017,March,Frost/Freeze,"CLAY",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680102,GEORGIA,2017,March,Frost/Freeze,"COLQUITT",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680103,GEORGIA,2017,March,Frost/Freeze,"COOK",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680104,GEORGIA,2017,March,Frost/Freeze,"DECATUR",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680105,GEORGIA,2017,March,Frost/Freeze,"DOUGHERTY",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +112845,679027,MISSOURI,2017,March,Hail,"LACLEDE",2017-03-09 15:27:00,CST-6,2017-03-09 15:27:00,0,0,0,0,0.00K,0,0.00K,0,37.73,-92.86,37.73,-92.86,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679028,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-09 15:30:00,CST-6,2017-03-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-92.64,37.93,-92.64,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679029,MISSOURI,2017,March,Hail,"LACLEDE",2017-03-09 15:30:00,CST-6,2017-03-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-92.67,37.67,-92.67,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679030,MISSOURI,2017,March,Hail,"PULASKI",2017-03-09 15:30:00,CST-6,2017-03-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-92.4,37.86,-92.4,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679031,MISSOURI,2017,March,Hail,"BENTON",2017-03-09 15:35:00,CST-6,2017-03-09 15:35:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-93.38,38.24,-93.38,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679032,MISSOURI,2017,March,Hail,"PULASKI",2017-03-09 15:35:00,CST-6,2017-03-09 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-92.2,37.83,-92.2,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Hail covered the ground. This report was from social media with a picture." +112845,679033,MISSOURI,2017,March,Hail,"LACLEDE",2017-03-09 15:43:00,CST-6,2017-03-09 15:43:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-92.66,37.68,-92.66,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Hail covered the ground at the OTC Lebanon Campus on the east side of town." +112845,679034,MISSOURI,2017,March,Hail,"LACLEDE",2017-03-09 15:45:00,CST-6,2017-03-09 15:45:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-92.68,37.72,-92.68,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679035,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 16:13:00,CST-6,2017-03-09 16:13:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-93.6,37.41,-93.6,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +113619,680154,LOUISIANA,2017,March,Thunderstorm Wind,"DE SOTO",2017-03-24 21:56:00,CST-6,2017-03-24 21:56:00,0,0,0,0,0.00K,0,0.00K,0,32.1531,-93.5528,32.1531,-93.5528,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","Twelve empty railroad cars were blown off of the track at the International Paper Plant. Wooden power poles were also snapped at the base." +113619,680153,LOUISIANA,2017,March,Tornado,"DE SOTO",2017-03-24 21:35:00,CST-6,2017-03-24 21:38:00,0,0,0,0,60.00K,60000,0.00K,0,32.0248,-93.6846,32.033,-93.6616,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","An EF-1 tornado with maximum estimated winds between 90-100 mph touched down along Pine Street just outside the Mansfield city limits, and then moved northeast along Binning Road. The primary damage was snapped pine trees. However, two homes suffered damage from falling trees, and four outbuildings were damaged or destroyed by falling trees." +114266,684588,IOWA,2017,March,Heavy Snow,"MITCHELL",2017-03-12 13:57:00,CST-6,2017-03-13 02:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 7 to 8 inches of snow fell across Mitchell County. The highest reported total was 8.2 inches in St. Ansgar." +114266,684589,IOWA,2017,March,Heavy Snow,"WINNESHIEK",2017-03-12 15:35:00,CST-6,2017-03-13 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 4 to 10 inch range and the highest reported total was 10 inches in New Hampton (Chickasaw County).","COOP and volunteer snow observers reported 5 to 6 inches of snow fell across Winneshiek County." +114460,686368,MINNESOTA,2017,March,Heavy Snow,"DODGE",2017-03-12 13:40:00,CST-6,2017-03-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 5 to 6 inches of snow across Dodge County. The highest reported total was 6.1 inches in Dodge Center." +114460,686370,MINNESOTA,2017,March,Heavy Snow,"FILLMORE",2017-03-12 14:50:00,CST-6,2017-03-13 09:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 4 to 8 inches of snow across Fillmore County. The highest reported total was 8 inches in Spring Valley." +114460,686371,MINNESOTA,2017,March,Heavy Snow,"HOUSTON",2017-03-12 15:50:00,CST-6,2017-03-13 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 4 to 6 inches of snow across Houston County. The highest reported total was 6 inches in and around Hokah." +114021,685044,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:38:00,EST-5,2017-03-01 13:38:00,0,0,0,0,,NaN,,NaN,39,-77.05,39,-77.05,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree fell onto a house on Forest Glen Road." +114021,685046,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:28:00,EST-5,2017-03-01 13:28:00,0,0,0,0,,NaN,,NaN,39.1449,-77.1947,39.1449,-77.1947,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree fell onto a car on Lee Street." +114021,685638,MARYLAND,2017,March,Thunderstorm Wind,"ALLEGANY",2017-03-01 12:14:00,EST-5,2017-03-01 12:14:00,0,0,0,0,,NaN,,NaN,39.65,-78.93,39.65,-78.93,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wind gusts of 58 mph were reported in Frostburg." +114021,685642,MARYLAND,2017,March,Thunderstorm Wind,"ALLEGANY",2017-03-01 12:04:00,EST-5,2017-03-01 12:04:00,0,0,0,0,,NaN,,NaN,39.4889,-79.0425,39.4889,-79.0425,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported in Westernport." +114021,685648,MARYLAND,2017,March,Thunderstorm Wind,"CARROLL",2017-03-01 13:44:00,EST-5,2017-03-01 13:44:00,0,0,0,0,,NaN,,NaN,39.37,-76.9754,39.37,-76.9754,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees and wires were down in Sykesville." +114021,685651,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:56:00,EST-5,2017-03-01 13:56:00,0,0,0,0,,NaN,,NaN,39.3974,-76.7491,39.3974,-76.7491,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A large tree was down on Reisterstown Road near Mcdonogh Road." +114021,685653,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:55:00,EST-5,2017-03-01 13:55:00,0,0,0,0,,NaN,,NaN,39.3607,-76.6503,39.3607,-76.6503,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Interstate 83 near the northern Parkway." +114021,685656,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 14:12:00,EST-5,2017-03-01 14:12:00,0,0,0,0,,NaN,,NaN,39.3813,-76.4749,39.3813,-76.4749,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Numerous roof shingles and siding were torn off at least four buildings in the Southfield Apartment Complex." +118251,710663,MISSOURI,2017,June,Thunderstorm Wind,"GENTRY",2017-06-28 17:45:00,CST-6,2017-06-28 17:48:00,0,0,0,0,,NaN,,NaN,40.29,-94.33,40.29,-94.33,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Heavy damage to outbuildings was reported." +118251,710664,MISSOURI,2017,June,Thunderstorm Wind,"GRUNDY",2017-06-28 19:00:00,CST-6,2017-06-28 19:03:00,0,0,0,0,,NaN,,NaN,40.25,-93.6,40.25,-93.6,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Numerous large trees were down between Mill Grove and Tindall." +118251,710665,MISSOURI,2017,June,Thunderstorm Wind,"MACON",2017-06-28 20:55:00,CST-6,2017-06-28 20:58:00,0,0,0,0,,NaN,,NaN,40.02,-92.48,40.02,-92.48,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Numerous large trees were down near La Plata due to strong thunderstorm winds." +118251,710669,MISSOURI,2017,June,Thunderstorm Wind,"GRUNDY",2017-06-28 21:35:00,CST-6,2017-06-28 21:38:00,0,0,0,0,,NaN,,NaN,40.08,-93.61,40.08,-93.61,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","There were several reports of trees and power poles down across Trenton." +114525,686793,ILLINOIS,2017,March,Thunderstorm Wind,"MASON",2017-03-06 23:58:00,CST-6,2017-03-07 00:03:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-89.7,40.2,-89.7,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A 7-foot privacy fence was blown down, snapping 5 of its poles at the base." +114525,686794,ILLINOIS,2017,March,Thunderstorm Wind,"SHELBY",2017-03-07 01:52:00,CST-6,2017-03-07 01:57:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-88.65,39.48,-88.65,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A small boat was overturned." +114525,686797,ILLINOIS,2017,March,Thunderstorm Wind,"MCLEAN",2017-03-07 00:37:00,CST-6,2017-03-07 00:42:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-89,40.52,-89,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A fence was blown over and a mailbox was torn off its post." +114552,687026,ILLINOIS,2017,March,Hail,"SANGAMON",2017-03-17 05:25:00,CST-6,2017-03-17 05:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7665,-89.7064,39.7665,-89.7064,"A stationary frontal boundary draped across central Illinois triggered isolated strong thunderstorms during the early morning of May 17th. A few of the cells produced hail, including quarter-sized hail in Springfield.","" +114662,687735,LOUISIANA,2017,March,Hail,"ST. LANDRY",2017-03-01 16:21:00,CST-6,2017-03-01 16:21:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-92.08,30.52,-92.08,"An isolated severe storm developed over Saint Landry Parish producing damage.","A picture of quarter size hail was posted to social media." +114857,689042,NORTH CAROLINA,2017,March,Hail,"HALIFAX",2017-03-28 15:44:00,EST-5,2017-03-28 15:44:00,0,0,0,0,0.00K,0,0.00K,0,36.3021,-77.454,36.3021,-77.454,"Scattered showers and thunderstorms developed with the approach of an upper level disturbance and surface cold front into the area. One severe storm produced a 58 mph wind gust and quarter size hail in Halifax county.","Reported at nearby correctional prison." +114858,689047,NORTH CAROLINA,2017,March,Hail,"WARREN",2017-03-31 16:07:00,EST-5,2017-03-31 16:07:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-78.3,36.54,-78.3,"Strong to severe convection developed during the overnight and early morning hours of the 31st as a warm-front and a series of upper shortwave disturbances lifted north across central NC . A LEWP produced some localized wind damage in Wayne County. |After a mid day lull, scattered convection re-developed along the NC-VA state line as a trailing cold front moved in the from the west. A severe storm produced half dollar size hail in NW Warren County.","Half dollar size hail was reported along Keats Road." +114858,689048,NORTH CAROLINA,2017,March,Thunderstorm Wind,"WAYNE",2017-03-31 09:05:00,EST-5,2017-03-31 09:05:00,0,0,0,0,0.00K,0,2.00K,2000,35.38,-77.99,35.38,-77.99,"Strong to severe convection developed during the overnight and early morning hours of the 31st as a warm-front and a series of upper shortwave disturbances lifted north across central NC . A LEWP produced some localized wind damage in Wayne County. |After a mid day lull, scattered convection re-developed along the NC-VA state line as a trailing cold front moved in the from the west. A severe storm produced half dollar size hail in NW Warren County.","Severe trees were blown down within the city limits." +114860,689052,NORTH CAROLINA,2017,March,Hail,"DAVIDSON",2017-03-01 18:20:00,EST-5,2017-03-01 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-80.28,35.85,-80.28,"Warm sector destabilization in advance of a strong cold front approaching from the west, allowed clusters and small lines of strong to severe thunderstorms to move east from the southern Appalachians during the afternoon, into the western and central Piedmont of NC during the evening. The storms produced several quarter size hail swaths across |the western Piedmont, along with localized straight-line wind damage in Chatham County.","" +114860,689053,NORTH CAROLINA,2017,March,Hail,"MONTGOMERY",2017-03-01 20:25:00,EST-5,2017-03-01 20:25:00,0,0,0,0,0.00K,0,0.00K,0,35.3566,-79.8999,35.3566,-79.8999,"Warm sector destabilization in advance of a strong cold front approaching from the west, allowed clusters and small lines of strong to severe thunderstorms to move east from the southern Appalachians during the afternoon, into the western and central Piedmont of NC during the evening. The storms produced several quarter size hail swaths across |the western Piedmont, along with localized straight-line wind damage in Chatham County.","" +114149,683786,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 16:50:00,CST-6,2017-03-26 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-97.17,34.83,-97.17,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683787,OKLAHOMA,2017,March,Hail,"MCCLAIN",2017-03-26 16:50:00,CST-6,2017-03-26 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-97.11,34.86,-97.11,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683788,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 16:55:00,CST-6,2017-03-26 16:55:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-97.1,34.83,-97.1,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683789,OKLAHOMA,2017,March,Hail,"OKLAHOMA",2017-03-26 17:15:00,CST-6,2017-03-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.27,35.39,-97.27,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683791,OKLAHOMA,2017,March,Hail,"MURRAY",2017-03-26 17:16:00,CST-6,2017-03-26 17:16:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-97.03,34.6,-97.03,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683792,OKLAHOMA,2017,March,Hail,"LINCOLN",2017-03-26 17:20:00,CST-6,2017-03-26 17:20:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-97.05,35.65,-97.05,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683793,OKLAHOMA,2017,March,Hail,"GARVIN",2017-03-26 17:30:00,CST-6,2017-03-26 17:30:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-97.09,34.64,-97.09,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683794,OKLAHOMA,2017,March,Hail,"PONTOTOC",2017-03-26 17:54:00,CST-6,2017-03-26 17:54:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-96.68,34.78,-96.68,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683795,OKLAHOMA,2017,March,Hail,"CARTER",2017-03-26 17:56:00,CST-6,2017-03-26 17:56:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-97.46,34.16,-97.46,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +114149,683796,OKLAHOMA,2017,March,Hail,"CARTER",2017-03-26 17:57:00,CST-6,2017-03-26 17:57:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-97.42,34.16,-97.42,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","" +113755,684000,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:47:00,CST-6,2017-03-26 18:47:00,0,0,0,0,0.00K,0,0.00K,0,33.12,-97.18,33.12,-97.18,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported half-dollar sized hail in the town of Argyle." +113755,684001,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:48:00,CST-6,2017-03-26 18:48:00,0,0,0,0,0.00K,0,0.00K,0,33.08,-97.21,33.08,-97.21,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported quarter-sized hail near the intersection of Interstate 35 and FM 407, approximately 5 miles east of Justin, TX." +113755,684002,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:50:00,CST-6,2017-03-26 18:50:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-97.19,33.15,-97.19,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A delayed CoCoRaHS report indicated 2 inch diameter hail approximately 2 miles northwest of Argyle, TX." +113755,684006,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:06:00,CST-6,2017-03-26 19:06:00,0,0,0,0,50.00K,50000,0.00K,0,33.15,-97.07,33.15,-97.07,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported baseball sized hail in the city of Corinth." +113755,684007,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:08:00,CST-6,2017-03-26 19:08:00,0,0,0,0,100.00K,100000,0.00K,0,33.18,-97.07,33.18,-97.07,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated 4.25 inch diameter hail approximately 2 miles north of Corinth, TX." +113755,684008,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:16:00,CST-6,2017-03-26 19:16:00,0,0,0,0,20.00K,20000,0.00K,0,33.09,-97.02,33.09,-97.02,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated hail from quarter sized to baseball sized near Lewisville, TX." +113755,684009,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:17:00,CST-6,2017-03-26 19:17:00,0,0,0,0,20.00K,20000,0.00K,0,33.12,-97.03,33.12,-97.03,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported golf ball sized hail near Lake Dallas." +113755,684010,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:18:00,CST-6,2017-03-26 19:18:00,0,0,0,0,50.00K,50000,0.00K,0,33.15,-97.07,33.15,-97.07,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated hail up to tennis-ball sized near the city of Corinth, TX." +113755,684011,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:21:00,CST-6,2017-03-26 19:21:00,0,0,0,0,0.00K,0,0.00K,0,33.03,-97.09,33.03,-97.09,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Emergency management reported quarter-sized hail in Flower Mound." +114914,689426,WISCONSIN,2017,March,Strong Wind,"MARQUETTE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +114914,689425,WISCONSIN,2017,March,Strong Wind,"SAUK",2017-03-08 06:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +114914,689427,WISCONSIN,2017,March,Strong Wind,"GREEN LAKE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +114914,689430,WISCONSIN,2017,March,High Wind,"WASHINGTON",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down across the county." +114914,689443,WISCONSIN,2017,March,High Wind,"WAUKESHA",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Numerous trees and limbs down, blocking various roads in the city of Waukesha. Otherwise scattered trees and limbs down throughout the county." +113083,682948,NORTH CAROLINA,2017,March,Thunderstorm Wind,"MECKLENBURG",2017-03-01 19:16:00,EST-5,2017-03-01 19:16:00,0,0,0,0,5.00K,5000,0.00K,0,35.13,-81.01,35.13,-81.01,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","HAM radio operator reported a barn was collapsed by severe wind in the Steele Creek community." +113083,682949,NORTH CAROLINA,2017,March,Thunderstorm Wind,"MECKLENBURG",2017-03-01 19:28:00,EST-5,2017-03-01 19:28:00,0,0,0,0,10.00K,10000,0.00K,0,35.2,-80.83,35.2,-80.83,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Public reported (via social media) multiple trees down in the Myers Park area, with one tree on a house." +113083,682950,NORTH CAROLINA,2017,March,Thunderstorm Wind,"GASTON",2017-03-01 19:40:00,EST-5,2017-03-01 19:40:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-81.17,35.25,-81.17,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Spotter reported five large oak trees blown down in the Gastonia area." +113083,682951,NORTH CAROLINA,2017,March,Hail,"CABARRUS",2017-03-01 18:54:00,EST-5,2017-03-01 18:54:00,0,0,0,0,,NaN,,NaN,35.49,-80.62,35.49,-80.62,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","HAM radio operator reported quarter size hail on south Main Street." +113083,682953,NORTH CAROLINA,2017,March,Hail,"MECKLENBURG",2017-03-01 19:29:00,EST-5,2017-03-01 19:33:00,0,0,0,0,,NaN,,NaN,35.199,-80.83,35.19,-80.78,"Scattered to numerous thunderstorms developed ahead of a cold front during the afternoon and evening within an unseasonably warm and humid air mass. Several severe thunderstorms developed across the foothills and Piedmont, producing locally damaging winds and hail up to the size of golf balls.","Multiple public reports of dime to quarter size hail were received from south Charlotte, including on Elder Ave." +114091,683188,GEORGIA,2017,March,Hail,"HABERSHAM",2017-03-01 17:18:00,EST-5,2017-03-01 17:18:00,0,0,0,0,,NaN,,NaN,34.51,-83.53,34.51,-83.53,"Scattered thunderstorms developed across northeast Georgia ahead of a cold front during the afternoon within an unseasonably warm and humid air mass. While most of the severe weather occurred across the Carolinas, one storm became briefly severe across Habersham County.","Radio station reported quarter size hail." +114450,686267,NORTH CAROLINA,2017,March,Hail,"MECKLENBURG",2017-03-21 19:01:00,EST-5,2017-03-21 19:07:00,0,0,0,0,,NaN,,NaN,35.33,-80.8,35.307,-80.735,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Multiple sources reported quarter to golf ball size hail from north Charlotte to the UNCC area." +114450,686268,NORTH CAROLINA,2017,March,Hail,"MECKLENBURG",2017-03-21 19:19:00,EST-5,2017-03-21 19:21:00,0,0,0,0,,NaN,,NaN,35.48,-80.869,35.47,-80.85,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Public reported quarter size hail in the Cornelius and Davidson areas." +114450,686282,NORTH CAROLINA,2017,March,Hail,"LINCOLN",2017-03-21 19:41:00,EST-5,2017-03-21 19:41:00,0,0,0,0,,NaN,,NaN,35.541,-81.016,35.541,-81.016,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Public measured 1.5 inch diameter hail near Denver. At least one other report of large hail was received from the Denver area." +114450,686284,NORTH CAROLINA,2017,March,Hail,"CABARRUS",2017-03-21 19:22:00,EST-5,2017-03-21 19:22:00,0,0,0,0,,NaN,,NaN,35.333,-80.67,35.333,-80.67,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across western North Carolina. Although some wind damage was reported across the mountains in association with weakening storms moving into the area from East Tennessee, the bulk if activity was across the southern Piedmont, where multiple supercell thunderstorms produced large hail, with stones up to the size of baseballs causing damage to vehicles and structures in the Harrisburg area.","Public reported golf ball to tennis ball size hail near Harrisburg." +113323,690538,OKLAHOMA,2017,March,Hail,"WAGONER",2017-03-06 23:09:00,CST-6,2017-03-06 23:09:00,0,0,0,0,0.00K,0,0.00K,0,35.9695,-95.4791,35.9695,-95.4791,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +113331,690544,OKLAHOMA,2017,March,Hail,"TULSA",2017-03-25 00:20:00,CST-6,2017-03-25 00:20:00,0,0,0,0,0.00K,0,0.00K,0,36.3074,-95.8301,36.3074,-95.8301,"A strong upper level disturbance moved eastward from the Southern Rockies into the Southern Plains on the 24th and 25th. Several areas of strong thunderstorms developed ahead of this system, in the moist and unstable air across eastern Oklahoma and northwestern Arkansas. The strongest storms produced hail up to penny size in eastern Oklahoma.","" +115045,690573,OKLAHOMA,2017,March,Wildfire,"CREEK",2017-03-01 11:00:00,CST-6,2017-03-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690576,OKLAHOMA,2017,March,Wildfire,"PITTSBURG",2017-03-02 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +115045,690578,OKLAHOMA,2017,March,Wildfire,"SEQUOYAH",2017-03-02 11:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early March 2017. The largest wildfires occurred in Pittsburg County where over 1600 acres burned, Muskogee County where over 1400 acres burned, Le Flore County where over 1200 acres burned, Creek County where over 800 acres burned, Sequoyah and Adair Counties where over 400 acres burned, Delaware County where over 300 acres burned, and Cherokee County where over 200 acres burned.","" +113414,678669,HAWAII,2017,March,High Surf,"MAUI WINDWARD WEST",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678670,HAWAII,2017,March,High Surf,"MAUI CENTRAL VALLEY",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678671,HAWAII,2017,March,High Surf,"WINDWARD HALEAKALA",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113414,678672,HAWAII,2017,March,High Surf,"BIG ISLAND NORTH AND EAST",2017-03-08 07:00:00,HST-10,2017-03-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the islands generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; 12 to 18 feet along the west-facing shores of Oahu; and 10 to 15 feet along the north-facing shores of the Big Island of Hawaii. There were no reports of serious property damage or injuries.","" +113433,678730,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-11 15:15:00,HST-10,2017-03-11 16:06:00,0,0,0,0,0.00K,0,0.00K,0,19.8482,-155.1228,19.4046,-155.2203,"With a weak ridge across the area and abundant low-level moisture, showers developed over portions of the Big Island of Hawaii and the Garden Isle of Kauai. The rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious injuries or property damage.","" +113433,678731,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-12 00:38:00,HST-10,2017-03-12 05:29:00,0,0,0,0,0.00K,0,0.00K,0,19.6,-154.9718,19.083,-155.5788,"With a weak ridge across the area and abundant low-level moisture, showers developed over portions of the Big Island of Hawaii and the Garden Isle of Kauai. The rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious injuries or property damage.","" +113433,678732,HAWAII,2017,March,Heavy Rain,"KAUAI",2017-03-12 15:47:00,HST-10,2017-03-12 18:28:00,0,0,0,0,0.00K,0,0.00K,0,22.1521,-159.3176,21.9241,-159.5778,"With a weak ridge across the area and abundant low-level moisture, showers developed over portions of the Big Island of Hawaii and the Garden Isle of Kauai. The rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious injuries or property damage.","" +112813,683557,KANSAS,2017,March,Thunderstorm Wind,"LYON",2017-03-06 18:53:00,CST-6,2017-03-06 18:54:00,0,0,0,0,,NaN,,NaN,38.4,-96.18,38.4,-96.18,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Emporia Airport reported a 50 knot wind gust." +112813,683558,KANSAS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-06 18:56:00,CST-6,2017-03-06 18:57:00,0,0,0,0,,NaN,,NaN,39.06,-95.3,39.06,-95.3,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","Power poles and trees down, south of Highway-24 and Phillips Road." +112813,683559,KANSAS,2017,March,Hail,"DOUGLAS",2017-03-06 19:06:00,CST-6,2017-03-06 19:07:00,0,0,0,0,,NaN,,NaN,38.83,-95.28,38.83,-95.28,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","" +112813,683560,KANSAS,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-06 19:14:00,CST-6,2017-03-06 19:15:00,0,0,0,0,,NaN,,NaN,38.96,-95.26,38.96,-95.26,"During the late afternoon and evening of March 6 a line of severe t-storms developed and raced northeast at 50-60 mph. The storms developed within an environment that featured marginal moisture values featuring dewpoints in the lower to middle 50s. As a result, the bases of the storms were a higher than average and until sunset allowed good visibility to observe the numerous weak tornado circulations. Many of the tornadoes did not have any condensation funnels but simply featured a debris swirl at the ground with only a faint attachment to the cloud base. At least 7 tornadoes were documented via radar and observations but only minor damage was reported and there were no serious injuries.","" +112444,680048,FLORIDA,2017,February,Thunderstorm Wind,"ALACHUA",2017-02-07 22:20:00,EST-5,2017-02-07 22:20:00,0,0,0,0,0.50K,500,0.00K,0,29.79,-82.17,29.79,-82.17,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Multiple trees were blown down on State Road 24. The cost of damage was unknown but estimated for the event to be included in Storm Data." +112444,680050,FLORIDA,2017,February,Thunderstorm Wind,"ST. JOHNS",2017-02-07 22:30:00,EST-5,2017-02-07 22:30:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-81.65,30.08,-81.65,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","A large tree about 2 ft in diameter fell onto an SUV. The time of damage was based on radar." +114214,684571,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-01 02:00:00,CST-6,2017-03-01 02:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.2339,-92.3879,35.2339,-92.3879,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The wind tore a metal roof off a barn...removed structure from porch and threw it into the trees...tore part of siding off of house...and picked up and blew trampoline and basketball goal into the tree line. Winds were estimated over 80 mph." +114527,686819,TENNESSEE,2017,March,Winter Weather,"CHEATHAM",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Twitter and Facebook reports indicated 2.5 inches of snow fell in Ashland City and 3 inches of snow fell in Kingston Springs." +113698,680594,TENNESSEE,2017,March,Thunderstorm Wind,"MCMINN",2017-03-21 19:00:00,EST-5,2017-03-21 19:00:00,0,0,0,0,,NaN,,NaN,35.45,-84.6,35.45,-84.6,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","A few trees were reported down across the county. One was across County Road 442 and another at County Road 750 near County Road 604." +114527,686822,TENNESSEE,2017,March,Winter Weather,"DAVIDSON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Davidson County ranged from 1.0 to 2.5 inches. A tSpotter Twitter report indicated 2.5 inches of snow fell in Bellevue, and another tSpotter Twitter report indicated 2.5 inches of snow fell in Berry Hill. A NWS employee measured 1.6 inches of snow 1 mile east of Hermitage, and another tSpotter Twitter report indicated 1.0 inch of snow fell in Goodlettsville." +113051,686671,MASSACHUSETTS,2017,March,High Wind,"NORTHWEST MIDDLESEX COUNTY",2017-03-14 12:00:00,EST-5,2017-03-14 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Based on reports from surrounding areas, it is estimated that winds gusted to 58 mph in northwest Middlesex County, beginning at 1 PM EDT and continuing until approximately 630 PM." +114555,689729,MICHIGAN,2017,March,High Wind,"HILLSDALE",2017-03-08 16:49:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114555,689730,MICHIGAN,2017,March,High Wind,"ST. JOSEPH",2017-03-08 10:25:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689738,INDIANA,2017,March,High Wind,"ALLEN",2017-03-08 15:23:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689739,INDIANA,2017,March,High Wind,"BLACKFORD",2017-03-08 11:41:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +114556,689740,INDIANA,2017,March,High Wind,"DE KALB",2017-03-08 15:36:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties. Roughly south of US-30, winds were not quite as strong, but frequent gusts to 45 mph or slightly higher did cause more sporadic wind damage reports.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +112682,673189,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BOONE",2017-03-01 10:00:00,EST-5,2017-03-01 10:00:00,0,0,0,0,3.00K,3000,0.00K,0,38.08,-81.83,38.08,-81.83,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Multiple pine trees were blown down." +112682,673191,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MINGO",2017-03-01 10:07:00,EST-5,2017-03-01 10:07:00,0,0,0,0,15.00K,15000,0.00K,0,37.67,-82.27,37.67,-82.27,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","The roof was blown off a house." +113706,680635,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-01 04:10:00,CST-6,2017-03-01 04:15:00,0,0,0,0,15.00K,15000,0.00K,0,35.7543,-90.3464,35.7572,-90.2959,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Outbuilding destroyed." +113706,680636,ARKANSAS,2017,March,Thunderstorm Wind,"POINSETT",2017-03-01 04:15:00,CST-6,2017-03-01 04:20:00,0,0,0,0,20.00K,20000,0.00K,0,35.4881,-90.3756,35.4825,-90.342,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","A large tree fell on a mobile home trapping a person." +113706,680638,ARKANSAS,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-01 04:29:00,CST-6,2017-03-01 04:34:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-89.83,35.9283,-89.7985,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +113706,683689,ARKANSAS,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-01 04:30:00,CST-6,2017-03-01 04:40:00,0,0,0,0,40.00K,40000,0.00K,0,35.9445,-89.7365,35.9541,-89.7144,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Roof blown off a four-plex apartment." +113706,683690,ARKANSAS,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-01 04:35:00,CST-6,2017-03-01 04:40:00,0,0,0,0,20.00K,20000,0.00K,0,35.9589,-89.763,35.97,-89.73,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Porch removed from house and blown over a two-story house." +114340,685161,NEW YORK,2017,March,Strong Wind,"NORTHERN QUEENS",2017-03-02 06:00:00,EST-5,2017-03-02 09:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","At LaGuardia Airport, a wind gust up to 54 mph was observed at 759 am. Near Jackson Heights, a mesonet station measured a wind gust up to 50 mph at 806 am." +113882,683478,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.3189,-105.1158,48.249,-105.1158,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Poplar River running over roadway S-251, approximately 8 to 11 miles NNE of Poplar. Times are estimated." +113882,683482,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.1507,-104.4238,48.1431,-104.4244,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Clover Creek running over US Highway 2, approximately 5 miles east of Culbertson, near mile marker 650. Times are estimated." +113882,683488,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.1691,-104.8552,48.1666,-104.871,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Box Elder Creek running over US Highway 2 between mile markers 628 and 629, near the intersection with BIA route 1, approximately 2 to 3 miles east of Brockton. Times are estimated." +113882,683495,MONTANA,2017,March,Flood,"ROOSEVELT",2017-03-16 18:00:00,MST-7,2017-03-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.1329,-105.4379,48.123,-105.4356,"A warmer than normal period for early March allowed much of the remaining seasonal snowpack to melt. With already saturated soils across the area, the melt water easily caused flooding conditions as the run-off was quickly directed through small streams and creeks toward the larger main-stem rivers. Some effected culverts remained partially ice-jammed and were unable to handle the volume of water, resulting in flooding across multiple roadways. Daniels County officials declared a state of emergency on March 17th.","Roosevelt County dispatch reported water from Tule Creek running over US Highway 2, which caused a vehicle accident at mile marker 602. Times are estimated." +114186,683899,KENTUCKY,2017,March,Hail,"GRAVES",2017-03-09 19:22:00,CST-6,2017-03-09 19:22:00,0,0,0,0,0.00K,0,0.00K,0,36.7198,-88.6428,36.7198,-88.6428,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114186,683901,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-09 19:40:00,CST-6,2017-03-09 19:46:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-88.32,36.62,-88.32,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114186,683902,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-09 19:55:00,CST-6,2017-03-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-88.27,36.7,-88.27,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114186,683903,KENTUCKY,2017,March,Hail,"TRIGG",2017-03-09 20:10:00,CST-6,2017-03-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.7566,-87.95,36.7566,-87.95,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +112682,673218,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MINGO",2017-03-01 10:20:00,EST-5,2017-03-01 10:20:00,0,0,0,0,2.00K,2000,0.00K,0,37.62,-82.02,37.62,-82.02,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were downed." +112682,673220,WEST VIRGINIA,2017,March,Thunderstorm Wind,"BRAXTON",2017-03-01 10:30:00,EST-5,2017-03-01 10:30:00,0,0,0,0,2.00K,2000,0.00K,0,38.67,-80.77,38.67,-80.77,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees and power lines were blown down." +112682,673230,WEST VIRGINIA,2017,March,Thunderstorm Wind,"NICHOLAS",2017-03-01 10:50:00,EST-5,2017-03-01 10:50:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-80.65,38.33,-80.65,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were brought down by wind blocking road." +112682,673231,WEST VIRGINIA,2017,March,Thunderstorm Wind,"WEBSTER",2017-03-01 10:53:00,EST-5,2017-03-01 10:53:00,0,0,0,0,40.00K,40000,0.00K,0,38.48,-80.41,38.48,-80.41,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A four story commercial building suffered a partial roof loss. One car was heavily damaged by the falling brick and wood debris. Several homes experienced minor roof damage and shingle loss. Several trees and power lines were downed by wind, resulting in a peak of about 3000 power outages." +112682,673236,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RANDOLPH",2017-03-01 11:05:00,EST-5,2017-03-01 11:05:00,0,0,0,0,2.00K,2000,0.00K,0,38.73,-80.01,38.73,-80.01,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Several trees were downed." +112682,673237,WEST VIRGINIA,2017,March,Thunderstorm Wind,"RANDOLPH",2017-03-01 11:15:00,EST-5,2017-03-01 11:15:00,0,0,0,0,50.00K,50000,0.00K,0,38.83,-79.87,38.83,-79.87,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A portion of the gymnasium roof was peeled off of Homestead Elementary School. School was in session at the time, but there were no injuries. 107 staff and students were evacuated following the damage. A mobile home was also blown off its foundation in the same area." +112682,673699,WEST VIRGINIA,2017,March,Thunderstorm Wind,"GILMER",2017-03-01 10:30:00,EST-5,2017-03-01 10:30:00,0,0,0,0,40.00K,40000,0.00K,0,38.9011,-80.83,38.9011,-80.83,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A metal radio tower was damaged by winds. The top of the tower folded over, but the tower remained standing." +112682,673701,WEST VIRGINIA,2017,March,Thunderstorm Wind,"POCAHONTAS",2017-03-01 11:20:00,EST-5,2017-03-01 11:20:00,0,0,0,0,10.00K,10000,0.00K,0,38.13,-80.2568,38.13,-80.2568,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","A barn was damaged by thunderstorm winds near Hillsboro." +112682,673885,WEST VIRGINIA,2017,March,Flash Flood,"MASON",2017-03-01 10:30:00,EST-5,2017-03-01 11:34:00,0,0,0,0,2.00K,2000,0.00K,0,38.9777,-82.0291,38.9832,-82.0167,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Carson Road and Foglesong Road were closed due to high water from creeks and streams in the area." +112682,673912,WEST VIRGINIA,2017,March,Flood,"JACKSON",2017-03-01 12:27:00,EST-5,2017-03-01 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,38.8828,-81.685,38.89,-81.6794,"A strong cold front moved across the West Virginia during the afternoon and evening of March 1. Strong storms had developed near this cold front well to the west the day before, and raced through the middle Ohio River Valley through the morning on the 1st as a severe squall line producing widespread damaging wind gusts. Heavy rainfall from training storms also produced flash flooding across northwestern West Virginia, which combined with the wet ground led to river and stream flooding late on the 1st through much of the 2nd. ||Tyler County was was one hot spot for flooding, where flash flood occurred on the morning of the 1st, followed by flooding on Middle Island Creek. The river gauge at Little on Middle Island Creek reached 20 feet, or major flood stage, late on the 1st. Flood stage is 14 feet. The creek remained above flood stage until late afternoon on the 2nd. Many roads as well as some private cabins flood at levels around 20 feet.||Overnight, from the 1st to the 2nd, non-thunderstorm, post cold front winds swept across north central West Virginia resulting in some isolated tree and power line damage.","Trace Fork Road was closed due to high water from Trace Fork and Sandy Creek. A gravel section of the road was washed out." +113410,678651,HAWAII,2017,March,Strong Wind,"OAHU SOUTH SHORE",2017-03-01 06:40:00,HST-10,2017-03-01 06:40:00,0,0,0,0,0.00K,0,5.00K,5000,NaN,NaN,NaN,NaN,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","Fire dispatch reported downed power lines on Boxer Road in Barbers Point Housing in southwest Oahu." +113410,678650,HAWAII,2017,March,Strong Wind,"WAIANAE COAST",2017-03-01 06:35:00,HST-10,2017-03-01 06:35:00,0,0,0,0,0.00K,0,2.00K,2000,NaN,NaN,NaN,NaN,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th of February indicated damages in the $10's of thousands. The system also downed trees and power lines in leeward Oahu in the early morning hours of the 1st. This is a continuation of an episode that began at the end of February.","Fire dispatch reported downed trees in Nanakuli." +113412,678636,HAWAII,2017,March,High Surf,"NIIHAU",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678637,HAWAII,2017,March,High Surf,"KAUAI WINDWARD",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113412,678638,HAWAII,2017,March,High Surf,"KAUAI LEEWARD",2017-03-05 09:00:00,HST-10,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the west-northwest caused surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu, Molokai, Lanai, and the Big Island of Hawaii. One individual was hurt, reportedly a broken leg, at the Queen's Bath site on the north shore of Kauai on the 6th as large waves moved through the area. There were no reports of significant property damage.","" +113413,678655,HAWAII,2017,March,Heavy Rain,"HAWAII",2017-03-07 20:01:00,HST-10,2017-03-07 22:51:00,0,0,0,0,0.00K,0,0.00K,0,19.9657,-155.7848,19.477,-155.8878,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +113413,678652,HAWAII,2017,March,Flash Flood,"MAUI",2017-03-07 16:03:00,HST-10,2017-03-07 19:26:00,0,0,0,0,0.00K,0,0.00K,0,20.7684,-156.4589,20.7684,-156.458,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","Portion of S. Kihei Road was closed due to flash flooding. Several homes had to be evacuated as well. Several vehicles and condominiums were damaged, and seven individuals trapped by the flood had to be rescued by fire crews." +113413,678656,HAWAII,2017,March,Heavy Rain,"MAUI",2017-03-08 14:44:00,HST-10,2017-03-08 20:26:00,0,0,0,0,0.00K,0,0.00K,0,20.9384,-156.3059,20.6862,-156.0354,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +113413,678724,HAWAII,2017,March,Heavy Rain,"MAUI",2017-03-09 14:21:00,HST-10,2017-03-09 16:44:00,0,0,0,0,0.00K,0,0.00K,0,20.9346,-156.3032,20.6997,-156.4336,"An upper trough near the island chain induced heavy downpours and thunderstorms over Maui, particularly the leeward Haleakala area. Remnant moisture from an old front was sufficient to bring intense rainfall that inundated Kulanihakoi Gulch, which then led to South Kihei Road being flooded. Seven individuals trapped by the deluge had to be rescued by fire crews, and the flooding waters damaged several vehicles and condominiums. The system also produced heavy rain and thunderstorms over the Big Island of Hawaii (where small hail fell on the 9th, as well) and Oahu. No serious injuries were reported. The cost of damages was not determined.","" +112766,678818,KENTUCKY,2017,March,Flood,"LEWIS",2017-03-01 10:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.587,-83.3751,38.5934,-83.3762,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Homes were surrounded by high water along Blue Springs Road near the AA Highway. Big Cabin Creek Road was also closed due to high water." +112766,676349,KENTUCKY,2017,March,Flash Flood,"LEWIS",2017-03-01 06:30:00,EST-5,2017-03-01 08:00:00,0,0,0,0,200.00K,200000,0.00K,0,38.5332,-83.5826,38.574,-83.308,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Extensive flash flooding was reported from Tollesboro to Vanceburg. Water, several feet deep, was flowing across numerous roadways in the area. A bridge was washed out on Quicks Run Road." +121085,724879,MONTANA,2017,November,High Wind,"CASCADE",2017-11-24 01:54:00,MST-7,2017-11-24 01:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","DOT sensor measured a 60 mph wind gust 3 miles NNE of Monarch." +121086,724881,MONTANA,2017,November,High Wind,"CASCADE",2017-11-26 16:14:00,MST-7,2017-11-26 16:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong southwesterly jet stream aloft aided in the development of strong gusty winds across central Montana.","KGTF ASOS station measured a 59 mph wind gust." +121086,724882,MONTANA,2017,November,High Wind,"CASCADE",2017-11-26 14:15:00,MST-7,2017-11-26 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong southwesterly jet stream aloft aided in the development of strong gusty winds across central Montana.","A 63 mph wind gust was measured at the NWS office 5 miles SW of Great Falls." +121086,724883,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-26 14:49:00,MST-7,2017-11-26 14:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong southwesterly jet stream aloft aided in the development of strong gusty winds across central Montana.","Mesonet station 10 miles S of Fort Benton measured a 60 mph wind gust." +115826,696121,MARYLAND,2017,May,Thunderstorm Wind,"ANNE ARUNDEL",2017-05-19 18:12:00,EST-5,2017-05-19 18:12:00,0,0,0,0,,NaN,,NaN,39.0902,-76.7698,39.0902,-76.7698,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A wind gust of 58 mph was reported at Fort Meade." +115826,696123,MARYLAND,2017,May,Thunderstorm Wind,"ANNE ARUNDEL",2017-05-19 18:35:00,EST-5,2017-05-19 18:35:00,0,0,0,0,,NaN,,NaN,39.072,-76.502,39.072,-76.502,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A wind gust of 67 mph was reported." +113443,678869,NORTH CAROLINA,2017,March,Thunderstorm Wind,"MARTIN",2017-03-31 10:15:00,EST-5,2017-03-31 10:15:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-77.28,35.91,-77.28,"Widespread thunderstorms moved through Eastern NC on March 31st. One particular storm became severe and produced damage due to straight line winds.","Straight line wind damage was reported. Multiple trees were downed with a tree on a car and mobile home. Minor roof damage occurred." +118251,710614,MISSOURI,2017,June,Flash Flood,"HARRISON",2017-06-28 20:10:00,CST-6,2017-06-28 22:10:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-94.02,40.3157,-94.0219,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Emergency Management reported 6 inches of water running over HWY 69 near Bethany." +118251,710617,MISSOURI,2017,June,Flash Flood,"NODAWAY",2017-06-28 22:07:00,CST-6,2017-06-29 03:07:00,0,0,0,0,0.00K,0,0.00K,0,40.5609,-95.165,40.563,-94.6541,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A prolonged flash flooding event took place across much of Nodaway County on the evening of June 28. Numerous roads across the county were closed, and at least one water rescue was performed near Maryville. At one point a herd of cattle were reported floating across HWY 136. The current well-being of the cattle is unknown." +118251,710615,MISSOURI,2017,June,Flash Flood,"HARRISON",2017-06-28 20:16:00,CST-6,2017-06-28 22:16:00,0,0,0,0,0.00K,0,0.00K,0,40.3344,-94.1235,40.3377,-94.1618,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Highway FF south of Martinsville was impassible due to high water." +113463,679943,MARYLAND,2017,March,Winter Weather,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 3.0 inches near Rockville and 2.7 inches near Wheaton. Ice accumulation of five hundredths of an inch was reported near Takoma Park." +113463,679944,MARYLAND,2017,March,Winter Weather,"CHARLES",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Ice accumulated to two tenths of an inch near Wicomico and twelve hundredths of an inch near Bryantown." +113463,679945,MARYLAND,2017,March,Winter Weather,"NORTHWEST HARFORD",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 4.0 inches in Whiteford." +113463,679946,MARYLAND,2017,March,Winter Weather,"PRINCE GEORGES",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 2.6 inches near Adelphi and 2.3 inches near College Park." +113463,679953,MARYLAND,2017,March,Winter Storm,"FREDERICK",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 11.0 inches near Sabillasville and 10.0 inches near Thurmont." +113463,679952,MARYLAND,2017,March,Winter Storm,"EXTREME WESTERN ALLEGANY",2017-03-13 22:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 9.5 inches at Eckhart Mines and 9.0 inches near Mount Savage." +113463,679954,MARYLAND,2017,March,Winter Storm,"NORTHERN BALTIMORE",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 7.0 inches near Reisterstown and 5.9 inches near Glyndon." +113463,679955,MARYLAND,2017,March,Winter Storm,"NORTHWEST HOWARD",2017-03-13 19:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The northern and southern branches of the jet phased together, which resulted in coastal low pressure on the 13th. The coastal low tracked up the Mid-Atlantic Coast during the morning hours of the 14th before moving out to sea later in the day. High pressure over New England caused enough cold air for precipitation to start out as snow. However, warmer air did work its way in aloft causing precipitation to change to a period of sleet and rain across eastern areas. This cut down on some of the snow totals across these areas, but also caused ice accumulations.","Snowfall totaled up to 5.8 inches near Simpsonville and 4.5 inches near Columbia." +112834,674177,PENNSYLVANIA,2017,January,Lake-Effect Snow,"SOUTHERN ERIE",2017-01-04 13:00:00,EST-5,2017-01-07 06:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through the early morning hours of the 7th and then dissipated by daybreak. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern and eastern ends of Erie County where totals in some areas were greater than a foot. A few of the higher totals in Erie County included 23.5 inches on the higher terrain south of North East; 16.4 inches in Millcreek Township; 11.4 inches in Fairview and 11.0 inches at Colt Station. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported.","Cold northwest winds blowing across Lake Erie caused lake effect snow showers to develop during the afternoon hours of the 4th. The snow showers continued intermittently through the early morning hours of the 7th and then dissipated by daybreak. The snow showers were heavy at times, especially during the evening hours of the 5th and early morning hours of the 6th. Snowfall rates during that period exceeded an inch per hour at times. The heaviest snow fell across the northern and eastern ends of Erie County where totals in some areas were greater than a foot. A few of the higher totals in Erie County included 23.5 inches on the higher terrain south of North East; 16.4 inches in Millcreek Township; 11.4 inches in Fairview and 11.0 inches at Colt Station. Westerly winds gusted to as much as 35 mph on the 4th with 10 to 20 mph winds on the 5th. These strong winds caused a lot of blowing and drifting which helped reduce visibilities. Some accidents were reported." +112888,674404,ILLINOIS,2017,January,Dense Fog,"HARDIN",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +112888,674405,ILLINOIS,2017,January,Dense Fog,"JACKSON",2017-01-15 22:00:00,CST-6,2017-01-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of southern Illinois except for the Wabash Valley. Visibility was reduced to one-quarter mile or less at times. The dense fog formed ahead of a warm front during the evening hours. Moist ground due to recent rainfall contributed to the fog. The fog persisted until a warm front passed during the mid-morning hours.","" +111699,666269,TEXAS,2017,January,Tornado,"HARRIS",2017-01-16 07:31:00,CST-6,2017-01-16 07:32:00,0,0,0,0,,NaN,0.00K,0,29.9302,-95.5648,29.9312,-95.5646,"Several weak tornadoes formed in an unstable air mass. Severe thunderstorm wind damage also occurred.","A witness watched this weak tornado touch down and track over three houses along Perry Road in the Harvest Village subdivision then lift. The three homes sustained roof, window and fence damage. In one case, damaged fences from one home were lifted onto the roof of another home. The storm survey revealed high end EF0 damage with winds estimated near 80 mph." +112990,675234,TEXAS,2017,January,Flash Flood,"FORT BEND",2017-01-18 08:10:00,CST-6,2017-01-18 10:10:00,0,0,0,0,0.00K,0,0.00K,0,29.4247,-96.09,29.6995,-95.6456,"A slow moving upper level storm system combined with a stalled frontal boundary and high moisture levels to produce early morning showers and thunderstorms that trained for several hours and produced 4 to 6 inch rainfall totals along and near the U.S. 59 corridor from the Kendleton area to Sugar Land to the Houston area.","Several roads were flooded and impassable in and around the U.S. 59 corridor, including the Highway 90 A and the Newton Drive areas in and around Richmond." +113232,677512,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 04:05:00,MST-7,2017-01-09 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Elk Mountain measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 09/0600 MST." +113232,677513,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-10 20:50:00,MST-7,2017-01-10 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Elk Mountain measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 10/2155 MST." +113232,677514,WYOMING,2017,January,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-01-09 01:35:00,MST-7,2017-01-09 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 09/0455 MST." +115200,694786,OKLAHOMA,2017,May,Hail,"CANADIAN",2017-05-19 00:45:00,CST-6,2017-05-19 00:45:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-97.73,35.58,-97.73,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +113136,678239,OREGON,2017,January,High Wind,"WESTERN COLUMBIA RIVER GORGE",2017-01-16 06:41:00,PST-8,2017-01-16 22:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching low pressure system increased the pressure gradient across the Cascades, generating high winds through the Columbia River Gorge.","Weather station at Corbett recorded sustained winds up to 54 mph with gusts up to 85 mph." +112549,671450,COLORADO,2017,January,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-01-04 05:00:00,MST-7,2017-01-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671451,COLORADO,2017,January,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-01-04 05:00:00,MST-7,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671452,COLORADO,2017,January,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-01-04 05:00:00,MST-7,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +112549,671453,COLORADO,2017,January,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-01-04 20:00:00,MST-7,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and blowing snow across many areas. Some of the higher reported snow totals included: 6 to 9 inches in Beulah and Colorado City (Pueblo County), Walsenburg (Huerfano County), Alamosa, Westcliffe and Rosita (Custer County), and Texas Creek (Fremont County); 10 to 12 inches near Trinidad (Las Animas County) and Rye (Pueblo County); 23 inches near Leadville (Lake County); around 29 inches near Monarch Pass and Maysville (Chaffee County), and an impressive 42 inches impacting Wolf Creek Pass (Mineral County).","" +113232,677879,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-09 10:58:00,MST-7,2017-01-09 13:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 09/1058 MST." +113232,677880,WYOMING,2017,January,High Wind,"CENTRAL LARAMIE COUNTY",2017-01-10 00:00:00,MST-7,2017-01-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The wind sensor at FE Warren AFB measured wind gusts of 58 mph or higher, with a peak gust of 78 mph at 10/0058 MST." +113232,677490,WYOMING,2017,January,High Wind,"EAST PLATTE COUNTY",2017-01-09 09:55:00,MST-7,2017-01-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Coleman measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 09/1220 MST." +113232,677491,WYOMING,2017,January,High Wind,"EAST PLATTE COUNTY",2017-01-10 21:25:00,MST-7,2017-01-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong upper level disturbances combined with large pressure gradients generated a prolonged period of very high winds across portions of southeast Wyoming. Winds frequently gusted between 65 and 85 mph.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher, witha peak gust of 63 mph at 11/0030 MST." +115200,694727,OKLAHOMA,2017,May,Thunderstorm Wind,"ELLIS",2017-05-18 14:00:00,CST-6,2017-05-18 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-99.78,36.27,-99.78,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","No damage reported." +115200,694743,OKLAHOMA,2017,May,Hail,"MAJOR",2017-05-18 15:40:00,CST-6,2017-05-18 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-98.92,36.38,-98.92,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694744,OKLAHOMA,2017,May,Hail,"TILLMAN",2017-05-18 15:44:00,CST-6,2017-05-18 15:44:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-99.08,34.25,-99.08,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694746,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-18 16:34:00,CST-6,2017-05-18 16:34:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.43,35.39,-97.43,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +112334,669763,WYOMING,2017,January,Extreme Cold/Wind Chill,"WIND RIVER BASIN",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","Brutally cold temperatures occurred on the morning of January 6th. Some of the coldest lows included minus 38 degrees, two miles south of Riverton, minus 33 degrees at the COOP observer and minus 32 degrees at Hudson." +112334,669764,WYOMING,2017,January,Extreme Cold/Wind Chill,"LANDER FOOTHILLS",2017-01-05 21:00:00,MST-7,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an arctic air mass, a clear sky, a long early January night and a deep, fresh snow pack brought frigid temperatures to much of western and central Wyoming. Four different counties recorded low temperatures under minus 40, including a low of minus 45 East of Rock Springs. All eleven counties in the County Warning Area recorded a temperatures of -30 or lower on the night of January 5-6, 2017.","A trained spotter reported a low temperature of minus 31 degrees at Lander." +114051,690614,FLORIDA,2017,March,Hail,"HENDRY",2017-03-23 15:25:00,EST-5,2017-03-23 15:25:00,0,0,0,0,0.00K,0,0.00K,0,26.33,-81,26.33,-81,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms became severe producing gusty winds and hail.","Penny size hail off SR 833." +114051,690615,FLORIDA,2017,March,Hail,"PALM BEACH",2017-03-23 16:23:00,EST-5,2017-03-23 16:23:00,0,0,0,0,0.00K,0,0.00K,0,26.75,-80.07,26.75,-80.07,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms became severe producing gusty winds and hail.","A trained spotter called to report nickel size hail at US 1 just north of 45th Street and just east of St. Mary Hospital in West Palm Beach." +114051,690616,FLORIDA,2017,March,Hail,"COLLIER",2017-03-23 16:40:00,EST-5,2017-03-23 16:40:00,0,0,0,0,0.00K,0,0.00K,0,25.94,-81.73,25.94,-81.73,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms became severe producing gusty winds and hail.","Nickel size hail reported in Marco Island." +113267,677756,CALIFORNIA,2017,January,Heavy Rain,"MADERA",2017-01-23 08:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-120.25,37.11,-120.25,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","Trained spotteer report of measured 24 hour rainfall total of 0.45 inches in Chowchilla." +113267,677758,CALIFORNIA,2017,January,Heavy Rain,"MADERA",2017-01-23 09:00:00,PST-8,2017-01-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-119.76,37.12,-119.76,"Colder air moving behind a low pressure system allowed an increase in instability across the San Joaquin Valley which created thunderstorms with heavy rains. Heavy rains coupled with already saturated soils caused some flooding of roads and low lying areas.","Trained spotter report of measured 24 hour rainfall total of 0.93 inches south of Yosemite Lakes." +113079,676310,NEW MEXICO,2017,January,Hail,"DONA ANA",2017-01-14 17:13:00,MST-7,2017-01-14 17:13:00,0,0,0,0,0.00K,0,0.00K,0,32.3238,-106.7823,32.3238,-106.7823,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","" +113079,676312,NEW MEXICO,2017,January,Hail,"DONA ANA",2017-01-14 18:05:00,MST-7,2017-01-14 18:05:00,0,0,0,0,0.00K,0,0.00K,0,32.3058,-106.7576,32.3058,-106.7576,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","" +113079,676311,NEW MEXICO,2017,January,Hail,"DONA ANA",2017-01-14 18:00:00,MST-7,2017-01-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,32.2735,-106.7991,32.2735,-106.7991,"A cutoff low was moving through the Baja region with a 90 knot jet approaching the region from the southwest. Low level east to southeast winds were bringing up decent moisture for January. Plenty of wind shear through the atmosphere with moderate instability lead to thunderstorms producing hail bigger than the size of quarters. As the system pushed through, colder air moved in and changed rain over to snow in the mountains where up to 15 inches of snow was reported. In addition to the hail and snow, locally heavy rain amounts of over 2 inches lead to flooding in Dona Ana County.","" +113112,676514,CALIFORNIA,2017,January,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-01-07 06:00:00,PST-8,2017-01-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another cold system brought another round of high elevation snow to the region, particularly in Trinity County. This storm system was then followed by a series of wet systems with heavy rain resulting in small stream, urban, and river flooding. The contrasting temperatures from the previous cold systems and saturated ground caused numerous rock and land slides across the region. Also, in addition to the heavy rain, strong coastal and ridge winds resulted in closed roads and power outages.","Peak wind gust at 7:01 am." +113036,676876,MICHIGAN,2017,January,Winter Weather,"DICKINSON",2017-01-11 09:00:00,CST-6,2017-01-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system moving into the Great Lakes dumped moderate to heavy wet snow over much of Upper Michigan on the 10th. Behind the system moderate to heavy lake enhanced snow continued into the 11th for the west to northwest wind snow belts of Lake Superior.","There was a public report of five inches of snow in eight hours at Quinnesec." +113041,675779,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-22 11:02:00,PST-8,2017-01-22 13:02:00,0,0,0,0,0.00K,0,0.00K,0,36.988,-121.8365,36.9876,-121.8365,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Mud slide at Freedom Blv and Hames Rd, 4 to 5 feet of mud in roadway." +113041,675780,CALIFORNIA,2017,January,Debris Flow,"SANTA CRUZ",2017-01-22 15:19:00,PST-8,2017-01-22 17:19:00,0,0,0,0,0.00K,0,0.00K,0,37.0398,-121.9432,37.0397,-121.943,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Mudslide reported blocking SB lanes of Soquel San Jose Road at Sundance Hill." +113041,675782,CALIFORNIA,2017,January,Hail,"SANTA CRUZ",2017-01-23 14:54:00,PST-8,2017-01-23 15:04:00,0,0,0,0,0.01K,10,0.01K,10,36.9702,-122.0407,36.9702,-122.0407,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Pea sized hail reported by spotter." +113041,675783,CALIFORNIA,2017,January,Debris Flow,"SONOMA",2017-01-22 05:19:00,PST-8,2017-01-22 07:19:00,0,0,0,0,0.00K,0,0.00K,0,38.7203,-123.3678,38.7203,-123.3682,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Mud and rocks covering both lanes of Annapolis Rd." +113041,675786,CALIFORNIA,2017,January,High Surf,"NORTHERN MONTEREY BAY",2017-01-22 14:00:00,PST-8,2017-01-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Third in a series of three storm systems occurred from January 22 to January 23. Heavy rain, lightning, wind, hail, snow (above 2500 ft), and record breaking surf were observed with this system.","Monterey Bay Buoy recorded a wave of 34.12 feet, breaking the previous record form 2008 of 32 feet." +114053,683036,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-03-23 16:54:00,EST-5,2017-03-23 16:54:00,0,0,0,0,,NaN,,NaN,26.61,-80.03,26.61,-80.03,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms produced gusty winds over the waters.","A marine thunderstorm wind gust of 39 MPH/ 34 knots was reported at the C-Man station LKWF1 located in Lake Worth." +118251,710642,MISSOURI,2017,June,Flood,"DAVIESS",2017-06-29 03:57:00,CST-6,2017-06-29 09:57:00,0,0,0,0,10.00K,10000,0.00K,0,40.1,-93.95,40.0904,-93.9424,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A vehicle ran off the roadway along HWY B when it encountered flooded roadway. He crashed the vehicle, but was rescued without injury." +118251,710643,MISSOURI,2017,June,Flood,"GRUNDY",2017-06-29 09:30:00,CST-6,2017-06-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-93.72,40.0048,-93.7166,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Highways W and WW were closed near Hickory Creek due to water over the roadway." +113030,676150,ALABAMA,2017,January,Thunderstorm Wind,"CONECUH",2017-01-21 08:18:00,CST-6,2017-01-21 08:18:00,0,0,0,0,8.00K,8000,0.00K,0,31.54,-86.98,31.54,-86.98,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","A sheet metal shed was blown down and a fence was blown down in Lyeffion, AL on Highway 83. Several tress were also uprooted." +113030,676156,ALABAMA,2017,January,Thunderstorm Wind,"ESCAMBIA",2017-01-21 08:18:00,CST-6,2017-01-21 08:18:00,0,0,0,0,40.00K,40000,0.00K,0,31.1068,-87.0691,31.1068,-87.0691,"Multiple rounds of severe weather occurred across inland southwest and south central Alabama, inland southeast Mississippi, and the western Florida Panhandle from January 21st to January 22nd, 2017. The prolonged period of severe weather was the result of a longwave trough axis over the southern plains that was very slow to move east, allowing several strong shortwaves to move across the north central Gulf Coast in the southwest upper level flow. The first round of severe weather on the morning of January 21st resulted in 2 strong tornadoes over the WFO Mobile County Warning area along with straight line wind damage. Large hail was the predominate hazard with the second round of storms on the evening of January 21st. A combination of straight line winds and large hail impacted the region on the morning of January 22nd.","Numerous trees and power lines were blown down in the city of Brewton, generally between Highway 31 and Sowell Road. 5 homes suffered damage due to fallen trees. The city mechanic shop on St. Nicholas Avenue had a large portion of the roof torn off due to wind." +112538,671218,OHIO,2017,January,High Wind,"LAKE",2017-01-11 00:24:00,EST-5,2017-01-11 00:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Fairport Harbor measured a 59 mph wind gust." +112467,673158,MAINE,2017,January,Winter Storm,"NORTHWEST AROOSTOOK",2017-01-24 10:00:00,EST-5,2017-01-25 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure lifted north along the Atlantic coast from the night of the 23rd into the 24th. The slow moving low crossed the Gulf of Maine during the 24th drawing abundant moisture and warmer air aloft across the region. However...high pressure centered to the north continued to provide low level cold air. The result was a major sleet storm across much of northern and eastern Maine. Varying amounts of freezing rain also occurred. The only area where precipitation remained predominantly snow was across extreme northwest Aroostook county. Precipitation expanded north across the region through the morning of the 24th. Precipitation...mostly in the form of sleet...then persisted through the 24th into the early morning hours of the 25th. Warning criteria sleet accumulations occurred through the afternoon into the evening hours of the 24th. Storm total sleet accumulations across much of northern Maine ranged from 2 to 4 inches...with local totals up to around 5 inches. Sleet accumulations of 1 to 3 inches were common across interior Downeast areas. Freezing rain accumulations across the region were generally 0.25 inch or less...though locally greater totals were reported. Precipitation remained mostly snow across extreme northwest Aroostook county where storm total snow accumulations ranged from 5 to 10 inches.","Storm total snow accumulations ranged from 5 to 10 inches...with the greater snow accumulations across northwest areas. Sleet accumulations ranged from 1 to 3 inches mostly across eastern areas." +112538,671299,OHIO,2017,January,High Wind,"CUYAHOGA",2017-01-10 23:33:00,EST-5,2017-01-10 23:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at Cleveland Hopkins International Airport measured a 59 mph wind gust." +111979,667782,NEW MEXICO,2017,January,Winter Storm,"FAR NORTHWEST HIGHLANDS",2017-01-22 23:00:00,MST-7,2017-01-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The very active pattern that settled into New Mexico in mid December came to an end with one final dump of heavy mountain snow in late January. Widespread snowfall amounts between 6 and 12 inches impacted northern and western New Mexico while the higher terrain racked up between 12 and 20 inches. Temperatures were rather warm initially as southwest flow delivered moisture into the area from the eastern Pacific. The heaviest amounts occurred toward the end of the event as much colder, unstable northwesterly flow shifted into the state. Winds also increased as the colder air moved into New Mexico, resulting in blowing snow and low visibility in the higher terrain. Many areas reported wind gusts near 50 mph on the back side of this storm system. The below normal snowpack conditions from mid December gradually improved with each passing winter storm until almost every basin was near normal to well above normal for late January.","The area from Navajo Dam to Dulce picked up between 2 and 9 inches of snowfall. Difficult travel conditions were reported along U.S. Highway 64." +113796,681517,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","A foot of snow was reported 19 miles northwest of Cheyenne." +113796,681518,WYOMING,2017,January,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Eight inches of snow was reported seven miles north of Cheyenne." +113796,681519,WYOMING,2017,January,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-01-04 04:00:00,MST-7,2017-01-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous, slow moving Pacific low pressure system, plentiful moisture and favorable upslope winds brought periods of moderate to heavy snowfall to portions of south central and southeast Wyoming, including the Snowy, Sierra Madre and southern Laramie mountains. Total snow accumulations ranged from six to twelve inches for the valleys and plains, to as much as seven feet over the higher mountain peaks. Gusty west winds of 20 to 30 mph produced poor visibilities in blowing snow.","Fourteen inches of snow was reported 14 miles west-northwest of Cheyenne." +112538,671210,OHIO,2017,January,High Wind,"MARION",2017-01-10 21:40:00,EST-5,2017-01-10 21:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of strong low pressure moved northeast across the western Great lakes on January 10th. At daybreak on the 10th the low was over Iowa. The low strengthened quickly as it moved over Wisconsin and eventually crossed the eastern end of Lake Superior during the evening hours. A cold front from this low swept east across northern Ohio during the evening hours of the 10th. Southerly winds ahead of the front increased and became damaging during the late afternoon and early evening hours. Peak gusts at most locations occurred late in the evening with winds slowly diminishing after midnight on the 11th. Showers and a few thunderstorms also developed ahead of the front prompting the issuance of at least one severe thunderstorm warning. Peak wind gusts in many areas topped 60 mph. Downed trees and limbs along with scattered power outages were reported across all of northern Ohio. A peak wind gust of 68 mph was measured at the Findlay Airport in Hancock County. Other locations with measured wind gusts of 60 mph or greater included: 66 mph at Bowling Green (Wood County); 62 mph at Fairport Harbor (Lake County); 61 mph at Mansfield Lahm Airport (Richland County); 61 mph at South Bass Island (Ottawa County); 60 mph at the Marion Airport (Marion Airport) and 60 mph at the Wayne County Airport. In Ashland County, snow plows were called out to scrape tree debris off of roadways. At the peak of the storm, more 25,000 homes were without power. The outages were most concentrated near Lake Erie. It took around 24 hours for power to be fully restored.","An automated sensor at the Marion Airport measured a 60 mph wind gust." +112464,673139,MAINE,2017,January,Winter Storm,"NORTHEAST AROOSTOOK",2017-01-03 19:00:00,EST-5,2017-01-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked toward the Maine coast through the night of the 3rd into the morning of the 4th. The low then tracked across Downeast areas to New Brunswick through the remainder of the 4th. Snow developed during the evening of the 3rd. The snow then mixed with...or transitioned to...sleet which persisted into the early afternoon of the 4th. Warning criteria snow and sleet accumulations occurred during the early morning hours of the 4th. Storm total snow accumulations generally ranged from 4 to 8 inches along with 1 to 3 inches of sleet. However...snow accumulations of 6 to 10 inches occurred across northwest Aroostook county where more precipitation fell in the form of snow.|Strong onshore winds...large breaking waves along with an astronomical high tide combined to produce minor coastal flooding around the time of high tide during the early morning hours of the 4th. Rocks were washed onto Seawall Road due to the flooding.|The weight of sleet and snow from this storm and other recent storms led to significant build-ups on the roofs of many structures. During the next several days structural collapses were reported at several locations across northern Maine. Most of the structures were barns. However...a band shell collapsed in Fort Fairfield in northeast Aroostook county. A private aircraft hangar also collapsed at the Greenville Airport in central Piscataquis county. The collapse destroyed the hangar and damaged the plane inside.","Storm total snow accumulations ranged from 4 to 6 inches along with 1 to 3 inches of sleet." +112965,675011,NORTH CAROLINA,2017,January,Heavy Snow,"MCDOWELL MOUNTAINS",2017-01-06 18:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As an area of surface low pressure moved northeast along the Gulf and Southeast coasts, moisture overspread western North Carolina throughout the 6th. While precipitation initially fell as rain and sleet across the foothills and Piedmont, it changed to snow fairly quickly. The snow was light at first, and even ended briefly before beginning again late in the evening. Snow, heavy at times continued across the area through the overnight. By the time the heavier snowfall rates tapered off shortly after sunrise, total accumulations ranged from 3 to 5 inches in the valleys of the far southwest mountains, to 6 to 8 inches across the remainder of the area. Locally higher amounts of 9 inches or more were reported, mainly in the high elevations, and in the far northern foothills and Piedmont.","" +112788,673729,WISCONSIN,2017,January,Winter Storm,"CLARK",2017-01-10 06:00:00,CST-6,2017-01-10 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North Central Wisconsin was covered by 6 to 8 inches of snow on January 10th. In addition to the falling snow, west winds of 15 to 30 mph created blowing and drifting snow that reduced the visibility for several hours after the falling snow had ended. The highest reported snow total was 8 inches near Neillsville and Christie (Clark County).","COOP and volunteer snow observers reported 6 to 8 inches of snow across Clark County. The highest reported total was 8 inches near Neillsville and Christie. Once the snow ended, west winds of 15 to 30 mph created blowing and drifting snow that continued to reduce the visibility into the late afternoon." +113830,681570,NEBRASKA,2017,January,Winter Storm,"BOX BUTTE",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","An observer in Alliance measured 20 inches of snow." +113830,681572,NEBRASKA,2017,January,Winter Storm,"BOX BUTTE",2017-01-23 22:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Eight inches of snow was observed at Berea." +113830,681558,NEBRASKA,2017,January,Winter Storm,"BANNER",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system moved across northwest Nebraska and produced moderate to heavy snow and gusty northwest winds. Visibilities were restricted due to falling and blowing snow. Total snow accumulations ranged from six to 20 inches.","Six inches of snow was observed at Harrisburg." +112902,674537,WISCONSIN,2017,January,Winter Storm,"VILAS",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","" +112902,674538,WISCONSIN,2017,January,Winter Storm,"ONEIDA",2017-01-09 21:00:00,CST-6,2017-01-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow moved into the area on the night of January 9, ahead of a deepening low pressure system, and continued to pile up as the low moved across northeast Wisconsin on the 10th. Strong west winds, with some gusts to near 50 mph in eastern Wisconsin, developed during the late afternoon and evening of the 10th behind the departing system. ||Snowfall totals were mostly in the 6 to 11 inch range over central, north-central, and northeast Wisconsin. Locations from the Fox Valley east to Lake Michigan, where precipitation changed to rain during the day, had snow totals mainly in the 3 to 6 inch range.||Some of the highest snowfall totals from the storm included: 11.5 inches at Crandon (Forest Co.); 11.0 inches at Stevens Point (Portage Co.) and Polonia (Portage Co.); 10.0 inches near Bakerville (Wood Co.) and near Iola (Waupaca Co.); 9.8 inches at White Lake (Langlade Co.) and Wausau (Marathon Co.); and 9.5 inches at Tigerton (Shawano Co.). ||Wind gusts associated with the departing storm system were generally highest across east central Wisconsin. Some of the peak gusts were: 53 mph at Omro (Winnebago Co.); 49 mph at Wautoma (Waushara Co.), near Combined Locks (Outagamie Co.), and near Zittau (Winnebago Co.); 48 mph at Green Bay (Brown Co.); and 47 mph at Appleton (Outagamie Co.) and Wausau (Maraton Co.).","The highest snowfall total in Oneida County was 8.0 inches at Lake Tomahawk." +113484,679353,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-11 12:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","Eight inches of snow was measured near Centennial." +113484,679352,WYOMING,2017,January,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-01-11 12:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","Six inches of snow was measured a mile southwest of Elk Mountain." +113484,679337,WYOMING,2017,January,Winter Storm,"SIERRA MADRE RANGE",2017-01-08 11:00:00,MST-7,2017-01-12 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist energetic flow aloft produced a prolonged period of heavy snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from one to eight feet. Wind gusts of 55 to 65 mph and falling snow produced near-blizzard conditions across the north Snowy Range foothills. The adverse winter weather closed Interstate 80 between Laramie and Rawlins.","The Sage Creek Basin SNOTEL site (elevation 7850 ft) estimated 25 inches of snow." +112779,678094,KANSAS,2017,January,Ice Storm,"PAWNEE",2017-01-13 15:00:00,CST-6,2017-01-16 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong winter storm system affected much of central and southwest Kansas starting as early as Friday, January 13th, at some locations, and ended early Monday, January 16th, 2017. The greatest ice accretion did not occur until late Saturday evening on the 14th and continued into late afternoon on Sunday the 15th. Surface winds increased during Sunday evening and continued through much of Monday the 16th. However, impacts were felt throughout the week due to power loss, school closings, tree and power line damage, etc.. The greatest accretion of Ice stretched from Liberal and Ashland, north through Dodge City, Jetmore, Greensburg and Larned. Water equivalent was 2 to as much as 4 1/2 inches.||Dollar amount of damage was still not know as of the end of March, 2017. But, early estimates were well over $15 million done to power poles, power lines, tree damage and removal, and damage to structures from falling tree limbs. Some areas were without electricity for a week.","Ice accretion was 1 to 1 1/2 inches. Water equivalent was 2 to 3 inches. Tree and power line damage was extensive." +112710,674005,CALIFORNIA,2017,January,Drought,"SE KERN CTY DESERT",2017-01-01 00:00:00,PST-8,2017-01-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The California drought strength lessened over during the month of January, 2017. Fresno received 5.50 of precipitation and Bakersfield received 2.76 precipitation during the month. Fresno had much above normal precipitation with 3.31 above normal. Bakersfield had significantly above normal precipitation with 1.60 above the normal precipitation amounts. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and significant reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions across the entire Central California region. However, several reductions in the drought category occurred during the month. The first happened on January 10th across the northern most portions of the area due to above normal rainfall. The trend continued the following week across the Sierra Nevada Range north of Sequoia National Park. This too was due to above normal precipitation and a good amount of snow pack. Valley locations were still experiencing many dry wells even with the above normal precipitation. However, by the 24th valley locations too had a reduction in category as streams and lakes began to fill due to the wet month. Only a small area in southwestern Kern county had the Extreme (D3) category left, though most of the San Joaquin Valley were still under Severe Drought (D2). The month ended with only the San Emigdio Mountains remaining under Extreme Drought (D3).","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area. This left only a small area of the desert locations under Extreme Drought (D3)." +113976,682599,GUAM,2017,January,High Surf,"GUAM",2017-01-17 00:00:00,GST10,2017-01-18 00:00:00,1,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"North swell caused the capsizing of a canoe at Gaum.","Just after 6 p.m. six people on an outrigger canoe were trying to exit the Agana Boat Basin through the channel. As they attempted this maneuver they were hit by large swells. These swells caused the canoe to overturn and people were thrown into the water. ||Guam Fire Department Search and Rescue personnel and local surfers came to the aid of paddlers who were in distress after the canoe overturned. Guam Fire Department (GFD) responded to the overturned canoe at 6:25 pm. The Fire Department rescued two men and a woman with their boat and transported them to shore. The other three men made it back to shore safely on their own. He added that one patient [the woman] was treated for scrapes and abrasions on the scene. ||Guam was under a high surf advisory and a small craft advisory at the time. A automated buoy located to the northwest of Guam, the Ritidian Buoy, recorded a large (max) wave of near 15 feet between 5:57 and 6:27 p.m. local time. The same buoy recorded increasing north swell through the day. The Boat Basin exits to the north and the waves do increase in this location as there are shallow areas and a slight constriction." +114074,683128,ARIZONA,2017,January,Heavy Snow,"GRAND CANYON COUNTRY",2017-01-20 11:00:00,MST-7,2017-01-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second and stronger storm in a series of storms hit northern Arizona with heavy snow.","Trained spotters around the South Rim of the Grand Canyon reported 6.5 inches of snow around the 7,000 foot level. The East Entrance of the Grand Canyon National Park received 9 inches of snow at 7440 feet elevation." +111780,666677,OKLAHOMA,2017,January,Ice Storm,"TULSA",2017-01-13 04:00:00,CST-6,2017-01-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved slowly across the southwestern United States into the Southern Rockies, and then across the Southern Plains on the 13th and 14th. Several weaker disturbances translated across the area as this system slowly approached, resulting in several periods of precipitation. Arctic air had already spread into the region ahead of this system, but had not become deep enough to support anything but freezing rain. Ice accretions of one quarter to one half inch were observed across most of northeastern Oklahoma along and north of I-44. The lack of wind precluded significant damage to trees and power poles, but power outages did occur, most numerous across Osage and Pawnee Counties. Tree limbs were also snapped across much of northeastern Oklahoma. Roads were reported slick and hazardous in Pawnee, Osage, and Washington Counties.","" +113249,677571,NEW YORK,2017,January,High Wind,"NIAGARA",2017-01-11 01:15:00,EST-5,2017-01-11 05:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds accompanied the passage of a deepening storm system crossing the upper Great Lakes. Wind gusts were measured to 64 mph at Dunkirk, Batavia and Niagara Falls Airport. Other wind gusts included: 60 mph at Buffalo Airport and 58 mph at Fort Drum and Rochester Airport. The strong winds downed trees and power lines. Several thousand customers were without power. Numerous roads were closed because they were blocked by fallen trees. Structural damage was reported in Buffalo and Cheektowaga as roofs were blown off the Buffalo Motor and Generator Corporation and the gymnasium of a school. There was also damage reported to several home and cars caused by falling trees. The Skyway in Buffalo was closed for several hours due to the wind conditions making travel on the elevated span unsafe.","Strong winds downed trees and power lines." +112927,674671,WEST VIRGINIA,2017,March,Winter Weather,"SOUTHEAST NICHOLAS",2017-03-13 20:00:00,EST-5,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674674,WEST VIRGINIA,2017,March,Winter Weather,"UPSHUR",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +112927,674675,WEST VIRGINIA,2017,March,Winter Weather,"BARBOUR",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing Nor'easter moved up the East Coast on the 14th. The strengthening storms brought widespread snowfall to the mountains of West Virginia, starting late on the 13th with the heaviest snow tapering off late on the 14th. Up slope snow showers lingered through the night into the 15th, but additional accumulations were not significant. The higher elevations were hit the hardest, with 9 inches reported at Snowshoe in Pocahontas County, and a trained spotter near Beverly in Randolph County reported 8 inches. The cooperative observer in Elkins reported 6.5 for the storm, with CoCoRaHS and Broadcast media reports of around 6 inches in Webster and eastern Nicholas County. Farther south, across the central mountains, 3-5 inches of snow accumulated. Across the lowlands of West Virginia, temperatures were to warm for much accumulation.","" +113358,680895,MAINE,2017,March,Blizzard,"NORTHERN SOMERSET",2017-03-14 20:00:00,EST-5,2017-03-14 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked along the New England coast to western Maine through the overnight hours of the 14th into the 15th. Snow developed across Downeast areas during the early afternoon of the 14th then expanded northward across the remainder of the region through the afternoon and evening. A band of heavy snow developed Downeast during the afternoon of the 14th and lifted north across the region through the early morning hours of the 15th. A strong low level jet also crossed the region at the same time. Sustained winds of 25 to 35 mph occurred within the heavier snow band along with gusts of 60 to around 70 mph along the Downeast coast with gusts of 45 to 55 mph across the remainder of the region. These winds and snowfall rates of 2 to 3 inches per hour within the band combined to produce visibilities of a quarter mile or less. Around 4 hours of blizzard conditions occurred with the band while moving north across the region. Blizzard criteria was met through the evening hours of the 14th into the early morning hours of the 15th...from south to north...across the region. Lighter snow and winds then persisted in the wake of the heavy snow band. Storm total snow accumulations generally ranged from 9 to 14 inches Downeast...with 10 to 18 inches across the remainder of the region.|The combination of heavy wet snow and strong winds contributed to around 7000 customers losing power mostly across Washington and Hancock counties. The strong winds along the Downeast coast damaged roofs and tore shingles and siding from buildings. The town of Eastport in Washington county was particularly impacted. Structural damage was reported to roofs in the downtown area. Extensive loss of shingles and siding from buildings occurred across the town. A chimney was also torn from a structure. A peak gust of 73 mph was reported near Eastport with a gust of 66 mph measured near Winter Harbor in Hancock county.","Storm total snow accumulations ranged from 15 to 18 inches. Blizzard conditions also occurred." +112766,675880,KENTUCKY,2017,March,Thunderstorm Wind,"KENTON",2017-03-01 06:55:00,EST-5,2017-03-01 07:05:00,0,0,0,0,10.00K,10000,0.00K,0,38.94,-84.54,38.94,-84.54,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Numerous trees were reported downed throughout the county." +112766,675882,KENTUCKY,2017,March,Thunderstorm Wind,"GRANT",2017-03-01 07:02:00,EST-5,2017-03-01 07:03:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-84.6,38.77,-84.6,"An unseasonably warm and moist air mass was in place across the region during the morning hours of March 1st. Showers and thunderstorms developed across the Ohio Valley during the early morning hours as a strong low pressure system lifted northeast into the Great Lakes region. These storms produced heavy rain, large hail and several tornadoes. A squall line then moved through the region during the mid morning hours ahead of an approaching cold front. These storms resulted in damaging winds and additional heavy rain.","Measured at the Crittenden RAWS observation site." +112940,675832,VERMONT,2017,March,Winter Storm,"WESTERN CHITTENDEN",2017-03-14 09:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Chittenden county generally ranged from 20 to 36 inches. Some specific amounts include; 38 inches in Nashville, 33 inches in Westford, 31 inches in Essex Junction, 30.4 inches at NWS Burlington (2nd Largest ALL-TIME), 30 inches in Hinesburg, Winooski and Williston, 29 inches in Jericho, Milton and Underhill and 28 inches in Huntington. Near-Blizzard conditions impacted many locations of western Chittenden county with wind gusts of 25 to 30 mph and near white-out conditions for several hours. There were some portions of southwest Chittenden, including along the immediate lake shore that witnessed blizzard conditions between 4 and 11 pm. A mesonet site in Charlotte reported wind gusts in mid 30s and a peak gust of 51 mph." +112940,675833,VERMONT,2017,March,Winter Storm,"WESTERN FRANKLIN",2017-03-14 10:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A major nor'easter developed off the North Carolina/Virginia coast during the early morning hours of March 14th and intensified as it moved north-northeast across southeast New England during the night into central Maine by the morning of March 15th.||Snow developed across Vermont by mid-morning on the 14th and intensified to at least 1 to 3 inches per hour for several hours during the late afternoon and overnight hours before gradually diminishing late on the 15th. There were numerous sites that witnessed 4 to 5 inches per hour snowfall rates for more than one hour. In addition, blizzard to near blizzard conditions developed around the time of the heaviest snowfall and lasted for 3-4 hours within several miles of Lake Champlain and some higher exposed terrain as well.||Total snowfall across Vermont was 12 to 36+ inches with northwest Vermont experiencing the heaviest snowfall.||Numerous schools, businesses and local government offices closed for March 14th and 15th with numerous vehicle accidents and stranded vehicles.","Snowfall totals across Franklin county generally ranged from 20 to 36 inches. Some specific amounts include; 38 inches in Richford, 36 inches in Georgia Center, 34 inches in Bakersfield, 30 inches in Fairfax, 28 inches in Sheldon, 27 inches in Enosburg Falls, 24 inches in St. Albans, and 19 inches in Swanton. Brisk winds of 20 to 30 mph contributed to white-out conditions at times with considerable blowing and drifting snow." +113611,680106,GEORGIA,2017,March,Frost/Freeze,"EARLY",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680107,GEORGIA,2017,March,Frost/Freeze,"GRADY",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680108,GEORGIA,2017,March,Frost/Freeze,"IRWIN",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680109,GEORGIA,2017,March,Frost/Freeze,"LANIER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680110,GEORGIA,2017,March,Frost/Freeze,"LEE",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680111,GEORGIA,2017,March,Frost/Freeze,"LOWNDES",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680112,GEORGIA,2017,March,Frost/Freeze,"MILLER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +113611,680113,GEORGIA,2017,March,Frost/Freeze,"MITCHELL",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,7.85M,7850000,NaN,NaN,NaN,NaN,"A late season freeze occurred across the tri-state area on the morning of March 16th. Across Georgia, as much as 80 percent of the blueberry crop was lost. The annual blueberry farm value is over $255 million, so the loss is estimated at 80 percent of that, or around $204 million. However, economic losses could be higher than that.","" +112845,679036,MISSOURI,2017,March,Hail,"BARTON",2017-03-09 16:15:00,CST-6,2017-03-09 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-94.57,37.47,-94.57,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679037,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-09 16:20:00,CST-6,2017-03-09 16:20:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-92.71,38.04,-92.71,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679038,MISSOURI,2017,March,Hail,"TEXAS",2017-03-09 16:20:00,CST-6,2017-03-09 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-92.17,37.58,-92.17,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +112845,679039,MISSOURI,2017,March,Hail,"GREENE",2017-03-09 16:22:00,CST-6,2017-03-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-93.49,37.41,-93.49,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679040,MISSOURI,2017,March,Hail,"WRIGHT",2017-03-09 16:22:00,CST-6,2017-03-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-92.4,37.41,-92.4,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679041,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-09 16:24:00,CST-6,2017-03-09 16:24:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-92.91,38.01,-92.91,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679042,MISSOURI,2017,March,Hail,"POLK",2017-03-09 16:28:00,CST-6,2017-03-09 16:28:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-93.27,37.46,-93.27,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Hail covered the roads." +112845,679043,MISSOURI,2017,March,Hail,"POLK",2017-03-09 16:36:00,CST-6,2017-03-09 16:36:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-93.27,37.46,-93.27,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","" +112845,679044,MISSOURI,2017,March,Hail,"BARTON",2017-03-09 16:37:00,CST-6,2017-03-09 16:37:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-94.38,37.5,-94.38,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was from social media with a picture." +113619,680159,LOUISIANA,2017,March,Tornado,"WINN",2017-03-24 22:49:00,CST-6,2017-03-24 22:50:00,0,0,0,0,3.00K,3000,0.00K,0,32.1278,-92.747,32.1435,-92.7371,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","An EF-1 tornado with maximum estimated winds between 95-105 mph touched down along Highway 505 just west of the Wyatt community, snapping several trees. This tornadic damage was sporadic and interspersed with straight line wind damage that occurred along and north of Highway 505." +113619,680160,LOUISIANA,2017,March,Tornado,"JACKSON",2017-03-24 22:54:00,CST-6,2017-03-24 23:04:00,0,0,0,0,15.00K,15000,0.00K,0,32.1681,-92.6882,32.2416,-92.6084,"A closed upper level low pressure system drifted east across Northcentral Texas and Central Oklahoma during the afternoon of March 24th. Meanwhile, an intense surface low pressure system developed over Central Oklahoma, resulting in gusty southerly winds which quickly transported very warm and moist air northward across East Texas, North Louisiana, and Southern Arkansas. This resulted in an unstable air mass, and coupled with the strong wind shear in place and increased forcing ahead of this low pressure system, resulted in strong to severe thunderstorms developing during the early evening through a portion of the overnight hours. Numerous reports of damaging winds were received across East Texas, North Louisiana, and extreme Southern Arkansas, with several tornadoes also touching down across Harrison County Texas, as well as Desoto, Natchitoches, and Jackson Parishes in Northern Louisiana. The strongest storms exited Northcentral Louisiana by 1 am on March 25th, but strong, slow moving storms persisted through the overnight hours across the southern sections of Northcentral Louisiana, resulting in beneficial rainfall for these areas.","An EF-1 tornado with maximum estimated winds between 100-110 mph touched down along Highway 505 in Southern Jackson Parish between Highway 167 and Highway 4, southwest of Weston. The primary damage was snapped trees. However, one metal outbuilding was overturned." +114460,686372,MINNESOTA,2017,March,Heavy Snow,"MOWER",2017-03-12 13:57:00,CST-6,2017-03-13 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 7 to 12 inches of snow across Mower County. The highest reported total was 12 inches near Austin." +114460,686373,MINNESOTA,2017,March,Heavy Snow,"OLMSTED",2017-03-12 14:15:00,CST-6,2017-03-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 4 to 7 inches of snow across Olmsted County. The highest reported total was 7.3 inches near Predmore." +114460,686374,MINNESOTA,2017,March,Heavy Snow,"WINONA",2017-03-12 15:20:00,CST-6,2017-03-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on most of northeast Iowa on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 12 inch range and the highest reported total was 12 inches near Austin (Mower County).","COOP and volunteer snow observers reported 3 to 7 inches of snow across Winona County. The highest reported total was 7 inches near Pickwick." +114462,686376,WISCONSIN,2017,March,Heavy Snow,"CRAWFORD",2017-03-12 17:40:00,CST-6,2017-03-13 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on parts of western Wisconsin on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 7 inch range and the highest reported total was 7 inches near Stoddard (Vernon County).","COOP and volunteer snow observers reported 3 to 6 inches of snow across Crawford County. The highest reported total was 6 inches in and near De Soto." +114462,686377,WISCONSIN,2017,March,Heavy Snow,"VERNON",2017-03-12 17:00:00,CST-6,2017-03-13 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell on parts of western Wisconsin on March 12 and 13th as a storm system moved out of the Dakotas and tracked across western and central Iowa. The snow moved into the area during the afternoon of March 12th and continued into the morning of the 13th. Accumulations were generally in the 3 to 7 inch range and the highest reported total was 7 inches near Stoddard (Vernon County).","COOP and volunteer snow observers reported 3 to 7 inches of snow across Vernon County. The highest reported total was 7 inches near Stoddard." +114021,685658,MARYLAND,2017,March,Thunderstorm Wind,"CALVERT",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.4742,-76.5067,38.4742,-76.5067,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down in St. Leonard." +114021,685659,MARYLAND,2017,March,Thunderstorm Wind,"CALVERT",2017-03-01 14:12:00,EST-5,2017-03-01 14:12:00,0,0,0,0,,NaN,,NaN,38.6158,-76.6133,38.6158,-76.6133,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down in Huntington." +114021,685661,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:56:00,EST-5,2017-03-01 13:56:00,0,0,0,0,,NaN,,NaN,39.364,-76.5612,39.364,-76.5612,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down on Old Harford Road." +114021,685663,MARYLAND,2017,March,Thunderstorm Wind,"CALVERT",2017-03-01 14:15:00,EST-5,2017-03-01 14:15:00,0,0,0,0,,NaN,,NaN,38.7087,-76.5347,38.7087,-76.5347,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down North Beach." +114021,685664,MARYLAND,2017,March,Thunderstorm Wind,"CALVERT",2017-03-01 14:18:00,EST-5,2017-03-01 14:18:00,0,0,0,0,,NaN,,NaN,38.4106,-76.4556,38.4106,-76.4556,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down in Lusby." +114021,685665,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 14:00:00,EST-5,2017-03-01 14:00:00,0,0,0,0,,NaN,,NaN,39.384,-76.5518,39.384,-76.5518,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Shingles and siding was blown off a house." +114021,685666,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:46:00,EST-5,2017-03-01 13:46:00,0,0,0,0,,NaN,,NaN,39.3067,-76.7478,39.3067,-76.7478,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Trees and wires were down in Woodlawn." +114021,685668,MARYLAND,2017,March,Thunderstorm Wind,"BALTIMORE",2017-03-01 13:59:00,EST-5,2017-03-01 13:59:00,1,0,0,0,,NaN,,NaN,39.3076,-76.7394,39.3076,-76.7394,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Part of a roof was blown off and a window was blown out of a Social Security Building. According to the media, one person was taken to the hospital." +112790,673748,COLORADO,2017,March,Wildfire,"PHILLIPS COUNTY",2017-03-06 11:30:00,MST-7,2017-03-07 16:00:00,0,0,0,0,300.00K,300000,,NaN,NaN,NaN,NaN,NaN,"High wind gusts ranging from 60 to 70 mph allowed a grassfire to quickly spread from Logan into extreme parts of southwest Sedgwick and northwest Phillips Counties. The fire started just northeast of Sterling and within eight hours, it had had raced 23 miles across Interstate 76 into Phillips County, toward Haxtun. Officials declared a State of Emergency for Logan County. County officials sent out 900 pre-evacuation notices, and evacuated schools in Fleming, Haxtun and Iliff. Colorado Highway 59 was closed in both directions from Interstate 76 to Haxtun, where 15 to 20 power poles were damaged. The blowing dust and smoke reduced visibilities in the area. The American Red Cross has opened an emergency shelter in Sterling for those evacuated from Crook and the surrounding area. By late afternoon, the fire consumed 32,564 acres. Four homes were lost, three in Logan County and one in Phillips County. A high number of out buildings were also lost including: garages, shops and barns. There was significant agricultural loss and an untold number of vehicles were destroyed including tractors. Up to three hundred head of cattle were destroyed as well as several horses. The fire was allegedly started when a Logan County resident was welding on a metal feed trough in a dry cornfield during the extremely windy conditions. Preliminary damage estimates included nine residents in Logan County that lost approximately $420,000 in lost structures and thousands more in farmland. Another resident reportedly lost $500,000 in land and property. Officials said it could take up to three years for land to recover from the wildfire.","" +115738,695581,ILLINOIS,2017,May,Hail,"PEORIA",2017-05-17 21:44:00,CST-6,2017-05-17 21:49:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-89.57,40.82,-89.57,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +115738,695583,ILLINOIS,2017,May,Hail,"PEORIA",2017-05-17 21:45:00,CST-6,2017-05-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,40.7819,-89.7081,40.7819,-89.7081,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +115738,695584,ILLINOIS,2017,May,Hail,"WOODFORD",2017-05-17 21:45:00,CST-6,2017-05-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,40.8055,-89.52,40.8055,-89.52,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +112817,674611,SOUTH DAKOTA,2017,March,High Wind,"BUTTE",2017-03-06 10:30:00,MST-7,2017-03-06 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674613,SOUTH DAKOTA,2017,March,High Wind,"NORTHERN MEADE CO PLAINS",2017-03-06 13:30:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674615,SOUTH DAKOTA,2017,March,High Wind,"ZIEBACH",2017-03-06 13:30:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674616,SOUTH DAKOTA,2017,March,High Wind,"RAPID CITY",2017-03-06 13:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674618,SOUTH DAKOTA,2017,March,High Wind,"PENNINGTON CO PLAINS",2017-03-06 07:30:00,MST-7,2017-03-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674619,SOUTH DAKOTA,2017,March,High Wind,"SOUTHERN MEADE CO PLAINS",2017-03-06 07:30:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112818,674565,SOUTH DAKOTA,2017,March,High Wind,"HARDING",2017-03-07 08:30:00,MST-7,2017-03-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient across the Northern Plains behind a strong low pressure system over central Canada produced gusty winds across much of western South Dakota. The strongest winds developed over northwestern South Dakota, where gusts of 60 to 70 mph were recorded.","" +114183,683882,COLORADO,2017,March,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-03-23 23:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683883,COLORADO,2017,March,High Wind,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-03-23 23:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683884,COLORADO,2017,March,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-03-24 04:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +117505,706692,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-05-25 16:18:00,EST-5,2017-05-25 16:24:00,0,0,0,0,,NaN,,NaN,38.32,-76.45,38.32,-76.45,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts of 34 to 37 knots were reported at Solomons Island." +117505,706693,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-05-25 16:20:00,EST-5,2017-05-25 16:20:00,0,0,0,0,,NaN,,NaN,38.29,-76.4,38.29,-76.4,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust in excess of 30 knots was reported at Patuxent River." +117505,706694,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-05-25 17:03:00,EST-5,2017-05-25 17:03:00,0,0,0,0,,NaN,,NaN,38.677,-76.334,38.677,-76.334,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 37 knots was reported at Black Walnut Harbor." +113661,685738,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:10:00,CST-6,2017-03-29 01:10:00,0,0,0,0,0.00K,0,0.00K,0,32.7665,-97.2564,32.7665,-97.2564,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter measured a 70 MPH wind gust 4 miles south-southwest of Richland Hills, TX." +113661,685739,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:15:00,CST-6,2017-03-29 01:15:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-97.13,32.57,-97.13,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Mansfield Office of Emergency Management measured a wind gust of 85 MPH." +113661,685744,TEXAS,2017,March,Hail,"DENTON",2017-03-29 01:45:00,CST-6,2017-03-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,33.1666,-96.9698,33.1666,-96.9698,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported quarter-sized hail on Hwy 720 north of Little Elm, TX." +113661,685745,TEXAS,2017,March,Thunderstorm Wind,"HOOD",2017-03-29 00:40:00,CST-6,2017-03-29 00:40:00,0,0,0,0,5.00K,5000,0.00K,0,32.4554,-97.7288,32.4554,-97.7288,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Lumin ER in Granbury, TX had to close due to the roof being peeled off of the building." +113661,685749,TEXAS,2017,March,Thunderstorm Wind,"PARKER",2017-03-29 00:50:00,CST-6,2017-03-29 00:50:00,0,0,0,0,0.00K,0,0.00K,0,32.9604,-97.6863,32.9604,-97.6863,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report of trees down was received in the city of Springtown, TX." +113661,685751,TEXAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-29 01:00:00,CST-6,2017-03-29 01:00:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-97.38,32.47,-97.38,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Broadcast media reported large trees being knocked down near Joshua High School." +113661,685754,TEXAS,2017,March,Thunderstorm Wind,"PARKER",2017-03-29 01:00:00,CST-6,2017-03-29 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.02,-97.7,33.02,-97.7,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report of a fence down, roof of a shed removed and blown 100 yards and a 4-wheeler blown 15 yards was received approximately 3 miles northwest of Briar, TX." +113548,679707,VIRGINIA,2017,March,Thunderstorm Wind,"SMYTH",2017-03-01 11:50:00,EST-5,2017-03-01 11:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.8745,-81.5681,36.8733,-81.5625,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Two trees were blown down by thunderstorm winds along Walkers Creek Road." +113548,679758,VIRGINIA,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 11:50:00,EST-5,2017-03-01 12:12:00,0,0,0,0,25.00K,25000,0.00K,0,37.2822,-80.4921,37.106,-80.2202,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Several large trees and numerous large tree limbs were blown down by thunderstorm winds across Montgomery County. One tree was snapped in half, with the top falling onto a home. Roofing shingles were also blown off of several homes. In the town of Christiansburg, a metal shed was blown roughly 100 yards from its original location." +113548,679705,VIRGINIA,2017,March,Thunderstorm Wind,"CRAIG",2017-03-01 11:55:00,EST-5,2017-03-01 11:55:00,0,0,0,0,1.00K,1000,0.00K,0,37.5024,-80.1172,37.5024,-80.1172,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Thunderstorm winds resulted in two large pine trees were snapped off half way up the trunks." +113548,679723,VIRGINIA,2017,March,Thunderstorm Wind,"CRAIG",2017-03-01 11:56:00,EST-5,2017-03-01 11:56:00,0,0,0,0,1.50K,1500,0.00K,0,37.388,-80.2276,37.3861,-80.2217,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Multiple trees were blown down by thunderstorm winds along Upper Craigs Creek Road." +113212,690343,GEORGIA,2017,March,Drought,"JACKSON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690361,GEORGIA,2017,March,Drought,"CHATTOOGA",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113548,679747,VIRGINIA,2017,March,Thunderstorm Wind,"APPOMATTOX",2017-03-01 12:54:00,EST-5,2017-03-01 13:15:00,0,0,0,0,5.00K,5000,0.00K,0,37.5037,-78.9747,37.388,-78.836,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Multiple trees were blown down across western Appomattox County, including trees along Beckham Road and along Vermillion Road." +113548,679744,VIRGINIA,2017,March,Thunderstorm Wind,"BUCKINGHAM",2017-03-01 13:00:00,EST-5,2017-03-01 13:25:00,0,0,0,0,4.00K,4000,0.00K,0,37.6375,-78.77,37.5069,-78.5119,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","At least seven trees were blown down by thunderstorm winds across Buckingham County." +113548,679791,VIRGINIA,2017,March,Thunderstorm Wind,"DANVILLE (C)",2017-03-01 16:45:00,EST-5,2017-03-01 16:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.5952,-79.4229,36.556,-79.3536,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","At least four trees and multiple large limbs were blown down across the City of Danville, VA." +114033,682955,NORTH CAROLINA,2017,March,High Wind,"WATAUGA",2017-03-10 10:15:00,EST-5,2017-03-10 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved across the central Appalachians during the early afternoon of March 10th, and was supported aloft by a strong upper level short wave trough. Wind gusts in excess of 40 mph were common across the mountains of North Carolina, however some gusts reached near 60 mph across Ashe and Watauga Counties.","Several wind gusts ranging from 50 to 56 knots were observed at the AWOS in Boone. In addition, the 911 call center in Boone reported two trees blown down on Deerfield Road." +113054,686279,NORTH DAKOTA,2017,March,High Wind,"DUNN",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Dunn County using the Dickinson ASOS in Stark County." +113054,686280,NORTH DAKOTA,2017,March,High Wind,"BILLINGS",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Billings County using the Dickinson ASOS in Stark County." +114203,690504,KANSAS,2017,March,Wildfire,"RAWLINS",2017-03-06 13:00:00,CST-6,2017-03-06 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","Emergency manager reported that a wildfire occurred near Herndon, KS. It was possibly started from downed power lines due to high winds. The fire did burn a farmstead. The house was saved but farm structures (a shop) and equipment (tractors and implements) were lost. Uncertain on exact times and damage amounts." +114206,690534,NEBRASKA,2017,March,Wildfire,"HITCHCOCK",2017-03-06 11:00:00,CST-6,2017-03-06 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Wind gusts near 60 MPH were reported at Wray, CO and Imperial, NE behind a strong cold front that moved through. Using these sites as a proxy can be fairly sure Dundy County also had high wind gusts. In addition to strong winds, a large fire rekindled over Hitchcock County between Palisade and Stratton.","Fire was a rekindle from the large fire that occurred on 3/5. Fire remained approximately between Palisade and Stratton. On 3/6, the fire burned around 300 acres for a total of 2300 acres burnt on both days. Damage occurred to fire trucks during the response but not from the fire. No structures were threatened or lost. Time of the fire is approximate and timed from wind the highest winds of the day picked up." +114694,690528,PENNSYLVANIA,2017,March,Blizzard,"SOUTHERN WAYNE",2017-03-14 01:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Wayne County mainly during the afternoon and evening of the 14th with snowfall of 2 to 3 feet and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions." +114694,690524,PENNSYLVANIA,2017,March,Blizzard,"NORTHERN WAYNE",2017-03-14 02:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Wayne County mainly during the afternoon and evening of the 14th with snowfall of 2 to 3 feet and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions." +114280,690547,GEORGIA,2017,March,Flash Flood,"OGLETHORPE",2017-03-21 20:35:00,EST-5,2017-03-21 22:00:00,0,0,0,0,3.00K,3000,0.00K,0,33.8893,-83.1428,33.888,-83.1416,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Emergency Manager reported that flash flooding from heavy rain overwhelmed a pipe under the a section of roadway near Bunker Rill Road and Athens Road causing erosion under the roadway and an eventual washout." +113646,690554,INDIANA,2017,March,Hail,"MARION",2017-03-30 15:15:00,EST-5,2017-03-30 15:17:00,0,0,0,0,,NaN,0.00K,0,39.87,-86.06,39.87,-86.06,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","Hail was covering the ground with some stones up to one inch in diameter." +113646,690555,INDIANA,2017,March,Hail,"MARION",2017-03-30 15:21:00,EST-5,2017-03-30 15:23:00,0,0,0,0,0.00K,0,0.00K,0,39.9051,-86.0434,39.9051,-86.0434,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690556,INDIANA,2017,March,Hail,"HAMILTON",2017-03-30 15:27:00,EST-5,2017-03-30 15:29:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-86.02,39.94,-86.02,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","Strong winds were reported as well. No damage was spotted." +113646,690558,INDIANA,2017,March,Hail,"HAMILTON",2017-03-30 15:38:00,EST-5,2017-03-30 15:40:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-85.91,39.99,-85.91,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690559,INDIANA,2017,March,Hail,"MADISON",2017-03-30 15:38:00,EST-5,2017-03-30 15:40:00,0,0,0,0,0.00K,0,0.00K,0,40.07,-85.84,40.07,-85.84,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690561,INDIANA,2017,March,Hail,"MADISON",2017-03-30 15:49:00,EST-5,2017-03-30 15:51:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-85.74,40.08,-85.74,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690562,INDIANA,2017,March,Hail,"MADISON",2017-03-30 15:54:00,EST-5,2017-03-30 15:56:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-85.75,40.15,-85.75,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690563,INDIANA,2017,March,Hail,"KNOX",2017-03-30 15:56:00,EST-5,2017-03-30 15:58:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-87.52,38.52,-87.52,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690564,INDIANA,2017,March,Hail,"MADISON",2017-03-30 15:57:00,EST-5,2017-03-30 15:59:00,0,0,0,0,,NaN,,NaN,40.16,-85.69,40.16,-85.69,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690566,INDIANA,2017,March,Hail,"VIGO",2017-03-30 16:03:00,EST-5,2017-03-30 16:05:00,0,0,0,0,,NaN,,NaN,39.38,-87.33,39.38,-87.33,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +114280,690063,GEORGIA,2017,March,Thunderstorm Wind,"CLARKE",2017-03-21 18:55:00,EST-5,2017-03-21 19:25:00,0,0,0,0,50.00K,50000,,NaN,34.0019,-83.3914,34.0019,-83.3914,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported wind damage at the Athens Rifle Club on Paradise Valley Road north of Athens. Shingles and roofing material were removed from the clubhouse and the skeet houses. These roofing materials were embedded in the metal roof of a carport that was blown over. A section of safety fencing 10 feet high and 40 feet long that was set in concrete was blown down and outdoor furniture was blown over 100 yards and destroyed. Several shooting stations were destroyed and multiple trees were blown down." +114280,690005,GEORGIA,2017,March,Hail,"OCONEE",2017-03-21 19:15:00,EST-5,2017-03-21 19:20:00,0,0,0,0,,NaN,,NaN,33.8608,-83.4156,33.8608,-83.4156,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A report of quarter size hail on VFW Drive in Watkinsville was received over social media." +114280,690057,GEORGIA,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-21 19:15:00,EST-5,2017-03-21 19:50:00,0,0,0,0,250.00K,250000,,NaN,34.3602,-84.6085,34.1201,-84.3915,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Cherokee County Emergency Manager reported hundreds of trees and power lines blown down literally across the entire county from Waleska to Woodstock, Holy Springs, Canton, Ball Ground, Lathemtown and Hickory Flat. Numerous trees fell on homes and businesses as well as several on cars. Many roads were blocked by fallen trees and several traffic accidents resulted. No serious injuries were reported." +114280,690054,GEORGIA,2017,March,Thunderstorm Wind,"BARTOW",2017-03-21 19:15:00,EST-5,2017-03-21 19:20:00,0,0,0,0,2.00K,2000,,NaN,34.2495,-84.7966,34.2495,-84.7966,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","An amateur radio operator reported trees blown down along Seminole Road north of Cartersville." +113853,681798,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 17:53:00,CST-6,2017-02-28 17:54:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.28,39.02,-94.28,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681801,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 17:59:00,CST-6,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.91,-94.38,38.91,-94.38,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report came to the office via social media." +113853,681802,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 18:05:00,CST-6,2017-02-28 18:08:00,0,0,0,0,,NaN,,NaN,39.01,-94.13,39.01,-94.13,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113643,687149,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-20 13:42:00,EST-5,2017-03-20 13:44:00,0,0,0,0,,NaN,0.00K,0,40.2,-86.9,40.2,-86.9,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113542,687907,MINNESOTA,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-06 20:21:00,CST-6,2017-03-06 20:21:00,0,0,0,0,34.00K,34000,0.00K,0,43.63,-91.54,43.63,-91.54,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Barns were damaged in the Caledonia area from strong storm winds." +114939,689417,KENTUCKY,2017,May,Hail,"CARTER",2017-05-27 17:25:00,EST-5,2017-05-27 17:25:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-83.17,38.3,-83.17,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","" +114940,689418,OHIO,2017,May,Hail,"WASHINGTON",2017-05-27 18:30:00,EST-5,2017-05-27 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.41,-81.81,39.41,-81.81,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","" +113853,681803,MISSOURI,2017,February,Hail,"LAFAYETTE",2017-02-28 18:21:00,CST-6,2017-02-28 18:22:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-93.9,39.16,-93.9,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681804,MISSOURI,2017,February,Hail,"SALINE",2017-02-28 19:05:00,CST-6,2017-02-28 19:05:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-93.2,39.3,-93.2,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114941,689419,WEST VIRGINIA,2017,May,Flash Flood,"JACKSON",2017-05-27 19:21:00,EST-5,2017-05-27 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.8269,-81.8351,38.7986,-81.8427,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","Heavy rain lead to flooding on Evansview Road near the Donohue Road intersection." +114941,689420,WEST VIRGINIA,2017,May,Thunderstorm Wind,"DODDRIDGE",2017-05-27 14:02:00,EST-5,2017-05-27 14:02:00,0,0,0,0,0.50K,500,0.00K,0,39.3,-80.77,39.3,-80.77,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","Thunderstorm winds blew one tree down along Louise Avenue." +114939,689421,KENTUCKY,2017,May,Hail,"CARTER",2017-05-27 18:00:00,EST-5,2017-05-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2239,-83.01,38.2239,-83.01,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","About 1/2 of nickel and quarter size hail accumulated on the ground near Grayson Lake." +115667,695070,PENNSYLVANIA,2017,June,Thunderstorm Wind,"PHILADELPHIA",2017-06-21 15:58:00,EST-5,2017-06-21 15:58:00,0,0,0,0,,NaN,,NaN,39.91,-75.21,39.91,-75.21,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Large tree down. Time estimated from radar." +115667,695073,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:33:00,EST-5,2017-06-21 15:33:00,0,0,0,0,,NaN,,NaN,40.12,-75.29,40.12,-75.29,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Time estimated from radar." +113563,679827,NEW YORK,2017,February,Blizzard,"SOUTHEAST SUFFOLK",2017-02-09 09:53:00,EST-5,2017-02-09 15:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Gabreski Airport (Westhampton Beach) ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and afternoon on February 9th." +113563,680068,NEW YORK,2017,February,Winter Storm,"BRONX",2017-02-09 04:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","A trained spotter at the Bronx Zoo measured 10.6 inches of snow. A cooperative observer in Parkchester measured 9.5 inches of snow." +113564,679839,CONNECTICUT,2017,February,Blizzard,"SOUTHERN MIDDLESEX",2017-02-09 10:15:00,EST-5,2017-02-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Chester Airport AWOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the late morning and early afternoon on February 9th." +113564,679840,CONNECTICUT,2017,February,Blizzard,"SOUTHERN NEW LONDON",2017-02-09 10:56:00,EST-5,2017-02-09 14:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Groton-New London Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the late morning and early afternoon on February 9th." +113564,680087,CONNECTICUT,2017,February,Winter Storm,"NORTHERN FAIRFIELD",2017-02-09 05:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 13 inches of snow in New Canaan. Trained spotters, Fire Department/Rescue, Amateur Radio, and CoCoRaHs observers reported 11 to 14 inches of snowfall." +113564,680086,CONNECTICUT,2017,February,Winter Storm,"SOUTHERN FAIRFIELD",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Cooperative Observer at Bridgeport reported 10.3 inches of snowfall. The public also reported 11 inches of snowfall in Norwalk. A wind gust to 45 mph was reported at Bridgeport Airport at 12:49 pm." +114529,686854,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 12 inches of snow." +114529,686849,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 17 inches of snow." +115667,695074,PENNSYLVANIA,2017,June,Thunderstorm Wind,"PHILADELPHIA",2017-06-21 15:46:00,EST-5,2017-06-21 15:46:00,0,0,0,0,0.00K,0,0.00K,0,39.97,-75.14,39.97,-75.14,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","" +115781,695832,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEHIGH",2017-06-23 16:27:00,EST-5,2017-06-23 16:27:00,0,0,0,0,,NaN,,NaN,40.54,-75.42,40.54,-75.42,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","A tree was reported down at the tumblebrook golf course." +114618,687388,ARIZONA,2017,February,Funnel Cloud,"PINAL",2017-02-19 15:15:00,MST-7,2017-02-19 15:20:00,0,0,0,0,0.00K,0,0.00K,0,33.31,-111.51,33.31,-111.51,"A large area of low pressure moving through Arizona resulted in a moist and unstable atmosphere across the central deserts on February 19th. Conditions were favorable for the formation of funnel clouds and several of them did occur during the afternoon hours over the greater Phoenix metropolitan area. Fortunately, being funnel clouds, they did not touch down and did not produce any damage. However, funnel clouds are quite rare in the Phoenix area and as such their presence was rather noteworthy, especially given the relatively large number of the funnel clouds.","A large area of low pressure moving through Arizona resulted in a moist and unstable atmosphere and as such conditions were favorable for the formation of funnel clouds. According to local broadcast media, a small cold air funnel cloud was reported about 8 miles southeast of Apache Junction. The funnel was reported via the broadcast meteorologist's partner's Queen Creek Cam. The funnel did not touch down and no damage was observed." +114618,687389,ARIZONA,2017,February,Funnel Cloud,"MARICOPA",2017-02-19 15:26:00,MST-7,2017-02-19 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-111.87,33.49,-111.87,"A large area of low pressure moving through Arizona resulted in a moist and unstable atmosphere across the central deserts on February 19th. Conditions were favorable for the formation of funnel clouds and several of them did occur during the afternoon hours over the greater Phoenix metropolitan area. Fortunately, being funnel clouds, they did not touch down and did not produce any damage. However, funnel clouds are quite rare in the Phoenix area and as such their presence was rather noteworthy, especially given the relatively large number of the funnel clouds.","A large area of low pressure moving through Arizona resulted in a moist and unstable environment which was conducive to the formation of funnel clouds. According to the Salt River Fire Department, a cold air funnel was spotted about 4 miles east of the town of Scottsdale. The funnel did not touch down and no damage was reported." +113564,680088,CONNECTICUT,2017,February,Winter Storm,"SOUTHERN NEW HAVEN",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 12 inches of snow in New Haven and 10.8 inches of snow in Milford. Winds gusted to 43 mph at New Haven Airport at 4:07 pm." +114390,685530,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-06 19:55:00,MST-7,2017-02-06 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +114648,687645,ARIZONA,2017,February,Flash Flood,"MARICOPA",2017-02-28 18:00:00,MST-7,2017-02-28 22:00:00,0,0,0,0,20.00K,20000,0.00K,0,33.4465,-112.8749,33.514,-112.8468,"A large Pacific low pressure system brought considerable moisture to the central deserts on February 28th, and as a result there was considerable urban and small stream flooding as well as numerous flowing washes. This resulted in the need for multiple hydrologic products such as flood advisories and flood warnings. In addition, flash flooding was reported on the west side of Phoenix during the evening hours, near Interstate 10. A swift water rescue was needed as a result of the sudden rise in water near the Hassayampa river near Tonopah.","A wet Pacific storm system moving through Arizona led to urban and small stream flooding in the greater Phoenix area on February 28th and caused many area washes and rivers to flow. As a result, flash flooding was observed on the west side of Phoenix near the community of Tonopah and along Interstate 10. According to local broadcast media, at 2100MST a swift water rescue of a man trapped in a vehicle occurred near Tonopah. A nearby Hassayampa river gauge with roughly zero flow jumped to 800 cubic feet per second in a matter of minutes with a flow depth of 2.5 feet reported. The fast water trapped the man and thus the need for the water rescue." +114622,687408,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Battle Mountain SNOTEL site (elevation 7440 ft) estimated 13.5 inches of snow." +114622,687413,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 18 inches of snow." +114622,687447,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 20 inches of snow." +114622,687451,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 13.5 inches of snow." +113564,679842,CONNECTICUT,2017,February,Blizzard,"NORTHERN NEW LONDON",2017-02-09 10:52:00,EST-5,2017-02-09 14:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Nearby Groton-New London Airport and nearby Willamantic Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the late morning and early afternoon on February 9th." +113749,680977,NEW YORK,2017,February,Winter Weather,"ORANGE",2017-02-12 06:00:00,EST-5,2017-02-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved from the Ohio Valley on the morning of Sunday, February 12 to south and east of Long Island at night as it gradually intensified. Locally heavy snow along with some freezing rain was observed.","Trained spotters and the public reported 4 to 5 inches of snowfall. The Montgomery ASOS also reported 0.11 inches of freezing rain." +112721,673039,WASHINGTON,2017,February,High Wind,"CENTRAL COAST",2017-02-15 16:25:00,PST-8,2017-02-15 18:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred in western Skagit County and on the central coast.","The Hoquiam ASOS recorded 44g61 mph." +113285,677905,WASHINGTON,2017,February,Ice Storm,"WESTERN WHATCOM COUNTY",2017-02-08 14:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,700.00K,700000,,NaN,NaN,NaN,NaN,NaN,"A Pacific frontal system combined with sub-freezing easterly flow across the Cascades passes and Fraser outflow brought a major episode of snow and freezing rain to the Cascades and Western Whatcom County. All three Washington Cascades passes (Stevens Pass, Snoqualmie Pass, and White Pass) were closed to traffic in both directions for almost 24 hours due to snow and accumulating ice, avalanche danger, and slides of snow and trees. In Western Whatcom County snow became covered with a sheet of ice as thick as a half inch as precipitation changed to freezing rain.","A multitude of observational sources (NWS spotters, CoCoRaHS, etc) show that 1 to 3 inches of snow fell across Western Whatcom County followed immediately by heavy freezing rain, resulting an ice sheet up to a half inch thick on top of new and older snow. The result was treacherous road conditions, power outages, and closures of businesses and schools." +114622,687658,WYOMING,2017,February,Winter Storm,"UPPER NORTH PLATTE RIVER BASIN",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to eight inches of snow was observed in and around Saratoga. Six to twelve inches fell at Encampment and Riverside." +114622,687659,WYOMING,2017,February,Winter Storm,"SHIRLEY BASIN",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Five to eight inches of snow was observed at Shirley Basin and Medicine Bow. Strong northwest winds produced two to three foot snow drifts." +114622,687663,WYOMING,2017,February,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Moderate to heavy snowfall and northwest winds gusting between 40 and 50 mph created near-blizzard conditions with visibilities as low as a quarter mile. Interstate 80 was closed between mile markers 240 and 290. Five to ten inches of snow was observed. Snow drifts of one to two feet were common." +116324,699514,MAINE,2017,May,Thunderstorm Wind,"AROOSTOOK",2017-05-18 20:57:00,EST-5,2017-05-18 20:57:00,0,0,0,0,,NaN,,NaN,47.2,-68.25,47.2,-68.25,"Unseasonably warm air overspread the region during the 18th. A cold front then approached northern areas during the evening...with thunderstorms developing in advance of the front. A few of the storms became severe across northeast Aroostook county producing damaging winds.","Two trees were toppled by wind gusts estimated at 60 mph." +114390,685844,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-10 04:20:00,MST-7,2017-02-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 69 mph at 10/1035 MST." +114390,685847,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-07 16:50:00,MST-7,2017-02-08 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 07/0353 MST." +114390,685850,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-10 09:00:00,MST-7,2017-02-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher." +114390,685854,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-07 16:20:00,MST-7,2017-02-08 05:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Quealy Dome measured sustained winds of 40 mph or higher, with a peak gust of 76 mph at 08/0125 MST." +114390,685856,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-09 21:20:00,MST-7,2017-02-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 78 mph at 10/0220 MST." +115244,694630,MISSOURI,2017,May,Hail,"ST. CLAIR",2017-05-30 18:30:00,CST-6,2017-05-30 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-93.8,37.88,-93.8,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","" +115244,694631,MISSOURI,2017,May,Hail,"VERNON",2017-05-30 19:44:00,CST-6,2017-05-30 19:44:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-94.12,38.02,-94.12,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","Dime to nickel sized hail covered the ground around Schell City." +115244,694632,MISSOURI,2017,May,Hail,"CEDAR",2017-05-30 20:10:00,CST-6,2017-05-30 20:10:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-94.02,37.88,-94.02,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","Penny to quarter size hail covered the ground near El Dorado Springs." +115551,693806,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:06:00,EST-5,2017-05-24 13:06:00,0,0,0,0,0.00K,0,0.00K,0,28.05,-80.56,28.05,-80.56,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","Mesonet site WU28 measured a peak wind gust of 39 knots from the south-southwest as a strong storm exited the coast into the Atlantic." +114390,685873,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-08 00:45:00,MST-7,2017-02-08 05:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/0050 MST." +114390,685874,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 02:40:00,MST-7,2017-02-10 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Pumpkin Vine measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 10/0630 MST." +114390,685875,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 10:50:00,MST-7,2017-02-10 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 10/1250 MST." +114390,685877,WYOMING,2017,February,High Wind,"BUFFALO FOOTHILLS",2017-02-08 00:00:00,MST-7,2017-02-08 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Summit East measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 08/0110 MST." +114390,685879,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-07 23:35:00,MST-7,2017-02-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 73 mph at 08/0050 MST." +115551,693807,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:10:00,EST-5,2017-05-24 13:10:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 1007 measured a peak wind gust of 36 knots from the southwest as a strong storm moved offshore Brevard County." +114390,685582,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 15:15:00,MST-7,2017-02-08 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 75 mph at 08/0020 MST." +113907,682513,WASHINGTON,2017,February,Flood,"SPOKANE",2017-02-16 07:00:00,PST-8,2017-02-24 07:00:00,0,0,0,0,1.00M,1000000,0.00K,0,47.3057,-117.7734,47.3057,-117.0483,"During the afternoon of February 15th and into the morning of February 16th an atmospheric river of moisture produced widespread heavy rain across eastern Washington. The Spokane airport received 1.18 inches of rainfall during this period, Harrington 1.27 inches and 1.55 inches of rain fell at Newport. Runoff from this rain along with low elevation snow melt produced widespread small stream and field flooding with damage to roads due to erosion and numerous road closures around the region due to high water and washouts and minor mud slides and debris flows across roads.","Heavy rain and snow melt occurring February 15th and 16th produced numerous small stream and field flooding issues around Spokane County. Thirteen roads around the region were closed due to flooding and washouts on the road ways and the Spokane City Council declared a state of emergency to allow highway crews access to more resources to deal with the flooding repair and mitigation. The flooding persisted for at least the next week around the region." +113310,678123,ILLINOIS,2017,February,Tornado,"MARSHALL",2017-02-28 17:31:00,CST-6,2017-02-28 17:49:00,0,0,0,0,500.00K,500000,0.00K,0,40.924,-89.2983,40.9772,-89.0474,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","The tornado crossed from Woodford County into Marshall County at 5:31 PM CST. It tracked northeastward through southern Marshall County...destroying outbuildings and damaging house roofs and trees, as it widened to about 600 yards southwest of La Rose. The tornado weakened in southeast Marshall County as it crossed I-39 west of Rutland, then crossed into LaSalle County in the National Weather Service Chicago County Warning Area (CWA) at 5:49 PM CST." +114533,687118,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-11 17:20:00,CST-6,2017-05-11 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.5498,-94.9373,32.5498,-94.9373,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","A tree fell onto power lines on West Sheppard Drive in Gladewater." +114702,687990,TEXAS,2017,May,Hail,"ANGELINA",2017-05-20 18:24:00,CST-6,2017-05-20 18:24:00,0,0,0,0,0.00K,0,0.00K,0,31.2805,-94.7296,31.2805,-94.7296,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Quarter to ping pong ball size hail fell at the Crown Colony subdivision in South Lufkin near Angelina College." +114702,687991,TEXAS,2017,May,Hail,"ANGELINA",2017-05-20 18:43:00,CST-6,2017-05-20 18:43:00,0,0,0,0,0.00K,0,0.00K,0,31.3728,-94.7094,31.3728,-94.7094,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Quarter size hail fell at the intersection of Highway 59 and Highway 69 in Lufkin." +113171,677259,GEORGIA,2017,February,Drought,"UNION",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677268,GEORGIA,2017,February,Drought,"MADISON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113670,682241,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-02-21 00:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Storm total snowfall reports included 47 inches at Brighton Resort, 45 inches at Alta Ski Area, and 42 inches at Snowbird Ski & Summer Resort. In addition, winds were strong through the event, with peak recorded wind gusts of 86 mph at the Sundance Mountain Resort Arrowhead Summit sensor and 72 mph at Park City Mountain Resort Park City - Jupiter sensor." +113187,677101,UTAH,2017,January,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-01-22 15:00:00,MST-7,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Snowbasin Resort received 28 inches of snow for the storm. In addition, winds were strong in the beginning of the storm, with peak wind gusts of 76 mph at the Snowbasin Resort Snowbasin-Straw Top sensor and 74 mph at Ogden Peak." +113171,677279,GEORGIA,2017,February,Drought,"FORSYTH",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +112844,675951,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:15:00,CST-6,2017-03-06 23:15:00,0,0,0,0,10.00K,10000,0.00K,0,37.21,-93.29,37.21,-93.29,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Multiple reports of shingles were blown off roofs and damage to gutters of homes." +112844,675952,MISSOURI,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-07 00:15:00,CST-6,2017-03-07 00:15:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-92.65,36.95,-92.65,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several large trees were blown down on FF Highway east of Ava. Local fire department cleared the trees from roadways." +112844,675953,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:00:00,CST-6,2017-03-06 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.2,-93.29,37.2,-93.29,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several buildings in the downtown area sustained roof damage." +112844,675954,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 22:50:00,CST-6,2017-03-06 22:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.22,-93.35,37.22,-93.35,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A piece of roofing and siding were blown off at an apartment complex off West Bypass and Kearney Ave. A picture of this damage was on social media." +112844,675956,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 22:43:00,CST-6,2017-03-06 22:43:00,0,0,0,0,30.00K,30000,0.00K,0,37.24,-93.39,37.24,-93.39,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","The Springfield Airport sustained damage to several aircraft. There was damage to a jet bridge at the terminal. A part of a metal sign was found on the runway. A FedEx shipping container was blown across the cargo ramp onto the runway. Exterior ceiling tiles were damage at the airport terminal." +112844,675957,MISSOURI,2017,March,Hail,"POLK",2017-03-06 22:26:00,CST-6,2017-03-06 22:26:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-93.43,37.8,-93.43,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Penny size hail was reported along with estimated wind gusts up to 60 mph." +112920,675062,IOWA,2017,March,Hail,"WARREN",2017-03-06 19:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-93.73,41.39,-93.73,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported up to penny sized hail, via social media." +112920,675063,IOWA,2017,March,Thunderstorm Wind,"POLK",2017-03-06 19:03:00,CST-6,2017-03-06 19:03:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-93.74,41.58,-93.74,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter estimated wind gusts to 60 mph along with dime sized hail." +112920,675065,IOWA,2017,March,Hail,"WARREN",2017-03-06 19:07:00,CST-6,2017-03-06 19:07:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-93.68,41.5,-93.68,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported nickel sized hail." +112920,675058,IOWA,2017,March,Thunderstorm Wind,"HARDIN",2017-03-06 18:55:00,CST-6,2017-03-06 18:55:00,0,0,0,0,15.00K,15000,0.00K,0,42.2119,-93.3856,42.2119,-93.3856,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported power poles leaning due to wind about a half mile north of the Story-Hardin County line on S27. This is a delayed report and time estimated by radar." +112920,676730,IOWA,2017,March,Tornado,"BOONE",2017-03-06 18:27:00,CST-6,2017-03-06 18:39:00,0,0,0,0,50.00K,50000,0.00K,0,41.9826,-93.8958,42.0894,-93.6986,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado began near the Des Moines River just west of Ledges State Park. This tornado tracked northeast for several miles producing mainly EF0 damage. The tornado likely had intermittent contact with the ground, especially near Jordon to the Boone/Story County line. The tornado continued into Story County." +114234,684351,NEBRASKA,2017,March,High Wind,"RED WILLOW",2017-03-07 11:05:00,CST-6,2017-03-07 15:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind gusts were measured at Stratton as well as at the McCook airport. The peak gust was 60 MPH at McCook.","Two rounds of high wind gusts occurred, one in the morning and another in the afternoon." +114234,684352,NEBRASKA,2017,March,High Wind,"HITCHCOCK",2017-03-07 10:42:00,CST-6,2017-03-07 10:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind gusts were measured at Stratton as well as at the McCook airport. The peak gust was 60 MPH at McCook.","" +114235,684354,NEBRASKA,2017,March,Dust Storm,"DUNDY",2017-03-07 09:42:00,MST-7,2017-03-07 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Near zero visibility was reported in blowing dust along Highway 161 south of Benkelman, extending past the state line into Kansas.","Near zero visibility was reported three miles south of Benkelman on Highway 161 near the state line due to blowing dust. Wind speeds of 30 MPH with gusts up to 40 MPH occurred with the blowing dust. Zero visibility was reported a mile or so south of the state line on Highway 161." +115701,695289,IOWA,2017,May,Thunderstorm Wind,"GREENE",2017-05-16 20:10:00,CST-6,2017-05-16 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-94.24,42.03,-94.24,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Amateur radio operator reported 6 inch diameter tree limbs down and blocking the road." +115701,695291,IOWA,2017,May,Hail,"KOSSUTH",2017-05-16 20:12:00,CST-6,2017-05-16 20:12:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-93.99,43.09,-93.99,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","A trained spotter reported quarter sized hail." +115701,695296,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:25:00,CST-6,2017-05-16 20:25:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-94.39,43.07,-94.39,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Algona RWIS measured wind gusts to 70 mph." +113689,680500,MISSOURI,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 04:41:00,CST-6,2017-03-01 04:41:00,0,0,0,0,25.00K,25000,0.00K,0,36.9,-89.53,36.9,-89.53,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A portion of the roof was blown off a house on State Highway AA. There was extensive siding and shingle damage at the same residence. A carport was blown away." +113689,680484,MISSOURI,2017,March,Tornado,"MISSISSIPPI",2017-03-01 04:43:00,CST-6,2017-03-01 04:52:00,0,0,0,0,200.00K,200000,0.00K,0,36.8329,-89.4928,36.8621,-89.3061,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","The tornado moved east from New Madrid County, passing across sparsely populated farmland before lifting about three miles north-northeast of Anniston. Significant roof damage occurred to a house, and its attached garage was destroyed. A barn was heavily damaged, and numerous irrigation systems were blown over. Dozens of trees were damaged or uprooted. Numerous power poles were snapped. Peak winds in the Mississippi County portion of the damage path were estimated near 100 mph." +113689,680504,MISSOURI,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-01 04:48:00,CST-6,2017-03-01 04:52:00,0,0,0,0,200.00K,200000,0.00K,0,36.8234,-89.38,36.92,-89.33,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Eight grain bins were destroyed along County Road 407 north of East Prairie. Elsewhere in Mississippi County, there were numerous houses with shingle damage. This was part of a larger area of wind damage that surrounded the EF-1 tornado that tracked across western Mississippi County." +116168,698224,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:15:00,CST-6,2017-05-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-93.8,41.63,-93.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","KCCI School Net recorded a 59 mph wind gust." +116168,698227,IOWA,2017,May,Hail,"MONROE",2017-05-17 15:15:00,CST-6,2017-05-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-92.82,40.98,-92.82,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported quarter sized hail." +116168,698228,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:16:00,CST-6,2017-05-17 15:16:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-93.62,41.53,-93.62,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","KCCI School Net site recorded a 59 mph wind gust." +116168,698233,IOWA,2017,May,Thunderstorm Wind,"WARREN",2017-05-17 15:18:00,CST-6,2017-05-17 15:18:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-93.68,41.48,-93.68,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported wind gusts of 60 to 70 mph." +114251,684483,KENTUCKY,2017,March,Frost/Freeze,"MUHLENBERG",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684485,KENTUCKY,2017,March,Frost/Freeze,"TRIGG",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684486,KENTUCKY,2017,March,Frost/Freeze,"UNION",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115851,696240,NORTH CAROLINA,2017,April,Flood,"CABARRUS",2017-04-24 06:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.312,-80.626,35.3,-80.627,"A slow-moving wave of low pressure moving along a stalled frontal boundary stretching from the Gulf Coast through the South Carolina Midlands to the Carolina coast resulted in about 48 hours of moderate to occasionally heavy rainfall across the North Carolina Piedmont. Localized flooding developed as a result, with Cabarrus County seeing the greatest impact.","Gradual stream rises developing as a result of 4 to 6 inches of rain falling over about a 48 hour period resulted in flooding of streams and roads across Cabarrus County during the morning of the 24th and continuing through much of the day. The main streams impacted were tributaries of the Rocky River, including Back Creek, Irish Buffalo Creek, and Dutch Buffalo Creek." +115851,696525,NORTH CAROLINA,2017,April,Flood,"MECKLENBURG",2017-04-24 04:30:00,EST-5,2017-04-24 07:30:00,0,0,0,0,0.50K,500,0.00K,0,35.319,-80.736,35.334,-80.717,"A slow-moving wave of low pressure moving along a stalled frontal boundary stretching from the Gulf Coast through the South Carolina Midlands to the Carolina coast resulted in about 48 hours of moderate to occasionally heavy rainfall across the North Carolina Piedmont. Localized flooding developed as a result, with Cabarrus County seeing the greatest impact.","A stream gauge on Mallard Creek at Pavillion Blvd exceeded its established flood stage after 4 to 5 inches of rain fell over the Charlotte area in about a 48 hour period. This indicated that portions of Mallard Creek Church Rd, the parking lots of PNC Music Pavillion, and Pavillion Blvd were covered in flood water from the creek." +115448,696536,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"GREENVILLE",2017-04-05 23:15:00,EST-5,2017-04-05 23:15:00,0,0,0,0,0.50K,500,0.00K,0,34.99,-82.35,34.99,-82.35,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Ham radio operator reported the metal roof was blown off a building at Highway 253 and Highway 290." +115448,696551,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ANDERSON",2017-04-05 23:25:00,EST-5,2017-04-05 23:25:00,0,0,0,0,10.00K,10000,0.00K,0,34.81,-82.49,34.81,-82.49,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported a tree was blown down, damaging a deck and a pool on Blue Forest Ln." +115851,696566,NORTH CAROLINA,2017,April,Thunderstorm Wind,"CABARRUS",2017-04-24 16:00:00,EST-5,2017-04-24 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,35.266,-80.547,35.266,-80.547,"A slow-moving wave of low pressure moving along a stalled frontal boundary stretching from the Gulf Coast through the South Carolina Midlands to the Carolina coast resulted in about 48 hours of moderate to occasionally heavy rainfall across the North Carolina Piedmont. Localized flooding developed as a result, with Cabarrus County seeing the greatest impact.","Newspaper reported a combination of gusty winds and saturated soils from more than 48 hours of moderate to heavy rain caused a tree to fall on a home on Bethel Church Rd, resulting in significant damage that made the home uninhabitable." +115851,697135,NORTH CAROLINA,2017,April,Flood,"UNION",2017-04-24 17:00:00,EST-5,2017-04-24 19:00:00,0,0,0,0,0.50K,500,0.00K,0,35.113,-80.549,35.113,-80.546,"A slow-moving wave of low pressure moving along a stalled frontal boundary stretching from the Gulf Coast through the South Carolina Midlands to the Carolina coast resulted in about 48 hours of moderate to occasionally heavy rainfall across the North Carolina Piedmont. Localized flooding developed as a result, with Cabarrus County seeing the greatest impact.","Public reported the South Fork of Crooked Creek overflowed its banks and flooded a portion of Lawyers Rd." +115591,710427,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:40:00,CST-6,2017-06-16 21:41:00,0,0,0,0,,NaN,,NaN,39.99,-96.79,39.99,-96.79,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Two miles west of Highway 77 and State Line, 2 to 3 sheds have been completely blown down." +115591,710428,KANSAS,2017,June,Thunderstorm Wind,"BROWN",2017-06-16 21:46:00,CST-6,2017-06-16 21:47:00,0,0,0,0,,NaN,,NaN,39.86,-95.54,39.86,-95.54,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated winds 60-65 MPH. Numerous tree limbs down, some 2.5 to 3 inches in diameter. Minor street flooding was also reported." +115591,710430,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:47:00,CST-6,2017-06-16 21:48:00,0,0,0,0,,NaN,,NaN,39.96,-96.64,39.96,-96.64,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Wind gusts estimated to be near 70-75 MPH, possibly 80 MPH. Numerous tree limbs were down." +115591,710446,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:53:00,CST-6,2017-06-16 21:54:00,0,0,0,0,,NaN,,NaN,39.85,-96.65,39.85,-96.65,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Power flashes reported. Power was out." +115591,710449,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:55:00,CST-6,2017-06-16 21:56:00,0,0,0,0,,NaN,,NaN,39.86,-96.63,39.86,-96.63,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710451,KANSAS,2017,June,Hail,"WASHINGTON",2017-06-16 21:55:00,CST-6,2017-06-16 21:56:00,0,0,0,0,,NaN,,NaN,39.96,-97.16,39.96,-97.16,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710455,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:59:00,CST-6,2017-06-16 22:00:00,0,0,0,0,,NaN,,NaN,39.84,-96.52,39.84,-96.52,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated 60 MPH winds and heavy rain reported. Power was reported out in Home City and Marysville." +112842,675205,MISSOURI,2017,March,Hail,"BARRY",2017-03-01 01:22:00,CST-6,2017-03-01 01:22:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-93.92,36.82,-93.92,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675206,MISSOURI,2017,March,Hail,"GREENE",2017-03-01 01:22:00,CST-6,2017-03-01 01:22:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.37,37.12,-93.37,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675207,MISSOURI,2017,March,Hail,"WEBSTER",2017-03-01 01:35:00,CST-6,2017-03-01 01:35:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-92.83,37.39,-92.83,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675208,MISSOURI,2017,March,Hail,"WRIGHT",2017-03-01 02:08:00,CST-6,2017-03-01 02:08:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-92.51,37.25,-92.51,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +115448,693259,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"GREENVILLE",2017-04-05 23:29:00,EST-5,2017-04-05 23:37:00,0,0,0,0,10.00K,10000,0.00K,0,34.702,-82.445,34.73,-82.33,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported about a dozen trees blown down along Williams Rd in Piedmont. EM and Highway Patrol reported more sporadic downed trees east of there along the I-185 corridor, with a tree on a home on Standing Springs Rd." +112842,675209,MISSOURI,2017,March,Thunderstorm Wind,"DADE",2017-03-01 00:25:00,CST-6,2017-03-01 00:25:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-93.84,37.46,-93.84,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several trees were blown down about three miles north of Greenfield." +112842,675210,MISSOURI,2017,March,Thunderstorm Wind,"POLK",2017-03-01 00:38:00,CST-6,2017-03-01 00:38:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-93.49,37.57,-93.49,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several large tree limbs were blown down on WW Highway." +112842,675211,MISSOURI,2017,March,Thunderstorm Wind,"JASPER",2017-03-01 00:30:00,CST-6,2017-03-01 00:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.16,-94.31,37.16,-94.31,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A middle school had a roof blown off." +114312,685439,TEXAS,2017,March,Thunderstorm Wind,"TOM GREEN",2017-03-28 20:25:00,CST-6,2017-03-28 20:28:00,0,0,0,0,0.00K,0,0.00K,0,31.35,-100.48,31.35,-100.48,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","The San Angelo ASOS measured a wind gust of 63 mph." +114312,685441,TEXAS,2017,March,Thunderstorm Wind,"KIMBLE",2017-03-28 22:25:00,CST-6,2017-03-28 22:28:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-99.59,30.35,-99.59,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A storm chaser estimated a 60 mph wind gust." +114312,685440,TEXAS,2017,March,Thunderstorm Wind,"TOM GREEN",2017-03-28 20:43:00,CST-6,2017-03-28 20:46:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.29,31.37,-100.29,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","The Wall Mesonet station measured a wind gust of 70 mph." +114312,685442,TEXAS,2017,March,Tornado,"JONES",2017-03-28 16:33:00,CST-6,2017-03-28 16:43:00,0,0,0,0,0.00K,0,0.00K,0,32.6783,-99.8247,32.74,-99.8,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","Storm chasers provided video evidence and good times for this tornado. This tornado featured a brief horizontal tube and also had multiple weak looking vortices. The path of this tornado was estimated using radar data. A National Weather survey team did not find any damage with this tornado." +114312,685443,TEXAS,2017,March,Thunderstorm Wind,"MASON",2017-03-28 23:05:00,CST-6,2017-03-28 23:08:00,0,0,0,0,0.00K,0,0.00K,0,30.74,-99.19,30.74,-99.19,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A RAWS station 3 miles east southeast of Mason measured a 62 mph wind gust." +114265,684813,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"OCONEE",2017-03-21 17:40:00,EST-5,2017-03-21 17:40:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-83.02,34.86,-83.02,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","County comms reported trees blown down near the intersection of Flat Shoals Rd and Horseshoe Lane." +114265,684592,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 17:45:00,EST-5,2017-03-21 17:45:00,0,0,0,0,,NaN,,NaN,34.89,-82.29,34.89,-82.29,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported between tennis ball and baseball size 2.5 inch hail at Hudson Rd and Old Spartanburg Rd." +114265,684759,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 17:55:00,EST-5,2017-03-21 17:55:00,0,0,0,0,,NaN,,NaN,34.867,-82.23,34.867,-82.23,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported (via Social Media) 2.5 inch diameter hail on Shelter Dr. Numerous other reports were received on I-85 near Highway 14 and GSP Airport, with windshields shattered on multiple vehicles." +114265,684761,SOUTH CAROLINA,2017,March,Hail,"SPARTANBURG",2017-03-21 18:05:00,EST-5,2017-03-21 18:05:00,0,0,0,0,,NaN,,NaN,34.875,-82.216,34.875,-82.216,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public (via Social Media) reported 3-inch diameter hail on I-85 just south of the GSP Airport." +113493,679402,NEW YORK,2017,March,High Wind,"WESTERN DUTCHESS",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +119056,715007,MISSOURI,2017,July,Flood,"DAVIESS",2017-07-13 06:40:00,CST-6,2017-07-13 12:40:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-93.89,39.9437,-93.9038,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Route K was flooded in both directions at Big Creek." +119056,715008,MISSOURI,2017,July,Flood,"GRUNDY",2017-07-13 08:10:00,CST-6,2017-07-13 14:10:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-93.63,40.1313,-93.6427,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Route A was flooded in both directions at Weldon River." +119056,715009,MISSOURI,2017,July,Thunderstorm Wind,"DAVIESS",2017-07-12 19:01:00,CST-6,2017-07-12 19:06:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-93.96,39.91,-93.96,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","Several trees of unknown size and condition knocked down near Gallatin." +119056,715011,MISSOURI,2017,July,Thunderstorm Wind,"LIVINGSTON",2017-07-12 19:45:00,CST-6,2017-07-12 19:50:00,0,0,0,0,,NaN,,NaN,39.8,-93.54,39.8,-93.54,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","A tree of unknown size and condition was blown onto a box trailer." +113490,679368,NEW YORK,2017,March,Thunderstorm Wind,"SCHENECTADY",2017-03-08 14:00:00,EST-5,2017-03-08 14:00:00,0,0,0,0,,NaN,,NaN,42.7745,-73.9441,42.7745,-73.9441,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down at the intersection of Obrien Avenue and Rabbetoy Street in Rotterdam due to thunderstorm winds." +115928,698150,MISSISSIPPI,2017,May,Thunderstorm Wind,"LEE",2017-05-27 23:35:00,CST-6,2017-05-27 23:45:00,0,0,0,0,30.00K,30000,0.00K,0,34.5236,-88.6638,34.5,-88.63,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down in town." +118514,712060,MICHIGAN,2017,June,Thunderstorm Wind,"LEELANAU",2017-06-12 22:30:00,EST-5,2017-06-12 22:30:00,0,0,0,0,3.00K,3000,0.00K,0,44.8707,-85.7962,44.8707,-85.7962,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","Two trees downed on Good Harbor Trail south of Gatzke Road." +118514,712062,MICHIGAN,2017,June,Thunderstorm Wind,"GRAND TRAVERSE",2017-06-12 22:36:00,EST-5,2017-06-12 22:36:00,0,0,0,0,1.50K,1500,0.00K,0,44.6715,-85.563,44.6715,-85.563,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","A large tree was downed across S Garfield Road near Sharkey Road." +118514,712064,MICHIGAN,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-12 23:20:00,EST-5,2017-06-12 23:20:00,0,0,0,0,10.00K,10000,0.00K,0,44.59,-84.81,44.59,-84.81,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","Multiple trees and power lines were downed in Beaver Creek Township." +113490,679376,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:18:00,EST-5,2017-03-08 14:18:00,0,0,0,0,,NaN,,NaN,42.6902,-73.7495,42.6902,-73.7495,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down in Menands due to thunderstorm winds." +113490,679377,NEW YORK,2017,March,Thunderstorm Wind,"RENSSELAER",2017-03-08 14:22:00,EST-5,2017-03-08 14:22:00,0,0,0,0,,NaN,,NaN,42.5915,-73.7025,42.5915,-73.7025,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down at the intersection of Elmwood Drive and Columbia Turnpike in East Greenbush due to thunderstorm winds." +117577,707300,OHIO,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-04 16:25:00,EST-5,2017-06-04 16:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.699,-82.58,40.699,-82.58,"Low pressure moved across Lake Erie on June 4th dragging a front across the region. Scattered showers and thunderstorms developed in advance of this front. A couple of the stronger storms became severe.","Thunderstorm winds downed a large tree north of Lexington." +117631,707402,OHIO,2017,June,Thunderstorm Wind,"ASHTABULA",2017-06-18 12:43:00,EST-5,2017-06-18 12:43:00,0,0,0,0,2.00K,2000,0.00K,0,41.5783,-80.5349,41.5783,-80.5349,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed two large trees at Pymatuning State Park." +117631,707406,OHIO,2017,June,Thunderstorm Wind,"PORTAGE",2017-06-18 12:55:00,EST-5,2017-06-18 12:55:00,0,0,0,0,10.00K,10000,0.00K,0,41.0295,-81.3529,41.0295,-81.3529,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds damaged a house and toppled a large tree." +117631,707407,OHIO,2017,June,Thunderstorm Wind,"ASHTABULA",2017-06-18 17:20:00,EST-5,2017-06-18 17:20:00,0,0,0,0,15.00K,15000,0.00K,0,41.62,-80.57,41.62,-80.57,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed two trees in Andover. One landed on a garage causing some damage and the second fell on U.S. Highway 6 blocking the road." +117631,707408,OHIO,2017,June,Thunderstorm Wind,"ASHTABULA",2017-06-18 17:10:00,EST-5,2017-06-18 17:10:00,0,0,0,0,10.00K,10000,0.00K,0,41.62,-80.95,41.62,-80.95,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thundertorm winds downed a tree. The tree landed on a vehicle causing some damage." +117631,707410,OHIO,2017,June,Thunderstorm Wind,"ASHTABULA",2017-06-18 17:15:00,EST-5,2017-06-18 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,41.5855,-80.8076,41.6278,-80.8061,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed trees near Dodgeville and Roaming Shores." +117631,707411,OHIO,2017,June,Thunderstorm Wind,"ASHTABULA",2017-06-18 17:15:00,EST-5,2017-06-18 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,41.73,-80.77,41.73,-80.77,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds knocked a tree down on State Route 46." +117804,708187,OHIO,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-19 15:35:00,EST-5,2017-06-19 15:35:00,0,0,0,0,1.00K,1000,0.00K,0,40.95,-82.93,40.95,-82.93,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds knocked a tree down on a road." +117804,708188,OHIO,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-19 15:55:00,EST-5,2017-06-19 15:55:00,0,0,0,0,5.00K,5000,0.00K,0,40.7445,-82.78,40.7445,-82.78,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a tree. The landed on a parked vehicle causing some damage." +118931,715803,ILLINOIS,2017,May,Thunderstorm Wind,"MACOUPIN",2017-05-19 04:47:00,CST-6,2017-05-19 04:47:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-90.05,39.12,-90.05,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","" +118931,715804,ILLINOIS,2017,May,Thunderstorm Wind,"MACOUPIN",2017-05-19 05:06:00,CST-6,2017-05-19 05:06:00,0,0,0,0,0.00K,0,0.00K,0,39.3986,-89.8078,39.3986,-89.8078,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Two 80 by 30 foot storage sheds were destroyed." +119199,715820,MISSOURI,2017,May,Thunderstorm Wind,"COLE",2017-05-19 17:27:00,CST-6,2017-05-19 17:35:00,0,0,0,0,0.00K,0,0.00K,0,38.5709,-92.2385,38.549,-92.1225,"Stalled warm front was focus of activity that fired up during the late afternoon and evening hours on May 19th.","Thunderstorm winds blew down several large trees, numerous tree limbs and power lines around town. A couple of power poles were snapped off and some shingles blown off of a few homes on the west side of town." +119199,715821,MISSOURI,2017,May,Thunderstorm Wind,"BOONE",2017-05-19 17:44:00,CST-6,2017-05-19 17:44:00,0,0,0,0,0.00K,0,0.00K,0,38.7905,-92.2963,38.7905,-92.2963,"Stalled warm front was focus of activity that fired up during the late afternoon and evening hours on May 19th.","Thunderstorm winds uprooted a large tree and blew down several large tree limbs." +119199,715822,MISSOURI,2017,May,Hail,"FRANKLIN",2017-05-19 19:17:00,CST-6,2017-05-19 19:17:00,0,0,0,0,0.00K,0,0.00K,0,38.5284,-91.0005,38.5284,-91.0005,"Stalled warm front was focus of activity that fired up during the late afternoon and evening hours on May 19th.","" +115254,691942,HAWAII,2017,May,High Surf,"MOLOKAI WINDWARD",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115254,691943,HAWAII,2017,May,High Surf,"MAUI WINDWARD WEST",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115254,691944,HAWAII,2017,May,High Surf,"WINDWARD HALEAKALA",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +119199,715824,MISSOURI,2017,May,Tornado,"COLE",2017-05-19 17:27:00,CST-6,2017-05-19 17:29:00,0,0,0,0,0.00K,0,0.00K,0,38.4982,-92.1846,38.5077,-92.172,"Stalled warm front was focus of activity that fired up during the late afternoon and evening hours on May 19th.","A weak tornado touched down briefly about one mile northwest of Wardsville, MO. The tornado was on the ground for approximately two minutes, and traveled about one mile. The tornado initially touched down in a small subdivision and caused minor damage to the roof of a single family home. The tornado then preceded northeast causing tree damage and striking another home where it caused significant damage to the roof. The estimated wind speed was 100 miles per hour at this residence. The tornado continued moving northeast uprooting and snapping trees. Two large trees fell on a home near the end of the tornado's path. The tornado finally dissipated on the southwest bank of the Moreau River where it broke the tops off of a few trees. Overall, the tornado was rated EF1 with a path length of 0.95 miles and a max path width of 75 yards. No deaths or injuries were reported." +119204,716261,ILLINOIS,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-27 13:49:00,CST-6,2017-05-27 13:50:00,0,0,0,0,0.00K,0,0.00K,0,37.9104,-89.8337,37.918,-89.8126,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down several large trees and power lines around town." +119204,716591,ILLINOIS,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-27 13:42:00,CST-6,2017-05-27 13:42:00,0,0,0,0,0.00K,0,0.00K,0,38.1313,-89.7037,38.1313,-89.7037,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down two trees on north side of town. One of the trees fell onto a house causing moderate roof damage and the other one fell onto power lines." +115254,691945,HAWAII,2017,May,High Surf,"SOUTH BIG ISLAND",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115254,691946,HAWAII,2017,May,High Surf,"BIG ISLAND NORTH AND EAST",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115257,691962,HAWAII,2017,May,Drought,"KOHALA",2017-05-01 00:00:00,HST-10,2017-05-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although parts of the Big Island remained in the D2 category of severe drought through part of May, the entire isle became no worse than the D1 category of moderate drought by the middle of the month. Rains in April and early May helped ease the parched conditions.","" +115257,691963,HAWAII,2017,May,Drought,"KONA",2017-05-01 00:00:00,HST-10,2017-05-16 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although parts of the Big Island remained in the D2 category of severe drought through part of May, the entire isle became no worse than the D1 category of moderate drought by the middle of the month. Rains in April and early May helped ease the parched conditions.","" +115257,691964,HAWAII,2017,May,Drought,"SOUTH BIG ISLAND",2017-05-01 00:00:00,HST-10,2017-05-16 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although parts of the Big Island remained in the D2 category of severe drought through part of May, the entire isle became no worse than the D1 category of moderate drought by the middle of the month. Rains in April and early May helped ease the parched conditions.","" +115257,691965,HAWAII,2017,May,Drought,"BIG ISLAND INTERIOR",2017-05-01 00:00:00,HST-10,2017-05-16 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although parts of the Big Island remained in the D2 category of severe drought through part of May, the entire isle became no worse than the D1 category of moderate drought by the middle of the month. Rains in April and early May helped ease the parched conditions.","" +115950,696768,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-11 19:55:00,EST-5,2017-05-11 20:02:00,0,0,0,0,0.00K,0,2.00K,2000,36.1,-79.1,36.01,-79.07,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","Approximately one dozen trees were blown down along Governor Burke Road, NC Highway 86 and New Hope Church Road." +118257,710685,MISSOURI,2017,June,Flash Flood,"CHARITON",2017-06-29 23:33:00,CST-6,2017-06-30 01:33:00,0,0,0,0,0.00K,0,0.00K,0,39.6523,-93.241,39.6629,-92.7754,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Widespread road closures were reported across Chariton County as a result of flash flooding." +118257,710686,MISSOURI,2017,June,Flash Flood,"MACON",2017-06-30 01:45:00,CST-6,2017-06-30 03:45:00,0,0,0,0,0.00K,0,0.00K,0,39.759,-92.3995,39.7642,-92.476,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","A vehicle water rescue was performed on Business Highway 36 and US Highway 63 east of Macon. Multiple other roads in Macon were closed due to flooding." +118257,710688,MISSOURI,2017,June,Hail,"COOPER",2017-06-29 19:40:00,CST-6,2017-06-29 19:41:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-92.75,38.98,-92.75,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","" +118257,710690,MISSOURI,2017,June,Hail,"PLATTE",2017-06-29 21:00:00,CST-6,2017-06-29 21:01:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.72,39.24,-94.72,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","" +118257,710691,MISSOURI,2017,June,Hail,"PLATTE",2017-06-29 21:00:00,CST-6,2017-06-29 21:01:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-94.66,39.27,-94.66,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Report received via MPing." +118257,710692,MISSOURI,2017,June,Hail,"PLATTE",2017-06-29 21:04:00,CST-6,2017-06-29 21:04:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.7,39.24,-94.7,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","" +113328,681016,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 20:48:00,CST-6,2017-03-09 20:48:00,0,0,0,0,0.00K,0,0.00K,0,36.1025,-94.3339,36.1025,-94.3339,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681017,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 20:55:00,CST-6,2017-03-09 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.0567,-94.2363,36.0567,-94.2363,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681018,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 21:02:00,CST-6,2017-03-09 21:02:00,0,0,0,0,0.00K,0,0.00K,0,36.0811,-94.1369,36.0811,-94.1369,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +118251,710654,MISSOURI,2017,June,Hail,"GRUNDY",2017-06-28 19:28:00,CST-6,2017-06-28 19:30:00,0,0,0,0,0.00K,0,0.00K,0,40.16,-93.61,40.16,-93.61,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +113328,681019,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 21:05:00,CST-6,2017-03-09 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-94.17,36.07,-94.17,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681020,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 21:24:00,CST-6,2017-03-09 21:24:00,0,0,0,0,0.00K,0,0.00K,0,35.9938,-94.1752,35.9938,-94.1752,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113272,677780,CALIFORNIA,2017,March,High Wind,"SE KERN CTY DESERT",2017-03-27 11:49:00,PST-8,2017-03-27 11:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another low pressure system moved through the area during the 26th and brought some light precipitation. Surface high pressure built in behind the departed low on the morning of the 27th and increased the surface pressure gradient and its resultant winds. The strongest winds were seen across the Kern County Mountains and Deserts where strong winds gusts were reported at several locations.","Mesonet station near Red Rock Canyon State Park reported a 63 MPH gust." +114582,687200,TEXAS,2017,March,High Wind,"DALLAM",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687201,TEXAS,2017,March,High Wind,"HARTLEY",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687202,TEXAS,2017,March,High Wind,"SHERMAN",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687203,TEXAS,2017,March,High Wind,"OCHILTREE",2017-03-06 11:30:00,CST-6,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +113698,680589,TENNESSEE,2017,March,Thunderstorm Wind,"POLK",2017-03-21 16:55:00,EST-5,2017-03-21 16:55:00,0,0,0,0,,NaN,,NaN,35.05,-84.65,35.05,-84.65,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Several trees and power lines were reported down." +113698,680590,TENNESSEE,2017,March,Thunderstorm Wind,"MARION",2017-03-21 16:30:00,CST-6,2017-03-21 16:30:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Power lines were reported down." +114632,687545,CALIFORNIA,2017,March,High Wind,"NAPA COUNTY",2017-03-05 17:50:00,PST-8,2017-03-05 20:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure moving down the West Coast brought strong winds to the mountains and deserts of Southern California on March 5th and 6th.","The Whitewater RAWS station reported multiple gusts in excess of 70 mph over a 3 hour period." +114632,687546,CALIFORNIA,2017,March,High Wind,"SAN DIEGO COUNTY DESERTS",2017-03-05 20:24:00,PST-8,2017-03-05 20:39:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure moving down the West Coast brought strong winds to the mountains and deserts of Southern California on March 5th and 6th.","The CWOP station in Borrego Springs reported a peak gust of 62 mph." +114693,690461,NEW YORK,2017,March,Heavy Snow,"SOUTHERN CAYUGA",2017-03-14 03:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 18 and 24 inches in southern Cayuga County." +118251,710670,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-28 18:50:00,CST-6,2017-06-28 18:52:00,0,0,0,0,0.00K,0,0.00K,0,40.27,-94.1,40.27,-94.1,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A storm chaser reported a 60 mph wind gust." +115121,691211,VIRGINIA,2017,April,Thunderstorm Wind,"LOUDOUN",2017-04-06 12:21:00,EST-5,2017-04-06 12:21:00,0,0,0,0,,NaN,,NaN,38.9231,-77.5282,38.9231,-77.5282,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down just north of the Intersection of Bull Run Post Office Road and U.S. 29 Lee Highway." +114693,690463,NEW YORK,2017,March,Heavy Snow,"SOUTHERN ONEIDA",2017-03-14 06:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 2 and 3 feet in southern Oneida County." +114693,690465,NEW YORK,2017,March,Heavy Snow,"STEUBEN",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 8 and 15 inches in Steuben County." +114693,690474,NEW YORK,2017,March,Heavy Snow,"TIOGA",2017-03-14 03:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 18 and 36 inches in Tioga County with the highest amounts in the far southeast part of the county." +114693,690476,NEW YORK,2017,March,Heavy Snow,"TOMPKINS",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 12 and 24 inches in Tompkins County with the highest amounts in the far southeast part of the county." +114693,690477,NEW YORK,2017,March,Heavy Snow,"YATES",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 10 and 15 inches in Yates County." +114693,690507,NEW YORK,2017,March,Blizzard,"DELAWARE",2017-03-14 03:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Delaware County mainly during the day and evening of the 14th with snowfall of 30 to 40 inches and frequent wind gusts to 50 mph. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions." +114633,687586,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 16:00:00,PST-8,2017-03-30 16:30:00,1,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","A tree fell onto a golf cart at Tahquitz Creek Golf Resort, trapping two people and leaving one in critical condition." +114633,687984,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 14:00:00,PST-8,2017-03-30 17:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","Two historic aircraft (1 plane and 1 helicopter) were damaged at the Palm Springs Air Museum after being lifted by strong winds." +114141,683770,OKLAHOMA,2017,March,Wildfire,"BECKHAM",2017-03-06 12:00:00,CST-6,2017-03-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 500 acres in Garvin county and 600 acres in Beckham county on the 6th.","" +114142,683771,OKLAHOMA,2017,March,Wildfire,"HARPER",2017-03-06 12:00:00,CST-6,2017-03-21 18:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The OKS-Selman and OKS-283 fires burned 44,324 acres in Harper county and 69,396 acres in Woodward county, respectively, starting on the 6th and continuing for a few weeks. Winds gusting to near 60 mph and relative humidity values in the single digits produced critical wildfire conditions. A cold front shifted the fire front overnight complicating fire management efforts. The towns of Laverne, Fort Supply, Buffalo along with Boiling Springs State Park were evacuated. Media reported 1 fatality, 9 homes destroyed, and over 200 cattle lost.","There was one indirect fatality as a woman suffered a heart attack while trying to fight the fire near her home." +114142,683772,OKLAHOMA,2017,March,Wildfire,"WOODWARD",2017-03-06 12:00:00,CST-6,2017-03-21 18:00:00,0,0,0,0,1.20M,1200000,0.00K,0,NaN,NaN,NaN,NaN,"The OKS-Selman and OKS-283 fires burned 44,324 acres in Harper county and 69,396 acres in Woodward county, respectively, starting on the 6th and continuing for a few weeks. Winds gusting to near 60 mph and relative humidity values in the single digits produced critical wildfire conditions. A cold front shifted the fire front overnight complicating fire management efforts. The towns of Laverne, Fort Supply, Buffalo along with Boiling Springs State Park were evacuated. Media reported 1 fatality, 9 homes destroyed, and over 200 cattle lost.","Nine homes destroyed and over 200 cattle lost." +114774,688411,MICHIGAN,2017,March,High Wind,"LUCE",2017-03-07 10:30:00,EST-5,2017-03-07 10:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","The Newberry AWOS station recorded a peak southwest wind gust of 64 mph." +114774,688410,MICHIGAN,2017,March,High Wind,"NORTHERN HOUGHTON",2017-03-07 10:15:00,EST-5,2017-03-07 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","The spotter in Freda measured a peak west wind gust of 60 mph. The Houghton County ASOS station measured a peak wind gust of 58 mph during this same period." +114774,688409,MICHIGAN,2017,March,High Wind,"MARQUETTE",2017-03-07 07:25:00,EST-5,2017-03-07 12:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","Tree damage and downed trees were reported in Ishpeming and across much of Marquette during the period. Roof damage was observed at the Bothwell Middle School in Marquette, and at a workshop in Skandia, and power outages were reported throughout much of the county." +113973,688429,NEBRASKA,2017,March,High Wind,"WEBSTER",2017-03-06 14:45:00,CST-6,2017-03-06 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","The average sustained wind speed over the hour was 43 MPH." +114813,688678,ARIZONA,2017,March,High Wind,"WESTERN MOGOLLON RIM",2017-03-30 17:30:00,MST-7,2017-03-30 20:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across Arizona produced areas of high winds.","The anemometer on Agassiz Peak (11,500 feet) measured wind gust over 58 MPH for close to 3 hours. The peak wind gusts were 73 MPH from around 800 PM to around 805 PM. The Flagstaff Airport reported a peak wind gust of 66 MPH at 759 PM and the Williams Airport had a peak wind gust of 66 MPH at 715 PM ." +114813,688686,ARIZONA,2017,March,High Wind,"LITTLE COLORADO RIVER VALLEY IN COCONINO COUNTY",2017-03-30 17:15:00,MST-7,2017-03-30 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across Arizona produced areas of high winds.","The ASOS at the Winslow Airport (two miles across the county line) had wind gusts of over 50 MPH from 500 PM to 600 PM and a peak gust of 63 MPH at 521 PM MST." +114813,688688,ARIZONA,2017,March,High Wind,"LITTLE COLORADO RIVER VALLEY IN NAVAJO COUNTY",2017-03-30 17:15:00,MST-7,2017-03-30 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across Arizona produced areas of high winds.","The Winslow Airport ASOS had wind gusts of over 50 MPH from 500 PM to 600 PM and a peak gust of 63 MPH at 521 PM MST." +114812,688620,NEW YORK,2017,March,High Wind,"NIAGARA",2017-03-01 20:00:00,EST-5,2017-03-02 00:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Law enforcement reported trees and wires down by strong wind in Newfane." +114812,688621,NEW YORK,2017,March,High Wind,"ORLEANS",2017-03-01 20:10:00,EST-5,2017-03-02 00:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Law enforcement reported trees and wires down by strong wind in Albion." +114829,688748,NEW YORK,2017,March,High Wind,"NIAGARA",2017-03-08 12:32:00,EST-5,2017-03-08 20:00:00,3,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688749,NEW YORK,2017,March,High Wind,"ORLEANS",2017-03-08 12:45:00,EST-5,2017-03-08 20:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688750,NEW YORK,2017,March,High Wind,"MONROE",2017-03-08 13:05:00,EST-5,2017-03-08 20:00:00,0,0,0,0,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688751,NEW YORK,2017,March,High Wind,"NORTHERN ERIE",2017-03-08 11:57:00,EST-5,2017-03-08 20:00:00,1,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688753,NEW YORK,2017,March,High Wind,"WYOMING",2017-03-08 12:15:00,EST-5,2017-03-08 22:00:00,2,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688754,NEW YORK,2017,March,High Wind,"CHAUTAUQUA",2017-03-08 12:35:00,EST-5,2017-03-08 22:00:00,0,0,0,0,300.00K,300000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688755,NEW YORK,2017,March,High Wind,"SOUTHERN ERIE",2017-03-08 12:23:00,EST-5,2017-03-08 22:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688756,NEW YORK,2017,March,High Wind,"WAYNE",2017-03-08 15:45:00,EST-5,2017-03-08 22:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","Power poles were snapped in Walworth by the strong winds." +114829,688757,NEW YORK,2017,March,High Wind,"LIVINGSTON",2017-03-08 13:25:00,EST-5,2017-03-08 22:00:00,1,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688758,NEW YORK,2017,March,High Wind,"ONTARIO",2017-03-08 13:30:00,EST-5,2017-03-08 22:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688759,NEW YORK,2017,March,High Wind,"CATTARAUGUS",2017-03-08 12:45:00,EST-5,2017-03-08 22:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688760,NEW YORK,2017,March,High Wind,"ALLEGANY",2017-03-08 15:50:00,EST-5,2017-03-08 22:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","Law enforcement reported trees and wires downed by the high winds." +114829,688761,NEW YORK,2017,March,High Wind,"NORTHERN CAYUGA",2017-03-08 15:00:00,EST-5,2017-03-08 22:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","Broadcast media reported trees and wires downed by the high winds." +114829,688762,NEW YORK,2017,March,High Wind,"OSWEGO",2017-03-08 18:44:00,EST-5,2017-03-08 23:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688763,NEW YORK,2017,March,High Wind,"JEFFERSON",2017-03-08 14:24:00,EST-5,2017-03-08 23:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114829,688764,NEW YORK,2017,March,High Wind,"LEWIS",2017-03-08 15:00:00,EST-5,2017-03-08 23:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","Broadcast Media reported trees and wires down by the high winds in Carthage." +114829,688752,NEW YORK,2017,March,High Wind,"GENESEE",2017-03-08 12:45:00,EST-5,2017-03-08 20:00:00,1,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Unusually deep low pressure moved from northwest Ontario across Hudson Bay. The low brought strong winds to the entire region with sustained winds up to 49 mph and wind gusts as high as 81 mph. A significant amount of damage resulted with hundreds of thousands left without power���over 100,000 in Monroe County alone. Particularly hard hit was the northern Genesee Valley region including parts of Orleans, Monroe, and Genesee counties. Trees and power lines were downed. Power poles were snapped. The strong winds derailed a train in Batavia (Genesee County). Twelve out of thirty-one freight cars were blown off the tracks. In Chili, a large section of fence was impaled into the second story of a house. Numerous flights into the Buffalo and Rochester Airports had to be diverted due to the winds. This in turn resulted in cancellation of some outbound flights from those airports. Measured wind gusts included: 81 mph at Rochester Airport (Monroe County), 76 mph at Batavia (Genesee County), 75 mph at Hamburg (Erie County), 72 mph at Niagara Falls Airport (Niagara County), 70 mph at Tonawanda (Erie County), 69 mph at Fredonia (Chautauqua County) and East Aurora (Erie County), 67 mph at Brockport (Monroe County), 66 mph at Buffalo Airport (Erie County), 65 mph at Warsaw (Wyoming County), 63 mph at Dunkirk Lighthouse (Chautauqua County), Fort Drum (Jefferson County) and Medina (Orleans County), 61 mph at Oswego County Airport, Fulton (Oswego County), 60 mph at East Amherst (Erie County) and Rush (Monroe County), 59 mph at Springville (Erie County), and 58 mph at Delevan (Cattaraugus County), Brant (Erie County), York (Livingston County), and Clifton Spring (Ontario County). Measured Sustained winds included: 49 mph at Batavia (Genesee County), 47 mph at Gates (Monroe County), and 43 mph at Fredonia (Chautauqua County), Barker (Niagara County), and Warsaw (Wyoming County). The wind damage several buildings including ones in Batavia (Genesee County), Rochester Airport, Spencerport and Greece (Monroe County), Alden and East Amherst (Erie County), Barker (Niagara County) and Gowanda (Cattaraugus County). Falling trees damaged homes or automobiles in Irondequoit, Braddock Bay, Webster and Brighton (Monroe County), Lancaster, Lackawanna and Tonawanda (Erie County), Ontario (Wayne County), York and Geneseo (Livingston County), Lockport and Pendleton(Niagara County) and Lyndonville (Orleans County). Minor injuries were reported to drivers of tractor trailers overturned by the wind in Rapids, Newfane and Niagara Falls (Niagara County), Covington and Bennington (Wyoming County). Amherst (Erie County), York (Livingston County), and Alexander (Genesee County).","" +114820,688700,ARIZONA,2017,March,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-03-05 16:45:00,MST-7,2017-03-06 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across northern Arizona brought areas of high winds.","The Springerville Airport ASOS reported a peak wind gust of 69 MPH at 635 PM. The wind gusted over 58 MPH from 445 PM on the 5th to 515 AM MST on the 6th." +112930,683399,WISCONSIN,2017,March,High Wind,"WOOD",2017-03-08 08:51:00,CST-6,2017-03-08 08:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 59 mph was measured at Marshfield Municipal Airport." +112930,683402,WISCONSIN,2017,March,High Wind,"WAUPACA",2017-03-08 16:20:00,CST-6,2017-03-08 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","High winds downed, uprooted and snapped pine trees and downed tree limbs in New London. Wind gusts there were estimated to be as high as 66 mph." +112930,683403,WISCONSIN,2017,March,High Wind,"OUTAGAMIE",2017-03-08 15:23:00,CST-6,2017-03-08 15:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","Winds gusted to an estimated 65 mph at Hortonville downing tree limbs and ripping shingles from the roof of at least one building." +112930,683404,WISCONSIN,2017,March,High Wind,"WAUSHARA",2017-03-07 18:52:00,CST-6,2017-03-07 18:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 59 mph was measured at Wautoma Municipal Airport." +112930,683406,WISCONSIN,2017,March,High Wind,"WINNEBAGO",2017-03-08 05:58:00,CST-6,2017-03-08 05:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 63 mph was measured at Omro." +116141,698091,NEBRASKA,2017,May,Tornado,"PERKINS",2017-05-16 16:36:00,MST-7,2017-05-16 16:37:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-102.01,40.771,-102.0087,"An isolated thunderstorm in Perkins County produced a brief tornado 5 miles west southwest of Brandon and hail up to ping pong ball size 3 miles east of Grant during the early evening hours on May 16th.","A retired NWS employee witnessed a brief tornado embedded in rain 5 miles west southwest of Brandon. The tornado was visible for less than one minute. No damage was reported." +113515,679748,GEORGIA,2017,April,Hail,"BURKE",2017-04-03 14:10:00,EST-5,2017-04-03 14:15:00,0,0,0,0,0.01K,10,0.01K,10,33.08,-82.02,33.08,-82.02,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Pea size hail reported at Burke Co EMA." +115878,696388,OKLAHOMA,2017,May,Flood,"ADAIR",2017-05-01 00:00:00,CST-6,2017-05-01 07:30:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-94.57,36.12,-94.6094,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Illinois River near Watts rose above its flood stage of 13 feet at 11:00 am CDT on April 29th. The river crested at 30.16 feet at 7:00 am CDT on the 30th, resulting in record flooding. Disastrous flooding occurred from the Arkansas border to the Chewey Bridge, with many permanent campgrounds and cabins overtopped. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 8:30 am CDT on May 1st." +113515,679749,GEORGIA,2017,April,Thunderstorm Wind,"COLUMBIA",2017-04-03 14:30:00,EST-5,2017-04-03 14:35:00,0,0,0,0,0.01K,10,0.01K,10,33.66,-82.2,33.66,-82.2,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Observation equipment at Lake Thurmond Dam measured a wind gust of 49 mph due to thunderstorm activity." +115878,696384,OKLAHOMA,2017,May,Flood,"OTTAWA",2017-05-01 00:00:00,CST-6,2017-05-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9661,-94.7313,36.9607,-94.7116,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Spring River near Quapaw rose above its flood stage of 20 feet at 4:00 pm CDT on April 29th. The river remained in flood through the end of April, and crested at 34.57 feet at 2:00 am CDT on May 1st, resulting in major flooding. Agricultural lands and county roads were flooded to a depth of several feet. The river then fell below flood stage at 12:00 am CDT on May 5th." +116146,698096,ARKANSAS,2017,May,Hail,"CARROLL",2017-05-27 00:09:00,CST-6,2017-05-27 00:09:00,0,0,0,0,10.00K,10000,0.00K,0,36.48,-93.27,36.48,-93.27,"Strong to severe thunderstorms developed during the late evening hours of the 26th along a nearly stationary frontal boundary across northeastern Oklahoma, northwestern Arkansas, and southwestern Missouri. The strongest storm produced hail up to golfball size in Carroll County.","" +116150,698097,ARKANSAS,2017,May,Hail,"BENTON",2017-05-31 17:24:00,CST-6,2017-05-31 17:24:00,0,0,0,0,0.00K,0,0.00K,0,36.4355,-93.97,36.4355,-93.97,"Strong to severe thunderstorms developed during the afternoon and evening hours of the 31st along and ahead of a cold front over southeastern Kansas. The storms moved across southwestern Missouri and northwestern Arkansas during the late afternoon and evening. The strongest storms produced hail up to ping pong ball size.","" +117105,704591,MISSOURI,2017,May,Thunderstorm Wind,"CASS",2017-05-27 11:40:00,CST-6,2017-05-27 11:43:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-94.27,38.79,-94.27,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","On duty meteorologists at the WFO reported 60 mph wind gusts." +117105,704585,MISSOURI,2017,May,Thunderstorm Wind,"COOPER",2017-05-27 13:35:00,CST-6,2017-05-27 13:38:00,0,0,0,0,,NaN,,NaN,38.96,-92.75,38.96,-92.75,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Emergency Manager reported power lines down near Boonville." +117105,704586,MISSOURI,2017,May,Thunderstorm Wind,"COOPER",2017-05-27 13:40:00,CST-6,2017-05-27 13:43:00,0,0,0,0,,NaN,,NaN,38.89,-92.75,38.89,-92.75,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Scattered tree damage was reported in various locations near Boonville." +117105,704588,MISSOURI,2017,May,Thunderstorm Wind,"CASS",2017-05-27 11:23:00,CST-6,2017-05-27 11:26:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-94.53,38.82,-94.53,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","A member of the public reported a 60 mph wind gust." +117105,704589,MISSOURI,2017,May,Thunderstorm Wind,"CASS",2017-05-27 11:39:00,CST-6,2017-05-27 11:42:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-94.35,38.65,-94.35,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Law Enforcement reported a 60 mph wind gust." +117105,704593,MISSOURI,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 12:33:00,CST-6,2017-05-27 12:36:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-93.78,38.34,-93.78,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Trained spotters near Clinton reported 60 mph wind gusts." +115591,710503,KANSAS,2017,June,Hail,"OSAGE",2017-06-17 02:30:00,CST-6,2017-06-17 02:31:00,0,0,0,0,,NaN,,NaN,38.64,-95.79,38.64,-95.79,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710504,KANSAS,2017,June,Hail,"OSAGE",2017-06-17 02:30:00,CST-6,2017-06-17 02:31:00,0,0,0,0,,NaN,,NaN,38.61,-95.68,38.61,-95.68,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +114931,689389,KANSAS,2017,March,Thunderstorm Wind,"GOVE",2017-03-23 18:35:00,CST-6,2017-03-23 18:35:00,0,0,0,0,0.00K,0,0.00K,0,39.123,-100.6324,39.123,-100.6324,"During the evening thunderstorms produced severe wind gusts around 60 MPH in Norton and Gove counties.","Measured at the Grinnell Middle School." +115591,710508,KANSAS,2017,June,Thunderstorm Wind,"ANDERSON",2017-06-17 03:48:00,CST-6,2017-06-17 03:49:00,0,0,0,0,,NaN,,NaN,38.07,-95.33,38.07,-95.33,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated winds 55-65 MPH." +118250,710603,KANSAS,2017,June,Hail,"DICKINSON",2017-06-17 17:32:00,CST-6,2017-06-17 17:33:00,0,0,0,0,,NaN,,NaN,38.86,-97.02,38.86,-97.02,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710604,KANSAS,2017,June,Hail,"GEARY",2017-06-17 17:43:00,CST-6,2017-06-17 17:44:00,0,0,0,0,,NaN,,NaN,38.88,-96.9,38.88,-96.9,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710606,KANSAS,2017,June,Hail,"MORRIS",2017-06-17 18:15:00,CST-6,2017-06-17 18:16:00,0,0,0,0,,NaN,,NaN,38.87,-96.79,38.87,-96.79,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Report received via social media." +118250,710608,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-17 18:27:00,CST-6,2017-06-17 18:28:00,0,0,0,0,,NaN,,NaN,39.13,-95.67,39.13,-95.67,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710609,KANSAS,2017,June,Hail,"GEARY",2017-06-17 18:29:00,CST-6,2017-06-17 18:30:00,0,0,0,0,,NaN,,NaN,38.9,-96.67,38.9,-96.67,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Delayed report. 1.6 inches of rainfall fell in 30 minutes as well." +118250,710610,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-17 18:30:00,CST-6,2017-06-17 18:31:00,0,0,0,0,,NaN,,NaN,39.14,-95.69,39.14,-95.69,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +114932,689398,KANSAS,2017,March,High Wind,"THOMAS",2017-03-23 20:55:00,CST-6,2017-03-23 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the evening high wind gusts around 60 MPH were reported in Thomas and Rawlins counties.","Reported at the Colby airport." +114932,689399,KANSAS,2017,March,High Wind,"RAWLINS",2017-03-23 21:25:00,CST-6,2017-03-23 21:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the evening high wind gusts around 60 MPH were reported in Thomas and Rawlins counties.","Reported 3 SE of Beardsley on Highway 36." +114535,686899,ALABAMA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-10 02:50:00,CST-6,2017-03-10 02:51:00,0,0,0,0,0.00K,0,0.00K,0,33.4519,-87.0158,33.4519,-87.0158,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Trees uprooted and power lines downed near the intersection of Hill Avenue and Pope Drive in the Hueytown Community." +114914,689428,WISCONSIN,2017,March,High Wind,"SHEBOYGAN",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Tractor trailer overturned on I-43 early in the afternoon. Scattered trees and limbs down across the county including uprooted trees." +114914,689429,WISCONSIN,2017,March,High Wind,"OZAUKEE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Tractor trailer overturned, landing on a guard rail that sparked and started a wildfire. Scattered trees and limbs down across the county." +114914,689431,WISCONSIN,2017,March,High Wind,"DODGE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,1,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Tractor trailer overturned northwest of Fox Lake. Scattered trees and limbs down across the county." +115728,703319,ILLINOIS,2017,May,Flash Flood,"CRAWFORD",2017-05-04 09:15:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1735,-87.951,38.8499,-87.9458,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the morning hours of May 4th, on already saturated ground, resulted in flash flooding across Crawford County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. The heaviest rain was in northeast Crawford County from Hutsonville to West York." +115728,703323,ILLINOIS,2017,May,Flash Flood,"CLAY",2017-05-04 09:15:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6054,-88.6982,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Clay County. Officials reported that most rural roads were impassable, streets in Flora were flooded and numerous creeks rapidly flooded." +112818,674566,SOUTH DAKOTA,2017,March,High Wind,"PERKINS",2017-03-07 11:00:00,MST-7,2017-03-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient across the Northern Plains behind a strong low pressure system over central Canada produced gusty winds across much of western South Dakota. The strongest winds developed over northwestern South Dakota, where gusts of 60 to 70 mph were recorded.","" +112818,674567,SOUTH DAKOTA,2017,March,High Wind,"BUTTE",2017-03-07 12:00:00,MST-7,2017-03-07 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient across the Northern Plains behind a strong low pressure system over central Canada produced gusty winds across much of western South Dakota. The strongest winds developed over northwestern South Dakota, where gusts of 60 to 70 mph were recorded.","" +112818,674569,SOUTH DAKOTA,2017,March,High Wind,"NORTHERN MEADE CO PLAINS",2017-03-07 09:30:00,MST-7,2017-03-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient across the Northern Plains behind a strong low pressure system over central Canada produced gusty winds across much of western South Dakota. The strongest winds developed over northwestern South Dakota, where gusts of 60 to 70 mph were recorded.","" +112818,674570,SOUTH DAKOTA,2017,March,High Wind,"ZIEBACH",2017-03-07 09:30:00,MST-7,2017-03-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient across the Northern Plains behind a strong low pressure system over central Canada produced gusty winds across much of western South Dakota. The strongest winds developed over northwestern South Dakota, where gusts of 60 to 70 mph were recorded.","" +114997,690015,GEORGIA,2017,March,Drought,"RABUN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into early spring, although conditions did not worsen, and maybe improved slightly in some areas thanks to near-normal monthly precipitation. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +114997,690016,GEORGIA,2017,March,Drought,"HABERSHAM",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into early spring, although conditions did not worsen, and maybe improved slightly in some areas thanks to near-normal monthly precipitation. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +114997,690017,GEORGIA,2017,March,Drought,"STEPHENS",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into early spring, although conditions did not worsen, and maybe improved slightly in some areas thanks to near-normal monthly precipitation. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +114183,683886,COLORADO,2017,March,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-03-24 05:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683887,COLORADO,2017,March,High Wind,"CROWLEY COUNTY",2017-03-23 23:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683888,COLORADO,2017,March,High Wind,"LA JUNTA VICINITY / OTERO COUNTY",2017-03-24 07:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683893,COLORADO,2017,March,High Wind,"EASTERN LAS ANIMAS COUNTY",2017-03-24 10:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683894,COLORADO,2017,March,High Wind,"WESTERN KIOWA COUNTY",2017-03-24 10:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +113661,685762,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-29 01:33:00,CST-6,2017-03-29 01:33:00,0,0,0,0,5.00K,5000,0.00K,0,33.22,-97.35,33.22,-97.35,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Denton County Fire Dispatch reported a tractor-trailer blown over by thunderstorm winds." +113661,685764,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-29 01:41:00,CST-6,2017-03-29 01:41:00,0,0,0,0,0.00K,0,0.00K,0,33.22,-97.15,33.22,-97.15,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Amateur radio reported 8 inch diameter limbs blown down in northeast Denton." +113661,685765,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-29 01:35:00,CST-6,2017-03-29 01:35:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-97.2,33.2,-97.2,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","The Denton, TX Automated Surface Observation System reported a 62 MPH wind gust." +113661,685767,TEXAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-29 00:55:00,CST-6,2017-03-29 00:55:00,0,0,0,0,0.00K,0,0.00K,0,32.4271,-97.4909,32.4271,-97.4909,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that large limbs were blocking County Road 1126 near Hwy 171." +113661,685770,TEXAS,2017,March,Thunderstorm Wind,"ELLIS",2017-03-29 01:44:00,CST-6,2017-03-29 01:44:00,0,0,0,0,1.00K,1000,0.00K,0,32.33,-96.63,32.33,-96.63,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that outbuildings were damaged in the city of Ennis, TX." +113661,685771,TEXAS,2017,March,Thunderstorm Wind,"ELLIS",2017-03-29 01:44:00,CST-6,2017-03-29 01:44:00,0,0,0,0,5.00K,5000,0.00K,0,32.34,-96.78,32.34,-96.78,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that trees and power lines were knocked down throughout the county." +113661,685783,TEXAS,2017,March,Thunderstorm Wind,"MILAM",2017-03-29 01:57:00,CST-6,2017-03-29 01:57:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-96.97,30.85,-96.97,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported a tree 3 feet in diameter blown down in the city of Cameron, TX." +113548,679757,VIRGINIA,2017,March,Thunderstorm Wind,"ROCKBRIDGE",2017-03-01 11:57:00,EST-5,2017-03-01 12:22:00,0,0,0,0,6.00K,6000,0.00K,0,37.9099,-79.627,37.7201,-79.3235,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","About a dozen trees were blown down by thunderstorm winds across Rockbridge County and in the city of Buena Vista." +113212,690326,GEORGIA,2017,March,Drought,"WHITFIELD",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114273,684690,GEORGIA,2017,March,Lightning,"LUMPKIN",2017-03-01 18:01:00,EST-5,2017-03-01 18:01:00,0,0,0,0,6.00K,6000,,NaN,34.5797,-83.8956,34.5797,-83.8956,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Lumpkin County Emergency Manager reported that lightning caused a small brush fire on White Pine Drive." +113212,690344,GEORGIA,2017,March,Drought,"HARALSON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690362,GEORGIA,2017,March,Drought,"CATOOSA",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114033,682958,NORTH CAROLINA,2017,March,High Wind,"ASHE",2017-03-10 12:40:00,EST-5,2017-03-10 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved across the central Appalachians during the early afternoon of March 10th, and was supported aloft by a strong upper level short wave trough. Wind gusts in excess of 40 mph were common across the mountains of North Carolina, however some gusts reached near 60 mph across Ashe and Watauga Counties.","A 60 mph wind gust was observed at Mt. Jefferson." +114037,682986,VIRGINIA,2017,March,Hail,"FRANKLIN",2017-03-31 12:42:00,EST-5,2017-03-31 12:42:00,0,0,0,0,0.00K,0,0.00K,0,36.822,-80.0398,36.822,-80.0398,"A strong cold front moved across the mid Atlantic, supported aloft by a deep upper level low over the Ohio Valley. Clearing skies ahead of the cold front supported strong heating, allowing CAPE values to exceed 1,000 J/Kg. In addition, strong mid-level shear was also observed, allowing for strong updrafts.","" +114037,682987,VIRGINIA,2017,March,Hail,"HALIFAX",2017-03-31 14:59:00,EST-5,2017-03-31 14:59:00,0,0,0,0,0.00K,0,0.00K,0,36.8841,-78.7111,36.8841,-78.7111,"A strong cold front moved across the mid Atlantic, supported aloft by a deep upper level low over the Ohio Valley. Clearing skies ahead of the cold front supported strong heating, allowing CAPE values to exceed 1,000 J/Kg. In addition, strong mid-level shear was also observed, allowing for strong updrafts.","" +114037,682988,VIRGINIA,2017,March,Hail,"CHARLOTTE",2017-03-31 15:12:00,EST-5,2017-03-31 15:12:00,0,0,0,0,0.00K,0,0.00K,0,36.9228,-78.5956,36.9228,-78.5956,"A strong cold front moved across the mid Atlantic, supported aloft by a deep upper level low over the Ohio Valley. Clearing skies ahead of the cold front supported strong heating, allowing CAPE values to exceed 1,000 J/Kg. In addition, strong mid-level shear was also observed, allowing for strong updrafts.","" +114035,682970,NORTH CAROLINA,2017,March,Hail,"WILKES",2017-03-27 16:14:00,EST-5,2017-03-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,36.2311,-81.4375,36.2311,-81.4375,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","" +114035,682972,NORTH CAROLINA,2017,March,Hail,"SURRY",2017-03-27 18:04:00,EST-5,2017-03-27 18:04:00,0,0,0,0,0.00K,0,0.00K,0,36.4405,-80.6408,36.4405,-80.6408,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","" +114035,682973,NORTH CAROLINA,2017,March,Hail,"SURRY",2017-03-27 18:15:00,EST-5,2017-03-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4424,-80.4993,36.4424,-80.4993,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","" +114035,682976,NORTH CAROLINA,2017,March,Hail,"SURRY",2017-03-27 18:15:00,EST-5,2017-03-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4692,-80.5407,36.4692,-80.5407,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","" +113054,686281,NORTH DAKOTA,2017,March,High Wind,"GOLDEN VALLEY",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Golden Valley County using the Sand Creek RAWS in Slope County." +113054,686868,NORTH DAKOTA,2017,March,Heavy Snow,"WILLIAMS",2017-03-06 09:00:00,CST-6,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Seven inches of snow fell in Williston." +113026,675578,TEXAS,2017,March,Hail,"GARZA",2017-03-21 16:10:00,CST-6,2017-03-21 16:10:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-101.38,33.18,-101.38,"An advancing cold front met ample instability to create isolated thunderstorms over the southern Rolling Plains. One of these storms became severe as it moved over Post in Garza County.","The Garza County Sheriff's office reported quarter size hail in the city of Post. No damage was reported." +117003,703724,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-05-04 05:42:00,CST-6,2017-05-04 05:54:00,0,0,0,0,0.00K,0,0.00K,0,26.262,-97.285,26.262,-97.285,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Realitos TCOON site reported peak thunderstorm wind gust of 37 knots at 0542 CST." +113061,676045,TEXAS,2017,March,Thunderstorm Wind,"HALE",2017-03-23 20:25:00,CST-6,2017-03-23 20:25:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-101.76,33.88,-101.76,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","Measured by a Texas Tech University West Texas mesonet station." +113061,676046,TEXAS,2017,March,Thunderstorm Wind,"LUBBOCK",2017-03-23 21:25:00,CST-6,2017-03-23 21:25:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-101.62,33.46,-101.62,"In advance of a potent upper low, strong southerly gradient winds developed this afternoon over much of the South Plains and southwest Texas Panhandle and led to widespread blowing dust with visibility falling to a few miles at times. Winds at some locales intensified to high wind territory by early evening, particularly in Levelland where a mobile home had its roof peeled off. As a dryline and strong lift moved out of New Mexico early in the evening, scattered thunderstorms developed and raced northeast at speeds up to 60 mph. Some of these storms produced severe wind gusts and sub-severe hail before weakening considerably as they moved off the Caprock before midnight.","Measured by a Texas Tech University West Texas mesonet station." +117003,703725,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM ARROYO COLORADO TO 5NM N OF PT MANSFIELD TX",2017-05-04 00:30:00,CST-6,2017-05-04 01:12:00,0,0,0,0,0.00K,0,0.00K,0,26.801,-97.471,26.801,-97.471,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Rincon del San Jose TCOON site reported a peak thunderstorm wind gust of 42 kntos at 0030 CST." +117006,703730,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM PT MANSFIELD TO RIO GRANDE TX EXT FROM 20 TO 60NM",2017-05-23 07:00:00,CST-6,2017-05-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,26.217,-96.5,26.217,-96.5,"Convection developed along a quasi-stationary front across the lower Texas coastal waters. Some of these storms became strong and produced wind gusts in excess of 34 knots.","TABS Buoy K reported a peak thunderstorm gust of 37 knots at 0700 CST." +113646,690569,INDIANA,2017,March,Hail,"MADISON",2017-03-30 16:05:00,EST-5,2017-03-30 16:07:00,0,0,0,0,,NaN,,NaN,40.18,-85.69,40.18,-85.69,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690571,INDIANA,2017,March,Hail,"VIGO",2017-03-30 16:05:00,EST-5,2017-03-30 16:07:00,0,0,0,0,,NaN,,NaN,39.376,-87.3998,39.376,-87.3998,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690587,INDIANA,2017,March,Hail,"MADISON",2017-03-30 15:54:00,EST-5,2017-03-30 15:56:00,0,0,0,0,,NaN,,NaN,40.1,-85.74,40.1,-85.74,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690588,INDIANA,2017,March,Hail,"MADISON",2017-03-30 16:08:00,EST-5,2017-03-30 16:10:00,0,0,0,0,,NaN,,NaN,40.14,-85.69,40.14,-85.69,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690590,INDIANA,2017,March,Funnel Cloud,"DELAWARE",2017-03-30 16:41:00,EST-5,2017-03-30 16:43:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-85.37,40.34,-85.37,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","The location of the funnel cloud was estimated from radar." +113646,690591,INDIANA,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-30 17:00:00,EST-5,2017-03-30 17:02:00,0,0,0,0,,NaN,,NaN,39.52,-86.8,39.52,-86.8,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","A measured 63 mph thunderstorm wind gust was observed in this location." +113646,690592,INDIANA,2017,March,Hail,"TIPPECANOE",2017-03-30 17:35:00,EST-5,2017-03-30 17:37:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-86.87,40.43,-86.87,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690594,INDIANA,2017,March,Hail,"HAMILTON",2017-03-30 17:40:00,EST-5,2017-03-30 17:42:00,0,0,0,0,0.00K,0,0.00K,0,39.97,-85.92,39.97,-85.92,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690596,INDIANA,2017,March,Hail,"MADISON",2017-03-30 18:02:00,EST-5,2017-03-30 18:04:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-85.74,40.08,-85.74,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690606,INDIANA,2017,March,Thunderstorm Wind,"MARION",2017-03-30 18:04:00,EST-5,2017-03-30 18:04:00,0,0,0,0,2.50K,2500,0.00K,0,39.9269,-86.0887,39.9269,-86.0887,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","Pine trees and part of a fence was knocked down due to damaging thunderstorm wind gusts." +114280,690060,GEORGIA,2017,March,Thunderstorm Wind,"DAWSON",2017-03-21 19:14:00,EST-5,2017-03-21 19:30:00,0,0,0,0,40.00K,40000,,NaN,34.4455,-84.1964,34.3666,-84.0542,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Dawson County Emergency Manager reported trees and power lines blown down and wind damage to structures across the southern half of the county. A house on Sweetwater Juno Road sustained roof damage, a house along River Valley Road had roof and siding damage and a metal building on Grizzle Road had roof damage." +114280,690066,GEORGIA,2017,March,Thunderstorm Wind,"BARTOW",2017-03-21 19:15:00,EST-5,2017-03-21 19:30:00,0,0,0,0,100.00K,100000,,NaN,34.1688,-84.7582,34.1688,-84.7582,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Bartow County Emergency Manager reported 2 tractor-trailers blown over on I-75 near exit 288. ." +114280,690080,GEORGIA,2017,March,Thunderstorm Wind,"COBB",2017-03-21 19:40:00,EST-5,2017-03-21 20:00:00,0,0,0,0,10.00K,10000,,NaN,34.0082,-84.5712,33.9359,-84.4693,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The broadcast media reported trees and power lines blown down across eastern Cobb County. Power lines were down on Cobb Place Boulevard near Barrett Parkway. A large tree more than 4 feet in diameter was uprooted and fell across the roadway on Grove Parkway." +114280,690088,GEORGIA,2017,March,Thunderstorm Wind,"UNION",2017-03-21 19:30:00,EST-5,2017-03-21 19:40:00,0,0,0,0,9.00K,9000,,NaN,34.8512,-83.9235,34.7934,-83.9113,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County Emergency Manager reported trees and power lines blown down across the eastern portion of the county from around Town Mountain Road, Trackrock Gap Road, and Town Creek School Road to around the intersection of Wolf Creek Road and Earney Road." +114583,688398,PENNSYLVANIA,2017,May,Hail,"YORK",2017-05-18 17:22:00,EST-5,2017-05-18 17:22:00,0,0,0,0,0.00K,0,0.00K,0,39.7769,-76.7207,39.7769,-76.7207,"A cold front approaching from the Great Lakes triggered scattered thunderstorms in a near-record warm airmass across Pennsylvania during the late afternoon and early evening of May 18. A broken line of storms developed on the Lake Erie lake-breeze and progressed across north-central Pennsylvania, producing isolated wind damage. At the same time, isolated convection developed in south-central Pennsylvania and produced quarter-sized hail in York County.","A severe thunderstorm produced quarter-sized hail between Glen Rock and Shrewsbury." +114081,683152,OHIO,2017,May,Thunderstorm Wind,"GALLIA",2017-05-01 10:40:00,EST-5,2017-05-01 10:40:00,0,0,0,0,5.00K,5000,0.00K,0,38.93,-82.31,38.93,-82.31,"A strong cold front crossed the middle Ohio River Valley on the 1st with showers and thunderstorms. Strong winds aloft lead to damaging winds from the stronger cells.","Multiple trees and power lines were downed near Bidwell." +115398,692867,GEORGIA,2017,May,Hail,"WAYNE",2017-05-04 14:30:00,EST-5,2017-05-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,31.6,-81.89,31.6,-81.89,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A spotter reported quarter to half dollar size hail in Jesup. The time of damage was based on radar." +115398,692868,GEORGIA,2017,May,Tornado,"ATKINSON",2017-05-04 12:25:00,EST-5,2017-05-04 12:26:00,0,0,0,0,0.00K,0,0.00K,0,31.3841,-82.9376,31.3838,-82.9377,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A brief tornado caused severe roof damage to one garage structure." +115398,692869,GEORGIA,2017,May,Tornado,"COFFEE",2017-05-04 13:04:00,EST-5,2017-05-04 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.5894,-82.6965,31.62,-82.696,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Several trees with snapped trunks were observed along the tornado path. Some damage occurred to one home and one outbuilding." +115398,692865,GEORGIA,2017,May,Funnel Cloud,"WAYNE",2017-05-04 14:30:00,EST-5,2017-05-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,31.6,-81.89,31.6,-81.89,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","The public reported a funnel cloud. The time of the report was based on radar data." +115398,692866,GEORGIA,2017,May,Hail,"WAYNE",2017-05-04 14:30:00,EST-5,2017-05-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,31.57,-81.89,31.57,-81.89,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Quarter size hail was reported." +115661,698590,NEW JERSEY,2017,June,Strong Wind,"MERCER",2017-06-19 12:00:00,EST-5,2017-06-19 12:00:00,0,0,0,0,0.01K,10,,NaN,NaN,NaN,NaN,NaN,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","A tree fell onto a towpath near Jacobs Creek Road." +115659,698598,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-06-19 17:36:00,EST-5,2017-06-19 17:36:00,0,0,0,0,,NaN,,NaN,39.58,-75.59,39.58,-75.59,"Thunderstorms moved across Delaware Bay and the Coastal waters the evening of the 19th. These thunderstorms produced gusty winds.","Nos platform at Delaware City, measured gust." +115659,698600,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-06-19 17:48:00,EST-5,2017-06-19 17:48:00,0,0,0,0,,NaN,,NaN,38.78,-75.12,38.78,-75.12,"Thunderstorms moved across Delaware Bay and the Coastal waters the evening of the 19th. These thunderstorms produced gusty winds.","Lewes Nos Buoy measured gust." +113187,677105,UTAH,2017,January,Winter Storm,"WESTERN UINTA BASIN",2017-01-22 17:00:00,MST-7,2017-01-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In what had already been a very active month of January, the last major storm system of the month moved through Utah on January 22 through 24, bringing widespread heavy snowfall.","Heavy snow fell in the Uintah Basin, with Altamont receiving 14 inches of snow and Duchesne receiving 10 inches of snow." +114530,686855,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-27 14:00:00,MST-7,2017-02-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent fast-moving low pressure system produced moderate to heavy snowfall and strong westerly winds of 45 to 55 mph over the Sierra Madre range and North Snowy Range foothills, with very low visibilities in blowing and drifting snow.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 12 inches of snow." +114591,687253,TEXAS,2017,February,Wildfire,"GRAY",2017-02-28 13:00:00,CST-6,2017-02-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Keller Estates Wildfire began about four miles north northeast of Pampa Texas in Gray County around 1300CST just northeast of the Hidden Hills Golf Course east of Hidden Hills Drive. The wildfire consumed an estimated one thousand five hundred acres and spread into Roberts County, however there were no reports of any homes or other structures damaged or destroyed by the wildfire. There were also no reports of any injuries or fatalities. There were a total of six fire departments and other agencies that responded to the wildfire which was contained by 1700CST.","" +114618,687387,ARIZONA,2017,February,Funnel Cloud,"MARICOPA",2017-02-19 14:52:00,MST-7,2017-02-19 14:55:00,0,0,0,0,0.00K,0,0.00K,0,33.55,-111.87,33.55,-111.87,"A large area of low pressure moving through Arizona resulted in a moist and unstable atmosphere across the central deserts on February 19th. Conditions were favorable for the formation of funnel clouds and several of them did occur during the afternoon hours over the greater Phoenix metropolitan area. Fortunately, being funnel clouds, they did not touch down and did not produce any damage. However, funnel clouds are quite rare in the Phoenix area and as such their presence was rather noteworthy, especially given the relatively large number of the funnel clouds.","A large area of low pressure moving through Arizona resulted in a moist and unstable atmosphere; conditions were favorable for the formation of funnel clouds. According to a trained spotter 5 miles northeast of Paradise Valley, a cold air funnel cloud was observed over the Talking Stick resort in north Scottsdale. The funnel did not touch down and no damage was reported." +114622,687411,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 16.5 inches of snow." +115404,692908,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-22 18:17:00,EST-5,2017-05-22 18:17:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.59,30.3,-81.59,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","An observer measured 2.76 inches within 2 hours." +115404,692909,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-22 19:03:00,EST-5,2017-05-22 21:03:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-81.65,30.15,-81.65,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","The public measured 3.01 inches within 2 hours." +115404,692910,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-22 15:40:00,EST-5,2017-05-22 15:40:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.65,30.38,-81.65,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","A gas station canopy was blown over due to thunderstorm winds. The canopy crushed a vehicle underneath. The time of damage was based on radar." +115404,692911,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-22 16:10:00,EST-5,2017-05-22 16:10:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-81.46,30.29,-81.46,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","A tree was blown down onto two vehicles near Beach Blvd and Hodges Blvd." +115535,693669,FLORIDA,2017,May,Funnel Cloud,"PUTNAM",2017-05-24 09:22:00,EST-5,2017-05-24 09:22:00,0,0,0,0,0.00K,0,0.00K,0,29.77,-81.64,29.77,-81.64,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","" +115535,693670,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-23 23:00:00,EST-5,2017-05-24 12:15:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-81.71,30.48,-81.71,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","Since midnight, 3.3 inches of rainfall were measured at the Jacksonville International Airport ASOS." +115404,692907,FLORIDA,2017,May,Flood,"DUVAL",2017-05-22 16:45:00,EST-5,2017-05-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,30.311,-81.5926,30.3118,-81.5916,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","Flood water along Glynlea Road was reaching doorways of homes on Oglethorpe Road." +113564,680089,CONNECTICUT,2017,February,Winter Storm,"NORTHERN NEW HAVEN",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 15 inches of snow in Meriden, 13 inches of snow in Beacon Falls and Waterbury. Winds gusted to 45 mph at 3:16 pm at Meriden Airport, and at 2:50 pm at Waterbury Airport." +113564,680090,CONNECTICUT,2017,February,Winter Storm,"SOUTHERN MIDDLESEX",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 13 inches of snow in Old Saybrook." +113564,680091,CONNECTICUT,2017,February,Winter Storm,"NORTHERN MIDDLESEX",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 13 inches of snow in Haddam." +113564,680093,CONNECTICUT,2017,February,Winter Storm,"NORTHERN NEW LONDON",2017-02-09 06:00:00,EST-5,2017-02-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 14.5 inches of snow in Colchester and 14 inches of snow in Norwich. Trained spotters also reported 12 to 13 inches of snow. Winds gusted to 43 mph in Salem at 12:19 pm." +114622,687415,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 12 inches of snow." +113564,680092,CONNECTICUT,2017,February,Winter Storm,"SOUTHERN NEW LONDON",2017-02-09 06:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","CT DOT reported 13 inches of snow in Groton. The public reported 11.5 inches of snow in New London. Winds also gusted to 54 mph at Groton Airport at 12:51 pm." +113610,680128,NEW JERSEY,2017,February,Winter Storm,"WESTERN PASSAIC",2017-02-09 04:00:00,EST-5,2017-02-09 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A trained spotter in West Milford at 1,300 feet reported 11.3 inches of snow. Other trained spotters reported 6 to 8 inches of snow." +113610,680125,NEW JERSEY,2017,February,Winter Storm,"WESTERN ESSEX",2017-02-09 04:00:00,EST-5,2017-02-09 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","Trained spotters, CoCoRaHS observers, and the public reported 6 to 8 inches of snowfall." +113750,680985,CONNECTICUT,2017,February,Winter Weather,"NORTHERN FAIRFIELD",2017-02-12 07:00:00,EST-5,2017-02-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved from the Ohio Valley on the morning of Sunday, February 12 to south and east of Long Island at night as it gradually intensified. Locally heavy snow along with some freezing rain was observed.","Social Media, trained spotters, and the public reported 4 to 6 inches of snowfall. The Danbury Airport ASOS also recorded 0.11 inches of freezing rain." +113833,681596,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-25 13:30:00,MST-7,2017-02-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 25/1430 MST." +113833,681598,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-25 20:45:00,MST-7,2017-02-26 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 25/2115 MST." +113833,681599,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-25 20:30:00,MST-7,2017-02-25 20:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at Cooper Cove measured peak wind gusts of 60 mph." +113833,681601,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-25 21:25:00,MST-7,2017-02-25 22:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 25/2145 MST." +114026,682909,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 09:55:00,MST-7,2017-02-04 15:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 04/1325 MST." +114026,682910,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 13:00:00,MST-7,2017-02-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 04/1315 MST." +116299,699271,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 13:20:00,EST-5,2017-05-24 13:25:00,0,0,0,0,,NaN,0.00K,0,32.7666,-79.8194,32.7666,-79.8194,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site at station 28.5 on Sullivan's Island measured a 34 knot wind gust. The peak wind gust of 36 knots occurred 25 minutes later." +114390,685572,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 14:55:00,MST-7,2017-02-08 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at County Road 402 measured wind gusts of 58 mph or higher, with a peak gust of 74 mph at 07/2300 MST." +114390,685573,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 23:00:00,MST-7,2017-02-08 00:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 07/2350 MST." +114390,685574,WYOMING,2017,February,High Wind,"CENTRAL CARBON COUNTY",2017-02-10 11:40:00,MST-7,2017-02-10 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher." +114390,685575,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 04:15:00,MST-7,2017-02-06 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 06/0820 MST." +114390,685576,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 13:50:00,MST-7,2017-02-08 00:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 07/1410 MST." +116299,699272,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-05-24 13:46:00,EST-5,2017-05-24 13:51:00,0,0,0,0,,NaN,0.00K,0,32.755,-79.918,32.755,-79.918,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The James Island Yacht Club measured a 36 knot wind gust." +114622,687664,WYOMING,2017,February,Winter Storm,"LARAMIE VALLEY",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Ten to twelve inches of snow was observed in and around Rock River." +113906,682197,IDAHO,2017,February,Flood,"SHOSHONE",2017-02-10 02:00:00,PST-8,2017-02-14 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,47.3575,-116.4743,47.3147,-116.4935,"On the early morning of February 10th an ice jam developed on the St. Joe River between St. Maries and Calder. Water backed up behind the ice jam causing minor flooding upstream in the town of Calder, but also flooded the St. Joe River Road in places and effectively closed the road which is the main road access to the town of Calder.","Flooding along the St. Joe River flooded fields and low spots in and around the town of Calder. No damage was reported but the main road into town was imapassable due to high water." +113908,682309,CALIFORNIA,2017,February,Heavy Rain,"HUMBOLDT",2017-02-09 01:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,290.00K,290000,0.00K,0,40.2036,-123.7775,40.2036,-123.7775,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Failed culvert near mile post 2 on the Avenue of the Giants." +113908,682310,CALIFORNIA,2017,February,Heavy Rain,"HUMBOLDT",2017-02-09 01:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,500.00K,500000,0.00K,0,40.4193,-123.9759,40.4193,-123.9759,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Landslide near mile post 42 on the Avenue of the Giants." +114390,685857,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-07 17:30:00,MST-7,2017-02-08 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 87 mph at 07/2355 MST." +114390,685858,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-09 13:00:00,MST-7,2017-02-10 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 76 mph at 10/1230 MST." +114390,685859,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-07 23:55:00,MST-7,2017-02-08 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/0245 MST." +114622,687695,WYOMING,2017,February,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Five to ten inches of snow was observed, with the heaviest at Horse Creek." +114622,687694,WYOMING,2017,February,Winter Storm,"GOSHEN COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Ten to twenty-four inches of snow was measured countywide. La Grange received 20 inches, Fort Laramie 18 inches, and Torrington 24 inches. Snow drifts of two to four feet were observed." +114390,685880,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 09:15:00,MST-7,2017-02-10 12:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Vedauwoo measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 10/1030 MST." +114390,685881,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-08 00:25:00,MST-7,2017-02-08 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 08/0045 MST." +114390,685882,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-09 08:45:00,MST-7,2017-02-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 09/1045 MST." +114655,687712,NEBRASKA,2017,February,Winter Storm,"MORRILL",2017-02-23 05:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to sixteen inches of snow was observed countywide. The heaviest snow fell across northern Morrill County." +114655,687717,NEBRASKA,2017,February,Winter Storm,"CHEYENNE",2017-02-23 05:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Three to sixteen inches of snow was observed countywide. The heaviest snow fell across northeast Cheyenne County." +114655,687716,NEBRASKA,2017,February,Winter Storm,"KIMBALL",2017-02-23 05:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Three to eight inches of snow was observed countywide. The heaviest snow fell across northern Kimball County." +114172,683733,NEBRASKA,2017,February,Winter Weather,"NORTH SIOUX",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Dawes, Sioux and Box Butte counties in the Nebraska Panhandle.","Five inches of snow was observed 15 miles south of Harrison." +114172,683734,NEBRASKA,2017,February,Winter Weather,"DAWES",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Dawes, Sioux and Box Butte counties in the Nebraska Panhandle.","Five inches of snow was observed at Chadron." +114172,683735,NEBRASKA,2017,February,Winter Weather,"DAWES",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Dawes, Sioux and Box Butte counties in the Nebraska Panhandle.","Five to six inches of snow was observed 12 miles northwest of Chadron." +115550,693773,TEXAS,2017,May,Hail,"PECOS",2017-05-22 17:52:00,CST-6,2017-05-22 17:57:00,0,0,0,0,,NaN,,NaN,30.88,-103.0386,30.88,-103.0386,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115549,693777,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:03:00,MST-7,2017-05-22 17:08:00,0,0,0,0,,NaN,,NaN,32.4477,-104.3092,32.4477,-104.3092,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115549,693781,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:00:00,MST-7,2017-05-22 17:05:00,0,0,0,0,,NaN,,NaN,32.3766,-104.23,32.3766,-104.23,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115549,693785,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:34:00,MST-7,2017-05-22 17:39:00,0,0,0,0,,NaN,,NaN,32.2334,-104.0766,32.2334,-104.0766,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115549,693800,NEW MEXICO,2017,May,Thunderstorm Wind,"LEA",2017-05-22 17:45:00,MST-7,2017-05-22 17:46:00,0,0,0,0,6.00K,6000,0.00K,0,32.2419,-103.5276,32.2419,-103.5276,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Lea County and produced a 77 mph wind gust 22 miles west northwest of Jal. This wind gust snapped two power poles. The cost of damage is a very rough estimate." +113171,677260,GEORGIA,2017,February,Drought,"TOWNS",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115178,691487,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:15:00,CST-6,2017-05-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.3334,-93.8562,32.3334,-93.8562,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees and power lines were blown down in Keithville." +113171,677280,GEORGIA,2017,February,Drought,"FLOYD",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115236,697147,IOWA,2017,May,Hail,"FLOYD",2017-05-15 17:21:00,CST-6,2017-05-15 17:21:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-92.65,43.05,-92.65,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","" +115236,697152,IOWA,2017,May,Hail,"CHICKASAW",2017-05-15 17:28:00,CST-6,2017-05-15 17:28:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-92.48,43.04,-92.48,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Quarter sized hail fell near Ionia." +115236,697156,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-15 17:21:00,CST-6,2017-05-15 17:21:00,0,0,0,0,2.00K,2000,0.00K,0,42.94,-92.54,42.94,-92.54,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Trees were blown down south of Nashua." +115236,697162,IOWA,2017,May,Hail,"CHICKASAW",2017-05-15 17:38:00,CST-6,2017-05-15 17:38:00,0,0,0,0,0.00K,0,0.00K,0,43.0299,-92.3267,43.0299,-92.3267,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Egg sized hail fell south of New Hampton at exit 201 along U.S. Highway 63." +115236,697199,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 17:51:00,CST-6,2017-05-15 17:51:00,0,0,0,0,3.00K,3000,0.00K,0,43.2,-91.95,43.2,-91.95,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Lots of trees were damaged in Spillville." +114674,687844,IOWA,2017,May,Heavy Rain,"GUTHRIE",2017-05-08 04:30:00,CST-6,2017-05-08 09:30:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-94.31,41.85,-94.31,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Public reported heavy rainfall of 2.00 inches via social media." +114674,687846,IOWA,2017,May,Heavy Rain,"GREENE",2017-05-07 09:30:00,CST-6,2017-05-08 09:30:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-94.38,42.01,-94.38,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Trained spotter reported heavy rainfall of about 2.00 inches over the last 24 hours. This is a location correction to earlier report." +114674,687849,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-08 20:40:00,CST-6,2017-05-08 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-93.38,43.13,-93.38,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Trained spotter reported up to quarter sized hail." +112844,675959,MISSOURI,2017,March,Thunderstorm Wind,"POLK",2017-03-06 22:32:00,CST-6,2017-03-06 22:32:00,0,0,0,0,5.00K,5000,0.00K,0,37.59,-93.42,37.59,-93.42,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several power poles were broken on the south side of Bolivar." +112844,675960,MISSOURI,2017,March,Thunderstorm Wind,"NEWTON",2017-03-06 22:25:00,CST-6,2017-03-06 22:25:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-94.39,36.87,-94.39,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several large tree limbs up to twelve inches thick were blown down." +112844,675961,MISSOURI,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-06 22:43:00,CST-6,2017-03-06 22:43:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-93.95,37.1,-93.95,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A large tree was blown down along Highway 97 near Stotts City." +112844,675962,MISSOURI,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-06 22:48:00,CST-6,2017-03-06 22:48:00,0,0,0,0,1.00K,1000,0.00K,0,36.95,-94,36.95,-94,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree and power line were blown down near Pierce City." +112844,675964,MISSOURI,2017,March,Thunderstorm Wind,"MCDONALD",2017-03-06 23:04:00,CST-6,2017-03-06 23:04:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-94.41,36.62,-94.41,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A large tree was blown down north of Pineville on Highway W." +112844,675965,MISSOURI,2017,March,Thunderstorm Wind,"MORGAN",2017-03-06 22:50:00,CST-6,2017-03-06 22:50:00,0,0,0,0,1.00K,1000,0.00K,0,38.25,-92.71,38.25,-92.71,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A piece of a roof and building material was on Oak Knoll Road near Rocky Mount." +112844,675966,MISSOURI,2017,March,Thunderstorm Wind,"LACLEDE",2017-03-06 23:10:00,CST-6,2017-03-06 23:10:00,0,0,0,0,5.00K,5000,0.00K,0,37.63,-92.79,37.63,-92.79,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Roof damage and structural damage to a home was reported near Highway 32." +112920,675069,IOWA,2017,March,Hail,"WARREN",2017-03-06 19:16:00,CST-6,2017-03-06 19:16:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-93.57,41.39,-93.57,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported up to quarter sized hail." +112920,675073,IOWA,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-06 19:19:00,CST-6,2017-03-06 19:19:00,0,0,0,0,25.00K,25000,0.00K,0,42.41,-92.92,42.41,-92.92,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported a barn moved off of its foundation and heavily damaged. This is a delayed report and time estimated by radar." +112920,675072,IOWA,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-06 19:19:00,CST-6,2017-03-06 19:19:00,0,0,0,0,10.00K,10000,0.00K,0,42.41,-92.93,42.41,-92.93,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported outbuildings damaged. This is a delayed report." +114236,684356,KANSAS,2017,March,Dust Storm,"CHEYENNE",2017-03-07 10:42:00,CST-6,2017-03-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds caused blowing dust with zero visibility reported along Highway 161 north of Bird City near the state line.","Zero visibility was reported along Highway 161 between CR BB and DD. The poor visibility from blowing dust extended north into Nebraska on Highway 161. Wind speeds of 30 MPH with gusts up to 40 MPH occurred with the blowing dust." +114237,684358,ILLINOIS,2017,March,Hail,"SALINE",2017-03-30 13:15:00,CST-6,2017-03-30 13:15:00,0,0,0,0,0.00K,0,0.00K,0,37.7095,-88.5241,37.7095,-88.5241,"A few strong storms with dime to nickel-size hail occurred. The storms developed and intensified as they raced northeast into southern Illinois. A marginally moist and unstable environment and ample vertical shear supported the strong storms. A closed mid-level low progressed slowly eastward from the lower Missouri Valley and Ozarks toward the lower Ohio River Valley. Storms intensified across southern Illinois just ahead of a surface low that developed east-northeastward from east central Missouri into central Illinois.","" +114237,684359,ILLINOIS,2017,March,Hail,"WHITE",2017-03-30 13:52:00,CST-6,2017-03-30 13:52:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-88.17,38.08,-88.17,"A few strong storms with dime to nickel-size hail occurred. The storms developed and intensified as they raced northeast into southern Illinois. A marginally moist and unstable environment and ample vertical shear supported the strong storms. A closed mid-level low progressed slowly eastward from the lower Missouri Valley and Ozarks toward the lower Ohio River Valley. Storms intensified across southern Illinois just ahead of a surface low that developed east-northeastward from east central Missouri into central Illinois.","Nickel-size hail occurred just outside of town." +114237,684360,ILLINOIS,2017,March,Hail,"SALINE",2017-03-30 14:26:00,CST-6,2017-03-30 14:26:00,0,0,0,0,0.00K,0,0.00K,0,37.73,-88.55,37.73,-88.55,"A few strong storms with dime to nickel-size hail occurred. The storms developed and intensified as they raced northeast into southern Illinois. A marginally moist and unstable environment and ample vertical shear supported the strong storms. A closed mid-level low progressed slowly eastward from the lower Missouri Valley and Ozarks toward the lower Ohio River Valley. Storms intensified across southern Illinois just ahead of a surface low that developed east-northeastward from east central Missouri into central Illinois.","" +114241,684365,INDIANA,2017,March,Flood,"POSEY",2017-03-06 06:00:00,CST-6,2017-03-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9208,-87.9042,37.923,-87.9117,"A combination of rainfall at the end of February and the first part of March sent the Ohio and White Rivers above flood stage.","Minor flooding occurred along the Ohio River near Mount Vernon. Low-lying woods and fields were inundated." +115701,695295,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:24:00,CST-6,2017-05-16 20:24:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-94.23,43.08,-94.23,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported wind gusts around 55 to 60 mph along with pea sized hail. Several tree limbs down roughly 2 to 3 inches in diameter." +115701,695299,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:25:00,CST-6,2017-05-16 20:25:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-94.14,42.58,-94.14,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported strong winds, including tree branches down, wind broken out, and power out. No estimate on wind speed at the time." +115701,695300,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:27:00,CST-6,2017-05-16 20:27:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-94.22,43.07,-94.22,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported wind gusts to around 70 mph." +113754,681053,MISSOURI,2017,March,Thunderstorm Wind,"CAPE GIRARDEAU",2017-03-07 03:02:00,CST-6,2017-03-07 03:05:00,0,0,0,0,220.00K,220000,0.00K,0,37.28,-89.5669,37.2844,-89.52,"An east-southeast moving squall line crossed southeast Missouri during the early morning hours, producing an isolated microburst at Cape Girardeau. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast across southeast Missouri.","A microburst containing peak winds estimated near 85 mph tracked across the southern edge of the city of Cape Girardeau, roughly along and parallel to the Southern Expressway. Several fences were blown down. Shingles and siding were blown off at least a dozen homes. Dozens of trees or tree limbs were blown down. A large tree fell on a house, causing major damage. The microburst tracked across the Mississippi River into Illinois." +113754,684714,MISSOURI,2017,March,Thunderstorm Wind,"NEW MADRID",2017-03-07 03:35:00,CST-6,2017-03-07 03:35:00,0,0,0,0,10.00K,10000,0.00K,0,36.75,-89.68,36.75,-89.68,"An east-southeast moving squall line crossed southeast Missouri during the early morning hours, producing an isolated microburst at Cape Girardeau. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast across southeast Missouri.","Two single-wide mobile homes were moved about four feet off their block piers." +114188,683921,MISSOURI,2017,March,Hail,"CARTER",2017-03-09 18:10:00,CST-6,2017-03-09 18:10:00,0,0,0,0,,NaN,,NaN,36.93,-90.75,36.93,-90.75,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Golf-ball size hail fell from a supercell thunderstorm that produced the funnel cloud near Hunter." +114188,683952,MISSOURI,2017,March,Tornado,"RIPLEY",2017-03-09 18:25:00,CST-6,2017-03-09 18:44:00,0,0,0,0,30.00K,30000,0.00K,0,36.717,-90.804,36.7075,-90.6304,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This rather large EF-2 tornado traveled from approximately six miles north of Doniphan to twelve miles northeast of Doniphan in heavily forested, hilly terrain. The tornado began on the west side of Highway 21, crossed Highway K and the Little Black River, and ended on the Butler County line. Hundreds of large hardwood and pine trees were snapped or uprooted. One barn or shed was destroyed. The tornado reached peak intensity between Highway K and the Little Black River, where peak winds were estimated near 120 mph." +116168,698235,IOWA,2017,May,Thunderstorm Wind,"WARREN",2017-05-17 15:20:00,CST-6,2017-05-17 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-93.48,41.33,-93.48,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported tree damage, wind speeds unknown at the time. Time estimated by radar." +116168,698237,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:21:00,CST-6,2017-05-17 15:21:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-93.72,41.73,-93.72,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS employee reported tree branches down on Beaver Dr and power outages in Johnston." +116168,698238,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-17 15:21:00,CST-6,2017-05-17 15:21:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-94.16,43.2,-94.16,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported 70 to 80 estimated wind gusts. Time estimated by radar." +116168,698240,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:25:00,CST-6,2017-05-17 15:25:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-93.7,41.63,-93.7,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported large tree split near its base and landed across the roadway. Time estimated by radar and this is a delayed report." +114251,684487,KENTUCKY,2017,March,Frost/Freeze,"WEBSTER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684441,ILLINOIS,2017,March,Frost/Freeze,"ALEXANDER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684443,ILLINOIS,2017,March,Frost/Freeze,"FRANKLIN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115448,693267,SOUTH CAROLINA,2017,April,Tornado,"ANDERSON",2017-04-05 23:20:00,EST-5,2017-04-05 23:21:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-82.55,34.421,-82.549,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","National Weather Service storm survey found a small area of tornado damage within a broader swath of less intense downburst damage. The tornado briefly touched down on Bryant Rd near Highway 413. Damage was mainly confined to uprooted or snapped trees." +115448,693263,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"SPARTANBURG",2017-04-05 23:36:00,EST-5,2017-04-05 23:36:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-82.15,35.12,-82.15,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported multiple trees blown down in the Campobello area." +115448,693269,SOUTH CAROLINA,2017,April,Tornado,"ANDERSON",2017-04-05 23:30:00,EST-5,2017-04-05 23:31:00,0,0,0,0,1.00K,1000,0.00K,0,34.44,-82.4,34.441,-82.399,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","NWS Storm survey found a small area of tornado damage within a wider swatch of less intense downburst damage. The tornado briefly touched down off Brook St on the southwest side of honea path. Numerous trees were blown down, while a patio and carport structure were also damaged." +115448,693420,SOUTH CAROLINA,2017,April,Hail,"ANDERSON",2017-04-05 23:15:00,EST-5,2017-04-05 23:15:00,0,0,0,0,,NaN,,NaN,34.5,-82.71,34.5,-82.71,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported penny size hail near the Anderson Airport." +119401,717686,ILLINOIS,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 13:15:00,CST-6,2017-06-14 13:15:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-90.77,39.9857,-90.7559,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large trees around town. A couple fell across roadways blocking them for a time." +119400,717687,MISSOURI,2017,June,Thunderstorm Wind,"LEWIS",2017-06-14 14:49:00,CST-6,2017-06-14 14:49:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-91.82,40.0886,-91.8086,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large tree limbs around town." +119401,717688,ILLINOIS,2017,June,Hail,"ADAMS",2017-06-14 16:03:00,CST-6,2017-06-14 16:08:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-91.25,39.82,-91.03,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","" +119401,717689,ILLINOIS,2017,June,Thunderstorm Wind,"ADAMS",2017-06-14 16:03:00,CST-6,2017-06-14 16:03:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-91.25,39.8176,-91.2343,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large tree limbs around town." +119401,717690,ILLINOIS,2017,June,Thunderstorm Wind,"ADAMS",2017-06-14 12:10:00,CST-6,2017-06-14 12:10:00,0,0,0,0,0.00K,0,0.00K,0,39.9787,-91.2632,39.9787,-91.2632,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several trees onto N 96th Street, south of Fowler." +119401,717691,ILLINOIS,2017,June,Lightning,"ADAMS",2017-06-14 15:30:00,CST-6,2017-06-14 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,39.997,-91.3967,39.997,-91.3967,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Lightning struck a garage on the north side of Quincy, causing a fire which destroyed the structure." +112842,675212,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 01:18:00,CST-6,2017-03-01 01:18:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-93.15,37.38,-93.15,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several medium size trees were blown down blocking Farm Road 209 near Fair Grove." +119400,717692,MISSOURI,2017,June,Thunderstorm Wind,"SHELBY",2017-06-14 16:23:00,CST-6,2017-06-14 16:23:00,0,0,0,0,0.00K,0,0.00K,0,39.8777,-92.0242,39.8777,-92.0242,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large tree limbs around town." +119400,717693,MISSOURI,2017,June,Hail,"MONROE",2017-06-14 17:23:00,CST-6,2017-06-14 17:23:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-91.73,39.65,-91.73,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","" +119400,717694,MISSOURI,2017,June,Thunderstorm Wind,"MARION",2017-06-14 17:03:00,CST-6,2017-06-14 17:07:00,0,0,0,0,0.00K,0,0.00K,0,39.7076,-91.5816,39.7444,-91.5145,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several trees onto U.S. Highways 61/24 south of Palmyra and a few were blown down onto County Road 272, just west of West Ely." +119401,717697,ILLINOIS,2017,June,Thunderstorm Wind,"PIKE",2017-06-14 18:18:00,CST-6,2017-06-14 18:18:00,0,0,0,0,0.00K,0,0.00K,0,39.4435,-90.7919,39.4426,-90.7809,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several trees, tree limbs, power poles and power lines around town." +119401,717698,ILLINOIS,2017,June,Thunderstorm Wind,"GREENE",2017-06-14 18:48:00,CST-6,2017-06-14 18:52:00,0,0,0,0,0.00K,0,0.00K,0,39.287,-90.5526,39.3019,-90.4034,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large trees, tree limbs and power lines. In Eldred, one tree fell onto an unoccupied car, destroying it." +119400,717699,MISSOURI,2017,June,Hail,"RALLS",2017-06-14 19:20:00,CST-6,2017-06-14 19:20:00,0,0,0,0,0.00K,0,0.00K,0,39.5088,-91.5295,39.5088,-91.5295,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","" +119401,717700,ILLINOIS,2017,June,Hail,"MONTGOMERY",2017-06-14 19:36:00,CST-6,2017-06-14 19:36:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-89.65,39.18,-89.65,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","" +112842,675213,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 01:28:00,CST-6,2017-03-01 01:28:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-92.08,37.88,-92.08,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A tree was blown down across Highway 28. Dime size hail was also reported." +112842,675214,MISSOURI,2017,March,Thunderstorm Wind,"CAMDEN",2017-03-01 01:07:00,CST-6,2017-03-01 01:07:00,0,0,0,0,5.00K,5000,0.00K,0,37.88,-92.57,37.88,-92.57,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A garage was blown apart on Pritchett Road." +112842,675215,MISSOURI,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-01 02:24:00,CST-6,2017-03-01 02:24:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-92.71,36.95,-92.71,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Small tree limbs were blown down west of Ava." +112842,675216,MISSOURI,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-01 02:48:00,CST-6,2017-03-01 02:48:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-92.32,36.93,-92.32,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Small tree limbs were blown down in Drury." +112842,675217,MISSOURI,2017,March,Thunderstorm Wind,"OREGON",2017-03-01 03:03:00,CST-6,2017-03-01 03:03:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-91.54,36.52,-91.54,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Small tree limbs were blown down." +112842,675218,MISSOURI,2017,March,Thunderstorm Wind,"TANEY",2017-03-01 02:38:00,CST-6,2017-03-01 02:38:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.1,36.68,-93.1,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several trees were blown down along Highway 160 east of Forsyth." +114312,685446,TEXAS,2017,March,Tornado,"JONES",2017-03-28 17:03:00,CST-6,2017-03-28 17:10:00,0,0,0,0,0.00K,0,0.00K,0,32.8888,-99.7803,32.9525,-99.7527,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","According to Storm Chaser videos, this tornado was a well developed cone tornado. NWS and Emergency Management could not find any damage since this tornado remained over open fields. Therefore, it was given an EF0 rating." +114312,685447,TEXAS,2017,March,Tornado,"TAYLOR",2017-03-28 15:52:00,CST-6,2017-03-28 15:53:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-99.94,32.4401,-99.94,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","This tornado was a brief touch down that was reported and photographed by a meteorologist from Dyess Airforce Base." +114312,685452,TEXAS,2017,March,Tornado,"FISHER",2017-03-28 15:36:00,CST-6,2017-03-28 15:37:00,0,0,0,0,0.00K,0,0.00K,0,32.776,-100.2873,32.777,-100.2873,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter observed a brief tornado touchdown in an open field." +114389,685444,TEXAS,2017,March,Hail,"COKE",2017-03-21 18:25:00,CST-6,2017-03-21 18:28:00,0,0,0,0,0.00K,0,0.00K,0,32.07,-100.68,32.07,-100.68,"The combination of a southward moving cold front and a dryline across the western portions of the forecast area, resulted in isolated strong thunderstorms. A few of these storms produced hail, including one report of penny size hail.","" +114432,686182,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"ABBEVILLE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114265,684762,SOUTH CAROLINA,2017,March,Hail,"SPARTANBURG",2017-03-21 18:00:00,EST-5,2017-03-21 18:05:00,0,0,0,0,,NaN,,NaN,34.894,-82.219,34.897,-82.175,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","A second round of golf ball sized hail was observed at the National Weather Service. Public also reported golf ball size hail damaging vehicles at a manufacturing plant at Highway 101 and I-85." +118251,710675,MISSOURI,2017,June,Tornado,"GENTRY",2017-06-28 19:50:00,CST-6,2017-06-28 19:52:00,0,0,0,0,0.00K,0,0.00K,0,40.2226,-94.5972,40.2226,-94.57,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A weak tornado formed in rural Gentry County, but produced little to no damage outside of some tree damage." +118251,710679,MISSOURI,2017,June,Tornado,"HARRISON",2017-06-28 17:57:00,CST-6,2017-06-28 18:14:00,0,0,0,0,,NaN,,NaN,40.2815,-94.2156,40.2322,-94.031,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","This tornado is a continuation of the tornado that moved out of Gentry County. This tornado moved through mainly rural parts of Harrison County, where it produced mostly damage to trees. There was a structure west of Bethany that sustained some EF-1 damage. Otherwise the damage was EF-0 with this tornado across the county." +118255,710680,KANSAS,2017,June,Flood,"ATCHISON",2017-06-30 04:29:00,CST-6,2017-06-30 10:29:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-95.21,39.4349,-95.2421,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through eastern Kansas, producing some wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Crooked Creek was nearly over 214th road. All farmland on either side of the creek is flooded." +114455,686318,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 16:47:00,EST-5,2017-03-31 16:47:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-76.42,36.79,-76.42,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +114455,686320,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 17:04:00,EST-5,2017-03-31 17:04:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-76.35,36.74,-76.35,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Golf ball size hail was reported." +114455,686321,VIRGINIA,2017,March,Hail,"SOUTHAMPTON",2017-03-31 17:05:00,EST-5,2017-03-31 17:05:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-76.93,36.61,-76.93,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +118255,710681,KANSAS,2017,June,Thunderstorm Wind,"LINN",2017-06-30 02:41:00,CST-6,2017-06-30 02:46:00,0,0,0,0,,NaN,,NaN,38.18,-94.71,38.18,-94.71,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through eastern Kansas, producing some wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Several outbuildings were blown down and numerous tree limbs were down in Pleasanton." +118255,710682,KANSAS,2017,June,Thunderstorm Wind,"LINN",2017-06-30 02:41:00,CST-6,2017-06-30 02:44:00,0,0,0,0,,NaN,,NaN,38.28,-94.66,38.28,-94.66,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through eastern Kansas, producing some wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","A semi truck was blown into the ditch on Highway 69 at mile marker 109. Wind damage extends down to Pleasanton along Highway 69." +118257,710684,MISSOURI,2017,June,Flash Flood,"MACON",2017-06-29 20:55:00,CST-6,2017-06-29 22:55:00,0,0,0,0,0.00K,0,0.00K,0,39.8392,-92.2302,39.8193,-92.5928,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Multiple roads that normally do not flood flooded several inches deep, including Road DD and Highway 63, Road 149 and Eagle Road, and Road 149 and Dogwood Road." +114455,686322,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 17:14:00,EST-5,2017-03-31 17:14:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-76.23,36.78,-76.23,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported at Greenbrier Mall." +115950,696769,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-11 20:04:00,EST-5,2017-05-11 20:04:00,0,0,0,0,0.00K,0,0.00K,0,36.0465,-79.0108,36.0465,-79.0108,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down and blocking the road on Pleasant Green Road at the Eno River Bridge." +115950,696770,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:06:00,EST-5,2017-05-11 20:06:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-78.94,36.06,-78.94,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down near the 3200 Block of Rose of Sharon Road." +115950,696771,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-11 20:06:00,EST-5,2017-05-11 20:06:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-79.05,35.97,-79.05,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down and was blocking the road at 104 Fox Ridge Road." +115950,696772,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:08:00,EST-5,2017-05-11 20:08:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-78.97,36.05,-78.97,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down in a wooded area." +115950,696774,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:11:00,EST-5,2017-05-11 20:11:00,0,0,0,0,0.00K,0,0.00K,0,35.9951,-78.9471,35.9951,-78.9471,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down near the intersection of Cameron Blvd and Science Drive." +120443,721559,NEBRASKA,2017,June,Hail,"BOX BUTTE",2017-06-12 19:15:00,MST-7,2017-06-12 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-102.87,42.1,-102.87,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Tennis ball to baseball size hail was reported at Alliance." +113698,680591,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-21 18:15:00,EST-5,2017-03-21 18:15:00,0,0,0,0,,NaN,,NaN,35.14,-85.2,35.14,-85.2,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Fifteen to twenty structures were damaged from a downburst in the Dallas Bay area of the county along Chickamauga Lake. The area which suffered the most damage is along Barkley Lane where a roof was removed from a single family home. Another home was partially blown off its foundation." +115950,696777,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:12:00,EST-5,2017-05-11 20:12:00,0,0,0,0,100.00K,100000,0.00K,0,35.9904,-78.9119,35.9904,-78.9119,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","A large tree fell and crashed into a home on Vickers Avenue. Monetary damages were estimated." +115950,696779,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:17:00,EST-5,2017-05-11 20:17:00,0,0,0,0,0.00K,0,0.00K,0,35.9412,-78.9119,35.9412,-78.9119,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown near the intersection of Martin Luther King Jr Blvd and Stratford Lakes Drive." +115950,696782,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WAKE",2017-05-11 20:28:00,EST-5,2017-05-11 20:28:00,0,0,0,0,0.00K,0,0.00K,0,35.9122,-78.7105,35.9122,-78.7105,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down and blocking the road near the intersection of Rock Creek Road and Timberlane Court." +115950,696783,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WAKE",2017-05-11 20:37:00,EST-5,2017-05-11 20:37:00,0,0,0,0,0.00K,0,0.00K,0,35.9079,-78.6005,35.9079,-78.6005,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown and blocking the road near the intersection of Durant Road and Falls of Neuse Road." +115121,691212,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:37:00,EST-5,2017-04-06 12:37:00,0,0,0,0,,NaN,,NaN,38.9987,-77.372,38.9987,-77.372,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Several small trees were snapped at the Sugarland Run Stream Valley Park in Herndon." +115121,691213,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 12:00:00,EST-5,2017-04-06 12:00:00,0,0,0,0,,NaN,,NaN,38.6488,-77.7596,38.6488,-77.7596,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","An outbuilding was destroyed. A large tree and branches were also down through the exterior wall of a house on Donnybrook Drive." +113318,680899,OKLAHOMA,2017,March,Hail,"PITTSBURG",2017-03-01 00:15:00,CST-6,2017-03-01 00:15:00,0,0,0,0,20.00K,20000,0.00K,0,34.9326,-95.7688,34.9326,-95.7688,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115121,691214,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:15:00,EST-5,2017-04-06 12:15:00,0,0,0,0,,NaN,,NaN,38.6656,-77.3686,38.6656,-77.3686,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A large pine tree was snapped at the base." +115144,691215,MARYLAND,2017,April,Flood,"PRINCE GEORGE'S",2017-04-06 12:42:00,EST-5,2017-04-06 15:42:00,0,0,0,0,5.00K,5000,0.00K,0,39.0716,-76.8363,39.0725,-76.8368,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Showers and thunderstorms led to heavy rain at times and led to a river gauge reaching flood stage in northeast MD.","There was a car stranded in high water on Brock Bridge Road." +115147,691884,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-06 13:03:00,EST-5,2017-04-06 13:03:00,0,0,0,0,,NaN,,NaN,39.1412,-77.2166,39.1412,-77.2166,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Quarter sized hail was reported." +115121,691007,VIRGINIA,2017,April,Thunderstorm Wind,"CULPEPER",2017-04-06 11:43:00,EST-5,2017-04-06 11:43:00,0,0,0,0,,NaN,,NaN,38.4431,-77.9,38.4431,-77.9,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down in Stevensburg." +113318,680901,OKLAHOMA,2017,March,Thunderstorm Wind,"SEQUOYAH",2017-03-01 00:25:00,CST-6,2017-03-01 00:25:00,0,0,0,0,5.00K,5000,0.00K,0,35.4595,-94.787,35.4595,-94.787,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","Strong thunderstorm wind damaged a county barn and blew down power lines." +113318,680903,OKLAHOMA,2017,March,Thunderstorm Wind,"LE FLORE",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.1673,-94.6727,35.1673,-94.6727,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","Strong thunderstorm wind blew down power poles." +113318,680905,OKLAHOMA,2017,March,Thunderstorm Wind,"SEQUOYAH",2017-03-01 01:35:00,CST-6,2017-03-01 01:35:00,0,0,0,0,0.00K,0,0.00K,0,35.4063,-94.5983,35.4063,-94.5983,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","Strong thunderstorm wind blew down trees." +113323,680933,OKLAHOMA,2017,March,Thunderstorm Wind,"OSAGE",2017-03-06 20:25:00,CST-6,2017-03-06 20:25:00,0,0,0,0,0.00K,0,0.00K,0,36.8405,-96.4278,36.8405,-96.4278,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","The Oklahoma Mesonet station near Foraker measured 67 mph thunderstorm wind gusts." +114582,687204,TEXAS,2017,March,High Wind,"LIPSCOMB",2017-03-06 11:30:00,CST-6,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687205,TEXAS,2017,March,High Wind,"MOORE",2017-03-06 13:30:00,CST-6,2017-03-06 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687206,TEXAS,2017,March,High Wind,"ROBERTS",2017-03-06 10:30:00,CST-6,2017-03-06 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687207,TEXAS,2017,March,High Wind,"HEMPHILL",2017-03-06 11:30:00,CST-6,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +115121,691008,VIRGINIA,2017,April,Thunderstorm Wind,"CULPEPER",2017-04-06 11:45:00,EST-5,2017-04-06 11:45:00,0,0,0,0,,NaN,,NaN,38.4,-77.7292,38.4,-77.7292,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down on power lines in Richardsville." +115121,691009,VIRGINIA,2017,April,Thunderstorm Wind,"CULPEPER",2017-04-06 11:45:00,EST-5,2017-04-06 11:45:00,0,0,0,0,,NaN,,NaN,38.5274,-77.9171,38.5274,-77.9171,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down and a roof was damaged to a house near the intersection of Alanthus Road and Farley Road." +115121,691010,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:50:00,EST-5,2017-04-06 11:50:00,0,0,0,0,,NaN,,NaN,38.5341,-77.809,38.5341,-77.809,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down in Remington." +115121,691011,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:50:00,EST-5,2017-04-06 11:50:00,0,0,0,0,,NaN,,NaN,38.5408,-77.7235,38.5408,-77.7235,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Numerous trees and power lines were down along Summerduck Road near Maryann Lane." +115121,691012,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:51:00,EST-5,2017-04-06 11:51:00,0,0,0,0,,NaN,,NaN,38.4547,-77.6629,38.4547,-77.6629,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down in the Block of Sumerduck Road." +114713,688042,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 14:01:00,CST-6,2017-03-29 14:01:00,0,0,0,0,0.00K,0,0.00K,0,29.91,-93.93,29.91,-93.93,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Mostly dime size hail, however a few quarters also mixed in during a thunderstorm." +114713,688043,TEXAS,2017,March,Hail,"HARDIN",2017-03-29 14:38:00,CST-6,2017-03-29 14:38:00,0,0,0,0,0.00K,0,0.00K,0,30.26,-94.2,30.26,-94.2,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114713,688044,TEXAS,2017,March,Hail,"JASPER",2017-03-29 15:10:00,CST-6,2017-03-29 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.92,-94,30.92,-94,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114713,688046,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 16:01:00,CST-6,2017-03-29 16:01:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-93.93,29.9,-93.93,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +115121,691013,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:51:00,EST-5,2017-04-06 11:51:00,0,0,0,0,,NaN,,NaN,38.5332,-77.808,38.5332,-77.808,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Part of a roof was torn off on East Main Street." +115121,691014,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:52:00,EST-5,2017-04-06 11:52:00,0,0,0,0,,NaN,,NaN,38.4711,-77.6475,38.4711,-77.6475,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Several trees were downed and snapped near Sillamon road and Clovers Oak Lane." +115121,691015,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:52:00,EST-5,2017-04-06 11:52:00,0,0,0,0,,NaN,,NaN,38.5708,-77.8514,38.5708,-77.8514,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Seven large Oaks were down on property." +114713,688047,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 16:17:00,CST-6,2017-03-29 16:17:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-93.93,29.9,-93.93,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114713,688048,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 16:20:00,CST-6,2017-03-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-93.93,29.9,-93.93,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +113974,688430,KANSAS,2017,March,High Wind,"SMITH",2017-03-06 16:30:00,CST-6,2017-03-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon. Northwest winds were sustained between 30 and 40 mph. Wind gusts between 45 and 55 mph were common. The highest gust observed was 59 mph near Lebanon. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 7 and 15%. A significant wildfire occurred in Rooks County, very close to Stockton.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 59 MPH wind gust was measured by a mesonet site located 2 miles south of Lebanon." +113853,681806,MISSOURI,2017,February,Hail,"CHARITON",2017-02-28 19:30:00,CST-6,2017-02-28 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-92.8,39.42,-92.8,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114812,688622,NEW YORK,2017,March,High Wind,"MONROE",2017-03-01 20:17:00,EST-5,2017-03-02 00:30:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +114812,688624,NEW YORK,2017,March,High Wind,"GENESEE",2017-03-01 19:30:00,EST-5,2017-03-02 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +117328,706512,NEW MEXICO,2017,August,Flash Flood,"ROOSEVELT",2017-08-03 18:00:00,MST-7,2017-08-03 21:00:00,0,0,0,0,2.40M,2400000,0.00K,0,33.9195,-103.5379,34.1392,-103.5338,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Heavy rain that fell on saturated grounds in the area between Portales, Elida, and Dora produced major flash flooding. Several county roads were under water, damaged, and closed. Emergency management estimated total damages across Roosevelt County from flooding topped 2.4 million dollars." +114812,688623,NEW YORK,2017,March,High Wind,"NORTHERN ERIE",2017-03-01 20:45:00,EST-5,2017-03-02 00:30:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +114812,688625,NEW YORK,2017,March,High Wind,"WYOMING",2017-03-01 19:40:00,EST-5,2017-03-02 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +114820,689013,ARIZONA,2017,March,High Wind,"LITTLE COLORADO RIVER VALLEY IN COCONINO COUNTY",2017-03-05 12:15:00,MST-7,2017-03-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across northern Arizona brought areas of high winds.","The Mesonet station at Two Guns measured wind gusts over 58 MPH from 1215 PM to 345 PM. The peak gust of 63 MPH hit at 202 PM MST. The Winslow Airport just two miles east of the zone reported a peak wind gust of 64 MPH at 416 PM." +114820,689027,ARIZONA,2017,March,High Wind,"EASTERN MOGOLLON RIM",2017-03-05 14:30:00,MST-7,2017-03-05 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across northern Arizona brought areas of high winds.","The Mogollon Airpark (AZ82) reported a peak wind gust of 58 MPH at 236 PM." +114820,688697,ARIZONA,2017,March,High Wind,"LITTLE COLORADO RIVER VALLEY IN NAVAJO COUNTY",2017-03-05 16:10:00,MST-7,2017-03-05 17:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across northern Arizona brought areas of high winds.","The Winslow Airport ASOS reported a peak wind gust of 64 MPH at 416 PM. A trained spotter reported a peak wind gust of 70 MPH six miles southwest of Woodruff at 513 PM MST." +114854,689011,NEW YORK,2017,March,Winter Storm,"NORTHERN CAYUGA",2017-03-13 21:00:00,EST-5,2017-03-15 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114854,689012,NEW YORK,2017,March,Winter Storm,"NORTHERN ERIE",2017-03-13 21:00:00,EST-5,2017-03-15 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes combined with low pressure lifting north along the Atlantic coast to bring significant snowfall to the entire region. Snow began across the region during the late evening into the early overnight hours of the 13th-14th. The snow continued through the day Tuesday (14th) before tapering off during the afternoon of the 15th. Most schools and some businesses closed on Tuesday. Snowfall records were set at Buffalo and Rochester. Many flights in and out of Buffalo and Rochester were cancelled. The state enacted a travel ban on tractor trailers on the major interstates. The National Guard was called on to assist in snow removal in some locations. Reported storm total snowfall included: 33 inches at Lockport (Niagara County) and Palmyra (Wayne County); 32 inches at Walworth (Wayne County); 31 inches at Northwest Rochester (Monroe County); 30 inches at Sanborn (Niagara County), Fulton (Oswego County) and Macedon (Wayne County); 27 inches at Fairport (Monroe County); 26.5 inches at Rochester Airport (Monroe County); 26 inches at Amherst (Erie County), Pittsford (Monroe County) and Minetto (Oswego County); 25 inches at Perrysburg and Little Valley (Cattaraugus County), North Chili (Monroe County), Holley (Orleans County), and Palermo and Oswego (Oswego County); 24 inches at Savannah (Cayuga County), Osceola (Lewis County) and Clarendon (Orleans County); 23 inches at Churchville and Webster (Monroe County), Niagara Falls and North Tonawanda (Niagara County), and Medina (Orleans County); 22 inches at Conquest (Cayuga County), Forestville (Chautauqua County), Colden (Erie County), Watertown (Jefferson County) and Penfield (Monroe County); 21 inches at Akron and Kenmore (Erie County), Geneva (Ontario County) and Albion (Orleans County); 20 inches at Irondequoit and Brighton (Monroe County); 19.5 inches at Buffalo Airport (Erie County); 19 inches at Dewittville (Chautauqua County), Henrietta (Monroe County) and Warsaw (Wyoming County); 18 inches at Kenmore and Elma (Erie County), Croghan and Harrisville (Lewis County), Lacona and Redfield (Oswego County) and Wyoming (Wyoming County); 17 inches at Cattaraugus (Cattaraugus County), Mayville and Sinclairville (Chautauqua County) and Pulaski (Oswego County); 16 inches at Cassadaga (Chautauqua County), Marilla, Williamsville, and Grand Island (Erie County), Beaver Falls (Lewis County) and Varysburg (Wyoming County); 15 inches at Buffalo and Boston (Erie County) and Lima (Livingston County); 14 inches at Lackawanna (Erie County), Corfu and Stafford (Genesee County), Webster (Monroe County) and Honeoye (Ontario County); 13 inches at Stockton (Chautauqua County), Glenfield and Constableville (Lewis County), Dansville (Livingston County) and Attica (Wyoming County); 12 inches at East Aurora (Erie County) and Bennetts Bridge (Oswego County); 11 inches at Allegany and Randolph (Cattaraugus County), Lowville (Lewis County), Avon (Livingston County) and Wilson (Niagara County); and 10 inches at Wellsville (Allegany County).","" +114820,689030,ARIZONA,2017,March,High Wind,"WHITE MOUNTAINS",2017-03-05 16:00:00,MST-7,2017-03-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across northern Arizona brought areas of high winds.","The Springerville Airport ASOS (just north of the zone) reported a peak wind gust of 69 MPH at 635 PM. The wind gusted over 58 MPH from 445 PM on the 5th to 515 AM MST on the 6th. The Show Low Airport (far northwestern part of the zone) had a peak wind gust of 56 MPH 435 PM MST." +114522,686760,ILLINOIS,2017,March,Hail,"MOULTRIE",2017-03-01 00:45:00,CST-6,2017-03-01 00:50:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-88.62,39.6,-88.62,"This is a continuation of the tornado, large hail, and damaging wind event of February 28th. The storms eventually congealed into a line and tracked across the I-57 corridor during the early morning hours of March 1st, producing scattered wind damage and marginally severe hail. Penny-sized hail was reported in Sullivan in Moultrie County while numerous trees were blown down in Danville in Vermilion County.","" +114522,686761,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-01 00:45:00,CST-6,2017-03-01 00:50:00,0,0,0,0,80.00K,80000,0.00K,0,40.13,-87.62,40.13,-87.62,"This is a continuation of the tornado, large hail, and damaging wind event of February 28th. The storms eventually congealed into a line and tracked across the I-57 corridor during the early morning hours of March 1st, producing scattered wind damage and marginally severe hail. Penny-sized hail was reported in Sullivan in Moultrie County while numerous trees were blown down in Danville in Vermilion County.","Numerous trees and power lines were blown down in Danville." +112930,683432,WISCONSIN,2017,March,Strong Wind,"PORTAGE",2017-03-08 14:13:00,CST-6,2017-03-08 14:13:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","Wind gusts measured to 46 mph during the late morning and early afternoon hours of March 8th overturned 2 semitrailers on I-39." +112930,683435,WISCONSIN,2017,March,Strong Wind,"WINNEBAGO",2017-03-08 12:30:00,CST-6,2017-03-08 12:30:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust, estimated at 45 mph, caused the door of a semitrailer to violently swing open and throw a man to the ground. He had been holding onto the door as it swung open. Exact location and time of this event are estimated." +114557,687096,OHIO,2017,March,High Wind,"ALLEN",2017-03-08 12:30:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees, tree limbs and a few power lines/poles were received across the county. Wind gusts approaching 60 mph were also noted." +114473,686469,WASHINGTON,2017,March,Flood,"WHITMAN",2017-03-14 23:00:00,PST-8,2017-03-19 21:00:00,0,0,0,0,70.00K,70000,0.00K,0,46.8847,-117.0442,46.9391,-117.0415,"Low elevation snow melt combined with periods of heavy rain during the second week of March forced the Palouse River to Major Flood Stage. Extensive flooding of fields, parks and roads in the river bottom occurred with some houses and businesses in the town of Palouse experiencing basement flooding and minor first floor flooding.","The Palouse River Gage at Potlach, ID recorded a rise above the Flood Stage of 15.0 feet at 10:00 PM PST March 14th, cresting at 17.5 feet at 10:30 AM March 16th. The river dropped below Flood Stage during the evening of the 17th but then rose again above Flood Stage during the afternoon of the 19th cresting 15.6 feet before receding below Flood Stage for the end of the event during the evening of March 19th." +113853,681805,MISSOURI,2017,February,Hail,"CHARITON",2017-02-28 19:27:00,CST-6,2017-02-28 19:27:00,0,0,0,0,0.00K,0,0.00K,0,39.41,-92.8,39.41,-92.8,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115093,701505,OKLAHOMA,2017,May,Hail,"LE FLORE",2017-05-03 07:43:00,CST-6,2017-05-03 07:43:00,0,0,0,0,0.00K,0,0.00K,0,35.0535,-94.623,35.0535,-94.623,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +113853,681807,MISSOURI,2017,February,Hail,"CASS",2017-02-28 19:45:00,CST-6,2017-02-28 19:45:00,0,0,0,0,0.00K,0,0.00K,0,38.72,-94.46,38.72,-94.46,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681808,MISSOURI,2017,February,Hail,"RANDOLPH",2017-02-28 19:52:00,CST-6,2017-02-28 19:54:00,0,0,0,0,,NaN,,NaN,39.43,-92.44,39.43,-92.44,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681809,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 19:54:00,CST-6,2017-02-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-94.12,38.87,-94.12,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +116150,698098,ARKANSAS,2017,May,Hail,"BENTON",2017-05-31 17:26:00,CST-6,2017-05-31 17:26:00,0,0,0,0,5.00K,5000,0.00K,0,36.4634,-93.9631,36.4634,-93.9631,"Strong to severe thunderstorms developed during the afternoon and evening hours of the 31st along and ahead of a cold front over southeastern Kansas. The storms moved across southwestern Missouri and northwestern Arkansas during the late afternoon and evening. The strongest storms produced hail up to ping pong ball size.","" +115093,701501,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-03 04:24:00,CST-6,2017-05-03 04:24:00,0,0,0,0,0.00K,0,0.00K,0,36.08,-95.87,36.08,-95.87,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +115093,701503,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-03 06:33:00,CST-6,2017-05-03 06:33:00,0,0,0,0,0.00K,0,0.00K,0,35.9419,-95.8833,35.9419,-95.8833,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +115093,701504,OKLAHOMA,2017,May,Hail,"LE FLORE",2017-05-03 07:33:00,CST-6,2017-05-03 07:33:00,0,0,0,0,0.00K,0,0.00K,0,35.1869,-94.7874,35.1869,-94.7874,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +115093,701506,OKLAHOMA,2017,May,Hail,"LE FLORE",2017-05-03 07:53:00,CST-6,2017-05-03 07:53:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-94.62,35.05,-94.62,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +115093,701507,OKLAHOMA,2017,May,Hail,"LATIMER",2017-05-03 08:45:00,CST-6,2017-05-03 08:45:00,0,0,0,0,0.00K,0,0.00K,0,34.95,-95.08,34.95,-95.08,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","" +117114,704601,MISSOURI,2017,May,Thunderstorm Wind,"BATES",2017-05-30 15:59:00,CST-6,2017-05-30 16:02:00,0,0,0,0,,NaN,,NaN,38.4,-94.35,38.4,-94.35,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","Power pole down on Plainview Drive." +117114,704596,MISSOURI,2017,May,Hail,"CASS",2017-05-30 18:26:00,CST-6,2017-05-30 18:27:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-94.61,38.48,-94.61,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117114,704597,MISSOURI,2017,May,Hail,"BATES",2017-05-30 18:42:00,CST-6,2017-05-30 18:42:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-94.59,38.35,-94.59,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117114,704598,MISSOURI,2017,May,Hail,"BATES",2017-05-30 19:30:00,CST-6,2017-05-30 19:30:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-94.5,38.35,-94.5,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704602,KANSAS,2017,May,Hail,"JOHNSON",2017-05-30 17:06:00,CST-6,2017-05-30 17:06:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-94.81,38.89,-94.81,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704604,KANSAS,2017,May,Hail,"JOHNSON",2017-05-30 17:37:00,CST-6,2017-05-30 17:37:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-94.82,38.74,-94.82,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704605,KANSAS,2017,May,Hail,"JOHNSON",2017-05-30 17:39:00,CST-6,2017-05-30 17:39:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-94.83,38.75,-94.83,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704606,KANSAS,2017,May,Hail,"JOHNSON",2017-05-30 17:44:00,CST-6,2017-05-30 17:44:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-94.82,38.74,-94.82,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704607,KANSAS,2017,May,Hail,"MIAMI",2017-05-30 17:47:00,CST-6,2017-05-30 17:47:00,0,0,0,0,0.00K,0,0.00K,0,38.61,-94.94,38.61,-94.94,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117113,704608,KANSAS,2017,May,Hail,"MIAMI",2017-05-30 17:56:00,CST-6,2017-05-30 17:56:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-94.88,38.57,-94.88,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +115103,693252,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"GREENVILLE",2017-04-03 13:25:00,EST-5,2017-04-03 13:32:00,0,0,0,0,10.00K,10000,0.00K,0,34.94,-82.37,34.806,-82.231,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Various sources reported multiple large trees blown down in the Paris Mountain area, particularly along State Park Rd, where metal roofing was also removed from a barn. More sporadic tree damage was reported across the Eastside to the Five Forks area. One tree fell on a vehicle near the intersection of Five Forks Rd and Woodruff Rd." +115448,693253,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ANDERSON",2017-04-05 23:16:00,EST-5,2017-04-05 23:32:00,0,0,0,0,100.00K,100000,0.00K,0,34.343,-82.718,34.479,-82.349,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","EM and other sources reported widespread downed trees and power lines and light to moderate damage to structures. While the swath of damaging winds impacted practically the entire county, the worst damage was found from Starr and Iva to the Honea Path area." +115448,693254,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ANDERSON",2017-04-05 23:32:00,EST-5,2017-04-05 23:34:00,0,0,0,0,20.00K,20000,0.00K,0,34.666,-82.504,34.7,-82.47,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported more than a dozen trees snapped or uprooted in the Piedmont area, particularly in locations around Robinwood Lane. Minor roof damage was also reported to homes, while the roof was blown off one outbuilding and others were damaged by falling trees." +117109,704551,VIRGINIA,2017,May,Thunderstorm Wind,"WISE",2017-05-27 18:05:00,EST-5,2017-05-27 18:05:00,0,0,0,0,,NaN,,NaN,36.95,-82.47,36.95,-82.47,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees were reported down in the Coeburn area on Sandy Ridge Road and Highway 58." +114914,689432,WISCONSIN,2017,March,High Wind,"JEFFERSON",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Two tractor trailers overturned, one on the highway 26 bypass near Jefferson and the other on county highway X in the Town of Watertown. Scattered trees and limbs down across the county." +114914,689456,WISCONSIN,2017,March,High Wind,"KENOSHA",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down throughout the county." +114914,689454,WISCONSIN,2017,March,High Wind,"RACINE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Numerous trees and limbs down across the city of Racine, including uprooted trees. Minor roof damage to a residential home, and the roof torn off another building. Scattered trees and limbs down throughout the county." +117125,704665,TENNESSEE,2017,July,Thunderstorm Wind,"CLAIBORNE",2017-07-06 13:50:00,EST-5,2017-07-06 13:50:00,0,0,0,0,,NaN,,NaN,36.55,-83.46,36.55,-83.46,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Three trees were reported down on Hopewell Road." +117125,704666,TENNESSEE,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-06 18:09:00,EST-5,2017-07-06 18:09:00,0,0,0,0,,NaN,,NaN,36.37,-84.13,36.37,-84.13,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down." +114914,689464,WISCONSIN,2017,March,High Wind,"LAFAYETTE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","Scattered trees and limbs down throughout the county." +115728,703324,ILLINOIS,2017,May,Flood,"CLAY",2017-05-04 14:45:00,CST-6,2017-05-05 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6054,-88.6982,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Clay County. Officials reported that most rural roads were impassable, streets in Flora were flooded and numerous creeks rapidly flooded. Additional rainfall of 0.50 to 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +115728,703326,ILLINOIS,2017,May,Flash Flood,"RICHLAND",2017-05-04 09:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7295,-88.283,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most Richland County. Officials reported that most rural roads were impassable, several streets in Olney were flooded, and numerous creeks rapidly flooded." +117003,703718,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM BAFFIN BAY TO PT MANSFIELD TX EXT FROM 20 TO 60NM",2017-05-04 03:47:00,CST-6,2017-05-04 03:54:00,0,0,0,0,0.00K,0,0.00K,0,26.968,-96.694,26.968,-96.694,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Buoy 42020 reported peak thunderstorm wind gust of 38 knots at 0347 CST." +115826,696118,MARYLAND,2017,May,Thunderstorm Wind,"ANNE ARUNDEL",2017-05-19 18:24:00,EST-5,2017-05-19 18:24:00,0,0,0,0,,NaN,,NaN,38.992,-76.703,38.992,-76.703,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A tree was down near the intersection of Route 450 and Route 3." +115826,696119,MARYLAND,2017,May,Thunderstorm Wind,"ANNE ARUNDEL",2017-05-19 18:36:00,EST-5,2017-05-19 18:36:00,0,0,0,0,,NaN,,NaN,38.96,-76.636,38.96,-76.636,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","A tree was down near Rutland Road and St. George Barber Road." +115826,696120,MARYLAND,2017,May,Thunderstorm Wind,"HOWARD",2017-05-19 21:49:00,EST-5,2017-05-19 21:49:00,0,0,0,0,,NaN,,NaN,39.2019,-76.7505,39.2019,-76.7505,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Numerous trees were down." +116581,701063,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:05:00,EST-5,2017-05-05 07:05:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Baber Point." +116581,701064,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:13:00,EST-5,2017-05-05 07:20:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 34 to 44 knots were reported at Monroe Creek." +116581,701065,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:15:00,EST-5,2017-05-05 07:25:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 34 to 41 knots were reported at Pylons." +116581,701066,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:16:00,EST-5,2017-05-05 07:28:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 34 to 47 knots were reported at Potomac Light." +114183,683896,COLORADO,2017,March,High Wind,"BENT COUNTY",2017-03-24 10:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683895,COLORADO,2017,March,High Wind,"EASTERN KIOWA COUNTY",2017-03-24 10:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683897,COLORADO,2017,March,High Wind,"LAMAR VICINITY / PROWERS COUNTY",2017-03-24 10:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114183,683898,COLORADO,2017,March,High Wind,"SPRINGFIELD VICINITY / BACA COUNTY",2017-03-24 11:00:00,MST-7,2017-03-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent winter storm produced snow and high winds across in I-25 corridor and plains. Some of the higher reported wind gusts included: near 60 mph at Cheraw (Otero County) and Colorado Springs, Fountain, Truckton, Peterson AFB (El Paso County), 60 to 70 mph near Colorado City (Pueblo County), La Veta (Huerfano County), Thatcher and Hoehne (Las Animas County), Springfield (Baca County), Finally, wind gusts of around 75 mph were observed near Campo (Baca County) and Blende (Pueblo County).","" +114187,683907,COLORADO,2017,March,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-03-24 02:00:00,MST-7,2017-03-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +113661,685784,TEXAS,2017,March,Thunderstorm Wind,"KAUFMAN",2017-03-29 02:00:00,CST-6,2017-03-29 02:00:00,0,0,0,0,4.00K,4000,0.00K,0,32.58,-96.5,32.58,-96.5,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported 2 houses with porch and chimney damage in the city of Combine, TX." +113661,685785,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:05:00,CST-6,2017-03-29 02:05:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-96.59,33.65,-96.59,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported trees either snapped or uprooted in the city of Sherman, TX." +113661,685786,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:07:00,CST-6,2017-03-29 02:07:00,0,0,0,0,0.00K,0,0.00K,0,33.4242,-96.667,33.4242,-96.667,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report indicated that trees were either snapped or uprooted near the intersection of FM 121 and Lovers Leap Lane." +113661,685787,TEXAS,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-29 00:03:00,CST-6,2017-03-29 00:03:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-98.15,31.67,-98.15,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","The Hamilton Automated Weather Observation Station reported a 63 MPH wind gust." +113661,685789,TEXAS,2017,March,Thunderstorm Wind,"HOOD",2017-03-29 00:35:00,CST-6,2017-03-29 00:35:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-97.8,32.45,-97.8,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter measured a 65 MPH wind gust in The Hills of Granbury." +113661,685790,TEXAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-29 00:55:00,CST-6,2017-03-29 00:55:00,0,0,0,0,0.00K,0,0.00K,0,32.38,-97.44,32.38,-97.44,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Fire and Rescue reported a 60 MPH wind gust between the towns of Cleburne and Godley." +113661,685792,TEXAS,2017,March,Thunderstorm Wind,"MILAM",2017-03-29 01:59:00,CST-6,2017-03-29 01:59:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-96.97,30.85,-96.97,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","The Cameron, TX Automated Weather Observation Station reported a wind gust of 70 MPH." +113212,690327,GEORGIA,2017,March,Drought,"WHITE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684600,GEORGIA,2017,March,Winter Weather,"WHITFIELD",2017-03-11 21:00:00,EST-5,2017-03-12 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","Reports from a trained spotter and on social media showed around a half of an inch of snow accumulation on grassy and elevated surfaces in the Dalton and Tunnel Hill areas." +113212,690345,GEORGIA,2017,March,Drought,"HALL",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690363,GEORGIA,2017,March,Drought,"CARROLL",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114035,682977,NORTH CAROLINA,2017,March,Thunderstorm Wind,"WILKES",2017-03-27 17:30:00,EST-5,2017-03-27 17:30:00,0,0,0,0,0.50K,500,0.00K,0,36.1946,-81.0932,36.1946,-81.0932,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","A large tree was blown down by thunderstorm winds at the intersection of River Road and Liberty Grove Road." +114035,682978,NORTH CAROLINA,2017,March,Thunderstorm Wind,"WILKES",2017-03-27 17:30:00,EST-5,2017-03-27 17:30:00,0,0,0,0,0.50K,500,0.00K,0,36.3474,-81.0295,36.3474,-81.0295,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","A large tree was blown down by thunderstorm winds along Traphill Road." +114035,682981,NORTH CAROLINA,2017,March,Thunderstorm Wind,"WILKES",2017-03-27 17:45:00,EST-5,2017-03-27 17:45:00,0,0,0,0,0.50K,500,0.00K,0,36.2536,-80.9198,36.2536,-80.9198,"A few thunderstorms developed ahead of a strong cold front during the afternoon and evening of the March 27th, a few of which intensified and became severe for short periods of time.","A large tree was blown down by thunderstorm winds along Little Elkin Church Road." +114853,689004,NORTH CAROLINA,2017,March,Heavy Rain,"WATAUGA",2017-03-31 06:07:00,EST-5,2017-03-31 06:07:00,0,0,0,0,0.00K,0,0.00K,0,36.2303,-81.5004,36.2303,-81.5004,"An upper low emerged from the southern plains into the Ohio Valley March 30-31 with an associated surface low lifting north into the Great Lakes. This system brought the most widespread rainfall of the month with amounts ending at 12z (8 AM EDT) on the 31st reaching 2-4 inches across parts of the North Carolina mountains. Several rain gages in Watauga County saw more than three inches including Sandy Flats IFLOWS (SDRN7) 4.55���, Watagua R/Foscoe (FOSN7) 3.82���, Boone 1 SE COOP (BOON7) 3.26���, Parkway School IFLOWS (EKCN7) and Boone RG (BONN7) 3.09���. Runoff from the rainfall pushed the Watauga River above Minor flood stage. Several roads were reported with standing water on them and a significant mudslide/debris flow was reported in the Deep Gap area, closing the Blue Ridge Parkway.","A large debris flow closed a portion of the Blue Ridge Parkway in the Deep Gap area. A smaller debris flow washed onto a portion of Route 321." +114853,689005,NORTH CAROLINA,2017,March,Flood,"WATAUGA",2017-03-31 05:18:00,EST-5,2017-03-31 11:18:00,0,0,0,0,0.00K,0,0.00K,0,36.2076,-81.7682,36.2111,-81.7707,"An upper low emerged from the southern plains into the Ohio Valley March 30-31 with an associated surface low lifting north into the Great Lakes. This system brought the most widespread rainfall of the month with amounts ending at 12z (8 AM EDT) on the 31st reaching 2-4 inches across parts of the North Carolina mountains. Several rain gages in Watauga County saw more than three inches including Sandy Flats IFLOWS (SDRN7) 4.55���, Watagua R/Foscoe (FOSN7) 3.82���, Boone 1 SE COOP (BOON7) 3.26���, Parkway School IFLOWS (EKCN7) and Boone RG (BONN7) 3.09���. Runoff from the rainfall pushed the Watauga River above Minor flood stage. Several roads were reported with standing water on them and a significant mudslide/debris flow was reported in the Deep Gap area, closing the Blue Ridge Parkway.","Several roads were closed by high water including the low water bridge across the Watauga River at Dewitt Barnett Road in Valle Crucis. The Watauga River at Sugar Grove (SGWN7) crested above Minor flood stage, cresting early on the 31st at 7.32 feet (Minor FS = 7 feet)." +113054,686870,NORTH DAKOTA,2017,March,Heavy Snow,"DIVIDE",2017-03-06 09:00:00,CST-6,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","An estimated seven inches of snow fell in southern Divide County." +113054,689178,NORTH DAKOTA,2017,March,Blizzard,"DIVIDE",2017-03-07 11:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113202,678311,TEXAS,2017,March,Tornado,"CROSBY",2017-03-28 15:26:00,CST-6,2017-03-28 15:34:00,0,0,0,0,0.00K,0,0.00K,0,33.6456,-101.1935,33.6762,-101.1715,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","An off-duty NWS employee observed a cone tornado develop near the edge of the Caprock about 2.5 miles southeast of Crosbyton. This tornado crossed U.S. Highway 82, but did not produce any visible damage to trees or power lines in the area. This tornado was later absorbed by a larger mesocyclone to its north that went on to produce a sizable tornado in northeast Crosby County." +113202,678312,TEXAS,2017,March,Tornado,"CROSBY",2017-03-28 15:34:00,CST-6,2017-03-28 15:43:00,0,0,0,0,,NaN,0.00K,0,33.6893,-101.1791,33.716,-101.1957,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","A cyclic supercell responsible for the prior tornado in Crosby County produced a large tornado about five miles northeast of Crosbyton, before wrapping in rain. Radar indicated this tornado moved slowly northwest before decaying nearly ten minutes after development. The rugged landscape at the base of the Caprock did not allow for a storm damage survey." +113202,678314,TEXAS,2017,March,Tornado,"FLOYD",2017-03-28 16:17:00,CST-6,2017-03-28 16:18:00,0,0,0,0,0.00K,0,0.00K,0,33.889,-101.0698,33.8964,-101.0639,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","A storm chaser reported a brief tornado wrapped in rain crossing County Road 28. No damage was reported." +113646,690613,INDIANA,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-30 18:10:00,EST-5,2017-03-30 18:10:00,0,0,0,0,5.00K,5000,0.00K,0,39.92,-85.9,39.92,-85.9,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","An estimated 67 mph thunderstorm wind gust blew down lawn equipment and small tree limbs." +117007,703733,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM 5NM N OF PT MANSFIELD TO BAFFIN BAY TX",2017-05-23 20:24:00,CST-6,2017-05-23 20:36:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"Showers and thunderstorms developed ahead and along a weak cold front pushing south across Texas. Some of these storms produced wind gusts in excess of 34 knots across the northern Laguna Madre.","Baffin Bay TCOON site reported peak thunderstorm wind gust of 39 knots at 2036 CST." +117007,703734,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM 5NM N OF PT MANSFIELD TO BAFFIN BAY TX",2017-05-23 21:36:00,CST-6,2017-05-23 21:42:00,0,0,0,0,0.00K,0,0.00K,0,26.801,-97.471,26.801,-97.471,"Showers and thunderstorms developed ahead and along a weak cold front pushing south across Texas. Some of these storms produced wind gusts in excess of 34 knots across the northern Laguna Madre.","Rincon del San Jose TCOON site reported peak thunderstorm wind gust of 36 knots." +117008,703736,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM BAFFIN BAY TO PT MANSFIELD TX EXT FROM 20 TO 60NM",2017-05-29 07:57:00,CST-6,2017-05-29 07:57:00,0,0,0,0,0.00K,0,0.00K,0,26.968,-96.694,26.968,-96.694,"An intense line of bowing convection ahead of a cold front, moved east southeast across the lower Texas coastal waters. These storms produced winds in excess of 34 knots.","Buoy 42020 reported peak thunderstorm wind gust of 34 knots at 0757 CST." +117008,703737,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-05-29 02:30:00,CST-6,2017-05-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,26.262,-97.285,26.262,-97.285,"An intense line of bowing convection ahead of a cold front, moved east southeast across the lower Texas coastal waters. These storms produced winds in excess of 34 knots.","Realitos TCOON site reported peak thunderstorm wind gust of 40 knots at 0236 CST." +117008,703739,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-05-29 03:42:00,CST-6,2017-05-29 04:32:00,0,0,0,0,0.00K,0,0.00K,0,26.067,-97.155,26.067,-97.155,"An intense line of bowing convection ahead of a cold front, moved east southeast across the lower Texas coastal waters. These storms produced winds in excess of 34 knots.","South Padre Island Coast Guard station reported peak thunderstorm wind gust of 36 knots at 0342 CST." +117042,703981,TEXAS,2017,May,Hail,"STARR",2017-05-21 19:00:00,CST-6,2017-05-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,26.42,-99.08,26.42,-99.08,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Public reported half dollar size hail in Fronton." +114280,690095,GEORGIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-21 19:55:00,EST-5,2017-03-21 20:15:00,0,0,1,0,100.00K,100000,,NaN,34.1688,-83.7468,34.0907,-83.7065,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Jackson County Emergency Manager reported numerous trees and power lines blown down across the far western portion of the county. Trees were snapped at Guy Cooper Road and Highway 60. A tree fell onto a building and the roof was blow off of the building along Highway 332 east of Braselton. On Cambridge Farm Road in Hoschton, a tree fell onto a house killing a 29 year old man inside." +114280,690134,GEORGIA,2017,March,Thunderstorm Wind,"OCONEE",2017-03-21 20:06:00,EST-5,2017-03-21 20:35:00,0,0,0,0,20.00K,20000,,NaN,33.9057,-83.5819,33.7497,-83.3668,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Oconee County Sheriffs Office reported numerous trees blown down across the county from around Birchmore southeast to around Farmington and Elder." +114280,690131,GEORGIA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-21 20:05:00,EST-5,2017-03-21 20:20:00,0,0,0,0,20.00K,20000,,NaN,34.0756,-83.5613,34.0756,-83.5613,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Jackson County Fire Department reported trees blown down on cars in Arcade. No injuries were reported." +115754,695764,TENNESSEE,2017,May,Strong Wind,"SHELBY",2017-05-05 11:30:00,CST-6,2017-05-05 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A departing storm system brought a period of strong northeast winds across portions of southwest Tennessee during the midday hours of May 5th.","Several tree limbs and one medium size tree down across Cordova." +115754,695765,TENNESSEE,2017,May,Strong Wind,"SHELBY",2017-05-05 11:30:00,CST-6,2017-05-05 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A departing storm system brought a period of strong northeast winds across portions of southwest Tennessee during the midday hours of May 5th.","Back entrance awning damaged at Grahamwood Elementary school." +115398,692870,GEORGIA,2017,May,Tornado,"JEFF DAVIS",2017-05-04 13:20:00,EST-5,2017-05-04 13:23:00,0,0,0,0,0.00K,0,0.00K,0,31.6869,-82.6207,31.6929,-82.6207,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Three older outbuildings were destroyed and three others were damaged along the tornado path. There were several trees that were uprooted or that had snapped tree trunks." +113646,690620,INDIANA,2017,March,Hail,"MADISON",2017-03-30 16:06:00,EST-5,2017-03-30 16:08:00,0,0,0,0,,NaN,,NaN,40.1058,-85.7448,40.1058,-85.7448,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113228,678488,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN VALLEY",2017-02-05 08:00:00,PST-8,2017-02-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Tonasket reported 5.8 inches of new snow." +113228,678489,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN VALLEY",2017-02-05 08:00:00,PST-8,2017-02-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer in Omak reported 5 inches of new snow." +115398,692871,GEORGIA,2017,May,Thunderstorm Wind,"ATKINSON",2017-05-04 12:16:00,EST-5,2017-05-04 12:16:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-82.93,31.38,-82.93,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Several trees were blown down as well as large branches. Sheet metal on an out building was peeled back. The time of damage was based on radar." +113563,679821,NEW YORK,2017,February,Blizzard,"NORTHWEST SUFFOLK",2017-02-09 08:00:00,EST-5,2017-02-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Nearby MacArthur and Republic Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and afternoon on February 9th." +113406,678606,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","An observer 7 miles north of St. Maries reported 7.2 inches of new snow accumulation." +113406,678607,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","An observer in Kellogg reported 7 inches of new snow accumulation. Another observer in Kellogg reported 6.5 inches." +114174,683738,WYOMING,2017,February,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-02-21 10:00:00,MST-7,2017-02-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds aloft and a large post-frontal pressure gradient produced high winds across much of southeast Wyoming. Occasional gusts of 65 to 75 mph were observed.","The wind sensor at the Converse County Airport measured sustained winds of 40 mph or higher." +115398,692872,GEORGIA,2017,May,Thunderstorm Wind,"BACON",2017-05-04 13:10:00,EST-5,2017-05-04 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.62,-82.57,31.62,-82.57,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Trees were blown down. The time of damage was based on radar." +115398,692874,GEORGIA,2017,May,Thunderstorm Wind,"WAYNE",2017-05-04 14:30:00,EST-5,2017-05-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,31.59,-81.88,31.59,-81.88,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A power pole was snapped with fences also heavily damaged near Oak Villa Drive." +115398,692873,GEORGIA,2017,May,Thunderstorm Wind,"WAYNE",2017-05-04 13:28:00,EST-5,2017-05-04 13:28:00,0,0,0,0,0.00K,0,0.00K,0,31.6,-81.88,31.6,-81.88,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Part of a building was blown down onto a car near North Brunswick Road. The time of damage was based on radar." +115399,692875,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:18:00,EST-5,2017-05-04 15:18:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.56,30.34,-81.56,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A tree was blown down. The time of damage was based on radar." +111850,676871,ALABAMA,2017,January,Thunderstorm Wind,"CULLMAN",2017-01-22 15:15:00,CST-6,2017-01-22 15:15:00,0,0,0,0,1.00K,1000,,NaN,34.18,-86.85,34.18,-86.85,"Strong, sub-severe thunderstorms produced minor tree damage and heavy rainfall. Rainfall totals of 2-5 were reported, causing flooding issues.","One small tree and one large tree down near the intersection of Denson Ave and Beth St in Cullman." +115535,693671,FLORIDA,2017,May,Heavy Rain,"ST. JOHNS",2017-05-23 23:00:00,EST-5,2017-05-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-81.44,30.1,-81.44,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","Rainfall since midnight was 6.59 inches in Nocatee. The total measured since Monday was 9.59 inches." +115535,693672,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-24 06:00:00,EST-5,2017-05-24 16:22:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.59,30.3,-81.59,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","An observer measured 2.21 inches since 0700 EDT and 6.22 inches since Monday." +115535,693683,FLORIDA,2017,May,Tornado,"ST. JOHNS",2017-05-24 07:53:00,EST-5,2017-05-24 07:54:00,0,0,0,0,0.00K,0,0.00K,0,29.6963,-81.2297,29.7,-81.22,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","A weak waterspout formed over the intracoastal waterway and then track just south of Summerhaven and then across the Atlantic Ocean where it dissipated. There was no observed damage as the waterspout moved across the barrier island, and thus an EF rating was not assigned. The width of the spout was unknown and estimated for use in Storm Data." +115535,693689,FLORIDA,2017,May,Thunderstorm Wind,"CLAY",2017-05-24 13:31:00,EST-5,2017-05-24 13:31:00,0,0,0,0,2.00K,2000,0.00K,0,30.08,-81.87,30.08,-81.87,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","Power lines were blown down on Scenic Drive. The cost of damage was estimated so that the damage could be included in Storm Data. The time of the damage was based on radar." +115535,693692,FLORIDA,2017,May,Thunderstorm Wind,"ST. JOHNS",2017-05-24 04:00:00,EST-5,2017-05-24 04:00:00,0,0,0,0,2.00K,2000,0.00K,0,29.89,-81.31,29.89,-81.31,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","A tree limb was blown down over power lines and onto a vehicle. The cost of damage was unknown but estimated for the event to be included in Storm Data." +115537,693693,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-05-24 11:25:00,EST-5,2017-05-24 11:25:00,0,0,0,0,0.00K,0,0.00K,0,30.41,-81.42,30.41,-81.42,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","A mesonet site at Huguenot Park measured a wind gust to 40 mph." +113563,679829,NEW YORK,2017,February,Blizzard,"SOUTHERN WESTCHESTER",2017-02-09 09:56:00,EST-5,2017-02-09 12:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","White Plains Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +114025,682893,WYOMING,2017,February,Winter Weather,"SIERRA MADRE RANGE",2017-02-03 17:00:00,MST-7,2017-02-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snowfall and strong westerly winds. Blowing and falling snow caused poor visibilities.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated nine inches of snow." +114026,682900,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-04 10:45:00,MST-7,2017-02-04 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 04/1110 MST." +114026,682902,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-04 01:10:00,MST-7,2017-02-04 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 61 mph at 04/0120 MST." +114026,682903,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-04 01:55:00,MST-7,2017-02-04 09:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +114026,682904,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-04 12:45:00,MST-7,2017-02-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Herrick Lane measured wind gusts of 58 mph or higher, with a peak gust of 63 mph at 04/1250 MST." +114026,682911,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 00:15:00,MST-7,2017-02-04 03:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 04/0220 MST." +114026,682912,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 12:45:00,MST-7,2017-02-04 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +114026,682913,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 13:10:00,MST-7,2017-02-04 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 04/1400 MST." +114026,682914,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE COUNTY",2017-02-04 02:50:00,MST-7,2017-02-04 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 04/0305 MST." +114026,682901,WYOMING,2017,February,High Wind,"EAST PLATTE COUNTY",2017-02-04 12:15:00,MST-7,2017-02-04 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 04/1315 MST." +114026,682915,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE COUNTY",2017-02-04 02:58:00,MST-7,2017-02-04 02:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The wind sensor at the FE Warren AFB Heliport measured a peak gust of 58 mph." +112716,673033,WASHINGTON,2017,February,High Wind,"EAST PUGET SOUND LOWLANDS",2017-02-01 11:08:00,PST-8,2017-02-02 08:08:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred in an easterly wind event around Enumclaw.","Spotter 5 miles west of Enumclaw reported gusts to 63 mph with trees down and power out at 440 PM on Feb 1. Another spotter 1 mile northeast of Enumclaw reported 63 mph gusts at 1208 PM on Feb 1. The Enumclaw RAWS reported 31g70 mph from 1108 AM on Feb 1 to 808 AM on Feb 2." +114390,685556,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 03:30:00,MST-7,2017-02-06 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 06/0450 MST." +114390,685577,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 19:00:00,MST-7,2017-02-10 01:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 10/0135 MST." +114390,685581,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 03:30:00,MST-7,2017-02-06 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 06/0420 MST." +114390,685583,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 20:35:00,MST-7,2017-02-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 10/1125 MST." +114622,687654,WYOMING,2017,February,Blizzard,"SOUTHWEST CARBON COUNTY",2017-02-23 03:00:00,MST-7,2017-02-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The combination of heavy snowfall and northwest winds gusting to 40 mph created blizzard conditions. Visibilities at Baggs and Dixon were less than a quarter mile for several hours." +114622,687655,WYOMING,2017,February,Blizzard,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-02-23 03:00:00,MST-7,2017-02-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The combination of heavy snowfall and northwest winds gusting to 45 mph created blizzard conditions. Visibilities were reduced to less than a quarter mile for several hours at Muddy Gap." +113908,682311,CALIFORNIA,2017,February,Heavy Rain,"TRINITY",2017-02-09 03:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,4.00M,4000000,0.00K,0,40.4663,-123.5447,40.4663,-123.5447,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Culvert failures and slipouts along Highway 36 in Trinity County from mile post 2 to 14." +113908,682316,CALIFORNIA,2017,February,Heavy Rain,"HUMBOLDT",2017-02-09 01:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,700.00K,700000,0.00K,0,41.2779,-123.8269,41.2779,-123.8269,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Slipouts and damage to Highway 169 from mile post 15 to 30." +116299,699274,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-05-24 13:52:00,EST-5,2017-05-24 13:57:00,0,0,0,0,,NaN,0.00K,0,32.7585,-79.9529,32.7585,-79.9529,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site near Charleston measured a 35 knot wind gust." +116299,699275,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 13:15:00,EST-5,2017-05-24 14:05:00,0,0,0,0,,NaN,0.00K,0,32.7847,-79.7854,32.7847,-79.7854,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site at the Isle of Palms pier measured a 36 knot wind gust. The peak wind gust of 41 knots occurred 40 minutes later." +116299,699276,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 14:08:00,EST-5,2017-05-24 14:13:00,0,0,0,0,,NaN,0.00K,0,32.8,-79.62,32.8,-79.62,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The CORMP buoy near Capers Island measured a 41 knot wind gust." +116299,699277,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-05-24 14:20:00,EST-5,2017-05-24 14:25:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","Buoy 41004 measured a 35 knot wind gust." +114622,687696,WYOMING,2017,February,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to thirteen inches of snow was observed, heaviest 25 miles north of Cheyenne." +114622,687697,WYOMING,2017,February,Winter Storm,"EAST LARAMIE COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Four to eight inches of snow was reported, heaviest at Gun Barrel and Albin." +113908,693390,CALIFORNIA,2017,February,High Wind,"SOUTHWESTERN HUMBOLDT",2017-02-08 22:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Cooskie Mountain RAWS reported gusts 55 to 70 mph at 2945 ft elevation." +113662,680331,UTAH,2017,February,Winter Storm,"WESTERN UINTA MOUNTAINS",2017-02-06 10:00:00,MST-7,2017-02-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system brought strong winds to northern Utah, with heavy snowfall also falling in the northern mountains.","The Trial Lake SNOTEL received 2.40 inches of liquid equivalent precipitation, or approximately 20 inches of snow. In addition, winds were strong through the event, with peak recorded gusts of 101 mph at the Chepeta RAWS, 88 mph at Windy Peak, and 80 mph at Lofty Lake Peak." +114529,686853,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 12 inches of snow." +113833,681600,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-25 22:20:00,MST-7,2017-02-25 22:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +114861,689073,SOUTH DAKOTA,2017,February,Flood,"BROWN",2017-02-21 12:15:00,CST-6,2017-02-23 03:00:00,0,0,0,0,0.00K,0,0.00K,0,45.9342,-98.4681,45.9351,-98.4315,"Snow melt runoff caused the James River near Columbia to go above the flood stage of 13 feet on the 21st. The river reached a high point of 15.74 feet on February 24th. The river continued to flood into March. Lowland flooding was the main impact.||The Maple River near Frederick also went into minor flood stage for a few days rising to nearly a foot above the flood stage of 10 feet from the 21st to the 23rd.","" +113670,682240,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-02-21 00:00:00,MST-7,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Powder Mountain received 34 inches of snow for the event. In addition, winds were strong through the storm, with peak wind gusts of 90 mph at Ogden Peak, 81 mph at Sherwood Hills, 77 mph at Powder Mountain, and 76 mph at the SR-65 at Big Mountain Pass sensor." +113670,682242,UTAH,2017,February,Winter Storm,"WESTERN UINTA MOUNTAINS",2017-02-21 00:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","The Chalk Creek #1 SNOTEL received 2.00 inches of liquid equivalent precipitation, or approximately 30 inches of snow. In addition, Windy Peak recorded a maximum wind gust of 79 mph, while the Chepeta RAWS recorded a peak gust of 77 mph." +113670,681643,UTAH,2017,February,Thunderstorm Wind,"CACHE",2017-02-21 15:00:00,MST-7,2017-02-21 15:30:00,0,0,0,0,60.00K,60000,0.00K,0,41.86,-111.9,41.63,-111.93,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Thunderstorms along the cold front produced strong winds across the Cache Valley, with a peak recorded gust of 53 mph at the Logan-Cache Airport ASOS. Several damage reports were received across the valley, including nine power poles that were knocked down in Wellsville and two power poles that were knocked over in Amalga. In addition, a 50-foot tree was knocked over and fell onto a mobile home in Smithfield." +113310,678119,ILLINOIS,2017,February,Tornado,"STARK",2017-02-28 16:12:00,CST-6,2017-02-28 16:19:00,0,0,0,0,100.00K,100000,0.00K,0,41.1113,-89.7134,41.1569,-89.6386,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","A tornado touched down 0.8 miles southwest of Castleton at 4:12 PM CST. The tornado then tracked northeastward...damaging trees, an outbuilding, and a few homes before crossing into extreme southwestern Bureau County in the National Weather Service Davenport County Warning Area (CWA) at 4:19 PM CST." +113310,678121,ILLINOIS,2017,February,Tornado,"PEORIA",2017-02-28 17:15:00,CST-6,2017-02-28 17:17:00,0,0,0,0,75.00K,75000,0.00K,0,40.878,-89.5212,40.88,-89.5044,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","A weak tornado touched down 0.9 miles west-southwest of Rome at 5:15 PM CST. The tornado tracked through Rome, before lifting just before reaching the Illinois River at 5:17 PM CST. Minor damage occurred to a few buildings and several trees." +114172,683736,NEBRASKA,2017,February,Winter Weather,"BOX BUTTE",2017-02-02 09:00:00,MST-7,2017-02-02 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced light to moderate snowfall over parts of Dawes, Sioux and Box Butte counties in the Nebraska Panhandle.","Four to five inches of snow was observed at Alliance." +114518,686731,ALASKA,2017,February,Blizzard,"CHUKCHI SEA COAST",2017-02-22 14:30:00,AKST-9,2017-02-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska and the Bering strait. Strong winds and blizzard conditions along the coastal areas were reported. |||Zone 207: Blizzard conditions and low visibility reported at the Point Lay AWOS.||Zone 207: Blizzard conditions and low visibility reported at the Kivalina ASOS.||Zone 209: Blizzard conditions and low visibility reported at the Kotzebue ASOS.||Zone 213: Blizzard conditions and low visibility reported at the Gambell AWOS. A peak wind of 58 kt (67 mph) was reported.","" +114518,686753,ALASKA,2017,February,Blizzard,"WESTERN ARCTIC COAST",2017-02-22 13:44:00,AKST-9,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska and the Bering strait. Strong winds and blizzard conditions along the coastal areas were reported. |||Zone 207: Blizzard conditions and low visibility reported at the Point Lay AWOS.||Zone 207: Blizzard conditions and low visibility reported at the Kivalina ASOS.||Zone 209: Blizzard conditions and low visibility reported at the Kotzebue ASOS.||Zone 213: Blizzard conditions and low visibility reported at the Gambell AWOS. A peak wind of 58 kt (67 mph) was reported.","" +114518,686755,ALASKA,2017,February,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-02-22 00:00:00,AKST-9,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska and the Bering strait. Strong winds and blizzard conditions along the coastal areas were reported. |||Zone 207: Blizzard conditions and low visibility reported at the Point Lay AWOS.||Zone 207: Blizzard conditions and low visibility reported at the Kivalina ASOS.||Zone 209: Blizzard conditions and low visibility reported at the Kotzebue ASOS.||Zone 213: Blizzard conditions and low visibility reported at the Gambell AWOS. A peak wind of 58 kt (67 mph) was reported.","" +114529,686848,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 12 inches of snow." +114529,686850,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 14 inches of snow." +113171,677269,GEORGIA,2017,February,Drought,"LUMPKIN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +114861,689058,SOUTH DAKOTA,2017,February,Flood,"BROWN",2017-02-21 17:30:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,45.93,-98.22,45.93,-98.13,"Snow melt runoff caused the James River near Columbia to go above the flood stage of 13 feet on the 21st. The river reached a high point of 15.74 feet on February 24th. The river continued to flood into March. Lowland flooding was the main impact.||The Maple River near Frederick also went into minor flood stage for a few days rising to nearly a foot above the flood stage of 10 feet from the 21st to the 23rd.","" +115178,691700,LOUISIANA,2017,May,Thunderstorm Wind,"NATCHITOCHES",2017-05-28 18:50:00,CST-6,2017-05-28 18:50:00,0,0,0,0,0.00K,0,0.00K,0,31.766,-93.0784,31.766,-93.0784,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Trees were blown down on homes on Loren Avenue and Fifth Street. Trees were snapped or uprooted on the Northwestern State University campus at Tarlton Drive and Chaplins Lake. A large tree was blown down on a lot at St. Clair and Williams Avenue. Power lines were down on Harling Lane. Other tree damage and limbs were down across the city." +115236,697164,IOWA,2017,May,Hail,"CHICKASAW",2017-05-15 17:40:00,CST-6,2017-05-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-92.09,43.16,-92.09,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Egg sized hail fell northeast of Little Turkey." +115236,697200,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 17:56:00,CST-6,2017-05-15 17:56:00,0,0,0,0,8.00K,8000,0.00K,0,43.18,-91.86,43.18,-91.86,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","A wind gust to 82 mph occurred in Calmar. Several trees were blown down and one building suffered damage to the siding." +115236,697201,IOWA,2017,May,Hail,"WINNESHIEK",2017-05-15 17:59:00,CST-6,2017-05-15 17:59:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-91.87,43.18,-91.87,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Egg sized hail fell in Calmar." +115236,697205,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 18:10:00,CST-6,2017-05-15 18:10:00,0,0,0,0,2.00K,2000,0.00K,0,43.14,-91.61,43.14,-91.61,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Numerous trees were blown down south of Frankville." +114674,687850,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-08 20:40:00,CST-6,2017-05-08 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-93.37,43.14,-93.37,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Public reported quarter sized hail via social media." +114679,687870,IOWA,2017,May,Heavy Rain,"ADAIR",2017-05-10 11:45:00,CST-6,2017-05-10 12:45:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-94.44,41.21,-94.44,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Trained spotter reported a 1 hour heavy rainfall total of 1.22 inches since 12:45pm CDT." +114679,687871,IOWA,2017,May,Heavy Rain,"DALLAS",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-93.8,41.59,-93.8,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","NWS Employee reported 24 hour rainfall total of 1.00 inches." +114679,687872,IOWA,2017,May,Heavy Rain,"POWESHIEK",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-92.55,41.59,-92.55,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.42 inches." +112844,675967,MISSOURI,2017,March,Thunderstorm Wind,"MORGAN",2017-03-06 22:50:00,CST-6,2017-03-06 22:50:00,0,0,0,0,5.00K,5000,0.00K,0,38.25,-92.83,38.25,-92.83,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown on to a house near Highway 5." +112844,675968,MISSOURI,2017,March,Thunderstorm Wind,"JASPER",2017-03-06 21:51:00,CST-6,2017-03-06 21:51:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.5,37.15,-94.5,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A sixty-one mph wind gust was measured at the Joplin ASOS." +112844,675969,MISSOURI,2017,March,Thunderstorm Wind,"POLK",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.61,-93.41,37.61,-93.41,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Numerous large trees branches and several trees were blown down. A section of a wooden fence was blown down." +112844,675970,MISSOURI,2017,March,Thunderstorm Wind,"JASPER",2017-03-06 22:02:00,CST-6,2017-03-06 22:02:00,0,0,0,0,5.00K,5000,0.00K,0,37.24,-94.42,37.24,-94.42,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A well built barn was destroyed near Pine Road and 210 Road north of Alba." +112844,675971,MISSOURI,2017,March,Thunderstorm Wind,"HICKORY",2017-03-06 22:15:00,CST-6,2017-03-06 22:15:00,0,0,0,0,1.00K,1000,0.00K,0,37.96,-93.15,37.96,-93.15,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown on to an outbuilding." +112844,675972,MISSOURI,2017,March,Tornado,"MORGAN",2017-03-06 22:36:00,CST-6,2017-03-06 22:37:00,0,0,0,0,100.00K,100000,0.00K,0,38.2468,-92.7159,38.2461,-92.7099,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","An EF-0 tornado damaged some outbuildings and docks south of Rocky Mount in Morgan County. Maximum wind speed was estimated 75 to 85 mph." +112844,675973,MISSOURI,2017,March,Thunderstorm Wind,"HOWELL",2017-03-07 00:40:00,CST-6,2017-03-07 00:40:00,0,0,0,0,5.00K,5000,0.00K,0,36.73,-91.9,36.73,-91.9,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Shingles were blown off a roof and large tree limbs were blown down. Siding was blown off several houses near the fairgrounds." +112920,675084,IOWA,2017,March,Thunderstorm Wind,"BLACK HAWK",2017-03-06 19:58:00,CST-6,2017-03-06 19:58:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-92.4,42.56,-92.4,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Waterloo ASOS recorded a 59 mph wind gust." +112920,675079,IOWA,2017,March,Thunderstorm Wind,"DECATUR",2017-03-06 19:33:00,CST-6,2017-03-06 19:33:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-93.94,40.62,-93.94,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Lamoni ASOS recorded a 77 mph wind gust." +112920,675085,IOWA,2017,March,Thunderstorm Wind,"BLACK HAWK",2017-03-06 20:00:00,CST-6,2017-03-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-92.44,42.5,-92.44,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported wind gusts to 60 mph." +114241,684367,INDIANA,2017,March,Flood,"WARRICK",2017-03-04 16:00:00,CST-6,2017-03-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9402,-87.4065,37.9423,-87.3969,"A combination of rainfall at the end of February and the first part of March sent the Ohio and White Rivers above flood stage.","Minor flooding occurred along the Ohio River at Newburgh. Low-lying woods and fields near the river were inundated." +114241,684371,INDIANA,2017,March,Flood,"PIKE",2017-03-03 10:00:00,EST-5,2017-03-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5095,-87.3008,38.5301,-87.2538,"A combination of rainfall at the end of February and the first part of March sent the Ohio and White Rivers above flood stage.","Minor flooding occurred along the White River. Low-lying woods and fields near the river were inundated. Lowland flooding affected nearly a dozen Pike County roads, including County Roads 750N, 600N, 1000E, 250W, 400W, 675N, and several others. Some low oil fields were flooded." +114241,684370,INDIANA,2017,March,Flood,"GIBSON",2017-03-04 07:00:00,CST-6,2017-03-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-87.53,38.4915,-87.4972,"A combination of rainfall at the end of February and the first part of March sent the Ohio and White Rivers above flood stage.","Minor flooding occurred along the White River. Low-lying woods and fields near the river were flooded. Low-lying oil fields and a few low rural roads were flooded. High water isolated Pottstown, a cluster of river cabins." +114245,684392,ILLINOIS,2017,March,Strong Wind,"UNION",2017-03-06 21:00:00,CST-6,2017-03-07 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds preceded a cold front as it approached the region from western Missouri. Along and north of a line from Carbondale to Harrisburg, winds gusted to around 50 mph locally. The highest reported wind gusts that were above 45 mph included: 55 mph at the Williamson County Regional Airport near Marion, 53 mph at the Mount Vernon airport, 52 mph at the Southern Illinois Airport near Carbondale, and 48 mph at Harrisburg. There was an unofficial wind gust to 57 mph measured at a television station in Carterville (Williamson County). Some minor damage was reported in the Marion and Harrisburg areas. Just east of Marion, a door and a window of a sunroom were blown off a house. In Harrisburg, a dogwood tree was blown down.","" +114254,684527,ILLINOIS,2017,March,Dense Fog,"ALEXANDER",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684528,ILLINOIS,2017,March,Dense Fog,"PULASKI",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +115701,695301,IOWA,2017,May,Hail,"WINNEBAGO",2017-05-16 20:31:00,CST-6,2017-05-16 20:31:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-93.64,43.33,-93.64,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported quarter sized hail ongoing at the time of the report." +115701,695303,IOWA,2017,May,Thunderstorm Wind,"WRIGHT",2017-05-16 20:35:00,CST-6,2017-05-16 20:35:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.76,42.74,-93.76,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Clarion AWOS reported 48 mph winds with gusts to 60 mph." +113675,684713,ILLINOIS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 03:04:00,CST-6,2017-03-01 03:10:00,0,0,0,0,25.00K,25000,0.00K,0,38.32,-88.9,38.2688,-88.8348,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","In Mt. Vernon, a portable shed was blown across a roadway, and some roofing was blown off a hospital. Four to five miles south through southeast of Mt. Vernon, a couple of houses lost shingles." +114188,683925,MISSOURI,2017,March,Tornado,"BUTLER",2017-03-09 18:32:00,CST-6,2017-03-09 18:44:00,0,0,0,0,25.00K,25000,0.00K,0,36.8917,-90.5408,36.8406,-90.4453,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Peak winds were estimated near 105 mph. Much of the path was in a remote area of the Mark Twain National Forest. The most intense tree damage was where the tornado crossed U.S. Highway 67, about 1.5 miles north of the Highway 60/67 split. About half of the trees in this wooded area were uprooted, including dozens of oak trees and pine trees. Numerous pine trees were uprooted along County Road 522, and a few of them were snapped. A trained spotter observed the tornado from a distance. The tornado track ended about four miles north-northwest of Poplar Bluff." +114188,683928,MISSOURI,2017,March,Tornado,"STODDARD",2017-03-09 19:03:00,CST-6,2017-03-09 19:07:00,0,0,0,0,75.00K,75000,0.00K,0,36.8531,-90.2082,36.8424,-90.1691,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Peak winds were estimated near 95 mph in this tornado that occurred northwest of Dudley. The most intense damage was on Highway 51, where a residence lost doors and windows, the roof was damaged, and large trees were blown down. A nearby large barn lost a wall and portion of the metal roof. Roofing debris consisting of shingles and tin was deposited at a residence near the end of the track, about a mile east of Highway 51. This residence lost a few shingles, outbuildings were damaged, and cedar trees were pushed over. Near the beginning of the damage track, a large tree landed on a well-built garage, and a gazebo was blown about 100 yards." +114188,683953,MISSOURI,2017,March,Tornado,"STODDARD",2017-03-09 20:00:00,CST-6,2017-03-09 20:02:00,0,0,0,0,20.00K,20000,0.00K,0,36.6715,-89.7598,36.6704,-89.7467,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This weak tornado was produced by the same storm that caused other tornadoes both due west and east of this track on the evening of March 9. Several trees and tree limbs were blown down. Two grain bins were blown in on one side. This short track was along Highway Z in southeast Stoddard County. Peak winds were estimated near 80 mph." +116168,698244,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:28:00,CST-6,2017-05-17 15:28:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-93.58,41.61,-93.58,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter estimated wind gusts to around 60 mph, with minor tree damage in the area." +116168,698247,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:30:00,CST-6,2017-05-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-93.49,41.66,-93.49,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Altoona RWIS measured wind gusts to 58 mph." +116168,698266,IOWA,2017,May,Thunderstorm Wind,"JASPER",2017-05-17 15:39:00,CST-6,2017-05-17 15:39:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-93.2,41.52,-93.2,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported wind gusts to 70 mph." +116168,698267,IOWA,2017,May,Thunderstorm Wind,"JASPER",2017-05-17 15:40:00,CST-6,2017-05-17 15:40:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-93.23,41.68,-93.23,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported strong winds to 60 mph with heavy rainfall approaching." +114249,684442,ILLINOIS,2017,March,Frost/Freeze,"EDWARDS",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684444,ILLINOIS,2017,March,Frost/Freeze,"GALLATIN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684446,ILLINOIS,2017,March,Frost/Freeze,"HARDIN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +118808,713673,NEBRASKA,2017,June,Hail,"SIOUX",2017-06-07 16:58:00,MST-7,2017-06-07 17:01:00,0,0,0,0,0.00K,0,0.00K,0,42.719,-103.88,42.719,-103.88,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Golf ball size hail was observed two miles north of Harrison." +118808,713674,NEBRASKA,2017,June,Hail,"SIOUX",2017-06-07 17:50:00,MST-7,2017-06-07 17:53:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-104.01,42.48,-104.01,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Quarter size hail was observed 15 miles southwest of Harrison." +118814,713689,NEBRASKA,2017,June,Hail,"KIMBALL",2017-06-05 16:20:00,MST-7,2017-06-05 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-103.7562,41.23,-103.7562,"Thunderstorms produced large hail over central Kimball and northeast Dawes counties.","Quarter size hail was observed five miles west of Kimball." +118814,713691,NEBRASKA,2017,June,Hail,"DAWES",2017-06-05 19:40:00,MST-7,2017-06-05 19:45:00,0,0,0,0,0.00K,0,0.00K,0,42.9503,-103.068,42.9503,-103.068,"Thunderstorms produced large hail over central Kimball and northeast Dawes counties.","Penny to quarter size hail covered the ground north of Chadron." +118815,713697,WYOMING,2017,June,Hail,"ALBANY",2017-06-06 13:55:00,MST-7,2017-06-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4123,-105.7264,41.4123,-105.7264,"Thunderstorms produced strong winds and large hail over portions of Albany and Carbon counties.","Dime to quarter size hail covered the ground northwest of Laramie." +118815,713716,WYOMING,2017,June,Thunderstorm Wind,"CARBON",2017-06-06 15:50:00,MST-7,2017-06-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.6777,-106.9729,41.6777,-106.9729,"Thunderstorms produced strong winds and large hail over portions of Albany and Carbon counties.","Estimated wind gusts of 55 to 60 mph were observed." +113490,679378,NEW YORK,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-08 14:24:00,EST-5,2017-03-08 14:24:00,0,0,0,0,,NaN,,NaN,43.2696,-73.5793,43.2696,-73.5793,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A pine tree was reported down in Fort Edward due to thunderstorm winds." +113491,679379,NEW YORK,2017,March,Strong Wind,"EASTERN SCHENECTADY",2017-03-10 18:00:00,EST-5,2017-03-10 23:00:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"Winds became gusty behind an arctic boundary that pushed through the Capital Region. These winds brought down a tree and several power lines in and around Giffords Church Road in Rotterdam, knocking out power to the area. Portions of Giffords Church Road were closed until repairs were completed.","" +120443,721558,NEBRASKA,2017,June,Hail,"BOX BUTTE",2017-06-12 19:10:00,MST-7,2017-06-12 19:13:00,0,0,0,0,0.00K,0,0.00K,0,42.09,-102.876,42.09,-102.876,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Quarter size hail was reported on Kansas Street in southwest Alliance." +113493,679383,NEW YORK,2017,March,Strong Wind,"HAMILTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679385,NEW YORK,2017,March,High Wind,"SOUTHERN FULTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +118250,710612,KANSAS,2017,June,Hail,"JEFFERSON",2017-06-17 18:47:00,CST-6,2017-06-17 18:48:00,0,0,0,0,,NaN,,NaN,39.14,-95.49,39.14,-95.49,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710613,KANSAS,2017,June,Hail,"MORRIS",2017-06-17 18:45:00,CST-6,2017-06-17 18:46:00,0,0,0,0,,NaN,,NaN,38.62,-96.86,38.62,-96.86,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710619,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-17 18:54:00,CST-6,2017-06-17 18:55:00,0,0,0,0,,NaN,,NaN,39.21,-95.79,39.21,-95.79,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Delayed report. Size was estimated from photo online. Time and location was estimated as well." +118250,710620,KANSAS,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-17 19:06:00,CST-6,2017-06-17 19:07:00,0,0,0,0,,NaN,,NaN,39,-95.46,39,-95.46,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Two inch diameter tree limbs were broken off." +118250,710621,KANSAS,2017,June,Hail,"JACKSON",2017-06-17 19:10:00,CST-6,2017-06-17 19:11:00,0,0,0,0,,NaN,,NaN,39.25,-95.71,39.25,-95.71,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710623,KANSAS,2017,June,Hail,"JEFFERSON",2017-06-17 19:11:00,CST-6,2017-06-17 19:12:00,0,0,0,0,,NaN,,NaN,39.23,-95.59,39.23,-95.59,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Dime to quarter size hail reported. Heavy rain was also noted." +118250,710625,KANSAS,2017,June,Thunderstorm Wind,"OSAGE",2017-06-17 19:11:00,CST-6,2017-06-17 19:12:00,0,0,0,0,,NaN,,NaN,38.76,-95.83,38.76,-95.83,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Wind speed was estimated." +112842,675219,MISSOURI,2017,March,Thunderstorm Wind,"LACLEDE",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.49,-92.83,37.49,-92.83,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Tin from a roof of a barn was blown into power lines. Power poles were broken." +112842,675220,MISSOURI,2017,March,Thunderstorm Wind,"TANEY",2017-03-01 02:32:00,CST-6,2017-03-01 02:32:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-93.22,36.64,-93.22,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A large tree was blown down in downtown Branson." +112842,675221,MISSOURI,2017,March,Thunderstorm Wind,"TEXAS",2017-03-01 02:58:00,CST-6,2017-03-01 02:58:00,0,0,0,0,2.00K,2000,0.00K,0,37.18,-91.66,37.18,-91.66,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several power lines were blown down in Summersville." +118250,710626,KANSAS,2017,June,Thunderstorm Wind,"OSAGE",2017-06-17 19:12:00,CST-6,2017-06-17 19:13:00,0,0,0,0,,NaN,,NaN,38.84,-95.82,38.84,-95.82,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Wind speed was estimated." +118250,710629,KANSAS,2017,June,Hail,"JEFFERSON",2017-06-17 19:19:00,CST-6,2017-06-17 19:20:00,0,0,0,0,,NaN,,NaN,39.19,-95.59,39.19,-95.59,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +118250,710632,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-17 19:35:00,CST-6,2017-06-17 19:36:00,0,0,0,0,,NaN,,NaN,39.33,-95.27,39.33,-95.27,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Wind speed was estimated." +118250,710633,KANSAS,2017,June,Thunderstorm Wind,"LYON",2017-06-17 19:46:00,CST-6,2017-06-17 19:47:00,0,0,0,0,,NaN,,NaN,38.52,-95.96,38.52,-95.96,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Multiple trees were uprooted within the city of Reading. Delayed report." +112842,675222,MISSOURI,2017,March,Thunderstorm Wind,"HOWELL",2017-03-01 02:59:00,CST-6,2017-03-01 02:59:00,0,0,0,0,5.00K,5000,0.00K,0,36.99,-91.97,36.99,-91.97,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A roof of a grocery store was severely damaged in Willow Springs." +112842,675223,MISSOURI,2017,March,Thunderstorm Wind,"DALLAS",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.52,-93.09,37.52,-93.09,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A hay barn was destroyed." +112842,675224,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 01:35:00,CST-6,2017-03-01 01:35:00,0,0,0,0,2.00K,2000,0.00K,0,37.84,-92.09,37.84,-92.09,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Several trees and power lines were blown down. A small shed was destroyed." +112842,675225,MISSOURI,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-01 02:20:00,CST-6,2017-03-01 02:20:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-92.66,36.96,-92.66,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A large tree limb was blown on to a house." +114432,686183,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"ANDERSON",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686184,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"CHEROKEE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686185,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"CHESTER",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686186,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER GREENVILLE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686187,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER OCONEE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +119400,717553,MISSOURI,2017,June,Thunderstorm Wind,"ST. LOUIS",2017-06-14 11:35:00,CST-6,2017-06-14 11:45:00,0,0,0,0,0.00K,0,0.00K,0,38.7357,-90.3988,38.7346,-90.3299,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","As a severe thunderstorm moved eastward across the northern portions of the St. Louis metro area, numerous tree limbs and power lines were blown down between St. Ann and Woodson Terrace/Berkeley area. Roofing material was blown off of the buildings at Northwest Plaza onto the parking lot. In Woodson Terrace, a large tree was blown down. It hit two homes causing moderate roof damage to both." +114455,686323,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 17:17:00,EST-5,2017-03-31 17:17:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-76.28,36.76,-76.28,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +114455,686324,VIRGINIA,2017,March,Hail,"VIRGINIA BEACH (C)",2017-03-31 17:18:00,EST-5,2017-03-31 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-76.17,36.79,-76.17,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Golf ball size hail was reported near Lake Christopher." +121048,724674,ILLINOIS,2017,September,Thunderstorm Wind,"CLINTON",2017-09-04 18:47:00,CST-6,2017-09-04 18:47:00,0,0,0,0,0.00K,0,0.00K,0,38.605,-89.686,38.6062,-89.6764,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","Thunderstorm winds blew down two trees blocking a road in the city." +121049,724676,MISSOURI,2017,September,Thunderstorm Wind,"ST. CHARLES",2017-09-04 18:00:00,CST-6,2017-09-04 18:10:00,0,0,0,0,0.00K,0,0.00K,0,38.7374,-90.7221,38.6495,-90.7801,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","Thunderstorm winds blew a large tree down onto power lines on Henning Road. Also, another tree was blown down onto the roadway just north of Defiance." +114455,686325,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 17:38:00,EST-5,2017-03-31 17:38:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-76.22,36.76,-76.22,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Ping pong ball size hail was reported." +114455,686326,VIRGINIA,2017,March,Hail,"SOUTHAMPTON",2017-03-31 17:42:00,EST-5,2017-03-31 17:42:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-77.06,36.71,-77.06,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +114455,686327,VIRGINIA,2017,March,Hail,"ISLE OF WIGHT",2017-03-31 18:00:00,EST-5,2017-03-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-76.83,36.71,-76.83,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Half dollar size hail was reported." +114455,686328,VIRGINIA,2017,March,Thunderstorm Wind,"FRANKLIN (C)",2017-03-31 15:54:00,EST-5,2017-03-31 15:54:00,0,0,0,0,3.00K,3000,0.00K,0,36.67,-76.902,36.67,-76.902,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Awning was blown off of a gas station." +114455,686330,VIRGINIA,2017,March,Thunderstorm Wind,"FRANKLIN (C)",2017-03-31 17:48:00,EST-5,2017-03-31 17:48:00,0,0,0,0,2.00K,2000,0.00K,0,36.6433,-76.9062,36.6433,-76.9062,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","An estimated wind gust of 53 knots (61 mph) was reported." +114455,686475,VIRGINIA,2017,March,Tornado,"CHESAPEAKE (C)",2017-03-31 16:45:00,EST-5,2017-03-31 16:57:00,0,0,0,0,50.00K,50000,0.00K,0,36.6988,-76.4648,36.7192,-76.3526,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Tornado tracked from the Great Dismal Swamp in Suffolk eastward to the Deep Creek section of Chesapeake. There was minor tornado damage on the east edge of the Dismal Swamp in the Deep Creek section." +117106,704535,TENNESSEE,2017,May,Thunderstorm Wind,"COCKE",2017-05-27 22:45:00,EST-5,2017-05-27 22:45:00,0,0,0,0,,NaN,,NaN,35.92,-83.03,35.92,-83.03,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several trees were reported down across the eastern part of the county." +116168,699899,IOWA,2017,May,Hail,"MONROE",2017-05-17 15:20:00,CST-6,2017-05-17 15:20:00,0,0,0,0,0.00K,0,0.00K,0,40.9567,-92.8282,40.9567,-92.8282,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A trained spotter reported nickel size hail in southern Monroe County." +116168,699900,IOWA,2017,May,Funnel Cloud,"MONROE",2017-05-17 15:20:00,CST-6,2017-05-17 15:20:00,0,0,0,0,0.00K,0,0.00K,0,40.9567,-92.8282,40.9567,-92.8282,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","" +115950,696786,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WAKE",2017-05-11 20:38:00,EST-5,2017-05-11 20:38:00,0,0,0,0,0.00K,0,0.00K,0,35.8143,-78.6443,35.8143,-78.6443,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree blown down onto power-lines at Anderson Drive and White Oak Road." +115950,696788,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WAKE",2017-05-11 20:39:00,EST-5,2017-05-11 20:39:00,0,0,0,0,0.00K,0,0.00K,0,35.8007,-78.6517,35.8007,-78.6517,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","Trees and power-lines blown down at Jarvis Street near Cameron Village." +115950,696789,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WAKE",2017-05-11 20:39:00,EST-5,2017-05-11 20:39:00,0,0,0,0,75.00K,75000,0.00K,0,35.8903,-78.6858,35.8903,-78.6858,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","A large tree fell through the roof of a home in the Stonehenge Neighborhood. Monetary damages were estimated." +115950,696791,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-11 21:05:00,EST-5,2017-05-11 21:05:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-78.48,35.7,-78.48,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree blown down on Mial Plantation Road." +115950,696793,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-11 21:05:00,EST-5,2017-05-11 21:05:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-78.23,35.72,-78.23,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down onto NC Hwy 222 and NC HWY 231." +116002,697131,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STANLY",2017-05-05 01:08:00,EST-5,2017-05-05 01:08:00,0,0,0,0,2.50K,2500,0.00K,0,35.2105,-80.3674,35.2105,-80.3674,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on both lanes of Griffin Green Boulevard." +116002,697132,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-05 01:25:00,EST-5,2017-05-05 01:25:00,0,0,0,0,5.00K,5000,0.00K,0,34.97,-80.07,34.97,-80.07,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Multiple trees were reported down across the county, including Bill Curllee Road and Highway 742." +116002,701165,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-05 01:36:00,EST-5,2017-05-05 01:36:00,0,0,0,0,0.00K,0,0.00K,0,35.5573,-80.0925,35.5573,-80.0925,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down blocking one lane of North Carolina Highways 49 and 109." +116002,701168,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:36:00,EST-5,2017-05-05 01:36:00,0,0,0,0,2.50K,2500,0.00K,0,35.5813,-80.0331,35.5813,-80.0331,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on Gravel Hill Road at Johnson Farm Road." +115121,691016,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:53:00,EST-5,2017-04-06 11:53:00,0,0,0,0,,NaN,,NaN,38.5797,-77.8354,38.5797,-77.8354,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down and a barn was collapsed in the 11000 Block of Cemetery Road." +115121,691173,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:56:00,EST-5,2017-04-06 11:56:00,0,0,0,0,,NaN,,NaN,38.498,-77.618,38.498,-77.618,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A metal roof was damaged and several trees were down or snapped." +115121,691175,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:54:00,EST-5,2017-04-06 11:54:00,0,0,0,0,,NaN,,NaN,38.496,-77.6636,38.496,-77.6636,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down near Morrisville." +115121,691177,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:54:00,EST-5,2017-04-06 11:54:00,0,0,0,0,,NaN,,NaN,38.4962,-77.6658,38.4962,-77.6658,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down near the intersection of Goldmine Road and Blackwood Forest Drive." +113323,680938,OKLAHOMA,2017,March,Thunderstorm Wind,"CRAIG",2017-03-06 21:45:00,CST-6,2017-03-06 21:45:00,0,0,0,0,0.00K,0,0.00K,0,36.7754,-95.2209,36.7754,-95.2209,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","The Oklahoma Mesonet station east of Centralia measured 66 mph thunderstorm wind gusts." +113323,680939,OKLAHOMA,2017,March,Thunderstorm Wind,"TULSA",2017-03-06 21:48:00,CST-6,2017-03-06 21:48:00,0,0,0,0,5.00K,5000,0.00K,0,36.2845,-95.85,36.2845,-95.85,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew down power poles." +115121,691179,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:54:00,EST-5,2017-04-06 11:54:00,0,0,0,0,,NaN,,NaN,38.591,-77.8267,38.591,-77.8267,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down." +115121,691181,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:56:00,EST-5,2017-04-06 11:56:00,0,0,0,0,,NaN,,NaN,38.6156,-77.7955,38.6156,-77.7955,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Several trees were down in Opal." +113323,680940,OKLAHOMA,2017,March,Hail,"ADAIR",2017-03-06 21:50:00,CST-6,2017-03-06 21:50:00,0,0,0,0,10.00K,10000,0.00K,0,35.7621,-94.63,35.7621,-94.63,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","" +114582,687209,TEXAS,2017,March,High Wind,"WHEELER",2017-03-06 13:00:00,CST-6,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687208,TEXAS,2017,March,High Wind,"GRAY",2017-03-06 10:30:00,CST-6,2017-03-06 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114582,687210,TEXAS,2017,March,High Wind,"ARMSTRONG",2017-03-06 13:30:00,CST-6,2017-03-06 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114581,687197,OKLAHOMA,2017,March,High Wind,"TEXAS",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +115121,691188,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:24:00,EST-5,2017-04-06 12:24:00,0,0,0,0,,NaN,,NaN,38.7964,-77.3368,38.7964,-77.3368,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A large tree was down blocking part of Southbound Fairfax County Parkway near the intersection of Burke Center Parkway." +115121,691189,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:30:00,EST-5,2017-04-06 12:30:00,0,0,0,0,,NaN,,NaN,38.8247,-77.2337,38.8247,-77.2337,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto a house." +115121,691190,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:14:00,EST-5,2017-04-06 12:14:00,0,0,0,0,,NaN,,NaN,38.7596,-77.5683,38.7596,-77.5683,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down on Sudley Manor Road." +114713,688049,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 16:20:00,CST-6,2017-03-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-94.03,29.9,-94.03,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","" +114713,688050,TEXAS,2017,March,Hail,"JEFFERSON",2017-03-29 17:10:00,CST-6,2017-03-29 17:10:00,0,0,0,0,0.00K,0,0.00K,0,29.97,-93.94,29.97,-93.94,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","KBMT relayed a report of quarter size hail near Port Neches." +114713,688067,TEXAS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-29 16:20:00,CST-6,2017-03-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,30.09,-94.14,30.09,-94.14,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","KBMT reports an estimated wind gust of 60 MPH on Major Drive in Beaumont." +114149,687596,OKLAHOMA,2017,March,Tornado,"PONTOTOC",2017-03-26 18:14:00,CST-6,2017-03-26 18:25:00,0,0,0,0,1.00K,1000,0.00K,0,34.739,-96.609,34.756,-96.547,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","Received multiple spotter reports. EM noted damage to outbuildings and trees along the path." +114149,687597,OKLAHOMA,2017,March,Tornado,"PONTOTOC",2017-03-26 18:27:00,CST-6,2017-03-26 18:28:00,0,0,0,0,0.00K,0,0.00K,0,34.758,-96.534,34.758,-96.534,"With a cold front, warm front, and dryline in the vicinity, storms formed across central and south central Oklahoma on the evening of the 26th. Hail was the primary hazard, but also wind and a tornado.","A brief tornado was reported by multiple spotters about 8 miles east of Ada that developed soon after the first tornado dissipated. There was no known damage with this tornado." +115121,691191,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:27:00,EST-5,2017-04-06 12:27:00,0,0,0,0,,NaN,,NaN,38.9134,-77.4107,38.9134,-77.4107,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree was uprooted." +115121,691192,VIRGINIA,2017,April,Thunderstorm Wind,"ARLINGTON",2017-04-06 12:38:00,EST-5,2017-04-06 12:38:00,0,0,0,0,,NaN,,NaN,38.8895,-77.1103,38.8895,-77.1103,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Several tree and power poles were snapped." +115121,691193,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-06 12:10:00,EST-5,2017-04-06 12:10:00,0,0,0,0,,NaN,,NaN,38.2681,-77.1847,38.2681,-77.1847,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down in King George along Route 301. One tree fell into a house." +114783,688480,MINNESOTA,2017,March,High Wind,"BIG STONE",2017-03-07 14:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to west central Minnesota as it moved away. West to northwest winds of 35 to 45 mph with gusts to 60 mph occurred with this system.","" +114783,688487,MINNESOTA,2017,March,High Wind,"TRAVERSE",2017-03-07 15:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to west central Minnesota as it moved away. West to northwest winds of 35 to 45 mph with gusts to 60 mph occurred with this system.","" +115121,691194,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:29:00,EST-5,2017-04-06 12:29:00,0,0,0,0,,NaN,,NaN,38.83,-77.2,38.83,-77.2,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A large tree fell onto a house splitting it in half." +115121,691195,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:19:00,EST-5,2017-04-06 12:19:00,0,0,0,0,,NaN,,NaN,38.6937,-77.3145,38.6937,-77.3145,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto a house and deck." +116470,700459,CALIFORNIA,2017,May,Coastal Flood,"ORANGE COUNTY COASTAL",2017-05-24 15:00:00,PST-8,2017-05-24 16:00:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"Minor coastal flooding was reported on Balboa Island in Newport Beach due to 6.5 ft high tides and the recent removal of a protective sea wall.","Minor flooding of streets with some water creeping into houses near 36th and Finley Streets on Balboa Island due to 6.5 foot high tides. A protective sea wall had been recently demolished." +114812,688626,NEW YORK,2017,March,High Wind,"CHAUTAUQUA",2017-03-01 17:30:00,EST-5,2017-03-02 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +115121,691201,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:18:00,EST-5,2017-04-06 12:18:00,0,0,0,0,,NaN,,NaN,38.6945,-77.2911,38.6945,-77.2911,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto a house." +115121,691202,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:18:00,EST-5,2017-04-06 12:18:00,0,0,0,0,,NaN,,NaN,38.7846,-77.4965,38.7846,-77.4965,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto power lines blocking Lomond Drive near Powhatan Street." +115121,691203,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:14:00,EST-5,2017-04-06 12:14:00,0,0,0,0,,NaN,,NaN,38.6658,-77.3565,38.6658,-77.3565,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto power lines on Old Delaney Road." +114812,688627,NEW YORK,2017,March,High Wind,"SOUTHERN ERIE",2017-03-01 19:10:00,EST-5,2017-03-02 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +114812,688628,NEW YORK,2017,March,High Wind,"WAYNE",2017-03-01 20:45:00,EST-5,2017-03-02 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Law enforcement reported trees and wires down by strong winds in Williamson." +114812,688629,NEW YORK,2017,March,High Wind,"JEFFERSON",2017-03-01 22:45:00,EST-5,2017-03-02 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Law enforcement reported trees and wires down by strong winds in Watertown." +114554,687052,ILLINOIS,2017,March,Thunderstorm Wind,"MOULTRIE",2017-03-30 14:00:00,CST-6,2017-03-30 14:05:00,0,0,0,0,12.00K,12000,0.00K,0,39.4728,-88.5742,39.4728,-88.5742,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","An old grain bin was blown into power lines about 2 miles northeast of Windsor." +114554,687051,ILLINOIS,2017,March,Thunderstorm Wind,"MOULTRIE",2017-03-30 14:05:00,CST-6,2017-03-30 14:10:00,0,0,0,0,50.00K,50000,0.00K,0,39.5355,-88.53,39.5355,-88.53,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","A machine shed and a few outbuildings were damaged." +114554,687050,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-30 14:30:00,CST-6,2017-03-30 14:35:00,0,0,0,0,15.00K,15000,0.00K,0,40.15,-87.62,40.15,-87.62,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","Numerous small trees and tree limbs were blown down. Railroad crossing gates were blown off and broken as well." +114554,687049,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-30 14:58:00,CST-6,2017-03-30 15:03:00,0,0,0,0,65.00K,65000,0.00K,0,40.0186,-87.9206,40.0186,-87.9206,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","Several power poles were blown down near 1050N Road and 100E Road." +114554,687047,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-30 15:08:00,CST-6,2017-03-30 15:13:00,0,0,0,0,75.00K,75000,0.00K,0,40.06,-87.78,40.06,-87.78,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","Several power poles and power lines were blown down between Fairmount and Catlin." +114554,687048,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-30 15:20:00,CST-6,2017-03-30 15:25:00,0,0,0,0,14.00K,14000,0.00K,0,40.14,-87.62,40.14,-87.62,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","Two power poles were blown down." +114129,683455,WASHINGTON,2017,March,Flood,"GRANT",2017-03-11 12:00:00,PST-8,2017-03-17 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,47.11,-119,47.1272,-118.9984,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","A sinkhole caused unstable roadway conditions and forced the closure of Road W-NE near Warden." +113698,680595,TENNESSEE,2017,March,Thunderstorm Wind,"POLK",2017-03-21 19:00:00,EST-5,2017-03-21 19:00:00,0,0,0,0,,NaN,,NaN,35.19,-84.57,35.19,-84.57,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Numerous trees were reported down across the county." +113698,680596,TENNESSEE,2017,March,Thunderstorm Wind,"LOUDON",2017-03-21 18:12:00,EST-5,2017-03-21 18:12:00,0,0,0,0,,NaN,,NaN,35.8,-84.27,35.8,-84.27,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Wind speeds were estimated at 60 to 70 mph." +113698,680598,TENNESSEE,2017,March,Thunderstorm Wind,"KNOX",2017-03-21 18:53:00,EST-5,2017-03-21 18:53:00,0,0,0,0,,NaN,,NaN,36.03,-84.03,36.03,-84.03,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","One tree was reported down." +116147,702005,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-27 19:13:00,CST-6,2017-05-27 19:13:00,0,0,0,0,0.00K,0,0.00K,0,35.7066,-96.57,35.7066,-96.57,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +115094,701510,ARKANSAS,2017,May,Hail,"FRANKLIN",2017-05-03 08:25:00,CST-6,2017-05-03 08:25:00,0,0,0,0,0.00K,0,0.00K,0,35.3057,-93.9541,35.3057,-93.9541,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to penny size and damaging wind gusts.","" +113698,680599,TENNESSEE,2017,March,Thunderstorm Wind,"MONROE",2017-03-21 19:00:00,EST-5,2017-03-21 19:00:00,0,0,0,0,,NaN,,NaN,35.52,-84.36,35.52,-84.36,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Numerous trees were reported down across the county." +113698,680600,TENNESSEE,2017,March,Thunderstorm Wind,"BLOUNT",2017-03-21 18:55:00,EST-5,2017-03-21 18:55:00,0,0,0,0,,NaN,,NaN,35.85,-83.81,35.85,-83.81,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","A few trees and power lines were reported down across portions of the county." +113698,680601,TENNESSEE,2017,March,Thunderstorm Wind,"BLOUNT",2017-03-21 19:35:00,EST-5,2017-03-21 19:35:00,0,0,0,0,,NaN,,NaN,35.6,-83.81,35.6,-83.81,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Two large limbs were reported down near Cades Cove." +113698,680602,TENNESSEE,2017,March,Thunderstorm Wind,"BLOUNT",2017-03-21 19:15:00,EST-5,2017-03-21 19:15:00,0,0,0,0,,NaN,,NaN,35.56,-84.01,35.56,-84.01,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","A downed tree was blocking Happy Valley Road and Highway 129 near Chilhowee Lake." +116147,701990,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 16:46:00,CST-6,2017-05-27 16:46:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.9886,36.88,-94.9886,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701996,OKLAHOMA,2017,May,Hail,"NOWATA",2017-05-27 18:03:00,CST-6,2017-05-27 18:03:00,0,0,0,0,0.00K,0,0.00K,0,36.7499,-95.7801,36.7499,-95.7801,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701999,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-27 18:39:00,CST-6,2017-05-27 18:39:00,0,0,0,0,0.00K,0,0.00K,0,36.5546,-95.4605,36.5546,-95.4605,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702010,OKLAHOMA,2017,May,Hail,"OKFUSKEE",2017-05-27 19:44:00,CST-6,2017-05-27 19:44:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-96.3822,35.62,-96.3822,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702011,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-27 19:49:00,CST-6,2017-05-27 19:49:00,0,0,0,0,0.00K,0,0.00K,0,36.0512,-96.1633,36.0512,-96.1633,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +117117,704620,KANSAS,2017,May,Hail,"MIAMI",2017-05-31 12:20:00,CST-6,2017-05-31 12:23:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-94.9,38.66,-94.9,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","" +117113,704610,KANSAS,2017,May,Hail,"MIAMI",2017-05-30 17:57:00,CST-6,2017-05-30 17:57:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-94.88,38.57,-94.88,"On the afternoon and evening of May 30 a few storms rolled through eastern Kansas and western Missouri, producing some marginally severe hail and gusty winds.","" +117118,704612,MISSOURI,2017,May,Thunderstorm Wind,"BATES",2017-05-31 13:47:00,CST-6,2017-05-31 13:50:00,0,0,0,0,,NaN,,NaN,38.26,-94.33,38.26,-94.33,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","This report was received via Facebook. A tree was snapped at the base and blew onto a nearby house." +117118,704614,MISSOURI,2017,May,Thunderstorm Wind,"BATES",2017-05-31 13:20:00,CST-6,2017-05-31 13:23:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-94.59,38.35,-94.59,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","Law Enforcement reported a 60 mph wind gust." +117118,704615,MISSOURI,2017,May,Thunderstorm Wind,"BATES",2017-05-31 13:47:00,CST-6,2017-05-31 13:50:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-94.36,38.1,-94.36,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","Public in Rich Hill reported a 60 mph wind gust." +117117,704616,KANSAS,2017,May,Hail,"MIAMI",2017-05-31 12:19:00,CST-6,2017-05-31 12:21:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-94.93,38.71,-94.93,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","" +117117,704621,KANSAS,2017,May,Hail,"MIAMI",2017-05-31 12:24:00,CST-6,2017-05-31 12:28:00,0,0,0,0,,NaN,,NaN,38.65,-94.92,38.65,-94.92,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","" +117117,704623,KANSAS,2017,May,Hail,"MIAMI",2017-05-31 12:35:00,CST-6,2017-05-31 12:39:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-94.95,38.65,-94.95,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","" +117117,704626,KANSAS,2017,May,Thunderstorm Wind,"LINN",2017-05-31 12:58:00,CST-6,2017-05-31 13:01:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-94.76,38.35,-94.76,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","Limbs down at a post office in La Cygne." +119518,717229,ILLINOIS,2017,July,Thunderstorm Wind,"COOK",2017-07-02 17:19:00,CST-6,2017-07-02 17:19:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-87.65,41.55,-87.65,"Scattered thunderstorms moved across parts of northeast Illinois during the evening of July 2nd.","Numerous tree limbs 3 to 4 inches in diameter were blown down." +119521,717258,ILLINOIS,2017,July,Hail,"OGLE",2017-07-05 13:43:00,CST-6,2017-07-05 13:44:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-89.43,42.05,-89.43,"Scattered thunderstorms moved across parts of northwest Illinois producing hail and heavy rain.","" +119521,717259,ILLINOIS,2017,July,Flood,"OGLE",2017-07-05 16:10:00,CST-6,2017-07-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0025,-89.4864,41.9834,-89.4864,"Scattered thunderstorms moved across parts of northwest Illinois producing hail and heavy rain.","A car was stuck in flood waters from a creek that overflowed onto a road in White Pines State Park." +119521,717260,ILLINOIS,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-05 15:02:00,CST-6,2017-07-05 15:02:00,0,0,0,0,0.00K,0,0.00K,0,42.2193,-89.0124,42.2193,-89.0124,"Scattered thunderstorms moved across parts of northwest Illinois producing hail and heavy rain.","An eight inch diameter Willow tree was blown over near Interstate 39 and US 20." +119521,717261,ILLINOIS,2017,July,Heavy Rain,"WINNEBAGO",2017-07-05 15:30:00,CST-6,2017-07-05 15:30:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-89.04,42.35,-89.04,"Scattered thunderstorms moved across parts of northwest Illinois producing hail and heavy rain.","Heavy rain of 1.50 inches was reported." +119523,717267,INDIANA,2017,July,Hail,"PORTER",2017-07-07 05:58:00,CST-6,2017-07-07 05:58:00,0,0,0,0,0.00K,0,0.00K,0,41.6307,-87.1289,41.6307,-87.1289,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717268,INDIANA,2017,July,Hail,"PORTER",2017-07-07 06:07:00,CST-6,2017-07-07 06:09:00,0,0,0,0,0.00K,0,0.00K,0,41.5198,-87.0056,41.5198,-87.0056,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717269,INDIANA,2017,July,Hail,"PORTER",2017-07-07 06:07:00,CST-6,2017-07-07 06:08:00,0,0,0,0,0.00K,0,0.00K,0,41.5421,-87.05,41.5421,-87.05,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717270,INDIANA,2017,July,Hail,"LAKE",2017-07-07 11:06:00,CST-6,2017-07-07 11:06:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-87.45,41.5,-87.45,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717271,INDIANA,2017,July,Hail,"LAKE",2017-07-07 11:09:00,CST-6,2017-07-07 11:09:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-87.53,41.5,-87.53,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717272,INDIANA,2017,July,Hail,"LAKE",2017-07-07 11:20:00,CST-6,2017-07-07 11:20:00,0,0,0,0,0.00K,0,0.00K,0,41.4007,-87.4091,41.4007,-87.4091,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119523,717273,INDIANA,2017,July,Hail,"LAKE",2017-07-07 11:10:00,CST-6,2017-07-07 11:12:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-87.47,41.45,-87.47,"Scattered thunderstorms moved across parts of northwest Indiana during the morning hours of July 7th producing large hail.","" +119525,717274,ILLINOIS,2017,July,Hail,"IROQUOIS",2017-07-10 11:42:00,CST-6,2017-07-10 11:42:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-87.73,40.78,-87.73,"Scattered thunderstorms produced hail during the afternoon and evening of July 10th.","" +114914,689440,WISCONSIN,2017,March,High Wind,"DANE",2017-03-08 09:00:00,CST-6,2017-03-08 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong damaging winds occurred due to a very deep low pressure area that affected the Upper Mississippi River Valley and Great Lakes region. The high winds downed scattered trees and limbs across southern WI resulting in downed power lines and 65,000 customers without power for up to 24 hours. 13 semi-trucks were overturned statewide on highways, and 7 wildfires occurred from downed power lines. Some structural damage to sheds, roofs, and other structures occurred from the high winds or from trees falling on them.","A tractor trailer was overturned on I-39 near DeForest. Scattered trees and limbs down across the county including uprooted trees." +115728,703327,ILLINOIS,2017,May,Flood,"RICHLAND",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7295,-88.283,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most Richland County. Officials reported that most rural roads were impassable, several streets in Olney were flooded, and numerous creeks rapidly flooded. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +115728,703328,ILLINOIS,2017,May,Flash Flood,"LAWRENCE",2017-05-04 09:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8487,-87.9075,38.5721,-87.9094,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Lawrence County. Officials reported that most rural roads were impassable and numerous creeks rapidly flooded. The heaviest rain was reported in northwest Lawrence County near Chauncey." +117003,703723,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-05-04 02:36:00,CST-6,2017-05-04 03:36:00,0,0,0,0,0.00K,0,0.00K,0,26.262,-97.285,26.262,-97.285,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Realitos TCOON site reported peak thunderstorm wind gust of 37 knots at 0924 CST." +116581,701067,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:17:00,EST-5,2017-05-05 07:17:00,0,0,0,0,,NaN,,NaN,38.3279,-77.0217,38.3279,-77.0217,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 60 knots were reported Tower 70." +116581,701068,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-05 07:20:00,EST-5,2017-05-05 07:20:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 37 knots were reported at Cuckold Creek." +116581,701069,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-05-05 07:45:00,EST-5,2017-05-05 08:05:00,0,0,0,0,,NaN,,NaN,38.69,-76.53,38.69,-76.53,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts of 34 to 37 knots were reported at Chesapeake Rod N Reel." +116581,701071,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-05-05 08:37:00,EST-5,2017-05-05 08:37:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust of 55 knots was reported at Lower Hooper Island." +116581,701073,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-05 08:25:00,EST-5,2017-05-05 08:25:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust of 39 knots was reported at Annapolis." +116581,701074,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-05 08:26:00,EST-5,2017-05-05 08:26:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust of 47 knots was reported at Tolly Point." +114187,683908,COLORADO,2017,March,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-03-24 02:00:00,MST-7,2017-03-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +114187,683912,COLORADO,2017,March,Winter Storm,"PIKES PEAK ABOVE 11000 FT",2017-03-24 00:00:00,MST-7,2017-03-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +114187,683910,COLORADO,2017,March,Winter Storm,"TELLER COUNTY / RAMPART RANGE ABOVE 7500 FT / PIKES PEAK BETWEEN 7500 & 11000 FT",2017-03-24 00:00:00,MST-7,2017-03-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +114187,683913,COLORADO,2017,March,Winter Storm,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-03-24 00:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +114187,683914,COLORADO,2017,March,Winter Storm,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-03-24 04:00:00,MST-7,2017-03-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong weather system generated gusty winds and snow, heavy at times, from the eastern mountains into the I-25 corridor. Some reported snow totals included: 6 to 8 inches near Florissant and Woodland Park (Teller County), Rosita (Custer County), Monument (El Paso County), Walsenburg (Huerfano County), around 10 inches in Peyton, Falcon and Black Forest (El Paso County), 16 inches in Fort Garland (Costilla County), and an impressive 29 inches near the Spanish Peaks (Huerfano County).","" +113661,685932,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:20:00,CST-6,2017-03-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,33.6456,-96.6033,33.6456,-96.6033,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported a large tree snapped on College Street in Sherman, TX." +113661,685934,TEXAS,2017,March,Thunderstorm Wind,"ROCKWALL",2017-03-29 02:15:00,CST-6,2017-03-29 02:15:00,0,0,0,0,100.00K,100000,0.00K,0,32.9567,-96.4368,32.9567,-96.4368,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Several media outlets filmed the aftermath of significant damage to homes in the northern parts of Rockwall. In particular were homes in a subdivision east of John King Blvd and south of FM 552." +113661,685935,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:09:00,CST-6,2017-03-29 02:09:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-96.5,33.69,-96.5,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported trees snapped or uprooted approximately 6 miles northeast of Sherman, TX." +113661,685936,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:10:00,CST-6,2017-03-29 02:10:00,0,0,0,0,0.00K,0,0.00K,0,33.57,-96.64,33.57,-96.64,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported trees snapped or uprooted approximately 6 miles southwest of Sherman, TX." +113661,685942,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:20:00,CST-6,2017-03-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,33.5007,-96.4168,33.5007,-96.4168,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported trees snapped or uprooted 3 miles northwest of Whiteright, TX." +113661,685946,TEXAS,2017,March,Thunderstorm Wind,"KAUFMAN",2017-03-29 02:30:00,CST-6,2017-03-29 02:30:00,0,0,0,0,100.00K,100000,0.00K,0,32.5669,-96.5091,32.5669,-96.5091,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported 12 homes with damage and numerous trees blown down in the area of Lanier Rd at Pecan Trail in Combine, TX." +113212,690328,GEORGIA,2017,March,Drought,"WALTON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684601,GEORGIA,2017,March,Winter Weather,"FANNIN",2017-03-11 22:00:00,EST-5,2017-03-12 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","The Fannin County Emergency Manager and a couple of COCORAHS observers reported between 1 inch and 1.5 inches of snow accumulation on grassy surfaces in the Blue Ridge area and north of Cherry Log." +113212,690346,GEORGIA,2017,March,Drought,"GWINNETT",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690364,GEORGIA,2017,March,Drought,"BARTOW",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114736,702216,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 18:06:00,CST-6,2017-05-18 18:07:00,0,0,0,0,,NaN,,NaN,39.13,-95.71,39.13,-95.71,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Report from 46th and Button Road." +112807,674006,MINNESOTA,2017,March,High Wind,"SOUTHERN ST. LOUIS / CARLTON",2017-03-07 17:55:00,CST-6,2017-03-07 17:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong and deepening area of low pressure over far northwest Ontario resulted in widespread strong and gusty winds across northeast Minnesota on Tuesday March 7th. The winds were from the west to west-southwest. There were widespread wind gusts of 40 to 55 mph across northeast Minnesota, but parts of the Minnesota North Shore had wind gusts in excess of 58 mph, including from Duluth to Grand Marais. The strongest winds occurred between 2:00 pm and 5:00 pm. The Duluth International Airport had a gust to 60 mph, Grand Marais had a gust to 66 mph while the Silver Bay AWOS recorded a wind gust of 62 mph. The winds brought down trees and branches and fell on power lines that resulted in 4,800 Lake Country power customers losing power. Several thousand Minnesota Power customers also lost power in the high winds. The large statue of Pierre the Voyageur that stands over Two Harbors lost its right arm and paddle. A street light blew down and crashed onto a local television station vehicle. The vehicle sustained minor damage.","" +112807,674007,MINNESOTA,2017,March,High Wind,"SOUTHERN LAKE",2017-03-07 14:40:00,CST-6,2017-03-07 14:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong and deepening area of low pressure over far northwest Ontario resulted in widespread strong and gusty winds across northeast Minnesota on Tuesday March 7th. The winds were from the west to west-southwest. There were widespread wind gusts of 40 to 55 mph across northeast Minnesota, but parts of the Minnesota North Shore had wind gusts in excess of 58 mph, including from Duluth to Grand Marais. The strongest winds occurred between 2:00 pm and 5:00 pm. The Duluth International Airport had a gust to 60 mph, Grand Marais had a gust to 66 mph while the Silver Bay AWOS recorded a wind gust of 62 mph. The winds brought down trees and branches and fell on power lines that resulted in 4,800 Lake Country power customers losing power. Several thousand Minnesota Power customers also lost power in the high winds. The large statue of Pierre the Voyageur that stands over Two Harbors lost its right arm and paddle. A street light blew down and crashed onto a local television station vehicle. The vehicle sustained minor damage.","" +114736,702217,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 18:15:00,CST-6,2017-05-18 18:16:00,0,0,0,0,,NaN,,NaN,39.02,-96.09,39.02,-96.09,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +113054,689179,NORTH DAKOTA,2017,March,Blizzard,"PIERCE",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113054,689180,NORTH DAKOTA,2017,March,Blizzard,"WELLS",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113202,678320,TEXAS,2017,March,Tornado,"DICKENS",2017-03-28 17:34:00,CST-6,2017-03-28 17:35:00,0,0,0,0,75.00K,75000,0.00K,0,33.599,-100.536,33.6071,-100.5287,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","Meteorologists with NWS Lubbock and the Texas Tech University West Texas Mesonet conducted a storm damage survey in far east-central Dickens County during the morning of March 29. This team surveyed tornado damage at the Pitchfork Ranch located about 11 miles west of Guthrie, TX along U.S. Highway 82.||The most significant damage observed at the Pitchfork Ranch consisted of about 300 square feet of metal roofing removed from a well-constructed building. Many of the underlying support trusses to the roof were also separated from the building. Various trees were blown over and strewn about. A large twin gravity box was also toppled. The damage to the roof was consistent with maximum winds of around 100 miles per hour. Debris in the area revealed a convergent pattern indicative of a tornado, which was also supported by strong rotation in the area as observed by radar.||Available damage indicators surrounding the Pitchfork Ranch were very sparse and an accurate assessment of the duration and path of this EF-1 tornado was not feasible." +113202,678322,TEXAS,2017,March,Tornado,"DICKENS",2017-03-28 17:43:00,CST-6,2017-03-28 17:47:00,0,0,0,0,0.00K,0,0.00K,0,33.6482,-100.5653,33.6756,-100.5694,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","Storm chasers observed a tornado develop north of U.S. Highway 82 in far eastern Dickens County. This tornado produced no known damage as it remained over open land." +114693,690441,NEW YORK,2017,March,Heavy Snow,"BROOME",2017-03-14 03:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","A record snowfall of between 25 and 35 inches of snow fell. Snowfall rates reached up to 5 inches per hour especially during the onset of the storm. The Greater Binghamton Airport broke an all-time daily snowfall record with 32.4 inches and a 2 day snowfall record of 34.9 inches." +117042,703983,TEXAS,2017,May,Flash Flood,"ZAPATA",2017-05-21 17:50:00,CST-6,2017-05-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,26.9311,-99.2558,26.9157,-99.2841,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Zapata County Sheriff's Office reported the Medina addition arroyo was flooded with water and there was flooding in the city of Zapata. Radar estimated 3 to 4 inches of rainfall." +117042,703985,TEXAS,2017,May,Thunderstorm Wind,"STARR",2017-05-21 19:14:00,CST-6,2017-05-21 19:19:00,0,0,0,0,1.00K,1000,0.00K,0,26.4061,-98.9682,26.4061,-98.9682,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Starr County Sheriff's Office reported utility pole blown down by thunderstorm winds on Lucianos Road in Escobares. Time estimated by radar." +117043,703997,TEXAS,2017,May,Heavy Rain,"JIM HOGG",2017-05-28 11:15:00,CST-6,2017-05-29 00:30:00,0,0,0,0,0.00K,0,0.00K,0,27.3075,-98.6928,27.318,-98.67,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","Jim Hogg County Sheriff's Office reported flooding on West Galbraith and at the intersection of Viggie and Hinjosa. Radar estimated 2.0 to 2.5 inches of rainfall." +117043,703998,TEXAS,2017,May,Heavy Rain,"BROOKS",2017-05-29 00:15:00,CST-6,2017-05-29 01:00:00,0,0,0,0,0.00K,0,0.00K,0,27.2208,-98.1577,27.2316,-98.1376,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","Falfurrias Fire Department reported flooding on Noble Street and at the intersection of St. Marys Street and Bennett Street. Radar estimated of 2.0 to 2.5 inches of rainfall in less than an hour." +117043,704000,TEXAS,2017,May,Heavy Rain,"ZAPATA",2017-05-28 22:20:00,CST-6,2017-05-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,26.9001,-99.2821,26.9359,-99.2292,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","Zapata County Sheriff's Office reported water on the outside lanes of Highway 16, as well as at the intersection of 1st and Carla in the city of Zapata. Radar estimated 1.5 to 2.5 inches of rain." +117043,704002,TEXAS,2017,May,Flash Flood,"STARR",2017-05-29 00:00:00,CST-6,2017-05-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,26.407,-99.0202,26.4025,-99.0149,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","Roma Police Department reported six inches of flowing water at the intersection of Harrison and Raucon near the Arroyo Roma in the city of Roma." +114280,690138,GEORGIA,2017,March,Thunderstorm Wind,"OGLETHORPE",2017-03-21 20:35:00,EST-5,2017-03-21 20:45:00,0,0,0,0,10.00K,10000,,NaN,34.0257,-83.0067,33.9642,-83.0429,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Oglethorpe County Emergency Manager reported numerous trees blown down along Lexington-Carlton Road." +114280,690144,GEORGIA,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-21 21:10:00,EST-5,2017-03-21 21:30:00,0,0,0,0,20.00K,20000,,NaN,33.4136,-83.0422,33.1988,-82.8967,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Washington EMC reported numerous power poles blown down and snapped across the county." +114280,690142,GEORGIA,2017,March,Thunderstorm Wind,"WILKES",2017-03-21 20:54:00,EST-5,2017-03-21 21:20:00,0,0,0,0,10.00K,10000,,NaN,33.7892,-82.8939,33.658,-82.5434,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Wilkes County Emergency Manager reported numerous trees blown down across the county from near Rayle to Holiday Park." +114280,690140,GEORGIA,2017,March,Thunderstorm Wind,"ROCKDALE",2017-03-21 20:45:00,EST-5,2017-03-21 20:55:00,0,0,0,0,10.00K,10000,,NaN,33.61,-84.03,33.61,-84.03,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Rockdale County Emergency Manager reported multiple trees and power lines blown down along Stanton Road." +114280,690143,GEORGIA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-21 21:30:00,EST-5,2017-03-21 21:45:00,0,0,0,0,12.00K,12000,,NaN,33.1981,-82.7796,32.9503,-82.7916,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Washington County Emergency Manager reported numerous trees and power lines blown down across the county from Hamburg State Park to Sandersville. In Sandersville, a gas station awning was blown over off of McCarty Street." +112842,675202,MISSOURI,2017,March,Hail,"LAWRENCE",2017-03-01 01:05:00,CST-6,2017-03-01 01:05:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-93.82,37.1,-93.82,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +115591,710482,KANSAS,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 23:38:00,CST-6,2017-06-16 23:39:00,0,0,0,0,,NaN,,NaN,38.99,-95.28,38.99,-95.28,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated wind gust." +112844,675944,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 22:43:00,CST-6,2017-03-06 22:43:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-93.4,37.23,-93.4,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","The Springfield ASOS measured a 64 mph wind gust." +115591,710485,KANSAS,2017,June,Hail,"RILEY",2017-06-16 23:41:00,CST-6,2017-06-16 23:42:00,0,0,0,0,,NaN,,NaN,39.43,-96.76,39.43,-96.76,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +112844,675950,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:40:00,CST-6,2017-03-06 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,37.22,-93.31,37.22,-93.31,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown on to a roof of a home." +113228,678493,WASHINGTON,2017,February,Heavy Snow,"WATERVILLE PLATEAU",2017-02-05 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer at Waterville reported 9 inches of new snow. Just outside of this zone to the northeast at Elmer City 6.1 inches was reported by a CoCoRaHS observer, while just to the southwest of the Waterville Plateau numerous reports of 6 inches of new snow were received from the Wenatchee area." +113228,678496,WASHINGTON,2017,February,Heavy Snow,"WENATCHEE AREA",2017-02-05 09:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer in Wenatchee measured 6.8 inches of new snow." +113228,678497,WASHINGTON,2017,February,Heavy Snow,"WENATCHEE AREA",2017-02-05 09:00:00,PST-8,2017-02-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","Eight CoCoRaHS observers in and around Wenatchee reported new snow amounts of 6 inches to 8 inches from this storm." +113228,678498,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer at Holden Village reported 13.4 inches of new snow." +113406,678608,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","An observer near Avery reported 4.2 inches of new snow accumulation." +113406,678610,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","An observer in Pritchard reported 8 inches of new snow accumulation." +113173,676950,NEW YORK,2017,February,High Wind,"NORTHEAST SUFFOLK",2017-02-13 10:00:00,EST-5,2017-02-13 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station reported a wind gust up to 67 mph at 205 pm near Calverton. In Orient, a wind gust up to 58 mph was reported by a trained spotter at 1101 am." +113173,676961,NEW YORK,2017,February,High Wind,"SOUTHEAST SUFFOLK",2017-02-13 08:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station at Mecox Bay reported a wind gust up to 64 mph at 115 pm. Near Montauk Highway across the southeast fork, a wind gust up to 58 mph was measured at another mesonet station at 1015 am." +113173,676966,NEW YORK,2017,February,High Wind,"NORTHERN NASSAU",2017-02-13 08:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,1000.00K,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station near Sands Point reported a wind gust up to 72 mph at 848 am. Near Glen Cove a wind gust of 54 mph was measured at 821 am. A non federal AWOS near Syosset measured a wind gust up to 51 mph at 1 pm. In Locust Valley, another mesonet station measured a wind gust up to 51 mph at 256 pm. In glen Cove, a giant tree fell on a home causing major damage on Buckeye Road at 830 am. At 1250 pm in East Meadow, siding was blown off a house, which was reported by a trained spotter. The fire department in upper Brookville reported a tree down blocking two lanes of NY 25A westbound near Remsens Lane. This occurred at 1244 pm. In New Hyde Park, a light pole was downed by the high winds at Bixley Drive and Herbert Drive at 1239 pm." +114356,685257,NEW JERSEY,2017,February,Strong Wind,"HUDSON",2017-02-13 16:00:00,EST-5,2017-02-13 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","In Harrison, a wind gust up to 52 mph was measured, and a wind gust up to 57 mph was measured at the Red Bull Arena, elevation 100 feet. In Jersey City, a gust to 50 mph was measured. In North Bergen, a public school mesonet reported a gust to 52 mph. These winds were observed during the late afternoon." +114390,685517,WYOMING,2017,February,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-02-06 20:10:00,MST-7,2017-02-06 22:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Deer Creek measured sustained winds of 40 mph or higher." +114390,685520,WYOMING,2017,February,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-02-06 09:50:00,MST-7,2017-02-10 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","A mesonet sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 85 mph at 07/1650 MST." +114390,685521,WYOMING,2017,February,High Wind,"SHIRLEY BASIN",2017-02-06 15:40:00,MST-7,2017-02-06 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Shirley Rim measured sustained winds of 40 mph or higher." +114390,685525,WYOMING,2017,February,High Wind,"SHIRLEY BASIN",2017-02-07 20:00:00,MST-7,2017-02-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Shirley Rim measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 07/2310 MST." +114026,682905,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-04 12:35:00,MST-7,2017-02-04 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher." +114026,682906,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-04 11:10:00,MST-7,2017-02-04 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The WYDOT sensor at Quealy Dome measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 04/1225 MST." +114026,682907,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-04 00:15:00,MST-7,2017-02-04 03:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The UPR sensor at Lynch measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 04/0015 MST." +114026,682908,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-04 00:30:00,MST-7,2017-02-04 03:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper level disturbance generated high winds across portions of southeast Wyoming. Peak gusts of 60 to 70 were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 04/0045 MST." +114390,685532,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-08 00:15:00,MST-7,2017-02-08 00:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 63 mph at 08/0045 MST." +114390,685534,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-09 10:10:00,MST-7,2017-02-09 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 09/1110 MST." +114390,685536,WYOMING,2017,February,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-10 12:05:00,MST-7,2017-02-10 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 92 mph at 10/1325 MST." +114390,685538,WYOMING,2017,February,High Wind,"EAST PLATTE COUNTY",2017-02-06 14:20:00,MST-7,2017-02-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher." +114390,685560,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 14:55:00,MST-7,2017-02-08 04:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 07/1715 MST." +114390,685565,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-08 08:35:00,MST-7,2017-02-08 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 08/1335 MST." +114390,685567,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 10:05:00,MST-7,2017-02-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 09/2225 MST." +114390,685568,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-10 11:15:00,MST-7,2017-02-10 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 10/1010 MST." +114390,685569,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 20:50:00,MST-7,2017-02-06 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 06/2210 MST." +114390,685570,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 14:45:00,MST-7,2017-02-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 08/0400 MST." +114390,685571,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 10:35:00,MST-7,2017-02-10 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 75 mph at 09/2205 MST." +114622,687656,WYOMING,2017,February,Winter Storm,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to fourteen inches inches of snow was observed. Muddy Gap received a foot of snow." +114622,687657,WYOMING,2017,February,Winter Storm,"CENTRAL CARBON COUNTY",2017-02-22 17:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to twelve inches of snow was observed from Rawlins to Sinclair to Hanna." +114811,688608,KENTUCKY,2017,May,Flash Flood,"MARTIN",2017-05-24 15:55:00,EST-5,2017-05-24 16:55:00,0,0,0,0,0.50K,500,0.00K,0,37.6927,-82.4095,37.6937,-82.4018,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Local officials reported high water flowing over Kentucky Highway 1714 south of Laura." +114811,688609,KENTUCKY,2017,May,Flash Flood,"PIKE",2017-05-24 13:30:00,EST-5,2017-05-24 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,37.3019,-82.3519,37.3032,-82.3457,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Several citizens reported flash flooding throughout Elkhorn City. Culverts overspilled while numerous roads contained flowing water several feet deep. Nearby homes and businesses were threatened, with a few being infiltrated by water as bridges were also washed away." +114390,685593,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 19:10:00,MST-7,2017-02-10 03:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 10/0140 MST." +114390,685594,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 03:50:00,MST-7,2017-02-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 06/0435 MST." +116156,698110,TEXAS,2017,May,Lightning,"WILLIAMSON",2017-05-09 12:30:00,CST-6,2017-05-09 12:30:00,0,0,0,0,50.00K,50000,0.00K,0,30.5012,-97.7659,30.5012,-97.7659,"Isolated thunderstorms formed in a conditionally unstable airmass. Two of these storms sparked structure fires in Austin.","A thunderstorm produced lightning that caused a house fire in northwestern Austin. The fire caused the roof of the house to collapse." +116156,698111,TEXAS,2017,May,Lightning,"TRAVIS",2017-05-09 12:43:00,CST-6,2017-05-09 12:43:00,0,0,0,0,150.00K,150000,0.00K,0,30.3733,-97.7142,30.3733,-97.7142,"Isolated thunderstorms formed in a conditionally unstable airmass. Two of these storms sparked structure fires in Austin.","A thunderstorm produced lightning that caused an apartment fire in northern Austin. Ten apartment units were affected." +116441,700303,ARKANSAS,2017,May,Thunderstorm Wind,"NEWTON",2017-05-19 00:25:00,CST-6,2017-05-19 00:25:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-93.23,35.95,-93.23,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Newton County law enforcement reported several trees and a few powerlines were downed because of the line of thunderstorms." +116441,700304,ARKANSAS,2017,May,Thunderstorm Wind,"MARION",2017-05-19 00:55:00,CST-6,2017-05-19 00:55:00,0,0,0,0,20.00K,20000,0.00K,0,36.335,-92.7535,36.335,-92.7535,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Public and Emergency manager initially reported damage to a farm in the Lakeway area. NWS Storm Survey was sent out to determine if it was straight-line winds or a tornado and were determined to be the former. Wind gust speeds were estimated to be approximately 80 mph. Several trees were uprooted or snapped on and near the property. Additionally, a few outbuildings sustained damage. One lost a roof while another had a trees thrown on it. A trailer was also tipped over from the winds." +116441,700312,ARKANSAS,2017,May,Thunderstorm Wind,"PRAIRIE",2017-05-19 15:42:00,CST-6,2017-05-19 15:42:00,0,0,0,0,0.00K,0,0.00K,0,35,-91.52,35,-91.52,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Large trees limbs were blown down from severe thunderstorm winds." +116033,697531,MISSISSIPPI,2017,May,Thunderstorm Wind,"WARREN",2017-05-21 13:35:00,CST-6,2017-05-21 13:35:00,0,0,0,0,2.00K,2000,0.00K,0,32.3402,-90.8279,32.3402,-90.8279,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Highway 27 near Paxton Road." +113908,682308,CALIFORNIA,2017,February,Heavy Rain,"DEL NORTE",2017-02-09 01:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,200.00K,200000,0.00K,0,41.7419,-124.1668,41.7419,-124.1668,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Culvert failures along Highway 101 from mile post 26 to 27." +113909,682313,CALIFORNIA,2017,February,Heavy Rain,"MENDOCINO",2017-02-15 13:00:00,PST-8,2017-02-16 07:00:00,0,0,0,0,1.25M,1250000,0.00K,0,39.3843,-123.8104,39.3843,-123.8104,"Heavy rain spread over Northwest California from February 15th into the 16th causing more landslides and minor flooding across the region.","Culvert failure and sink along Highway 1 from mile post 34 to 38." +113909,682314,CALIFORNIA,2017,February,Heavy Rain,"MENDOCINO",2017-02-15 13:00:00,PST-8,2017-02-16 07:00:00,0,0,0,0,6.00M,6000000,0.00K,0,39.8337,-123.6355,39.8337,-123.6355,"Heavy rain spread over Northwest California from February 15th into the 16th causing more landslides and minor flooding across the region.","Slipout of off ramp from Highway 101 to 271 near Highway 101 mile post 84. Additional landslide covering route 271 between mile post 0 and 4." +113909,682315,CALIFORNIA,2017,February,Heavy Rain,"MENDOCINO",2017-02-15 13:00:00,PST-8,2017-02-16 07:00:00,0,0,0,0,1.20M,1200000,0.00K,0,39.933,-123.7692,39.933,-123.7692,"Heavy rain spread over Northwest California from February 15th into the 16th causing more landslides and minor flooding across the region.","Rock slide onto Highway 101 near mile post 97 requiring the installation of a permanent large rock fence." +113909,682319,CALIFORNIA,2017,February,Heavy Rain,"DEL NORTE",2017-02-15 13:00:00,PST-8,2017-02-16 07:00:00,0,0,0,0,6.00M,6000000,0.00K,0,41.6294,-124.1129,41.6294,-124.1129,"Heavy rain spread over Northwest California from February 15th into the 16th causing more landslides and minor flooding across the region.","Last Chance Grade accelerated pavement failure along Highway 101 near mile post 14." +113670,682237,UTAH,2017,February,Winter Storm,"SOUTHERN WASATCH FRONT",2017-02-21 22:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Storm total snowfall included 16 inches at the Spanish Fork Power House, 15 inches in Springville, and 11 inches in Alpine." +113673,682243,UTAH,2017,February,Winter Storm,"CACHE VALLEY/UTAH",2017-02-26 22:00:00,MST-7,2017-02-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"One last storm system moved through Utah at the end of February, bringing one more round of snowfall to the area.","Storm total snowfall in the Cache Valley included 12 inches in Logan, 9 inches in Smithfield, and 8 inches in Providence." +113673,682245,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-02-27 04:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"One last storm system moved through Utah at the end of February, bringing one more round of snowfall to the area.","Brighton Resort received 26 inches of new snow from the storm, including 16 inches during the daytime hours of February 27. Other storm totals included 22 inches at Alta Ski Area and 21 inches at Snowbird Ski & Summer Resort." +113673,682244,UTAH,2017,February,Winter Storm,"SOUTHERN WASATCH FRONT",2017-02-27 08:00:00,MST-7,2017-02-28 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"One last storm system moved through Utah at the end of February, bringing one more round of snowfall to the area.","Spanish Fork received 12 inches of snow from the storm." +114529,686851,WYOMING,2017,February,Winter Storm,"SIERRA MADRE RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 12 inches of snow." +114529,686852,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-07 12:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate snowfall and westerly winds gusting to 55 mph created near-blizzard conditions over the Snowy and Sierra Madre mountains.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 12 inches of snow." +113171,677261,GEORGIA,2017,February,Drought,"POLK",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677271,GEORGIA,2017,February,Drought,"JACKSON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113908,693386,CALIFORNIA,2017,February,High Wind,"DEL NORTE INTERIOR",2017-02-07 03:00:00,PST-8,2017-02-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Ship Mountain RAWS reported gusts to 70 mph from 3am to 6am at 5304 ft elevation." +113908,693385,CALIFORNIA,2017,February,High Wind,"DEL NORTE INTERIOR",2017-02-09 01:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Ship Mountain and Camp Six RAWS reported gusts 60 to 78 mph between 3600 and 5300 ft elevation." +113908,693389,CALIFORNIA,2017,February,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-02-09 01:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Ship Mountain and Camp Six RAWS reported gusts 55 to 68 mph at 2653 ft elevation." +113171,677281,GEORGIA,2017,February,Drought,"FANNIN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115178,691488,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:15:00,CST-6,2017-05-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.2242,-93.9868,32.2242,-93.9868,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees and power lines were blown down near the Four Forks community." +115178,691701,LOUISIANA,2017,May,Thunderstorm Wind,"NATCHITOCHES",2017-05-28 18:50:00,CST-6,2017-05-28 18:50:00,0,0,0,0,0.00K,0,0.00K,0,31.7804,-93.1192,31.7804,-93.1192,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees and power lines were downed along Highway 3191 at Monroe Road just west of the Natchitoches city limits." +115236,697244,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-15 18:22:00,CST-6,2017-05-15 18:22:00,0,0,0,0,2.00K,2000,0.00K,0,43.08,-91.53,43.08,-91.53,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Road signs were blown down east of Postville." +115236,697246,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-15 18:19:00,CST-6,2017-05-15 18:19:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-91.39,43.05,-91.39,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","An estimated 65 mph wind gust occurred in Monona." +115236,697254,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-15 18:42:00,CST-6,2017-05-15 18:42:00,0,0,0,0,50.00K,50000,0.00K,0,42.79,-91.1,42.79,-91.1,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Roofs were blown off a few buildings in Guttenberg and power lines were down." +115236,697409,IOWA,2017,May,Hail,"FLOYD",2017-05-15 16:57:00,CST-6,2017-05-15 16:57:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-92.87,42.96,-92.87,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Quarter sized hail fell in Marble Rock." +116061,697538,MINNESOTA,2017,May,Hail,"WABASHA",2017-05-16 20:40:00,CST-6,2017-05-16 20:40:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-92.09,44.22,-92.09,"For the second day in a row, hail producing thunderstorms moved across portions of southeast Minnesota on May 16th. The hail was reported in Olmsted and Wabasha Counties with the largest reported hail being nickel sized northeast of Plainview (Wabasha County).","" +114679,687873,IOWA,2017,May,Heavy Rain,"LUCAS",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-93.28,41.03,-93.28,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.38 inches." +114679,687874,IOWA,2017,May,Heavy Rain,"MARSHALL",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-92.78,41.88,-92.78,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.60 inches." +114679,687875,IOWA,2017,May,Heavy Rain,"STORY",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-93.57,41.96,-93.57,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.08 inches." +114679,687876,IOWA,2017,May,Heavy Rain,"POWESHIEK",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-92.44,41.75,-92.44,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.44 inches." +114679,687877,IOWA,2017,May,Heavy Rain,"POWESHIEK",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-92.75,41.73,-92.75,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.62 inches." +112844,675974,MISSOURI,2017,March,Thunderstorm Wind,"POLK",2017-03-06 22:01:00,CST-6,2017-03-06 22:01:00,0,0,0,0,2.00K,2000,0.00K,0,37.78,-93.54,37.78,-93.54,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A barn was destroyed." +112844,675975,MISSOURI,2017,March,Thunderstorm Wind,"HICKORY",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.95,-93.4,37.95,-93.4,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was structural damage reported near Wheatland." +112844,675976,MISSOURI,2017,March,Thunderstorm Wind,"HICKORY",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,20.00K,20000,0.00K,0,37.89,-93.54,37.89,-93.54,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several power poles were snapped. A recreational vehicle camper and garage was destroyed. A home sustained moderate roof damage with a chimney collapsed." +112844,675977,MISSOURI,2017,March,Thunderstorm Wind,"HICKORY",2017-03-06 21:55:00,CST-6,2017-03-06 21:55:00,0,0,0,0,5.00K,5000,0.00K,0,38.01,-93.47,38.01,-93.47,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several large barns and storage sheds were destroyed." +112844,675978,MISSOURI,2017,March,Thunderstorm Wind,"POLK",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.74,-93.23,37.74,-93.23,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was minor roof damage to a home." +112844,675979,MISSOURI,2017,March,Thunderstorm Wind,"MILLER",2017-03-06 23:15:00,CST-6,2017-03-06 23:15:00,0,0,0,0,1.00K,1000,0.00K,0,38.2,-92.52,38.2,-92.52,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A roof was blown off a barn." +112844,675980,MISSOURI,2017,March,Thunderstorm Wind,"MILLER",2017-03-06 23:18:00,CST-6,2017-03-06 23:18:00,0,0,0,0,1.00K,1000,0.00K,0,38.31,-92.36,38.31,-92.36,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was minor damage to a metal sign and outbuilding. A picture of this damage on was social media." +112920,675087,IOWA,2017,March,Hail,"JASPER",2017-03-06 20:05:00,CST-6,2017-03-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-92.85,41.58,-92.85,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported nickel sized hail, via social media." +112920,675088,IOWA,2017,March,Thunderstorm Wind,"WAYNE",2017-03-06 20:20:00,CST-6,2017-03-06 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-93.15,40.68,-93.15,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported power out one mile west of Seymour along with very strong winds and heavy rainfall." +112920,675090,IOWA,2017,March,Thunderstorm Wind,"TAMA",2017-03-06 20:27:00,CST-6,2017-03-06 20:27:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-92.4,41.92,-92.4,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported wind gusts to 60 plus MPH and quarter sized hail." +114254,684529,ILLINOIS,2017,March,Dense Fog,"MASSAC",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684530,ILLINOIS,2017,March,Dense Fog,"UNION",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684531,ILLINOIS,2017,March,Dense Fog,"JOHNSON",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684532,ILLINOIS,2017,March,Dense Fog,"POPE",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684533,ILLINOIS,2017,March,Dense Fog,"HARDIN",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684534,ILLINOIS,2017,March,Dense Fog,"GALLATIN",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684535,ILLINOIS,2017,March,Dense Fog,"WHITE",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684536,ILLINOIS,2017,March,Dense Fog,"EDWARDS",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684537,ILLINOIS,2017,March,Dense Fog,"WABASH",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +113675,680530,ILLINOIS,2017,March,Thunderstorm Wind,"MASSAC",2017-03-01 05:15:00,CST-6,2017-03-01 05:22:00,0,0,0,0,400.00K,400000,0.00K,0,37.1807,-88.7685,37.12,-88.5756,"An organized area of thunderstorms moved through southern Illinois during the pre-dawn hours. Along the leading edge of this area, there were isolated damaging wind gusts and a weak tornado. The exception was along the Ohio River in Massac County, which was impacted by the northern end of a squall line that produced widespread wind damage in western Kentucky. In addition, there were a few reports of hail from dime to quarter-size. The storms occurred ahead of an upper-level trough advancing east of the Plains states. The storms were focused along and ahead of a cold front, in a moist and rather unstable air mass.","Numerous trees were blown down and widespread minor roof damage occurred, mainly in the southern part of the county. Between Metropolis and Brookport, a large metal shed was blown apart, and a tree landed on a house. The house roof sustained minor to moderate damage. In Metropolis, a window was blown out of a downtown museum. A portion of the roof was blown off a Metropolis city business, and a shed was destroyed. There were numerous reports of downed tree limbs on Metropolis city streets and some county roads. The west part of Metropolis was without power. One tree fell onto a house in Brookport. The house was heavily damaged, and the family was displaced. A mobile home was partially unroofed in Brookport." +113753,681055,ILLINOIS,2017,March,Thunderstorm Wind,"ALEXANDER",2017-03-07 03:05:00,CST-6,2017-03-07 03:09:00,0,0,0,0,90.00K,90000,0.00K,0,37.291,-89.5173,37.29,-89.48,"An east-southeast moving squall line crossed southern Illinois during the early morning hours, producing isolated damaging winds in the southern tip of Illinois. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast across southern Illinois.","A microburst containing estimated winds near 85 mph moved across the Mississippi River into East Cape Girardeau. The damage was almost entirely on the south side of Route 146. Shingles and siding were blown off several homes. The roof decking was damaged on a couple of homes. Dozens of trees or tree limbs were blown down." +113753,681047,ILLINOIS,2017,March,Thunderstorm Wind,"MASSAC",2017-03-07 04:15:00,CST-6,2017-03-07 04:15:00,0,0,0,0,4.00K,4000,0.00K,0,37.15,-88.73,37.15,-88.73,"An east-southeast moving squall line crossed southern Illinois during the early morning hours, producing isolated damaging winds in the southern tip of Illinois. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast across southern Illinois.","Downed tree limbs and power lines were reported on a street on the north end of town." +114188,683958,MISSOURI,2017,March,Tornado,"STODDARD",2017-03-09 19:28:00,CST-6,2017-03-09 19:48:00,0,0,0,0,400.00K,400000,0.00K,0,36.6614,-90.0897,36.6684,-89.8883,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This tornado moved from west to east across southern Stoddard County, passing across the town of Bernie. Peak winds were estimated near 95 mph. Numerous farm machine sheds of varying sizes were leveled. Several homes in Bernie received minor to moderate damage, ranging from loss of shingles to blown out windows and wall sections. A small camper unit was overturned. Several grain bins were damaged on the west side of Bernie. Numerous trees were uprooted or snapped. Very strong straight-line winds up to 95 mph just south of the tornado track produced equally intense damage, including a couple leveled barns. This tornado was one of several that were spawned by the same eastward-moving supercell." +114188,683959,MISSOURI,2017,March,Tornado,"NEW MADRID",2017-03-09 20:10:00,CST-6,2017-03-09 20:12:00,0,0,0,0,50.00K,50000,0.00K,0,36.671,-89.6209,36.6713,-89.6003,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This tornado moved east along Highway W, causing significant damage to a couple of houses. Portions of the roof, including roof decking, were removed from a couple of houses. A small section of fencing was blown over. Several trees were uprooted. Peak winds were estimated near 95 mph. This tornado was one of several that were spawned from the same eastward-moving supercell." +114188,683974,MISSOURI,2017,March,Thunderstorm Wind,"NEW MADRID",2017-03-09 20:18:00,CST-6,2017-03-09 20:18:00,0,0,0,0,50.00K,50000,0.00K,0,36.6041,-89.5351,36.5928,-89.53,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","On the south side of New Madrid along the Mississippi River riverfront, winds estimated near 85 mph caused the partial collapse of two large wood-frame metal sheds. There were also some tree branches down in the area. There was spotty wind damage elsewhere in New Madrid, including metal roofing blown off a house on the northwest side of town. All of this damage was caused by the same supercell storm that spawned the EF-2 tornado minutes later along the Mississippi River levee. There was spotty wind damage elsewhere in New Madrid, including metal roofing blown off a house on the northwest side of town." +114252,684488,MISSOURI,2017,March,Frost/Freeze,"BOLLINGER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684489,MISSOURI,2017,March,Frost/Freeze,"BUTLER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684491,MISSOURI,2017,March,Frost/Freeze,"CARTER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684445,ILLINOIS,2017,March,Frost/Freeze,"HAMILTON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684447,ILLINOIS,2017,March,Frost/Freeze,"JACKSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684448,ILLINOIS,2017,March,Frost/Freeze,"JEFFERSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +117121,718089,TENNESSEE,2017,July,Flash Flood,"BRADLEY",2017-07-01 15:10:00,EST-5,2017-07-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2007,-84.8424,35.1188,-84.8174,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","Several roadways in and around Cleveland were flooded." +119740,718124,CALIFORNIA,2017,July,Wildfire,"SAN LUIS OBISPO COUNTY CENTRAL COAST",2017-07-06 14:44:00,PST-8,2017-07-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Alamo Fire burned 28,687 acres in San Luis Obispo and Santa Barbara counties. One home was destroyed by the fire." +119740,718125,CALIFORNIA,2017,July,Wildfire,"SANTA YNEZ VALLEY",2017-07-06 14:44:00,PST-8,2017-07-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Alamo Fire burned 28,687 acres in San Luis Obispo and Santa Barbara counties. One home was destroyed by the fire." +119740,718126,CALIFORNIA,2017,July,Wildfire,"SANTA BARBARA COUNTY MOUNTAINS",2017-07-06 14:44:00,PST-8,2017-07-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Alamo Fire burned 28,687 acres in San Luis Obispo and Santa Barbara counties. One home was destroyed by the fire." +119740,718127,CALIFORNIA,2017,July,Wildfire,"SAN LUIS OBISPO COUNTY MOUNTAINS",2017-07-06 14:44:00,PST-8,2017-07-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Alamo Fire burned 28,687 acres in San Luis Obispo and Santa Barbara counties. One home was destroyed by the fire." +119740,718128,CALIFORNIA,2017,July,Wildfire,"SANTA YNEZ VALLEY",2017-07-08 12:45:00,PST-8,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Whittier Fire burned 18,470 acres in southern Santa Barbara county. The fire destroyed 16 homes and damaged one other." +119740,718129,CALIFORNIA,2017,July,Wildfire,"SANTA BARBARA COUNTY MOUNTAINS",2017-07-08 12:45:00,PST-8,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Whittier Fire burned 18,470 acres in southern Santa Barbara county. The fire destroyed 16 homes and damaged one other." +119740,718130,CALIFORNIA,2017,July,Wildfire,"SANTA BARBARA COUNTY SOUTH COAST",2017-07-08 12:45:00,PST-8,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and dry conditions during the month resulted in two significant wildfires in Southern California. The Alamo fire burned 28,687 acres while the Whittier fire burned 18, 430 acres.","The Whittier Fire burned 18,470 acres in southern Santa Barbara county. The fire destroyed 16 homes and damaged one other." +114993,689976,NORTH CAROLINA,2017,April,Winter Weather,"AVERY",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +114993,689977,NORTH CAROLINA,2017,April,Winter Weather,"BUNCOMBE",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +114993,689978,NORTH CAROLINA,2017,April,Winter Weather,"HAYWOOD",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +114993,689979,NORTH CAROLINA,2017,April,Winter Weather,"MADISON",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +114993,689980,NORTH CAROLINA,2017,April,Winter Weather,"MITCHELL",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +112842,675226,MISSOURI,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-01 02:41:00,CST-6,2017-03-01 02:41:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-92.57,36.95,-92.57,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Two trees were blown down on East Highway 14." +114993,689981,NORTH CAROLINA,2017,April,Winter Weather,"YANCEY",2017-04-06 12:00:00,EST-5,2017-04-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered to numerous showers developed under a strong upper-level low pressure throughout the 6th and early on the 7th. Meanwhile, lowering snow levels in the wake of a cold front resulted in periods of snow above about 4000 feet. However, significant accumulations were primarily confined to elevations above 5000 feet. As much as a foot fell on the high peaks of the northern mountains.","" +115000,690019,GEORGIA,2017,April,Drought,"RABUN",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into April. However, the month proved to be a very active one for passing storm systems, and monthly precipitation ended up being well above normal. This added to the several-month trend of improving rainfall conditions, and the approximately year-long severe/extreme drought conditions were pretty much over by the end of April.","" +115000,690020,GEORGIA,2017,April,Drought,"HABERSHAM",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into April. However, the month proved to be a very active one for passing storm systems, and monthly precipitation ended up being well above normal. This added to the several-month trend of improving rainfall conditions, and the approximately year-long severe/extreme drought conditions were pretty much over by the end of April.","" +115000,690021,GEORGIA,2017,April,Drought,"STEPHENS",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The effects of the drought continued across the northeast Georgia mountains and foothills into April. However, the month proved to be a very active one for passing storm systems, and monthly precipitation ended up being well above normal. This added to the several-month trend of improving rainfall conditions, and the approximately year-long severe/extreme drought conditions were pretty much over by the end of April.","" +112842,675227,MISSOURI,2017,March,Tornado,"DALLAS",2017-03-01 00:30:00,CST-6,2017-03-01 00:31:00,0,0,0,0,25.00K,25000,0.00K,0,37.6839,-93.1067,37.684,-93.0879,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A brief EF-0 tornado touched down north of Buffalo. Several trees were blown down as well as numerous large tree branches. There was damage to several outbuildings and barns. One barn was completely destroyed. A truck was severely damaged from debris. One home had severe roof damage." +112842,675228,MISSOURI,2017,March,Thunderstorm Wind,"HICKORY",2017-03-01 00:22:00,CST-6,2017-03-01 00:22:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-93.45,37.82,-93.45,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Hail up to the size of nickels and wind gusts up to 60 mph were reported." +112842,675229,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 01:24:00,CST-6,2017-03-01 01:24:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-92.16,37.71,-92.16,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A 60 mph wind gust was measured at the KTBN AWOS." +112842,681285,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-01 01:34:00,CST-6,2017-03-01 01:34:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-92.16,37.71,-92.16,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112844,685546,MISSOURI,2017,March,Tornado,"HICKORY",2017-03-06 22:00:00,CST-6,2017-03-06 22:01:00,0,0,0,0,5.00K,5000,0.00K,0,37.9676,-93.5021,37.964,-93.4888,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A NWS storm survey indicated that a brief EF-1 tornado touched down west of Wheatland, Missouri just north of Highway T and west of Highway 83. Damage was primarily to farm outbuildings that were destroyed and trees being uprooted. The path width was estimated at 100 yards and about three quarters of a mile long. The peak wind speeds were estimated up to 95 mph." +114432,686188,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER PICKENS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686189,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"GREENVILLE MOUNTAINS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686190,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"GREENWOOD",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686191,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"LAURENS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686193,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"PICKENS MOUNTAINS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114438,686265,GEORGIA,2017,March,Thunderstorm Wind,"ELBERT",2017-03-21 19:00:00,EST-5,2017-03-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.112,-82.876,34.139,-82.842,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","County comms and a spotter reported a few trees blown down from the west side of Elberton (Brookwood Cir), across the north part of Elberton to Ruckersville Rd." +115760,695779,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-27 05:20:00,CST-6,2017-05-27 05:25:00,0,0,0,0,0.00K,0,0.00K,0,35.8875,-90.6401,35.8875,-90.6401,"An upper level disturbance triggered a few severe thunderstorms that produced large hail across portions of northeast Arkansas during the morning hours of May 27th.","One hail fell in the Sage Meadows area north of Jonesboro." +114438,686220,GEORGIA,2017,March,Thunderstorm Wind,"HABERSHAM",2017-03-21 20:00:00,EST-5,2017-03-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.491,-83.561,34.491,-83.561,"Scattered evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across northeast Georgia. Several severe thunderstorms produced large hail and damaging winds across the foothills and Piedmont.","County comms reported trees and power lines blown down on Apple Pie Ridge Rd." +119033,714900,MISSOURI,2017,July,Flash Flood,"JOHNSON",2017-07-27 06:10:00,CST-6,2017-07-27 09:10:00,0,0,0,0,0.00K,0,0.00K,0,38.6223,-94.0835,38.6235,-94.1214,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Missouri Route 2 was closed in both directions due to flash flooding." +119033,714983,MISSOURI,2017,July,Flood,"CASS",2017-07-27 17:10:00,CST-6,2017-07-27 23:10:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-94.28,38.7797,-94.2706,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Highway 58 near the Cass County Fairgrounds was flooded due to Big Creek flowing out of its banks." +114455,686472,VIRGINIA,2017,March,Tornado,"SUFFOLK (C)",2017-03-31 16:33:00,EST-5,2017-03-31 16:45:00,0,0,0,0,200.00K,200000,0.00K,0,36.6826,-76.5701,36.6988,-76.4648,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","An EF1 tornado touched down along and just west of White Marsh Road, about 2 miles southeast of downtown Suffolk. A number of trees were downed or snapped off, and one outbuilding was destroyed. The debris from that outbuilding damaged the adjacent house. The tornado crossed White Marsh Road, where it entered the Great Dismal Swamp, and was no longer visible. The tornado then tracked eastward into the Deep Creek area of Chesapeake." +114486,686545,GULF OF MEXICO,2017,March,Waterspout,"MISSISSIPPI SOUND",2017-03-25 16:08:00,CST-6,2017-03-25 16:08:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-89.07,30.33,-89.07,"A vigorous upper level low pressure system moving across the mid and lower Mississippi River Valley triggered several severe thunderstorms across southeast Louisiana, southern Mississippi and the adjoining coastal waters.","A waterspout was reported over Mississippi Sound south of Gulfport." +114494,686569,MISSISSIPPI,2017,March,Hail,"WAYNE",2017-03-27 18:41:00,CST-6,2017-03-27 18:41:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-88.87,31.8,-88.87,"Thunderstorms produced large hail in southeast Mississippi.","" +116168,698290,IOWA,2017,May,Thunderstorm Wind,"POWESHIEK",2017-05-17 16:25:00,CST-6,2017-05-17 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-92.74,41.71,-92.74,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Marshalltown airport AWOS recorded 68 mph wind gust." +116168,698294,IOWA,2017,May,Thunderstorm Wind,"GRUNDY",2017-05-17 16:30:00,CST-6,2017-05-17 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.4,-92.8,42.4,-92.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported outbuilding blown apart. Report via social media and is a delayed report." +116168,699903,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-17 16:13:00,CST-6,2017-05-17 16:13:00,0,0,0,0,0.00K,0,0.00K,0,42.5797,-94.1477,42.5797,-94.1477,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Some medium to large limbs were downed by the winds." +115927,696561,MISSOURI,2017,May,Hail,"DUNKLIN",2017-05-27 21:00:00,CST-6,2017-05-27 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.2445,-90.07,36.2445,-90.07,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Measured one inch hail." +116168,699907,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:13:00,CST-6,2017-05-17 16:13:00,0,0,0,0,15.00K,15000,0.00K,0,42.1228,-92.9701,42.1228,-92.9701,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","The Emergency Manager reported grain bins destroyed and roof damage to a house." +116168,699908,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:03:00,CST-6,2017-05-17 16:13:00,0,0,0,0,20.00K,20000,0.00K,0,42.04,-92.91,41.9465,-92.9594,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported roof damage to a farmstead and a barn blown down near the Marshalltown airport." +116002,701177,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:44:00,EST-5,2017-05-05 01:44:00,0,0,0,0,2.50K,2500,0.00K,0,35.61,-80.06,35.61,-80.06,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees and power lines were reported down on North Carolina Highway 47 at Valley Farm Road, blocking both lanes." +116002,701401,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 01:45:00,EST-5,2017-05-05 01:45:00,0,0,0,0,0.00K,0,0.00K,0,36.0737,-79.794,36.0737,-79.794,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Eugene Street and Friendly Avenue." +116002,701402,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:14:00,EST-5,2017-05-05 02:14:00,0,0,0,0,10.00K,10000,0.00K,0,35.7374,-79.9785,35.7374,-79.9785,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on a home at 179 Kindley Road." +116657,701406,NORTH CAROLINA,2017,May,Hail,"FORSYTH",2017-05-19 14:57:00,EST-5,2017-05-19 15:20:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-80.29,36.12,-80.08,"Ahead of a cold front approaching North Carolina, disturbances rotating around an upper level ridge off the Florida coast initiated deep convection in a moderately unstable airmass across southwestern Virginia and northwestern North Carolina.","Hail up to the size of quarters was fell along a swath from Rural Hall to Kernersville." +116657,701407,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-19 14:50:00,EST-5,2017-05-19 15:14:00,0,0,0,0,3.00K,3000,0.00K,0,36.17,-80.28,36.12,-80.12,"Ahead of a cold front approaching North Carolina, disturbances rotating around an upper level ridge off the Florida coast initiated deep convection in a moderately unstable airmass across southwestern Virginia and northwestern North Carolina.","A couple of trees were blown down along a swath from Pfafftown to 5800 Regents Park Road near Sedge Garden. Both trees were blocking the roadway and one fell onto power lines." +116657,701408,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-19 16:24:00,EST-5,2017-05-19 16:27:00,0,0,0,0,2.00K,2000,0.00K,0,36.18,-79.09,36.08,-79.1,"Ahead of a cold front approaching North Carolina, disturbances rotating around an upper level ridge off the Florida coast initiated deep convection in a moderately unstable airmass across southwestern Virginia and northwestern North Carolina.","A couple of trees were blown down along a swath from northwest of Schley to just northeast of Hillsborough." +116657,701409,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-19 16:42:00,EST-5,2017-05-19 16:42:00,0,0,0,0,3.00K,3000,0.00K,0,36.11,-78.85,36.11,-78.85,"Ahead of a cold front approaching North Carolina, disturbances rotating around an upper level ridge off the Florida coast initiated deep convection in a moderately unstable airmass across southwestern Virginia and northwestern North Carolina.","Several trees were blown down on Old Oxford Road near Bahama." +115121,691205,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:58:00,EST-5,2017-04-06 11:58:00,0,0,0,0,,NaN,,NaN,38.5251,-77.586,38.5251,-77.586,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down in the 2000 Block of Aquia road." +115121,691206,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 11:59:00,EST-5,2017-04-06 11:59:00,0,0,0,0,,NaN,,NaN,38.525,-77.5645,38.525,-77.5645,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A Greenhouse was destroyed in the 7000 Block of Tacketts Mill Road." +115121,691207,VIRGINIA,2017,April,Thunderstorm Wind,"LOUDOUN",2017-04-06 12:29:00,EST-5,2017-04-06 12:29:00,0,0,0,0,,NaN,,NaN,38.9062,-77.5445,38.9062,-77.5445,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","About two dozen trees were snapped near the intersection of Gum Spring road and Lennox Hale Drive." +115121,691208,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:31:00,EST-5,2017-04-06 12:31:00,0,0,0,0,,NaN,,NaN,38.82,-77.21,38.82,-77.21,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Several trees were down on Philip road." +115121,691209,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 12:02:00,EST-5,2017-04-06 12:02:00,0,0,0,0,,NaN,,NaN,38.7106,-77.876,38.7106,-77.876,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Numerous trees were down along Waterloo Farm Road." +115144,691210,MARYLAND,2017,April,Flood,"BALTIMORE",2017-04-06 15:39:00,EST-5,2017-04-06 20:02:00,0,0,0,0,0.00K,0,0.00K,0,39.5397,-76.6364,39.5506,-76.635,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Showers and thunderstorms led to heavy rain at times and led to a river gauge reaching flood stage in northeast MD.","The stream gauge at Glencoe at Gundpowder Falls reached flood stage of 7 feet. The river level peaked at 9.17 feet at 17:30 EST. Sparks Road began to flood as well as portions of Upper Glencoe Road and Lower Glencoe Road." +113323,680943,OKLAHOMA,2017,March,Thunderstorm Wind,"CRAIG",2017-03-06 21:57:00,CST-6,2017-03-06 21:57:00,0,0,0,0,1.00K,1000,0.00K,0,36.65,-95.2402,36.65,-95.2402,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew down trees and overturned a shed." +113323,680944,OKLAHOMA,2017,March,Thunderstorm Wind,"ROGERS",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2351,-95.6916,36.2351,-95.6916,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113323,680949,OKLAHOMA,2017,March,Thunderstorm Wind,"TULSA",2017-03-06 22:15:00,CST-6,2017-03-06 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,35.9408,-95.883,35.9408,-95.883,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped five power poles." +114581,687199,OKLAHOMA,2017,March,High Wind,"BEAVER",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +114581,687198,OKLAHOMA,2017,March,High Wind,"CIMARRON",2017-03-06 12:10:00,CST-6,2017-03-06 13:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A setup was in place for a persistent high wind event throughout the daytime hours. The Panhandles region were in a region of good surface divergence in the 300 hPa jet in-conjunction being on the lee side of a upper level trough in the Rockies. This set up under mostly clear skies was able to mix some of the strong winds aloft (700-500 hPa layer) down to the surface due to the steep height fields aloft. This allowed southwesterly down-slope winds to provide very breezy conditions with many counties in the combined Panhandles reaching High Wind criteria. A cold front came through the region that evening which tapered off the winds well below High Wind criteria.","" +113549,679721,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:39:00,CST-6,2017-03-06 20:39:00,0,0,0,0,15.00K,15000,0.00K,0,43.81,-91.25,43.81,-91.25,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","A light post and business signs were blown down in downtown La Crosse. Three traffic lights with arms that stretch out over traffic were twisted and had to be repaired. Another traffic light and several street signs were blown down." +113549,682449,WISCONSIN,2017,March,Thunderstorm Wind,"LA CROSSE",2017-03-06 20:41:00,CST-6,2017-03-06 20:41:00,0,0,0,0,23.00K,23000,0.00K,0,43.82,-91.24,43.82,-91.24,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","Around a dozen 1 to 2 foot diameter trees were blown down or uprooted in a cemetery and park in La Crosse. Another tree east of the cemetery went down and partially landed on a house. Trees were also blown down on the UW-La Crosse campus." +112950,674873,IOWA,2017,February,Hail,"JOHNSON",2017-02-23 22:10:00,CST-6,2017-02-23 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-91.39,41.61,-91.39,"A cluster of strong storms brought a few reports of hail between pea and nickel size to portions of Southeast Iowa.","Spotters reported nickel size hail. The time was estimated from radar data." +112950,674874,IOWA,2017,February,Hail,"CLINTON",2017-02-23 22:45:00,CST-6,2017-02-23 22:45:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-90.84,41.83,-90.84,"A cluster of strong storms brought a few reports of hail between pea and nickel size to portions of Southeast Iowa.","A report of nickel size hail was received through social media. The time was estimated from radar data." +112952,674881,ILLINOIS,2017,February,Hail,"BUREAU",2017-02-23 22:38:00,CST-6,2017-02-23 22:38:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-89.72,41.51,-89.72,"A cluster of strong storms brought a report of large hail to northern Illinois.","A report of quarter size hail was received from social media. The time of the report has been estimated from radar data." +112934,674759,VIRGINIA,2017,March,Thunderstorm Wind,"LEE",2017-03-01 11:18:00,EST-5,2017-03-01 11:18:00,0,0,0,0,,NaN,,NaN,36.69,-83.12,36.69,-83.12,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down across the eastern part of the county." +114641,687610,TEXAS,2017,March,High Wind,"DALLAM",2017-03-24 09:44:00,CST-6,2017-03-24 10:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +112934,674761,VIRGINIA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 12:24:00,EST-5,2017-03-01 12:24:00,0,0,0,0,,NaN,,NaN,36.71,-81.97,36.71,-81.97,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A few trees were reported down in Abingdon." +115146,691228,DISTRICT OF COLUMBIA,2017,April,Tornado,"DISTRICT OF COLUMBIA",2017-04-06 12:41:00,EST-5,2017-04-06 12:43:00,1,0,0,0,,NaN,,NaN,38.8313,-77.0243,38.8485,-77.0057,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The National Weather Service in Baltimore MD/Washington DC has |confirmed an EF-0 tornado initiating in Joint Base Anacostia Bolling |and continuing into Anacostia DC on April 6, 2017. On the two mile |path, the weak tornado caused several small and midsized trees to be |snapped and uprooted on base in a convergent manner. Flags were |stripped off their posts in the central roundabout. A large soccer |net was thrown from the athletic field. Shingle damage was noted to |one of the buildings. As the tornado crossed over Interstate 295 it |likely lifted off the ground. Trees were snapped higher up on the |trunks on the hill just east of the interstate. An apartment complex |was unroofed on Stanton Rd SE. Media reported one person was injured |by flying drywall." +115147,691885,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-06 12:47:00,EST-5,2017-04-06 12:47:00,0,0,0,0,,NaN,,NaN,38.9952,-77.0297,38.9952,-77.0297,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A tree was down on a light pole along Colesville Road near Georgia Avenue." +114725,688176,ILLINOIS,2017,March,Thunderstorm Wind,"LA SALLE",2017-03-07 00:36:00,CST-6,2017-03-07 00:36:00,0,0,0,0,1.00K,1000,0.00K,0,41.34,-88.84,41.359,-88.7982,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","Law enforcement relayed reports of power poles and power lines down just south of Ottawa. A large tree was also blown down onto Illinois Route 71." +114725,688177,ILLINOIS,2017,March,Thunderstorm Wind,"DE KALB",2017-03-07 00:40:00,CST-6,2017-03-07 00:40:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-88.68,41.63,-88.68,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688178,ILLINOIS,2017,March,Thunderstorm Wind,"DE KALB",2017-03-07 00:41:00,CST-6,2017-03-07 00:41:00,0,0,0,0,0.00K,0,0.00K,0,41.989,-88.6888,41.989,-88.6888,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","Three to four inch diameter tree limbs were blown down near Route 23 and Route 64." +114777,688424,SOUTH DAKOTA,2017,March,High Wind,"CORSON",2017-03-07 10:10:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688425,SOUTH DAKOTA,2017,March,High Wind,"DEWEY",2017-03-07 13:10:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688426,SOUTH DAKOTA,2017,March,High Wind,"CAMPBELL",2017-03-07 15:20:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +115147,691887,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 13:02:00,EST-5,2017-04-06 13:02:00,0,0,0,0,,NaN,,NaN,38.9809,-76.7468,38.9809,-76.7468,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Five large trees were down in the neighborhood off of Moylan Drive." +114777,688427,SOUTH DAKOTA,2017,March,High Wind,"WALWORTH",2017-03-07 14:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688428,SOUTH DAKOTA,2017,March,High Wind,"POTTER",2017-03-07 16:20:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688431,SOUTH DAKOTA,2017,March,High Wind,"EDMUNDS",2017-03-07 10:40:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114812,688630,NEW YORK,2017,March,High Wind,"CATTARAUGUS",2017-03-01 20:30:00,EST-5,2017-03-02 00:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Trees were downed by strong winds in Gowanda." +114812,688631,NEW YORK,2017,March,High Wind,"LIVINGSTON",2017-03-02 01:00:00,EST-5,2017-03-02 04:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Trees and wires were downed by strong winds in Caledonia." +114812,688632,NEW YORK,2017,March,High Wind,"NORTHERN CAYUGA",2017-03-02 02:00:00,EST-5,2017-03-02 04:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","Route 38 in Conquest was closed by downed trees." +114812,688633,NEW YORK,2017,March,High Wind,"OSWEGO",2017-03-02 02:00:00,EST-5,2017-03-02 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the evening hours of March first before subsiding by daybreak on the second. Gusts as high as 64 mph were measured. The strong winds downed trees and power lines throughout the region. The wind damage several buildings including ones in: Batavia (gas station canopy knocked over), North Collins (roof off trailer on the Seneca Nation), and Akron. Falling trees damaged homes or automobiles in: Rochester (on North Clinton Avenue), Blasdell, Webster, Portageville and Irondequoit. Measured wind gusts included: 64 mph at Rochester Airport, 62 mph at Oswego Airport and near Warsaw, 61 mph in Boston and near Batavia, and 58 mph near Fredonia.","" +114525,686779,ILLINOIS,2017,March,Thunderstorm Wind,"SCHUYLER",2017-03-06 23:00:00,CST-6,2017-03-06 23:05:00,0,0,0,0,10.00K,10000,0.00K,0,40.18,-90.87,40.18,-90.87,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","The roof of a house was damaged in Huntsville." +114525,686780,ILLINOIS,2017,March,Thunderstorm Wind,"KNOX",2017-03-06 23:07:00,CST-6,2017-03-06 23:12:00,0,0,0,0,14.00K,14000,0.00K,0,40.95,-90.37,40.95,-90.37,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A car was crushed by a falling tree near Knox College in Galesburg." +114525,686781,ILLINOIS,2017,March,Thunderstorm Wind,"KNOX",2017-03-06 23:11:00,CST-6,2017-03-06 23:16:00,0,0,0,0,2.00K,2000,0.00K,0,40.8,-90.4,40.8,-90.4,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Sheet metal was blown off a building." +114525,686810,ILLINOIS,2017,March,Thunderstorm Wind,"KNOX",2017-03-06 23:26:00,CST-6,2017-03-06 23:31:00,0,0,0,0,7.00K,7000,0.00K,0,40.8,-90.2082,40.8,-90.2082,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A power pole was blown down near the intersection of 1200E and 650N." +114129,683461,WASHINGTON,2017,March,Flood,"SPOKANE",2017-03-09 06:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,8.00M,8000000,0.00K,0,47.8061,-117.7954,47.2589,-117.7982,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","A series of rain storms and low elevation snow melt caused saturated soil conditions through out Spokane County through the second half of March. These conditions lead to numerous small stream and field flooding issues through out the county. Homes and buildings along the shore of Williams Lake and Newman Lake experienced flooding from high lake levels. In Mead a hillside began slowly sliding in a residential area necessitating the evacuation of two homes. Spokane County was included in a State of Emergency declaration issued by the state Governor. ||Twenty two roads in the county were washed out or at least temporarily closed due to flooding." +116113,697875,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 13:20:00,EST-5,2017-05-01 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,41.87,-80.2661,41.87,-80.13,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds downed a few trees in the Franklin Center and Edinboro areas." +116946,703330,SOUTH DAKOTA,2017,May,Hail,"HAMLIN",2017-05-16 01:35:00,CST-6,2017-05-16 01:35:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-97.04,44.58,-97.04,"A couple thunderstorms lifting north across the region brought quarter size hail to parts of Day and Hamlin counties.","" +116946,703331,SOUTH DAKOTA,2017,May,Hail,"DAY",2017-05-16 04:02:00,CST-6,2017-05-16 04:02:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-97.83,45.5,-97.83,"A couple thunderstorms lifting north across the region brought quarter size hail to parts of Day and Hamlin counties.","" +115105,690891,OHIO,2017,May,Flash Flood,"GEAUGA",2017-05-28 15:51:00,EST-5,2017-05-28 17:45:00,0,0,0,0,10.00K,10000,0.00K,0,41.6123,-81.0615,41.6179,-81.0328,"A warm front lifted across the region on the afternoon of Sunday the 28th. Convection developed along and behind this feature. The most intense storms and concentration was along the lake breeze boundary extending from Cleveland eastward. This allowed for training and an increased risk of flooding.","Preceding the rainfall on the 28th, a near record breaking wet spring had produced wet antecedent ground conditions across north central Ohio. This set the stage for rapid runoff with any heavy rainfall events. ||Multiple storms with heavy rain moved over portions of northern Geauga and western Ashtabula Counties on the afternoon and evening of May 28th. A rain gauge in Chardon measured 1.40 in 45 minutes with these storms. Heavier rain, south of Chardon, had radar estimates around 3-4 for a storm total.The rain moved in shortly after 4 PM near the Montville community, with radar rainfall rates estimated over 3 per hour. Flash flooding rapidly developed. The most impacted area was in the hilly area between Route 86 and 528 in Montville. Water rises necessitated a water rescue in a home for two individuals, though the water never entered the property. Numerous roads between Montville and Thompson were closed due to flooding, with some minor washouts." +116113,697890,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-01 13:05:00,EST-5,2017-05-01 13:05:00,0,0,0,0,15.00K,15000,0.00K,0,41.6988,-80.4386,41.8012,-80.3014,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds downed trees in the Conneautville area in both Spring and Conneaut Townships." +116147,702024,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-27 20:30:00,CST-6,2017-05-27 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-95.8,36.27,-95.8,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702012,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.0409,-96.1506,36.0409,-96.1506,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702013,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.0145,-96.1,36.0145,-96.1,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702016,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-27 19:53:00,CST-6,2017-05-27 19:53:00,0,0,0,0,0.00K,0,0.00K,0,36.1066,-96.12,36.1066,-96.12,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702023,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-27 20:26:00,CST-6,2017-05-27 20:26:00,0,0,0,0,0.00K,0,0.00K,0,36.2889,-95.2868,36.2889,-95.2868,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702026,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-27 20:48:00,CST-6,2017-05-27 20:48:00,0,0,0,0,0.00K,0,0.00K,0,35.7066,-96.57,35.7066,-96.57,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702027,OKLAHOMA,2017,May,Hail,"OKMULGEE",2017-05-27 21:06:00,CST-6,2017-05-27 21:06:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-96.0034,35.52,-96.0034,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +115591,710491,KANSAS,2017,June,Thunderstorm Wind,"SHAWNEE",2017-06-16 23:56:00,CST-6,2017-06-16 23:57:00,0,0,0,0,,NaN,,NaN,39.02,-95.79,39.02,-95.79,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Seven inch diameter tree limb snapped, blocking 2800 block of SW Bingham Road." +115591,710492,KANSAS,2017,June,Hail,"POTTAWATOMIE",2017-06-16 23:45:00,CST-6,2017-06-16 23:46:00,0,0,0,0,,NaN,,NaN,39.43,-96.71,39.43,-96.71,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710494,KANSAS,2017,June,Thunderstorm Wind,"SHAWNEE",2017-06-16 23:58:00,CST-6,2017-06-16 23:59:00,0,0,0,0,,NaN,,NaN,39.02,-95.79,39.02,-95.79,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Ten inch diameter limbs down in the 7400 block of SW Cannock Chase Road." +115591,710495,KANSAS,2017,June,Thunderstorm Wind,"SHAWNEE",2017-06-16 23:58:00,CST-6,2017-06-16 23:59:00,0,0,0,0,,NaN,,NaN,39.02,-95.75,39.02,-95.75,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Large 4 to 5 inch diameter limbs snapped off of a tree." +115591,710497,KANSAS,2017,June,Hail,"OSAGE",2017-06-17 01:38:00,CST-6,2017-06-17 01:39:00,0,0,0,0,,NaN,,NaN,38.62,-95.72,38.62,-95.72,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710498,KANSAS,2017,June,Hail,"OSAGE",2017-06-17 01:46:00,CST-6,2017-06-17 01:47:00,0,0,0,0,,NaN,,NaN,38.61,-95.68,38.61,-95.68,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710500,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-17 01:50:00,CST-6,2017-06-17 01:51:00,0,0,0,0,,NaN,,NaN,38.97,-95.9,38.97,-95.9,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710501,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-17 02:07:00,CST-6,2017-06-17 02:08:00,0,0,0,0,,NaN,,NaN,38.88,-95.85,38.88,-95.85,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710502,KANSAS,2017,June,Hail,"OSAGE",2017-06-17 02:30:00,CST-6,2017-06-17 02:31:00,0,0,0,0,,NaN,,NaN,38.64,-95.8,38.64,-95.8,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +114865,689083,IDAHO,2017,March,Flood,"BINGHAM",2017-03-01 01:00:00,MST-7,2017-03-31 22:00:00,0,0,0,0,215.00K,215000,0.00K,0,43.43,-112.82,42.95,-112.85,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding from snow melt continued throughout March though there was a significant improvement over February. On March 16th significant road damage and roads washed out were reported in Taber. The main issue was road damage and some property damage that continued to run up the monetary damage. Some roads remained closed through the first two weeks of March in Aberdeen, Blackfoot, Shelley, and Springfield." +114865,689089,IDAHO,2017,March,Flood,"BLAINE",2017-03-01 01:00:00,MST-7,2017-03-31 22:00:00,0,0,0,0,140.00K,140000,0.00K,0,43.8023,-114.4917,43.47,-114.6689,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Sheet flooding continued in March with continued damage to roadways and basement flooding. Water began flowing over many minor roadways in Carey. On the 30th and 31st releases from Magic Reservoir flooded a road and stranded a driver on West Magic Reservoir Road. The road was closed stranding several residents in West Magic." +114427,686102,ALABAMA,2017,March,Thunderstorm Wind,"WILCOX",2017-03-01 18:16:00,CST-6,2017-03-01 18:16:00,0,0,0,0,10.00K,10000,0.00K,0,32.0005,-87.5559,32.0005,-87.5559,"Thunderstorms produced high winds which caused damage across southwest Alabama.","Winds estimated at 60 mph downed two trees with one falling on a house." +114496,686603,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-03-30 12:18:00,CST-6,2017-03-30 12:18:00,0,0,0,0,0.00K,0,0.00K,0,30.2563,-88.0833,30.2563,-88.0833,"Strong thunderstorms moved across the marine area and produced high winds.","NOS Station at Dauphin Island measured a 37 knot wind gust." +114865,689559,IDAHO,2017,March,Flood,"MADISON",2017-03-01 01:00:00,MST-7,2017-03-31 01:00:00,0,0,0,0,15.00K,15000,0.00K,0,43.9234,-111.88,43.75,-111.9101,"Lower elevation mountain snowpack continued to melt in March and widespread sheet flooding from the snow melt. Although the severity of the flooding diminished from the onset in January and February, the persistence and flood damage continued in most counties.","Minor flooding continued across Madison County in March with continued road damage and field flooding." +114959,689576,NORTH CAROLINA,2017,March,Hail,"MACON",2017-03-27 21:15:00,EST-5,2017-03-27 21:15:00,0,0,0,0,,NaN,,NaN,35.09,-83.56,35.09,-83.56,"Isolated thunderstorms developed across the North Carolina Blue Ridge during the afternoon, followed by a weakening line of storms that moved into the mountains during the evening. A couple of cells produced brief periods of hail.","Public reported penny size hail." +115728,703329,ILLINOIS,2017,May,Flood,"LAWRENCE",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8487,-87.9075,38.5721,-87.9094,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Lawrence County. Officials reported that most rural roads were impassable and numerous creeks rapidly flooded. The heaviest rain was reported in northwest Lawrence County near Chauncey. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +117053,704004,TEXAS,2017,May,Drought,"CAMERON",2017-05-16 00:00:00,CST-6,2017-05-29 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for drought conditions to intensify across southern Cameron County by mid May, with Severe (D2) drought conditions returning to the region. Rainfall the last week of the month, allowed conditions to improve to D1.","Drought conditions intensified across southern Cameron County as the area continued to miss out on rainfall. Rainfall the last week of May, allowed for some slight improvement to D1 conditions." +117053,704005,TEXAS,2017,May,Drought,"COASTAL CAMERON",2017-05-16 00:00:00,CST-6,2017-05-29 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for drought conditions to intensify across southern Cameron County by mid May, with Severe (D2) drought conditions returning to the region. Rainfall the last week of the month, allowed conditions to improve to D1.","Drought conditions intensified across southern coastal Cameron County as the area continued to miss out on rainfall. Rainfall the last week of May, allowed for some slight improvement to D1 conditions." +116131,698054,PUERTO RICO,2017,May,Heavy Rain,"HATILLO",2017-05-09 17:30:00,AST-4,2017-05-09 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18.3744,-66.7818,18.3517,-66.7812,"An upper level trough continued maintaining a wet weather pattern across the region. Flash flood warnings were issued due to heavy rain.","Emergency manager officials reported road PR-489 K.M 1.7 in Barrio Aibonito closed due to a mudslide sector Las Cuarenta of Hatillo." +116132,698055,PUERTO RICO,2017,May,Heavy Rain,"OROCOVIS",2017-05-10 14:22:00,AST-4,2017-05-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,18.163,-66.4031,18.0832,-66.3655,"Upper level trough affected the area. Above normal moisture combined with the upper level trough to cause the showers and thunderstorms to affect much of Puerto Rico and USVI.","A mudslide was reported at roda PR-155, K.M. 22.2." +116581,701075,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-05 08:40:00,EST-5,2017-05-05 08:40:00,0,0,0,0,,NaN,,NaN,38.98,-76.33,38.98,-76.33,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust of 39 knots was reported." +116581,701076,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"EASTERN BAY",2017-05-05 08:26:00,EST-5,2017-05-05 08:26:00,0,0,0,0,,NaN,,NaN,38.7854,-76.2233,38.7854,-76.2233,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby." +116582,701077,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-07 16:03:00,EST-5,2017-05-07 16:03:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","A wind gust in excess of 30 knots was reported at Quantico." +116582,701078,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-05-07 17:10:00,EST-5,2017-05-07 17:10:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","A wind gust of 37 knots was reported at Gooses Reef." +116582,701079,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-07 17:36:00,EST-5,2017-05-07 17:36:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","A wind gust of 36 knots was reported at Piney Point." +116582,701081,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-05-07 17:52:00,EST-5,2017-05-07 17:52:00,0,0,0,0,,NaN,,NaN,38.258,-76.179,38.258,-76.179,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","A wind gust of 35 knots was reported at Hooper Island." +116582,701082,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-05-07 18:06:00,EST-5,2017-05-07 18:11:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","Wind gusts of 34 to 35 knots were reported at Point Lookout." +116582,701083,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-07 18:10:00,EST-5,2017-05-07 18:20:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"Popup showers developed underneath an upper-level low. Some showers produced gusty winds due to an unstable atmosphere that was in place.","Wind gusts up to 35 knots were reported at Point Lookout." +114189,683927,COLORADO,2017,March,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +114189,683929,COLORADO,2017,March,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +114189,683931,COLORADO,2017,March,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +114189,683932,COLORADO,2017,March,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +114189,683935,COLORADO,2017,March,Winter Storm,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +114189,683937,COLORADO,2017,March,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-03-28 18:00:00,MST-7,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across the Sangre de Cristo and Wet Mountains. Some of the higher reported snow totals included: over 8 inches across the higher terrain of the Sangre de Cristo and Wet Mountains, 5 inches near Rye (Pueblo County), Rosita and Westcliffe (Custer County), Walsenburg (Huerfano County), and 12 inches near the Spanish Peaks (Huerfano County).","" +113661,685953,TEXAS,2017,March,Thunderstorm Wind,"HOPKINS",2017-03-29 02:55:00,CST-6,2017-03-29 02:55:00,0,0,0,0,20.00K,20000,0.00K,0,32.9927,-95.3155,32.9927,-95.3155,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported significant damage to very large commercial chicken coop structures. Two were completely destroyed and one partially destroyed, and a very large number of chickens were killed." +113661,685957,TEXAS,2017,March,Thunderstorm Wind,"ROBERTSON",2017-03-29 02:35:00,CST-6,2017-03-29 02:35:00,0,0,0,0,5.00K,5000,0.00K,0,31.03,-96.48,31.03,-96.48,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Broadcast media reported that a roof was blown off of a laundromat and onto Hwy 79 in Frankin, TX." +113661,685959,TEXAS,2017,March,Thunderstorm Wind,"ELLIS",2017-03-29 01:23:00,CST-6,2017-03-29 01:23:00,0,0,0,0,0.00K,0,0.00K,0,32.5,-96.96,32.5,-96.96,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Midlothian Fire and Rescue measured a 63 MPH wind gust." +113661,685961,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-29 01:45:00,CST-6,2017-03-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,33.01,-96.86,33.01,-96.86,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report of large tree branches being blow down was received about 2 miles southeast of Hebron, TX. Time based on RADAR." +113661,685976,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-29 01:45:00,CST-6,2017-03-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,33.2566,-96.98,33.2566,-96.98,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported a 10-inch diameter tree snapped in the town of Krugerville, TX." +113661,690158,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:10:00,CST-6,2017-03-29 01:12:00,0,0,0,0,80.00K,80000,0.00K,0,32.93,-97.25,32.93,-97.25,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Wind gusts, estimated to be 80 mph damaged large trees and roofs in Keller. The wind damaged several large tree limbs and branches, and destroyed at least four roofs." +113212,690329,GEORGIA,2017,March,Drought,"WALKER",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684602,GEORGIA,2017,March,Winter Weather,"TOWNS",2017-03-11 22:00:00,EST-5,2017-03-12 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","Reports from a CoCoRaHS observer and an amateur radio operator showed 2 inches of snow near Hiawassee and 1 inch near Titus. This was on grassy and elevated surfaces and roads were reported to be clear in these areas." +113212,690347,GEORGIA,2017,March,Drought,"GORDON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690365,GEORGIA,2017,March,Drought,"BARROW",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +112807,674008,MINNESOTA,2017,March,High Wind,"SOUTHERN COOK",2017-03-07 15:30:00,CST-6,2017-03-07 15:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong and deepening area of low pressure over far northwest Ontario resulted in widespread strong and gusty winds across northeast Minnesota on Tuesday March 7th. The winds were from the west to west-southwest. There were widespread wind gusts of 40 to 55 mph across northeast Minnesota, but parts of the Minnesota North Shore had wind gusts in excess of 58 mph, including from Duluth to Grand Marais. The strongest winds occurred between 2:00 pm and 5:00 pm. The Duluth International Airport had a gust to 60 mph, Grand Marais had a gust to 66 mph while the Silver Bay AWOS recorded a wind gust of 62 mph. The winds brought down trees and branches and fell on power lines that resulted in 4,800 Lake Country power customers losing power. Several thousand Minnesota Power customers also lost power in the high winds. The large statue of Pierre the Voyageur that stands over Two Harbors lost its right arm and paddle. A street light blew down and crashed onto a local television station vehicle. The vehicle sustained minor damage.","" +112807,674013,MINNESOTA,2017,March,Strong Wind,"CENTRAL ST. LOUIS",2017-03-07 16:00:00,CST-6,2017-03-07 16:00:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong and deepening area of low pressure over far northwest Ontario resulted in widespread strong and gusty winds across northeast Minnesota on Tuesday March 7th. The winds were from the west to west-southwest. There were widespread wind gusts of 40 to 55 mph across northeast Minnesota, but parts of the Minnesota North Shore had wind gusts in excess of 58 mph, including from Duluth to Grand Marais. The strongest winds occurred between 2:00 pm and 5:00 pm. The Duluth International Airport had a gust to 60 mph, Grand Marais had a gust to 66 mph while the Silver Bay AWOS recorded a wind gust of 62 mph. The winds brought down trees and branches and fell on power lines that resulted in 4,800 Lake Country power customers losing power. Several thousand Minnesota Power customers also lost power in the high winds. The large statue of Pierre the Voyageur that stands over Two Harbors lost its right arm and paddle. A street light blew down and crashed onto a local television station vehicle. The vehicle sustained minor damage.","A tree fell from strong winds and struck a 58-year-old man. The man's injuries were non-life threatening. The nearby AWOS at the Eveleth-Virginia airport was measuring wind gusts from about 35 to 45 mph at the time." +116133,699780,PUERTO RICO,2017,May,Flash Flood,"MAUNABO",2017-05-11 17:05:00,AST-4,2017-05-11 19:15:00,0,0,0,0,0.00K,0,0.00K,0,18.016,-65.9293,18.0161,-65.9205,"Trough aloft continued to move away the area while resulting in showers and thunderstorms affecting local area.","Emergency managers reported Rio Manuabo out of its banks with flood waters along Sector Garona in Barrio Tumbao." +116131,703975,PUERTO RICO,2017,May,Heavy Rain,"CIALES",2017-05-09 14:00:00,AST-4,2017-05-09 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,18.2957,-66.5449,18.3071,-66.5248,"An upper level trough continued maintaining a wet weather pattern across the region. Flash flood warnings were issued due to heavy rain.","Emergency manager from Ciales reported mudslides across roads PR-608, PR-614 near Km 5.0. Also, in Barrio Pozas sector Hoyo and another mudslide affected a residence in sector Pozo Muro. In Addition, the Rio Barbas flood waters damaged a bridge." +113054,689181,NORTH DAKOTA,2017,March,Blizzard,"ROLETTE",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113054,689182,NORTH DAKOTA,2017,March,Blizzard,"BOTTINEAU",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113202,678323,TEXAS,2017,March,Tornado,"KING",2017-03-28 17:49:00,CST-6,2017-03-28 17:51:00,0,0,0,0,0.00K,0,0.00K,0,33.6653,-100.5135,33.6855,-100.515,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","This tornado developed from a cyclic supercell responsible for the previous tornado in far eastern Dickens County. No damage was reported with this tornado as it remained over open land." +113202,678327,TEXAS,2017,March,Hail,"LUBBOCK",2017-03-28 11:35:00,CST-6,2017-03-28 11:46:00,0,0,0,0,0.00K,0,0.00K,0,33.5901,-102.0479,33.67,-102.07,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","No damage was reported." +113202,678330,TEXAS,2017,March,Hail,"MOTLEY",2017-03-28 15:06:00,CST-6,2017-03-28 15:06:00,0,0,0,0,,NaN,0.00K,0,34.19,-100.89,34.19,-100.89,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","Hail damage was not known." +114629,687537,VERMONT,2017,May,Thunderstorm Wind,"ADDISON",2017-05-18 17:18:00,EST-5,2017-05-18 17:25:00,1,0,0,0,200.00K,200000,0.00K,0,44.0907,-73.3966,44.0898,-73.3915,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","NWS survey team determined a microburst with winds estimated between 80-100 mph initiated across Lake Champlain and moved ashore on Potash Bay road with the maximum extent of damage occurring on Potash Bay road and Lake street. A summer camp was partial lifted from it's foundation and rolled onto it's side with neighboring homes witnessing some structural damage in terms of missing/damaged gutters and shutters. Dozens to hundreds of Willow and Pine trees were snapped or uprooted and damaging hail accompanied these winds.||A 75 year old female was in the camp at the time of the storm and received minor injuries.||Other, more scattered wind damage from this storm was along the lake shore in a 2-3 mile radius as well as east to Route 22A." +114629,687571,VERMONT,2017,May,Thunderstorm Wind,"CALEDONIA",2017-05-18 17:00:00,EST-5,2017-05-18 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.59,-71.94,44.59,-71.94,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Trees and power lines down by thunderstorm winds." +114629,687574,VERMONT,2017,May,Thunderstorm Wind,"ORANGE",2017-05-18 18:45:00,EST-5,2017-05-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-72.22,44.06,-72.22,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Huge trees downed by thunderstorm winds." +114639,687576,NEW YORK,2017,May,Hail,"ESSEX",2017-05-18 18:05:00,EST-5,2017-05-18 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-73.68,44.09,-73.68,"Record setting heat set the stage for a moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.","Quarter-size hail reported." +113643,687144,INDIANA,2017,March,Hail,"WARREN",2017-03-20 13:00:00,EST-5,2017-03-20 13:02:00,0,0,0,0,,NaN,0.00K,0,40.33,-87.35,40.33,-87.35,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +114282,689151,GEORGIA,2017,March,Thunderstorm Wind,"DE KALB",2017-03-30 19:38:00,EST-5,2017-03-30 19:45:00,0,0,0,0,10.00K,10000,,NaN,33.7346,-84.1568,33.7941,-84.0978,"A strong short wave moving through the Ohio Valley and its associated surface low pressure system brought a warm front into north Georgia during the evening. Very moist and moderately unstable air along the front resulted in isolated severe thunderstorms with several reports of damaging thunderstorm winds and large hail in and near the Atlanta metropolitan area.","The DeKalb County Emergency Manager reported numerous trees and power lines blown down on the eastern side of the county. Locations include around Shadow Rock Lane at Shadow Rock Drive, South Deshon Road near Regal Heights Drive, and around the intersection of Bermuda Road and Stewart Mills Road." +114282,689152,GEORGIA,2017,March,Hail,"DE KALB",2017-03-30 19:40:00,EST-5,2017-03-30 19:45:00,0,0,0,0,1.00K,1000,,NaN,33.8059,-84.1732,33.8059,-84.1732,"A strong short wave moving through the Ohio Valley and its associated surface low pressure system brought a warm front into north Georgia during the evening. Very moist and moderately unstable air along the front resulted in isolated severe thunderstorms with several reports of damaging thunderstorm winds and large hail in and near the Atlanta metropolitan area.","The public reported quarter size hail dented a barbeque grill and broke windows in Stone Mountain." +114282,689153,GEORGIA,2017,March,Thunderstorm Wind,"GWINNETT",2017-03-30 19:50:00,EST-5,2017-03-30 20:05:00,0,0,0,0,50.00K,50000,,NaN,33.8018,-84.0967,33.8872,-84.0894,"A strong short wave moving through the Ohio Valley and its associated surface low pressure system brought a warm front into north Georgia during the evening. Very moist and moderately unstable air along the front resulted in isolated severe thunderstorms with several reports of damaging thunderstorm winds and large hail in and near the Atlanta metropolitan area.","The Gwinnett County Emergency Manager reported numerous trees and power lines blown down across the western portion of the county, including several trees down on homes. Locations include Vonn Place, Lake Lucerne Way, Berrong Way, Southgate Drive, Lucerne Valley Drive, Deerbrook Way and around the intersection of Bethany Church Road and Waters Way. No injuries were reported." +114282,689154,GEORGIA,2017,March,Thunderstorm Wind,"FORSYTH",2017-03-30 20:15:00,EST-5,2017-03-30 20:20:00,0,0,0,0,15.00K,15000,,NaN,34.2528,-84.0657,34.2528,-84.0657,"A strong short wave moving through the Ohio Valley and its associated surface low pressure system brought a warm front into north Georgia during the evening. Very moist and moderately unstable air along the front resulted in isolated severe thunderstorms with several reports of damaging thunderstorm winds and large hail in and near the Atlanta metropolitan area.","The Forsyth County 911 center reported the roof blown off of a camping trailer near Browns Bridge Road and Hammond Industrial Drive." +112920,676738,IOWA,2017,March,Tornado,"MARION",2017-03-06 19:29:00,CST-6,2017-03-06 19:34:00,0,0,0,0,50.00K,50000,0.00K,0,41.2765,-93.291,41.331,-93.2182,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS storm survey confirmed a tornado touchdown approximately 5 miles west of Knoxville. An outbuilding was heavily damaged in this area and significant roof damage occurred to a residence. This is consistent with winds of 90 to 100 mph - or EF1 damage." +113268,677751,CALIFORNIA,2017,March,Funnel Cloud,"MERCED",2017-03-21 13:15:00,PST-8,2017-03-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.4273,-120.575,37.4273,-120.575,"A strong cold frontal passage and trough moved through the area during the day on March 21. A large area of instability existed across the San Joaquin Valley behind the cold front. Due to the instability, severe thunderstorms developed during the afternoon and evening hours. Rainfall amounts were generally around a tenth to a quarter inch except locally heavier in stronger thunderstorms. Light snowfall was measured above 6500 feet.","Several reports of a funnel cloud coming out of Merced County between 100 PM and 200 PM. News stations showed video of a clip verifying the presence of a funnel. The funnel reached approximately 3/4 of the way to the ground and the duration was around 5 minutes." +113661,680326,TEXAS,2017,March,Tornado,"TARRANT",2017-03-29 01:10:00,CST-6,2017-03-29 01:15:00,0,0,0,0,100.00K,100000,0.00K,0,32.861,-97.331,32.943,-97.161,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A National Weather Service survey crew determined a tornado caused damage to several areas in Fort Worth, Keller, and the far western portions of Southlake. This tornado occurred in a broader area of thunderstorm winds, yet a convergent path of damage was noted in Keller, especially near US 377 and North Tarrant Parkway. Several homes suffered minor roof damage, while fence and tree damage was most common. One business suffered damage to their roof and several awnings." +113228,678499,WASHINGTON,2017,February,Heavy Snow,"WENATCHEE AREA",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer at Chelan reported 7.4 inches of new snow." +113228,678500,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer at the Leavenworth Fish Hatchery reported 15 inches of new snow." +113228,678503,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Plain reported 9.8 inches of new snow." +113228,678504,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer 12 miles northwest of Entiat reported 10.5 inches of new snow." +113173,676968,NEW YORK,2017,February,High Wind,"SOUTHERN NASSAU",2017-02-13 09:00:00,EST-5,2017-02-13 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station near Point Lookout reported a wind gust of 64 mph at 1038 am. In Massapequa Park, the fire department reported a tree down blocking the right and center lanes of NY highway 27 westbound at Lake Shore Boulevard at 1148 am. At 415 pm, the broadcast media reported leaning utility poles near Sunrise Highway westbound. LIRR Babylon Line service was suspended." +113173,676972,NEW YORK,2017,February,High Wind,"NORTHERN QUEENS",2017-02-13 09:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At Laguardia Airport, a gust up to 61 mph was measured at 1005 am. In Flushing, a gas station awning was blown over at 173-12 Horace Harding Expressway at 930 am according to emergency managers. In Jamaica, measured sustained winds of 42 mph occurred at 1014 am at a mesonet station." +113173,676976,NEW YORK,2017,February,High Wind,"SOUTHERN QUEENS",2017-02-13 11:00:00,EST-5,2017-02-13 14:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A measured gust up to 62 mph was reported at JFK International Airport at 1223 pm." +113173,676979,NEW YORK,2017,February,High Wind,"SOUTHWEST SUFFOLK",2017-02-13 11:00:00,EST-5,2017-02-13 14:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","The ASOS at Farmingdale Airport reported a wind gust up to 58 mph at 1158 am. In Deer Park, the public reported tree limbs and power lines down at Oak Street and Deer Park Avenue at 10 am. In addition, the broadcast media reported a large tree was knocked down onto a car, and took down power lines on 10th street in West Babylon at 8 am. In North Babylon, branches were knocked down onto wires in the vicinity of Whittier Avenue, Thorn Street and Route 231 at 11 am according to the public." +113173,676982,NEW YORK,2017,February,High Wind,"SOUTHERN WESTCHESTER",2017-02-13 09:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","The ASOS at White Plains Airport reported a wind gust up to 72 mph at 952 am." +113173,679969,NEW YORK,2017,February,High Wind,"NORTHWEST SUFFOLK",2017-02-13 05:00:00,EST-5,2017-02-13 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At Eatons Neck, the mesonet station measured a wind gust to 59 mph at 530 am. Near Northport, a mesonet station measured a wind gust to 64 mph at 105 pm." +113173,679981,NEW YORK,2017,February,High Wind,"KINGS (BROOKLYN)",2017-02-13 09:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At 1125 am, a mesonet station measured sustained winds of 45 mph in Crown Heights." +113173,679986,NEW YORK,2017,February,High Wind,"BRONX",2017-02-13 09:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At 1020 am, a mesonet station at East Tremont public school 105 measured sustained winds of 40 mph." +114390,685543,WYOMING,2017,February,High Wind,"CENTRAL CARBON COUNTY",2017-02-07 14:25:00,MST-7,2017-02-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher." +114390,685544,WYOMING,2017,February,High Wind,"CENTRAL CARBON COUNTY",2017-02-07 23:45:00,MST-7,2017-02-08 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/0005 MST." +114390,685551,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 16:40:00,MST-7,2017-02-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 69 mph at 08/0135 MST." +114390,685554,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-10 04:30:00,MST-7,2017-02-10 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher." +114622,687435,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 12 inches of snow." +114622,687439,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 16.5 inches of snow." +114622,687453,WYOMING,2017,February,Winter Storm,"SNOWY RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 20 inches of snow." +114622,687458,WYOMING,2017,February,Winter Storm,"SOUTH LARAMIE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Crow Creek SNOTEL site (elevation 8330 ft) estimated 13.5 inches of snow." +114622,687653,WYOMING,2017,February,Blizzard,"CENTRAL CARBON COUNTY",2017-02-23 03:00:00,MST-7,2017-02-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The combination of northwest winds gusting to 50 mph and heavy snowfall produced blizzard conditions. Visibilities were reduced to less than a quarter mile for several hours along Interstate 80 from west of Rawlins to Walcott Junction. Interstate 80 was closed from east of Walcott Junction to the Carbon-Sweetwater county line. Two to four foot snow drifts were reported." +114622,687461,WYOMING,2017,February,Winter Storm,"NORTH LARAMIE RANGE",2017-02-22 05:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","The Windy Peak SNOTEL site (elevation 7900 ft) estimated 18 inches of snow." +115595,694255,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 17:25:00,EST-5,2017-05-31 17:25:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-81.43,30.12,-81.43,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail was reported in Nocatee by an off-duty NWS Employee." +115595,694256,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-30 23:00:00,EST-5,2017-05-31 16:10:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.39,30.31,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","A report of 2.24 inches was measured in Neptune Beach." +115595,694257,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-30 23:00:00,EST-5,2017-05-31 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-81.39,30.29,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","An observer measured daily rainfall of 3.01 inches in Jacksonville Beach." +115595,694259,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-31 15:10:00,EST-5,2017-05-31 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-81.71,30.48,-81.71,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","The Jacksonville International Airport measured a wind gust of 66 mph. Dime size hail was also observed." +115595,694260,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-31 15:25:00,EST-5,2017-05-31 15:25:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-81.62,30.5,-81.62,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","An off-duty NWS Employee estimated 60-65 mph winds in Oceanway." +115595,694262,FLORIDA,2017,May,Thunderstorm Wind,"NASSAU",2017-05-31 15:30:00,EST-5,2017-05-31 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.59,-81.5,30.59,-81.5,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","A tree was blown down southeast of Yulee. The time of damage was based on radar." +114390,685595,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 15:00:00,MST-7,2017-02-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Wagonhound measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 08/0010 MST." +114390,685596,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-08 10:00:00,MST-7,2017-02-08 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +114390,685597,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 20:20:00,MST-7,2017-02-09 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 09/2205 MST." +114390,685598,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-10 05:00:00,MST-7,2017-02-10 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +114390,685840,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-07 17:45:00,MST-7,2017-02-08 04:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 08/0015 MST." +114390,685842,WYOMING,2017,February,High Wind,"LARAMIE VALLEY",2017-02-09 11:00:00,MST-7,2017-02-09 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 09/1835 MST." +116106,697847,GEORGIA,2017,May,Strong Wind,"COASTAL CHATHAM",2017-05-01 15:35:00,EST-5,2017-05-01 15:36:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"As a strong cold front approached the southeast Georgia area from the west, a tight pressure gradient developed and produced strong winds. Some minor damage was reported with the winds.","A member of the broadcast media relayed a report of a tree branch falling on cars near the intersection of East Victory Drive and Skidaway Road." +116106,697848,GEORGIA,2017,May,Strong Wind,"INLAND CHATHAM",2017-05-01 16:25:00,EST-5,2017-05-01 16:26:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"As a strong cold front approached the southeast Georgia area from the west, a tight pressure gradient developed and produced strong winds. Some minor damage was reported with the winds.","A member of the broadcast media relayed a report of a tree blown down at the intersection of Southbridge Boulevard and Dean Forest Road." +116107,697849,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"JASPER",2017-05-01 18:44:00,EST-5,2017-05-01 18:45:00,0,0,0,0,,NaN,0.00K,0,32.74,-81.02,32.74,-81.02,"A line of thunderstorms developed along a strong cold front in the evening hours. This line of thunderstorms produced wind damage and frequent lightning.","South Carolina Highway Patrol reported a tree blown down near the Intersection of Cat Branch Road and Pine Branch Drive." +116107,697850,SOUTH CAROLINA,2017,May,Lightning,"CHARLESTON",2017-05-01 22:05:00,EST-5,2017-05-01 22:35:00,0,0,0,0,10.00K,10000,0.00K,0,32.91,-80.09,32.91,-80.09,"A line of thunderstorms developed along a strong cold front in the evening hours. This line of thunderstorms produced wind damage and frequent lightning.","Multiple broadcast outlets reported a structure fire caused by a lightening strike on Nummie Court in North Charleston. The North Charleston Fire Department was responding to the fire." +116108,697852,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-01 22:15:00,EST-5,2017-05-01 22:19:00,0,0,0,0,,NaN,0.00K,0,32.7847,-79.7854,32.7847,-79.7854,"A line of thunderstorms developed ahead of an approaching cold front. This line of thunderstorms pushed to the South Carolina coast and produced strong wind gusts.","The Weatherflow site at the Isle of Palms pier measured a 36 knot wind gust." +116210,698647,GEORGIA,2017,May,Thunderstorm Wind,"LONG",2017-05-04 14:47:00,EST-5,2017-05-04 14:48:00,0,0,0,0,,NaN,0.00K,0,31.71,-81.75,31.71,-81.75,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a tornado in the Garden City area of Chatham County.","Long County dispatch reported a tree down on power lines near the Huddle House on Highway 84." +116210,698648,GEORGIA,2017,May,Thunderstorm Wind,"EFFINGHAM",2017-05-04 16:04:00,EST-5,2017-05-04 16:05:00,0,0,0,0,,NaN,0.00K,0,32.55,-81.41,32.55,-81.41,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a tornado in the Garden City area of Chatham County.","Effingham County dispatch reported a tree down on power lines along Clyo-Kildare Road." +116305,699278,GEORGIA,2017,May,Thunderstorm Wind,"BULLOCH",2017-05-24 23:14:00,EST-5,2017-05-24 23:15:00,0,0,0,0,,NaN,0.00K,0,32.38,-81.81,32.38,-81.81,"Isolated thunderstorms developed in the late evening hours ahead of a cold front across portions of interior southeast Georgia. These storms eventually formed into a line and produced damaging wind gusts.","A tree was reported down and across the road on Old Register Way near the intersection with Sinkhole Road. The report was received over the Bulloch County Police, Fire, and EMS scanner." +116305,699279,GEORGIA,2017,May,Thunderstorm Wind,"CANDLER",2017-05-24 22:28:00,EST-5,2017-05-24 22:29:00,0,0,0,0,,NaN,0.00K,0,32.34,-82.18,32.34,-82.18,"Isolated thunderstorms developed in the late evening hours ahead of a cold front across portions of interior southeast Georgia. These storms eventually formed into a line and produced damaging wind gusts.","Candler County dispatch reported a tree down on Eden Church Road." +114390,685884,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-10 03:50:00,MST-7,2017-02-10 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher, with a peak gust of 73 mph at 10/0525 MST." +114390,685889,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-08 00:45:00,MST-7,2017-02-08 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 08/0105 MST." +116306,699281,GEORGIA,2017,May,Hail,"BULLOCH",2017-05-29 19:15:00,EST-5,2017-05-29 19:25:00,0,0,0,0,,NaN,0.00K,0,32.43,-81.83,32.43,-81.83,"An isolated thunderstorm developed in the evening hours near Statesboro and produced hail around the city.","Several reports of hail in and around Statesboro were received via Twitter. The hail ranged from pea to penny sized." +116307,699284,GEORGIA,2017,May,Hail,"LIBERTY",2017-05-30 17:07:00,EST-5,2017-05-30 17:12:00,0,0,0,0,0.00K,0,0.00K,0,31.65,-81.39,31.65,-81.39,"An isolated thunderstorm developed along the southeast Georgia coast in the late afternoon hours. The storm moved to the northeast and produced large hail.","Hail larger than the size of quarters was reported at the McDonalds in Riceboro near Interstate 95." +116308,699285,GEORGIA,2017,May,Hail,"BRYAN",2017-05-31 13:45:00,EST-5,2017-05-31 13:50:00,0,0,0,0,,NaN,0.00K,0,31.89,-81.3,31.89,-81.3,"Isolated to scattered showers and thunderstorms developed in the early afternoon hours across portions of southeast Georgia. A few of these storms became strong enough to produce damaging wind gusts and large hail.","A social media user relayed photographs of hail of to 1 inch in diameter near the intersection of Port Royal Road and Harris Trail in Richmond Hill." +116308,699286,GEORGIA,2017,May,Thunderstorm Wind,"BRYAN",2017-05-31 14:12:00,EST-5,2017-05-31 14:13:00,0,0,0,0,,NaN,0.00K,0,31.92,-81.32,31.92,-81.32,"Isolated to scattered showers and thunderstorms developed in the early afternoon hours across portions of southeast Georgia. A few of these storms became strong enough to produce damaging wind gusts and large hail.","A social media user relayed a report of roof shingle damage and small tree limbs blown down." +114287,684660,ALASKA,2017,February,Blizzard,"WESTERN ARCTIC COAST",2017-02-25 09:53:00,AKST-9,2017-02-26 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the north slope between a 1045 high pressure center north of Barrow and low pressure in the Bering strait. Blizzard conditions were reported along the north slope on February 25th through the evening hours of the 26th.||Zone 201: Blizzard conditions and one quarter mile visibility reported at the Wainwright ASOS. Peak wind of 50 kt (57 mph).||Zone 202: Blizzard conditions and one quarter mile visibility reported at the Barrow ASOS. Peak wind of 39 kt (45 mph).||Zone 203: Blizzard conditions and one quarter mile visibility reported at the Nuiqsut ASOS. Peak wind of 40 kt (46 mph).||Zone 204: Blizzard conditions and one quarter mile visibility reported at the Point Thompson AWOS. Peak wind of 38 kt (44 mph).","" +114287,684665,ALASKA,2017,February,Blizzard,"NORTHERN ARCTIC COAST",2017-02-25 04:00:00,AKST-9,2017-02-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the north slope between a 1045 high pressure center north of Barrow and low pressure in the Bering strait. Blizzard conditions were reported along the north slope on February 25th through the evening hours of the 26th.||Zone 201: Blizzard conditions and one quarter mile visibility reported at the Wainwright ASOS. Peak wind of 50 kt (57 mph).||Zone 202: Blizzard conditions and one quarter mile visibility reported at the Barrow ASOS. Peak wind of 39 kt (45 mph).||Zone 203: Blizzard conditions and one quarter mile visibility reported at the Nuiqsut ASOS. Peak wind of 40 kt (46 mph).||Zone 204: Blizzard conditions and one quarter mile visibility reported at the Point Thompson AWOS. Peak wind of 38 kt (44 mph).","" +114287,684668,ALASKA,2017,February,Blizzard,"CENTRAL BEAUFORT SEA COAST",2017-02-25 18:00:00,AKST-9,2017-02-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the north slope between a 1045 high pressure center north of Barrow and low pressure in the Bering strait. Blizzard conditions were reported along the north slope on February 25th through the evening hours of the 26th.||Zone 201: Blizzard conditions and one quarter mile visibility reported at the Wainwright ASOS. Peak wind of 50 kt (57 mph).||Zone 202: Blizzard conditions and one quarter mile visibility reported at the Barrow ASOS. Peak wind of 39 kt (45 mph).||Zone 203: Blizzard conditions and one quarter mile visibility reported at the Nuiqsut ASOS. Peak wind of 40 kt (46 mph).||Zone 204: Blizzard conditions and one quarter mile visibility reported at the Point Thompson AWOS. Peak wind of 38 kt (44 mph).","" +113171,677255,GEORGIA,2017,February,Drought,"WHITE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677262,GEORGIA,2017,February,Drought,"PICKENS",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113910,693400,CALIFORNIA,2017,February,High Wind,"SOUTHERN HUMBOLDT INTERIOR",2017-02-19 22:00:00,PST-8,2017-02-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The active winter continued into mid February as another system brought more heavy rain and strong winds to Northwest California. Small stream flooding and wind damage occurred with this storm from February 19th through the 21st.","Kneeland RAWS reported wind gusts between 55 and 77 mph at an elevation of 2700 ft." +113171,677282,GEORGIA,2017,February,Drought,"DOUGLAS",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113310,678126,ILLINOIS,2017,February,Hail,"MCLEAN",2017-02-28 23:00:00,CST-6,2017-02-28 23:05:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-88.9419,40.48,-88.9419,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +114570,687121,LOUISIANA,2017,May,Tornado,"CADDO",2017-05-11 19:15:00,CST-6,2017-05-11 19:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.7265,-93.9739,32.7494,-93.9448,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","An EF-1 tornado with maximum estimated winds of 95-105 mph initially touched down as a waterspout on Caddo Lake before moving ashore as a tornado at the Earl G. Williamson Park on the south side of Oil City, where it sheared the tops off of several trees and uprooted a large hardwood tree near the shore. The tornado moved over the playground, where it tore a metal roof off of the metal office building at the park and carried portions of the roof into some nearby power lines. The tornado crossed Highway 1 snapping and uprooting severe more trees, and moved over heavily wooded areas near South Land Avenue where additional large branches were downed. The tornado crossed Highway 538 and Texaco Road where several pine trees were uprooted, before moving back over heavily wooded areas and lifting west of Hart Road." +114570,687187,LOUISIANA,2017,May,Tornado,"CADDO",2017-05-11 19:31:00,CST-6,2017-05-11 19:34:00,0,0,0,0,0.00K,0,0.00K,0,32.7976,-93.8878,32.7963,-93.8748,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","An EF-1 tornado with maximum estimated winds between 95-105 mph touched down just west of a ridge on the west side of Interstate 49 just north of Black Bayou, where several trees were snapped, with one of the trees falling on power lines. The tornado crossed Interstate 49 snapping additional trees adjacent to the northbound lane, and moved over heavily wooded areas and Black Bayou before lifting along Gamm Road about one-third of a mile south of Herndon Magnet School." +115178,691489,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.3982,-93.778,32.3982,-93.778,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Widespread wind damage with numerous trees blown down across South Shreveport." +115178,691702,LOUISIANA,2017,May,Tornado,"WINN",2017-05-28 18:50:00,CST-6,2017-05-28 18:53:00,0,0,0,0,0.00K,0,0.00K,0,31.9719,-92.8796,31.9578,-92.8699,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","An EF-1 tornado with maximum estimated winds of around 95 mph touched down in the Kisatchie National Forest just east of Saline Bayou along Parish Road 964. Numerous hardwood and softwood trees were snapped and uprooted as the tornado traveled south-southeast through the forest and roughly parallel to the bayou before lifting along Barnett Road." +115236,697476,IOWA,2017,May,Hail,"FLOYD",2017-05-15 17:20:00,CST-6,2017-05-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-92.57,42.93,-92.57,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","" +116061,697545,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-16 21:47:00,CST-6,2017-05-16 21:47:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-92.49,43.99,-92.49,"For the second day in a row, hail producing thunderstorms moved across portions of southeast Minnesota on May 16th. The hail was reported in Olmsted and Wabasha Counties with the largest reported hail being nickel sized northeast of Plainview (Wabasha County).","" +116061,697546,MINNESOTA,2017,May,Hail,"WABASHA",2017-05-16 18:55:00,CST-6,2017-05-16 18:55:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-92.27,44.45,-92.27,"For the second day in a row, hail producing thunderstorms moved across portions of southeast Minnesota on May 16th. The hail was reported in Olmsted and Wabasha Counties with the largest reported hail being nickel sized northeast of Plainview (Wabasha County).","" +116061,700363,MINNESOTA,2017,May,Thunderstorm Wind,"OLMSTED",2017-05-16 22:54:00,CST-6,2017-05-16 22:54:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-92.5,43.91,-92.5,"For the second day in a row, hail producing thunderstorms moved across portions of southeast Minnesota on May 16th. The hail was reported in Olmsted and Wabasha Counties with the largest reported hail being nickel sized northeast of Plainview (Wabasha County).","The automated weather observing equipment at the Rochester airport measured a gust of 58 mph." +116452,700366,WISCONSIN,2017,May,Funnel Cloud,"MONROE",2017-05-23 15:25:00,CST-6,2017-05-23 15:25:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-90.49,43.9,-90.49,"Showers and a few thunderstorms occurred across western Wisconsin during the afternoon of May 23rd. A funnel cloud was sighted north of Wilton (Monroe County) from one of the showers.","A funnel cloud was sighted north of Wilton near the intersection of State Highway 131 and County Road A." +115236,702174,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 17:48:00,CST-6,2017-05-15 17:48:00,0,0,0,0,20.00K,20000,0.00K,0,43.1326,-91.8871,43.1326,-91.8871,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","A 30 foot section of a roof was blown off a cattle shed with another shed extensively damaged southeast of Ft. Atkinson." +114679,687878,IOWA,2017,May,Heavy Rain,"CLARKE",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-93.75,41.03,-93.75,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.58 inches." +114679,687879,IOWA,2017,May,Heavy Rain,"APPANOOSE",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-92.89,40.83,-92.89,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.13 inches." +114679,687880,IOWA,2017,May,Heavy Rain,"JASPER",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-93.03,41.72,-93.03,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Coop observer reported 24 hour rainfall total of 1.22 inches." +114679,687881,IOWA,2017,May,Heavy Rain,"POLK",2017-05-10 06:00:00,CST-6,2017-05-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-93.66,41.54,-93.66,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Official NWS observation of 1.54 inches over the last 24 hours." +112844,675981,MISSOURI,2017,March,Thunderstorm Wind,"PHELPS",2017-03-06 23:40:00,CST-6,2017-03-06 23:40:00,0,0,0,0,1.00K,1000,0.00K,0,37.95,-91.77,37.95,-91.77,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was minor damage to roofing and siding to an apartment complex in Rolla. A picture of this damage was on social media." +112844,675982,MISSOURI,2017,March,Thunderstorm Wind,"HOWELL",2017-03-06 00:20:00,CST-6,2017-03-06 00:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.85,-91.91,36.85,-91.91,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was minor damage to a business located on County Road 1820 and Highway 63 in the community of Olden. A roof was blown off a building and electric wire was pulled from the building. Several large tree limbs were blown down on to power lines and a transformer." +112844,675983,MISSOURI,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.81,-94.34,37.81,-94.34,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tracker trailer was blown off Interstate 49 near the Bellamy exit south of Nevada." +112844,675984,MISSOURI,2017,March,Thunderstorm Wind,"TANEY",2017-03-06 23:35:00,CST-6,2017-03-06 23:35:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-93.19,36.73,-93.19,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several large tree limbs and branches were blown down on to Highway 160 near Walnut Shade." +112844,675985,MISSOURI,2017,March,Thunderstorm Wind,"WEBSTER",2017-03-06 23:05:00,CST-6,2017-03-06 23:05:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-92.91,37.34,-92.91,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A sixty-two mph wind gust was measured by personal weather equipment." +112844,675986,MISSOURI,2017,March,Thunderstorm Wind,"SHANNON",2017-03-07 00:45:00,CST-6,2017-03-07 00:45:00,0,0,0,0,1.00K,1000,0.00K,0,36.98,-91.63,36.98,-91.63,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several large tree limbs were blown down on to a mobile home and caused minor damage." +112920,676736,IOWA,2017,March,Tornado,"HARDIN",2017-03-06 18:58:00,CST-6,2017-03-06 19:04:00,0,0,0,0,25.00K,25000,0.00K,0,42.2472,-93.3327,42.298,-93.2299,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado developed south of Hubbard and moved quickly northeast. Tree and power line damage occurred along it's path with some outbuilding damage to the southeast of Hubbard." +112920,676737,IOWA,2017,March,Tornado,"WARREN",2017-03-06 19:19:00,CST-6,2017-03-06 19:24:00,0,0,0,0,80.00K,80000,0.00K,0,41.2409,-93.4915,41.2747,-93.41,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado developed southwest of Milo and moved quickly northeast. It destroyed a small outbuilding shortly after developing. It then destroyed another garage tossing it several hundred yards before settling on the other side of the road in a neighbors yard. Additional tree damage occurred before encountering another residence where significant roof and window damage occurred. The tornado then continued in mainly rural areas southeast of Milo with only tree damage prior to lifting." +114254,684538,ILLINOIS,2017,March,Dense Fog,"WAYNE",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684539,ILLINOIS,2017,March,Dense Fog,"HAMILTON",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684540,ILLINOIS,2017,March,Dense Fog,"SALINE",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684541,ILLINOIS,2017,March,Dense Fog,"JEFFERSON",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684542,ILLINOIS,2017,March,Dense Fog,"FRANKLIN",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684543,ILLINOIS,2017,March,Dense Fog,"WILLIAMSON",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684544,ILLINOIS,2017,March,Dense Fog,"JACKSON",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114254,684545,ILLINOIS,2017,March,Dense Fog,"PERRY",2017-03-18 00:00:00,CST-6,2017-03-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southern Illinois during the late night hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114255,684499,INDIANA,2017,March,Dense Fog,"GIBSON",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +113678,680450,KENTUCKY,2017,March,Thunderstorm Wind,"BALLARD",2017-03-01 04:58:00,CST-6,2017-03-01 05:10:00,0,0,0,0,225.00K,225000,0.00K,0,36.97,-89.08,37.08,-88.9,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Widespread damaging winds occurred in much of Ballard County. Wind damage occurred in La Center, where the Ballard County High School and a law office sustained roof damage. The roof of the law office was partially blown off. Elsewhere, widespread damage to trees and power lines was reported across the county. Several homes sustained damage, mainly to roofs. South of La Center, a pole barn about 1,100 square feet was destroyed. Most walls and the roof collapsed, damaging numerous possessions in the barn." +113678,680425,KENTUCKY,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-01 05:07:00,CST-6,2017-03-01 05:07:00,0,0,0,0,30.00K,30000,0.00K,0,36.64,-88.99,36.67,-88.98,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","In Clinton, a tower over 180 feet tall was blown down. Portions of a 16-by-20 foot shed were blown into a field. A wind gust to 67 mph was measured by a Davis weather station a couple of miles south of Clinton." +113678,680783,KENTUCKY,2017,March,Thunderstorm Wind,"FULTON",2017-03-01 05:12:00,CST-6,2017-03-01 05:12:00,0,0,0,0,25.00K,25000,0.00K,0,36.5557,-88.9091,36.5648,-88.9129,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Along U.S. Highway 51 between Fulton and Crutchfield, one small barn was destroyed. Another old small barn lost a large section of tin roof." +114188,683960,MISSOURI,2017,March,Tornado,"NEW MADRID",2017-03-09 20:26:00,CST-6,2017-03-09 20:28:00,0,0,0,0,20.00K,20000,0.00K,0,36.6169,-89.3918,36.6135,-89.3756,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This EF-2 tornado first touched down near the Mississippi River levee on Highway WW, where nearly total tree devastation occurred in a 200-yard wide swath. The highly convergent tree damage consisted of hundreds of snapped and uprooted trees in the wooded river bottomlands. Peak winds were estimated near 120 mph. The tornado crossed the river into Fulton County, Kentucky shortly after forming." +114306,684846,NORTH CAROLINA,2017,March,Winter Weather,"AVERY",2017-03-11 22:00:00,EST-5,2017-03-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance interacting with an unseasonably cold air mass resulted in light to moderate snow overspreading the North Carolina mountains late on the 11th, continuing through the overnight hours before tapering off on the morning of the 12th. Total snowfall accumulation generally ranged from 1-3 inches. However, some locations received as much as 5 inches, particularly near the South Carolina border.","" +114150,684900,OKLAHOMA,2017,March,Flash Flood,"CADDO",2017-03-28 19:07:00,CST-6,2017-03-28 22:07:00,0,0,0,0,0.00K,0,0.00K,0,35.0954,-98.4448,35.1103,-98.4445,"An area of storms formed across Oklahoma and western north Texas in the vicinity of several fronts/boundaries overnight on the 28th into early 29th. Besides severe weather and a tornado, slow moving storms and extensive shower coverage also led to flash flooding.","Eight inches of water was flowing over 7th street." +114313,684935,PENNSYLVANIA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 09:04:00,EST-5,2017-03-01 09:04:00,0,0,0,0,5.00K,5000,0.00K,0,40.33,-80.3,40.33,-80.3,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Local 911 reported trees down on Miller Run Road." +114313,684936,PENNSYLVANIA,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 10:50:00,EST-5,2017-03-01 10:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.04,-79.66,40.04,-79.66,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Local 911 reported trees and power lines down on Dawson Road." +114252,684490,MISSOURI,2017,March,Frost/Freeze,"CAPE GIRARDEAU",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684492,MISSOURI,2017,March,Frost/Freeze,"MISSISSIPPI",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684493,MISSOURI,2017,March,Frost/Freeze,"NEW MADRID",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684449,ILLINOIS,2017,March,Frost/Freeze,"JOHNSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684450,ILLINOIS,2017,March,Frost/Freeze,"MASSAC",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684452,ILLINOIS,2017,March,Frost/Freeze,"POPE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +118815,713726,WYOMING,2017,June,Thunderstorm Wind,"CARBON",2017-06-01 17:15:00,MST-7,2017-06-01 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-106.32,42.11,-106.32,"Thunderstorms produced strong winds and large hail over portions of Albany and Carbon counties.","Estimated wind gusts of 55 to 60 mph were observed northwest of Medicine Bow." +118819,713745,WYOMING,2017,June,Hail,"CONVERSE",2017-06-11 20:25:00,MST-7,2017-06-11 20:27:00,0,0,0,0,0.00K,0,0.00K,0,43.36,-105.86,43.36,-105.86,"A thunderstorm produced large hail over northwest Converse County.","Dime to quarter size hail was observed 31 miles northwest of Bill." +120443,721554,NEBRASKA,2017,June,Hail,"BANNER",2017-06-12 18:03:00,MST-7,2017-06-12 18:08:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-103.67,41.68,-103.67,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Quarter size hail covered the ground north of Harrisburg." +120443,721555,NEBRASKA,2017,June,Thunderstorm Wind,"SCOTTS BLUFF",2017-06-12 17:53:00,MST-7,2017-06-12 17:55:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-103.66,41.83,-103.66,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Estimated wind gusts of 60 mph were observed at Gering." +120443,721556,NEBRASKA,2017,June,Hail,"SCOTTS BLUFF",2017-06-12 18:03:00,MST-7,2017-06-12 18:08:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-103.52,41.78,-103.52,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Quarter to half dollar size hail covered the ground at Melbeta." +120443,721557,NEBRASKA,2017,June,Hail,"MORRILL",2017-06-12 19:00:00,MST-7,2017-06-12 19:03:00,0,0,0,0,0.00K,0,0.00K,0,42.0069,-102.9828,42.0069,-102.9828,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Golf ball size hail was reported near the Box Butte County line." +113699,680603,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-21 19:20:00,EST-5,2017-03-21 19:20:00,0,0,0,0,,NaN,,NaN,35.09,-84.03,35.09,-84.03,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Several trees were reported down across the county." +113699,680604,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CLAY",2017-03-21 19:50:00,EST-5,2017-03-21 19:50:00,0,0,0,0,,NaN,,NaN,35.05,-83.82,35.05,-83.82,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Several trees were reported down across the county." +115121,691182,VIRGINIA,2017,April,Thunderstorm Wind,"ORANGE",2017-04-06 11:27:00,EST-5,2017-04-06 11:27:00,0,0,0,0,,NaN,,NaN,38.2473,-78.0444,38.2473,-78.0444,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A wind gust of 61 mph was reported." +115121,691183,VIRGINIA,2017,April,Thunderstorm Wind,"FAUQUIER",2017-04-06 12:09:00,EST-5,2017-04-06 12:09:00,0,0,0,0,,NaN,,NaN,38.7079,-77.6368,38.7079,-77.6368,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Dozens of trees were down near Greenwich." +115121,691184,VIRGINIA,2017,April,Thunderstorm Wind,"FAIRFAX",2017-04-06 12:35:00,EST-5,2017-04-06 12:35:00,0,0,0,0,,NaN,,NaN,38.9543,-77.3793,38.9543,-77.3793,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree was down at the Courtyard Hotel in Herndon." +115121,691185,VIRGINIA,2017,April,Thunderstorm Wind,"MANASSAS (C)",2017-04-06 12:21:00,EST-5,2017-04-06 12:21:00,0,0,0,0,,NaN,,NaN,38.751,-77.461,38.751,-77.461,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A wind gust of 59 mph was reported." +113702,680607,TENNESSEE,2017,March,Thunderstorm Wind,"SEVIER",2017-03-27 20:35:00,EST-5,2017-03-27 20:35:00,0,0,0,0,,NaN,,NaN,35.97,-83.56,35.97,-83.56,"Strong wind shear but limited buoyancy were available for storm strengthening as a short wave trough and cold front moved though the Mid South into the Southern Appalachian region. One severe thunderstorm development in the Great Valley in this environment.","One tree was downed on Holliday Hills Road near the south in of Douglas Lake." +113698,723803,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:15:00,EST-5,2017-03-21 17:15:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-84.88,35.17,-84.88,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Spotter reported ping pong to golf ball size hail in Cleveland." +115121,691186,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:15:00,EST-5,2017-04-06 12:15:00,0,0,0,0,0.00K,0,0.00K,0,38.6344,-77.435,38.6344,-77.435,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A wind gust of 59 mph was reported at Independent hill." +113698,723804,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:30:00,EST-5,2017-03-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2109,-84.9301,35.2109,-84.9301,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Public reported golf ball size hail." +113698,723805,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:30:00,EST-5,2017-03-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.1811,-84.9127,35.1811,-84.9127,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Hail stripped leaves, dented cars, damaged shingles and broke car windows." +115121,691187,VIRGINIA,2017,April,Thunderstorm Wind,"LOUDOUN",2017-04-06 12:27:00,EST-5,2017-04-06 12:27:00,0,0,0,0,,NaN,,NaN,38.9236,-77.5213,38.9236,-77.5213,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto a car." +112920,675068,IOWA,2017,March,Thunderstorm Wind,"WARREN",2017-03-06 19:16:00,CST-6,2017-03-06 19:16:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-93.57,41.4,-93.57,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported wind gusts to 60 mph along with nickel sized hail. The city of Ackworth was also reported to have lost power." +112920,675070,IOWA,2017,March,Thunderstorm Wind,"WARREN",2017-03-06 19:18:00,CST-6,2017-03-06 19:18:00,0,0,0,0,10.00K,10000,0.00K,0,41.38,-93.43,41.38,-93.43,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported a downed power pole over Highway 92 blocking westbound traffic. Damage done by straight line winds and time estimated by radar." +112920,675074,IOWA,2017,March,Thunderstorm Wind,"HARDIN",2017-03-06 19:07:00,CST-6,2017-03-06 19:07:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-93.17,42.28,-93.17,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement relayed public report that power out in New Providence due to very strong winds along with pea to nickel sized hail." +114432,686192,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"OCONEE MOUNTAINS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686194,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"SPARTANBURG",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686195,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"UNION",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114432,686196,SOUTH CAROLINA,2017,March,Cold/Wind Chill,"YORK",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,50.00M,50000000,NaN,NaN,NaN,NaN,"The 2017 growing season began early across Upstate South Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This devastated the peach crop across the Upstate, with crop losses estimated at 80-90%. Other crops were damaged as well. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686197,NORTH CAROLINA,2017,March,Cold/Wind Chill,"ALEXANDER",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +115121,691196,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:11:00,EST-5,2017-04-06 12:11:00,0,0,0,0,,NaN,,NaN,38.663,-77.4566,38.663,-77.4566,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree was down on a power line." +115121,691198,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:13:00,EST-5,2017-04-06 12:13:00,0,0,0,0,,NaN,,NaN,38.6301,-77.349,38.6301,-77.349,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto power lines." +115121,691199,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:12:00,EST-5,2017-04-06 12:12:00,0,0,0,0,,NaN,,NaN,38.7366,-77.5958,38.7366,-77.5958,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were down near Bristow." +115121,691200,VIRGINIA,2017,April,Thunderstorm Wind,"PRINCE WILLIAM",2017-04-06 12:15:00,EST-5,2017-04-06 12:15:00,0,0,0,0,,NaN,,NaN,38.6468,-77.2776,38.6468,-77.2776,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A tree fell onto power lines." +115827,696195,ARKANSAS,2017,April,Flood,"SEARCY",2017-04-30 03:21:00,CST-6,2017-04-30 18:27:00,0,0,0,0,0.00K,0,0.00K,0,35.9865,-92.7588,35.9797,-92.7559,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the Buffalo River at St. Joe after heavy rain fell. The flooding began and ended on 4/30/17." +115827,696196,ARKANSAS,2017,April,Flood,"IZARD",2017-04-30 10:42:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.1189,-92.1456,36.1127,-92.1496,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the White River at Calico Rock after heavy rain fell. The flooding began early on 4/30/17." +115827,696197,ARKANSAS,2017,April,Flood,"INDEPENDENCE",2017-04-30 07:51:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.7647,-91.65,35.7514,-91.6492,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the White River at Batesville after heavy rain fell. The flooding began early on 4/30/17." +117910,708601,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-29 20:03:00,EST-5,2017-06-29 20:03:00,0,0,0,0,2.00K,2000,0.00K,0,41.18,-80.77,41.18,-80.77,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","Thunderstorm winds downed a couple of trees." +117910,708602,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-29 19:57:00,EST-5,2017-06-29 19:57:00,0,0,0,0,2.00K,2000,0.00K,0,41.23,-80.82,41.23,-80.82,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","Thunderstorm winds downed a couple of trees in the Warren area." +117912,708605,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"CONNEAUT OH TO RIPLEY NY",2017-06-29 19:39:00,EST-5,2017-06-29 19:39:00,0,0,0,0,0.00K,0,0.00K,0,42.2143,-80.0704,42.2143,-80.0704,"Thunderstorms moved across Lake Erie and produced strong winds.","A buoy offshore from Erie measured a 40 mph thunderstorm wind gust." +117913,708608,OHIO,2017,June,Thunderstorm Wind,"MORROW",2017-06-30 18:30:00,EST-5,2017-06-30 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.67,-82.85,40.67,-82.85,"A frontal system moved across northern Ohio causing showers and thunderstorms to develop. A couple of thunderstorms became severe.","Thunderstorm winds downed a couple of trees in the Iberia area." +115827,696198,ARKANSAS,2017,April,Flood,"JACKSON",2017-04-30 16:01:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.6096,-91.2955,35.5991,-91.2964,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the White River at Newport after heavy rain fell. The flooding began on 4/30/17." +116168,699910,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:11:00,CST-6,2017-05-17 15:11:00,0,0,0,0,0.00K,0,0.00K,0,41.6206,-93.853,41.6206,-93.853,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Five to six inch tree branches down near the road." +115701,699920,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:19:00,CST-6,2017-05-16 20:25:00,0,0,0,0,100.00K,100000,0.00K,0,43.06,-94.24,43.0564,-94.4146,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Numerous downed trees some up to 18 inches in diameter across the county, some buildings damaged and numerous power lines down. A railroad crossing arm was snapped off and a garage was destroyed in Whittemore, some outbuildings and a house were damaged near town as well. Agricultural impacts as well with machinery blown over, bent up and also seed loss." +116168,699921,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:24:00,CST-6,2017-05-17 15:24:00,0,0,0,0,0.00K,0,0.00K,0,41.6805,-93.6286,41.6805,-93.6286,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A 65 mph gust was measured on a home weather station, and 3 inch tree branches were reported down." +116002,701411,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 02:20:00,EST-5,2017-05-05 02:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.205,-79.6594,36.205,-79.6594,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on a home near Landis Drive and Jackson School Road." +116002,701412,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 02:25:00,EST-5,2017-05-05 02:25:00,0,0,0,0,100.00K,100000,0.00K,0,36.21,-79.71,36.21,-79.71,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","More than two dozen trees were reported down across Guilford County, along with a half dozen trees on homes." +116661,701415,NORTH CAROLINA,2017,May,Hail,"FRANKLIN",2017-05-25 14:36:00,EST-5,2017-05-25 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.96,-78.25,35.97,-78.2,"Numerous showers and thunderstorms developed in the wake of a surface cold front and ahead of an upper level trough approaching Central North Carolina. Increasing mid-level cold advection, steep low-level lapse rates and a strong mid-level jet resulted in a few of the thunderstorms becoming severe, producing large hail and isolated damaging winds.","Hail up to the size of quarters was reported along a swath from Bunn to the campground at Lake Royale." +116002,701417,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-05 01:56:00,EST-5,2017-05-05 01:56:00,0,0,0,0,0.00K,0,0.00K,0,35.4832,-79.9701,35.4832,-79.9701,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Flint Hill Road." +116661,701418,NORTH CAROLINA,2017,May,Hail,"NASH",2017-05-25 14:40:00,EST-5,2017-05-25 14:40:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-78.16,35.95,-78.16,"Numerous showers and thunderstorms developed in the wake of a surface cold front and ahead of an upper level trough approaching Central North Carolina. Increasing mid-level cold advection, steep low-level lapse rates and a strong mid-level jet resulted in a few of the thunderstorms becoming severe, producing large hail and isolated damaging winds.","Quarter to half dollar size hail fell for approximately 15 minutes along Hayes Road near Seven Paths Road." +116002,701419,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:58:00,EST-5,2017-05-05 01:58:00,0,0,0,0,5.00K,5000,0.00K,0,35.8021,-79.8798,35.8021,-79.8798,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees and power lines were reported down near the intersection of Beckerdite Road and Brookshire Court." +116661,701420,NORTH CAROLINA,2017,May,Hail,"GRANVILLE",2017-05-25 16:45:00,EST-5,2017-05-25 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-78.73,36.15,-78.73,"Numerous showers and thunderstorms developed in the wake of a surface cold front and ahead of an upper level trough approaching Central North Carolina. Increasing mid-level cold advection, steep low-level lapse rates and a strong mid-level jet resulted in a few of the thunderstorms becoming severe, producing large hail and isolated damaging winds.","" +115147,691888,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 13:03:00,EST-5,2017-04-06 13:03:00,0,0,0,0,,NaN,,NaN,38.9867,-76.7378,38.9867,-76.7378,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Trees were down on power lines as well as houses and cars in the area of Milan Way." +115147,691889,MARYLAND,2017,April,Thunderstorm Wind,"BALTIMORE",2017-04-06 13:30:00,EST-5,2017-04-06 13:30:00,0,0,0,0,,NaN,,NaN,39.3618,-76.6791,39.3618,-76.6791,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A roof was blown off an apartment building." +115247,691927,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:42:00,EST-5,2017-04-21 15:42:00,0,0,0,0,,NaN,,NaN,39.0535,-77.1142,39.0535,-77.1142,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115247,691928,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:47:00,EST-5,2017-04-21 15:47:00,0,0,0,0,,NaN,,NaN,38.9946,-77.091,38.9946,-77.091,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Ping pong ball sized hail was reported." +115247,691929,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:52:00,EST-5,2017-04-21 15:52:00,0,0,0,0,,NaN,,NaN,38.9984,-77.0023,38.9984,-77.0023,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported at Piney Branch Road." +115247,691930,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:49:00,EST-5,2017-04-21 15:49:00,0,0,0,0,,NaN,,NaN,38.999,-77.073,38.999,-77.073,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115247,691931,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:53:00,EST-5,2017-04-21 15:53:00,0,0,0,0,,NaN,,NaN,38.9902,-77.0081,38.9902,-77.0081,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Half dollar sized hail was reported." +115247,691932,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:52:00,EST-5,2017-04-21 15:52:00,0,0,0,0,,NaN,,NaN,39,-77.05,39,-77.05,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Half dollar sized hail was reported at National Weather Service Headquarters." +115247,691933,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:53:00,EST-5,2017-04-21 15:53:00,0,0,0,0,,NaN,,NaN,38.9826,-76.9998,38.9826,-76.9998,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Half dollar sized hail was reported." +115247,691935,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:55:00,EST-5,2017-04-21 15:55:00,0,0,0,0,,NaN,,NaN,38.9873,-77.0114,38.9873,-77.0114,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +113323,680954,OKLAHOMA,2017,March,Thunderstorm Wind,"MAYES",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.4105,-95.131,36.4105,-95.131,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew down several trees and overturned a mobile homes." +113323,680952,OKLAHOMA,2017,March,Thunderstorm Wind,"OTTAWA",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,0.00K,0,0.00K,0,36.8634,-94.8299,36.8634,-94.8299,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113323,680968,OKLAHOMA,2017,March,Thunderstorm Wind,"MAYES",2017-03-06 22:58:00,CST-6,2017-03-06 22:58:00,0,0,0,0,10.00K,10000,0.00K,0,36.2926,-95.1507,36.2926,-95.1507,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged buildings." +113542,679686,MINNESOTA,2017,March,Hail,"DODGE",2017-03-06 18:11:00,CST-6,2017-03-06 18:11:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-92.87,43.89,-92.87,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","" +113542,679688,MINNESOTA,2017,March,Thunderstorm Wind,"OLMSTED",2017-03-06 18:28:00,CST-6,2017-03-06 18:28:00,0,0,0,0,7.00K,7000,0.00K,0,44.18,-92.57,44.18,-92.57,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Two 1 foot diameter pine trees were blown down near Oronoco. A shed was also blown across a road and took out some power lines." +113542,679697,MINNESOTA,2017,March,Hail,"WINONA",2017-03-06 19:44:00,CST-6,2017-03-06 19:44:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-91.87,43.98,-91.87,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","" +113542,682445,MINNESOTA,2017,March,Hail,"FILLMORE",2017-03-06 19:52:00,CST-6,2017-03-06 19:52:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-91.94,43.73,-91.94,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","" +113542,682451,MINNESOTA,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-06 20:33:00,CST-6,2017-03-06 20:33:00,0,0,0,0,10.00K,10000,0.00K,0,43.7,-91.28,43.7,-91.28,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Part of a roof was blown off a barn near Brownsville." +114641,687611,TEXAS,2017,March,High Wind,"HARTLEY",2017-03-24 09:44:00,CST-6,2017-03-24 10:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687612,TEXAS,2017,March,High Wind,"SHERMAN",2017-03-24 09:44:00,CST-6,2017-03-24 10:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687613,TEXAS,2017,March,High Wind,"HANSFORD",2017-03-24 11:44:00,CST-6,2017-03-24 12:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687614,TEXAS,2017,March,High Wind,"MOORE",2017-03-24 10:44:00,CST-6,2017-03-24 11:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687616,TEXAS,2017,March,High Wind,"HUTCHINSON",2017-03-24 09:44:00,CST-6,2017-03-24 10:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687617,TEXAS,2017,March,High Wind,"OLDHAM",2017-03-24 12:44:00,CST-6,2017-03-24 13:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +115147,691890,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 13:44:00,EST-5,2017-04-06 13:44:00,0,0,0,0,,NaN,,NaN,39.4396,-76.3064,39.4396,-76.3064,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Trees were down along Route 24 between 7 and Edgewood Road." +115147,691892,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 13:51:00,EST-5,2017-04-06 13:51:00,0,0,0,0,,NaN,,NaN,39.5213,-76.169,39.5213,-76.169,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A tree fell onto a house along Hillman Court." +115147,691893,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 13:52:00,EST-5,2017-04-06 13:52:00,0,0,0,0,,NaN,,NaN,39.5615,-76.1283,39.5615,-76.1283,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Tree limbs were down in the 2000 Block of Level Road." +114777,688432,SOUTH DAKOTA,2017,March,High Wind,"MCPHERSON",2017-03-07 10:10:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688433,SOUTH DAKOTA,2017,March,High Wind,"FAULK",2017-03-07 16:25:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688434,SOUTH DAKOTA,2017,March,High Wind,"STANLEY",2017-03-07 16:53:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +115147,691901,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 14:05:00,EST-5,2017-04-06 14:05:00,0,0,0,0,,NaN,,NaN,39.48,-76.15,39.48,-76.15,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Numerous trees and branches were down near Phillips Airfield." +115147,691902,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 12:46:00,EST-5,2017-04-06 12:46:00,0,0,0,0,,NaN,,NaN,38.8313,-76.8703,38.8313,-76.8703,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 66 mph was reported." +115147,691903,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 12:50:00,EST-5,2017-04-06 12:50:00,0,0,0,0,,NaN,,NaN,38.9597,-76.945,38.9597,-76.945,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 68 mph was reported." +114777,688435,SOUTH DAKOTA,2017,March,High Wind,"JONES",2017-03-07 16:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688436,SOUTH DAKOTA,2017,March,High Wind,"LYMAN",2017-03-07 15:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688437,SOUTH DAKOTA,2017,March,High Wind,"SULLY",2017-03-07 15:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688438,SOUTH DAKOTA,2017,March,High Wind,"HUGHES",2017-03-07 16:53:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114525,686782,ILLINOIS,2017,March,Thunderstorm Wind,"FULTON",2017-03-06 23:33:00,CST-6,2017-03-06 23:38:00,0,0,0,0,75.00K,75000,0.00K,0,40.57,-90.0491,40.57,-90.0491,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Ten power poles were snapped at the base near the Correctional Center." +114525,686786,ILLINOIS,2017,March,Thunderstorm Wind,"TAZEWELL",2017-03-06 23:43:00,CST-6,2017-03-06 23:48:00,0,0,0,0,12.00K,12000,0.00K,0,40.59,-89.47,40.59,-89.47,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A semi was blown over on I-155 at the Main Street exit." +114525,686784,ILLINOIS,2017,March,Thunderstorm Wind,"MASON",2017-03-06 23:37:00,CST-6,2017-03-06 23:42:00,0,0,0,0,12.00K,12000,0.00K,0,40.2431,-90.1025,40.2431,-90.1025,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tree was blown onto a house in Matanzas Beach." +114525,686766,ILLINOIS,2017,March,Tornado,"TAZEWELL",2017-03-07 00:00:00,CST-6,2017-03-07 00:06:00,0,0,0,0,175.00K,175000,0.00K,0,40.3459,-89.6934,40.4154,-89.5869,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tornado touched down along Wagonseller Road about 5 miles southwest of Green Valley at 12:00 AM CST March 7th. The tornado quickly tracked northeastward and widened to around 150 yards and increased in intensity to EF-1 as it destroyed an outbuilding and an historic single room schoolhouse about 4 miles southwest of Green Valley. It then continued moving northeastward through mainly open fields, but did produce damage to 2 grain bins, a barn, and several trees along Towerline Rd. The tornado dissipated about 3 miles east-northeast of Green Valley at 12:06 AM CST." +114129,686359,WASHINGTON,2017,March,Flood,"LINCOLN",2017-03-12 00:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,800.00K,800000,0.00K,0,47.2386,-117.8998,47.8172,-117.8778,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","Lincoln County experienced flooding issues from periodic heavy rain and low elevation snow melt through much of March. The county was included in a State of Emergency declaration due to this flooding. The town of Sprague experienced widespread flooding when Negro Creek overflowed it's banks with most homes and structures in the town experiencing basement, yard and minor first floor flooding. The road into town was cut off by flooding. The National Guard was mobilized to help sandbag. ||The town of Creston also experienced extensive field, basement, road and parking lot flooding. In Edwall a grain elevator collapsed due to saturated soil conditions." +116113,697898,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 13:32:00,EST-5,2017-05-01 13:34:00,0,0,0,0,75.00K,75000,0.00K,0,41.95,-79.98,41.88,-79.97,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm downburst winds downed trees in the Waterford and Mill Village areas. A home on Flatts Road south of Waterford was heavily damaged by a large fallen tree. The tree nearly cut the home in half." +116113,697891,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-01 13:22:00,EST-5,2017-05-01 13:22:00,0,0,0,0,1.00K,1000,0.00K,0,41.73,-80.15,41.73,-80.15,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds downed a large tree." +116113,697892,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-01 13:26:00,EST-5,2017-05-01 13:26:00,0,0,0,0,1.00K,1000,0.00K,0,41.8,-80.07,41.8,-80.07,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds downed a few large tree limbs." +116113,697894,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-01 13:22:00,EST-5,2017-05-01 13:23:00,0,0,0,0,15.00K,15000,0.00K,0,41.63,-80.15,41.63,-80.15,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorms winds toppled a large tree near the intersection of Carroll Avenue and Main Street. A telephone poll was snapped on Baldwin Street resulting in power outages." +116525,700711,OHIO,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-18 19:08:00,EST-5,2017-05-18 19:10:00,0,0,0,0,40.00K,40000,0.00K,0,40.97,-82.6,40.97,-82.6,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Thunderstorm downburst winds downed several trees in Shiloh and also knocked down some power lines. At least eight homes lost power during the storm." +116525,700739,OHIO,2017,May,Hail,"CRAWFORD",2017-05-18 20:35:00,EST-5,2017-05-18 20:35:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-82.98,40.8,-82.98,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Penny sized hail was observed." +116153,703465,OKLAHOMA,2017,May,Flood,"TULSA",2017-05-12 08:30:00,CST-6,2017-05-13 03:45:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-95.95,36.31,-95.98,"Several rounds of thunderstorms on the 11th and 12th resulted in widespread heavy rainfall across much of northeastern Oklahoma. Much of the area along and north of I-44 received between three and six inches of rain during this period. The excessive rain resulted in moderate flooding of the Caney River at Collinsville, Bird Creek at Sperry, and the Neosho River at Commerce.","Bird Creek near Sperry rose above its flood stage of 21 feet at 9:30 am CDT on May 12th. The river crested at 24.66 feet at 7:00 pm CDT on the 12th, resulting in moderate flooding. The river fell below flood stage at 4:45 am CDT on the 13th." +116147,702030,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 22:03:00,CST-6,2017-05-27 22:03:00,0,0,0,0,0.00K,0,0.00K,0,36.6397,-95.1524,36.6397,-95.1524,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702036,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 22:49:00,CST-6,2017-05-27 22:49:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.88,36.88,-94.88,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116153,703462,OKLAHOMA,2017,May,Flood,"TULSA",2017-05-12 04:30:00,CST-6,2017-05-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-95.82,36.42,-95.81,"Several rounds of thunderstorms on the 11th and 12th resulted in widespread heavy rainfall across much of northeastern Oklahoma. Much of the area along and north of I-44 received between three and six inches of rain during this period. The excessive rain resulted in moderate flooding of the Caney River at Collinsville, Bird Creek at Sperry, and the Neosho River at Commerce.","The Caney River near Collinsville rose above its flood stage of 26 feet at 5:30 am CDT on May 12th. The river crested at 29.93 feet at 4:15 pm CDT on the 12th, resulting in moderate flooding. The river fell below flood stage at 5:45 pm CDT on the 13th." +116153,703467,OKLAHOMA,2017,May,Flood,"OTTAWA",2017-05-11 23:30:00,CST-6,2017-05-14 13:45:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-94.99,36.95,-94.96,"Several rounds of thunderstorms on the 11th and 12th resulted in widespread heavy rainfall across much of northeastern Oklahoma. Much of the area along and north of I-44 received between three and six inches of rain during this period. The excessive rain resulted in moderate flooding of the Caney River at Collinsville, Bird Creek at Sperry, and the Neosho River at Commerce.","The Neosho River near Commerce rose above its flood stage of 15 feet at 12:30 am CDT on May 12th. The river crested at 19.25 feet at 4:15 pm CDT on the 13th, resulting in moderate flooding. The river fell below flood stage at 2:45 pm CDT on the 14th." +115784,695842,DELAWARE,2017,June,Thunderstorm Wind,"NEW CASTLE",2017-06-24 05:03:00,EST-5,2017-06-24 05:03:00,0,0,0,0,,NaN,,NaN,39.59,-75.71,39.59,-75.71,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","Numerous trees and power lines were blown down along Porter road and in the Hickory Woods development. Event time was corrected based on radar data." +115825,696115,MARYLAND,2017,May,Hail,"CARROLL",2017-05-18 16:56:00,EST-5,2017-05-18 16:56:00,0,0,0,0,,NaN,,NaN,39.704,-76.912,39.704,-76.912,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +115826,696116,MARYLAND,2017,May,Hail,"MONTGOMERY",2017-05-19 17:48:00,EST-5,2017-05-19 17:48:00,0,0,0,0,,NaN,,NaN,39.102,-77.0565,39.102,-77.0565,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Quarter sized hail was reported." +113298,687195,CALIFORNIA,2017,March,Strong Wind,"E CENTRAL S.J. VALLEY",2017-03-30 14:00:00,PST-8,2017-03-30 16:30:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A upper level trough moved southeast along the Sierra Nevada range on the day of the 30th. Upper level northwest flow helped increases the surface wind as the pressure gradient at the surface tightened. This resulted in strong and gusty winds across most of the area. Several reports of wind gusts above 40 mph were reported in the San Joaquin Valley while several reports of winds gusts above 50 mph were reported in the Kern County Mountains and Deserts while some indicator ridge tops had gusts exceeding 90 mph. The strong winds produced blowing dust across portions of the southern San Joaquin Valley and Kern County Deserts. In addition there were several reports of downed trees and power lines which resulted power outages across parts of the San Joaquin Valley.","Several reports of power outages occurred in Fresno and Reedley as a result of strong wind gusts." +114959,689577,NORTH CAROLINA,2017,March,Hail,"CALDWELL",2017-03-27 16:40:00,EST-5,2017-03-27 16:40:00,0,0,0,0,,NaN,,NaN,35.98,-81.41,35.98,-81.41,"Isolated thunderstorms developed across the North Carolina Blue Ridge during the afternoon, followed by a weakening line of storms that moved into the mountains during the evening. A couple of cells produced brief periods of hail.","FD reported nickel size hail." +115659,698604,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-06-19 17:58:00,EST-5,2017-06-19 17:58:00,0,0,0,0,,NaN,,NaN,38.94,-74.9,38.94,-74.9,"Thunderstorms moved across Delaware Bay and the Coastal waters the evening of the 19th. These thunderstorms produced gusty winds.","Measured gust." +115659,698605,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-06-19 19:40:00,EST-5,2017-06-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-75.15,38.78,-75.15,"Thunderstorms moved across Delaware Bay and the Coastal waters the evening of the 19th. These thunderstorms produced gusty winds.","At Lewes weatherflow." +115781,698646,PENNSYLVANIA,2017,June,Flood,"MONTGOMERY",2017-06-23 17:50:00,EST-5,2017-06-23 17:50:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-75.32,40.3256,-75.3211,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","Route 113 was blocked with several cars in high water." +114727,688165,KANSAS,2017,May,Tornado,"MORRIS",2017-05-19 19:09:00,CST-6,2017-05-19 19:09:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-96.4626,38.58,-96.4626,"A supercell t-storm that developed west of Wichita tracked northeast during the early evening of May 19th and produced 2 brief tornadoes in open country. No damage was reported with the tornadoes as they both occurred in the desolate country of the Flint Hills in Morris and far northwest Lyon county.","A chaser reported a rope tornado that lasted 1-2 mins in open country approximately 5 miles west of Dunlap in southeast Morris County. No damage was reported." +114727,688175,KANSAS,2017,May,Tornado,"LYON",2017-05-19 19:38:00,CST-6,2017-05-19 19:38:00,0,0,0,0,0.00K,0,0.00K,0,38.6602,-96.2631,38.6602,-96.2631,"A supercell t-storm that developed west of Wichita tracked northeast during the early evening of May 19th and produced 2 brief tornadoes in open country. No damage was reported with the tornadoes as they both occurred in the desolate country of the Flint Hills in Morris and far northwest Lyon county.","Local fire and volunteer spotter reported a brief tornado touchdown approximately 1 NW of Bushong in northwest Lyon County. No damage was reported with this brief small tornado." +114736,688186,KANSAS,2017,May,Tornado,"WABAUNSEE",2017-05-18 16:52:00,CST-6,2017-05-18 16:52:00,0,0,0,0,0.00K,0,0.00K,0,38.8495,-96.4537,38.8495,-96.4537,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","A report from a chaser indicated a brief tornado in open country in the Flint Hills. No damage was reported. The tornado lasted less than 30 seconds." +114727,688738,KANSAS,2017,May,Tornado,"CLAY",2017-05-19 18:15:00,CST-6,2017-05-19 18:16:00,0,0,0,0,0.00K,0,0.00K,0,39.2557,-96.9901,39.2557,-96.9901,"A supercell t-storm that developed west of Wichita tracked northeast during the early evening of May 19th and produced 2 brief tornadoes in open country. No damage was reported with the tornadoes as they both occurred in the desolate country of the Flint Hills in Morris and far northwest Lyon county.","Storm chaser provided a photo and description of a small brief tornado that touched down north of Wakefield. The tornado was brief lasting less than 2 mins and did minor damage to scrub trees in open country." +116766,702185,KANSAS,2017,May,Thunderstorm Wind,"REPUBLIC",2017-05-16 18:49:00,CST-6,2017-05-16 18:50:00,0,0,0,0,,NaN,,NaN,39.85,-97.57,39.85,-97.57,"A complex of strong to severe thunderstorms pushed across the area from west to east during the evening of May 16th. A few reports of damaging winds were reported in north central Kansas.","Emergency manager reported a swath of straight line wind damage from roughly 1 mile south of Belleville to roughly 3 miles northeast of Belleville. Outbuilding and grain bins were damaged. Time was estimated by radar." +116131,703976,PUERTO RICO,2017,May,Flood,"SAN SEBASTIAN",2017-05-09 16:30:00,AST-4,2017-05-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,18.3407,-66.9987,18.3413,-67.0003,"An upper level trough continued maintaining a wet weather pattern across the region. Flash flood warnings were issued due to heavy rain.","Roads PR-446, KM 0.2 intersection with PR-125 near Selectos Supermarket were affected by flooded waters from Rio Culebrinas." +116583,701084,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-18 19:23:00,EST-5,2017-05-18 19:38:00,0,0,0,0,,NaN,,NaN,38.644,-77.199,38.644,-77.199,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms were able to mix down gusty winds from aloft.","Wind gusts of 35 to 44 knots were reported at Occoquan." +116584,701086,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-05-19 15:10:00,EST-5,2017-05-19 15:30:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","Wind gusts up to 35 knots were reported at the Susquehanna Buoy." +116584,701087,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-05-19 15:20:00,EST-5,2017-05-19 15:25:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","Wind gusts of 36 to 37 knots were reported at North Bay." +116584,701088,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-19 17:13:00,EST-5,2017-05-19 17:13:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 38 knots was reported." +116584,701089,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-19 17:17:00,EST-5,2017-05-19 17:22:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 36 knots was reported at Cuckold Creek." +116584,701090,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-19 17:23:00,EST-5,2017-05-19 17:23:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 35 knots was reported at Monroe Creek." +116584,701091,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-19 17:24:00,EST-5,2017-05-19 17:24:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 35 knots was reported at Cobb Point." +116584,701092,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-19 17:54:00,EST-5,2017-05-19 17:54:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust 39 knots was reported at Piney Point." +114736,702188,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 15:43:00,CST-6,2017-05-18 15:44:00,0,0,0,0,,NaN,,NaN,38.63,-96.68,38.63,-96.68,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702189,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 15:50:00,CST-6,2017-05-18 15:51:00,0,0,0,0,,NaN,,NaN,38.65,-96.6,38.65,-96.6,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114963,690079,UTAH,2017,March,Winter Storm,"CACHE VALLEY/UTAH",2017-03-30 18:00:00,MST-7,2017-03-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow-moving storm system moved through Utah at the end of March and beginning of April, bringing strong thunderstorms on March 30, followed by heavy snow in southern and western Utah, as well as strong downslope winds in northern Utah March 31 through April 1. Note that this episode continued into April.","Enterprise received 9 inches of snow, while Cedar City received 6 inches of snow." +114963,690090,UTAH,2017,March,High Wind,"NORTHERN WASATCH FRONT",2017-03-31 20:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow-moving storm system moved through Utah at the end of March and beginning of April, bringing strong thunderstorms on March 30, followed by heavy snow in southern and western Utah, as well as strong downslope winds in northern Utah March 31 through April 1. Note that this episode continued into April.","Strong easterly downslope winds developed in the northern Wasatch Front late on March 31. Peak recorded wind gusts included 68 mph at the US-89 at Park Lane sensor, 62 mph in Farmington, and 61 mph in Centerville. Note that this event continued into April." +114736,702190,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 15:53:00,CST-6,2017-05-18 15:54:00,0,0,0,0,,NaN,,NaN,38.65,-96.61,38.65,-96.61,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702191,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 15:55:00,CST-6,2017-05-18 15:56:00,0,0,0,0,,NaN,,NaN,38.65,-96.67,38.65,-96.67,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +113661,690159,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:20:00,CST-6,2017-03-29 01:20:00,0,0,0,0,60.00K,60000,0.00K,0,32.9551,-97.2881,32.9551,-97.2881,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","An off duty National Weather Service employee measured an 83 MPH in north Fort Worth." +113661,690160,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:13:00,CST-6,2017-03-29 01:13:00,0,0,0,0,35.00K,35000,0.00K,0,32.9138,-97.2516,32.9138,-97.2516,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A broadcast media meteorologist measured a wind gust of 62 mph in Keller." +113661,690184,TEXAS,2017,March,Hail,"COOKE",2017-03-29 02:13:00,CST-6,2017-03-29 02:13:00,0,0,0,0,0.00K,0,0.00K,0,33.6144,-97.1262,33.6144,-97.1262,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","" +114736,702192,KANSAS,2017,May,Hail,"GEARY",2017-05-18 16:06:00,CST-6,2017-05-18 16:07:00,0,0,0,0,,NaN,,NaN,38.92,-96.85,38.92,-96.85,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702193,KANSAS,2017,May,Hail,"GEARY",2017-05-18 16:07:00,CST-6,2017-05-18 16:08:00,0,0,0,0,,NaN,,NaN,38.99,-96.78,38.99,-96.78,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +113755,681069,TEXAS,2017,March,Hail,"MONTAGUE",2017-03-26 17:00:00,CST-6,2017-03-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,33.57,-97.85,33.57,-97.85,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported half-dollar sized hail near the town of Bowie, TX." +114736,702194,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 16:25:00,CST-6,2017-05-18 16:26:00,0,0,0,0,,NaN,,NaN,38.77,-96.61,38.77,-96.61,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +113212,690330,GEORGIA,2017,March,Drought,"UNION",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684603,GEORGIA,2017,March,Winter Weather,"UNION",2017-03-11 22:00:00,EST-5,2017-03-12 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","The Union County Emergency Manager reported 2 inches of snow on grassy surfaces in the Blairsville area." +113212,690348,GEORGIA,2017,March,Drought,"GILMER",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690368,GEORGIA,2017,March,Drought,"BANKS",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114736,702195,KANSAS,2017,May,Hail,"GEARY",2017-05-18 16:52:00,CST-6,2017-05-18 16:53:00,0,0,0,0,,NaN,,NaN,38.88,-96.57,38.88,-96.57,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702196,KANSAS,2017,May,Hail,"MORRIS",2017-05-18 17:00:00,CST-6,2017-05-18 17:01:00,0,0,0,0,,NaN,,NaN,38.57,-96.85,38.57,-96.85,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Report was received via social media." +114736,702197,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 17:03:00,CST-6,2017-05-18 17:04:00,0,0,0,0,,NaN,,NaN,38.86,-96.49,38.86,-96.49,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Report received via social media." +113054,675888,NORTH DAKOTA,2017,March,High Wind,"BURLEIGH",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Bismarck ASOS reported a wind gust of 66 mph." +115036,690429,MICHIGAN,2017,March,Winter Weather,"MARQUETTE",2017-03-26 00:00:00,EST-5,2017-03-26 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","Locations around Marquette County reported a light glaze of ice from freezing rain by the morning of the 26th. Secondary roads and sidewalks were reported to be very slippery at some locations." +113054,689183,NORTH DAKOTA,2017,March,Blizzard,"MCHENRY",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113054,689184,NORTH DAKOTA,2017,March,Blizzard,"RENVILLE",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113202,678331,TEXAS,2017,March,Hail,"CROSBY",2017-03-28 15:10:00,CST-6,2017-03-28 15:10:00,0,0,0,0,0.00K,0,0.00K,0,33.76,-101.48,33.76,-101.48,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","No hail damage was reported." +113202,678332,TEXAS,2017,March,Hail,"FLOYD",2017-03-28 15:30:00,CST-6,2017-03-28 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.89,-101.23,33.89,-101.23,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","Hail damage was not observed." +113202,678339,TEXAS,2017,March,Hail,"HALE",2017-03-28 17:08:00,CST-6,2017-03-28 17:09:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-101.59,33.88,-101.59,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","The hail covered the ground to around one inch in depth. No damage was reported." +114693,690509,NEW YORK,2017,March,Blizzard,"SULLIVAN",2017-03-14 01:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Blizzard conditions struck Sullivan County mainly during the day and evening of the 14th with snowfall of 2 to 3 feet and frequent wind gusts over 50 mph, peaking at 61 mph at the Monticello Airport. This caused considerable blowing and drifting snow and prolonged periods of white-out conditions." +113643,687145,INDIANA,2017,March,Hail,"FOUNTAIN",2017-03-20 13:15:00,EST-5,2017-03-20 13:17:00,0,0,0,0,,NaN,0.00K,0,40.29,-87.25,40.29,-87.25,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687146,INDIANA,2017,March,Hail,"FOUNTAIN",2017-03-20 13:15:00,EST-5,2017-03-20 13:17:00,0,0,0,0,,NaN,0.00K,0,40.29,-87.24,40.29,-87.24,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687147,INDIANA,2017,March,Hail,"TIPPECANOE",2017-03-20 13:19:00,EST-5,2017-03-20 13:21:00,0,0,0,0,,NaN,0.00K,0,40.3015,-87.0738,40.3015,-87.0738,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687148,INDIANA,2017,March,Hail,"TIPPECANOE",2017-03-20 13:35:00,EST-5,2017-03-20 13:37:00,0,0,0,0,0.00K,0,0.00K,0,40.22,-86.9,40.22,-86.9,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687150,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-20 14:20:00,EST-5,2017-03-20 14:25:00,0,0,0,0,0.00K,0,0.00K,0,40.11,-86.77,40.11,-86.77,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687151,INDIANA,2017,March,Hail,"BOONE",2017-03-20 14:30:00,EST-5,2017-03-20 14:32:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-86.57,40.05,-86.57,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","Hail was covering the ground." +113643,687152,INDIANA,2017,March,Hail,"BOONE",2017-03-20 14:45:00,EST-5,2017-03-20 14:47:00,0,0,0,0,,NaN,0.00K,0,40,-86.35,40,-86.35,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687153,INDIANA,2017,March,Hail,"BOONE",2017-03-20 14:54:00,EST-5,2017-03-20 14:58:00,0,0,0,0,,NaN,0.00K,0,40.04,-86.46,40.04,-86.46,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687154,INDIANA,2017,March,Hail,"MARION",2017-03-20 15:10:00,EST-5,2017-03-20 15:12:00,0,0,0,0,,NaN,0.00K,0,39.92,-86.12,39.92,-86.12,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +114629,687575,VERMONT,2017,May,Thunderstorm Wind,"RUTLAND",2017-05-18 19:03:00,EST-5,2017-05-18 19:03:00,0,0,0,0,10.00K,10000,0.00K,0,43.42,-73.2,43.42,-73.2,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Measured wind gust of 59 knots as well as some tree damage." +114639,687578,NEW YORK,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 18:05:00,EST-5,2017-05-18 18:05:00,0,0,0,0,5.00K,5000,0.00K,0,44.09,-73.68,44.09,-73.68,"Record setting heat set the stage for a moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.","Trees down blocking Route 9 in Underwood." +115095,690784,VERMONT,2017,May,Hail,"CHITTENDEN",2017-05-31 13:50:00,EST-5,2017-05-31 13:50:00,0,0,0,0,0.00K,0,0.00K,0,44.54,-73.21,44.54,-73.21,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","One inch diameter hail reported at Colchester PD." +115095,690786,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-31 13:50:00,EST-5,2017-05-31 13:52:00,0,0,0,0,10.00K,10000,0.00K,0,44.54,-73.15,44.54,-73.15,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Tree and large branches down along East Rd." +115095,690787,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-31 14:25:00,EST-5,2017-05-31 14:25:00,0,0,0,0,10.00K,10000,0.00K,0,44.41,-72.99,44.41,-72.99,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Several trees and wires down on utility lines in Richmond." +115095,690788,VERMONT,2017,May,Hail,"ADDISON",2017-05-31 14:54:00,EST-5,2017-05-31 14:54:00,0,0,0,0,0.00K,0,0.00K,0,43.77,-73.34,43.77,-73.34,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Quarter size hail reported." +113318,680902,OKLAHOMA,2017,March,Thunderstorm Wind,"LATIMER",2017-03-01 00:45:00,CST-6,2017-03-01 00:50:00,0,0,0,0,0.00K,0,0.00K,0,34.9009,-95.3481,34.9009,-95.3481,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma during the early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","The Oklahoma Mesonet station near Wilburton measured 58 mph thunderstorm wind gusts." +113324,680914,ARKANSAS,2017,March,Thunderstorm Wind,"MADISON",2017-03-06 23:00:00,CST-6,2017-03-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.874,-93.9125,35.874,-93.9125,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down large trees." +113323,680948,OKLAHOMA,2017,March,Thunderstorm Wind,"CRAIG",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7754,-95.2209,36.7754,-95.2209,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","The Oklahoma Mesonet station east of Centralia measured 58 mph thunderstorm wind gusts." +113219,677412,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-03 08:00:00,PST-8,2017-02-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep Pacific moisture feed became directed into the Idaho Panhandle beginning February 3rd and continuing through February 6th. Many valley locations south of Sandpoint received heavy snow on February 3rd but a warm front began to lift snow levels from south to north on February 4th and then stalled over far northern Idaho. This resulted in a change over to rain in the lower elevation southern valleys but also multiple days of heavy snow in the higher mountains of central Idaho and in the valleys from Sandpoint northward to the Canadian border.","Over three days from February 2nd through the morning of February 6th, 14 inches of new snow accumulation was recorded near Priest River." +113399,678521,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Holden Village reported 19 inches of new snow." +113399,678520,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Plain reported 8.8 inches of new snow." +113173,679997,NEW YORK,2017,February,High Wind,"SOUTHERN WESTCHESTER",2017-02-13 08:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A measured gust up to 72 mph occurred at White Plains Airport at 952 am. In Yonkers, the broadcast media reported a tree uprooted, then fell on a two story home on University Avenue off Seminary Avenue at 10 am." +113173,680001,NEW YORK,2017,February,High Wind,"NORTHERN WESTCHESTER",2017-02-13 12:00:00,EST-5,2017-02-13 14:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At White Plains Airport, a wind gust up to 72 mph occurred at 952 am. At 1 pm, a train derailed due to a tree falling on the tracks just north of the Hawthorne station according to the broadcast media. Metro-North Harlem Line service was suspended at 1221 pm due to downed trees near Hawthorne." +113589,680002,NEW YORK,2017,February,Strong Wind,"PUTNAM",2017-02-13 13:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station 1 mile north of Peach Lake measured a wind gust up to 51 mph at 202 pm." +113590,680005,CONNECTICUT,2017,February,High Wind,"SOUTHERN FAIRFIELD",2017-02-13 08:00:00,EST-5,2017-02-13 14:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At 1211 pm, a wind gust up to 60 mph was measured at Bridgeport Sikorsky Memorial Airport. A mesonet station near Stamford measured a wind gust up to 57 mph at 1143 am. At 824 am, social media reported a tree and wires down across Old North Stamford Road. In the town of Fairfield, a co-op observer reported that a half of a tree fell onto power lines and a house on Success Avenue at 1 pm. At 115 pm, the broadcast media reported downed trees on the New Haven Metro-North line, which resulted in delays and suspensions." +113594,680008,CONNECTICUT,2017,February,Strong Wind,"SOUTHERN NEW HAVEN",2017-02-13 10:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","At 1210 pm at New Haven Airport, a wind gust up to 52 mph was measured. At 1048 am in the town of Branford, wires were reported down at Woodside Drive and Ark Road according to the fire department. In Hamden, the broadcast media reported that power lines were knocked down and closed Evergreen Avenue at Cumpstone Drive at 1126 am." +113594,680009,CONNECTICUT,2017,February,Strong Wind,"NORTHERN NEW HAVEN",2017-02-13 10:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","The broadcast media reported wires were knocked down onto a school bus on Spindle Hill Road with students on board at 1021 am." +113594,680018,CONNECTICUT,2017,February,Strong Wind,"SOUTHERN NEW LONDON",2017-02-13 08:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","The ASOS at Groton New London Airport measured wind gusts up to 53 mph at 849 am. A mesonet station 1 mile north/northeast of New London measured wind gusts up to 53 mph at 1239 pm. At 1017 am, social media reported multiple branches down at the Mashantucket Pequot Museum in Ledyard Center." +113904,682192,WASHINGTON,2017,February,Flash Flood,"ASOTIN",2017-02-06 16:00:00,PST-8,2017-02-06 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,46.0089,-117.3797,46.0199,-117.0937,"During the evening of February 6th an ice jam on the Grande Ronde River near Troy gave way and sent a flood wave down the Grande Ronde River. While most of the river runs through uninhabited territory, minor property damage was reported as the flood wave passed an isolated residence downstream. Eventually the flood wave emptied into the Snake River near Anatone, which absorbed the flood wave with little rise and no reported damage .","Flooding occurred along Dreamz Road as a flood wave passed from a disintegrating ice jam farther upstream. Four feet of water was reported in the yard of a home and a small shed was floated and carried by the flood wave." +115399,692876,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:26:00,EST-5,2017-05-04 15:26:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.58,30.34,-81.58,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A tree was blown down. The time of damage was based on radar." +115399,692877,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:26:00,EST-5,2017-05-04 15:26:00,0,0,0,0,0.00K,0,0.00K,0,30.36,-81.57,30.36,-81.57,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Large tree limbs and yard fences were heavily damaged. The time of damage was based on radar." +115399,692878,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:26:00,EST-5,2017-05-04 15:26:00,0,0,0,0,0.00K,0,0.00K,0,30.36,-81.58,30.36,-81.58,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A tree was blown down on a home. The time of damage was based on radar." +115399,692879,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:14:00,EST-5,2017-05-04 15:14:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-81.68,30.23,-81.68,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","The Naval Air Station Jacksonville measured a wind gust to 71 mph." +115544,693936,GEORGIA,2017,May,Hail,"CAMDEN",2017-05-30 14:15:00,EST-5,2017-05-30 14:15:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-81.66,30.79,-81.66,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Half dollar size hail was reported in Kingsland." +115544,693937,GEORGIA,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-30 14:05:00,EST-5,2017-05-30 14:05:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-81.68,30.79,-81.68,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","A spotter estimated wind gusts of 60-70 mph. A lot of large tree branches were blown down along Royal Circle." +114390,685584,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 04:00:00,MST-7,2017-02-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, wit a peak gust of 68 mph at 06/0845 MST." +114390,685585,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 13:05:00,MST-7,2017-02-08 03:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Halleck Ridge measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 07/1505 MST." +115544,693722,GEORGIA,2017,May,Hail,"CAMDEN",2017-05-30 13:55:00,EST-5,2017-05-30 13:55:00,0,0,0,0,0.00K,0,0.00K,0,30.81,-81.65,30.81,-81.65,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Quarter to dime size hail was reported on Camellia Drive." +115544,693723,GEORGIA,2017,May,Hail,"CAMDEN",2017-05-30 14:05:00,EST-5,2017-05-30 14:05:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-81.66,30.79,-81.66,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Quarter to dime size hail was reported in Kingsland." +115544,693938,GEORGIA,2017,May,Hail,"CAMDEN",2017-05-30 14:05:00,EST-5,2017-05-30 14:05:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-81.68,30.79,-81.68,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Nickel size hail was reported in Kingsland near Royal Circle." +115566,693939,FLORIDA,2017,May,Hail,"FLAGLER",2017-05-30 15:47:00,EST-5,2017-05-30 15:47:00,0,0,0,0,0.00K,0,0.00K,0,29.43,-81.37,29.43,-81.37,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Quarter size hail was reported near County Road 306 and County Road 206." +114622,687665,WYOMING,2017,February,Winter Storm,"CONVERSE COUNTY LOWER ELEVATIONS",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to sixteen inches of snow was observed. Fifteen inches of snow was measured four miles west-southwest of Douglas. Eleven inches of snow was measured at Douglas." +114622,687666,WYOMING,2017,February,Winter Storm,"NIOBRARA COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to ten inches of snow was observed countywide." +114622,687677,WYOMING,2017,February,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Eight to twenty-two inches of snow was observed, heaviest over the central Laramie Range." +114622,687684,WYOMING,2017,February,Winter Storm,"EAST PLATTE COUNTY",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and strong winds up to 50 mph across east central, south central and southeast Wyoming. The strong winds caused blizzard conditions over western Carbon County in south central Wyoming. A narrow swath of 20 to 25 inches of snow fell from Wheatland to Torrington in southeast Wyoming. Elsewhere, snow accumulations ranged from 3 to 10 inches, with 10 to 20 inches over the mountains. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Eight to twenty-four inches of snow was observed, heaviest near Wheatland." +114390,685860,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-09 03:35:00,MST-7,2017-02-09 06:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +114390,685861,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 04:15:00,MST-7,2017-02-10 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 10/1115 MST." +114390,685863,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-07 23:40:00,MST-7,2017-02-08 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 08/0045 MST." +114390,685865,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 06:15:00,MST-7,2017-02-10 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 74 mph at 10/1130 MST." +114390,685869,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-08 00:00:00,MST-7,2017-02-08 01:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 08/0055 MST." +114390,685870,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 04:20:00,MST-7,2017-02-10 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Lone Tree measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 10/1015 MST." +114390,685871,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-08 10:25:00,MST-7,2017-02-08 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Lynch measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 08/1430 MST." +114390,685890,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-10 05:25:00,MST-7,2017-02-10 06:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 10/0545 MST." +114390,685892,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-08 02:50:00,MST-7,2017-02-08 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 08/0340 MST." +114390,685893,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-10 12:45:00,MST-7,2017-02-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 10/1420 MST." +114390,685894,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-08 00:20:00,MST-7,2017-02-08 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 08/0125 MST." +114390,685896,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-02-10 12:30:00,MST-7,2017-02-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 10/1315 MST." +114390,685579,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 14:55:00,MST-7,2017-02-08 01:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 07/2150 MST." +114287,684669,ALASKA,2017,February,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-02-25 19:55:00,AKST-9,2017-02-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the north slope between a 1045 high pressure center north of Barrow and low pressure in the Bering strait. Blizzard conditions were reported along the north slope on February 25th through the evening hours of the 26th.||Zone 201: Blizzard conditions and one quarter mile visibility reported at the Wainwright ASOS. Peak wind of 50 kt (57 mph).||Zone 202: Blizzard conditions and one quarter mile visibility reported at the Barrow ASOS. Peak wind of 39 kt (45 mph).||Zone 203: Blizzard conditions and one quarter mile visibility reported at the Nuiqsut ASOS. Peak wind of 40 kt (46 mph).||Zone 204: Blizzard conditions and one quarter mile visibility reported at the Point Thompson AWOS. Peak wind of 38 kt (44 mph).","" +113171,677256,GEORGIA,2017,February,Drought,"WHITFIELD",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677289,GEORGIA,2017,February,Drought,"CHEROKEE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +114971,689681,WASHINGTON,2017,February,Heavy Rain,"KING",2017-02-09 00:00:00,PST-8,2017-02-09 00:00:00,0,0,0,0,33.00M,33000000,0.00K,0,47.662,-122.4313,47.662,-122.4313,"Heavy rainfall in the Puget Sound area lead to high storm runoff.","Heavy rain and storm runoff damaged the West Point sewage treatment plant in Seattle. King county dumped an estimated 235 million gallons of untreated wastewater - including 30 million gallons of raw sewage - into Puget Sound because of damage to the plant. The plant could not perform full wastewater treatment as required by the state permit until May 9th, as reported by the Seattle Times." +113171,677273,GEORGIA,2017,February,Drought,"HEARD",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113310,678132,ILLINOIS,2017,February,Hail,"CLAY",2017-02-28 20:07:00,CST-6,2017-02-28 20:12:00,0,0,0,0,0.00K,0,0.00K,0,38.61,-88.6,38.61,-88.6,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +115550,693803,TEXAS,2017,May,Thunderstorm Wind,"REEVES",2017-05-22 19:32:00,CST-6,2017-05-22 19:32:00,0,0,0,0,,NaN,,NaN,31.7074,-103.7676,31.7074,-103.7676,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Reeves County and produced a 59 mph wind gust eleven miles southeast of Orla." +115550,694019,TEXAS,2017,May,Thunderstorm Wind,"MIDLAND",2017-05-22 20:41:00,CST-6,2017-05-22 20:41:00,0,0,0,0,,NaN,,NaN,31.9386,-102.1524,31.9386,-102.1524,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Midland County and produced a 60 mph wind gust six miles southwest of Midland." +115550,696267,TEXAS,2017,May,Thunderstorm Wind,"REAGAN",2017-05-22 21:30:00,CST-6,2017-05-22 21:30:00,0,0,0,0,,NaN,,NaN,31.6353,-101.63,31.6353,-101.63,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Reagan County and produced a 63 mph wind gust five miles southwest of St. Lawrence." +115549,696287,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:04:00,MST-7,2017-05-22 17:19:00,0,0,0,0,,NaN,,NaN,32.4481,-104.2438,32.4481,-104.2438,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115865,696321,TEXAS,2017,May,Hail,"BREWSTER",2017-05-29 18:20:00,CST-6,2017-05-29 18:30:00,0,0,0,0,,NaN,,NaN,29.33,-103.59,29.33,-103.59,"There was weak mid-level ridging from New Mexico into the Big Bend region. An upper level disturbance moved over the area with good heating of the higher terrain. There was good wind shear, instability, and moisture across the area. These conditions produced thunderstorms with large hail in and near the Big Bend and Davis Mountains.","" +115865,696326,TEXAS,2017,May,Hail,"JEFF DAVIS",2017-05-29 19:31:00,CST-6,2017-05-29 19:36:00,0,0,0,0,,NaN,,NaN,30.58,-103.88,30.58,-103.88,"There was weak mid-level ridging from New Mexico into the Big Bend region. An upper level disturbance moved over the area with good heating of the higher terrain. There was good wind shear, instability, and moisture across the area. These conditions produced thunderstorms with large hail in and near the Big Bend and Davis Mountains.","" +115872,696354,TEXAS,2017,May,Hail,"BREWSTER",2017-05-30 19:30:00,CST-6,2017-05-30 19:35:00,0,0,0,0,,NaN,,NaN,29.28,-103.78,29.28,-103.78,"There was an upper level trough over Southern California with southeast surface winds across West Texas which brought in a plentiful supply of low-level moisture. Good lift and instability were over the area. These conditions resulted in a storm near the Rio Grande which produced large hail.","" +114702,687992,TEXAS,2017,May,Hail,"SHELBY",2017-05-20 20:35:00,CST-6,2017-05-20 20:35:00,0,0,0,0,0.00K,0,0.00K,0,31.9667,-94.0603,31.9667,-94.0603,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","A picture of ping pong ball size hail that fell in Joaquin was posted to the KSLA-TV Facebook page." +114702,687994,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-21 05:20:00,CST-6,2017-05-21 05:20:00,0,0,0,0,0.00K,0,0.00K,0,31.7969,-95.1736,31.7969,-95.1736,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Ping pong ball size hail fell in the western sections of Rusk via the KETK-TV Facebook page." +114702,687996,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-21 05:25:00,CST-6,2017-05-21 05:25:00,0,0,0,0,0.00K,0,0.00K,0,31.8088,-95.1512,31.8088,-95.1512,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Quarter size hail fell in the city of Rusk at the Sheriff's Office." +114702,687997,TEXAS,2017,May,Hail,"RUSK",2017-05-21 06:14:00,CST-6,2017-05-21 06:14:00,0,0,0,0,0.00K,0,0.00K,0,31.9413,-94.9753,31.9413,-94.9753,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Quarter size hail fell at the Lake Striker RV Park Restaurant and Marina." +114702,687998,TEXAS,2017,May,Hail,"SMITH",2017-05-21 06:50:00,CST-6,2017-05-21 06:50:00,0,0,0,0,0.00K,0,0.00K,0,32.1444,-95.1209,32.1444,-95.1209,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","The Troup ISD Emergency Manager reported nickel size hail in Troup." +114702,687999,TEXAS,2017,May,Hail,"RUSK",2017-05-21 06:54:00,CST-6,2017-05-21 06:54:00,0,0,0,0,0.00K,0,0.00K,0,32.15,-94.77,32.15,-94.77,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Penny size hail fell just east of Henderson." +114703,688002,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-20 21:45:00,CST-6,2017-05-20 21:45:00,0,0,0,0,0.00K,0,0.00K,0,32.2832,-93.7593,32.2832,-93.7593,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","A tree was blown down onto a power line on the Linwood Avenue Extension off of Stonewall Frierson Road." +115178,691490,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.3119,-93.9408,32.3119,-93.9408,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees and power lines were blown down near the Spring Ridge community." +115178,691703,LOUISIANA,2017,May,Tornado,"WINN",2017-05-28 18:52:00,CST-6,2017-05-28 18:53:00,0,0,0,0,0.00K,0,0.00K,0,31.9759,-92.8568,31.9742,-92.8561,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A brief EF-1 tornado with maximum estimated winds near 95 mph touched down in the Kisatchie National Forest between the Coldwater community and Calvin along Highway 156. Numerous hardwood and softwood trees were snapped and uprooted along both side of Highway 156 as this tornado traveled southeast." +113171,677254,GEORGIA,2017,February,Drought,"BANKS",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115701,695264,IOWA,2017,May,Thunderstorm Wind,"SAC",2017-05-16 19:08:00,CST-6,2017-05-16 19:08:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-95.25,42.31,-95.25,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Local fire department reported 60 to 70 mph wind gusts." +115701,695268,IOWA,2017,May,Hail,"POCAHONTAS",2017-05-16 19:25:00,CST-6,2017-05-16 19:25:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-94.85,42.58,-94.85,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Public reported quarter sized hail in Fonda." +115701,695270,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 19:43:00,CST-6,2017-05-16 19:43:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-94.29,42.28,-94.29,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Amateur radio operator reported wind gusts to 60 mph. Time estimated by radar." +115701,695271,IOWA,2017,May,Hail,"WEBSTER",2017-05-16 19:43:00,CST-6,2017-05-16 19:43:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-94.38,42.27,-94.38,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported quarter sized hail." +112844,675988,MISSOURI,2017,March,Thunderstorm Wind,"VERNON",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.91,-94.42,37.91,-94.42,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A roof was blown off a trailer house northwest of Nevada." +112844,675989,MISSOURI,2017,March,Thunderstorm Wind,"ST. CLAIR",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-93.72,38.02,-93.72,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown down near the confluence of the SAC and Osage Rivers." +112844,675990,MISSOURI,2017,March,Thunderstorm Wind,"PULASKI",2017-03-06 23:35:00,CST-6,2017-03-06 23:35:00,0,0,0,0,10.00K,10000,0.00K,0,37.87,-92.08,37.87,-92.08,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Multiple trees were blown down. A few trees fell on to mobile homes." +112844,675991,MISSOURI,2017,March,Thunderstorm Wind,"WRIGHT",2017-03-07 00:00:00,CST-6,2017-03-07 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.4,-92.34,37.4,-92.34,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","An outbuilding was destroyed." +112844,675940,MISSOURI,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-06 23:10:00,CST-6,2017-03-06 23:10:00,0,0,0,0,1.00K,1000,0.00K,0,37,-93.22,37,-93.22,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Small tree limbs were blown and shingles blown off roof. Several outbuildings and sheds were moved from wind gusts." +112844,675946,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:17:00,CST-6,2017-03-06 23:17:00,0,0,0,0,1.00K,1000,0.00K,0,37.2,-93.29,37.2,-93.29,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown down near Chestnut and National Ave. A sign on the square downtown was blown down." +112844,675949,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:40:00,CST-6,2017-03-06 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,37.21,-93.28,37.21,-93.28,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several trees and power lines were blown down across Springfield and Greene County." +112920,676803,IOWA,2017,March,Tornado,"MARION",2017-03-06 19:35:00,CST-6,2017-03-06 19:42:00,0,0,0,0,20.00K,20000,0.00K,0,41.3469,-93.2,41.397,-93.0881,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS storm survey confirmed another tornado touchdown approximately 4 miles northwest of Knoxville. Roof damage occurred to a few residences with large sections of shingles removed along with tree damage. This is consistent with winds of 85 to 95 mph - or EF1 damage." +112920,676811,IOWA,2017,March,Tornado,"APPANOOSE",2017-03-06 20:22:00,CST-6,2017-03-06 20:29:00,0,0,0,0,20.00K,20000,0.00K,0,40.6898,-93.0973,40.7491,-92.9833,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado crossed into Appanoose county from Wayne county. After crossing into Appanoose county, the tornado damaged a residence along 110th Avenue with several|trees being topped and buildings damaged. The tornado continued across mainly rural areas of western Appanoose county before crossing IA Highway 2 where minor|damage occurred to a farmstead. The tornado appeared to dissipate shortly after crossing Highway 2." +114255,684500,INDIANA,2017,March,Dense Fog,"PIKE",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114255,684501,INDIANA,2017,March,Dense Fog,"POSEY",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114255,684502,INDIANA,2017,March,Dense Fog,"SPENCER",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114255,684503,INDIANA,2017,March,Dense Fog,"VANDERBURGH",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114255,684504,INDIANA,2017,March,Dense Fog,"WARRICK",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana during the overnight hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684517,KENTUCKY,2017,March,Dense Fog,"DAVIESS",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684518,KENTUCKY,2017,March,Dense Fog,"MCLEAN",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684519,KENTUCKY,2017,March,Dense Fog,"MUHLENBERG",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684520,KENTUCKY,2017,March,Dense Fog,"TODD",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +113678,680418,KENTUCKY,2017,March,Thunderstorm Wind,"MCCRACKEN",2017-03-01 05:13:00,CST-6,2017-03-01 05:21:00,0,0,0,0,600.00K,600000,0.00K,0,37.07,-88.8063,37.08,-88.63,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Widespread damaging winds around 75 mph occurred across much of western and central McCracken County, including the cities of Paducah and Lone Oak. A wind gust to 75 mph was measured by the automated observing system at Barkley Regional Airport. A wind gust to 68 mph was measured at a fire station in Grahamville. Numerous buildings sustained minor roof damage, including a few historic landmarks in downtown Paducah. A metal wall panel was blown off a large storage building in Paducah. A large tree fell through the kitchen and bedroom of a house. Several outbuildings and sheds were destroyed, including one that was blown onto a road near Barkley Regional Airport. Trees and signs were blown down areawide, including some large uprooted trees. Numerous power outages lasted through the morning. Some roads were blocked by downed trees and power lines. A large tree was down on a vehicle in Paducah, destroying the vehicle. A power pole and power lines were down on a car in Lone Oak." +113678,680435,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-01 05:20:00,CST-6,2017-03-01 05:20:00,0,0,0,0,65.00K,65000,0.00K,0,36.6807,-88.7683,36.57,-88.8,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Widespread damaging winds were observed across southwest Graves County. A wind gust to 77 mph was measured at the Kentucky mesonet site near Pryorsburg. In Water Valley, a large metal roof was blown up against a neighboring house. Shingles were blown off at least one house. Power poles were blown over, and trees were down. At a residence three miles northwest of Wingo along Highway 58, the whole back porch of the residence was ripped off and blown into the bedroom and front yard." +114313,684952,PENNSYLVANIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 10:23:00,EST-5,2017-03-01 10:23:00,0,0,0,0,5.00K,5000,0.00K,0,39.8698,-80.2833,39.8698,-80.2833,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","NWS storm survey reported trees down." +114313,684959,PENNSYLVANIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 10:07:00,EST-5,2017-03-01 10:07:00,0,0,0,0,5.00K,5000,0.00K,0,39.8111,-80.3548,39.8111,-80.3548,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","NWS storm survey reported trees down." +114313,684979,PENNSYLVANIA,2017,March,Flood,"WASHINGTON",2017-03-01 10:08:00,EST-5,2017-03-01 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.07,-80.17,40.0759,-80.1681,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Amateur radio user reported that Lone Pine Road was flooded in the vicinity of the intersection with Weaver Run Road." +114313,684980,PENNSYLVANIA,2017,March,Flood,"WASHINGTON",2017-03-01 10:31:00,EST-5,2017-03-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.1,-80.51,40.0994,-80.5022,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Amateur radio spotter reported that Old Brick road was flooded from a nearby stream." +114313,684954,PENNSYLVANIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 10:25:00,EST-5,2017-03-01 10:26:00,0,0,0,0,5.00K,5000,0.00K,0,39.8907,-80.234,39.8854,-80.2458,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","NWS storm survey reported trees down." +114252,684494,MISSOURI,2017,March,Frost/Freeze,"PERRY",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684495,MISSOURI,2017,March,Frost/Freeze,"RIPLEY",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684497,MISSOURI,2017,March,Frost/Freeze,"STODDARD",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684451,ILLINOIS,2017,March,Frost/Freeze,"PERRY",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684453,ILLINOIS,2017,March,Frost/Freeze,"PULASKI",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684454,ILLINOIS,2017,March,Frost/Freeze,"SALINE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +123108,738159,MISSISSIPPI,2017,December,Winter Weather,"MONROE",2017-12-31 06:00:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain occurred over parts of Northeast Mississippi during the morning hours on December 31st.","Light icing occurred across Monroe County." +117525,706865,ARIZONA,2017,July,Wildfire,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-07-07 15:30:00,MST-7,2017-07-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three lightning caused fires burned near Black Canyon City for just over a week.","The Brooklyn, Bull, and Cedar Fires were all caused by lighting about 6 miles north through northeast of Black Canyon City. In all, around 33,600 acres of tall grass, shrubs, and juniper trees burned. There were no structures threatened. Around 110 firefighting personnel were involved in this incident. The fire was low intensity for this vegetation type so the threat of post fire flooding was minimal." +119215,715884,PUERTO RICO,2017,July,Heavy Rain,"SAN JUAN",2017-07-22 16:30:00,AST-4,2017-07-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3449,-66.0786,18.3448,-66.0715,"The moisture associated with a tropical wave interacted with local and diurnal effects to produce a line of heavy showers and thunderstorms downstream from El Yunque, affecting the San Juan metro area.","Mudslide was reported in Camino Los Romeros street in Barrio Caimito." +119218,715891,PUERTO RICO,2017,July,Flash Flood,"LARES",2017-07-29 15:50:00,AST-4,2017-07-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3147,-66.8956,18.3098,-66.885,"Strong diurnal heating and local effects combined with abundant low to mid-level moisture resulted in the development of heavy showers and thunderstorms across interior and western PR.","Emergency management officials reported that a bridge was closed due to flooding from Rio Guajataca in Barrio Seburuquillo." +117544,706910,ARIZONA,2017,July,Wildfire,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-07-01 00:00:00,MST-7,2017-07-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Goodwin Fire started in June and continued to burn into July.","The Goodwin Fire started in the Yavapai County Mountains (Fire Weather Zone above 5000 feet) and around 25,700 total acres burned by the end of June. By July 10, the fire burned around 28,500 total acres. Approximately 16,000 total acres burned above 5000 feet with the rest burning in the Yavapai Valleys and Basins Fire Weather Zone." +116372,699798,ARKANSAS,2017,May,Hail,"MARION",2017-05-11 15:30:00,CST-6,2017-05-11 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.37,-92.64,36.37,-92.64,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","Several cars were dented and shingles were damaged on some homes." +116372,699801,ARKANSAS,2017,May,Hail,"MARION",2017-05-11 15:32:00,CST-6,2017-05-11 15:32:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-92.58,36.38,-92.58,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116372,699803,ARKANSAS,2017,May,Hail,"MARION",2017-05-11 15:35:00,CST-6,2017-05-11 15:35:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-92.59,36.39,-92.59,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116372,699806,ARKANSAS,2017,May,Hail,"BAXTER",2017-05-11 16:11:00,CST-6,2017-05-11 16:11:00,0,0,0,0,0.00K,0,0.00K,0,36.35,-92.39,36.35,-92.39,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116372,699816,ARKANSAS,2017,May,Thunderstorm Wind,"WHITE",2017-05-11 18:07:00,CST-6,2017-05-11 18:07:00,0,0,0,0,20.00K,20000,0.00K,0,35.29,-92.08,35.29,-92.08,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","Delayed report of wind damage was reported at a residence in the town of Romance. The residence was shifted around on its elevated foundation. There was also damage to trees, outbuildings, and carports in the same general area." +119626,717709,ILLINOIS,2017,June,Hail,"BROWN",2017-06-17 20:45:00,CST-6,2017-06-17 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9532,-90.7431,39.9532,-90.7431,"A strong cold front moved through the region triggering strong to severe storms.","" +119625,717710,MISSOURI,2017,June,Thunderstorm Wind,"MARION",2017-06-17 21:40:00,CST-6,2017-06-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,39.7793,-91.5982,39.7432,-91.4399,"A strong cold front moved through the region triggering strong to severe thunderstorms.","Two severe storms tracked southeastward across Marion County. Several trees were blown down between Palmyra and Hannibal." +119625,717711,MISSOURI,2017,June,Thunderstorm Wind,"BOONE",2017-06-17 22:25:00,CST-6,2017-06-17 22:36:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-92.33,38.7879,-92.2996,"A strong cold front moved through the region triggering strong to severe thunderstorms.","Thunderstorm winds blew down a large tree in Columbia." +116372,699821,ARKANSAS,2017,May,Flash Flood,"PULASKI",2017-05-12 16:28:00,CST-6,2017-05-12 16:28:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-92.11,34.8544,-92.1293,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","Flooding was observed near the 900 block of Highway 161 in Jacksonville. Flooding was ongoing at the time of the phone call." +116441,700299,ARKANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 23:55:00,CST-6,2017-05-18 23:55:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-93.67,35.52,-93.67,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","A line of severe thunderstorms uprooted several large trees north of Coal Hill." +116441,700301,ARKANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-19 00:00:00,CST-6,2017-05-19 00:00:00,0,0,0,0,0.30K,300,0.00K,0,35.46,-93.49,35.46,-93.49,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","A line of thunderstorms blew down a large sign at Clarksville High School." +116441,700302,ARKANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-19 00:11:00,CST-6,2017-05-19 00:11:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-93.58,35.68,-93.58,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Law Enforcement reported several trees and powerlines down throughout the western half of Johnson County." +112935,674762,NORTH CAROLINA,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-01 16:40:00,EST-5,2017-03-01 16:40:00,0,0,0,0,,NaN,,NaN,35.19,-84.14,35.19,-84.14,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Several trees were reported down across the county." +112936,674763,TENNESSEE,2017,March,Thunderstorm Wind,"MARION",2017-03-10 00:35:00,CST-6,2017-03-10 00:35:00,0,0,0,0,,NaN,,NaN,35.06,-85.63,35.06,-85.63,"A line of thunderstorms in association with an outflow boundary ahead of a cold front clipped a small part of Southeast Tennessee producing some wind damage across the region.","Trees were reported down in Jasper and the surrounding area." +120412,721342,ILLINOIS,2017,July,Flood,"WILL",2017-07-23 16:50:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.5397,-88.1524,41.5269,-88.1523,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Standing water 7 to 8 inches deep was reported curb to curb on Infantry Drive." +112936,674764,TENNESSEE,2017,March,Thunderstorm Wind,"MARION",2017-03-10 00:45:00,CST-6,2017-03-10 00:45:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"A line of thunderstorms in association with an outflow boundary ahead of a cold front clipped a small part of Southeast Tennessee producing some wind damage across the region.","Trees were reported down in Whitwell and vicinity." +112936,674765,TENNESSEE,2017,March,Thunderstorm Wind,"BLEDSOE",2017-03-10 00:55:00,CST-6,2017-03-10 00:55:00,0,0,0,0,,NaN,,NaN,35.61,-85.2,35.61,-85.2,"A line of thunderstorms in association with an outflow boundary ahead of a cold front clipped a small part of Southeast Tennessee producing some wind damage across the region.","One tree, a few large limbs, and several power lines were reported down north of Pikeville." +112936,674766,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-10 02:00:00,EST-5,2017-03-10 02:00:00,0,0,0,0,,NaN,,NaN,35.07,-85.23,35.07,-85.23,"A line of thunderstorms in association with an outflow boundary ahead of a cold front clipped a small part of Southeast Tennessee producing some wind damage across the region.","A few trees were reported down near the 3700 block of Bonny Oaks Drive." +113698,680578,TENNESSEE,2017,March,Hail,"ROANE",2017-03-21 17:45:00,EST-5,2017-03-21 17:45:00,0,0,0,0,,NaN,,NaN,35.87,-84.44,35.87,-84.44,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Golf ball size hail was reported along Buttermilk Road." +112920,675071,IOWA,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-06 19:18:00,CST-6,2017-03-06 19:18:00,0,0,0,0,10.00K,10000,0.00K,0,42.41,-92.94,42.41,-92.94,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported two utility poles downed about a quarter miles east and south of E Ave. This is a delayed reported and time estimated by radar." +112844,675932,MISSOURI,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-06 23:04:00,CST-6,2017-03-06 23:04:00,0,0,0,0,50.00K,50000,0.00K,0,37.04,-93.29,37.04,-93.29,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Numerous reports were received of minor roof damage to homes, including one report of a roof blown off a home. There were numerous reports of trees blown down or damage across the county. Security camera video showed minor roof damage at a local school." +112920,675078,IOWA,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-06 19:17:00,CST-6,2017-03-06 19:17:00,0,0,0,0,20.00K,20000,0.00K,0,42.407,-92.9446,42.407,-92.9446,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported power poles down and a cattle building damaged near D35 and T19." +113151,681313,MISSOURI,2017,March,Hail,"OZARK",2017-03-29 19:08:00,CST-6,2017-03-29 19:08:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-92.72,36.58,-92.72,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Quarter size hail was reported on social media." +114433,686198,NORTH CAROLINA,2017,March,Cold/Wind Chill,"CABARRUS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686199,NORTH CAROLINA,2017,March,Cold/Wind Chill,"CATAWBA",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686200,NORTH CAROLINA,2017,March,Cold/Wind Chill,"CLEVELAND",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686201,NORTH CAROLINA,2017,March,Cold/Wind Chill,"DAVIE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686202,NORTH CAROLINA,2017,March,Cold/Wind Chill,"EASTERN MCDOWELL",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +115832,696199,ARKANSAS,2017,April,Flood,"WOODRUFF",2017-04-01 00:00:00,CST-6,2017-04-10 07:55:00,0,0,0,0,0.00K,0,0.00K,0,35.2965,-91.4167,35.2714,-91.4114,"Heavy rain in March led to flooding which continue into April 2017.","Flooding was noted on the White River at Augusta after heavy rain fell. The flooding continued from March." +115839,696200,ARKANSAS,2017,April,Flood,"WOODRUFF",2017-04-23 14:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.2936,-91.4196,35.2667,-91.422,"Heavy rain brought flooding to Augusta on 4/23/17 and it continued into May.","Flooding was noted on the White River at Augusta after heavy rain fell. The flooding began on 4/23/17." +115920,696521,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MARQUETTE TO MUNISING MI",2017-04-10 02:12:00,EST-5,2017-04-10 02:17:00,0,0,0,0,0.00K,0,0.00K,0,46.55,-87.38,46.55,-87.38,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Marquette Coast Guard station measured a peak thunderstorm wind gust of 40 mph." +115920,696522,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MARQUETTE TO MUNISING MI",2017-04-10 02:52:00,EST-5,2017-04-10 02:57:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.66,46.42,-86.66,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Munising ASOS measured a peak thunderstorm wind gust of 40 mph." +115920,696523,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-04-10 02:52:00,EST-5,2017-04-10 02:57:00,0,0,0,0,0.00K,0,0.00K,0,46.4105,-86.6469,46.4105,-86.6469,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Munising ASOS measured a peak thunderstorm wind gust of 40 mph." +115920,696524,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-04-10 03:37:00,EST-5,2017-04-10 03:42:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The GLOS station at Grand Marais measured a peak thunderstorm wind gust of 42 mph." +115827,696201,ARKANSAS,2017,April,Flood,"SALINE",2017-04-30 05:43:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.5548,-92.6245,34.5489,-92.6236,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the Saline River at Benton after heavy rain fell. The flooding began early on 4/30/17." +115784,695843,DELAWARE,2017,June,Thunderstorm Wind,"NEW CASTLE",2017-06-24 06:01:00,EST-5,2017-06-24 06:01:00,0,0,0,0,,NaN,,NaN,39.59,-75.71,39.59,-75.71,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","Numerous trees and power lines were down along Porter road and in the Hickory Woods area." +115786,696263,PENNSYLVANIA,2017,June,Flash Flood,"PHILADELPHIA",2017-06-24 08:45:00,EST-5,2017-06-24 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.051,-75.0338,40.0499,-75.0335,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","The gauge at pennypack creek in philadelphia reached flood stage at 945 am." +115541,697212,PENNSYLVANIA,2017,June,Excessive Heat,"LOWER BUCKS",2017-06-13 12:00:00,EST-5,2017-06-13 21:00:00,7,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Schools closed early due to hot weather. No injuries or deaths attm.","Seven spectators at the Central Bucks South High School graduation in Warrington, PA were treated at the scene for heat-related stress. Nearby observations from Doylestown, PA indicated a high temperature of 94 degrees, while heat indices during the afternoon hovered between 96 and 99 degrees for several hours. Prior to the graduation, students' families were given the option to watch the graduation in the high school gym or at home using an online stream or cable TV. In addition, bottled water was handed out to each of the students." +115661,698588,NEW JERSEY,2017,June,Strong Wind,"MIDDLESEX",2017-06-19 11:00:00,EST-5,2017-06-19 11:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree taken down due to wind on a car." +116168,699922,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 16:51:00,CST-6,2017-05-17 16:51:00,0,0,0,0,0.00K,0,0.00K,0,42.4699,-92.4157,42.4699,-92.4157,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A 65 mph wind gust was recorded at a home weather station." +116168,699923,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:12:00,CST-6,2017-05-17 16:12:00,0,0,0,0,2.00K,2000,0.00K,0,42.0412,-92.943,42.0412,-92.943,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A 3 foot diameter tree was uprooted." +116168,699924,IOWA,2017,May,Thunderstorm Wind,"ADAIR",2017-05-17 14:35:00,CST-6,2017-05-17 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,41.2009,-94.4133,41.2009,-94.4133,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Strong winds to 60 mph estimated with tree limbs down in town." +115222,699937,IOWA,2017,May,Flood,"EMMET",2017-05-23 19:45:00,CST-6,2017-05-24 16:15:00,0,0,0,0,20.00K,20000,50.00K,50000,43.26,-94.83,43.26,-94.71,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The Des Moines River at Estherville crested at 8.01 feet on 24 May 2017 at 02:45 UTC." +114517,686734,TEXAS,2017,May,Hail,"BURLESON",2017-05-03 17:29:00,CST-6,2017-05-03 17:29:00,0,0,0,0,0.00K,0,0.00K,0,30.45,-96.52,30.45,-96.52,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Quarter sized hail was reported." +114517,686736,TEXAS,2017,May,Hail,"BURLESON",2017-05-03 17:50:00,CST-6,2017-05-03 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.3864,-96.5618,30.3864,-96.5618,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Quarter sized hail was reported." +116661,701421,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-25 11:58:00,EST-5,2017-05-25 11:58:00,0,0,0,0,2.00K,2000,0.00K,0,36.07,-79.1,36.07,-79.1,"Numerous showers and thunderstorms developed in the wake of a surface cold front and ahead of an upper level trough approaching Central North Carolina. Increasing mid-level cold advection, steep low-level lapse rates and a strong mid-level jet resulted in a few of the thunderstorms becoming severe, producing large hail and isolated damaging winds.","A tree was blown down onto power lines off Highway 70 in Hillsborough." +116661,701422,NORTH CAROLINA,2017,May,Hail,"NASH",2017-05-25 15:45:00,EST-5,2017-05-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-77.83,35.86,-77.83,"Numerous showers and thunderstorms developed in the wake of a surface cold front and ahead of an upper level trough approaching Central North Carolina. Increasing mid-level cold advection, steep low-level lapse rates and a strong mid-level jet resulted in a few of the thunderstorms becoming severe, producing large hail and isolated damaging winds.","" +116002,701424,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:00:00,EST-5,2017-05-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7714,-79.8364,35.7714,-79.8364,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Pine View Road near Lazy Pine Road." +116002,701425,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:08:00,EST-5,2017-05-05 02:08:00,0,0,0,0,0.00K,0,0.00K,0,35.7557,-79.7847,35.7557,-79.7847,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down near the intersection of Gold Hill Road and Old Liberty Road." +116002,701426,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:12:00,EST-5,2017-05-05 02:12:00,0,0,0,0,5.00K,5000,0.00K,0,35.6971,-79.8143,35.6971,-79.8143,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees and power lines were reported down near the intersection of Cox Street and Main Street." +116002,701430,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-05 02:04:00,EST-5,2017-05-05 02:04:00,0,0,0,0,1.00K,1000,0.00K,0,35.3886,-79.7701,35.3886,-79.7701,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Two trees were reported down on Cotton Creek Road." +116002,701431,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:06:00,EST-5,2017-05-05 02:06:00,0,0,0,0,0.00K,0,0.00K,0,35.8357,-79.7969,35.8357,-79.7969,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on New Salem Road near Business Highway 220." +115147,691904,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 13:05:00,EST-5,2017-04-06 13:05:00,0,0,0,0,,NaN,,NaN,38.9397,-76.7419,38.9397,-76.7419,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 59 mph were reported near Bowie." +115147,691905,MARYLAND,2017,April,Thunderstorm Wind,"ANNE ARUNDEL",2017-04-06 13:32:00,EST-5,2017-04-06 13:32:00,0,0,0,0,,NaN,,NaN,39.1795,-76.6698,39.1795,-76.6698,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 58 mph was reported at the Baltimore Washington International Airport." +115147,691906,MARYLAND,2017,April,Thunderstorm Wind,"BALTIMORE",2017-04-06 13:40:00,EST-5,2017-04-06 13:40:00,0,0,0,0,,NaN,,NaN,39.3876,-76.4355,39.3876,-76.4355,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 66 mph reported near White Marsh." +115147,691907,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 13:51:00,EST-5,2017-04-06 13:51:00,0,0,0,0,,NaN,,NaN,39.35,-76.28,39.35,-76.28,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 64 mph was reported along the Aberdeen Proving Ground." +115147,691909,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 14:06:00,EST-5,2017-04-06 14:06:00,0,0,0,0,,NaN,,NaN,39.4736,-76.1699,39.4736,-76.1699,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 59 mph was reported near Perryman." +115246,691916,VIRGINIA,2017,April,Hail,"ROCKINGHAM",2017-04-20 15:55:00,EST-5,2017-04-20 15:55:00,0,0,0,0,,NaN,,NaN,38.68,-78.76,38.68,-78.76,"High pressure was centered to the south and this allowed warm and moist air to move into the area. An isolated thunderstorm became severe due to the unstable atmosphere.","Quarter sized hail was reported." +113323,680962,OKLAHOMA,2017,March,Thunderstorm Wind,"TULSA",2017-03-06 22:43:00,CST-6,2017-03-06 22:43:00,0,0,0,0,5.00K,5000,0.00K,0,36.1403,-95.9758,36.1403,-95.9758,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew down a tree onto a vehicle." +113323,680964,OKLAHOMA,2017,March,Thunderstorm Wind,"MAYES",2017-03-06 22:45:00,CST-6,2017-03-06 22:45:00,0,0,0,0,15.00K,15000,0.00K,0,36.3816,-95.0478,36.3816,-95.0478,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged boat docks on Spavinaw Lake. Two docks were flipped, and several others had roof damage." +113323,680967,OKLAHOMA,2017,March,Thunderstorm Wind,"OKMULGEE",2017-03-06 22:51:00,CST-6,2017-03-06 22:51:00,0,0,0,0,2.00K,2000,0.00K,0,35.82,-95.91,35.82,-95.91,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew shingles off of the roof of a home, and damaged the siding of homes." +113327,680988,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-09 18:43:00,CST-6,2017-03-09 18:43:00,0,0,0,0,15.00K,15000,0.00K,0,36.6937,-94.9521,36.6937,-94.9521,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113542,682457,MINNESOTA,2017,March,Thunderstorm Wind,"OLMSTED",2017-03-06 18:26:00,CST-6,2017-03-06 18:26:00,0,0,0,0,10.00K,10000,0.00K,0,44.18,-92.64,44.18,-92.64,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Large trees were blown down and pole building roofs were damaged near Pine Island." +113542,682467,MINNESOTA,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-06 20:31:00,CST-6,2017-03-06 20:31:00,0,0,0,0,25.00K,25000,0.00K,0,43.73,-91.32,43.73,-91.32,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Two outbuildings were destroyed, other buildings were damaged and several large trees were snapped southeast of Hokah." +113542,682468,MINNESOTA,2017,March,Thunderstorm Wind,"OLMSTED",2017-03-06 18:30:00,CST-6,2017-03-06 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.17,-92.67,44.17,-92.67,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","A small portion of a roof was removed from a house and a tree was blown down near Pine Island." +113542,682470,MINNESOTA,2017,March,Hail,"OLMSTED",2017-03-06 18:29:00,CST-6,2017-03-06 18:29:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-92.51,44.14,-92.51,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","" +113542,683114,MINNESOTA,2017,March,Hail,"MOWER",2017-03-06 19:12:00,CST-6,2017-03-06 19:12:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-92.51,43.51,-92.51,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","" +114641,687618,TEXAS,2017,March,High Wind,"POTTER",2017-03-24 13:44:00,CST-6,2017-03-24 14:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687619,TEXAS,2017,March,High Wind,"RANDALL",2017-03-24 13:44:00,CST-6,2017-03-24 14:44:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","NWS Employee 4 SSW Amarillo reported privacy fence was blown down at 3 PM CST." +114641,687620,TEXAS,2017,March,High Wind,"CARSON",2017-03-24 13:44:00,CST-6,2017-03-24 14:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687621,TEXAS,2017,March,High Wind,"GRAY",2017-03-24 14:44:00,CST-6,2017-03-24 15:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687622,TEXAS,2017,March,High Wind,"DEAF SMITH",2017-03-24 12:44:00,CST-6,2017-03-24 13:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114641,687623,TEXAS,2017,March,High Wind,"ARMSTRONG",2017-03-24 14:44:00,CST-6,2017-03-24 15:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +121091,725082,MISSOURI,2017,December,Hail,"ADAIR",2017-12-04 16:09:00,CST-6,2017-12-04 16:11:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-92.53,40.17,-92.53,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","" +114725,688179,ILLINOIS,2017,March,Hail,"DE KALB",2017-03-07 00:41:00,CST-6,2017-03-07 00:41:00,0,0,0,0,0.00K,0,0.00K,0,41.9342,-88.7685,41.9342,-88.7685,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688180,ILLINOIS,2017,March,Thunderstorm Wind,"DE KALB",2017-03-07 00:45:00,CST-6,2017-03-07 00:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.6387,-88.615,41.6387,-88.615,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","Power poles were blown down by the high school. A home weather station observed a wind gust of 73 mph." +114725,688181,ILLINOIS,2017,March,Hail,"DE KALB",2017-03-07 00:41:00,CST-6,2017-03-07 00:41:00,0,0,0,0,0.00K,0,0.00K,0,41.9899,-88.6952,41.9899,-88.6952,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688184,ILLINOIS,2017,March,Thunderstorm Wind,"LIVINGSTON",2017-03-07 00:55:00,CST-6,2017-03-07 00:55:00,0,0,0,0,0.00K,0,0.00K,0,40.9219,-88.6239,40.9219,-88.6239,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688185,ILLINOIS,2017,March,Thunderstorm Wind,"LIVINGSTON",2017-03-07 01:06:00,CST-6,2017-03-07 01:06:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-88.31,41.02,-88.31,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","A large pine tree was blown down." +115200,694747,OKLAHOMA,2017,May,Thunderstorm Wind,"COTTON",2017-05-18 17:10:00,CST-6,2017-05-18 17:10:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-98.38,34.36,-98.38,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694748,OKLAHOMA,2017,May,Thunderstorm Wind,"COTTON",2017-05-18 17:15:00,CST-6,2017-05-18 17:15:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-98.36,34.4,-98.36,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +114777,688439,SOUTH DAKOTA,2017,March,High Wind,"HYDE",2017-03-07 14:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688440,SOUTH DAKOTA,2017,March,High Wind,"HAND",2017-03-07 14:30:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +115200,694749,OKLAHOMA,2017,May,Hail,"POTTAWATOMIE",2017-05-18 17:16:00,CST-6,2017-05-18 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-97.09,35.44,-97.09,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694750,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-18 17:16:00,CST-6,2017-05-18 17:16:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-99.38,36.42,-99.38,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +114777,688442,SOUTH DAKOTA,2017,March,High Wind,"BUFFALO",2017-03-07 14:30:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688445,SOUTH DAKOTA,2017,March,High Wind,"BROWN",2017-03-07 14:28:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688446,SOUTH DAKOTA,2017,March,High Wind,"SPINK",2017-03-07 14:30:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688450,SOUTH DAKOTA,2017,March,High Wind,"MARSHALL",2017-03-07 11:59:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688451,SOUTH DAKOTA,2017,March,High Wind,"DAY",2017-03-07 14:34:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114818,688690,TEXAS,2017,March,Hail,"POTTER",2017-03-28 10:40:00,CST-6,2017-03-28 10:40:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-101.9,35.23,-101.9,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114818,688691,TEXAS,2017,March,Hail,"POTTER",2017-03-28 10:43:00,CST-6,2017-03-28 10:43:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-101.84,35.19,-101.84,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114818,688692,TEXAS,2017,March,Hail,"MOORE",2017-03-28 11:25:00,CST-6,2017-03-28 11:25:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.96,35.64,-101.96,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","Heavy nickel sized hail along with torrential rain and zero visibility fog." +114525,686765,ILLINOIS,2017,March,Tornado,"MASON",2017-03-06 23:52:00,CST-6,2017-03-06 23:57:00,0,0,0,0,150.00K,150000,0.00K,0,40.2633,-89.8563,40.3177,-89.7497,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tornado touched down 2.2 miles north-northwest of Easton at 11:52 PM CST. The tornado tracked northeastward, hitting a homestead 2.5 miles north of Easton where a machine shed was severely damaged, with most of its roof removed and part of the north wall bowed out. From here to the end of the track, most of the damage was to power poles or overturned irrigation rigs: however, a farm along County Road 2930E received damage as well. A grain silo had half its peaked roof cave in, and part of a machine shed had a couple smaller wall pieces blown out. The tornado dissipated 5.5 miles southeast of Forest City at 11:57 PM CST." +114525,686796,ILLINOIS,2017,March,Thunderstorm Wind,"PEORIA",2017-03-07 00:01:00,CST-6,2017-03-07 00:06:00,0,0,0,0,50.00K,50000,0.00K,0,40.91,-89.53,40.91,-89.53,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Several power poles were blown down along Krause Road between Cloverdale and Spillman Roads." +114525,686808,ILLINOIS,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-07 00:01:00,CST-6,2017-03-07 00:06:00,0,0,0,0,120.00K,120000,0.00K,0,41.11,-89.44,41.11,-89.44,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A 2-story barn was destroyed, a cob shed was blown down, and a 4-foot diameter tree was snapped. Several power poles and power lines were blown down as well." +114129,686380,WASHINGTON,2017,March,Flood,"STEVENS",2017-03-12 16:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,1.60M,1600000,0.00K,0,48.0601,-117.4493,48.9737,-117.4548,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","Periods of heavy rain and snow melt produces numerous road closures due to flooding and debris flows in Stevens County through the second half of March. Extensive flooding of fields near the Colville River occurred. The fire station at Hunters was closed due to flooding. Near Northport a lane of flooded road collapsed under a driver, who escaped unharmed. The most notable road closure was Highway 395 near Colville which is a major route through the county. This road remained closed through the end of the month with extensive repairs needed which could not be started until soil conditions dried out.||Stevens county was included in a Washington State State of Emergency declaration as a result of the damage caused by this episode." +116568,700939,OHIO,2017,May,Hail,"GEAUGA",2017-05-28 16:15:00,EST-5,2017-05-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-81.33,41.38,-81.33,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Nickel sized hail was observed." +116525,700777,OHIO,2017,May,Hail,"WAYNE",2017-05-18 20:19:00,EST-5,2017-05-18 20:19:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-81.88,40.98,-81.88,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Quarter sized hail was observed." +116525,700778,OHIO,2017,May,Hail,"CRAWFORD",2017-05-18 20:29:00,EST-5,2017-05-18 20:32:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-82.98,40.8,-82.98,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Quarter size hail was observed." +116525,700779,OHIO,2017,May,Hail,"CRAWFORD",2017-05-18 20:27:00,EST-5,2017-05-18 20:27:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-82.98,40.8,-82.98,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Nickel sized hail was observed." +116525,700781,OHIO,2017,May,Hail,"WAYNE",2017-05-18 20:30:00,EST-5,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-81.78,40.97,-81.78,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Nickel sized hail was observed." +116536,700785,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-18 19:50:00,EST-5,2017-05-18 19:50:00,0,0,0,0,30.00K,30000,0.00K,0,41.6593,-80.2921,41.6632,-80.274,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Thunderstorm downburst winds estimated at 70 mph downed at least a dozen trees along Gibson and McCarthy Roads just northeast of Conneaut Lake." +116568,700942,OHIO,2017,May,Hail,"CUYAHOGA",2017-05-28 17:07:00,EST-5,2017-05-28 17:07:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-81.85,41.37,-81.85,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Nickel sized hail was observed." +116568,700943,OHIO,2017,May,Hail,"CUYAHOGA",2017-05-28 17:00:00,EST-5,2017-05-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-81.67,41.37,-81.67,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Quarter sized hail was observed." +116568,700944,OHIO,2017,May,Thunderstorm Wind,"SUMMIT",2017-05-28 17:38:00,EST-5,2017-05-28 17:38:00,0,0,0,0,3.00K,3000,0.00K,0,41.25,-81.43,41.25,-81.43,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Thunderstorm winds downed at least two trees." +116568,700948,OHIO,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-28 19:05:00,EST-5,2017-05-28 19:05:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-82.93,40.95,-82.93,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Thunderstorm winds downed at least two trees." +116973,703479,OKLAHOMA,2017,May,Flood,"LE FLORE",2017-05-20 10:30:00,CST-6,2017-05-22 06:45:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-94.65,35.28,-94.44,"Several rounds of organized heavy rainfall occurred across much of eastern Oklahoma during the period from May 18th through the 20th. Widespread rainfall amounts of two to six inches occurred with up to nine inches falling in some areas. The excessive rainfall resulted in moderate river flooding in the Lower Arkansas River Basin and the Canadian River Basin.","The Poteau River near Panama rose above its flood stage of 29 feet at 11:30 am CDT on May 20th. The river crested at 33.19 feet at 11:15 am on the 21st, resulting in moderate flooding. The river fell below flood stage at 7:45 am CDT on the 22nd." +116974,703477,ARKANSAS,2017,May,Flood,"CRAWFORD",2017-05-20 04:45:00,CST-6,2017-05-22 04:45:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-94.31,35.4092,-94.3369,"Several rounds of organized heavy rainfall occurred across much of northwestern Arkansas and eastern Oklahoma during the period from May 18th through the 20th. Widespread rainfall amounts of two to six inches occurred across the region. The excessive rainfall resulted in moderate river flooding in the Lower Arkansas River Basin.","The Arkansas River near Van Buren rose above its flood stage of 22 feet at 5:45 am CDT on May 20th. The river crested at 26.32 feet at 1:45 am CDT on the 21st, resulting in moderate flooding. The river fell below flood stage at 5:45 am CDT on the 22nd." +116973,703478,OKLAHOMA,2017,May,Flood,"ADAIR",2017-05-20 14:00:00,CST-6,2017-05-21 04:00:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-94.57,36.12,-94.61,"Several rounds of organized heavy rainfall occurred across much of eastern Oklahoma during the period from May 18th through the 20th. Widespread rainfall amounts of two to six inches occurred with up to nine inches falling in some areas. The excessive rainfall resulted in moderate river flooding in the Lower Arkansas River Basin and the Canadian River Basin.","The Illinois River near Watts rose above its flood stage of 13 feet at 3:00 pm CDT on May 20th. The river crested at 17.32 feet at 10:00 pm CDT on the 20th, resulting in moderate flooding. The river fell below flood stage at 5:00 am CDT on the 21st." +116973,703480,OKLAHOMA,2017,May,Flood,"OKMULGEE",2017-05-20 00:45:00,CST-6,2017-05-25 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-96.15,35.69,-96.16,"Several rounds of organized heavy rainfall occurred across much of eastern Oklahoma during the period from May 18th through the 20th. Widespread rainfall amounts of two to six inches occurred with up to nine inches falling in some areas. The excessive rainfall resulted in moderate river flooding in the Lower Arkansas River Basin and the Canadian River Basin.","The Deep Fork River near Beggs rose above its flood stage of 18 feet at 1:45 am CDT on May 20th. The river crested at 23.30 feet at 9:00 pm CDT on the 21st, resulting in moderate flooding. The river fell below flood stage at 3:00 am CDT on the 25th." +116147,703979,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-27 19:57:00,CST-6,2017-05-27 19:57:00,0,0,0,0,0.00K,0,0.00K,0,36.1043,-96.117,36.1043,-96.117,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116245,698875,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-30 18:27:00,EST-5,2017-06-30 18:27:00,0,0,0,0,,NaN,,NaN,40.49,-75.81,40.49,-75.81,"A severe thunderstorm moves through Berks county PA.","Wind damage to several barns and farm structures crystal cave, schiery, sharidin and oakhaven roads." +114736,702198,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 17:06:00,CST-6,2017-05-18 17:07:00,0,0,0,0,,NaN,,NaN,38.94,-96.45,38.94,-96.45,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702199,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 17:10:00,CST-6,2017-05-18 17:11:00,0,0,0,0,,NaN,,NaN,38.86,-96.49,38.86,-96.49,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","The report was time estimated via radar." +114736,702200,KANSAS,2017,May,Hail,"DICKINSON",2017-05-18 17:11:00,CST-6,2017-05-18 17:12:00,0,0,0,0,,NaN,,NaN,38.92,-97.21,38.92,-97.21,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Nickel to quarter size hail was reported." +114736,702201,KANSAS,2017,May,Thunderstorm Wind,"DICKINSON",2017-05-18 17:11:00,CST-6,2017-05-18 17:12:00,0,0,0,0,,NaN,,NaN,38.9,-97.12,38.9,-97.12,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Reports of at least one 60 mph wind gust." +114736,702204,KANSAS,2017,May,Thunderstorm Wind,"DICKINSON",2017-05-18 17:15:00,CST-6,2017-05-18 17:16:00,0,0,0,0,,NaN,,NaN,38.94,-97.05,38.94,-97.05,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Shingles were torn off of a hours along with 8-10 inch diameter limbs blown down. A tin roof was also torn off a shed." +114736,702205,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 17:39:00,CST-6,2017-05-18 17:40:00,0,0,0,0,,NaN,,NaN,39.06,-96.1,39.06,-96.1,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +116584,701093,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-19 18:24:00,EST-5,2017-05-19 18:24:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 38 knots was reported at Lewisetta." +116584,701094,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-19 18:54:00,EST-5,2017-05-19 19:00:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","Wind gusts up to 40 knots were reported at Bishops Head." +116584,701095,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-19 19:04:00,EST-5,2017-05-19 19:04:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust of 36 knots was reported at Raccoon Point." +116584,701096,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-19 18:33:00,EST-5,2017-05-19 18:54:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","Wind gusts up to 40 knots were reported at Annapolis." +116584,701098,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-19 18:50:00,EST-5,2017-05-19 19:10:00,0,0,0,0,,NaN,,NaN,38.92,-76.36,38.92,-76.36,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust in excess of 30 knots was reported at Kent Island." +116584,701099,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-19 18:51:00,EST-5,2017-05-19 18:51:00,0,0,0,0,,NaN,,NaN,39.01,-76.4,39.01,-76.4,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust in excess of 30 knots was reported at Sandy Point." +116584,701100,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-19 18:46:00,EST-5,2017-05-19 18:46:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","A wind gust in excess of 30 knots was reported at Herring Bay." +117505,706684,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 15:40:00,EST-5,2017-05-25 15:42:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts of 35 to 36 knots were reported." +114736,702207,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 17:45:00,CST-6,2017-05-18 17:46:00,0,0,0,0,,NaN,,NaN,39.09,-96.03,39.09,-96.03,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +115008,690101,MICHIGAN,2017,March,Winter Weather,"BARAGA",2017-03-08 01:00:00,EST-5,2017-03-08 21:00:00,0,5,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the region generated lake effect snow and blowing snow on the 8th for portions of northwest Upper Michigan.","The combination of three to four inches of lake effect snow and west winds gusting as high as 50 mph resulted in occasional whiteout conditions at several locations throughout the county. ||The harsh winter weather and whiteout conditions led to a three vehicle accident on Highway US-41 by Canyon Falls at around 8:30 pm EST. According to the Baraga County Sheriff's Department, two cars hit head-on and then one of the cars was hit by a semi-truck. One of the drivers had to be extricated from the car by the jaws of life and sustained several spinal cord injuries. Two children also sustained spinal cord injuries and were eventually air-lifted to the University Hospital in Ann Arbor the next afternoon. The driver of the other car and a passenger in his vehicle sought their own medical treatment, and the driver of the semi-truck driver was uninjured." +115008,690127,MICHIGAN,2017,March,Winter Weather,"NORTHERN HOUGHTON",2017-03-08 00:00:00,EST-5,2017-03-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the region generated lake effect snow and blowing snow on the 8th for portions of northwest Upper Michigan.","One to three inches of lake effect snow combined with west winds gusting as high as 55 mph to produce occasional whiteout conditions across the county, especially for exposed locations along Highways US-41 and M-26." +115008,690130,MICHIGAN,2017,March,Winter Weather,"KEWEENAW",2017-03-08 00:00:00,EST-5,2017-03-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving through the region generated lake effect snow and blowing snow on the 8th for portions of northwest Upper Michigan.","One to three inches of lake effect snow combined with west winds gusting as high as 55 mph to produce occasional whiteout conditions across the county, especially for exposed locations along Highways US-41 and M-26." +113785,681220,WYOMING,2017,March,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-03-08 23:00:00,MST-7,2017-03-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple of Pacific cold fronts combined with favorable jet dynamics to produce heavy snowfall across portions of the western mountains. The highest amounts fell in the Tetons and Absarokas, where the Jackson Hole Ski Resort and Blackwater SNOTEL reported 16 inches of new snow respectively. Heavy snow also fell in Yellowstone Park, where 12 inches of snow was reported at Parker Peak. Meanwhile, a tight pressure gradient and mixing of strong winds aloft to the surface brought high winds to portions of central Wyoming. The strongest winds were in the Green and Rattlesnake Range, where a prolonged period of high wind occurred with a maximum gust of 87 mph.","The ski patrol at Jackson Hole Ski Resort measured from 12 to 16 inches of new snow." +113755,684003,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:54:00,CST-6,2017-03-26 18:54:00,0,0,0,0,300.00K,300000,0.00K,0,33.12,-97.18,33.12,-97.18,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","An amateur radio report indicated baseball sized hail in the city of Argyle." +113755,683993,TEXAS,2017,March,Hail,"DENTON",2017-03-26 17:35:00,CST-6,2017-03-26 17:35:00,0,0,0,0,400.00K,400000,0.00K,0,33.1143,-97.2578,33.1143,-97.2578,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported baseball sized hail near the community of Northlake." +113755,683994,TEXAS,2017,March,Hail,"WISE",2017-03-26 17:38:00,CST-6,2017-03-26 17:38:00,0,0,0,0,100.00K,100000,0.00K,0,33.17,-97.6,33.17,-97.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A trained spotter reported 2-inch diameter hail approximately 4 miles south of Decatur, TX." +113755,683997,TEXAS,2017,March,Hail,"WISE",2017-03-26 18:10:00,CST-6,2017-03-26 18:10:00,0,0,0,0,75.00K,75000,0.00K,0,33.23,-97.6,33.23,-97.6,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A social media report indicated 2-inch diameter hail in the town of Decatur." +113755,684338,TEXAS,2017,March,Thunderstorm Wind,"DENTON",2017-03-26 18:55:00,CST-6,2017-03-26 18:55:00,0,0,0,0,400.00K,400000,0.00K,0,33.12,-97.18,33.12,-97.18,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported that baseball sized hail was knocking out car windows in the city of Argyle, TX. The hail was wind driven by severe thunderstorm winds." +113755,684004,TEXAS,2017,March,Hail,"DENTON",2017-03-26 18:59:00,CST-6,2017-03-26 18:59:00,0,0,0,0,500.00K,500000,0.00K,0,33.1,-97.13,33.1,-97.13,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","Amateur radio reported baseball sized hail in the city of Lantana." +113755,684005,TEXAS,2017,March,Hail,"DENTON",2017-03-26 19:00:00,CST-6,2017-03-26 19:00:00,0,0,0,0,250.00K,250000,0.00K,0,33.18,-97.3,33.18,-97.3,"An upper level trough, dryline and Pacific cold front all combined to produce a round of severe thunderstorms, with large hail being the primary severe weather element to affect the region.","A delayed social media report indicated 2 inch diameter hail in the city of Ponder, TX." +113212,690331,GEORGIA,2017,March,Drought,"TOWNS",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684604,GEORGIA,2017,March,Winter Weather,"GILMER",2017-03-11 22:00:00,EST-5,2017-03-12 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","A report was received on social media of 1 inch of snow on grassy surfaces in Cherry Log." +113212,690349,GEORGIA,2017,March,Drought,"FORSYTH",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114273,684700,GEORGIA,2017,March,Tornado,"MURRAY",2017-03-01 16:27:00,EST-5,2017-03-01 16:31:00,0,0,0,0,100.00K,100000,,NaN,34.7755,-84.8207,34.7756,-84.7699,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","A National Weather Service survey team found that an EF-1 tornado with peak winds of 85 to 90 MPH traveled just under 3 miles across northern Chatsworth in Murray County. The tornado touched down just east of Highway 225 destroying a barn on Dogwood Circle. The tornado continued moving east striking a tractor-trailer storage facility along Lowy Road where it overturned a trailer and snapped or uprooted numerous trees. Continuing east, the tornado struck an industrial building at the intersection of Highland Road and Treadwell Road, peeling back a large section of the roof. An apartment complex across Treadwell Road suffered significant shingle damage and some minor structural damage to the roof. The tornado continued moving east snapping or uprooting trees along Keller Drive and then hit Murray County High School at Green Road and Old Dalton Ellijay Road. The tornado caused significant damage to the baseball fields blowing down a fence and a cinderblock wall and throwing a portion of the bleachers onto the field. The press box also sustained damage. The tornado continued east along West Chestnut Street uprooting and snapping trees, blowing a fence down and collapsing a carport onto a car and a house before dissipating as it reached Highway 411, or North 3rd Avenue. [03/01/17: Tornado #1, County #1/1, EF-1, Murray, 2017:030]." +114274,689130,GEORGIA,2017,March,Hail,"FAYETTE",2017-03-10 04:17:00,EST-5,2017-03-10 04:22:00,0,0,0,0,,NaN,,NaN,33.5132,-84.568,33.5132,-84.568,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The public reported quarter size hail off Westbourne Drive." +114274,689133,GEORGIA,2017,March,Thunderstorm Wind,"PAULDING",2017-03-10 03:40:00,EST-5,2017-03-10 03:50:00,0,0,0,0,4.00K,4000,,NaN,33.79,-84.81,33.79,-84.81,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The public reported several large trees blown down on Waterbury Way." +114274,689136,GEORGIA,2017,March,Thunderstorm Wind,"BUTTS",2017-03-10 04:48:00,EST-5,2017-03-10 04:55:00,0,0,0,0,2.00K,2000,,NaN,33.3976,-83.8975,33.3976,-83.8975,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Butts County 911 center reported a tree blown down onto power lines along Southern Shores Road." +113054,675889,NORTH DAKOTA,2017,March,High Wind,"STUTSMAN",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Jamestown ASOS reported a wind gust of 64 mph." +113054,675890,NORTH DAKOTA,2017,March,High Wind,"STARK",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Dickinson ASOS reported a wind gust of 65 mph." +113054,689185,NORTH DAKOTA,2017,March,Blizzard,"WARD",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113054,689198,NORTH DAKOTA,2017,March,Blizzard,"BURKE",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +114696,690549,PENNSYLVANIA,2017,March,Heavy Snow,"LACKAWANNA",2017-03-09 18:00:00,EST-5,2017-03-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked from the lower Ohio Valley during the evening of the 9th to well off the New Jersey coast by the afternoon of the 10th. Snow fell across parts of northeast Pennsylvania from the evening of the 9th to the afternoon of the 10th. Snowfall accumulations generally ranged from 6 to 8 inches in Lackawanna and Luzerne counties of northeast Pennsylvania.","Snowfall of 6 to 8 inches fell in Lackawanna and Luzerne Counties." +114696,690550,PENNSYLVANIA,2017,March,Heavy Snow,"LUZERNE",2017-03-09 18:00:00,EST-5,2017-03-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked from the lower Ohio Valley during the evening of the 9th to well off the New Jersey coast by the afternoon of the 10th. Snow fell across parts of northeast Pennsylvania from the evening of the 9th to the afternoon of the 10th. Snowfall accumulations generally ranged from 6 to 8 inches in Lackawanna and Luzerne counties of northeast Pennsylvania.","Snowfall of 6 to 8 inches fell in Lackawanna and Luzerne Counties." +115297,697061,ILLINOIS,2017,May,Flash Flood,"CRAWFORD",2017-05-06 13:30:00,CST-6,2017-05-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,38.885,-87.9455,38.8541,-87.9458,"Due to 6-day rainfall amounts of 5 to 7 inches, the Embarras River spilled out of its banks in many locations across Jasper and Crawford Counties. The river crested in moderate flood stage at 25.56 feet at Ste. Marie in Jasper County and at 21.3 feet at Oblong in Crawford County on May 6th. During this period of very high river levels, the Green Brier Levee located about 6 miles south of Oblong in southwest Crawford County was overtopped in 3 locations during the afternoon of May 6th. As a result, surrounding farmland and several rural roads were flooded. The flooding gradually subsided by the afternoon of May 8th.","The Green Brier Levee on the Embarras River in rural southwest Crawford County was breached in three locations during the afternoon of May 6th. Several rural roads along the river, between Green Brier and Landes were closed due to the flash flooding caused by the levee breach." +115728,703239,ILLINOIS,2017,May,Flash Flood,"MOULTRIE",2017-05-04 07:15:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7925,-88.6166,39.6539,-88.8102,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.75 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern and central Moultrie County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Illinois Route 32 was closed in spots, between Lovington and Sullivan, and near the Shelby County line. Illinois Route 121 was also inundated between Allenville and Coles." +113643,687155,INDIANA,2017,March,Hail,"MARION",2017-03-20 15:13:00,EST-5,2017-03-20 15:15:00,0,0,0,0,,NaN,0.00K,0,39.89,-86.1,39.89,-86.1,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687156,INDIANA,2017,March,Hail,"BOONE",2017-03-20 15:00:00,EST-5,2017-03-20 15:02:00,0,0,0,0,,NaN,0.00K,0,39.95,-86.26,39.95,-86.26,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687211,INDIANA,2017,March,Hail,"HAMILTON",2017-03-20 15:07:00,EST-5,2017-03-20 15:09:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-86.16,39.96,-86.16,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","This report was received via Twitter." +113643,687213,INDIANA,2017,March,Hail,"BOONE",2017-03-20 15:15:00,EST-5,2017-03-20 15:17:00,0,0,0,0,,NaN,0.00K,0,39.95,-86.29,39.95,-86.29,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","Heavy hail fell for 15 to 25 minutes. This report did not mention how long the severe hail fell for." +113643,687214,INDIANA,2017,March,Hail,"MARION",2017-03-20 15:20:00,EST-5,2017-03-20 15:22:00,0,0,0,0,,NaN,0.00K,0,39.89,-86.05,39.89,-86.05,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687215,INDIANA,2017,March,Hail,"MARION",2017-03-20 15:20:00,EST-5,2017-03-20 15:22:00,0,0,0,0,,NaN,0.00K,0,39.91,-86.13,39.91,-86.13,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687216,INDIANA,2017,March,Hail,"HANCOCK",2017-03-20 15:30:00,EST-5,2017-03-20 15:32:00,0,0,0,0,,NaN,0.00K,0,39.7977,-85.9339,39.7977,-85.9339,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687217,INDIANA,2017,March,Hail,"HAMILTON",2017-03-20 15:40:00,EST-5,2017-03-20 15:42:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-86.1,40.03,-86.1,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +113643,687218,INDIANA,2017,March,Hail,"RUSH",2017-03-20 16:02:00,EST-5,2017-03-20 16:04:00,0,0,0,0,,NaN,0.00K,0,39.61,-85.59,39.61,-85.59,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","" +114612,687363,TEXAS,2017,March,Thunderstorm Wind,"DEAF SMITH",2017-03-23 15:41:00,CST-6,2017-03-23 15:41:00,0,0,0,0,,NaN,,NaN,34.93,-102.81,34.93,-102.81,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Wind gust of 61 MPH measured at Schoolnet site at Walcott." +114612,687364,TEXAS,2017,March,Hail,"HARTLEY",2017-03-23 16:04:00,CST-6,2017-03-23 16:04:00,0,0,0,0,,NaN,,NaN,36.03,-102.52,36.03,-102.52,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Viewers reporting quarter size hail 2 miles south of Dalhart." +114612,687365,TEXAS,2017,March,Hail,"DEAF SMITH",2017-03-23 16:31:00,CST-6,2017-03-23 16:31:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-102.4,34.87,-102.4,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Nickel size hail reported a few miles north of Hereford on 385." +113323,680959,OKLAHOMA,2017,March,Thunderstorm Wind,"ROGERS",2017-03-06 22:42:00,CST-6,2017-03-06 22:42:00,0,0,0,0,1.00K,1000,0.00K,0,36.1515,-95.51,36.1515,-95.51,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged an outbuilding." +113327,681007,OKLAHOMA,2017,March,Hail,"LE FLORE",2017-03-09 22:58:00,CST-6,2017-03-09 22:58:00,0,0,0,0,0.00K,0,0.00K,0,35.0672,-94.6265,35.0672,-94.6265,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113151,681324,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-29 19:34:00,CST-6,2017-03-29 19:34:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-92.62,38.15,-92.62,"Several rounds of strong to severe thunderstorms produced reports of wind damage and large hail across the Missouri Ozarks. One storm produced a brief tornado in northeast Dent county. Heavy rainfall from storms led to some minor flooding.","Nickel size hail reported near the hospital in Osage Beach." +114273,684678,GEORGIA,2017,March,Hail,"CHATTOOGA",2017-03-01 16:45:00,EST-5,2017-03-01 16:52:00,0,0,0,0,,NaN,,NaN,34.4564,-85.2038,34.4564,-85.2038,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The public reported walnut size hail northwest of Floyd Springs." +113399,678522,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Stehekin reported 19 inches of new snow." +113399,678523,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Plain reported 14 inches of new snow." +119204,716593,ILLINOIS,2017,May,Thunderstorm Wind,"ST. CLAIR",2017-05-27 16:02:00,CST-6,2017-05-27 16:02:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-90.03,38.63,-90.03,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down several large tree limbs." +119397,716602,ILLINOIS,2017,May,Thunderstorm Wind,"MADISON",2017-05-29 15:55:00,CST-6,2017-05-29 15:55:00,0,0,0,0,0.00K,0,0.00K,0,38.6996,-90.155,38.72,-90.13,"Isolated severe storms developed across the St. Louis metro area.","Thunderstorm winds blew down several large tree limbs and power lines around town." +113399,678525,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Peshastin reported 7.6 inches of new snow." +113600,680028,NEW JERSEY,2017,February,High Wind,"EASTERN BERGEN",2017-02-13 08:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","A mesonet station in Englewood Cliffs measured sustained winds of 41 mph at 1239 pm. Another mesonet station located in Cliffside Park measured 40 mph sustained winds at 925 am. At 3 pm, a trained spotter reported a large tree was downed, which crushed the front half of a house. This occurred in the town of Saddle Brook on Saddle River Road and Rochelle Parkway. The ASOS at Teterboro Airport reported a wind gust up to 53 mph at 1204 pm." +113600,680029,NEW JERSEY,2017,February,Strong Wind,"WESTERN BERGEN",2017-02-13 10:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed to the east and rapidly deepened.","The public measured a wind gust up to 55 mph at 1127 am in Ramsey. Emergency managers in Franklin Lakes reported large branches were knocked down on a vehicle at 1050 am. The driver was ok." +113610,680094,NEW JERSEY,2017,February,Winter Storm,"EASTERN BERGEN",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A CoCoRaHS observer reported 9.4 inches of snow in Tenafly. Trained spotters also reported 6 to 8 inches of snowfall." +113610,680122,NEW JERSEY,2017,February,Winter Storm,"HUDSON",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A trained spotter reported 6 inches of snow in Harrison. Winds also gusted to 42 mph in Bayonne at 12:09 pm." +113610,680126,NEW JERSEY,2017,February,Winter Storm,"EASTERN ESSEX",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A trained spotter reported 6 inches of snowfall in nearby Harrison." +114390,685586,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-08 05:35:00,MST-7,2017-02-08 10:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 08/0655 MST." +114390,685588,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-06 14:00:00,MST-7,2017-02-06 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 06/1620 MST." +114390,685589,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 14:00:00,MST-7,2017-02-08 01:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 07/1450 MST." +114390,685590,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 20:40:00,MST-7,2017-02-09 21:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 09/2110 MST." +114390,685591,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 16:10:00,MST-7,2017-02-07 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 07/1645 MST." +114390,685592,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-07 22:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 08/0020 MST." +113908,682317,CALIFORNIA,2017,February,Heavy Rain,"MENDOCINO",2017-02-09 01:00:00,PST-8,2017-02-09 12:30:00,0,0,0,0,1.70M,1700000,0.00K,0,39.0475,-123.2625,39.0475,-123.2625,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Failed culverts, sinks, pushups, and slipouts along Highway 253 between Boonville and Ukiah." +113908,693372,CALIFORNIA,2017,February,High Wind,"COASTAL DEL NORTE",2017-02-05 18:00:00,PST-8,2017-02-05 18:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Wind gusts between 55 and 62 mph occurred from 6pm to 625pm at the Crescent City airport." +113908,693373,CALIFORNIA,2017,February,High Wind,"SOUTHWESTERN HUMBOLDT",2017-02-05 15:30:00,PST-8,2017-02-05 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Wind gusts between 50 and 60 mph occurred from 330pm to 630pm on Cooskie Mountain at 2945 ft elevation." +113908,693384,CALIFORNIA,2017,February,High Wind,"SOUTHWESTERN HUMBOLDT",2017-02-07 02:00:00,PST-8,2017-02-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Cooskie Mountain RAWS reported gusts between 55 and 70 mph from 2am to noon at 2945 ft elevation." +114390,685872,WYOMING,2017,February,High Wind,"SOUTH LARAMIE RANGE",2017-02-10 10:00:00,MST-7,2017-02-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The UPR sensor at Lynch measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 10/1255 MST." +114655,687702,NEBRASKA,2017,February,Winter Storm,"SOUTH SIOUX",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Ten to eighteen inches of snow was observed, heaviest near the Scotts Bluff County line." +114655,687701,NEBRASKA,2017,February,Winter Storm,"NORTH SIOUX",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to fifteen inches of snow was observed, heaviest at Montrose." +114655,687703,NEBRASKA,2017,February,Winter Storm,"DAWES",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to twelve inches of snow was observed countywide." +114655,687707,NEBRASKA,2017,February,Winter Storm,"BOX BUTTE",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","One to two feet of snow was observed countywide. The heaviest snow fell across southern Box Butte County. Alliance received 22 inches of snow." +113310,678122,ILLINOIS,2017,February,Tornado,"WOODFORD",2017-02-28 17:26:00,CST-6,2017-02-28 17:31:00,0,0,0,0,1.50M,1500000,0.00K,0,40.9128,-89.3609,40.924,-89.2983,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","A tornado touched down in an open field about 3.7 miles west of Washburn in extreme northern Woodford County at 5:26 PM CST. The tornado broke windows and did roof damage to a house and destroyed several outbuildings about a mile from its origin. The tornado rapidly widened to more than 1/4 mile across and increased in intensity to EF-3 as it destroyed a house about 2.5 miles west of Washburn. One mile to the east, the tornado tore the roof off a house before moving into Washburn. The tornado damaged 8 houses in town...doing significant damage to roofs, garages, automobiles, and trees before crossing into extreme southern Marshall County at 5:31 PM CST." +113171,677291,GEORGIA,2017,February,Drought,"CATOOSA",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677294,GEORGIA,2017,February,Drought,"BARTOW",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677263,GEORGIA,2017,February,Drought,"PAULDING",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677274,GEORGIA,2017,February,Drought,"HARALSON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677283,GEORGIA,2017,February,Drought,"DE KALB",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115551,693808,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:10:00,EST-5,2017-05-24 13:10:00,0,0,0,0,0.00K,0,0.00K,0,28.54,-80.57,28.54,-80.57,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 1008 measured a peak wind gust of 34 knots from the southwest as a strong storm moved offshore Brevard County." +115551,693809,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:22:00,EST-5,2017-05-24 13:22:00,0,0,0,0,0.00K,0,0.00K,0,28.05,-80.56,28.05,-80.56,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","Mesonet station DW284 measured a peak wind gust of 38 knots from the south-southwest as a strong storm moved offshore Brevard County into the Atlantic." +115551,693810,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:40:00,EST-5,2017-05-24 13:40:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 0032 measured a peak wind gust of 38 knots as a strong storm moved offshore Brevard County." +115551,693811,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 13:40:00,EST-5,2017-05-24 13:40:00,0,0,0,0,0.00K,0,0.00K,0,28.03,-80.54,28.03,-80.54,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","A mesonet site south of Indiatlantic measured a peak wind gust of 34 knots from the southwest as a strong storm moved east across the Brevard County coast." +115551,693813,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 15:20:00,EST-5,2017-05-24 15:20:00,0,0,0,0,0.00K,0,0.00K,0,28.57,-80.59,28.57,-80.59,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 0110 measured a peak wind gust of 36 knots as a strong storm moved offshore of Brevard County." +115883,696379,TEXAS,2017,May,Flash Flood,"ECTOR",2017-05-31 19:45:00,CST-6,2017-05-31 20:25:00,0,0,0,0,1.00K,1000,0.00K,0,31.9404,-102.4026,31.9424,-102.4032,"An upper trough was moving over the Pacific Northwest with an upper disturbance moving over West Texas. Very good moisture and instability were present across the area. These conditions resulted in thunderstorms developing and moving across West Texas with heavy rain and flash flooding due to slow storm motions.","Heavy rain fell across Ector County and produced flash flooding on the north end of Odessa. There was 12 to 18 inches of water at Andrews Highway and 91st Street making the road impassable. A car was stranded. The cost of damage is a very rough estimate." +114366,685317,OKLAHOMA,2017,May,Hail,"MCCURTAIN",2017-05-03 07:00:00,CST-6,2017-05-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-94.93,34.39,-94.93,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114533,686882,TEXAS,2017,May,Hail,"RED RIVER",2017-05-11 16:33:00,CST-6,2017-05-11 16:33:00,0,0,0,0,0.00K,0,0.00K,0,33.6616,-95.2669,33.6616,-95.2669,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Nickel size hail fell at the Detroit Superette Grocery Store." +114533,686883,TEXAS,2017,May,Funnel Cloud,"SMITH",2017-05-11 16:40:00,CST-6,2017-05-11 16:40:00,0,0,0,0,0.00K,0,0.00K,0,32.5491,-95.2709,32.5491,-95.2709,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","A trained spotter reported a funnel cloud north of the intersection of Farm to Market Road 14 and Farm to Market Road 16 in the Red Springs community. A NWS Storm Survey concluded that no damage occurred in this area." +114703,688004,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-20 21:55:00,CST-6,2017-05-20 21:55:00,0,0,0,0,0.00K,0,0.00K,0,32.3472,-93.7139,32.3472,-93.7139,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","A large limb exceeding two inches in diameter was blown down." +114703,688006,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-20 21:53:00,CST-6,2017-05-20 21:53:00,0,0,0,0,0.00K,0,0.00K,0,32.3039,-93.7458,32.3039,-93.7458,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Several trees were blown down along Interstate 49 near mile marker 194 near the bridge just south of the Caddo Parish line." +115178,691491,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-93.71,32.42,-93.71,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large tree branch snapped and was pushed through a bedroom window at a home in Southeast Shreveport." +115178,691704,LOUISIANA,2017,May,Thunderstorm Wind,"NATCHITOCHES",2017-05-28 18:55:00,CST-6,2017-05-28 18:55:00,0,0,0,0,0.00K,0,0.00K,0,31.7387,-93.0984,31.7387,-93.0984,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A 60 mph wind gust was recorded at the Natchitoches Regional Airport." +115236,702175,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 18:09:00,CST-6,2017-05-15 18:09:00,0,0,0,0,20.00K,20000,0.00K,0,43.1272,-91.7669,43.1272,-91.7669,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Significant wind damage occurred to a barn and shed southeast of Ossian." +116309,699289,ALABAMA,2017,May,Flash Flood,"JEFFERSON",2017-05-20 18:00:00,CST-6,2017-05-20 21:00:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-86.75,33.5214,-86.8304,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several water rescues performed by the Birmingham Fire Department along 1st Avenue North. Roadways flooded along Village Creek at Avenue W and Five Mile Creek at Ketona." +116309,699291,ALABAMA,2017,May,Flash Flood,"CHEROKEE",2017-05-20 18:00:00,CST-6,2017-05-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.257,-85.6161,34.2663,-85.5828,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several roads under water and impassable in the Cedar Bluff Community, including Boundary Avenue, Lawrence Street, and portions of County Road 75." +116309,702714,ALABAMA,2017,May,Flash Flood,"MONTGOMERY",2017-05-20 19:30:00,CST-6,2017-05-21 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3666,-86.3784,32.3093,-86.391,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several roods flooded around the city of Montgomery with cars submerged. Roads flooded include Coliseum Boulevard, Forest Park Drive, Perry Street, and the intersection of Highway 80 and Woodley Road." +114188,683922,MISSOURI,2017,March,Hail,"WAYNE",2017-03-09 18:15:00,CST-6,2017-03-09 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-90.55,36.97,-90.55,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Dime-size hail fell from this storm, which was the same storm that produced a tornado northwest and north of Poplar Bluff." +114188,683923,MISSOURI,2017,March,Hail,"STODDARD",2017-03-09 19:35:00,CST-6,2017-03-09 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-89.92,36.9,-89.92,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Quarter-size hail occurred on the northwest side of town." +114188,683924,MISSOURI,2017,March,Hail,"MISSISSIPPI",2017-03-09 20:30:00,CST-6,2017-03-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-89.38,36.78,-89.38,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114188,683939,MISSOURI,2017,March,Hail,"NEW MADRID",2017-03-09 20:10:00,CST-6,2017-03-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.6072,-89.53,36.6072,-89.53,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","" +114188,684369,MISSOURI,2017,March,Flood,"CARTER",2017-03-09 18:30:00,CST-6,2017-03-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9607,-90.7116,37.0476,-91.0725,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Nearly a foot of water was over U.S. Highway 60 at Ellsinore. Water was reported over a few roads in Van Buren and Ellsinore, as well as a few rural county roads." +112844,675987,MISSOURI,2017,March,Thunderstorm Wind,"SHANNON",2017-03-07 00:50:00,CST-6,2017-03-07 00:50:00,0,0,0,0,5.00K,5000,0.00K,0,36.93,-91.6,36.93,-91.6,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A tree was blown down and struck a house off State Highway T." +112845,679011,MISSOURI,2017,March,Hail,"VERNON",2017-03-09 12:07:00,CST-6,2017-03-09 12:07:00,0,0,0,0,,NaN,,NaN,37.84,-94.35,37.84,-94.35,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","There was a picture of hen egg size hail on social media in the Nevada area." +112845,679119,MISSOURI,2017,March,Tornado,"TANEY",2017-03-09 19:06:00,CST-6,2017-03-09 19:07:00,0,0,0,0,100.00K,100000,0.00K,0,36.687,-93.1218,36.6727,-93.0968,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A National Weather Service survey determined that an EF-0 tornado damaged a strip mall roof and uprooted trees in the town of Forsyth. Estimated peak wind speed was 75 mph." +113798,681288,MISSOURI,2017,March,Hail,"POLK",2017-03-21 05:55:00,CST-6,2017-03-21 05:55:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-93.58,37.64,-93.58,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681289,MISSOURI,2017,March,Hail,"JASPER",2017-03-21 07:42:00,CST-6,2017-03-21 07:42:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-94.51,37.09,-94.51,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Hail up to the size of quarters fell near 17th Street in south Joplin." +113798,681290,MISSOURI,2017,March,Hail,"JASPER",2017-03-21 07:57:00,CST-6,2017-03-21 07:57:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.4,37.08,-94.4,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681292,MISSOURI,2017,March,Hail,"JASPER",2017-03-21 08:10:00,CST-6,2017-03-21 08:10:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-94.31,37.11,-94.31,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Hail up to the size of nickels fell at the 911 center in Jasper County." +112920,676812,IOWA,2017,March,Tornado,"APPANOOSE",2017-03-06 20:33:00,CST-6,2017-03-06 20:42:00,0,0,0,0,750.00K,750000,0.00K,0,40.6891,-92.876,40.7576,-92.7152,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS storm survey confirmed a tornado touchdown on the south side of Centerville just after 830 pm. The tornado produced significant damage to a manufacturing facility with a partial collapse of walls and roof structures. The tornado tracked very quickly northeast damaging an outbuilding and taking a large section of a roof off a residence along Highway 2. Damage was also found to several outbuildings at a farmstead south of Udell with a camper being tipped on its side. The worst damage occurred near Centerville where damage was consistent with winds of 115 to 125 mph - or EF2 damage. Damage to the east was not quite as intense generally EF0 or EF1 damage. It should be noted that the tornado may not have been continuous along the the entire 10 mile path...as the damage appeared to be more intermittent." +112920,677882,IOWA,2017,March,Tornado,"APPANOOSE",2017-03-06 20:30:00,CST-6,2017-03-06 20:37:00,0,0,0,0,40.00K,40000,0.00K,0,40.6322,-92.9041,40.698,-92.7783,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado developed just east of Cincinnati and moved rapidly to the northeast. The tornado damaged many trees along its path as well as a few different outbuildings with top wind speeds of 90mph - of EF1 damage." +114256,684521,KENTUCKY,2017,March,Dense Fog,"BALLARD",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684522,KENTUCKY,2017,March,Dense Fog,"CARLISLE",2017-03-18 00:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684523,KENTUCKY,2017,March,Dense Fog,"HICKMAN",2017-03-18 00:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684524,KENTUCKY,2017,March,Dense Fog,"FULTON",2017-03-18 00:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684525,KENTUCKY,2017,March,Dense Fog,"MCCRACKEN",2017-03-18 00:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684526,KENTUCKY,2017,March,Dense Fog,"GRAVES",2017-03-18 00:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114257,684546,MISSOURI,2017,March,Dense Fog,"CAPE GIRARDEAU",2017-03-18 03:00:00,CST-6,2017-03-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114257,684547,MISSOURI,2017,March,Dense Fog,"SCOTT",2017-03-18 03:00:00,CST-6,2017-03-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114257,684548,MISSOURI,2017,March,Dense Fog,"BUTLER",2017-03-18 03:00:00,CST-6,2017-03-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +113678,684576,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-01 05:20:00,CST-6,2017-03-01 05:22:00,0,0,0,0,8.00K,8000,0.00K,0,36.9436,-88.7771,36.9433,-88.7455,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Along Highway 1820 west of Melber, several trees were blown down. An antenna tower was blown down. Siding was blown off a structure." +113678,680784,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-01 05:23:00,CST-6,2017-03-01 05:23:00,0,0,0,0,5.00K,5000,0.00K,0,36.5684,-88.62,36.5684,-88.62,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Trees were uprooted, and large branches were broken. This tree damage immediately preceded the EF-2 tornado that began in the Cuba community." +113678,680481,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-01 05:23:00,CST-6,2017-03-01 05:25:00,0,0,0,0,50.00K,50000,0.00K,0,36.82,-88.5622,36.8198,-88.5428,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A microbust containing winds estimated near 80 mph damaged some agricultural property along Highway 483 between Clear Springs and Hickory. An empty grain bin was blown at least 50 yards, and another grain bin was dented inward. A small part of the metal roof of a chicken house was blown several hundred yards. A carport was thrown about a quarter mile. There was extensive shingle damage at two apartment buildings in the Hickory area. A few trees were snapped or uprooted. The damage path was about one mile long." +113678,684572,KENTUCKY,2017,March,Thunderstorm Wind,"LIVINGSTON",2017-03-01 05:25:00,CST-6,2017-03-01 05:25:00,0,0,0,0,3.00K,3000,0.00K,0,37.0436,-88.4745,37.0436,-88.4745,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Large metal panels, possibly from a carport or shed, were blown onto a city street." +114313,684951,PENNSYLVANIA,2017,March,Thunderstorm Wind,"GREENE",2017-03-01 10:13:00,EST-5,2017-03-01 10:20:00,0,0,0,0,0.00K,0,0.00K,0,39.844,-80.318,39.8179,-80.3373,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","NWS Storm Survey reported trees down." +114186,683951,KENTUCKY,2017,March,Tornado,"FULTON",2017-03-09 20:41:00,CST-6,2017-03-09 20:51:00,0,0,0,0,1.00M,1000000,0.00K,0,36.569,-89.1867,36.5033,-89.0837,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","A tornado quickly developed over the city of Hickman and moved southeast across Fulton County. This was the second of two tornadoes in Fulton County. In the center of Hickman, the tornado caused significant damage to the county's jail and 911 communications center, which lost parts of the roof and a section of a wall. About 100 inmates were moved to other facilities. Other damage in Hickman included a heavily damaged gas station, numerous downed signs and power poles, and considerable roof damage to a few homes. The tornado damaged or destroyed more than 45 homes and other buildings in the county, as well as several machine sheds, barns, grain bins, and irrigation systems. At least 20 power poles were broken, and numerous trees were uprooted and snapped. The Kentucky Transportation Cabinet Fulton County Highway Maintenance Facility was hit by the tornado. The salt dome, a tractor shed, and several tractors housed in the shed were damaged. The tornado reached its peak intensity just southeast of Hickman along Highway 125, where a frame house had its entire roof structure blown off. The tornado followed Highway 125 from the center of Hickman to the junction of Highway 166, about 4.5 miles southeast of Hickman. Most state highways were closed in and near Hickman, and the Red Cross opened a shelter. Peak winds were estimated near 125 mph. Straight-line winds up to 80 mph occurred mainly southwest of the tornado path. The tornado crossed into Tennessee along State Route 116." +114318,684985,WEST VIRGINIA,2017,March,Flood,"MARSHALL",2017-03-01 07:51:00,EST-5,2017-03-02 08:20:00,0,0,0,0,0.00K,0,0.00K,0,39.8776,-80.553,39.9001,-80.5499,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Emergency manager reported flooding on Big Graves creek near Moundsville, Little Graves Creek near Glen Dale, and flooding on Wolf Run Road near Cameron." +114252,684496,MISSOURI,2017,March,Frost/Freeze,"SCOTT",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114252,684498,MISSOURI,2017,March,Frost/Freeze,"WAYNE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 22 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114250,684460,INDIANA,2017,March,Frost/Freeze,"GIBSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684455,ILLINOIS,2017,March,Frost/Freeze,"UNION",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684456,ILLINOIS,2017,March,Frost/Freeze,"WABASH",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684458,ILLINOIS,2017,March,Frost/Freeze,"WHITE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115827,696202,ARKANSAS,2017,April,Flood,"CLARK",2017-04-30 14:08:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-93.0662,34.0996,-93.0542,"Heavy rain was noted in most of the area at the end of April 2017. The heavy rain led to major flooding in some areas. Northeast Arkansas was especially hard hit.","Flooding was noted on the Ouachita River at Arkadelphia after heavy rain fell. The flooding began on 4/30/17." +115840,696203,ARKANSAS,2017,April,Flood,"OUACHITA",2017-04-14 21:50:00,CST-6,2017-04-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,33.5883,-92.8268,33.5786,-92.8333,"Heavy rain brought flooding to the Ouachita River at Camden on 4/14/17.","Flooding was noted on the Ouachita River at Camden after heavy rain fell. The flooding began on 4/14/17." +115365,696466,ARKANSAS,2017,April,Tornado,"WOODRUFF",2017-04-29 23:57:00,CST-6,2017-04-29 23:58:00,0,0,0,0,5.00K,5000,0.00K,0,35.2275,-91.352,35.229,-91.3386,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","An EF1 tornado moved through western Woodruff County, Arkansas. Several trees were uprooted and/or snapped. A metal shed sustained damage as well." +114688,687924,VIRGINIA,2017,May,Thunderstorm Wind,"LEE",2017-05-11 19:30:00,EST-5,2017-05-11 19:30:00,0,0,0,0,,NaN,,NaN,36.66,-83.2,36.66,-83.2,"Isolated severe thunderstorms formed ahead of a cold front which moved south across Southwest Virginia and Northeast Tennessee. A few trees were downed in the area due to convective gusts.","Trees were reported down near Flatwoods Road and Flanary Bridge Road." +114688,687926,VIRGINIA,2017,May,Thunderstorm Wind,"LEE",2017-05-11 19:30:00,EST-5,2017-05-11 19:30:00,0,0,0,0,,NaN,,NaN,36.68,-83.26,36.68,-83.26,"Isolated severe thunderstorms formed ahead of a cold front which moved south across Southwest Virginia and Northeast Tennessee. A few trees were downed in the area due to convective gusts.","A few trees were reported down along Old Nursery Road." +114689,687928,TENNESSEE,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-11 20:03:00,EST-5,2017-05-11 20:03:00,0,0,0,0,,NaN,,NaN,36.37,-84.13,36.37,-84.13,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some flash flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Multiple power outages were reported around La Follette." +114690,687942,TENNESSEE,2017,May,Thunderstorm Wind,"BRADLEY",2017-05-20 20:15:00,EST-5,2017-05-20 20:15:00,0,0,0,0,,NaN,,NaN,35.18,-84.87,35.18,-84.87,"A few thunderstorms became severe later in the evening ahead of a slow moving cold front associated with a deep upper trough lumbering east toward the Appalachian Spine.","Several trees were reported down across the county." +115103,693247,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHESTER",2017-04-03 14:48:00,EST-5,2017-04-03 14:52:00,0,0,0,0,20.00K,20000,0.00K,0,34.7,-81.239,34.705,-81.187,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","EM reported part of the roof was blown off a bank on Church St and metal roofing removed from a building on Beltline Rd. Numerous trees were also blown down across the city." +115103,693248,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHESTER",2017-04-03 14:40:00,EST-5,2017-04-03 14:40:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-81.35,34.7,-81.35,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Spotter reported multiple trees blown down on Calvary Church Road." +115103,693249,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"YORK",2017-04-03 14:29:00,EST-5,2017-04-03 15:07:00,0,0,0,0,0.00K,0,0.00K,0,34.949,-81.342,35.007,-80.942,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","County comms reported scattered trees blown down across the county." +115103,693250,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"SPARTANBURG",2017-04-03 13:35:00,EST-5,2017-04-03 13:35:00,0,0,0,0,10.00K,10000,0.00K,0,34.82,-82.17,34.82,-82.17,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Public reported multiple trees blown down in the Brockman Rd area, with a couple on houses." +115103,693251,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"SPARTANBURG",2017-04-03 13:43:00,EST-5,2017-04-03 13:44:00,0,0,0,0,50.00K,50000,0.00K,0,35.094,-82.179,35.05,-82.14,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Public reported more than a dozen trees blown down along Farmer Rd, with media reporting siding and shingle damage to homes in the same area. Public also reported siding and shingle damage to homes in the area around New Cut Rd and Gowan Rd." +117110,704552,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-27 22:44:00,EST-5,2017-05-27 22:44:00,0,0,0,0,,NaN,,NaN,35.09,-84.03,35.09,-84.03,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several trees were reported down across the county." +117121,704617,TENNESSEE,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-01 14:45:00,EST-5,2017-07-01 14:45:00,0,0,0,0,,NaN,,NaN,35.13,-85.34,35.13,-85.34,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","Trees and power lines were reported down on Signal Mountain." +117121,704619,TENNESSEE,2017,July,Thunderstorm Wind,"BRADLEY",2017-07-01 15:25:00,EST-5,2017-07-01 15:25:00,0,0,0,0,,NaN,,NaN,35.18,-84.87,35.18,-84.87,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","Several trees and power lines were reported down across the Cleveland area." +117121,704622,TENNESSEE,2017,July,Thunderstorm Wind,"KNOX",2017-07-01 16:14:00,EST-5,2017-07-01 16:14:00,0,0,0,0,,NaN,,NaN,36.08,-83.93,36.08,-83.93,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","A few trees were reported down near Halls." +117121,704625,TENNESSEE,2017,July,Thunderstorm Wind,"BLEDSOE",2017-07-01 17:15:00,CST-6,2017-07-01 17:15:00,0,0,0,0,,NaN,,NaN,35.76,-85.17,35.76,-85.17,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","A few trees were reported down in the Bellview community." +117121,704630,TENNESSEE,2017,July,Thunderstorm Wind,"BLEDSOE",2017-07-01 17:22:00,CST-6,2017-07-01 17:22:00,0,0,0,0,,NaN,,NaN,35.65,-85.2,35.65,-85.2,"A few storms generated severe wind gusts during the afternoon and early evening across the higher terrain; mainly over the Cumberland Plateau across Southeast Tennessee.","Several trees were reported down across Northern Bledsoe county." +117124,704635,TENNESSEE,2017,July,Thunderstorm Wind,"BLEDSOE",2017-07-05 15:15:00,CST-6,2017-07-05 15:15:00,0,0,0,0,,NaN,,NaN,35.65,-85.15,35.65,-85.15,"A storm or two developed during peak heating on the Cumberland Plateau across Southeast Tennessee. One storm produced a severe wind gust.","Several trees were reported down across Eastern Bledsoe County." +117125,704664,TENNESSEE,2017,July,Thunderstorm Wind,"KNOX",2017-07-06 12:55:00,EST-5,2017-07-06 12:55:00,0,0,0,0,,NaN,,NaN,35.97,-83.95,35.97,-83.95,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","A tree was reported down on Neyland Drive." +112920,676809,IOWA,2017,March,Tornado,"MARION",2017-03-06 19:47:00,CST-6,2017-03-06 19:52:00,0,0,0,0,25.00K,25000,0.00K,0,41.4611,-92.9974,41.4976,-92.9041,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS storm survey found the last tornado in a series from the same storm in northeast Marion county. The tornado touchdown and moved quickly northeast producing mainly tree damage. However, one barn was shifted off its foundation with several other open air structures being destroyed altogether. Damage was rated high end EF0." +117125,704668,TENNESSEE,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-06 18:15:00,EST-5,2017-07-06 18:15:00,0,0,0,0,,NaN,,NaN,36.4,-84.22,36.4,-84.22,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","A few downed trees were reported between mile marker 150 and 153 along Interstate 75 north." +117125,704669,TENNESSEE,2017,July,Thunderstorm Wind,"UNION",2017-07-06 18:35:00,EST-5,2017-07-06 18:35:00,0,0,0,0,,NaN,,NaN,36.32,-83.81,36.32,-83.81,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down across northern Union County." +117125,704670,TENNESSEE,2017,July,Thunderstorm Wind,"UNION",2017-07-06 18:35:00,EST-5,2017-07-06 18:35:00,0,0,0,0,,NaN,,NaN,36.32,-83.81,36.32,-83.81,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down across northern Union County." +117125,704671,TENNESSEE,2017,July,Thunderstorm Wind,"UNION",2017-07-06 18:35:00,EST-5,2017-07-06 18:35:00,0,0,0,0,,NaN,,NaN,36.32,-83.81,36.32,-83.81,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down across northern Union County." +117125,704673,TENNESSEE,2017,July,Thunderstorm Wind,"UNION",2017-07-06 18:35:00,EST-5,2017-07-06 18:35:00,0,0,0,0,,NaN,,NaN,36.32,-83.81,36.32,-83.81,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down across northern Union County." +112920,676810,IOWA,2017,March,Tornado,"WAYNE",2017-03-06 20:16:00,CST-6,2017-03-06 20:22:00,0,0,0,0,2.00M,2000000,0.00K,0,40.6174,-93.2085,40.6898,-93.0973,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS storm survey confirmed a tornado touched down about six miles southwest of Seymour in Wayne County where several trees sustained major damage and several farmsteads were damaged. The tornado then tracked northeast through rural sections of Wayne County and produced sporadic tree damage. The tornado then moved into the south side of Seymour and produced significant damage to |several homes and structures with the partial collapse of walls and roof structures and widespread tree damage. A brick school building also sustained major damage to its roof and walls. After doing additional damage to residences to the northeast of the school, it exited Seymour and crossed into Appanoose County." +114433,686203,NORTH CAROLINA,2017,March,Cold/Wind Chill,"EASTERN POLK",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686204,NORTH CAROLINA,2017,March,Cold/Wind Chill,"GASTON",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686205,NORTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER BURKE",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686206,NORTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER CALDWELL",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686207,NORTH CAROLINA,2017,March,Cold/Wind Chill,"GREATER RUTHERFORD",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +119033,714888,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 01:16:00,CST-6,2017-07-27 04:16:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-93.97,39.1399,-93.9705,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Water was over HWY 224 near Wellington." +119033,714889,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 01:29:00,CST-6,2017-07-27 04:29:00,0,0,0,0,0.00K,0,0.00K,0,39.078,-94.6005,39.0953,-94.5985,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Water was over Interstate 35 near Broadway, causing the interstate to shut down for a couple hours." +119033,714890,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 01:29:00,CST-6,2017-07-27 04:29:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-94.53,39.0963,-94.53,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A water rescue of two occupants in a vehicle took place at 12th and Jackson." +119033,714891,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 01:33:00,CST-6,2017-07-27 04:33:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.54,39.0406,-94.5415,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A water rescue took place at Cleveland and Emanuel Cleaver II Blvd near Country Club Plaza." +116168,699720,IOWA,2017,May,Thunderstorm Wind,"WAPELLO",2017-05-17 16:35:00,CST-6,2017-05-17 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.9885,-92.372,40.9885,-92.372,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported an estimated gust of around 60 mph." +115754,695766,TENNESSEE,2017,May,Strong Wind,"SHELBY",2017-05-05 11:30:00,CST-6,2017-05-05 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A departing storm system brought a period of strong northeast winds across portions of southwest Tennessee during the midday hours of May 5th.","Trees down in Shelby Farms Park near the Wolf River." +115756,695770,TENNESSEE,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-11 18:13:00,CST-6,2017-05-11 18:15:00,0,0,0,0,,NaN,0.00K,0,35.7699,-89.6487,35.7719,-89.6405,"A passing upper level disturbance brought marginal severe hail and wind damage to portions of west Tennessee during the early evening hours of May 11th.","A large tree is down on Craig Road just off of Highway 19 west." +115756,695771,TENNESSEE,2017,May,Hail,"LAUDERDALE",2017-05-11 19:03:00,CST-6,2017-05-11 19:08:00,0,0,0,0,0.00K,0,0.00K,0,35.8354,-89.4157,35.8397,-89.3983,"A passing upper level disturbance brought marginal severe hail and wind damage to portions of west Tennessee during the early evening hours of May 11th.","Quarter size hail at the intersection of Highways 88 and 209 in Gates." +115760,695777,ARKANSAS,2017,May,Hail,"CLAY",2017-05-27 05:00:00,CST-6,2017-05-27 05:05:00,0,0,0,0,0.00K,0,0.00K,0,36.4523,-90.1469,36.4523,-90.1469,"An upper level disturbance triggered a few severe thunderstorms that produced large hail across portions of northeast Arkansas during the morning hours of May 27th.","One inch hail in the town of St. Francis." +115760,695778,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-27 05:05:00,CST-6,2017-05-27 05:10:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-90.8,35.9,-90.8,"An upper level disturbance triggered a few severe thunderstorms that produced large hail across portions of northeast Arkansas during the morning hours of May 27th.","" +115103,690883,SOUTH CAROLINA,2017,April,Tornado,"PICKENS",2017-04-03 13:13:00,EST-5,2017-04-03 13:14:00,0,0,0,0,30.00K,30000,0.00K,0,34.859,-82.507,34.87,-82.487,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS storm survey determined a tornado touched down in eastern Pickens County near Saluda Dam and Pistol Club Roads, downing trees, damaging outbuildings, and ripping metal sheeting off roofs at a farm site. Some minor structural damage, mainly in the form of missing shingles, occurred to a nearby house. The tornado weakened as it moved E/NE and may have lifted briefly before crossing into Greenville County at Saluda Lake." +114519,686750,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-05-03 22:15:00,CST-6,2017-05-03 22:15:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Severe thunderstorms developed along and ahead of a cold front and produced strong marine thunderstorms winds.","Wind gust was measured at Brazos 538 Rig." +114519,686751,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-03 22:43:00,CST-6,2017-05-03 22:43:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"Severe thunderstorms developed along and ahead of a cold front and produced strong marine thunderstorms winds.","Wind gust was measured at WeatherFlow site XMGB." +114652,687662,TEXAS,2017,May,Thunderstorm Wind,"BRAZOS",2017-05-21 00:08:00,CST-6,2017-05-21 00:08:00,0,0,0,0,0.00K,0,0.00K,0,30.4647,-96.2146,30.4647,-96.2146,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","A tree was downed near the intersection of FM 159 and Matt Wright Road." +114656,687699,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-21 10:01:00,CST-6,2017-05-21 10:01:00,0,0,0,0,0.00K,0,0.00K,0,29.2489,-94.852,29.2489,-94.852,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","Wind gust was measured at Galveston Fishing Pier WeatherFlow site XGPR." +114656,687700,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-21 10:16:00,CST-6,2017-05-21 10:16:00,0,0,0,0,0.00K,0,0.00K,0,29.2489,-94.852,29.2489,-94.852,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","Wind gust was measured at Galveston Fishing Pier WeatherFlow site XGPR." +114877,689173,TEXAS,2017,May,Funnel Cloud,"BRAZORIA",2017-05-22 09:15:00,CST-6,2017-05-22 09:15:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-95.28,29.3,-95.28,"Morning storms became severe and produced wind damage, some flooding and two tornadoes.","Funnel cloud was sighted in the Liverpool area." +115864,696318,TEXAS,2017,May,Frost/Freeze,"DALLAM",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696319,TEXAS,2017,May,Frost/Freeze,"HARTLEY",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +116002,701432,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:45:00,EST-5,2017-05-05 01:45:00,0,0,0,0,0.00K,0,0.00K,0,35.5297,-80.0108,35.5297,-80.0108,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Bells Grove Road near new Hope Road." +116662,701433,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-28 01:55:00,EST-5,2017-05-28 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.73,-80.38,35.76,-80.22,"A line of thunderstorms associated with an MCS moved into Western North Carolina from Tennessee during the overnight hours. One of the thunderstorms became severe and moved into Central North Carolina, producing isolated wind damage in Davidson County.","A couple of trees were blown down along a swath from west-southwest of Linwood to south-southeast of Lexington. One tree was blown down onto a residence on Seven Oaks Drive and the other fell across Becks Church Road near Briggstown Road." +116002,701434,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:50:00,EST-5,2017-05-05 01:50:00,0,0,0,0,0.00K,0,0.00K,0,35.6649,-79.9553,35.6649,-79.9553,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Old Highway 49 at Jackson Creek Road." +116002,701435,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:48:00,EST-5,2017-05-05 01:48:00,0,0,0,0,2.50K,2500,0.00K,0,35.6287,-79.9785,35.6287,-79.9785,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on Waynick Meadow Road at Oak Grove Church Road." +116002,701438,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:55:00,EST-5,2017-05-05 01:55:00,0,0,0,0,2.50K,2500,0.00K,0,35.7344,-79.9106,35.7344,-79.9106,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on Mount View Church Road at Old Lexington Road." +116002,701440,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:50:00,EST-5,2017-05-05 01:50:00,0,0,0,0,0.00K,0,0.00K,0,35.5614,-79.9653,35.5614,-79.9653,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on High Pine Church Road near Lassiter Mill Road." +116002,701442,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:53:00,EST-5,2017-05-05 01:53:00,0,0,0,0,2.50K,2500,0.00K,0,35.6732,-79.9273,35.6732,-79.9273,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Power pole and power lines were reported down on Old North Carolina Highway 49 near Moore Road." +115200,694752,OKLAHOMA,2017,May,Hail,"COTTON",2017-05-18 17:17:00,CST-6,2017-05-18 17:17:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-98.31,34.36,-98.31,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +114547,687004,INDIANA,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 02:40:00,EST-5,2017-03-01 02:41:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-85.15,41.14,-85.15,"A warm front, responsible for isolated wind damage and tornadoes during the late evening hours of February 28th, remained over southern Lower Michigan into the overnight hours of March 1st. A cold front interacted with plenty of instability and limited shear to result in strong to severe thunderstorms occurring along the front across northern Indiana and northwestern Ohio.","The Automated Weather Observation System at Smith Field in Fort Wayne recorded a 71 mph wind gust." +114549,687018,MICHIGAN,2017,March,Hail,"BERRIEN",2017-03-01 00:45:00,EST-5,2017-03-01 00:46:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-86.74,41.8,-86.74,"A warm front remained in place across southern Lower Michigan during the early morning hours of March 1st, allowing for elevated storms to produce isolated large hail in Berrien County.","" +115200,694753,OKLAHOMA,2017,May,Hail,"KINGFISHER",2017-05-18 17:19:00,CST-6,2017-05-18 17:19:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-97.83,36.06,-97.83,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +114549,687019,MICHIGAN,2017,March,Hail,"BERRIEN",2017-03-01 00:50:00,EST-5,2017-03-01 00:51:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-86.69,41.83,-86.69,"A warm front remained in place across southern Lower Michigan during the early morning hours of March 1st, allowing for elevated storms to produce isolated large hail in Berrien County.","" +114553,687028,ILLINOIS,2017,March,Hail,"KNOX",2017-03-19 23:53:00,CST-6,2017-03-19 23:58:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687029,ILLINOIS,2017,March,Hail,"KNOX",2017-03-19 23:55:00,CST-6,2017-03-20 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +113323,680972,OKLAHOMA,2017,March,Thunderstorm Wind,"WAGONER",2017-03-06 23:09:00,CST-6,2017-03-06 23:09:00,0,0,0,0,0.00K,0,0.00K,0,35.9596,-95.4856,35.9596,-95.4856,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113323,680973,OKLAHOMA,2017,March,Thunderstorm Wind,"MUSKOGEE",2017-03-06 23:20:00,CST-6,2017-03-06 23:20:00,0,0,0,0,1.00K,1000,0.00K,0,35.75,-95.37,35.75,-95.37,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged a metal building." +113323,680978,OKLAHOMA,2017,March,Thunderstorm Wind,"MUSKOGEE",2017-03-07 00:05:00,CST-6,2017-03-07 00:05:00,0,0,0,0,0.00K,0,0.00K,0,35.4944,-95.3074,35.4944,-95.3074,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113542,683115,MINNESOTA,2017,March,Thunderstorm Wind,"FILLMORE",2017-03-06 19:30:00,CST-6,2017-03-06 19:30:00,0,0,0,0,0.50K,500,0.00K,0,43.57,-92.28,43.57,-92.28,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Tree branches were blown down near Cherry Grove." +113542,687233,MINNESOTA,2017,March,Thunderstorm Wind,"DODGE",2017-03-06 18:19:00,CST-6,2017-03-06 18:19:00,0,0,0,0,150.00K,150000,0.00K,0,44.0889,-92.756,44.0889,-92.756,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","North of Mantorville, thunderstorm winds pushed a barn about 40 feet off its foundation, several metal outbuildings were destroyed, the top third of a concrete silo was blown off and two metal corn bins were destroyed." +113542,687885,MINNESOTA,2017,March,Thunderstorm Wind,"WABASHA",2017-03-06 18:36:00,CST-6,2017-03-06 18:36:00,0,0,0,0,0.00K,0,2.00K,2000,44.2095,-92.3514,44.2095,-92.3514,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Trees were blown down on a farm in southwest Wabasha County." +113542,682461,MINNESOTA,2017,March,Thunderstorm Wind,"OLMSTED",2017-03-06 18:25:00,CST-6,2017-03-06 18:25:00,0,0,0,0,8.00K,8000,0.00K,0,44.09,-92.64,44.09,-92.64,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","Several trees were blown down with one landing on a garage southwest of Pine Island." +114641,687624,TEXAS,2017,March,High Wind,"DONLEY",2017-03-24 15:44:00,CST-6,2017-03-24 16:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114642,687608,OKLAHOMA,2017,March,High Wind,"CIMARRON",2017-03-24 09:44:00,CST-6,2017-03-24 10:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +114642,687609,OKLAHOMA,2017,March,High Wind,"TEXAS",2017-03-24 14:44:00,CST-6,2017-03-24 15:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low centered over SE Colorado and NE New Mexico moved ESE into the TX/OK Panhandles during the day on the 24th. With steep 850-770 hPa height gradients, especially on the backside of the low pressure system as the main center of the low progressed eastward, high sustained winds and non-thunderstorm wind gusts were reported across predominately the central and western Panhandles before the low moved east of the region during the late evening hours on the 24th.","" +112920,674644,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 17:01:00,CST-6,2017-03-06 17:01:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-93.98,42.75,-93.98,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported lots of quarter sized hail." +112901,674608,MONTANA,2017,March,High Wind,"SHERIDAN",2017-03-07 08:39:00,MST-7,2017-03-07 21:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With a large low pressure system over the Canadian Prairie, strong and gusty winds were funneled across most of northeast Montana, easily blowing around recently fallen snow.","Across portions of Sheridan County, sustained winds of at least 40 mph were measured from mid-morning until late that evening, with a peak wind gust of 61 mph at 4:52 PM at the Comertown Turn-Off MT-5 DOT site." +114725,688188,ILLINOIS,2017,March,Thunderstorm Wind,"KENDALL",2017-03-07 01:03:00,CST-6,2017-03-07 01:03:00,0,0,0,0,1.00K,1000,0.00K,0,41.68,-88.35,41.68,-88.35,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","A couple of power poles were blown down." +114725,688191,ILLINOIS,2017,March,Thunderstorm Wind,"WILL",2017-03-07 01:10:00,CST-6,2017-03-07 01:10:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-88.2,41.52,-88.2,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688192,ILLINOIS,2017,March,Thunderstorm Wind,"WILL",2017-03-07 01:13:00,CST-6,2017-03-07 01:13:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-88.08,41.7,-88.08,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688194,ILLINOIS,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-07 01:14:00,CST-6,2017-03-07 01:14:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-88.3185,41.28,-88.3185,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","" +114725,688197,ILLINOIS,2017,March,Thunderstorm Wind,"KANKAKEE",2017-03-07 01:27:00,CST-6,2017-03-07 01:27:00,0,0,0,0,0.00K,0,0.00K,0,41.1279,-87.979,41.1279,-87.979,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","A large tree was blown down onto the road." +114725,688199,ILLINOIS,2017,March,Thunderstorm Wind,"KANKAKEE",2017-03-07 01:37:00,CST-6,2017-03-07 01:37:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-87.85,41.12,-87.85,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","Large tree branches were blown down throughout town." +114777,688452,SOUTH DAKOTA,2017,March,High Wind,"CLARK",2017-03-07 14:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688453,SOUTH DAKOTA,2017,March,High Wind,"CODINGTON",2017-03-07 14:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688454,SOUTH DAKOTA,2017,March,High Wind,"HAMLIN",2017-03-07 14:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +115121,691223,VIRGINIA,2017,April,Tornado,"FAUQUIER",2017-04-06 11:58:00,EST-5,2017-04-06 11:59:00,0,0,0,0,,NaN,,NaN,38.6746,-77.8656,38.6843,-77.8555,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The National Weather Service in Baltimore MD/Washington DC has |confirmed a tornado southwest of Warrenton in Fauquier County |Virginia on April 6, 2017.||An extensive area of tree damage was noted along a several mile long |path in west-central Fauquier County. Embedded within this straight-|line wind damage was a small concentrated area of convergent tree |damage consistent with an EF-0 tornado.||A row of trees just north of Harts Mill Road was blown down towards |the west-northwest, while several other trees just south of the road |were snapped and fell towards the northeast. A similar pattern of tree |damage was found at a residence on Woodbourne Lane a quarter mile to |the northeast, where several dozen hardwood trees were uprooted, mainly |falling towards the east but a couple fell towards the west.||Further southwest and to the northeast of the tornadic damage, |hardwood and softwood trees were snapped and uprooted but all falling |to the northeast over a nearly mile-wide swath, indicating straight-line |wind damage. It is notable that the straight-line wind damage was more |severe than that caused by the brief tornado.||The National Weather Service would like to thank the Fauquier County |Emergency Management Agency and the residents interviewed for their |assistance in this survey." +114777,688455,SOUTH DAKOTA,2017,March,High Wind,"ROBERTS",2017-03-07 10:10:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688457,SOUTH DAKOTA,2017,March,High Wind,"GRANT",2017-03-07 10:00:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114777,688459,SOUTH DAKOTA,2017,March,High Wind,"DEUEL",2017-03-07 16:04:00,CST-6,2017-03-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent surface low pressure area moved northeast across the Dakotas and brought high winds to the region on the back side as it moved away. West to northwest winds of 35 to 45 mph with gusts up to near 75 mph occurred. Some of the highest wind gusts include, 64 mph at Sisseton; 66 mph north of Vivian; 69 mph south of Richmond Lake; 73 mph south of Bullhead; and 74 mph southwest of Hillhead.","" +114818,688693,TEXAS,2017,March,Hail,"CARSON",2017-03-28 14:03:00,CST-6,2017-03-28 14:03:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-101.17,35.57,-101.17,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","Nickle sized hail with localized flooding reported in areas prone to it." +114818,688694,TEXAS,2017,March,Hail,"DONLEY",2017-03-28 14:33:00,CST-6,2017-03-28 14:33:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-100.91,35.04,-100.91,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114818,688695,TEXAS,2017,March,Hail,"DONLEY",2017-03-28 15:12:00,CST-6,2017-03-28 15:12:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-100.86,35.18,-100.86,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114525,686803,ILLINOIS,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-07 00:08:00,CST-6,2017-03-07 00:13:00,0,0,0,0,40.00K,40000,0.00K,0,40.94,-89.36,40.94,-89.36,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Two cars from a 108-car train were blown off the tracks between Chillicothe and Wilbern." +114525,686767,ILLINOIS,2017,March,Tornado,"TAZEWELL",2017-03-07 00:09:00,CST-6,2017-03-07 00:13:00,0,0,0,0,120.00K,120000,0.00K,0,40.392,-89.5381,40.4172,-89.4965,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A tornado touched down in an open field 1.4 miles north-northeast of Delavan at 12:09 CST. The tornado quickly tracked northeastward and widened to 200 yards, causing EF-2 damage to one outbuilding and EF-1 damage to several other outbuildings and trees. It continued northeastward before dissipating 4.1 miles northeast of Delavan at 12:13 AM CST." +114525,686809,ILLINOIS,2017,March,Thunderstorm Wind,"TAZEWELL",2017-03-07 00:12:00,CST-6,2017-03-07 00:17:00,0,0,0,0,10.00K,10000,0.00K,0,40.67,-89.41,40.67,-89.41,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A wall was blown down at the Washington Township shed." +114129,686400,WASHINGTON,2017,March,Flood,"FERRY",2017-03-13 00:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,780.00K,780000,0.00K,0,48.9733,-117.8284,47.7991,-118.3667,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","Numerous roads in Ferry County were closed due to flooding and debris flows through the second half of March due to spring snow melt and periodic heavy rain. Ferry County was included in a Washington State State of Emergency declaration due to widespread flooding issues." +116983,703563,IDAHO,2017,May,Thunderstorm Wind,"BLAINE",2017-05-06 17:00:00,MST-7,2017-05-06 17:15:00,0,0,0,0,0.00K,0,0.00K,0,43.6595,-114.3983,43.6595,-114.3983,"Strong wind gusts caused damage from thunderstorms.","A 58 mph wind gust measured at Bald Mountain." +116568,702666,OHIO,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-28 18:30:00,EST-5,2017-05-28 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.98,-83.48,40.98,-83.48,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Thunderstorm winds downed a tree." +116568,702668,OHIO,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-28 18:30:00,EST-5,2017-05-28 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,41.12,-83.5,41.12,-83.5,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","Thunderstorm winds downed a tree." +116568,702670,OHIO,2017,May,Thunderstorm Wind,"HURON",2017-05-28 16:12:00,EST-5,2017-05-28 16:12:00,0,0,0,0,75.00K,75000,0.00K,0,41.1638,-82.3667,41.1638,-82.3667,"An area of low pressure moved across the region on May 28th causing scattered showers and thunderstorms to develop. A few of the stronger storms produced some hail.","A thunderstorm downburst downed several trees and leveled a barn southeast of Clarksfield on Monroe Road." +116983,703557,IDAHO,2017,May,Thunderstorm Wind,"BANNOCK",2017-05-06 15:30:00,MST-7,2017-05-06 15:45:00,0,0,0,0,1.00K,1000,0.00K,0,42.8393,-112.3881,42.8393,-112.3881,"Strong wind gusts caused damage from thunderstorms.","Large tree was downed in a cemetery." +116983,703561,IDAHO,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-06 16:40:00,MST-7,2017-05-06 16:54:00,0,0,0,0,0.00K,0,0.00K,0,43.7691,-112.6338,43.7691,-112.6338,"Strong wind gusts caused damage from thunderstorms.","Sixty mph wind gust at ARL Rover site." +116983,703566,IDAHO,2017,May,Thunderstorm Wind,"CARIBOU",2017-05-06 14:46:00,MST-7,2017-05-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9007,-111.8381,42.9007,-111.8381,"Strong wind gusts caused damage from thunderstorms.","A 58 mph wind gust measured at the Pole Canyon RAWS." +116984,703584,IDAHO,2017,May,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-05-12 12:00:00,MST-7,2017-05-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through Idaho brought a period of very strong winds to the region .","Several wind gusts of 55 to 65 mph were recorded along interstate 84 in Cassia County near Idahome." +116984,703585,IDAHO,2017,May,High Wind,"LOWER SNAKE RIVER PLAIN",2017-05-12 12:00:00,MST-7,2017-05-12 22:00:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through Idaho brought a period of very strong winds to the region .","Wind gusts of 50 to 60 mph occurred in the Snake River Plain with a trampoline blown onto a roof in Pocatello." +116984,703586,IDAHO,2017,May,High Wind,"UPPER SNAKE RIVER PLAIN",2017-05-12 12:00:00,MST-7,2017-05-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through Idaho brought a period of very strong winds to the region .","AReas of Idaho Falls, Ammon and Iona lost power the evening of May 12th. High winds were the suspected cause and 2,707 customers were without power." +116984,703587,IDAHO,2017,May,High Wind,"CARIBOU HIGHLANDS",2017-05-12 12:00:00,MST-7,2017-05-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through Idaho brought a period of very strong winds to the region .","A 64 mph wind gust was measured on interstate 84 in Oneida County 9 miles north of Black Pine." +116149,703536,ARKANSAS,2017,May,Tornado,"CRAWFORD",2017-05-27 22:46:00,CST-6,2017-05-27 22:56:00,0,0,0,0,30.00K,30000,0.00K,0,35.5862,-94.4641,35.6432,-94.3125,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","This is the second segment of a two segment tornado. In Crawford County, this tornado destroyed the roof of a mobile home, damaged outbuildings, and uprooted trees near the state line. Numerous trees were snapped and uprooted as it moved across Highway 59 and Arkansas 220, finally dissipating after crossing White Water Road, east-southeast of Natural Dam. Based on this damage, maximum estimated wind in this segment of the tornado was 95 to 105 mph." +116147,703534,OKLAHOMA,2017,May,Tornado,"SEQUOYAH",2017-05-27 22:45:00,CST-6,2017-05-27 22:46:00,0,0,0,0,0.00K,0,0.00K,0,35.5797,-94.4911,35.5862,-94.4641,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","This is the first segment of a two segment tornado. In Sequoyah County, this tornado uprooted trees and snapped large tree limbs as it moved east-northeast, crossing into Crawford County, Arkansas west of Uniontown. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +116600,701209,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-10 12:56:00,CST-6,2017-05-10 12:59:00,0,0,0,0,,NaN,,NaN,38.87,-94.79,38.87,-94.79,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","Emergency Management reported a 10 inch tree limb broken in Olathe." +116600,701210,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-10 12:57:00,CST-6,2017-05-10 13:00:00,0,0,0,0,,NaN,,NaN,38.84,-94.66,38.84,-94.66,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","A few 4 inch tree limbs were snapped, and an 8 to 9 inch silver maple tree branch was snapped near Stillwell." +116600,701212,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-10 13:04:00,CST-6,2017-05-10 13:07:00,0,0,0,0,,NaN,,NaN,38.8556,-94.6699,38.8556,-94.6699,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","A large tree was uprooted near 151st Street in Overland Park." +116600,701213,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-10 13:06:00,CST-6,2017-05-10 13:09:00,0,0,0,0,,NaN,,NaN,38.88,-94.74,38.88,-94.74,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","A 4 inch limb was snapped off of a large tree near Lenexa." +114736,702209,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 17:58:00,CST-6,2017-05-18 17:59:00,0,0,0,0,,NaN,,NaN,39.01,-95.76,39.01,-95.76,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702210,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 18:00:00,CST-6,2017-05-18 18:01:00,0,0,0,0,,NaN,,NaN,39.06,-95.75,39.06,-95.75,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702212,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 18:01:00,CST-6,2017-05-18 18:02:00,0,0,0,0,,NaN,,NaN,39.02,-95.77,39.02,-95.77,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702213,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 18:01:00,CST-6,2017-05-18 18:02:00,0,0,0,0,,NaN,,NaN,39.07,-95.72,39.07,-95.72,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Report was from near Interstate 70 and Gage." +114736,702214,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 18:03:00,CST-6,2017-05-18 18:04:00,0,0,0,0,,NaN,,NaN,39.03,-95.76,39.03,-95.76,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702215,KANSAS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 18:03:00,CST-6,2017-05-18 18:04:00,0,0,0,0,,NaN,,NaN,39.09,-95.52,39.09,-95.52,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Tree was reported down, the size was unknown. 6 to 8 inch diameter limbs were also down." +115831,696171,VIRGINIA,2017,May,Thunderstorm Wind,"CLARKE",2017-05-30 16:55:00,EST-5,2017-05-30 16:55:00,0,0,0,0,,NaN,,NaN,39.174,-78.0593,39.174,-78.0593,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A tree was down on Moose Road just south of Route 7." +115831,696172,VIRGINIA,2017,May,Thunderstorm Wind,"FAUQUIER",2017-05-30 17:04:00,EST-5,2017-05-30 17:04:00,0,0,0,0,,NaN,,NaN,38.5339,-77.811,38.5339,-77.811,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","Several large trees were down in Remington." +115831,696173,VIRGINIA,2017,May,Thunderstorm Wind,"STAFFORD",2017-05-30 18:16:00,EST-5,2017-05-30 18:16:00,0,0,0,0,,NaN,,NaN,38.3147,-77.4114,38.3147,-77.4114,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A couple of trees were down." +115831,696174,VIRGINIA,2017,May,Thunderstorm Wind,"STAFFORD",2017-05-30 18:15:00,EST-5,2017-05-30 18:15:00,0,0,0,0,,NaN,,NaN,38.398,-77.4534,38.398,-77.4534,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","A wind gust of 59 mph was reported." +115831,696182,VIRGINIA,2017,May,Tornado,"CLARKE",2017-05-30 16:59:00,EST-5,2017-05-30 17:01:00,0,0,0,0,0.00K,0,0.00K,0,39.1682,-77.9986,39.1671,-77.9903,"A boundary stalled over the area. Warm and humid conditions ahead of the boundary led to an unstable atmosphere. Showers and thunderstorms developed, and some thunderstorms became severe due to the instability and strong winds aloft.","The National Weather Service in Baltimore MD/Washington DC has confirmed through storm survey and radar analysis the touchdown of a brief, EF-0 tornado near Berryville in Clarke County Virginia on May 30, 2017.||Damage began near the intersection of Trapp Hill Road and Harry Byrd Highway (Route 7), with an oak tree uprooted, falling to the east along a driveway leading to an estate home on Trapp Hill Road.||This area has hilly terrain, and it appears that the tornado skipped a few valleys before doing more damage in the 1000 block of Trapp Hill Road. At a residence in the 1000 block of Trapp Hill Road, numerous large branches were down, along with uprooted hardwood trees. The protective coverings of a wood pile was strewn towards the south, whereas leave splatter at the residence was observed on both the northwest and southwest portion of the structure. Finally, one 18-inch diameter pine tree was snapped at about 30 feet off the surface, and with the snapped portion of |the tree falling to the west. The magnitude and chaotic nature of tree damage in this localized area is consistent with tornadic damage at the EF-0 scale, with estimated winds 65 mph.||The KLWX WSR-88D Weather Radar located in Sterling, Virginia, exhibited a pronounced hook echo in the 0.5 angle reflectivity products starting at 5:53 PM EDT, and continuing through 6:02 PM EDT. While hook echoes in of themselves do not constitute proof of a tornado, it does provide corroborating evidence that is|consistent with the damage path.||The residents of the impacted household were subscribed to the Clarke County Citizen Alert System, and were notified via telephone and text message of the Tornado Warning that was issued in advance of this storm. This provided them several minutes to move to the basement of their home, decreasing their risk of injury due to the tornado. The National Weather Service Baltimore/Washington Weather Forecast Office encourages citizens throughout the area to take advantage of their countys emergency notification services.||The National Weather Service would like to thank the residents who reported the damage and helped survey the area; the Clarke County Department of Fire, EMS, Emergency Management; and the Virginia Department of Emergency Management for coordination." +115836,696184,VIRGINIA,2017,May,Hail,"FAIRFAX",2017-05-31 16:20:00,EST-5,2017-05-31 16:20:00,0,0,0,0,,NaN,,NaN,38.9678,-77.341,38.9678,-77.341,"A weak boundary remained over the region. Warm and humid conditions ahead of the boundary led to the development of showers and thunderstorms. A few thunderstorms became severe.","Quarter sized hail was reported." +115836,696185,VIRGINIA,2017,May,Thunderstorm Wind,"CULPEPER",2017-05-31 15:40:00,EST-5,2017-05-31 15:40:00,0,0,0,0,,NaN,,NaN,38.595,-77.9643,38.595,-77.9643,"A weak boundary remained over the region. Warm and humid conditions ahead of the boundary led to the development of showers and thunderstorms. A few thunderstorms became severe.","A tree was down near Froggy Bottom Lane and Rixeyville." +115836,696186,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-31 16:24:00,EST-5,2017-05-31 16:24:00,0,0,0,0,,NaN,,NaN,39.0255,-77.2937,39.0255,-77.2937,"A weak boundary remained over the region. Warm and humid conditions ahead of the boundary led to the development of showers and thunderstorms. A few thunderstorms became severe.","Tree limbs and power lines were down in the vicinity of Beach Mill and Walker Road." +113785,681222,WYOMING,2017,March,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-03-08 22:00:00,MST-7,2017-03-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple of Pacific cold fronts combined with favorable jet dynamics to produce heavy snowfall across portions of the western mountains. The highest amounts fell in the Tetons and Absarokas, where the Jackson Hole Ski Resort and Blackwater SNOTEL reported 16 inches of new snow respectively. Heavy snow also fell in Yellowstone Park, where 12 inches of snow was reported at Parker Peak. Meanwhile, a tight pressure gradient and mixing of strong winds aloft to the surface brought high winds to portions of central Wyoming. The strongest winds were in the Green and Rattlesnake Range, where a prolonged period of high wind occurred with a maximum gust of 87 mph.","The SNOTEL site at Parker Peak reported 12 inches of new snow." +113785,681223,WYOMING,2017,March,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-03-07 22:00:00,MST-7,2017-03-10 07:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple of Pacific cold fronts combined with favorable jet dynamics to produce heavy snowfall across portions of the western mountains. The highest amounts fell in the Tetons and Absarokas, where the Jackson Hole Ski Resort and Blackwater SNOTEL reported 16 inches of new snow respectively. Heavy snow also fell in Yellowstone Park, where 12 inches of snow was reported at Parker Peak. Meanwhile, a tight pressure gradient and mixing of strong winds aloft to the surface brought high winds to portions of central Wyoming. The strongest winds were in the Green and Rattlesnake Range, where a prolonged period of high wind occurred with a maximum gust of 87 mph.","The RAWS at Camp Creek had an extended period of high wind that continued for over 2 days. There were numerous wind gusts of hurricane force including a maximum gust of 87 mph." +113785,681224,WYOMING,2017,March,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-03-08 00:36:00,MST-7,2017-03-08 11:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple of Pacific cold fronts combined with favorable jet dynamics to produce heavy snowfall across portions of the western mountains. The highest amounts fell in the Tetons and Absarokas, where the Jackson Hole Ski Resort and Blackwater SNOTEL reported 16 inches of new snow respectively. Heavy snow also fell in Yellowstone Park, where 12 inches of snow was reported at Parker Peak. Meanwhile, a tight pressure gradient and mixing of strong winds aloft to the surface brought high winds to portions of central Wyoming. The strongest winds were in the Green and Rattlesnake Range, where a prolonged period of high wind occurred with a maximum gust of 87 mph.","The wind sensor along Outer Drive south of Casper recorded several wind gusts past 58 mph including a maximum gust of 68 mph." +113785,681221,WYOMING,2017,March,Winter Storm,"ABSAROKA MOUNTAINS",2017-03-08 22:00:00,MST-7,2017-03-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple of Pacific cold fronts combined with favorable jet dynamics to produce heavy snowfall across portions of the western mountains. The highest amounts fell in the Tetons and Absarokas, where the Jackson Hole Ski Resort and Blackwater SNOTEL reported 16 inches of new snow respectively. Heavy snow also fell in Yellowstone Park, where 12 inches of snow was reported at Parker Peak. Meanwhile, a tight pressure gradient and mixing of strong winds aloft to the surface brought high winds to portions of central Wyoming. The strongest winds were in the Green and Rattlesnake Range, where a prolonged period of high wind occurred with a maximum gust of 87 mph.","Several SNOTEL sites reported over a foot of new snow. The highest amount was 16 inches at the Blackwater SNOTEL." +114832,688827,UTAH,2017,March,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-03-05 05:00:00,MST-7,2017-03-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Alta Ski Area received 15 inches of snow, while Park City Mountain Resort received 14 inches of snow. In addition, winds were strong ahead of the cold front, with peak recorded gusts of 110 mph at the Sundance Mountain Resort Arrowhead Summit sensor, 96 mph at Dear Valley DV - Mount Baldy sensor, 82 mph at the Deer Valley DV - Bald Eagle sensor, and 82 mph at the Dreamscape Study Plot sensor, as well as numerous reports in the 70-79 mph range." +114832,688824,UTAH,2017,March,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-03-05 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","The Parrish Creek SNOTEL received 1.50 inches liquid equivalent precipitation, or approximately 16 inches of snow. In addition, winds were strong ahead of the cold front, with peak recorded gusts of 96 mph at the SR-65 at Big Mountain Pass sensor, 89 mph at Ogden Peak, and 82 mph at the Snowbasin Resort Snowbasin-Straw Top sensor." +114832,688874,UTAH,2017,March,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-03-05 11:30:00,MST-7,2017-03-05 17:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Peak recorded wind gusts included 77 mph at the Great Salt Lake Marina, 76 mph in Tooele, 72 mph at the Olympus Hills sensor, 68 mph at Draper, and dozens of reports in the 55-65 mph range. Tree damage was widespread across both the Salt Lake and Tooele Valleys, with many trees uprooted. Damage was also reported to roofs, carports, and fences." +114832,688905,UTAH,2017,March,High Wind,"SOUTHWEST UTAH",2017-03-05 11:45:00,MST-7,2017-03-05 20:10:00,10,0,0,0,80.00K,80000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Maximum recorded wind gusts included 70 mph at the Milford Municipal Airport/Ben and Judy Briscoe Field ASOS, 67 mph at the Cedar City Regional Airport ASOS, 65 mph at Enterprise, and 65 mph at Brimstone Reservoir. Tree and fence damage was reported at multiple locations, including Enoch, Fillmore, and Cedar City. In addition, the winds and low visibility due to blowing dust were both significant factors in multiple car accidents along State Route 21 near Milford, which was closed for a period of time between mileposts 78 and 90. The reduced visibility led to a three-vehicle pileup, involving a semitrailer, an SUV, and a pickup truck pulling a trailer, which resulted in several serious injuries. Another three-vehicle accident was caused by windblown debris in the middle of the roadway, also involving two passenger cars and a semitrailer, with injuries sustained in that accident as well. Also along this part of State Route 21, the roof of a barn was blown off and became caught in power lines, causing them to crash down to the ground." +113212,690333,GEORGIA,2017,March,Drought,"POLK",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114267,684605,GEORGIA,2017,March,Winter Weather,"MURRAY",2017-03-11 21:00:00,EST-5,2017-03-12 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold and dry low-level air mass in place across the region, two quick-moving short waves brought a mix of rain, sleet and snow to the far north Georgia mountains. The precipitation began on the evening of the 11th as a light mixture of rain and sleet with no accumulations of sleet reported. By late evening and through the early morning hours of the 12th, the precipitation changed over mostly snow with most areas reporting an inch or less of snow accumulations, mainly on grassy and elevated surfaces. Some locations in the higher elevations of the north Georgia mountains reported one to two inches of snow accumulation before the precipitation ended around sunrise on the 12th.","A report was received on social media of a half inch of snow on grassy surfaces in Chatsworth." +114274,689129,GEORGIA,2017,March,Thunderstorm Wind,"CATOOSA",2017-03-10 02:11:00,EST-5,2017-03-10 02:15:00,0,0,0,0,0.70K,700,,NaN,34.8976,-85.0828,34.8976,-85.0828,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Georgia Department of Transportation reported a tree blown down onto I-75 near mile marker 345." +113212,690350,GEORGIA,2017,March,Drought,"FLOYD",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,689915,GEORGIA,2017,March,Tornado,"BARROW",2017-03-21 20:03:00,EST-5,2017-03-21 20:04:00,0,0,0,0,20.00K,20000,,NaN,33.9807,-83.6548,33.9789,-83.6537,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A National Weather Service survey team found that a brief tornado developed along the leading edge of a larger swath of strong thunderstorm winds. The EF-0 tornado with maximum winds of 85 MPH and a maximum path width of 100 Yards began near the Barrow County Airport east of Winder along Sunset Drive. The tornado travelled between .1 and .2 miles along Sunset Drive snapping or uprooting several large trees and destroying a barn. Pieces of the barn were carried nearly a quarter of a mile. [03/21/17: Tornado #1, County #1/1, EF-0, Barrow, 2017:031]." +114280,689926,GEORGIA,2017,March,Tornado,"JACKSON",2017-03-21 20:03:00,EST-5,2017-03-21 20:04:00,0,0,0,0,75.00K,75000,,NaN,34.058,-83.4923,34.0587,-83.4847,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A National Weather Service survey team found an EF-1 tornado that began south of New Kings Bridge Road southeast of Jefferson where it destroyed a home under construction. The tornado then travelled east for just under a half of a mile across an open field where it snapped and uprooted several trees before ending near Jefferson River Road where it caused minor damage to another home. Maximum winds reached 95 MPH and the maximum path width was 100 yards. [03/21/17: Tornado #2, County #1/1, EF-1, Jackson, 2017:032]." +114280,689959,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 15:00:00,EST-5,2017-03-21 15:10:00,0,0,0,0,,NaN,,NaN,34.53,-83.75,34.53,-83.75,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A trained spotter reported walnut size hail." +114280,689962,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 15:10:00,EST-5,2017-03-21 15:20:00,0,0,0,0,,NaN,,NaN,34.53,-83.75,34.53,-83.75,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A trained spotter reported quarter size hail covering the ground." +113054,675891,NORTH DAKOTA,2017,March,High Wind,"MCLEAN",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Garrison ASOS reported a wind gust of 61 mph." +113054,675894,NORTH DAKOTA,2017,March,High Wind,"ADAMS",2017-03-06 12:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Hettinger ASOS reported a wind gust of 63 mph." +113054,689199,NORTH DAKOTA,2017,March,Blizzard,"MOUNTRAIL",2017-03-06 16:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +113054,689497,NORTH DAKOTA,2017,March,Blizzard,"WILLIAMS",2017-03-07 11:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Strong winds combined with fresh snow on the ground along with falling snow to produce a blizzard." +115728,703252,ILLINOIS,2017,May,Flash Flood,"CHAMPAIGN",2017-05-04 08:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3726,-87.9318,40.3356,-88.1591,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Champaign County. Officials reported that most roads were impassable and numerous creeks rapidly flooded, particularly south of I-74 and east of I-57. Numerous streets and viaducts in Champaign and Urbana were also flooded." +115728,703253,ILLINOIS,2017,May,Flood,"CHAMPAIGN",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3726,-87.9318,40.3356,-88.1591,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Champaign County. Officials reported that most roads were impassable and numerous creeks rapidly flooded, particularly south of I-74 and east of I-57. Numerous streets and viaducts in Champaign and Urbana were also flooded. Additional rainfall of 1.00 to 1.50 inches later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +114273,684687,GEORGIA,2017,March,Thunderstorm Wind,"UNION",2017-03-01 17:27:00,EST-5,2017-03-01 17:32:00,0,0,0,0,7.00K,7000,,NaN,34.8129,-83.9445,34.8253,-83.8731,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Union County Emergency Manager reported several trees blown down on Owltown and Town Creek School Roads." +114273,684692,GEORGIA,2017,March,Thunderstorm Wind,"WHITE",2017-03-01 18:16:00,EST-5,2017-03-01 18:21:00,0,0,0,0,5.00K,5000,,NaN,34.5329,-83.6732,34.5329,-83.6732,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The White County 911 center reported several trees blown down on Webster Lake Road." +114273,684694,GEORGIA,2017,March,Thunderstorm Wind,"HARALSON",2017-03-01 18:30:00,EST-5,2017-03-01 18:40:00,0,0,0,0,15.00K,15000,,NaN,33.7807,-85.3473,33.8298,-85.0946,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Haralson County Emergency Manager reported trees blown down across the county from west and north of Tallapoosa, across Buchanan to northwest of Draketown. Some locations include Wildcat Road, U.S. Highway 27 Business and West Head Avenue, J. Davis Road near U.S. Highway 78, Old Ridgeway Road at Old Bush Mill Road, and 5 Points Road at Allred Road. Parts of a metal roof were blown off an outbuilding in the Piney Woods area." +114273,684695,GEORGIA,2017,March,Thunderstorm Wind,"PAULDING",2017-03-01 18:30:00,EST-5,2017-03-01 18:38:00,0,0,0,0,8.00K,8000,,NaN,33.9253,-84.9593,33.9253,-84.9593,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Paulding County Emergency Manager reported trees and power lines blown down on Gold Mine Road near Lock Lear Circle." +115049,690646,KANSAS,2017,March,Hail,"GRANT",2017-03-23 17:29:00,CST-6,2017-03-23 17:29:00,0,0,0,0,,NaN,,NaN,37.7,-101.37,37.7,-101.37,"The first severe weather event of the spring developed as a s/wv trough moved out of the west.","In addition to the hail, winds were estimated to be 60 MPH." +114273,684699,GEORGIA,2017,March,Thunderstorm Wind,"PAULDING",2017-03-01 18:50:00,EST-5,2017-03-01 18:55:00,0,0,0,0,6.00K,6000,,NaN,33.8517,-84.8424,33.8517,-84.8424,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Paulding County Emergency Manager reported trees blown down onto power lines in the vicinity of Smith Ferguson Road and Dallas Nebo Road." +114612,687366,TEXAS,2017,March,Hail,"OLDHAM",2017-03-23 16:53:00,CST-6,2017-03-23 16:53:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-102.37,35.25,-102.37,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Reporting quarter hail 3 miles east of Vega on I-40. Hail now shifting north of highway." +114612,687367,TEXAS,2017,March,Thunderstorm Wind,"MOORE",2017-03-23 17:01:00,CST-6,2017-03-23 17:01:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-102.01,35.86,-102.01,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Schoolnet site Moore County airport reporting 60 mph winds." +113642,684693,INDIANA,2017,March,Thunderstorm Wind,"MARTIN",2017-03-01 05:25:00,EST-5,2017-03-01 05:25:00,1,0,0,0,16.00K,16000,0.00K,0,38.6178,-86.7192,38.6178,-86.7192,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","A large tree was downed onto a home due to damaging thunderstorm wind gusts. One person sustained non-life threatening injuries." +114313,684981,PENNSYLVANIA,2017,March,Flood,"FAYETTE",2017-03-01 08:23:00,EST-5,2017-03-01 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.9,-79.72,39.8245,-79.5204,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Local 911 reported flooding county wide including on Dead Mans creek in the North Farmington area." +113661,685973,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:15:00,CST-6,2017-03-29 01:15:00,0,0,0,2,0.00K,0,0.00K,0,32.7531,-97.2587,32.7531,-97.2587,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Power lines blown down. The power lines remained active Wednesday, resulting in the electrocution of 2 brothers playing in the area." +113399,678524,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 12 miles northwest of Entiat reported 9.7 inches of new snow." +113399,678534,WASHINGTON,2017,February,Heavy Snow,"WENATCHEE AREA",2017-02-08 10:00:00,PST-8,2017-02-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Chelan reported 6 inches of new snow." +113399,678568,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer at Northport reported 6 inches of new snow." +113610,680124,NEW JERSEY,2017,February,Winter Storm,"EASTERN UNION",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","Newark Airport reported 7.8 inches of snow. A trained spotter in Linden reported 6 inches of snow." +113610,680127,NEW JERSEY,2017,February,Winter Storm,"EASTERN PASSAIC",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A trained spotter in Hawthrone reported 8.1 inches of snowfall." +113610,680123,NEW JERSEY,2017,February,Winter Storm,"WESTERN UNION",2017-02-09 04:00:00,EST-5,2017-02-09 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","A CoCoRaHS observer in New Providence reported 6.3 inches of snowfall." +113610,680095,NEW JERSEY,2017,February,Winter Storm,"WESTERN BERGEN",2017-02-09 04:00:00,EST-5,2017-02-09 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought heavy snow and strong winds to portions of Northeast New Jersey. Numerous flights were cancelled or delayed at Newark Airport.","Trained spotters and the public reported 6 to 9 inches of snowfall." +113908,693387,CALIFORNIA,2017,February,High Wind,"SOUTHEASTERN MENDOCINO INTERIOR",2017-02-07 03:00:00,PST-8,2017-02-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of storm systems brought more heavy rain to Northwest California from February 6th through the 11th. With the ground already saturated from a very wet December and January, rivers rose sharply and reached stages not seen since 2005 in a few locations. Area roads were once again impacted with several more slip outs and landslides occurring. Additionally, each storm system brought bouts of strong winds which resulted in power outages and tree damage.","Mendocino Pass RAWS reported gusts to 63 mph from 3am to 7am at 5382 ft elevation." +115399,692880,FLORIDA,2017,May,Thunderstorm Wind,"GILCHRIST",2017-05-04 15:48:00,EST-5,2017-05-04 15:48:00,0,0,0,0,0.00K,0,0.00K,0,29.64,-82.7,29.64,-82.7,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A spotter estimated wind gusts of 50-60 mph which caused some 3-5 inch tree limbs to be blown down." +115399,692881,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 16:12:00,EST-5,2017-05-04 16:12:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-81.47,30.25,-81.47,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Wind gusts to 60 mph and dime size hail was observed at Hodges Blvd. and JTB." +115399,692882,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-04 15:35:00,EST-5,2017-05-04 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.26,-81.53,30.26,-81.53,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","Several large trees were blown down near St. Johns Town Center and extended northeast toward Beach Blvd. The time of damage was based on radar." +115400,692883,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 15:36:00,EST-5,2017-05-04 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.52,30.39,-81.52,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A wind gust to 47 mph was measured." +114655,687709,NEBRASKA,2017,February,Winter Storm,"SCOTTS BLUFF",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Ten to twenty inches of snow was observed countywide. The heaviest snow fell at Scottsbluff and Mitchell." +114655,687710,NEBRASKA,2017,February,Winter Storm,"BANNER",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense Pacific low pressure system produced heavy snowfall and gusty winds up to 35 mph across the western Nebraska Panhandle. A narrow swath of 15 to 25 inches of snow fell from west of Scottsbluff to Alliance. Elsewhere, snow accumulations ranged from 3 to 15 inches. This storm resulted in major impacts to transportation, resulting in numerous road and interstate highway closures.","Six to twelve inches of snow was observed countywide." +113909,682312,CALIFORNIA,2017,February,Heavy Rain,"DEL NORTE",2017-02-15 13:00:00,PST-8,2017-02-16 07:00:00,0,0,0,0,600.00K,600000,0.00K,0,41.6833,-124.1126,41.6833,-124.1126,"Heavy rain spread over Northwest California from February 15th into the 16th causing more landslides and minor flooding across the region.","Culvert failures between mile post 20 and 28 along Highway 101." +113664,680334,UTAH,2017,February,Flood,"CACHE",2017-02-07 00:00:00,MST-7,2017-02-27 00:00:00,0,0,0,0,4.00M,4000000,0.00K,0,41.5508,-111.7529,41.9354,-111.72,"Heavy rainfall and significant snowmelt through the month of February combined to produce flooding in multiple locations across far northern Utah.","Significant rainfall and snowmelt caused main stem river flooding along the Bear River, and also overwhelmed drainage systems away from the river across much of Cache County. Many roads were flooded and structurally compromised, with over $2.5 million worth of damage reported to roads alone. Debris and flood waters also caused significant damage to sewage and water control systems. Dozens of homes experienced basement flooding, particularly in Wellsville, Hyrum, and Mendon." +113664,680336,UTAH,2017,February,Flood,"RICH",2017-02-07 00:00:00,MST-7,2017-02-11 00:00:00,0,0,0,0,250.00K,250000,0.00K,0,41.9535,-111.3821,41.8166,-111.2476,"Heavy rainfall and significant snowmelt through the month of February combined to produce flooding in multiple locations across far northern Utah.","Heavy rain and snowmelt overwhelmed drainage systems in portions of Rich County. A 10 to 15 foot section of a canal was breached near Garden City, leading to flooding in several homes. Eleven homes were also flooded in Laketown, and water flowed over multiple area roadways, including State Route 16 between Randolph and Woodruff." +113907,682214,WASHINGTON,2017,February,Flood,"ADAMS",2017-02-16 07:00:00,PST-8,2017-02-22 07:00:00,0,0,0,0,200.00K,200000,0.00K,0,46.9594,-118.7159,46.9536,-118.7135,"During the afternoon of February 15th and into the morning of February 16th an atmospheric river of moisture produced widespread heavy rain across eastern Washington. The Spokane airport received 1.18 inches of rainfall during this period, Harrington 1.27 inches and 1.55 inches of rain fell at Newport. Runoff from this rain along with low elevation snow melt produced widespread small stream and field flooding with damage to roads due to erosion and numerous road closures around the region due to high water and washouts and minor mud slides and debris flows across roads.","A section of the Lind-Warden Road was washed out producing a gaping 30 foot wide and 15 foot deep canyon across the road. A motorist drove into the gap and dropped 15 feet. The car was destroyed but the driver was unharmed." +113907,682215,WASHINGTON,2017,February,Flood,"ADAMS",2017-02-16 07:00:00,PST-8,2017-02-17 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,46.9697,-118.6695,46.9757,-118.6551,"During the afternoon of February 15th and into the morning of February 16th an atmospheric river of moisture produced widespread heavy rain across eastern Washington. The Spokane airport received 1.18 inches of rainfall during this period, Harrington 1.27 inches and 1.55 inches of rain fell at Newport. Runoff from this rain along with low elevation snow melt produced widespread small stream and field flooding with damage to roads due to erosion and numerous road closures around the region due to high water and washouts and minor mud slides and debris flows across roads.","Multiple road closures due to flooding occurred along Highway 21 between Lind and Interstate 90." +113907,682523,WASHINGTON,2017,February,Flood,"FERRY",2017-02-16 08:00:00,PST-8,2017-02-19 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,48.3091,-118.8336,48.309,-118.7045,"During the afternoon of February 15th and into the morning of February 16th an atmospheric river of moisture produced widespread heavy rain across eastern Washington. The Spokane airport received 1.18 inches of rainfall during this period, Harrington 1.27 inches and 1.55 inches of rain fell at Newport. Runoff from this rain along with low elevation snow melt produced widespread small stream and field flooding with damage to roads due to erosion and numerous road closures around the region due to high water and washouts and minor mud slides and debris flows across roads.","Highway 20 through a mountainous area between Keller and Republic was closed with water, ice and snow blocking lanes between mileposts 130 and 150." +113969,682534,IDAHO,2017,February,Debris Flow,"KOOTENAI",2017-02-25 07:00:00,PST-8,2017-02-27 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,47.9815,-116.5537,47.9826,-116.5377,"An unusually wet month featuring numerous rain storms and the melt off of low elevation snow produced saturated soil conditions and promoted road washouts and minor debris flows which locally affected transportation around the region between February 16th and the end of the month.","East Cape Horn Road near Bayview was washed out cutting off residents for two days while crews repaired the road and removed mud and debris." +113310,678124,ILLINOIS,2017,February,Thunderstorm Wind,"WOODFORD",2017-02-28 22:25:00,CST-6,2017-02-28 22:30:00,0,0,0,0,15.00K,15000,0.00K,0,40.62,-89.31,40.62,-89.31,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","A semi was blown over on I-74 east of Deer Creek." +114811,688610,KENTUCKY,2017,May,Thunderstorm Wind,"PIKE",2017-05-24 12:24:00,EST-5,2017-05-24 12:24:00,0,0,0,0,,NaN,,NaN,37.5107,-82.5587,37.5107,-82.5587,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Local law enforcement reported a tree down northwest of Pikeville." +114811,688612,KENTUCKY,2017,May,Hail,"PULASKI",2017-05-24 14:33:00,EST-5,2017-05-24 14:33:00,0,0,0,0,,NaN,,NaN,37.07,-84.82,37.07,-84.82,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Law enforcement reported quarter sized hail in Faubush." +114811,688615,KENTUCKY,2017,May,Thunderstorm Wind,"ROCKCASTLE",2017-05-24 15:13:00,EST-5,2017-05-24 15:13:00,0,0,0,0,,NaN,,NaN,37.4,-84.42,37.4,-84.42,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","A citizen reported power lines and numerous trees blown down in Brodhead." +113171,677295,GEORGIA,2017,February,Drought,"BARROW",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677264,GEORGIA,2017,February,Drought,"OGLETHORPE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677284,GEORGIA,2017,February,Drought,"DAWSON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113664,680335,UTAH,2017,February,Flood,"BOX ELDER",2017-02-07 00:00:00,MST-7,2017-02-27 00:00:00,0,0,0,0,5.00M,5000000,0.00K,0,41.4819,-111.9713,41.9872,-112.1704,"Heavy rainfall and significant snowmelt through the month of February combined to produce flooding in multiple locations across far northern Utah.","Significant rainfall and snowmelt led to main stem river flooding along the Bear River, and also produced widespread flooding away from the river across Box Elder County, with one estimate from the County Commissioner saying that 90% of communities in the county had been affected. Approximately 60 to 100 homes experienced basement flooding, especially in Bothwell, Garland, and Tremonton. Flooding also impacted many businesses and churches. Damage to roadways was also widespread, with over $3.1 million in road damage alone." +115244,694634,MISSOURI,2017,May,Hail,"POLK",2017-05-30 20:45:00,CST-6,2017-05-30 20:45:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-93.43,37.8,-93.43,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","" +115244,694637,MISSOURI,2017,May,Hail,"VERNON",2017-05-31 14:10:00,CST-6,2017-05-31 14:10:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-94.16,37.97,-94.16,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","Quarter size covered the ground and wind gusts were estimated up to 60 mph." +114653,698432,MISSOURI,2017,May,Flash Flood,"MCDONALD",2017-05-19 18:40:00,CST-6,2017-05-19 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.5965,-94.3846,36.597,-94.385,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Highway W in Pineville just north of 8th Street was flooded." +114653,698433,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-19 21:13:00,CST-6,2017-05-19 23:13:00,0,0,0,0,0.00K,0,0.00K,0,36.7204,-92.8841,36.7216,-92.8832,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Excessive rainfall caused flash flooding along Brushy Creek. Highway 125 was flooded and impassable near Brushy Creek." +114653,698434,MISSOURI,2017,May,Flash Flood,"BARRY",2017-05-19 22:32:00,CST-6,2017-05-20 00:32:00,0,0,0,0,0.00K,0,0.00K,0,36.5154,-94.0152,36.5161,-94.0147,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A section of Farm Road 1050 was impassable due to flash flooding." +114653,698436,MISSOURI,2017,May,Flash Flood,"DOUGLAS",2017-05-20 00:57:00,CST-6,2017-05-20 02:57:00,0,0,0,0,0.00K,0,0.00K,0,36.9661,-92.7257,36.9635,-92.7277,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Highway Y was impassable west of Ava due to flooding of Cowskin Creek." +114653,698437,MISSOURI,2017,May,Hail,"CHRISTIAN",2017-05-19 00:50:00,CST-6,2017-05-19 00:50:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-93.28,36.91,-93.28,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","" +114653,698438,MISSOURI,2017,May,Hail,"GREENE",2017-05-19 15:24:00,CST-6,2017-05-19 15:24:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.48,37.12,-93.48,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There was a picture of quarter to half dollar size hail on social media." +115551,693812,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 15:10:00,EST-5,2017-05-24 15:10:00,0,0,0,0,0.00K,0,0.00K,0,28.71,-80.73,28.71,-80.73,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 0418 measured a peak wind gust of 45 knots as a strong storm moved offshore of Brevard County." +115551,693815,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 15:40:00,EST-5,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,28.57,-80.59,28.57,-80.59,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 0110 measured a peak wind gust of 44 knots as a strong storm moved offshore of Brevard County." +115551,693816,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 15:40:00,EST-5,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","US Air Force wind tower 0421 measured a peak wind gust of 51 knots from the west as a severe storm moved offshore of Brevard County." +115551,693817,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-05-24 15:50:00,EST-5,2017-05-24 15:50:00,0,0,0,0,0.00K,0,0.00K,0,29.06,-80.95,29.06,-80.95,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","AWOS at New Smyrna Beach Airport (KEVB) measured a peak wind gust of 34 knots as a strong storm moved into the nearshore waters off Volusia County." +114533,686884,TEXAS,2017,May,Tornado,"UPSHUR",2017-05-11 17:09:00,CST-6,2017-05-11 17:11:00,0,0,0,0,60.00K,60000,0.00K,0,32.5528,-95.0058,32.5646,-94.9889,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","An EF-1 tornado with maximum estimated winds between 90-95 mph touched down across a wooded area in a pastureland just west of Juniper Road near the Sabine River south of Highway 80, just west of the Gladewater city limits in far Southern Upshur County. Through the path length, this tornado remained around treetop level, shearing the tops off of numerous trees while also snapping and uprooting trees, where trees had fallen on a mobile home, a motor home, and a pickup truck on Juniper Road. The tornado traveled northeast across Highway 80 to near Locust Road and Green Road where additional trees were partially snapped or uprooted. A few shingles were also blown off of the back of a home on Green Road. The tornado lifted on White Oak Road about one-quarter mile southeast of Locust Road. It should be noted that the parent supercell thunderstorm produced damaging straight-line winds that also uprooted a tree on West Gay Avenue and downed a tree on power lines on West Sheppard Drive in North Gladewater, while also snapping large limbs on Lake Drive and Philips Springs Road just east of Lake Gladewater." +114533,686885,TEXAS,2017,May,Tornado,"UPSHUR",2017-05-11 17:23:00,CST-6,2017-05-11 17:26:00,0,0,0,0,0.00K,0,0.00K,0,32.5738,-94.8971,32.5711,-94.8768,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","An EF-0 tornado with maximum estimated winds of 65-75 mph touched down along North White Oak Road on the edge of the Union Grove incorporated limits and crossed Seagull Road before entering Northern Gregg County. The tornado intensified into an EF-1 tornado shortly after it crossed over into Gregg County across Morgan Road west of East Mountain Road. Several large tree limbs were snapped from the tops of trees along North White Oak Road, Seagull Road, and Morgan Road." +114703,688007,LOUISIANA,2017,May,Hail,"CADDO",2017-05-20 21:55:00,CST-6,2017-05-20 22:55:00,0,0,0,0,0.00K,0,0.00K,0,32.3518,-93.7143,32.3518,-93.7143,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Quarter size hail fell on Norris Ferry Road in South Shreveport." +114703,688008,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-20 21:45:00,CST-6,2017-05-20 21:45:00,0,0,0,0,0.00K,0,0.00K,0,32.2854,-93.7592,32.2854,-93.7592,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Multiple trees were blown down on Linwood Avenue just north of Stonewall Frierson Road." +115178,691493,LOUISIANA,2017,May,Flash Flood,"CADDO",2017-05-28 17:35:00,CST-6,2017-05-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,32.4457,-93.9707,32.446,-93.9706,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Interstate 20 between Exit 3 and Exit 5 was shut down in Greenwood due to flooding." +115178,691705,LOUISIANA,2017,May,Tornado,"WINN",2017-05-28 19:07:00,CST-6,2017-05-28 19:08:00,0,0,0,0,0.00K,0,0.00K,0,31.9083,-92.7384,31.9076,-92.7371,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A brief EF-1 tornado with maximum estimated winds around 95 mph touched down in the Kisatchie National Forest west of Winnfield along Highway 84. Numerous hardwood and softwood trees were snapped and uprooted as the tornado traveled from northwest to southeast across Highway 84." +116309,702715,ALABAMA,2017,May,Flash Flood,"ELMORE",2017-05-20 19:30:00,CST-6,2017-05-21 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4708,-86.3612,32.5435,-86.3567,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several roads flooded and impassable across the southern portions of the county. Roads flooded in the city of Millbrook include Country Place Drive, Highway 14 near the intersection of Turtle Place Drive, and Dogwood Circle. Other roads flooded include Highway 231 near Charles Avenue, Dogwood Meadows Drive at Mount Meadows Lane, and Rifle Range Road and Laprade Road." +116309,702716,ALABAMA,2017,May,Thunderstorm Wind,"ELMORE",2017-05-20 21:13:00,CST-6,2017-05-20 21:15:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-85.9,32.54,-85.9,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several trees uprooted in the town of Tallassee." +116881,702717,ALABAMA,2017,May,Thunderstorm Wind,"MARION",2017-05-28 00:20:00,CST-6,2017-05-28 00:22:00,0,0,0,0,0.00K,0,0.00K,0,34.1403,-87.9868,34.1403,-87.9868,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Numerous trees and power lines downed around the city of Hamilton. Significant damage to several buildings along Military Street. Wind gust of 69 mph reported at the EOC in the city of Hamilton." +116881,702718,ALABAMA,2017,May,Thunderstorm Wind,"MARION",2017-05-28 00:25:00,CST-6,2017-05-28 00:26:00,0,0,0,0,0.00K,0,0.00K,0,34.28,-87.83,34.28,-87.83,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Metal outbuilding destroyed and damage to a mobile home in the town of Hackleburg." +116881,702719,ALABAMA,2017,May,Thunderstorm Wind,"MARION",2017-05-28 00:27:00,CST-6,2017-05-28 00:28:00,0,0,0,0,0.00K,0,0.00K,0,34.2734,-87.7011,34.2734,-87.7011,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the town of Bears Creek." +114188,683955,MISSOURI,2017,March,Tornado,"BUTLER",2017-03-09 19:14:00,CST-6,2017-03-09 19:18:00,0,0,0,0,500.00K,500000,0.00K,0,36.6611,-90.2736,36.6612,-90.2243,"A cluster of severe thunderstorms over south central Missouri organized into a bowing line of storms as it tracked eastward during the evening. An embedded supercell within the line spawned several tornadoes along an east-west corridor from Ripley County eastward to New Madrid County. A couple of significant tornadoes and damaging wind events accompanied this line, along with large hail. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Peak winds were estimated near 100 mph. This tornado passed across Highway 51 about a mile south of Broseley. A farm machine shed was leveled. Numerous other sheds or small structures were damaged or destroyed. Large irrigation piping was blown hundreds of feet in varying directions. Farm implements were blown over, and two camper units were rolled over. At least four houses received minor to moderate damage to roofs, siding, and windows. Numerous trees were uprooted. There was also some spotty straight-line wind damage to outbuildings and trees just north and east of the tornado track. This tornado was the first of several that were spawned by the same eastward moving supercell." +114208,684039,ILLINOIS,2017,March,Hail,"JACKSON",2017-03-20 12:35:00,CST-6,2017-03-20 12:35:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-89.33,37.77,-89.33,"An east-west line of showers and thunderstorms sagged slowly southward across southern Illinois during the afternoon. A few of the strongest storms produced hail up to the size of dimes. The showers and storms occurred south of a stationary front along the Interstate 64 corridor of southern Illinois.","" +114208,684041,ILLINOIS,2017,March,Hail,"HARDIN",2017-03-20 13:33:00,CST-6,2017-03-20 13:33:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-88.35,37.42,-88.35,"An east-west line of showers and thunderstorms sagged slowly southward across southern Illinois during the afternoon. A few of the strongest storms produced hail up to the size of dimes. The showers and storms occurred south of a stationary front along the Interstate 64 corridor of southern Illinois.","" +114209,684042,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-20 16:18:00,CST-6,2017-03-20 16:18:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-88.338,36.62,-88.338,"Large clusters of strong thunderstorms moved southward across western Kentucky. A few storms produced hail up to the size of dimes. The storms occurred south of a stationary front that was draped across southern Illinois.","" +114195,683961,WISCONSIN,2017,March,Hail,"IOWA",2017-03-23 16:56:00,CST-6,2017-03-23 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.86,-90.07,42.86,-90.07,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +113798,681293,MISSOURI,2017,March,Hail,"NEWTON",2017-03-21 07:50:00,CST-6,2017-03-21 07:50:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-94.37,36.82,-94.37,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Hail up to the size up quarters fell at Crowder College." +113798,681294,MISSOURI,2017,March,Hail,"BARRY",2017-03-21 08:40:00,CST-6,2017-03-21 08:40:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.91,36.81,-93.91,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Hail from dime to quarter size fell for about five minutes." +113798,681295,MISSOURI,2017,March,Hail,"BARRY",2017-03-21 09:02:00,CST-6,2017-03-21 09:02:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-93.69,36.8,-93.69,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681296,MISSOURI,2017,March,Hail,"LAWRENCE",2017-03-21 08:50:00,CST-6,2017-03-21 08:50:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-94.01,37.06,-94.01,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681297,MISSOURI,2017,March,Hail,"STONE",2017-03-21 09:38:00,CST-6,2017-03-21 09:38:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.38,36.81,-93.38,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681298,MISSOURI,2017,March,Hail,"STONE",2017-03-21 09:34:00,CST-6,2017-03-21 09:34:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.38,36.81,-93.38,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681300,MISSOURI,2017,March,Hail,"CHRISTIAN",2017-03-21 10:15:00,CST-6,2017-03-21 10:15:00,0,0,0,0,0.00K,0,0.00K,0,37,-93.14,37,-93.14,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +112920,685998,IOWA,2017,March,Hail,"PALO ALTO",2017-03-06 16:05:00,CST-6,2017-03-06 16:05:00,0,0,0,0,2.00K,2000,0.00K,0,43.1123,-94.6196,43.1123,-94.6196,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Picture submitted to broadcast media and shown on social media, relayed by COOP observer." +112920,687638,IOWA,2017,March,Hail,"CARROLL",2017-03-06 16:40:00,CST-6,2017-03-06 16:40:00,0,0,0,0,0.00K,0,0.00K,0,42.1059,-94.8821,42.1059,-94.8821,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Report via social media." +112920,687641,IOWA,2017,March,Thunderstorm Wind,"MARION",2017-03-06 20:01:00,CST-6,2017-03-06 20:01:00,0,0,0,0,0.00K,0,0.00K,0,41.3894,-92.8578,41.3894,-92.8578,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Gust recorded at the Pella Iowa RWIS station." +114257,684549,MISSOURI,2017,March,Dense Fog,"STODDARD",2017-03-18 03:00:00,CST-6,2017-03-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114257,684550,MISSOURI,2017,March,Dense Fog,"MISSISSIPPI",2017-03-18 03:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114257,684551,MISSOURI,2017,March,Dense Fog,"NEW MADRID",2017-03-18 03:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and southeast of a line from Cape Girardeau to Poplar Bluff, widespread dense fog reduced visibility to one-quarter mile or less during the early morning hours. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114186,683900,KENTUCKY,2017,March,Hail,"GRAVES",2017-03-09 19:25:00,CST-6,2017-03-09 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.6607,-88.7245,36.68,-88.7,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Half-dollar size hail fell at Pryorsburg. Nickel-size hail was reported just north of Wingo." +115701,695272,IOWA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-16 19:44:00,CST-6,2017-05-16 19:44:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-94.54,42.53,-94.54,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported wind gusts to 60 mph." +113678,680459,KENTUCKY,2017,March,Tornado,"GRAVES",2017-03-01 05:25:00,CST-6,2017-03-01 05:27:00,0,0,0,0,170.00K,170000,0.00K,0,36.5827,-88.6263,36.5867,-88.5989,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","This tornado began near the community of Cuba and lifted after tracking about 1.5 miles. Peak winds were estimated near 120 mph. A single-family residence was destroyed. Much of the roof and upper portions of the house were removed. The roof was blown off a church. Several headstones in a cemetery were blown up to 30 feet. A number of barns were blown down. A machine shed was blown from its foundation. At least a dozen trees were uprooted. Dozens of others sustained broken limbs or trunks." +113678,680398,KENTUCKY,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 05:27:00,CST-6,2017-03-01 05:30:00,0,0,0,0,25.00K,25000,0.00K,0,36.8135,-88.4853,36.8165,-88.4573,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A microburst with estimated winds near 100 mph destroyed an outbuilding and snapped some hardwood trees. A cinder-block workshop was severely damaged. Tin was peeled off a well-built barn. The microburst began right along the Graves County line on the south side of the Purchase Parkway, then continued east along Highway 3526 for about 1.5 miles." +113678,680430,KENTUCKY,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 05:30:00,CST-6,2017-03-01 05:35:00,0,0,0,0,100.00K,100000,0.00K,0,37.0011,-88.35,36.87,-88.35,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Widespread damaging winds were observed across northern and central Marshall County. A wind gust to 75 mph was measured by National Weather Service personnel on a hill at the interchange of I-24 and the Purchase Parkway. The roof was blown off a large metal storage shed at the Marshall County Road Department near Draffenville. Several structures sustained minor damage in Benton. Trees and power lines were down, causing power outages. Several large pine trees were toppled at a residence on U.S. Highway 68, destroying a vehicle. Wind gusts around 75 mph were estimated by a National Weather Service employee near Palma." +115701,695304,IOWA,2017,May,Thunderstorm Wind,"BOONE",2017-05-16 20:36:00,CST-6,2017-05-16 20:36:00,0,0,0,0,0.00K,0,0.00K,0,42,-93.82,42,-93.82,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported gusts to 60 mph along with nickel sized hail and heavy rainfall." +114338,685147,ALABAMA,2017,March,Drought,"FAYETTE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +114338,685148,ALABAMA,2017,March,Drought,"WALKER",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +114338,685149,ALABAMA,2017,March,Drought,"ST. CLAIR",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +114338,685150,ALABAMA,2017,March,Drought,"CALHOUN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +114338,685151,ALABAMA,2017,March,Drought,"CLEBURNE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +114338,685152,ALABAMA,2017,March,Drought,"PICKENS",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near to slightly above normal rainfall during the month of March lowered the drought intensity from a D3 to a D2." +114250,684461,INDIANA,2017,March,Frost/Freeze,"PIKE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114250,684462,INDIANA,2017,March,Frost/Freeze,"POSEY",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114250,684464,INDIANA,2017,March,Frost/Freeze,"VANDERBURGH",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684457,ILLINOIS,2017,March,Frost/Freeze,"WAYNE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114249,684459,ILLINOIS,2017,March,Frost/Freeze,"WILLIAMSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 16 to 19 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114373,685371,KANSAS,2017,March,Hail,"JACKSON",2017-03-24 07:28:00,CST-6,2017-03-24 07:29:00,0,0,0,0,,NaN,,NaN,39.28,-95.81,39.28,-95.81,"Thunderstorms during the last week of March led to widespread heavy rain amounts along with a few hail reports.","Mostly nickel size hail with a few quarters as well." +114373,685373,KANSAS,2017,March,Hail,"JACKSON",2017-03-24 07:38:00,CST-6,2017-03-24 07:39:00,0,0,0,0,,NaN,,NaN,39.41,-95.75,39.41,-95.75,"Thunderstorms during the last week of March led to widespread heavy rain amounts along with a few hail reports.","" +119401,717684,ILLINOIS,2017,June,Thunderstorm Wind,"MACOUPIN",2017-06-14 12:15:00,CST-6,2017-06-14 12:15:00,0,0,0,0,0.00K,0,0.00K,0,39.0093,-89.8024,39.02,-89.78,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large trees around town as well as power lines." +119401,717685,ILLINOIS,2017,June,Thunderstorm Wind,"ADAMS",2017-06-14 12:59:00,CST-6,2017-06-14 12:59:00,0,0,0,0,0.00K,0,0.00K,0,39.894,-90.9338,39.894,-90.9338,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down a large tree in Siloam Springs State Park." +119156,715610,PUERTO RICO,2017,July,Flood,"SAN JUAN",2017-07-07 13:40:00,AST-4,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3987,-66.1093,18.4,-66.1077,"A tropical wave moving across the area, combined with daytime heating and orographic effects produced scattered to numerous showers with thunderstorms across the San Juan metropolitan area.","Quebrada Margarita was reported out of its banks near Altamira at Road PR-19." +119156,715611,PUERTO RICO,2017,July,Flood,"SAN JUAN",2017-07-07 13:40:00,AST-4,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3688,-66.042,18.3688,-66.0413,"A tropical wave moving across the area, combined with daytime heating and orographic effects produced scattered to numerous showers with thunderstorms across the San Juan metropolitan area.","Flooding was reported on PR-844 KM 1.1 near San Juan Chalet after Hotel del Valle." +112920,675089,IOWA,2017,March,Thunderstorm Wind,"TAMA",2017-03-06 20:26:00,CST-6,2017-03-06 20:26:00,0,0,0,0,40.00K,40000,0.00K,0,41.9,-92.39,41.9,-92.39,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported power lines down, house damage, and a barn blown down." +119156,715612,PUERTO RICO,2017,July,Flood,"GUAYNABO",2017-07-07 13:43:00,AST-4,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.4062,-66.1083,18.4063,-66.1078,"A tropical wave moving across the area, combined with daytime heating and orographic effects produced scattered to numerous showers with thunderstorms across the San Juan metropolitan area.","Flooding was reported at Avenida Martinez Nadal in direction towards Bayamon across from Bristol Myers." +119156,715615,PUERTO RICO,2017,July,Flood,"GUAYNABO",2017-07-07 13:58:00,AST-4,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.4021,-66.1059,18.4021,-66.1057,"A tropical wave moving across the area, combined with daytime heating and orographic effects produced scattered to numerous showers with thunderstorms across the San Juan metropolitan area.","Flooding was reported at Avenida Martinez Nadal near Casita de Abu." +119158,715622,PUERTO RICO,2017,July,Funnel Cloud,"ISABELA",2017-07-11 19:01:00,AST-4,2017-07-11 19:01:00,0,0,0,0,0.00K,0,0.00K,0,18.4919,-66.9627,18.4906,-66.9576,"Locally and diurnal effects combined with plenty of moisture in the low to mid-level to produce showers and thunderstorms across northwest PR.","A waterspout was reported and observed at Guajataca Sector near El Tunel de Guajataca." +119215,715882,PUERTO RICO,2017,July,Flash Flood,"GUAYNABO",2017-07-22 16:20:00,AST-4,2017-07-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4046,-66.1066,18.4041,-66.1062,"The moisture associated with a tropical wave interacted with local and diurnal effects to produce a line of heavy showers and thunderstorms downstream from El Yunque, affecting the San Juan metro area.","Flooding was reported at the San Patricio Exit in Expreso Martinez Nadal." +119215,715883,PUERTO RICO,2017,July,Flash Flood,"GUAYNABO",2017-07-22 16:20:00,AST-4,2017-07-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3991,-66.1089,18.3993,-66.1086,"The moisture associated with a tropical wave interacted with local and diurnal effects to produce a line of heavy showers and thunderstorms downstream from El Yunque, affecting the San Juan metro area.","Road PR-19 was reported flooded as a result of the Margarita stream going out of its banks." +112920,675094,IOWA,2017,March,Thunderstorm Wind,"WAPELLO",2017-03-06 21:02:00,CST-6,2017-03-06 21:02:00,0,0,0,0,30.00K,30000,0.00K,0,40.9972,-92.4099,40.9569,-92.4047,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported several trees down throughout town along with a roof off of a house on S. Madison Ave and a metal shed destroyed on 50th Street. This is a delayed report and time estimated from radar." +112920,675095,IOWA,2017,March,Thunderstorm Wind,"WAPELLO",2017-03-06 21:05:00,CST-6,2017-03-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41,-92.31,41,-92.31,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported a large pine tree uprooted." +114433,686209,NORTH CAROLINA,2017,March,Cold/Wind Chill,"IREDELL",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686210,NORTH CAROLINA,2017,March,Cold/Wind Chill,"LINCOLN",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686211,NORTH CAROLINA,2017,March,Cold/Wind Chill,"MECKLENBURG",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686212,NORTH CAROLINA,2017,March,Cold/Wind Chill,"ROWAN",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686213,NORTH CAROLINA,2017,March,Cold/Wind Chill,"UNION",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +121047,724658,MISSOURI,2017,August,Thunderstorm Wind,"CALLAWAY",2017-08-16 13:30:00,CST-6,2017-08-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-92.12,38.8455,-91.9453,"A cold front moved through the region triggering showers and thunderstorms. Some of the thunderstorms produced damaging winds.","Thunderstorm winds blew down numerous trees between Holts Summit and Fulton. Some of the trees fell onto homes in Holts Summit and Fulton. Also, a few trees fell across roads and power lines." +121048,724664,ILLINOIS,2017,September,Hail,"MACOUPIN",2017-09-04 16:08:00,CST-6,2017-09-04 16:14:00,0,0,0,0,0.00K,0,0.00K,0,39.3474,-89.8689,39.3474,-89.8689,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","" +121048,724666,ILLINOIS,2017,September,Hail,"MACOUPIN",2017-09-04 16:45:00,CST-6,2017-09-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.211,-89.9758,39.211,-89.9758,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","Golfball sized hail was reported at Beaver Dam State Park." +121048,724668,ILLINOIS,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-04 17:15:00,CST-6,2017-09-04 17:15:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-89.67,39.17,-89.67,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","" +121048,724669,ILLINOIS,2017,September,Hail,"MACOUPIN",2017-09-04 17:27:00,CST-6,2017-09-04 17:33:00,0,0,0,0,0.00K,0,0.00K,0,39.0425,-89.9516,39.0428,-89.9228,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","" +121048,724670,ILLINOIS,2017,September,Hail,"MADISON",2017-09-04 17:59:00,CST-6,2017-09-04 17:59:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-90.08,38.85,-90.08,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","" +121048,724671,ILLINOIS,2017,September,Thunderstorm Wind,"MADISON",2017-09-04 18:05:00,CST-6,2017-09-04 18:05:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-90.08,38.85,-90.08,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","Thunderstorm winds caused minor damage to a store as debris was blown around, including shopping carts." +121048,724672,ILLINOIS,2017,September,Thunderstorm Wind,"ST. CLAIR",2017-09-04 18:45:00,CST-6,2017-09-04 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.6033,-89.8083,38.6033,-89.8083,"Strong cold front moved south across forecast area, triggering numerous thunderstorms. Some of the storms were severe producing large hail and damaging winds.","Thunderstorm winds blew down several power lines around town." +115121,691222,VIRGINIA,2017,April,Tornado,"ORANGE",2017-04-06 11:29:00,EST-5,2017-04-06 11:33:00,0,0,0,0,,NaN,,NaN,38.28,-77.97,38.31,-77.94,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The National Weather Service in Baltimore MD/Washington DC has |confirmed a tornado near Unionville in Orange County Virginia |on April 6, 2017.||The tornado caused extensive convergent tree damage intermittently |along its path, along with some minor structural damage. The first |instances of uprooted and snapped trees occurred near the |intersection of Everona Road and Deertrail Lane. The tornado |continued north-northeast, causing additional tree damage on |Signal Hill Lane. ||The most extensive impacts occurred along US Route 522 near Ida Mae |Lane, where many of the trees in the concentrated path of the |tornado were either snapped or uprooted in differing directions. At |least two trees fell on structures. Metal roofing and siding were |removed from a business on the sides of the building opposing storm |motion. Some of this material was lofted and landed in a yard 0.4|miles away. The wall of an outbuilding was displaced several |inches off its foundation. Several homes received minor damage to |shingles, gutters, and siding. Two residents in this area witnessed |the tornado and observed debris being lofted and swirling in the |air. The survey concluded that this concentrated tornadic damage was |embedded within a larger area of very strong straight-line winds, as |numerous trees were downed in unidirectional fashion along a 0.7 mile |stretch of US 522.||The next observable damage occurred on Pine Stake Road near Clover |Hill Farm Lane. Trees were downed in a convergent pattern along a |narrow path, and a wooden fence sustained damage. The tornado lifted |after this point, as no further damage was observed to the north-|northeast.||The National Weather Service would like to thank the Orange County |Emergency Management Agency and the residents interviewed for their |assistance in this survey." +119204,716592,ILLINOIS,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 16:15:00,CST-6,2017-05-27 16:15:00,0,0,0,0,0.00K,0,0.00K,0,38.7042,-90.1442,38.7042,-90.1442,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down a couple large tree limbs, which in turn knocked down a few power lines." +119626,717708,ILLINOIS,2017,June,Thunderstorm Wind,"BROWN",2017-06-17 20:30:00,CST-6,2017-06-17 20:55:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-90.77,39.9422,-90.5379,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds blew down a number of trees in the Mt. Sterling area. Also, in LaGrange, there was minor roof damage to a house." +115591,710465,KANSAS,2017,June,Hail,"WASHINGTON",2017-06-16 22:47:00,CST-6,2017-06-16 22:48:00,0,0,0,0,,NaN,,NaN,39.81,-97.04,39.81,-97.04,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710468,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-16 22:51:00,CST-6,2017-06-16 22:52:00,0,0,0,0,,NaN,,NaN,39.27,-95.31,39.27,-95.31,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Wind gusts at least 70 MPH at 134th and US 59." +115591,710470,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-16 22:54:00,CST-6,2017-06-16 22:55:00,0,0,0,0,,NaN,,NaN,39.23,-95.36,39.23,-95.36,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Winds estimated to be 70 MPH at Marshall Road and K-92." +115591,710476,KANSAS,2017,June,Hail,"WASHINGTON",2017-06-16 23:04:00,CST-6,2017-06-16 23:05:00,0,0,0,0,,NaN,,NaN,39.73,-96.99,39.73,-96.99,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115591,710479,KANSAS,2017,June,Hail,"WASHINGTON",2017-06-16 23:17:00,CST-6,2017-06-16 23:18:00,0,0,0,0,,NaN,,NaN,39.59,-96.84,39.59,-96.84,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +115192,691727,OHIO,2017,April,Hail,"TRUMBULL",2017-04-16 14:20:00,EST-5,2017-04-16 14:20:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-80.73,41.17,-80.73,"A line of thunderstorms developed across the northeastern tip of Ohio. One of the thunderstorms produced some hail.","Nickel sized hail was reported." +115193,691728,LAKE ERIE,2017,April,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-04-10 19:07:00,EST-5,2017-04-10 19:07:00,0,0,0,0,0.00K,0,0.00K,0,41.5097,-82.9193,41.5097,-82.9193,"An area of showers and thunderstorms moved across the western basin of Lake Erie. Some wind gusts in excess of 35 knots were measured.","A 36 knot wind gust was measured by an automated sensor at Port Clinton." +115194,691736,OHIO,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-15 15:15:00,EST-5,2017-04-15 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-82.52,40.82,-82.52,"An isolated thunderstorm moved east across the Mansfield area on April 15th.","An automated sensor at Mansfield Lahm Airport measured a 59 mph thunderstorm wind gust." +115223,691799,OHIO,2017,April,Hail,"SENECA",2017-04-19 15:57:00,EST-5,2017-04-19 15:57:00,0,0,0,0,0.00K,0,0.00K,0,41.0295,-82.9529,41.0295,-82.9529,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Quarter to half dollar size hail was observed." +115223,691801,OHIO,2017,April,Thunderstorm Wind,"LORAIN",2017-04-19 15:55:00,EST-5,2017-04-19 15:55:00,0,0,0,0,150.00K,150000,0.00K,0,41.45,-82.03,41.45,-82.03,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Thunderstorm wind gusts toppled several utility poles along Nagel Road in Avon." +117816,708224,LAKE ERIE,2017,June,Waterspout,"VERMILION TO AVON POINT OH",2017-06-26 17:02:00,EST-5,2017-06-26 17:02:00,0,0,0,0,0.00K,0,0.00K,0,41.5338,-82.118,41.5338,-82.118,"Showers and thunderstorms developed over Lake Erie. Several waterspouts were reported.","A waterspout was observed on Lake Erie three miles north of Sheffield Lake." +117909,708595,LAKE ERIE,2017,June,Waterspout,"CONNEAUT OH TO RIPLEY NY",2017-06-27 06:40:00,EST-5,2017-06-27 06:40:00,0,0,0,0,0.00K,0,0.00K,0,42.2202,-80.0079,42.2202,-80.0079,"Waterspouts were reported on Lake Erie.","A couple waterspouts were observed offshore from Harborcreek." +117910,708599,OHIO,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-29 18:18:00,EST-5,2017-06-29 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-83.68,41.02,-83.68,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","A 60 mph thunderstorm wind gust was measured by an automated sensor at the Findlay Airport." +117910,708600,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-29 20:09:00,EST-5,2017-06-29 20:09:00,0,0,0,0,2.00K,2000,0.00K,0,41.17,-80.67,41.17,-80.67,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","Thunderstorm winds downed a couple of trees in Liberty Township." +115864,696322,TEXAS,2017,May,Frost/Freeze,"SHERMAN",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +117913,708612,OHIO,2017,June,Hail,"WOOD",2017-06-30 14:05:00,EST-5,2017-06-30 14:05:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-83.67,41.37,-83.67,"A frontal system moved across northern Ohio causing showers and thunderstorms to develop. A couple of thunderstorms became severe.","Quarter sized hail was observed." +119387,716550,ILLINOIS,2017,June,Tornado,"WILL",2017-06-09 15:05:00,CST-6,2017-06-09 15:06:00,0,0,0,0,0.00K,0,0.00K,0,41.3534,-87.6233,41.3543,-87.6194,"Isolated thunderstorms developed during the afternoon of June 9th.","A trained spotter sent video of a land spout on Route 1 near Beecher looking north. No damage was reported." +114290,684672,ALASKA,2017,March,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-03-01 00:00:00,AKST-9,2017-03-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the eastern north slope between a 1048 high pressure center over Russia and low pressure over the interior. Blizzard conditions and strong winds were reported along the eastern north slope on February 28th through March 3rd 2017. ||Zone 204: Blizzard conditions were reported at the Barter Island AWOS. A peak wind of 52 kt (60 mph) was also reported.","" +115864,696323,TEXAS,2017,May,Frost/Freeze,"HANSFORD",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696324,TEXAS,2017,May,Frost/Freeze,"ROBERTS",2017-05-01 02:00:00,CST-6,2017-05-01 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696325,TEXAS,2017,May,Frost/Freeze,"HEMPHILL",2017-05-01 04:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +116002,701443,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:53:00,EST-5,2017-05-05 01:53:00,0,0,0,0,10.00K,10000,0.00K,0,35.6984,-79.9294,35.6984,-79.9294,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","A car crashed into a downed tree on Sawyersville Road near Moore Road." +116002,701444,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 02:40:00,EST-5,2017-05-05 02:40:00,0,0,0,0,0.00K,0,0.00K,0,36.0652,-79.8481,36.0652,-79.8481,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at Wendover Road and Holden Road." +116002,701445,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ALAMANCE",2017-05-05 02:50:00,EST-5,2017-05-05 02:50:00,0,0,0,0,0.00K,0,0.00K,0,36.1218,-79.4669,36.1218,-79.4669,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Durham Street Extension." +116664,701448,NORTH CAROLINA,2017,May,Hail,"HARNETT",2017-05-31 12:50:00,EST-5,2017-05-31 12:50:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-78.9,35.26,-78.9,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","" +116664,701449,NORTH CAROLINA,2017,May,Hail,"WAYNE",2017-05-31 13:45:00,EST-5,2017-05-31 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-77.93,35.52,-77.93,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","" +116002,701451,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-05 03:33:00,EST-5,2017-05-05 03:33:00,0,0,0,0,0.00K,0,0.00K,0,35.8963,-79.1913,35.8963,-79.1913,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at White Cross Road and Old Greensboro Road." +116002,701453,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-05 02:55:00,EST-5,2017-05-05 02:55:00,0,0,0,0,0.00K,0,0.00K,0,35.2445,-79.2686,35.2445,-79.2686,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on White Rock Road." +114553,687030,ILLINOIS,2017,March,Hail,"KNOX",2017-03-20 00:00:00,CST-6,2017-03-20 00:05:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687031,ILLINOIS,2017,March,Hail,"KNOX",2017-03-20 00:05:00,CST-6,2017-03-20 00:10:00,0,0,0,0,0.00K,0,0.00K,0,40.9355,-90.37,40.9355,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687032,ILLINOIS,2017,March,Hail,"KNOX",2017-03-20 00:00:00,CST-6,2017-03-20 00:15:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687033,ILLINOIS,2017,March,Hail,"TAZEWELL",2017-03-20 01:58:00,CST-6,2017-03-20 02:03:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-89.57,40.67,-89.57,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687034,ILLINOIS,2017,March,Hail,"WOODFORD",2017-03-20 02:16:00,CST-6,2017-03-20 02:21:00,0,0,0,0,0.00K,0,0.00K,0,40.7655,-89.35,40.7655,-89.35,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687035,ILLINOIS,2017,March,Hail,"CHAMPAIGN",2017-03-20 04:50:00,CST-6,2017-03-20 04:55:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-88.03,40.12,-88.03,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687036,ILLINOIS,2017,March,Hail,"VERMILION",2017-03-20 11:16:00,CST-6,2017-03-20 11:21:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.67,40.47,-87.67,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +113323,678189,OKLAHOMA,2017,March,Thunderstorm Wind,"LATIMER",2017-03-07 00:40:00,CST-6,2017-03-07 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.9009,-95.3481,34.9009,-95.3481,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","The Oklahoma Mesonet station southwest of Wilburton measured 64 mph thunderstorm wind gusts." +113323,680980,OKLAHOMA,2017,March,Thunderstorm Wind,"LE FLORE",2017-03-07 00:54:00,CST-6,2017-03-07 00:54:00,0,0,0,0,0.00K,0,0.00K,0,35.0515,-94.6225,35.0515,-94.6225,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113323,680981,OKLAHOMA,2017,March,Thunderstorm Wind,"PUSHMATAHA",2017-03-07 01:55:00,CST-6,2017-03-07 01:55:00,0,0,0,0,1.00K,1000,0.00K,0,34.4821,-95.2154,34.4821,-95.2154,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged the roof of an outbuilding." +113542,679687,MINNESOTA,2017,March,Thunderstorm Wind,"DODGE",2017-03-06 18:11:00,CST-6,2017-03-06 18:11:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.75,44.03,-92.75,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","An estimated 60 mph wind gust occurred in Kasson and the power was out in portions the city." +113542,682447,MINNESOTA,2017,March,Thunderstorm Wind,"WINONA",2017-03-06 20:12:00,CST-6,2017-03-06 20:12:00,0,0,0,0,20.00K,20000,0.00K,0,44.05,-91.66,44.05,-91.66,"A line of thunderstorms developed along a cold front and moved across southeast Minnesota during the evening hours of March 6th. These storms produced damaging winds and hail. Northwest of Rochester (Olmsted County) large trees were blown down, roofs on pole buildings and a house were partially damaged. An estimated 60 mph gust occurred in Kasson (Dodge County) and north of Mantorville (Dodge County) was heavily damaged. All of the hail that was reported was less than an inch in diameter.","A large tree was blown down on a car and partially on a house in the city of Winona." +113543,679689,IOWA,2017,March,Hail,"FLOYD",2017-03-06 19:05:00,CST-6,2017-03-06 19:05:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-92.59,43.16,-92.59,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","" +113543,679690,IOWA,2017,March,Hail,"HOWARD",2017-03-06 19:15:00,CST-6,2017-03-06 19:15:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-92.55,43.35,-92.55,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","" +113543,679691,IOWA,2017,March,Hail,"HOWARD",2017-03-06 19:15:00,CST-6,2017-03-06 19:15:00,0,0,0,0,0.00K,0,0.00K,0,43.36,-92.55,43.36,-92.55,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell in Riceville." +112920,687637,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 16:37:00,CST-6,2017-03-06 16:37:00,0,0,0,0,0.00K,0,0.00K,0,42.7002,-94.1549,42.7002,-94.1549,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Report via social media." +112920,675055,IOWA,2017,March,Thunderstorm Wind,"POLK",2017-03-06 18:41:00,CST-6,2017-03-06 18:41:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-93.72,41.74,-93.72,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","NWS employee estimated 50-60 mph wind gusts at NWS office in Des Moines." +112920,675081,IOWA,2017,March,Thunderstorm Wind,"MARION",2017-03-06 19:37:00,CST-6,2017-03-06 19:37:00,0,0,0,0,10.00K,10000,0.00K,0,41.36,-93.16,41.36,-93.16,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported structure damage in Marion County. Location and time radar estimated." +114725,688182,ILLINOIS,2017,March,Thunderstorm Wind,"KANE",2017-03-07 00:54:00,CST-6,2017-03-07 00:55:00,0,0,0,0,1.00K,1000,0.00K,0,41.77,-88.29,41.77,-88.29,"A line of severe thunderstorms moved across northern Illinois producing a swath of damaging winds.","A tree was blown down onto a car. A nearby mesonet site measured a wind gust to 59 mph." +114384,688203,WISCONSIN,2017,March,Thunderstorm Wind,"DANE",2017-03-06 22:55:00,CST-6,2017-03-06 23:00:00,0,0,0,0,,NaN,0.00K,0,43.01,-89.73,43.01,-89.73,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Trash carts airborne by straight-line winds." +114384,688206,WISCONSIN,2017,March,Thunderstorm Wind,"GREEN",2017-03-06 23:25:00,CST-6,2017-03-06 23:25:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-89.59,42.62,-89.59,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds." +114384,688209,WISCONSIN,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-07 00:15:00,CST-6,2017-03-07 00:15:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-88.72,43.17,-88.72,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds." +114384,688211,WISCONSIN,2017,March,Thunderstorm Wind,"OZAUKEE",2017-03-07 00:45:00,CST-6,2017-03-07 00:45:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-87.98,43.24,-87.98,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds measured at Homestead High School." +114384,688213,WISCONSIN,2017,March,Thunderstorm Wind,"KENOSHA",2017-03-07 00:59:00,CST-6,2017-03-07 00:59:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-87.93,42.6,-87.93,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds." +114384,688201,WISCONSIN,2017,March,Thunderstorm Wind,"IOWA",2017-03-07 22:35:00,CST-6,2017-03-07 22:35:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-90.23,42.89,-90.23,"A line of strong to severe thunderstorms producing damaging winds accompanied the passage of a cold front from the late evening on March 6th into the early morning hours on March 7th. Trees and power lines were downed over portions of southern WI along with some structural damage.","Straight-line winds." +114730,688278,ILLINOIS,2017,March,High Wind,"COOK",2017-03-08 14:30:00,CST-6,2017-03-08 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusting to around 60 mph resulted in isolated damage across northern Illinois.","Winds gusted to 58 mph at Chicago O'Hare, 59 mph at Lansing Airport, 62 mph three miles southwest of Midway, and 63 mph at Hyde Park." +116474,700465,CALIFORNIA,2017,May,Wildfire,"APPLE AND LUCERNE VALLEYS",2017-05-19 10:40:00,PST-8,2017-05-26 13:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry conditions helped the Deluz Fire start on Camp Pendleton Marine Base on May 19th, it was extinguished on the 26th after burning 486 acres.","The Deluz Fire started on Camp Pendleton Marine Base on May 19th, it was extinguished on the 26th after burning 486 acres." +116092,697775,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-02 16:15:00,EST-5,2017-05-02 16:15:00,0,0,0,0,,NaN,,NaN,26.9,-80.79,26.9,-80.79,"A mid to upper level low pressure system moved over South Florida. A cold front was also moving down the state and stalling out across the Lake Okeechobee region. Afternoon thunderstorms developed and moved over Lake Okeechobee producing gusty winds.","A marine thunderstorm wind gust of 45mph/ 39 knots was recorded by the SFWMD mesonet site LZ40 located over the center of Lake Okeechobee at 515 PM EDT." +116092,697778,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-02 16:15:00,EST-5,2017-05-02 16:15:00,0,0,0,0,0.00K,0,0.00K,0,26.82,-80.78,26.82,-80.78,"A mid to upper level low pressure system moved over South Florida. A cold front was also moving down the state and stalling out across the Lake Okeechobee region. Afternoon thunderstorms developed and moved over Lake Okeechobee producing gusty winds.","A marine thunderstorm wind gust of 39mph / 34 knots was recorded by the SFWMD mesonet site L006 located over the southern end of Lake Okeechobee at 515 PM EDT." +116092,697779,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-02 16:00:00,EST-5,2017-05-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-80.94,26.96,-80.94,"A mid to upper level low pressure system moved over South Florida. A cold front was also moving down the state and stalling out across the Lake Okeechobee region. Afternoon thunderstorms developed and moved over Lake Okeechobee producing gusty winds.","A marine thunderstorm wind gust of 42 mph / 36 knots was recorded by the SFWMD mesonet site L005 located over the western edge of Lake Okeechobee at 500 PM EDT." +116099,697813,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-04 17:45:00,EST-5,2017-05-04 17:45:00,0,0,0,0,,NaN,,NaN,26.82,-80.78,26.82,-80.78,"Moist southerly flow ahead of a cold front allowed for plenty of moisture for afternoon thunderstorms along sea breeze collisions. A few scattered thunderstorms produced gusty winds over Lake Okeechobee.","A marine thunderstorm wind gust of 41 mph / 36 knots was recorded by the SFWMD mesonet site L006 located over the southern end of Lake Okeechobee at 645PM EDT." +116100,697814,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-05-05 06:03:00,EST-5,2017-05-05 06:03:00,0,0,0,0,,NaN,,NaN,25.92,-81.73,25.92,-81.73,"A cold front moving through the region combined with southerly winds bringing plenty of moisture to the region allowed showers and thunderstorm to develop over South Florida waters. A few of these storms produced gusty winds over the waters.","A marine thunderstorm wind gust of 42 mph / 36 knots was recorded by the WeatherBug mesonet site MRCSL located at the Marco Island Marriott Beach Resort at 703 AM EDT." +114818,688696,TEXAS,2017,March,Hail,"GRAY",2017-03-28 15:20:00,CST-6,2017-03-28 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-100.63,35.23,-100.63,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114818,688698,TEXAS,2017,March,Hail,"COLLINGSWORTH",2017-03-28 16:57:00,CST-6,2017-03-28 16:57:00,0,0,0,0,,NaN,,NaN,34.91,-100.41,34.91,-100.41,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","Quarter size hail reported." +114818,688699,TEXAS,2017,March,Tornado,"COLLINGSWORTH",2017-03-28 16:57:00,CST-6,2017-03-28 17:01:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-100.27,34.9217,-100.2313,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","Rain wrapped tornado is on the ground approximately 4 NW Wellington." +114525,686802,ILLINOIS,2017,March,Thunderstorm Wind,"LOGAN",2017-03-07 00:26:00,CST-6,2017-03-07 00:31:00,0,0,0,0,30.00K,30000,0.00K,0,40.15,-89.37,40.15,-89.37,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A storm siren was blown over on Pulaski Street on the southeast side of Lincoln." +114525,686806,ILLINOIS,2017,March,Thunderstorm Wind,"SANGAMON",2017-03-07 00:34:00,CST-6,2017-03-07 00:39:00,0,0,0,0,15.00K,15000,0.00K,0,39.85,-89.53,39.85,-89.53,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A small trailer was overturned." +114525,686807,ILLINOIS,2017,March,Thunderstorm Wind,"MCLEAN",2017-03-07 00:34:00,CST-6,2017-03-07 00:39:00,0,0,0,0,25.00K,25000,0.00K,0,40.4634,-89.07,40.4634,-89.07,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","Shingle damage occurred to 4 homes. Two fence sections were toppled and a stop sign was blown down." +114525,686801,ILLINOIS,2017,March,Thunderstorm Wind,"MCLEAN",2017-03-07 00:36:00,CST-6,2017-03-07 00:41:00,0,0,0,0,25.00K,25000,0.00K,0,40.52,-89,40.52,-89,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A portion of the Wilkins Hall roof was torn off and thrown onto an apartment on the campus of Illinois State University." +114129,686402,WASHINGTON,2017,March,Flood,"PEND OREILLE",2017-03-14 00:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,300.00K,300000,0.00K,0,48.9806,-117.0319,48.9881,-117.5098,"The month of March was a very wet period for eastern Washington. The Pullman COOP station reported a monthly total of 5.25 inches of precipitation, 2.75 inches above average for the month. The Spokane airport reported 4.11 inches which was 2.50 inches above average. The Colville COOP station reported 2.98 inches which was 1.86 inches above average and the Wenatchee airport recorded 1.23 inches, or .59 inches above average. Most of this precipitation fell as rain over lower elevations after an initial snow event early in the month.||Beginning around the 9th of March and continuing through the end of the month and into April saturated soil conditions were maintained and aggravated by low elevation snow melt and periodic rounds of Pacific moisture falling as rain over northeastern Washington with numerous small stream flooding issues, road washouts and debris flows during this period. Isolated mudslides and debris flows were noted in the Cascades as well, but the main focus of areal flooding and debris flows was over the eastern Columbia Basin and the northeastern Washington mountains.||In eastern Washington a state of emergency was declared in thirteen counties due to widespread areal flooding. In the town of Sprague 40 National Guard troops were deployed to help sandbag and control damage from a swollen creek which ran through the town. ||Mainstem river flooding included the Palouse River, the Spokane River and the Little Spokane River with minor flooding on other streams, however the Palouse River achieved Major Flood Stage.","Flooding and debris flows resulted in numerous road closures across the county due to spring snow melt and periodic heavy rains. Homes were threatened with flooding on Davis Lake as the lake level rose due to run off. Pend Oreille county was included in a Washington State State of Emergency declaration because of this widespread flooding episode." +117067,704295,IDAHO,2017,May,High Wind,"UPPER SNAKE RIVER PLAIN",2017-05-24 12:00:00,MST-7,2017-05-24 22:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold frontal passage brought high winds to southeast and central Idaho with many reports of damage.","A 62 mph wind gust measured at Idaho Falls airport. Interstate 15 was closed for several hours from Idaho Falls to Roberts due to blowing dust. Several trees and light poles were blown down in Idaho Falls. Some trees fell on houses and cars. A trailer was overturned on US 26 just east of Idaho Falls. The Idaho Falls zoo closed due to the wind." +116984,703588,IDAHO,2017,May,High Wind,"LOST RIVER / PAHSIMEROI",2017-05-12 13:00:00,MST-7,2017-05-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through Idaho brought a period of very strong winds to the region .","A 59 mph wind gust occurred at the Challis airport." +117061,704177,IDAHO,2017,May,Winter Weather,"UPPER SNAKE HIGHLANDS",2017-05-16 11:00:00,MST-7,2017-05-18 12:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A mid spring winter storm dumped 3 to 7 inches on the Upper snake River Highlands. On the morning of the 18th there were many power outages in the Driggs/Alta area with snow loading on power lines due to the wetness of the snow with tree branches on lines as well.","A mid spring winter storm dumped 3 to 7 inches on the Upper snake River Highlands. On the morning of the 18th there were many power outages in the Driggs/Alta area with snow loading on power lines due to the wetness of the snow with tree branches on lines as well." +117061,704190,IDAHO,2017,May,Winter Weather,"LOWER SNAKE RIVER PLAIN",2017-05-18 04:00:00,MST-7,2017-05-18 08:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A mid spring winter storm dumped 3 to 7 inches on the Upper snake River Highlands. On the morning of the 18th there were many power outages in the Driggs/Alta area with snow loading on power lines due to the wetness of the snow with tree branches on lines as well.","Three accidents occurred on interstate 86 due to black ice from unseasonably cold weather. The vehicles either crashed into guard rails or rolled over as a semi truck did." +117067,704284,IDAHO,2017,May,High Wind,"UPPER SNAKE HIGHLANDS",2017-05-24 12:00:00,MST-7,2017-05-24 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold frontal passage brought high winds to southeast and central Idaho with many reports of damage.","Strong winds downed a tree and powerline in Ashton and a powerline in Chester. The Idaho transportation department closed Idaho route 32 from Ashton to Tetonia. An accident occurred on the road due to blowing dust prior to the closure." +117069,704300,IDAHO,2017,May,Flood,"BANNOCK",2017-05-01 01:00:00,MST-7,2017-05-31 23:00:00,0,0,0,0,65.00K,65000,0.00K,0,42.87,-112.43,42.8291,-112.4858,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","The Portneuf River remained above flood stage for most of the month of May with much of the flooding occurring in the Inkom area. The Sacajawea Park in Pocatello remained flooded as well for much of the month. Fields in Inkom encountered agricultural damage with many roads and bridges in that area damaged and needing repaired. The continued ponding of water in the Inkom area required west Nile mosquito control." +116602,701223,MISSOURI,2017,May,High Wind,"DAVIESS",2017-05-17 14:10:00,CST-6,2017-05-17 14:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the afternoon of May 17 numerous sub-severe rain showers caused straight line synoptically driven winds to translate to the surface, causing numerous locations across northern Missouri to see 60-plus mph wind gusts. Some minor tree damage occurred in a few locations, but the most significant damage occurred near Maryville, where a roof was ripped off of a nursing home facility.","These winds were caused by sub-severe rain showers causing synoptically driven low level winds to the surface, resulting in numerous reports of 60-70 mph winds and isolated structural and minor tree damage. Utility poles were down and 6 to 8 inch trees were snapped in Gallatin from these strong winds." +116601,701214,MISSOURI,2017,May,Hail,"PLATTE",2017-05-10 12:55:00,CST-6,2017-05-10 12:55:00,0,0,0,0,0.00K,0,0.00K,0,39.52,-94.77,39.52,-94.77,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","" +116601,701215,MISSOURI,2017,May,Thunderstorm Wind,"JACKSON",2017-05-10 13:18:00,CST-6,2017-05-10 13:21:00,0,0,0,0,,NaN,,NaN,39.08,-94.51,39.08,-94.51,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","Large tree was blown over just east of Kansas City." +116601,701216,MISSOURI,2017,May,Thunderstorm Wind,"JACKSON",2017-05-10 13:22:00,CST-6,2017-05-10 13:25:00,0,0,0,0,0.00K,0,0.00K,0,39.09,-94.42,39.09,-94.42,"On the afternoon of May 10 a round of thunderstorms brought some storms through the area with gusty winds around 60 to 65 mph. Some minor tree damage occurred, otherwise this was a minor, low-impact event.","A 60 to 65 mph wind gust was reported near Independence." +116602,701221,MISSOURI,2017,May,High Wind,"JACKSON",2017-05-17 12:41:00,CST-6,2017-05-17 12:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the afternoon of May 17 numerous sub-severe rain showers caused straight line synoptically driven winds to translate to the surface, causing numerous locations across northern Missouri to see 60-plus mph wind gusts. Some minor tree damage occurred in a few locations, but the most significant damage occurred near Maryville, where a roof was ripped off of a nursing home facility.","Non-severe rain showers caused synoptically driven low level winds to translate to the surface, which caused surface winds to gust up to 60 mph. These gusts caused some minor tree damage in Lee's Summit." +116602,701224,MISSOURI,2017,May,High Wind,"BUCHANAN",2017-05-17 14:40:00,CST-6,2017-05-17 14:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the afternoon of May 17 numerous sub-severe rain showers caused straight line synoptically driven winds to translate to the surface, causing numerous locations across northern Missouri to see 60-plus mph wind gusts. Some minor tree damage occurred in a few locations, but the most significant damage occurred near Maryville, where a roof was ripped off of a nursing home facility.","Non-severe rain showers caused synoptically driven low level winds to translate to the surface, which caused surface winds to gust up to 60 mph. These gusts caused a large tree to fall over near Claycomo." +113778,681186,NEVADA,2017,March,High Wind,"ESMERALDA/CENTRAL NYE",2017-03-05 10:15:00,PST-8,2017-03-05 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system diving in from the northwest brought a period of high winds to much of southern Nevada.","This gust occurred 40 miles E of Beatty." +113778,681187,NEVADA,2017,March,High Wind,"WESTERN CLARK/SOUTHERN NYE",2017-03-05 13:30:00,PST-8,2017-03-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system diving in from the northwest brought a period of high winds to much of southern Nevada.","The peak gust occurred 9 miles NNE of Mercury." +115738,695587,ILLINOIS,2017,May,Thunderstorm Wind,"STARK",2017-05-17 21:00:00,CST-6,2017-05-17 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.1453,-89.9252,41.1453,-89.9252,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","A tree was blown down onto Route 78 northeast of La Fayette." +115738,695589,ILLINOIS,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 21:28:00,CST-6,2017-05-17 21:33:00,0,0,0,0,0.00K,0,0.00K,0,41.0366,-89.65,41.0366,-89.65,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","Two large tree branches were blown down." +115740,695608,ILLINOIS,2017,May,Tornado,"CHRISTIAN",2017-05-23 15:30:00,CST-6,2017-05-23 15:31:00,0,0,0,0,0.00K,0,0.00K,0,39.5299,-89.0704,39.5298,-89.0685,"A weak boundary triggered scattered showers across central Illinois during the afternoon and evening of May 23rd. Two brief landspout tornadoes occurred...one just north of Maquon in Knox County and another near Assumption in Christian County.","A landspout tornado briefly touched down in an open field at 4:30PM CDT. No damage occurred." +115740,695609,ILLINOIS,2017,May,Tornado,"KNOX",2017-05-23 19:05:00,CST-6,2017-05-23 19:06:00,0,0,0,0,0.00K,0,0.00K,0,40.8137,-90.1668,40.8138,-90.164,"A weak boundary triggered scattered showers across central Illinois during the afternoon and evening of May 23rd. Two brief landspout tornadoes occurred...one just north of Maquon in Knox County and another near Assumption in Christian County.","A landspout tornado briefly touched down in an open field at 8:05PM CDT. No damage occurred." +115741,695612,ILLINOIS,2017,May,Hail,"CHRISTIAN",2017-05-31 02:18:00,CST-6,2017-05-31 02:23:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-89.3,39.55,-89.3,"An approaching cold front triggered widely scattered showers and thunderstorms during the evening of May 30th into the early morning hours of May 31st. One cell produced gusty 40-50mph winds that knocked a few trees down in Lincoln, while another storm dropped nickel-sized hail in Taylorville.","" +115741,695613,ILLINOIS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-30 17:45:00,CST-6,2017-05-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-89.37,40.15,-89.37,"An approaching cold front triggered widely scattered showers and thunderstorms during the evening of May 30th into the early morning hours of May 31st. One cell produced gusty 40-50mph winds that knocked a few trees down in Lincoln, while another storm dropped nickel-sized hail in Taylorville.","A tree was blown down at Edgar and Woodlawn in Lincoln." +115741,695616,ILLINOIS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-30 17:45:00,CST-6,2017-05-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2094,-89.4634,40.2094,-89.4634,"An approaching cold front triggered widely scattered showers and thunderstorms during the evening of May 30th into the early morning hours of May 31st. One cell produced gusty 40-50mph winds that knocked a few trees down in Lincoln, while another storm dropped nickel-sized hail in Taylorville.","A tree was blown down at 700th Avenue and County Road 2000N near Hartsburg." +115837,696192,MARYLAND,2017,May,Thunderstorm Wind,"HOWARD",2017-05-31 17:07:00,EST-5,2017-05-31 17:07:00,0,0,0,0,,NaN,,NaN,39.2044,-76.887,39.2044,-76.887,"A weak boundary remained over the region. Warm and humid conditions ahead of the boundary led to the development of showers and thunderstorms. An isolated thunderstorm became severe.","A tree was down at Cedar Wood Drive and Cedar Lane." +116235,698841,WEST VIRGINIA,2017,May,Frost/Freeze,"WESTERN PENDLETON",2017-05-08 01:00:00,EST-5,2017-05-08 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure approached from the west. A northwest flow ushered in chilly conditions. Temperatures dropped below freezing for portions of the Allegheny and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116235,698842,WEST VIRGINIA,2017,May,Frost/Freeze,"EASTERN PENDLETON",2017-05-08 01:00:00,EST-5,2017-05-08 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure approached from the west. A northwest flow ushered in chilly conditions. Temperatures dropped below freezing for portions of the Allegheny and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116234,698843,VIRGINIA,2017,May,Frost/Freeze,"EASTERN HIGHLAND",2017-05-08 01:00:00,EST-5,2017-05-08 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure approached from the west. A northwest flow ushered in chilly conditions. Temperatures dropped below freezing for portions of the Allegheny and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116234,698844,VIRGINIA,2017,May,Frost/Freeze,"WESTERN HIGHLAND",2017-05-08 01:00:00,EST-5,2017-05-08 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure approached from the west. A northwest flow ushered in chilly conditions. Temperatures dropped below freezing for portions of the Allegheny and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698845,WEST VIRGINIA,2017,May,Frost/Freeze,"HAMPSHIRE",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698846,WEST VIRGINIA,2017,May,Frost/Freeze,"WESTERN GRANT",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698847,WEST VIRGINIA,2017,May,Frost/Freeze,"EASTERN GRANT",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +113786,681225,WYOMING,2017,March,High Wind,"ABSAROKA MOUNTAINS",2017-03-11 21:40:00,MST-7,2017-03-11 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching cold front mixed strong down strong mid level winds and brought high winds to portions of the Absaroka Mountains. At the wind sensor along the Chief Joseph Highway, there were several wind gusts over 74 mph, including a maximum gust of 82 mph.","The wind sensor along the Chief Joseph Highway reported several wind gusts past 74 mph including a maximum gust of 82 mph." +113807,681418,WYOMING,2017,March,Flood,"SWEETWATER",2017-03-10 10:00:00,MST-7,2017-03-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.5826,-109.9721,41.6011,-109.9793,"Warming temperatures melted a substantial snow pack across the lower elevations of western Sweetwater County. This snow melting, combined with ice jams, brought flooding along the Blacks Fork River from Little America through Granger . The river crested between 12.5 and 13 feet at the Little America flood gauge, which is a record level. A mobile home park along the river was evacuated for a couple of days. However, little or no damage was done and other flooding was restricted to low lying areas and dirt roads along the river. The river began dropping on March 12th and fell below flood stage on March 15th.","The emergency manager reported flooding along the Blacks Fork River near Granger and Little American. A mobile home park along the river was evacuated for 2 days but little or no damage was reported." +113916,682246,WYOMING,2017,March,Flood,"LINCOLN",2017-03-22 18:00:00,MST-7,2017-03-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6991,-110.9877,42.7007,-110.9968,"A combination of a quarter to three quarters of an inch of rain and warming temperatures brought rapid snow melt that caused flooding around portions of Lincoln County. Around Fairview, flood waters from the Crow Creek approached homes but sandbagging kept water out of homes. Flood water also effected areas around Cokeville and Afton, but was restricted to agricultural lands and caused no damage.","Rain and warm temperatures brought rapid snow melt that brought minor flooding to some homes around Crow Creek near Fairview. Sandbagging was effective in diverting water around homes and there was no damage." +113916,682247,WYOMING,2017,March,Flood,"LINCOLN",2017-03-22 17:00:00,MST-7,2017-03-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0814,-110.9764,42.0914,-110.9784,"A combination of a quarter to three quarters of an inch of rain and warming temperatures brought rapid snow melt that caused flooding around portions of Lincoln County. Around Fairview, flood waters from the Crow Creek approached homes but sandbagging kept water out of homes. Flood water also effected areas around Cokeville and Afton, but was restricted to agricultural lands and caused no damage.","A combination of rainfall and warm temperatures caused rapid snow melt that brought flooding to some areas around Cokeville. The flooding was restricted to low lying agricultural land and caused no damage." +113661,685480,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:50:00,CST-6,2017-03-29 01:50:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-96.81,33.15,-96.81,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter estimated 75 MPH winds in the city of Frisco, TX." +115728,703228,ILLINOIS,2017,May,Flood,"CHRISTIAN",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6112,-89.5344,39.3504,-89.5314,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern Christian County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Additional rainfall of 0.50 to 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +114832,688856,UTAH,2017,March,High Wind,"NORTHERN WASATCH FRONT",2017-03-05 12:00:00,MST-7,2017-03-05 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Peak recorded wind gusts included 59 mph at the Ogden-Hinckley Airport ASOS and 58 mph at the Fremont Island - Miller Hill sensor. In addition, roof damage was reported in parts of the area, including West Haven." +113212,690335,GEORGIA,2017,March,Drought,"PICKENS",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690351,GEORGIA,2017,March,Drought,"FANNIN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,689964,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 15:23:00,EST-5,2017-03-21 15:33:00,0,0,0,0,432.00K,432000,,NaN,34.52,-83.74,34.52,-83.74,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The White County Fire Department reported golf ball size hail along Old Highway 75 near the Hall County line." +114280,689966,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 15:00:00,EST-5,2017-03-21 15:45:00,0,0,0,0,,NaN,,NaN,34.52,-83.75,34.52,-83.75,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A business in the 5300 block of U.S. Highway 129 reported that hail up to the size of golf balls had been falling for almost an hour at their location." +114280,689967,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 15:50:00,EST-5,2017-03-21 16:00:00,0,0,0,0,,NaN,,NaN,34.52,-83.76,34.52,-83.76,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A report was received over social media of ping pong ball size hail." +114280,689969,GEORGIA,2017,March,Hail,"WHITFIELD",2017-03-21 16:09:00,EST-5,2017-03-21 16:19:00,0,0,0,0,,NaN,,NaN,34.81,-84.95,34.81,-84.95,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported quarter to half dollar size hail on the north side of Dalton." +114280,689970,GEORGIA,2017,March,Hail,"FANNIN",2017-03-21 16:15:00,EST-5,2017-03-21 16:25:00,0,0,0,0,,NaN,,NaN,34.78,-84.17,34.78,-84.17,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported at a campground along Skeenah Gap Road." +113054,686255,NORTH DAKOTA,2017,March,High Wind,"MERCER",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Hazen AWOS reported a wind gust of 62 mph." +113054,686257,NORTH DAKOTA,2017,March,High Wind,"WELLS",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Harvey AWOS reported a wind gust of 62 mph." +113054,689498,NORTH DAKOTA,2017,March,High Wind,"BOWMAN",2017-03-06 12:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Bowman County using the Sand Creek RAWS in Slope County." +115036,690430,MICHIGAN,2017,March,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-03-25 22:30:00,EST-5,2017-03-26 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","A few locations around the county reported a light glaze of ice from freezing rain by the morning of the 26th." +115036,690432,MICHIGAN,2017,March,Winter Weather,"NORTHERN HOUGHTON",2017-03-26 04:00:00,EST-5,2017-03-26 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","The spotter near Chassell reported nearly a tenth of an inch of ice accumulation from freezing rain by the morning of the 26th." +115036,690433,MICHIGAN,2017,March,Winter Weather,"DELTA",2017-03-25 21:00:00,EST-5,2017-03-26 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","The spotter near Brampton measured one tenth of an inch of ice accumulation from freezing rain by the morning of the 26th." +115036,690434,MICHIGAN,2017,March,Winter Weather,"ALGER",2017-03-26 01:00:00,EST-5,2017-03-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","There were a few public reports of a light glaze of ice from freezing rain on untreated surfaces in Alger County by the morning of the 26th." +115036,690435,MICHIGAN,2017,March,Winter Weather,"LUCE",2017-03-26 01:00:00,EST-5,2017-03-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","There were a few public reports of a light glaze of ice from freezing rain on untreated surfaces in Luce County by the morning of the 26th." +115728,703292,ILLINOIS,2017,May,Flash Flood,"DOUGLAS",2017-05-04 08:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8793,-88.4621,39.6519,-88.4718,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Douglas County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Illinois Route 130 was closed from Camargo to the Champaign County line. Nearly all rural roads north of U.S. Highway 36 in the northeast part of the county were also closed." +113202,678334,TEXAS,2017,March,Hail,"FLOYD",2017-03-28 16:00:00,CST-6,2017-03-28 16:05:00,0,0,0,0,25.00K,25000,150.00K,150000,33.94,-101.21,34.0198,-100.9905,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","A large and prolific hailswath crossed U.S. Highway 70 in far eastern Floyd County. Hailstones as large as 1.5 inches in diameter caused damage to several vehicles in the area and shredded hundreds of acres of winter wheat. The duration of hail was so great that it covered the ground with about three inches of hail resulting in hazardous travel conditions and dense fog." +114273,684698,GEORGIA,2017,March,Thunderstorm Wind,"PAULDING",2017-03-01 18:43:00,EST-5,2017-03-01 18:48:00,0,0,0,0,3.00K,3000,,NaN,33.99,-84.9566,33.99,-84.9566,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Paulding County Emergency Manager reported a few trees blown down on Braswell Mountain Road near Brushy Mountain Road." +114273,684696,GEORGIA,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-01 19:15:00,EST-5,2017-03-01 19:20:00,0,0,0,0,6.00K,6000,,NaN,33.6065,-84.8273,33.6065,-84.8273,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Douglas County Emergency Manager reported a few trees and some power lines blown down on Capps Ferry Road." +114273,684697,GEORGIA,2017,March,Thunderstorm Wind,"GWINNETT",2017-03-01 19:15:00,EST-5,2017-03-01 19:25:00,0,0,0,0,20.00K,20000,,NaN,33.982,-84.2133,34.0233,-83.9086,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Gwinnett County Emergency Manager reported trees blown down across the northern side of the county, including on Dacula Road in the vicinity of Bailey Woods Road and on Williamsport Drive Northwest where a tree landed on a house. No injuries were reported." +114274,689128,GEORGIA,2017,March,Thunderstorm Wind,"DADE",2017-03-10 01:50:00,EST-5,2017-03-10 02:15:00,0,0,0,0,25.00K,25000,,NaN,34.9472,-85.5828,34.8377,-85.496,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Dade County Emergency Manager reported more than 50 trees blown down across the county." +115047,690692,KANSAS,2017,March,Wildfire,"NESS",2017-03-06 14:45:00,CST-6,2017-03-06 21:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","At least a dozen structures were destroyed by the fire." +114612,687368,TEXAS,2017,March,Thunderstorm Wind,"DEAF SMITH",2017-03-23 17:15:00,CST-6,2017-03-23 17:15:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-102.44,34.87,-102.44,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Telephone pole snapped at base along County Road 10 one mile north of beef tech cattle feeder." +114612,687369,TEXAS,2017,March,Thunderstorm Wind,"OLDHAM",2017-03-23 17:20:00,CST-6,2017-03-23 17:20:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-102.3,35.22,-102.3,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Time estimated by radar. Time corrected." +114081,683153,OHIO,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 12:09:00,EST-5,2017-05-01 12:09:00,0,0,0,0,5.00K,5000,0.00K,0,39.42,-81.45,39.42,-81.45,"A strong cold front crossed the middle Ohio River Valley on the 1st with showers and thunderstorms. Strong winds aloft lead to damaging winds from the stronger cells.","Trees and power lines were blown down along Arrends Ridge Road." +113643,687212,INDIANA,2017,March,Hail,"HAMILTON",2017-03-20 15:12:00,EST-5,2017-03-20 15:14:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-86.16,39.96,-86.16,"Thunderstorms developed ahead of a low pressure system. Warm and unstable air moved above some cooler air at the surface and generated thunderstorms. The storms brought large hail to parts of central Indiana.","This report was received via Twitter." +114081,683156,OHIO,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 11:30:00,EST-5,2017-05-01 11:30:00,0,0,0,0,0.50K,500,0.00K,0,39.37,-81.67,39.37,-81.67,"A strong cold front crossed the middle Ohio River Valley on the 1st with showers and thunderstorms. Strong winds aloft lead to damaging winds from the stronger cells.","A single tree was blown down." +114846,688940,WEST VIRGINIA,2017,May,Flash Flood,"POCAHONTAS",2017-05-20 15:35:00,EST-5,2017-05-20 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.38,-79.8921,38.3164,-79.9302,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Thomas Creek flooded near Dunmore, causing minor flooding along Route 28." +114583,688399,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ELK",2017-05-18 17:32:00,EST-5,2017-05-18 17:32:00,0,0,0,0,2.00K,2000,0.00K,0,41.558,-78.6848,41.558,-78.6848,"A cold front approaching from the Great Lakes triggered scattered thunderstorms in a near-record warm airmass across Pennsylvania during the late afternoon and early evening of May 18. A broken line of storms developed on the Lake Erie lake-breeze and progressed across north-central Pennsylvania, producing isolated wind damage. At the same time, isolated convection developed in south-central Pennsylvania and produced quarter-sized hail in York County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Route 219 south of Wilcox at the intersection with Joy Garden Road." +114847,688949,KENTUCKY,2017,May,Flash Flood,"BOYD",2017-05-20 15:45:00,EST-5,2017-05-20 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,38.3643,-82.7709,38.3699,-82.7914,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Williams Creek and Rush Creek overflowed their banks, causing flooding along Old Route 60." +114847,688952,KENTUCKY,2017,May,Thunderstorm Wind,"BOYD",2017-05-20 15:35:00,EST-5,2017-05-20 15:35:00,0,0,0,0,3.00K,3000,0.00K,0,38.46,-82.64,38.46,-82.64,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Thunderstorms winds broke some branches, which fell onto a car." +114847,688953,KENTUCKY,2017,May,Thunderstorm Wind,"BOYD",2017-05-20 15:54:00,EST-5,2017-05-20 15:54:00,0,0,0,0,3.00K,3000,0.00K,0,38.4,-82.6,38.4,-82.6,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","A tree was blown down and fell onto telephone lines, causing a utility pole to break." +113399,678570,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-08 13:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 8 miles north of Nine Mile Falls reported 5.2 inches of new snow accumulation." +113399,678569,WASHINGTON,2017,February,Winter Storm,"NORTHEAST MOUNTAINS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Deer Park reported 2.7 inches of new snow and another observer reported 0.10 inch if ice from freezing rain in Deer Park." +113399,678573,WASHINGTON,2017,February,Ice Storm,"MOSES LAKE AREA",2017-02-08 10:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","Freezing rain deposited 0.26 inch of ice accumulation at the Grant County International Airport." +113563,680069,NEW YORK,2017,February,Winter Storm,"RICHMOND (STATEN IS.)",2017-02-09 03:30:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","The public reported 7 to 9 inches of snowfall." +113563,680070,NEW YORK,2017,February,Winter Storm,"KINGS (BROOKLYN)",2017-02-09 04:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters, CoCoRaHS observer, and the public reported 7 to 10 inches of snowfall." +113563,680072,NEW YORK,2017,February,Winter Storm,"SOUTHERN QUEENS",2017-02-09 04:00:00,EST-5,2017-02-09 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","JFK Airport reported 8.3 inches of snow. Amateur radio and CoCoRaHS observers also reported 8 to 11 inches of snowfall. Winds also gusted to 48 MPH at JFK Airport at 6:31 pm." +113664,680346,UTAH,2017,February,Flood,"WEBER",2017-02-07 00:00:00,MST-7,2017-02-12 00:00:00,0,0,0,0,100.00K,100000,0.00K,0,41.3274,-112.0921,41.3522,-111.7928,"Heavy rainfall and significant snowmelt through the month of February combined to produce flooding in multiple locations across far northern Utah.","Heavy rain and snowmelt led to residential basement flooding across portions of Weber County, with damage reported in Farr West, Plain City, and across parts of the Ogden Valley." +113670,681650,UTAH,2017,February,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-02-21 00:00:00,MST-7,2017-02-21 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved across Utah starting February 21, bringing gusty winds, severe thunderstorms, and heavy snowfall to the state.","Winds across the Salt Lake and Tooele Valleys were strong both ahead of and behind the cold front, with peak recorded gusts of 69 mph at the Olympus Hills - MSI sensor, 69 mph at the SR-201 at I-80 sensor, 68 mph at both Vernon Hill and Stockton Bar, 67 mph at the Great Salt Lake Marina, 66 mph in Sandy, and 58 mph at the South Valley Regional Airport." +115400,692886,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 16:07:00,EST-5,2017-05-04 16:07:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +115400,692887,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-05-04 16:15:00,EST-5,2017-05-04 16:15:00,0,0,0,0,0.00K,0,0.00K,0,31.05,-81.41,31.05,-81.41,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +115400,692888,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 16:25:00,EST-5,2017-05-04 16:25:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-81.33,29.92,-81.33,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +115566,693944,FLORIDA,2017,May,Thunderstorm Wind,"ALACHUA",2017-05-30 16:05:00,EST-5,2017-05-30 16:05:00,0,0,0,0,2.00K,2000,0.00K,0,29.64,-82.61,29.64,-82.61,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Trees and power lines were blown down in Newberry. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +115566,693945,FLORIDA,2017,May,Thunderstorm Wind,"CLAY",2017-05-30 17:40:00,EST-5,2017-05-30 17:40:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-81.74,30.18,-81.74,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Trees were blown down near Orange Park Mall along Loma Place, Alder Drive and Bartlett Avenue." +115566,693941,FLORIDA,2017,May,Heavy Rain,"ST. JOHNS",2017-05-30 16:15:00,EST-5,2017-05-30 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-81.62,30.1,-81.62,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","A spotter measured 1.65 inches of rainfall in less than 1 hour. Wind gusts were estimated between 40-45 mph." +115566,693942,FLORIDA,2017,May,Thunderstorm Wind,"FLAGLER",2017-05-30 15:47:00,EST-5,2017-05-30 15:47:00,0,0,0,0,0.00K,0,0.00K,0,29.42,-81.37,29.42,-81.37,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Winds damaged roofs and outbuildings. A few downed trees were observed. Damage occurred near County Road 305 and County Road 206." +115566,693943,FLORIDA,2017,May,Thunderstorm Wind,"NASSAU",2017-05-30 14:52:00,EST-5,2017-05-30 14:52:00,0,0,0,0,0.00K,0,0.00K,0,30.63,-81.57,30.63,-81.57,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","A tree was blown down in Yulee." +115566,693946,FLORIDA,2017,May,Thunderstorm Wind,"CLAY",2017-05-30 17:30:00,EST-5,2017-05-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.17,-81.72,30.17,-81.72,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","A tree was blown down onto a car and crushed it along Kingsley Avenue. The time of damage was based on radar and other wind damage reports in the area." +115566,693947,FLORIDA,2017,May,Thunderstorm Wind,"CLAY",2017-05-30 17:30:00,EST-5,2017-05-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-81.73,30.18,-81.73,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Trees were blown down near the intersection of Bellair Drive and Kevin Avenue in Orange Park." +115597,694267,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-31 16:12:00,EST-5,2017-05-31 16:12:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-81.43,30.4,-81.43,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","The NOS station MYPF1 near Mayport measured a wind gust to 46 mph." +114289,684671,ALASKA,2017,February,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-02-27 04:00:00,AKST-9,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed along the eastern north slope between a 1048 high pressure center over Russia and low pressure over the interior. Blizzard conditions and strong winds were reported along the eastern north slope on February 28th through March 3rd 2017. ||Zone 204: Blizzard conditions were reported at the Barter island AWOS. A peak wind of 52 kt (60 mph) was also reported.","" +114474,686476,ALASKA,2017,February,Heavy Snow,"LOWER KOBUK & NOATAK VALLEYS",2017-02-22 15:30:00,AKST-9,2017-02-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska with accumulations of 1 to 2 feet reported. Strong winds and local blizzard conditions along the coastal areas.||||Zone 207: Blizzard and quarter mile visibility reported at the Kivalina ASOS.||Zone 208: Kiana and Noatak 12 to 18 inches.||Zone 209: Blizzard and quarter mile visibility reported at the Kotzebue ASOS.||Zone 211: Blizzard and quarter mile visibility reported at the Nome ASOS.||Zone 212: Estimated 8 inches of snow in the Nulato Hills.","" +115595,694263,FLORIDA,2017,May,Thunderstorm Wind,"ST. JOHNS",2017-05-31 17:20:00,EST-5,2017-05-31 17:20:00,0,0,0,0,0.00K,0,0.00K,0,30.13,-81.41,30.13,-81.41,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Trees were snapped along 20 Mile Road in Nocatee." +115597,694264,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-31 15:58:00,EST-5,2017-05-31 15:58:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","The WeatherFlow Mesonet site at Buck Island measured a gust to 55 mph." +115597,694266,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-31 16:04:00,EST-5,2017-05-31 16:04:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.41,30.38,-81.41,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","The Mayport ASOS measured a gust to 45 mph." +113171,677257,GEORGIA,2017,February,Drought,"WALTON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677275,GEORGIA,2017,February,Drought,"HALL",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113400,678592,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-08 12:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer near Hope reported 5.7 inches of new snow accumulation." +113564,679838,CONNECTICUT,2017,February,Blizzard,"NORTHERN MIDDLESEX",2017-02-09 10:15:00,EST-5,2017-02-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Chester Airport AWOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the late morning and early afternoon on February 9th." +114653,698439,MISSOURI,2017,May,Lightning,"DOUGLAS",2017-05-19 01:22:00,CST-6,2017-05-19 01:22:00,0,0,0,0,10.00K,10000,0.00K,0,36.96,-92.66,36.96,-92.66,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Lightning struck a home. The owner indicated sparks from appliances when the lightning hit the house." +114653,698440,MISSOURI,2017,May,Tornado,"GREENE",2017-05-19 00:54:00,CST-6,2017-05-19 00:56:00,0,0,0,0,100.00K,100000,0.00K,0,37.1726,-93.1647,37.1855,-93.1224,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado uprooted numerous trees along the path. Some trees fell on homes. Estimated maximum winds were up to 85 mph." +114653,698441,MISSOURI,2017,May,Tornado,"TANEY",2017-05-19 00:30:00,CST-6,2017-05-19 00:40:00,0,0,0,0,0.00K,0,0.00K,0,36.6995,-93.1595,36.7682,-93.0345,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-1 tornado tracked from Rockaway Beach to just northwest of Taneyville. Numerous trees were damaged and uprooted. Estimated maximum winds were up to 100 mph." +114653,698442,MISSOURI,2017,May,Tornado,"TANEY",2017-05-19 00:28:00,CST-6,2017-05-19 00:29:00,1,0,0,0,10.00K,10000,0.00K,0,36.6429,-93.265,36.6457,-93.2622,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A brief EF-0 tornado touched down in Branson. It damaged a hotel and the local outlet mall. There was one person with a head injury. Estimated maximum winds were up to 75 mph." +114653,698444,MISSOURI,2017,May,Tornado,"BARRY",2017-05-19 00:04:00,CST-6,2017-05-19 00:05:00,0,0,0,0,50.00K,50000,0.00K,0,36.5972,-93.5985,36.5978,-93.5965,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado uprooted numerous trees and damaged boat docks southeast of Shell Knob. Estimated maximum winds were up to 85 mph." +114653,698445,MISSOURI,2017,May,Tornado,"CHRISTIAN",2017-05-19 01:00:00,CST-6,2017-05-19 01:03:00,0,0,0,0,100.00K,100000,0.00K,0,36.9149,-93.0654,36.9555,-93.0315,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado uprooted mutliple trees. Several homes were damaged from fallen trees around the Chadwick area. Estimated maximum winds were up to 85 mph." +115551,693820,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 16:27:00,EST-5,2017-05-24 16:27:00,0,0,0,0,0.00K,0,0.00K,0,28.48,-80.59,28.48,-80.59,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","ASOS at Cape Canaveral Air Force Station Skid Strip (KXMR) measured a peak wind gust of 40 knots a strong storm moved into the nearshore waters off the Cape in Brevard County." +115551,693821,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 16:18:00,EST-5,2017-05-24 16:18:00,0,0,0,0,0.00K,0,0.00K,0,28.31,-80.63,28.31,-80.63,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","A Weatherflow mesonet station at Cocoa Beach Club measured a peak wind gust of 43 knots from the southwest as a strong storm moved offshore Brevard County into the Atlantic." +115551,693822,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 20-60NM",2017-05-24 16:50:00,EST-5,2017-05-24 16:50:00,0,0,0,0,0.00K,0,0.00K,0,28.52,-80.17,28.52,-80.17,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","Buoy 41009 measured a peak wind gust of 37 knots from the west as a strong thunderstorm moved across the offshore waters of Brevard County." +115551,693824,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-05-24 17:11:00,EST-5,2017-05-24 17:11:00,0,0,0,0,0.00K,0,0.00K,0,27.19,-80.19,27.19,-80.19,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","AWOS at Stuart Witham Field Airport (KSUA) measured a peak wind gust of 36 knots from the southwest as a strong storm moved offshore of Martin County." +114533,686887,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-11 17:25:00,CST-6,2017-05-11 17:25:00,0,0,0,0,0.00K,0,0.00K,0,32.5545,-94.8943,32.5545,-94.8943,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Power lines were downed in Warren City." +114533,686886,TEXAS,2017,May,Tornado,"GREGG",2017-05-11 17:26:00,CST-6,2017-05-11 17:29:00,0,0,0,0,50.00K,50000,0.00K,0,32.5711,-94.8768,32.5704,-94.851,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","This is a continuation of the Southern Upshur County tornado that initially touched down along North White Oak Road. This tornado strengthened into an EF-1 tornado with maximum estimated winds between 100-110 mph as it entered Northern Gregg County between Morgan Road and East Mountain Road, where several large pine, cedar, and mesquite trees were snapped or uprooted across open pastureland. A few shingles were also blown off of a home at the intersection of East Mountain Road and Shiloh Road. This tornado partially lifted back to treetop levels as it moved along Shiloh Road, with numerous trees sheared near the top. The most extensive damage came to the Shiloh Baptist Church, where the tornado tore off a small section of the roof and steeple and threw them northeast into the adjacent church cemetery. Several large hardwoods were also snapped at the base or uprooted along Shiloh Road and in the cemetery, with this damage justifying the high end EF-1 damage. The tornado continued east along Shiloh Road where it partially lifted back to treetop level, shearing the tops off of numerous trees before finally lifting about one-half mile west of Farm to Market Road 1845 near the East Mountain community." +114703,688009,LOUISIANA,2017,May,Hail,"CADDO",2017-05-20 22:16:00,CST-6,2017-05-20 22:16:00,0,0,0,0,0.00K,0,0.00K,0,32.4149,-93.6965,32.4149,-93.6965,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Penny size hail fell on Stratmore Drive in South Shreveport." +114703,688010,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-20 22:18:00,CST-6,2017-05-20 22:18:00,0,0,0,0,0.00K,0,0.00K,0,32.4616,-93.7011,32.4616,-93.7011,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Trees and power lines were downed on Bayou Drive between Dixie Gardens Drive and Bermuda Street. Power was out to the area." +115178,691494,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:37:00,CST-6,2017-05-28 17:37:00,0,0,0,0,0.00K,0,0.00K,0,32.2732,-93.8345,32.2732,-93.8345,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large elm tree was uprooted and fell across a driveway on Burford Road." +115178,691917,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.3841,-93.7593,32.3841,-93.7593,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Severe thunderstorms with estimated winds between 80-90 mph snapped and uprooted several hardwood trees on Bonnydune Drive off of Linwood Avenue just south of the Shreveport city limits, including one of which fell through and significantly damaged a home." +114200,683990,OREGON,2017,May,Hail,"JACKSON",2017-05-04 17:55:00,PST-8,2017-05-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.66,-122.7,42.66,-122.7,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","A member of the public sent in a picture of quarter-sized hail. It was collected at Casey State Recreational Site near Trail. It fell around 1900 PDT." +114200,683991,OREGON,2017,May,Hail,"JACKSON",2017-05-04 18:15:00,PST-8,2017-05-04 18:20:00,0,0,0,0,0.00K,0,0.00K,0,42.66,-122.71,42.66,-122.71,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Reported on Social Media. Time estimated based on radar returns." +114200,683992,OREGON,2017,May,Hail,"JACKSON",2017-05-04 18:55:00,PST-8,2017-05-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-122.44,42.91,-122.44,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Time estimated from radar returns." +114200,685355,OREGON,2017,May,Thunderstorm Wind,"JACKSON",2017-05-04 18:45:00,PST-8,2017-05-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-122.35,42.79,-122.35,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Multiple trees down along with numerous limbs. Times estimated from radar returns." +114200,685358,OREGON,2017,May,Thunderstorm Wind,"JACKSON",2017-05-04 17:45:00,PST-8,2017-05-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-122.35,42.79,-122.35,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Multiple trees down along with numerous limbs. Time estimated from radar returns." +116881,702720,ALABAMA,2017,May,Thunderstorm Wind,"WINSTON",2017-05-28 00:33:00,CST-6,2017-05-28 00:34:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-87.62,34.23,-87.62,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted and power lines downed in the city of Haleyville." +116881,702721,ALABAMA,2017,May,Thunderstorm Wind,"LAMAR",2017-05-28 00:40:00,CST-6,2017-05-28 00:41:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-88.08,33.91,-88.08,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several large trees uprooted in the Crews Community. One vehicle was heavily damaged." +116881,702722,ALABAMA,2017,May,Thunderstorm Wind,"LAMAR",2017-05-28 00:42:00,CST-6,2017-05-28 00:43:00,0,0,0,0,0.00K,0,0.00K,0,33.8393,-88.1496,33.8393,-88.1496,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Metal roofing lifted from back of home on Buck Jackson Road." +116881,702723,ALABAMA,2017,May,Thunderstorm Wind,"WINSTON",2017-05-28 00:48:00,CST-6,2017-05-28 00:49:00,0,0,0,0,0.00K,0,0.00K,0,34.04,-87.55,34.04,-87.55,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the Lynn Community." +116881,702724,ALABAMA,2017,May,Thunderstorm Wind,"WALKER",2017-05-28 01:08:00,CST-6,2017-05-28 01:09:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-87.49,33.99,-87.49,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the Nauvoo Community." +116881,702725,ALABAMA,2017,May,Thunderstorm Wind,"BLOUNT",2017-05-28 01:42:00,CST-6,2017-05-28 01:43:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-86.77,33.88,-86.77,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the town of Hayden." +114195,683963,WISCONSIN,2017,March,Hail,"DANE",2017-03-23 17:41:00,CST-6,2017-03-23 17:41:00,0,0,0,0,0.00K,0,0.00K,0,43.01,-89.74,43.01,-89.74,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +114195,683964,WISCONSIN,2017,March,Hail,"DANE",2017-03-23 17:55:00,CST-6,2017-03-23 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-89.54,42.99,-89.54,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","Accompanied by 20-30 mph wind." +114195,683966,WISCONSIN,2017,March,Hail,"DANE",2017-03-23 18:09:00,CST-6,2017-03-23 18:09:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-89.48,43.09,-89.48,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +114195,683967,WISCONSIN,2017,March,Hail,"JEFFERSON",2017-03-23 18:30:00,CST-6,2017-03-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-89,42.93,-89,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +114195,683968,WISCONSIN,2017,March,Hail,"DANE",2017-03-23 18:50:00,CST-6,2017-03-23 18:50:00,0,0,0,0,0.00K,0,0.00K,0,43.1,-89.51,43.1,-89.51,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","Penny to nickel size hail in downtown Middleton. Relayed via social media.." +114195,683969,WISCONSIN,2017,March,Hail,"JEFFERSON",2017-03-23 18:58:00,CST-6,2017-03-23 18:58:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-88.59,42.88,-88.59,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +114195,683970,WISCONSIN,2017,March,Hail,"DANE",2017-03-23 19:08:00,CST-6,2017-03-23 19:08:00,0,0,0,0,0.00K,0,0.00K,0,43.19,-89.25,43.19,-89.25,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +114195,683971,WISCONSIN,2017,March,Hail,"WAUKESHA",2017-03-23 19:27:00,CST-6,2017-03-23 19:27:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-88.33,42.87,-88.33,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","Penny to three quarter inch diameter hail for about 10 minutes." +114195,683972,WISCONSIN,2017,March,Hail,"WAUKESHA",2017-03-23 19:20:00,CST-6,2017-03-23 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-88.33,42.85,-88.33,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +113798,681301,MISSOURI,2017,March,Hail,"DALLAS",2017-03-21 11:30:00,CST-6,2017-03-21 11:30:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-93.09,37.65,-93.09,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681302,MISSOURI,2017,March,Hail,"DALLAS",2017-03-21 11:38:00,CST-6,2017-03-21 11:38:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-93.09,37.65,-93.09,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","" +113798,681304,MISSOURI,2017,March,Hail,"TEXAS",2017-03-21 13:30:00,CST-6,2017-03-21 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.43,-92.08,37.43,-92.08,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Quarter size hail was reported at the Success Elementary School south of the town of Success on Highway 17." +113798,681306,MISSOURI,2017,March,Thunderstorm Wind,"LACLEDE",2017-03-24 20:16:00,CST-6,2017-03-24 20:16:00,0,0,0,0,2.00K,2000,0.00K,0,37.69,-92.66,37.69,-92.66,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","There was minor wind damage to a wooden fence, a barn, and travel trailers one mile north of Lebanon. Time was estimated by radar." +113798,681305,MISSOURI,2017,March,Lightning,"GREENE",2017-03-21 06:20:00,CST-6,2017-03-21 06:20:00,0,0,0,0,30.00K,30000,0.00K,0,37.2,-93.2,37.2,-93.2,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","A lightning strike hit a tree which caused the tree to explode and shatter. Two cars under a carport near the tree were smashed by large limbs and the trunk of the tree. The carport was destroyed. Nearby windows of a house had the windows busted out by flying debris from the lightning strike." +114028,682933,IOWA,2017,March,Winter Storm,"EMMET",2017-03-12 12:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +112920,687642,IOWA,2017,March,Thunderstorm Wind,"CALHOUN",2017-03-06 17:00:00,CST-6,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4499,-94.6692,42.4499,-94.6692,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","The RWIS station at Rockwell City recorded a gust." +112920,687643,IOWA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-06 19:39:00,CST-6,2017-03-06 19:39:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-92.92,42.11,-92.92,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Marshalltown ASOS recorded strong wind gust." +112920,687644,IOWA,2017,March,Thunderstorm Wind,"STORY",2017-03-06 18:30:00,CST-6,2017-03-06 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0204,-94.362,41.0204,-94.362,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Creston AWOS recorded a strong wind gust." +115701,695273,IOWA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-16 19:45:00,CST-6,2017-05-16 19:45:00,0,0,0,0,0.00K,0,0.00K,0,42.45,-94.67,42.45,-94.67,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Rockwell City RWIS recorded 73 mph wind gust." +112822,674060,MICHIGAN,2017,March,High Wind,"MASON",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A peak wind gust of 55 mph was measured at Ludington and peak gusts were estimated at up to 60 mph which resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674062,MICHIGAN,2017,March,High Wind,"LAKE",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +113678,680785,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-01 05:31:00,CST-6,2017-03-01 05:31:00,0,0,0,0,20.00K,20000,0.00K,0,36.6272,-88.4979,36.6272,-88.4979,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A small wooden barn was destroyed near the Calloway County line, and numerous large branches were broken. This damage was associated with the storm that produced the EF-2 tornado near Cuba." +113678,680426,KENTUCKY,2017,March,Thunderstorm Wind,"WEBSTER",2017-03-01 05:32:00,CST-6,2017-03-01 05:32:00,0,0,0,0,2.00K,2000,0.00K,0,37.48,-87.83,37.48,-87.83,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 60 mph was estimated by firefighters." +113678,680433,KENTUCKY,2017,March,Thunderstorm Wind,"LYON",2017-03-01 05:45:00,CST-6,2017-03-01 05:45:00,3,0,0,0,50.00K,50000,0.00K,0,37.05,-88.07,37.05,-88.07,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Significant damage occurred at the Kentucky State Penitentiary. Three staff members at the penitentiary were injured by flying glass, debris, and equipment picked up by the wind. Their injuries were not life threatening. The roof was blown off the prison gym. The resident of a mobile home in Eddyville estimated winds gusted to around 75 mph. The resident said their mobile home was rocking in the wind." +113678,680432,KENTUCKY,2017,March,Thunderstorm Wind,"CALDWELL",2017-03-01 05:55:00,CST-6,2017-03-01 05:55:00,0,0,0,0,5.00K,5000,0.00K,0,37.12,-87.87,37.0995,-87.8443,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 77 mph was measured at a Kentucky mesonet site. Trees were damaged, including at least one uprooted tree in Princeton." +114338,685153,ALABAMA,2017,March,Drought,"TUSCALOOSA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near to slightly above normal rainfall during the month of March lowered the drought intensity from a D3 to a D2." +114338,685154,ALABAMA,2017,March,Drought,"JEFFERSON",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near to slightly above normal rainfall during the month of March lowered the drought intensity from a D3 to a D2." +114338,685155,ALABAMA,2017,March,Drought,"SHELBY",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near to slightly above normal rainfall during the month of March lowered the drought intensity from a D3 to a D2." +114338,685146,ALABAMA,2017,March,Drought,"LAMAR",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Above normal rainfall helped ease the drought conditions across portions of west-central and north-central Alabama.","Near normal rainfall during the month of March maintained the drought intensity at D2." +115701,695307,IOWA,2017,May,Thunderstorm Wind,"CERRO GORDO",2017-05-16 21:05:00,CST-6,2017-05-16 21:05:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-93.2,43.15,-93.2,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported wind gusts to around 60 mph in the downtown area. Power out as well." +115701,695310,IOWA,2017,May,Hail,"STORY",2017-05-16 21:15:00,CST-6,2017-05-16 21:15:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-93.31,42.17,-93.31,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Coop observer reported quarter sized hail." +114250,684463,INDIANA,2017,March,Frost/Freeze,"SPENCER",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114250,684465,INDIANA,2017,March,Frost/Freeze,"WARRICK",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 18 to 20 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114256,684506,KENTUCKY,2017,March,Dense Fog,"MARSHALL",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684505,KENTUCKY,2017,March,Dense Fog,"LIVINGSTON",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684507,KENTUCKY,2017,March,Dense Fog,"CALLOWAY",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114383,685426,TEXAS,2017,March,Drought,"KENEDY",2017-03-01 00:00:00,CST-6,2017-03-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions persisted across portions of Brooks, Kenedy, Hidalgo, and Starr counties through the first week of March. Abundant rainfall on the 4th allowed for improvement of drought conditions.","The area of Severe (D2) drought conditions in the northeast corner of the county persisted through much of the first week of March. Beneficial rainfall would allow conditions to improve by the 7th." +112845,679120,MISSOURI,2017,March,Tornado,"BARRY",2017-03-09 19:00:00,CST-6,2017-03-09 19:01:00,0,0,0,0,0.00K,0,0.00K,0,36.7056,-93.7501,36.7057,-93.7471,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A National Weather Service survey determined that an EF-0 tornado uprooted and snapped multiple trees about 6 miles southwest of Jenkins, Missouri. Estimated peak wind speed was 85 mph." +112845,679050,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 16:51:00,CST-6,2017-03-09 16:51:00,0,0,0,0,100.00K,100000,0.00K,0,37.3,-94.3,37.3,-94.3,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Baseball size hail was report on social media with a picture. Hail damaged a few cars and homes in the town of Jasper. This report will include a damage estimate." +112845,679060,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:26:00,CST-6,2017-03-09 17:26:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.44,37.15,-94.44,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","Carterville police department reported golf ball size hail." +112845,679061,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:29:00,CST-6,2017-03-09 17:29:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.44,37.15,-94.44,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This fire chief reported baseball size hail in the Caterville area. There was damage to cars and homes." +112845,679087,MISSOURI,2017,March,Hail,"JASPER",2017-03-09 17:25:00,CST-6,2017-03-09 17:25:00,0,0,0,0,200.00K,200000,0.00K,0,37.15,-94.41,37.15,-94.41,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","This hail report was east of the Webb City area from social media with a picture. There was damage to cars and homes. This storm report will include the total damage from hail in the Webb City and Carterville area." +114021,685670,MARYLAND,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 13:30:00,EST-5,2017-03-01 13:34:00,0,0,0,0,,NaN,,NaN,39.2006,-77.2631,39.2006,-77.2631,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","Wind gusts of 61 to 66 mph were reported." +119525,717275,ILLINOIS,2017,July,Hail,"LA SALLE",2017-07-10 19:45:00,CST-6,2017-07-10 19:46:00,0,0,0,0,0.00K,0,0.00K,0,41.3372,-89.0717,41.3372,-89.0717,"Scattered thunderstorms produced hail during the afternoon and evening of July 10th.","Quarter size hail was reported on Interstate 39 near exit 57." +119525,717277,ILLINOIS,2017,July,Hail,"LA SALLE",2017-07-10 19:52:00,CST-6,2017-07-10 19:53:00,0,0,0,0,0.00K,0,0.00K,0,41.4691,-89.0495,41.4691,-89.0495,"Scattered thunderstorms produced hail during the afternoon and evening of July 10th.","Quarter size hail was reported near Interstate 39 at exit 66." +119526,717279,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-07-12 08:50:00,CST-6,2017-07-12 08:50:00,0,0,0,0,0.00K,0,0.00K,0,42.135,-87.655,42.135,-87.655,"Scattered thunderstorms moved across southern Lake Michigan during the morning hours of June 12th producing strong winds.","The Wilmette buoy measured a wind gust to 51 mph." +119526,717280,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-07-12 08:50:00,CST-6,2017-07-12 08:50:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"Scattered thunderstorms moved across southern Lake Michigan during the morning hours of June 12th producing strong winds.","" +119571,717458,ILLINOIS,2017,July,Hail,"KANE",2017-07-11 21:33:00,CST-6,2017-07-11 21:34:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-88.42,42.07,-88.42,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","" +119571,717459,ILLINOIS,2017,July,Thunderstorm Wind,"KANE",2017-07-11 21:39:00,CST-6,2017-07-11 21:39:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-88.42,42.07,-88.42,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","A wind gust to 78 mph was measured on a home weather station. Tree limbs 3 to 5 inches in diameter were blown down." +119571,717467,ILLINOIS,2017,July,Heavy Rain,"KANE",2017-07-11 20:45:00,CST-6,2017-07-11 22:25:00,0,0,0,0,0.00K,0,0.00K,0,42.0721,-88.25,42.0721,-88.25,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Rainfall of 2.01 inches was measured in 1 hour and 40 minutes." +119571,717469,ILLINOIS,2017,July,Hail,"COOK",2017-07-12 07:40:00,CST-6,2017-07-12 07:40:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-87.98,42.02,-87.98,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","" +119571,717470,ILLINOIS,2017,July,Hail,"MCHENRY",2017-07-12 08:13:00,CST-6,2017-07-12 08:13:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-88.23,42.2,-88.23,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","" +119571,717471,ILLINOIS,2017,July,Hail,"LAKE",2017-07-12 08:19:00,CST-6,2017-07-12 08:19:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-88,42.27,-88,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","" +119571,717472,ILLINOIS,2017,July,Hail,"COOK",2017-07-12 08:35:00,CST-6,2017-07-12 08:35:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-87.8,42.07,-87.8,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","" +119571,717473,ILLINOIS,2017,July,Thunderstorm Wind,"LAKE",2017-07-12 08:20:00,CST-6,2017-07-12 08:20:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-87.97,42.15,-87.97,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Tree limbs were blown down." +119571,717474,ILLINOIS,2017,July,Thunderstorm Wind,"KANE",2017-07-12 08:45:00,CST-6,2017-07-12 08:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.0291,-88.4751,42.0291,-88.4751,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Twenty utility poles were snapped at the base." +119610,717534,ILLINOIS,2017,July,Hail,"OGLE",2017-07-16 02:20:00,CST-6,2017-07-16 02:20:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-89,42.1,-89,"Scattered thunderstorms moved across parts of northern Illinois during the early morning hours of July 16th.","" +119610,717535,ILLINOIS,2017,July,Hail,"MCHENRY",2017-07-16 00:16:00,CST-6,2017-07-16 00:18:00,0,0,0,0,0.00K,0,0.00K,0,42.38,-88.35,42.38,-88.35,"Scattered thunderstorms moved across parts of northern Illinois during the early morning hours of July 16th.","Quarter to golf ball size hail was reported in Wonder Lake." +119610,717536,ILLINOIS,2017,July,Thunderstorm Wind,"OGLE",2017-07-16 02:48:00,CST-6,2017-07-16 02:48:00,0,0,0,0,0.00K,0,0.00K,0,41.9345,-89.07,41.9345,-89.07,"Scattered thunderstorms moved across parts of northern Illinois during the early morning hours of July 16th.","Several tree limbs 4 to 5 feet long and 5 to 6 inches in diameter were blown down." +119608,717539,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-07-19 22:00:00,CST-6,2017-07-19 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.729,-86.912,41.729,-86.912,"Severe thunderstorms moved across southern Lake Michigan during the evening of July 19th.","Winds gusted to 38 knots for 10 minutes." +119608,717540,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GARY TO BURNS HARBOR IN",2017-07-19 21:46:00,CST-6,2017-07-19 21:46:00,0,0,0,0,0.00K,0,0.00K,0,41.646,-87.147,41.646,-87.147,"Severe thunderstorms moved across southern Lake Michigan during the evening of July 19th.","" +119607,717542,INDIANA,2017,July,Thunderstorm Wind,"PORTER",2017-07-19 21:45:00,CST-6,2017-07-19 21:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.3037,-87.1994,41.3037,-87.1994,"Severe thunderstorms moved across parts of northwest Indiana during the evening of July 19th.","Tree limbs were blown onto power lines along with other power lines blown down, near State Road 2 and County Road 900 S." +119612,717560,ILLINOIS,2017,July,Hail,"WINNEBAGO",2017-07-20 02:58:00,CST-6,2017-07-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-89.23,42.27,-89.23,"A thunderstorm produced large hail during the early morning hours of July 20th.","" +119617,721306,INDIANA,2017,July,Thunderstorm Wind,"NEWTON",2017-07-21 23:36:00,CST-6,2017-07-21 23:36:00,0,0,0,0,10.00K,10000,0.00K,0,40.7694,-87.4913,40.7694,-87.4913,"Thunderstorms moved across portions of northwest Indiana during the evening of July 21st and the early morning hours of July 22nd.","Near the intersection of Route 52 and State Road 71, multiple trees were blown down and the roof was removed from a pole barn with partial structural collapse." +120412,721308,ILLINOIS,2017,July,Thunderstorm Wind,"MCHENRY",2017-07-23 14:31:00,CST-6,2017-07-23 14:31:00,0,0,0,0,0.00K,0,0.00K,0,42.23,-88.33,42.23,-88.33,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","A three foot diameter tree was blown down." +120412,721310,ILLINOIS,2017,July,Hail,"COOK",2017-07-23 15:04:00,CST-6,2017-07-23 15:05:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-88.12,42.05,-88.12,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","" +120412,721311,ILLINOIS,2017,July,Hail,"DU PAGE",2017-07-23 15:34:00,CST-6,2017-07-23 15:36:00,0,0,0,0,0.00K,0,0.00K,0,41.9898,-88.1662,41.9898,-88.1662,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Nickel to quarter size hail was reported." +120412,721312,ILLINOIS,2017,July,Hail,"DU PAGE",2017-07-23 15:46:00,CST-6,2017-07-23 15:46:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-88.13,41.92,-88.13,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","" +120412,721314,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:54:00,CST-6,2017-07-23 16:54:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-87.98,41.42,-87.98,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","A two foot diameter tree was blown down." +114399,685728,WEST VIRGINIA,2017,March,Heavy Snow,"PRESTON",2017-03-14 01:00:00,EST-5,2017-03-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that ejected out of the Rockies and into the midwest interacted with and deepened an upper trough over the region on the 13th. As a result, a coastal low developed. While a pronounced dry slot and weak warm advection limited snow accumulation across much of the Ohio Valley, 6-12 inches of snow, with isolated higher amounts of up to 16 inches, was recorded in the mountains of West Virginia and in Garrett county, Maryland, with additional support from uplsope enhancement through the 16th.","" +116168,698269,IOWA,2017,May,Thunderstorm Wind,"STORY",2017-05-17 15:44:00,CST-6,2017-05-17 15:44:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-93.64,42.05,-93.64,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported strong winds to around 60 mph or more." +120412,721315,ILLINOIS,2017,July,Hail,"WILL",2017-07-23 16:08:00,CST-6,2017-07-23 16:10:00,0,0,0,0,0.00K,0,0.00K,0,41.6445,-88.07,41.6445,-88.07,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","" +120412,721316,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:10:00,CST-6,2017-07-23 16:13:00,0,0,0,0,10.00K,10000,0.00K,0,41.6585,-88.1086,41.6388,-88.0865,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Wind damage was reported throughout Romeoville with numerous large tree limbs blown down. Two north side windows were blown out and shingles were peeled away at an apartment complex. Pieces of roofing were blown off a strip mall. A metal pool fence was blown off a pool and a young 2 inch diameter tree was uprooted." +120412,721317,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:14:00,CST-6,2017-07-23 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,41.6,-88.05,41.6,-88.05,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","A large part of a roof was blown off a building and an 8 inch diameter tree was blown down." +120412,721318,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:19:00,CST-6,2017-07-23 16:19:00,0,0,0,0,0.00K,0,0.00K,0,41.6041,-88.08,41.6041,-88.08,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Several 6+ inch diameter tree limbs were blown down on the Lewis University Campus." +114433,686214,NORTH CAROLINA,2017,March,Cold/Wind Chill,"POLK MOUNTAINS",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +114433,686208,NORTH CAROLINA,2017,March,Cold/Wind Chill,"HENDERSON",2017-03-16 00:00:00,EST-5,2017-03-16 10:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The 2017 growing season began early across western North Carolina, due to an unusually warm February and early March that saw average temperatures of almost 10 degrees above normal. An episode of cold arctic high pressure in the middle of March led to a hard freeze on the morning of the 16th, when low temperatures in the lower to mid 20s were reported. This caused significant damage to berry, wheat, apple, and peach crops. While subsequent days of freezing temperatures caused further damage, the vast majority of the damage occurred on the 16th.","" +120412,721331,ILLINOIS,2017,July,Flood,"DU PAGE",2017-07-23 15:42:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9935,-88.2085,41.9853,-88.2088,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Standing water 4 to 12 inches deep was reported on Route 59." +120412,721319,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:00:00,CST-6,2017-07-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7032,-88.1199,41.7032,-88.1199,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Numerous tree limbs were blown down on Brookwood Lane off of Boughton Road. Some tree limbs were as large as one foot in diameter." +120412,721320,ILLINOIS,2017,July,Flood,"WILL",2017-07-23 16:20:00,CST-6,2017-07-23 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.7031,-88.1221,41.7002,-88.1213,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Standing water was reported on Brookwood Lane off of Boughton." +120412,721329,ILLINOIS,2017,July,Flood,"DU PAGE",2017-07-23 16:00:00,CST-6,2017-07-23 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.7573,-88.1429,41.756,-88.1437,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Standing water above wheels of cars was reported on Washington Street at Gartner Road." +120412,721330,ILLINOIS,2017,July,Heavy Rain,"DU PAGE",2017-07-23 15:45:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-88.25,41.74,-88.25,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Rainfall of 2.11 inches was measured in 45 minutes." +121306,726205,NEBRASKA,2017,February,Flood,"KNOX",2017-02-14 14:00:00,CST-6,2017-02-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8125,-98.1787,42.8093,-98.1745,"Warm temperatures during the first week of February caused intact ice cover on Ponca Creek to move downstream. The ice became stuck at several places upstream and downstream of Highway 12.","Flooding was reported to the National Weather Service along Ponca Creek in Knox County. This flooding occurred when ice moved downstream creating an ice jam below and above the USGS gage at Verdel. The flooding was mostly contained to lowland areas. One paved road was flooded just east of Ponca, called Rayder Swanson Road." +119033,714883,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 04:00:00,CST-6,2017-07-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.947,-94.5834,38.946,-94.6076,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","After 5 to 7 inches of rain fell across Kansas City in 3-6 hours, one of the hardest hit areas in the Kansas City Metro was along Indian Creek near 103rd and Wornall. Several car dealerships in that area had merchandise inundated and washed away due to the record flood for Indian Creek. Also at that intersection was a restaurant that had two of its owners trapped in the rafters of the business as waters rushed into the building. The owners were rescued by fire fighters when they rode a motorized raft to the building and extracted the owners through the roof. This rescue took place on live television. This narrative was not unique to this location, as water rescues took place in numerous areas across Kansas City. The value of loss is tremendous, but no value has been submitted." +119033,714898,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 04:38:00,CST-6,2017-07-27 07:38:00,0,0,0,0,0.00K,0,0.00K,0,38.956,-94.0898,38.9771,-94.0904,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Highway TT was impassible near Bates City, due to flash flooding." +119033,714899,MISSOURI,2017,July,Flash Flood,"CASS",2017-07-27 04:52:00,CST-6,2017-07-27 07:52:00,0,0,0,0,0.00K,0,0.00K,0,38.8234,-94.2809,38.7718,-94.2895,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Numerous roads in Pleasant Hill were impassible due to flash flooding." +120412,721340,ILLINOIS,2017,July,Thunderstorm Wind,"IROQUOIS",2017-07-23 18:14:00,CST-6,2017-07-23 18:14:00,0,0,0,0,5.00K,5000,0.00K,0,40.78,-87.73,40.78,-87.73,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Multiple utility poles were blown down." +120412,721332,ILLINOIS,2017,July,Flood,"COOK",2017-07-23 15:30:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.027,-88.1105,42.0256,-88.111,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Standing water 6 to 12 inches deep was reported on Schaumburg Road between Braintree Drive and Roselle Road. One car was reported stalled in the flood waters." +120412,721333,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:05:00,CST-6,2017-07-23 16:05:00,0,0,0,0,1.00K,1000,0.00K,0,41.66,-88.18,41.66,-88.18,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","House siding damage was reported." +120412,721334,ILLINOIS,2017,July,Thunderstorm Wind,"KANKAKEE",2017-07-23 17:12:00,CST-6,2017-07-23 17:14:00,0,0,0,0,5.00K,5000,0.00K,0,41.2602,-87.8436,41.2398,-87.8164,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Numerous large trees and tree limbs were blown down. Ten utility poles were snapped." +120412,721336,ILLINOIS,2017,July,Hail,"KANKAKEE",2017-07-23 17:22:00,CST-6,2017-07-23 17:23:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-87.88,41.15,-87.88,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","" +120412,721337,ILLINOIS,2017,July,Thunderstorm Wind,"KANKAKEE",2017-07-23 17:15:00,CST-6,2017-07-23 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,41.2212,-87.8958,41.2212,-87.8958,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","The roof of a barn was blown off near the intersection of 7000N and 1000W." +120412,721338,ILLINOIS,2017,July,Thunderstorm Wind,"KANKAKEE",2017-07-23 17:27:00,CST-6,2017-07-23 17:29:00,0,0,0,0,0.00K,0,0.00K,0,41.1504,-87.8704,41.1292,-87.8429,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Extensive tree damage was reported in Bradley. One tree limb two feet in diameter was snapped off. Wind gusts were estimated between 60 mph and 70 mph." +120412,721339,ILLINOIS,2017,July,Thunderstorm Wind,"KANKAKEE",2017-07-23 17:28:00,CST-6,2017-07-23 17:28:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-87.83,41.17,-87.83,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","A wind gust to 72 mph was measured." +120412,721341,ILLINOIS,2017,July,Thunderstorm Wind,"KANKAKEE",2017-07-23 17:29:00,CST-6,2017-07-23 17:29:00,0,0,0,0,0.00K,0,0.00K,0,41.1921,-87.7991,41.1921,-87.7991,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Numerous trees and tree limbs were blown down along St. George Road, blocking the road. Crop damage was also reported." +116168,699727,IOWA,2017,May,Thunderstorm Wind,"MARION",2017-05-17 15:38:00,CST-6,2017-05-17 15:38:00,0,0,0,0,5.00K,5000,0.00K,0,41.3449,-93.2629,41.3449,-93.2629,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Large willow tree downed in the yard." +115864,696328,TEXAS,2017,May,Frost/Freeze,"RANDALL",2017-05-01 03:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696327,TEXAS,2017,May,Frost/Freeze,"POTTER",2017-05-01 03:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696329,TEXAS,2017,May,Frost/Freeze,"CARSON",2017-05-01 02:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696330,TEXAS,2017,May,Frost/Freeze,"ARMSTRONG",2017-05-01 03:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115864,696331,TEXAS,2017,May,Frost/Freeze,"DEAF SMITH",2017-05-01 04:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +116002,701454,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-05 03:30:00,EST-5,2017-05-05 03:30:00,0,0,0,0,0.00K,0,0.00K,0,35.1307,-79.4415,35.1307,-79.4415,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Park Drive." +116664,701456,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-31 15:56:00,EST-5,2017-05-31 15:56:00,0,0,0,0,4.00K,4000,0.00K,0,35.85,-80.35,35.85,-80.35,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","Several trees were blown down on Old US Highway 64 in the Reeds Crossroads community." +116664,701457,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-31 18:35:00,EST-5,2017-05-31 18:35:00,0,0,0,0,2.00K,2000,0.00K,0,36.24,-79.59,36.24,-79.59,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","A couple of trees were blown down near the intersection of Brann Road and Portage Road." +116002,701458,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-05 02:55:00,EST-5,2017-05-05 02:55:00,0,0,0,0,0.00K,0,0.00K,0,35.3526,-79.3983,35.3526,-79.3983,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Glendon Carthage Road." +116002,701459,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-05 02:35:00,EST-5,2017-05-05 02:35:00,0,0,0,0,0.00K,0,0.00K,0,35.4289,-79.5503,35.4289,-79.5503,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Plank Road." +116002,701460,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-05 02:55:00,EST-5,2017-05-05 02:55:00,0,0,0,0,0.00K,0,0.00K,0,35.3809,-79.4006,35.3809,-79.4006,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Glendon Carthage Road north of Carthage." +116002,701461,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-05 03:45:00,EST-5,2017-05-05 03:45:00,0,0,0,0,0.00K,0,0.00K,0,34.8849,-78.7391,34.8849,-78.7391,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Highway 53 and Johnson Road." +114553,687038,ILLINOIS,2017,March,Hail,"KNOX",2017-03-20 00:00:00,CST-6,2017-03-20 00:05:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114553,687039,ILLINOIS,2017,March,Hail,"KNOX",2017-03-20 00:00:00,CST-6,2017-03-20 00:05:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114554,687044,ILLINOIS,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-30 14:30:00,CST-6,2017-03-30 14:35:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-87.99,39.8,-87.99,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","A few small tree branches were blown down." +114554,687045,ILLINOIS,2017,March,Thunderstorm Wind,"CHAMPAIGN",2017-03-30 14:51:00,CST-6,2017-03-30 14:56:00,0,0,0,0,0.00K,0,0.00K,0,40.1132,-88.3042,40.1132,-88.3042,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","A large tree was blown down on Springfield Avenue at I-57." +114554,687046,ILLINOIS,2017,March,Thunderstorm Wind,"CHAMPAIGN",2017-03-30 14:51:00,CST-6,2017-03-30 14:56:00,0,0,0,0,0.00K,0,0.00K,0,40.1036,-88.2942,40.1036,-88.2942,"A slow-moving storm system brought strong to severe thunderstorms to portions of east-central and southeast Illinois during the afternoon of March 30th. Several of the storms produced strong winds in excess of 60 mph, resulting in scattered wind damage to areas along and east of a Champaign to Shelbyville line.","A large tree was blown down at Maplewood Drive and Maplepark Drive." +113335,682113,ARKANSAS,2017,March,Drought,"CARROLL",2017-03-01 00:00:00,CST-6,2017-03-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113323,680983,OKLAHOMA,2017,March,Thunderstorm Wind,"PUSHMATAHA",2017-03-07 02:00:00,CST-6,2017-03-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5378,-94.9411,34.5378,-94.9411,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind snapped large tree limbs." +113327,680990,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-09 19:00:00,CST-6,2017-03-09 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.6795,-94.8554,36.6795,-94.8554,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113543,679692,IOWA,2017,March,Hail,"MITCHELL",2017-03-06 19:07:00,CST-6,2017-03-06 19:07:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-92.74,43.38,-92.74,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell in Little Cedar." +113543,679715,IOWA,2017,March,Thunderstorm Wind,"CLAYTON",2017-03-06 21:05:00,CST-6,2017-03-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,42.65,-91.37,42.65,-91.37,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","A 73 mph wind gust was measured south of Littleport." +113543,679716,IOWA,2017,March,Thunderstorm Wind,"CLAYTON",2017-03-06 21:02:00,CST-6,2017-03-06 21:02:00,0,0,0,0,3.00K,3000,0.00K,0,42.86,-91.4,42.86,-91.4,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","A 73 mph wind gust occurred in Elkader. A light post and a 12 inch diameter tree were blown down." +113543,679728,IOWA,2017,March,Thunderstorm Wind,"CLAYTON",2017-03-06 20:48:00,CST-6,2017-03-06 20:48:00,0,0,0,0,5.00K,5000,0.00K,0,43.05,-91.39,43.05,-91.39,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Shingles were blown off a house in Monona." +112920,674642,IOWA,2017,March,Thunderstorm Wind,"CALHOUN",2017-03-06 16:52:00,CST-6,2017-03-06 16:52:00,0,0,0,0,0.00K,0,0.00K,0,42.39,-94.64,42.39,-94.64,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported wind gusts to 60 mph along with nickel sized hail." +112920,687640,IOWA,2017,March,Thunderstorm Wind,"POLK",2017-03-06 19:11:00,CST-6,2017-03-06 19:11:00,0,0,0,0,0.00K,0,0.00K,0,41.5811,-93.5108,41.5811,-93.5108,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Estimated 60 mph winds with pea size hail too. Report via social media." +112920,675092,IOWA,2017,March,Thunderstorm Wind,"WAPELLO",2017-03-06 20:59:00,CST-6,2017-03-06 20:59:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-92.42,41.02,-92.42,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Ottumwa ASOS recorded 69 mph wind gusts." +114730,688279,ILLINOIS,2017,March,High Wind,"DU PAGE",2017-03-08 12:38:00,CST-6,2017-03-08 12:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusting to around 60 mph resulted in isolated damage across northern Illinois.","" +114730,688281,ILLINOIS,2017,March,High Wind,"WINNEBAGO",2017-03-08 11:45:00,CST-6,2017-03-08 13:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusting to around 60 mph resulted in isolated damage across northern Illinois.","Small tree damage was reported along with shingles blown of of roofs. A 60 mph wind gust was measured at 12:57pm CST approximately one mile southeast of Winnebago." +114730,688282,ILLINOIS,2017,March,Strong Wind,"LAKE",2017-03-08 12:30:00,CST-6,2017-03-08 13:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusting to around 60 mph resulted in isolated damage across northern Illinois.","Tree limbs were blown down onto power lines in Gurnee. Trees were blown down onto cars in Waukegan. The peak wind gust in Lake County was 51 mph measured at the airport. Other mesonet sites within the county measured peak winds between 43 mph and 50 mph." +114731,688285,INDIANA,2017,March,High Wind,"LAKE",2017-03-08 12:45:00,CST-6,2017-03-08 13:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Winds gusting in excess of 60 mph resulted in isolated damage across northwest Indiana.","A wind gust to 63 mph was measured at Gary Airport. A large one foot diameter 30 foot long tree limb fell onto a house near 3rd Street and Wisconsin. Numerous 5-6 inch diameter limbs were blown down near 10th Street and Wisconsin." +114734,688293,ILLINOIS,2017,March,Hail,"COOK",2017-03-20 00:40:00,CST-6,2017-03-20 00:40:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-88.26,42.06,-88.26,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688295,ILLINOIS,2017,March,Hail,"DU PAGE",2017-03-20 00:48:00,CST-6,2017-03-20 00:52:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-88.13,41.92,-88.13,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","Nickle to quarter size hail was reported via mPing." +114734,688297,ILLINOIS,2017,March,Hail,"DU PAGE",2017-03-20 00:55:00,CST-6,2017-03-20 00:55:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-88.06,41.87,-88.06,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688298,ILLINOIS,2017,March,Hail,"COOK",2017-03-20 00:56:00,CST-6,2017-03-20 00:56:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-88.08,42.03,-88.08,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688299,ILLINOIS,2017,March,Hail,"WILL",2017-03-20 01:28:00,CST-6,2017-03-20 01:28:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-88.08,41.7,-88.08,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688300,ILLINOIS,2017,March,Hail,"COOK",2017-03-20 01:42:00,CST-6,2017-03-20 01:42:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-87.83,41.7,-87.83,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688301,ILLINOIS,2017,March,Hail,"COOK",2017-03-20 01:45:00,CST-6,2017-03-20 01:45:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-87.75,41.72,-87.75,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688303,ILLINOIS,2017,March,Hail,"WILL",2017-03-20 02:18:00,CST-6,2017-03-20 02:18:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-87.62,41.45,-87.62,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +116101,697818,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-05-05 11:38:00,EST-5,2017-05-05 11:38:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"A cold front moving through the region combined with southerly winds bringing plenty of moisture to the region allowed showers and thunderstorm to develop over South Florida waters. A few of these storms produced gusty winds over the waters.","A marine thunderstorm wind gust of 45 mph / 39 knots was recorded by the C-MAN station FWYF1 Fowey Rocks at 1238 PM EDT. This anemometer is located at a height of 43.9m or 144 feet." +114796,688551,CALIFORNIA,2017,March,Flood,"SAN FRANCISCO",2017-03-04 20:43:00,PST-8,2017-03-04 21:43:00,0,0,0,0,0.00K,0,0.00K,0,37.7453,-122.4048,37.7453,-122.4049,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Roadway flooding Us 101 N at Cesar Chavez St offramp." +114796,688553,CALIFORNIA,2017,March,Flood,"ALAMEDA",2017-03-04 20:45:00,PST-8,2017-03-04 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.8253,-122.2658,37.8251,-122.2658,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Roadway flooding at 3601 Telegraph Ave." +114796,688554,CALIFORNIA,2017,March,Flood,"SAN FRANCISCO",2017-03-04 20:51:00,PST-8,2017-03-04 21:51:00,0,0,0,0,0.00K,0,0.00K,0,37.7233,-122.4477,37.723,-122.4478,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Roadway flooding I-280 S Ocean Ave Offramp, 2 inches of standing water across all lanes." +114796,688555,CALIFORNIA,2017,March,Flood,"SAN FRANCISCO",2017-03-04 21:09:00,PST-8,2017-03-04 22:09:00,0,0,0,0,0.00K,0,0.00K,0,37.8085,-122.3673,37.8084,-122.3671,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Roadway flooding reported at I80E at Treasure Island offramp near San Francisco." +114796,688556,CALIFORNIA,2017,March,Flood,"ALAMEDA",2017-03-04 22:38:00,PST-8,2017-03-04 23:38:00,0,0,0,0,0.00K,0,0.00K,0,37.7024,-121.9217,37.7026,-121.9229,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Roadway flooding I-580 S connector to I-680. Both lanes flooded on connector." +114796,688558,CALIFORNIA,2017,March,Debris Flow,"CONTRA COSTA",2017-03-04 22:32:00,PST-8,2017-03-04 23:32:00,0,0,0,0,0.00K,0,0.00K,0,37.9061,-121.8744,37.9057,-121.8744,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Mud/rock slide on Marsh Creek Road near Morgan Territory Road. Large boulders in roadway." +114818,688701,TEXAS,2017,March,Thunderstorm Wind,"ARMSTRONG",2017-03-28 23:36:00,CST-6,2017-03-28 23:36:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.5,34.98,-101.5,"Quite an active day across the Panhandles. An upper level low pressure was progressing eastward centered over the Arizona/New Mexico border. This helped to advect moisture into the region from the south, mostly confined in the mid-levels between 850-700 hPa due to a more stable surface airmass underneath some cloud cover. In-conjunction with MLCAPE of 1000-1500 J/kg with a warm front draped across portions of the far SE TX Panhandle with shifting surface winds and dewpoint contrast along the front, the set up was there for local lift and possibly even a tornado. Eventually going into the afternoon and early evening hours, supercells did form south of the warm front and produced large hail and strong winds. One supercell formed in the more unstable surface airmass well to the south and moved NE. As it did so approaching the warm front boundary, low level wind shift caused a tornado to form in Collingsworth County before the storm weakened moving north of the front into a more stable airmass.","" +114828,688746,TEXAS,2017,March,Hail,"CARSON",2017-03-31 21:52:00,CST-6,2017-03-31 21:52:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-101.6,35.32,-101.6,"A weak surface low forming in eastern New Mexico late on 3/31 and early 4/1 along a convergence boundary and a weak warm front draped west to east across the mid central TX Panhandle had just enough lift for some isolated storms to form. With MUCAPE around 1000 J/kg and 500 hPa temperature of -14C to -16C, aloft was cold enough along the localized lift to support some severe criteria hail.","Time estimated by radar." +114828,688747,TEXAS,2017,March,Hail,"HUTCHINSON",2017-03-31 22:55:00,CST-6,2017-03-31 22:55:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.44,35.82,-101.44,"A weak surface low forming in eastern New Mexico late on 3/31 and early 4/1 along a convergence boundary and a weak warm front draped west to east across the mid central TX Panhandle had just enough lift for some isolated storms to form. With MUCAPE around 1000 J/kg and 500 hPa temperature of -14C to -16C, aloft was cold enough along the localized lift to support some severe criteria hail.","" +113023,675565,WASHINGTON,2017,March,High Wind,"ADMIRALTY INLET AREA",2017-03-10 01:00:00,PST-8,2017-03-10 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was brief high wind on Camano Island.","An observer in Cama Beach State Park, on the west side of Camano Island, recorded wind of 37g60 mph wind." +113023,688788,WASHINGTON,2017,March,High Wind,"EVERETT AND VICINITY",2017-03-10 14:00:00,PST-8,2017-03-10 15:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was brief high wind on Camano Island.","A 17 year old female was killed by a tree hiking. The tree may have been weakened from 40 to 50 mph gusts earlier in the day." +113363,678325,MONTANA,2017,March,Winter Weather,"MISSOULA / BITTERROOT VALLEYS",2017-03-05 05:00:00,MST-7,2017-03-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow showers associated with a slow moving front impacted travel on Interstate 90 at Lookout Pass and briefly caused moderate impact to Missoula, Seeley Lake and portions of southwest Montana.","Heavy snow showers with two inch per hour rates brought low visibility and a short period of slick roads. An NWS Missoula employee reported zero visibility with snow-covered roads during the event. Anywhere from 3 to 7 inches of snow fell with this band, but due to the fact that it occurred during a relatively quiet period on a Sunday morning, the impact was mostly moderate." +114525,686792,ILLINOIS,2017,March,Thunderstorm Wind,"MCLEAN",2017-03-07 00:41:00,CST-6,2017-03-07 00:46:00,0,0,0,0,5.00K,5000,0.00K,0,40.32,-88.98,40.32,-88.98,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A few small trees were blown down in Heyworth." +114525,686805,ILLINOIS,2017,March,Thunderstorm Wind,"SHELBY",2017-03-07 01:26:00,CST-6,2017-03-07 01:31:00,0,0,0,0,5.00K,5000,0.00K,0,39.28,-89.12,39.28,-89.12,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A small shed was destroyed in Oconee." +114525,686799,ILLINOIS,2017,March,Thunderstorm Wind,"MOULTRIE",2017-03-07 01:38:00,CST-6,2017-03-07 01:43:00,0,0,0,0,25.00K,25000,0.00K,0,39.6705,-88.7034,39.6705,-88.7034,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A grain bin was blown off its foundation." +114525,686800,ILLINOIS,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-07 01:52:00,CST-6,2017-03-07 01:57:00,0,0,0,0,20.00K,20000,0.00K,0,39.72,-88.47,39.72,-88.47,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A roof was partially blown off a building and a sign and fence were damaged." +114131,688069,IDAHO,2017,March,Flood,"SHOSHONE",2017-03-15 05:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,385.00K,385000,0.00K,0,46.7666,-114.9005,46.8015,-116.3013,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Snow melt and periodic heavy rain during the month of March caused numerous debris flows and areal flooding issues through out the county. Many road washouts and closures affected travel and cut off residents of some communities until emergency repairs could be made days later. Shoshone County was included in a Presidential Disaster Declaration as a result of the damage sustained during this episode." +117056,704141,FLORIDA,2017,May,Wildfire,"GLADES",2017-05-13 12:45:00,EST-5,2017-05-17 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions helped to spark a wildfire in northern Glades County.","The Crane Wildfire burned about 5,000 acres in northern Glades County east of U.S. 27. Three outbuildings were damaged. The fire came close to the Brighton Seminole Indian Reservation but did not directly impact that area." +117057,704143,FLORIDA,2017,May,Wildfire,"GLADES",2017-05-18 12:45:00,EST-5,2017-05-19 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions sparked the Hutto Wildfire in Glades County.","The Hutto Wildfire started two miles east of U.S. 27 and north of State Road 29, burning about 300 acres. A pickup truck was destroyed." +117058,704147,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-31 18:10:00,EST-5,2017-05-31 18:10:00,0,0,0,0,0.50K,500,0.00K,0,27.09,-80.67,27.09,-80.67,"Afternoon sea breezes and instability led to the development of thunderstorms over South Florida, with storms affecting the Lake Okeechobee area.","Multiple 5-inch diameter tree limbs were reported down at the J and S Fish Camp on the northeastern shore of Lake Okeechobee." +117069,704331,IDAHO,2017,May,Flood,"CUSTER",2017-05-01 01:00:00,MST-7,2017-05-31 23:00:00,0,0,0,0,3.50M,3500000,0.00K,0,44.3647,-114.93,44.1177,-115.0727,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","The Salmon River in Salmon reached moderate flood stage in May and this caused flooding from the headwaters of the Salmon south through Challis into Custer County. Trail Creek, Valley Creek, Garden Creek and Antelope Creek all overflowed banks with flood warnings throughout the month continuing in Custer County. Major damage occurred to backcountry roads and campgrounds. Significant agriculture damage occurred due to flooded fields. Road and bridge damage required significant repair along with significant USFS infrastructure damage. The cost of damage and flood protection rose above 3 million dollars for the month." +117069,704304,IDAHO,2017,May,Flood,"BEAR LAKE",2017-05-01 02:00:00,MST-7,2017-05-31 07:00:00,0,0,0,0,55.00K,55000,0.00K,0,42.5519,-111.5611,42.23,-111.5955,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","The Bear River near the Wyoming border remained at flood stage for much of the month and minor field flooding mainly continued through May. Reports of some basement flooding in the county along with road and bridge damage continued." +117069,704308,IDAHO,2017,May,Flood,"BINGHAM",2017-05-01 01:00:00,MST-7,2017-05-31 22:00:00,0,0,0,0,33.00K,33000,0.00K,0,43.43,-112.82,42.95,-112.85,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Minor flooding continued in Bingham County in May but the worst was over. Some fields remained covered in water early in the month causing some agricultural damage with levee repair work done." +117069,704325,IDAHO,2017,May,Flood,"BONNEVILLE",2017-05-01 01:00:00,MST-7,2017-05-31 05:00:00,0,0,0,0,14.00K,14000,0.00K,0,43.58,-112.5694,43.47,-112.3789,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Minor flooding continued in May with some damage to agricultural due to field flooding and recreation facilities. Levee repair was conducted to mitigate flooding problems." +117069,704328,IDAHO,2017,May,Flood,"BUTTE",2017-05-01 01:00:00,MST-7,2017-05-31 05:00:00,0,0,0,0,45.00K,45000,0.00K,0,43.7914,-113.455,43.4977,-113.4712,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Field flooding damaging agriculture and the flooding continued to damage back roads with some minor basement flooding continued through the month." +117069,704332,IDAHO,2017,May,Flood,"JEFFERSON",2017-05-01 01:00:00,MST-7,2017-05-31 16:00:00,0,0,0,0,38.00K,38000,0.00K,0,44,-112.22,43.93,-112.6506,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Minor flooding continued throughout May with field flooding causing agricultural damage along with money needed for levee repair and recreation facilities." +116605,701229,KANSAS,2017,May,Hail,"JOHNSON",2017-05-18 19:35:00,CST-6,2017-05-18 19:36:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-94.85,38.94,-94.85,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701226,KANSAS,2017,May,Hail,"LEAVENWORTH",2017-05-18 19:18:00,CST-6,2017-05-18 19:18:00,0,0,0,0,0.00K,0,0.00K,0,39,-95.13,39,-95.13,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701227,KANSAS,2017,May,Hail,"JOHNSON",2017-05-18 19:30:00,CST-6,2017-05-18 19:35:00,0,0,0,0,,NaN,,NaN,38.92,-94.96,38.92,-94.96,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","Storm spotter reported 2.85 inch hail measured when it reached the ground. The hail did damage to the windshield of the vehicle. Most stones were in the golf ball to baseball range." +116605,701228,KANSAS,2017,May,Hail,"ATCHISON",2017-05-18 19:31:00,CST-6,2017-05-18 19:33:00,0,0,0,0,0.00K,0,0.00K,0,39.52,-95.4,39.52,-95.4,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701230,KANSAS,2017,May,Hail,"JOHNSON",2017-05-18 19:36:00,CST-6,2017-05-18 19:37:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-94.96,38.96,-94.96,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +113778,681188,NEVADA,2017,March,High Wind,"SPRING MOUNTAINS",2017-03-05 14:59:00,PST-8,2017-03-05 15:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system diving in from the northwest brought a period of high winds to much of southern Nevada.","The peak gust occurred 3 miles NE of Mount Charleston." +113778,681190,NEVADA,2017,March,High Wind,"LAS VEGAS VALLEY",2017-03-05 16:00:00,PST-8,2017-03-05 18:32:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system diving in from the northwest brought a period of high winds to much of southern Nevada.","The peak gust occurred at Nellis AFB. Many trees and power poles were knocked down around the Valley." +113779,681208,ARIZONA,2017,March,High Wind,"LAKE MEAD NATIONAL RECREATION AREA",2017-03-30 14:15:00,MST-7,2017-03-30 17:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Bullhead City Airport." +113779,681209,ARIZONA,2017,March,High Wind,"NORTHWEST DESERTS",2017-03-30 17:30:00,MST-7,2017-03-30 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Union Pass. There was roof damage in Chloride." +113780,681210,CALIFORNIA,2017,March,High Wind,"OWENS VALLEY",2017-03-30 09:54:00,PST-8,2017-03-30 13:50:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred 4 miles NW of Independence. A tree and power line were blown down in Lone Pine." +113780,681211,CALIFORNIA,2017,March,High Wind,"WESTERN MOJAVE DESERT",2017-03-30 10:30:00,PST-8,2017-03-30 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Bicycle Lake on Fort Irwin." +113780,681212,CALIFORNIA,2017,March,Dust Storm,"DEATH VALLEY NATIONAL PARK",2017-03-30 14:13:00,PST-8,2017-03-30 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","Highway 190 was closed through much of Death Valley National Park due to near zero visibility." +113780,681213,CALIFORNIA,2017,March,High Wind,"MORONGO BASIN",2017-03-30 14:49:00,PST-8,2017-03-30 18:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Twentynine Palms." +113780,681214,CALIFORNIA,2017,March,Dust Storm,"WESTERN MOJAVE DESERT",2017-03-30 15:03:00,PST-8,2017-03-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","Interstate 40 was closed due to near zero visibility." +115728,703233,ILLINOIS,2017,May,Flood,"SHELBY",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6539,-88.8102,39.6113,-89.0239,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Shelby County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Parts of Illinois Route 128 were closed north and south of Shelbyville, and Illinois Route 32 was closed north of Windsor. Additional rainfall of 0.50 to 1.50 inches later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +115728,703238,ILLINOIS,2017,May,Flood,"MOULTRIE",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7925,-88.6166,39.6539,-88.8102,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.75 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern and central Moultrie County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Illinois Route 32 was closed in spots, between Lovington and Sullivan, and near the Shelby County line. Illinois Route 121 was also inundated between Allenville and Coles. Additional rainfall of 0.50 to 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +116238,698848,WEST VIRGINIA,2017,May,Frost/Freeze,"WESTERN MINERAL",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698849,WEST VIRGINIA,2017,May,Frost/Freeze,"EASTERN MINERAL",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698850,WEST VIRGINIA,2017,May,Frost/Freeze,"EASTERN PENDLETON",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698851,WEST VIRGINIA,2017,May,Frost/Freeze,"WESTERN PENDLETON",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116238,698852,WEST VIRGINIA,2017,May,Frost/Freeze,"JEFFERSON",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of eastern West Virginia.","Temperatures were estimated to be below freezing based on observations nearby." +116237,698853,VIRGINIA,2017,May,Frost/Freeze,"WESTERN HIGHLAND",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of the Shenandoah Valley and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116237,698854,VIRGINIA,2017,May,Frost/Freeze,"EASTERN HIGHLAND",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of the Shenandoah Valley and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116237,698855,VIRGINIA,2017,May,Frost/Freeze,"ROCKINGHAM",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of the Shenandoah Valley and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +114165,683677,WYOMING,2017,March,Blizzard,"WIND RIVER MOUNTAINS WEST",2017-03-31 05:51:00,MST-7,2017-03-31 12:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep plume of Pacific moisture combined with a strong upper level low passing to the south to bring snow and wind to portions of the state. This was a warmer system with large variations in snowfall depending on elevation. The heaviest snow fell along the East Slopes of the Wind River Range. Many locations reported 2 to 3 feet of new snow. In addition, frequent wind gusts past 40 mph brought blizzard conditions at times that caused the closure of South Pass during the event. In the Lander Foothills, snow amounts were generally around 6 inches with higher amounts in the higher elevations. Although snowfall amounts were less across the Green and Rattlesnake Range, the combination of snow and strong wind caused the closure of Route 287 for several hours. Meanwhile, high winds occurred across Sweetwater County where a 59 mph wind gust occurred at the Rock Springs airport.","A combination of heavy snow and winds gusting over 45 mph at times brought blizzard conditions over South Pass. Highway 28 over South Pass was closed for over a day as a result." +114165,683679,WYOMING,2017,March,Blizzard,"WIND RIVER MOUNTAINS EAST",2017-03-31 05:51:00,MST-7,2017-03-31 12:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep plume of Pacific moisture combined with a strong upper level low passing to the south to bring snow and wind to portions of the state. This was a warmer system with large variations in snowfall depending on elevation. The heaviest snow fell along the East Slopes of the Wind River Range. Many locations reported 2 to 3 feet of new snow. In addition, frequent wind gusts past 40 mph brought blizzard conditions at times that caused the closure of South Pass during the event. In the Lander Foothills, snow amounts were generally around 6 inches with higher amounts in the higher elevations. Although snowfall amounts were less across the Green and Rattlesnake Range, the combination of snow and strong wind caused the closure of Route 287 for several hours. Meanwhile, high winds occurred across Sweetwater County where a 59 mph wind gust occurred at the Rock Springs airport.","A combination of heavy snow and winds gusting over 45 mph at times brought blizzard conditions over South Pass. Highway 28 over South Pass was closed for over a day as a result. Very heavy snow fell as well, with totals over 2 feet common and the maximum amount of 35 inches in the mountains southwest of Lander." +114832,688892,UTAH,2017,March,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-03-05 12:10:00,MST-7,2017-03-05 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Peak recorded wind gusts included 71 mph at Camel Back Mountain, 70 mph at Lakeside Mountain, 66 mph at Upper Cedar Mountain, and 64 mph at the Salt Flats sensor. In addition, an empty semitrailer was blown over by the winds on Interstate 80 near milepost 79; the driver of the semi was not injured." +114832,688904,UTAH,2017,March,High Wind,"WEST CENTRAL UTAH",2017-03-05 13:40:00,MST-7,2017-03-05 18:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Peak recorded wind gusts in west central Utah included 69 mph at the Clearspot sensor, 68 mph at Black Rock, 65 mph in Oak City, 62 mph at Delta Municipal Airport, 61 mph at the Oasis sensor, and 61 mph at Fish Springs. In addition, some trees were blown over in Oak City, including one large pine tree that fell onto two vehicles." +114832,688883,UTAH,2017,March,High Wind,"SOUTHERN WASATCH FRONT",2017-03-05 14:30:00,MST-7,2017-03-05 18:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Maximum recorded wind gusts included 66 mph at the Pioneer Crossing sensor, 63 mph in Pleasant Grove, and 58 mph in Lehi. The most significant damage across the area was reported in Eagle Mountain, where multiple fences were blown down, a trampoline became airborne and landed on a car, and miscellaneous roof and siding damage was reported." +114832,688898,UTAH,2017,March,High Wind,"WASATCH MOUNTAIN VALLEYS",2017-03-05 15:40:00,MST-7,2017-03-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Peak recorded wind gusts included 80 mph at the US-40 Mayflower Summit sensor, 69 mph at SR-248, 64 mph at the US-40 Heber sensor, 62 mph at the Heber City Municipal Airport - Russ McDonald Field AWOS, and 60 mph at Morgan." +114832,688815,UTAH,2017,March,Winter Storm,"CACHE VALLEY/UTAH",2017-03-05 16:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Eight inches of snow was reported in both Smithfield and Wellsville." +114960,689584,UTAH,2017,March,Heavy Rain,"SALT LAKE",2017-03-23 00:00:00,MST-7,2017-03-23 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,40.6863,-111.9122,40.6863,-111.9122,"Heavy rain fell across Utah on March 23, leading to flooding in some locations across northern Utah.","Heavy rain fell across the Salt Lake Valley on March 23. At the Sunnyvale Apartments on 3940 South 764 West, two families had to evacuate their apartments due to flooding. Relatively close by at the Salt Lake City International Airport, 1.97 inches of rainfall was recorded; this was the wettest day on record for the month of March, and the 6th wettest day since records began in 1874." +113212,690336,GEORGIA,2017,March,Drought,"PAULDING",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690352,GEORGIA,2017,March,Drought,"DOUGLAS",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,689973,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 16:50:00,EST-5,2017-03-21 16:55:00,0,0,0,0,,NaN,,NaN,34.65,-83.83,34.65,-83.83,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","An amateur radio operator reported quarter size hail." +114280,689982,GEORGIA,2017,March,Hail,"UNION",2017-03-21 17:11:00,EST-5,2017-03-21 17:16:00,0,0,0,0,0.50K,500,,NaN,34.8343,-83.9936,34.8343,-83.9936,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County Emergency Manager reported hail up to the size of quarters broke a window in a home on Mulky Gap Road." +114280,689984,GEORGIA,2017,March,Hail,"DADE",2017-03-21 17:15:00,EST-5,2017-03-21 17:20:00,0,0,0,0,,NaN,,NaN,34.8855,-85.5026,34.8855,-85.5026,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported at a restaurant along Barton Avenue north of Trenton." +114280,689986,GEORGIA,2017,March,Hail,"JACKSON",2017-03-21 17:18:00,EST-5,2017-03-21 17:25:00,0,0,0,0,,NaN,,NaN,34.1021,-83.5962,34.1021,-83.5962,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported at Jackson County High School." +114280,689988,GEORGIA,2017,March,Hail,"JACKSON",2017-03-21 17:25:00,EST-5,2017-03-21 17:30:00,0,0,0,0,,NaN,,NaN,34.11,-83.55,34.11,-83.55,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported quarter size hail." +113054,686260,NORTH DAKOTA,2017,March,High Wind,"FOSTER",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Carrington AWOS reported a wind gust of 60 mph." +113054,686261,NORTH DAKOTA,2017,March,High Wind,"MORTON",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Glen Ullin AWOS reported a wind gust of 69 mph." +115036,690436,MICHIGAN,2017,March,Winter Weather,"BARAGA",2017-03-26 00:00:00,EST-5,2017-03-26 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","Several observers reported a light glaze of ice from freezing rain on untreated surfaces in Baraga County by the morning of the 26th." +115036,690437,MICHIGAN,2017,March,Winter Weather,"DICKINSON",2017-03-25 22:00:00,CST-6,2017-03-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of Upper Michigan from the evening of the 25th into the morning of the 26th.","Several observers reported a light glaze of ice from freezing rain on untreated surfaces in Dickinson County by the morning of the 26th." +115038,690438,MICHIGAN,2017,March,Winter Weather,"MARQUETTE",2017-03-26 21:00:00,EST-5,2017-03-27 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of north central Upper Michigan from the evening of the 26th into the morning of the 27th.","A thin glaze of ice from light freezing rain was observed at the National Weather Service in Negaunee Township on the morning of the 27th." +115038,690439,MICHIGAN,2017,March,Winter Weather,"BARAGA",2017-03-26 21:00:00,EST-5,2017-03-27 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving east along a stationary front brought freezing rain to portions of north central Upper Michigan from the evening of the 26th into the morning of the 27th.","The observer at Herman observed a thin glaze of ice from light freezing rain on the morning of the 27th. Low visibility in freezing fog was also reported." +115728,703301,ILLINOIS,2017,May,Flash Flood,"EDGAR",2017-05-04 08:45:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8801,-87.9371,39.7922,-87.9369,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Edgar County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. The heaviest rain was reported in the northwest corner of the county where nearly all rural roads were under water north of U.S. Highway 36." +114693,690445,NEW YORK,2017,March,Heavy Snow,"CORTLAND",2017-03-14 04:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 20 and 30 inches in Cortland County." +114693,690446,NEW YORK,2017,March,Heavy Snow,"MADISON",2017-03-14 05:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 2 and 3 feet in Madison County." +115728,703296,ILLINOIS,2017,May,Flood,"COLES",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6519,-88.4718,39.373,-88.4707,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Coles County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Several streets in Charleston and Mattoon were closed due to the flooding. Parts of Illinois Route 130 north of Charleston were also closed, as were nearly all rural roads between Oakland and Charleston. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +113202,678313,TEXAS,2017,March,Tornado,"DICKENS",2017-03-28 16:14:00,CST-6,2017-03-28 16:16:00,0,0,0,0,0.00K,0,0.00K,0,33.464,-100.9993,33.4787,-100.9976,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","A storm chaser documented a tornado that developed near County Road 405 and Farm-to-Market Road 2794 in far western Dickens County. Despite crossing a road with utility lines, video indicated no apparent damage from this tornado." +112971,675040,NEW YORK,2017,March,High Wind,"ONONDAGA",2017-03-02 03:54:00,EST-5,2017-03-02 03:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front passed across central New York during late evening of the 1st. Strong winds developed behind this front in north central New York with some areas seeing wind gusts in excess of 60 mph during the early morning hours of the 2nd.","A 64 mph wind gust was measured at the Syracuse Airport just before 4 am EST." +115047,690693,KANSAS,2017,March,Wildfire,"SEWARD",2017-03-06 15:34:00,CST-6,2017-03-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","" +115047,690694,KANSAS,2017,March,Wildfire,"FORD",2017-03-06 14:30:00,CST-6,2017-03-06 23:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","The fire started at a burn pile near the racetrack in Dodge City. The fire burned at least 2 dozen structures, fences, trees and a several vehicles. It initially spread northeast and then quickly turned east and southeast as a cold front moved through the area. Visibility was near zero from blowing dirt as the fire progressed through." +115047,690696,KANSAS,2017,March,Wildfire,"HODGEMAN",2017-03-06 15:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","The fire quickly spread on 50 to 60 mph winds. The ignition point north and west of Jetmore was the result of a downed power line. The fire consumed several homes and buildings. Total acres burned was approximately 18,000 acres." +114612,687370,TEXAS,2017,March,Hail,"MOORE",2017-03-23 17:50:00,CST-6,2017-03-23 17:50:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-101.63,35.97,-101.63,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Hail on FM 1060 and FM 1058 the size of half dollars." +114612,687371,TEXAS,2017,March,Hail,"HANSFORD",2017-03-23 18:11:00,CST-6,2017-03-23 18:11:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-101.41,36.26,-101.41,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Quarter size hail reported. Lasted for a good minute before moving on." +114612,687372,TEXAS,2017,March,Thunderstorm Wind,"RANDALL",2017-03-23 18:12:00,CST-6,2017-03-23 18:12:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-102.06,34.97,-102.06,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Wind gust of 58 MPH at Schoolnet site at the Brandt Farms." +114131,688403,IDAHO,2017,March,Flood,"BENEWAH",2017-03-15 07:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,500.00K,500000,0.00K,0,47.3801,-117.0429,47.1116,-117.0374,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Snow melt and periodic heavy rain during the month of March produced numerous debris flows and areal flooding issues across Benewah County. Numerous roads were damaged by flooding. Most notably debris flows and rock slides closed the road between Plummer and St. Maries, and flooding severely damaged State Highway 5 near Round Lake. Benewah County was included in an Idaho State State of Emergency Declaration as a result of this episode." +114840,688912,ALABAMA,2017,March,Hail,"WALKER",2017-03-27 15:25:00,CST-6,2017-03-27 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-87.28,33.91,-87.28,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114915,689307,MINNESOTA,2017,March,Hail,"CROW WING",2017-03-06 16:39:00,CST-6,2017-03-06 16:39:00,0,0,0,0,,NaN,,NaN,46.43,-94.3,46.43,-94.3,"Thunderstorms dropped hail up 1.5 in diameter in the Brainerd Lakes region on March 6th.","There were a few hailstones up to the size of pennies, but most were smaller than pennies." +113400,678589,IDAHO,2017,February,Winter Storm,"NORTHERN PANHANDLE",2017-02-08 14:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer near Spirit Lake reported 4 inches of snow with a layer of ice covering the snow." +113400,678591,IDAHO,2017,February,Winter Storm,"NORTHERN PANHANDLE",2017-02-08 11:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer near Priest River reported 7 inches of snow during the day February 8th with freezing rain overnight leading to 0.25 inch of ice covering the snow by the morning of February 9th." +113400,678593,IDAHO,2017,February,Heavy Snow,"NORTHERN PANHANDLE",2017-02-08 12:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into north Idaho. Mild air with this moisture feed allowed snow levels to rise over the southern portion of north Idaho. South of Interstate 90 generally rain fell with the higher mountains of the central Idaho Panhandle experiencing only moderate snow accumulations. North of Interstate 90 the rain fell into a layer of cold air trapped in the valleys as freezing rain during the night of February 8th with heavy accumulations of ice paralyzing travel in the Coeur D'Alene area and some of the northern Valleys on the morning of February 9th, causing the closure or delay of over 20 school districts. The valleys near the Canadian border and the mountains of far northern Idaho experienced mainly heavy snow with this storm.","An observer 10 miles northeast of Hope reported 9.2 inches of new snow accumulation." +113563,680082,NEW YORK,2017,February,Winter Storm,"NORTHERN WESTCHESTER",2017-02-09 03:30:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters, amateur radio, and the public reported 9 to 12 inches of snowfall." +113563,680083,NEW YORK,2017,February,Winter Storm,"ORANGE",2017-02-09 04:00:00,EST-5,2017-02-09 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters and the public reported 11 to 13 inches of snowfall." +113563,680084,NEW YORK,2017,February,Winter Storm,"PUTNAM",2017-02-09 04:30:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters and the public reported 11 to 13 inches of snowfall." +115400,692891,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 18:15:00,EST-5,2017-05-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +114390,685541,WYOMING,2017,February,High Wind,"CENTRAL CARBON COUNTY",2017-02-06 09:05:00,MST-7,2017-02-06 10:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher." +114390,685542,WYOMING,2017,February,High Wind,"CENTRAL CARBON COUNTY",2017-02-07 14:35:00,MST-7,2017-02-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 07/1453 MST." +114390,685580,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-09 18:35:00,MST-7,2017-02-09 22:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 09/2115 MST." +114390,685587,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-10 00:55:00,MST-7,2017-02-10 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged and active jet stream produced several periods of high winds throughout most of southeast Wyoming through the week. Frequent gusts of 65 to 85 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 10/0135 MST." +115400,692889,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 16:30:00,EST-5,2017-05-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +115400,692890,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-05-04 17:55:00,EST-5,2017-05-04 17:55:00,0,0,0,0,0.00K,0,0.00K,0,29.86,-81.26,29.86,-81.26,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","" +114474,686509,ALASKA,2017,February,Blizzard,"CHUKCHI SEA COAST",2017-02-24 14:19:00,AKST-9,2017-02-25 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska with accumulations of 1 to 2 feet reported. Strong winds and local blizzard conditions along the coastal areas.||||Zone 207: Blizzard and quarter mile visibility reported at the Kivalina ASOS.||Zone 208: Kiana and Noatak 12 to 18 inches.||Zone 209: Blizzard and quarter mile visibility reported at the Kotzebue ASOS.||Zone 211: Blizzard and quarter mile visibility reported at the Nome ASOS.||Zone 212: Estimated 8 inches of snow in the Nulato Hills.","" +114474,686512,ALASKA,2017,February,Blizzard,"BALDWIN PEN. & SELAWIK VALLEY",2017-02-24 13:00:00,AKST-9,2017-02-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska with accumulations of 1 to 2 feet reported. Strong winds and local blizzard conditions along the coastal areas.||||Zone 207: Blizzard and quarter mile visibility reported at the Kivalina ASOS.||Zone 208: Kiana and Noatak 12 to 18 inches.||Zone 209: Blizzard and quarter mile visibility reported at the Kotzebue ASOS.||Zone 211: Blizzard and quarter mile visibility reported at the Nome ASOS.||Zone 212: Estimated 8 inches of snow in the Nulato Hills.","" +114474,686728,ALASKA,2017,February,Blizzard,"SRN SEWARD PENINSULA COAST",2017-02-24 00:00:00,AKST-9,2017-02-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of low pressure systems brought an abundant amount of moisture to Northwest Alaska with accumulations of 1 to 2 feet reported. Strong winds and local blizzard conditions along the coastal areas.||||Zone 207: Blizzard and quarter mile visibility reported at the Kivalina ASOS.||Zone 208: Kiana and Noatak 12 to 18 inches.||Zone 209: Blizzard and quarter mile visibility reported at the Kotzebue ASOS.||Zone 211: Blizzard and quarter mile visibility reported at the Nome ASOS.||Zone 212: Estimated 8 inches of snow in the Nulato Hills.","" +115781,695840,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUCKS",2017-06-23 17:41:00,EST-5,2017-06-23 17:41:00,0,0,0,0,,NaN,,NaN,40.34,-75.25,40.34,-75.25,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","Trees and wires were reported down." +113171,677258,GEORGIA,2017,February,Drought,"WALKER",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115784,695841,DELAWARE,2017,June,Thunderstorm Wind,"NEW CASTLE",2017-06-24 04:55:00,EST-5,2017-06-24 04:55:00,0,0,0,0,,NaN,,NaN,39.69,-75.56,39.69,-75.56,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","Large air conditioning units were blown off the roofs of two buildings, with both buildings also having there roofs blown off. Numerous trees were also blown down. Time estimated from radar." +113171,677292,GEORGIA,2017,February,Drought,"CARROLL",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677265,GEORGIA,2017,February,Drought,"OCONEE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677276,GEORGIA,2017,February,Drought,"GWINNETT",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113310,678130,ILLINOIS,2017,February,Hail,"SCHUYLER",2017-02-28 21:38:00,CST-6,2017-02-28 21:43:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-90.57,40.12,-90.57,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +114653,698447,MISSOURI,2017,May,Tornado,"NEWTON",2017-05-19 14:10:00,CST-6,2017-05-19 14:14:00,0,0,0,0,50.00K,50000,0.00K,0,36.8732,-94.376,36.9233,-94.3362,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-1 tornado touched down along Highway 60 on the north side of Neosho. Numerous trees were damaged along the path. A few homes were damaged. Estimated maximum winds were up to 95 mph." +114653,698446,MISSOURI,2017,May,Tornado,"MCDONALD",2017-05-18 23:23:00,CST-6,2017-05-18 23:25:00,0,0,0,0,100.00K,100000,0.00K,0,36.5036,-94.2079,36.5139,-94.1993,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A brief EF-1 tornado touches down along Golf Ridge Road in southeastern McDonald County. The tornado was about one mile long and up to 100 yards wide. Numerous trees were snapped and uprooted. Several homes had damage with windows knocked out and roof damage. One home had half the roof blown off. Estimated maximum winds were up to 95 mph." +114653,698448,MISSOURI,2017,May,Hail,"HOWELL",2017-05-19 18:10:00,CST-6,2017-05-19 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-91.8,36.51,-91.8,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","" +114653,698449,MISSOURI,2017,May,Tornado,"WRIGHT",2017-05-19 02:00:00,CST-6,2017-05-19 02:01:00,0,0,0,0,5.00K,5000,0.00K,0,37.27,-92.31,37.2726,-92.3069,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado briefly touched down about one mile north of Dawson. There was damage to several trees and one home had roof damage. Estimated maximum winds were up to 85 mph." +114653,698450,MISSOURI,2017,May,Tornado,"MCDONALD",2017-05-19 13:55:00,CST-6,2017-05-19 13:57:00,0,0,0,0,50.00K,50000,0.00K,0,36.76,-94.56,36.7789,-94.532,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-1 tornado touched down near the Newton County and McDonald County line southeast of Seneca. The tornado lifted near Highway DD and Eagle Drive. There was roof damage to several homes and outbuilding. Estimated maximum winds were up to 90 mph." +114653,698451,MISSOURI,2017,May,Tornado,"WEBSTER",2017-05-19 01:15:00,CST-6,2017-05-19 01:17:00,0,0,0,0,10.00K,10000,0.00K,0,37.4683,-92.9169,37.4843,-92.8904,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-1 tornado damaged at least one home with roof damage. An outbuilding was destroyed. Numerous trees were snapped and uprooted. Estimated maximum winds were up to 90 mph." +115551,693825,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-05-24 17:12:00,EST-5,2017-05-24 17:12:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-80.34,27.5,-80.34,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","ASOS at Treasure Coast International Airport (KFPR) measured a peak wind gust of 36 knots from the southwest as a strong storm moved offshore of Saint Lucie County." +115551,693826,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-05-24 17:48:00,EST-5,2017-05-24 17:48:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-80.34,27.5,-80.34,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","ASOS at Treasure Coast International Airport (KFPR) measured a peak wind gust of 40 knots from the southwest as a strong storm moved offshore of Saint Lucie County." +115551,693827,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-05-24 18:13:00,EST-5,2017-05-24 18:13:00,0,0,0,0,0.00K,0,0.00K,0,27.19,-80.19,27.19,-80.19,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","AWOS at Stuart Witham Field Airport (KSUA) measured a peak wind gust of 35 knots from the west-southwest as a strong storm moved offshore of Martin County." +115555,693883,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-31 18:50:00,EST-5,2017-05-31 18:50:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.81,28.78,-80.81,"Afternoon sea breeze collisions produced scattered showers and thunderstorms that produced strong winds as they moved over the intracoastal waters of the northern Brevard County.","US Air Force wind tower 0421 measured a peak wind gust of 36 knots from the south-southwest as a strong storm moved east into the Atlantic waters off the northern Brevard County coast." +115553,695089,FLORIDA,2017,May,Thunderstorm Wind,"SEMINOLE",2017-05-24 15:10:00,EST-5,2017-05-24 15:10:00,0,0,0,0,1.00K,1000,0.00K,0,28.6622,-81.212,28.6622,-81.212,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","A severe thunderstorm moved northeast from the Orlando area and toppled a large tree in the front yard of a home in Oviedo. Photos of the damage suggested winds near 60 mph." +114533,686888,TEXAS,2017,May,Thunderstorm Wind,"SMITH",2017-05-11 16:22:00,CST-6,2017-05-11 16:22:00,0,0,0,0,0.00K,0,0.00K,0,32.5071,-95.465,32.5071,-95.465,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Large tree limbs were snapped off of trees along County Road 436 just south of the entrance of the Hideaway Lake subdivision." +114533,686889,TEXAS,2017,May,Thunderstorm Wind,"SMITH",2017-05-11 16:33:00,CST-6,2017-05-11 16:33:00,0,0,0,0,0.00K,0,0.00K,0,32.5253,-95.3554,32.5253,-95.3554,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Several trees were uprooted along Farm to Market Road 16 between County Road 498 and County Road 4104." +114533,686890,TEXAS,2017,May,Hail,"SMITH",2017-05-11 17:52:00,CST-6,2017-05-11 17:52:00,0,0,0,0,0.00K,0,0.00K,0,32.4612,-95.1811,32.4612,-95.1811,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Quarter size hail fell about one-half mile north of Interstate 20 on Highway 155." +114703,688013,LOUISIANA,2017,May,Hail,"WEBSTER",2017-05-20 23:15:00,CST-6,2017-05-20 23:15:00,0,0,0,0,0.00K,0,0.00K,0,32.9671,-93.4117,32.9671,-93.4117,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Quarter size hail fell just east of Cullen. Report from the KTBS-TV Facebook page." +114776,688420,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-23 16:45:00,CST-6,2017-05-23 16:45:00,0,0,0,0,0.00K,0,0.00K,0,32.91,-94,32.91,-94,"A longwave trough across the Northern Plains became cutoff from the westerlies and slowly shifted southward into the Mid Mississippi Valley during the afternoon and evening hours of May 23rd. A piece of energy rotated around the large cutoff low itself and moved into the Southern Plains and Lower Mississippi Valley. Overcast skies during the morning hours gave way to some sun during the afternoon which allowed the atmosphere to destabilize along and ahead of a cold front. Scattered to numerous showers and thunderstorms developed in this airmass across the region with a few of these storms producing strong damaging wind gusts and small hail.","A few trees were downed on Old Atlanta Road north of Vivian, Louisiana." +115164,691356,ARKANSAS,2017,May,Thunderstorm Wind,"SEVIER",2017-05-28 00:50:00,CST-6,2017-05-28 00:50:00,0,0,0,0,0.00K,0,0.00K,0,33.9049,-94.2599,33.9049,-94.2599,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Several tree were blown down in the Central community." +115178,691495,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:45:00,CST-6,2017-05-28 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.227,-94.0419,32.227,-94.0419,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Bethany Stateline Road between Deberry, TX and Keachi, LA was closed due to numerous downed trees and limbs." +114200,685360,OREGON,2017,May,Hail,"JACKSON",2017-05-04 18:45:00,PST-8,2017-05-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-122.35,42.79,-122.35,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Hail measured from residual piles along the road roughly 20 hours after the event. Time estimated from radar returns." +114200,685363,OREGON,2017,May,Hail,"JACKSON",2017-05-04 18:00:00,PST-8,2017-05-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-122.41,42.93,-122.41,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","Hail preserved in snow pack. Extensive tree litter from hail damage for approximately 4 miles east and 8 miles south along Highway 62. Time estimated from radar returns." +116742,702110,MAINE,2017,May,Coastal Flood,"COASTAL CUMBERLAND",2017-05-25 21:26:00,EST-5,2017-05-25 23:36:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A weak area of low pressure slowly intensified as it moved toward Nantucket Island on the evening of May 25th. Ahead of the system, an east-northeasterly wind of 30 to 35 knots developed over the coastal waters, before diminishing near the time of high tide. This coastal flood event coincided with the day before the highest tide of the year.","One of the highest astronomical tides of the year (11.80 ft.), combined with a 1.16 storm surge to reach a 12.96 foot storm tide (Portland flood stage 12.0 MLLW), during the late evening hours. This tide was the 16th highest tide ever for Portland Harbor since records began in 1912. The tide remained above flood stage for a full 130 minutes and near shore waves grew to around 9 feet with a period of 8 seconds near the time of high tide. In Portland , parking lots along piers flooded cars to the height of the bumpers on cars." +116750,702116,MAINE,2017,May,Flood,"SOMERSET",2017-05-15 22:00:00,EST-5,2017-05-17 06:45:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-69.72,44.7734,-69.7088,"Heavy rain of 1.5 to 2.5 inches caused the Kennebec River at Skowhegan (flood stage 35,000 cfs), to rise to minor flood levels. The river crested at 38,840 cfs.","Heavy rain of 1.5 to 2.5 inches caused the Kennebec River at Skowhegan (flood stage 35,000 cfs), to rise to minor flood levels. The river crested at 38,840 cfs." +114844,688927,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"CAPE LOOKOUT TO SURF CITY NC FROM 20 TO 40 NM",2017-05-25 15:38:00,EST-5,2017-05-25 15:38:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-76.71,34.7,-76.71,"A strong low pressure area and cold front moved through the waters during the afternoon of May 25th. Scattered thunderstorms developed and moved through the waters, producing strong marine thunderstorm wind gusts.","Fort Macon WeatherFlow." +114844,688929,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"ALLIGATOR RIVER",2017-05-25 15:39:00,EST-5,2017-05-25 15:39:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-76.01,35.91,-76.01,"A strong low pressure area and cold front moved through the waters during the afternoon of May 25th. Scattered thunderstorms developed and moved through the waters, producing strong marine thunderstorm wind gusts.","Alligator River Bridge WeatherFlow." +114844,688931,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"PAMLICO SOUND",2017-05-25 16:42:00,EST-5,2017-05-25 16:42:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-75.63,35.24,-75.63,"A strong low pressure area and cold front moved through the waters during the afternoon of May 25th. Scattered thunderstorms developed and moved through the waters, producing strong marine thunderstorm wind gusts.","Frisco Woods WeatherFlow." +116881,702727,ALABAMA,2017,May,Thunderstorm Wind,"BLOUNT",2017-05-28 01:50:00,CST-6,2017-05-28 01:51:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-86.47,33.95,-86.47,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the city of Oneonta." +116881,702728,ALABAMA,2017,May,Thunderstorm Wind,"ST. CLAIR",2017-05-28 02:07:00,CST-6,2017-05-28 02:08:00,0,0,0,0,0.00K,0,0.00K,0,33.7645,-86.3802,33.7645,-86.3802,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted along Highway 23." +116881,702729,ALABAMA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-28 02:38:00,CST-6,2017-05-28 02:39:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-85.82,33.75,-85.82,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the town of Weaver." +116718,701939,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"HORRY",2017-05-25 12:59:00,EST-5,2017-05-25 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,33.9325,-79.1317,33.9325,-79.1317,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","A tree was reported down near the intersection of Horry Rd. and Enoch Rd." +116718,701940,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"HORRY",2017-05-25 13:20:00,EST-5,2017-05-25 13:21:00,0,0,0,0,1.00K,1000,0.00K,0,33.8771,-78.9727,33.8771,-78.9727,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","A tree was reported down near the intersection of Highway 905 and Highway 19." +116718,701941,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"HORRY",2017-05-25 13:29:00,EST-5,2017-05-25 13:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.9501,-78.7405,33.9501,-78.7405,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","Trees were reported down." +114195,683973,WISCONSIN,2017,March,Hail,"RACINE",2017-03-23 19:51:00,CST-6,2017-03-23 19:51:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-87.91,42.81,-87.91,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","Dime size hail covering the ground." +114213,684058,KENTUCKY,2017,March,Hail,"GRAVES",2017-03-27 11:55:00,CST-6,2017-03-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-88.602,36.58,-88.602,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684073,KENTUCKY,2017,March,Hail,"MARSHALL",2017-03-27 12:58:00,CST-6,2017-03-27 12:58:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-88.13,36.78,-88.13,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684075,KENTUCKY,2017,March,Hail,"HOPKINS",2017-03-27 13:07:00,CST-6,2017-03-27 13:07:00,0,0,0,0,0.00K,0,0.00K,0,37.3423,-87.3904,37.3423,-87.3904,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114028,682934,IOWA,2017,March,Winter Storm,"PALO ALTO",2017-03-12 12:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682935,IOWA,2017,March,Winter Storm,"KOSSUTH",2017-03-12 12:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682936,IOWA,2017,March,Winter Storm,"HUMBOLDT",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682937,IOWA,2017,March,Winter Storm,"WINNEBAGO",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682939,IOWA,2017,March,Winter Storm,"HANCOCK",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682941,IOWA,2017,March,Winter Storm,"WORTH",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +112920,674624,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 16:26:00,CST-6,2017-03-06 16:26:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-94.27,42.51,-94.27,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported golf ball sized hail between Fort Dodge and Barnum." +112920,674625,IOWA,2017,March,Thunderstorm Wind,"EMMET",2017-03-06 16:20:00,CST-6,2017-03-06 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,43.26,-94.47,43.26,-94.47,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Spotter reported broken storm windows along with a few medium to large tree branches down." +112920,674627,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 16:29:00,CST-6,2017-03-06 16:29:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-94.2,42.58,-94.2,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter/Coop observer reported up to quarter sized hail." +112822,674068,MICHIGAN,2017,March,High Wind,"CLARE",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,2,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Two people were killed when the vehicle they were driving in on M-115 in Freeman township in Clare county was struck by a large tree at 4:25 pm. Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674065,MICHIGAN,2017,March,High Wind,"OSCEOLA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674071,MICHIGAN,2017,March,High Wind,"OCEANA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674072,MICHIGAN,2017,March,High Wind,"NEWAYGO",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +113678,680434,KENTUCKY,2017,March,Thunderstorm Wind,"TRIGG",2017-03-01 05:56:00,CST-6,2017-03-01 05:56:00,0,0,0,0,10.00K,10000,0.00K,0,36.844,-87.8573,36.844,-87.8573,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 70 mph was measured by emergency management personnel. Some roof damage was reported." +113678,680443,KENTUCKY,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-01 06:27:00,CST-6,2017-03-01 06:27:00,0,0,0,0,25.00K,25000,0.00K,0,36.67,-87.5,36.85,-87.48,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","A wind gust to 63 mph was measured at the Fort Campbell airfield. Several business signs and a couple trees were blown down on the south side of Hopkinsville." +113748,680947,KENTUCKY,2017,March,Thunderstorm Wind,"BALLARD",2017-03-07 03:50:00,CST-6,2017-03-07 03:53:00,0,0,0,0,100.00K,100000,0.00K,0,36.97,-89.08,36.97,-89.0528,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","A microburst containing winds estimated near 85 mph struck portions of Wickliffe. At a boat facility along the Mississippi River, a portion of a warehouse roof collapsed. Another portion of the metal roof was blown away. Trees were uprooted and power lines were down, and other debris was scattered throughout the city. Other than some minor shingle damage, most of the damage in the city of Wickliffe was near the riverfront. There was other damage off Highway 286 on the outskirts of Wickliffe, including a barn roof that was blown off, shingle damage at a house, and soffit damage at a grocery store. On Highway 121 at the edge of town, a tree fell on a house, causing minor damage to the house." +113748,680957,KENTUCKY,2017,March,Thunderstorm Wind,"BALLARD",2017-03-07 04:07:00,CST-6,2017-03-07 04:07:00,0,0,0,0,15.00K,15000,0.00K,0,36.97,-88.82,36.9543,-88.8252,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","Trees were down in Lovelaceville and along U.S. Highway 62 near the Mayfield Creek bridge. A vehicle was damaged." +115701,695312,IOWA,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-16 21:55:00,CST-6,2017-05-16 21:55:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-94.72,40.67,-94.72,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Coop observer reported wind gusts to 65 mph." +115701,695314,IOWA,2017,May,Thunderstorm Wind,"MARION",2017-05-16 23:21:00,CST-6,2017-05-16 23:21:00,0,0,0,0,20.00K,20000,0.00K,0,41.32,-93.1,41.32,-93.1,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported trees downed in Knoxville. One fell on a car and crushed it." +115701,695311,IOWA,2017,May,Thunderstorm Wind,"WORTH",2017-05-16 21:25:00,CST-6,2017-05-16 21:25:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-93.06,43.33,-93.06,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter measured a 71 mph wind gust at their home." +114256,684508,KENTUCKY,2017,March,Dense Fog,"CRITTENDEN",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684509,KENTUCKY,2017,March,Dense Fog,"LYON",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684510,KENTUCKY,2017,March,Dense Fog,"TRIGG",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684511,KENTUCKY,2017,March,Dense Fog,"CALDWELL",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684512,KENTUCKY,2017,March,Dense Fog,"UNION",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684513,KENTUCKY,2017,March,Dense Fog,"WEBSTER",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684514,KENTUCKY,2017,March,Dense Fog,"HOPKINS",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684515,KENTUCKY,2017,March,Dense Fog,"CHRISTIAN",2017-03-17 22:00:00,CST-6,2017-03-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114256,684516,KENTUCKY,2017,March,Dense Fog,"HENDERSON",2017-03-17 22:00:00,CST-6,2017-03-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky during the late night and early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog formed along a slow-moving cold front. Drier northwest winds in the wake of the cold front dissipated the fog.","" +114021,685679,MARYLAND,2017,March,Thunderstorm Wind,"ST. MARY'S",2017-03-01 14:03:00,EST-5,2017-03-01 14:03:00,0,0,0,0,,NaN,,NaN,38.4191,-76.8186,38.4191,-76.8186,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A tree was down along the 27000 Block of Thompson Corner Road." +114320,685710,OHIO,2017,March,Flood,"NOBLE",2017-03-01 21:31:00,EST-5,2017-03-02 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.78,-81.54,39.7944,-81.6401,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported that state route 821 was closed in both directions between mile mark 0 and mile marker 7 and again at mile marker 12 due to high water." +114320,685712,OHIO,2017,March,Flood,"GUERNSEY",2017-03-01 21:29:00,EST-5,2017-03-02 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.88,-81.62,39.8742,-81.6295,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported that state route 146 was closed in both directions between Iowa Road and Crane Run Road due to high water." +114320,685711,OHIO,2017,March,Flood,"GUERNSEY",2017-03-01 21:26:00,EST-5,2017-03-02 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.9932,-81.4572,39.9873,-81.4564,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported that state route 285 was closed in both directions between Old Glory Road and state route 265." +118250,710635,KANSAS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-17 19:59:00,CST-6,2017-06-17 20:00:00,0,0,0,0,,NaN,,NaN,38.73,-95.19,38.73,-95.19,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Report via social media. Outbuilding flipped and destroyed. Winds estimated at 70-75 MPH." +118250,710638,KANSAS,2017,June,Thunderstorm Wind,"COFFEY",2017-06-17 20:23:00,CST-6,2017-06-17 20:24:00,0,0,0,0,,NaN,,NaN,38.3,-95.73,38.3,-95.73,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","AWOS recorded wind gust." +118250,710640,KANSAS,2017,June,Thunderstorm Wind,"COFFEY",2017-06-17 20:35:00,CST-6,2017-06-17 20:36:00,0,0,0,0,,NaN,,NaN,38.2,-95.82,38.2,-95.82,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Tree was blown down." +118253,710653,KANSAS,2017,June,Hail,"GEARY",2017-06-27 12:12:00,CST-6,2017-06-27 12:13:00,0,0,0,0,,NaN,,NaN,39.09,-96.9,39.09,-96.9,"Isolated thunderstorms produced a few severe thunderstorms during the days of June 27th, 29th and 30th of 2017.","Report of 1-2 inch size hailstones on Highway 57 on the north side of the dam." +118253,710657,KANSAS,2017,June,Hail,"REPUBLIC",2017-06-28 21:50:00,CST-6,2017-06-28 21:51:00,0,0,0,0,,NaN,,NaN,39.84,-97.78,39.84,-97.78,"Isolated thunderstorms produced a few severe thunderstorms during the days of June 27th, 29th and 30th of 2017.","" +118253,710660,KANSAS,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-29 05:28:00,CST-6,2017-06-29 05:29:00,0,0,0,0,,NaN,,NaN,39.01,-95.22,39.01,-95.22,"Isolated thunderstorms produced a few severe thunderstorms during the days of June 27th, 29th and 30th of 2017.","Wind gust of 61 MPH reported at Lawrence ASOS." +118253,710667,KANSAS,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-29 23:41:00,CST-6,2017-06-29 23:42:00,0,0,0,0,,NaN,,NaN,38.78,-97.2,38.78,-97.2,"Isolated thunderstorms produced a few severe thunderstorms during the days of June 27th, 29th and 30th of 2017.","Tree limbs down with damage to a swing set." +119401,716625,ILLINOIS,2017,June,Thunderstorm Wind,"MADISON",2017-06-14 11:40:00,CST-6,2017-06-14 11:52:00,0,0,0,0,0.00K,0,0.00K,0,38.9143,-90.1971,38.9664,-90.1813,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down several large trees, numerous tree limbs and power lines between Alton and Godfrey as the storms moved through." +117106,704520,TENNESSEE,2017,May,Thunderstorm Wind,"KNOX",2017-05-27 21:40:00,EST-5,2017-05-27 21:40:00,0,0,0,0,,NaN,,NaN,35.97,-83.98,35.97,-83.98,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Extensive damage was reported across West Knox County. Cars were crushed by trees, windows were blown out, and a chimney was destroyed at a residence." +117106,704521,TENNESSEE,2017,May,Thunderstorm Wind,"LOUDON",2017-05-27 21:43:00,EST-5,2017-05-27 21:43:00,0,0,0,0,,NaN,,NaN,35.74,-84.36,35.74,-84.36,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Widespread trees and power lines were reported down across the county." +117106,704524,TENNESSEE,2017,May,Thunderstorm Wind,"MCMINN",2017-05-27 21:58:00,EST-5,2017-05-27 21:58:00,0,0,0,0,,NaN,,NaN,35.45,-84.6,35.45,-84.6,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees were downed across the county. One tree fell onto a home damaging the structure." +117106,704527,TENNESSEE,2017,May,Thunderstorm Wind,"BLOUNT",2017-05-27 22:00:00,EST-5,2017-05-27 22:00:00,0,0,0,0,,NaN,,NaN,35.75,-83.97,35.75,-83.97,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Widespread trees and power lines were reported down. Several trees had fallen on homes." +117106,704529,TENNESSEE,2017,May,Thunderstorm Wind,"GRAINGER",2017-05-27 22:10:00,EST-5,2017-05-27 22:10:00,0,0,0,0,,NaN,,NaN,36.27,-83.52,36.27,-83.52,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees were reported down across the county." +117106,704532,TENNESSEE,2017,May,Thunderstorm Wind,"COCKE",2017-05-27 22:15:00,EST-5,2017-05-27 22:15:00,0,0,0,0,,NaN,,NaN,35.96,-83.19,35.96,-83.19,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Numerous trees were reported down across the county." +120754,723267,ALASKA,2017,September,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-09-06 01:20:00,AKST-9,2017-09-06 04:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system developed in the Gulf of Alaska and brought an occluded front onshore in the Southcentral area. The passage of the front caused warning level winds in the Anchorage area.","McHugh Creek RWIS station reported a gust to 60 knots (70 mph). Power outages were reported around Anchorage, affecting thousands of homes." +120755,723270,ALASKA,2017,September,High Wind,"ALASKA PENINSULA",2017-09-16 07:45:00,AKST-9,2017-09-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the Aleutian Islands to just off the Kuskokwim Delta coast, while intensifying rapidly to 970mb. Cold air advection and a tight pressure gradient on the backside of the low brought hurricane force winds to the Bering Sea.","False Pass Airport reported warning level winds (above 74 mph) beginning at 7:45. The peak gust was 79mph at 13:00." +117106,704536,TENNESSEE,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 22:53:00,EST-5,2017-05-27 22:53:00,0,0,0,0,,NaN,,NaN,36.13,-82.86,36.13,-82.86,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several trees were reported down across the western part of the county." +117109,704547,VIRGINIA,2017,May,Hail,"SCOTT",2017-05-27 18:30:00,EST-5,2017-05-27 18:30:00,0,0,0,0,,NaN,,NaN,36.75,-82.42,36.75,-82.42,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Quarter size hail was reported." +118251,710668,MISSOURI,2017,June,Thunderstorm Wind,"MACON",2017-06-28 21:20:00,CST-6,2017-06-28 21:23:00,0,0,0,0,,NaN,,NaN,40.02,-92.49,40.02,-92.49,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Multiple large trees were broken as a result of strong thunderstorm winds." +115445,693245,NORTH CAROLINA,2017,April,Thunderstorm Wind,"UNION",2017-04-03 15:55:00,EST-5,2017-04-03 15:55:00,0,0,0,0,1.00K,1000,0.00K,0,34.87,-80.34,34.87,-80.34,"A line of showers and thunderstorms developing ahead of a cold front pushed across western North Carolina during the afternoon. A couple of pockets of brief damaging winds occurred.","Shingles were blown off an outbuilding on Gulledge Rd and a carport was blown across a road. A couple of trees were also blown down." +114690,687943,TENNESSEE,2017,May,Thunderstorm Wind,"RHEA",2017-05-20 20:15:00,EST-5,2017-05-20 20:15:00,0,0,0,0,,NaN,,NaN,35.49,-85.01,35.49,-85.01,"A few thunderstorms became severe later in the evening ahead of a slow moving cold front associated with a deep upper trough lumbering east toward the Appalachian Spine.","Several trees were reported down and power lines were downed south of Dayton." +114690,687944,TENNESSEE,2017,May,Thunderstorm Wind,"ROANE",2017-05-20 20:30:00,EST-5,2017-05-20 20:30:00,0,0,0,0,,NaN,,NaN,35.87,-84.68,35.87,-84.68,"A few thunderstorms became severe later in the evening ahead of a slow moving cold front associated with a deep upper trough lumbering east toward the Appalachian Spine.","Roof damage was reported on a shop behind a home and trees were downed in the vicinity of the home." +114691,687946,VIRGINIA,2017,May,Thunderstorm Wind,"SCOTT",2017-05-20 20:30:00,EST-5,2017-05-20 20:30:00,0,0,0,0,,NaN,,NaN,36.68,-82.75,36.68,-82.75,"A few thunderstorms became severe later in the evening ahead of a slow moving cold front associated with a deep upper trough lumbering east toward the Appalachian Spine.","Three trees were reported down west of Clinchport." +114691,687947,VIRGINIA,2017,May,Thunderstorm Wind,"LEE",2017-05-20 20:35:00,EST-5,2017-05-20 20:35:00,0,0,0,0,,NaN,,NaN,36.78,-82.94,36.78,-82.94,"A few thunderstorms became severe later in the evening ahead of a slow moving cold front associated with a deep upper trough lumbering east toward the Appalachian Spine.","Two trees were reported down near Dryden." +114692,687952,VIRGINIA,2017,May,Thunderstorm Wind,"WISE",2017-05-19 23:35:00,EST-5,2017-05-19 23:35:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-82.62,37.01,-82.62,"A lone thunderstorm produced some wind damage near Wise.","Several trees and power lines were reported down in the Rocky Fork and Indian Creek communities." +115445,693236,NORTH CAROLINA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-03 14:46:00,EST-5,2017-04-03 14:46:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-81.26,35.47,-81.26,"A line of showers and thunderstorms developing ahead of a cold front pushed across western North Carolina during the afternoon. A couple of pockets of brief damaging winds occurred.","County comms reported two trees blown down in the Lincolnton." +115445,693237,NORTH CAROLINA,2017,April,Thunderstorm Wind,"ROWAN",2017-04-03 15:30:00,EST-5,2017-04-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.79,-80.67,35.79,-80.67,"A line of showers and thunderstorms developing ahead of a cold front pushed across western North Carolina during the afternoon. A couple of pockets of brief damaging winds occurred.","Ham radio operator reported trees blown down on cool Springs Road." +117903,709082,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-17 19:50:00,CST-6,2017-06-17 19:53:00,0,0,0,0,0.00K,0,0.00K,0,39.31,-94.92,39.31,-94.92,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Trained Spotter reported 60 mph wind." +117903,709083,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-17 19:52:00,CST-6,2017-06-17 19:55:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-95.09,39.03,-95.09,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 60 mph wind." +117903,709084,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 19:53:00,CST-6,2017-06-17 19:56:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-94.96,38.96,-94.96,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Trained spotter reported 68 mph wind." +117903,709085,KANSAS,2017,June,Thunderstorm Wind,"WYANDOTTE",2017-06-17 19:57:00,CST-6,2017-06-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-94.9,39.1,-94.9,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Trained spotter reported 60 mph wind." +117903,709086,KANSAS,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-17 20:12:00,CST-6,2017-06-17 20:15:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-94.7,38.99,-94.7,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 60 mph wind." +115200,694787,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-19 01:09:00,CST-6,2017-05-19 01:09:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-97.54,35.7,-97.54,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Reported via mPing." +115040,690487,MICHIGAN,2017,April,Hail,"DICKINSON",2017-04-09 19:30:00,CST-6,2017-04-09 19:34:00,0,0,0,0,0.00K,0,0.00K,0,45.85,-88.06,45.85,-88.06,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","There was a public report of nickel-sized hail near Moon Lake." +115040,690492,MICHIGAN,2017,April,Hail,"DICKINSON",2017-04-09 19:30:00,CST-6,2017-04-09 19:34:00,0,0,0,0,0.00K,0,0.00K,0,45.85,-88.07,45.85,-88.07,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","There was a public report of nickel-sized hail near Bass Lake." +115200,694788,OKLAHOMA,2017,May,Hail,"OKLAHOMA",2017-05-19 01:09:00,CST-6,2017-05-19 01:09:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-97.63,35.61,-97.63,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Reported via mping." +115200,694789,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-19 01:17:00,CST-6,2017-05-19 01:17:00,0,0,0,0,0.00K,0,0.00K,0,35.78,-97.48,35.78,-97.48,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694790,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-19 01:17:00,CST-6,2017-05-19 01:17:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.51,35.73,-97.51,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694792,OKLAHOMA,2017,May,Thunderstorm Wind,"LOGAN",2017-05-19 02:00:00,CST-6,2017-05-19 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-97.49,35.86,-97.49,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694793,TEXAS,2017,May,Hail,"KNOX",2017-05-18 13:40:00,CST-6,2017-05-18 13:40:00,0,0,0,0,0.00K,0,0.00K,0,33.8,-99.95,33.8,-99.95,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694794,TEXAS,2017,May,Hail,"FOARD",2017-05-18 13:41:00,CST-6,2017-05-18 13:41:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-99.81,33.91,-99.81,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +117128,704676,TENNESSEE,2017,July,Thunderstorm Wind,"ROANE",2017-07-08 12:45:00,EST-5,2017-07-08 12:45:00,0,0,0,0,,NaN,,NaN,35.97,-84.38,35.97,-84.38,"A lone thunderstorm formed over the edge of the Cumberland Plateau producing convective gusts.","A few trees were reported down on Wheeler Drive in Oliver Springs." +117130,704680,TENNESSEE,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-18 16:00:00,EST-5,2017-07-18 16:00:00,0,0,0,0,,NaN,,NaN,35.13,-85.34,35.13,-85.34,"An isolated storm developed early in the afternoon generating a severe gust.","A few trees were reported down." +117131,704685,VIRGINIA,2017,July,Thunderstorm Wind,"LEE",2017-07-06 18:30:00,EST-5,2017-07-06 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-83.06,36.8,-83.06,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down." +117131,704686,VIRGINIA,2017,July,Thunderstorm Wind,"LEE",2017-07-06 18:30:00,EST-5,2017-07-06 18:30:00,0,0,0,0,,NaN,,NaN,36.8,-83.06,36.8,-83.06,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down." +117132,704690,VIRGINIA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-23 21:06:00,EST-5,2017-07-23 21:06:00,0,0,0,0,,NaN,,NaN,36.72,-82.8,36.72,-82.8,"A line of thunderstorms formed along a pre-frontal trough late in the evening across Southwest Virginia. One of the storms generated some isolated wind damage.","A few trees were reported down." +115864,696332,TEXAS,2017,May,Frost/Freeze,"DONLEY",2017-05-01 04:00:00,CST-6,2017-05-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +116463,700412,LOUISIANA,2017,May,Hail,"ALLEN",2017-05-03 07:08:00,CST-6,2017-05-03 07:08:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-92.85,30.49,-92.85,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","The public reported quarter size hail in Kinder." +116463,700419,LOUISIANA,2017,May,Hail,"ALLEN",2017-05-03 07:10:00,CST-6,2017-05-03 07:10:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-92.85,30.49,-92.85,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A spotter reported golf ball size hail in Kinder for 5 to 8 minutes." +116463,700420,LOUISIANA,2017,May,Hail,"ALLEN",2017-05-03 07:41:00,CST-6,2017-05-03 07:41:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-92.66,30.82,-92.66,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116463,700421,LOUISIANA,2017,May,Hail,"ALLEN",2017-05-03 07:44:00,CST-6,2017-05-03 07:44:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-92.66,30.82,-92.66,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A picture on social media indicated golf ball size hail in Oakdale." +116463,700423,LOUISIANA,2017,May,Hail,"RAPIDES",2017-05-03 08:05:00,CST-6,2017-05-03 08:05:00,0,0,0,0,0.00K,0,0.00K,0,31.05,-92.49,31.05,-92.49,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Multiple pictures on social media indicated hail to tennis ball size near Forest Hill." +116463,700424,LOUISIANA,2017,May,Hail,"RAPIDES",2017-05-03 08:56:00,CST-6,2017-05-03 08:56:00,0,0,0,0,0.00K,0,0.00K,0,30.97,-92.58,30.97,-92.58,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116002,701834,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-05 03:45:00,EST-5,2017-05-05 03:45:00,0,0,0,0,0.00K,0,0.00K,0,35.0143,-78.6953,35.0143,-78.6953,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at Wade Stedman and North Carolina Highway 24." +116002,701841,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-05 03:50:00,EST-5,2017-05-05 03:50:00,0,0,0,0,0.00K,0,0.00K,0,35.0574,-78.713,35.0574,-78.713,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at 6569 Maxwell Road." +116002,701842,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-05 04:20:00,EST-5,2017-05-05 04:20:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-78.55,35.38,-78.55,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down in Benson." +116002,701844,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-05 04:35:00,EST-5,2017-05-05 04:35:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-78.34,35.58,-78.34,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down in Wilson Mills." +116002,701845,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:30:00,EST-5,2017-05-05 02:30:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-79.6,35.57,-79.6,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported near State Route 42." +116002,701846,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-05 04:23:00,EST-5,2017-05-05 04:23:00,0,0,0,0,10.00K,10000,0.00K,0,35.0008,-78.3317,35.0008,-78.3317,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Several trees were reported down around Clinton, including one tree down on a house on Edgar Street." +116002,701847,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-05 03:44:00,EST-5,2017-05-05 03:44:00,0,0,0,0,0.00K,0,0.00K,0,35.8995,-78.9058,35.8995,-78.9058,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at 4200 Brentwood." +116002,701848,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-05 03:34:00,EST-5,2017-05-05 03:34:00,0,0,0,0,0.00K,0,0.00K,0,35.9756,-78.9757,35.9756,-78.9757,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at the intersection of Hopewell Drive and Pickett Road." +113335,682112,ARKANSAS,2017,March,Drought,"BENTON",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113335,682114,ARKANSAS,2017,March,Drought,"CRAWFORD",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113335,682115,ARKANSAS,2017,March,Drought,"FRANKLIN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113335,682116,ARKANSAS,2017,March,Drought,"MADISON",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113335,682117,ARKANSAS,2017,March,Drought,"SEBASTIAN",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113327,680989,OKLAHOMA,2017,March,Hail,"OTTAWA",2017-03-09 18:47:00,CST-6,2017-03-09 18:47:00,0,0,0,0,0.00K,0,0.00K,0,36.6939,-94.9517,36.6939,-94.9517,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680991,OKLAHOMA,2017,March,Hail,"DELAWARE",2017-03-09 19:15:00,CST-6,2017-03-09 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.6363,-94.8148,36.6363,-94.8148,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680992,OKLAHOMA,2017,March,Hail,"DELAWARE",2017-03-09 19:15:00,CST-6,2017-03-09 19:15:00,0,0,0,0,25.00K,25000,0.00K,0,36.5932,-94.7696,36.5932,-94.7696,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680993,OKLAHOMA,2017,March,Hail,"DELAWARE",2017-03-09 19:20:00,CST-6,2017-03-09 19:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.634,-94.6812,36.634,-94.6812,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680994,OKLAHOMA,2017,March,Hail,"DELAWARE",2017-03-09 19:22:00,CST-6,2017-03-09 19:22:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-94.6619,36.58,-94.6619,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113543,679718,IOWA,2017,March,Thunderstorm Wind,"CLAYTON",2017-03-06 21:04:00,CST-6,2017-03-06 21:04:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-91.4,42.64,-91.4,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","An estimated 73 mph wind gust occurred in Edgewood." +113543,682471,IOWA,2017,March,Thunderstorm Wind,"FLOYD",2017-03-06 18:49:00,CST-6,2017-03-06 18:49:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-93.01,43.13,-93.01,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","An estimated 60 mph wind gust occurred near Nora Springs." +113543,683101,IOWA,2017,March,Hail,"FLOYD",2017-03-06 18:51:00,CST-6,2017-03-06 18:51:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-93.01,43.13,-93.01,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell just south of Nora Springs." +113543,683107,IOWA,2017,March,Hail,"FLOYD",2017-03-06 18:52:00,CST-6,2017-03-06 18:52:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-92.9,43.13,-92.9,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell in Rudd." +113543,683109,IOWA,2017,March,Hail,"FLOYD",2017-03-06 18:52:00,CST-6,2017-03-06 18:52:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-92.89,42.96,-92.89,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","" +112920,675082,IOWA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-06 19:45:00,CST-6,2017-03-06 19:45:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-92.92,42.11,-92.92,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Marshalltown ASOS recorded a 64 mph wind gust." +112920,675056,IOWA,2017,March,Thunderstorm Wind,"STORY",2017-03-06 18:45:00,CST-6,2017-03-06 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.99,-93.62,41.99,-93.62,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Ames ASOS recorded wind gust to 67 mph." +114649,687646,ARIZONA,2017,March,Dust Storm,"WEST CENTRAL DESERTS",2017-03-30 19:00:00,MST-7,2017-03-30 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty winds developed during the afternoon and evening hours across much of southern Arizona in response to a strong weather system approaching from the west. Gusty winds over 40 mph were widespread over the deserts and resulted in the issuances of Blowing Dust Advisories as well as Dust Storm Warnings. Patchy dense blowing dust with visibilities below one quarter of a mile were observed in La Paz county. Gusty winds at least 40 mph caused a tree to be downed in the greater Phoenix area during the evening hours.","Strong gusty winds developed across the western deserts during the afternoon and evening hours associated with a weather system approaching from the west. Wind gusts of 40 mph or greater caused widespread blowing dust which was locally very dense. At about 1920MST, two trained weather spotters in the town of Wenden reported dense blowing dust which resembled dust storm conditions. One spotter reported visibility below one half mile, and a second reported visibility below one quarter of a mile on Highway 60 in Wenden. No accidents were reported due to the dense blowing dust. No Dust Storm Warnings were issued rather a Blowing Dust Advisory was issued to cover the situation." +114734,688304,ILLINOIS,2017,March,Hail,"WILL",2017-03-20 02:25:00,CST-6,2017-03-20 02:28:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-88.09,41.65,-88.09,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688316,ILLINOIS,2017,March,Hail,"FORD",2017-03-20 04:12:00,CST-6,2017-03-20 04:12:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-88.38,40.47,-88.38,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688320,ILLINOIS,2017,March,Hail,"LIVINGSTON",2017-03-20 10:00:00,CST-6,2017-03-20 10:05:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-88.64,40.88,-88.64,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","Three reports of nickel to quarter size hail came in from Pontiac." +114734,688322,ILLINOIS,2017,March,Hail,"IROQUOIS",2017-03-20 10:05:00,CST-6,2017-03-20 10:05:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-87.86,40.81,-87.86,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688324,ILLINOIS,2017,March,Hail,"IROQUOIS",2017-03-20 10:28:00,CST-6,2017-03-20 10:31:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-87.86,40.81,-87.86,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688325,ILLINOIS,2017,March,Hail,"LIVINGSTON",2017-03-20 10:43:00,CST-6,2017-03-20 10:43:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-88.29,40.75,-88.29,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114734,688326,ILLINOIS,2017,March,Hail,"FORD",2017-03-20 11:06:00,CST-6,2017-03-20 11:06:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-88.19,40.76,-88.19,"Thunderstorms developed over northern Illinois, some of which produced severe hail.","" +114732,688331,ILLINOIS,2017,March,Lake-Effect Snow,"LAKE",2017-03-13 18:00:00,CST-6,2017-03-14 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick-moving system on Sunday night, March 12 into early Monday, March 13, brought widespread snow, then lake effect snow started Monday night and persisted through Tuesday, March 14. This lake effect snow was oriented into northeast Illinois for a lengthy period, which is rare as Michigan and northwest Indiana are typically the more favored locations for lake effect snow. ||The first round of snow caused impacts to the Monday morning commute, while the next lake effect round brought major impacts to the Tuesday morning commute.||Some of the highest snowfall totals include: 16.1 inches two miles north of Waukegan (Lake County), 13.2 inches two miles north of Buffalo Grove (Lake County), 10.5 inches two miles north-northwest of Burnham-Hegewisch (Cook County), and 10.5 inches in Homewood (Cook County).","" +114732,688333,ILLINOIS,2017,March,Lake-Effect Snow,"COOK",2017-03-13 18:00:00,CST-6,2017-03-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick-moving system on Sunday night, March 12 into early Monday, March 13, brought widespread snow, then lake effect snow started Monday night and persisted through Tuesday, March 14. This lake effect snow was oriented into northeast Illinois for a lengthy period, which is rare as Michigan and northwest Indiana are typically the more favored locations for lake effect snow. ||The first round of snow caused impacts to the Monday morning commute, while the next lake effect round brought major impacts to the Tuesday morning commute.||Some of the highest snowfall totals include: 16.1 inches two miles north of Waukegan (Lake County), 13.2 inches two miles north of Buffalo Grove (Lake County), 10.5 inches two miles north-northwest of Burnham-Hegewisch (Cook County), and 10.5 inches in Homewood (Cook County).","" +114796,688559,CALIFORNIA,2017,March,Hail,"SAN FRANCISCO",2017-03-05 07:10:00,PST-8,2017-03-05 07:15:00,0,0,0,0,0.00K,0,0.00K,0,37.7696,-122.4201,37.7696,-122.4201,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","" +114796,688560,CALIFORNIA,2017,March,Hail,"SANTA CLARA",2017-03-05 09:56:00,PST-8,2017-03-05 10:06:00,0,0,0,0,0.00K,0,0.00K,0,37.2303,-121.96,37.2303,-121.96,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","" +114796,688562,CALIFORNIA,2017,March,Hail,"SONOMA",2017-03-05 15:10:00,PST-8,2017-03-05 15:20:00,0,0,0,0,0.00K,0,0.00K,0,38.5198,-122.7797,38.5198,-122.7797,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","" +114796,688564,CALIFORNIA,2017,March,Debris Flow,"ALAMEDA",2017-03-05 19:32:00,PST-8,2017-03-05 20:32:00,0,0,0,0,0.00K,0,0.00K,0,37.7523,-122.0976,37.7519,-122.0975,"A cold front moved through the MTR CWA the night of Saturday March 4th producing steady rain and isolated thunderstorms into Sunday. This system resulted in minor roadway flooding, a debris flow, and pea sized hail.","Small land slide on Redwood Road in Anthony Chabot Park." +116101,697820,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-05-05 11:18:00,EST-5,2017-05-05 11:18:00,0,0,0,0,0.00K,0,0.00K,0,25.71,-80.21,25.71,-80.21,"A cold front moving through the region combined with southerly winds bringing plenty of moisture to the region allowed showers and thunderstorm to develop over South Florida waters. A few of these storms produced gusty winds over the waters.","A marine thunderstorm wind gust of 44 mph / 38 knots was recorded by the WxFlow mesonet site XDIN located just south of Key Biscayne at 1218 PM EDT." +116101,697822,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-05-05 11:39:00,EST-5,2017-05-05 11:39:00,0,0,0,0,,NaN,,NaN,25.66,-80.19,25.66,-80.19,"A cold front moving through the region combined with southerly winds bringing plenty of moisture to the region allowed showers and thunderstorm to develop over South Florida waters. A few of these storms produced gusty winds over the waters.","A marine thunderstorm wind gust of 40 mph / 35 knots was recorded by the WxFlow mesonet site XKBS at 1239 PM EDT." +116103,697841,FLORIDA,2017,May,Rip Current,"COASTAL PALM BEACH COUNTY",2017-05-13 15:30:00,EST-5,2017-05-13 15:30:00,4,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty southerly wind along with 2 to 3 foot seas led to rip currents in Palm Beach. One of these rip currents caused 4 people to be taken to a local hospital after being rescued by lifeguards.","Media reported a group of county lifeguards rescued four people in distress caught in a rip current. Two people were originally caught in the rip current when two others became caught while trying to assist them. All four swimmers were taken to nearby hospitals to recover." +113365,678333,MONTANA,2017,March,Heavy Snow,"LOWER CLARK FORK REGION",2017-03-07 19:00:00,MST-7,2017-03-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front brought heavy mountain snow that caused high impact to area passes.","Difficult travel due to heavy snow occurred from Lookout Pass to Haugen along Interstate 90. Montana Department of Transportation listed Taft to Lookout Pass as severe driving conditions between 948 pm on the 7th to 522 am MST on the 8th." +114832,688901,UTAH,2017,March,High Wind,"SANPETE/SEVIER VALLEYS",2017-03-05 13:51:00,MST-7,2017-03-05 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on March 5, producing strong, and sometimes destructive, winds both ahead of and behind the front. The front also brought snowfall to the state, with the heaviest snow in northern Utah.","Maximum recorded wind gusts included 64 mph at the Interstate 15 at Sevier River sensor, 62 mph at Interstate 70 at Salina, and 62 mph at the Sevier Reservoir sensor." +114831,688808,WASHINGTON,2017,March,Debris Flow,"PIERCE",2017-03-16 00:00:00,PST-8,2017-03-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,47.2501,-122.2615,47.2495,-122.2591,"Heavy rain caused 3 landslides that closed roads near Sumner, Federal Way and Buckley, WA.","The Tacoma News Tribune reported a landslide over the West Valley Highway, north of Sumner, between 24 St E and Jovita Blvd E." +114831,688813,WASHINGTON,2017,March,Debris Flow,"PIERCE",2017-03-16 00:00:00,PST-8,2017-03-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,47.1442,-122.1119,47.1441,-122.1109,"Heavy rain caused 3 landslides that closed roads near Sumner, Federal Way and Buckley, WA.","The Tacoma News Tribune reported a landslide near Buckley, WA at 239 Ave E and South Prairie Rd." +114831,688818,WASHINGTON,2017,March,Debris Flow,"KING",2017-03-16 00:00:00,PST-8,2017-03-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,47.3255,-122.3702,47.3258,-122.3689,"Heavy rain caused 3 landslides that closed roads near Sumner, Federal Way and Buckley, WA.","The Tacoma News Tribune reported a landslide in Federal Way over the 2800 block of Dash Point Road." +113366,678348,MONTANA,2017,March,Winter Storm,"WEST GLACIER REGION",2017-03-09 20:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Blowing and drifting snow was reported between West Glacier and Marias Pass during the night-time hours. Snowfall amounts include: 18 inches at Marias Pass, 15 inches in Polebridge, and 8 to 10 inches at the Devil's Creek area located east of Essex." +113366,678349,MONTANA,2017,March,Winter Weather,"FLATHEAD/MISSION VALLEYS",2017-03-09 18:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Snowfall amounts ranged from 3 inches in Polson to 9 inches in Columbia Falls before changing to freezing rain before daybreak. The freezing rain became absorbed in the fallen snow therefore lessening the impact." +114525,686788,ILLINOIS,2017,March,Thunderstorm Wind,"COLES",2017-03-07 02:10:00,CST-6,2017-03-07 02:15:00,0,0,0,0,15.00K,15000,0.00K,0,39.4539,-88.3369,39.4539,-88.3369,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A semi was blown over at mile marker 187 on I-57." +114662,687736,LOUISIANA,2017,March,Thunderstorm Wind,"ST. LANDRY",2017-03-01 15:59:00,CST-6,2017-03-01 15:59:00,0,0,0,0,25.00K,25000,0.00K,0,30.5,-92.25,30.5,-92.25,"An isolated severe storm developed over Saint Landry Parish producing damage.","Power lines were downed and some damage was sustained to outbuilding near Lawtell." +114525,686791,ILLINOIS,2017,March,Thunderstorm Wind,"VERMILION",2017-03-07 02:17:00,CST-6,2017-03-07 02:22:00,0,0,0,0,20.00K,20000,0.00K,0,39.92,-87.85,39.92,-87.85,"A strong cold front triggered a squall line across western Iowa into eastern Kansas during the afternoon of March 6th. These storms raced eastward and reached west-central Illinois by the late evening, then pushed across the remainder of central Illinois during the early morning hours of March 7th. The storms produced widespread wind gusts of 50-70 mph and 3 tornadoes. One tornado touched down near Easton in Mason County, while two tornadoes occurred further east in Tazewell County. The most significant tornado caused EF-2 damage in rural Tazewell County just northeast of Delavan.","A shed was damaged in Allerton." +114662,687737,LOUISIANA,2017,March,Thunderstorm Wind,"ST. LANDRY",2017-03-01 16:03:00,CST-6,2017-03-01 16:03:00,0,0,0,0,5.00K,5000,0.00K,0,30.44,-92.23,30.44,-92.23,"An isolated severe storm developed over Saint Landry Parish producing damage.","A portion of metal roof was removed from a barn." +114699,687974,TEXAS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-25 06:30:00,CST-6,2017-03-25 06:30:00,0,0,0,0,5.00K,5000,0.00K,0,30.09,-94.29,30.09,-94.29,"A line of thunderstorms moved across Southeast Texas producing one report of damage.","A picture was sent in of a free standing metal tower bent from winds during a thunderstorm." +114700,687981,LOUISIANA,2017,March,Thunderstorm Wind,"CALCASIEU",2017-03-25 07:03:00,CST-6,2017-03-25 07:03:00,0,0,0,0,8.00K,8000,0.00K,0,30.23,-93.58,30.23,-93.58,"A line of thunderstorms ahead of a cold front moved across South Louisiana producing a few reports of hail and wind damage.","A couple of trees were downed near Vinton." +114706,689045,LOUISIANA,2017,March,Flash Flood,"ACADIA",2017-03-29 07:00:00,CST-6,2017-03-30 04:30:00,0,0,0,0,30.00K,30000,0.00K,0,30.583,-92.0503,30.4949,-92.4153,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Acadia Parish dispatch was notified of a bridge washed out on Riverside Road near St Jules Road near the town of Evangeline. Many roads were also flooded in other portions of the parish including Iota. 4 to 8 inches of rain fell during the morning." +114131,688404,IDAHO,2017,March,Flood,"LATAH",2017-03-15 07:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,800.00K,800000,0.00K,0,47.0235,-117.0346,46.5477,-117.0374,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Periodic heavy rain and spring snow melt produced debris flows and widespread areal flooding across Latah County during the second half of March. Numerous roads were closed and the county was included in a Presidential Disaster Declaration as a result of the disruption and damage caused by this episode. Paradise Creek near Moscow flooded multiple times leading to damage on roads and parks as well as basement flooding of homes along and near the creek." +117059,704152,FLORIDA,2017,May,Drought,"COASTAL COLLIER COUNTY",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 117 new fires were reported by the Florida Forest Service, resulting in 43,500 acres burned. Crop production slowed as a result of the very dry conditions.","Although more rain fell in May compared to the previous months across SW Florida, it was still too sporadic to alleviate drought conditions. Coastal portions of Collier County remained in D2 (severe drought) conditions. A burn ban was in effect for the entire county." +117059,704151,FLORIDA,2017,May,Drought,"INLAND COLLIER COUNTY",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 117 new fires were reported by the Florida Forest Service, resulting in 43,500 acres burned. Crop production slowed as a result of the very dry conditions.","Although more rain fell in May compared to the previous months across SW Florida, it was still too sporadic to alleviate drought conditions. Inland portions of Collier County remained in D2 (severe drought) conditions. A burn ban was in effect for the entire county." +117069,704335,IDAHO,2017,May,Flood,"TETON",2017-05-01 01:00:00,MST-7,2017-05-31 10:00:00,0,0,0,0,17.00K,17000,0.00K,0,43.92,-111.15,43.87,-111.4102,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Minor flooding occurred in May with snow melt being the main contributor to the flooding. Field flooding caused agricultural damage and many roads and recreational facilities received damage." +117073,704337,IDAHO,2017,May,Thunderstorm Wind,"BINGHAM",2017-05-31 15:00:00,MST-7,2017-05-31 15:25:00,0,0,0,0,1.00K,1000,0.00K,0,43.18,-112.35,43.18,-112.35,"Roofing material was blown onto Main Street in Blackfoot when a microbust struck a warehouse building owned by Blacker's Furniture Store. It tied up traffic for a very short time.","Roofing material was blown onto Main Street in Blackfoot when a microbust struck a warehouse building owned by Blacker's Furniture Store. It tied up traffic for a very short time." +115817,696050,VIRGINIA,2017,May,Thunderstorm Wind,"ALBEMARLE",2017-05-05 05:16:00,EST-5,2017-05-05 05:16:00,0,0,0,0,,NaN,,NaN,38.0973,-78.4405,38.0973,-78.4405,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down in the 1700 Block of Polo Grounds Road." +115817,696051,VIRGINIA,2017,May,Thunderstorm Wind,"PRINCE WILLIAM",2017-05-05 07:10:00,EST-5,2017-05-05 07:10:00,0,0,0,0,,NaN,,NaN,38.609,-77.3477,38.609,-77.3477,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down on Marlington Drive between Brawner Drive and Barger Place." +115817,696053,VIRGINIA,2017,May,Thunderstorm Wind,"KING GEORGE",2017-05-05 07:13:00,EST-5,2017-05-05 07:13:00,0,0,0,0,,NaN,,NaN,38.2681,-77.1847,38.2681,-77.1847,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down on James Madison Parkway near Roseland Road." +116605,701233,KANSAS,2017,May,Hail,"JOHNSON",2017-05-18 19:50:00,CST-6,2017-05-18 19:53:00,0,0,0,0,,NaN,,NaN,38.9926,-94.8818,38.9926,-94.8818,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","This report at 75th and Mize came from social media photo." +116605,701231,KANSAS,2017,May,Hail,"JOHNSON",2017-05-18 19:45:00,CST-6,2017-05-18 19:46:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-94.87,38.98,-94.87,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701232,KANSAS,2017,May,Hail,"LEAVENWORTH",2017-05-18 19:48:00,CST-6,2017-05-18 19:48:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-95.07,39.2,-95.07,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701234,KANSAS,2017,May,Hail,"WYANDOTTE",2017-05-18 19:59:00,CST-6,2017-05-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-94.88,39.06,-94.88,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701235,KANSAS,2017,May,Hail,"WYANDOTTE",2017-05-18 20:00:00,CST-6,2017-05-18 20:03:00,0,0,0,0,,NaN,,NaN,39.14,-94.81,39.14,-94.81,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +113781,681215,NEVADA,2017,March,High Wind,"ESMERALDA/CENTRAL NYE",2017-03-30 11:50:00,PST-8,2017-03-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred 44 miles ENE of Beatty." +113781,681216,NEVADA,2017,March,High Wind,"LAKE MEAD/LAKE MOHAVE NATIONAL RECREATION AREA",2017-03-30 12:45:00,PST-8,2017-03-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Cottonwood Cove." +113781,681217,NEVADA,2017,March,High Wind,"LAS VEGAS VALLEY",2017-03-30 12:50:00,PST-8,2017-03-30 16:49:00,0,0,0,0,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Nellis AFB. There was widespread damage to trees, power poles and lines, street lights, and billboards. Some of the trees and poles damaged homes and cars. There were also numerous power outages." +113781,681218,NEVADA,2017,March,High Wind,"WESTERN CLARK/SOUTHERN NYE",2017-03-30 13:24:00,PST-8,2017-03-30 14:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Ash Meadows Wildlife Refuge. Three power poles were blown down in Pahrump." +113781,681219,NEVADA,2017,March,High Wind,"SPRING MOUNTAINS",2017-03-30 13:34:00,PST-8,2017-03-30 14:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually powerful low pressure system and cold front brought high west to southwest winds ahead of it and high north winds behind it as it tracked through the southern Great Basin and the Mojave Desert.","The peak gust occurred at Red Rock Canyon." +113985,682635,NEVADA,2017,March,Cold/Wind Chill,"LAS VEGAS VALLEY",2017-03-06 00:00:00,PST-8,2017-03-06 12:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cool temperatures contributed to the death of one man in Las Vegas.","Chilly temperatures contributed to the death of one man in Las Vegas." +114915,689308,MINNESOTA,2017,March,Hail,"CROW WING",2017-03-06 17:10:00,CST-6,2017-03-06 17:10:00,0,0,0,0,,NaN,,NaN,46.42,-94.29,46.42,-94.29,"Thunderstorms dropped hail up 1.5 in diameter in the Brainerd Lakes region on March 6th.","There were hailstones ranging from 1 to 1.5 inches in diameter." +114925,689335,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"DARLINGTON",2017-03-21 10:33:00,EST-5,2017-03-21 10:34:00,0,0,0,0,1.00K,1000,0.00K,0,34.3128,-80.0316,34.3128,-80.0316,"A cold front stalled out to the north of the area during the evening as an eastward moving and potent mid-level shortwave trough helped to sustain a prolonged period of severe weather to our west. Widespread large hail to our west transitioned to damaging winds as the thunderstorms approached Interstate-95 with no severe weather being reported as the thunderstorms moved further east.","A tree was reported down at the intersection of Bethel Rd. and Cottonwood Dr. The time was estimated based on radar data." +115736,695564,ILLINOIS,2017,May,Strong Wind,"SANGAMON",2017-05-17 14:58:00,CST-6,2017-05-17 20:00:00,0,1,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds gusting to between 35 and 45mph lifted dust from recently dried fields to create significant reductions in visibility across central Illinois during the afternoon and evening of May 17th. Blowing dust cut the visibility to near zero in some locations, prompting closures of several major roadways. Portions of I-72 on the south side of Springfield, as well as near New Berlin were closed for a time. I-55 near McLean and IL-104 between I-55 and Auburn were temporarily closed as well. Numerous traffic accidents occurred due to the blowing dust, including two that resulted in fatalities. One person died in an accident on I-72 near New Berlin, and another person was killed in a 6-car accident on Route 36 near Tuscola.","Southerly winds gusting to around 45mph created considerable blowing dust that resulted in visibility around zero at times. As a result of the dust, a fatal traffic accident occurred on I-72 near New Berlin." +115736,695565,ILLINOIS,2017,May,Strong Wind,"DOUGLAS",2017-05-17 15:50:00,CST-6,2017-05-17 20:00:00,0,3,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds gusting to between 35 and 45mph lifted dust from recently dried fields to create significant reductions in visibility across central Illinois during the afternoon and evening of May 17th. Blowing dust cut the visibility to near zero in some locations, prompting closures of several major roadways. Portions of I-72 on the south side of Springfield, as well as near New Berlin were closed for a time. I-55 near McLean and IL-104 between I-55 and Auburn were temporarily closed as well. Numerous traffic accidents occurred due to the blowing dust, including two that resulted in fatalities. One person died in an accident on I-72 near New Berlin, and another person was killed in a 6-car accident on Route 36 near Tuscola.","Southerly winds gusting to around 45mph created considerable blowing dust that resulted in visibility around zero at times. As a result of the dust, a fatal traffic accident involving a semi and 6 cars occurred on Route 36 just east of Tuscola." +115736,695572,ILLINOIS,2017,May,Strong Wind,"FULTON",2017-05-17 18:32:00,CST-6,2017-05-17 18:37:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds gusting to between 35 and 45mph lifted dust from recently dried fields to create significant reductions in visibility across central Illinois during the afternoon and evening of May 17th. Blowing dust cut the visibility to near zero in some locations, prompting closures of several major roadways. Portions of I-72 on the south side of Springfield, as well as near New Berlin were closed for a time. I-55 near McLean and IL-104 between I-55 and Auburn were temporarily closed as well. Numerous traffic accidents occurred due to the blowing dust, including two that resulted in fatalities. One person died in an accident on I-72 near New Berlin, and another person was killed in a 6-car accident on Route 36 near Tuscola.","A non-thunderstorm wind gust blew a large tree down in St. David." +115728,703286,ILLINOIS,2017,May,Flash Flood,"VERMILION",2017-05-04 09:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3726,-87.9318,40.2248,-87.942,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Vermilion County. Officials reported that most roads were impassable and numerous creeks rapidly flooded, particularly south of I-74. Most rural roads from Allerton to Jamaica to Sidell were closed." +115728,703288,ILLINOIS,2017,May,Flood,"VERMILION",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3726,-87.9318,40.2248,-87.942,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Vermilion County. Officials reported that most roads were impassable and numerous creeks rapidly flooded, particularly south of I-74. Most rural roads from Allerton to Jamaica to Sidell were closed. Additional rainfall of 1.00 to 1.50 inches later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +114526,686769,COLORADO,2017,May,Hail,"KIOWA",2017-05-15 15:30:00,MST-7,2017-05-15 15:35:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-102.81,38.59,-102.81,"A severe storm produced hail up to the size of quarters.","" +114526,686770,COLORADO,2017,May,Hail,"KIOWA",2017-05-15 15:45:00,MST-7,2017-05-15 15:50:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-102.89,38.45,-102.89,"A severe storm produced hail up to the size of quarters.","" +116237,698856,VIRGINIA,2017,May,Frost/Freeze,"SHENANDOAH",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of the Shenandoah Valley and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116237,698857,VIRGINIA,2017,May,Frost/Freeze,"AUGUSTA",2017-05-09 01:00:00,EST-5,2017-05-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of the Shenandoah Valley and Potomac Highlands.","Temperatures were estimated to be below freezing based on observations nearby." +116236,698858,MARYLAND,2017,May,Frost/Freeze,"CENTRAL AND EASTERN ALLEGANY",2017-05-09 01:00:00,EST-5,2017-05-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of western Maryland.","Temperatures were estimated to be below freezing based on observations nearby." +116236,698859,MARYLAND,2017,May,Frost/Freeze,"EXTREME WESTERN ALLEGANY",2017-05-09 01:00:00,EST-5,2017-05-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure built overhead from the west. Radiational cooling led to chilly conditions. Temperatures dropped below freezing for portions of western Maryland.","Temperatures were estimated to be below freezing based on observations nearby." +116240,698869,MARYLAND,2017,May,Dense Fog,"WASHINGTON",2017-05-27 23:53:00,EST-5,2017-05-28 05:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116240,698870,MARYLAND,2017,May,Dense Fog,"FREDERICK",2017-05-28 00:50:00,EST-5,2017-05-28 05:47:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116240,698871,MARYLAND,2017,May,Dense Fog,"CARROLL",2017-05-28 00:10:00,EST-5,2017-05-28 03:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116240,698872,MARYLAND,2017,May,Dense Fog,"CENTRAL AND EASTERN ALLEGANY",2017-05-27 22:53:00,EST-5,2017-05-28 06:13:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116240,698873,MARYLAND,2017,May,Dense Fog,"EXTREME WESTERN ALLEGANY",2017-05-27 22:53:00,EST-5,2017-05-28 06:13:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +114165,683682,WYOMING,2017,March,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-03-31 09:00:00,MST-7,2017-03-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep plume of Pacific moisture combined with a strong upper level low passing to the south to bring snow and wind to portions of the state. This was a warmer system with large variations in snowfall depending on elevation. The heaviest snow fell along the East Slopes of the Wind River Range. Many locations reported 2 to 3 feet of new snow. In addition, frequent wind gusts past 40 mph brought blizzard conditions at times that caused the closure of South Pass during the event. In the Lander Foothills, snow amounts were generally around 6 inches with higher amounts in the higher elevations. Although snowfall amounts were less across the Green and Rattlesnake Range, the combination of snow and strong wind caused the closure of Route 287 for several hours. Meanwhile, high winds occurred across Sweetwater County where a 59 mph wind gust occurred at the Rock Springs airport.","A combination of strong winds and snowfall led to the closure of Highway 287 between Highway 28 and Muddy Gap for several hours." +114165,683684,WYOMING,2017,March,Winter Storm,"LANDER FOOTHILLS",2017-03-31 02:00:00,MST-7,2017-03-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep plume of Pacific moisture combined with a strong upper level low passing to the south to bring snow and wind to portions of the state. This was a warmer system with large variations in snowfall depending on elevation. The heaviest snow fell along the East Slopes of the Wind River Range. Many locations reported 2 to 3 feet of new snow. In addition, frequent wind gusts past 40 mph brought blizzard conditions at times that caused the closure of South Pass during the event. In the Lander Foothills, snow amounts were generally around 6 inches with higher amounts in the higher elevations. Although snowfall amounts were less across the Green and Rattlesnake Range, the combination of snow and strong wind caused the closure of Route 287 for several hours. Meanwhile, high winds occurred across Sweetwater County where a 59 mph wind gust occurred at the Rock Springs airport.","Heavy snow fell in portions of the Lander Foothills. The highest amounts were reported closer to the Wind River Range where some areas had over 10 inches. In the lower elevations, the snow mixed with rain at times and amounts where generally in the 6 inch range." +114165,683685,WYOMING,2017,March,High Wind,"EAST SWEETWATER COUNTY",2017-03-31 16:11:00,MST-7,2017-03-31 16:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep plume of Pacific moisture combined with a strong upper level low passing to the south to bring snow and wind to portions of the state. This was a warmer system with large variations in snowfall depending on elevation. The heaviest snow fell along the East Slopes of the Wind River Range. Many locations reported 2 to 3 feet of new snow. In addition, frequent wind gusts past 40 mph brought blizzard conditions at times that caused the closure of South Pass during the event. In the Lander Foothills, snow amounts were generally around 6 inches with higher amounts in the higher elevations. Although snowfall amounts were less across the Green and Rattlesnake Range, the combination of snow and strong wind caused the closure of Route 287 for several hours. Meanwhile, high winds occurred across Sweetwater County where a 59 mph wind gust occurred at the Rock Springs airport.","A 59 mph wind gust was reported at the Rock Springs airport." +115021,690242,MICHIGAN,2017,March,Winter Storm,"CHIPPEWA",2017-03-01 03:00:00,EST-5,2017-03-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690243,MICHIGAN,2017,March,Winter Storm,"MACKINAC",2017-03-01 03:00:00,EST-5,2017-03-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690244,MICHIGAN,2017,March,Winter Storm,"EMMET",2017-03-01 05:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690245,MICHIGAN,2017,March,Winter Storm,"CHEBOYGAN",2017-03-01 05:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690246,MICHIGAN,2017,March,Winter Storm,"PRESQUE ISLE",2017-03-01 05:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690247,MICHIGAN,2017,March,Winter Storm,"CHARLEVOIX",2017-03-01 05:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +113212,690337,GEORGIA,2017,March,Drought,"OGLETHORPE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690353,GEORGIA,2017,March,Drought,"DE KALB",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,689990,GEORGIA,2017,March,Hail,"UNION",2017-03-21 17:36:00,EST-5,2017-03-21 17:45:00,0,0,0,0,,NaN,,NaN,34.77,-83.92,34.77,-83.92,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County Emergency Manager reported quarter size hail covering the ground at the Vogel State Park." +114280,689989,GEORGIA,2017,March,Hail,"UNION",2017-03-21 17:29:00,EST-5,2017-03-21 17:35:00,0,0,0,0,,NaN,,NaN,34.7947,-83.8774,34.7947,-83.8774,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County 911 center reported nickel size hail around the intersection of Highway 180 and the Richard B. Russell Scenic Highway." +114280,689991,GEORGIA,2017,March,Hail,"CATOOSA",2017-03-21 17:44:00,EST-5,2017-03-21 17:50:00,0,0,0,0,,NaN,,NaN,34.92,-85.22,34.92,-85.22,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A trained spotter reported hail up to the size of half dollars near Ft. Oglethorpe." +114280,689992,GEORGIA,2017,March,Hail,"JACKSON",2017-03-21 18:10:00,EST-5,2017-03-21 18:15:00,0,0,0,0,,NaN,,NaN,34.0594,-83.4224,34.0594,-83.4224,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported at a farm between Shilo Road and U.S. Highway 441." +114280,689995,GEORGIA,2017,March,Hail,"MADISON",2017-03-21 18:15:00,EST-5,2017-03-21 18:20:00,0,0,0,0,,NaN,,NaN,34.12,-83.22,34.12,-83.22,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A report of quarter size hail in Danielsville was received over social media." +113054,686262,NORTH DAKOTA,2017,March,High Wind,"SLOPE",2017-03-06 12:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Sand Creek RAWS reported a wind gust of 58 mph." +113054,686263,NORTH DAKOTA,2017,March,High Wind,"SIOUX",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Tatanka Prairie RAWS reported a wind gust of 71 mph." +115728,703302,ILLINOIS,2017,May,Flood,"EDGAR",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8801,-87.9371,39.7922,-87.9369,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Edgar County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. The heaviest rain was reported in the northwest corner of the county where nearly all rural roads were under water north of U.S. Highway 36. Additional rainfall of 1.00 to 2.00 inches later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +115728,703304,ILLINOIS,2017,May,Flash Flood,"CUMBERLAND",2017-05-04 07:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.373,-88.4707,39.1705,-88.4708,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Cumberland County. Officials reported that most roads were impassable and numerous creeks rapidly flooded." +117003,703715,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM PT MANSFIELD TO RIO GRANDE TX EXT FROM 20 TO 60NM",2017-05-04 01:30:00,CST-6,2017-05-04 02:30:00,0,0,0,0,0.00K,0,0.00K,0,26.217,-96.5,26.217,-96.5,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","TABS Buoy K reported a peak thunderstorm wind gust of 36 knots at 0130 CST." +113202,678340,TEXAS,2017,March,Thunderstorm Wind,"MOTLEY",2017-03-28 17:00:00,CST-6,2017-03-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-100.6,34.27,-100.6,"Rich Gulf moisture over the South Plains early this morning and a vigorous upper low culminated in severe thunderstorm development by late morning across the South Plains. A triple point (intersection of a surface low, warm front and dryline) developed very near Lubbock before noon and proceeded east while serving to focus strong low level wind shear. This wind shear along with low cloud bases allowed for several storms to acquire low level rotation and produce tornadoes and large hail at times. Fortunately, of the seven tornadoes that were confirmed by NWS Lubbock, only one produced damage and was rated EF1 after striking the Pitchfork Ranch (far eastern Dickens County). These storms also produced beneficial heavy rains and some minor flooding from the eastern South Plains throughout the Rolling Plains.","Measured by a Texas Tech University West Texas mesonet station." +115728,703308,ILLINOIS,2017,May,Flood,"CLARK",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4797,-88.014,39.173,-88.0094,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall around 2.00 inches during the morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Clark County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Nearly all of the rural roads north of I-70 were closed, particularly along the Edgar County line. Additional rainfall around 1.00 to 1.50 inches later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +115047,690699,KANSAS,2017,March,Wildfire,"CLARK",2017-03-06 14:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,3.00M,3000000,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","There were seven separate fires. Two moved near or through Englewood, originating in Oklahoma. Another consumed several homes just north of Ashland. Four others in northern Clark County consumed several homes initially but became a monster fire as the cold front moved through.||The fires subsided during the first night but flared up the following late morning and afternoon. ||As of late May there was still no real estimate of the number of dead cattle as many were never found but estimates are large, from 3 to 9 thousand head. Total acres burned in just Clark County were estimated at 425,000. There were 31 homes destroyed and 6 damaged. There were a total of 108 outbuildings destroyed and 13 others damaged. Many, many miles of fence were destroyed. Damage was estimated at $3 million but that number will likely go up with the final assessment later in the summer of 2017." +115047,690700,KANSAS,2017,March,Wildfire,"COMANCHE",2017-03-06 15:00:00,CST-6,2017-03-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","Protection was evacuated twice but never had damage within the city limits. Although the fires subsided late on the 6th, the fire flared again by late morning on the 7th." +114274,689132,GEORGIA,2017,March,Thunderstorm Wind,"FORSYTH",2017-03-10 03:40:00,EST-5,2017-03-10 03:47:00,0,0,0,0,4.00K,4000,,NaN,34.16,-84.17,34.1773,-84.0822,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Forsyth County Emergency Manager reported a few trees blown down from around the intersection of Georgia Highway 400 and Highway 141 to Buford Dam Road." +114612,687373,TEXAS,2017,March,Thunderstorm Wind,"RANDALL",2017-03-23 18:14:00,CST-6,2017-03-23 18:14:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-102.08,34.99,-102.08,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +114612,687374,TEXAS,2017,March,Thunderstorm Wind,"DEAF SMITH",2017-03-23 18:15:00,CST-6,2017-03-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-102.4,34.82,-102.4,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +114612,687375,TEXAS,2017,March,Hail,"OLDHAM",2017-03-23 18:20:00,CST-6,2017-03-23 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-102.66,35.28,-102.66,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +114280,690119,GEORGIA,2017,March,Thunderstorm Wind,"DE KALB",2017-03-21 19:59:00,EST-5,2017-03-21 20:15:00,0,0,0,0,100.00K,100000,,NaN,33.8282,-84.287,33.8023,-84.2575,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The DeKalb County Emergency Manager reported several trees blown down from North Druid Hills to Clarkston. Trees were blown down on cars and houses on Verona Drive and Tanner Drive and a large tree fell on a home on Coralwood Drive. No injuries were reported." +112843,675390,KANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.52,-94.67,37.52,-94.67,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","Several shingles were blown off a house. An empty stock tank was blown 500 feet." +112934,674760,VIRGINIA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 11:40:00,EST-5,2017-03-01 11:40:00,0,0,0,0,,NaN,,NaN,36.72,-82.8,36.72,-82.8,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down across the western part of the county." +112844,675938,MISSOURI,2017,March,Thunderstorm Wind,"DADE",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.34,-93.65,37.34,-93.65,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A barn was destroyed near Highway 160 east of Everton." +113399,678583,WASHINGTON,2017,February,Ice Storm,"SPOKANE AREA",2017-02-08 19:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","Freezing rain deposited 0.25 inch of glaze ice at Colbert from freezing rain." +113406,678604,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","The Lookout Pass Ski Resort reported 15 inches of new snow accumulation. The nearby Silver Mountain Ski Resort reported 17 inches of new snow." +113406,678605,IDAHO,2017,February,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-02-27 17:00:00,PST-8,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist westerly flow aloft was lifted by the higher terrain of the central Idaho Panhandle resulting in heavy snow accumulations in the mountains and valleys of the panhandle. Snow accumulations of 4 to 8 inches with locally higher amounts under persistent snow showers occurred in the valleys of the central Idaho Panhandle with 10 to locally 20 inches noted in the higher mountains. Some of these showers formed over extreme eastern Washington and deposited 2 to locally 5 inches on the Washington and Idaho Palouse region before laying down the heaviest amounts in the mountains.","An observer 3 miles south of St. Maries reported 12.8 inches of new snow accumulation." +113563,680085,NEW YORK,2017,February,Winter Storm,"ROCKLAND",2017-02-09 04:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters reported 8 to 9 inches of snowfall." +113564,679832,CONNECTICUT,2017,February,Blizzard,"SOUTHERN FAIRFIELD",2017-02-09 08:52:00,EST-5,2017-02-09 13:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Igor I Sikorsky Memorial Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +113564,679834,CONNECTICUT,2017,February,Blizzard,"SOUTHERN NEW HAVEN",2017-02-09 08:53:00,EST-5,2017-02-09 13:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Tweed New Haven Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +113171,677266,GEORGIA,2017,February,Drought,"NORTH FULTON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113310,678141,ILLINOIS,2017,February,Hail,"SCOTT",2017-02-28 16:40:00,CST-6,2017-02-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.56,-90.43,39.56,-90.43,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113171,677285,GEORGIA,2017,February,Drought,"DADE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115943,696693,MASSACHUSETTS,2017,May,Coastal Flood,"EASTERN ESSEX",2017-05-25 21:30:00,EST-5,2017-05-26 02:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure areas passed just south and east of New England between the 25th and the 27th. This created a persistent northeast flow that pushed a surge of ocean water against the eastern coast of Massachusetts. This surge came on top of what were the highest astronomical high tides of the year for many locations and the second highest tides for the remaining locations. Numerous coastal roads and parking areas were flooded during the higher overnight high tide, most notably in Boston and the North Shore.","At 954 PM EST, Commercial Street in Salem was reported to be flooded to a depth of one foot. At 11 PM EST, Beach Raod in Salisbury was reported flooded and impassible. At 1127 AM EST, the Main Street Causeway was flooded along with a room at Shea's Riverside Inn. At 1139 PM EST, Beach Road was flooded with two cars stuck. At 1212 AM, Fox Hill Bridge was flooded with a car stuck in the waters." +115944,697595,MASSACHUSETTS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 20:20:00,EST-5,2017-05-18 20:20:00,0,0,0,0,1.00K,1000,0.00K,0,42.436,-72.5416,42.436,-72.5416,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 820 PM EST, a tree was reported down on Hubbard Hill Road in Sutherland. The road was blocked." +115944,697596,MASSACHUSETTS,2017,May,Thunderstorm Wind,"WORCESTER",2017-05-18 20:55:00,EST-5,2017-05-18 20:55:00,0,0,0,0,5.00K,5000,0.00K,0,42.55,-72.07,42.55,-72.07,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 855 PM EST, an amateur radio operator reported multiple trees down in Templeton." +115944,697603,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:38:00,EST-5,2017-05-18 21:38:00,0,0,0,0,1.00K,1000,0.00K,0,42.8226,-70.9506,42.8226,-70.9506,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 938 PM EST, a tree was reported down on Pleasant Valley Road in Amesbury." +115944,697605,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:38:00,EST-5,2017-05-18 21:38:00,0,0,0,0,1.00K,1000,0.00K,0,42.7239,-71.2383,42.7239,-71.2383,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 938 PM EST, a tree was reported down on West Street at Varnai Street in Methuen." +115944,697607,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:42:00,EST-5,2017-05-18 21:42:00,0,0,0,0,6.00K,6000,0.00K,0,42.8348,-71.0093,42.8361,-71.0058,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 942 PM EST, multiple trees were reported down on Prospect Street in Merrimac." +115944,697609,MASSACHUSETTS,2017,May,Thunderstorm Wind,"MIDDLESEX",2017-05-18 21:42:00,EST-5,2017-05-18 21:42:00,0,0,0,0,1.00K,1000,0.00K,0,42.5306,-71.2305,42.5304,-71.2318,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 942 PM EST, a tree was reported down on Greenville Street in Billerica." +114653,698454,MISSOURI,2017,May,Tornado,"LAWRENCE",2017-05-19 14:57:00,CST-6,2017-05-19 14:58:00,0,0,0,0,5.00K,5000,0.00K,0,37.2173,-93.8474,37.2267,-93.8378,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado touched down on the north side of Miller. There were a couple outbuildings damage and several trees were uprooted. Estimated maximum winds were up to 85 mph." +114653,698455,MISSOURI,2017,May,Tornado,"DADE",2017-05-19 15:05:00,CST-6,2017-05-19 15:06:00,0,0,0,0,0.00K,0,0.00K,0,37.2993,-93.6678,37.31,-93.66,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A brief EF-0 tornado touched down southeast of Everton in rural Dade County along County Road 231. Multiple trees were damaged along the path. Estimated maximum winds were up to 80 mph." +114653,698456,MISSOURI,2017,May,Thunderstorm Wind,"BARRY",2017-05-18 23:51:00,CST-6,2017-05-18 23:51:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-93.89,36.64,-93.89,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree was blocking Farm Road 1100 and Farm Road 2205." +114653,698457,MISSOURI,2017,May,Thunderstorm Wind,"STONE",2017-05-19 00:27:00,CST-6,2017-05-19 00:27:00,0,0,0,0,1.00K,1000,0.00K,0,36.75,-93.38,36.75,-93.38,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A power line was blown down on Highway 413 across from the Reeds Spring High School." +114653,698458,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-19 00:46:00,CST-6,2017-05-19 00:46:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-93.05,36.73,-93.05,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree was blown down across Highway 76." +114653,698459,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-19 01:00:00,CST-6,2017-05-19 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.93,-93.05,36.93,-93.05,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A tree was blown down on to a home causing significant roof damage." +114653,698460,MISSOURI,2017,May,Thunderstorm Wind,"BARRY",2017-05-19 00:10:00,CST-6,2017-05-19 00:10:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-93.67,36.73,-93.67,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees were blown down on Highway 39 north of Farm Road 2135." +114787,688531,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-23 14:57:00,CST-6,2017-05-23 14:57:00,0,0,0,0,0.20K,200,0.00K,0,34.47,-86.31,34.47,-86.31,"A few strong thunderstorms developed during the mid afternoon hours in north central and northeast Alabama. The storms produced brief wind gusts of 40 to 50 mph, knocked a tree down at a few locations.","A tree was knocked down on Honeycomb Valley Road." +114787,688533,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-23 15:16:00,CST-6,2017-05-23 15:16:00,0,0,0,0,0.20K,200,0.00K,0,34.51,-86.19,34.51,-86.19,"A few strong thunderstorms developed during the mid afternoon hours in north central and northeast Alabama. The storms produced brief wind gusts of 40 to 50 mph, knocked a tree down at a few locations.","A tree was knocked down on Baker Mountain Road at Highway 79." +114787,688534,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-23 15:19:00,CST-6,2017-05-23 15:19:00,0,0,0,0,0.20K,200,0.00K,0,34.45,-86.24,34.45,-86.24,"A few strong thunderstorms developed during the mid afternoon hours in north central and northeast Alabama. The storms produced brief wind gusts of 40 to 50 mph, knocked a tree down at a few locations.","A tree was knocked down at Convict Camp Road at Highway 79." +114814,688650,TENNESSEE,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-20 17:35:00,CST-6,2017-05-20 17:35:00,0,0,0,0,,NaN,,NaN,35.21,-86.09,35.21,-86.09,"A line of strong to severe thunderstorms tracked from Alabama into southern middle Tennessee during the late afternoon and early evening hours. A severe bow echo with a history of wind damage in north central Alabama produced wind damage in Franklin County.","Numerous trees and power lines were knocked down. Power outages were reported in Decherd." +115910,696478,ALABAMA,2017,May,Strong Wind,"LAUDERDALE",2017-05-29 16:10:00,CST-6,2017-05-29 16:10:00,0,0,0,0,0.50K,500,,NaN,NaN,NaN,NaN,NaN,"A weak frontal boundary stalled out in north central MS helped to support a line of|showers and a few storms in NW AL. Sub-severe winds with one tree down was reported.","A tree was knocked down at CR 8 at CR 79." +115283,692117,NEW MEXICO,2017,May,Thunderstorm Wind,"EDDY",2017-05-08 16:25:00,MST-7,2017-05-08 16:26:00,0,0,0,0,0.20K,200,0.00K,0,32.83,-104.5378,32.83,-104.5378,"The region was in between an upper ridge to the east and a cut off low to the west near the Baja Peninsula. A dryline was present across southeast New Mexico as well as a surface trough. There was good instability to the east of the dryline, so storms with damaging winds developed.","A thunderstorm moved across Eddy County and produced wind damage west of Artesia. A large cottonwood tree was uprooted between 515 and 530 pm MDT. The cost of damage is a very rough estimate." +115287,692126,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-09 16:50:00,MST-7,2017-05-09 16:55:00,0,0,0,0,,NaN,,NaN,32.4467,-104.2431,32.4467,-104.2431,"There was an upper low over southwest Arizona. Good low-level moisture and wind shear were present and the atmosphere was unstable. Upper lift was also enhanced over the area due to an upper jet stream. These conditions allowed for thunderstorms with large hail and a funnel cloud to develop across southeast New Mexico.","" +115287,692127,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-09 16:54:00,MST-7,2017-05-09 16:59:00,0,0,0,0,,NaN,,NaN,32.4089,-104.2617,32.4089,-104.2617,"There was an upper low over southwest Arizona. Good low-level moisture and wind shear were present and the atmosphere was unstable. Upper lift was also enhanced over the area due to an upper jet stream. These conditions allowed for thunderstorms with large hail and a funnel cloud to develop across southeast New Mexico.","" +114533,686891,TEXAS,2017,May,Tornado,"RUSK",2017-05-11 18:03:00,CST-6,2017-05-11 18:16:00,0,0,0,0,15.00K,15000,0.00K,0,32.0177,-94.6932,32.0869,-94.6542,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","An EF-1 tornado with maximum estimated winds between 100-110 mph touched down along Farm to Market Road 1798 East just east of Farm to Market Road 95. This tornado appeared to be skimming the treetops until it touched down along County Road 3125 South, snapping and uprooting trees. Another area of more focused damage was along County Road 363 South and County Road 364 South, where several more trees were snapped or uprooted. At least two of these trees fell on a house and outbuilding, causing moderate damage. The tornado lifted shortly beyond County Road 364 South." +114533,687098,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-11 18:05:00,CST-6,2017-05-11 18:05:00,0,0,0,0,0.00K,0,0.00K,0,31.6593,-95.0705,31.6593,-95.0705,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Trees were blown down across Farm to Market Road 851 near the Alto Schools." +114702,687987,TEXAS,2017,May,Flash Flood,"CHEROKEE",2017-05-20 06:30:00,CST-6,2017-05-20 09:15:00,0,0,0,0,0.00K,0,0.00K,0,32.0042,-95.2906,32.0059,-95.2558,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Flooding was reported at the intersection of Canada and Beaumont Street, the 3000 block of North Jackson Street, and the 1200 block of West Rusk Street in Jacksonville." +114702,687989,TEXAS,2017,May,Hail,"ANGELINA",2017-05-20 18:23:00,CST-6,2017-05-20 18:23:00,0,0,0,0,0.00K,0,0.00K,0,31.2868,-94.7346,31.2868,-94.7346,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. While these storms weakened during the early morning hours on May 21st, additional scattered severe thunderstorms developed behind the front over East-Central Texas, which produced large hail throughout Cherokee and Rusk Counties just prior to daybreak. These storms finally weakened in intensity through mid and late morning as they spread across a drier and more stable air mass in wake of the cold frontal passage.","Golf ball size hail fell near Angelina College." +115164,691357,ARKANSAS,2017,May,Thunderstorm Wind,"SEVIER",2017-05-28 01:00:00,CST-6,2017-05-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0405,-94.1111,34.0405,-94.1111,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Several trees were blown down in the Provo community." +115164,691358,ARKANSAS,2017,May,Thunderstorm Wind,"SEVIER",2017-05-28 01:07:00,CST-6,2017-05-28 01:07:00,0,0,0,0,0.00K,0,0.00K,0,33.8355,-94.117,33.8355,-94.117,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Several trees were blown down in Ben Lomond." +115164,691359,ARKANSAS,2017,May,Thunderstorm Wind,"HOWARD",2017-05-28 01:15:00,CST-6,2017-05-28 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.8753,-93.9182,33.8753,-93.9182,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Widespread trees were blown down in Mineral Springs, with some trees falling on homes." +114200,683987,OREGON,2017,May,Hail,"DOUGLAS",2017-05-04 13:50:00,PST-8,2017-05-04 13:55:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-123.36,43.07,-123.36,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","The caller said it could have easily been larger." +114200,683989,OREGON,2017,May,Hail,"JACKSON",2017-05-04 17:50:00,PST-8,2017-05-04 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-122.46,42.89,-122.46,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","A member of the public send in a picture of hail about the size of a golf ball. It was found at mile post 55 on Highway 62 near the Natural Bridge Viewpoint." +115178,691497,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:50:00,CST-6,2017-05-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,32.0362,-93.6958,32.0362,-93.6958,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Widespread wind damage with numerous trees blown down across homes and roads in Mansfield." +116786,702314,NORTH CAROLINA,2017,May,Tornado,"TYRRELL",2017-05-23 17:16:00,EST-5,2017-05-23 17:17:00,0,0,0,0,,NaN,,NaN,35.706,-76.132,35.714,-76.126,"An EF1 tornado touched down just southeast of Gum Neck in Tyrrell County. Maximum estimated winds were 100 mph, with a path length of 0.6 mile and maximum path width of 40 yards.","The National Weather Service in Newport/Morehead City NC has confirmed|a tornado near Gum Neck in Tyrrell County North Carolina on May|23 2017.||A tornado touched down about one quarter mile southwest of the|intersection of South Gum Neck Road and Georgia Road, southeast of Gum|Neck. The tornado traveled northeast, first knocking down and snapping |trees before crossing South Gum Neck Road into a wheat field, flattening|the wheat crop along its path. The tornado then crossed Georgia Road, |knocking down a few trees including one large pecan tree near a|residence. One small barn also noted some metal roof damage. Maximum|winds are estimated at 100 mph, with a path length of 0.6 miles and|maximum path width of 40 yards. No injuries or fatalities occurred with|this tornado." +116793,702325,NORTH CAROLINA,2017,May,Hail,"BEAUFORT",2017-05-25 15:25:00,EST-5,2017-05-25 15:25:00,0,0,0,0,,NaN,,NaN,35.59,-76.66,35.59,-76.66,"An isolated severe thunderstorm produced large hail during the afternoon.","Dime to quarter size hail fell in Pantego." +116794,702326,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DARE",2017-05-28 15:10:00,EST-5,2017-05-28 15:10:00,0,0,0,0,,NaN,,NaN,36.07,-75.72,36.07,-75.72,"An isolated severe thunderstorm blew down several trees.","Several trees were blown down on Kitty Hawk Rd. The time was estimated by based on radar." +116795,702327,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-30 07:43:00,EST-5,2017-05-30 07:43:00,0,0,0,0,,NaN,,NaN,34.72,-76.73,34.72,-76.73,"Severe thunderstorms produced 60 to 80 mph wind gusts on the Crystal Coast during the morning hours.","Large limbs and trees were blown down on Arendell Street. A sign was blown down at Baskin Robins. The report was relayed by an NWS family member." +116795,702328,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-30 08:40:00,EST-5,2017-05-30 08:40:00,0,0,0,0,,NaN,,NaN,34.77,-76.56,34.77,-76.56,"Severe thunderstorms produced 60 to 80 mph wind gusts on the Crystal Coast during the morning hours.","Large tree limbs were blown down which destroyed a chicken coop on Gillikin Road. The time was estimated based on radar." +116795,702329,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-30 07:43:00,EST-5,2017-05-30 07:43:00,0,0,0,0,,NaN,,NaN,34.7,-76.74,34.7,-76.74,"Severe thunderstorms produced 60 to 80 mph wind gusts on the Crystal Coast during the morning hours.","The report was from a Weather Underground site." +116795,702330,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-30 07:43:00,EST-5,2017-05-30 07:43:00,0,0,0,0,,NaN,,NaN,34.71,-76.75,34.71,-76.75,"Severe thunderstorms produced 60 to 80 mph wind gusts on the Crystal Coast during the morning hours.","A public weather station reported a 60 mph wind gust." +116795,702331,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-30 07:48:00,EST-5,2017-05-30 07:48:00,0,0,0,0,,NaN,,NaN,34.7,-76.69,34.7,-76.69,"Severe thunderstorms produced 60 to 80 mph wind gusts on the Crystal Coast during the morning hours.","The Fort Macon Weatherflow site reported the wind gust." +116796,702332,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DUPLIN",2017-05-31 15:52:00,EST-5,2017-05-31 15:52:00,0,0,0,0,,NaN,,NaN,34.96,-77.97,34.96,-77.97,"Severe thunderstorms produced wind damage during the afternoon.","Trees were blown down." +116771,702261,NORTH CAROLINA,2017,May,Thunderstorm Wind,"COLUMBUS",2017-05-28 17:55:00,EST-5,2017-05-28 17:56:00,0,0,0,0,1.00K,1000,0.00K,0,34.2643,-78.881,34.2643,-78.881,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","A tree was reported down across the intersection of Hayes Rd. and Tuton Rd." +116771,702262,NORTH CAROLINA,2017,May,Thunderstorm Wind,"COLUMBUS",2017-05-28 20:00:00,EST-5,2017-05-28 20:01:00,0,0,0,0,2.00K,2000,0.00K,0,34.1432,-78.8696,34.1432,-78.8696,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","Power lines were reported down across Pireway Rd. Power outages were reported in Tabor City." +116844,702590,SOUTH CAROLINA,2017,May,Hail,"FLORENCE",2017-05-29 20:24:00,EST-5,2017-05-29 20:26:00,0,0,0,0,0.50K,500,0.00K,0,33.87,-79.75,33.87,-79.75,"Mid-level vorticity impulses embedded in enhanced southwest flow tapped surface based and elevated instability to produce widespread thunderstorms in two distinct waves, one late evening and another overnight. The environment was characterized by modest mixed layer CAPE values and relatively high shear which helped to organize and intensify the convection.","Hail to the size of quarters was reported. The time was estimated based on radar data." +116930,703241,SOUTH CAROLINA,2017,May,Flood,"DARLINGTON",2017-05-01 19:12:00,EST-5,2017-05-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-80.18,34.3788,-80.1908,"Strong southerly flow ahead of a cold front produced street flooding in Darlington County.","Some local street flooding in town." +116932,703249,NORTH CAROLINA,2017,May,Rip Current,"COASTAL NEW HANOVER",2017-05-27 10:00:00,EST-5,2017-05-27 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong rip currents required multiple rescues at Carolina Beach.","An estimated 10 rescues were required due to rip currents. Reported by Ocean Rescue." +116490,700555,NEW MEXICO,2017,May,Thunderstorm Wind,"DONA ANA",2017-05-06 17:16:00,MST-7,2017-05-06 17:16:00,0,0,0,0,0.00K,0,0.00K,0,32.6227,-106.7432,32.6227,-106.7432,"An upper low was moving into the west coast with a warm, dry southerly flow over the region. Dew point depressions were 50 to 60 degrees. An isolated thunderstorm developed near the Organ Mountains and produced a severe wind gust at the Jornada Range.","A 63 mph gust was reported at the Jornada Range mesonet site." +116491,700556,NEW MEXICO,2017,May,High Wind,"CENTRAL TULAROSA BASIN",2017-05-16 12:00:00,MST-7,2017-05-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with an associated upper trough and 120 knot jet moved across the border region and brought wind gusts up to 65 mph.","A peak gust of 65 mph was reported at two mesonet sites loacated 19 miles west-northwest of Tularosa and 22 miles northwest of Tularosa." +114213,684079,KENTUCKY,2017,March,Hail,"CHRISTIAN",2017-03-27 13:47:00,CST-6,2017-03-27 13:47:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-87.48,36.85,-87.48,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684081,KENTUCKY,2017,March,Hail,"WEBSTER",2017-03-27 14:08:00,CST-6,2017-03-27 14:08:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-87.53,37.6,-87.53,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684083,KENTUCKY,2017,March,Hail,"GRAVES",2017-03-27 15:01:00,CST-6,2017-03-27 15:01:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-88.53,36.83,-88.53,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114028,682947,IOWA,2017,March,Winter Storm,"BLACK HAWK",2017-03-12 14:00:00,CST-6,2017-03-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682946,IOWA,2017,March,Winter Storm,"GRUNDY",2017-03-12 14:00:00,CST-6,2017-03-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682945,IOWA,2017,March,Winter Storm,"BREMER",2017-03-12 14:00:00,CST-6,2017-03-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682944,IOWA,2017,March,Winter Storm,"BUTLER",2017-03-12 14:00:00,CST-6,2017-03-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682943,IOWA,2017,March,Winter Storm,"FRANKLIN",2017-03-12 13:00:00,CST-6,2017-03-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +114028,682940,IOWA,2017,March,Winter Storm,"WRIGHT",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +112920,674629,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 16:34:00,CST-6,2017-03-06 16:34:00,0,0,0,0,0.00K,0,0.00K,0,42.65,-94.19,42.65,-94.19,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported pea to quarter sized hail for about 5 minutes. Delayed report." +112920,674628,IOWA,2017,March,Thunderstorm Wind,"PALO ALTO",2017-03-06 16:20:00,CST-6,2017-03-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-94.51,43.23,-94.51,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported 52 kt winds along with pea to dime sized hail." +112920,674630,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 16:36:00,CST-6,2017-03-06 16:36:00,0,0,0,0,1.00K,1000,0.00K,0,42.72,-94.22,42.72,-94.22,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported between quarter and golf ball sized hail. Report via social media." +112822,674073,MICHIGAN,2017,March,High Wind,"MECOSTA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674074,MICHIGAN,2017,March,High Wind,"ISABELLA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674075,MICHIGAN,2017,March,High Wind,"MUSKEGON",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674076,MICHIGAN,2017,March,High Wind,"MONTCALM",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +113748,681046,KENTUCKY,2017,March,Thunderstorm Wind,"MCCRACKEN",2017-03-07 04:21:00,CST-6,2017-03-07 04:28:00,0,0,0,0,2.00K,2000,0.00K,0,36.9686,-88.5931,36.9665,-88.5023,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","A couple of large trees were blown down across roadways in the south and southeast part of the county." +113748,680965,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-07 04:31:00,CST-6,2017-03-07 04:31:00,0,0,0,0,5.00K,5000,0.00K,0,36.9066,-88.5269,36.9066,-88.5269,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","A wood and metal shed was destroyed." +113748,680953,KENTUCKY,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-07 04:35:00,CST-6,2017-03-07 04:37:00,0,0,0,0,5.00K,5000,0.00K,0,36.97,-88.45,36.9854,-88.3892,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","Damaging thunderstorm winds took down numerous large branches along and north of U.S. Highway 68 near Sharpe and Palma." +114186,683938,KENTUCKY,2017,March,Thunderstorm Wind,"CALLOWAY",2017-03-09 21:05:00,CST-6,2017-03-09 21:07:00,0,0,0,0,70.00K,70000,0.00K,0,36.6111,-88.4633,36.6,-88.43,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Power poles were snapped, power lines were down, and several trees were uprooted." +115701,695917,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:10:00,CST-6,2017-05-16 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.4463,-94.1836,42.4463,-94.1836,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","A 50.2 kt gust was recorded by the Fort Dodge RWIS station." +115701,698041,IOWA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-16 19:50:00,CST-6,2017-05-16 19:50:00,0,0,0,0,10.00K,10000,0.00K,0,42.461,-94.4598,42.461,-94.4598,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported a metal garage destroyed." +115701,695316,IOWA,2017,May,Heavy Rain,"POCAHONTAS",2017-05-16 06:00:00,CST-6,2017-05-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-94.66,42.74,-94.66,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Coop observer recorded heavy rainfall of 2.24 inches over the last 24 hours." +116168,698182,IOWA,2017,May,Funnel Cloud,"CALHOUN",2017-05-17 12:10:00,CST-6,2017-05-17 12:10:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-94.8,42.48,-94.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported a funnel cloud via social media." +114251,684466,KENTUCKY,2017,March,Frost/Freeze,"BALLARD",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684467,KENTUCKY,2017,March,Frost/Freeze,"CALDWELL",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684468,KENTUCKY,2017,March,Frost/Freeze,"CALLOWAY",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115103,690882,SOUTH CAROLINA,2017,April,Tornado,"PICKENS",2017-04-03 12:51:00,EST-5,2017-04-03 12:52:00,0,0,0,0,0.00K,0,0.00K,0,34.728,-82.781,34.729,-82.78,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS Storm survey found a short tornado path within large area of downburst damage in central. The tornado very briefly touched down near the intersection of Joseph St and Wood St, bringing down dozens of trees in a wooded area behind residences." +115103,690884,SOUTH CAROLINA,2017,April,Tornado,"GREENVILLE",2017-04-03 13:14:00,EST-5,2017-04-03 13:15:00,0,0,0,0,20.00K,20000,0.00K,0,34.87,-82.487,34.88,-82.464,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","A weak tornado moved into the Berea area, crossing from Pickens County at Saluda Lake. Multiple trees were blown down, with trees down on vehicles and a trailer on White Horse Rd." +115103,690888,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-03 12:50:00,EST-5,2017-04-03 12:53:00,0,0,0,0,100.00K,100000,0.00K,0,34.729,-82.782,34.736,-82.756,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS storm survey and em reported numerous trees blown down due to downburst winds, with one tree on a house and multiple other homes receiving mostly minor damage due to falling limbs. The damage was mainly from Wood St, across Meredith St, to Fernway Dr." +115103,690889,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ANDERSON",2017-04-03 13:05:00,EST-5,2017-04-03 13:05:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-82.7,34.38,-82.7,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Media reported multiple trees blown down in Starr." +115103,690890,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"UNION",2017-04-03 14:21:00,EST-5,2017-04-03 14:31:00,0,0,0,0,5.00K,5000,0.00K,0,34.58,-81.605,34.609,-81.51,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS storm survey found an area of downburst wind damage that began about 100-200 yards south of a short tornado track and continued E/NE north of Carlisle. Multiple trees were blown down, with at least one tree down on a vehicle." +115448,693421,SOUTH CAROLINA,2017,April,Hail,"ANDERSON",2017-04-05 23:27:00,EST-5,2017-04-05 23:27:00,0,0,0,0,,NaN,,NaN,34.519,-82.496,34.503,-82.468,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported larger than quarter size hail in Belton. Spotter reported half dollar size hail between Belton and Honea Path." +115448,693422,SOUTH CAROLINA,2017,April,Hail,"GREENVILLE",2017-04-05 23:42:00,EST-5,2017-04-05 23:42:00,0,0,0,0,,NaN,,NaN,34.73,-82.26,34.73,-82.26,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public and a spotter reported quarter size hail in the Simpsonville area." +115475,693423,GEORGIA,2017,April,Hail,"HART",2017-04-05 22:58:00,EST-5,2017-04-05 23:01:00,0,0,0,0,,NaN,,NaN,34.33,-82.99,34.44,-82.94,"An isolated severe thunderstorm producing large hail moved into northeast Georgia during the late evening. It quickly evolved into a larger cluster that produced intense straight line winds over portions of Hart County before moving into South Carolina.","Spotters and the public reported quarter to golf ball size hail from west of Hartwell, to the city, to the Reed Creek area." +115475,693424,GEORGIA,2017,April,Hail,"FRANKLIN",2017-04-05 22:42:00,EST-5,2017-04-05 22:50:00,0,0,0,0,,NaN,,NaN,34.31,-83.26,34.29,-83.15,"An isolated severe thunderstorm producing large hail moved into northeast Georgia during the late evening. It quickly evolved into a larger cluster that produced intense straight line winds over portions of Hart County before moving into South Carolina.","Public and spotter reported quarter size hail from south of Carnesville to the Franklin Springs area." +115475,693425,GEORGIA,2017,April,Thunderstorm Wind,"HART",2017-04-05 22:53:00,EST-5,2017-04-05 23:04:00,0,0,0,0,60.00K,60000,0.00K,0,34.318,-83.044,34.328,-82.862,"An isolated severe thunderstorm producing large hail moved into northeast Georgia during the late evening. It quickly evolved into a larger cluster that produced intense straight line winds over portions of Hart County before moving into South Carolina.","EM reported about a half dozen homes damaged in southern hart county, two by falling trees and the others with roofs partially torn off. Numerous trees were also blown down. Sporadic damage began on Airline-Goldmine Rd, with a damage swath increasing in intensity as it moved east across the Highway 29 corridor and Zion CME Church Rd, and was most concentrated around Liberty Hill Rd and Page Rd." +115103,696529,SOUTH CAROLINA,2017,April,Tornado,"UNION",2017-04-03 14:30:00,EST-5,2017-04-03 14:30:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-81.49,34.62,-81.49,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS survey team reported a weak tornado touched down briefly, knocking down a few trees." +115924,696531,GEORGIA,2017,April,Hail,"RABUN",2017-04-29 17:42:00,EST-5,2017-04-29 17:42:00,0,0,0,0,,NaN,,NaN,34.94,-83.48,34.94,-83.48,"Isolated thunderstorms developed during the late afternoon and evening within an unseasonably warm and moist environment. A couple of the storms produced hail and locally damaging winds.","Spotter reported penny size hail." +115924,696533,GEORGIA,2017,April,Hail,"HABERSHAM",2017-04-27 16:38:00,EST-5,2017-04-27 16:38:00,0,0,0,0,,NaN,,NaN,34.45,-83.62,34.45,-83.62,"Isolated thunderstorms developed during the late afternoon and evening within an unseasonably warm and moist environment. A couple of the storms produced hail and locally damaging winds.","Public reported 3/4 inch hail in the southwest corner of Habersham County." +115924,696534,GEORGIA,2017,April,Thunderstorm Wind,"RABUN",2017-04-29 17:17:00,EST-5,2017-04-29 17:17:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-83.41,34.76,-83.41,"Isolated thunderstorms developed during the late afternoon and evening within an unseasonably warm and moist environment. A couple of the storms produced hail and locally damaging winds.","Spotter reported numerous trees blown down and blocking the road on Long Laurel Ridge Dr." +115448,696535,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-05 23:05:00,EST-5,2017-04-05 23:05:00,0,0,0,0,1.00K,1000,0.00K,0,34.81,-82.6,34.81,-82.6,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","FD reported the roof was blown off a storage building on Walnut Hill Dr." +115103,697673,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"OCONEE",2017-04-03 12:31:00,EST-5,2017-04-03 12:31:00,0,0,0,0,0.00K,0,0.00K,0,34.759,-83.044,34.759,-83.044,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","Public reported multiple large trees blown down in the West Union community." +115591,694216,KANSAS,2017,June,Tornado,"MARSHALL",2017-06-16 22:01:00,CST-6,2017-06-16 22:05:00,0,0,0,0,,NaN,,NaN,39.8669,-96.4663,39.8323,-96.4459,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","NWS WCM and Marshall County EM surveyed damage from a tornado that hit a dairy farm where the owner took refuge in a cinder block barn and noted that his ears popped as the winds reached a peak. Mature cedar tree trunks were snapped and outbuildings were destroyed at the farm. Another large outbuilding was destroyed just south of highway 36 in the path of the tornado. Damage indicators suggest that this was an EF1 tornado with winds in the 90 to 100 mph range." +115591,710418,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:21:00,CST-6,2017-06-16 21:22:00,0,0,0,0,,NaN,,NaN,39.97,-96.62,39.97,-96.62,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","A hard shell of a pickup was pulled off near the state line on Highway 77." +115591,710421,KANSAS,2017,June,Thunderstorm Wind,"BROWN",2017-06-16 21:32:00,CST-6,2017-06-16 21:33:00,0,0,0,0,,NaN,,NaN,39.94,-95.5,39.94,-95.5,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated wind gust." +115591,710423,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:34:00,CST-6,2017-06-16 21:35:00,0,0,0,0,,NaN,,NaN,39.95,-96.75,39.95,-96.75,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated wind gust." +115591,710425,KANSAS,2017,June,Thunderstorm Wind,"BROWN",2017-06-16 21:35:00,CST-6,2017-06-16 21:36:00,0,0,0,0,,NaN,,NaN,39.86,-95.54,39.86,-95.54,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Numerous 3 inch, or larger diameter limbs were reported down." +115591,710460,KANSAS,2017,June,Thunderstorm Wind,"JACKSON",2017-06-16 22:15:00,CST-6,2017-06-16 22:16:00,0,0,0,0,,NaN,,NaN,39.59,-95.6,39.59,-95.6,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Several 2-4 inch tree limbs down." +115591,710463,KANSAS,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 22:15:00,CST-6,2017-06-16 22:16:00,0,0,0,0,,NaN,,NaN,39.61,-96.31,39.61,-96.31,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Several 2 to 4 inch diameter limbs down, with a few 12 foot long branches down." +115448,693255,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ANDERSON",2017-04-05 23:16:00,EST-5,2017-04-05 23:16:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-82.71,34.49,-82.71,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","The ASOS at the Anderson Regional Airport measured a wind gust of 61 kts, or 70 mph." +115448,693256,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LAURENS",2017-04-05 23:45:00,EST-5,2017-04-05 23:51:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-82.191,34.5,-82.06,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Highway Patrol reported multiple trees blown down west of Laurens." +115448,693257,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"OCONEE",2017-04-05 23:03:00,EST-5,2017-04-05 23:03:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-82.89,34.66,-82.89,"An intensifying cluster of thunderstorms moved into the Upstate from northeast Georgia during the late evening and early part of the overnight, in advance of a strong storm system and attendant cold front. Anderson County bore the brunt of the storms, as virtually the entire county was impacted by 60 to 80 mph wind gusts. Brief, weak tornadoes enhanced the damage in a couple of locations. Almost as quickly as they intensified, the storms weakened and were generally sub-severe by the time they reached the I-26 corridor.","Public reported about a half dozen trees snapped or uprooted along Carradine Road." +115040,690513,MICHIGAN,2017,April,Hail,"IRON",2017-04-09 23:10:00,CST-6,2017-04-09 23:16:00,0,0,0,0,0.00K,0,0.00K,0,46.14,-88.52,46.14,-88.52,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","One inch diameter hail was observed along the Bates Amasa Road." +115040,690595,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 02:25:00,EST-5,2017-04-10 02:29:00,0,0,0,0,3.00K,3000,0.00K,0,46.49,-87.66,46.49,-87.66,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","Law enforcement reported a natural gas leak caused by damage from a large uprooted tree along East Johnson Street in the city of Ishpeming." +115040,690597,MICHIGAN,2017,April,Hail,"MARQUETTE",2017-04-10 01:30:00,EST-5,2017-04-10 01:34:00,0,0,0,0,0.00K,0,0.00K,0,46.34,-87.32,46.34,-87.32,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","There was a public report of estimated golf ball sized hail at Engman Lake in West Branch Township." +115040,690611,MICHIGAN,2017,April,Hail,"MARQUETTE",2017-04-10 02:30:00,EST-5,2017-04-10 02:34:00,0,0,0,0,0.00K,0,0.00K,0,46.28,-87.44,46.28,-87.44,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","There was a public report of one inch diameter hail in Gwinn." +115040,690612,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 02:00:00,EST-5,2017-04-10 02:02:00,0,0,0,0,2.00K,2000,0.00K,0,46.53,-87.55,46.53,-87.55,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","The National Weather Service in Negaunee Township observed a peak wind gust of 71 mph. The strong wind toppled several trees in close proximity to the station." +115040,693964,MICHIGAN,2017,April,Hail,"DICKINSON",2017-04-09 18:25:00,CST-6,2017-04-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,45.83,-88.08,45.83,-88.08,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","A public report via MPING of one inch diameter hail near Iron Mountain. The time of the report was estimated from radar." +115040,693970,MICHIGAN,2017,April,Hail,"MARQUETTE",2017-04-10 02:28:00,EST-5,2017-04-10 02:32:00,0,0,0,0,0.00K,0,0.00K,0,46.33,-87.38,46.33,-87.38,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","A public report via MPING of penny-sized hail four miles northwest of Little Lake." +115040,693982,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 01:50:00,EST-5,2017-04-10 01:59:00,0,0,0,0,200.00K,200000,0.00K,0,46.49,-87.67,46.49,-87.67,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","Thunderstorm winds peeled a metal roof was peeled off a commercial building in downtown Ishpeming. Numerous commercial signs and billboards were also torn down or damaged. Time was estimated from radar." +115040,693983,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 01:43:00,EST-5,2017-04-10 01:50:00,0,0,0,0,200.00K,200000,0.00K,0,46.49,-87.73,46.49,-87.73,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","The Marquette County Dispatch Center reported multiple high-tension transmission lines downed resulting in widespread power outages and the closure of US Highway 41 west of Ishpeming. Time of the report was estimated from radar." +115619,694547,MICHIGAN,2017,April,Winter Weather,"BARAGA",2017-04-11 02:00:00,EST-5,2017-04-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance and wave of low pressure moving through the Central Great Lakes produced a wintry mix of moderate to heavy snow, sleet and freezing rain across much of Upper Michigan from the 10th into the 11th.","Observers from Three Lakes to Herman measured four to five inches of wet snow over a five-hour period." +115920,696518,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"HURON ISLANDS TO MARQUETTE MI",2017-04-10 02:12:00,EST-5,2017-04-10 02:17:00,0,0,0,0,0.00K,0,0.00K,0,46.55,-87.38,46.55,-87.38,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Marquette Coast Guard station measured a peak thunderstorm wind gust of 40 mph." +115920,696520,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-04-10 02:12:00,EST-5,2017-04-10 02:17:00,0,0,0,0,0.00K,0,0.00K,0,46.55,-87.4,46.55,-87.4,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Marquette Coast Guard station measured a peak thunderstorm wind gust of 40 mph." +112845,679128,MISSOURI,2017,March,Tornado,"TANEY",2017-03-09 18:50:00,CST-6,2017-03-09 18:51:00,0,0,0,0,20.00K,20000,0.00K,0,36.74,-93.3,36.7398,-93.2992,"Severe thunderstorms producing numerous reports large hail along with scattered wind damage and a couple of tornadoes impacted Missouri Ozarks and southeastern Kansas Thursday, March 9, 2017.","A National Weather Service survey determined that an EF-0 tornado destroyed a wooden frame structure and caused minor roof damage to three homes. Estimated peak wind speed was 80 mph." +112844,675933,MISSOURI,2017,March,Tornado,"CAMDEN",2017-03-06 22:24:00,CST-6,2017-03-06 22:25:00,1,0,0,0,100.00K,100000,0.00K,0,37.9624,-92.994,37.9619,-92.9593,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A NWS survey team determined that an EF-1 tornado with estimated peak wind speed up to 110 mph completely destroyed a mobile home and several outbuildings. Numerous trees were snapped or blown down in the path. There was one injury in the damaged mobile home." +119401,717701,ILLINOIS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-14 19:44:00,CST-6,2017-06-14 19:44:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-89.65,39.18,-89.65,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down a few power lines around town." +119400,717702,MISSOURI,2017,June,Flash Flood,"SHELBY",2017-06-14 18:00:00,CST-6,2017-06-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6788,-92.2577,39.7928,-92.2591,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Up to 6 inches of rain fell in a short amount of time causing flash flooding, especially across the southern half of Shelby County. Numerous roads were flooded including Highway 15 at the Salt River Bridge and U.S. Highway 36 at various locations both east and west of Shelbina. In Shelbina, numerous roads were closed due to flash flooding." +119400,717703,MISSOURI,2017,June,Flash Flood,"MONROE",2017-06-15 00:20:00,CST-6,2017-06-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-91.73,39.6418,-92.1108,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Up to 6 inches of rain fell in a short amount of time causing flash flooding. Several low water crossings were flooded throughout the county." +119624,717705,ILLINOIS,2017,June,Thunderstorm Wind,"BOND",2017-06-16 15:20:00,CST-6,2017-06-16 15:20:00,0,0,0,0,0.00K,0,0.00K,0,38.9818,-89.4076,38.9818,-89.4076,"Isolated severe storms moved through southern Illinois.","Thunderstorm winds blew down several large tree limbs at a farm and the side of a metal shed was blown outward." +115927,696565,MISSOURI,2017,May,Thunderstorm Wind,"PEMISCOT",2017-05-27 21:16:00,CST-6,2017-05-27 21:25:00,0,0,0,0,,NaN,0.00K,0,36.05,-89.82,36.0381,-89.7968,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Measured 76 mph with numerous trees down." +115928,698137,MISSISSIPPI,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-27 22:15:00,CST-6,2017-05-27 22:25:00,0,0,0,0,30.00K,30000,0.00K,0,34.9884,-90.0172,34.9514,-89.9629,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Power lines down." +115928,698140,MISSISSIPPI,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-27 23:00:00,CST-6,2017-05-27 23:10:00,0,0,0,0,50.00K,50000,0.00K,0,34.65,-89.32,34.6327,-89.2728,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Power lines down and a tree fell on a church in Potts Camp." +115928,698142,MISSISSIPPI,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 23:05:00,CST-6,2017-05-27 23:15:00,0,0,0,0,10.00K,10000,0.00K,0,34.6553,-89.1465,34.6344,-89.1087,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Downed trees on Highway 2 near Pine Grove." +115928,698144,MISSISSIPPI,2017,May,Thunderstorm Wind,"TIPPAH",2017-05-27 23:15:00,CST-6,2017-05-27 23:25:00,0,0,0,0,50.00K,50000,0.00K,0,34.7575,-88.9776,34.6842,-88.8808,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down in Ripley." +115928,698145,MISSISSIPPI,2017,May,Thunderstorm Wind,"UNION",2017-05-27 23:20:00,CST-6,2017-05-27 23:30:00,0,0,0,0,30.00K,30000,0.00K,0,34.57,-89.12,34.5326,-89.0991,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Home damaged in Western Union County with debris in the road." +115928,698146,MISSISSIPPI,2017,May,Thunderstorm Wind,"PRENTISS",2017-05-27 23:30:00,CST-6,2017-05-27 23:40:00,0,0,0,0,30.00K,30000,0.00K,0,34.5434,-88.3781,34.51,-88.3143,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down on Highway 4 in the Piney Grove area." +115928,698147,MISSISSIPPI,2017,May,Thunderstorm Wind,"PRENTISS",2017-05-27 23:25:00,CST-6,2017-05-27 23:35:00,0,0,0,0,30.00K,30000,0.00K,0,34.6796,-88.728,34.666,-88.6741,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down in the Dry Creek community." +115591,710489,KANSAS,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 23:53:00,CST-6,2017-06-16 23:54:00,0,0,0,0,,NaN,,NaN,38.92,-95.36,38.92,-95.36,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Estimated wind gust." +115591,710490,KANSAS,2017,June,Thunderstorm Wind,"SHAWNEE",2017-06-16 23:53:00,CST-6,2017-06-16 23:54:00,0,0,0,0,,NaN,,NaN,39.02,-95.8,39.02,-95.8,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Two inch diameter tree limbs down." +118514,712065,MICHIGAN,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-12 23:40:00,EST-5,2017-06-12 23:40:00,0,0,0,0,8.00K,8000,0.00K,0,44.55,-84.57,44.55,-84.57,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","Multiple trees and power lines were downed in South Branch Township." +118514,712066,MICHIGAN,2017,June,Thunderstorm Wind,"OSCODA",2017-06-13 00:03:00,EST-5,2017-06-13 00:03:00,0,0,0,0,0.00K,0,0.00K,0,44.68,-84.13,44.68,-84.13,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","Measured at a mesonet station in Mio." +118514,712067,MICHIGAN,2017,June,Thunderstorm Wind,"OGEMAW",2017-06-13 00:15:00,EST-5,2017-06-13 00:15:00,0,0,0,0,26.00K,26000,0.00K,0,44.42,-84.12,44.42,-84.12,"Yet another cluster of strong to severe thunderstorms cross northern Lake Michigan into northern lower Michigan.","Multiple trees were downed onto houses." +118517,712072,MICHIGAN,2017,June,Thunderstorm Wind,"GRAND TRAVERSE",2017-06-14 18:30:00,EST-5,2017-06-14 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.76,-85.81,44.76,-85.81,"One more round of strong to severe thunderstorms, as another organized clluster of storms moved in from northern Lake Michigan.","Trees were downed, some onto power lines." +118517,712074,MICHIGAN,2017,June,Thunderstorm Wind,"LEELANAU",2017-06-14 18:58:00,EST-5,2017-06-14 18:58:00,0,0,0,0,5.00K,5000,0.00K,0,44.7912,-85.7399,44.7912,-85.7399,"One more round of strong to severe thunderstorms, as another organized clluster of storms moved in from northern Lake Michigan.","Several trees downed near Hoxie and Lautner Roads." +118519,712076,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-06-12 21:47:00,EST-5,2017-06-12 21:47:00,0,0,0,0,0.00K,0,0.00K,0,44.2588,-86.3422,44.2588,-86.3422,"An organized area of thunderstorms brought strong winds to portions of northern Lake Michigan.","" +118519,712077,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-06-12 21:57:00,EST-5,2017-06-12 21:57:00,0,0,0,0,0.00K,0,0.00K,0,44.6329,-86.2502,44.6329,-86.2502,"An organized area of thunderstorms brought strong winds to portions of northern Lake Michigan.","" +118519,712079,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-06-12 22:43:00,EST-5,2017-06-12 22:43:00,0,0,0,0,0.00K,0,0.00K,0,45.0236,-85.7691,45.0236,-85.7691,"An organized area of thunderstorms brought strong winds to portions of northern Lake Michigan.","" +116463,700425,LOUISIANA,2017,May,Hail,"CALCASIEU",2017-05-03 09:21:00,CST-6,2017-05-03 09:21:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-93.2,30.21,-93.2,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Law enforcement reported hail of quarter size near Sam's Club near Interstate 210." +116463,700426,LOUISIANA,2017,May,Hail,"VERMILION",2017-05-03 09:30:00,CST-6,2017-05-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-92.16,29.78,-92.16,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +117631,707954,OHIO,2017,June,Thunderstorm Wind,"PORTAGE",2017-06-18 12:50:00,EST-5,2017-06-18 12:50:00,0,0,0,0,35.00K,35000,0.00K,0,41.0295,-81.3529,41.0295,-81.3529,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","A thunderstorm downburst occurred in Suffield Township southeast of Mogadore. At least twenty trees were downed and a garage door was blown in." +117631,707961,OHIO,2017,June,Thunderstorm Wind,"CUYAHOGA",2017-06-18 16:15:00,EST-5,2017-06-18 16:15:00,0,0,0,0,5.00K,5000,0.00K,0,41.43,-81.62,41.43,-81.62,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorms winds downed a tree. The tree landed on a house causing some damage." +117804,708180,OHIO,2017,June,Hail,"LUCAS",2017-06-19 14:15:00,EST-5,2017-06-19 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.5641,-83.858,41.5641,-83.858,"A cold front moved across the region causing showers and thunderstorms to develop. A few of the stronger storms became severe.","Penny sized hail was observed." +116002,701849,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-05 03:35:00,EST-5,2017-05-05 03:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.9501,-78.9698,35.9501,-78.9698,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","A car crashed into a tree that was reported down on Garrett Road." +116002,701850,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NASH",2017-05-05 04:49:00,EST-5,2017-05-05 04:49:00,0,0,0,0,2.50K,2500,0.00K,0,35.7848,-78.2198,35.7848,-78.2198,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Several trees were reported down in Middlesex, including one tree downed on Taylors Mill Road." +116002,701851,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NASH",2017-05-05 05:10:00,EST-5,2017-05-05 05:10:00,0,0,0,0,10.00K,10000,0.00K,0,35.97,-77.96,35.97,-77.96,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Several trees were reported down around Nashville, including one tree on a car." +116002,701852,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NASH",2017-05-05 05:20:00,EST-5,2017-05-05 05:20:00,0,0,0,0,0.00K,0,0.00K,0,36.101,-77.9402,36.101,-77.9402,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on West Hillardston Road." +116002,701853,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WILSON",2017-05-05 05:14:00,EST-5,2017-05-05 05:14:00,0,0,0,0,0.00K,0,0.00K,0,35.7891,-77.8481,35.7891,-77.8481,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Haynes Road." +116002,701854,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WILSON",2017-05-05 05:15:00,EST-5,2017-05-05 05:15:00,0,0,0,0,0.00K,0,0.00K,0,35.8038,-77.8518,35.8038,-77.8518,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down near the intersection of East Langley Road and North United States Highway 301." +116002,701855,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ALAMANCE",2017-05-05 02:39:00,EST-5,2017-05-05 02:39:00,0,0,0,0,0.00K,0,0.00K,0,36.0961,-79.5144,36.0961,-79.5144,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down at the intersection of Short Street and Neal Street." +116002,701856,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GRANVILLE",2017-05-05 04:10:00,EST-5,2017-05-05 04:10:00,0,0,0,0,0.00K,0,0.00K,0,36.31,-78.59,36.31,-78.59,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Salem Road and Martin Luther King Junior Avenue." +113319,680906,ARKANSAS,2017,March,Thunderstorm Wind,"SEBASTIAN",2017-03-01 00:53:00,CST-6,2017-03-01 00:53:00,0,0,0,0,0.00K,0,0.00K,0,35.336,-94.368,35.336,-94.368,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","The ASOS unit at the Fort Smith Regional Airport measured 66 mph thunderstorm wind gusts." +113335,682118,ARKANSAS,2017,March,Drought,"WASHINGTON",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several rounds of showers and thunderstorms across the region during March 2017 resulted in above average rainfall amounts across much of northwestern Arkansas, and near normal rainfall across west central Arkansas during the month. Extreme Drought (D3) conditions that began the month across west central Arkansas and Severe Drought (D2) conditions across the remainder of the area, were improved somewhat by the rainfall received this month. Monetary damage estimates resulting from the drought were not available.","" +113319,680907,ARKANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.4304,-94.2317,35.4304,-94.2317,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","Strong thunderstorm wind blew over a travel trailer." +113319,680908,ARKANSAS,2017,March,Thunderstorm Wind,"SEBASTIAN",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.3812,-94.3774,35.3812,-94.3774,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","Strong thunderstorm wind blew down a tree onto a home." +113319,680909,ARKANSAS,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-01 01:15:00,CST-6,2017-03-01 01:15:00,0,0,0,0,5.00K,5000,0.00K,0,35.4869,-93.827,35.4869,-93.827,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","Strong thunderstorm wind blew down trees and power lines." +113319,680910,ARKANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 01:40:00,CST-6,2017-03-01 01:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.6488,-94.3947,35.6488,-94.3947,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","Strong thunderstorm wind blew down a tree onto a house." +113327,680995,OKLAHOMA,2017,March,Hail,"MAYES",2017-03-09 19:42:00,CST-6,2017-03-09 19:42:00,0,0,0,0,10.00K,10000,0.00K,0,36.2,-95.1879,36.2,-95.1879,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680996,OKLAHOMA,2017,March,Hail,"CHEROKEE",2017-03-09 20:21:00,CST-6,2017-03-09 20:21:00,0,0,0,0,0.00K,0,0.00K,0,35.9468,-95.2291,35.9468,-95.2291,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680997,OKLAHOMA,2017,March,Hail,"WAGONER",2017-03-09 20:30:00,CST-6,2017-03-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,35.9581,-95.3224,35.9581,-95.3224,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680998,OKLAHOMA,2017,March,Hail,"CHEROKEE",2017-03-09 20:35:00,CST-6,2017-03-09 20:35:00,0,0,0,0,0.00K,0,0.00K,0,35.9326,-95.1413,35.9326,-95.1413,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,680999,OKLAHOMA,2017,March,Hail,"CHEROKEE",2017-03-09 20:45:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-95.19,35.85,-95.19,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113543,683111,IOWA,2017,March,Hail,"FLOYD",2017-03-06 19:01:00,CST-6,2017-03-06 19:01:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-92.8,43.17,-92.8,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell northwest of the town of Floyd." +113543,683113,IOWA,2017,March,Hail,"FLOYD",2017-03-06 19:05:00,CST-6,2017-03-06 19:05:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-92.74,43.13,-92.74,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell in the town of Floyd." +113543,687224,IOWA,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 19:36:00,CST-6,2017-03-06 19:36:00,0,0,0,0,5.00K,5000,0.00K,0,43.44,-92.17,43.44,-92.17,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Part of a metal roof from an outbuilding was blown off east of Lime Springs." +113543,687228,IOWA,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 19:30:00,CST-6,2017-03-06 19:30:00,0,0,0,0,40.00K,40000,0.00K,0,43.3926,-92.2671,43.3926,-92.2671,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Two outbuildings were blown apart and a branch was forced through the wall of a home northeast of Davis Corners." +112901,682018,MONTANA,2017,March,Blizzard,"EASTERN ROOSEVELT",2017-03-07 14:00:00,MST-7,2017-03-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With a large low pressure system over the Canadian Prairie, strong and gusty winds were funneled across most of northeast Montana, easily blowing around recently fallen snow.","Road conditions report from the Montana DOT indicated that eastern Roosevelt County had severe driving conditions from blowing and drifting snow, with visibilities likely near zero. Times are estimated." +113973,683569,NEBRASKA,2017,March,High Wind,"BUFFALO",2017-03-06 17:38:00,CST-6,2017-03-06 17:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 63 MPH wind gust was measured by a mesonet site located 3 miles east-southeast of Kearney." +113973,683571,NEBRASKA,2017,March,High Wind,"GOSPER",2017-03-06 15:08:00,CST-6,2017-03-06 15:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 62 MPH wind gust was measured by a mesonet site located 1 mile west-northwest of Johnson Lake." +113973,683572,NEBRASKA,2017,March,High Wind,"KEARNEY",2017-03-06 13:53:00,CST-6,2017-03-06 13:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 59 MPH wind gust was measured by a mesonet site located 2 miles north-northeast of Norman." +113973,683573,NEBRASKA,2017,March,High Wind,"WEBSTER",2017-03-06 16:25:00,CST-6,2017-03-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 58 MPH wind gust was measured by a mesonet site located 3 miles southwest of Cowles." +113973,683574,NEBRASKA,2017,March,High Wind,"ADAMS",2017-03-06 16:42:00,CST-6,2017-03-06 16:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 60 MPH wind gust was measured by the Hastings Airport ASOS." +113973,683575,NEBRASKA,2017,March,High Wind,"DAWSON",2017-03-06 17:35:00,CST-6,2017-03-06 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon, with near dust storm conditions at times. West-northwest winds were sustained between 30 and 40 mph, mainly along and south of Interstate 80. Wind gusts around 55 mph were common. However, at times, some locations measured sustained winds around 45 mph, with gusts to 60 mph. The highest gust observed was 63 mph near Kearney. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. There were some very localized areas that experienced severely reduced visibility to one quarter mile or less, including on Interstate 80 between Grand Island and Kearney. Near zero visibility 8 miles south of Hastings resulted in a six vehicle pileup. These extremely low visibilities were due the poor decision by some farmers to disc their fields. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. The last time dust reduced visibilities significantly, in south central Nebraska, was in October 2012. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 10 and 15%. Two wild fires occurred in Clay and Nuckolls Counties. Each fire was a few hundred acre fires and multiple fire departments responded. No structures were affected.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Nebraska and Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","A 58 MPH wind gust was measured by the Lexington Airport AWOS." +113975,683581,NEBRASKA,2017,March,Hail,"DAWSON",2017-03-23 17:50:00,CST-6,2017-03-23 17:50:00,0,0,0,0,0.00K,0,0.00K,0,40.8755,-99.9877,40.8755,-99.9877,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683582,NEBRASKA,2017,March,Hail,"VALLEY",2017-03-23 19:05:00,CST-6,2017-03-23 19:05:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-99.2072,41.43,-99.2072,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683584,NEBRASKA,2017,March,Thunderstorm Wind,"HARLAN",2017-03-23 19:52:00,CST-6,2017-03-23 19:52:00,0,0,0,0,0.00K,0,0.00K,0,40.2091,-99.5764,40.2091,-99.5764,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683585,NEBRASKA,2017,March,Thunderstorm Wind,"FURNAS",2017-03-23 20:00:00,CST-6,2017-03-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3169,-99.6663,40.3169,-99.6663,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683586,NEBRASKA,2017,March,Thunderstorm Wind,"HARLAN",2017-03-23 20:04:00,CST-6,2017-03-23 20:04:00,0,0,0,0,0.00K,0,0.00K,0,40.2168,-99.5249,40.2168,-99.5249,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683587,NEBRASKA,2017,March,Thunderstorm Wind,"GOSPER",2017-03-23 20:08:00,CST-6,2017-03-23 20:08:00,0,0,0,0,0.00K,0,0.00K,0,40.4842,-99.85,40.4842,-99.85,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","Wind gusts were estimated to be near 60 MPH." +113975,683588,NEBRASKA,2017,March,Thunderstorm Wind,"PHELPS",2017-03-23 20:15:00,CST-6,2017-03-23 20:15:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-99.33,40.45,-99.33,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683589,NEBRASKA,2017,March,Thunderstorm Wind,"PHELPS",2017-03-23 20:21:00,CST-6,2017-03-23 20:21:00,0,0,0,0,0.00K,0,0.00K,0,40.5602,-99.4763,40.5602,-99.4763,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +114733,688336,INDIANA,2017,March,Lake-Effect Snow,"LAKE",2017-03-14 05:00:00,CST-6,2017-03-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick-moving system on Sunday night, March 12 into early Monday, March 13, brought widespread snow, then lake effect snow started Monday night and persisted through Tuesday, March 14. This lake effect snow was oriented into northeast Illinois for a lengthy period, which is rare as Michigan and northwest Indiana are typically the more favored locations for lake effect snow. ||The first round of snow caused impacts to the Monday morning commute, while the next lake effect round brought major impacts to the Tuesday morning commute.||Some of the highest snowfall totals in Lake County include 10.5 inches in Munster and 10.0 inches in Dyer.","" +114748,688339,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-03-30 05:00:00,CST-6,2017-03-30 05:22:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"Thunderstorms lifted across Lake Michigan producing strong winds.","Winds gusted in excess of 34 kt from 5:00 CST to 5:22 CST, peaking at 48 kt at 5:04 CST." +114726,688202,INDIANA,2017,March,Thunderstorm Wind,"PORTER",2017-03-07 02:23:00,CST-6,2017-03-07 02:23:00,0,0,0,0,0.00K,0,0.00K,0,41.4525,-87.0073,41.4525,-87.0073,"A line of severe thunderstorms moved across northern Indiana producing a swath of damaging winds.","" +114726,688207,INDIANA,2017,March,Thunderstorm Wind,"JASPER",2017-03-07 02:25:00,CST-6,2017-03-07 02:25:00,0,0,0,0,0.00K,0,0.00K,0,40.7511,-87.1078,40.7511,-87.1078,"A line of severe thunderstorms moved across northern Indiana producing a swath of damaging winds.","A semi was blown over near mile marker 200 on I-65." +114749,688340,ARIZONA,2017,March,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-03-31 09:20:00,MST-7,2017-03-31 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plot of land along Interstate 10 near San Simon, which was disturbed back in February, was the cause of another closure of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Interstate 10 near San Simon was closed for about three hours to very low visibility in blowing dust." +114467,688342,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:40:00,CST-6,2017-03-23 14:41:00,0,0,0,0,12.00K,12000,0.00K,0,42.646,-92.0449,42.646,-92.0449,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Reported by Buchanan County Emergency Manager. Hail fell at V62 and Cedar Drive on the north side of town, in Fayette County." +114467,686420,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:48:00,CST-6,2017-03-23 14:48:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-91.93,42.68,-91.93,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Quarter sized hail fell just west of Oelwein." +116119,697913,ATLANTIC SOUTH,2017,May,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-05-16 14:15:00,EST-5,2017-05-16 14:20:00,0,0,0,0,,NaN,,NaN,25.7,-79.83,25.7,-79.83,"A weak frontal boundary stalled across South Florida. This allowed showers and storms to develop across the area. One of these isolated showers over the Atlantic waters produced a water spout.","A pilot reported a waterspout associated with a shower over the Atlantic waters about 20 miles offshore Miami." +116123,697967,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-24 16:45:00,EST-5,2017-05-24 16:45:00,0,0,0,0,0.00K,0,0.00K,0,27.14,-80.79,27.14,-80.79,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds over the waters.","A marine thunderstorm wind gust of 41 mph / 36 knots was recorded by the SFWMD mesonet site L001 located over the northern end of Lake Okeechobee." +116123,697969,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-24 17:44:00,EST-5,2017-05-24 17:44:00,0,0,0,0,0.00K,0,0.00K,0,26.82,-80.78,26.82,-80.78,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds over the waters.","A marine thunderstorm wind gust of 41 mph / 36 knots was recorded by the SFWMD mesonet site L006 located over the southern end of Lake Okeechobee." +116123,697976,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-05-24 19:48:00,EST-5,2017-05-24 19:48:00,0,0,0,0,0.00K,0,0.00K,0,25.73,-80.17,25.73,-80.17,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds over the waters.","A marine thunderstorm wind gust of 41 mph / 36 knots was recorded by the Weatherstem site located at RSMAS on Virginia Key." +114806,688576,WASHINGTON,2017,March,Heavy Snow,"NORTHWEST BLUE MOUNTAINS",2017-03-07 06:00:00,PST-8,2017-03-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought snow to portions of eastern Washington and northeastern Oregon. Significant snow occurred over the Northern Blue mountains and along the Cascade east slopes.","Measured snow fall of 10 inches at the Touchet SNOTEL, 3 miles NNW of Ski Bluewood in Columbia county." +114335,685126,OKLAHOMA,2017,March,Wildfire,"POTTAWATOMIE",2017-03-03 12:00:00,CST-6,2017-03-03 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 2.5 acres in Pottawatomie county on the 3rd. One fatality was reported. Numerous other small fires started around the state without significant impacts.","Media reported one fatality." +114148,683779,OKLAHOMA,2017,March,Wildfire,"SEMINOLE",2017-03-25 12:00:00,CST-6,2017-03-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 2100 acres in Seminole county on the 25th.","" +114147,683778,OKLAHOMA,2017,March,Wildfire,"HUGHES",2017-03-23 12:00:00,CST-6,2017-03-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 1355 acres in Hughes county on the 23rd.","" +114146,683777,OKLAHOMA,2017,March,Wildfire,"HUGHES",2017-03-21 12:00:00,CST-6,2017-03-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 769 acres in Hughes county on the 21st.","" +114145,683775,OKLAHOMA,2017,March,Wildfire,"POTTAWATOMIE",2017-03-20 12:00:00,CST-6,2017-03-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 512 acres in Pottawatomie county and 480 acres in Coal county on the 20th.","" +113366,678350,MONTANA,2017,March,Heavy Snow,"MISSOULA / BITTERROOT VALLEYS",2017-03-09 05:00:00,MST-7,2017-03-09 10:00:00,0,1,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Very slick conditions were reported in the Bitterroot Valley which caused vehicles to have a hard time stopping. The slush caused by mild road conditions overnight solidified with new snow falling causing the icy conditions. Most schools in the Bitterroot Valley were delayed due to the conditions. Snow amounts include: 4.3 inches at the Missoula International Airport, 6 inches at Frenchtown, 6 inches south of Missoula, and 8 inches east of Stevensville." +113366,678351,MONTANA,2017,March,Winter Storm,"BUTTE / BLACKFOOT REGION",2017-03-08 20:00:00,MST-7,2017-03-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Very slick conditions were reported across southwest Montana while 4 to 9 inches of snow fell during the event. Multiple vehicle slide-offs, jack-knifes and crashes were reported by the Department of Justice between 7 and 10 am on the 10th from east of Drummond to Homestake Pass on Interstate 90." +113366,678352,MONTANA,2017,March,Winter Weather,"LOWER CLARK FORK REGION",2017-03-08 20:00:00,MST-7,2017-03-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Snow amounts ranged from 4 inches in Huson to 6.5 inches in Alberton to 8 inches at Lookout Pass. Conditions were reported to be slick but compared with the other areas there were no school delays and accident reports were low." +113366,678346,MONTANA,2017,March,Winter Weather,"KOOTENAI/CABINET REGION",2017-03-09 20:00:00,MST-7,2017-03-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over central Idaho and western Montana causing heavy precipitation. Periods of moderate to heavy snow combined with slushy conditions to cause ice and very slick conditions on the morning of the 9th. A second push of moisture brought snow to northwest Montana with up to a foot and a half of snow received.","Snow and freezing rain fell across northwest Montana with snow totals ranging from 3 inches in Troy, Libby, and Eureka to 6 inches in Stryker. A person from the public reported on Facebook that snow, ice, and slush made Highway 37 terribly slippery on the morning of the 10th." +114706,688028,LOUISIANA,2017,March,Thunderstorm Wind,"CAMERON",2017-03-29 17:45:00,CST-6,2017-03-29 17:45:00,0,0,0,0,10.00K,10000,0.00K,0,30.03,-93.27,30.03,-93.27,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Several tree were reported down in Grand Lake." +114706,688027,LOUISIANA,2017,March,Tornado,"ALLEN",2017-03-29 19:11:00,CST-6,2017-03-29 19:22:00,0,0,0,0,125.00K,125000,0.00K,0,30.7928,-92.6769,30.837,-92.6458,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","A tornado touched down on the south side of Oakdale by the Wal-Mart, damaging the gas station canopy. The storm moved northeast, crossing Highway 165 and moved through Oakdale, blowing down or snapping numerous large trees. Some trees landed on homes and businesses. Some buildings received roof damage from the tornado. The strongest wind damage occurred at the Immigration Office of the Federal Department of Homeland Security, where a large section of the metal roof was removed. The tornado dissipated a little north of this location. The maximum winds were estimated at 115 MPH. The tornado was 100 yards wide and 3.57 mile long." +114706,688029,LOUISIANA,2017,March,Thunderstorm Wind,"ACADIA",2017-03-29 19:23:00,CST-6,2017-03-29 19:23:00,0,0,0,0,15.00K,15000,0.00K,0,30.37,-92.58,30.37,-92.58,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","A tree was reported down along with 3 barns damaged." +114706,689051,LOUISIANA,2017,March,Flash Flood,"CALCASIEU",2017-03-29 19:48:00,CST-6,2017-03-30 01:00:00,0,0,0,0,150.00K,150000,0.00K,0,30.1253,-93.1793,30.1357,-93.5349,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Many streets in Sulphur, Lake Charles, and Moss Bluff flooded and became impassable after 4 to 8 inches of rain fell. At least 69 homes in Sulphur and Lake Charles had minor flooding." +114713,688053,TEXAS,2017,March,Tornado,"TYLER",2017-03-29 14:13:00,CST-6,2017-03-29 14:18:00,0,0,0,0,60.00K,60000,0.00K,0,30.6708,-94.4198,30.6712,-94.3978,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","A tornado touched down on both the north and south sides of Lake Charmaine,|blowing multiple trees down. One home had a tree land on it and a tree landed on a SUV. Several homes had minor damage to their siding. The peak winds in the tornado was estimated at 105 MPH. The path was 1.3 miles long and 600 yards wide." +114713,688063,TEXAS,2017,March,Thunderstorm Wind,"TYLER",2017-03-29 14:15:00,CST-6,2017-03-29 14:15:00,0,0,0,0,5.00K,5000,0.00K,0,30.87,-94.42,30.87,-94.42,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","The sheriffs department reported a large tree down across Highway 69 North." +114713,688064,TEXAS,2017,March,Thunderstorm Wind,"JASPER",2017-03-29 14:20:00,CST-6,2017-03-29 14:20:00,0,0,0,0,20.00K,20000,0.00K,0,31.03,-94.13,31.03,-94.13,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","The public reported trees and power poles down along County Road 84." +114131,686483,IDAHO,2017,March,Debris Flow,"BOUNDARY",2017-03-15 09:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,2.50M,2500000,0.00K,0,48.5351,-116.6748,48.5315,-116.0596,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Periodic heavy rain and spring snow melt during the second half of March promoted numerous debris flows and landslides through out Boundary County. On March 15th vibrations from a train caused a saturated ground landslide which undermined the tracks and caused 12 rail cars full of grain to derail and slide into a ravine near Moyie Springs. Debris flows cut numerous roads in the county during the next two weeks. Boundary County was included in a Presidential Disaster Declaration as a result of damage created by this episode." +116313,702868,INDIANA,2017,May,Thunderstorm Wind,"WARREN",2017-05-26 18:22:00,EST-5,2017-05-26 18:22:00,0,0,0,0,1.00K,1000,,NaN,40.27,-87.38,40.27,-87.38,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","A 16-inch diameter tree was downed in this location due to damaging thunderstorm wind gusts." +116313,702871,INDIANA,2017,May,Hail,"WARREN",2017-05-26 18:23:00,EST-5,2017-05-26 18:25:00,0,0,0,0,,NaN,,NaN,40.25,-87.45,40.25,-87.45,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","" +116313,702873,INDIANA,2017,May,Hail,"WARREN",2017-05-26 18:29:00,EST-5,2017-05-26 18:31:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-87.29,40.29,-87.29,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","" +116313,702877,INDIANA,2017,May,Funnel Cloud,"FOUNTAIN",2017-05-26 18:37:00,EST-5,2017-05-26 18:37:00,0,0,0,0,0.00K,0,0.00K,0,40.157,-87.2198,40.157,-87.2198,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","" +116313,702898,INDIANA,2017,May,Thunderstorm Wind,"WARREN",2017-05-26 18:45:00,EST-5,2017-05-26 18:45:00,0,0,0,0,3.00K,3000,,NaN,40.25,-87.45,40.25,-87.45,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","Trees, approximately 10 inches in diameter, were downed in this location due to damaging thunderstorm wind gusts." +116605,701237,KANSAS,2017,May,Hail,"WYANDOTTE",2017-05-18 20:15:00,CST-6,2017-05-18 20:17:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-94.82,39.16,-94.82,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701236,KANSAS,2017,May,Hail,"WYANDOTTE",2017-05-18 20:01:00,CST-6,2017-05-18 20:04:00,0,0,0,0,,NaN,,NaN,39.12,-94.8,39.12,-94.8,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","This report was received via social media from 94th St and State Avenue." +116605,701238,KANSAS,2017,May,Hail,"WYANDOTTE",2017-05-18 20:20:00,CST-6,2017-05-18 20:25:00,0,0,0,0,,NaN,,NaN,39.09,-94.87,39.09,-94.87,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116605,701239,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 21:03:00,CST-6,2017-05-18 21:06:00,0,0,0,0,,NaN,,NaN,38.9732,-94.972,38.9732,-94.972,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A large tree was uprooted near Lexington and Ottawa Ave in De Soto." +116605,701240,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 21:08:00,CST-6,2017-05-18 21:11:00,0,0,0,0,,NaN,,NaN,39.0002,-94.7425,39.0403,-94.7144,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","Numerous reports of tree damage from 71st and Pflumm to 49th and Nieman Road were reported to NWS from amateur radio and Emergency Management." +114916,689309,WISCONSIN,2017,March,Lake-Effect Snow,"DOUGLAS",2017-03-13 03:00:00,CST-6,2017-03-13 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very narrow lake effect snow band developed over West Duluth and gradually shifted to Superior, WI during the wee hours of the morning of March 13th. The snow came down fast, at one point dropping 7 in just a few hours. The snow continued through much of the morning, but tapered off in the late morning and early afternoon. Final snowfall amounts included 8 to 13 in the Duluth's Gary-New Duluth neighborhood and 10 in the Morgan Park neighborhood, and 9 Superior's Billings Park neighborhood. Much of the rest of Duluth and Superior had little to no snow.","" +114671,687857,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BLADEN",2017-03-01 23:09:00,EST-5,2017-03-01 23:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.8008,-78.5793,34.8008,-78.5793,"Thunderstorms organized into a squall line ahead of a cold front. As the thunderstorms reached the area during the late evening, they began to weaken as instability waned.","A large tree was reportedly down on Hwy 242." +114671,687853,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BLADEN",2017-03-01 23:12:00,EST-5,2017-03-01 23:13:00,0,0,0,0,1.00K,1000,0.00K,0,34.6258,-78.6498,34.6258,-78.6498,"Thunderstorms organized into a squall line ahead of a cold front. As the thunderstorms reached the area during the late evening, they began to weaken as instability waned.","A large tree was reportedly down along Cromartie Rd. near the intersection with Hwy 87." +114924,689331,NORTH CAROLINA,2017,March,Thunderstorm Wind,"BLADEN",2017-03-18 18:09:00,EST-5,2017-03-18 18:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.6408,-78.7895,34.6408,-78.7895,"A mid-level shortwave trough coincident with a cold front helped to briefly intensify thunderstorms to marginally severe levels in an environment that was characterized by little instability.","A tree was reportedly down on Hwy 41 near the intersection with Marvin Hammond Dr. The time was estimated based on radar data." +114925,689334,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"DARLINGTON",2017-03-21 10:20:00,EST-5,2017-03-21 10:21:00,0,0,0,0,1.00K,1000,0.00K,0,34.2887,-80.1078,34.2887,-80.1078,"A cold front stalled out to the north of the area during the evening as an eastward moving and potent mid-level shortwave trough helped to sustain a prolonged period of severe weather to our west. Widespread large hail to our west transitioned to damaging winds as the thunderstorms approached Interstate-95 with no severe weather being reported as the thunderstorms moved further east.","A tree was reported down on W Lydia Hwy near the Lydia Fire Department. The time was estimated based on radar data." +114925,689333,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"DARLINGTON",2017-03-21 10:21:00,EST-5,2017-03-21 10:22:00,0,0,0,0,1.00K,1000,0.00K,0,34.2717,-80.0832,34.2717,-80.0832,"A cold front stalled out to the north of the area during the evening as an eastward moving and potent mid-level shortwave trough helped to sustain a prolonged period of severe weather to our west. Widespread large hail to our west transitioned to damaging winds as the thunderstorms approached Interstate-95 with no severe weather being reported as the thunderstorms moved further east.","A tree was reported down at the intersection of Oates Hwy and Indian Branch Rd. The time was estimated based on radar data." +115738,695577,ILLINOIS,2017,May,Hail,"KNOX",2017-05-17 20:05:00,CST-6,2017-05-17 20:10:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-90.35,41.02,-90.35,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +112791,673750,COLORADO,2017,March,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-03-07 04:35:00,MST-7,2017-03-07 06:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673751,COLORADO,2017,March,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-03-07 09:21:00,MST-7,2017-03-07 14:41:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +114555,689719,MICHIGAN,2017,March,High Wind,"BERRIEN",2017-03-08 16:49:00,EST-5,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure (968 mb) was located across northern Ontario with strong westerly low level jet across Great Lakes/Ohio Valley region. Deep mixing occurred of stronger wind fields aloft resulting in sustained winds of 40 to 45 mph with gusts of 55 to over 60 mph. Reports of tree or roof damage was noted in several counties.","Reports of trees and power lines down which resulted in some damage to cars and some structural damage of houses." +115728,703293,ILLINOIS,2017,May,Flood,"DOUGLAS",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8793,-88.4621,39.6519,-88.4718,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Douglas County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Illinois Route 130 was closed from Camargo to the Champaign County line. Nearly all rural roads north of U.S. Highway 36 in the northeast part of the county were also closed. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +115728,703295,ILLINOIS,2017,May,Flash Flood,"COLES",2017-05-04 07:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6519,-88.4718,39.373,-88.4707,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Coles County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Several streets in Charleston and Mattoon were closed due to the flooding. Parts of Illinois Route 130 north of Charleston were also closed, as were nearly all rural roads between Oakland and Charleston." +117003,703714,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PT MANSFIELD TO RIO GRANDE RIVER TX OUT 20NM",2017-05-04 01:30:00,CST-6,2017-05-04 01:30:00,0,0,0,0,0.00K,0,0.00K,0,26.191,-97.051,26.191,-97.051,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","TABS Buoy K reported 35 knot thunderstorm wind gust." +116265,699065,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-01 22:23:00,EST-5,2017-05-01 22:28:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front passed through the waters. Showers and isolated thunderstorms ahead of the boundary produced locally gusty winds.","A wind gust of 34 knots was measured." +116265,699068,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-01 22:54:00,EST-5,2017-05-02 00:14:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front passed through the waters. Showers and isolated thunderstorms ahead of the boundary produced locally gusty winds.","Wind gusts of 34 to 37 knots were reported at Raccoon Point." +116265,699070,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-01 20:02:00,EST-5,2017-05-01 20:02:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"A cold front passed through the waters. Showers and isolated thunderstorms ahead of the boundary produced locally gusty winds.","A wind gust of 34 knots was reported at Quantico." +116265,699071,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-02 00:09:00,EST-5,2017-05-02 00:09:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A cold front passed through the waters. Showers and isolated thunderstorms ahead of the boundary produced locally gusty winds.","A wind gust of 34 knots was reported at Herring Bay." +113698,680586,TENNESSEE,2017,March,Hail,"ROANE",2017-03-21 19:20:00,EST-5,2017-03-21 19:20:00,0,0,0,0,,NaN,,NaN,35.87,-84.51,35.87,-84.51,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Nickel to quarter size hail was reported near Dogwood Shores Estates." +113698,680587,TENNESSEE,2017,March,Thunderstorm Wind,"MARION",2017-03-21 15:30:00,CST-6,2017-03-21 15:30:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Power lines were reported down across the county mainly north of Whitwell. Also, roof damage was reported at a house in New Hope." +113661,680325,TEXAS,2017,March,Tornado,"TARRANT",2017-03-29 01:08:00,CST-6,2017-03-29 01:21:00,0,0,0,0,300.00K,300000,0.00K,0,32.923,-97.373,32.971,-97.277,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A National Weather Service survey crew determined a tornado produced EF-0 damage in north Fort Worth and Haslet areas. The tornado was embedded in a line of thunderstorms, yet a distinct convergent path was noted for the entire life of this tornado. The tornado began near US 287 and Bonds Ranch Road, before moving north and northeast. The tornado damaged mainly trees and billboards until it crossed Interstate 35W near Timberland Boulevard. Several trees, fences, and approximately 50 roofs suffered damage in housing developments along and north of Timberland." +113661,680327,TEXAS,2017,March,Tornado,"DENTON",2017-03-29 01:31:00,CST-6,2017-03-29 01:34:00,0,0,0,0,600.00K,600000,0.00K,0,33.035,-97.03,33.053,-97.012,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A National Weather Service survey crew determined a tornado produced EF-1 damage in the city of Lewisville. The damage began near the intersection of Fox avenue and Boxwood, before moving to the north and northeast, ending near I-35E. Severe damage was done to about ten homes, with 5 homes losing part of the roof, along with blown out windows. The damage was most concentrated at the beginning of the tornado, yet several businesses and government buildings suffered damage as the storm quickly moved through part of Lewisville." +113661,685481,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:50:00,CST-6,2017-03-29 01:50:00,0,0,0,0,5.00K,5000,0.00K,0,33.2,-96.62,33.2,-96.62,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Amateur radio reported 70 MPH winds at Lake Forest in McKinney with fences knocked over." +113698,680588,TENNESSEE,2017,March,Thunderstorm Wind,"SEQUATCHIE",2017-03-21 15:30:00,CST-6,2017-03-21 15:30:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Several trees were reported down from north of Dunlap to the county line. Dime size hail was also reported in the area." +113661,685482,TEXAS,2017,March,Hail,"COLLIN",2017-03-29 02:08:00,CST-6,2017-03-29 02:08:00,0,0,0,0,0.00K,0,0.00K,0,33.0111,-96.5957,33.0111,-96.5957,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Amateur radio reported quarter-sized hail near the intersection of Hwy 544 and Mcreary Rd in the city of Sachse, TX." +115021,690248,MICHIGAN,2017,March,Winter Storm,"OTSEGO",2017-03-01 06:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690249,MICHIGAN,2017,March,Winter Storm,"MONTMORENCY",2017-03-01 06:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690250,MICHIGAN,2017,March,Winter Storm,"ALPENA",2017-03-01 06:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +115021,690251,MICHIGAN,2017,March,Winter Storm,"CRAWFORD",2017-03-01 06:00:00,EST-5,2017-03-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across southern and central lower Michigan early on the first. Precipitation was initially rain, but as the system departed and colder air moved south in its wake, rain turned to snow. Heavy snow fell across parts of northern lower and far southeast upper Michigan, with totals as high as 12 to 18 inches in Tower, Millersburg, Cheboygan, Cedarville, Drummond Island, and Cathro. Gusty northeast to north winds resulted in some blowing and drifting snow.","" +114960,689578,UTAH,2017,March,Flood,"CACHE",2017-03-23 07:00:00,MST-7,2017-03-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.5323,-111.8182,41.6073,-111.8436,"Heavy rain fell across Utah on March 23, leading to flooding in some locations across northern Utah.","The Little Bear River reached flood stage at multiple gauges in the Cache Valley. This included the Little Bear - Paradise river gauge, which reached a peak flow of 1340 cfs on March 23." +114963,690053,UTAH,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-30 16:04:00,MST-7,2017-03-30 16:17:00,0,0,0,0,10.00K,10000,0.00K,0,37.0297,-113.5633,37.0275,-113.5128,"A slow-moving storm system moved through Utah at the end of March and beginning of April, bringing strong thunderstorms on March 30, followed by heavy snow in southern and western Utah, as well as strong downslope winds in northern Utah March 31 through April 1. Note that this episode continued into April.","The St George Regional Airport AWOS recorded a peak wind gust of 62 mph. In addition, multiple large utility poles were knocked down due to strong winds on River Road, causing power outages and forcing traffic to be diverted around the area." +113212,690338,GEORGIA,2017,March,Drought,"OCONEE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690354,GEORGIA,2017,March,Drought,"DAWSON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,690001,GEORGIA,2017,March,Hail,"CATOOSA",2017-03-21 18:47:00,EST-5,2017-03-21 18:55:00,0,0,0,0,,NaN,,NaN,34.89,-85.14,34.89,-85.14,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A CoCoRaHS observer reported quarter size hail." +114280,690002,GEORGIA,2017,March,Hail,"CLARKE",2017-03-21 19:01:00,EST-5,2017-03-21 19:10:00,0,0,0,0,,NaN,,NaN,33.9138,-83.338,33.9138,-83.338,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported quarter size hail on Lindmar Court." +114280,690004,GEORGIA,2017,March,Hail,"BARROW",2017-03-21 19:11:00,EST-5,2017-03-21 19:16:00,0,0,0,0,,NaN,,NaN,33.99,-83.72,33.99,-83.72,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The broadcast media reported quarter size hail in Winder." +114280,690006,GEORGIA,2017,March,Hail,"OCONEE",2017-03-21 19:35:00,EST-5,2017-03-21 19:40:00,0,0,0,0,,NaN,,NaN,33.86,-83.41,33.86,-83.41,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported quarter size hail in Watkinsville." +114280,690018,GEORGIA,2017,March,Thunderstorm Wind,"DADE",2017-03-21 18:00:00,EST-5,2017-03-21 18:15:00,0,0,0,0,75.00K,75000,,NaN,34.9398,-85.4246,34.9356,-85.4271,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Dade County Emergency Manager reported a tree blown down onto a house on Creek Road and three houses with significant roof damage from winds on Sims Drive." +113054,686264,NORTH DAKOTA,2017,March,High Wind,"EMMONS",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Linton AWOS reported a wind gust of 60 mph." +113054,686269,NORTH DAKOTA,2017,March,High Wind,"DICKEY",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Dickey County using the Gwinner AWOS in Sargent County." +115728,703309,ILLINOIS,2017,May,Flood,"EFFINGHAM",2017-05-04 14:45:00,CST-6,2017-05-05 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2146,-88.8059,38.9128,-88.8071,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Effingham County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +114693,690456,NEW YORK,2017,March,Heavy Snow,"SCHUYLER",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 10 and 15 inches in Schuyler County." +114273,684674,GEORGIA,2017,March,Thunderstorm Wind,"DADE",2017-03-01 15:48:00,EST-5,2017-03-01 15:53:00,0,0,0,0,8.00K,8000,,NaN,34.774,-85.54,34.7571,-85.5313,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Dade County Emergency Manager reported several trees blown down near I-59 at exit 4 as well as trees and power lines blown down at the intersection of Highway 11 South and Lambert Lane." +114273,684673,GEORGIA,2017,March,Hail,"DADE",2017-03-01 15:47:00,EST-5,2017-03-01 15:52:00,0,0,0,0,,NaN,,NaN,34.77,-85.54,34.77,-85.54,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","Quarter-sized hail was reported by an attendant at the Pilot Travel Center at exit 4 on I-59 at Deer Head Cove Road in Rising Fawn." +115728,703311,ILLINOIS,2017,May,Flash Flood,"JASPER",2017-05-04 09:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.171,-88.3604,38.8508,-88.3615,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Jasper County. Officials reported that most roads were impassable and numerous creeks rapidly flooded." +115728,703313,ILLINOIS,2017,May,Flood,"JASPER",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.171,-88.3604,38.8508,-88.3615,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.50 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Jasper County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +114274,689135,GEORGIA,2017,March,Thunderstorm Wind,"DOUGLAS",2017-03-10 03:45:00,EST-5,2017-03-10 04:05:00,0,0,0,0,250.00K,250000,,NaN,33.7793,-84.7913,33.7071,-84.684,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Douglas County Emergency Manager reported numerous trees and power lines blown down across the northern and eastern portion of the county. Locations include Bakers Bridge Road at Sweetwater Church Road, Highway 120 at Chapel Hill Road, Lee Road at County Line Road, Brookmont Parkway at Brookhollow Drive, Dallas Highway at Lincoln Street, Fairburn Road, North Helton Road at Watkins Mill Road, Woodcreek Way at Dogwood Way, and many other locations. Many homes and business had damage from falling trees. No injuries were reported." +115047,690691,KANSAS,2017,March,Wildfire,"LANE",2017-03-06 14:20:00,CST-6,2017-03-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure center and tight pressure gradient and eventually a deeply mixed boundary layer produced strong surface winds. Winds also were very strong behind the associated cold front late in the day on the 6th. Winds picked up again on the 7th fanning residual fires. Many fires were started by downed power lines, many from weakened connections from the January ice storm. The fire in Ford county was the result of a brush pile in Dodge City that had not been fully extinguished before the dry, warm winds began. ||Statewide, grass fires shut down I-70 between Russell and Sylvan Grove, and fires were reported in Clark, Cheyenne, Commanche, Ellsworth, Hodgeman, Ford, Meade, Pratt, Rawlins, Rice, Reno, Smith, Stevens and Rooks counties. Residents of Wilson in central Kansas were told to evacuate homes due to fears of fire moving north of I-70.","A wildfire started after a power line disconnected from an outbuilding and fell to the ground. The fire spread very fast and burnt 20 outbuildings and damaged or destroyed 1000's of fence posts. The fire was essentially under control by 9 PM but flared up the following day for a while. At least 20,000 acres burned in Lane County." +114274,689131,GEORGIA,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-10 04:35:00,EST-5,2017-03-10 04:45:00,0,0,0,0,6.00K,6000,,NaN,33.2843,-84.4623,33.2843,-84.4623,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","A National Weather Service survey team found 6 trees snapped and a couple of trees uprooted around the intersection of Brooks Road and Gable Road." +114274,689140,GEORGIA,2017,March,Thunderstorm Wind,"JASPER",2017-03-10 05:08:00,EST-5,2017-03-10 05:15:00,0,0,0,0,1.00K,1000,,NaN,33.3101,-83.8089,33.249,-83.7639,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Jasper County 911 center reported trees blown down on Highway 16 west of Monticello and along Clay Road." +114612,687376,TEXAS,2017,March,Hail,"HANSFORD",2017-03-23 18:30:00,CST-6,2017-03-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-101.41,36.26,-101.41,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Dime to ping pong ball size hail reported in Gruver." +114612,687377,TEXAS,2017,March,Hail,"MOORE",2017-03-23 19:11:00,CST-6,2017-03-23 19:11:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.97,35.86,-101.97,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Picture of quarter to half dollar size hail in Dumas." +114612,687378,TEXAS,2017,March,Hail,"MOORE",2017-03-23 19:12:00,CST-6,2017-03-23 19:12:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.98,35.86,-101.98,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Quarter-sized hail falling at the Moore County airport at 912 pm. Visible via sky cam." +113543,679696,IOWA,2017,March,Hail,"HOWARD",2017-03-06 19:19:00,CST-6,2017-03-06 19:19:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-92.55,43.25,-92.55,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Quarter sized hail fell south of Riceville." +113548,679711,VIRGINIA,2017,March,Hail,"CRAIG",2017-03-01 11:56:00,EST-5,2017-03-01 11:56:00,0,0,0,0,0.00K,0,0.00K,0,37.3838,-80.234,37.3838,-80.234,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","" +113548,679742,VIRGINIA,2017,March,Thunderstorm Wind,"CAMPBELL",2017-03-01 12:55:00,EST-5,2017-03-01 13:05:00,0,0,0,0,15.00K,15000,0.00K,0,37.3477,-79.2617,37.2867,-79.1436,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Four trees and several power lines were blown down by thunderstorm winds across western portions of Campbell County." +113323,680937,OKLAHOMA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-06 21:20:00,CST-6,2017-03-06 21:20:00,0,0,0,0,1.00K,1000,0.00K,0,36.8267,-95.9162,36.8267,-95.9162,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind blew down a tree and several sections of a privacy fence." +113399,678574,WASHINGTON,2017,February,Ice Storm,"MOSES LAKE AREA",2017-02-08 10:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","Freezing rain deposited 0.25 inch of glaze ice in Moses Lake." +113399,678571,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","A member of the public reported 6.5 inches of new snow accumulation near Chesaw." +113399,678576,WASHINGTON,2017,February,Ice Storm,"UPPER COLUMBIA BASIN",2017-02-08 11:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","Freezing rain deposited 0.18 inch of glaze ice at Ritzville." +113564,679836,CONNECTICUT,2017,February,Blizzard,"NORTHERN NEW HAVEN",2017-02-09 08:50:00,EST-5,2017-02-09 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. Blizzard conditions occurred across southern Connecticut with heavy snow and strong winds. The blizzard also created delays and cancellations to the regions transportation systems as well as numerous accidents on roadways.","Waterbury-Oxford Airport AWOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +113563,680073,NEW YORK,2017,February,Winter Storm,"NORTHERN QUEENS",2017-02-09 04:00:00,EST-5,2017-02-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","LaGuardia Airport reported 10 inches of snow. Amateur radio and CoCoRaHS observes reported 10 to 12 inches of snow. Winds also gusted to 44 mph at LaGuardia airport at 5:04 pm." +113563,680075,NEW YORK,2017,February,Winter Storm,"NORTHWEST SUFFOLK",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters, NWS Employees, and the Public reported 12 to 16 inches of snowfall. Winds also gusted to 57 mph at Eatons Neck at 12:20 pm." +115781,695837,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-23 16:34:00,EST-5,2017-06-23 16:34:00,0,0,0,0,,NaN,,NaN,40.33,-75.95,40.33,-75.95,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","A tree was reported down on Wellington Road." +115781,695838,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-23 16:58:00,EST-5,2017-06-23 16:58:00,0,0,0,0,,NaN,,NaN,40.23,-75.79,40.23,-75.79,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","A tree was blocking traffic on a local road." +115781,695839,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUCKS",2017-06-23 17:16:00,EST-5,2017-06-23 17:16:00,0,0,0,0,,NaN,,NaN,40.51,-75.31,40.51,-75.31,"Some scattered strong to severe thunderstorms formed in the afternoon and evening hours on the 23rd. Gusty and damaging winds occurred in several locations.","Trees and wires were reported down." +113662,680329,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAINS I-80 NORTH",2017-02-06 05:15:00,MST-7,2017-02-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system brought strong winds to northern Utah, with heavy snowfall also falling in the northern mountains.","Powder Mountain received 17 inches of new snow. In addition, winds were strong through the storm, with peak recorded wind gusts of 101 mph at Logan Summit, 94 mph at Ogden Peak, 90 mph at the Snowbasin Resort Snowbasin-Straw Top sensor, and 89 mph at the Powder Mountain sensor." +113662,680330,UTAH,2017,February,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-02-06 09:00:00,MST-7,2017-02-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system brought strong winds to northern Utah, with heavy snowfall also falling in the northern mountains.","Brighton Resort received 17 inches of snow. In addition, winds were strong through the storm, with peak recorded gusts of 76 mph at Alta Ski Area Alta - MT Baldy sensor and 73 mph at the Sundance Moutain Resort Arrowhead Summit sensor." +113171,677277,GEORGIA,2017,February,Drought,"GORDON",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677286,GEORGIA,2017,February,Drought,"COBB",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113228,678502,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-02-05 08:00:00,PST-8,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moved from south to north through Eastern Washington on February 5th fed by a deep plume of Pacific moisture. Widespread heavy snow accumulations occurred in the mountains north of the basin and the Cascades. Heavy snow was also noted in the western margin of the Columbia basin where low level cold air was trapped against the Cascades. The remainder of the Columbia Basin received 1 to 3 inches of snow from this system.","An observer near Stehekin reported 10 inches of new snow." +116214,698682,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-05-04 17:35:00,EST-5,2017-05-04 17:37:00,0,0,0,0,,NaN,0.00K,0,31.4,-80.868,31.4,-80.868,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. The line of thunderstorms produced damaging wind gusts and a few tornadoes inland before moving into the Atlantic coastal waters.","Buoy 41008 measured a 37 knot wind gust with a passing thunderstorm." +116214,698684,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-04 18:24:00,EST-5,2017-05-04 18:26:00,0,0,0,0,,NaN,0.00K,0,32.0228,-80.8437,32.0228,-80.8437,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. The line of thunderstorms produced damaging wind gusts and a few tornadoes inland before moving into the Atlantic coastal waters.","The Weatherflow site on the north end of Tybee Island measured a 36 knot wind gust with a passing thunderstorm." +116214,698685,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-04 19:10:00,EST-5,2017-05-04 19:12:00,0,0,0,0,,NaN,0.00K,0,32.27,-80.4,32.27,-80.4,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. The line of thunderstorms produced damaging wind gusts and a few tornadoes inland before moving into the Atlantic coastal waters.","The Coastal Ocean Research and Monitoring Program buoy near Fripp Island measured a 37 knot wind gust with a passing thunderstorm." +116217,698697,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"COLLETON",2017-05-04 17:19:00,EST-5,2017-05-04 17:20:00,0,0,0,0,,NaN,0.00K,0,33.05,-80.93,33.05,-80.93,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","A tree was reported down blocking the road at the intersection of Dry Branch Road and Junction Road." +116217,698701,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"DORCHESTER",2017-05-04 19:52:00,EST-5,2017-05-04 19:53:00,0,0,0,0,,NaN,0.00K,0,33.26,-80.47,33.26,-80.47,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","South Carolina Highway Patrol reported a tree down near mile marker 175 along Interstate 26 westbound." +116217,698903,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"JASPER",2017-05-04 23:17:00,EST-5,2017-05-04 23:18:00,0,0,0,0,0.50K,500,0.00K,0,32.1666,-81.039,32.1666,-81.039,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","South Carolina Highway Patrol reported a tree down and in the roadway on South Okatie Highway, near the intersection with Delta Estates Road." +115944,697612,MASSACHUSETTS,2017,May,Thunderstorm Wind,"MIDDLESEX",2017-05-18 21:42:00,EST-5,2017-05-18 21:42:00,0,0,0,0,1.00K,1000,0.00K,0,42.6415,-71.3011,42.6366,-71.2987,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 942 PM EST, a tree was reported down on Pleasant Street in Lowell." +115944,697614,MASSACHUSETTS,2017,May,Thunderstorm Wind,"MIDDLESEX",2017-05-18 21:43:00,EST-5,2017-05-18 21:43:00,0,0,0,0,1.00K,1000,0.00K,0,42.6203,-71.2615,42.6068,-71.2573,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 943 PM EST, a tree was reported down on Pike Street in Tewksbury." +115944,697615,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:45:00,EST-5,2017-05-18 21:45:00,0,0,0,0,1.00K,1000,0.00K,0,42.6627,-70.8409,42.6627,-70.8409,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 945 PM EST, a tree was reported down on County Road near River Bend." +115944,697616,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:45:00,EST-5,2017-05-18 21:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.5543,-70.9475,42.5543,-70.9475,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 945 PM EST, trees and wires were reported down on Crestline Circle in Danvers." +115944,697618,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:55:00,EST-5,2017-05-18 21:55:00,0,0,0,0,5.00K,5000,0.00K,0,42.7656,-71.0541,42.7656,-71.0541,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 955 PM EST, a tree was reported to have fallen on a house on Whittier Street in Haverhill." +115944,697619,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 22:00:00,EST-5,2017-05-18 22:00:00,0,0,0,0,3.00K,3000,0.00K,0,42.4475,-70.9995,42.4475,-70.9995,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 10 PM EST, a tree was reported down on street lights at Curtis Street and Morton Avenue." +115944,697623,MASSACHUSETTS,2017,May,Thunderstorm Wind,"HAMPSHIRE",2017-05-18 22:15:00,EST-5,2017-05-18 22:15:00,0,0,0,0,2.00K,2000,0.00K,0,42.2644,-72.4542,42.2644,-72.4542,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 1015 PM EST, a large tree was reported down on U.S. Route 202 near the Belchertown and Granby town line." +115945,697634,MASSACHUSETTS,2017,May,Hail,"FRANKLIN",2017-05-31 17:20:00,EST-5,2017-05-31 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-72.68,42.52,-72.68,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 520 PM EST, Pea to Dime size hail fell at Conway." +114207,684038,FLORIDA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-04 08:47:00,EST-5,2017-05-04 08:47:00,0,0,0,0,1.00K,1000,0.00K,0,29.6649,-84.8611,29.6649,-84.8611,"A round of strong to isolated severe storms moved across portions of northwest Florida as a late season cold front moved through.","A 49 mph wind gust was measured by a personal weather station on St George Island with a power line down nearby." +114207,684040,FLORIDA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-04 10:04:00,EST-5,2017-05-04 10:04:00,0,0,0,0,0.00K,0,0.00K,0,30.5607,-83.9012,30.5607,-83.9012,"A round of strong to isolated severe storms moved across portions of northwest Florida as a late season cold front moved through.","A tree was blown down on New Monticello Road near Highway 90." +114210,684043,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-05-04 08:47:00,EST-5,2017-05-04 08:47:00,0,0,0,0,0.00K,0,0.00K,0,29.6649,-84.8611,29.6649,-84.8611,"A round of strong to isolated severe storms moved across portions of northwest Florida and the coastal waters as a late season cold front moved through.","A wind gust of 49 mph was measured by a personal weather station on St George Island." +114866,689084,ALABAMA,2017,May,Thunderstorm Wind,"GENEVA",2017-05-12 15:00:00,CST-6,2017-05-12 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.03,-85.87,31.03,-85.87,"A line of storms affected the tri-state area during the evening hours of May 12th. Most of the storms stayed in Florida, but a few clipped Geneva county with impacts to trees and power lines.","A few trees and power lines were blown down in the town of Geneva." +114869,689091,ALABAMA,2017,May,Thunderstorm Wind,"DALE",2017-05-20 16:00:00,CST-6,2017-05-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5011,-85.7181,31.5011,-85.7181,"A round of showers and thunderstorms ahead of a cold front impacted the tri-state area during the afternoon and evening of May 20th. A few storms were severe with the main impacts to trees and power lines, although there was also one report of large hail.","Trees were blown down on County Road 108." +114653,698462,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-19 00:40:00,CST-6,2017-05-19 00:40:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.1,36.68,-93.1,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large tree limbs were blown down on the road." +114653,698463,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 00:57:00,CST-6,2017-05-19 00:57:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-93.16,37.18,-93.16,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees were blown down on East Skyline Drive and Ridgeline Road." +114653,698464,MISSOURI,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-19 01:20:00,CST-6,2017-05-19 01:20:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-92.67,36.95,-92.67,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree was blown down on the road." +114653,698466,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-19 00:47:00,CST-6,2017-05-19 00:47:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-93.05,36.73,-93.05,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Numerous trees were blown down on Hulls Ford Road." +114653,698467,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 00:56:00,CST-6,2017-05-19 00:56:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-93.16,37.18,-93.16,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree was blown down near the intersection of State Highway D and Highway 125." +114653,698469,MISSOURI,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-19 01:28:00,CST-6,2017-05-19 01:28:00,0,0,0,0,5.00K,5000,0.00K,0,36.97,-92.45,36.97,-92.45,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree limb was blown down on to a car on Highway C." +114653,698470,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-19 00:47:00,CST-6,2017-05-19 00:47:00,0,0,0,0,10.00K,10000,0.00K,0,36.71,-93.16,36.71,-93.16,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There was several homes with roof damage." +115287,692128,NEW MEXICO,2017,May,Funnel Cloud,"LEA",2017-05-09 18:40:00,MST-7,2017-05-09 18:42:00,0,0,0,0,0.00K,0,0.00K,0,33.2389,-103.202,33.2389,-103.202,"There was an upper low over southwest Arizona. Good low-level moisture and wind shear were present and the atmosphere was unstable. Upper lift was also enhanced over the area due to an upper jet stream. These conditions allowed for thunderstorms with large hail and a funnel cloud to develop across southeast New Mexico.","A thunderstorm moved across Lea County and produced a funnel cloud near Gladiola." +115287,692129,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-09 16:45:00,MST-7,2017-05-09 16:50:00,0,0,0,0,,NaN,,NaN,32.3766,-104.23,32.3766,-104.23,"There was an upper low over southwest Arizona. Good low-level moisture and wind shear were present and the atmosphere was unstable. Upper lift was also enhanced over the area due to an upper jet stream. These conditions allowed for thunderstorms with large hail and a funnel cloud to develop across southeast New Mexico.","" +115287,692195,NEW MEXICO,2017,May,Hail,"LEA",2017-05-09 16:38:00,MST-7,2017-05-09 16:43:00,0,0,0,0,,NaN,,NaN,32.5605,-103.75,32.5605,-103.75,"There was an upper low over southwest Arizona. Good low-level moisture and wind shear were present and the atmosphere was unstable. Upper lift was also enhanced over the area due to an upper jet stream. These conditions allowed for thunderstorms with large hail and a funnel cloud to develop across southeast New Mexico.","" +115291,692198,TEXAS,2017,May,Hail,"REAGAN",2017-05-10 22:39:00,CST-6,2017-05-10 22:44:00,0,0,0,0,,NaN,,NaN,31.2,-101.47,31.2,-101.47,"An upper trough was over western New Mexico with plenty of lift and moisture across West Texas. There was a dryline in place across the eastern Permian Basin. The atmosphere was very unstable and wind shear values were very good. These conditions allowed for storms with large hail to develop across West Texas.","" +115293,692204,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:22:00,CST-6,2017-05-16 20:27:00,0,0,0,0,,NaN,,NaN,31.9425,-102.1889,31.9425,-102.1889,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692205,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:14:00,CST-6,2017-05-16 20:19:00,0,0,0,0,,NaN,,NaN,31.92,-102.2812,31.92,-102.2812,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692206,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:29:00,CST-6,2017-05-16 20:34:00,0,0,0,0,,NaN,,NaN,32,-102.08,32,-102.08,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +114533,687100,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-11 18:45:00,CST-6,2017-05-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7825,-95.2273,31.7825,-95.2273,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Trees down near the intersection of County Road 2017 and Farm to Market Road 1248." +114533,687101,TEXAS,2017,May,Thunderstorm Wind,"NACOGDOCHES",2017-05-11 18:45:00,CST-6,2017-05-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7651,-94.7205,31.7651,-94.7205,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","A tree was blown down about 6 miles northwest of Redfield." +114533,687102,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-11 19:05:00,CST-6,2017-05-11 19:05:00,0,0,0,0,0.00K,0,0.00K,0,31.6136,-95.1279,31.6136,-95.1279,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Trees were blown down on Highway 21 near the Saint Thomas Church." +115178,691482,LOUISIANA,2017,May,Hail,"BOSSIER",2017-05-28 09:08:00,CST-6,2017-05-28 09:08:00,0,0,0,0,0.00K,0,0.00K,0,32.59,-93.7,32.59,-93.7,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Quarter size hail fell in the Lakewood subdivision in North Bossier City." +115178,691694,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:50:00,CST-6,2017-05-28 17:50:00,2,0,1,0,0.00K,0,0.00K,0,31.9255,-93.7101,31.9255,-93.7101,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A tree fell on a vehicle that was traveling west of Hudson Darby Road, just east of Highway 71. Louisiana State Police reported that a 21 year-old male passenger sitting in the rear seat sustained fatal injuries from the falling tree. The 52 year-old male driver and a 59 year-old front seat passenger sustained moderate injuries from the incident and were transported to University Health Hospital in Shreveport for treatment." +116796,702333,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DUPLIN",2017-05-31 15:56:00,EST-5,2017-05-31 15:56:00,0,0,0,0,,NaN,,NaN,35,-78.09,35,-78.09,"Severe thunderstorms produced wind damage during the afternoon.","Trees were blown down." +116796,702334,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CRAVEN",2017-05-31 16:03:00,EST-5,2017-05-31 16:03:00,0,0,0,0,,NaN,,NaN,35.12,-77.08,35.12,-77.08,"Severe thunderstorms produced wind damage during the afternoon.","A tree was blown down on Madam Moores Lane in New Bern." +116827,702544,UTAH,2017,May,Thunderstorm Wind,"SALT LAKE",2017-05-24 18:00:00,MST-7,2017-05-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-112.13,40.75,-112.13,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","The Center Tailings sensor recorded a peak wind gust of 65 mph." +116827,702547,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-24 18:30:00,MST-7,2017-05-24 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-112.23,40.72,-112.23,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","The SR-201 at I-80 sensor recorded a wind gust of 59 mph." +115472,693415,NORTH DAKOTA,2017,May,Thunderstorm Wind,"RAMSEY",2017-05-27 17:26:00,CST-6,2017-05-27 17:26:00,0,0,0,0,,NaN,,NaN,48.07,-98.62,48.07,-98.62,"A mid level low pressure system over southern Manitoba, Canada, kept a pool of cold temperatures aloft over the Devils Lake region during the early evening of May 27th. Daytime heating led to afternoon and evening showers and thunderstorms, but the air near the surface remained very dry. This set up an environment conducive for strong wind gusts and outflow from the showers and storms.","The wind gust was measured by a NDAWN wind sensor." +115473,693416,NORTH DAKOTA,2017,May,Thunderstorm Wind,"CASS",2017-05-28 15:00:00,CST-6,2017-05-28 15:00:00,2,0,0,0,10.00K,10000,,NaN,46.85,-96.83,46.85,-96.83,"The mid level low drifted from southern Manitoba, Canada, into north central Minnesota on May 28th. Cold temperatures aloft combined with daytime heating to set off scattered afternoon thunderstorms. Once again, the surface layer remained quite dry, which kept a favorable environment for strong wind gusts and outflows.","A car was blown off Interstate 29 near Oxbow due to strong winds. The two occupants of the car were injured." +115473,693417,NORTH DAKOTA,2017,May,Thunderstorm Wind,"BARNES",2017-05-28 12:40:00,CST-6,2017-05-28 12:40:00,0,0,0,0,,NaN,,NaN,47.19,-98.16,47.19,-98.16,"The mid level low drifted from southern Manitoba, Canada, into north central Minnesota on May 28th. Cold temperatures aloft combined with daytime heating to set off scattered afternoon thunderstorms. Once again, the surface layer remained quite dry, which kept a favorable environment for strong wind gusts and outflows.","The wind gust was measured by a NDAWN sensor." +115473,693418,NORTH DAKOTA,2017,May,Thunderstorm Wind,"CASS",2017-05-28 14:52:00,CST-6,2017-05-28 14:52:00,0,0,0,0,,NaN,,NaN,46.88,-96.82,46.88,-96.82,"The mid level low drifted from southern Manitoba, Canada, into north central Minnesota on May 28th. Cold temperatures aloft combined with daytime heating to set off scattered afternoon thunderstorms. Once again, the surface layer remained quite dry, which kept a favorable environment for strong wind gusts and outflows.","A tree and several branches were blown down in town." +116491,700557,NEW MEXICO,2017,May,High Wind,"OTERO MESA",2017-05-16 18:37:00,MST-7,2017-05-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with an associated upper trough and 120 knot jet moved across the border region and brought wind gusts up to 65 mph.","A RAWS site located 28 miles east-northeast of Orogrande reported a peak gust of 59 mph." +116493,700561,TEXAS,2017,May,High Wind,"EASTERN/CENTRAL EL PASO COUNTY",2017-05-16 17:13:00,MST-7,2017-05-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with an associated upper trough and 120 knot jet moved across the border region and brought wind gusts up to 59 mph.","A peak gust of 59 mph was recorded 5 miles northeast of El Paso and the El Paso Airport ASOS recorded a gust of 58 mph." +116494,700565,TEXAS,2017,May,Hail,"EL PASO",2017-05-30 18:32:00,MST-7,2017-05-30 18:32:00,0,0,0,0,0.00K,0,0.00K,0,31.9402,-106.4498,31.9402,-106.4498,"An upper trough was centered over the Gulf of California with a dryline located near the Rio Grande. A weak disturbance in southwest flow aloft above light southeast surface winds brought enough lift and shear for a severe thunderstorm with hail up to the size of quarters to develop over northeast El Paso.","" +116494,700566,TEXAS,2017,May,Hail,"EL PASO",2017-05-30 18:38:00,MST-7,2017-05-30 18:38:00,0,0,0,0,0.00K,0,0.00K,0,31.9265,-106.4366,31.9265,-106.4366,"An upper trough was centered over the Gulf of California with a dryline located near the Rio Grande. A weak disturbance in southwest flow aloft above light southeast surface winds brought enough lift and shear for a severe thunderstorm with hail up to the size of quarters to develop over northeast El Paso.","" +115737,695560,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 11:40:00,CST-6,2017-05-03 11:40:00,0,0,0,0,1.00K,1000,0.00K,0,32.4823,-96.9945,32.4823,-96.9945,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur Radio reported quarter size hail in Downtown Midlothian." +115737,695582,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 11:51:00,CST-6,2017-05-03 11:51:00,0,0,0,0,1.00K,1000,0.00K,0,32.5262,-96.8861,32.5262,-96.8861,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur Radio reported quarter size hail just south of the city of Ovilla." +115737,695588,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 12:05:00,CST-6,2017-05-03 12:05:00,0,0,0,0,1.00K,1000,0.00K,0,32.5318,-96.8141,32.5318,-96.8141,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social Media reported quarter size hail in Red Oak." +115737,695595,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 12:08:00,CST-6,2017-05-03 12:08:00,0,0,0,0,1.00K,1000,0.00K,0,32.43,-96.86,32.43,-96.86,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail approximately 2 miles NNW of Waxahachie." +115737,695596,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 12:09:00,CST-6,2017-05-03 12:09:00,0,0,0,0,1.00K,1000,0.00K,0,32.4434,-96.85,32.4434,-96.85,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail approximately 3 miles N of Waxahachie." +114213,684084,KENTUCKY,2017,March,Hail,"MARSHALL",2017-03-27 15:15:00,CST-6,2017-03-27 15:15:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-88.35,36.87,-88.35,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684169,KENTUCKY,2017,March,Hail,"HOPKINS",2017-03-27 12:51:00,CST-6,2017-03-27 12:51:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-87.38,37.35,-87.38,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114213,684171,KENTUCKY,2017,March,Funnel Cloud,"HOPKINS",2017-03-27 13:54:00,CST-6,2017-03-27 13:54:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-87.52,37.27,-87.52,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","" +114028,682942,IOWA,2017,March,Winter Storm,"CERRO GORDO",2017-03-12 13:00:00,CST-6,2017-03-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system slid off the Rockies and eastward along the Nebraska/South Dakota border through the day on the 12th before taking a southeastward turn and down through eastern Nebraska and southwest Iowa during the evening and overnight hours on the 12th and into the 13th. Areas north of the warm front, primarily northern Iowa and northward, resided in a large area of general lift and resulted in widespread snowfall amounting to as much as 10 or more inches in areas of northern Iowa.","" +112920,674623,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 16:20:00,CST-6,2017-03-06 16:20:00,0,0,0,0,0.50K,500,0.00K,0,42.42,-94.38,42.42,-94.38,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported wind driven hail broke multiple window screens at the residence." +112920,674635,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 16:38:00,CST-6,2017-03-06 16:38:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-94.22,42.72,-94.22,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported quarter sized hail." +112920,674645,IOWA,2017,March,Thunderstorm Wind,"CALHOUN",2017-03-06 17:00:00,CST-6,2017-03-06 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.4,-94.64,42.4,-94.64,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported two inch branches blown over along with tine blown off metal buildings and doors blown off of a grain elevator." +112920,674638,IOWA,2017,March,Hail,"HUMBOLDT",2017-03-06 16:38:00,CST-6,2017-03-06 16:38:00,0,0,0,0,2.00K,2000,0.00K,0,42.73,-94.22,42.73,-94.22,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported up to 2 inch sized hail. Report relayed by media on twitter." +112920,674641,IOWA,2017,March,Hail,"KOSSUTH",2017-03-06 16:49:00,CST-6,2017-03-06 16:49:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-94.13,42.94,-94.13,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported pea to penny sized hail." +112920,674640,IOWA,2017,March,Hail,"KOSSUTH",2017-03-06 16:42:00,CST-6,2017-03-06 16:42:00,0,0,0,0,1.00K,1000,0.00K,0,43.38,-94.1,43.38,-94.1,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported golf ball sized hail. Report relayed by KAAL via social media. Time and location estimated by radar. Delayed report." +112822,674079,MICHIGAN,2017,March,High Wind,"GRATIOT",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674081,MICHIGAN,2017,March,High Wind,"OTTAWA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts of up to 60 mph resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674082,MICHIGAN,2017,March,High Wind,"KENT",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A 64 mph peak wind gust was measured at the Gerald Ford airport in Grand Rapids. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674083,MICHIGAN,2017,March,High Wind,"IONIA",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A 62 mph peak wind gust was measured at the Ionia airport. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +114186,683906,KENTUCKY,2017,March,Tornado,"FULTON",2017-03-09 20:28:00,CST-6,2017-03-09 20:38:00,0,0,0,0,250.00K,250000,0.00K,0,36.6135,-89.3756,36.5466,-89.2422,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","This tornado began in New Madrid County, Missouri, where it briefly attained EF-2 strength. The tornado crossed the Mississippi River at EF-1 intensity into agricultural flatlands of western Fulton County. A swath of highly convergent tree damage occurred in some wooded bottomlands along the Mississippi River levee in Fulton County. As it crossed open farmland, a few farm sheds were destroyed. Power poles and power lines were blown across roads. Swaths of tree damage occurred along tree lines between farm fields. Irrigation pivots were blown over. Several grain bins were destroyed, including a grain bin that was blown over or through a row of trees and across Highway 94. Peak winds were estimated near 110 mph on the Kentucky side of the track. The tornado ended shortly after crossing Kentucky Highway 94 about 2.5 miles west of Hickman. There was scattered tree damage associated with straight-line winds south of the tornado track, likely associated with the rear-flank downdraft. A trained spotter measured a wind gust to 85 mph 5 to 10 miles west of Hickman." +114186,683911,KENTUCKY,2017,March,Tornado,"CALLOWAY",2017-03-09 21:13:00,CST-6,2017-03-09 21:19:00,0,0,0,0,75.00K,75000,0.00K,0,36.5996,-88.3322,36.5781,-88.2346,"An outbreak of severe thunderstorms occurred over the Tennessee border counties. Thunderstorms rapidly developed across western Kentucky ahead of a line of thunderstorms over the Missouri Bootheel region. These initial storms formed along a southwesterly low-level jet and its associated moisture plume. Large hail was the primary severe weather hazard in this leading activity, which was elevated above the surface. Later in the evening, a surface-based bowing line of thunderstorms exited southeast Missouri and then crossed southwest Kentucky. This bowing line was associated with an embedded supercell that spawned a few tornadoes. The storms developed along and just ahead of a cold front as it pressed southward into the Lower Ohio Valley and extreme southeast Missouri.","Peak winds were estimated near 95 mph. The path began in the southwest part of Murray and followed Highway 121 to about four miles southeast of Murray. Dugout roofs at the city high school ballfield in Murray were blown across the street into a home and car. Numerous very large trees were snapped and uprooted. About three miles outside the city limits of Murray, barns and outbuildings were heavily damaged. Most of the path was high-end EF-0 strength. Near the end of the path, the tornado intensified to EF-1. This is the area where a large section of roof and some trusses were blown off a well-built metal barn, and plastic projectiles were hurled through a garage wall. A building was destroyed by uprooted trees that fell on top of it." +116168,698184,IOWA,2017,May,Funnel Cloud,"SAC",2017-05-17 12:40:00,CST-6,2017-05-17 12:40:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-95,42.49,-95,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported funnel cloud via social media." +116168,698185,IOWA,2017,May,Funnel Cloud,"TAMA",2017-05-17 13:40:00,CST-6,2017-05-17 13:40:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-92.46,42.19,-92.46,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported funnel cloud via social media." +115701,698042,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:12:00,CST-6,2017-05-16 20:12:00,0,0,0,0,20.00K,20000,0.00K,0,42.6125,-94.1484,42.6125,-94.1484,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Widespread tree limbs down and a few trees in town. South of town a windmill was bent over and a residential TV/Radio tower was bent over, and grain bins were bent in as well." +116168,698186,IOWA,2017,May,Hail,"DALLAS",2017-05-17 13:48:00,CST-6,2017-05-17 13:48:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-93.98,41.6,-93.98,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported quarter sized hail." +114251,684469,KENTUCKY,2017,March,Frost/Freeze,"CARLISLE",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684470,KENTUCKY,2017,March,Frost/Freeze,"CHRISTIAN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684472,KENTUCKY,2017,March,Frost/Freeze,"DAVIESS",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115591,710505,KANSAS,2017,June,Hail,"JACKSON",2017-06-17 02:35:00,CST-6,2017-06-17 02:36:00,0,0,0,0,,NaN,,NaN,39.29,-95.9,39.29,-95.9,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Time was estimated from radar." +115591,710507,KANSAS,2017,June,Hail,"COFFEY",2017-06-17 03:12:00,CST-6,2017-06-17 03:13:00,0,0,0,0,,NaN,,NaN,38.3702,-95.5272,38.3702,-95.5272,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","" +113698,680579,TENNESSEE,2017,March,Hail,"ROANE",2017-03-21 17:45:00,EST-5,2017-03-21 17:45:00,0,0,0,0,,NaN,,NaN,35.87,-84.51,35.87,-84.51,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Nickel to quarter size hail was reported near Dogwood Shores Estates." +113698,680580,TENNESSEE,2017,March,Hail,"ROANE",2017-03-21 17:55:00,EST-5,2017-03-21 17:55:00,0,0,0,0,,NaN,,NaN,35.87,-84.47,35.87,-84.47,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Quarter size hail was reported." +113698,680581,TENNESSEE,2017,March,Hail,"LOUDON",2017-03-21 18:00:00,EST-5,2017-03-21 18:00:00,0,0,0,0,,NaN,,NaN,35.74,-84.36,35.74,-84.36,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Quarter size hail was reported." +113698,680582,TENNESSEE,2017,March,Hail,"HAMILTON",2017-03-21 18:12:00,EST-5,2017-03-21 18:12:00,0,0,0,0,,NaN,,NaN,35.33,-85.06,35.33,-85.06,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Half dollar size hail was reported." +113698,680583,TENNESSEE,2017,March,Hail,"LOUDON",2017-03-21 18:12:00,EST-5,2017-03-21 18:12:00,0,0,0,0,,NaN,,NaN,35.86,-84.27,35.86,-84.27,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Two inch diameter hail was reported." +113698,680584,TENNESSEE,2017,March,Hail,"KNOX",2017-03-21 18:15:00,EST-5,2017-03-21 18:15:00,0,0,0,0,,NaN,,NaN,36.03,-84.03,36.03,-84.03,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Golf ball size hail was reported near Clinton Highway and Schaad Road." +113698,680585,TENNESSEE,2017,March,Hail,"KNOX",2017-03-21 18:20:00,EST-5,2017-03-21 18:20:00,0,0,0,0,,NaN,,NaN,36.03,-84.03,36.03,-84.03,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Ping pong size hail was reported." +115201,694795,TEXAS,2017,May,Hail,"KNOX",2017-05-18 13:50:00,CST-6,2017-05-18 13:50:00,0,0,0,0,0.00K,0,0.00K,0,33.73,-99.73,33.73,-99.73,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694796,TEXAS,2017,May,Flash Flood,"WILBARGER",2017-05-18 17:00:00,CST-6,2017-05-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-99.29,34.1229,-99.2646,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Flash flooding reported over highway 183 south of Vernon." +115201,694797,TEXAS,2017,May,Hail,"WICHITA",2017-05-18 17:10:00,CST-6,2017-05-18 17:10:00,0,0,0,0,0.00K,0,0.00K,0,34.06,-98.92,34.06,-98.92,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694756,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-18 17:33:00,CST-6,2017-05-18 17:33:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-97.41,34.74,-97.41,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694757,OKLAHOMA,2017,May,Hail,"KINGFISHER",2017-05-18 17:33:00,CST-6,2017-05-18 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.09,-97.87,36.09,-97.87,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694758,OKLAHOMA,2017,May,Hail,"STEPHENS",2017-05-18 18:05:00,CST-6,2017-05-18 18:05:00,0,0,0,0,0.00K,0,0.00K,0,34.45,-98,34.45,-98,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694760,OKLAHOMA,2017,May,Thunderstorm Wind,"OKLAHOMA",2017-05-18 18:36:00,CST-6,2017-05-18 18:36:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-97.6,35.38,-97.6,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +118251,710627,MISSOURI,2017,June,Flash Flood,"GENTRY",2017-06-28 23:27:00,CST-6,2017-06-29 01:27:00,0,0,0,0,0.00K,0,0.00K,0,40.2443,-94.3612,40.234,-94.3595,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Several roads in Albany were flooded, including a closure of HWY 136 across the northside of town due to running water over the roadway." +118251,710622,MISSOURI,2017,June,Flash Flood,"HARRISON",2017-06-28 22:11:00,CST-6,2017-06-29 00:11:00,0,0,0,0,0.00K,0,0.00K,0,40.279,-94.0546,40.2487,-94.0567,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","There were reports of numerous flooded roadways in Bethany, as well as water entering the basement of Harrison County Community Hospital." +115200,694761,OKLAHOMA,2017,May,Thunderstorm Wind,"MCCLAIN",2017-05-18 18:50:00,CST-6,2017-05-18 18:50:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-97.47,35.16,-97.47,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Aircraft hangers were damaged at David Perry airport." +115200,694762,OKLAHOMA,2017,May,Thunderstorm Wind,"CLEVELAND",2017-05-18 18:54:00,CST-6,2017-05-18 18:54:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-97.44,35.18,-97.44,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694763,OKLAHOMA,2017,May,Thunderstorm Wind,"CLEVELAND",2017-05-18 18:55:00,CST-6,2017-05-18 18:55:00,0,0,0,0,0.50K,500,0.00K,0,35.19,-97.44,35.19,-97.44,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Eight inch diameter tree snapped; fence blown away near National Weather Center." +115200,694764,OKLAHOMA,2017,May,Thunderstorm Wind,"CLEVELAND",2017-05-18 19:00:00,CST-6,2017-05-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-97.44,35.22,-97.44,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Numerous tree limbs were downed in town." +115200,694765,OKLAHOMA,2017,May,Thunderstorm Wind,"OKLAHOMA",2017-05-18 19:09:00,CST-6,2017-05-18 19:09:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-97.39,35.42,-97.39,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694766,OKLAHOMA,2017,May,Thunderstorm Wind,"CLEVELAND",2017-05-18 19:20:00,CST-6,2017-05-18 19:20:00,0,0,0,0,0.00K,0,0.00K,0,35.1856,-97.4046,35.1856,-97.4046,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Estimated 70 mph wind and some shingles blown off roof near SE 24th and highway 9." +115200,694767,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-18 19:37:00,CST-6,2017-05-18 19:37:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-97.26,34.22,-97.26,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694769,OKLAHOMA,2017,May,Thunderstorm Wind,"OKLAHOMA",2017-05-18 19:50:00,CST-6,2017-05-18 19:50:00,0,0,0,0,2.00K,2000,0.00K,0,35.66,-97.19,35.66,-97.19,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Many trees downed; power poles snapped." +115200,694770,OKLAHOMA,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-18 20:07:00,CST-6,2017-05-18 20:07:00,0,0,0,0,10.00K,10000,0.00K,0,34.77,-96.68,34.77,-96.68,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Roof was blown off home. Numerous utility poles downed." +119033,714884,MISSOURI,2017,July,Flash Flood,"CLAY",2017-07-26 20:50:00,CST-6,2017-07-26 23:50:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-94.59,39.164,-94.6031,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","There were two water rescues in the vicinity of US 169 and State Highway 9 near Northmoor." +115200,694772,OKLAHOMA,2017,May,Thunderstorm Wind,"CARTER",2017-05-18 20:20:00,CST-6,2017-05-18 20:20:00,0,0,0,0,1.00K,1000,0.00K,0,34.3,-97.13,34.3,-97.13,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Multiple power poles leaning at up to a 45 deg angle along highway 53 east of town." +115200,694773,OKLAHOMA,2017,May,Hail,"HUGHES",2017-05-18 20:40:00,CST-6,2017-05-18 20:40:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-96.4,35.08,-96.4,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +118808,713662,NEBRASKA,2017,June,Thunderstorm Wind,"CHEYENNE",2017-06-07 15:15:00,MST-7,2017-06-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-102.99,41.1,-102.99,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","The wind sensor at the Sidney Airport measured a peak gust of 60 mph." +118808,713661,NEBRASKA,2017,June,Hail,"CHEYENNE",2017-06-07 15:15:00,MST-7,2017-06-07 15:18:00,0,0,0,0,0.00K,0,0.00K,0,41.1398,-102.9936,41.1398,-102.9936,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Hen egg size hail was observed at Cabela's near Sidney." +118808,713663,NEBRASKA,2017,June,Heavy Rain,"SIOUX",2017-06-07 17:00:00,MST-7,2017-06-07 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.7309,-103.9357,42.7309,-103.9357,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","One and a third inches of rain fell in 45 minutes four miles northwest of Harrison." +119033,714885,MISSOURI,2017,July,Flash Flood,"CLAY",2017-07-26 21:15:00,CST-6,2017-07-27 00:15:00,0,0,0,0,0.00K,0,0.00K,0,39.2218,-94.5969,39.2099,-94.5986,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A water rescue was performed at US 169 and 68th street." +119033,714886,MISSOURI,2017,July,Flash Flood,"CLAY",2017-07-26 21:51:00,CST-6,2017-07-27 00:51:00,0,0,0,0,0.00K,0,0.00K,0,39.2252,-94.4723,39.2161,-94.4817,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","US 169 was closed due to flash flooding in Pleasant Valley." +116168,698298,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 16:47:00,CST-6,2017-05-17 16:47:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-92.44,42.5,-92.44,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public estimated wind gusts to at least 70 mph." +114332,686679,MISSOURI,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-07 00:25:00,CST-6,2017-03-07 00:28:00,0,0,0,0,0.00K,0,0.00K,0,38.277,-90.7962,38.3069,-90.7803,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Thunderstorm winds blew down several large tree limbs. Also, a barn sustained minor roof damage off of Highway HH, just north of intersection with Highway 30." +119033,714887,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 00:54:00,CST-6,2017-07-27 03:54:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-93.94,39.0011,-93.9357,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Interstate 70 was closed at mile marker 38 due to flash flooding." +116168,698299,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:47:00,CST-6,2017-05-17 16:47:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-92.8,42.75,-92.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager estimated wind gusts to 70 mph." +116168,698301,IOWA,2017,May,Hail,"WAPELLO",2017-05-17 16:49:00,CST-6,2017-05-17 16:49:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-92.22,40.92,-92.22,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Local fire department estimated hail nickel to quarter in size." +119496,717102,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL 5NM OFFSHORE TO MID LAKE",2017-06-28 20:10:00,CST-6,2017-06-28 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.3608,-87.8139,42.3608,-87.8139,"Strong to severe thunderstorms moved across portions of southern Lake Michigan during the evening hours of June 28th.","" +116463,700430,LOUISIANA,2017,May,Hail,"ST. MARY",2017-05-03 11:20:00,CST-6,2017-05-03 11:20:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-91.51,29.8,-91.51,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116463,700431,LOUISIANA,2017,May,Hail,"ST. MARY",2017-05-03 11:24:00,CST-6,2017-05-03 11:24:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-91.5,29.79,-91.5,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116463,700432,LOUISIANA,2017,May,Hail,"ST. MARY",2017-05-03 18:15:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,29.69,-91.27,29.69,-91.27,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116463,700427,LOUISIANA,2017,May,Hail,"CALCASIEU",2017-05-03 09:35:00,CST-6,2017-05-03 09:35:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-93.2,30.21,-93.2,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Quarter size hail was reported on 19th Street in Lake Charles." +116463,700429,LOUISIANA,2017,May,Hail,"VERMILION",2017-05-03 11:10:00,CST-6,2017-05-03 11:10:00,0,0,0,0,0.00K,0,0.00K,0,30.11,-92.12,30.11,-92.12,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116463,700433,LOUISIANA,2017,May,Thunderstorm Wind,"CAMERON",2017-05-03 06:23:00,CST-6,2017-05-03 06:23:00,0,0,0,0,5.00K,5000,0.00K,0,29.7704,-93.7061,29.7704,-93.7061,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","The Cameron Parish sheriffs department relayed a report of a flipped RV with a shed damaged near by." +116002,701858,NORTH CAROLINA,2017,May,Thunderstorm Wind,"LEE",2017-05-05 02:55:00,EST-5,2017-05-05 02:55:00,0,0,0,0,0.00K,0,0.00K,0,35.3489,-79.1737,35.3489,-79.1737,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Edwards Road." +116002,701859,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-05 03:20:00,EST-5,2017-05-05 03:20:00,0,0,0,0,0.00K,0,0.00K,0,35.8416,-79.1311,35.8416,-79.1311,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on Manns Chapel Road." +116002,701860,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ALAMANCE",2017-05-05 03:00:00,EST-5,2017-05-05 03:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.1234,-79.4052,36.1234,-79.4052,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Two trees were reported down at the intersection of Carolina Mill Road and Carolina Road." +116002,701861,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ALAMANCE",2017-05-05 02:49:00,EST-5,2017-05-05 02:49:00,0,0,0,0,0.00K,0,0.00K,0,35.9087,-79.5221,35.9087,-79.5221,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down near the intersection of Spoon Lane and Timber Ridge Lake Road." +116002,701862,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-05 03:25:00,EST-5,2017-05-05 03:25:00,0,0,0,0,2.50K,2500,0.00K,0,35.8342,-79.0678,35.8342,-79.0678,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree and power lines were reported down on Lystra Road near Lystra Preserve Drive." +116002,701863,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-05 04:51:00,EST-5,2017-05-05 04:51:00,0,0,0,0,5.00K,5000,0.00K,0,35.8392,-78.2509,35.8392,-78.2509,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","A shed was destroyed off of Sam Adams Road near Highway 97." +116002,701864,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:36:00,EST-5,2017-05-05 02:36:00,0,0,0,0,0.00K,0,0.00K,0,35.7503,-79.6379,35.7503,-79.6379,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on North Carolina Highway 49 at Thornbrook Road." +116002,701857,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GRANVILLE",2017-05-05 04:00:00,EST-5,2017-05-05 04:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1458,-78.7539,36.1458,-78.7539,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on 24th Street." +113319,680911,ARKANSAS,2017,March,Hail,"BENTON",2017-03-01 01:55:00,CST-6,2017-03-01 01:55:00,0,0,0,0,0.00K,0,0.00K,0,36.4539,-94.1154,36.4539,-94.1154,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","" +113319,680912,ARKANSAS,2017,March,Hail,"BENTON",2017-03-01 02:00:00,CST-6,2017-03-01 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3725,-94.2091,36.3725,-94.2091,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of February 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across northwestern Arkansas during the early morning hours of March 1st. The strongest storms produced hail up to penny size and damaging wind gusts.","" +113324,680920,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 23:14:00,CST-6,2017-03-06 23:14:00,0,0,0,0,5.00K,5000,0.00K,0,36.454,-94.1152,36.454,-94.1152,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind damaged the roof of a house." +113328,681009,ARKANSAS,2017,March,Hail,"BENTON",2017-03-09 20:00:00,CST-6,2017-03-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3596,-94.2854,36.3596,-94.2854,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +118251,710646,MISSOURI,2017,June,Flood,"NODAWAY",2017-06-29 09:30:00,CST-6,2017-06-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-94.75,40.2384,-94.7533,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Water was over Highway VV." +113327,681000,OKLAHOMA,2017,March,Hail,"CHEROKEE",2017-03-09 20:53:00,CST-6,2017-03-09 20:53:00,0,0,0,0,5.00K,5000,0.00K,0,35.85,-95.19,35.85,-95.19,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,681002,OKLAHOMA,2017,March,Hail,"CHEROKEE",2017-03-09 21:13:00,CST-6,2017-03-09 21:13:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-95.0056,35.7,-95.0056,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,681003,OKLAHOMA,2017,March,Hail,"SEQUOYAH",2017-03-09 21:39:00,CST-6,2017-03-09 21:39:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-94.8734,35.58,-94.8734,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,681004,OKLAHOMA,2017,March,Hail,"SEQUOYAH",2017-03-09 22:05:00,CST-6,2017-03-09 22:05:00,0,0,0,0,0.00K,0,0.00K,0,35.4616,-94.8352,35.4616,-94.8352,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113327,681005,OKLAHOMA,2017,March,Thunderstorm Wind,"SEQUOYAH",2017-03-09 22:05:00,CST-6,2017-03-09 22:05:00,0,0,0,0,0.00K,0,0.00K,0,35.4604,-94.8343,35.4604,-94.8343,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","Thunderstorm wind gusts were estimated to 60 mph." +113543,687226,IOWA,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 19:34:00,CST-6,2017-03-06 19:34:00,0,0,0,0,15.00K,15000,0.00K,0,43.4217,-92.219,43.4217,-92.219,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Numerous trees were blown down and portable farm augers were tipped over southeast of Lime Springs." +113543,683105,IOWA,2017,March,Thunderstorm Wind,"FLOYD",2017-03-06 18:52:00,CST-6,2017-03-06 18:52:00,0,0,0,0,10.00K,10000,0.00K,0,43.13,-92.9,43.13,-92.9,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","Power lines were blown down in Rudd and other portions of western Floyd County." +113543,682446,IOWA,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 19:28:00,CST-6,2017-03-06 19:28:00,0,0,0,0,65.00K,65000,0.00K,0,43.37,-92.3,43.37,-92.3,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","In Davis Corners, trees were blown down, a shed was demolished, an outbuilding had the front overhead door blown in along with a wall and backdoor blown out. The roof on a house was totaled by the winds. Another business had a metal building with several puncture holes from flying debris and had an outbuilding blown down." +114471,686451,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 15:42:00,CST-6,2017-03-23 15:42:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-90.99,42.72,-90.99,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","" +114471,686460,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 16:11:00,CST-6,2017-03-23 16:11:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-90.48,42.67,-90.48,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","Quarter sized hail was reported in Big Patch." +113975,683590,NEBRASKA,2017,March,Thunderstorm Wind,"PHELPS",2017-03-23 20:22:00,CST-6,2017-03-23 20:22:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-99.25,40.59,-99.25,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683591,NEBRASKA,2017,March,Thunderstorm Wind,"BUFFALO",2017-03-23 20:30:00,CST-6,2017-03-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.7055,-99.2324,40.7055,-99.2324,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683592,NEBRASKA,2017,March,Thunderstorm Wind,"BUFFALO",2017-03-23 20:30:00,CST-6,2017-03-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-98.9446,40.75,-98.9446,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683594,NEBRASKA,2017,March,Thunderstorm Wind,"BUFFALO",2017-03-23 20:55:00,CST-6,2017-03-23 20:55:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-99,40.73,-99,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683595,NEBRASKA,2017,March,Thunderstorm Wind,"DAWSON",2017-03-23 21:00:00,CST-6,2017-03-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7134,-99.4771,40.7134,-99.4771,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683596,NEBRASKA,2017,March,Thunderstorm Wind,"GOSPER",2017-03-23 21:02:00,CST-6,2017-03-23 21:02:00,0,0,0,0,0.00K,0,0.00K,0,40.6795,-99.823,40.6795,-99.823,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683597,NEBRASKA,2017,March,Thunderstorm Wind,"HALL",2017-03-23 21:16:00,CST-6,2017-03-23 21:16:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683599,NEBRASKA,2017,March,Thunderstorm Wind,"MERRICK",2017-03-23 21:28:00,CST-6,2017-03-23 21:28:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-98.28,40.9,-98.28,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683600,NEBRASKA,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-23 21:31:00,CST-6,2017-03-23 21:31:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.12,40.97,-98.12,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683601,NEBRASKA,2017,March,Thunderstorm Wind,"HALL",2017-03-23 21:33:00,CST-6,2017-03-23 21:33:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683602,NEBRASKA,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-23 21:42:00,CST-6,2017-03-23 21:42:00,0,0,0,0,0.00K,0,0.00K,0,41,-98,41,-98,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","Wind gusts were estimated to be near 60 MPH." +113975,683603,NEBRASKA,2017,March,Thunderstorm Wind,"HALL",2017-03-23 21:48:00,CST-6,2017-03-23 21:48:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +113975,683604,NEBRASKA,2017,March,Hail,"VALLEY",2017-03-23 20:25:00,CST-6,2017-03-23 20:25:00,0,0,0,0,0.00K,0,0.00K,0,41.7023,-98.793,41.7023,-98.793,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","" +114630,687536,CALIFORNIA,2017,March,High Wind,"SAN DIEGO COUNTY VALLEYS",2017-03-02 07:52:00,PST-8,2017-03-02 08:52:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of high pressure over the Inter-mountain West brought gusty offshore winds to the region on March 2nd. The strongest winds occurred below the passes and canyons of Riverside and San Diego Counties. Impacts were minimal.","The RAWS station in Alpine reported a peak wind gust of 61 mph. Additional wind gusts in the 40-55 mph range were reported over other sections of the San Diego County Valleys." +114632,687544,CALIFORNIA,2017,March,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-03-05 14:51:00,PST-8,2017-03-05 19:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure moving down the West Coast brought strong winds to the mountains and deserts of Southern California on March 5th and 6th.","The Burns Canyon mesonet station reported multiple wind gusts of 78 mph over a 5 hour period." +118251,710671,MISSOURI,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-28 19:04:00,CST-6,2017-06-28 19:08:00,0,0,0,0,,NaN,,NaN,40.48,-93,40.48,-93,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A Missouri Mesonet station near Unionville recorded a 79 mph wind gust with thunderstorms moving through the area." +114145,683776,OKLAHOMA,2017,March,Wildfire,"COAL",2017-03-20 12:00:00,CST-6,2017-03-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 512 acres in Pottawatomie county and 480 acres in Coal county on the 20th.","" +114144,683774,OKLAHOMA,2017,March,Wildfire,"ATOKA",2017-03-14 12:00:00,CST-6,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 338 acres and destroyed one structure in Atoka county on the 14th.","" +118251,710672,MISSOURI,2017,June,Thunderstorm Wind,"DAVIESS",2017-06-28 20:55:00,CST-6,2017-06-28 20:57:00,0,0,0,0,,NaN,,NaN,40.11,-93.99,40.11,-93.99,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Fire in Coffey reported 60 mph wind, concurrent with 2.5 inch hail." +118251,710674,MISSOURI,2017,June,Tornado,"NODAWAY",2017-06-28 19:31:00,CST-6,2017-06-28 19:33:00,0,0,0,0,,NaN,,NaN,40.2829,-94.8887,40.2808,-94.864,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A weak tornado formed near Maryville, but caused little to no damage outside of some tree damage in rural Nodaway County." +118251,710673,MISSOURI,2017,June,Thunderstorm Wind,"DAVIESS",2017-06-28 21:31:00,CST-6,2017-06-28 21:34:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-93.79,39.91,-93.79,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","Fire department near Lock Springs reported 60 mph wind." +114143,683773,OKLAHOMA,2017,March,Wildfire,"ATOKA",2017-03-08 12:00:00,CST-6,2017-03-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 940 acres in Atoka county on the 8th.","" +113367,678355,IDAHO,2017,March,Heavy Snow,"OROFINO / GRANGEVILLE REGION",2017-03-08 17:00:00,PST-8,2017-03-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved over Idaho and western Montana causing heavy precipitation over central Idaho. Almost a foot of heavy wet snow fell in some areas. The heavy snow and rain combined with already saturated soils to produce rock slides, fallen trees, and power outages. This led Clearwater County to declare a State of Emergency.","Heavy wet snow contributed to multiple rock slides with one covering Mount Idaho Grade Road southeast of Grangeville. Due to the already saturated ground, the heavy precipitation downed multiple trees and power lines. Widespread power outages were reported with one spotter reporting 8.5 hours without power east of Kooskia. Snowfall amounts ranged from 4 inches in Grangeville to up to 10 inches across the northern Camas Prairie. Mud slides, washed-out culverts and streams that were bankful contributed to Clearwater County declaring a State of Emergency on the 10th." +113711,680682,MONTANA,2017,March,Heavy Rain,"SANDERS",2017-03-17 10:00:00,MST-7,2017-03-18 10:00:00,0,0,0,0,5.00K,5000,0.00K,0,47.7028,-115.4623,48.05,-115.95,"An atmospheric river brought moderate rainfall to northwest Montana which was already soaked from previous rains. This contributed to mudslides and homes being flooded.","White Pine Creek, located 12 miles northwest of Thompson Falls overflowed and damaged White Pine Creek road so bad that one resident was isolated from getting back to their home. Elk Creek road near Heron sustained damage during this event." +113526,679565,IDAHO,2017,March,Heavy Rain,"IDAHO",2017-03-16 03:00:00,PST-8,2017-03-16 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,46.186,-115.561,46.186,-115.561,"An atmospheric river brought several inches of rainfall to central Idaho which was already soaked from previous rains. This contributed to mudslides that shut down roads and flooding that affected residences and property.","Several locations along US-12 experienced flooding, mud and debris on the road which caused it to close for 10 hours. Three inches of rain with snow-melt occurred a week before this event contributing to saturated soils. A nearby sensor in Lowell recorded 1.23 inches of rainfall 24 hours leading up to the flooding. Multiple culvert washouts and other mudslides were reported through March 24 along the following roads: Cedar Creek, Big Cedar and Cove. Idaho County declared a state of emergency because of all the issues." +114181,683871,MONTANA,2017,March,Flood,"MINERAL",2017-03-19 06:00:00,MST-7,2017-03-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,47.2969,-115.0981,47.2949,-115.0983,"Due to recent heavy rain and snow-melt, several main-stem rivers experienced minor flooding.","The St. Regis River at St. Regis peaked at the minor flood stage of 8.06 feet." +114535,686892,ALABAMA,2017,March,Hail,"MARION",2017-03-09 18:00:00,CST-6,2017-03-09 18:01:00,0,0,0,0,0.00K,0,0.00K,0,34.21,-88.18,34.21,-88.18,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Hail covering the ground with sizes ranging from dimes to quarters." +114713,688056,TEXAS,2017,March,Tornado,"TYLER",2017-03-29 14:25:00,CST-6,2017-03-29 14:27:00,0,0,0,0,20.00K,20000,0.00K,0,30.6747,-94.359,30.6765,-94.3516,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Multiple trees were blown down along FM 1013 east of Hillister, on both the|north and south sides of the road. The peak winds in the tornado was estimated at 105 MPH. The path was half a mile long and 300 yards wide." +114713,688065,TEXAS,2017,March,Thunderstorm Wind,"JASPER",2017-03-29 15:08:00,CST-6,2017-03-29 15:08:00,0,0,0,0,8.00K,8000,0.00K,0,30.89,-94.06,30.89,-94.06,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Trees were downed onto Highway 190." +114713,688057,TEXAS,2017,March,Tornado,"JASPER",2017-03-29 15:12:00,CST-6,2017-03-29 15:13:00,0,0,0,0,10.00K,10000,0.00K,0,30.8309,-93.9739,30.8344,-93.9682,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Several trees were snapped or blown down along FM 1005 near the|intersection with US Hwy 96. The peak winds in the tornado was estimated at 105 MPH. The path was 0.4 mile long and 25 yards wide." +114713,688060,TEXAS,2017,March,Tornado,"NEWTON",2017-03-29 15:34:00,CST-6,2017-03-29 15:58:00,0,0,0,0,50.00K,50000,0.00K,0,30.9534,-93.8457,31.0896,-93.7149,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","Numerous large trees were uprooted or snapped along Highway 63 west|of Farrsville, including County Roads 1012, 1064, and 1065. At least two houses had|trees land on them. The tornado ended along US Highway 87 south of Mayflower, where|a mobile home lost its roof and a couple of large trees were snapped near a church. The peak winds in the tornado was estimated at 110 MPH. The path was 12.2 miles long and 800 yards wide." +114713,688066,TEXAS,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-29 17:04:00,CST-6,2017-03-29 17:04:00,0,0,0,0,8.00K,8000,0.00K,0,30.09,-94.14,30.09,-94.14,"A slow moving upper level disturbance and cold front produced widespread thunderstorms and heavy rain. Some storms became severe and flooding also occurred.","KBMT relayed a report of trees down at Sul Ross and Williamsburg in the Regina Howell area of Beaumont." +114729,688212,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-03-07 19:56:00,CST-6,2017-03-07 19:56:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"A line of thunderstorms moved across Lake Michigan in the early morning hours. A convective wind gust to 52 mph occurred at Harrison Crib during the afternoon.","" +114729,689074,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-03-07 01:40:00,CST-6,2017-03-07 01:42:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"A line of thunderstorms moved across Lake Michigan in the early morning hours. A convective wind gust to 52 mph occurred at Harrison Crib during the afternoon.","" +114729,689076,LAKE MICHIGAN,2017,March,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-03-07 01:10:00,CST-6,2017-03-07 01:20:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-87.81,42.35,-87.81,"A line of thunderstorms moved across Lake Michigan in the early morning hours. A convective wind gust to 52 mph occurred at Harrison Crib during the afternoon.","" +114131,686488,IDAHO,2017,March,Flood,"BONNER",2017-03-15 16:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,2.00M,2000000,0.00K,0,48.8305,-117.0291,47.9686,-117.0374,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Periodic heavy rain and spring time snow melt created saturated soil conditions which promoted numerous debris flows and widespread areal flooding through out Bonner County from the middle to the end of March. A train carrying 50 to 60 empty coal cars derailed near Kootenai after flooding undermined the tracks. A landslide knocked a home off it's foundation and carried it down a hillside near Sagle, with six more homes threatened. Numerous roads were closed due to flooding or cut by debris flows. Bonner County was included in a Presidential Disaster Declaration issued as a result of the damage caused by this episode." +116313,702943,INDIANA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-26 19:08:00,EST-5,2017-05-26 19:08:00,0,0,0,0,5.00K,5000,,NaN,40.08,-86.91,40.08,-86.91,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","Tree limbs were snapped and several large signs were blown over, including a gas station price sign, due to damaging thunderstorm wind gusts. Power was out for approximately 10 minutes." +116313,702900,INDIANA,2017,May,Funnel Cloud,"MONTGOMERY",2017-05-26 18:50:00,EST-5,2017-05-26 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-87.07,40.13,-87.07,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","A rain-wrapped funnel cloud was spotted near this location." +116313,702902,INDIANA,2017,May,Hail,"FOUNTAIN",2017-05-26 18:50:00,EST-5,2017-05-26 18:52:00,0,0,0,0,,NaN,,NaN,40.17,-87.11,40.17,-87.11,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","" +116313,702906,INDIANA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-26 19:08:00,EST-5,2017-05-26 19:08:00,0,0,0,0,,NaN,,NaN,40.11,-87,40.11,-87,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","An estimated 70 mph thunderstorm wind gust was observed in this location." +116313,702920,INDIANA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-26 19:08:00,EST-5,2017-05-26 19:08:00,0,0,0,0,7.00K,7000,,NaN,40.04,-86.9,40.04,-86.9,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","Several reports of trees of up to 12 inches in diameter were downed across Crawfordsville due to damaging thunderstorm wind gusts." +116313,703168,INDIANA,2017,May,Thunderstorm Wind,"HENDRICKS",2017-05-26 19:46:00,EST-5,2017-05-26 19:46:00,0,0,0,0,20.00K,20000,,NaN,39.89,-86.48,39.89,-86.48,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","Utility poles were laid down, power was reported to be out, and trees were downed due to damaging thunderstorm wind gusts." +116313,703169,INDIANA,2017,May,Thunderstorm Wind,"HENDRICKS",2017-05-26 19:46:00,EST-5,2017-05-26 19:46:00,0,0,0,0,,NaN,,NaN,39.89,-86.44,39.89,-86.44,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day weekend. On May 26th, storms produced golf ball size hail, 70 mph damaging winds, and funnel clouds during the evening hours.","An amateur radio operator reported a measured 75 mph thunderstorm wind gust." +117102,704500,MISSOURI,2017,May,Hail,"RANDOLPH",2017-05-22 17:21:00,CST-6,2017-05-22 17:22:00,0,0,0,0,0.00K,0,0.00K,0,39.44,-92.54,39.44,-92.54,"On the evening of May 22 some marginally severe hail fell in central Missouri.","" +116605,701242,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 21:07:00,CST-6,2017-05-18 21:10:00,0,0,0,0,0.00K,0,0.00K,0,38.83,-94.89,38.83,-94.89,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","The ASOS in Gardner, Kansas (KIXD) reported a 59 mph wind gust." +116605,701243,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 21:09:00,CST-6,2017-05-18 21:12:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-94.85,38.99,-94.85,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A trained spotter reported a 59 mph wind gust near Bonner Springs." +117102,704501,MISSOURI,2017,May,Hail,"RANDOLPH",2017-05-22 17:25:00,CST-6,2017-05-22 17:26:00,0,0,0,0,0.00K,0,0.00K,0,39.46,-92.45,39.46,-92.45,"On the evening of May 22 some marginally severe hail fell in central Missouri.","" +117102,704502,MISSOURI,2017,May,Hail,"RANDOLPH",2017-05-22 17:25:00,CST-6,2017-05-22 17:26:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-92.46,39.47,-92.46,"On the evening of May 22 some marginally severe hail fell in central Missouri.","" +117102,704503,MISSOURI,2017,May,Hail,"RANDOLPH",2017-05-22 17:26:00,CST-6,2017-05-22 17:27:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-92.44,39.42,-92.44,"On the evening of May 22 some marginally severe hail fell in central Missouri.","" +117104,704510,KANSAS,2017,May,Hail,"JOHNSON",2017-05-27 11:12:00,CST-6,2017-05-27 11:13:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-94.68,38.77,-94.68,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117104,704511,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 10:50:00,CST-6,2017-05-27 10:53:00,0,0,0,0,0.00K,0,0.00K,0,38.81,-94.93,38.81,-94.93,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","A few large tree limbs were down." +116550,701965,FLORIDA,2017,May,Strong Wind,"INLAND OKALOOSA",2017-05-01 01:10:00,CST-6,2017-05-01 01:12:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed behind a line of showers and thunderstorms. This caused gusty winds that produced some damage.","Winds estimated at 40 mph downed a tree on a car in Baker." +116550,700867,FLORIDA,2017,May,Strong Wind,"INLAND SANTA ROSA",2017-05-01 00:00:00,CST-6,2017-05-01 00:02:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed behind a line of showers and thunderstorms. This caused gusty winds that produced some damage.","Winds estimated at 50 mph downed two trees." +116708,701837,ALABAMA,2017,May,Strong Wind,"CLARKE",2017-05-04 04:00:00,CST-6,2017-05-04 05:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed behind a line of showers and thunderstorms. The low produced high winds which caused damage in southwest Alabama.","Winds estimated at 40 to 50 mph associated with a wake low produced widespread tree and power line damage across the county." +116729,701967,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-05-04 05:42:00,CST-6,2017-05-04 05:42:00,0,0,0,0,0.00K,0,0.00K,0,30.5687,-88.086,30.5687,-88.086,"Thunderstorms produced high winds across the marine area.","Weatherflow site at Buccaneer Yacht Club." +116730,701968,MISSISSIPPI,2017,May,Thunderstorm Wind,"STONE",2017-05-12 10:36:00,CST-6,2017-05-12 10:38:00,0,0,0,0,5.00K,5000,0.00K,0,30.7,-89.13,30.7,-89.13,"Thunderstorms produced high winds and caused damage in southeast Mississippi.","Winds estimated at 60 mph downed trees." +116756,702135,ALABAMA,2017,May,Thunderstorm Wind,"BALDWIN",2017-05-12 12:40:00,CST-6,2017-05-12 12:42:00,0,0,0,0,20.00K,20000,0.00K,0,30.88,-87.78,30.88,-87.78,"Thunderstorms moved across southwest Alabama produced high winds that caused damage.","Winds estimated at 60 mph trees and damaged roofs around Bay Minette." +116756,702136,ALABAMA,2017,May,Thunderstorm Wind,"BALDWIN",2017-05-12 12:46:00,CST-6,2017-05-12 12:48:00,0,0,0,0,15.00K,15000,0.00K,0,30.9,-87.65,30.9,-87.65,"Thunderstorms moved across southwest Alabama produced high winds that caused damage.","Winds estimated at 70 mph downed multiple trees. Several fences and roofs were also damaged." +112943,674812,COLORADO,2017,March,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-03-05 21:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,674814,COLORADO,2017,March,High Wind,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-03-06 06:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,674816,COLORADO,2017,March,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,674817,COLORADO,2017,March,High Wind,"CANON CITY VICINITY / EASTERN FREMONT COUNTY",2017-03-06 15:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,674818,COLORADO,2017,March,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-03-06 11:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112791,673752,COLORADO,2017,March,High Wind,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-03-07 06:55:00,MST-7,2017-03-07 06:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673753,COLORADO,2017,March,High Wind,"NE WELD COUNTY",2017-03-07 10:35:00,MST-7,2017-03-07 12:17:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673758,COLORADO,2017,March,High Wind,"LOGAN COUNTY",2017-03-07 10:35:00,MST-7,2017-03-07 12:17:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +115728,703305,ILLINOIS,2017,May,Flood,"CUMBERLAND",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.373,-88.4707,39.1705,-88.4708,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Cumberland County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +115728,703307,ILLINOIS,2017,May,Flash Flood,"CLARK",2017-05-04 09:15:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4797,-88.014,39.173,-88.0094,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall around 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across most of Clark County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Nearly all of the rural roads north of I-70 were closed, particularly along the Edgar County line." +117003,703717,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM BAFFIN BAY TO PT MANSFIELD TX EXT FROM 20 TO 60NM",2017-05-04 00:30:00,CST-6,2017-05-04 01:02:00,0,0,0,0,0.00K,0,0.00K,0,26.968,-96.694,26.968,-96.694,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Buoy 42020 reported peak thunderstorm wind gust of 39 knots at 0030 CST." +113661,685483,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:58:00,CST-6,2017-03-29 01:58:00,0,0,0,0,0.00K,0,0.00K,0,33.1,-96.68,33.1,-96.68,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Amateur radio reported estimated 60 MPH winds in the city of Allen, TX." +113661,685484,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 02:04:00,CST-6,2017-03-29 02:04:00,0,0,0,0,0.00K,0,0.00K,0,33.1021,-96.7981,33.1021,-96.7981,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Amateur radio reported a 75 MPH wind gust near College Pkwy at Hwy 121." +113661,685485,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:55:00,CST-6,2017-03-29 01:55:00,0,0,0,0,5.00K,5000,0.00K,0,33.1519,-96.7331,33.1519,-96.7331,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported that a storm door was ripped off the back of a house and a fence was blown down near the intersection of Stacey and Custer in the city of McKinney, TX." +113661,685487,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:49:00,CST-6,2017-03-29 01:49:00,0,0,0,0,5.00K,5000,0.00K,0,33.15,-96.81,33.15,-96.81,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated that several fences were blown down in the city of Frisco, TX." +113661,685499,TEXAS,2017,March,Thunderstorm Wind,"BOSQUE",2017-03-29 00:29:00,CST-6,2017-03-29 00:29:00,0,0,0,0,0.00K,0,0.00K,0,31.92,-97.65,31.92,-97.65,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported several trees of 8 to 12 inches diameter were blown down." +113661,685501,TEXAS,2017,March,Thunderstorm Wind,"BOSQUE",2017-03-29 01:15:00,CST-6,2017-03-29 01:15:00,0,0,0,0,3.00K,3000,0.00K,0,31.9,-97.52,31.9,-97.52,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that three power poles were snapped in half. Debris was facing east." +113661,685507,TEXAS,2017,March,Thunderstorm Wind,"BOSQUE",2017-03-29 01:25:00,CST-6,2017-03-29 01:25:00,0,0,0,0,5.00K,5000,0.00K,0,32.02,-97.47,32.02,-97.47,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that the roof of one old home was removed." +114963,690056,UTAH,2017,March,Winter Storm,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-03-30 17:00:00,MST-7,2017-03-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow-moving storm system moved through Utah at the end of March and beginning of April, bringing strong thunderstorms on March 30, followed by heavy snow in southern and western Utah, as well as strong downslope winds in northern Utah March 31 through April 1. Note that this episode continued into April.","Ibapah received 10 inches of snow. In addition, winds were strong along the cold front on the afternoon of March 30, with peak wind gusts of 65 mph at the |I-80 @ mp 1 sensor, 61 mph at SR-30 at Curlew, and 58 mph at the Interstate 80 sensor. With these strong winds, a semitrailer was blown over on Interstate 80 near milepost 1." +115024,690260,MICHIGAN,2017,March,Winter Storm,"IOSCO",2017-03-13 10:00:00,EST-5,2017-03-14 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossed the Ohio Valley, with cold northeast winds in place across northern Michigan. This resulted in lake-enhanced snowfall off of Lake Huron into northeast lower Michigan. The Oscoda area picked up around 15 inches of accumulation by late morning of the 14th, and Whittemore picked up 9 inches, while much lesser amounts fell elsewhere.","" +115022,690252,MICHIGAN,2017,March,High Wind,"EMMET",2017-03-07 12:00:00,EST-5,2017-03-07 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure in south central Canada pushed a cold/occluded front across northern Michigan early on the 7th. Strong winds occurred behind the front, with a few places (Pellston, Ossineke) seeing measured gusts to around 60 mph. Gusts of 45 to 55 mph were very common across all of northern Michigan. Another strong wind event occurred on the 8th, with 40 to 55 mph gusts common, though with no gusts approaching 60 mph.","The airport in Pellston had a measured gust of 61 mph. Spotty tree damage and power outages were reported." +115022,690253,MICHIGAN,2017,March,High Wind,"ALPENA",2017-03-07 12:00:00,EST-5,2017-03-07 15:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure in south central Canada pushed a cold/occluded front across northern Michigan early on the 7th. Strong winds occurred behind the front, with a few places (Pellston, Ossineke) seeing measured gusts to around 60 mph. Gusts of 45 to 55 mph were very common across all of northern Michigan. Another strong wind event occurred on the 8th, with 40 to 55 mph gusts common, though with no gusts approaching 60 mph.","A spotter in Ossineke had a measured gust of 60 mph. Tree damage and multiple power outages were reported." +113544,679702,WEST VIRGINIA,2017,March,Thunderstorm Wind,"GREENBRIER",2017-03-01 10:50:00,EST-5,2017-03-01 11:25:00,0,0,0,0,35.00K,35000,0.00K,0,38.1012,-80.8817,37.8239,-80.2098,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the morning hours of March 1st, entering southeast West Virginia before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, providing the needed instability for the line of storms to track across the region.","Numerous trees and power lines were blown down across Greenbrier County." +113212,690339,GEORGIA,2017,March,Drought,"NORTH FULTON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690355,GEORGIA,2017,March,Drought,"DADE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,690039,GEORGIA,2017,March,Thunderstorm Wind,"CHATTOOGA",2017-03-21 18:40:00,EST-5,2017-03-21 18:55:00,0,0,0,0,15.00K,15000,,NaN,34.5665,-85.3988,34.54,-85.32,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Chattooga County Emergency Manager reported numerous trees and power lines blown down between Teloga and Trion." +114280,690033,GEORGIA,2017,March,Thunderstorm Wind,"UNION",2017-03-21 18:35:00,EST-5,2017-03-21 18:45:00,0,0,0,0,0.50K,500,,NaN,34.85,-84.13,34.85,-84.13,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County Emergency Manager reported a tree blown down across the road around the intersection of Jones Creek Road and Elisha Payne Circle." +114280,690044,GEORGIA,2017,March,Thunderstorm Wind,"GORDON",2017-03-21 18:43:00,EST-5,2017-03-21 18:55:00,0,0,0,0,50.00K,50000,,NaN,34.55,-84.94,34.5439,-84.8381,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Gordon County Emergency Manager reported damage from thunderstorm winds from Damascus to Redbud including numerous trees and power lines down as well as a church and apartment complex damaged along Tate Bend Road. A home had a roof damaged as well as a tree downed along Hunts Gin Road." +114280,690047,GEORGIA,2017,March,Thunderstorm Wind,"PICKENS",2017-03-21 18:57:00,EST-5,2017-03-21 19:15:00,0,0,0,0,50.00K,50000,,NaN,34.464,-84.4392,34.3943,-84.3721,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A trained spotter and the public reported thunderstorm wind damage across Pickens County including roof damage in Jasper, an auto repair garage heavily damaged near the Pickens County Airport and around 25 very large trees snapped or uprooted along Pickens Street in Nelson." +113054,686270,NORTH DAKOTA,2017,March,High Wind,"LA MOURE",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for LaMoure County using the Jamestown ASOS in Stutsman County." +113054,686271,NORTH DAKOTA,2017,March,High Wind,"KIDDER",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Kidder County using the Jamestown ASOS in Stutsman County." +114273,684675,GEORGIA,2017,March,Thunderstorm Wind,"CHATTOOGA",2017-03-01 16:28:00,EST-5,2017-03-01 16:35:00,0,0,0,0,10.00K,10000,,NaN,34.4711,-85.3558,34.4027,-85.4015,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The manager of the Crushed Tomato Restaurant reported a tree blown down onto a car on Montgomery Street in Summerville and the public reported large tree branches blown down as far south as Lyerly." +114273,684676,GEORGIA,2017,March,Hail,"CHATTOOGA",2017-03-01 16:29:00,EST-5,2017-03-01 16:35:00,0,0,0,0,,NaN,,NaN,34.471,-85.3545,34.471,-85.3545,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The manager of the Crushed Tomato restaurant in Summerville reported ping pong ball size hail." +114273,684677,GEORGIA,2017,March,Hail,"CHATTOOGA",2017-03-01 16:30:00,EST-5,2017-03-01 16:35:00,0,0,0,0,,NaN,,NaN,34.4041,-85.4054,34.4041,-85.4054,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The public reported quarter size hail in Lyerly." +114273,684680,GEORGIA,2017,March,Hail,"GORDON",2017-03-01 17:02:00,EST-5,2017-03-01 17:07:00,0,0,0,0,410.00K,410000,,NaN,34.4518,-84.9145,34.4518,-84.9145,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","Golf ball size hail was reported at the Sunoco gas station on Belwood Road." +114273,684684,GEORGIA,2017,March,Hail,"GORDON",2017-03-01 17:02:00,EST-5,2017-03-01 17:07:00,0,0,0,0,,NaN,,NaN,34.4648,-84.9129,34.4648,-84.9129,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Gordon County Emergency Manager reported ping pong ball size hail at the Gordon County Emergency Management Building." +114273,684682,GEORGIA,2017,March,Hail,"GORDON",2017-03-01 17:00:00,EST-5,2017-03-01 17:07:00,0,0,0,0,410.00K,410000,,NaN,34.45,-84.9284,34.45,-84.9284,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","Golf ball size hail caused significant damage to vehicles on Boling Industrial Blvd." +113642,684679,INDIANA,2017,March,Hail,"JOHNSON",2017-03-01 00:24:00,EST-5,2017-03-01 00:26:00,0,0,0,0,,NaN,0.00K,0,39.49,-86.06,39.49,-86.06,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","" +113642,684683,INDIANA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-01 01:37:00,EST-5,2017-03-01 01:37:00,0,0,0,0,8.00K,8000,0.00K,0,38.9719,-85.8801,38.9719,-85.8801,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","Utility lines were downed and a power station was on fire near the 10th and North Obrien Streets intersection due to damaging thunderstorm wind gusts." +113642,684685,INDIANA,2017,March,Thunderstorm Wind,"MARION",2017-03-01 03:45:00,EST-5,2017-03-01 03:45:00,0,0,0,0,0.10K,100,0.00K,0,39.91,-86.02,39.91,-86.02,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","Small tree limbs, garden furniture, and fountains were blown down due to strong thunderstorm wind gusts." +113642,684686,INDIANA,2017,March,Thunderstorm Wind,"DAVIESS",2017-03-01 05:10:00,EST-5,2017-03-01 05:10:00,0,0,0,0,5.00K,5000,0.00K,0,38.66,-87.17,38.66,-87.17,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","A storage shed was blown over due to damaging thunderstorm wind gusts. Trees were also reported down and the power was out in the area." +113642,684691,INDIANA,2017,March,Thunderstorm Wind,"DAVIESS",2017-03-01 05:10:00,EST-5,2017-03-01 05:10:00,0,0,0,0,7.00K,7000,0.00K,0,38.5918,-87.1609,38.5918,-87.1609,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","A school's portable building was blown off it's foundation due to damaging thunderstorm wind gusts. A nearby trailer was also damaged." +114274,689137,GEORGIA,2017,March,Thunderstorm Wind,"TROUP",2017-03-10 04:55:00,EST-5,2017-03-10 05:15:00,0,0,0,0,25.00K,25000,,NaN,33.07,-85.03,32.9052,-84.9678,"A strong short wave and associated cold front produced a line of strong to severe thunderstorms that swept across north Georgia during the early morning hours. Despite only marginal instability, strong low and mid-layer shear helped to produce scatter reports of damaging thunderstorm winds and an isolated report of large hail.","The Troup County 911 center reported several trees blown down across the center of the county. Locations include Waverly Way, Patillo Road, Poplar Circle, Knott Road at Smokey Road, Barltley Road, Flat Shoals Church Road at Salem Farm Road, and on New Franklin Road where a tree fell on a house. No injuries were reported." +114280,689972,GEORGIA,2017,March,Hail,"DADE",2017-03-21 16:20:00,EST-5,2017-03-21 16:30:00,0,0,0,0,,NaN,,NaN,34.85,-85.51,34.85,-85.51,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The public reported quarter size hail." +114280,689974,GEORGIA,2017,March,Hail,"HALL",2017-03-21 16:40:00,EST-5,2017-03-21 16:50:00,0,0,0,0,1787.00K,1787000,,NaN,34.43,-83.66,34.43,-83.66,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","An amateur radio operator reported golf ball size hail." +114280,689975,GEORGIA,2017,March,Hail,"WHITE",2017-03-21 17:05:00,EST-5,2017-03-21 17:15:00,0,0,0,0,432.00K,432000,,NaN,34.6,-83.76,34.6,-83.76,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The White County Emergency Manager reported golf ball size hail in Cleveland." +114280,689983,GEORGIA,2017,March,Hail,"BANKS",2017-03-21 17:05:00,EST-5,2017-03-21 17:15:00,0,0,0,0,,NaN,,NaN,34.41,-83.56,34.41,-83.56,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A report of quarter size hail was received on social media." +114612,687379,TEXAS,2017,March,Hail,"MOORE",2017-03-23 19:14:00,CST-6,2017-03-23 19:14:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.97,35.86,-101.97,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Ping pong ball hail reported in Dumas and is breaking windows." +114612,687380,TEXAS,2017,March,Hail,"MOORE",2017-03-23 19:17:00,CST-6,2017-03-23 19:17:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.98,35.86,-101.98,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +114612,687381,TEXAS,2017,March,Thunderstorm Wind,"POTTER",2017-03-23 19:39:00,CST-6,2017-03-23 19:39:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-101.72,35.22,-101.72,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +113748,680961,KENTUCKY,2017,March,Thunderstorm Wind,"GRAVES",2017-03-07 04:20:00,CST-6,2017-03-07 04:28:00,0,0,0,0,75.00K,75000,0.00K,0,36.88,-88.7062,36.88,-88.63,"An east-southeast moving squall line crossed western Kentucky during the early morning hours, producing isolated microbursts in the Purchase area of western Kentucky. Although instability was very meager, a strong southwesterly low-level jet of 50 to 65 knots enhanced the threat of damaging winds in the pre-dawn hours. The squall line was located immediately ahead of a cold front that moved southeast out of southeast Missouri and southern Illinois.","A microburst containing winds estimated near 95 mph heavily damaged several barns and broke large tree branches. Roof debris was blown a considerable distance in some cases." +113798,681299,MISSOURI,2017,March,Hail,"CHRISTIAN",2017-03-21 09:43:00,CST-6,2017-03-21 09:43:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-93.59,37.04,-93.59,"An upper level disturbance pushed across the area and interacted with elevated instability to produce some strong to severe storms with hail. While most of the hail was pea to dime size, some of the stronger storms produced hail to the size of quarters up to golf ball size.","Hail up to the size of quarters fell between Billings and Marionville." +113543,683110,IOWA,2017,March,Hail,"FLOYD",2017-03-06 18:59:00,CST-6,2017-03-06 18:59:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-92.87,43.04,-92.87,"A line of thunderstorms developed along a cold front and moved across northeast Iowa during the evening hours of March 6th. These storms produced large hail and some damaging winds. The largest hail reported was quarter sized in several locations from Nora Springs (Floyd County) northeast to Riceville (Howard County). In Davis Corners (Howard County), winds from the thunderstorms damaged several buildings and blew down some trees. Wind gusts over 70 mph were reported across southern Clayton County in Elkader, south of Littleport and in Edgewood.","" +114195,683962,WISCONSIN,2017,March,Hail,"LAFAYETTE",2017-03-23 17:02:00,CST-6,2017-03-23 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-89.97,42.79,-89.97,"An elevated warm front pushed into southern Wisconsin, leading to a cluster of thunderstorms. A few storms were particularly strong, leading to several reports of small hail, along with more isolated reports of large hail.","" +113399,678577,WASHINGTON,2017,February,Ice Storm,"UPPER COLUMBIA BASIN",2017-02-08 11:00:00,PST-8,2017-02-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","A spotter near Davenport reported 3.2 inches of snow with a thick layer of ice on the snow." +113399,678580,WASHINGTON,2017,February,Ice Storm,"SPOKANE AREA",2017-02-08 14:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in north Spokane reported 3 inches of snow with 1 inch of Ice accumulation from freezing rain. The snow occurred first then the freezing rain fell overnight." +113399,678579,WASHINGTON,2017,February,Winter Storm,"UPPER COLUMBIA BASIN",2017-02-08 10:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Grand Coulee reported 2.7 inches of new snow mixed with freezing rain ice accumulation." +113563,680074,NEW YORK,2017,February,Winter Storm,"NEW YORK (MANHATTAN)",2017-02-09 04:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Central Park reported 9.4 inches of snow." +113563,680077,NEW YORK,2017,February,Winter Storm,"NORTHERN NASSAU",2017-02-09 05:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters and the public reported 10 to 13 inches of snowfall. Winds gusted to 50 mph in Oyster Bay at 12:41 pm, 45 mph at nearby Farmingdale Airport at 1:52 pm." +113563,680076,NEW YORK,2017,February,Winter Storm,"SOUTHWEST SUFFOLK",2017-02-09 05:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Islip Airport reported 14.3 inches of snow. Trained spotters, NWS Employees, and the Public reported 12 to 16 inches of snowfall. Winds also gusted to 48 mph at the Islip Airport at 1:47 pm." +113171,677267,GEORGIA,2017,February,Drought,"MURRAY",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677278,GEORGIA,2017,February,Drought,"GILMER",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113310,678143,ILLINOIS,2017,February,Hail,"KNOX",2017-02-28 15:18:00,CST-6,2017-02-28 15:23:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-90.16,41.12,-90.16,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +113833,681603,WYOMING,2017,February,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-02-25 21:25:00,MST-7,2017-02-26 00:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds affected Arlington and Bordeaux. The strong winds produced blowing snow and poor visibilities along Interstate 80 between Arlington and Elk Mountain.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +115037,690431,KENTUCKY,2017,May,Hail,"WAYNE",2017-05-30 15:26:00,EST-5,2017-05-30 15:26:00,0,0,0,0,0.00K,0,0.00K,0,36.8166,-84.8231,36.8166,-84.8231,"A cluster of storms developed late this afternoon, with one producing up to nickel sized hail near Monticello.","A trained spotter observed nickel sized hail in Monticello." +114938,689413,NEVADA,2017,May,Thunderstorm Wind,"NYE",2017-05-24 14:53:00,PST-8,2017-05-24 14:56:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-117.09,38.06,-117.09,"Thunderstorm wind gusts up to 58 mph were reported in northwest and central Nevada.","" +114938,689414,NEVADA,2017,May,Thunderstorm Wind,"HUMBOLDT",2017-05-24 17:37:00,PST-8,2017-05-24 17:41:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-117.8,40.91,-117.8,"Thunderstorm wind gusts up to 58 mph were reported in northwest and central Nevada.","" +115120,690992,WYOMING,2017,May,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-05-17 16:00:00,MST-7,2017-05-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","The Cloud Peak SNOTEL site measured 12 inches of new snow." +115120,690997,WYOMING,2017,May,Winter Storm,"ABSAROKA MOUNTAINS",2017-05-17 14:00:00,MST-7,2017-05-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","Heavy snow fell in portions of the Absaroka mountains. The highest amount recorded was 16 inches at the Marquette SNOTEL." +117505,706695,ATLANTIC NORTH,2017,May,Marine Hail,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-05-25 17:15:00,EST-5,2017-05-25 17:15:00,0,0,0,0,,NaN,,NaN,38.7615,-76.3188,38.7615,-76.3188,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Nickel sized hail was reported in Sherwood." +116250,698904,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-05-05 03:40:00,EST-5,2017-05-05 03:41:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"Thunderstorms that continued over land areas overnight eventually moved out into the Atlantic coastal waters in the early morning hours. These thunderstorms occurred ahead of a cold front and produced strong wind gusts.","Buoy 41004 measured a 43 knot wind gust from a passing thunderstorm." +116255,698905,GEORGIA,2017,May,Hail,"LIBERTY",2017-05-13 13:33:00,EST-5,2017-05-13 13:34:00,0,0,0,0,,NaN,0.00K,0,31.82,-81.59,31.82,-81.59,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","Penny sized hail was reported near the intersection of Cambridge Court and Wexford Drive." +116255,698906,GEORGIA,2017,May,Thunderstorm Wind,"BULLOCH",2017-05-13 13:07:00,EST-5,2017-05-13 13:08:00,0,0,0,0,,NaN,0.00K,0,32.43,-81.77,32.43,-81.77,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","Bulloch County dispatch reported 2 trees down and power lines down in the 130 block of Gentilly Road." +116255,698907,GEORGIA,2017,May,Thunderstorm Wind,"BULLOCH",2017-05-13 12:57:00,EST-5,2017-05-13 12:58:00,0,0,0,0,,NaN,0.00K,0,32.39,-81.87,32.39,-81.87,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","Bulloch County dispatch reported a tree down on power lines in the 2000 block of Cypress Lake Road." +116255,698908,GEORGIA,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-13 13:52:00,EST-5,2017-05-13 13:53:00,0,0,0,0,,NaN,0.00K,0,31.84,-81.38,31.84,-81.38,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","Liberty County dispatch reported a tree down on power lines in the 50 block of Jerico Drive." +116255,698909,GEORGIA,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-13 14:20:00,EST-5,2017-05-13 14:21:00,0,0,0,0,,NaN,0.00K,0,31.72,-81.25,31.72,-81.25,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","Liberty County dispatch reported a tree down on power lines on Lake Pamona Road." +116255,698910,GEORGIA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-13 13:58:00,EST-5,2017-05-13 13:59:00,0,0,0,0,0.50K,500,0.00K,0,32.13,-81.3,32.13,-81.3,"Thunderstorms started developing in the early afternoon hours across southeast Georgia as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","A local broadcast meteorologist relayed a report of a tree down near the intersection of Church Street and Main Street. A picture of the tree was received via Twitter which showed that the tree was rotted and dead." +115945,697641,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:37:00,EST-5,2017-05-31 17:37:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-72.72,42.4,-72.72,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 537 PM EST, hail in Williamsburg was reported as being between Dime size and Nickel size." +115945,697646,MASSACHUSETTS,2017,May,Hail,"FRANKLIN",2017-05-31 17:53:00,EST-5,2017-05-31 17:53:00,0,0,0,0,0.00K,0,0.00K,0,42.45,-72.5,42.45,-72.5,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 553 PM EST, Hail was reported in Leverett up to Nickel Size." +115945,697655,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 18:07:00,EST-5,2017-05-31 18:07:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-72.67,42.34,-72.67,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 607 PM EST, Hail at Florence was up to Nickel size." +115945,697657,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 18:16:00,EST-5,2017-05-31 18:16:00,0,0,0,0,0.00K,0,0.00K,0,42.2326,-72.5743,42.2326,-72.5743,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 616 PM EST, Hail up to Quarter size was reported on Marcel Street in South Hadley." +115945,697660,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:39:00,EST-5,2017-05-31 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 639 PM EST, Hail up to 1 inch diameter was reported in Westfield." +115945,697667,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:49:00,EST-5,2017-05-31 18:49:00,0,0,0,0,0.00K,0,0.00K,0,42.1503,-72.6991,42.1159,-72.7,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 649 PM EST, Hail up to 1 inch in diameter was reported on East Mountain Road in Westfield." +115945,697671,MASSACHUSETTS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-31 17:30:00,EST-5,2017-05-31 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,42.5364,-72.5712,42.5164,-72.5692,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 530 PM EST, multiple trees were reported down on wires on River Road in Deerfield." +115945,697674,MASSACHUSETTS,2017,May,Thunderstorm Wind,"HAMPSHIRE",2017-05-31 17:15:00,EST-5,2017-05-31 17:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.5236,-72.9314,42.5236,-72.9314,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 515 PM EST, strong winds were reported that blew down multiple large trees and damaged the roof of a building on Prospect Street in Plainfield." +114869,689092,ALABAMA,2017,May,Thunderstorm Wind,"DALE",2017-05-20 16:00:00,CST-6,2017-05-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5357,-85.7174,31.5357,-85.7174,"A round of showers and thunderstorms ahead of a cold front impacted the tri-state area during the afternoon and evening of May 20th. A few storms were severe with the main impacts to trees and power lines, although there was also one report of large hail.","Trees were blown down on County Road 11." +114869,689093,ALABAMA,2017,May,Hail,"COFFEE",2017-05-20 22:50:00,CST-6,2017-05-20 22:50:00,0,0,0,0,0.00K,0,0.00K,0,31.3302,-85.828,31.3302,-85.828,"A round of showers and thunderstorms ahead of a cold front impacted the tri-state area during the afternoon and evening of May 20th. A few storms were severe with the main impacts to trees and power lines, although there was also one report of large hail.","Quarter sized hail was reported northeast of Enterprise." +114869,689094,ALABAMA,2017,May,Thunderstorm Wind,"DALE",2017-05-20 23:05:00,CST-6,2017-05-20 23:05:00,0,0,0,0,0.00K,0,0.00K,0,31.5313,-85.6692,31.5313,-85.6692,"A round of showers and thunderstorms ahead of a cold front impacted the tri-state area during the afternoon and evening of May 20th. A few storms were severe with the main impacts to trees and power lines, although there was also one report of large hail.","A tree was blown down onto Highway 123, mile marker 38, just south of West County Road 19." +114870,689098,GEORGIA,2017,May,Tornado,"RANDOLPH",2017-05-23 10:46:00,EST-5,2017-05-23 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.6552,-84.8836,31.6919,-84.7159,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","Damage consisted primarily of minor tree damage. A single family home suffered minor roof damage, and a carport collapsed along Fountain Bridge Road. This tornado was rated EF0 with peak winds estimated near 80 mph. Damage cost was estimated." +114870,689101,GEORGIA,2017,May,Tornado,"COOK",2017-05-24 15:48:00,EST-5,2017-05-24 15:53:00,0,0,0,0,5.00K,5000,0.00K,0,31.1661,-83.3577,31.179,-83.3461,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","This tornado started near the intersection of Hutchinson Parrish and Howard Bennett Roads and moved north-northeast across an open field, growing in size to roughly 0.3 miles wide. The tornado then impacted an irrigation pivot along the south side of Boone Road, before impacting several residences on the north side of Boone Road. While there were sporadic instances of trees uprooted or snapped, all structural damage associated with this tornado was minor and mainly limited to the loss of metal roofs and shingles. Damage cost was estimated." +114870,689102,GEORGIA,2017,May,Thunderstorm Wind,"LANIER",2017-05-20 19:14:00,EST-5,2017-05-20 19:14:00,0,0,0,0,2.00K,2000,0.00K,0,31.07,-83.16,31.07,-83.16,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","Damage occurred to privacy fences at 2 different properties in the area. A large trampoline was blown away and could not be found, and a sign was blown down. Damage cost was estimated." +114653,698471,MISSOURI,2017,May,Thunderstorm Wind,"MILLER",2017-05-19 02:12:00,CST-6,2017-05-19 02:12:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-92.58,38.35,-92.58,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A few large tree limbs were blown down." +114653,698472,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-19 01:09:00,CST-6,2017-05-19 01:09:00,0,0,0,0,0.00K,0,0.00K,0,37,-92.9,37,-92.9,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Two very large oak trees were blown down on Leming Road at the Douglas and Christian County line." +114653,698473,MISSOURI,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-19 01:02:00,CST-6,2017-05-19 01:02:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-92.81,36.87,-92.81,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees were blown down on DD Highway south of Goodhope close to Plainview School." +114653,698474,MISSOURI,2017,May,Thunderstorm Wind,"MARIES",2017-05-19 02:50:00,CST-6,2017-05-19 02:50:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-91.76,38.12,-91.76,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","" +114653,698475,MISSOURI,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-19 01:20:00,CST-6,2017-05-19 01:20:00,0,0,0,0,5.00K,5000,0.00K,0,37.21,-93.05,37.21,-93.05,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large trees were block down on to power lines and poles." +114653,698477,MISSOURI,2017,May,Thunderstorm Wind,"BARTON",2017-05-18 22:48:00,CST-6,2017-05-18 22:48:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-94.52,37.56,-94.52,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several medium size trees and large tree branches were blown down near Liberal." +114653,698478,MISSOURI,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-19 01:07:00,CST-6,2017-05-19 01:07:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.06,37.12,-93.06,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large trees were blown down near Rogersville. There were pictures on social media." +115293,692207,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:28:00,CST-6,2017-05-16 20:33:00,0,0,0,0,,NaN,,NaN,32.0069,-102.1528,32.0069,-102.1528,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692208,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:30:00,CST-6,2017-05-16 20:35:00,0,0,0,0,,NaN,,NaN,31.979,-102.1479,31.979,-102.1479,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692209,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:40:00,CST-6,2017-05-16 20:45:00,0,0,0,0,,NaN,,NaN,32.0121,-101.9622,32.0121,-101.9622,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692210,TEXAS,2017,May,Hail,"MIDLAND",2017-05-16 20:30:00,CST-6,2017-05-16 20:35:00,0,0,0,0,,NaN,,NaN,32.0041,-102.1617,32.0041,-102.1617,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115293,692211,TEXAS,2017,May,Hail,"DAWSON",2017-05-16 20:31:00,CST-6,2017-05-16 20:36:00,0,0,0,0,,NaN,,NaN,32.52,-101.72,32.52,-101.72,"An upper level low pressure system was over the southern Rocky Mountains and a dryline was across the Permian Basin. There was also an eastward advancing Pacific cold front which collided with the dryline. Large scale lift was over the region and there was strong wind shear and good instability across the area. These conditions contributed to thunderstorms with large hail across the Permian Basin.","" +115299,692215,TEXAS,2017,May,Hail,"MITCHELL",2017-05-19 01:45:00,CST-6,2017-05-19 01:50:00,0,0,0,0,,NaN,,NaN,32.4,-100.85,32.4,-100.85,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +114533,687103,TEXAS,2017,May,Thunderstorm Wind,"NACOGDOCHES",2017-05-11 19:18:00,CST-6,2017-05-11 19:18:00,0,0,0,0,0.00K,0,0.00K,0,31.8153,-94.6795,31.8153,-94.6795,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","A tree was blown down across Farm to Market Road 1087 about 100 yards east of Highway 259." +114533,687106,TEXAS,2017,May,Tornado,"SHELBY",2017-05-11 19:44:00,CST-6,2017-05-11 19:45:00,0,0,0,0,25.00K,25000,0.00K,0,31.86,-94.4618,31.8693,-94.4547,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","The is a continuation of the Nacogdoches and Rusk County tornado that initially touched down just southwest of Garrison. This tornado had weakened into an EF-1 tornado with maximum estimated winds of 90-95 mph as it entered Northwest Shelby County along Highway 59. At least one outbuilding was heavily damaged as the roof and one wall were torn off, and numerous trees were snapped or uprooted. The tornado finally lifted just beyond County Road 4759 northwest of Highway 59." +115178,691483,LOUISIANA,2017,May,Hail,"BOSSIER",2017-05-28 09:12:00,CST-6,2017-05-28 09:12:00,0,0,0,0,0.00K,0,0.00K,0,32.5773,-93.6724,32.5773,-93.6724,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Quarter size hail fell in the Tiburon subdivision in North Bossier City. Report via the NWS-Shreveport Facebook page." +115178,691695,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:54:00,CST-6,2017-05-28 17:54:00,0,0,0,0,0.00K,0,0.00K,0,31.9712,-93.4478,31.9712,-93.4478,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large tree was blown down blocking Highway 177. Other tree debris was in the roadway as well." +115474,693419,MINNESOTA,2017,May,Thunderstorm Wind,"OTTER TAIL",2017-05-28 15:30:00,CST-6,2017-05-28 15:30:00,0,0,0,0,,NaN,,NaN,46.47,-96.22,46.47,-96.22,"The mid level low drifted from southern Manitoba, Canada, into north central Minnesota on May 28th. Cold temperatures aloft combined with daytime heating to set off scattered afternoon thunderstorms. Once again, the surface layer remained quite dry, which kept a favorable environment for strong wind gusts and outflows.","A few trees were blown down just east of Rothsay." +115472,696572,NORTH DAKOTA,2017,May,Thunderstorm Wind,"RAMSEY",2017-05-27 17:13:00,CST-6,2017-05-27 17:13:00,0,0,0,0,,NaN,,NaN,48.07,-98.87,48.07,-98.87,"A mid level low pressure system over southern Manitoba, Canada, kept a pool of cold temperatures aloft over the Devils Lake region during the early evening of May 27th. Daytime heating led to afternoon and evening showers and thunderstorms, but the air near the surface remained very dry. This set up an environment conducive for strong wind gusts and outflow from the showers and storms.","The wind gust was measured by a ND DOT sensor. The strong wind blew down a tree at Sullys Hill Game Preserve, blocking the road." +115786,698649,PENNSYLVANIA,2017,June,Flood,"MONTGOMERY",2017-06-24 07:00:00,EST-5,2017-06-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-75.12,40.1695,-75.0792,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","Several roads were closed due to high water. A car got stuck at the intersection of Philmont and Red lion roads." +115786,698651,PENNSYLVANIA,2017,June,Flood,"PHILADELPHIA",2017-06-24 07:00:00,EST-5,2017-06-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8847,-75.3182,39.8784,-75.3188,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds.","Water several inches deep on roads." +116245,698874,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BERKS",2017-06-30 18:30:00,EST-5,2017-06-30 18:30:00,0,0,0,0,,NaN,,NaN,40.52,-75.83,40.52,-75.83,"A severe thunderstorm moves through Berks county PA.","The top half of a pole was taken down along damage to a fence." +115737,695599,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 12:11:00,CST-6,2017-05-03 12:11:00,0,0,0,0,1.00K,1000,0.00K,0,32.52,-96.8,32.52,-96.8,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur Radio reported quarter size hail in the city of Red Oak." +115737,695600,TEXAS,2017,May,Hail,"BOSQUE",2017-05-03 12:12:00,CST-6,2017-05-03 12:12:00,0,0,0,0,1.00K,1000,0.00K,0,31.9233,-97.6571,31.9233,-97.6571,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Meridian Voluntary Fire Department reported quarter size hail in Meridian." +115737,695604,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 12:12:00,CST-6,2017-05-03 12:12:00,0,0,0,0,1.00K,1000,0.00K,0,32.494,-96.8145,32.494,-96.8145,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail 2 miles SSW of Red Oak." +115737,695605,TEXAS,2017,May,Hail,"ELLIS",2017-05-03 13:01:00,CST-6,2017-05-03 13:01:00,0,0,0,0,1.00K,1000,0.00K,0,32.3282,-96.6265,32.3282,-96.6265,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur Radio reported quarter size hail in downtown Ennis." +115737,695607,TEXAS,2017,May,Hail,"HILL",2017-05-03 13:19:00,CST-6,2017-05-03 13:19:00,0,0,0,0,1.50K,1500,0.00K,0,31.85,-97.22,31.85,-97.22,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Law Enforcement reported via Social Media half dollar size hail in Aquilla." +115737,695610,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 13:29:00,CST-6,2017-05-03 13:29:00,0,0,0,0,1.50K,1500,0.00K,0,32.33,-96.17,32.33,-96.17,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail for several minutes and a some half dollar size hail." +115737,695611,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-03 13:30:00,CST-6,2017-05-03 13:30:00,0,0,0,0,1.00K,1000,0.00K,0,31.8,-97.1,31.8,-97.1,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Emergency Manager reported hail up to quarter size in West." +115737,695614,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 13:34:00,CST-6,2017-05-03 13:34:00,0,0,0,0,1.00K,1000,0.00K,0,32.3305,-96.0413,32.3305,-96.0413,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail approximately 3 miles NW of Eustace." +115737,695615,TEXAS,2017,May,Hail,"HILL",2017-05-03 13:39:00,CST-6,2017-05-03 13:39:00,0,0,0,0,1.00K,1000,0.00K,0,31.85,-97.22,31.85,-97.22,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","County official reported half dollar size hail in Aquilla." +114213,684174,KENTUCKY,2017,March,Hail,"MCLEAN",2017-03-27 13:05:00,CST-6,2017-03-27 13:05:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-87.27,37.42,-87.27,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A trained spotter reported dime-size hail, with a few hailstones the size of a quarter." +112843,675387,KANSAS,2017,March,Thunderstorm Wind,"BOURBON",2017-03-06 20:50:00,CST-6,2017-03-06 20:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.84,-94.85,37.84,-94.85,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","A barn was destroyed near Indian Road and 115th Street." +114213,684063,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-27 12:30:00,CST-6,2017-03-27 12:39:00,0,0,0,0,0.00K,0,0.00K,0,36.6634,-88.32,36.7,-88.27,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A hailstorm passed north of Murray, affecting areas along Highway 641 north of Highway 80. The hail extended east through the Almo area. The hail was mainly quarter-size." +112843,675389,KANSAS,2017,March,Thunderstorm Wind,"BOURBON",2017-03-06 21:00:00,CST-6,2017-03-06 21:00:00,0,0,0,0,25.00K,25000,0.00K,0,37.84,-94.71,37.84,-94.71,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","A NWS storm survey found that wind gusts estimated up to 90 mph damaged several businesses near the intersection of Highway 69 and 12th Street. Video from a dashcam on social media showed a roof blown off a gas station store and other structures nearby. Time was estimated by radar." +112920,674646,IOWA,2017,March,Hail,"WINNEBAGO",2017-03-06 17:05:00,CST-6,2017-03-06 17:05:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-93.94,43.39,-93.94,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported ongoing quarter sized hail." +112920,674647,IOWA,2017,March,Hail,"POCAHONTAS",2017-03-06 17:11:00,CST-6,2017-03-06 17:11:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-94.49,42.59,-94.49,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported nickel sized hail." +112920,674649,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 17:18:00,CST-6,2017-03-06 17:18:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-94.29,42.28,-94.29,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported dime to quarter sized hail covering the ground." +112920,674648,IOWA,2017,March,Hail,"GREENE",2017-03-06 17:15:00,CST-6,2017-03-06 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,42.15,-94.38,42.15,-94.38,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported quarter to half dollar sized hail via social media." +112920,674643,IOWA,2017,March,Hail,"WINNEBAGO",2017-03-06 16:58:00,CST-6,2017-03-06 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,43.48,-93.86,43.48,-93.86,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Local Fire Department reported nearly golf ball sized hail." +112920,675028,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 17:33:00,CST-6,2017-03-06 17:33:00,0,0,0,0,1.00K,1000,0.00K,0,42.37,-94.11,42.37,-94.11,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported up to golf ball sized hail." +112822,674084,MICHIGAN,2017,March,High Wind,"CLINTON",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A 64 mph peak wind gust was measured at the Capital City airport in Lansing. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674085,MICHIGAN,2017,March,High Wind,"ALLEGAN",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,12.00M,12000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674086,MICHIGAN,2017,March,High Wind,"BARRY",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages. A roof was also partially ripped off of a school in Lakewood." +112822,674087,MICHIGAN,2017,March,High Wind,"EATON",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +114213,684178,KENTUCKY,2017,March,Hail,"GRAVES",2017-03-27 12:14:00,CST-6,2017-03-27 12:14:00,0,0,0,0,,NaN,,NaN,36.6433,-88.5062,36.6433,-88.5062,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A photograph of a hailstone indicated it was still the size of a golf ball after two hours of melting." +114213,684135,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-27 12:18:00,CST-6,2017-03-27 12:25:00,0,0,0,0,,NaN,,NaN,36.6232,-88.486,36.7,-88.38,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A hailstorm moved out of the Farmington area of Graves County across the Coldwater and Kirksey areas of western Calloway County. Quarter to golf-ball size hail fell from the Graves County line across Coldwater to Kirksey. Some cars were damaged." +114213,684070,KENTUCKY,2017,March,Hail,"CALLOWAY",2017-03-27 12:50:00,CST-6,2017-03-27 13:05:00,0,0,0,0,,NaN,,NaN,36.55,-88.15,36.6,-88.07,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A hailstorm moved northeast across the New Concord and Hamlin areas, producing hail up to the size of golf balls." +116168,698188,IOWA,2017,May,Hail,"DALLAS",2017-05-17 13:55:00,CST-6,2017-05-17 13:55:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-94.03,41.65,-94.03,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported quarter sized hail." +116168,698190,IOWA,2017,May,Hail,"POLK",2017-05-17 14:08:00,CST-6,2017-05-17 14:08:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-93.7,41.69,-93.7,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported nickel sized hail." +116168,698187,IOWA,2017,May,Hail,"DALLAS",2017-05-17 13:50:00,CST-6,2017-05-17 13:50:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-94.03,41.61,-94.03,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported nickel sized hail." +116168,698191,IOWA,2017,May,Hail,"POLK",2017-05-17 14:10:00,CST-6,2017-05-17 14:10:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-93.8,41.7,-93.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported quarter sized hail." +114251,684471,KENTUCKY,2017,March,Frost/Freeze,"CRITTENDEN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684473,KENTUCKY,2017,March,Frost/Freeze,"FULTON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684474,KENTUCKY,2017,March,Frost/Freeze,"GRAVES",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +119976,719004,ARIZONA,2017,July,Flash Flood,"COCONINO",2017-07-25 15:00:00,MST-7,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8559,-111.6046,36.8719,-111.5713,"Deep moisture remained over northern Arizona. Most of the forcing from an inverted trough that moved across the state had moved northward which lead to fewer storms.","Heavy rain over Utah caused flash flooding in Paria Canyon that flowed into Arizona. The River gauge on the Paria River (just before the confluence with the Colorado River near Lees Ferry) showed at 2 foot rise (6.16 foot stage)." +119762,719013,ARIZONA,2017,July,Flood,"NAVAJO",2017-07-17 04:37:00,MST-7,2017-07-17 05:37:00,0,0,0,0,0.00K,0,0.00K,0,34.5892,-110.3632,34.6073,-110.3975,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Arizona Department of Public Safety reported 6 inches of water across State Route 377 at milepost 12.8." +117076,704407,ARKANSAS,2017,May,Flood,"CONWAY",2017-05-21 21:52:00,CST-6,2017-05-23 08:12:00,0,0,0,0,0.00K,0,0.00K,0,35.1287,-92.7438,35.1197,-92.7438,"Heavy rain brought flooding to parts of central Arkansas that began on May 21 and 22.","Heavy rain caused flooding during the latter part of May on the Arkansas River at Morrilton." +119625,717712,MISSOURI,2017,June,Thunderstorm Wind,"CALLAWAY",2017-06-17 22:50:00,CST-6,2017-06-17 22:50:00,0,0,0,0,0.00K,0,0.00K,0,38.8464,-91.97,38.85,-91.93,"A strong cold front moved through the region triggering strong to severe thunderstorms.","Thunderstorm winds blew down numerous trees, tree limbs, power lines and some street light poles around town." +119625,720580,MISSOURI,2017,June,Thunderstorm Wind,"ST. LOUIS",2017-06-18 00:20:00,CST-6,2017-06-18 00:20:00,0,0,0,0,0.00K,0,0.00K,0,38.5764,-90.3853,38.5764,-90.3853,"A strong cold front moved through the region triggering strong to severe thunderstorms.","Thunderstorm winds blew down a couple of trees in Oakland. One large tree caused moderate damage to a home and pulled down power lines." +119626,720582,ILLINOIS,2017,June,Thunderstorm Wind,"ST. CLAIR",2017-06-18 00:45:00,CST-6,2017-06-18 00:45:00,0,0,0,0,0.00K,0,0.00K,0,38.6405,-90.0365,38.6356,-90.0251,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds blew down numerous large tree limbs around town." +119626,720586,ILLINOIS,2017,June,Thunderstorm Wind,"MONROE",2017-06-18 00:40:00,CST-6,2017-06-18 00:55:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-90.2,38.2686,-89.9953,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds blew down numerous large tree limbs between Columbia and Hecker." +119626,720590,ILLINOIS,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-18 01:20:00,CST-6,2017-06-18 01:35:00,0,0,0,0,0.00K,0,0.00K,0,38.9752,-89.1177,38.9412,-89.0375,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds caused a wide swath of damage from Vandalia to near Stanbery Lake. Numerous large trees, tree limbs and power lines were blown down. In Vandalia, several homes sustained moderate to major damage from the fallen trees. Near Stanbery Lake, a home was destroyed by two large trees. One home owner was briefly trapped in the home, but was rescued unharmed from the home." +120258,720599,MISSOURI,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-29 14:15:00,CST-6,2017-06-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5843,-91.1333,38.5515,-91.0036,"Isolated severe storms developed across east central Missouri.","Thunderstorm winds blew down several large trees and numerous tree limbs between New Haven and Washington. Several large trees were blown down across Highway 185 east of New Haven. One also fell onto a house in this area causing moderate damage. In Washington, one tree fell onto a house and another one fell across Highway 47 on the south side of town." +120258,720601,MISSOURI,2017,June,Thunderstorm Wind,"ST. CHARLES",2017-06-29 14:50:00,CST-6,2017-06-29 14:50:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-90.78,38.63,-90.78,"Isolated severe storms developed across east central Missouri.","Thunderstorm winds blew down several large tree limbs onto Highway 94 in Defiance." +119571,721349,ILLINOIS,2017,July,Flood,"COOK",2017-07-12 09:22:00,CST-6,2017-07-12 10:30:00,0,0,0,0,0.00K,0,0.00K,0,41.9419,-87.6387,41.9392,-87.6365,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Standing water 2 to 6 inches deep was reported near Belmont Avenue and Lake Shore Drive." +119571,721351,ILLINOIS,2017,July,Flood,"KANE",2017-07-12 13:00:00,CST-6,2017-07-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9629,-88.5811,41.8974,-88.2649,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","After torrential rain and flash flooding during the morning of July 12th, flood waters slowly receded through the morning of July 13th with additional rain falling during the early morning hours of July 13th." +120412,721352,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-23 16:35:00,CST-6,2017-07-23 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-88.1,41.53,-88.1,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Several large tree limbs were blown down including one blocking a road." +118704,713085,WYOMING,2017,June,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-06-13 12:50:00,MST-7,2017-06-13 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 13/1250 MST." +118704,713086,WYOMING,2017,June,High Wind,"SHIRLEY BASIN",2017-06-13 17:00:00,MST-7,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Shirley Rim measured sustained winds of 40 mph or higher." +118704,713087,WYOMING,2017,June,High Wind,"CENTRAL CARBON COUNTY",2017-06-13 11:30:00,MST-7,2017-06-13 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher." +118704,713088,WYOMING,2017,June,High Wind,"CENTRAL CARBON COUNTY",2017-06-13 14:00:00,MST-7,2017-06-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The UPR sensor northeast of Hanna measured sustained winds of 40 mph or higher." +118704,713089,WYOMING,2017,June,High Wind,"CENTRAL CARBON COUNTY",2017-06-13 10:00:00,MST-7,2017-06-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The UPR sensor southwest of Hanna measured sustained winds of 40 mph or higher." +118704,713092,WYOMING,2017,June,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-06-13 10:00:00,MST-7,2017-06-13 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 13/1015 MST." +118704,713093,WYOMING,2017,June,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-06-13 10:10:00,MST-7,2017-06-13 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 13/1015 MST." +118704,713094,WYOMING,2017,June,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-06-13 11:20:00,MST-7,2017-06-13 12:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +118704,713095,WYOMING,2017,June,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-06-13 10:20:00,MST-7,2017-06-13 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northeast across northern Wyoming. A large pressure gradient produced a period of high winds over portions of south central Wyoming.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 13/1025 MST." +118808,713645,NEBRASKA,2017,June,Hail,"MORRILL",2017-06-07 13:15:00,MST-7,2017-06-07 13:20:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-103.27,41.58,-103.27,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Quarter size hail covered the ground at Redington." +118808,713648,NEBRASKA,2017,June,Hail,"MORRILL",2017-06-07 13:40:00,MST-7,2017-06-07 13:45:00,0,0,0,0,0.00K,0,0.00K,0,41.4858,-102.9663,41.4858,-102.9663,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Quarter size hail covered the ground east of Redington." +118808,713650,NEBRASKA,2017,June,Hail,"CHEYENNE",2017-06-07 14:05:00,MST-7,2017-06-07 14:08:00,0,0,0,0,0.00K,0,0.00K,0,41.3657,-103.1126,41.3657,-103.1126,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Half dollar size hail was observed west of Dalton." +114398,685736,PENNSYLVANIA,2017,March,Heavy Snow,"FAYETTE RIDGES",2017-03-14 01:00:00,EST-5,2017-03-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that ejected out of the Rockies and into the midwest interacted with and deepened an upper trough over the region on the 13th. As a result, a coastal low developed. While a pronounced dry slot and weak warm advection limited snow accumulation across much of the Ohio Valley, 6-12 inches of snow, with isolated higher amounts of up to 16 inches, was recorded in the mountains of West Virginia and in Garrett county, Maryland, with additional support from uplsope enhancement through the 16th.","" +117076,704408,ARKANSAS,2017,May,Flood,"JACKSON",2017-05-22 02:00:00,CST-6,2017-05-23 23:30:00,0,0,0,0,0.00K,0,0.00K,0,35.6135,-91.3105,35.5926,-91.33,"Heavy rain brought flooding to parts of central Arkansas that began on May 21 and 22.","Heavy rain caused flooding during the latter part of May on the White River at Newport." +122220,731643,ARKANSAS,2017,December,Drought,"LAWRENCE",2017-12-01 00:00:00,CST-6,2017-12-26 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of December and fueled the spread of moderate (D2) drought conditions over parts of East Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions eased by the end of the month." +118808,713652,NEBRASKA,2017,June,Heavy Rain,"BANNER",2017-06-07 13:45:00,MST-7,2017-06-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6012,-103.8084,41.6012,-103.8084,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","An inch of rain fell in 15 minutes five miles northwest of Harrisburg." +118808,713654,NEBRASKA,2017,June,Hail,"CHEYENNE",2017-06-07 13:58:00,MST-7,2017-06-07 14:03:00,0,0,0,0,0.00K,0,0.00K,0,41.4824,-102.97,41.4824,-102.97,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Half dollar size hail was observed five miles north of Dalton." +122220,731644,ARKANSAS,2017,December,Drought,"CLAY",2017-12-01 00:00:00,CST-6,2017-12-26 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of December and fueled the spread of moderate (D2) drought conditions over parts of East Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions eased by the end of the month." +123108,738158,MISSISSIPPI,2017,December,Winter Weather,"CHICKASAW",2017-12-31 06:00:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain occurred over parts of Northeast Mississippi during the morning hours on December 31st.","Light icing occurred across Chickasaw County." +114399,685730,WEST VIRGINIA,2017,March,Heavy Snow,"EASTERN TUCKER",2017-03-14 01:00:00,EST-5,2017-03-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that ejected out of the Rockies and into the midwest interacted with and deepened an upper trough over the region on the 13th. As a result, a coastal low developed. While a pronounced dry slot and weak warm advection limited snow accumulation across much of the Ohio Valley, 6-12 inches of snow, with isolated higher amounts of up to 16 inches, was recorded in the mountains of West Virginia and in Garrett county, Maryland, with additional support from uplsope enhancement through the 16th.","" +116168,698276,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-17 16:00:00,CST-6,2017-05-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-94.18,42.51,-94.18,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","RWIS station near Fort Dodge on US 20 recorded a 59 mph wind gust." +116168,698270,IOWA,2017,May,Thunderstorm Wind,"MAHASKA",2017-05-17 15:45:00,CST-6,2017-05-17 15:45:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-92.64,41.3,-92.64,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported large tree downed in town. Report via social media and is a delayed report." +116168,698277,IOWA,2017,May,Lightning,"STORY",2017-05-17 16:00:00,CST-6,2017-05-17 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.17,-93.5,42.17,-93.5,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported a lightning strike that hit a tree, resulting in the tree falling onto and damaging the house." +116168,698280,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:08:00,CST-6,2017-05-17 16:08:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-92.91,42.04,-92.91,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported several large trees down." +119033,714892,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 02:30:00,CST-6,2017-07-27 05:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9809,-93.9125,39.0195,-93.9211,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A citizen was rescued from the top of their car after it was swept into a ditch." +116207,698565,IOWA,2017,May,Thunderstorm Wind,"HAMILTON",2017-05-23 00:00:00,CST-6,2017-05-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4534,-93.8744,42.4534,-93.8744,"A weak cold frontal boundary drifted into central Iowa during the afternoon and early evening hours on the 22nd. While it was able to initiate a series of storms, eventually becoming a line, they were predominantly sub-severe within a SBCAPE environment around 1000 J/kg and effective bulk shear less than 30 kts. Two instances of severe reports were seen, including brief 1 hail and an automated equipment recorded 58 mph wind gust.","Webster City AWOS recorded a 58 mph wind gust. Most likely from a collapsing updraft considering storms were weak at the time." +119033,714893,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 02:38:00,CST-6,2017-07-27 05:38:00,0,0,0,0,0.00K,0,0.00K,0,39,-94.59,39.0004,-94.5953,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","There was a water rescue at the intersection of 72nd and Wornall." +121047,724656,MISSOURI,2017,August,Thunderstorm Wind,"COLE",2017-08-16 13:25:00,CST-6,2017-08-16 13:25:00,0,0,0,0,0.00K,0,0.00K,0,38.6123,-92.3241,38.6123,-92.3241,"A cold front moved through the region triggering showers and thunderstorms. Some of the thunderstorms produced damaging winds.","Thunderstorm winds blew down several trees onto power lines around town." +121047,724657,MISSOURI,2017,August,Thunderstorm Wind,"BOONE",2017-08-16 13:25:00,CST-6,2017-08-16 13:25:00,0,0,0,0,0.00K,0,0.00K,0,38.9441,-92.3153,38.9441,-92.3153,"A cold front moved through the region triggering showers and thunderstorms. Some of the thunderstorms produced damaging winds.","Thunderstorm winds blew down a tree onto a house on the southeast side of town. It caused moderate roof damage." +116168,698310,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-17 17:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-92.54,42.85,-92.54,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","RWIS near Plainfield recorded a 65 mph wind gust." +116168,698307,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:53:00,CST-6,2017-05-17 16:53:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-92.78,42.57,-92.78,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Amateur radio reported wind gusts to 70 mph." +116208,698568,IOWA,2017,May,Funnel Cloud,"MARION",2017-05-23 15:24:00,CST-6,2017-05-23 15:24:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-93.27,41.39,-93.27,"A weak cold frontal boundary that entered the state the previous day regained momentum and moved southeast of the state by the afternoon. In its wake was an environment of relatively steep low level lapse rates, lifted condensation levels around 1000 m or less, and a few hundred J/kg of SBCAPE. In all, it ended up enough for a couple of weak updrafts to produce funnel clouds.","Storm chaser reported a brief funnel cloud near Pleasantville, possibly between there and Melcher-Dallas." +115222,699936,IOWA,2017,May,Flood,"POLK",2017-05-23 03:00:00,CST-6,2017-05-25 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,41.59,-93.56,41.59,-93.66,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The Des Moines River at Des Moines SE 6th crested at 24.17 feet on 24 May 2017 at 18:15 UTC." +116463,700434,LOUISIANA,2017,May,Thunderstorm Wind,"ALLEN",2017-05-03 07:10:00,CST-6,2017-05-03 07:10:00,0,0,0,0,1.00K,1000,0.00K,0,30.49,-92.85,30.49,-92.85,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Tree downed in Kinder." +116463,700435,LOUISIANA,2017,May,Thunderstorm Wind,"VERMILION",2017-05-03 07:50:00,CST-6,2017-05-03 07:50:00,0,0,0,0,5.00K,5000,0.00K,0,29.65,-92.45,29.65,-92.45,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","The Vermilion Parish emergency manager relayed a report of damage to siding on at least one structure. Windows were also broken." +116463,700436,LOUISIANA,2017,May,Thunderstorm Wind,"JEFFERSON DAVIS",2017-05-03 09:50:00,CST-6,2017-05-03 09:50:00,0,0,0,0,2.00K,2000,0.00K,0,30.2382,-92.9291,30.2382,-92.9291,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Tin roof blown off a carport along Highway 101 near Lacassine." +116463,700437,LOUISIANA,2017,May,Thunderstorm Wind,"ACADIA",2017-05-03 10:00:00,CST-6,2017-05-03 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.09,-92.38,30.09,-92.38,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A few roofs partially blown off of homes in Lyons Point." +116463,700438,LOUISIANA,2017,May,Thunderstorm Wind,"ST. MARY",2017-05-03 11:53:00,CST-6,2017-05-03 11:53:00,0,0,0,0,2.00K,2000,0.00K,0,29.8,-91.51,29.8,-91.51,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A small metal shed was blown across Verdun Lane in Franklin." +116463,700441,LOUISIANA,2017,May,Thunderstorm Wind,"ACADIA",2017-05-03 17:15:00,CST-6,2017-05-03 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-92.21,30.4,-92.21,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A home anemometer recorded a gust of 56 knots." +116463,700442,LOUISIANA,2017,May,Thunderstorm Wind,"ST. LANDRY",2017-05-03 17:41:00,CST-6,2017-05-03 17:41:00,0,0,0,0,2.00K,2000,0.00K,0,30.54,-92.07,30.54,-92.07,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","The 911 call center received a report of a tree blown down onto an unoccupied trailer along Harper Street in Opelousas." +116002,701867,NORTH CAROLINA,2017,May,Thunderstorm Wind,"VANCE",2017-05-05 04:35:00,EST-5,2017-05-05 04:35:00,0,0,0,0,2.50K,2500,0.00K,0,36.4945,-78.423,36.4945,-78.423,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on North Carolina Highway 39 near Townsville." +116002,701959,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 05:35:00,EST-5,2017-05-05 05:35:00,0,0,0,0,5.00K,5000,0.00K,0,36.33,-77.88,36.33,-77.88,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Multiple trees were reported down in the area." +116002,701865,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:37:00,EST-5,2017-05-05 02:37:00,0,0,0,0,5.00K,5000,0.00K,0,35.6454,-79.6076,35.6454,-79.6076,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees and power lines were reported down on Lanes Mill Road near the intersection of Old Coleridge Road." +116002,701866,NORTH CAROLINA,2017,May,Thunderstorm Wind,"PERSON",2017-05-05 03:40:00,EST-5,2017-05-05 03:40:00,0,0,0,0,2.50K,2500,0.00K,0,36.2806,-78.9065,36.2806,-78.9065,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Power lines and one tree were reported down at the intersection of Helena-Moriah Road and Surl Mount Tizrah Road." +116002,701960,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 05:50:00,EST-5,2017-05-05 05:50:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-77.59,36.33,-77.59,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on a road near United States Highway 301." +116002,701961,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 05:45:00,EST-5,2017-05-05 05:45:00,0,0,0,0,0.00K,0,0.00K,0,36.4199,-77.605,36.4199,-77.605,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on railroad tracks near Weldon." +116876,702708,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-29 22:52:00,EST-5,2017-05-29 22:52:00,0,0,0,0,0.00K,0,0.00K,0,34.7117,-78.3302,34.7117,-78.3302,"A cluster of storm tracked across portions of Sampson County late during the evening producing widespread damage. Numerous homes and buildings were damaged along with widespread power outages. Monetary damages were estimated.","One tree was reported down near 8340 Tomahawk Highway." +116876,702709,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-29 22:55:00,EST-5,2017-05-29 22:55:00,0,0,0,0,0.00K,0,0.00K,0,34.7163,-78.2834,34.7163,-78.2834,"A cluster of storm tracked across portions of Sampson County late during the evening producing widespread damage. Numerous homes and buildings were damaged along with widespread power outages. Monetary damages were estimated.","One tree was reported down at 5600 Tomahawk Highway." +113324,680921,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 23:15:00,CST-6,2017-03-06 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4526,-94.1135,36.4526,-94.1135,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind snapped large tree limbs." +113324,680922,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 23:18:00,CST-6,2017-03-06 23:18:00,0,0,0,0,0.00K,0,0.00K,0,36.3601,-94.285,36.3601,-94.285,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a large tree." +113324,680923,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 23:25:00,CST-6,2017-03-06 23:25:00,0,0,0,0,0.00K,0,0.00K,0,36.2613,-94.3576,36.2613,-94.3576,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a tree." +113327,681006,OKLAHOMA,2017,March,Hail,"LE FLORE",2017-03-09 22:30:00,CST-6,2017-03-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,35.3099,-94.7875,35.3099,-94.7875,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northeastern Oklahoma, and then evolved into a line of thunderstorms across east central Oklahoma. The strongest storms produced hail up to tennis ball size and damaging wind.","" +113333,681025,OKLAHOMA,2017,March,Hail,"PITTSBURG",2017-03-26 20:01:00,CST-6,2017-03-26 20:01:00,0,0,0,0,10.00K,10000,0.00K,0,34.9487,-95.8444,34.9487,-95.8444,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","" +113333,681027,OKLAHOMA,2017,March,Thunderstorm Wind,"LE FLORE",2017-03-26 21:09:00,CST-6,2017-03-26 21:09:00,0,0,0,0,5.00K,5000,0.00K,0,35.05,-94.62,35.05,-94.62,"Strong to severe thunderstorms developed across central Oklahoma during the late afternoon hours of the 26th, as a dry line moved into the area from the west. These storms moved into eastern Oklahoma during the evening hours, producing hail up to golfball size and damaging wind.","Strong thunderstorm wind damaged several roofs of homes and tore the awning from a home." +114567,687179,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-03-08 07:18:00,EST-5,2017-03-08 07:18:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Showers along a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Rappahannock Light." +114567,687180,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-03-08 08:06:00,EST-5,2017-03-08 08:06:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-75.99,37.17,-75.99,"Showers along a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 42 knots was measured at Kiptopeke." +114567,687184,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-03-08 07:42:00,EST-5,2017-03-08 07:42:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Showers along a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 35 knots was measured at York River East Rear Range Light." +114471,686461,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 16:15:00,CST-6,2017-03-23 16:15:00,0,0,0,0,0.00K,0,0.00K,0,42.69,-90.44,42.69,-90.44,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","" +114471,686462,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 16:32:00,CST-6,2017-03-23 16:32:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-90.61,42.97,-90.61,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","Quarter sized hail fell near Fennimore." +114471,686466,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 15:59:00,CST-6,2017-03-23 15:59:00,0,0,0,0,0.00K,0,0.00K,0,42.9,-91.1,42.9,-91.1,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","Quarter sized hail was reported in Bagley." +114467,686408,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:35:00,CST-6,2017-03-23 14:35:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-92.08,42.84,-92.08,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","" +114467,686413,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:45:00,CST-6,2017-03-23 14:45:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-92.06,42.68,-92.06,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Golf ball sized hail was reported southwest of Westgate." +114467,686414,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:45:00,CST-6,2017-03-23 14:45:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-92.07,42.68,-92.07,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Egg sized hail was reported southwest of Westgate." +114467,686416,IOWA,2017,March,Hail,"FAYETTE",2017-03-23 14:50:00,CST-6,2017-03-23 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-91.91,42.68,-91.91,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Golf ball sized hail fell in Oelwein." +114633,687582,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 16:10:00,PST-8,2017-03-30 16:40:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","California Highway Patrol reported a traffic light twisted due to high wind at the intersection of Monterey Ave. and Ramon Rd. in Thousand Palms." +114633,687592,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 13:30:00,PST-8,2017-03-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","California Highway Patrol reported Varner Rd. in Bermuda Dunes closed due to blowing sand. A tree was uprooted on Fred Waring Dr. west of Adams St." +114633,687590,CALIFORNIA,2017,March,High Wind,"RIVERSIDE COUNTY MOUNTAINS",2017-03-30 17:00:00,PST-8,2017-03-30 19:00:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","California Highway Patrol reported high winds blowing rocks into lanes along Highway 74." +114633,687982,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 14:00:00,PST-8,2017-03-30 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","The ANA Inspiration Golf Tournament at Mission Hills County Club in Rancho Mirage was suspended due to strong winds." +118257,710693,MISSOURI,2017,June,Hail,"PLATTE",2017-06-29 21:08:00,CST-6,2017-06-29 21:09:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-94.66,39.27,-94.66,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","" +118257,710694,MISSOURI,2017,June,Hail,"CLAY",2017-06-29 21:35:00,CST-6,2017-06-29 21:36:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-94.57,39.22,-94.57,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","" +113601,680030,WEST VIRGINIA,2017,April,Winter Weather,"WESTERN GRANT",2017-04-06 18:00:00,EST-5,2017-04-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold northwest wind picked up moisture from the Great Lakes and deposited it in the form of snow for locations along and west of the Allegheny Front.","Snowfall totaled up to 5.0 inches in Mount Storm." +113601,680031,WEST VIRGINIA,2017,April,Winter Weather,"WESTERN PENDLETON",2017-04-06 18:00:00,EST-5,2017-04-07 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold northwest wind picked up moisture from the Great Lakes and deposited it in the form of snow for locations along and west of the Allegheny Front.","Snowfall was estimated to be around six inches based on observations nearby." +115121,691004,VIRGINIA,2017,April,Thunderstorm Wind,"ORANGE",2017-04-06 11:33:00,EST-5,2017-04-06 11:33:00,0,0,0,0,,NaN,,NaN,38.1532,-77.9711,38.1532,-77.9711,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Multiple trees more than one foot in diameter were down. Structural damage was reported from wind and a barn was also blown down." +115121,691005,VIRGINIA,2017,April,Thunderstorm Wind,"CULPEPER",2017-04-06 11:35:00,EST-5,2017-04-06 11:35:00,0,0,0,0,,NaN,,NaN,38.3956,-78.0047,38.3956,-78.0047,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Numerous trees were down and a small shed was destroyed." +115121,691006,VIRGINIA,2017,April,Thunderstorm Wind,"ORANGE",2017-04-06 11:36:00,EST-5,2017-04-06 11:36:00,0,0,0,0,,NaN,,NaN,38.293,-77.8086,38.293,-77.8086,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Numerous trees were snapped and uprooted in the 31000 Block of Deep Meadow Lane." +114535,686893,ALABAMA,2017,March,Hail,"MARION",2017-03-09 18:35:00,CST-6,2017-03-09 18:36:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-87.93,34.14,-87.93,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","" +114535,686894,ALABAMA,2017,March,Hail,"MARION",2017-03-09 19:46:00,CST-6,2017-03-09 19:47:00,0,0,0,0,0.00K,0,0.00K,0,34.08,-88.13,34.08,-88.13,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Golfball size hail reported along Highway 19 in the Byrd Community." +114535,686895,ALABAMA,2017,March,Hail,"MARION",2017-03-09 20:01:00,CST-6,2017-03-09 20:02:00,0,0,0,0,0.00K,0,0.00K,0,34.15,-88.02,34.15,-88.02,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","" +114535,686896,ALABAMA,2017,March,Hail,"MARION",2017-03-09 20:04:00,CST-6,2017-03-09 20:05:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-87.99,34.14,-87.99,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","" +114535,686897,ALABAMA,2017,March,Hail,"MARION",2017-03-09 23:52:00,CST-6,2017-03-09 23:53:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-88.03,34.16,-88.03,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","" +114535,686898,ALABAMA,2017,March,Hail,"MARION",2017-03-10 00:10:00,CST-6,2017-03-10 00:11:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-87.84,34.22,-87.84,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","" +114535,686900,ALABAMA,2017,March,Thunderstorm Wind,"SHELBY",2017-03-10 02:55:00,CST-6,2017-03-10 02:56:00,0,0,0,0,0.00K,0,0.00K,0,33.36,-86.66,33.36,-86.66,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Trees uprooted and power lines downed near the intersection of Old Highway 280 and Oak Tree Drive." +114801,689025,SOUTH DAKOTA,2017,March,Heavy Snow,"EDMUNDS",2017-03-12 05:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689026,SOUTH DAKOTA,2017,March,Heavy Snow,"MCPHERSON",2017-03-12 05:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689028,SOUTH DAKOTA,2017,March,Heavy Snow,"FAULK",2017-03-12 05:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689029,SOUTH DAKOTA,2017,March,Heavy Snow,"BROWN",2017-03-12 07:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689031,SOUTH DAKOTA,2017,March,Heavy Snow,"SPINK",2017-03-12 07:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114131,688984,IDAHO,2017,March,Debris Flow,"KOOTENAI",2017-03-15 07:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,900.00K,900000,0.00K,0,47.9699,-117.0401,47.4024,-117.0319,"March was a very wet month over the Idaho Panhandle. A series of moist Pacific storm systems brought periodic heavy rain to the region in addition to warmer temperatures which quickly melted low elevation snow pack. Bonners Ferry recorded 4.58 inches of precipitation for the month which was 2.92 inches above normal. Coeur D'Alene received 4.38 inches which was 2.04 inches above normal and The University of Idaho at Moscow recorded 7.19 inches which was 4.50 inches above normal. ||All of this water quickly saturated the ground leading to numerous debris flows in steep terrain and widespread flooding in fields and low spots. Numerous roads were flooded or cut by debris flows through out the Idaho Panhandle during the second half of March. ||The St. Joe River, the Cour D'Alene River and Palouse River as well as numerous smaller streams and lakes rose above Flood Stage during this event. Lake Coeur D' Alene and the Spokane River draining Lake Coeur d'Alene also crested above Flood Stage damaging numerous docks, parks and homes along the shore line and river. ||Idaho State declared a State of Emergency for seven counties in North Idaho to assist recovery crews in obtaining resources to repair damage to area roads and other infrastructure. These counties were also included in a Presidential Disaster Declaration as a result of this very wet period.","Snow melt and periodic heavy rain during the month of March caused numerous debris flows and areal flooding issues through out the county. A debris flow near Harrison forced the evacuation of a residential neighborhood with the land continuing to move through the beginning of April. Over 20 roads through out the county were washed out or cut by debris flows and numerous homes experienced basement and first floor flooding. Kootenai County was included in a Presidential Disaster Declaration as a result of the damage inflicted by this episode." +114475,686477,WASHINGTON,2017,March,Flood,"SPOKANE",2017-03-18 10:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,200.00K,200000,0.00K,0,47.6545,-117.0429,47.721,-117.0483,"Snow melt and periodic heavy rains during the month of March caused the Spokane River to achieve Minor Flood Stage. High water flooded fields, parks and trails along the river bank and caused basement flooding of nearby houses and businesses. The river receded but continued to run above Flood Stage through the end of March.","The Spokane River at Spokane River Gage recorded a rise above the Flood Stage of 27.0 feet at 10:00 AM PST on March 18th. The river crested at 28.7 feet at 8:30 PM on the 23rd. The river slowly receded but remained above Flood Stage through the end of March and into April. Extensive flooding of fields and park land along the river occurred as well as basement flooding of some homes and businesses." +114478,686481,WASHINGTON,2017,March,Debris Flow,"CHELAN",2017-03-08 22:00:00,PST-8,2017-03-15 00:00:00,0,0,0,0,50.00K,50000,0.00K,0,47.86,-120.17,47.8595,-120.1654,"Wet conditions during the month of March produced isolated debris flows in the steep terrain of the Cascade mountains.","A debris flow consisting of rocks and mud 30 feet deep cut State Route 971 near Manson." +116314,703178,INDIANA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-28 17:25:00,EST-5,2017-05-28 17:25:00,0,0,0,0,7.00K,7000,,NaN,39.71,-85.91,39.71,-85.91,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day Holiday Weekend. On May 28th, storms produced damaging winds which flattened a pole barn.","Trees and power lines were down across roads in and near this location due to damaging thunderstorm wind gusts." +116314,703180,INDIANA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-28 17:35:00,EST-5,2017-05-28 17:35:00,0,0,0,0,7.00K,7000,,NaN,39.7,-85.88,39.7,-85.88,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day Holiday Weekend. On May 28th, storms produced damaging winds which flattened a pole barn.","Trees and power lines were downed in this location due to damaging thunderstorm wind gusts." +116314,703181,INDIANA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-28 17:42:00,EST-5,2017-05-28 17:42:00,0,0,0,0,15.00K,15000,,NaN,39.7,-85.82,39.7,-85.82,"A couple of rounds of severe thunderstorms moved across central Indiana during the long Memorial Day Holiday Weekend. On May 28th, storms produced damaging winds which flattened a pole barn.","A new pole barn was flattened due to damaging thunderstorm wind gusts." +115817,696056,VIRGINIA,2017,May,Tornado,"KING GEORGE",2017-05-05 08:19:00,EST-5,2017-05-05 08:21:00,0,0,0,0,,NaN,,NaN,38.345,-77.0189,38.362,-77.02,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","The National Weather Service in Baltimore MD/Washington DC has confirmed a narrow, 10 yard wide tornado near Dahlgren in King George County VA on the morning of May 05, 2017.||Peak winds were 90 mph, a level EF-1 on the Enhanced Fujita scale. Damage has been confirmed along a 0.6 mile path from the northeastern corner of Naval Support Facility Dahlgren property, north across Hwy 301 just west of the Harry Nice Bridge, to |Barnesfield Park. NWS storm survey identified the first damage as small limbs on|Higley Rd. A couple trees were snapped as the tornado moved northwest to a parking lot where it turned north. Four cars were flipped in this parking lot at 8:20am by a narrow vortex as confirmed by security camera footage. FAA radars for Joint Base |Andrews and Reagan National airport both depicted some rotation at this time which helped confirm the reported times.||Two trees were snapped in a forest north of this parking lot. The next evident damage was a large uprooted pine tree that fell southwest onto Hwy 301 just west of a visitor center. Several trees were snapped and uprooted on the west side of the parking |lot for the visitor center with tree damage then continuing to Barnesfield Park. Minor damage at the baseball fields in the park included a destroyed equipment shed, bleachers blown into a fence and a damaged metal bench. No further damage was evident on the tree line at the edge of the baseball fields, so this was determined to be the north end of the tornado track." +117105,704554,MISSOURI,2017,May,Hail,"CASS",2017-05-27 11:36:00,CST-6,2017-05-27 11:41:00,0,0,0,0,,NaN,,NaN,38.48,-94.35,38.48,-94.35,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117104,704512,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 10:55:00,CST-6,2017-05-27 10:58:00,0,0,0,0,,NaN,,NaN,38.77,-94.82,38.77,-94.82,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Power lines were reported down near 199th and Woodland Road in Spring Hill." +117104,704516,KANSAS,2017,May,Thunderstorm Wind,"MIAMI",2017-05-27 11:13:00,CST-6,2017-05-27 11:16:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-94.64,38.7,-94.64,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Damage was reported to fences and power lines. The damage was located roughly between HWY 69 and Stateline from 223rd and 247th St." +117105,704553,MISSOURI,2017,May,Hail,"CHARITON",2017-05-26 04:19:00,CST-6,2017-05-26 04:20:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-92.8,39.57,-92.8,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704555,MISSOURI,2017,May,Hail,"CASS",2017-05-27 11:46:00,CST-6,2017-05-27 11:49:00,0,0,0,0,,NaN,,NaN,38.48,-94.34,38.48,-94.34,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704556,MISSOURI,2017,May,Hail,"CASS",2017-05-27 11:47:00,CST-6,2017-05-27 11:47:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-94.35,38.52,-94.35,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704557,MISSOURI,2017,May,Hail,"BATES",2017-05-27 11:51:00,CST-6,2017-05-27 11:54:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-94.35,38.4,-94.35,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +116967,703716,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-05-20 21:01:00,CST-6,2017-05-20 21:01:00,0,0,0,0,0.00K,0,0.00K,0,30.3836,-87.0086,30.3836,-87.0086,"Strong thunderstorms moved across the Marine area and produced high winds.","Weatherflow station GB soundside, within one mile of the coast, measured 50 mph." +116757,702369,ALABAMA,2017,May,Flash Flood,"MOBILE",2017-05-20 20:25:00,CST-6,2017-05-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-88.23,30.6547,-88.3411,"Heavy rains caused flooding in southwest Alabama.","Heavy rain caused street flooding near Airport and University Blvd." +116967,703438,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-20 20:42:00,CST-6,2017-05-20 20:42:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-88.11,30.25,-88.11,"Strong thunderstorms moved across the Marine area and produced high winds.","" +116967,703441,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-20 20:48:00,CST-6,2017-05-20 20:48:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-88.02,30.23,-88.02,"Strong thunderstorms moved across the Marine area and produced high winds.","" +116757,703460,ALABAMA,2017,May,Flash Flood,"MOBILE",2017-05-20 21:00:00,CST-6,2017-05-21 00:30:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-88.07,30.7608,-88.0637,"Heavy rains caused flooding in southwest Alabama.","Heavy rain caused flooding on International Boulevard." +116967,703713,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-05-20 21:00:00,CST-6,2017-05-20 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3741,-87.0584,30.3741,-87.0584,"Strong thunderstorms moved across the Marine area and produced high winds.","Weatherflow station at Tiger Point, within one mile of the coast, measured 47 mph." +116967,703719,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-20 21:13:00,CST-6,2017-05-20 21:13:00,0,0,0,0,0.00K,0,0.00K,0,30.2461,-87.6893,30.2461,-87.6893,"Strong thunderstorms moved across the Marine area and produced high winds.","Weatherflow station at Gulf Shores, within one mile of the coast, measured 54 mph." +117004,703726,FLORIDA,2017,May,Flash Flood,"OKALOOSA",2017-05-20 22:45:00,CST-6,2017-05-21 04:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3945,-86.5908,30.3932,-86.5912,"Heavy rain caused flash flooding in the western Florida panhandle.","Heavy rain resulted in 3 feet of water over the roadway near the Cash Liquor store on Okaloosa Island." +117004,703727,FLORIDA,2017,May,Flash Flood,"OKALOOSA",2017-05-20 22:45:00,CST-6,2017-05-21 04:00:00,0,0,0,0,0.00K,0,0.00K,0,30.75,-86.6,30.7404,-86.5927,"Heavy rain caused flash flooding in the western Florida panhandle.","Heavy rain resulted in flooding at the intersection of Live oak Church road and John King road." +117005,703728,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-29 22:18:00,CST-6,2017-05-29 22:18:00,0,0,0,0,0.00K,0,0.00K,0,30.2286,-88.0293,30.2286,-88.0293,"Thunderstorms moved across portions of the marine area and produced high winds.","" +117005,703729,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-05-29 22:44:00,CST-6,2017-05-29 22:44:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-88.01,30.68,-88.01,"Thunderstorms moved across portions of the marine area and produced high winds.","" +117100,704504,OREGON,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-04 17:55:00,PST-8,2017-05-04 18:05:00,0,0,0,0,15.00K,15000,0.00K,0,45.7579,-123.1964,45.7579,-123.1964,"A strong upper-level trough generated enough instability for a few severe thunderstorms to develop across NW Oregon.","Winds brought down power lines along Highway 47 between Tophill and Johnson Road." +112943,674819,COLORADO,2017,March,High Wind,"LAMAR VICINITY / PROWERS COUNTY",2017-03-06 09:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,674820,COLORADO,2017,March,High Wind,"LA JUNTA VICINITY / OTERO COUNTY",2017-03-06 10:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683851,COLORADO,2017,March,High Wind,"SOUTHERN SAN LUIS VALLEY",2017-03-06 12:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683852,COLORADO,2017,March,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683854,COLORADO,2017,March,High Wind,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112791,673790,COLORADO,2017,March,High Wind,"PHILLIPS COUNTY",2017-03-07 10:22:00,MST-7,2017-03-07 12:42:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673791,COLORADO,2017,March,High Wind,"WASHINGTON COUNTY",2017-03-07 11:53:00,MST-7,2017-03-07 11:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673793,COLORADO,2017,March,High Wind,"N DOUGLAS COUNTY BELOW 6000 FEET / DENVER / W ADAMS & ARAPAHOE COUNTIES / E BROOMFIELD COUNTY",2017-03-07 10:04:00,MST-7,2017-03-07 10:04:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +115728,703310,ILLINOIS,2017,May,Flash Flood,"EFFINGHAM",2017-05-04 08:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2146,-88.8059,38.9128,-88.8071,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Effingham County. Officials reported that most roads were impassable and numerous creeks rapidly flooded." +114975,689835,CALIFORNIA,2017,March,Winter Storm,"NORTHERN HUMBOLDT INTERIOR",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 12 inches at 2800 feet elevation eight miles east of Fieldbrook just north of Lord Ellis Summit on Highway 299." +114975,689839,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN HUMBOLDT INTERIOR",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of 6 inches of snow at 2200 feet elevation three miles southeast of Kneeland." +114983,689890,NEW HAMPSHIRE,2017,March,Heavy Snow,"CHESHIRE",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113661,685512,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 01:51:00,CST-6,2017-03-29 01:51:00,0,0,0,0,0.00K,0,0.00K,0,33.1032,-96.7531,33.1032,-96.7531,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated a 63 MPH wind gust northwest of the intersection of Independence Rd and McDermott Rd." +113661,685513,TEXAS,2017,March,Thunderstorm Wind,"COLLIN",2017-03-29 02:00:00,CST-6,2017-03-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,33.09,-96.8,33.09,-96.8,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated large tree branches blown down about 6.5 miles northwest of Plano, TX." +113661,685514,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 02:00:00,CST-6,2017-03-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9841,-96.7508,32.9841,-96.7508,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported a fallen tree on the UT Dallas Campus." +113661,685515,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 01:30:00,CST-6,2017-03-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,32.66,-96.98,32.66,-96.98,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported that many trees were snapped and uprooted along Mountain Creek Pkwy and Camp Wisdom Rd." +113661,685516,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 01:55:00,CST-6,2017-03-29 01:55:00,0,0,0,0,5.00K,5000,0.00K,0,32.938,-96.5649,32.938,-96.5649,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported multiple downed utility poles along Merritt Rd between Castle Dr and Hickox Rd." +113661,685522,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 01:52:00,CST-6,2017-03-29 01:52:00,0,0,0,0,0.00K,0,0.00K,0,32.9279,-96.6971,32.9279,-96.6971,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported tree branches down on Justice Ln in Garland, TX." +115728,703318,ILLINOIS,2017,May,Flood,"CRAWFORD",2017-05-04 14:45:00,CST-6,2017-05-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1735,-87.951,38.8499,-87.9458,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.00 to 2.00 inches during the morning hours of May 4th, on already saturated ground, resulted in flash flooding across Crawford County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. The heaviest rain was in northeast Crawford County from Hutsonville to West York. Additional rainfall around 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 48 hours. Flood waters subsided by the afternoon on May 6th." +113544,679781,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MERCER",2017-03-01 11:00:00,EST-5,2017-03-01 11:15:00,0,0,0,0,30.00K,30000,0.00K,0,37.4618,-81.3001,37.3772,-81.0777,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the morning hours of March 1st, entering southeast West Virginia before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, providing the needed instability for the line of storms to track across the region.","Thunderstorm winds downed dozens of trees and power lines across Mercer County. In addition, shingles were reportedly blown off of a few roofs. The roof of a building located along Route 52 in the community of Brush Fork was blown off by these strong winds. The Bluefield ASOS located at the Mercer County Airport measured a wind gust of 52 knots." +113544,679764,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MERCER",2017-03-01 11:13:00,EST-5,2017-03-01 11:13:00,0,0,0,0,0.50K,500,0.00K,0,37.4296,-81.0186,37.4296,-81.0186,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the morning hours of March 1st, entering southeast West Virginia before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, providing the needed instability for the line of storms to track across the region.","A mature tree was snapped off at approximately half-way up the trunk by strong thunderstorm winds." +113212,690340,GEORGIA,2017,March,Drought,"MURRAY",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690358,GEORGIA,2017,March,Drought,"COBB",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,690051,GEORGIA,2017,March,Thunderstorm Wind,"FANNIN",2017-03-21 19:08:00,EST-5,2017-03-21 19:10:00,0,0,0,0,,NaN,,NaN,34.8732,-84.3227,34.8732,-84.3227,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A Georgia Department of Transportation RWIS sensor measured a 64 MPH wind gust." +114280,690050,GEORGIA,2017,March,Thunderstorm Wind,"FLOYD",2017-03-21 19:00:00,EST-5,2017-03-21 19:20:00,0,0,0,0,20.00K,20000,,NaN,34.2779,-85.2228,34.2295,-85.1677,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Floyd County Emergency Manager reported several large trees blown down in and around Rome including one on the grounds of the NWGHA high rise, a tree donw on a house on Armstrong Avenue and a tree down on a trailer in Cherokee Acres." +114280,690068,GEORGIA,2017,March,Thunderstorm Wind,"FORSYTH",2017-03-21 19:28:00,EST-5,2017-03-21 19:30:00,0,0,0,0,,NaN,,NaN,34.1837,-84.1383,34.1837,-84.1383,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A Georgia Department of Transportation RWIS sensor measured a 61 MPH wind gust." +114280,690071,GEORGIA,2017,March,Thunderstorm Wind,"FORSYTH",2017-03-21 19:30:00,EST-5,2017-03-21 19:40:00,0,0,0,0,25.00K,25000,,NaN,34.2636,-84.1877,34.2422,-84.0876,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Forsyth County Emergency Manager reported trees blown down north of Cumming from Pleasant Grove road to Holtzclaw Road. A barn was destroyed on Holtzclaw road." +114280,690089,GEORGIA,2017,March,Thunderstorm Wind,"HALL",2017-03-21 19:46:00,EST-5,2017-03-21 19:56:00,1,0,0,0,20.00K,20000,,NaN,34.282,-83.8433,34.282,-83.8433,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The broadcast media reported that a tree was blown down onto a trailer on Highland Terrace trapping a man inside. The man was taken to an area hospital with unspecified injuries." +113054,686272,NORTH DAKOTA,2017,March,High Wind,"LOGAN",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Logan County using the Jamestown ASOS in Stutsman County." +113054,686273,NORTH DAKOTA,2017,March,High Wind,"MCINTOSH",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for McIntosh County using the Linton AWOS in Emmons County." +114273,684688,GEORGIA,2017,March,Hail,"PICKENS",2017-03-01 17:29:00,EST-5,2017-03-01 17:34:00,0,0,0,0,,NaN,,NaN,34.4975,-84.4409,34.4975,-84.4409,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","An amateur radio operator reported quarter size hail fell for about one minute at Hunters Ridge and Redfield Way." +114273,684689,GEORGIA,2017,March,Thunderstorm Wind,"LUMPKIN",2017-03-01 18:00:00,EST-5,2017-03-01 18:05:00,0,0,0,0,6.00K,6000,,NaN,34.5458,-83.9793,34.5458,-83.9793,"A moderately unstable atmosphere ahead of a strong cold front, combined with a passing upper-level trough and strong shear to produce scattered severe thunderstorms with damaging winds and large hail across North Georgia. This system also managed to produce an isolated tornado.","The Lumpkin County Emergency Manager reported several trees blown down at the intersection of Sky Country Road and Wimpy Mill Road." +113324,680915,ARKANSAS,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 23:00:00,CST-6,2017-03-06 23:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.42,-94.396,36.42,-94.396,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down power lines on Highway 72, uprooted a couple trees, and snapped large tree limbs." +113328,690522,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 20:55:00,CST-6,2017-03-09 21:10:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-94.2237,36.07,-94.2237,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113642,685157,INDIANA,2017,March,Tornado,"DAVIESS",2017-03-01 05:00:00,EST-5,2017-03-01 05:01:00,0,0,0,0,40.00K,40000,0.00K,0,38.5991,-87.1394,38.5981,-87.137,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","The parent storm was moving southeast at 60 mph through southwest Daviess County, with a brief spin-up occurring along the line. This EF-2 tornado, with winds of approximately 113 mph, did damage that included walls blown out of a garage that was attached to a home, along with the destruction of a pole barn." +113642,685213,INDIANA,2017,March,Tornado,"DAVIESS",2017-03-01 05:05:00,EST-5,2017-03-01 05:06:00,0,0,0,0,65.00K,65000,0.00K,0,38.6573,-87.0782,38.6518,-87.0509,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","This EF-2 tornado was on the ground intermittently throughout the 1.52 mile path. The maximum wind associated with this tornado was approximately 125 mph. Early on, a swath of trees were snapped at elevated heights. Later, two very large trees were snapped and a metal power line truss collapsed." +113642,687137,INDIANA,2017,March,Tornado,"DAVIESS",2017-03-01 05:10:00,EST-5,2017-03-01 05:11:00,0,0,0,0,35.00K,35000,0.00K,0,38.6443,-87.0011,38.6446,-87.0005,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","This EF-1 tornado, with winds estimated at 110 mph, produced damage at this location that included moving an unattached, not anchored garage off it's foundation a few feet. Also, a camper was lifted and blown approximately 30 yards, hitting the house and then destroyed." +113642,687139,INDIANA,2017,March,Tornado,"LAWRENCE",2017-03-01 05:30:00,EST-5,2017-03-01 05:31:00,0,0,0,0,22.00K,22000,0.00K,0,38.7281,-86.5129,38.729,-86.5092,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","This EF-1 tornado, with winds up to 110 mph, uprooted trees at the start of the path. Uphill, a barn's roof was lofted nearly 100 yards to the northeast. The associated house had the majority of the roof lofted and thrown over 100 yards to the northeast. The east wall of the house and garage displayed widespread mud and insulation splatter. Insulation also splattered inside the mailbox from an east wind component. A lamp post was broken, laying westward." +114280,689993,GEORGIA,2017,March,Hail,"FANNIN",2017-03-21 18:15:00,EST-5,2017-03-21 18:20:00,0,0,0,0,,NaN,,NaN,34.86,-84.32,34.86,-84.32,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported in Blue Ridge." +114280,689994,GEORGIA,2017,March,Hail,"FANNIN",2017-03-21 18:11:00,EST-5,2017-03-21 18:15:00,0,0,0,0,,NaN,,NaN,34.94,-84.36,34.94,-84.36,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Fannin County Emergency Manager reported quarter size hail at the intersection of Kelly Ridge Road and Galloway Road." +114280,690029,GEORGIA,2017,March,Thunderstorm Wind,"WHITFIELD",2017-03-21 18:26:00,EST-5,2017-03-21 18:36:00,0,0,0,0,5.00K,5000,,NaN,34.7679,-85.0729,34.7679,-85.0729,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Whitfield County Emergency Manager reported several trees blown down around the 1400 block of LaFayette Road. ." +114280,690037,GEORGIA,2017,March,Thunderstorm Wind,"WHITFIELD",2017-03-21 18:30:00,EST-5,2017-03-21 18:40:00,0,0,0,0,20.00K,20000,,NaN,34.7569,-84.9197,34.7569,-84.9197,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Whitfield County Emergency Manager reported numerous trees and power lines blown down around U.S. Highway 41 and Airport Road. Over 10000 customers were without power in the area." +114280,690026,GEORGIA,2017,March,Thunderstorm Wind,"CATOOSA",2017-03-21 18:12:00,EST-5,2017-03-21 18:27:00,0,0,0,0,25.00K,25000,,NaN,34.95,-85.26,34.9133,-85.1082,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Catoosa County Emergency Manager reported numerous trees and power lines blown down from Fort Oglethorpe to Ringgold. Over 3000 customers were without power in the Fort Oglethorpe area." +114613,687383,OKLAHOMA,2017,March,Thunderstorm Wind,"TEXAS",2017-03-23 18:08:00,CST-6,2017-03-23 18:08:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-101.51,36.69,-101.51,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","" +114612,687382,TEXAS,2017,March,Thunderstorm Wind,"CARSON",2017-03-23 20:16:00,CST-6,2017-03-23 20:16:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.25,35.2,-101.25,"Severe weather was predominant across the central and western Panhandles. As an upper level worked its way east toward the Four Corners region, this helped to bring in some good mid level moisture. Although the low level moisture was not as pronounced, enough mid level instability and a strong mid level jet allowed did set the stage for discrete supercells. A surface low also formed in SW Kansas which helped to compact surface isobars and increase surface winds which eventually set up a dryline across the far western Panhandle which was the local initiation for these thunderstorms. Meso-analysis of 1000-1500 MLCAPE and DCAPE with 0-6 bulk shear around 50 kts allowed for discrete supercells. In-conjunction with cold mid-level temperatures moving closer to the Panhandles in association with the main upper level low, large hail and gusty winds were the main threat wit these storms. The result of the afternoon were many severe wind reports and hail size as big as 1.5.","Estimated measurement of 70 MPH." +115095,690792,VERMONT,2017,May,Hail,"CALEDONIA",2017-05-31 15:33:00,EST-5,2017-05-31 15:33:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-72.03,44.38,-72.03,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Dime size hail reported." +115095,690793,VERMONT,2017,May,Thunderstorm Wind,"CALEDONIA",2017-05-31 15:35:00,EST-5,2017-05-31 15:35:00,0,0,0,0,10.00K,10000,0.00K,0,44.47,-71.95,44.47,-71.95,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Trees down on Severance Hill road." +114846,688956,WEST VIRGINIA,2017,May,Flash Flood,"CABELL",2017-05-20 17:00:00,EST-5,2017-05-20 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.4165,-82.4463,38.4212,-82.4193,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","The viaducts in the city of Huntington flooded due to heavy rainfall." +114846,688958,WEST VIRGINIA,2017,May,Thunderstorm Wind,"MCDOWELL",2017-05-20 16:10:00,EST-5,2017-05-20 16:10:00,0,0,0,0,2.00K,2000,0.00K,0,37.43,-81.47,37.43,-81.47,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Multiple trees were blown down near Carswell Hollow and Vivian." +114265,684591,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 17:25:00,EST-5,2017-03-21 17:25:00,0,0,0,0,,NaN,,NaN,34.97,-82.38,34.97,-82.38,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported (via Social Media) 2-inch diameter hail reported off Mosteller Rd." +114265,684758,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 17:45:00,EST-5,2017-03-21 17:45:00,0,0,0,0,,NaN,,NaN,34.883,-82.269,34.883,-82.269,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported (via Social Media) 2-inch diameter hail near Buena Vista Elementary." +114847,688954,KENTUCKY,2017,May,Hail,"BOYD",2017-05-20 14:50:00,EST-5,2017-05-20 14:50:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-82.78,38.33,-82.78,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","" +114846,688959,WEST VIRGINIA,2017,May,Thunderstorm Wind,"CABELL",2017-05-20 16:35:00,EST-5,2017-05-20 16:35:00,0,0,0,0,0.50K,500,0.00K,0,38.37,-82.22,38.37,-82.22,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","A single tree was blown down along Route 10 near Merritts Creek." +114846,688960,WEST VIRGINIA,2017,May,Hail,"FAYETTE",2017-05-20 17:00:00,EST-5,2017-05-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-80.86,37.86,-80.86,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","" +113399,678581,WASHINGTON,2017,February,Ice Storm,"SPOKANE AREA",2017-02-08 19:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","The observer at the NWS office in Spokane measured 0.25 inch of ice accumulation from freezing rain." +113399,678582,WASHINGTON,2017,February,Ice Storm,"SPOKANE AREA",2017-02-08 19:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An employee of the NWS office in Spokane measured 0.25 inch of ice accumulation from freezing rain at his home near Marshall." +113399,678596,WASHINGTON,2017,February,Ice Storm,"SPOKANE AREA",2017-02-08 20:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","The observer at the Spokane International Airport reported 0.27 inch of ice accumulation from freezing rain which fell overnight into the early morning of February 9th." +113563,680078,NEW YORK,2017,February,Winter Storm,"SOUTHERN NASSAU",2017-02-09 05:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters, amateur radio, and the public reported 8 to 14 inches of snowfall. Winds gusted to 51 mph at Point Lookout at 12:33 pm and 45 mph at nearby Farmingdale Airport at 1:52 pm." +113563,680079,NEW YORK,2017,February,Winter Storm,"NORTHEAST SUFFOLK",2017-02-09 06:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters and the Public reported 10 to 13 inches of snowfall. Winds also gusted to 50 mph at Sag Harbor at 1:00 pm, and to 45 mph at Orient at 12:05 pm." +113563,680080,NEW YORK,2017,February,Winter Storm,"SOUTHEAST SUFFOLK",2017-02-09 06:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters, an NWS Employee, and the Public reported 10 to 13 inches of snowfall. Winds also gusted to 66 mph at Mecox at 12:25 pm, 61 mph in the Hampton Bays at 12:35 pm, and 49 mph at Westhampton Beach Airport at 12:26 pm." +113310,678136,ILLINOIS,2017,February,Hail,"PEORIA",2017-02-28 17:15:00,CST-6,2017-02-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-89.48,40.92,-89.48,"An unseasonably warm and humid airmass was in place across central Illinois on February 28th...with afternoon high temperatures soaring to record levels in the upper 60s and lower 70s. Thanks to these extremely warm temperatures and dewpoints surging into the upper 50s and lower 60s, Convective Available Potential Energy (CAPE) values exceeded 1500J/kg across Missouri and the western half of Illinois by late afternoon. In addition, a strong mid-level jet streak enhanced 0-6km wind shear to an impressive 60-70kt. While the airmass within the warm sector was initially capped, an approaching upper wave helped weaken the cap and set the stage for strong to severe thunderstorms into the evening. As a cold front pushed across the Mississippi River, supercell thunderstorms initiated across west-central Illinois during the late afternoon and lingered into the evening. These storms produced a total of 4 tornadoes in the National Weather Service Lincoln County Warning Area (CWA), including an EF-3 tornado that touched down west of Washburn in Woodford County. Other storms produced scattered reports of large hail and damaging winds across the area.","" +116428,700211,NORTH CAROLINA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-01 14:45:00,EST-5,2017-05-01 14:45:00,0,0,0,0,0.00K,0,0.00K,0,35.521,-81.396,35.519,-81.259,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","County comms reported a tree blown down near Vale and another tree down on Startown Rd. At least two other trees were blown down in the southern part of the county." +116428,700214,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROWAN",2017-05-01 16:18:00,EST-5,2017-05-01 16:18:00,0,0,0,0,5.00K,5000,0.00K,0,35.52,-80.67,35.52,-80.67,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","Public reported (via Social Media) a tree was blown down on a car on Wright Rd." +115597,694269,ATLANTIC SOUTH,2017,May,Waterspout,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-31 16:30:00,EST-5,2017-05-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-81.37,30.29,-81.37,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","A waterspout was reported just offshore of Jacksonville Beach." +115597,694271,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-31 18:01:00,EST-5,2017-05-31 18:01:00,0,0,0,0,0.00K,0,0.00K,0,29.86,-81.26,29.86,-81.26,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","" +114886,689204,WYOMING,2017,May,Hail,"SHERIDAN",2017-05-07 19:25:00,MST-7,2017-05-07 19:25:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-106.97,44.78,-106.97,"An isolated thunderstorm produced 3/4 hail.","" +114978,691569,MONTANA,2017,May,Hail,"POWDER RIVER",2017-05-15 16:15:00,MST-7,2017-05-15 16:15:00,0,0,0,0,0.00K,0,0.00K,0,45.67,-105.62,45.67,-105.62,"A few severe thunderstorms moved across Southeast Montana during the late afternoon and early evening hours of the 15th. The main impact from these thunderstorms was large hail.","" +114185,683891,FLORIDA,2017,May,Hail,"HILLSBOROUGH",2017-05-03 17:15:00,EST-5,2017-05-03 17:20:00,0,0,0,0,0.00K,0,0.00K,0,27.8491,-82.2856,27.8491,-82.2856,"Scattered thunderstorms developed along sea breeze boundaries during the afternoon hours. One of these storms dropped hail up to the size of nickels in Hillsborough County.","" +113515,679551,GEORGIA,2017,April,Thunderstorm Wind,"COLUMBIA",2017-04-03 14:24:00,EST-5,2017-04-03 14:30:00,2,0,0,0,,NaN,,NaN,33.69,-82.32,33.69,-82.32,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Significant damage was done to a dock, 20 boats were destroyed, and another|20 to 30 boats suffered extensive damage, at Pointes West Army Resort in the Fort Gordon Recreational Area on Clarks Hill Lake. Several pine trees were also snapped, all facing easterly. 2 persons, who were on the dock at the time, suffered minor injuries as the dock overturned." +114190,683957,FLORIDA,2017,May,Thunderstorm Wind,"LEVY",2017-05-04 15:50:00,EST-5,2017-05-04 15:50:00,0,0,0,0,5.00K,5000,0.00K,0,29.5634,-82.8739,29.5634,-82.8739,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a prefrontal trough, causing gusty winds as they came onshore during the afternoon of the 4th. Breezy winds also developed behind the front on the morning of the 5th.","A tree was knocked down onto power lines in Fanning Springs." +114311,684898,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-05 03:43:00,EST-5,2017-05-05 03:43:00,0,0,0,0,0.00K,0,0.00K,0,27.9478,-82.8105,27.9478,-82.8105,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","A weather station near Belleair measured a wind gust of 34 knots...39 mph." +114594,687271,FLORIDA,2017,May,Wildfire,"HIGHLANDS",2017-05-16 15:00:00,EST-5,2017-05-16 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire in Highlands County spread as a result of dry conditions and damaged one home before being contained by fire crews.","One home was reported to be damaged by a wildfire in Lake Placid. The fire spread to 68 acres before being contained." +115120,690998,WYOMING,2017,May,Winter Storm,"CASPER MOUNTAIN",2017-05-18 05:00:00,MST-7,2017-05-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","At the Casper Mountain SNOTEL 14 inches of new snow fell." +115120,690999,WYOMING,2017,May,Winter Storm,"LANDER FOOTHILLS",2017-05-18 04:00:00,MST-7,2017-05-19 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","The official spotter at the Lander airport measured 6.3 inches of snow. Amounts were higher closer to the Wind River Range where some areas received over a foot. However, with the high May sun angle, most roads were just mainly wet to slushy." +115120,691000,WYOMING,2017,May,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-05-18 05:00:00,MST-7,2017-05-19 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","Heavy snow fell in portions of the Green and Rattlesnake Range. The highest amount measured was 11 inches at Jeffrey City." +115120,691001,WYOMING,2017,May,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-05-18 00:00:00,MST-7,2017-05-19 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an unusually cool air mass, a slow moving area of low pressure and copious amounts of Pacific moisture moving into Wyoming combined to produce heavy late season snow in many areas. The heaviest fell in the mountains. The Wind River Range had to most with amounts of 12 to 18 inches commonplace with a maximum of 20 inches at the Hobbs Park SNOTEL. Over a foot of snow also fell in portions of the Absarokas, Bighorns and Casper Mountain. In the Lower Elevations, anywhere from 6 to 15 inches fell in the Lander Foothills depending on elevation with 11 inches reported at Jeffrey City.","Heavy snow fell along the eastern slopes of the Wind River Range. Most areas received over a foot of new snow. The highest amount recorded was 20 inches at the Hobbs Park SNOTEL site." +116256,698911,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"JASPER",2017-05-13 13:41:00,EST-5,2017-05-13 13:42:00,0,0,0,0,,NaN,0.00K,0,32.31,-81.06,32.31,-81.06,"Thunderstorms started developing in the early afternoon hours across southeast South Carolina as a weak area of low pressure and associated cold front were positioned across the region. A few of these thunderstorms became strong enough to produce damaging wind gusts and hail.","South Carolina Highway Patrol reported a tree blocking the roadway near the intersection of Independence Boulevard and Brickyard Road." +116260,698962,GEORGIA,2017,May,Hail,"CHATHAM",2017-05-22 16:10:00,EST-5,2017-05-22 16:20:00,0,0,0,0,,NaN,0.00K,0,32.17,-81.16,32.17,-81.16,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","Hail up to the size of quarters on the Houlihan bridge was reported via social media. The hail reportedly fell for about 10 minutes." +116260,698963,GEORGIA,2017,May,Heavy Rain,"CHATHAM",2017-05-22 00:00:00,EST-5,2017-05-22 23:59:00,0,0,0,0,,NaN,0.00K,0,32.13,-81.2,32.13,-81.2,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","The ASOS at the Savannah/Hilton Head International Airport (KSAV) measured 6.61 inches of rain for the day. This broke the daily rainfall record and ranks as the 15th wettest day on record at KSAV." +116260,698964,GEORGIA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-22 16:15:00,EST-5,2017-05-22 16:16:00,0,0,0,0,,NaN,0.00K,0,32.15,-81.18,32.15,-81.18,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","Multiple trees were reported down near the Houlihand bridge, causing the bridge to be closed to traffic." +116260,698965,GEORGIA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-22 16:15:00,EST-5,2017-05-22 16:16:00,0,0,0,0,,NaN,0.00K,0,32.16,-81.17,32.16,-81.17,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","Chatham County Emergency Management reported a tree down on a house on Bonnybridge Road in Port Wentworth." +116271,699126,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"COLLETON",2017-05-23 13:00:00,EST-5,2017-05-23 13:01:00,0,0,0,0,1.50K,1500,0.00K,0,32.74,-80.6,32.74,-80.6,"Clusters of thunderstorms began developing in the morning ahead of a strong cold front, and continued to impact portions of southeast South Carolina into the afternoon. A few of these storms became strong enough to produce damaging wind gusts.","The Colleton County Sheriffs Office reported 3 trees down and blocking the roadway. This included Treu Street and Shady Dell Lane, Magwood Bryant Road and Wood Road, and Charleston Highway and Bonnie Doone Road." +114657,687705,MONTANA,2017,May,Heavy Snow,"LOWER CLARK FORK REGION",2017-05-17 05:30:00,MST-7,2017-05-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","An NWS employee reported 3 inches of heavy wet snow which caused many tree limbs to break off. Also, a spotter in Evaro Hill reported 5 inches of snow." +114657,687711,MONTANA,2017,May,Heavy Snow,"BITTERROOT / SAPPHIRE MOUNTAINS",2017-05-17 01:30:00,MST-7,2017-05-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","Lolo and Saddle Mountain snotel recorded 8 to 10 inches of snow. Many hours of moderate to heavy snow caused slick roads over Lolo and Lost trail passes." +114657,687713,MONTANA,2017,May,Heavy Snow,"BUTTE / BLACKFOOT REGION",2017-05-17 02:00:00,MST-7,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","A trained spotter reported 11 inches of snow in the Hills of Butte and at least 8 inches of snow in downtown Butte. The prolonged periods of heavy wet snow caused a few semi trucks to jackknife and resulted in Homestake pass being shut down for several hours. Additionally, Barker Lake snotel reported 22 inches, and Warm Springs reported 11 inches of snow with this system." +114658,687718,IDAHO,2017,May,Heavy Snow,"SOUTHERN CLEARWATER MOUNTAINS",2017-05-17 03:00:00,PST-8,2017-05-17 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy mountain snow to central Idaho and Lemhi county. The late season snow storm brought wet heavy snow to a few valleys such as Pierce and caused power outages and tree damage.","Lolo snotel reported 10 inches of snow and Mountain Meadows snotel reported 11 inches of snow. Additionally, a COOP in Dixie reported 5.4 inches of heavy wet snow." +114870,689103,GEORGIA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-23 10:47:00,EST-5,2017-05-23 10:47:00,0,0,0,0,0.00K,0,0.00K,0,31.66,-84.86,31.66,-84.86,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","The public submitted an mping report of wind damage. Tree limbs blown down or shingle damage was reported." +114870,689104,GEORGIA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-23 10:48:00,EST-5,2017-05-23 10:48:00,0,0,0,0,1.00K,1000,0.00K,0,31.66,-84.81,31.66,-84.81,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","A tree was blown down and resulted in a power outage via the Georgia Power outage website." +114870,689105,GEORGIA,2017,May,Thunderstorm Wind,"TERRELL",2017-05-23 11:28:00,EST-5,2017-05-23 11:28:00,0,0,0,0,50.00K,50000,0.00K,0,31.76,-84.47,31.76,-84.47,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","A tree was blown down on Highway 82 between Graves and Dawson." +114870,689107,GEORGIA,2017,May,Thunderstorm Wind,"WORTH",2017-05-23 12:27:00,EST-5,2017-05-23 12:27:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-83.96,31.77,-83.96,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","Trees, power lines, and street signs were blown down near County Road 300 in Oakfield." +114870,689108,GEORGIA,2017,May,Hail,"DOUGHERTY",2017-05-23 12:32:00,EST-5,2017-05-23 12:32:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-84.17,31.55,-84.17,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","" +114870,689109,GEORGIA,2017,May,Thunderstorm Wind,"BERRIEN",2017-05-24 16:02:00,EST-5,2017-05-24 16:02:00,0,0,0,0,0.00K,0,0.00K,0,31.1858,-83.2699,31.1858,-83.2699,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","A tree was blown down on Shane Circle." +114870,689110,GEORGIA,2017,May,Thunderstorm Wind,"BERRIEN",2017-05-24 16:02:00,EST-5,2017-05-24 16:02:00,0,0,0,0,0.00K,0,0.00K,0,31.1965,-83.2584,31.1965,-83.2584,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","A tree was blown down on Lucile Street." +114872,689122,FLORIDA,2017,May,Thunderstorm Wind,"WALTON",2017-05-20 22:55:00,CST-6,2017-05-20 22:57:00,0,0,0,0,0.00K,0,0.00K,0,30.72,-86.1196,30.719,-86.1076,"A line of strong to severe storms affected portions of northwest Florida during the overnight hours of May 20th. Damage was most numerous in Walton county where several trees and power lines were blown down.","There were multiple uprooted trees near Highway 90 and Lake De Funiak." +114653,698479,MISSOURI,2017,May,Thunderstorm Wind,"DALLAS",2017-05-19 01:30:00,CST-6,2017-05-19 01:30:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-92.88,37.72,-92.88,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large trees and tree branches were blown down about three miles northeast of Windyville. There were pictures on social media." +114653,698480,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-19 14:11:00,CST-6,2017-05-19 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,36.88,-94.37,36.88,-94.37,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several power lines were blown down on High Street." +114653,698481,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-19 14:35:00,CST-6,2017-05-19 14:35:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-94,36.95,-94,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","The emergency manager estimated 60 mph wind gusts." +114653,698482,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-19 14:49:00,CST-6,2017-05-19 14:49:00,0,0,0,0,5.00K,5000,0.00K,0,37.12,-93.85,37.12,-93.85,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A barn was blown on to the roadway at OO Highway just west of 39 Highway." +114653,698483,MISSOURI,2017,May,Thunderstorm Wind,"DADE",2017-05-19 15:00:00,CST-6,2017-05-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-93.95,37.39,-93.95,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large tree limbs were blown down near Everton and Lockwood." +114653,698485,MISSOURI,2017,May,Thunderstorm Wind,"POLK",2017-05-19 15:46:00,CST-6,2017-05-19 15:46:00,0,0,0,0,2.00K,2000,0.00K,0,37.8,-93.58,37.8,-93.58,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several power lines were blown down behind a bank in Humansville." +114653,698487,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-19 16:46:00,CST-6,2017-05-19 16:46:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-92.85,38.26,-92.85,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees were blown down." +115299,692216,TEXAS,2017,May,Hail,"MITCHELL",2017-05-19 03:00:00,CST-6,2017-05-19 03:05:00,0,0,0,0,,NaN,,NaN,32.3188,-100.8204,32.3188,-100.8204,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +115299,692218,TEXAS,2017,May,Hail,"HOWARD",2017-05-19 03:30:00,CST-6,2017-05-19 03:35:00,0,0,0,0,,NaN,,NaN,32.149,-101.37,32.149,-101.37,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +115299,692217,TEXAS,2017,May,Thunderstorm Wind,"MITCHELL",2017-05-19 03:00:00,CST-6,2017-05-19 03:00:00,0,0,0,0,,NaN,,NaN,32.3189,-100.8205,32.3189,-100.8205,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","A thunderstorm moved across Mitchell County and produced a 60 mph wind gust around Lake Champion." +115299,692219,TEXAS,2017,May,Hail,"ECTOR",2017-05-19 05:05:00,CST-6,2017-05-19 05:10:00,0,0,0,0,,NaN,,NaN,31.8355,-102.37,31.8355,-102.37,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +115299,692220,TEXAS,2017,May,Hail,"SCURRY",2017-05-19 08:45:00,CST-6,2017-05-19 08:50:00,0,0,0,0,,NaN,,NaN,32.53,-100.68,32.53,-100.68,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +114533,687107,TEXAS,2017,May,Thunderstorm Wind,"NACOGDOCHES",2017-05-11 19:45:00,CST-6,2017-05-11 19:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7515,-94.6758,31.7515,-94.6758,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Numerous trees were blown down or topped along Highway 259 near County Road 204." +114533,687108,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-11 19:50:00,CST-6,2017-05-11 19:50:00,0,0,0,0,0.00K,0,0.00K,0,31.9076,-94.3991,31.9076,-94.3991,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Trees were blown down blocking one lane of North 2nd Street." +114533,687109,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-11 19:50:00,CST-6,2017-05-11 19:50:00,0,0,0,0,0.00K,0,0.00K,0,31.8695,-94.3783,31.8695,-94.3783,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Trees were blown down on Farm to Market Road 415 just off of Highway 87." +115178,691484,LOUISIANA,2017,May,Hail,"BOSSIER",2017-05-28 09:08:00,CST-6,2017-05-28 09:13:00,0,0,0,0,0.00K,0,0.00K,0,32.6244,-93.7087,32.6244,-93.7087,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Dime to penny size hail fell for about 5 minutes on Sabine Pass Drive in North Bossier City." +115178,691696,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:55:00,CST-6,2017-05-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.0718,-93.764,32.0718,-93.764,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A 59 mph wind gust was measured at the Rusty Williams Airport AWOS." +115737,695617,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-03 13:30:00,CST-6,2017-05-03 13:30:00,0,0,0,0,1.50K,1500,0.00K,0,31.8,-97.1,31.8,-97.1,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social Media reported golf ball size hail in West. Time was estimated by radar." +115737,695618,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-03 13:40:00,CST-6,2017-05-03 13:40:00,0,0,0,0,1.00K,1000,0.00K,0,31.7305,-97.0181,31.7305,-97.0181,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported half dollar size hail in Leroy. Time estimated by radar." +115737,695619,TEXAS,2017,May,Hail,"HILL",2017-05-03 13:53:00,CST-6,2017-05-03 13:53:00,0,0,0,0,1.50K,1500,0.00K,0,31.85,-96.8,31.85,-96.8,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Broadcast media reported ping pong ball size hail in Hubbard. Time was estimated by radar." +116834,702579,NORTH CAROLINA,2017,May,Hail,"MCDOWELL",2017-05-19 13:25:00,EST-5,2017-05-19 13:25:00,0,0,0,0,,NaN,,NaN,35.58,-82.04,35.58,-82.04,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Public reported dime to quarter size hail at the corner of Old Fort Sugar Hill Rd and Sugar Hill Rd." +116834,702583,NORTH CAROLINA,2017,May,Hail,"CALDWELL",2017-05-19 13:30:00,EST-5,2017-05-19 13:30:00,0,0,0,0,,NaN,,NaN,35.91,-81.53,35.91,-81.53,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Spotter reported 3/4 inch hail." +115737,695620,TEXAS,2017,May,Hail,"HILL",2017-05-03 13:54:00,CST-6,2017-05-03 13:54:00,0,0,0,0,1.00K,1000,0.00K,0,31.7602,-96.8838,31.7602,-96.8838,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social media reported half dollar size hail in Mount Calm." +115737,695621,TEXAS,2017,May,Hail,"HILL",2017-05-03 13:58:00,CST-6,2017-05-03 13:58:00,0,0,0,0,1.00K,1000,0.00K,0,31.7565,-96.8792,31.7565,-96.8792,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail in Mount Calm." +115737,695624,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 14:14:00,CST-6,2017-05-03 14:14:00,0,0,0,0,1.00K,1000,0.00K,0,32.3,-95.62,32.3,-95.62,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social Media reported golf ball size hail in Brownsboro." +115737,695626,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 14:14:00,CST-6,2017-05-03 14:14:00,0,0,0,0,1.00K,1000,0.00K,0,32.308,-95.4799,32.308,-95.4799,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Public reported half dollar size hail in Chandler." +115737,695628,TEXAS,2017,May,Hail,"HENDERSON",2017-05-03 14:15:00,CST-6,2017-05-03 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,32.308,-95.4798,32.308,-95.4798,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social Media reported half dollar size hail in Chandler." +115737,695631,TEXAS,2017,May,Hail,"LIMESTONE",2017-05-03 14:15:00,CST-6,2017-05-03 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,31.7541,-96.6497,31.7541,-96.6497,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Social Media reported quarter size hail in Coolidge." +112843,675391,KANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,10.00K,10000,0.00K,0,37.54,-94.7,37.54,-94.7,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","A large tree was blown on to a mobile home. This report was from a picture on social media." +112843,675392,KANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-06 21:12:00,CST-6,2017-03-06 21:12:00,0,0,0,0,2.00K,2000,0.00K,0,37.6,-95,37.6,-95,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","A vehicle was blown off a roadway near Highway 146 and 50th Ave. Several trees were blown down." +112843,675393,KANSAS,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,10.00K,10000,0.00K,0,37.28,-94.72,37.28,-94.72,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","Multiple power poles were snapped along the highway." +112843,675394,KANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-06 21:34:00,CST-6,2017-03-06 21:34:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-94.7,37.54,-94.7,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","A large tree limb was blown down between 8th and 9th Street on Washington Road." +112843,675395,KANSAS,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-06 21:35:00,CST-6,2017-03-06 21:35:00,0,0,0,0,10.00K,10000,0.00K,0,37.17,-94.72,37.17,-94.72,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","About eight power poles and lines were blown down on Highway 69." +112843,675396,KANSAS,2017,March,Thunderstorm Wind,"BOURBON",2017-03-06 20:45:00,CST-6,2017-03-06 20:45:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.88,37.84,-94.88,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","This estimated wind report was submitted online." +112843,675397,KANSAS,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-06 21:13:00,CST-6,2017-03-06 21:13:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-94.7,37.54,-94.7,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","Law enforcement estimated wind speeds between 70 and 80 mph." +112920,674650,IOWA,2017,March,Hail,"WEBSTER",2017-03-06 17:20:00,CST-6,2017-03-06 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-94.29,42.28,-94.29,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported quarter sized hail via social media." +112920,675029,IOWA,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-06 17:50:00,CST-6,2017-03-06 17:50:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-93.82,42.47,-93.82,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Mesonet station in Webster City recorded a 60 mph wind gust." +112920,675047,IOWA,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 18:18:00,CST-6,2017-03-06 18:18:00,0,0,0,0,25.00K,25000,0.00K,0,42.18,-94.11,42.18,-94.11,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Emergency manager reported power lines down in town." +112920,675044,IOWA,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-06 17:55:00,CST-6,2017-03-06 17:55:00,0,0,0,0,20.00K,20000,0.00K,0,42.4492,-93.8158,42.4492,-93.8158,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported a semi blown on its side on Highway 20 near Webster City. Time estimated via radar." +112920,676729,IOWA,2017,March,Tornado,"WEBSTER",2017-03-06 17:28:00,CST-6,2017-03-06 17:32:00,0,0,0,0,70.00K,70000,0.00K,0,42.272,-94.1476,42.3022,-94.1092,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Video evidence submitted by a firefighter showed a tornado touchdown approximately 3 miles west northwest of Dayton with dust and debris being lifted into the air. Tornado significantly damaged a hog confinement facility along with damaging power lines." +112920,675045,IOWA,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-06 17:56:00,CST-6,2017-03-06 17:56:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-93.82,42.46,-93.82,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported that thunderstorm winds took out power in Webster City. Reported via social media." +112822,674088,MICHIGAN,2017,March,High Wind,"INGHAM",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674089,MICHIGAN,2017,March,High Wind,"VAN BUREN",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674091,MICHIGAN,2017,March,High Wind,"KALAMAZOO",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,13.00M,13000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A peak wind gust of 58 mph was measured at the Kalamazoo airport. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +112822,674092,MICHIGAN,2017,March,High Wind,"CALHOUN",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A peak wind gust of 59 mph was measured at the WK Kellogg airport in Battle Creek. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +114213,684088,KENTUCKY,2017,March,Tornado,"TRIGG",2017-03-27 13:27:00,CST-6,2017-03-27 13:32:00,0,0,0,0,50.00K,50000,0.00K,0,36.9334,-87.7316,36.9487,-87.6591,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","Peak winds were estimated near 80 mph. The tornado was witnessed by two people. Four barns were damaged, and one small barn was leveled. A house porch roof was blown off. Branches were broken off numerous trees. The damage path began along Highway 128 southwest of Cerulean, then crossed Highway 126 about 1.5 miles south of Cerulean. The tornado continued into Christian County for just a few more tenths of a mile." +114213,684108,KENTUCKY,2017,March,Tornado,"CHRISTIAN",2017-03-27 13:32:00,CST-6,2017-03-27 13:33:00,0,0,0,0,25.00K,25000,0.00K,0,36.9487,-87.6591,36.9494,-87.6545,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","The tornado path continued from Trigg County into Christian County. The tornado was only on the ground for about three-tenths of a mile in Christian County before lifting. Two barns were damaged. One barn was blown several inches northward off its foundation. A second barn had its north wall blown northward, with debris blown to the east-northeast. The damage was only about a mile south of Highway 624 near the Trigg County line. Peak winds were estimated near 80 mph." +114213,684093,KENTUCKY,2017,March,Thunderstorm Wind,"HOPKINS",2017-03-27 13:50:00,CST-6,2017-03-27 13:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.33,-87.5,37.33,-87.5,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","A tree was blown down on a house." +116168,698195,IOWA,2017,May,Thunderstorm Wind,"UNION",2017-05-17 14:20:00,CST-6,2017-05-17 14:20:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-94.36,41.02,-94.36,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Creston AWOS station recorded a 60 mph wind gust." +116168,698196,IOWA,2017,May,Hail,"POLK",2017-05-17 14:22:00,CST-6,2017-05-17 14:22:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-93.72,41.77,-93.72,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported nickel sized hail." +116168,698192,IOWA,2017,May,Hail,"BLACK HAWK",2017-05-17 14:15:00,CST-6,2017-05-17 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.54,-92.33,42.54,-92.33,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported quarter sized hail." +116168,698197,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-17 14:28:00,CST-6,2017-05-17 14:28:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-92.26,42.81,-92.26,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported 4 inch diameter tree limbs down." +114251,684475,KENTUCKY,2017,March,Frost/Freeze,"HENDERSON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684476,KENTUCKY,2017,March,Frost/Freeze,"HICKMAN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684478,KENTUCKY,2017,March,Frost/Freeze,"LIVINGSTON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +113853,681872,MISSOURI,2017,February,Hail,"BATES",2017-02-28 23:27:00,CST-6,2017-02-28 23:27:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-94.08,38.07,-94.08,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681810,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 19:54:00,CST-6,2017-02-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-94.08,38.87,-94.08,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681818,MISSOURI,2017,February,Hail,"LAFAYETTE",2017-02-28 20:17:00,CST-6,2017-02-28 20:17:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-93.72,39.03,-93.72,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681817,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 19:56:00,CST-6,2017-02-28 19:58:00,0,0,0,0,,NaN,,NaN,38.89,-94.08,38.89,-94.08,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","Reported by KSHB meteorologist chasing." +113853,681820,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:53:00,CST-6,2017-02-28 20:54:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-94.61,38.48,-94.61,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681821,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:53:00,CST-6,2017-02-28 20:58:00,0,0,0,0,,NaN,,NaN,38.65,-94.35,38.65,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681823,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:53:00,CST-6,2017-02-28 20:55:00,0,0,0,0,,NaN,,NaN,38.65,-94.39,38.65,-94.39,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681822,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:53:00,CST-6,2017-02-28 20:58:00,0,0,0,0,,NaN,,NaN,38.65,-94.35,38.65,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681824,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:55:00,CST-6,2017-02-28 20:59:00,0,0,0,0,,NaN,,NaN,38.65,-94.35,38.65,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114397,685719,PENNSYLVANIA,2017,March,Winter Weather,"BUTLER",2017-03-03 02:30:00,EST-5,2017-03-03 12:30:00,0,2,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers and squalls, reducing visibility under 1/4 mile, caused accidents along interstate I-79 in Butler county, PA on the 23rd. Snow amounts generally ranged from 2-4 inches, with a few higher amounts in Mercer in Lawrence counties.","A 20-car pileup was reported by local media on interstate 79 in Butler county near 422." +115200,694785,OKLAHOMA,2017,May,Hail,"CANADIAN",2017-05-19 00:40:00,CST-6,2017-05-19 00:40:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-97.74,35.58,-97.74,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694728,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-18 14:19:00,CST-6,2017-05-18 14:19:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-99.6,36.56,-99.6,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +113853,681849,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:00:00,CST-6,2017-02-28 21:01:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-94.29,38.65,-94.29,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681850,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:06:00,CST-6,2017-02-28 21:07:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-94.2,38.7,-94.2,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +119033,714984,MISSOURI,2017,July,Flood,"LAFAYETTE",2017-07-27 21:19:00,CST-6,2017-07-28 03:19:00,0,0,0,0,0.00K,0,0.00K,0,39.1227,-94.0835,38.9253,-94.0608,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Numerous roads were closed across Lafayette County. Route FF near HWY D was closed in both directions between Bates City and Odessa. Missouri HWY 224 was closed in both directions west of Lexington. Missouri HWY 13 was closed in both directions near Page City Road." +114400,685729,MARYLAND,2017,March,Heavy Snow,"GARRETT",2017-03-14 01:00:00,EST-5,2017-03-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that ejected out of the Rockies and into the midwest interacted with and deepened an upper trough over the region on the 13th. As a result, a coastal low developed. While a pronounced dry slot and weak warm advection limited snow accumulation across much of the Ohio Valley, 6-12 inches of snow, with isolated higher amounts of up to 16 inches, was recorded in the mountains of West Virginia and in Garrett county, Maryland, with additional support from uplsope enhancement through the 16th.","" +113847,681777,MICHIGAN,2017,February,Winter Weather,"MARQUETTE",2017-02-04 12:00:00,EST-5,2017-02-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","Observers across Marquette County measured between three to five inches of snow over a nine-hour period." +112920,675066,IOWA,2017,March,Thunderstorm Wind,"HARDIN",2017-03-06 19:11:00,CST-6,2017-03-06 19:11:00,0,0,0,0,20.00K,20000,0.00K,0,42.36,-93.08,42.36,-93.08,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported power lines and trees down. This is a delayed report and time estimated by radar." +113847,681778,MICHIGAN,2017,February,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-02-04 14:00:00,EST-5,2017-02-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","Observers from Cooks to Manistique measured between 7 and 8 inches of snow over an 18-hour period." +113847,681779,MICHIGAN,2017,February,Winter Weather,"LUCE",2017-02-04 07:00:00,EST-5,2017-02-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","The observer in Newberry measured nine inches of snow in 24 hours." +113847,681780,MICHIGAN,2017,February,Winter Weather,"ALGER",2017-02-04 07:00:00,EST-5,2017-02-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","The observer ten miles south of Grand Marais measured 9.5 inches of snow in 24 hours." +113847,681781,MICHIGAN,2017,February,Winter Weather,"NORTHERN HOUGHTON",2017-02-04 13:00:00,EST-5,2017-02-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","There was a public report of four inches of snow in four hours at Painesdale." +113847,681782,MICHIGAN,2017,February,Winter Weather,"DELTA",2017-02-04 14:00:00,EST-5,2017-02-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","The observer in Garden Corners measured three inches of snow in seven hours." +116168,698282,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:11:00,CST-6,2017-05-17 16:11:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-92.9,42.04,-92.9,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported wind gusts to 60 mph." +116168,698288,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:19:00,CST-6,2017-05-17 16:19:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-92.91,42.04,-92.91,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","RWIS on Highway 30 measured wind gusts to 59 mph." +114312,684928,TEXAS,2017,March,Hail,"COKE",2017-03-28 14:34:00,CST-6,2017-03-28 14:34:00,0,0,0,0,0.00K,0,0.00K,0,32.04,-100.25,32.04,-100.25,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","" +114312,684929,TEXAS,2017,March,Hail,"TAYLOR",2017-03-28 15:00:00,CST-6,2017-03-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,32.11,-100.12,32.11,-100.12,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","The public reported golf ball size hail 2 miles south southwest of Happy Valley." +114312,684930,TEXAS,2017,March,Hail,"TAYLOR",2017-03-28 15:09:00,CST-6,2017-03-28 15:09:00,0,0,0,0,0.00K,0,0.00K,0,32.25,-99.99,32.25,-99.99,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported golf ball size hail 9 miles southwest of View." +113197,681688,KENTUCKY,2017,March,Tornado,"METCALFE",2017-03-27 16:05:00,CST-6,2017-03-27 16:06:00,0,0,0,0,300.00K,300000,0.00K,0,37.137,-85.699,37.139,-85.694,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","This squall-line tornado was on the ground for just over a quarter of a mile, but caused considerable destruction. It touched down about 0.3 miles southwest of Center, destroying two large barns and a small outbuilding in addition to taking the roof off a small home. The front porch of a nearby home was briefly raised, causing the supports to fall out. The tornado moved northeast, streaming debris from the four buildings in a cyclonic pattern and into a nearby automotive repair shop that had one door blown in and another outward. The large metal shop had minor roof damage, but was pierced in several locations by debris from the outbuildings to the southwest and the entire facility was shifted slightly off its foundation. Numerous vehicles near the repair shop sustained damage when hit by large debris from the barns to the southwest. The cab of a small pickup was crushed by debris and the vehicle blown onto Highway 969. An RV parked next to the shop was blown into a utility pole. Several other vehicles had windows broken out. Metal roof panels from the destroyed buildings, along with insulation from the small home, was wrapped around trees as far as a half mile from their origin, with other small debris observed as far as 3/4 mile from the initial touchdown location." +113197,677188,KENTUCKY,2017,March,Thunderstorm Wind,"GREEN",2017-03-27 16:21:00,CST-6,2017-03-27 16:21:00,0,0,0,0,0.00K,0,0.00K,0,37.2637,-85.4778,37.2637,-85.4778,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported 2 trees down at the intersection of Ralph Vaughn Road and Jess Nunn Road." +114265,684584,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 15:49:00,EST-5,2017-03-21 17:15:00,0,0,0,0,,NaN,,NaN,35.051,-82.402,34.84,-82.24,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Numerous sources reported that the first in a series of severe thunderstorms produced up to golf ball size hail from Tigerville, through Taylors and the Eastside." +113197,677187,KENTUCKY,2017,March,Thunderstorm Wind,"GREEN",2017-03-27 16:20:00,CST-6,2017-03-27 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-85.49,37.16,-85.49,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported trees down in the area." +119033,714985,MISSOURI,2017,July,Flood,"BATES",2017-07-28 03:25:00,CST-6,2017-07-28 09:25:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-94.34,38.2609,-94.1226,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Missouri HWY 52 was closed in both directions near Butler." +115701,699714,IOWA,2017,May,Thunderstorm Wind,"CARROLL",2017-05-16 19:20:00,CST-6,2017-05-16 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.0752,-94.869,42.0752,-94.869,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Large tree branches down in the yard." +119033,714987,MISSOURI,2017,July,Flood,"HENRY",2017-07-28 21:28:00,CST-6,2017-07-29 02:28:00,0,0,0,0,0.00K,0,0.00K,0,38.2886,-94.0148,38.3188,-94.0104,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Route K was closed in both directions." +116208,698569,IOWA,2017,May,Funnel Cloud,"BOONE",2017-05-23 13:23:00,CST-6,2017-05-23 13:23:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-93.73,41.91,-93.73,"A weak cold frontal boundary that entered the state the previous day regained momentum and moved southeast of the state by the afternoon. In its wake was an environment of relatively steep low level lapse rates, lifted condensation levels around 1000 m or less, and a few hundred J/kg of SBCAPE. In all, it ended up enough for a couple of weak updrafts to produce funnel clouds.","Emergency manager relayed public report of a funnel cloud northwest of Slater that was present for several minutes." +116168,699715,IOWA,2017,May,Hail,"MADISON",2017-05-17 13:35:00,CST-6,2017-05-17 13:35:00,0,0,0,0,0.00K,0,0.00K,0,41.348,-94.0128,41.348,-94.0128,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","" +116168,699716,IOWA,2017,May,Thunderstorm Wind,"MADISON",2017-05-17 14:55:00,CST-6,2017-05-17 14:55:00,0,0,0,0,0.00K,0,0.00K,0,41.3479,-94.0126,41.3479,-94.0126,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Small to medium limbs down in town." +113197,677191,KENTUCKY,2017,March,Thunderstorm Wind,"CLINTON",2017-03-27 16:43:00,CST-6,2017-03-27 16:43:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-85.11,36.75,-85.11,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported trees down on State Garage Road." +113197,677192,KENTUCKY,2017,March,Thunderstorm Wind,"RUSSELL",2017-03-27 17:07:00,CST-6,2017-03-27 17:07:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-85.15,36.87,-85.15,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported trees down on Highway 127." +113197,677195,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-27 18:39:00,EST-5,2017-03-27 18:39:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-84.49,37.99,-84.49,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The public reported a large tree down due to severe thunderstorm winds." +113197,677196,KENTUCKY,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-27 17:40:00,EST-5,2017-03-27 17:40:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-84.88,38.12,-84.88,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The Franklin County Mesonet near Frankfort recorded a 51 knot wind gust." +113197,677197,KENTUCKY,2017,March,Thunderstorm Wind,"ADAIR",2017-03-27 16:42:00,CST-6,2017-03-27 16:42:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-85.19,37.08,-85.19,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Local law enforcement reported that severe thunderstorm winds brought down a tree, blocking portions of Russell Springs Road east of Columbia." +116463,700443,LOUISIANA,2017,May,Thunderstorm Wind,"ST. LANDRY",2017-05-03 18:05:00,CST-6,2017-05-03 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,30.407,-91.9865,30.407,-91.9865,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A large tree was downed at the Intersection of Highway 92 and Jules LaGrange Road." +116463,700444,LOUISIANA,2017,May,Thunderstorm Wind,"BEAUREGARD",2017-05-03 18:36:00,CST-6,2017-05-03 18:36:00,0,0,0,0,1.00K,1000,0.00K,0,30.7,-93.07,30.7,-93.07,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","The public reported a tree down." +113197,677198,KENTUCKY,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-27 15:18:00,CST-6,2017-03-27 15:18:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-86.34,37.47,-86.34,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Local law enforcement reported that severe thunderstorm winds downed multiple trees across Millwood and Leitchfield." +113197,686274,KENTUCKY,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-27 17:49:00,EST-5,2017-03-27 17:49:00,0,0,0,0,75.00K,75000,0.00K,0,37.7959,-85.1525,37.7959,-85.1429,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","A one-half mile long area of straight-line wind damage was surveyed southwest of Willisburg. The most significant damage was to a sturdy Amish school house that lost part of its roof, and to a nearby home that had lost the vertical supports to its front porch when the roof briefly lifted. Several trees were also downed and minor roof damage occurred to two outbuildings." +113197,686295,KENTUCKY,2017,March,Thunderstorm Wind,"METCALFE",2017-03-27 16:10:00,CST-6,2017-03-27 16:10:00,0,0,0,0,50.00K,50000,0.00K,0,36.96,-85.65,36.96,-85.65,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported that a barn was blown down on Randolph Road." +116463,700445,LOUISIANA,2017,May,Thunderstorm Wind,"AVOYELLES",2017-05-03 19:06:00,CST-6,2017-05-03 19:06:00,0,0,0,0,10.00K,10000,0.00K,0,30.99,-92.05,30.99,-92.05,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Multiple trees were reported down in Cottonport, Plaucheville, and Dupont. Some trees fell on houses and power lines." +116463,700903,LOUISIANA,2017,May,Flash Flood,"JEFFERSON DAVIS",2017-05-03 13:45:00,CST-6,2017-05-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2532,-93.6385,30.1541,-93.6365,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Heavy rain flooded many streets in Jefferson Davis Parish with some becoming impassable. Welsh reported 9.12 inches of rain during the event." +116463,700955,LOUISIANA,2017,May,Flash Flood,"IBERIA",2017-05-03 13:11:00,CST-6,2017-05-03 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.005,-91.7427,30.2947,-91.9913,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Numerous roads were flooded during the event with some closed including portions of Highway 83." +116463,700959,LOUISIANA,2017,May,Flash Flood,"VERNON",2017-05-03 18:30:00,CST-6,2017-05-03 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.1952,-93.3069,31.1823,-93.1476,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Significant street flooding was reported around Leesville. Some streets were too deep to pass." +115643,694860,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-04-06 13:45:00,EST-5,2017-04-06 13:55:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 48 to 54 knots were reported at Gunpowder." +115247,692130,MARYLAND,2017,April,Hail,"PRINCE GEORGE'S",2017-04-21 16:12:00,EST-5,2017-04-21 16:12:00,0,0,0,0,,NaN,,NaN,38.9258,-76.9139,38.9258,-76.9139,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +116876,702710,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-29 22:56:00,EST-5,2017-05-29 22:56:00,0,0,0,0,0.00K,0,0.00K,0,34.6803,-78.2252,34.6803,-78.2252,"A cluster of storm tracked across portions of Sampson County late during the evening producing widespread damage. Numerous homes and buildings were damaged along with widespread power outages. Monetary damages were estimated.","One tree was reported down near the intersection of Ivanhoe Road and Wildcat Road." +116876,702711,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-29 22:56:00,EST-5,2017-05-29 22:56:00,0,0,0,0,1.00K,1000,0.00K,0,34.701,-78.2249,34.701,-78.2249,"A cluster of storm tracked across portions of Sampson County late during the evening producing widespread damage. Numerous homes and buildings were damaged along with widespread power outages. Monetary damages were estimated.","Power lines were reported down along Belvin Maynard Road." +115247,692131,MARYLAND,2017,April,Hail,"PRINCE GEORGE'S",2017-04-21 16:44:00,EST-5,2017-04-21 16:44:00,0,0,0,0,,NaN,,NaN,38.824,-76.7357,38.824,-76.7357,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Half dollar sized hail was reported." +115247,692132,MARYLAND,2017,April,Hail,"CALVERT",2017-04-21 18:49:00,EST-5,2017-04-21 18:49:00,0,0,0,0,,NaN,,NaN,38.7047,-76.5359,38.7047,-76.5359,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115247,692133,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:34:00,EST-5,2017-04-21 15:34:00,0,0,0,0,,NaN,,NaN,39.041,-77.1728,39.041,-77.1728,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees and wires down at the 11200 Block of Gainsborough Road." +115247,692134,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:36:00,EST-5,2017-04-21 15:36:00,0,0,0,0,,NaN,,NaN,39.033,-77.1611,39.033,-77.1611,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Several large tree branches and wires were blocking the entire road near the intersection of Seven Locks Road and Bells Mill Road." +115247,692135,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:40:00,EST-5,2017-04-21 15:40:00,0,0,0,0,,NaN,,NaN,38.9724,-77.1229,38.9724,-77.1229,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Several tree branches were down onto wires in the 6300 Block of Haviland Drive." +113324,680925,ARKANSAS,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-06 23:58:00,CST-6,2017-03-06 23:58:00,0,0,0,0,0.00K,0,0.00K,0,36.0785,-94.2039,36.0785,-94.2039,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a tree near W Wedington Drive and Steamboat Drive on the west side of Fayetteville." +113324,680926,ARKANSAS,2017,March,Thunderstorm Wind,"CARROLL",2017-03-07 00:00:00,CST-6,2017-03-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4015,-93.7391,36.4015,-93.7391,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a tree." +113324,680928,ARKANSAS,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-07 00:03:00,CST-6,2017-03-07 00:03:00,0,0,0,0,2.00K,2000,0.00K,0,36.0016,-94.0086,36.0016,-94.0086,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down a tree and damaged shingles of a home." +114467,686432,IOWA,2017,March,Hail,"CLAYTON",2017-03-23 15:09:00,CST-6,2017-03-23 15:09:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-91.54,42.68,-91.54,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Golf ball sized hail was reported in Strawberry Point." +114467,686437,IOWA,2017,March,Hail,"CLAYTON",2017-03-23 15:28:00,CST-6,2017-03-23 15:28:00,0,0,0,0,0.00K,0,0.00K,0,42.71,-91.32,42.71,-91.32,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Quarter sized hail was reported southwest of Elkport." +114467,686456,IOWA,2017,March,Hail,"CLAYTON",2017-03-23 15:42:00,CST-6,2017-03-23 15:42:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-91.38,42.93,-91.38,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Quarter sized hail was reported in St. Olaf." +114467,686468,IOWA,2017,March,Hail,"CLAYTON",2017-03-23 15:45:00,CST-6,2017-03-23 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-90.96,42.68,-90.96,"Thunderstorms developed across northeast Iowa during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Fayette and Clayton Counties and was as large as eggs near Westgate (Fayette County).","Quarter sized hail was reported in North Buena Vista." +114470,686443,MINNESOTA,2017,March,Hail,"MOWER",2017-03-23 15:37:00,CST-6,2017-03-23 15:37:00,0,0,0,0,0.00K,0,0.00K,0,43.72,-92.7,43.72,-92.7,"Thunderstorms developed across southeast Minnesota during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across parts of the area. The hail mainly fell across Mower and Fillmore Counties with nickel sized hail in Fountain (Fillmore County) the largest size reported.","" +114470,686457,MINNESOTA,2017,March,Hail,"FILLMORE",2017-03-23 15:45:00,CST-6,2017-03-23 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.74,-92.13,43.74,-92.13,"Thunderstorms developed across southeast Minnesota during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across parts of the area. The hail mainly fell across Mower and Fillmore Counties with nickel sized hail in Fountain (Fillmore County) the largest size reported.","" +114470,686458,MINNESOTA,2017,March,Hail,"MOWER",2017-03-23 16:06:00,CST-6,2017-03-23 16:06:00,0,0,0,0,0.00K,0,0.00K,0,43.66,-92.95,43.66,-92.95,"Thunderstorms developed across southeast Minnesota during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across parts of the area. The hail mainly fell across Mower and Fillmore Counties with nickel sized hail in Fountain (Fillmore County) the largest size reported.","" +114633,687985,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 16:00:00,PST-8,2017-03-30 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","VillageFest in Palm Springs was canceled due to strong winds." +114633,687584,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 13:00:00,PST-8,2017-03-30 16:30:00,1,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","Palm Springs Office of Emergency Management reported an injury from an awning blowing down at a mobile home park near Palm Canyon Dr. and Cherokee Way. A Large tree crushed a car at the Oasis Resort in Palm Springs and power lines were downed near the Horizon Mobile Park at 3575 E. Palm Canyon Dr." +114633,687556,CALIFORNIA,2017,March,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-03-30 12:51:00,PST-8,2017-03-30 16:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","The Burns Canyon mesonet station reported peak wind gusts in excess of 70 mph over a 4 hour period. The strongest gust of 94 mph occurred between 1351 and 1451PST." +114633,687552,CALIFORNIA,2017,March,High Wind,"APPLE AND LUCERNE VALLEYS",2017-03-30 14:00:00,PST-8,2017-03-30 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","The Means Lake mesonet station reported a 61 mph wind gust between 1526 and 1626PST. Victorville, Southern California Logistics Airport reported a wind gust of 60 mph between 1535 and 1555PST. The San Bernardino Sheriffs Office reported hundreds of tumbleweeds blocking all lanes of National Trails Highway near Mills Street a 1600PST." +115247,692136,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:42:00,EST-5,2017-04-21 15:42:00,0,0,0,0,,NaN,,NaN,39.0286,-77.0963,39.0286,-77.0963,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Tree branches were down at the intersection of Montrose Avenue and Weymouth Street." +115247,692137,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:43:00,EST-5,2017-04-21 15:43:00,0,0,0,0,,NaN,,NaN,39.0206,-77.0907,39.0206,-77.0907,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Tree and wires were down on the 4500 Block of Woodfield Road." +115247,692138,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:43:00,EST-5,2017-04-21 15:43:00,0,0,0,0,,NaN,,NaN,39.0174,-77.1003,39.0174,-77.1003,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down blocking the Inner Loop of the Beltway near Maryland 355." +115247,692139,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:43:00,EST-5,2017-04-21 15:43:00,0,0,0,0,,NaN,,NaN,39.0151,-77.1191,39.0151,-77.1191,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Tree branches were down on the left shoulder of the Capital Beltway." +115247,692140,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:43:00,EST-5,2017-04-21 15:43:00,0,0,0,0,,NaN,,NaN,39.0315,-77.0749,39.0315,-77.0749,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees and wires were down partially blocking the intersection of University Boulevard West and Connecticut Avenue." +115247,692141,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:44:00,EST-5,2017-04-21 15:44:00,0,0,0,0,,NaN,,NaN,39.0135,-77.0917,39.0135,-77.0917,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A large tree was uprooted." +115247,692142,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:46:00,EST-5,2017-04-21 15:46:00,0,0,0,0,,NaN,,NaN,38.9958,-77.0776,38.9958,-77.0776,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree fell onto a house with wires down along Connecticut Avenue." +115247,692143,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:47:00,EST-5,2017-04-21 15:47:00,0,0,0,0,,NaN,,NaN,38.995,-77.0788,38.995,-77.0788,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree fell into a house along the 8500 Block of Lynwood Place." +114535,686901,ALABAMA,2017,March,Thunderstorm Wind,"TALLADEGA",2017-03-10 03:00:00,CST-6,2017-03-10 03:01:00,0,0,0,0,0.00K,0,0.00K,0,33.44,-86.07,33.44,-86.07,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Numerous trees uprooted at the Timber Ridge Golf Course." +114535,686902,ALABAMA,2017,March,Thunderstorm Wind,"SHELBY",2017-03-10 03:08:00,CST-6,2017-03-10 03:09:00,0,0,0,0,0.00K,0,0.00K,0,33.23,-86.57,33.23,-86.57,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Several trees uprooted and power lines downed." +114535,686904,ALABAMA,2017,March,Thunderstorm Wind,"CLAY",2017-03-10 03:13:00,CST-6,2017-03-10 03:14:00,0,0,0,0,0.00K,0,0.00K,0,33.36,-85.83,33.36,-85.83,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Several trees uprooted near the intersection of Clairmont Springs Road and Highland Road." +114535,686907,ALABAMA,2017,March,Thunderstorm Wind,"CLAY",2017-03-10 03:16:00,CST-6,2017-03-10 03:17:00,0,0,0,0,0.00K,0,0.00K,0,33.3671,-85.7406,33.3671,-85.7406,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Several trees uprooted blocking Prairie Creek Road." +114535,686908,ALABAMA,2017,March,Thunderstorm Wind,"CLAY",2017-03-10 03:16:00,CST-6,2017-03-10 03:18:00,0,0,0,0,0.00K,0,0.00K,0,33.2712,-85.8355,33.2712,-85.8355,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Numerous trees uprooted in the city of Ashland." +114535,686927,ALABAMA,2017,March,Thunderstorm Wind,"ELMORE",2017-03-10 04:12:00,CST-6,2017-03-10 04:13:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-86.22,32.54,-86.22,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Numerous structures in downtown Wetumpka suffered roof damage." +114535,686928,ALABAMA,2017,March,Thunderstorm Wind,"ELMORE",2017-03-10 04:16:00,CST-6,2017-03-10 04:18:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-86.36,32.48,-86.36,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Several trees uprooted in the town of Millbrook." +114801,689032,SOUTH DAKOTA,2017,March,Heavy Snow,"MARSHALL",2017-03-12 09:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689033,SOUTH DAKOTA,2017,March,Heavy Snow,"DAY",2017-03-12 09:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689034,SOUTH DAKOTA,2017,March,Heavy Snow,"CLARK",2017-03-12 09:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689035,SOUTH DAKOTA,2017,March,Heavy Snow,"CODINGTON",2017-03-12 09:00:00,CST-6,2017-03-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689036,SOUTH DAKOTA,2017,March,Heavy Snow,"HAMLIN",2017-03-12 09:00:00,CST-6,2017-03-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114476,686478,WASHINGTON,2017,March,Flood,"SPOKANE",2017-03-15 14:44:00,PST-8,2017-03-20 02:15:00,0,0,0,0,100.00K,100000,0.00K,0,47.768,-117.5263,47.7592,-117.4219,"The Little Spokane River achieved Minor Flood Stage as a result of spring time snow melt and periodic heavy rain during the second week of March. Fields and park lands along the river were inundated and homes along and near the river experienced yard and basement flooding.","The Little Spokane River Gage at Dartford recorded a rise above the Flood Stage of 6.5 feet at 2:45 PM PST March 15th. The river fluctuated slightly above and below Flood Stage before rising again and cresting 6.8 feet at 11:15 AM on March 19th. The river then slowly receded, dropping below Flood Stage at 2:15 AM March 20th." +114770,688406,IDAHO,2017,March,Flood,"BENEWAH",2017-03-14 22:00:00,PST-8,2017-03-19 21:00:00,0,0,0,0,200.00K,200000,0.00K,0,46.9581,-117.0154,46.9541,-117.0401,"Low elevation snow melt combined with periods of heavy rain during the second week of March forced the Palouse River to Major Flood Stage. Extensive flooding of fields, parks and roads in the river bottom occurred.","The Palouse River Gage at Potlach, ID recorded a rise above the Flood Stage of 15.0 feet at 10:00 PM PST March 14th, cresting at 17.5 feet at 10:30 AM March 16th. The river dropped below Flood Stage during the evening of the 17th but then rose again above Flood Stage during the afternoon of the 19th cresting 15.6 feet before receding below Flood Stage for the end of the event during the evening of March 19th." +114772,688600,IDAHO,2017,March,Flood,"KOOTENAI",2017-03-15 07:30:00,PST-8,2017-03-20 16:30:00,0,0,0,0,200.00K,200000,0.00K,0,47.5303,-116.337,47.5655,-116.3287,"Periodic heavy rain and mountain snow melt caused the Coeur D'Alene River to flood. The town of Cataldo experienced extensive flooding of roads, fields, yards and outbuildings in the river bottom lands. Some homes and businesses experienced basement and shallow first floor flooding.","The Coeur D'Alene River Gage at Cataldo reported a rise above the Flood Stage of 43.0 feet at 7:30 AM PST on March 15th. The river crested at 46.1 feet at 3:15 PM March 15th and then dropped below flood stage. The river then rose to Flood Stage again on March 18th, cresting at 44.7 feet at 3:00 PM on March 19th. The river dropped below Flood Stage at 4:30 PM March 20th, ending the flooding episode." +114772,688605,IDAHO,2017,March,Flood,"SHOSHONE",2017-03-15 07:30:00,PST-8,2017-03-20 16:30:00,0,0,0,0,200.00K,200000,0.00K,0,47.5411,-116.3291,47.549,-116.2477,"Periodic heavy rain and mountain snow melt caused the Coeur D'Alene River to flood. The town of Cataldo experienced extensive flooding of roads, fields, yards and outbuildings in the river bottom lands. Some homes and businesses experienced basement and shallow first floor flooding.","The Coeur D'Alene River Gage at Cataldo reported a rise above the Flood Stage of 43.0 feet at 7:30 AM PST on March 15th. The river crested at 46.1 feet at 3:15 PM March 15th and then dropped below flood stage. The river then rose to Flood Stage again on March 18th, cresting at 44.7 feet at 3:00 PM on March 19th. The river dropped below Flood Stage at 4:30 PM March 20th, ending the flooding episode." +115820,696085,MARYLAND,2017,May,Thunderstorm Wind,"CHARLES",2017-05-05 07:17:00,EST-5,2017-05-05 07:17:00,0,0,0,0,,NaN,,NaN,38.4192,-76.9261,38.4192,-76.9261,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Maryland and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down near the intersection of Budds Creek Road and Allens Fresh Road." +115820,696086,MARYLAND,2017,May,Thunderstorm Wind,"CHARLES",2017-05-05 07:21:00,EST-5,2017-05-05 07:21:00,0,0,0,0,,NaN,,NaN,38.5341,-76.9705,38.5341,-76.9705,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Maryland and the unstable atmosphere caused a few thunderstorms to become severe.","Several trees and wires were down in the La Plata area." +115820,696088,MARYLAND,2017,May,Thunderstorm Wind,"ST. MARY'S",2017-05-05 07:27:00,EST-5,2017-05-05 07:27:00,0,0,0,0,,NaN,,NaN,38.4333,-76.8123,38.4333,-76.8123,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Maryland and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down on Thompson Corner Road near Ryceville Road." +115817,696060,VIRGINIA,2017,May,Tornado,"ORANGE",2017-05-05 07:17:00,EST-5,2017-05-05 07:18:00,0,0,0,0,,NaN,,NaN,38.3269,-77.9033,38.3387,-77.8978,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Virginia and the unstable atmosphere caused a few thunderstorms to become severe.","The National Weather Service Baltimore/Washington Weather Forecast located in Sterling, Virginia, has confirmed a tornado on May 5, 2017, near Bledsoe Corner in Orange County Virginia, which is about 11 miles southeast of Culpeper. Damage began on a property in the 27000 block of Old Musterfield Lane, where about a dozen large pine, maple, and cedar trees were snapped and uprooted in multiple directions in a convergent pattern. A stone wall was blown over, and some smaller objects were carried hundreds of yards. The tornado proceeded northeast over woods surrounding Cooke Lane where dozens of large trees were snapped and uprooted in multiple directions, where a home sustained siding and minor roofing damage from the wind. Several other homes and structures had damage from falling trees and tree limbs. The |tornado continued northeast through the woods until it came upon a cinder block garage. The wind entered the structure, lifted the roof off, and knocked down most of the walls. Debris was carried across Musterfield Road into a field. A few snapped trees were noted at the far end of the field. That was the last noted damage.||The National Weather Service would like to thank the residents who reported the damage and helped survey the area; along with the County of Orange Department of Fire and EMS, and the Virginia Department of Emergency Management for coordination." +117105,704563,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:33:00,CST-6,2017-05-27 12:36:00,0,0,0,0,,NaN,,NaN,38.34,-93.78,38.34,-93.78,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704558,MISSOURI,2017,May,Hail,"BATES",2017-05-27 12:02:00,CST-6,2017-05-27 12:07:00,0,0,0,0,,NaN,,NaN,38.41,-94.17,38.41,-94.17,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704559,MISSOURI,2017,May,Hail,"BATES",2017-05-27 12:03:00,CST-6,2017-05-27 12:07:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-94.15,38.37,-94.15,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704561,MISSOURI,2017,May,Hail,"CASS",2017-05-27 12:08:00,CST-6,2017-05-27 12:10:00,0,0,0,0,0.00K,0,0.00K,0,38.5,-94.07,38.5,-94.07,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704562,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:25:00,CST-6,2017-05-27 12:25:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-93.78,38.37,-93.78,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704564,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:48:00,CST-6,2017-05-27 12:52:00,0,0,0,0,,NaN,,NaN,38.26,-93.6,38.26,-93.6,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Several vehicles with their windshields broken due to hail at the Bucksaw Marina near Coal." +117105,704565,MISSOURI,2017,May,Hail,"PETTIS",2017-05-27 12:48:00,CST-6,2017-05-27 12:48:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-93.41,38.62,-93.41,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117100,704525,OREGON,2017,May,Flash Flood,"MULTNOMAH",2017-05-04 14:55:00,PST-8,2017-05-04 15:05:00,0,0,0,0,0.00K,0,0.00K,0,45.5881,-122.0776,45.585,-122.0747,"A strong upper-level trough generated enough instability for a few severe thunderstorms to develop across NW Oregon.","Heavy rain from a strong thunderstorm in addition to a log jam caused the rapid rise of Oneonta Creek in the Oneonta Gorge. Two hikers were injured in the flash flood." +117100,704545,OREGON,2017,May,Thunderstorm Wind,"LANE",2017-05-04 18:30:00,PST-8,2017-05-04 18:45:00,0,0,0,0,0.00K,0,0.00K,0,43.4831,-122.2303,43.4831,-122.2303,"A strong upper-level trough generated enough instability for a few severe thunderstorms to develop across NW Oregon.","Emigrant RAWS weather station measured wind gusts up to 66 mph." +117111,704618,OREGON,2017,May,Heat,"NORTH OREGON CASCADES",2017-05-22 12:00:00,PST-8,2017-05-22 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ridge of high pressure brought a couple days of warm weather. While air temperatures were warm, river and lake temperatures were still cold, leading to two drownings across the area.","Temperatures climbed up into the upper 80s to low 90s in many locations across the area. One local swimmer drowned seeking relief from the heat in a mountain lake." +117111,704627,OREGON,2017,May,Heat,"GREATER PORTLAND METRO AREA",2017-05-23 12:00:00,PST-8,2017-05-23 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ridge of high pressure brought a couple days of warm weather. While air temperatures were warm, river and lake temperatures were still cold, leading to two drownings across the area.","Early season heat led people to seek relief in local rivers and lakes. One swimmer drowned at High Rocks Park." +117123,704633,WASHINGTON,2017,May,Heat,"GREATER VANCOUVER AREA",2017-05-27 12:00:00,PST-8,2017-05-27 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ridge of high pressure brought a couple days of warm weather. While air temperatures were warm, river and lake temperatures were still cold, leading to one drowning near Vancouver in Clark County.","Warm weather led to people seeking relief in local rivers and lakes. One man drowned at Lacamas Lake in Vancouver." +115405,692930,MISSOURI,2017,April,Flood,"DE KALB",2017-04-05 10:34:00,CST-6,2017-04-05 12:34:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-94.6,39.8137,-94.5977,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route P was closed due to flooding along Third Fork." +115405,692931,MISSOURI,2017,April,Flood,"CALDWELL",2017-04-05 10:39:00,CST-6,2017-04-05 12:39:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-93.78,39.5941,-93.7851,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route N was closed due to flooding along Mud Creek." +112943,683856,COLORADO,2017,March,High Wind,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683857,COLORADO,2017,March,High Wind,"WESTCLIFFE VICINITY / WET MOUNTAIN VALLEY BELOW 8500 FT",2017-03-06 07:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683858,COLORADO,2017,March,High Wind,"WET MOUNTAINS ABOVE 10000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +115405,692932,MISSOURI,2017,April,Flood,"DAVIESS",2017-04-05 10:42:00,CST-6,2017-04-05 12:42:00,0,0,0,0,0.00K,0,0.00K,0,39.83,-93.88,39.8314,-93.8785,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route M was closed due to flooding by nearby creeks." +112943,683859,COLORADO,2017,March,High Wind,"PIKES PEAK ABOVE 11000 FT",2017-03-06 08:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683860,COLORADO,2017,March,High Wind,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-03-06 10:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112791,673795,COLORADO,2017,March,High Wind,"SEDGWICK COUNTY",2017-03-07 11:30:00,MST-7,2017-03-07 12:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","" +112791,673800,COLORADO,2017,March,High Wind,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-03-07 10:35:00,MST-7,2017-03-07 12:17:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border. No injuries were reported." +114975,689842,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN HUMBOLDT INTERIOR",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 11 inches two miles west of Dinsmore at 3200 feet elevation." +114975,689840,CALIFORNIA,2017,March,Winter Storm,"SOUTHERN HUMBOLDT INTERIOR",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Six inches of snow at 2800 feet with snow still falling. Location is one mile east-northeast of Bridgeville." +114975,689837,CALIFORNIA,2017,March,Winter Storm,"NORTHERN HUMBOLDT INTERIOR",2017-03-04 02:00:00,PST-8,2017-03-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought widespread snow to interior portions of Northwest California while convective showers produced numerous swaths of small hail near the coast. Some of the hail showers resulted in travel difficulties including minor car accidents in the Humboldt Bay area.","Social media report of storm total snow of 11 inches at 2600 feet elevation three miles east of Blue Lake." +114962,689579,SOUTH CAROLINA,2017,March,Hail,"LAURENS",2017-03-30 17:03:00,EST-5,2017-03-30 17:03:00,0,0,0,0,,NaN,,NaN,34.47,-81.94,34.47,-81.94,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","County comms reported up to quarter-sized hail between Laurens and Clinton." +114962,689580,SOUTH CAROLINA,2017,March,Hail,"LAURENS",2017-03-30 16:55:00,EST-5,2017-03-30 16:55:00,0,0,0,0,,NaN,,NaN,34.467,-81.989,34.467,-81.989,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","Spotters reported penny to nickel size hail south and east of Laurens." +114962,689581,SOUTH CAROLINA,2017,March,Hail,"ANDERSON",2017-03-30 17:10:00,EST-5,2017-03-30 17:10:00,0,0,0,0,,NaN,,NaN,34.53,-82.7,34.53,-82.7,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","Amateur radio reported penny size hail." +115826,696117,MARYLAND,2017,May,Thunderstorm Wind,"PRINCE GEORGE'S",2017-05-19 18:00:00,EST-5,2017-05-19 18:00:00,0,0,0,0,,NaN,,NaN,39.066,-76.927,39.066,-76.927,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Several large branches were down at the Cross Creek Golf Club." +114983,689892,NEW HAMPSHIRE,2017,March,Heavy Snow,"EASTERN HILLSBOROUGH",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689891,NEW HAMPSHIRE,2017,March,Heavy Snow,"COASTAL ROCKINGHAM",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689893,NEW HAMPSHIRE,2017,March,Heavy Snow,"INTERIOR ROCKINGHAM",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689896,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN CARROLL",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113661,685527,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 01:56:00,CST-6,2017-03-29 01:56:00,0,0,0,0,1.00K,1000,0.00K,0,32.92,-96.63,32.92,-96.63,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported shingles removed from a home in Garland, TX." +113661,685529,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 02:00:00,CST-6,2017-03-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9,-96.57,32.9,-96.57,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report of an estimated 80 MPH wind was received from Rowlett, TX." +113661,685531,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 02:00:00,CST-6,2017-03-29 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.9,-96.57,32.9,-96.57,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report indicated trees snapped, one of which crushed part of a fence in Rowlett, TX." +113661,685717,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-28 01:03:00,CST-6,2017-03-28 01:03:00,0,0,0,0,5.00K,5000,0.00K,0,32.6742,-97.4989,32.6742,-97.4989,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated roof damage to High Ridge Church, approximately 2.5 miles west of Benbrook, TX." +113661,685718,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 00:50:00,CST-6,2017-03-29 00:50:00,0,0,0,0,0.00K,0,0.00K,0,32.89,-97.44,32.89,-97.44,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A public report indicated large tree limbs down and minor roof damage in the Eagle Mountain area." +113661,685721,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:00:00,CST-6,2017-03-29 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.5783,-97.3619,32.5783,-97.3619,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A trained spotter reported trees down, metal buildings destroyed and roof damage to multiple structures in the vicinity of Meadow Glen Drive in Crowley, TX." +113661,685722,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:11:00,CST-6,2017-03-29 01:11:00,0,0,0,0,5.00K,5000,0.00K,0,32.58,-97.23,32.58,-97.23,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported large trees snapped in half and a barn blown into a pond near the town of Rendon." +113544,679785,WEST VIRGINIA,2017,March,Thunderstorm Wind,"MONROE",2017-03-01 11:27:00,EST-5,2017-03-01 11:45:00,0,0,0,0,2.50K,2500,0.00K,0,37.6632,-80.6217,37.4814,-80.3663,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the morning hours of March 1st, entering southeast West Virginia before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, providing the needed instability for the line of storms to track across the region.","At least five trees were reported blown down across Monroe County. One was blown down in Ballard at 11:30 AM EST, two trees were taken down by thunderstorm winds in Union at 11:35 AM EST, and two trees fell in Linside around 11:40 AM EST." +113548,679704,VIRGINIA,2017,March,Thunderstorm Wind,"ROANOKE",2017-03-01 12:08:00,EST-5,2017-03-01 12:08:00,0,0,0,0,0.50K,500,0.00K,0,37.2799,-80.1399,37.2799,-80.1399,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","A tree, estimated to be three to five inches in diameter, was blown down across Malus Drive." +113548,679713,VIRGINIA,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-01 12:35:00,EST-5,2017-03-01 12:35:00,0,0,0,0,0.20K,200,0.00K,0,37.5229,-79.3724,37.5229,-79.3724,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Thunderstorm winds snapped an 18-inch diameter branch off of a tree." +113548,679762,VIRGINIA,2017,March,Thunderstorm Wind,"TAZEWELL",2017-03-01 11:00:00,EST-5,2017-03-01 11:20:00,0,0,0,0,5.00K,5000,0.00K,0,37.1987,-81.6298,37.047,-81.4679,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Several large trees and numerous large tree limbs were blown down across Tazewell County." +113212,690341,GEORGIA,2017,March,Drought,"MADISON",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690359,GEORGIA,2017,March,Drought,"CLARKE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114280,690099,GEORGIA,2017,March,Thunderstorm Wind,"FULTON",2017-03-21 19:55:00,EST-5,2017-03-21 20:10:00,0,0,0,0,7.00K,7000,,NaN,34.0608,-84.1843,34.0547,-84.1743,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Fulton County Emergency Manager reported trees blown down in the Johns Creek area including around the intersection of Findley Road and Findley Chase Drive and around Medlock Bridge Road and Johns Creek Parkway." +114280,690103,GEORGIA,2017,March,Thunderstorm Wind,"GWINNETT",2017-03-21 19:55:00,EST-5,2017-03-21 20:15:00,0,0,0,0,30.00K,30000,,NaN,33.9966,-84.1584,33.9477,-84.053,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Gwinnett County Emergency Manager reported trees blown down from Duluth to Lawrenceville. A tree fell onto Park Bluff Lane blocking the road, a tree fell on a house on Ferrite Loop, one on Raleigh Way and one on Carlysle Inn Court." +114280,690106,GEORGIA,2017,March,Thunderstorm Wind,"DE KALB",2017-03-21 19:58:00,EST-5,2017-03-21 20:00:00,0,0,0,0,,NaN,,NaN,33.8058,-84.1457,33.8058,-84.1457,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The DeKalb County Emergency Manager reported a weather station on the top of Stone Mountain measured a wind gust of 83 MPH." +114280,690135,GEORGIA,2017,March,Thunderstorm Wind,"GWINNETT",2017-03-21 20:09:00,EST-5,2017-03-21 20:15:00,0,0,0,0,5.00K,5000,,NaN,34.0631,-83.9473,34.0631,-83.9473,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Gwinnett County Emergency Manager reported trees blown down along I-85 near mile marker 117." +114281,689146,GEORGIA,2017,March,Hail,"CATOOSA",2017-03-27 17:55:00,EST-5,2017-03-27 18:05:00,0,0,0,0,,NaN,,NaN,34.9805,-85.199,34.9805,-85.199,"A strong short wave sweeping through the Tennessee Valley combined with a moderately unstable atmosphere across north Georgia to produce isolated severe thunderstorms with several reports of large hail across northwest Georgia.","The public reported nickel size hail on I-75 near the Tennessee state line." +113054,686275,NORTH DAKOTA,2017,March,High Wind,"SHERIDAN",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Sheridan County using the Harvey AWOS in Wells County." +113054,686276,NORTH DAKOTA,2017,March,High Wind,"OLIVER",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Oliver County using the Hazen AWOS in Mercer County." +113323,680970,OKLAHOMA,2017,March,Thunderstorm Wind,"MUSKOGEE",2017-03-06 23:07:00,CST-6,2017-03-06 23:07:00,0,0,0,0,10.00K,10000,0.00K,0,35.7132,-95.3845,35.7132,-95.3845,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over eastern Oklahoma ahead of these storms. The line of thunderstorms moved east across eastern Oklahoma during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms, which produced a tornado in Adair County and hail up to golfball size.","Strong thunderstorm wind damaged the roof of a church, damaged the roofs of five homes, and uprooted two trees." +114694,690537,PENNSYLVANIA,2017,March,Heavy Snow,"BRADFORD",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall of 15 to 30 inches fell in Bradford County." +114203,684030,KANSAS,2017,March,High Wind,"SHERMAN",2017-03-06 08:20:00,MST-7,2017-03-06 16:16:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","The emergency reported a mobile home had lost its roof in Goodland. A four inch green tree limb was snapped by the winds between Edson and Bird City from estimated wind speeds of 60 to 65 MPH." +114203,684031,KANSAS,2017,March,High Wind,"THOMAS",2017-03-06 11:00:00,CST-6,2017-03-06 15:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","Sustained winds of 40-45 MPH combined with gusts close to 60 MPH caused two semis to blow over on I-70 in the far southeast corner of the county near mile post 58. The high winds also caused blowing dust to reduce the visibility to a half mile in Colby." +113642,687141,INDIANA,2017,March,Tornado,"LAWRENCE",2017-03-01 05:37:00,EST-5,2017-03-01 05:38:00,0,0,0,0,100.00K,100000,0.00K,0,38.69,-86.3406,38.6884,-86.33,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","This EF-2 tornado, with maximum wind speeds of 130 mph, collapsed 3 metal chicken barns and damaged or destroyed some outbuildings. The tornado continued southeast into NWS WFO Louisville's area of responsibility." +113642,687142,INDIANA,2017,March,Tornado,"JACKSON",2017-03-01 05:45:00,EST-5,2017-03-01 05:46:00,0,0,0,0,45.00K,45000,0.00K,0,38.7991,-86.0166,38.8008,-86.0126,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","A brief EF-2 tornado, with winds up to 115 mph, touched down with the tornado lifting a garage up and partially off its foundation, turning the garage about 30 degrees, and resting it on top of a pickup truck which was in the garage. A frame ranch house next to the garage lost a substantial portion of its roof which was deposited to the northeast behind the house. Insulation from the house was splattered against the entire east wall of the house and the entire remaining roof of the east side of the home. A 25 foot trailer in the driveway was lifted, turned 180 degrees, and flipped onto its side, resting against the home.||This brief EF-2 tornado was embedded within a 12 mile long downburst path, which extended from just east of Medora to just west of Crothersville. Within this downburst path, straight line winds to at least 115 mph collapsed 3 metal transmission towers, all laying to the east. These transmission towers were about 7 miles east of the tornado path." +113642,690643,INDIANA,2017,March,Flood,"JACKSON",2017-03-01 06:48:00,EST-5,2017-03-01 08:50:00,0,0,0,0,1.00K,1000,1.00K,1000,38.9059,-85.8227,38.9074,-85.8168,"A low pressure system brought very warm and unstable air for late February and early March to central Indiana. The result was severe thunderstorms and 7 tornadoes from the 28th of February to March 1st. A surface frontal system interacted with an unstable and high shear environment to produce the severe weather.","Highway 31 was flooded with 8 inches above the road due to thunderstorm heavy rainfall." +113646,690464,INDIANA,2017,March,Hail,"VIGO",2017-03-30 13:23:00,EST-5,2017-03-30 13:25:00,0,0,0,0,,NaN,0.00K,0,39.47,-87.38,39.47,-87.38,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690468,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:04:00,EST-5,2017-03-30 14:06:00,0,0,0,0,,NaN,0.00K,0,39.95,-86.93,39.95,-86.93,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690473,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:05:00,EST-5,2017-03-30 14:07:00,0,0,0,0,,NaN,,NaN,39.96,-86.92,39.96,-86.92,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +114332,685091,MISSOURI,2017,March,Tornado,"SHELBY",2017-03-06 21:40:00,CST-6,2017-03-06 21:56:00,1,0,0,0,0.00K,0,0.00K,0,39.6334,-92.28,39.75,-91.9673,"As a cold front moved across the region, a squall line developed and moved rapidly east across the forecast area. There were numerous reports of damaging winds, large hail and 8 tornadoes.","Tornado touched down on County Road 503, just south of the intersection with Highway Y. A barn was destroyed in this location with the damage rated EF1. The tornado tracked to the northeast causing scattered tree and building damage. As the tornado crossed County Road 426, just west of the intersection with Highway A, it destroyed a farm outbuilding. The tornado then crossed U.S. Highway 36 and hit the South Shelby High School. The school suffered minor roof damage, a couple of storage buildings were destroyed, and the baseball field backstop was destroyed. The press box was blown off the football field bleachers and destroyed. One home just northeast of the high school had a portion of its roof blown off. Intermittent tree and farm outbuilding damage continued until about 5.2 miles northeast of Shelbina. One injury occurred. A man was cut on the forehead by flying debris and required stitches. Overall, the tornado was rated EF1 with a path length of 18.47 miles and max path width of 150 yards." +114280,690031,GEORGIA,2017,March,Thunderstorm Wind,"DADE",2017-03-21 18:05:00,EST-5,2017-03-21 18:10:00,0,0,0,0,7.00K,7000,,NaN,34.9356,-85.4827,34.9356,-85.4827,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Georgia Department of Transportation reported multiple trees blown down blocking all lanes of I-59 around mile marker 17." +114280,689997,GEORGIA,2017,March,Hail,"CLARKE",2017-03-21 18:25:00,EST-5,2017-03-21 18:30:00,0,0,0,0,,NaN,,NaN,33.8845,-83.3121,33.8845,-83.3121,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A nursery at Barnett Shoals Road and Hancock Lane reported quarter size hail." +114280,689996,GEORGIA,2017,March,Hail,"CLARKE",2017-03-21 18:20:00,EST-5,2017-03-21 18:25:00,0,0,0,0,,NaN,,NaN,33.97,-83.28,33.97,-83.28,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","A report of quarter size hail in Winterville was received over social media." +115095,690794,VERMONT,2017,May,Thunderstorm Wind,"CALEDONIA",2017-05-31 15:43:00,EST-5,2017-05-31 15:43:00,0,0,0,0,10.00K,10000,0.00K,0,44.38,-71.92,44.38,-71.92,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Trees down along Route 18." +115095,690796,VERMONT,2017,May,Thunderstorm Wind,"ESSEX",2017-05-31 15:50:00,EST-5,2017-05-31 15:50:00,0,0,0,0,10.00K,10000,0.00K,0,44.43,-71.89,44.43,-71.89,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Trees down on roadway." +115095,690800,VERMONT,2017,May,Hail,"WINDSOR",2017-05-31 16:30:00,EST-5,2017-05-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-72.33,43.7,-72.33,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Quarter size hail near the Hartford town line." +115095,690805,VERMONT,2017,May,Thunderstorm Wind,"RUTLAND",2017-05-31 15:23:00,EST-5,2017-05-31 15:23:00,0,0,0,0,5.00K,5000,0.00K,0,43.64,-73.15,43.64,-73.15,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Trees down on Hubbarton Road." +114312,684937,TEXAS,2017,March,Hail,"HASKELL",2017-03-28 17:35:00,CST-6,2017-03-28 17:35:00,0,0,0,0,0.00K,0,0.00K,0,33.16,-99.73,33.16,-99.73,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported quarter size hail in Haskell." +113661,685526,TEXAS,2017,March,Thunderstorm Wind,"DALLAS",2017-03-29 01:54:00,CST-6,2017-03-29 01:54:00,0,0,0,0,5.00K,5000,0.00K,0,32.92,-96.63,32.92,-96.63,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported that a shed was destroyed, and wind damage to both the roof and the outer wall of a home occurred in the city of Garland, TX." +114320,685709,OHIO,2017,March,Flood,"MONROE",2017-03-01 21:35:00,EST-5,2017-03-02 08:20:00,0,0,0,0,10.00K,10000,0.00K,0,39.58,-81.16,39.5754,-81.1495,"Showers and thunderstorms, some of which were severe developed with support from an upper shortwave in advance of a cold front early on the 1st. Strong deep layer shear, and strengthening surface instability allowed for some a few damaging wind reports across Ohio, western Pennsylvania, and northern West Virginia. Some flooding was also reported where several rounds of convection moved over the same area.","Department of highways reported that state route 26 was closed in both directions about 2 miles north of the Washington and Monroe county line due to high water." +113661,685734,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:45:00,CST-6,2017-03-29 01:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.7077,-97.4376,32.7077,-97.4376,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported roof damage at the fire station at 4416 Southwest Blvd in Fort Worth, TX." +113661,685931,TEXAS,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-29 02:21:00,CST-6,2017-03-29 02:21:00,0,0,0,0,2.00K,2000,0.00K,0,33.6704,-96.6103,33.6704,-96.6103,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported power lines down near the intersection of Hwy 75 and Hwy 82." +113399,678550,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 8 miles north of Republic reported 4.5 inches of new snow." +113399,678556,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer in Republic reported 4 inches of new snow." +113399,678553,WASHINGTON,2017,February,Heavy Snow,"OKANOGAN HIGHLANDS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Boyds reported 5.6 inches of new snow." +113563,680081,NEW YORK,2017,February,Winter Storm,"SOUTHERN WESTCHESTER",2017-02-09 03:30:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Trained spotters and the public reported 9.5 to 12 inches of snowfall. Winds gusted to 43 mph at White Plains Airport at 12:46 pm." +113563,679823,NEW YORK,2017,February,Blizzard,"NORTHERN NASSAU",2017-02-09 07:33:00,EST-5,2017-02-09 14:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Nearby Republic Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +113563,679822,NEW YORK,2017,February,Blizzard,"SOUTHWEST SUFFOLK",2017-02-09 08:00:00,EST-5,2017-02-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","MacArthur and Republic Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and afternoon on Feb 9th." +113171,677287,GEORGIA,2017,February,Drought,"CLARKE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +113171,677288,GEORGIA,2017,February,Drought,"CHATTOOGA",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall through February contributed to an expansion of the extreme drought across north Georgia following an improvement through the month of January. Drought conditions did end, however, across large portions of central Georgia. ||Rainfall amounts of 2 to 4 inches were common across western and north Georgia for the month of February, or 50 to 100 percent of normal. Eastern Georgia received 0.5 to 3 inches of rainfall, or 25 to 75 percent of normal. ||By the end of the month, 365-day rainfall deficits across north Georgia ranged from 19 to 23 inches. The headwaters of the Chattahoochee River, upstream from Lake Lanier, reached record low streamflow levels, and Lake Lanier remained 9 feet below seasonal pool into March. Above normal temperatures through the month contributed to early agricultural growth and overall leaf out across the area, resulting in increased stress on the hydrologic system. The D2 Severe Drought area was generally along and north of a line from Carrollton, to Lawrenceville, to Elberton. The D3 Extreme Drought area was north of a line from Summerville, to Dawsonville, to Lavonia.","" +115566,693948,FLORIDA,2017,May,Thunderstorm Wind,"CLAY",2017-05-30 17:30:00,EST-5,2017-05-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.17,-81.72,30.17,-81.72,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Numerous homes were damaged from fallen trees just north of Kingsley Avenue and south of the Orange Park Mall. Several cars were damaged from the fallen trees." +115566,693949,FLORIDA,2017,May,Wildfire,"PUTNAM",2017-05-30 22:07:00,EST-5,2017-05-30 22:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","The Warner Road wildfire that was caused by lightning on Tuesday evening was 80 percent contained. It burned 630 acres." +115595,694241,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 14:55:00,EST-5,2017-05-31 14:55:00,0,0,0,0,0.00K,0,0.00K,0,30.55,-81.7,30.55,-81.7,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail and wind gusts of 35-40 mph were observed about 5 miles north of the Jacksonville International Airport." +115595,694242,FLORIDA,2017,May,Hail,"NASSAU",2017-05-31 14:55:00,EST-5,2017-05-31 14:55:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-81.81,30.53,-81.81,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail was observed between Ratliff and Callahan. The time of the event was based on radar." +115595,694243,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 15:50:00,EST-5,2017-05-31 15:50:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.41,30.38,-81.41,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail that covered the ground was reported in Mayport." +115595,694244,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:02:00,EST-5,2017-05-31 16:02:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.42,30.34,-81.42,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Half dollar size hail was reported from Dutton Island Park to just east of the Intracoastal Waterway in Atlantic Beach." +115595,694246,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:10:00,EST-5,2017-05-31 16:10:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.39,30.31,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Golf ball size hail was reported in Neptune Beach." +114921,689329,GULF OF MEXICO,2017,May,Waterspout,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-05-14 07:45:00,EST-5,2017-05-14 07:50:00,0,0,0,0,0.00K,0,0.00K,0,26.537,-81.952,26.5382,-81.9476,"A stray shower developed around sunrise along the coast of Lee county. Multiple sources recorded video of a brief waterspout over the Caloosahatchee River.","Broadcast media and public reports were received of a brief waterspouts over the Caloosahatchee River, including multiple pictures and videos." +115580,694104,MICHIGAN,2017,May,Hail,"LIVINGSTON",2017-05-28 20:10:00,EST-5,2017-05-28 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-83.78,42.53,-83.78,"A collapsing thunderstorm produced localized wind damage near Temperance.","" +114659,688689,MONTANA,2017,May,Thunderstorm Wind,"VALLEY",2017-05-21 14:05:00,MST-7,2017-05-21 14:05:00,0,0,0,0,0.00K,0,0.00K,0,48.28,-105.96,48.28,-105.96,"A fast-moving low-pressure system from the Canadian prairie generated scattered rain showers and isolated thunderstorms across most of northeast Montana, one of which produced a downdraft wind gust in excess of 60 mph.","Public reported a 62 mph wind gust from a downdraft associated with a nearby thunderstorm." +115133,691692,MONTANA,2017,May,Thunderstorm Wind,"PHILLIPS",2017-05-06 21:32:00,MST-7,2017-05-06 21:32:00,0,0,0,0,0.00K,0,0.00K,0,47.7,-108.48,47.7,-108.48,"Warm, moist air combined with a low pressure system from the west to sustain a few severe thunderstorm wind gusts over southwestern Phillips County.","Manning Corral Dogtown RAWS station measured a 58 mph wind gust." +115133,691693,MONTANA,2017,May,Thunderstorm Wind,"PHILLIPS",2017-05-06 21:32:00,MST-7,2017-05-06 21:32:00,0,0,0,0,0.00K,0,0.00K,0,47.91,-108.5,47.91,-108.5,"Warm, moist air combined with a low pressure system from the west to sustain a few severe thunderstorm wind gusts over southwestern Phillips County.","The RAWS site in Zortman measured a 65 mph wind gust." +114083,683157,KENTUCKY,2017,May,Strong Wind,"BREATHITT",2017-05-01 13:30:00,EST-5,2017-05-01 13:30:00,0,0,0,0,0.00K,0,0.10K,100,NaN,NaN,NaN,NaN,"A cold front moving through during the morning hours led to strong wind gusts of generally up to 30 to 40 mph through the day as drier air poured into eastern Kentucky. A few reports of downed trees were received, including one that landed on and destroyed a trailer in Hazel Green.","Emergency management relayed a report of a one and a half foot diameter tree snapped about ten feet off of the ground just southeast of Jackson." +114083,683158,KENTUCKY,2017,May,Strong Wind,"BREATHITT",2017-05-01 15:10:00,EST-5,2017-05-01 15:10:00,0,0,0,0,0.00K,0,0.10K,100,NaN,NaN,NaN,NaN,"A cold front moving through during the morning hours led to strong wind gusts of generally up to 30 to 40 mph through the day as drier air poured into eastern Kentucky. A few reports of downed trees were received, including one that landed on and destroyed a trailer in Hazel Green.","Emergency management passed on a report of an eight inch diameter tree snapped about two feet off of the ground just southeast of Jackson." +114083,683159,KENTUCKY,2017,May,Strong Wind,"WOLFE",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,60.00K,60000,0.10K,100,NaN,NaN,NaN,NaN,"A cold front moving through during the morning hours led to strong wind gusts of generally up to 30 to 40 mph through the day as drier air poured into eastern Kentucky. A few reports of downed trees were received, including one that landed on and destroyed a trailer in Hazel Green.","A media outlet reported a tree fell onto a trailer in Hazel Green, completely destroying it." +116441,700676,ARKANSAS,2017,May,Hail,"FAULKNER",2017-05-19 18:12:00,CST-6,2017-05-19 18:12:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.44,35.09,-92.44,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","" +116441,700677,ARKANSAS,2017,May,Thunderstorm Wind,"BOONE",2017-05-19 19:43:00,CST-6,2017-05-19 19:43:00,0,0,0,0,0.00K,0,0.00K,0,36.3785,-93.0226,36.3785,-93.0226,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","A thunderstorm blew a tree down across highway 281." +116441,700678,ARKANSAS,2017,May,Flash Flood,"WHITE",2017-05-20 04:45:00,CST-6,2017-05-20 06:45:00,0,0,0,0,0.00K,0,0.00K,0,35.284,-91.6559,35.2838,-91.6455,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Social media video shows flooding along highway 13 in Judsonia after heavy rainfall from a thunderstorm." +116822,702522,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"GREENVILLE",2017-05-05 00:34:00,EST-5,2017-05-05 00:34:00,0,0,0,0,50.00K,50000,0.00K,0,34.8,-82.29,34.8,-82.29,"A line of heavy rain showers and thunderstorms moved into Upstate South Carolina during the overnight hours ahead of a cold front. A few embedded cells became briefly severe, producing sporadic wind damage.","NWS employee reported two uprooted trees, damaged and removed siding, and a blown-down fence in a subdivision off of East Butler Rd near Mauldin High School." +116824,702526,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MECKLENBURG",2017-05-05 00:10:00,EST-5,2017-05-05 00:10:00,0,0,0,0,1.00K,1000,0.00K,0,35.25,-80.78,35.25,-80.78,"A line of heavy rain showers and thunderstorms moved across wetsern North Carolina during the overnight hours ahead of a cold front. A few embedded cells became briefly severe, producing sporadic wind damage.","Broadcast media reported a small tree snapped and fell on a vehicle at Eaves Ln and Plaza Walk Dr." +116831,702554,SOUTH CAROLINA,2017,May,Hail,"ANDERSON",2017-05-12 19:35:00,EST-5,2017-05-12 19:35:00,0,0,0,0,,NaN,,NaN,34.38,-82.7,34.38,-82.7,"Scattered thunderstorms developed in the vicinity of a stationary front across western portions of Upstate South Carolina during the evening. Isolated hail and minor wind damage occurred with the strongest storms.","Media relayed multiple reports of penny to nickel sized hail near Starr." +116272,699133,GEORGIA,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-23 15:53:00,EST-5,2017-05-23 15:54:00,0,0,0,0,,NaN,0.00K,0,31.86,-81.61,31.86,-81.61,"A strong line of thunderstorms developed in the mid afternoon hours across south Georgia and tracked into southeast Georgia. This line of storms eventually produced damaging wind gusts and even a tornado in Chatham County. The tornado then moved into the Atlantic coastal waters and was responsible for 3 fatalities.","Liberty County dispatch reported a power pole knocked down at 324 West Memorial Drive." +116272,699136,GEORGIA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-23 16:23:00,EST-5,2017-05-23 16:24:00,0,0,0,0,,NaN,0.00K,0,32.09,-81.22,32.09,-81.22,"A strong line of thunderstorms developed in the mid afternoon hours across south Georgia and tracked into southeast Georgia. This line of storms eventually produced damaging wind gusts and even a tornado in Chatham County. The tornado then moved into the Atlantic coastal waters and was responsible for 3 fatalities.","A large tree was reported down in the middle of Old Louisville Road at East Highway 80." +116272,699137,GEORGIA,2017,May,Thunderstorm Wind,"CHATHAM",2017-05-23 16:34:00,EST-5,2017-05-23 16:35:00,0,0,0,0,,NaN,0.00K,0,32.04,-81.13,32.04,-81.13,"A strong line of thunderstorms developed in the mid afternoon hours across south Georgia and tracked into southeast Georgia. This line of storms eventually produced damaging wind gusts and even a tornado in Chatham County. The tornado then moved into the Atlantic coastal waters and was responsible for 3 fatalities.","Power lines were reported down on Staley Avenue in Savannah." +116299,699252,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-05-24 11:33:00,EST-5,2017-05-24 11:35:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site at the south end of Tybee Island measured a 39 knot wind gust." +116299,699253,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-24 12:18:00,EST-5,2017-05-24 12:20:00,0,0,0,0,,NaN,0.00K,0,32.3011,-80.6441,32.3011,-80.6441,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","A public weather station at Fort Fremont measured a 39 knot wind gust." +116299,699254,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-05-24 12:28:00,EST-5,2017-05-24 12:30:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site at the south end of Tybee Island measured a 39 knot wind gust." +114872,689124,FLORIDA,2017,May,Thunderstorm Wind,"WALTON",2017-05-20 23:18:00,CST-6,2017-05-20 23:18:00,0,0,0,0,0.00K,0,0.00K,0,30.6998,-85.9128,30.6998,-85.9128,"A line of strong to severe storms affected portions of northwest Florida during the overnight hours of May 20th. Damage was most numerous in Walton county where several trees and power lines were blown down.","A tree was blown down at Highway 181A and Catahula Road." +114873,689125,FLORIDA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-24 08:53:00,EST-5,2017-05-24 08:53:00,0,0,0,0,2.00K,2000,0.00K,0,30.54,-83.85,30.54,-83.85,"A line of strong to severe storms affected the tri-state area during the day on May 24th. Most of the impacts were limited to trees and power lines.","Fallen trees or limbs resulted in a power outage on the east side of Monticello." +114873,689126,FLORIDA,2017,May,Thunderstorm Wind,"LAFAYETTE",2017-05-24 09:54:00,EST-5,2017-05-24 09:54:00,0,0,0,0,2.00K,2000,0.00K,0,30.05,-83.17,30.05,-83.17,"A line of strong to severe storms affected the tri-state area during the day on May 24th. Most of the impacts were limited to trees and power lines.","Fallen trees or limbs resulted in a power outage on the southeast side of Mayo." +114874,689127,GULF OF MEXICO,2017,May,Waterspout,"APALACHEE BAY OR COASTAL WATERS FROM KEATON BEACH TO OCHLOCKONEE RIVER FL OUT TO 20 NM",2017-05-23 11:15:00,EST-5,2017-05-23 11:15:00,0,0,0,0,0.00K,0,0.00K,0,30.04,-84.21,30.04,-84.21,"A waterspout occurred off the coast of Liveoak Island as a line of storms moved through the area.","" +114870,696037,GEORGIA,2017,May,Tornado,"LEE",2017-05-23 11:56:00,EST-5,2017-05-23 12:06:00,0,0,0,0,0.00K,0,0.00K,0,31.854,-84.2359,31.9144,-84.1807,"A couple of days of severe weather impacted southern Georgia on May 23rd and 24th. Two EF0 tornadoes occurred, and some straight line wind damage also occurred with impacts to trees and power lines.","An EF1 tornado with max winds estimated near 90 mph touched down in Lee county and moved in Sumter county. The EF1 damage was due to trees, and no structures were impacted in Lee county." +116513,700665,MICHIGAN,2017,May,Heavy Rain,"GOGEBIC",2017-05-17 05:00:00,CST-6,2017-05-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,46.22,-89.41,46.22,-89.41,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","The observer 12 miles west-southwest of Watersmeet measured 3.45 inches of rainfall over 24 hours." +116513,700666,MICHIGAN,2017,May,Heavy Rain,"ONTONAGON",2017-05-17 07:00:00,EST-5,2017-05-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,46.4,-89.18,46.4,-89.18,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","The observer in Paulding measured nearly two and half inches of rain in 24 hours." +116513,700668,MICHIGAN,2017,May,Heavy Rain,"KEWEENAW",2017-05-17 07:00:00,EST-5,2017-05-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-87.87,47.47,-87.87,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","Observers in the Copper Harbor area measured over two inches of rainfall in 24 hours." +114653,698488,MISSOURI,2017,May,Thunderstorm Wind,"OREGON",2017-05-20 02:15:00,CST-6,2017-05-20 02:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.52,-91.54,36.52,-91.54,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A circus tent was blown down in Thayer. Several trees and power lines were blown down across Highway 63." +114653,698489,MISSOURI,2017,May,Thunderstorm Wind,"OREGON",2017-05-20 02:30:00,CST-6,2017-05-20 02:30:00,0,0,0,0,10.00K,10000,0.00K,0,36.7,-91.4,36.7,-91.4,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree fell on to a truck in Alton. This report was from social media." +114653,698490,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-19 16:50:00,CST-6,2017-05-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-92.88,38.33,-92.88,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large trees were blown down on Webb Road near the intersection of County Road J." +114653,698491,MISSOURI,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-19 16:41:00,CST-6,2017-05-19 16:41:00,0,0,0,0,50.00K,50000,0.00K,0,38.12,-92.65,38.12,-92.65,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A boat dock was damage at the Moorings Yacht Club on Lake of the Ozarks. Electrical connections from the dock were pulled out of the ground." +114653,698492,MISSOURI,2017,May,Thunderstorm Wind,"WRIGHT",2017-05-19 02:00:00,CST-6,2017-05-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.13,-92.27,37.13,-92.27,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There were several reports of large trees and power lines blown down in the Mountain Grove area." +114653,698493,MISSOURI,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-19 17:00:00,CST-6,2017-05-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9,-92.42,37.9,-92.42,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several pictures on social media indicated large trees were blown down and damage around the Crocker area." +114653,698495,MISSOURI,2017,May,Thunderstorm Wind,"DALLAS",2017-05-19 16:15:00,CST-6,2017-05-19 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,37.71,-92.92,37.71,-92.92,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several pictures from social media showed a tree blown down on a camper near Windyville." +115384,692772,NEW MEXICO,2017,May,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-05-16 22:00:00,MST-7,2017-05-17 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper low passed over the area and resulted in high winds in the Guadalupe Mountains.","" +115299,692221,TEXAS,2017,May,Hail,"ECTOR",2017-05-19 04:52:00,CST-6,2017-05-19 04:57:00,0,0,0,0,,NaN,,NaN,31.85,-102.4552,31.85,-102.4552,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","" +115385,692773,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-18 05:38:00,MST-7,2017-05-18 11:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft at the base of an upper trough resulted in high winds in the Guadalupe Mountains.","" +115387,692774,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-25 15:38:00,MST-7,2017-05-25 19:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A belt of stronger mid level winds mixed down to the surface due to good heating and resulted in high winds in the Guadalupe Mountains.","" +115389,692775,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-28 04:51:00,MST-7,2017-05-28 08:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred in Guadalupe Pass behind a strong cold front.","" +115299,693268,TEXAS,2017,May,Flash Flood,"MITCHELL",2017-05-19 03:00:00,CST-6,2017-05-19 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,32.4763,-100.7993,32.4829,-100.7695,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell across Mitchell County and produced flash flooding northeast of Colorado City. At 10 am CDT, water was three to four feet deep over a portion of Farm to Market Road 1982. The cost of damage is a very rough estimate." +115299,693270,TEXAS,2017,May,Flash Flood,"MIDLAND",2017-05-19 07:00:00,CST-6,2017-05-19 08:30:00,0,0,0,0,0.50K,500,0.00K,0,32.029,-101.8941,32.0319,-101.8812,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell across Midland County and produced flash flooding in Greenwood. There was one foot of water over Highway 307 in Greenwood. The cost of damage is a very rough estimate." +114533,687110,TEXAS,2017,May,Hail,"FRANKLIN",2017-05-11 20:25:00,CST-6,2017-05-11 20:25:00,0,0,0,0,0.00K,0,0.00K,0,33.0668,-95.1778,33.0668,-95.1778,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Penny size hail fell at Lake Cypress Springs." +114533,687111,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-11 22:00:00,CST-6,2017-05-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0575,-95.1522,32.0575,-95.1522,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Considerable damage was done to numerous trees, barns, fences, and outbuildings near the intersection of Farm to Market Road 2064 and County Road 4905." +114533,687112,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-11 22:00:00,CST-6,2017-05-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0568,-95.152,32.0568,-95.152,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Half dollar size hail fell near the intersection of Farm to Market Road 2064 and County Road 4905." +115178,691485,LOUISIANA,2017,May,Hail,"BOSSIER",2017-05-28 09:15:00,CST-6,2017-05-28 09:15:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-93.65,32.57,-93.65,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Penny to quarter size hail fell on Landau Street near the Stockwell subdivision." +115178,691697,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 18:15:00,CST-6,2017-05-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,32.0857,-93.8058,32.0857,-93.8058,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Large trees were blown down onto structures in Grand Cane. Power lines were downed as well." +113553,680191,SOUTH CAROLINA,2017,April,Hail,"RICHLAND",2017-04-05 13:30:00,EST-5,2017-04-05 13:33:00,0,0,0,0,0.01K,10,0.01K,10,34.01,-81.05,34.01,-81.05,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Dime to nickel size hail reported in downtown Columbia." +116798,702337,ARIZONA,2017,May,Lightning,"COCHISE",2017-05-30 15:00:00,MST-7,2017-05-30 16:00:00,0,0,0,0,5.00K,5000,,NaN,31.7148,-110.3055,31.9235,-110.082,"Lightning started several brush fires in Cochise County. One lightning strike burned a building and the fire spread into adjacent grasslands becoming the Slavin Fire.","Lightning started a vacant structure on fire in Dragoon Estates. The building was totally destroyed and the fire spread into adjacent grass and brush, scorching 120 acres. Twelve nearby residents were evacuated before the fire was contained the next day. At least two other brush fires were ignited by lightning during the afternoon, from just east of the Whetstone Mountains to east of Tombstone along Davis Road." +115236,691861,IOWA,2017,May,Hail,"MITCHELL",2017-05-15 14:59:00,CST-6,2017-05-15 14:59:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-92.92,43.38,-92.92,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","" +115737,695646,TEXAS,2017,May,Hail,"LIMESTONE",2017-05-03 14:29:00,CST-6,2017-05-03 14:29:00,0,0,0,0,1.00K,1000,0.00K,0,31.6839,-96.4829,31.6839,-96.4829,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Emergency Manager reported golf ball size hail in Mexia." +115737,695988,TEXAS,2017,May,Hail,"LIMESTONE",2017-05-03 14:32:00,CST-6,2017-05-03 14:32:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-96.52,31.53,-96.52,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Emergency Manager reported golf ball size hail in Groesbeck." +115737,695989,TEXAS,2017,May,Hail,"LIMESTONE",2017-05-03 14:39:00,CST-6,2017-05-03 14:39:00,0,0,0,0,0.00K,0,0.00K,0,31.61,-96.5,31.61,-96.5,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Amateur Radio reported quarter size hail south of Mexia." +115737,695990,TEXAS,2017,May,Hail,"LIMESTONE",2017-05-03 14:45:00,CST-6,2017-05-03 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-96.52,31.53,-96.52,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","A trained spotter reported quarter size hail in Groesbeck." +115737,695992,TEXAS,2017,May,Hail,"LEON",2017-05-03 15:22:00,CST-6,2017-05-03 15:22:00,0,0,0,0,0.00K,0,0.00K,0,31.23,-96.32,31.23,-96.32,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","Trained spotter reported quarter size hail 3 miles west of Marquez." +115737,695997,TEXAS,2017,May,Hail,"LEON",2017-05-03 16:01:00,CST-6,2017-05-03 16:01:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-95.86,31.45,-95.86,"Storms developed ahead of a cold front during the afternoon hours. Hail and damaging winds were the main threats. Multiple severe weather reports across North and Central TX.","A trained spotter reported golf ball size hail 5 miles southwest of Oakwood." +116438,701252,TEXAS,2017,May,Hail,"MONTAGUE",2017-05-22 22:32:00,CST-6,2017-05-22 22:32:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-97.72,33.67,-97.72,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","Emergency management reported quarter-sized hail in the city of Montague, TX." +116438,701253,TEXAS,2017,May,Hail,"ANDERSON",2017-05-23 15:30:00,CST-6,2017-05-23 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.62,-95.58,31.62,-95.58,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","Anderson County Sheriff's Department reported quarter-sized hail on CR 130 near the city of Elkhart, TX." +112844,675928,MISSOURI,2017,March,Thunderstorm Wind,"BARRY",2017-03-06 22:50:00,CST-6,2017-03-06 22:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.85,-93.92,36.85,-93.92,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A power pole was blown down into a tree." +112844,675929,MISSOURI,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,5.00K,5000,0.00K,0,38.31,-93.31,38.31,-93.31,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several trees and power lines were blown down on OO Highway northeast of Warsaw." +112844,675931,MISSOURI,2017,March,Thunderstorm Wind,"CEDAR",2017-03-06 22:10:00,CST-6,2017-03-06 22:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.64,-93.66,37.64,-93.66,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several trees were blown down along Highway 32. A roof of a home was partially damaged." +112844,675934,MISSOURI,2017,March,Thunderstorm Wind,"DADE",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,1.00K,1000,0.00K,0,37.33,-93.76,37.33,-93.76,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","An 150 feet section of metal from an outdoor quail pen was blown off and wrapped around a tree along State Highway K." +112844,675935,MISSOURI,2017,March,Thunderstorm Wind,"CEDAR",2017-03-06 21:45:00,CST-6,2017-03-06 21:45:00,0,0,0,0,200.00K,200000,0.00K,0,37.67,-93.79,37.67,-93.79,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several trees were blown down. Several carports and detached garages were severely damaged near Orleans Trail Marina on Stockton Lake. One house was severely damage by severe winds." +112844,675936,MISSOURI,2017,March,Thunderstorm Wind,"CEDAR",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.8,-93.65,37.8,-93.65,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Several trees and power poles were blown down." +112844,675937,MISSOURI,2017,March,Thunderstorm Wind,"DADE",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.33,-93.63,37.33,-93.63,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A barn was destroyed." +112920,675048,IOWA,2017,March,Thunderstorm Wind,"DALLAS",2017-03-06 18:21:00,CST-6,2017-03-06 18:21:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-94.04,41.75,-94.04,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement reported wind gusts to 60 mph or more." +112920,675050,IOWA,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 18:26:00,CST-6,2017-03-06 18:26:00,0,0,0,0,5.00K,5000,0.00K,0,41.97,-93.92,41.97,-93.92,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported tree and farm out building damage, including roof sections missing. Time estimated by radar." +112920,675051,IOWA,2017,March,Thunderstorm Wind,"BOONE",2017-03-06 18:31:00,CST-6,2017-03-06 18:31:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-93.87,42.02,-93.87,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Retired NWS Employee reported pea sized hail, small branches down, and wind gusts to 60 mph." +112920,675046,IOWA,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-06 18:14:00,CST-6,2017-03-06 18:14:00,0,0,0,0,20.00K,20000,0.00K,0,42.7457,-93.46,42.7457,-93.46,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","KLMJ Radio in Hampton reported damage to a machine shed, greenhouse, and trees between Rowan and Latimer along Highway 3. Time estimated by radar." +112920,675049,IOWA,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-06 18:27:00,CST-6,2017-03-06 18:27:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-93.22,42.84,-93.22,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported nickel sized hail along with estimated wind gusts to 60 mph." +112920,675052,IOWA,2017,March,Hail,"DALLAS",2017-03-06 18:28:00,CST-6,2017-03-06 18:28:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-94.12,41.51,-94.12,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Law enforcement relayed public report of up to quarter sized hail." +112822,674093,MICHIGAN,2017,March,High Wind,"JACKSON",2017-03-08 08:00:00,EST-5,2017-03-08 18:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread non thunderstorm wind gusts of 60 to 70 mph caused hundreds of thousands of people to lose power on March 8th. At one point slightly over one million people were without power in Michigan. The winds caused numerous trees and tree limbs to fall and downed thousands of power lines. The winds also caused damage to many homes and numerous homes incurred significant roof damage. Two people were killed in central lower Michigan in Clare county near the Osceola and Clare county line when a large tree fell on their vehicle while they were driving on M-115 in Freeman township.","A peak wind gust of 62 mph was measured at the Jackson county Reynolds field airport in Jackson. Peak wind gusts in the 60 to 70 mph range resulted in numerous downed trees and limbs and power lines and widespread power outages." +113679,680407,KENTUCKY,2017,March,Thunderstorm Wind,"DAVIESS",2017-03-01 00:41:00,CST-6,2017-03-01 00:45:00,0,0,0,0,35.00K,35000,0.00K,0,37.75,-87.17,37.77,-87.12,"Isolated severe thunderstorms on the evening of February 28 lingered past midnight March 1 across the Owensboro area of western Kentucky. These storms occurred ahead of a cold front in a moist air mass characterized by dew points in the lower to mid 60's. These storms occurred ahead of a mid-level impulse moving northeast from Oklahoma. A southwesterly low-level jet increased substantially during the night.","Several trees and power poles were down across the city, along with some street signs. Over 5000 customers were without power in the city and surrounding parts of Daviess County. A wind gust to 66 mph was measured at the Owensboro airport." +113678,680442,KENTUCKY,2017,March,Thunderstorm Wind,"CARLISLE",2017-03-01 04:55:00,CST-6,2017-03-01 05:00:00,0,0,0,0,40.00K,40000,0.00K,0,36.9,-89.02,36.78,-89.02,"A squall line of severe thunderstorms produced widespread damaging winds from 70 to 80 mph across southwest Kentucky, mainly along and south of a Paducah to Princeton to Madisonville line. An isolated tornado was embedded within the damaging wind area. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Areas of wind damage occurred in Carlisle County, mostly in areas near U.S. Highway 51. The roof was blown off the agri-chem building along U.S. Highway 51 north of Bardwell. Structural damage was reported in Arlington." +114213,684096,KENTUCKY,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-27 13:32:00,CST-6,2017-03-27 13:43:00,0,0,0,0,5.00K,5000,0.00K,0,37.05,-87.5707,36.9685,-87.56,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","West of Crofton, several trees were blown down across the roadway at the intersection of Kentucky Highways 109 and 800. Further south on Highway 109 near the community of Sinking Fork, trees were blown down, blocking the southbound lane." +114213,684103,KENTUCKY,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-27 13:55:00,CST-6,2017-03-27 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.8334,-87.5301,36.78,-87.35,"Severe thunderstorms developed during the afternoon within an increasingly moist and unstable air mass across the region. Isolated severe thunderstorm cells organized into a large bowing line of storms that spread east-northeastward across the Pennyrile region of western Kentucky. Numerous reports of large hail were received as the initial cells developed west of Kentucky Lake. Once the bowing line developed, there were pockets of damaging winds and an isolated tornado in the Pennyrile region, extending from Madisonville to the Hopkinsville/Cadiz area. The storms occurred ahead of a cold front as it progressed southeast across southern Illinois and southeast Missouri. The cold front trailed from a low pressure center that moved east-northeast from the St. Louis area.","Trees were blown down on the southwest side of Hopkinsville, blocking Kentucky Highway 695 near the Highway 68 bypass. In Pembroke, power lines were down on a railroad crossing." +113689,680487,MISSOURI,2017,March,Thunderstorm Wind,"STODDARD",2017-03-01 04:10:00,CST-6,2017-03-01 04:15:00,0,0,0,0,30.00K,30000,0.00K,0,36.7779,-90.0168,36.68,-89.97,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Widespread damaging winds occurred in western and southern Stoddard County. Four miles west-southwest of Dexter, several trees were uprooted, and shingles were blown off a house. An anchored trampoline was blown into a tree. In Bernie, a roof was off a grocery store, and a pine tree was snapped." +116168,698200,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-17 14:30:00,CST-6,2017-05-17 14:30:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-92.19,42.85,-92.19,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported estimated 65 mph wind gusts." +116168,698203,IOWA,2017,May,Thunderstorm Wind,"UNION",2017-05-17 14:39:00,CST-6,2017-05-17 14:39:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-94.36,41.06,-94.36,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported tree and tree limb damage in Creston." +116168,698199,IOWA,2017,May,Thunderstorm Wind,"UNION",2017-05-17 14:30:00,CST-6,2017-05-17 14:30:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-94.36,41.06,-94.36,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Iowa DOT RWIS site recorded a 64 mph wind gust." +116168,698206,IOWA,2017,May,Hail,"STORY",2017-05-17 14:50:00,CST-6,2017-05-17 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-93.63,42.02,-93.63,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Storm chaser reported penny sized hail." +114251,684477,KENTUCKY,2017,March,Frost/Freeze,"HOPKINS",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684479,KENTUCKY,2017,March,Frost/Freeze,"LYON",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684480,KENTUCKY,2017,March,Frost/Freeze,"MARSHALL",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +113847,681783,MICHIGAN,2017,February,Winter Weather,"BARAGA",2017-02-04 13:30:00,EST-5,2017-02-04 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","There was a public report of three inches of snow in nine hours at Pelkie." +113847,681784,MICHIGAN,2017,February,Winter Weather,"ALGER",2017-02-05 17:00:00,EST-5,2017-02-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","The spotter near Grand Marais measured five inches of lake effect snow in 12 hours." +113847,681785,MICHIGAN,2017,February,Winter Weather,"ONTONAGON",2017-02-05 08:00:00,EST-5,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure tracking from Minnesota across Lake Superior dropped moderate to heavy snow and lake effect snow over portions of west and central Upper Michigan from the 4th into the 6th.","The observer six miles north of Greenland measured nearly six inches of lake effect snow in 24 hours." +113851,681796,MICHIGAN,2017,February,Winter Weather,"GOGEBIC",2017-02-07 08:00:00,CST-6,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","The observer in Ironwood measured nine inches of lake enhanced snow over 24 hours." +113851,681847,MICHIGAN,2017,February,Winter Weather,"MENOMINEE",2017-02-07 17:00:00,CST-6,2017-02-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","The Menominee County Sheriff had to close a portion of Highway M-35 north of Cedar River on the evening of the 7th due to several accidents from icy roadways." +113851,681795,MICHIGAN,2017,February,Winter Weather,"NORTHERN HOUGHTON",2017-02-07 08:00:00,EST-5,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","The observer near Painesdale measured nearly 11 inches of lake enhanced snow over 24 hours. There was a public report of an estimated nine inches of snow in Tapiola over 16 hours. Some freezing rain was reported before the onset of snow." +113851,681793,MICHIGAN,2017,February,Winter Storm,"ALGER",2017-02-07 05:00:00,EST-5,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","There were numerous reports via social media of heavy lake enhanced snow and considerable blowing snow across Alger County. Snowfall reports over an approximate 15-hour period included 13 inches at Christmas, 12 inches at Au Train and 8-10 inches in Munising. Nine inches of snow fell at Eben Junction and ten miles south of Grand Marais over 24 hours. Gusty north winds caused considerable blowing and drifting of snow with near zero visibility at times. Schools were closed throughout the county on the 8th." +113851,681819,MICHIGAN,2017,February,Winter Weather,"BARAGA",2017-02-07 05:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","There was a report via social media of nine inches of lake enhanced snow in approximately 14 hours at Keweenaw Bay. Some freezing rain or drizzle resulted in a glaze of ice under the snow. Baraga and L'anse schools were delayed two hours on the 8th due to the winter weather." +113851,681825,MICHIGAN,2017,February,Winter Weather,"ONTONAGON",2017-02-07 06:00:00,EST-5,2017-02-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","There was a report via social media of an estimated ten inches of lake enhanced snow in 15 hours at Bruce Crossing. Ontonagon area schools were delayed two hours on the 8th due to the winter weather." +113851,681839,MICHIGAN,2017,February,Winter Weather,"DELTA",2017-02-07 17:00:00,EST-5,2017-02-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","The Delta County Sheriff had to close a portion of Highway M-35 north of Cedar River on the evening of the 7th due to several accidents from icy roadways." +113858,681877,MICHIGAN,2017,February,Winter Weather,"MARQUETTE",2017-02-10 11:30:00,EST-5,2017-02-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Northern Plains low pressure system moving quickly through the Upper Great Lakes produced freezing rain and some moderate snow over portions of north central Upper Michigan on the 10th.","Light icing from freezing rain caused multiple accidents around the Marquette area during the early afternoon of the 10th." +113858,681879,MICHIGAN,2017,February,Winter Weather,"LUCE",2017-02-10 06:00:00,EST-5,2017-02-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Northern Plains low pressure system moving quickly through the Upper Great Lakes produced freezing rain and some moderate snow over portions of north central Upper Michigan on the 10th.","There was a public report of 3 to 4 inches of snow in McMillan over 8 hours." +113864,681900,MICHIGAN,2017,February,Winter Storm,"GOGEBIC",2017-02-24 08:00:00,CST-6,2017-02-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a 24-hour snowfall report via social media of 10-12 inches of snow in 24 hours, and there was a 30-hour public report of 16 inches of snow in Wakefield." +113864,681907,MICHIGAN,2017,February,Winter Storm,"BARAGA",2017-02-24 08:00:00,EST-5,2017-02-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a public report of an estimated ten inches of snow in 24 hours near Three Lakes, and the observer in Herman measured 11 inches in 24 hours." +113864,681901,MICHIGAN,2017,February,Winter Storm,"ONTONAGON",2017-02-24 10:00:00,EST-5,2017-02-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Plains low pressure system tracking northeast through the Upper Great Lakes brought moderate to heavy snow over much of west and central Upper Michigan from the 24th into the 25th.","There was a public report of 12 inches of snow in Mass City and 10 to 12 inches in Bergland over 24 hours." +118688,714990,KANSAS,2017,July,Flash Flood,"WYANDOTTE",2017-07-27 03:23:00,CST-6,2017-07-27 06:23:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-94.66,39.0548,-94.6421,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. Another site that had record flooding as a result of this event was Tomahawk Creek at Roe Avenue in Leawood. Tomahawk Creek crested at 20.81 feet, which was a new record for that location. Numerous city vehicles were damaged or destroyed when a lot near the creek containing those vehicles flooded. Across the rest of the KC metro area roughly 5 to 7 inches of rain fell, resulting in other numerous water rescues. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Interstate 35 was closed at Lamar Ave and Roe Ave due to flooding." +112843,675386,KANSAS,2017,March,Thunderstorm Wind,"BOURBON",2017-03-06 20:40:00,CST-6,2017-03-06 20:40:00,0,0,0,0,50.00K,50000,0.00K,0,37.87,-94.98,37.87,-94.98,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage across southeast Kansas.","Siding and shingles were blown off a few homes. A few homes had roof damage. A few outbuildings and detached garages were destroyed. This report was around the Uniontown area." +112842,675191,MISSOURI,2017,March,Hail,"BENTON",2017-03-01 00:00:00,CST-6,2017-03-01 00:00:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-93.25,38.48,-93.25,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675192,MISSOURI,2017,March,Hail,"HICKORY",2017-03-01 00:06:00,CST-6,2017-03-01 00:06:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-93.47,38.01,-93.47,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675193,MISSOURI,2017,March,Hail,"JASPER",2017-03-01 00:08:00,CST-6,2017-03-01 00:08:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-94.47,37.19,-94.47,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675194,MISSOURI,2017,March,Hail,"MORGAN",2017-03-01 00:10:00,CST-6,2017-03-01 00:10:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-92.83,38.35,-92.83,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","This hail report was from a picture on social media." +112842,675195,MISSOURI,2017,March,Hail,"NEWTON",2017-03-01 00:20:00,CST-6,2017-03-01 00:20:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-94.47,37.02,-94.47,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675196,MISSOURI,2017,March,Hail,"HICKORY",2017-03-01 00:25:00,CST-6,2017-03-01 00:25:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-93.26,37.88,-93.26,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","Winds of 50 to 60 mph were estimated." +114312,684931,TEXAS,2017,March,Hail,"NOLAN",2017-03-28 16:22:00,CST-6,2017-03-28 16:22:00,0,0,0,0,0.00K,0,0.00K,0,32.28,-100.24,32.28,-100.24,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","" +114312,684932,TEXAS,2017,March,Hail,"JONES",2017-03-28 16:29:00,CST-6,2017-03-28 16:29:00,0,0,0,0,0.00K,0,0.00K,0,32.71,-99.8,32.71,-99.8,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported golf ball size hail 3 miles south of Funston." +114312,684933,TEXAS,2017,March,Hail,"NOLAN",2017-03-28 16:40:00,CST-6,2017-03-28 16:40:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-100.31,32.44,-100.31,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported quarter size hail 6 miles east-southeast of Sweetwater." +114312,684934,TEXAS,2017,March,Hail,"JONES",2017-03-28 16:39:00,CST-6,2017-03-28 16:39:00,0,0,0,0,0.00K,0,0.00K,0,32.76,-99.88,32.76,-99.88,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","" +114312,684938,TEXAS,2017,March,Hail,"HASKELL",2017-03-28 17:50:00,CST-6,2017-03-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,33.16,-99.73,33.16,-99.73,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported golf ball size hail in Haskell." +114265,684783,SOUTH CAROLINA,2017,March,Hail,"OCONEE",2017-03-21 16:11:00,EST-5,2017-03-21 16:11:00,0,0,0,0,,NaN,,NaN,34.796,-82.929,34.796,-82.929,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","DOT reported up to quarter size hail at High Falls County Park." +114265,684781,SOUTH CAROLINA,2017,March,Hail,"SPARTANBURG",2017-03-21 16:21:00,EST-5,2017-03-21 16:21:00,0,0,0,0,,NaN,,NaN,35.069,-82.041,35.069,-82.041,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported quarter size hail near Boiling Springs." +114265,684784,SOUTH CAROLINA,2017,March,Hail,"OCONEE",2017-03-21 16:45:00,EST-5,2017-03-21 16:45:00,0,0,0,0,,NaN,,NaN,34.85,-83.07,34.85,-83.07,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","County comms reported quarter sized hail at Oconee Station State Historic Site." +113197,677167,KENTUCKY,2017,March,Hail,"BUTLER",2017-03-27 13:55:00,CST-6,2017-03-27 13:55:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-86.65,37.32,-86.65,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677168,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-27 15:13:00,EST-5,2017-03-27 15:13:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-85.97,37.75,-85.97,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +114265,684581,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 16:50:00,EST-5,2017-03-21 16:50:00,0,0,0,0,,NaN,,NaN,35.073,-82.375,35.073,-82.375,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Public reported ping pong ball size hail at North Greenville College." +119033,714988,MISSOURI,2017,July,Flood,"HENRY",2017-07-28 21:30:00,CST-6,2017-07-29 03:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5452,-93.9341,38.5605,-93.9341,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Route N near Blairstown was closed in both directions." +114455,686309,VIRGINIA,2017,March,Hail,"SOUTHAMPTON",2017-03-31 15:38:00,EST-5,2017-03-31 15:38:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-77.1,36.7,-77.1,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +119033,714982,MISSOURI,2017,July,Flood,"CASS",2017-07-27 15:18:00,CST-6,2017-07-27 21:18:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-94.45,38.5922,-94.4163,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A large furniture truck was stuck in flooded waters along E 293rd Street just west of S Grand River Road. Two occupants of the truck were stranded and needed rescue from local emergency crews. The rescue was caught on live TV." +119520,721768,FLORIDA,2017,September,Hurricane,"DE SOTO",2017-09-10 06:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,,NaN,71.00M,71000000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In DeSoto County, wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. ||Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. ||The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million." +114455,686311,VIRGINIA,2017,March,Hail,"FRANKLIN (C)",2017-03-31 15:56:00,EST-5,2017-03-31 15:56:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-76.92,36.67,-76.92,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Half dollar size hail was reported." +114455,686663,VIRGINIA,2017,March,Tornado,"CHESAPEAKE (C)",2017-03-31 17:13:00,EST-5,2017-03-31 17:20:00,0,0,0,0,3.90M,3900000,0.00K,0,36.74,-76.23,36.7568,-76.1486,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","NWS storm survey determined that an EF0 tornado first touched down on Green Tree Road in Chesapeake causing damage to three warehouses. The tornado then quickly lifted off the ground and continued east. The tornado touched down again just east of Kempsville Road along Kemp Bridge Lane as an EF0 rapidly intensifying to EF1. On the east side of Kemp Bridge Lane, several homes lost sections of their roofs and outer walls were removed. Winds were approximately 97 mph. The tornado intensified as it moved east destroying a single wide mobile home (which was empty at the time, used as a work building) and severely damaged a metal storage building. The tornado at this point was approaching EF2 intensity. The tornado strengthened to an EF2 (120 mph) before striking the Real Life Christian Church on Centerville Turnpike. The church, a large metal constructed building, was destroyed by the tornado as the sanctuary was completely demolished. The tornado weakened some as it continued to travel east and then northeast across Stumpy Lake. The tornado then tracked northeast into Virginia Beach." +113837,681684,KENTUCKY,2017,March,Hail,"JEFFERSON",2017-03-30 20:19:00,EST-5,2017-03-30 20:19:00,0,0,0,0,0.00K,0,0.00K,0,38.23,-85.7,38.23,-85.7,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +113837,681685,KENTUCKY,2017,March,Hail,"JEFFERSON",2017-03-30 20:21:00,EST-5,2017-03-30 20:21:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-85.76,38.22,-85.76,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +113837,681687,KENTUCKY,2017,March,Thunderstorm Wind,"TAYLOR",2017-03-30 21:25:00,EST-5,2017-03-30 21:25:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.46,37.35,-85.46,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +115200,694729,OKLAHOMA,2017,May,Hail,"ELLIS",2017-05-18 14:38:00,CST-6,2017-05-18 14:38:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-99.62,36.38,-99.62,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694730,OKLAHOMA,2017,May,Hail,"DEWEY",2017-05-18 14:38:00,CST-6,2017-05-18 14:38:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-99.16,36.02,-99.16,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694731,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-18 14:41:00,CST-6,2017-05-18 14:41:00,0,0,0,0,0.00K,0,0.00K,0,36.585,-99.5897,36.585,-99.5897,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115190,692959,KANSAS,2017,May,Tornado,"BUTLER",2017-05-31 13:44:00,CST-6,2017-05-31 13:45:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-96.55,38.0094,-96.5437,"Scattered thunderstorms redeveloped early in the afternoon along a weak stationary front that extended from Central Kansas to Southwest Missouri. With a northwest mid to upper-deck regime, deep layer shear was quite pronounced and therefore favorable for severe thunderstorm development.","Emergency Manager reported multiple funnels and several very brief touchdowns over a one minute period. The longest of which was on the ground for about 30 seconds. |All activity occurred over an open field and no damage was noted." +115409,692961,KANSAS,2017,May,Hail,"MONTGOMERY",2017-05-10 16:45:00,CST-6,2017-05-10 16:46:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-95.83,37.14,-95.83,"A couple of storms affected the counties in the far southeastern sections of Kansas.","" +115409,692962,KANSAS,2017,May,Hail,"MONTGOMERY",2017-05-10 17:00:00,CST-6,2017-05-10 17:01:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-95.71,37.23,-95.71,"A couple of storms affected the counties in the far southeastern sections of Kansas.","North side of Independence." +115200,694732,OKLAHOMA,2017,May,Hail,"HARPER",2017-05-18 14:43:00,CST-6,2017-05-18 14:43:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-99.35,36.7,-99.35,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694734,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-18 14:43:00,CST-6,2017-05-18 14:43:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-99.61,36.38,-99.61,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694737,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-18 14:50:00,CST-6,2017-05-18 14:50:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-99.26,36.44,-99.26,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115410,692966,KANSAS,2017,May,Flood,"KINGMAN",2017-05-11 14:53:00,CST-6,2017-05-11 16:07:00,0,0,0,0,0.00K,0,0.00K,0,37.6578,-98.1409,37.6273,-98.1374,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Flooding was in progress at 3 different intersections in town. No significant threat to life or property was reported." +115410,692967,KANSAS,2017,May,Flood,"HARPER",2017-05-11 15:18:00,CST-6,2017-05-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.3002,-98.0372,37.2962,-98.037,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Water was reported across NW 100 Road just to the west of Highway 14. No threat to life or property." +115410,692969,KANSAS,2017,May,Flood,"MONTGOMERY",2017-05-11 16:45:00,CST-6,2017-05-11 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-95.84,37.2899,-95.843,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Several roads in the northwest part of the county are experiencing nuisance flooding." +115410,692970,KANSAS,2017,May,Flood,"BUTLER",2017-05-11 19:58:00,CST-6,2017-05-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8001,-96.9118,37.6676,-97.0065,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Multiple reports of county roads being covered with water between El Dorado and Augusta. No threat to life or property was reported." +113799,681349,KENTUCKY,2017,March,Flood,"NICHOLAS",2017-03-31 16:30:00,EST-5,2017-03-31 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4141,-84.0088,38.4192,-84.0013,"A series of weather disturbances brought unsettled weather to central Kentucky. This resulted in a few rivers going into minor flood stage, some of which continued into the month of April.","Heavy rain brought the Licking River at Blue Licks Spring into minor flood. The river crested at 25 feet." +113799,681350,KENTUCKY,2017,March,Flood,"BOURBON",2017-03-31 12:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.2041,-84.24,38.2103,-84.2384,"A series of weather disturbances brought unsettled weather to central Kentucky. This resulted in a few rivers going into minor flood stage, some of which continued into the month of April.","Heavy rain brought the Stoner Creek at Paris into minor flood. The river exceeded flood stage during the day on March 31 and continued rising into the first part of April." +113837,681681,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-30 19:26:00,EST-5,2017-03-30 19:26:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-85.88,37.63,-85.88,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +113837,681683,KENTUCKY,2017,March,Hail,"JEFFERSON",2017-03-30 20:14:00,EST-5,2017-03-30 20:14:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-85.76,38.11,-85.76,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +116463,700961,LOUISIANA,2017,May,Hail,"RAPIDES",2017-05-03 07:56:00,CST-6,2017-05-03 07:56:00,0,0,0,0,0.00K,0,0.00K,0,30.97,-92.58,30.97,-92.58,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A picture of golf ball sized hail was received from Glenmora." +116732,701976,LOUISIANA,2017,May,Tornado,"BEAUREGARD",2017-05-12 03:06:00,CST-6,2017-05-12 03:12:00,0,0,0,0,15.00K,15000,0.00K,0,30.5699,-93.57,30.5683,-93.519,"A weakening and broken line of showers and scattered embedded thunderstorms ahead of a front moved through the area. One thunderstorm produced a tornado.","The tornado started in the forest southwest of Raymond Spike Rd, then crossed |Raymond Spikes Rd at a sharp bend where the tornado was at its widest point. |The tornado continued on just to the north of the road where it crossed HWY 109. To the west of HWY 109 the tornado damaged numerous trees and a power pole. After crossing 109 the tornado started weakening and making a southwest turn towards Lucy Ln. where the tornado damaged more trees and a power pole. One of the trees caused severe damage to a barn after falling onto it along Lucy Lane. The maximum estimated wind were 105 MPH." +116762,702163,TEXAS,2017,May,Funnel Cloud,"TYLER",2017-05-23 18:15:00,CST-6,2017-05-23 18:16:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-94.42,30.83,-94.42,"A weak cold front drifted into the area and stalled. This produce multiple days of stormy weather, however only one storm became severe. A funnel cloud was also reported as the front washed out.","A report of a funnel cloud was made from between Colmsneil and Woodville." +116762,702164,TEXAS,2017,May,Thunderstorm Wind,"JASPER",2017-05-20 15:15:00,CST-6,2017-05-20 15:15:00,0,0,0,0,0.00K,0,0.00K,0,30.72,-93.98,30.72,-93.98,"A weak cold front drifted into the area and stalled. This produce multiple days of stormy weather, however only one storm became severe. A funnel cloud was also reported as the front washed out.","A spotter reported a wind gust of 50 to 60 MPH with a thunderstorm." +118520,712080,LAKE HURON,2017,June,Marine Thunderstorm Wind,"STURGEON PT TO ALABASTER MI",2017-06-13 00:53:00,EST-5,2017-06-13 00:53:00,0,0,0,0,0.00K,0,0.00K,0,44.4324,-83.3155,44.4324,-83.3155,"A cluster of strong thunderstorms moved off of northern lower Michigan.","" +118521,712081,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GRAND TRAVERSE BAY FROM GRAND TRAVERSE LIGHT TO NORWOOD MI",2017-06-14 18:25:00,EST-5,2017-06-14 18:25:00,0,0,0,0,0.00K,0,0.00K,0,44.777,-85.6319,44.777,-85.6319,"Another area of showers and thunderstorms impacted the waters near northwest Lower Michigan.","" +118521,712082,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-06-14 17:37:00,EST-5,2017-06-14 17:37:00,0,0,0,0,0.00K,0,0.00K,0,44.6333,-86.2507,44.6333,-86.2507,"Another area of showers and thunderstorms impacted the waters near northwest Lower Michigan.","" +118504,718145,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SEUL CHOIX POINT TO THE MACKINAC BRIDGE AND FROM CHARLEVOIX MI TO S FOX IS 5NM OFF SHORE",2017-06-11 15:05:00,EST-5,2017-06-11 15:05:00,0,0,0,0,0.00K,0,0.00K,0,45.6833,-85.4736,45.6833,-85.4736,"A line of severe thunderstorms crossed far northern Lake Michigan.","Trees were downed on nearby Beaver Island." +116763,702165,LOUISIANA,2017,May,Thunderstorm Wind,"ST. LANDRY",2017-05-21 16:00:00,CST-6,2017-05-21 16:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.42,-91.93,30.42,-91.93,"A weak cold front moved into the area and stalled. This produced multiple days of stormy weather, however only 1 severe storm occurred.","A report of damage to a roof of structure was received from near Arnaudville." +115247,692144,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:53:00,EST-5,2017-04-21 15:53:00,1,0,0,0,,NaN,,NaN,38.9834,-76.9969,38.9834,-76.9969,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A half dozen large trees were uprooted along the 800 Block of Jackson Avenue. One injury was reported." +115247,692145,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:54:00,EST-5,2017-04-21 15:54:00,0,0,0,0,,NaN,,NaN,38.978,-77.0062,38.978,-77.0062,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees and wires were down blocking the intersection of Carroll Avenue and Grant Avenue." +115247,692146,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:54:00,EST-5,2017-04-21 15:54:00,0,0,0,0,,NaN,,NaN,38.9782,-77.003,38.9782,-77.003,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree fell onto a house at the 300 Block of Ethan Allen Avenue." +115247,692147,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-21 15:54:00,EST-5,2017-04-21 15:54:00,0,0,0,0,,NaN,,NaN,38.9833,-76.9911,38.9833,-76.9911,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree fell into a house at the 1100 Block of Merwood Drive." +115247,692148,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-21 16:37:00,EST-5,2017-04-21 16:37:00,0,0,0,0,,NaN,,NaN,38.8103,-76.7643,38.8103,-76.7643,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Large trees were down on power lines near the intersection of Route 4 and Old Crain Highway." +115248,692149,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:03:00,EST-5,2017-04-21 18:03:00,0,0,0,0,,NaN,,NaN,38.2928,-77.1736,38.2928,-77.1736,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees were down on Trailors." +113324,680929,ARKANSAS,2017,March,Thunderstorm Wind,"SEBASTIAN",2017-03-07 00:50:00,CST-6,2017-03-07 00:50:00,0,0,0,0,5.00K,5000,0.00K,0,35.3733,-94.3884,35.3733,-94.3884,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind damaged the roof of a home and blew down portions of a privacy fence." +115248,692150,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:05:00,EST-5,2017-04-21 18:05:00,0,0,0,0,,NaN,,NaN,38.2755,-77.131,38.2755,-77.131,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees were down through multiple Trailers. A Tractor Trailer was also blown over." +115248,692151,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:05:00,EST-5,2017-04-21 18:05:00,0,0,0,0,,NaN,,NaN,38.2968,-77.1128,38.2968,-77.1128,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A roof was blown off a shed and multiple trees were down." +115248,692152,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:06:00,EST-5,2017-04-21 18:06:00,0,0,0,0,,NaN,,NaN,38.2635,-77.1307,38.2635,-77.1307,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Trees and power lines were down near the intersection of Lakeview Drive and VA 205." +115248,692153,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:10:00,EST-5,2017-04-21 18:10:00,0,0,0,0,,NaN,,NaN,38.2526,-77.0596,38.2526,-77.0596,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down at Round Hill Road." +115248,692154,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:17:00,EST-5,2017-04-21 18:17:00,0,0,0,0,,NaN,,NaN,38.2619,-77.0456,38.2619,-77.0456,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Two trees were down near the Intersection of VA 205 and VA 218." +113324,680930,ARKANSAS,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-07 01:05:00,CST-6,2017-03-07 01:05:00,0,0,0,0,0.00K,0,0.00K,0,35.468,-93.8313,35.468,-93.8313,"Strong to severe thunderstorms developed during the evening hours of the 6th over north central Oklahoma, along a cold front that moved into the area. A very moist and moderately unstable air mass was in place over northwestern Arkansas ahead of these storms. The line of thunderstorms moved east across northwestern Arkansas during the evening hours of the 6th and early morning hours of the 7th, producing hail up to half dollar size and damaging wind. Other strong to severe thunderstorms developed well ahead of the cold front across east central Oklahoma. Strong wind shear that was present in the atmosphere over the area allowed some of these storms to develop into supercell thunderstorms as they moved into northwestern Arkansas during the evening. A tornado and hail up to quarter size resulted from these storms.","Strong thunderstorm wind blew down trees on Highway 309 south of Ozark." +113328,681008,ARKANSAS,2017,March,Hail,"CARROLL",2017-03-09 19:40:00,CST-6,2017-03-09 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.4973,-93.3996,36.4973,-93.3996,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681010,ARKANSAS,2017,March,Hail,"BENTON",2017-03-09 20:00:00,CST-6,2017-03-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.422,-94.4533,36.422,-94.4533,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +114600,687309,TEXAS,2017,March,Wildfire,"GRAY",2017-03-06 15:00:00,CST-6,2017-03-08 08:00:00,0,0,3,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Lefors East Wildfire began in Gray County about six miles southeast of Lefors Texas around 1500CST. The wildfire spread east into Wheeler County where an evacuation was declared for the towns of Mobeetie and Wheeler. An evacuation was also declared for the town of Lefors, however three people were killed as they tried to save livestock in the area. Many livestock were also lost from the wildfire. The wildfire consumed approximately one hundred and thirty-five thousand acres. There was a report that six homes and four other structures were threatened but saved, however one home and two other structures were destroyed by the wildfire. Other than the three people killed, there were no reports of any injuries but there were ten near misses. There were ten fire departments and other agencies that responded to the wildfire including the Texas A&M Forest Service. The wildfire was contained around 0800CST on March 8.","" +114601,687312,TEXAS,2017,March,Wildfire,"DONLEY",2017-03-09 17:37:00,CST-6,2017-03-10 02:00:00,2,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The JA Ranch Wildfire began around 1737CST about twelve miles southwest of Clarendon Texas in Donley County. The wildfire began as a prescribed burn which went out of control when a large fire whirl developed and consumed approximately two thousand three hundred and fifty-nine acres. There were no homes or other structures damaged or destroyed by the wildfire. Although there were no reports of any fatalities, there were two firefighters that were injured. The wildfire was contained around 0200CST on March 10.","" +114633,687561,CALIFORNIA,2017,March,High Wind,"SAN DIEGO COUNTY DESERTS",2017-03-30 14:50:00,PST-8,2017-03-30 19:50:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","The Anza Borrego Desert Research Center mesonet reported numerous wind gusts in excess of 58 mph over a 5 hour period. A peak gust of 69 mph occurred between 1820 and 1830PST. Roof and awning damage occurred at the Desert Research Center. In Borrego Springs power poles and street signs were blown over by wind along Borrego Valley Rd." +115405,692926,MISSOURI,2017,April,Flood,"DE KALB",2017-04-05 09:23:00,CST-6,2017-04-05 11:23:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-94.6,39.8894,-94.5935,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route V was closed for flooding along Third Fork Creek." +115405,692927,MISSOURI,2017,April,Flood,"LIVINGSTON",2017-04-05 09:56:00,CST-6,2017-04-05 11:56:00,0,0,0,0,0.00K,0,0.00K,0,39.64,-93.7,39.6418,-93.7063,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route D was closed due to flooding along Shoal Creek." +114633,687580,CALIFORNIA,2017,March,High Wind,"COACHELLA VALLEY",2017-03-30 15:10:00,PST-8,2017-03-30 20:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure dove south and deepened along the California and Nevada boarder on March 30th. The trough brought with it strong mid and upper level winds and a cold front that helped strengthen mountain wave activity over the deserts. Winds associated with mountain waves downed trees/power lines in Palm Spring, leaving more than 2,200 with out power. Power line damage was also reported in Borrego Springs. Numerous wind gusts in the 60-70 mph range were reported in Palm Springs and Borrego Springs.","A mountain wave surfaced multiple times at Palm Springs Regional Airport producing multiple wind gusts in excess of 60 mph over a 6 hour period. The strongest wind gust was 66 mph at 1515PST." +114626,687502,CALIFORNIA,2017,March,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-03-12 20:00:00,PST-8,2017-03-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","Areas of dense fog were reported along the coast of San Diego County over a period of 12 hours at multiple ASOS/AWOS sites. Impacts were minimal at San Diego International where visibility only fell to 1/4 mile between 0615 and 0651PST." +114626,687506,CALIFORNIA,2017,March,Dense Fog,"ORANGE COUNTY COASTAL",2017-03-15 05:45:00,PST-8,2017-03-15 07:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A sallow marine layer lingered along the coast between the 12th and 16th of March, resulting in night and morning dense fog along the coast of Orange and San Diego Counties.","John Wayne Airport reported 2 hours dense fog with a visibility of 1/4 mile or less. Newport Beach Lifeguards also reported a visibility of 200 ft at 0600PST." +114630,687532,CALIFORNIA,2017,March,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-03-02 08:16:00,PST-8,2017-03-02 15:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of high pressure over the Inter-mountain West brought gusty offshore winds to the region on March 2nd. The strongest winds occurred below the passes and canyons of Riverside and San Diego Counties. Impacts were minimal.","The Highland Springs RAWS station reported easterly wind gusts between 58 and 60 mph over a 7 hour period. The peak gust of 60 mph occurred between 0816 and 0916PST." +115200,694740,OKLAHOMA,2017,May,Hail,"CUSTER",2017-05-18 15:08:00,CST-6,2017-05-18 15:08:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-98.7,35.53,-98.7,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694741,OKLAHOMA,2017,May,Hail,"TILLMAN",2017-05-18 15:30:00,CST-6,2017-05-18 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-99.08,34.24,-99.08,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115121,691224,VIRGINIA,2017,April,Tornado,"FAUQUIER",2017-04-06 12:08:00,EST-5,2017-04-06 12:14:00,0,0,0,0,,NaN,,NaN,38.75,-77.82,38.82,-77.75,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The National Weather Service in Baltimore MD/Washington DC has |confirmed a tornado near Airlie in Fauquier County Virginia on April |6, 2017.||The tornado caused a nearly continuous path of convergent tree damage. |Large to mid sized trees were snapped and uprooted. The most intense |of which was the result of estimated wind speeds of 85 mph that |snapped several large trees on Airlie Road between Artillery Road |and The Rainforest Trust. The first trees downed were noted just |west of US 17. After crossing Airlie Road, the tornado snapped and |uprooted trees all along Blantyre Road. Continuous damage stopped |just prior to Interstate 66.||The National Weather Service would like to thank the Fauquier County |Emergency Management Agency and the residents interviewed for their |assistance in this survey." +115147,691886,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-06 13:00:00,EST-5,2017-04-06 13:00:00,0,0,0,0,,NaN,,NaN,38.981,-76.7428,38.981,-76.7428,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Trees were down near Bowie." +114535,686929,ALABAMA,2017,March,Thunderstorm Wind,"AUTAUGA",2017-03-10 04:20:00,CST-6,2017-03-10 04:20:00,0,0,0,0,0.00K,0,0.00K,0,32.4298,-86.4151,32.4298,-86.4151,"An approaching short wave trough and increasing low level jet produced a QLCS that moved across north Alabama during the evening hours on March 9th and into the early morning hours on March 10th. Steep mid level lapse rates near 7 Celsius promoted strong updrafts and resulted in numerous reports of large hail.","Several trees uprooted along Highway 31." +114840,688906,ALABAMA,2017,March,Hail,"CHEROKEE",2017-03-27 14:20:00,CST-6,2017-03-27 14:21:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-85.72,34.16,-85.72,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688907,ALABAMA,2017,March,Thunderstorm Wind,"CHEROKEE",2017-03-27 14:23:00,CST-6,2017-03-27 14:24:00,0,0,0,0,0.00K,0,0.00K,0,34.1787,-85.71,34.1787,-85.71,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Numerous trees uprooted along County Road 61 and County Road 26." +114840,688908,ALABAMA,2017,March,Hail,"WALKER",2017-03-27 14:24:00,CST-6,2017-03-27 14:25:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-87.25,33.92,-87.25,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688909,ALABAMA,2017,March,Hail,"CHEROKEE",2017-03-27 14:24:00,CST-6,2017-03-27 14:25:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-85.68,34.16,-85.68,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688910,ALABAMA,2017,March,Hail,"CHEROKEE",2017-03-27 14:33:00,CST-6,2017-03-27 14:34:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-85.6,34.22,-85.6,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688911,ALABAMA,2017,March,Hail,"WALKER",2017-03-27 15:20:00,CST-6,2017-03-27 15:21:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-87.3,33.91,-87.3,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114801,689037,SOUTH DAKOTA,2017,March,Heavy Snow,"ROBERTS",2017-03-12 10:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689038,SOUTH DAKOTA,2017,March,Heavy Snow,"GRANT",2017-03-12 10:00:00,CST-6,2017-03-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689039,SOUTH DAKOTA,2017,March,Heavy Snow,"DEUEL",2017-03-12 10:00:00,CST-6,2017-03-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114801,689049,SOUTH DAKOTA,2017,March,Heavy Snow,"CORSON",2017-03-12 04:00:00,CST-6,2017-03-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure area sliding southeast over the region brought heavy snow to part of north central and all of northeast South Dakota. Snowfall amounts of 6 to 10 inches occurred with this system. Travel was greatly affected with the heavy wet snow along with very low visibility. Some of the amounts include, 6 inches at McIntosh, Redfield, Bowdle, Milbank, Leola, and Mina; 7 inches at Summit, Chelsea, and Roscoe; 8 inches at Webster, Ipswich, Mansfield, and Clark; 9 inches at Aberdeen and Hayti and 10 inches at Watertown.","" +114859,689055,SOUTH DAKOTA,2017,March,Flood,"BROWN",2017-03-01 00:00:00,CST-6,2017-03-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,45.93,-98.22,45.93,-98.13,"Snow melt runoff caused the James River near Columbia to go above the flood stage of 13 feet in February. The river temporarily went below flood stage on March 8th only to rise slightly back to above flood stage on the 11th before finally falling back below flood stage on the 19th. The river reached a high point of 15.74 feet on February 24th. Lowland flooding was the main impact.","" +114773,688606,IDAHO,2017,March,Flood,"BENEWAH",2017-03-15 06:15:00,PST-8,2017-03-31 23:59:00,0,0,0,0,400.00K,400000,0.00K,0,47.3231,-116.6982,47.2914,-116.3411,"Periodic heavy rain and mountain snow melt caused the St. Joe River the flood. Extensive flooding of fields, roads, outbuildings and yards of residences and businesses in the river bottom lands occurred. A few residences and businesses experienced first floor flooding as well. Emergency repairs were needed to stabilize a threatened levee in the town of St. Maries.","The St. Joe River Gage at St. Maries recorded a rise above the Flood Stage of 32.5 feet at 6:15 AM PST on March 15th. The river continued to rise through the Moderate Flood Stage by March 16th and passed through the Major Flood Stage of 38.0 feet at 9:15 AM March 19th. The river crested at 10:45 PM on March 19th at 39.2 feet. The river receded to below Major Flood Stage at 11:30 PM March 24th and dropped through the Moderate Flood Stage by the morning of March 25th. The river remained in Minor Flood through the end of March and into April." +114773,688986,IDAHO,2017,March,Flood,"SHOSHONE",2017-03-16 05:15:00,PST-8,2017-03-19 06:30:00,0,0,0,0,55.00K,55000,0.00K,0,47.2788,-116.1971,47.2671,-116.1983,"Periodic heavy rain and mountain snow melt caused the St. Joe River the flood. Extensive flooding of fields, roads, outbuildings and yards of residences and businesses in the river bottom lands occurred. A few residences and businesses experienced first floor flooding as well. Emergency repairs were needed to stabilize a threatened levee in the town of St. Maries.","Flooding along the St. Joe River at Calder, ID flooded and severely damaged a 1200 foot stretch of road leading into the town. In the town of Calder high water threatened homes and flooded basements. Roads along the river bottom were flooded and impassable." +114773,688607,IDAHO,2017,March,Flood,"SHOSHONE",2017-03-16 05:15:00,PST-8,2017-03-19 18:00:00,0,0,0,0,80.00K,80000,0.00K,0,47.2775,-116.3947,47.2048,-115.8756,"Periodic heavy rain and mountain snow melt caused the St. Joe River the flood. Extensive flooding of fields, roads, outbuildings and yards of residences and businesses in the river bottom lands occurred. A few residences and businesses experienced first floor flooding as well. Emergency repairs were needed to stabilize a threatened levee in the town of St. Maries.","The St. Joe River Gage at Calder recorded a rise above the Flood Stage of 13.0 feet at 5:15 AM PST on March 16th and crested at 13.1 feet later that morning. The river then dropped below Flood Stage during the afternoon. A second and higher rise above Flood Stage occurred at 11:00 PM on March 18th. The river crested at 13.5 feet at 6:30 AM on March 19th and then receded to below the Flood Stage by 6:00 PM March 19th." +114120,683377,WISCONSIN,2017,March,Thunderstorm Wind,"PORTAGE",2017-03-06 22:12:00,CST-6,2017-03-06 22:12:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-89.53,44.45,-89.53,"A line of thunderstorms formed along a strong cold front in an unseasonably mild airmass. A few of the storms produced wind gusts in excess of 60 mph, including one that destroyed a pole barn.","A thunderstorm wind gust to 74 mph was measured as the storms moved south of Plover." +115820,696089,MARYLAND,2017,May,Thunderstorm Wind,"ST. MARY'S",2017-05-05 07:47:00,EST-5,2017-05-05 07:47:00,0,0,0,0,,NaN,,NaN,38.2953,-76.529,38.2953,-76.529,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Maryland and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down on wires in the 44000 Block of St. Andrews Church Road." +115820,696090,MARYLAND,2017,May,Thunderstorm Wind,"PRINCE GEORGE'S",2017-05-05 07:51:00,EST-5,2017-05-05 07:51:00,0,0,0,0,,NaN,,NaN,38.9363,-76.9562,38.9363,-76.9562,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Maryland and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down in the 3800 Block of 37th place." +115821,696092,DISTRICT OF COLUMBIA,2017,May,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-05-05 07:50:00,EST-5,2017-05-05 07:50:00,0,0,0,0,,NaN,,NaN,38.9297,-76.9667,38.9297,-76.9667,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Washington D.C. and the unstable atmosphere caused a few thunderstorms to become severe.","A large tree was down in the 2900 Block of Carlton Avenue Northeast." +115821,696093,DISTRICT OF COLUMBIA,2017,May,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-05-05 07:50:00,EST-5,2017-05-05 07:50:00,0,0,0,0,,NaN,,NaN,38.9271,-76.9629,38.9271,-76.9629,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across Washington D.C. and the unstable atmosphere caused a few thunderstorms to become severe.","A tree was down in the 2700 Block of Central Avenue." +115823,696112,WEST VIRGINIA,2017,May,Flood,"JEFFERSON",2017-05-26 18:22:00,EST-5,2017-05-27 07:22:00,0,0,0,0,0.00K,0,0.00K,0,39.2416,-77.8126,39.2656,-77.7906,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","The stream gauge on Shenandoah River at Millville exceeded their flood stage of 10 feet and peaked at 10.6 feet at 22:30 EST. Parts of Bloomery Road and John Rissler Road were likely flooded near Bloomery, WV. Once these roads flood, access to homes is impaired but the homes themselves are not in any danger of flooding. Moulton Park and the Millville boat launch are also flooded." +115824,696113,WEST VIRGINIA,2017,May,Hail,"JEFFERSON",2017-05-18 17:05:00,EST-5,2017-05-18 17:05:00,0,0,0,0,,NaN,,NaN,39.2542,-77.9353,39.2542,-77.9353,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +117105,704571,MISSOURI,2017,May,Hail,"JACKSON",2017-05-27 16:29:00,CST-6,2017-05-27 16:29:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-94.48,38.89,-94.48,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704566,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:53:00,CST-6,2017-05-27 12:57:00,0,0,0,0,,NaN,,NaN,38.24,-93.54,38.24,-93.54,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704568,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:54:00,CST-6,2017-05-27 12:57:00,0,0,0,0,,NaN,,NaN,38.28,-93.61,38.28,-93.61,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704570,MISSOURI,2017,May,Hail,"COOPER",2017-05-27 13:15:00,CST-6,2017-05-27 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-93,38.7,-93,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704572,MISSOURI,2017,May,Hail,"JACKSON",2017-05-27 16:42:00,CST-6,2017-05-27 16:43:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-94.17,38.88,-94.17,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704573,MISSOURI,2017,May,Hail,"PETTIS",2017-05-27 17:18:00,CST-6,2017-05-27 17:19:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-93.38,38.9,-93.38,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704574,MISSOURI,2017,May,Hail,"PETTIS",2017-05-27 17:21:00,CST-6,2017-05-27 17:22:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-93.36,38.9,-93.36,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +114631,687555,KANSAS,2017,March,Thunderstorm Wind,"COWLEY",2017-03-26 19:45:00,CST-6,2017-03-26 19:47:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-96.97,37.27,-96.97,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","A tree was uprooted in town on Millington Avenue between 4th and 5th Streets." +114631,687560,KANSAS,2017,March,Thunderstorm Wind,"COWLEY",2017-03-26 20:20:00,CST-6,2017-03-26 20:22:00,0,0,0,0,1.00K,1000,0.00K,0,37.32,-96.67,37.32,-96.67,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","Tree and power pole damage occurred in Cambridge." +112943,683861,COLORADO,2017,March,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-03-06 10:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683862,COLORADO,2017,March,High Wind,"CROWLEY COUNTY",2017-03-06 10:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683864,COLORADO,2017,March,High Wind,"EASTERN LAS ANIMAS COUNTY",2017-03-06 11:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683865,COLORADO,2017,March,High Wind,"WESTERN KIOWA COUNTY",2017-03-06 09:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683866,COLORADO,2017,March,High Wind,"EASTERN KIOWA COUNTY",2017-03-06 09:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112791,673806,COLORADO,2017,March,Strong Wind,"C & S WELD COUNTY",2017-03-07 10:45:00,MST-7,2017-03-07 10:45:00,1,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"High winds continued across portions of the north central mountains and Foothills. Strong winds blew over a semi-tractor trailer on Interstate 25 near the Wyoming border, no injuries were reported. Peak wind gusts included: 81 mph at Berthoud Pass and Genesee; 78 mph at Loveland Pass and 75 mph near Glen Haven and Jamestown. The high winds and very dry conditions continued across the northeast plains of Colorado. In west Greeley, a building under construction completely collapsed. The 5,000 square-foot addition to a church swayed under the force of the wind then collapsed. Some of the debris pinned a construction worker; he suffered minor injuries. Peak wind gusts included: 66 mph, 4 miles southwest of Sterling; 64 mph at Briggsdale and Crook; 63 mph, 8 miles south of Holyoke; 62 mph, 8 miles south-southwest of Grover; 60 mph, 2 miles south-southeast of Denver International Airport; 58 mph at Akron Municipal Airport and 55 mph at Greeley Airport.","In west Greeley, a building under construction completely collapsed." +113147,676706,COLORADO,2017,March,Blizzard,"ELBERT / C & E DOUGLAS COUNTIES ABOVE 6000 FEET",2017-03-24 01:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense but fairly fast moving system that developed over southeastern Colorado brought a brief period of blizzard conditions along the Palmer Ridge south and southeast of Denver. Strong wind gusts from 45 to 60 mph accompanied the snow. Storm totals included: 11 inches near The Pinery, 10.5 inches near Ponderosa Park; 7 inches, 3 miles northeast of Castle Rock; with 5 inches near Simla. ||The blizzard conditions forecast the closure of schools, roads and highways over Douglas and Elbert Counties. Interstate 70 was closed between Airpark and Limon in both directions for several hours and Interstate 25 south of Castle Rock was also closed. State Highway 24, from Colorado Springs to Limon; State Highway 94 between Colorado Springs to Punkin Center; State Highway 86, from Kiowa to Limon. Several vehicles were stranded due to drifting snow, ranging from 2 1/2 ft to 8 ft, and zero visibilities.","Storm totals ranged from 7 to 11 inches, with widespread blowing and drifting snow resulting in road closures." +113147,676707,COLORADO,2017,March,Blizzard,"N & NE ELBERT COUNTY BELOW 6000 FEET / N LINCOLN COUNTY",2017-03-24 06:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense but fairly fast moving system that developed over southeastern Colorado brought a brief period of blizzard conditions along the Palmer Ridge south and southeast of Denver. Strong wind gusts from 45 to 60 mph accompanied the snow. Storm totals included: 11 inches near The Pinery, 10.5 inches near Ponderosa Park; 7 inches, 3 miles northeast of Castle Rock; with 5 inches near Simla. ||The blizzard conditions forecast the closure of schools, roads and highways over Douglas and Elbert Counties. Interstate 70 was closed between Airpark and Limon in both directions for several hours and Interstate 25 south of Castle Rock was also closed. State Highway 24, from Colorado Springs to Limon; State Highway 94 between Colorado Springs to Punkin Center; State Highway 86, from Kiowa to Limon. Several vehicles were stranded due to drifting snow, ranging from 2 1/2 ft to 8 ft, and zero visibilities.","" +114962,689582,SOUTH CAROLINA,2017,March,Hail,"ANDERSON",2017-03-30 17:42:00,EST-5,2017-03-30 17:42:00,0,0,0,0,,NaN,,NaN,34.64,-82.56,34.64,-82.56,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","Spotter reported hail up to quarter size." +114962,689899,SOUTH CAROLINA,2017,March,Hail,"PICKENS",2017-03-30 22:55:00,EST-5,2017-03-30 22:55:00,0,0,0,0,,NaN,,NaN,34.9,-82.86,34.9,-82.86,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","Public reported pea to quarter sized hail at the Reserve at Lake Keowee." +114962,689908,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-30 18:40:00,EST-5,2017-03-30 18:40:00,0,0,0,0,,NaN,,NaN,34.77,-82.26,34.77,-82.26,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","FD reported up to quarter size hail." +114962,689909,SOUTH CAROLINA,2017,March,Thunderstorm Wind,"PICKENS",2017-03-30 22:55:00,EST-5,2017-03-30 22:55:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-82.87,34.9,-82.87,"Scattered thunderstorms developed in the vicinity of a warm front across Upstate South Carolina during the late afternoon and evening. A few of the storms produced severe weather, mainly in the form of large hail.","Public reported multiple trees blown down at the Reserve at Lake Keowee." +114989,689952,NORTH CAROLINA,2017,March,Frost/Freeze,"INLAND PENDER",2017-03-16 03:00:00,EST-5,2017-03-16 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A strong cold front pushed through the region on March 15th, bringing a 1036 mb (30.59 in) high pressure system that settled into the region for the next two days. Significant crop damage was noted.","Cold air pushed into the region on March 15th, courtesy of a strong cold front and a large high pressure system that settled over the region for the next two days. Temperatures on both March 16th and 17th dropped well into the mid and lower 20s for four to six hours. Significant crop damage was noted. The blueberry crop suffered the worst with nearly 50 percent of the crop damaged or lost. Fruit trees, such as the peach and pear, also suffered almost complete losses, although the crop size was rather small. Wheat also sustained mainly minor losses." +112817,674609,SOUTH DAKOTA,2017,March,High Wind,"HARDING",2017-03-06 10:30:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +112817,674610,SOUTH DAKOTA,2017,March,High Wind,"PERKINS",2017-03-06 13:30:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense low pressure system passed to the north of the area during the morning. Strong northwest winds developed across much of western South Dakota during the late morning and afternoon. The strongest winds were across parts of northwestern South Dakota and the Rapid City area, where sustained winds of 30 to 45 mph and gusts over 60 mph were reported.","" +117505,706685,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 15:43:00,EST-5,2017-05-25 15:58:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts up to 44 knots were reported at Potomac Light." +117505,706686,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 15:47:00,EST-5,2017-05-25 15:52:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts up to 36 knots were reported at Cuckold Creek." +117505,706687,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 15:58:00,EST-5,2017-05-25 16:03:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts in excess of 30 knots were reported at Quantico." +117505,706688,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 16:12:00,EST-5,2017-05-25 16:12:00,0,0,0,0,,NaN,,NaN,38.5295,-77.2794,38.5295,-77.2794,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts around 50 knots were estimated based on thunderstorm wind damage nearby." +117505,706689,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 15:38:00,EST-5,2017-05-25 15:48:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts up to 36 knots were reported at Monroe Creek." +117505,706690,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-25 15:49:00,EST-5,2017-05-25 15:54:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 34 knots was reported at Cobb Point." +117505,706691,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-25 16:40:00,EST-5,2017-05-25 16:41:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts in excess of 30 knots was reported at Point Lookout." +113661,685723,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:15:00,CST-6,2017-03-29 01:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.57,-97.13,32.57,-97.13,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Emergency management reported trees down throughout the city of Mansfield, TX." +113661,685724,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:18:00,CST-6,2017-03-29 01:18:00,0,0,0,0,5.00K,5000,0.00K,0,32.66,-97.08,32.66,-97.08,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated roof damage at Household of Faith Church in Arlington, TX." +113661,685725,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:20:00,CST-6,2017-03-29 01:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.6451,-97.0879,32.6451,-97.0879,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated downed communications antennas at Collins St and Sublett Rd in Arlington, TX." +113661,685726,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:23:00,CST-6,2017-03-29 01:23:00,0,0,0,0,10.00K,10000,0.00K,0,32.67,-97.1,32.67,-97.1,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","Broadcast media reported that one plane was damaged at Arlington Municipal Airport, and large trees were broken near the base of the trunks." +113661,685727,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:25:00,CST-6,2017-03-29 01:25:00,0,0,0,0,5.00K,5000,0.00K,0,32.6322,-97.1161,32.6322,-97.1161,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A social media report indicated that several sections of brick wall were blown over near the intersection of Ponselle Dr and Matlock Rd in Arlington, TX." +113661,685737,TEXAS,2017,March,Thunderstorm Wind,"TARRANT",2017-03-29 01:11:00,CST-6,2017-03-29 01:11:00,0,0,0,0,0.00K,0,0.00K,0,32.8351,-97.2985,32.8351,-97.2985,"A line of thunderstorms developed late in the day on the 28th and moved through much of north Texas during the early morning hours of the 29th. While hail and damaging wind gusts were the primary severe weather events, several QLCS tornadoes were observed as well.","A 58 MPH wind gust was measured at the NWS office in Fort Worth, TX." +113548,679761,VIRGINIA,2017,March,Thunderstorm Wind,"BLAND",2017-03-01 11:15:00,EST-5,2017-03-01 11:25:00,0,0,0,0,10.00K,10000,0.00K,0,37.2315,-81.2206,37.1303,-81.0729,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Several trees were blown down across Bland County by thunderstorm winds." +113548,679760,VIRGINIA,2017,March,Thunderstorm Wind,"GILES",2017-03-01 11:30:00,EST-5,2017-03-01 11:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.3458,-80.8496,37.3199,-80.4516,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","A 64 MPH gust was observed at the Mesonet site at Mountain Lake. In addition, a covered bridge in the community of Newport experienced damage." +113548,679719,VIRGINIA,2017,March,Thunderstorm Wind,"ALLEGHANY",2017-03-01 11:35:00,EST-5,2017-03-01 11:42:00,0,0,0,0,2.50K,2500,0.00K,0,37.8321,-80.0773,37.7822,-79.9773,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","A tree was blown down along Long Avenue. Several large tree limbs were also reported down across portions of Alleghany County." +113548,679759,VIRGINIA,2017,March,Thunderstorm Wind,"BATH",2017-03-01 11:35:00,EST-5,2017-03-01 11:55:00,0,0,0,0,20.00K,20000,0.00K,0,38.1206,-79.9338,37.9761,-79.5775,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Dozens of trees were blown down across Bath County by thunderstorm winds." +113212,690342,GEORGIA,2017,March,Drought,"LUMPKIN",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +113212,690360,GEORGIA,2017,March,Drought,"CHEROKEE",2017-03-01 00:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through March there was little in the way of changes to the long term drought that persists across north and central Georgia. Northwest Georgia saw a one category improvement from D3 Extreme to D2 Severe Drought by the end of the month, and low rainfall amounts over central Georgia reintroduced D0 Abnormally Dry conditions across the previously-improved middle Georgia region.||The improvement across north Georgia was attributed to a more active weather pattern through the month, producing 4 to 8 inches of rainfall over the area. These rainfall amounts were generally 100 to 150 percent of normal. Across middle Georgia, paltry rainfall amounts of only 0.5 to 2 inches, or 10 to 50 percent of normal, kept the area so dry that short term drought conditions began after the long term drought conditions were considered over in February. ||By the end of March, reservoirs in north and central Georgia were beginning to recover. Lake Allatoona and West Point were nearly 12 feet and 5 feet, respectively, above winter pool levels, and on track to fill to summer pool without issue. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows, keeping Lake Lanier nearly 9 feet below the winter pool level. Although many climate sites observed an improvement in the 365-day rainfall totals, several locations, including Northeast Atlanta (KPDK), West Atlanta (KFTY), and Gainesville (KGVL) continued to have a rainfall deficit exceeding 19 inches. These sites have only received approximately 60 percent of the normal rainfall over the last 365-days.||The winter and early spring months continued to have generally slow, positive improvement in the drought conditions over the state. The drought conditions peaked in November, with a third of the state in D4 Exceptional Drought, and more than two-thirds of the state in D2 Severe Drought or worse.","" +114281,689147,GEORGIA,2017,March,Hail,"GORDON",2017-03-27 18:05:00,EST-5,2017-03-27 18:15:00,0,0,0,0,,NaN,,NaN,34.58,-84.94,34.58,-84.94,"A strong short wave sweeping through the Tennessee Valley combined with a moderately unstable atmosphere across north Georgia to produce isolated severe thunderstorms with several reports of large hail across northwest Georgia.","The public reported half dollar size hail in Resaca." +114281,689148,GEORGIA,2017,March,Hail,"GILMER",2017-03-27 19:05:00,EST-5,2017-03-27 19:15:00,0,0,0,0,,NaN,,NaN,34.7745,-84.5893,34.7745,-84.5893,"A strong short wave sweeping through the Tennessee Valley combined with a moderately unstable atmosphere across north Georgia to produce isolated severe thunderstorms with several reports of large hail across northwest Georgia.","The public reported quarter size hail along Conasauga Road near Highway 52." +114281,689149,GEORGIA,2017,March,Hail,"GILMER",2017-03-27 19:25:00,EST-5,2017-03-27 19:35:00,0,0,0,0,,NaN,,NaN,34.8068,-84.4171,34.8068,-84.4171,"A strong short wave sweeping through the Tennessee Valley combined with a moderately unstable atmosphere across north Georgia to produce isolated severe thunderstorms with several reports of large hail across northwest Georgia.","The Gilmer County Emergency Manager reported quarter size hail at the intersection of Boardtown Road and Whitepath Road." +114281,689150,GEORGIA,2017,March,Hail,"POLK",2017-03-27 21:00:00,EST-5,2017-03-27 21:10:00,0,0,0,0,,NaN,,NaN,33.98,-85.25,33.98,-85.25,"A strong short wave sweeping through the Tennessee Valley combined with a moderately unstable atmosphere across north Georgia to produce isolated severe thunderstorms with several reports of large hail across northwest Georgia.","An amateur radio operator reported dime size hail and wind gusts to 30 MPH." +113548,679735,VIRGINIA,2017,March,Thunderstorm Wind,"ROANOKE",2017-03-01 12:10:00,EST-5,2017-03-01 12:25:00,0,0,0,0,20.00K,20000,0.00K,0,37.3675,-80.2106,37.2171,-79.8851,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Multiple trees were blown down by thunderstorm winds across Roanoke County. In addition, a light pole was blown down onto a car near the Valley View Mall. At 12:14 PM EST, a 51 knot wind gust was measured by the ASOS located at Roanoke-Blacksburg Regional Airport." +113548,679717,VIRGINIA,2017,March,Thunderstorm Wind,"BOTETOURT",2017-03-01 12:22:00,EST-5,2017-03-01 12:22:00,0,0,0,0,5.00K,5000,0.00K,0,37.4103,-79.8807,37.4103,-79.8807,"A fast-moving line of thunderstorms moved across Kentucky and West Virginia during the late morning and afternoon hours of March 1st, entering western Virginia shortly before noon. Strong heating was observed ahead of the line, with temperatures warming into the 60s and 70s across the central Appalachians, and around 80 degrees in spots across the Piedmont. This provided the necessary instability for the line of storms to sustain severe levels as it moved across the region, producing long swaths of wind damage.","Thunderstorm winds caused a roof to blow off of an outbuilding in the community of Troutville." +113054,686277,NORTH DAKOTA,2017,March,High Wind,"GRANT",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Grant County using the Glen Ullin AWOS in Morton County." +113054,686278,NORTH DAKOTA,2017,March,High Wind,"HETTINGER",2017-03-07 06:00:00,CST-6,2017-03-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On March 6, strong surface low pressure deepened over southwest North Dakota and gradually moved towards the northeast as an upper level trough deepened over eastern Montana before closing off over North Dakota. Widespread snow developed over northern North Dakota and combined with very strong winds to produce blizzard conditions. To the south, much less snow fell, though strong winds prevailed. The snow gradually diminished and moved to the east during the evening of March 6, but the very strong winds continued. This led to a ground blizzard continuing across the north through the day on March 7. Large drifts formed from the blizzard, which led to an Amtrak passenger train getting stuck approximately 5 miles west of Rugby, Pierce County. About 50 high school students in Minot, Ward County, had to spend the night at a local hotel because they could not return to the Minot Air Force Base. In Glenburn, Renville County, about 150 students, along with most of the staff, had to spend the night at the school, with a few having to spend a second night as roads remained blocked.","Wind gust is estimated for Hettinger County using the Dickinson ASOS in Stark County." +114203,684033,KANSAS,2017,March,High Wind,"GOVE",2017-03-06 11:00:00,CST-6,2017-03-06 15:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","A semi was blown over at the junction of K-23 and I-70 at Grainfield." +114203,684032,KANSAS,2017,March,High Wind,"LOGAN",2017-03-06 11:00:00,CST-6,2017-03-06 15:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","Sustained winds of 40-45 MPH combined with gusts near 60 MPH caused a semi to blow over on I-70 near Oakley. Minor injuries were reported from the blow over but the number of occupants was not reported." +114203,684036,KANSAS,2017,March,High Wind,"NORTON",2017-03-06 11:19:00,CST-6,2017-03-06 11:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","" +114203,690495,KANSAS,2017,March,Wildfire,"CHEYENNE",2017-03-06 13:00:00,CST-6,2017-03-06 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed behind a strong cold front most of the day. Wind gusts up to 65 MPH were reported during the day. The strongest wind gust occurred in Goodland and was based on roof damage of a mobile home. The high winds caused at least four semis to be blown over on I-70 and caused some blowing dust. In addition, high winds caused a fire rekindle in Cheyenne County and a new fire to burn farm structures and equipment near Herndon in Rawlins County.","This fire occurred north to northeast of Wheeler, Kansas. The fire was a rekindle from a fire from the previous day. Two farmsteads were threatened but saved. Fire burned approximately 800 acres for a total burned area from 3/5 to 3/6 of around 1500 acres." +114206,684035,NEBRASKA,2017,March,High Wind,"DUNDY",2017-03-06 15:53:00,MST-7,2017-03-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Wind gusts near 60 MPH were reported at Wray, CO and Imperial, NE behind a strong cold front that moved through. Using these sites as a proxy can be fairly sure Dundy County also had high wind gusts. In addition to strong winds, a large fire rekindled over Hitchcock County between Palisade and Stratton.","Based on high wind observations from surrounding sites am confident Dundy County also met high wind criteria." +113646,690490,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:13:00,EST-5,2017-03-30 14:15:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-86.9,40.04,-86.9,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690496,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:16:00,EST-5,2017-03-30 14:18:00,0,0,0,0,,NaN,0.00K,0,40.0314,-86.8947,40.0314,-86.8947,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690497,INDIANA,2017,March,Hail,"BOONE",2017-03-30 14:26:00,EST-5,2017-03-30 14:28:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-86.61,40.13,-86.61,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690498,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:26:00,EST-5,2017-03-30 14:28:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-86.74,40.13,-86.74,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690500,INDIANA,2017,March,Hail,"BOONE",2017-03-30 14:30:00,EST-5,2017-03-30 14:32:00,0,0,0,0,,NaN,,NaN,40.13,-86.65,40.13,-86.65,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690501,INDIANA,2017,March,Hail,"BOONE",2017-03-30 14:30:00,EST-5,2017-03-30 14:32:00,0,0,0,0,,NaN,,NaN,40.13,-86.67,40.13,-86.67,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690508,INDIANA,2017,March,Hail,"MONTGOMERY",2017-03-30 14:30:00,EST-5,2017-03-30 14:32:00,0,0,0,0,,NaN,,NaN,40.11,-86.78,40.11,-86.78,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690510,INDIANA,2017,March,Hail,"CLINTON",2017-03-30 14:46:00,EST-5,2017-03-30 14:48:00,0,0,0,0,,NaN,0.00K,0,40.28,-86.51,40.28,-86.51,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +113646,690543,INDIANA,2017,March,Thunderstorm Wind,"HENDRICKS",2017-03-30 14:51:00,EST-5,2017-03-30 14:51:00,0,0,0,0,0.50K,500,0.00K,0,39.73,-86.36,39.73,-86.36,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","The trunk of a Bradford Pear tree was snapped due to strong thunderstorm wind gusts." +113646,690551,INDIANA,2017,March,Hail,"CLINTON",2017-03-30 15:05:00,EST-5,2017-03-30 15:07:00,0,0,0,0,,NaN,,NaN,40.27,-86.39,40.27,-86.39,"An area of low pressure brought thunderstorms to central Indiana during the afternoon and evening of March 30th, some of which produced large hail and damaging winds.","" +114280,690025,GEORGIA,2017,March,Thunderstorm Wind,"FANNIN",2017-03-21 18:19:00,EST-5,2017-03-21 18:29:00,0,0,0,0,20.00K,20000,,NaN,34.8946,-84.3558,34.8503,-84.3024,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Fannin County Emergency Manager reported numerous trees blown down from northwest through southeast of Blue Ridge including along Scenic Drive from Tom Boyd Road to Cox Road, Sugar Creek Road and Meadow Lane. Trees were also blown down at the intersection of Sugar Creek Road and Chestnut Gap Road, and along Aska Road from Eagle Rock Road to Weaver Creek and Whispering Pines Road." +114280,690034,GEORGIA,2017,March,Thunderstorm Wind,"UNION",2017-03-21 18:25:00,EST-5,2017-03-21 18:40:00,0,0,0,0,5.00K,5000,,NaN,34.9583,-84.1114,34.9455,-84.1101,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Union County Emergency Manager reported several trees blown down across the roadway around John Smith Road at John Smith Way and along Nottely Dam Road at Boy Scout Road and Chrisman Road." +114280,689999,GEORGIA,2017,March,Hail,"BARROW",2017-03-21 18:30:00,EST-5,2017-03-21 18:35:00,0,0,0,0,,NaN,,NaN,34.03,-83.61,34.03,-83.61,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","Quarter size hail was reported on a farm along Finch Road." +114280,689998,GEORGIA,2017,March,Hail,"GWINNETT",2017-03-21 18:39:00,EST-5,2017-03-21 18:44:00,0,0,0,0,,NaN,,NaN,33.95,-83.93,33.95,-83.93,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Gwinnett County Emergency Manager reported quarter size hail on the south side of Dacula." +114280,690040,GEORGIA,2017,March,Thunderstorm Wind,"GILMER",2017-03-21 18:50:00,EST-5,2017-03-21 19:00:00,0,0,0,0,6.00K,6000,,NaN,34.58,-84.62,34.58,-84.62,"A large mesoscale convective complex developed along a cold front across central and southern Tennessee in response to a series of short waves sweeping through the region. These thunderstorms encountered an unstable and moderately-sheared atmosphere as they moved south into north Georgia producing numerous, widespread reports of large hail and damaging thunderstorm winds as well as two isolated tornadoes.","The Gilmer County Emergency Manager reported several trees blown down at the intersection of Highway 382 and Highway 136." +115219,691793,IOWA,2017,March,Flood,"BLACK HAWK",2017-03-09 07:00:00,CST-6,2017-03-10 19:15:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-92.38,42.62,-92.41,"Heavy rain led to minor river flooding on the Cedar River at Cedar Falls.","The Cedar River at Cedar Falls crested at 8:45 UTC on 10 March 2017 at 88.61 feet." +113853,681858,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 21:49:00,CST-6,2017-02-28 21:51:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-93.5,38.77,-93.5,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681859,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 22:08:00,CST-6,2017-02-28 22:10:00,0,0,0,0,,NaN,,NaN,38.46,-94,38.46,-94,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681860,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:58:00,CST-6,2017-02-28 21:58:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-94.21,38.53,-94.21,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114846,688963,WEST VIRGINIA,2017,May,Thunderstorm Wind,"BOONE",2017-05-20 18:53:00,EST-5,2017-05-20 18:53:00,0,0,0,0,5.00K,5000,0.00K,0,38,-81.8,38,-81.8,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","A tree and some power lines were blown down onto a mobile home in Greenview." +114846,688964,WEST VIRGINIA,2017,May,Thunderstorm Wind,"BOONE",2017-05-20 18:50:00,EST-5,2017-05-20 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.97,-81.8,37.97,-81.8,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","A tree and some power lines were blown down onto a house along Ramage Road." +114939,689415,KENTUCKY,2017,May,Hail,"CARTER",2017-05-27 17:15:00,EST-5,2017-05-27 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-83.23,38.34,-83.23,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","" +113853,681873,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 23:30:00,CST-6,2017-02-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-93.54,38.24,-93.54,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681876,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 23:06:00,CST-6,2017-02-28 23:09:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-93.52,38.53,-93.52,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +114455,686319,VIRGINIA,2017,March,Hail,"CHESAPEAKE (C)",2017-03-31 16:56:00,EST-5,2017-03-31 16:56:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-76.42,36.78,-76.42,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Golf ball size hail was reported." +113852,682028,KANSAS,2017,February,Hail,"ATCHISON",2017-02-28 18:00:00,CST-6,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9276,-94.705,38.9276,-94.705,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching golf ball sized in some locations.","" +114553,687037,ILLINOIS,2017,March,Hail,"VERMILION",2017-03-20 11:30:00,CST-6,2017-03-20 11:35:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.67,40.47,-87.67,"A warm front lifting northward into central Illinois triggered a round of severe thunderstorms during the early morning hours of March 20th. The storms produced hail as large as ping pongs across parts of Knox County. Additional severe cells developed further east around midday, dropping hail as large as baseballs in Hoopeston in far northern Vermilion County.","" +114846,688961,WEST VIRGINIA,2017,May,Hail,"BOONE",2017-05-20 18:35:00,EST-5,2017-05-20 18:35:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-81.87,37.99,-81.87,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","" +113399,678565,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer near Evans reported 5.5 inches of new snow." +113399,678563,WASHINGTON,2017,February,Winter Storm,"NORTHEAST MOUNTAINS",2017-02-08 12:00:00,PST-8,2017-02-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","A spotter in Metaline Falls reported 6 inches of new snow along with 0.10 inch ice accumulation from freezing rain." +113399,678567,WASHINGTON,2017,February,Heavy Snow,"NORTHEAST MOUNTAINS",2017-02-08 13:00:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 8th and into the morning of February 9th an atmospheric river of tropical origin moisture was directed into eastern Washington. Mild air with this moisture feed allowed snow levels to rise over the Columbia Basin. South of Interstate 90 generally rain fell. North of Interstate 90 the rain fell into a layer of cold air trapped near the surface promoting a prolonged period of freezing rain during the night of February 8th. Ice accumulation on area roads paralyzed travel in the Columbia Basin and the southern valleys of the northeast Washington mountains with over 70 schools closed or delayed on the morning of February 9th and numerous auto accidents. The mountains of eastern Washington and the valleys tucked against the Cascades experienced mainly heavy snow accumulations with this storm.","An observer 8 miles south of Northport reported 6 inches of new snow." +113563,679824,NEW YORK,2017,February,Blizzard,"SOUTHERN NASSAU",2017-02-09 07:33:00,EST-5,2017-02-09 14:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Nearby Republic Airport ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on February 9th." +113563,679826,NEW YORK,2017,February,Blizzard,"NORTHEAST SUFFOLK",2017-02-09 09:53:00,EST-5,2017-02-09 15:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed along a cold front over the Middle Atlantic early Thursday, February 9th. The low rapidly intensified as it moved off the Delmarva coast in the morning and then to the south and east of Long Island late morning into the afternoon. The low brought blizzard conditions to Long Island and portions of the Lower Hudson Valley. Heavy snow and strong winds also occurred over the New York City Metro. ||The blizzard brought delays and cancellations to the regions transportation systems as well as numerous accidents on roadways. The Long Island Railroad had system wide delays and at least 20 trains were cancelled. Several hundred rescues were performed by police and fire departments on Long Island. ||The storm also cancelled approximately 2,000 flights at Kennedy and La Guardia Airports.","Nearby Gabreski Airport (Westhampton Beach) ASOS observations showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and afternoon on February 9th." +115399,692892,FLORIDA,2017,May,Heavy Rain,"DUVAL",2017-05-04 01:00:00,EST-5,2017-05-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.59,30.3,-81.59,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A station measured 2.1 inches." +115401,692897,GEORGIA,2017,May,Wildfire,"CHARLTON",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The West Mims Wildfire burned in the John Bethea State Forest in northern Baker county, the Osceola National Forest in northern Columbia County and mostly impacted the Okefenokee National Wildlife Refuge in Ware and Charlton counties of SE Georgia during May. The fire made several large runs and burned over 150,000 acres by the end of the month. The town of St. George was evacuated during a large out of containment burned on the SE side of the fire. An extended period of very dry long term drought and above normal warmth created dangerous fire growth conditions. In addition, an extended period of strong WNW winds with gusts of 20-35 mph impacted the fire site at times.","On May 6th at 1:22 pm, the fire had burned 116,571 acres and was 12% contained. Evacuations and road closures were taking place in St. George due to the fire blowing across State Road 94." +115402,692899,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-05-13 10:57:00,EST-5,2017-05-13 10:57:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-81.42,31.04,-81.42,"An approaching cold front and unstable airmass fueled strong storms to form and move offshore of the local Atlantic coast during the late afternoon.","" +115402,692900,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-13 16:00:00,EST-5,2017-05-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.52,30.39,-81.52,"An approaching cold front and unstable airmass fueled strong storms to form and move offshore of the local Atlantic coast during the late afternoon.","" +115402,692901,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-13 16:04:00,EST-5,2017-05-13 16:04:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.42,30.39,-81.42,"An approaching cold front and unstable airmass fueled strong storms to form and move offshore of the local Atlantic coast during the late afternoon.","" +115402,692902,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-13 16:13:00,EST-5,2017-05-13 16:13:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"An approaching cold front and unstable airmass fueled strong storms to form and move offshore of the local Atlantic coast during the late afternoon.","" +115402,692903,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-13 16:24:00,EST-5,2017-05-13 16:24:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"An approaching cold front and unstable airmass fueled strong storms to form and move offshore of the local Atlantic coast during the late afternoon.","" +115595,694247,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:10:00,EST-5,2017-05-31 16:10:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.4,30.31,-81.4,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail was observed near Fletcher High School in Atlantic Beach." +115595,694248,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:15:00,EST-5,2017-05-31 16:15:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.39,30.31,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Half dollar size hail was reported in Neptune Beach." +115595,694249,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:22:00,EST-5,2017-05-31 16:22:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.41,30.3,-81.41,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail was reported along Penman Road." +115595,694250,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:25:00,EST-5,2017-05-31 16:25:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.39,30.28,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Quarter size hail was reported along Third Street in Jacksonville Beach." +115595,694251,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:30:00,EST-5,2017-05-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.39,30.28,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Baseball size hail was reported in Neptune Beach." +115595,694252,FLORIDA,2017,May,Hail,"DUVAL",2017-05-31 16:50:00,EST-5,2017-05-31 16:50:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.39,30.28,-81.39,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Hailstones about 2 inches in size were observed at Ginger's Place Restaurant in Jacksonville Beach." +115595,694254,FLORIDA,2017,May,Hail,"ST. JOHNS",2017-05-31 17:20:00,EST-5,2017-05-31 17:20:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-81.4,30.22,-81.4,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","Golf ball size hail was observed along Solana Road in Ponte Vedra Beach." +114083,683160,KENTUCKY,2017,May,Strong Wind,"PULASKI",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,0.00K,0,0.50K,500,NaN,NaN,NaN,NaN,"A cold front moving through during the morning hours led to strong wind gusts of generally up to 30 to 40 mph through the day as drier air poured into eastern Kentucky. A few reports of downed trees were received, including one that landed on and destroyed a trailer in Hazel Green.","A citizen reported via social media that a large tree was blown down northeast of Somerset." +114589,687254,KENTUCKY,2017,May,Thunderstorm Wind,"WOLFE",2017-05-18 15:54:00,EST-5,2017-05-18 15:54:00,0,0,0,0,,NaN,,NaN,37.6704,-83.4951,37.6704,-83.4951,"Numerous thunderstorms developed this afternoon, with two storms merging and strengthening in Lee County while continuing northeast through Wolfe and into Morgan Counties. With drier air in place in the upper levels of the atmosphere, strong to severe winds occurred underneath these storms from Lee through Morgan Counties.","Emergency management reported a large tree down on Whetstone Branch Road south of Campton." +114589,687256,KENTUCKY,2017,May,Thunderstorm Wind,"MORGAN",2017-05-18 16:22:00,EST-5,2017-05-18 16:22:00,0,0,0,0,,NaN,,NaN,37.8613,-83.2554,37.8613,-83.2554,"Numerous thunderstorms developed this afternoon, with two storms merging and strengthening in Lee County while continuing northeast through Wolfe and into Morgan Counties. With drier air in place in the upper levels of the atmosphere, strong to severe winds occurred underneath these storms from Lee through Morgan Counties.","A department of highways official reported a large tree down on Kentucky Highway 191 south of West Liberty." +114741,688286,KENTUCKY,2017,May,Flash Flood,"MAGOFFIN",2017-05-20 21:38:00,EST-5,2017-05-20 23:48:00,0,0,0,0,1.00K,1000,0.00K,0,37.6912,-82.9715,37.6662,-82.955,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Breetree Branch Road was covered with flood waters at Beetree Branch in Carver. The waters were said to have been the highest seen since the May 2004 Memorial Day flood. Oakley Creek in Carver was also causing flooding along portions of KY 1635 between Beetree Branch Rd and Royalton. Big Lick Branch Road was flooded, along with other roads in the Marshallville area. Flash flooding was also reported along Burning Fork, Dotson Branch, and Birch Branch 5 miles east southeast of Salyersville." +114741,688287,KENTUCKY,2017,May,Flood,"LEE",2017-05-20 23:40:00,EST-5,2017-05-21 02:40:00,0,0,0,0,1.00K,1000,0.00K,0,37.62,-83.58,37.6183,-83.5764,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Water of an unknown depth was observed covering Blankey Branch Road." +116299,699257,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-24 12:45:00,EST-5,2017-05-24 12:47:00,0,0,0,0,,NaN,0.00K,0,32.313,-80.486,32.313,-80.486,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","A public weather station on Fripp Island measured a 43 knot wind gust." +116299,699259,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-24 13:08:00,EST-5,2017-05-24 13:10:00,0,0,0,0,,NaN,0.00K,0,32.27,-80.4,32.27,-80.4,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The CORMP buoy near Fripp Island measured a 39 knot wind gust." +116299,699264,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 13:15:00,EST-5,2017-05-24 13:17:00,0,0,0,0,,NaN,0.00K,0,32.6041,-80.0731,32.6041,-80.0731,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","A public weather station on Kiawah Island measured a 38 knot wind gust." +116299,699265,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-24 13:15:00,EST-5,2017-05-24 13:17:00,0,0,0,0,,NaN,0.00K,0,32.313,-80.486,32.313,-80.486,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","A public weather station on Fripp Island measured a 43 knot wind gust." +116299,699268,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-05-24 13:11:00,EST-5,2017-05-24 14:06:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site at Fort Sumter measured a 34 knot wind gust. The peak wind gust of 44 knots occurred 25 minutes later." +116299,699269,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 13:40:00,EST-5,2017-05-24 13:42:00,0,0,0,0,,NaN,0.00K,0,32.685,-79.888,32.685,-79.888,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The C-MAN station at Folly Beach measured a 44 knot wind gust." +116513,700669,MICHIGAN,2017,May,Heavy Rain,"MARQUETTE",2017-05-17 06:00:00,EST-5,2017-05-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,46.07,-87.48,46.07,-87.48,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","The observer near Arnold measured over two inches of rainfall in 24 hours." +116513,700670,MICHIGAN,2017,May,Heavy Rain,"MENOMINEE",2017-05-17 10:00:00,CST-6,2017-05-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,45.67,-87.37,45.67,-87.37,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","The observer near Bark River measured over two inches of rainfall over 24 hours." +116513,700671,MICHIGAN,2017,May,Heavy Rain,"BARAGA",2017-05-17 12:00:00,EST-5,2017-05-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,46.6,-88.63,46.6,-88.63,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","Observers near Watton and Pequaming measured nearly two inches of rainfall over 24 hours." +116513,700672,MICHIGAN,2017,May,Heavy Rain,"HOUGHTON",2017-05-17 11:00:00,EST-5,2017-05-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,46.61,-88.91,46.61,-88.91,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","The mesonet station eight miles north of Kenton measured nearly two inches of rainfall in 24 hours." +116604,701225,LAKE MICHIGAN,2017,May,Marine Hail,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-05-17 18:30:00,EST-5,2017-05-17 18:34:00,0,0,0,0,0.00K,0,0.00K,0,45.74,-87.07,45.74,-87.07,"An upper disturbance moving along a frontal boundary and interacting with a warm and moist air mass produced nickel sized hail near Escanaba on the evening of the 17th.","A spotter in Escanaba reported pea to nickel sized hail from a thunderstorm." +116324,699503,MAINE,2017,May,Thunderstorm Wind,"AROOSTOOK",2017-05-18 20:25:00,EST-5,2017-05-18 20:25:00,0,0,0,0,,NaN,,NaN,47.15,-67.93,47.15,-67.93,"Unseasonably warm air overspread the region during the 18th. A cold front then approached northern areas during the evening...with thunderstorms developing in advance of the front. A few of the storms became severe across northeast Aroostook county producing damaging winds.","Two trees were toppled on Route 1 by wind gusts estimated at 60 mph." +116324,699506,MAINE,2017,May,Thunderstorm Wind,"AROOSTOOK",2017-05-18 20:40:00,EST-5,2017-05-18 20:40:00,0,0,0,0,,NaN,,NaN,47.07,-67.79,47.07,-67.79,"Unseasonably warm air overspread the region during the 18th. A cold front then approached northern areas during the evening...with thunderstorms developing in advance of the front. A few of the storms became severe across northeast Aroostook county producing damaging winds.","A tree was toppled across Route 1A by wind gusts estimated at 60 mph. The time is estimated." +114653,698496,MISSOURI,2017,May,Tornado,"DADE",2017-05-19 15:12:00,CST-6,2017-05-19 15:13:00,0,0,0,0,0.00K,0,0.00K,0,37.3545,-93.675,37.36,-93.67,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A brief EF-0 tornado touched down east of Everton. Several trees were damaged on either side of East Dade Road 152. Estimated maximum winds were up to 80 mph." +114653,698497,MISSOURI,2017,May,Tornado,"POLK",2017-05-19 15:19:00,CST-6,2017-05-19 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,37.4219,-93.5928,37.43,-93.59,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado touched down near the Greene County and Polk County line northwest of Walnut Grove. Several trees were uprooted and there was damage to outbuildings. Estimated maximum winds were up to 85 mph." +114653,698830,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-19 00:36:00,CST-6,2017-05-19 00:36:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.32,37.12,-93.32,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","A large tree was blown down on Cox Road across from Wanda Gray Elementary." +114653,698832,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-19 14:11:00,CST-6,2017-05-19 14:11:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.38,36.88,-94.38,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees and power lines were blown down." +114653,698996,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-19 13:55:00,CST-6,2017-05-19 13:55:00,0,0,0,0,0.00K,0,0.00K,0,36.8156,-94.5751,36.8156,-94.5751,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There was damage to trees and a few buildings along Hottle Springs Road just south of Highway 60." +114653,698997,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-19 14:11:00,CST-6,2017-05-19 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,36.89,-94.37,36.89,-94.37,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several trees and power lines were blown down in the Neosho area." +114653,698998,MISSOURI,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-19 20:45:00,CST-6,2017-05-19 20:45:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-92.92,37.37,-92.92,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several large tree limbs were blown down at a home north of Marshfield." +115299,693271,TEXAS,2017,May,Flash Flood,"MITCHELL",2017-05-19 08:31:00,CST-6,2017-05-19 09:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3982,-100.8732,32.384,-100.8694,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell across Mitchell County and produced flash flooding in Colorado City. There was four to six inches of water running over the roads in Colorado City." +115299,693272,TEXAS,2017,May,Heavy Rain,"MITCHELL",2017-05-19 06:45:00,CST-6,2017-05-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3127,-100.9241,32.3127,-100.9241,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell southwest of Colorado City. There was four inches of water running over the road at Highway 163 and FM 2836 at Lake Colorado City State Park." +115299,693429,TEXAS,2017,May,Flood,"MITCHELL",2017-05-19 10:35:00,CST-6,2017-05-19 13:00:00,0,0,0,0,0.50K,500,0.00K,0,32.3974,-100.7197,32.3824,-100.716,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell across Mitchell County and produced flooding south of Loraine. Ranch Road 644 south of Loraine was closed due to high water. The cost of damage is a very rough estimate." +115299,693430,TEXAS,2017,May,Flood,"MITCHELL",2017-05-19 10:35:00,CST-6,2017-05-19 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,32.2378,-100.9927,32.2319,-100.9905,"An upper level trough was over the Rocky Mountains and a dryline was present across West Texas. An upper level disturbance associated with the upper trough moved over the area. Good instability and wind shear were also present. A low level jet stream was over the area along with upper level jet steams aiding in lift. These conditions allowed for large hail to develop across West Texas. Due to the positioning of the low level jet with the dryline, training of storms took place which resulted in flash flooding.","Heavy rain fell across Mitchell County and produced flooding south of Westbrook. FM 670 was closed and was impassable due to water running out of the fields and across the road. The cost of damage is a very rough estimate." +115533,693656,TEXAS,2017,May,Hail,"BREWSTER",2017-05-21 07:35:00,CST-6,2017-05-21 07:40:00,0,0,0,0,,NaN,,NaN,29.13,-103.52,29.13,-103.52,"There was an upper disturbance that moved over the region from Mexico. Good instability and moisture were also across the area. These conditions resulted in storms with large hail developing along the Rio Grande and Big Bend area.","" +114533,687115,TEXAS,2017,May,Thunderstorm Wind,"UPSHUR",2017-05-11 17:13:00,CST-6,2017-05-11 17:13:00,0,0,0,0,0.00K,0,0.00K,0,32.5544,-94.9735,32.5544,-94.9735,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","A large hardwood tree was uprooted on West Gay Avenue in North Gladewater." +114533,687116,TEXAS,2017,May,Thunderstorm Wind,"UPSHUR",2017-05-11 17:17:00,CST-6,2017-05-11 17:17:00,0,0,0,0,0.00K,0,0.00K,0,32.561,-94.9574,32.561,-94.9574,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Large branches were blown down across a driveway on East Lake Drive adjacent to Lake Gladewater." +114533,687117,TEXAS,2017,May,Thunderstorm Wind,"UPSHUR",2017-05-11 17:18:00,CST-6,2017-05-11 17:18:00,0,0,0,0,0.00K,0,0.00K,0,32.565,-94.9486,32.565,-94.9486,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Large branches were blown down along Phillip Springs Road." +115178,691486,LOUISIANA,2017,May,Hail,"BOSSIER",2017-05-28 09:17:00,CST-6,2017-05-28 09:17:00,0,0,0,0,0.00K,0,0.00K,0,32.5744,-93.6239,32.5744,-93.6239,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Nickel size hail fell in the Dogwood subdivision in Northeast Bossier City. Report from the NWS-Shreveport Facebook page." +115178,691699,LOUISIANA,2017,May,Thunderstorm Wind,"NATCHITOCHES",2017-05-28 18:55:00,CST-6,2017-05-28 18:55:00,0,0,0,0,0.00K,0,0.00K,0,32.019,-92.9086,32.019,-92.9086,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees were blown down or snapped in Goldonna. Many of the roads in the area were impassable. The Goldonna Baptist Church lost much of its roof." +115236,691862,IOWA,2017,May,Thunderstorm Wind,"MITCHELL",2017-05-15 16:45:00,CST-6,2017-05-15 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,43.28,-92.81,43.28,-92.81,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Some trees and power lines were blown down in Osage." +115236,691864,IOWA,2017,May,Hail,"FLOYD",2017-05-15 16:59:00,CST-6,2017-05-15 16:59:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-92.99,43.05,-92.99,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","" +115236,691865,IOWA,2017,May,Hail,"WINNESHIEK",2017-05-15 17:07:00,CST-6,2017-05-15 17:07:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-91.99,43.3,-91.99,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Quarter sized hail fell in Ridgeway." +115236,691866,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-15 17:11:00,CST-6,2017-05-15 17:11:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-92.67,43.02,-92.67,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","An estimated 60 mph wind gust occurred south of Charles City." +115236,691867,IOWA,2017,May,Hail,"FLOYD",2017-05-15 17:11:00,CST-6,2017-05-15 17:11:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-92.67,43.02,-92.67,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Quarter sized hail fell south of Charles City." +116438,701255,TEXAS,2017,May,Thunderstorm Wind,"MONTAGUE",2017-05-22 23:04:00,CST-6,2017-05-22 23:04:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-97.57,33.53,-97.57,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","Fire and rescue reported wind gusts of 55 to 60 MPH in the city of Forestburg, TX." +116438,701256,TEXAS,2017,May,Thunderstorm Wind,"WISE",2017-05-22 23:23:00,CST-6,2017-05-22 23:23:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-97.4,33.37,-97.4,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","Fire and Rescue reported wind gusts of 60 MPH in the city of Slidell, TX." +116438,701259,TEXAS,2017,May,Thunderstorm Wind,"DENTON",2017-05-22 23:40:00,CST-6,2017-05-22 23:40:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-97.25,33.27,-97.25,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","A trained spotter in the city of Krum, TX reported wind gusts around 60 MPH which moved several tow-by-fours." +116438,701265,TEXAS,2017,May,Thunderstorm Wind,"WISE",2017-05-23 23:20:00,CST-6,2017-05-23 23:20:00,0,0,0,0,5.00K,5000,0.00K,0,33.3462,-97.398,33.3462,-97.398,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","News media reported wind damage to a home on CR 2723 just west of FM 455. The roof was removed from the mobile home and the carport was destroyed." +116438,701267,TEXAS,2017,May,Thunderstorm Wind,"DENTON",2017-05-23 23:55:00,CST-6,2017-05-23 23:55:00,0,0,0,0,100.00K,100000,0.00K,0,33.2,-97.2,33.2,-97.2,"A complex of thunderstorms developed in the Texas Panhandle Monday evening and marched southeast into North Texas Monday night-Tuesday morning, producing wind damage and some hail along the way. Additional storms popped up farther southeast Tuesday afternoon along outflow associated with the earlier convection, producing mainly severe hail.","A news article revealed that 12 to 15 small planes were severely damaged along with about a dozen hangars by thunderstorm winds at Denton Municipal Airport." +114679,687866,IOWA,2017,May,Hail,"ADAIR",2017-05-10 10:41:00,CST-6,2017-05-10 10:41:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-94.42,41.21,-94.42,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Public reported quarter sized hail via social media." +112844,675939,MISSOURI,2017,March,Thunderstorm Wind,"CHRISTIAN",2017-03-06 23:02:00,CST-6,2017-03-06 23:02:00,0,0,0,0,5.00K,5000,0.00K,0,37.03,-93.33,37.03,-93.33,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A roof was partially blown off a home and several fences were blown down on Highway M near Nixa." +112844,675942,MISSOURI,2017,March,Thunderstorm Wind,"CEDAR",2017-03-06 21:40:00,CST-6,2017-03-06 21:40:00,0,0,0,0,50.00K,50000,0.00K,0,37.84,-94,37.84,-94,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Numerous trees were blown down. At least one tree fell on to a house in El Dorado Springs. A trailer was toppled over. Several outbuildings and barns were destroyed. Several pictures of the damage was on social media." +112844,675943,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 22:36:00,CST-6,2017-03-06 22:36:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-93.6,37.41,-93.6,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Winds were estimated up to 60 mph but there were no reports of damage from this report." +112844,675945,MISSOURI,2017,March,Thunderstorm Wind,"DALLAS",2017-03-06 22:51:00,CST-6,2017-03-06 22:51:00,0,0,0,0,0.00K,0,0.00K,0,37.43,-93.09,37.43,-93.09,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","Trained spotter estimated wind gusts up to 70 mph with some tree damage." +112844,675947,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:25:00,CST-6,2017-03-06 23:25:00,0,0,0,0,2.00K,2000,0.00K,0,37.23,-93.34,37.23,-93.34,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","A large tree and power lines were blown down near Colgate and Division Street in Springfield." +112844,675948,MISSOURI,2017,March,Thunderstorm Wind,"GREENE",2017-03-06 23:39:00,CST-6,2017-03-06 23:39:00,0,0,0,0,5.00K,5000,0.00K,0,37.21,-93.29,37.21,-93.29,"A strong cold front pushed through the region during the evening and overnight hours of March 6th-7th, 2017. The front interacted with instability and strong wind shear across the region to produce quite a bit of wind damage and a few tornadoes.","There was a roof collapse of a warehouse type building downtown. There were pictures of this damage on social media." +112920,675057,IOWA,2017,March,Thunderstorm Wind,"DALLAS",2017-03-06 18:45:00,CST-6,2017-03-06 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-93.83,41.6,-93.83,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Public reported 50 to 60 mph wind gusts along with pea size hail." +112920,675060,IOWA,2017,March,Thunderstorm Wind,"RINGGOLD",2017-03-06 19:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.71,-94.24,40.71,-94.24,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Coop observer reported minor tree damage and damage to local street signs." +112920,675061,IOWA,2017,March,Hail,"WARREN",2017-03-06 19:00:00,CST-6,2017-03-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-93.76,41.49,-93.76,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported up to nickel sized hail." +112920,675053,IOWA,2017,March,Hail,"CERRO GORDO",2017-03-06 18:32:00,CST-6,2017-03-06 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-93.28,42.92,-93.28,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Trained spotter reported nickel to quarter sized hail." +112920,676731,IOWA,2017,March,Tornado,"STORY",2017-03-06 18:39:00,CST-6,2017-03-06 18:44:00,0,0,0,0,75.00K,75000,0.00K,0,42.0894,-93.6986,42.1287,-93.6089,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Tornado continued from Boone County into Story County. The tornado produced tree and shed damage southwest of Gilbert before downing power lines just west of Gilbert. Additional tree and outbuilding damage occurred as the tornado raced northeast with an intermittent track." +112920,676728,IOWA,2017,March,Tornado,"WEBSTER",2017-03-06 17:23:00,CST-6,2017-03-06 17:26:00,0,0,0,0,0.00K,0,0.00K,0,42.2348,-94.2041,42.2559,-94.1673,"A low pressure system developed off the Rockies in the Wyoming, Nebraska, South Dakota region and deepened as it moved eastward through South Dakota through the day on the March 6th. Southerly flow had already established itself and was bringing up Gulf of Mexico moisture into the Plains. A dry line also developed out ahead of the parent cold front, sparking initial storms in eastern Nebraska during the afternoon hours. Storms relatively quickly developed into a linear system, though a few isolated storms developed out ahead of the main line and proceeded to produce severe hail. As the line of storms progressed eastward through Iowa, they produced numerous severe hail and damaging wind reports. Additionally, a few tornadoes developed along the line, producing damage primarily in central and southern Iowa.","Weak tornado caught on video by storm chasers. Tornado stayed in rural areas of Webster County south of Harcourt with little damage." +115701,695275,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 19:50:00,CST-6,2017-05-16 19:50:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-94.3,42.36,-94.3,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Amateur radio operator reported wind gusts to 60 mph." +115701,695280,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 19:53:00,CST-6,2017-05-16 19:53:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-94.34,42.44,-94.34,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Amateur radio operator reported wind gusts to 70 mph." +115701,695282,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:06:00,CST-6,2017-05-16 20:06:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-94.24,42.5,-94.24,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported lots of tree damage. Sizes unknown at the time." +113689,680512,MISSOURI,2017,March,Thunderstorm Wind,"STODDARD",2017-03-01 04:17:00,CST-6,2017-03-01 04:26:00,0,0,0,0,10.00K,10000,0.00K,0,36.8,-89.95,36.9,-89.8838,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Damaging winds occurred in the Dexter/Bloomfield area. A wind gust to 61 mph was measured by a Davis weather station in Dexter. A couple miles east of Bloomfield, there was considerable shingle damage to one house. A small outbuilding was toppled." +113689,680495,MISSOURI,2017,March,Thunderstorm Wind,"NEW MADRID",2017-03-01 04:36:00,CST-6,2017-03-01 04:39:00,0,0,0,0,150.00K,150000,0.00K,0,36.8191,-89.6413,36.8195,-89.6056,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","Northwest through north of Matthews, a section of roof was blown off an older farmhouse. A barn was levelled. Power poles were leaning or broken. Numerous shingles were missing off one house. A carport was leaning sideways. Numerous large limbs were down. Many irrigation systems were blown over. This damage immediately preceded a tornado that began north of Matthews along U.S. Highway 62." +113689,680483,MISSOURI,2017,March,Tornado,"NEW MADRID",2017-03-01 04:40:00,CST-6,2017-03-01 04:43:00,0,0,0,0,200.00K,200000,0.00K,0,36.8203,-89.5762,36.8329,-89.4928,"A squall line of severe thunderstorms intensified as it crossed southeast Missouri. The squall line produced widespread damaging winds from 60 to 80 mph across far southeast Missouri, mainly along and southeast of a Poplar Bluff to Cape Girardeau line. Locally higher winds to 90 mph were estimated across New Madrid and Mississippi Counties, along with an isolated embedded tornado. The squall line intensified ahead of an upper-level trough advancing east of the Plains states. The squall line was focused along and ahead of a cold front, where winds at 850 mb were southwesterly between 50 and 60 knots. Ahead of the squall line, the air mass was moist and rather unstable.","The tornado touched down along U.S. Highway 62 and tracked eastward across Interstate 55. One barn was leveled. Other barns were damaged, and random power poles were down. There was minor damage to a few house roofs. Numerous irrigation pivots were damaged. Some trees were uprooted. Three tractor-trailer rigs were overturned on Interstate 55. Peak winds in the New Madrid County portion of the damage path were near 95 mph. The tornado continued eastward into Mississippi County." +116168,698210,IOWA,2017,May,Thunderstorm Wind,"WARREN",2017-05-17 15:07:00,CST-6,2017-05-17 15:07:00,0,0,0,0,5.00K,5000,0.00K,0,41.48,-93.76,41.48,-93.76,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported shingles blown off homes." +116168,698216,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:14:00,CST-6,2017-05-17 15:14:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-93.66,41.53,-93.66,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Des Moines International Airport ASOS recorded a 60 mph wind gust." +116168,698208,IOWA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-17 15:00:00,CST-6,2017-05-17 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.91,-95.26,41.91,-95.26,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported damage to an outbuilding." +116168,698221,IOWA,2017,May,Thunderstorm Wind,"LUCAS",2017-05-17 15:15:00,CST-6,2017-05-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-93.36,41.02,-93.36,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Chariton AWOS recorded a 61 mph wind gust." +114251,684481,KENTUCKY,2017,March,Frost/Freeze,"MCCRACKEN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684482,KENTUCKY,2017,March,Frost/Freeze,"MCLEAN",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +114251,684484,KENTUCKY,2017,March,Frost/Freeze,"TODD",2017-03-15 00:00:00,CST-6,2017-03-15 09:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Vegetation that bloomed and budded unusually early in the season became susceptible to damage from hard freezes that occurred in mid-March. Some fruit trees were adversely impacted. In particular, apricot and plum trees sustained a nearly 100 percent loss to their fruit crops. Some of the peach crop was lost. The damage to peach orchards was highly variable, depending on the specific topography and resultant temperature at each orchard. About 40 percent of the peach crop reportedly suffered no damage. Preliminary indications were that strawberries were heavily impacted, unless extra precautions were taken to protect the flowers. About half of the winter wheat crop sustained light to moderate damage. Damage to the apple crop was minimal. Some ornamental shrubs and trees such as Bradford Pear trees sustained a total loss of blossoms. An agriculture specialist at a regional university expressed surprise that this freeze damage did not appear as severe as the historic Easter, 2007 freeze. Low temperatures were from 19 to 21 degrees at most locations. A strong high pressure system settled across the middle Mississippi Valley, bringing a surge of cold air with it.","" +115409,692963,KANSAS,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-10 16:20:00,CST-6,2017-05-10 16:21:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-96.18,37.13,-96.18,"A couple of storms affected the counties in the far southeastern sections of Kansas.","A 6 to 8 inch diameter tree branch was blown down." +115410,692964,KANSAS,2017,May,Flash Flood,"SUMNER",2017-05-11 17:35:00,CST-6,2017-05-11 18:49:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-97.79,37.455,-97.7907,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Water was flowing over Highway 42 one quarter of mile west of Highway 2. This significantly affected traffic in the area." +119033,714894,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 02:49:00,CST-6,2017-07-27 05:49:00,0,0,0,0,0.00K,0,0.00K,0,39.1189,-94.0794,39.1963,-93.5101,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","According to the fire department and emergency management of Lafayette County, several roads were under water due to heavy rain induced flash flooding." +115410,692971,KANSAS,2017,May,Hail,"KINGMAN",2017-05-11 13:27:00,CST-6,2017-05-11 13:28:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-98.3,37.44,-98.3,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","A few windows were broken at the residence." +115410,692972,KANSAS,2017,May,Hail,"HARPER",2017-05-11 13:45:00,CST-6,2017-05-11 13:46:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-98.23,37.36,-98.23,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","" +115410,692973,KANSAS,2017,May,Hail,"MONTGOMERY",2017-05-11 14:11:00,CST-6,2017-05-11 14:12:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-95.63,37.04,-95.63,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","" +115410,692974,KANSAS,2017,May,Thunderstorm Wind,"KINGMAN",2017-05-11 14:57:00,CST-6,2017-05-11 14:58:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-97.85,37.46,-97.85,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","A large tree was uprooted in Norwich." +115410,692975,KANSAS,2017,May,Thunderstorm Wind,"KINGMAN",2017-05-11 15:11:00,CST-6,2017-05-11 15:12:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-97.85,37.46,-97.85,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","A power line was blown down." +120969,724100,KANSAS,2017,May,High Wind,"RUSSELL",2017-05-16 00:57:00,CST-6,2017-05-16 01:57:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Collapsing thunderstorms produced damaging winds as they moved into Central Kansas. Winds gusted as high as 61 mph as the outflow from the dying storms moved into Russell.","The ASOS in Russell measured the gust." +120969,724102,KANSAS,2017,May,High Wind,"RUSSELL",2017-05-16 00:57:00,CST-6,2017-05-16 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Collapsing thunderstorms produced damaging winds as they moved into Central Kansas. Winds gusted as high as 61 mph as the outflow from the dying storms moved into Russell.","Three to four inch tree limbs were knocked down." +113839,681722,KANSAS,2017,March,Strong Wind,"RUSSELL",2017-03-06 12:50:00,CST-6,2017-03-06 12:50:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"A tight pressure gradient ahead of a strong storm system produced high winds across portions of Central Kansas during the morning of March 6th, 2017. The highest winds in excess of 50-55 mph occurred across Central Kansas, near Russell, Kansas and Wilson, Kansas. Several large grass fires affected central Kansas which began on Saturday, March 4th with a couple of wildfires continuing through March 6th.||Two of the most impacted areas were just south of Wilson Lake, where on March 6th, residents were evacuated from the town of Wilson, as fires approached from the northwest. Residents were eventually allowed back to their homes later that night. ||Another large grass fire started north of Hutchinson on Sunday March 5th but was around 90% contained by the early afternoon hours of Monday March 6th. However, the fire rapidly sparked back up early Monday evening on March the 6th, as winds flipped around to the northwest and relative humidity values plummeted. This forced evacuations of around 10,0000 people from areas north of Hutchinson including the far northern portions of the town.","The Russell, Kansas ASOS reported the non thunderstorm wind gust." +112842,675197,MISSOURI,2017,March,Hail,"NEWTON",2017-03-01 00:30:00,CST-6,2017-03-01 00:30:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-94.48,37.03,-94.48,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","This hail report was from mPING." +115200,694738,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-18 14:50:00,CST-6,2017-05-18 14:50:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-99.43,36.44,-99.43,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","No damage reported." +115200,694739,OKLAHOMA,2017,May,Hail,"CUSTER",2017-05-18 15:07:00,CST-6,2017-05-18 15:07:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-98.7,35.53,-98.7,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115405,692921,MISSOURI,2017,April,Flood,"SULLIVAN",2017-04-05 06:43:00,CST-6,2017-04-05 08:43:00,0,0,0,0,0.00K,0,0.00K,0,40.2017,-93.2584,40.2015,-93.2405,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route PP was closed due to flooding along West Yellow Creek." +115405,692923,MISSOURI,2017,April,Flood,"DE KALB",2017-04-05 07:31:00,CST-6,2017-04-05 09:31:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-94.32,39.9402,-94.3081,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route W was closed due to flooding along East Fork Lost Creek." +112842,675198,MISSOURI,2017,March,Hail,"NEWTON",2017-03-01 00:31:00,CST-6,2017-03-01 00:31:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-94.43,36.99,-94.43,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675199,MISSOURI,2017,March,Hail,"CAMDEN",2017-03-01 00:50:00,CST-6,2017-03-01 00:50:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-92.62,38.15,-92.62,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","A wind gust of 55 mph was measured with this hail report." +112842,675200,MISSOURI,2017,March,Hail,"CHRISTIAN",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-93.52,37.07,-93.52,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","This hail report was from a picture on social media." +112842,675201,MISSOURI,2017,March,Hail,"GREENE",2017-03-01 01:00:00,CST-6,2017-03-01 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-93.58,37.32,-93.58,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675203,MISSOURI,2017,March,Hail,"GREENE",2017-03-01 01:17:00,CST-6,2017-03-01 01:17:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-93.18,37.4,-93.18,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","" +112842,675204,MISSOURI,2017,March,Hail,"CHRISTIAN",2017-03-01 01:19:00,CST-6,2017-03-01 01:19:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-93.55,37.07,-93.55,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28 through the early morning hours of March 1, 2017. These storms produced numerous reports of large hail and damaging wind as well as three small tornadoes across the Missouri Ozarks.","This hail report was from the Billings Police Department." +114312,684939,TEXAS,2017,March,Hail,"HASKELL",2017-03-28 18:07:00,CST-6,2017-03-28 18:07:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-99.67,33.27,-99.67,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A trained spotter reported quarter size hail 4 miles south of Weinert." +114312,684940,TEXAS,2017,March,Hail,"BROWN",2017-03-28 22:55:00,CST-6,2017-03-28 22:55:00,0,0,0,0,0.00K,0,0.00K,0,31.47,-99.16,31.47,-99.16,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","" +114312,685436,TEXAS,2017,March,Thunderstorm Wind,"STERLING",2017-03-28 19:28:00,CST-6,2017-03-28 19:31:00,0,0,0,0,0.00K,0,0.00K,0,31.83,-101.06,31.83,-101.06,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A 58 mph wind gust was measured at the Mesonet site located 4 miles west southwest of Sterling City." +114312,685437,TEXAS,2017,March,Thunderstorm Wind,"STERLING",2017-03-28 19:28:00,CST-6,2017-03-28 19:31:00,0,0,0,0,0.00K,0,0.00K,0,31.84,-100.98,31.84,-100.98,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","The Sterling County sheriff's office reported a metal roof ripped off a home." +114312,685438,TEXAS,2017,March,Thunderstorm Wind,"NOLAN",2017-03-28 20:15:00,CST-6,2017-03-28 20:18:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-100.53,32.35,-100.53,"A potent upper level system and an associated frontal boundary resulted in the development of a few discrete supercell thunderstorms that spawned at least four tornadoes and a few reports of large hail in the Big Country. However, according to Storm Chaser videos, these tornadoes remained over open country. As the system evolved into a line of storms during the evening, it resulted in several wind damage reports across the area.","A 70 mph wind gust was measured at the Mesonet station 11 miles southwest of Sweetwater." +114265,684593,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 16:50:00,EST-5,2017-03-21 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-82.29,34.89,-82.29,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","NWS employee reported 2-inch diameter hail on Overcup Ct." +114265,684580,SOUTH CAROLINA,2017,March,Hail,"GREENVILLE",2017-03-21 17:05:00,EST-5,2017-03-21 18:00:00,0,0,0,0,,NaN,,NaN,34.994,-82.382,34.894,-82.227,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Numerous sources reported hail up to the size of golf balls associated with a second severe thunderstorm that tracked from the Travelers Rest/Tigerville/Taylors area to Greer. The storm followed a very similar path to the first one and again caused significant damage to structures and vehicles." +114265,684590,SOUTH CAROLINA,2017,March,Hail,"SPARTANBURG",2017-03-21 17:20:00,EST-5,2017-03-21 17:20:00,0,0,0,0,,NaN,,NaN,34.883,-82.22,34.883,-82.22,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Golf ball size hail was observed at the National Weather Service." +114265,684791,SOUTH CAROLINA,2017,March,Hail,"SPARTANBURG",2017-03-21 17:36:00,EST-5,2017-03-21 17:36:00,0,0,0,0,,NaN,,NaN,35.17,-81.99,35.17,-81.99,"Scattered afternoon and evening thunderstorms developed in association with a surface trough and an unseasonably warm and moist air mass across Upstate South Carolina. Multiple supercell thunderstorms produced large hail across the foothills. Greenville County was especially hard it, mainly in the Eastside and Greer areas, as training severe thunderstorms produced multiple hail swaths, with stones up to the size of baseballs causing extensive damage to vehicles and structures.","Spotter relayed report of quarter size hail." +119033,714895,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 02:51:00,CST-6,2017-07-27 05:51:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.57,39.02,-94.5778,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A water rescue took place at 58th and Troost in KCMO." +119520,721803,FLORIDA,2017,September,Hurricane,"INLAND SARASOTA",2017-09-10 07:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,8.00M,8000000,2.20M,2200000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Rainfall was generally around 5 inches or greater. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims." +114455,686315,VIRGINIA,2017,March,Hail,"ISLE OF WIGHT",2017-03-31 16:12:00,EST-5,2017-03-31 16:12:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-76.83,36.71,-76.83,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Quarter size hail was reported." +119033,714896,MISSOURI,2017,July,Flash Flood,"JACKSON",2017-07-27 03:06:00,CST-6,2017-07-27 06:06:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-94.6,38.9891,-94.6065,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Ward Parkway was closed due to flash flooding." +119033,714897,MISSOURI,2017,July,Flash Flood,"LAFAYETTE",2017-07-27 03:41:00,CST-6,2017-07-27 06:41:00,0,0,0,0,0.00K,0,0.00K,0,39,-94.09,38.9992,-94.0789,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","A water rescue took place on Golden Belt Road along Horseshoe Creek. 7.11 inches of rain fell at this location." +114455,686664,VIRGINIA,2017,March,Tornado,"VIRGINIA BEACH (C)",2017-03-31 17:20:00,EST-5,2017-03-31 17:28:00,0,0,0,0,4.00M,4000000,0.00K,0,36.7568,-76.1486,36.7913,-76.0858,"Scattered severe thunderstorms in advance of low pressure and a cold front produced damaging winds, large hail, and two tornadoes across portions of southeast Virginia.","Tornado tracked from Chesapeake northeast into Virginia Beach. The tornado emerged from Stumpy Lake along Elbow Road as an EF0 causing some significant damage to siding and shingles to homes just north of Elbow Road. The tornado crossed Round Hill Drive, and then Elbow Road itself as it re-intensified to an EF1. The tornado crossed Elbow Road as an EF1 causing significant damage to oak trees which fell trapping a car under numerous trees. There were no injuries. The tornado continued as a weak EF1 to Salem Road (and Elbow Road) causing some significant roof damage to homes in the area. The tornado then briefly weakened as it moved northeast causing light damage to siding and shingles along Starwood Arch, Antelope Place, Salem Lake Boulevard and Morning View Drive. The tornado intensified once again as it crossed Centennial Circle damaging homes along Daiquiri Lane and Darrow Street. By the time the tornado crossed Rock Lake Loop, it had intensified back to EF1 intensity causing some severe roof damage to homes from Rip Rap Court to River Rock Arch. This is where the tornado reached its widest point, up to 350 yards wide, causing damage to around 100 homes in this area alone. Several homes in this area were damaged beyond repair as winds reached to 110 mph (high end EF1). The tornado continued northeast destroying the club house and press box at the Landstown High School ball field. Several sets of bleachers were tossed well over 200 yards. The tornado weakened as it crossed Princess Anne Road and Tidewater Community College. The tornado moved across Rosemont Drive as an EF0 damaging numerous homes along Light Horse Loop and Storm Bird Loop. The last visible damage from the tornado was across Buckner Boulevard near the east end of Purebread Drive. The tornado was off the ground by the time the storm reached Holland Road." +114631,687540,KANSAS,2017,March,Hail,"COWLEY",2017-03-26 19:34:00,CST-6,2017-03-26 19:35:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-97.05,37.24,-97.05,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","" +114631,687541,KANSAS,2017,March,Hail,"COWLEY",2017-03-26 19:59:00,CST-6,2017-03-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-97.04,37.07,-97.04,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","" +114631,687542,KANSAS,2017,March,Hail,"COWLEY",2017-03-26 20:18:00,CST-6,2017-03-26 20:19:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-96.77,37.42,-96.77,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","" +115928,698151,MISSISSIPPI,2017,May,Thunderstorm Wind,"UNION",2017-05-27 23:30:00,CST-6,2017-05-27 23:40:00,0,0,0,0,50.00K,50000,0.00K,0,34.5298,-89.0675,34.4755,-88.9934,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Power lines down along Highway 178 along with a roof blown off a trailer along Highway 178 near Twin creek. Pool fence also blown down." +115928,698152,MISSISSIPPI,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-27 23:40:00,CST-6,2017-05-27 23:50:00,0,0,0,0,50.00K,50000,0.00K,0,34.3758,-89.0408,34.3373,-89.0126,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees and power-lines down across the community." +115928,698153,MISSISSIPPI,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-27 23:45:00,CST-6,2017-05-27 23:55:00,0,0,0,0,100.00K,100000,0.00K,0,34.3576,-88.9975,34.3415,-88.9645,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Damage to homes in the Center Hill community along with trees down." +115928,698154,MISSISSIPPI,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-27 23:50:00,CST-6,2017-05-28 00:00:00,0,0,0,0,50.00K,50000,0.00K,0,34.3216,-89.0867,34.2539,-89.0662,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees and power-lines down west and north of Pontotoc." +115199,694587,OKLAHOMA,2017,May,Flash Flood,"ROGER MILLS",2017-05-16 22:00:00,CST-6,2017-05-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-99.68,35.7194,-99.6843,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Debris filled flood waters were running over highway 283." +115199,694588,OKLAHOMA,2017,May,Flash Flood,"WOODWARD",2017-05-16 22:30:00,CST-6,2017-05-17 01:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2238,-99.1447,36.2259,-99.1037,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Flash flooding washed mud and debris over county road 54 east of Mutual. Time estimated." +115928,698162,MISSISSIPPI,2017,May,Thunderstorm Wind,"TISHOMINGO",2017-05-27 23:50:00,CST-6,2017-05-28 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.495,-88.1958,34.4777,-88.1749,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","A few trees down in Golden." +115928,698166,MISSISSIPPI,2017,May,Thunderstorm Wind,"ITAWAMBA",2017-05-27 23:55:00,CST-6,2017-05-28 00:05:00,0,0,0,0,20.00K,20000,0.00K,0,34.4228,-88.486,34.4052,-88.4499,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Power-lines down in the Ratcliff community." +115928,698167,MISSISSIPPI,2017,May,Thunderstorm Wind,"ITAWAMBA",2017-05-28 00:00:00,CST-6,2017-05-28 00:10:00,0,0,0,0,10.00K,10000,0.00K,0,34.276,-88.4681,34.2479,-88.4521,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down on Highway 363 near Peppertown Road." +115928,698168,MISSISSIPPI,2017,May,Thunderstorm Wind,"ITAWAMBA",2017-05-27 23:55:00,CST-6,2017-05-28 00:05:00,0,0,0,0,30.00K,30000,0.00K,0,34.33,-88.5,34.2993,-88.4743,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees and power lines down in Mantachie." +115928,698169,MISSISSIPPI,2017,May,Thunderstorm Wind,"LEE",2017-05-28 00:10:00,CST-6,2017-05-28 00:20:00,0,0,0,0,10.00K,10000,0.00K,0,34.22,-88.67,34.1891,-88.6473,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down." +115199,694589,OKLAHOMA,2017,May,Thunderstorm Wind,"COMANCHE",2017-05-16 22:48:00,CST-6,2017-05-16 22:48:00,0,0,0,0,0.00K,0,0.00K,0,34.5937,-98.3349,34.5937,-98.3349,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115252,691937,HAWAII,2017,May,Heavy Rain,"HONOLULU",2017-05-08 12:47:00,HST-10,2017-05-08 18:10:00,0,0,0,0,0.00K,0,0.00K,0,21.5854,-157.9065,21.3182,-158.0871,"With an upper low northwest of the islands and afternoon heating, heavy showers developed over Oahu. The rain caused ponding on roadways, and small stream and drainage ditch flooding. There were no reports of significant property damage or injuries.","" +115253,691938,HAWAII,2017,May,Heavy Rain,"KAUAI",2017-05-12 02:17:00,HST-10,2017-05-12 08:05:00,0,0,0,0,0.00K,0,0.00K,0,22.1241,-159.3265,21.9788,-159.6478,"Breezy trade winds, with abundant moisture, and a weak upper air disturbance combined to bring heavy showers to much of Kauai. The downpours produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +115254,691939,HAWAII,2017,May,High Surf,"KAUAI WINDWARD",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115254,691940,HAWAII,2017,May,High Surf,"OAHU KOOLAU",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115254,691941,HAWAII,2017,May,High Surf,"OLOMANA",2017-05-13 10:00:00,HST-10,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +115199,694590,OKLAHOMA,2017,May,Thunderstorm Wind,"GRADY",2017-05-16 23:25:00,CST-6,2017-05-16 23:25:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-97.94,35.01,-97.94,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115199,694591,OKLAHOMA,2017,May,Thunderstorm Wind,"MCCLAIN",2017-05-16 23:45:00,CST-6,2017-05-16 23:45:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-97.63,35.25,-97.63,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","No damage reported." +115121,691225,VIRGINIA,2017,April,Tornado,"FAUQUIER",2017-04-06 12:08:00,EST-5,2017-04-06 12:10:00,0,0,0,0,,NaN,,NaN,38.77,-77.72,38.78,-77.72,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The National Weather Service in Baltimore MD/Washington DC has |confirmed a tornado near New Baltimore in Fauquier County |Virginia on April 6, 2017.||The tornado caused a continuous path of extensive tree damage, |along with some minor structural damage. The first instances |of uprooted and snapped trees occurred just northwest of the |intersection of Lee Highway and Electric Avenue. The tornado |continued north-northeast, generally along Beverlys Mill Road,|causing additional damage to just north of Fairview Lane.||Extensive tree damage was found along the tornados path, |where many hardwood and softwood trees were either snapped, |topped or uprooted in a convergent pattern. Several trees |fell on vehicles. Wooded fences were blown down in several |locations along its path. A roof was partially removed from |a barn. Other metal roofing was removed from smaller outbuildings. |Several sheds were either destroyed or severely damaged. Most homes |in the path had minor damage to shingles, gutters and siding.||Two residents in the area witnessed the tornado with debris |being lofted.||The National Weather Service would like to thank Fauquier |County Emergency Management Agency and the residents interviewed |for their assistance in this survey." +115121,691227,VIRGINIA,2017,April,Tornado,"LOUDOUN",2017-04-06 12:37:00,EST-5,2017-04-06 12:38:00,0,0,0,0,,NaN,,NaN,38.9936,-77.3916,39.01,-77.38,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Additional minor and sporadic tree damage was noted in a |north-northeastward path, with several trees snapped and |uprooted and an instance of siding damage noted by a trained |spotter just east of South Lincoln Avenue. The tornado likely |lifted for a final time just northeast of the intersection of |East Frederick Drive and Sugarland Road in Sterling Park.||The National Weather Service would like to thank Fairfax and Loudoun |County Emergency Management Agency and the residents interviewed |for their assistance in this survey." +113328,681011,ARKANSAS,2017,March,Hail,"BENTON",2017-03-09 20:10:00,CST-6,2017-03-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.3356,-94.4599,36.3356,-94.4599,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681012,ARKANSAS,2017,March,Hail,"BENTON",2017-03-09 20:10:00,CST-6,2017-03-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.3285,-94.4581,36.3285,-94.4581,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681013,ARKANSAS,2017,March,Hail,"BENTON",2017-03-09 20:24:00,CST-6,2017-03-09 20:24:00,0,0,0,0,0.00K,0,0.00K,0,36.2674,-94.4829,36.2674,-94.4829,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681014,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 20:40:00,CST-6,2017-03-09 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.206,-94.2127,36.206,-94.2127,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113328,681015,ARKANSAS,2017,March,Hail,"WASHINGTON",2017-03-09 20:45:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1655,-94.13,36.1655,-94.13,"Strong to severe thunderstorms developed over northeastern Oklahoma and southwestern Missouri during the evening of the 9th, along and ahead of a cold front that was moving into the area from the north. A moderately unstable air mass ahead of the front, coupled with strong deep layer wind shear, supported the development of supercell thunderstorms. These storms moved southeast across northwestern Arkansas, and then by late evening had evolved into a line of thunderstorms across west central Arkansas. The strongest storms produced hail up to half dollar size.","" +113268,677754,CALIFORNIA,2017,March,Hail,"MARIPOSA",2017-03-21 13:30:00,PST-8,2017-03-21 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-120.22,37.69,-120.22,"A strong cold frontal passage and trough moved through the area during the day on March 21. A large area of instability existed across the San Joaquin Valley behind the cold front. Due to the instability, severe thunderstorms developed during the afternoon and evening hours. Rainfall amounts were generally around a tenth to a quarter inch except locally heavier in stronger thunderstorms. Light snowfall was measured above 6500 feet.","Public report of one inch hail." +113268,677763,CALIFORNIA,2017,March,Thunderstorm Wind,"TULARE",2017-03-21 18:05:00,PST-8,2017-03-21 18:30:00,0,0,0,0,20.00K,20000,0.00K,0,36.1648,-119.3215,36.1558,-119.3228,"A strong cold frontal passage and trough moved through the area during the day on March 21. A large area of instability existed across the San Joaquin Valley behind the cold front. Due to the instability, severe thunderstorms developed during the afternoon and evening hours. Rainfall amounts were generally around a tenth to a quarter inch except locally heavier in stronger thunderstorms. Light snowfall was measured above 6500 feet.","Reports of trees uprooted and snapped midway up the trunk at the Tulare Golf Course. One forecaster did a quick survey of the area and estimated 40 trees down or damaged. Otherwise, little damage to the course or structures." +113272,677776,CALIFORNIA,2017,March,High Wind,"SE KERN CTY DESERT",2017-03-27 08:30:00,PST-8,2017-03-27 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another low pressure system moved through the area during the 26th and brought some light precipitation. Surface high pressure built in behind the departed low on the morning of the 27th and increased the surface pressure gradient and its resultant winds. The strongest winds were seen across the Kern County Mountains and Deserts where strong winds gusts were reported at several locations.","Mesonet station AU563 reported a gust of 64 MPH." +113272,677779,CALIFORNIA,2017,March,High Wind,"SE KERN CTY DESERT",2017-03-27 14:48:00,PST-8,2017-03-27 14:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another low pressure system moved through the area during the 26th and brought some light precipitation. Surface high pressure built in behind the departed low on the morning of the 27th and increased the surface pressure gradient and its resultant winds. The strongest winds were seen across the Kern County Mountains and Deserts where strong winds gusts were reported at several locations.","Edwards Air Force Base's ASOS reported a wind gust of 58 MPH." +112317,669909,NEW JERSEY,2017,February,High Wind,"MORRIS",2017-02-13 05:33:00,EST-5,2017-02-13 05:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Tree fell onto power lines due to a non thunderstorm wind gust and the Morris/Essex rail station, suspending service for a time." +114668,687805,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-03-01 13:40:00,EST-5,2017-03-01 13:40:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"A potent cold front passed through on the 1st. A southwest flow ushered in warm and moist air ahead of the boundary. Showers and a few thunderstorms developed, and they were able to mix down strong winds from aloft.","A wind gust of 68 knots was reported at Quantico." +113549,683985,WISCONSIN,2017,March,Tornado,"LA CROSSE",2017-03-06 20:46:00,CST-6,2017-03-06 20:50:00,0,0,0,0,290.00K,290000,0.00K,0,43.8564,-91.1172,43.8809,-91.0777,"A line of thunderstorms developed along a cold front and moved across western Wisconsin during the evening hours of March 6th. These storms produced a tornado near Barre Mills (La Crosse County) along with damaging winds and hail. A metal grain bin was blown over in Elk Creek (Trempealeau County), a light post and business signs were downed in downtown La Crosse (La Crosse County) and a camper was damaged by fallen trees west of Viroqua (Vernon County). The largest hail reported was golfball in La Farge (Vernon County).","The tornado started just north of Barre Mills and rapidly moved northeast before dissipating south of West Salem. A broken damage path was found by the survey team. Along the path, the tornado snapped numerous trees, destroyed some small farm buildings, a silo, parts of several barns, removed part of the roof from one house, heavily damaged another and damaged the porch on a farm house. There was other damage along Interstate 90 that may have been related to this tornado." +112317,669912,NEW JERSEY,2017,February,High Wind,"MIDDLESEX",2017-02-13 06:37:00,EST-5,2017-02-13 06:37:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Utility pole downed on US-1 near North Oaks Blvd." +114471,686471,WISCONSIN,2017,March,Hail,"GRANT",2017-03-23 16:43:00,CST-6,2017-03-23 16:43:00,0,0,0,0,28.00K,28000,0.00K,0,42.97,-90.43,42.97,-90.43,"Thunderstorms developed across southwest Wisconsin during the afternoon of March 23rd as a warm front approached the region from the south. These storms produced large hail as they moved across the region. The hail mainly fell across Grant County and was as large as quarters in Bagley, Big Patch and near Fennimore.","Ping pong ball sized hail fell in Montfort. The hail shredded the siding on one side of a house." +114693,690442,NEW YORK,2017,March,Heavy Snow,"CHEMUNG",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 12 and 18 inches with the most in the far eastern part of the county." +114693,690443,NEW YORK,2017,March,Heavy Snow,"CHENANGO",2017-03-14 04:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 2 and 3 feet in Chenango County." +114693,690450,NEW YORK,2017,March,Heavy Snow,"NORTHERN ONEIDA",2017-03-14 06:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 20 and 30 inches in northern Oneida County." +114693,690451,NEW YORK,2017,March,Heavy Snow,"ONONDAGA",2017-03-14 05:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 20 and 30 inches in Onondaga County." +114693,690454,NEW YORK,2017,March,Heavy Snow,"OTSEGO",2017-03-14 04:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 3 and 4 feet inches in Otsego County." +114693,690459,NEW YORK,2017,March,Heavy Snow,"SENECA",2017-03-14 02:00:00,EST-5,2017-03-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm developed over eastern North Carolina during the early morning hours of March 14th. The winter storm tracked northeast during the day on the 14th reaching the Gulf of Maine by the late evening of the 14th. This storm spread a heavy record breaking snowstorm to a large part of central New York and northeast Pennsylvania with blizzard conditions from the Catskills in New York to the Poconos of northeast Pennsylvania and in the greater Scranton Wilkes-Barre area. The snow spread from south to north across northeast Pennsylvania and central New York between midnight and 6 am on the 14th. The snow quickly became very heavy especially east of a Rome, New York to Towanda, Pennsylvania Line. Snowfall rates reached up to 5 inches per hour. The heavy snow continued through the day on the 14th and tapered off by late evening in most of northeast Pennsylvania but continued through the 15th as moisture from Lake Ontario combined with northwest winds behind the storm to prolong snowfall for central New York and the far northern tier of eastern Pennsylvania. ||Between 30 and 48 inches of snow fell from Bradford, Susquehanna and Wyoming Counties in northeast Pennsylvania through the Greater Binghamton area to Utica and Cooperstown NY, with 1 and 2 day snowfall records broken at many locations. Binghamton and Scranton set their 1 day snowfall records with 32.4 inches and 22.1 inches respectively. There were blizzard conditions from Scranton and Wilkes-Barre areas through the Poconos and Catskills during the late morning and afternoon of the 14th with frequent wind gusts over 35 mph and a peak wind of 61 mph at Monticello. Many other parts of central New York and northeast Pennsylvania had between 1 and 2 feet of snow and all areas had gusty winds and considerable blowing and drifting snow. Many municipalities, and counties declared states of emergencies and/or travel bans. New York state also declared a state of emergency. Pennsylvania reduced speed limits on the interstates. The heavy snow collapsed two roofs and there were two small avalanches that closed roads. There were no storm-related injuries or deaths.","Snowfall ranged between 11 and 21 inches in Seneca County." +115643,694853,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:26:00,EST-5,2017-04-06 13:36:00,0,0,0,0,,NaN,,NaN,39.01,-76.4,39.01,-76.4,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 53 knots were reported at Sandy Point." +115643,694855,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESTER RIVER TO QUEENSTOWN MD",2017-04-06 13:36:00,EST-5,2017-04-06 13:36:00,0,0,0,0,,NaN,,NaN,38.9687,-76.2386,38.9687,-76.2386,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby." +114139,683767,OKLAHOMA,2017,March,Wildfire,"ATOKA",2017-03-04 12:00:00,CST-6,2017-03-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 2147 acres in Atoka county on the 4th.","" +114140,683768,OKLAHOMA,2017,March,Wildfire,"ALFALFA",2017-03-05 12:00:00,CST-6,2017-03-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 2412 acres in Alfalfa county on the 5th.","" +114141,683769,OKLAHOMA,2017,March,Wildfire,"GARVIN",2017-03-06 12:00:00,CST-6,2017-03-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Grass fires burned 500 acres in Garvin county and 600 acres in Beckham county on the 6th.","" +114774,688617,MICHIGAN,2017,March,High Wind,"GOGEBIC",2017-03-07 15:30:00,CST-6,2017-03-07 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","Gusty westerly winds during the period which reached a peak gust of 58 mph at the Ironwood AWOS caused widespread power outages across the county as reported by WE Energies. ||The strong wind gusts also uprooted and snapped large spruce trees in Marenisco on the evening of the 7th. The trees were estimated at 50 to 70 feet long and one of the trees had a diameter of 27 inches." +114774,688619,MICHIGAN,2017,March,High Wind,"IRON",2017-03-08 04:00:00,CST-6,2017-03-08 04:30:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful storm system moving through Northern Ontario produced damaging winds over portions of west and central Upper Michigan from the 7th into the 8th.","A spotter three miles northwest of Bewabic State Park reported that a one-foot diameter, 60-foot tall tree fell on a house." +115643,694856,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-04-06 13:30:00,EST-5,2017-04-06 13:30:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 45 knots was reported at the Patapsco Buoy." +115643,694858,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-04-06 13:33:00,EST-5,2017-04-06 13:38:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 53 knots were reported at Hartmiller Island." +113975,683606,NEBRASKA,2017,March,Thunderstorm Wind,"FURNAS",2017-03-23 20:20:00,CST-6,2017-03-23 20:22:00,0,0,0,0,20.00K,20000,0.00K,0,40.3,-99.9,40.3111,-99.9351,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","Minor shingle and roof damage was reported in Arapahoe, as well as a few large tree branches being downed. Area power poles were damaged and a hay barn was damaged. Wind gust estimated from other area reports." +113975,683593,NEBRASKA,2017,March,Thunderstorm Wind,"BUFFALO",2017-03-23 20:55:00,CST-6,2017-03-23 20:55:00,0,0,0,0,20.00K,20000,0.00K,0,40.79,-99.06,40.79,-99.06,"High winds, some directly associated with thunderstorms and some not, occurred during the evening hours on this Thursday. Between 4 and 5 PM CST, isolated thunderstorms began developing over southwest Nebraska and northwest Kansas. The first strong thunderstorm formed near McCook. This storm moved northeast, crossing Dawson County between 5:30 and 6:15 PM CST where it produced nickel size hail near Cozad. As this storm continued northeast, numerous other storms developed around it, between North Platte and O'Neill. One of these storms briefly became severe, producing one inch hail over Valley County around 7 PM CST. While this was occurring, several thunderstorms over northwest Kansas had combined into a multicell cluster. The leading edge of this cluster reached the southern borders of Furnas and Harlan Counties around 7:45 PM CST. The reflectivity was not as impressive as the storms further north. However, this cluster was producing severe winds. It continued moving northeast across Harlan, Franklin, and Kearney Counties through 9 PM. Thereafter, it dissipated just leaving remnant stratiform rain. This cluster produced severe wind gusts at every weather station it passed, with the highest measured gusts including 72 and 80 mph near Oxford. This cluster apparently generated an outflow boundary that surged northward. Severe outflow winds occurred far removed from it, while it was on-going, and even up to an hour after it dissipated. These winds affected much of Gosper, Phelps, and Buffalo Counties, as well as portions of Dawson, Hall and Hamilton Counties, and they occurred with no lightning, no thunder, and no rain in most locations. Winds gusts between 60 and 74 mph were common, and they lasted a little less than an hour at any individual location. Gusts at the Kearney airport were at least 58 mph from 8:35 through 9:15 PM CST. Some tree limbs were snapped off in a few locations. A couple barns were damaged as well. Radar provided no obvious evidence of an outflow boundary, but observations showed a minor wind shift from southeast to south-southwest, along with a rapid pressure increase of 4 to 5 mb.||Deep low pressure (992 mb) was forming over eastern Colorado on this day. The associated warm front lifted north into Nebraska, and all of this thunderstorm activity developed near this front or within the northern fringe of the warm sector. In the upper-levels, the Westerlies were amplified with a deep trough making its way east through the Western U.S., with a ridge over the Mississippi Valley. A closed low was in the process of forming over New Mexico and Colorado. Around the time the thunderstorms developed, temperatures were in the lower to middle 80s, and dewpoints were in the upper 40s and lower 50s. Combined with an elevated mixed layer, this resulted in MLCAPE of 1500 to 2000 J/kg. Deep layer shear was around 50 kts.","Wind gusts estimated to be around 65 MPH resulted in damage approximately 5 miles east of Riverdale on 115th Road. A portion of the road was blocked for a time after a pole barn was blown over." +113974,683576,KANSAS,2017,March,Wildfire,"ROOKS",2017-03-06 11:45:00,CST-6,2017-03-07 00:00:00,0,0,0,0,100.00K,100000,300.00K,300000,NaN,NaN,NaN,NaN,"High winds occurred behind a cold front on this Monday afternoon. Northwest winds were sustained between 30 and 40 mph. Wind gusts between 45 and 55 mph were common. The highest gust observed was 59 mph near Lebanon. Blowing dust was visible everywhere, generally reducing the visibility to 3 to 7 miles. Satellite imagery showed the dust originated in eastern Colorado, and it was transported northeastward just ahead of a cold front. However, winds behind the front picked up additional dust. These high winds combined with extremely low relative humidity (RH) values to create dangerous fire weather conditions. Afternoon minimum RH values were between 7 and 15%. A significant wildfire occurred in Rooks County, very close to Stockton.||At dawn, a deep low pressure system (983 mb) was over South Dakota with a warm front extending east into the Great Lakes, and a cold front extending southwest to Arizona. A dryline extended south into the warm sector, through western Kansas to New Mexico. As the day progressed, both the dryline and cold front swept through the region as the low occluded and deepened further to 978 mb. In the upper-levels, a trough was over the Western U.S., with a ridge in the East. During the day, a strong shortwave trough over Utah lifted northeast out of the base of the western trough and into Nebraska and South Dakota.","This fire started shortly before noon CST on March 6th about 3 miles west-southwest of Stockton. The fire spread east, getting within a mile of southern portions of Stockton, also threatening storage tanks of diesel fuel and fertilizer. A frontal boundary passed through, switched wind direction and pushed the fire just off to the southeast. In total, this fire burned approximately 10,000 acres before being extinguished about 3 miles south-southeast of Stockton. One home was destroyed by the fire." +114840,688914,ALABAMA,2017,March,Hail,"WALKER",2017-03-27 15:34:00,CST-6,2017-03-27 15:35:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-87.2,33.95,-87.2,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688913,ALABAMA,2017,March,Hail,"MARION",2017-03-27 15:27:00,CST-6,2017-03-27 15:28:00,0,0,0,0,0.00K,0,0.00K,0,34.29,-88.16,34.29,-88.16,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","Golf ball size hail near County Road 87." +114840,688916,ALABAMA,2017,March,Hail,"JEFFERSON",2017-03-27 16:40:00,CST-6,2017-03-27 16:41:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-86.82,33.82,-86.82,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +114840,688921,ALABAMA,2017,March,Hail,"WINSTON",2017-03-27 17:01:00,CST-6,2017-03-27 17:02:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-87.61,34.25,-87.61,"Numerous strong to severe thunderstorms develop across north central Alabama during the afternoon and evening hours on March 27th. A strong upper level short wave tracked eastward across the Lower Mississippi Valley Region. Steep mid level lapse rates and dry air aloft provided favorable conditions for large hail.","" +116125,697993,FLORIDA,2017,May,Funnel Cloud,"MIAMI-DADE",2017-05-26 15:30:00,EST-5,2017-05-26 15:33:00,0,0,0,0,0.00K,0,0.00K,0,25.46,-80.55,25.46,-80.55,"A weakening front over extreme southern portions of Miami-Dade county generated a few showers and thunderstorms. Enhanced moisture and convergence associated with the boundary and sea breeze interactions allowed for a funnel cloud to form west of Homestead.","A member of the public reported a brief funnel cloud west of Homestead. The funnel never extended to the ground." +116127,698000,FLORIDA,2017,May,Funnel Cloud,"BROWARD",2017-05-30 09:55:00,EST-5,2017-05-30 09:58:00,0,0,0,0,0.00K,0,0.00K,0,26.15,-80.79,26.15,-80.79,"Increase tropical moisture from southerly flow combined with sea breeze interactions allowed showers and thunderstorms to develop over interior portions of South Florida. One of these thunderstorms produced a funnel cloud.","A member of forest service reported a brief funnel cloud just south of I-75 in Broward County. The funnel never extended to the ground." +116128,698004,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-30 17:30:00,EST-5,2017-05-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-80.94,26.96,-80.94,"Increase tropical moisture from southerly flow combined with sea breeze interactions allowed showers and thunderstorms to develop over interior portions of South Florida. Some of these storms produced gusty winds over Lake Okeechobee.","A marine thunderstorm wind gust of 44 mph / 38 knots was recorded by the SFWMD mesonet site L005 located over the western part of Lake Okeechobee." +112930,683389,WISCONSIN,2017,March,High Wind,"LANGLADE",2017-03-07 23:05:00,CST-6,2017-03-07 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 68 mph was measured near Antigo." +112930,683384,WISCONSIN,2017,March,High Wind,"ONEIDA",2017-03-07 16:53:00,CST-6,2017-03-07 16:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 61 mph was measured at Rhinelander-Oneida County Airport." +112930,683391,WISCONSIN,2017,March,High Wind,"MARATHON",2017-03-08 04:54:00,CST-6,2017-03-08 04:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 59 mph was measured at Wausau Downtown Airport." +112930,683392,WISCONSIN,2017,March,High Wind,"MARATHON",2017-03-07 16:50:00,CST-6,2017-03-07 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 61 mph was measured at Central Wisconsin Airport, near Mosinee." +112930,683401,WISCONSIN,2017,March,High Wind,"PORTAGE",2017-03-08 03:01:00,CST-6,2017-03-08 03:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved from Ontario to Hudson Bay as high pressure drifted across the southern Mississippi Valley. The pressure difference created high winds across the western Great Lakes for two days. Winds gusted over 45 mph across much of central and northeast Wisconsin for much of the event and gusts near 60 mph were measured at several locations. In some locations the high winds knocked out power; downed, snapped and uprooted trees; and caused roof damage. A couple of semitrailers on I-39 were toppled by the high winds.","A wind gust to 60 mph was measured near Plover." +114882,689176,IDAHO,2017,March,Flood,"KOOTENAI",2017-03-18 15:30:00,PST-8,2017-03-28 13:00:00,0,0,0,0,300.00K,300000,0.00K,0,47.713,-117.0401,47.4953,-116.955,"Flood waters from feeding rivers and streams due to snow melt and periodic heavy rain caused Lake Coeur D'Alene to rise above Flood Stage through much of late March. Extensive flooding of park land and boater access sites was reported as well as basement flooding and minor first floor flooding in homes and businesses around the lake shore.||The Spokane River emptying Lake Coeur D' Alene, which is a same elevation arm of Lake Coeur D'Alene from Coeur D'Alene to Post Falls, also flooded. The Harbor Island subdivision, along the river between Coeur D'Alene and Post Falls, suffered extensive yard, basement and street flooding during this event.","The Lake Coeur D'Alene Lake Height Gage at Coeur D'Alene recorded a rise above the lake Flood Stage of 2133.0 feet at 3:30 PM PST on March 18th. The lake crested at 2134.9 feet at 8:00 PM on March 21st. The lake then slowly fell through the next week, passing back below the Flood Stage at 1:00 PM on March 21st." +116141,698083,NEBRASKA,2017,May,Hail,"PERKINS",2017-05-16 17:13:00,MST-7,2017-05-16 17:13:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-101.73,40.84,-101.73,"An isolated thunderstorm in Perkins County produced a brief tornado 5 miles west southwest of Brandon and hail up to ping pong ball size 3 miles east of Grant during the early evening hours on May 16th.","The Grant fire department reported nickel size hail near Grant." +114120,689208,WISCONSIN,2017,March,Thunderstorm Wind,"OUTAGAMIE",2017-03-01 23:44:00,CST-6,2017-03-01 23:44:00,0,0,0,0,0.00K,0,0.00K,0,44.421,-88.667,44.421,-88.667,"A line of thunderstorms formed along a strong cold front in an unseasonably mild airmass. A few of the storms produced wind gusts in excess of 60 mph, including one that destroyed a pole barn.","A thunderstorm produced 60 mph winds pea size hail between New London and Shiocton." +116141,698084,NEBRASKA,2017,May,Hail,"PERKINS",2017-05-16 17:15:00,MST-7,2017-05-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-101.73,40.84,-101.73,"An isolated thunderstorm in Perkins County produced a brief tornado 5 miles west southwest of Brandon and hail up to ping pong ball size 3 miles east of Grant during the early evening hours on May 16th.","The general public reported quarter size hail in Grant via pictures from social media." +116141,698086,NEBRASKA,2017,May,Hail,"PERKINS",2017-05-16 17:20:00,MST-7,2017-05-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-101.67,40.84,-101.67,"An isolated thunderstorm in Perkins County produced a brief tornado 5 miles west southwest of Brandon and hail up to ping pong ball size 3 miles east of Grant during the early evening hours on May 16th.","The Grant fire department reported ping pong ball size hail, 3 miles east of Grant." +116141,698087,NEBRASKA,2017,May,Hail,"PERKINS",2017-05-16 17:48:00,MST-7,2017-05-16 17:48:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-101.39,40.92,-101.39,"An isolated thunderstorm in Perkins County produced a brief tornado 5 miles west southwest of Brandon and hail up to ping pong ball size 3 miles east of Grant during the early evening hours on May 16th.","The general public reported quarter size hail, 5 miles north of Elsie." +115878,696382,OKLAHOMA,2017,May,Flood,"OTTAWA",2017-05-01 00:00:00,CST-6,2017-05-06 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9577,-94.9938,36.9455,-94.957,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Neosho River near Commerce rose above its flood stage of 15 feet at 5:00 pm CDT on April 29th. The river remained in flood through the end of April, and crested at 22.12 feet at 4:45 pm CDT on May 3rd, resulting in moderate flooding. Highway 125 was flooded. Agricultural land was inundated, as was Riverview Park. The river then fell below flood stage at 6:15 pm CDT on May 6th." +115878,696378,OKLAHOMA,2017,May,Flood,"TULSA",2017-05-01 00:00:00,CST-6,2017-05-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2276,-95.9143,36.2599,-95.85,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","Bird Creek near Owasso rose above its flood stage of 18 feet at 9:45 pm CDT on April 29th. The river crested at 20.74 feet at 4:00 am CDT on the 30th, resulting in moderate flooding. The river remained in flood through the remainder of April, falling below flood stage at 3:00 pm CDT on May 1st." +115878,696371,OKLAHOMA,2017,May,Flood,"TULSA",2017-05-01 00:00:00,CST-6,2017-05-02 13:15:00,0,0,0,0,0.00K,0,0.00K,0,36.3967,-95.8162,36.422,-95.8071,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Caney River near Collinsville rose above its flood stage of 26 feet at 8:30 pm CDT on April 29th. The river crested at 29.71 feet at 8:30 am CDT on the 30th, resulting in moderate flooding. The river remained in flood through the end of April, finally falling below flood stage at 2:15 pm CDT on May 2nd." +117105,704581,MISSOURI,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 12:20:00,CST-6,2017-05-27 12:23:00,0,0,0,0,,NaN,,NaN,38.84,-93.75,38.84,-93.75,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","An 8 inch tree was down near State HWY OO and Business Route 13." +117105,704577,MISSOURI,2017,May,Thunderstorm Wind,"CASS",2017-05-27 11:36:00,CST-6,2017-05-27 11:39:00,0,0,0,0,,NaN,,NaN,38.7,-94.4,38.7,-94.4,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Trees were reported down on a fence. These trees were 12 inches and 20 inches in diameter." +117105,704578,MISSOURI,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 12:08:00,CST-6,2017-05-27 12:11:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-94,38.46,-94,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Tree damage was reported in Urich." +117105,704579,MISSOURI,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 12:20:00,CST-6,2017-05-27 12:23:00,0,0,0,0,,NaN,,NaN,38.7573,-93.7378,38.7573,-93.7378,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Tree damage was reported on the University of Central Missouri campus." +117105,704582,MISSOURI,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 12:25:00,CST-6,2017-05-27 12:30:00,0,0,0,0,,NaN,,NaN,38.37,-93.78,38.37,-93.78,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","There were multiple reports of tree damage and powerlines down in Clinton as a result of strong winds." +117105,704584,MISSOURI,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 12:53:00,CST-6,2017-05-27 12:56:00,0,0,0,0,,NaN,,NaN,38.31,-93.54,38.31,-93.54,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Strong winds took out the spotter's weather station and brought down several tree limbs approximately 5 to 7 inches in diameter." +112317,669917,NEW JERSEY,2017,February,High Wind,"MORRIS",2017-02-13 11:26:00,EST-5,2017-02-13 11:26:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","A tree fell onto a car and knocked power poles down at the intersection of Hoagland and Halsey ave." +112317,669915,NEW JERSEY,2017,February,High Wind,"SUSSEX",2017-02-13 09:00:00,EST-5,2017-02-13 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Wires taken down due to wind throughout the county. A tree fell across Mason Drive and a pole was taken down in Hopatcong on Brooklyn Stanhope Road." +112943,683867,COLORADO,2017,March,High Wind,"BENT COUNTY",2017-03-06 09:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +112943,683868,COLORADO,2017,March,High Wind,"SPRINGFIELD VICINITY / BACA COUNTY",2017-03-06 11:00:00,MST-7,2017-03-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous weather system generated high winds across many portions of southern Colorado. Some of the higher reported wind gusts included: near 60 mph at Florence (Fremont County) and Lamar (Prowers County), 60 to 70 mph near Two Buttes (Baca County), Cheraw (Otero County), Walsenburg and La Veta (Huerfano County), Wetmore (Custer County), and Hoehne (Las Animas County), 70 to 80 mph at Colorado City (Pueblo County), and around 85 mph near La Veta Pass ((Costilla County) and Swissvale (Fremont County).","" +114803,688574,COLORADO,2017,March,Winter Storm,"KIT CARSON COUNTY",2017-03-24 02:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,203.00K,203000,0.00K,0,NaN,NaN,NaN,NaN,"During the overnight hours light rain changed to snow for the far southwest portion of Kit Carson County and the far northwest portion of Cheyenne County. Thundersnow was reported during the event, which lasted until the early afternoon then changed to rain. Wind gusts around 60 MPH also occurred with the snowfall. The combined effect of wet, heavy snow and high winds caused between 500 and 1500 power poles to be blown down leaving up to 1600 residents with no power. Up to a foot of snow was reported by the time the precipitation change to rain. A day later there was still atleast four inches of snow on the ground.","Up to a foot of snow was reported in the far southwest portion of the county. The combination of wind gusts around 60 MPH and the wet, heavy snow caused over one hundred power poles to be broken from County Rd 21 west to County Rd 3 in the southwest portion of the county. Power poles running north and south were not broken. Visibility fell to a quarter mile or less at times in the blowing snow." +114803,688571,COLORADO,2017,March,Winter Storm,"CHEYENNE COUNTY",2017-03-24 02:00:00,MST-7,2017-03-24 12:00:00,0,0,0,0,600.00K,600000,0.00K,0,NaN,NaN,NaN,NaN,"During the overnight hours light rain changed to snow for the far southwest portion of Kit Carson County and the far northwest portion of Cheyenne County. Thundersnow was reported during the event, which lasted until the early afternoon then changed to rain. Wind gusts around 60 MPH also occurred with the snowfall. The combined effect of wet, heavy snow and high winds caused between 500 and 1500 power poles to be blown down leaving up to 1600 residents with no power. Up to a foot of snow was reported by the time the precipitation change to rain. A day later there was still atleast four inches of snow on the ground.","Up to a foot of snow was reported in the far northwest corner of the county near the Palmer Divide. The wet, heavy snow, along with wind gusts around 60 MPH caused 400 power poles to be broken north of Highway 287 to the county line and west of Highway 59. Power poles running north to south were not broken." +114931,689391,KANSAS,2017,March,Thunderstorm Wind,"NORTON",2017-03-23 19:39:00,CST-6,2017-03-23 19:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8497,-99.8915,39.8497,-99.8915,"During the evening thunderstorms produced severe wind gusts around 60 MPH in Norton and Gove counties.","" +113147,676708,COLORADO,2017,March,Blizzard,"C & E ADAMS & ARAPAHOE COUNTIES",2017-03-24 06:00:00,MST-7,2017-03-24 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense but fairly fast moving system that developed over southeastern Colorado brought a brief period of blizzard conditions along the Palmer Ridge south and southeast of Denver. Strong wind gusts from 45 to 60 mph accompanied the snow. Storm totals included: 11 inches near The Pinery, 10.5 inches near Ponderosa Park; 7 inches, 3 miles northeast of Castle Rock; with 5 inches near Simla. ||The blizzard conditions forecast the closure of schools, roads and highways over Douglas and Elbert Counties. Interstate 70 was closed between Airpark and Limon in both directions for several hours and Interstate 25 south of Castle Rock was also closed. State Highway 24, from Colorado Springs to Limon; State Highway 94 between Colorado Springs to Punkin Center; State Highway 86, from Kiowa to Limon. Several vehicles were stranded due to drifting snow, ranging from 2 1/2 ft to 8 ft, and zero visibilities.","" +112790,673746,COLORADO,2017,March,Wildfire,"LOGAN COUNTY",2017-03-06 11:30:00,MST-7,2017-03-07 16:00:00,0,1,0,0,1.00M,1000000,,NaN,NaN,NaN,NaN,NaN,"High wind gusts ranging from 60 to 70 mph allowed a grassfire to quickly spread from Logan into extreme parts of southwest Sedgwick and northwest Phillips Counties. The fire started just northeast of Sterling and within eight hours, it had had raced 23 miles across Interstate 76 into Phillips County, toward Haxtun. Officials declared a State of Emergency for Logan County. County officials sent out 900 pre-evacuation notices, and evacuated schools in Fleming, Haxtun and Iliff. Colorado Highway 59 was closed in both directions from Interstate 76 to Haxtun, where 15 to 20 power poles were damaged. The blowing dust and smoke reduced visibilities in the area. The American Red Cross has opened an emergency shelter in Sterling for those evacuated from Crook and the surrounding area. By late afternoon, the fire consumed 32,564 acres. Four homes were lost, three in Logan County and one in Phillips County. A high number of out buildings were also lost including: garages, shops and barns. There was significant agricultural loss and an untold number of vehicles were destroyed including tractors. Up to three hundred head of cattle were destroyed as well as several horses. The fire was allegedly started when a Logan County resident was welding on a metal feed trough in a dry cornfield during the extremely windy conditions. Preliminary damage estimates included nine residents in Logan County that lost approximately $420,000 in lost structures and thousands more in farmland. Another resident reportedly lost $500,000 in land and property. Officials said it could take up to three years for land to recover from the wildfire.","" +115738,695579,ILLINOIS,2017,May,Hail,"PEORIA",2017-05-17 21:38:00,CST-6,2017-05-17 21:43:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-89.61,40.74,-89.61,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","" +116121,697952,TEXAS,2017,May,Thunderstorm Wind,"WILSON",2017-05-30 16:15:00,CST-6,2017-05-30 16:15:00,0,0,0,0,10.00K,10000,,NaN,29.19,-98.2,29.19,-98.2,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 80 mph that significantly damaged the roof of a business along Hwy 181 northwest of Floresville." +116121,697953,TEXAS,2017,May,Thunderstorm Wind,"WILSON",2017-05-30 16:20:00,CST-6,2017-05-30 16:20:00,0,0,0,0,1.00K,1000,,NaN,29.13,-98.16,29.13,-98.16,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that knocked a tree onto power lines in Floresville." +116063,700038,TEXAS,2017,May,Tornado,"BASTROP",2017-05-23 16:37:00,CST-6,2017-05-23 16:39:00,0,0,0,0,100.00K,100000,,NaN,30.395,-97.371,30.378,-97.348,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A NWS storm survey found that a tornado was produced by the bookend vortex |of a bow echo that moved through the city of Elgin on the afternoon|of May 23rd 2017. The tornado began just east of Texas Highway 95|and just north of Roemer Road, where it displaced and flipped a shed |off its foundation. The tornado then caused extensive damage to a|business along Roemer Road. As it continued to the east-southeast,|the tornado ripped the metal roof off a large barn and caused roof|damage to a well-built home adjacent to the barn. In the pasture |adjacent to these structures, there were multiple pieces of splintered |wood that were driven into the ground from the opposite direction from |which the storm came. Several cattle and a bull were reportedly thrown |about 1500 feet from one pasture into another, jumping a couple of fences |in the process. The tornado then completely destroyed an old wooden barn |just north of Roemer Road. At this point, the tornado was approximately |moving along Roemer Road, and caused some minor tree damage. The tornado |then crossed Red Town Road just south of Roemer Road and ended just east |of Red Town Road, where it caused some minor damage to a structure." +116421,700089,COLORADO,2017,May,Hail,"YUMA",2017-05-25 13:19:00,MST-7,2017-05-25 13:19:00,0,0,0,0,0.00K,0,0.00K,0,40.3946,-102.5532,40.3946,-102.5532,"A super cell thunderstorm moved east across central Yuma County producing large hail up to three inches in diameter. The largest hail fell near Idalia. The storm also produced a tornado near Bonny Reservoir not long after the tea cup size hail was reported. Due to the tornado occurring over open country, no damage was reported. The super cell quickly weakened as it crossed into Kansas.","" +116421,700091,COLORADO,2017,May,Hail,"YUMA",2017-05-25 13:53:00,MST-7,2017-05-25 13:53:00,0,0,0,0,0.00K,0,0.00K,0,40.0346,-102.7161,40.0346,-102.7161,"A super cell thunderstorm moved east across central Yuma County producing large hail up to three inches in diameter. The largest hail fell near Idalia. The storm also produced a tornado near Bonny Reservoir not long after the tea cup size hail was reported. Due to the tornado occurring over open country, no damage was reported. The super cell quickly weakened as it crossed into Kansas.","" +116433,700230,TEXAS,2017,May,Hail,"HANSFORD",2017-05-02 20:38:00,CST-6,2017-05-02 20:38:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-101.13,36.33,-101.13,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700231,TEXAS,2017,May,Hail,"HANSFORD",2017-05-02 20:39:00,CST-6,2017-05-02 20:39:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-101.13,36.33,-101.13,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","Deputy at Palo Duro lake - reported quarter size hail at 939pm." +116433,700232,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-02 21:13:00,CST-6,2017-05-02 21:13:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-100.58,36.46,-100.58,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700233,TEXAS,2017,May,Hail,"HARTLEY",2017-05-02 21:15:00,CST-6,2017-05-02 21:15:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-102.52,36.06,-102.52,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700234,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-02 21:21:00,CST-6,2017-05-02 21:21:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-100.85,36.38,-100.85,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116531,701158,OKLAHOMA,2017,May,Thunderstorm Wind,"CIMARRON",2017-05-09 20:10:00,CST-6,2017-05-09 20:10:00,0,0,0,0,,NaN,,NaN,36.6899,-102.4993,36.6899,-102.4993,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","" +116531,701159,OKLAHOMA,2017,May,Thunderstorm Wind,"CIMARRON",2017-05-09 20:23:00,CST-6,2017-05-09 20:23:00,0,0,0,0,,NaN,,NaN,36.82,-102.25,36.82,-102.25,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","" +116592,701169,TEXAS,2017,May,Hail,"POTTER",2017-05-10 15:21:00,CST-6,2017-05-10 15:21:00,0,0,0,0,,NaN,,NaN,35.24,-101.8,35.24,-101.8,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","" +116664,701452,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-31 14:36:00,EST-5,2017-05-31 15:02:00,0,0,0,0,20.00K,20000,0.00K,0,35.09,-78.64,35.11,-78.32,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","Numerous trees and several power lines were blown down along a swath from the 6000 block of Maxwell Road, north of Autryville, to the intersection of Keener Road and Hobbton Highway, near Hobbton." +116428,700216,NORTH CAROLINA,2017,May,Thunderstorm Wind,"IREDELL",2017-05-01 15:30:00,EST-5,2017-05-01 15:39:00,0,0,0,0,0.00K,0,0.00K,0,35.778,-80.939,35.802,-80.837,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","Trained spotter reported trees and power lines blown down on Kentwood Rd. Public reported (via Social media) a tree blown down on Elementary Rd and Old Farm Rd. Also, another spotter reported trees and lines down on Friendship Rd north of Statesville." +116428,700224,NORTH CAROLINA,2017,May,Tornado,"CATAWBA",2017-05-01 14:54:00,EST-5,2017-05-01 14:58:00,0,0,0,0,10.00K,10000,0.00K,0,35.61,-81.2,35.64,-81.17,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","NWS Storm survey found a couple of areas of weak tornado damage embedded within a larger downburst damage swath between maiden and newtown. The tornado touched down twice along a 3 mile path, first off jack Whitener Rd and Sipe Rd. The tornado lifted briefly before touching down again near Smyre Farm Rd just south of highway 16. At least one home received minor damage from falling trees." +116822,702521,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SPARTANBURG",2017-05-05 00:52:00,EST-5,2017-05-05 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.041,-82.143,35.102,-82.065,"A line of heavy rain showers and thunderstorms moved into Upstate South Carolina during the overnight hours ahead of a cold front. A few embedded cells became briefly severe, producing sporadic wind damage.","NWS employee reported two trees uprooted and another snapped on Blackwell Dr. County comms reported multiple trees blown down between I-26 and Highway 9, especially near Lake Bowen." +115152,691243,COLORADO,2017,May,Dense Fog,"CENTRAL COLORADO RIVER BASIN",2017-05-03 04:56:00,MST-7,2017-05-03 07:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed along the Interstate 70 corridor between Rifle and Eagle under a surface-based inversion.","Dense fog occurred at the Eagle County Regional Airport for several hours where the visibility dropped to less than a quarter mile." +115152,691241,COLORADO,2017,May,Dense Fog,"DEBEQUE TO SILT CORRIDOR",2017-05-03 06:03:00,MST-7,2017-05-03 06:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed along the Interstate 70 corridor between Rifle and Eagle under a surface-based inversion.","Dense fog was detected by Colorado Department of Transportation weather sensors along Interstate 70 with the visibility near zero." +115157,691254,COLORADO,2017,May,Hail,"MOFFAT",2017-05-07 13:30:00,MST-7,2017-05-07 13:35:00,0,0,0,0,,NaN,,NaN,40.25,-108.84,40.25,-108.84,"A severe thunderstorm moving right of the mean flow brought large hail to portions of Moffat County.","A strong thunderstorm that traveled from southwest to northeast dropped hail up to the size of quarters along with pea-sized hail up to 1 inch in depth on U.S. Highway 40 near Blue Mountain." +115159,691266,COLORADO,2017,May,Lightning,"MONTEZUMA",2017-05-09 06:00:00,MST-7,2017-05-09 06:30:00,0,0,0,0,10.00K,10000,0.00K,0,37.34,-108.58,37.34,-108.58,"An upper level disturbance triggered morning thunderstorms that produced frequent lightning across southwest Colorado.","Morning thunderstorms produced frequent lightning which ignited numerous tree fires and blasted a tree which fell across electrical lines. Lightning also sparked a structure fire on South Madison Street in Cortez." +115169,691444,COLORADO,2017,May,Frost/Freeze,"PARADOX VALLEY / LOWER DOLORES RIVER BASIN",2017-05-17 21:08:00,MST-7,2017-05-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a strong cold front resulted in widespread overnight low temperatures below freezing in some valleys within southwest Colorado.","Over half of the forecast zone experienced temperatures below freezing for several hours, with minimum readings that ranged from 25 to 32 degrees F." +115169,691445,COLORADO,2017,May,Frost/Freeze,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-05-17 21:08:00,MST-7,2017-05-18 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a strong cold front resulted in widespread overnight low temperatures below freezing in some valleys within southwest Colorado.","Over half of the forecast zone experienced temperatures below freezing for several hours, with minimum readings that ranged from 27 to 32 degrees F." +115170,691446,COLORADO,2017,May,Frost/Freeze,"PARADOX VALLEY / LOWER DOLORES RIVER BASIN",2017-05-18 21:08:00,MST-7,2017-05-19 09:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass over western Colorado brought a second consecutive night of widespread freezing temperatures to some lower valleys.","Over half of the forecast zone experienced overnight low temperatures that ranged from 22 to 32 degrees F." +115170,691447,COLORADO,2017,May,Frost/Freeze,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-05-18 21:20:00,MST-7,2017-05-19 08:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass over western Colorado brought a second consecutive night of widespread freezing temperatures to some lower valleys.","Over half of the forecast zone experienced overnight low temperatures that ranged from 20 to 32 degrees F." +116720,701947,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"MURRELLS INLET TO S SANTEE R SC OUT 20NM",2017-05-25 13:35:00,EST-5,2017-05-25 13:36:00,0,0,0,0,0.00K,0,0.00K,0,33.5243,-79.0259,33.5243,-79.0259,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","WeatherFlow equipment at Murrells Inlet measured a wind gust to 47 mph." +116571,700982,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-05-03 08:55:00,CST-6,2017-05-03 08:55:00,0,0,0,0,0.00K,0,0.00K,0,29.11,-91.87,29.11,-91.87,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KSCF recorded a wind gust of 53 MPH." +116571,700983,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"VERMILION BAY",2017-05-03 11:30:00,CST-6,2017-05-03 11:30:00,0,0,0,0,0.00K,0,0.00K,0,29.7345,-91.8552,29.7345,-91.8552,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","The tide station at Cypremort Point recorded a wind gust of 47 MPH." +116571,701869,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM LOWER ATCHAFALAYA RIVER TO INTRACOASTAL CITY LA OUT 20 NM",2017-05-03 12:24:00,CST-6,2017-05-03 12:24:00,0,0,0,0,0.00K,0,0.00K,0,29.45,-91.34,29.45,-91.34,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","Amerada Pass C-man station received a 39 MPH wind gust from a thunderstorm." +116571,701870,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-05-03 17:42:00,CST-6,2017-05-03 17:42:00,0,0,0,0,0.00K,0,0.00K,0,29.09,-91.87,29.09,-91.87,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","A wind gust of 44 MPH was recorded on a platform in South Marsh Island Block 281." +116571,701970,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-05-03 20:30:00,CST-6,2017-05-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,29.7674,-93.3433,29.7674,-93.3433,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","A wind gust of 39 MPH was recorded at the Cameron tide station." +116571,701971,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-05-03 21:35:00,CST-6,2017-05-03 21:35:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-93.64,29.12,-93.64,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KVBS recorded a wind gust of 56 MPH." +116571,701972,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-05-03 21:55:00,CST-6,2017-05-03 21:55:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-91.87,29.12,-91.87,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KSCF recorded a wind gust of 55 MPH." +116734,702073,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"HILLSBOROUGH",2017-05-18 21:05:00,EST-5,2017-05-18 21:10:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-71.57,43.04,-71.57,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm produced multiple reports of trees down all across town in Shirley Hill." +116734,702074,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:37:00,EST-5,2017-05-18 20:43:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-72.01,42.75,-72.01,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees in Rindge." +116734,702075,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:20:00,EST-5,2017-05-18 20:24:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-72.2,43.12,-72.2,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Marlow." +116734,702076,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CARROLL",2017-05-18 20:35:00,EST-5,2017-05-18 20:40:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-71.17,44.11,-71.17,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed large branches in Glen." +116737,702088,NEW HAMPSHIRE,2017,May,Hail,"GRAFTON",2017-05-31 16:10:00,EST-5,2017-05-31 16:14:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-71.77,44.31,-71.77,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in Littleton." +114463,686395,COLORADO,2017,May,Hail,"OTERO",2017-05-08 17:58:00,MST-7,2017-05-08 18:03:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-103.85,38.03,-103.85,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686397,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-08 18:14:00,MST-7,2017-05-08 18:19:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-103.59,37.25,-103.59,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,697290,COLORADO,2017,May,Tornado,"HUERFANO",2017-05-08 13:24:00,MST-7,2017-05-08 13:25:00,0,0,0,0,0.00K,0,0.00K,0,37.9027,-105.0433,37.9046,-105.0459,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","The brief mesocyclone tornado occurred at 11,300 feet ASL. It snapped off and uprooted dozens of conifers as moved northwest and crossed Forest Road 369." +114466,686404,COLORADO,2017,May,Hail,"OTERO",2017-05-09 13:56:00,MST-7,2017-05-09 14:01:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-103.84,38.09,-103.84,"A few marginally severe storms occurred, one producing a brief landspout near Brandon in Kiowa County.","" +114466,686405,COLORADO,2017,May,Hail,"CROWLEY",2017-05-09 14:30:00,MST-7,2017-05-09 14:35:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-103.66,38.26,-103.66,"A few marginally severe storms occurred, one producing a brief landspout near Brandon in Kiowa County.","" +114466,686406,COLORADO,2017,May,Hail,"KIOWA",2017-05-09 17:15:00,MST-7,2017-05-09 17:20:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-102.43,38.45,-102.43,"A few marginally severe storms occurred, one producing a brief landspout near Brandon in Kiowa County.","" +114466,686419,COLORADO,2017,May,Tornado,"KIOWA",2017-05-09 17:11:00,MST-7,2017-05-09 17:13:00,0,0,0,0,0.00K,0,0.00K,0,38.4563,-102.4502,38.4728,-102.4443,"A few marginally severe storms occurred, one producing a brief landspout near Brandon in Kiowa County.","A brief landspout tornado was witnessed by the public. The tornado caused no damage from which the NWS could assign an EF-scale rating." +113980,682617,MINNESOTA,2017,March,Heavy Snow,"LINCOLN",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 9 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +114983,689897,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN COOS",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689900,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN CARROLL",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689898,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN GRAFTON",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113051,686703,MASSACHUSETTS,2017,March,High Wind,"SOUTHEAST MIDDLESEX",2017-03-14 14:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Based on surrounding wind gust reports, it is estimated that winds gusted to 55 to 60 mph in southeast Middlesex County during the mid to late afternoon hours on March 14.||At 417 PM EDT, a tree was down, leaning on a house on Fuller Street in Newton. At 426 PM, a large tree was down on Center Street in Newton. At 430 PM, a tree was down on two cars on Brainard Avenue at 9th Street in Medford. At 530 PM, a tree was down on a rear deck with a partial collapse on Harding Avenue in Belmont. At 548 PM, a tree was down on Linden Avenue at Duffy Terrace in Somerville." +114247,684424,MISSOURI,2017,March,Hail,"DUNKLIN",2017-03-09 20:10:00,CST-6,2017-03-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-89.97,36.45,-89.97,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114247,684438,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-09 19:50:00,CST-6,2017-03-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.596,-89.9928,36.5672,-89.9537,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Winds estimated between 60 and 70 mph at the air base north of Malden." +114247,684439,MISSOURI,2017,March,Hail,"DUNKLIN",2017-03-09 19:50:00,CST-6,2017-03-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-89.97,36.57,-89.97,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114247,684741,MISSOURI,2017,March,Hail,"DUNKLIN",2017-03-09 22:04:00,CST-6,2017-03-09 22:10:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-90.3,36.05,-90.3,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114527,686817,TENNESSEE,2017,March,Winter Weather,"BEDFORD",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Bedford County ranged from 1 to 2 inches." +114527,686825,TENNESSEE,2017,March,Winter Weather,"GILES",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Giles County ranged from a dusting up to 1 inch. CoCoRaHS station Cornersville 10.5 SSE measured 1.0 inches of snow, and a COOP observer in Pulaski measured 0.7 inches of snow." +113051,683061,MASSACHUSETTS,2017,March,Heavy Snow,"SOUTHERN WORCESTER",2017-03-14 02:50:00,EST-5,2017-03-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day, although it mixed briefly with sleet and rain in some areas in southern Worcester County. Reported snowfall totals ranged from near 7 inches close to Connecticut/Rhode Island border to 14.4 inches at the Worcester Airport." +114527,686839,TENNESSEE,2017,March,Winter Weather,"ROBERTSON",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Robertson County ranged from a dusting up to nearly 2 inches. CoCoRaHS station Cedar Hill 2.6 N measured 1.6 inches of snow, CoCoRaHS station Springfield 1.8 WSW measured 1.0 inches of snow, and CoCoRaHS station Adams 2.9 WSW measured 0.7 inches of snow." +114527,686840,TENNESSEE,2017,March,Winter Weather,"RUTHERFORD",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Rutherford County ranged from 1 to 2 inches. A tSpotter Twitter report indicated 2 inches of snow fell in Smyrna, while another tSpotter Twitter report indicated 1 inch of snow fell in the Whitehaven area of Murfreesboro. CoCoRaHS station Murfreesboro 7.9 NNW measured 1.0 inch of snow." +114339,685158,ARKANSAS,2017,March,Tornado,"GARLAND",2017-03-24 20:58:00,CST-6,2017-03-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5259,-92.965,34.526,-92.9606,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","EF0 Tornado moved through rural Garland county, Arkansas. The tornado brought down numerous trees." +114339,685205,ARKANSAS,2017,March,Tornado,"FAULKNER",2017-03-24 22:21:00,CST-6,2017-03-24 22:23:00,0,0,0,0,10.00K,10000,0.00K,0,34.9279,-92.2479,34.9527,-92.2291,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","After the tornado crossed into Faulkner County, the tornado caused several trees to snap or be uprooted. Additional, the tornado caused minor roofing damage and an outbuilding to collapse." +114118,685289,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:20:00,CST-6,2017-03-01 08:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.17,-85.5,36.17,-85.5,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Putnam County Emergency Management reported several trees and power lines were blown down across Cookeville. A tree fell on a home on 9th Street, and another tree fell on a mobile home." +114118,685828,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:41:00,CST-6,2017-03-01 06:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.5304,-87.1993,36.5304,-87.1993,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported a tree was blown down on Highway 76." +114423,686137,TENNESSEE,2017,March,Thunderstorm Wind,"MAURY",2017-03-09 23:19:00,CST-6,2017-03-09 23:19:00,0,0,0,0,5.00K,5000,0.00K,0,35.48,-86.98,35.48,-86.98,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A Facebook report indicated large trees were blown down onto a house and a car in Culleoka." +114118,685564,TENNESSEE,2017,March,Hail,"GRUNDY",2017-03-01 13:04:00,CST-6,2017-03-01 13:04:00,0,0,0,0,0.00K,0,0.00K,0,35.3795,-85.705,35.3795,-85.705,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Twitter report indicated half dollar size hail fell 2 miles north of Coalmont." +114118,685566,TENNESSEE,2017,March,Hail,"GRUNDY",2017-03-01 13:05:00,CST-6,2017-03-01 13:05:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-85.72,35.33,-85.72,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","" +114423,686080,TENNESSEE,2017,March,Hail,"WILSON",2017-03-09 21:30:00,CST-6,2017-03-09 21:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1702,-86.4578,36.1702,-86.4578,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Quarter size hail was reported on Beckwith Road south of I-40." +114118,683825,TENNESSEE,2017,March,Thunderstorm Wind,"CHEATHAM",2017-03-01 06:47:00,CST-6,2017-03-01 06:48:00,0,0,0,0,15.00K,15000,0.00K,0,36.2059,-87.1746,36.2081,-87.1541,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Public reported and shared photos via Facebook about a swath of straight line wind damage on the Dickson/Cheatham county border around 7 miles southwest of Ashland City. This wind damage stretched from a cattle farm on the west side of the Harpeth river in Dickson county eastward across Harpeth Crossing to Fernie Story Road in Cheatham county. Outbuildings were damaged on the cattle farm and several large trees were uprooted on Harpeth Crossing. A barn was destroyed on Fernie Story Road." +114401,685813,MISSISSIPPI,2017,March,Hail,"LAWRENCE",2017-03-09 17:11:00,CST-6,2017-03-09 17:16:00,0,0,0,0,0.00K,0,0.00K,0,31.6,-90.08,31.635,-89.981,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Quarter sized hail fell near Silver Creek." +114401,685947,MISSISSIPPI,2017,March,Hail,"JEFFERSON DAVIS",2017-03-09 17:20:00,CST-6,2017-03-09 17:20:00,0,0,0,0,0.00K,0,0.00K,0,31.599,-89.96,31.599,-89.96,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Hail up to the size of quarters fell near Lucas." +114401,685806,MISSISSIPPI,2017,March,Hail,"LAWRENCE",2017-03-09 17:35:00,CST-6,2017-03-09 17:44:00,0,0,0,0,60.00K,60000,0.00K,0,31.41,-90.07,31.3959,-90.011,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Large hail fell across southeastern Lawrence County, including the Tilton area where hail up to the size of ping pong balls fell." +114401,685972,MISSISSIPPI,2017,March,Hail,"RANKIN",2017-03-09 18:03:00,CST-6,2017-03-09 18:03:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-89.8,32.32,-89.8,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Hail up to the size of quarters fell near Pelahatchie." +114401,686018,MISSISSIPPI,2017,March,Hail,"SCOTT",2017-03-09 18:30:00,CST-6,2017-03-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.31,-89.67,32.31,-89.67,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Nickel to quarter size hail fell at the Morton exit off of Interstate 20." +114683,687892,TENNESSEE,2017,March,Hail,"WAYNE",2017-03-21 14:36:00,CST-6,2017-03-21 14:36:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-87.77,35.32,-87.77,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","" +114683,687896,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-21 14:59:00,CST-6,2017-03-21 14:59:00,0,0,0,0,0.00K,0,0.00K,0,35.4103,-87.2817,35.4103,-87.2817,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos showed hail up to golf ball size fell near Summertown." +114423,686549,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-10 00:04:00,CST-6,2017-03-10 00:05:00,1,0,0,0,25.00K,25000,0.00K,0,35.8491,-85.8026,35.8476,-85.7919,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A storm survey by Warren County Emergency Management along with Google Earth high resolution satellite imagery indicated a small but severe 0.6 mile long by 150 yard wide microburst struck far northern Warren County just south of the DeKalb County line. A few trees were blown down towards the east-northeast to the west of Highway 56 south of Meridian Drive. A home east of Highway 56 south of Gene Vaughn Road suffered severe wind damage, with the front porch and much of the roof blown off. One person inside the home was injured. Debris from the home was blown into fields over 250 yards to the east and northeast. In the backyard of the home, an outbuilding was destroyed, a greenhouse heavily damaged, the roof was blown off a chicken coop, and a barn lost some roof panels. Several trees were also snapped in the yard. No other damage was noted to the north, south, or east of the home. Winds were estimated up to 95 mph." +114423,686572,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:28:00,CST-6,2017-03-09 23:28:00,0,0,0,0,1.00K,1000,0.00K,0,35.5986,-86.5875,35.5986,-86.5875,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Halls Mill Road near Unionville." +114851,689596,MISSISSIPPI,2017,March,Hail,"FRANKLIN",2017-03-27 15:05:00,CST-6,2017-03-27 15:05:00,0,0,0,0,0.00K,0,0.00K,0,31.47,-90.84,31.47,-90.84,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114851,689597,MISSISSIPPI,2017,March,Thunderstorm Wind,"SCOTT",2017-03-27 15:03:00,CST-6,2017-03-27 15:03:00,0,0,0,0,15.00K,15000,0.00K,0,32.3498,-89.6518,32.3498,-89.6518,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Windows were blown out of the Morton High School baseball field concession stand." +114851,689598,MISSISSIPPI,2017,March,Hail,"SCOTT",2017-03-27 15:31:00,CST-6,2017-03-27 15:31:00,0,0,0,0,0.00K,0,0.00K,0,32.3479,-89.3296,32.3479,-89.3296,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Hail up to quarter size fell at the Dollar General in Lake." +114851,689599,MISSISSIPPI,2017,March,Hail,"NEWTON",2017-03-27 15:45:00,CST-6,2017-03-27 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,32.32,-89.24,32.32,-89.24,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Ping pong ball sized hail fell in the Lawrence area." +114851,689600,MISSISSIPPI,2017,March,Thunderstorm Wind,"NEWTON",2017-03-27 15:48:00,CST-6,2017-03-27 15:48:00,0,0,0,0,8.00K,8000,0.00K,0,32.35,-89.13,32.35,-89.13,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree was blown down, blocking Mississippi Highway 15 just north of Newton." +114851,689601,MISSISSIPPI,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-27 16:05:00,CST-6,2017-03-27 16:05:00,0,0,0,0,15.00K,15000,0.00K,0,31.8,-89.98,31.8,-89.98,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree fell onto utility equipment near the Shivers community." +114851,689602,MISSISSIPPI,2017,March,Hail,"SIMPSON",2017-03-27 16:11:00,CST-6,2017-03-27 16:11:00,0,0,0,0,10.00K,10000,0.00K,0,31.84,-89.99,31.84,-89.99,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Ping pong ball sized hail fell in the Bushtown community." +114683,687941,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:08:00,CST-6,2017-03-21 16:08:00,0,0,0,0,1.00K,1000,0.00K,0,35.384,-86.1221,35.384,-86.1221,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a tree was blown down across Thacker Road near Tullahoma. Power outages were also reported in the Kings Lane subdivision near Tullahoma." +114721,688086,MISSISSIPPI,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-29 20:44:00,CST-6,2017-03-29 21:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.525,-90.945,33.38,-91.03,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms caused damage near Greenville, including a tree which blew onto a home. Wind gusts up to 58 mph were measured at the Mid-Delta Regional Airport ASOS north of Greenville." +114118,686035,TENNESSEE,2017,March,Tornado,"WILSON",2017-03-01 07:37:00,CST-6,2017-03-01 07:41:00,0,0,0,0,15.00K,15000,0.00K,0,36.0971,-86.2501,36.0948,-86.1907,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Using Google Earth high resolution satellite imagery along with OHX and TBNA radar data, an EF-0 tornado was determined to have touched down 6.6 miles west of Watertown north of Burnt House Road. This tornado then moved due east across Cainsville Road and rural areas north of Beech Log Road before dissipating into a severe downburst south of Taylor Road, around 3.3 miles west of Watertown. Dozens of trees were snapped and uprooted in all directions in a clearly convergent pattern along the path. One outbuilding was destroyed near a home on Cainsville Road with debris blown towards the north. With most of the path over inaccessible rural areas of Wilson County with no roads, this tornado could only have been determined using the high resolution satellite imagery." +115029,690382,MASSACHUSETTS,2017,March,Strong Wind,"WESTERN PLYMOUTH",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 259 PM EST amateur radio reported a large tree down and blocking Panettieri Drive in Lakeville. At 738 PM EST a large tree was down on a guard rail on Bedford street, also in Lakeville." +114344,685184,NEW YORK,2017,March,High Wind,"NORTHEAST SUFFOLK",2017-03-02 09:00:00,EST-5,2017-03-02 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","A trained spotter in Orient reported a wind gust up to 61 mph at 941 am." +114344,685188,NEW YORK,2017,March,High Wind,"NORTHERN NASSAU",2017-03-02 02:00:00,EST-5,2017-03-02 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","A trained spotter measured wind gusts up to 58 mph in Syosset at 3 am. At 851 am, a wind gust up to 53 mph was reported near Glen Cove per a mesonet station." +113033,683097,RHODE ISLAND,2017,March,High Wind,"WASHINGTON",2017-03-14 10:00:00,EST-5,2017-03-14 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Winds gusted to 63 mph at Point Judith, per a marine mesonet report at 206 PM EDT. |A wind gust to 62 mph was reported by an amateur radio operator in Charlestown, RI at 1247 PM EDT. In Westerly, a tree fell onto a 500 gallon propane tank on Pendelton Lane at 128 PM EDT. But the big damage was 100 foot lattice tower made of galvanized steel, which held a wind turbine on the top of it, that was toppled over (practically snapped in half) at Salty Brine Beach in Narragansett, RI at 1240 PM EDT. It tore through the roof of a small overhang structure when it fell, causing significant damage." +113033,686399,RHODE ISLAND,2017,March,High Wind,"BRISTOL",2017-03-14 11:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Winds at Conimicut Light were sustained at 45 mph and gusted to 58 mph at 1218 PM EDT." +115230,691859,NEW YORK,2017,March,Coastal Flood,"NORTHEAST SUFFOLK",2017-03-14 12:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The USGS tidal gauge on the Peconic River at Riverhead recorded a peak water level of 6.8 ft. MLLW at 118 pm EST. The moderate coastal flood threshold of 6.1 ft. MLLW was exceeded from 1218pm to 336pm EST. These water levels resulted in reports of 1 to 2 feet of inundation along the Peconic Riverfront in Riverhead, as well as erosion of about a 1 mile long by 4 foot high sand embankment along Entrance Drive of Orient Beach State Park. The USGS tidal gauge at Flax Pond in Old Field recorded a peak water level of 10.6 ft. MLLW at 124 pm EST. The moderate coastal flood threshold of 10.2 ft. MLLW was exceeded from 1212pm to 212pm EST.||The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +115814,696952,CALIFORNIA,2017,January,Blizzard,"MONO",2017-01-10 13:00:00,PST-8,2017-01-11 07:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","Highway 395 was shut down through all of Mono County for low visibility/blizzard conditions. Winds were gusting to between 35 and 58 mph in some spots along Highway 395 during the snowfall event, including near Bridgeport and the Mammoth airport." +115814,696665,CALIFORNIA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-09 17:00:00,PST-8,2017-01-12 22:00:00,0,0,1,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","Snowfall totals between the 9th and 12th were quite significant. Between the 9th and 12th, 6 to 10 feet of snow fell at ski areas near the Sierra crest, with 3 to 3.5 feet in the Tahoe City and Truckee areas, and 2 to 3 feet in the South Lake Tahoe area. During the evening of the 12th, two trees fell on three cars on CA route 89 near Squaw Valley, resulting in one death. A tree fell into a home in Kings Beach on the 11th, resulting in major damage. Numerous power outages were noted." +115342,692556,WYOMING,2017,March,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-31 09:00:00,MST-7,2017-03-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow and gusty northeasterly winds across portions of south central and southeast Wyoming. Snow accumulations ranged from six to twelve inches, heaviest above 8500 feet. Interstate 80 was closed between Cheyenne and Laramie due to adverse winter weather conditions.","The Crow Creek SNOTEL site (elevation 8330 ft) estimated six inches of snow." +115339,692525,WYOMING,2017,March,Winter Storm,"SNOWY RANGE",2017-03-28 06:00:00,MST-7,2017-03-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense fast-moving low pressure system produced a brief period of heavy snow and strong north winds over the Snowy Range. Snow accumulations up to 12 inches were observed above 10000 feet.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated a foot of snow." +115339,692526,WYOMING,2017,March,Winter Storm,"SNOWY RANGE",2017-03-28 06:00:00,MST-7,2017-03-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense fast-moving low pressure system produced a brief period of heavy snow and strong north winds over the Snowy Range. Snow accumulations up to 12 inches were observed above 10000 feet.","The North French Creek SNOTEL site (elevation 10130 ft) estimated a foot of snow." +115336,692519,WYOMING,2017,March,Winter Storm,"SOUTH LARAMIE RANGE",2017-03-23 21:00:00,MST-7,2017-03-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast-moving low pressure system produced a brief period of heavy snow and strong north winds across the southern Laramie Range and foothills. Interstate 80 between Cheyenne and Laramie was closed due to adverse winter weather conditions. Snow accumulations varied between 4 and 8 inches.","Eight inches of snow was reported at the Interstate 80 summit (elevation 8600 ft)." +115761,695782,NEW YORK,2017,March,High Wind,"NORTHEAST SUFFOLK",2017-03-14 11:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"On Tuesday, March 14th, rapidly deepening low pressure tracked up the eastern seaboard.","A trained spotter measured a wind gust up to 68 mph at 135 pm in Orient. A mesonet station near Fishers Island measured a wind gust up to 67 mph at 129 pm. A National Weather Service employee observed trees down on the grounds of Brookhaven National Laboratory in Upton at 227 pm. A mesonet station near Calverton observed wind gusts up to 58 mph at 540 pm." +115761,695780,NEW YORK,2017,March,High Wind,"SOUTHEAST SUFFOLK",2017-03-14 10:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"On Tuesday, March 14th, rapidly deepening low pressure tracked up the eastern seaboard.","A 61 mph gust was measured at Hither Hills State Park at 1014 am. At 1145 am, the public reported high winds knocked down power lines in Hampton Bays. In East Hampton, the fire department reported all lanes of Montauk Highway were closed between Davids Lane and Dayton Lane due to downed trees. This occurred at 309 pm. At 103 pm, a mesonet station in East Moriches measured a wind gust to 52 mph." +115761,695781,NEW YORK,2017,March,High Wind,"NORTHWEST SUFFOLK",2017-03-14 10:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"On Tuesday, March 14th, rapidly deepening low pressure tracked up the eastern seaboard.","At 1035 am, the mesonet station at Eatons Neck measured a 62 mph wind gust. At 1130 am, law enforcement reported a tree and wires down in Huntington Station on Park Aveunue due to the high winds." +114735,688256,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-27 18:58:00,CST-6,2017-03-27 18:58:00,0,0,0,0,4.00K,4000,0.00K,0,35.1491,-87.3664,35.1491,-87.3664,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A vehicle was tipped over and a metal roof damaged at Purcell's Wrecker Services on Old Jackson Highway." +114736,702218,KANSAS,2017,May,Hail,"WABAUNSEE",2017-05-18 18:15:00,CST-6,2017-05-18 18:16:00,0,0,0,0,,NaN,,NaN,39.06,-96.1,39.06,-96.1,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Time was corrected via radar. Small tree limbs were also reported down." +114736,702220,KANSAS,2017,May,Thunderstorm Wind,"DICKINSON",2017-05-18 18:25:00,CST-6,2017-05-18 18:26:00,0,0,0,0,,NaN,,NaN,38.98,-97.03,38.98,-97.03,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","A tree was reported down." +114736,702222,KANSAS,2017,May,Thunderstorm Wind,"JACKSON",2017-05-18 18:53:00,CST-6,2017-05-18 18:54:00,0,0,0,0,,NaN,,NaN,39.38,-95.64,39.38,-95.64,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Photo was received via social media showing a 4 inch diameter limb snapped off a tree. Time was corrected via radar." +114736,702223,KANSAS,2017,May,Hail,"DOUGLAS",2017-05-18 18:57:00,CST-6,2017-05-18 18:58:00,0,0,0,0,,NaN,,NaN,38.84,-95.14,38.84,-95.14,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Wind gusts were also reported to be 50 to 55 mph." +114736,702230,KANSAS,2017,May,Hail,"JACKSON",2017-05-18 18:55:00,CST-6,2017-05-18 18:56:00,0,0,0,0,,NaN,,NaN,39.23,-95.68,39.23,-95.68,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +116348,702910,MONTANA,2017,May,High Wind,"GALLATIN",2017-05-24 14:35:00,MST-7,2017-05-24 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the West Yellowstone Airport." +116348,702913,MONTANA,2017,May,High Wind,"GALLATIN",2017-05-24 17:00:00,MST-7,2017-05-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Bozeman Pass DOT site." +116906,703017,MONTANA,2017,May,High Wind,"TOOLE",2017-05-11 16:50:00,MST-7,2017-05-11 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist, southwest flow aloft developed ahead of a Pacific cold front, producing showers and thunderstorms. With dry low levels, even some showers produced strong wind gusts, possibly decaying thunderstorms.","Peak wind gust at the Sweet Grass DOT sensor." +116910,703073,MONTANA,2017,May,Winter Storm,"JEFFERSON",2017-05-17 06:00:00,MST-7,2017-05-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dynamic spring storm system brought heavy rain and snow to parts of central and Southwest Montana over a multi-day period. Rainfall amounts exceeded three inches for some and snowfall amounts of one to two feet were reported. Various impacts stemmed from this spring storm.","Eastbound Interstate 90 is closed over Homestake Pass. Prior to closure, there were multiple reports of jack-knifed semis due to snow and ice conditions." +116910,703078,MONTANA,2017,May,Winter Storm,"GALLATIN",2017-05-17 19:00:00,MST-7,2017-05-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dynamic spring storm system brought heavy rain and snow to parts of central and Southwest Montana over a multi-day period. Rainfall amounts exceeded three inches for some and snowfall amounts of one to two feet were reported. Various impacts stemmed from this spring storm.","KBZN media reports around 10 slide-offs over Bozeman Pass. DOT webcam shows poor visibility and snow-covered conditions over the pass." +116348,703080,MONTANA,2017,May,High Wind,"BLAINE",2017-05-24 23:01:00,MST-7,2017-05-24 23:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Wind gust from a shower, possibly a decaying thunderstorm." +116914,703084,MONTANA,2017,May,Thunderstorm Wind,"GLACIER",2017-05-31 20:21:00,MST-7,2017-05-31 20:21:00,0,0,0,0,0.00K,0,0.00K,0,48.36,-113.11,48.36,-113.11,"Isolated severe thunderstorms impacted parts of central Montana.","Peak wind gust measured at the Deep Creek RAWS site. Time estimated." +116481,700507,KANSAS,2017,May,Hail,"CHEYENNE",2017-05-15 19:56:00,CST-6,2017-05-15 19:56:00,0,0,0,0,0.00K,0,0.00K,0,39.873,-101.9862,39.873,-101.9862,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","" +116483,700510,NEBRASKA,2017,May,Hail,"DUNDY",2017-05-15 19:15:00,MST-7,2017-05-15 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0205,-101.8805,40.0205,-101.8805,"A severe thunderstorm produced ping-pong ball size hail east of Haigler.","" +116654,701393,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-22 16:55:00,MST-7,2017-05-22 16:55:00,0,0,0,0,0.00K,0,0.00K,0,39.5114,-101.5732,39.5114,-101.5732,"A line of thunderstorms moved east into Kansas from Colorado producing wind gusts up to 62 MPH. The highest wind gust was reported at Goodland.","Wind gusts were estimated to be around 60 MPH." +116654,701394,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-22 17:00:00,MST-7,2017-05-22 17:05:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A line of thunderstorms moved east into Kansas from Colorado producing wind gusts up to 62 MPH. The highest wind gust was reported at Goodland.","" +116654,701395,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-22 18:31:00,CST-6,2017-05-22 18:41:00,0,0,0,0,0.00K,0,0.00K,0,39.1009,-101.4342,39.1009,-101.4342,"A line of thunderstorms moved east into Kansas from Colorado producing wind gusts up to 62 MPH. The highest wind gust was reported at Goodland.","Wind gusts estimated to be atleast 60 MPH." +116654,701396,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-22 17:07:00,MST-7,2017-05-22 17:10:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A line of thunderstorms moved east into Kansas from Colorado producing wind gusts up to 62 MPH. The highest wind gust was reported at Goodland.","" +116684,701630,COLORADO,2017,May,Hail,"YUMA",2017-05-31 16:10:00,MST-7,2017-05-31 16:20:00,0,0,0,0,0.00K,0,0.00K,0,40.0876,-102.6815,40.0876,-102.6815,"Hail up to quarter size was reported near Yuma from a severe thunderstorm.","The hail ranged from dime to quarter size. A rain/hail mix fell through 5 PM." +116684,701638,COLORADO,2017,May,Hail,"YUMA",2017-05-31 16:31:00,MST-7,2017-05-31 16:31:00,0,0,0,0,0.00K,0,0.00K,0,40.0442,-102.6867,40.0442,-102.6867,"Hail up to quarter size was reported near Yuma from a severe thunderstorm.","Hail up to eight inches deep fell. The hail was still present at 9 AM the next morning." +116684,701640,COLORADO,2017,May,Hail,"YUMA",2017-05-31 16:38:00,MST-7,2017-05-31 16:38:00,0,0,0,0,0.00K,0,0.00K,0,40.0876,-102.6815,40.0876,-102.6815,"Hail up to quarter size was reported near Yuma from a severe thunderstorm.","Heavy rainfall accompanied the hail." +116317,699375,LOUISIANA,2017,May,Hail,"JEFFERSON",2017-05-03 08:50:00,CST-6,2017-05-03 08:50:00,0,0,0,0,0.00K,0,0.00K,0,29.27,-89.96,29.27,-89.96,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Quarter size hail was reported in Grand Isle." +114983,689902,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN COOS",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689903,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN GRAFTON",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689905,NEW HAMPSHIRE,2017,March,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689904,NEW HAMPSHIRE,2017,March,Heavy Snow,"STRAFFORD",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114983,689906,NEW HAMPSHIRE,2017,March,Heavy Snow,"SULLIVAN",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689916,MAINE,2017,March,Heavy Snow,"ANDROSCOGGIN",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689918,MAINE,2017,March,Heavy Snow,"COASTAL YORK",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689917,MAINE,2017,March,Heavy Snow,"COASTAL CUMBERLAND",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +117083,705195,KANSAS,2017,May,Hail,"HODGEMAN",2017-05-16 19:16:00,CST-6,2017-05-16 19:16:00,0,0,0,0,,NaN,,NaN,38.22,-99.9,38.22,-99.9,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705196,KANSAS,2017,May,Hail,"RUSH",2017-05-16 20:03:00,CST-6,2017-05-16 20:03:00,0,0,0,0,,NaN,,NaN,38.46,-99.53,38.46,-99.53,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705197,KANSAS,2017,May,Thunderstorm Wind,"RUSH",2017-05-16 00:30:00,CST-6,2017-05-16 00:30:00,0,0,0,0,,NaN,,NaN,38.54,-99.05,38.54,-99.05,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","Large tree limbs were blown down. The high wind was most likely due to a heat burst event from a dissipating thunderstorm." +117083,705198,KANSAS,2017,May,Thunderstorm Wind,"PAWNEE",2017-05-16 19:10:00,CST-6,2017-05-16 19:10:00,0,0,0,0,,NaN,,NaN,38.26,-98.99,38.26,-98.99,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","There was tree and road sign damage." +117083,705199,KANSAS,2017,May,Thunderstorm Wind,"PAWNEE",2017-05-16 19:21:00,CST-6,2017-05-16 19:21:00,0,0,0,0,,NaN,,NaN,38.23,-99,38.23,-99,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","Power poles were blown down." +117083,705201,KANSAS,2017,May,Tornado,"CLARK",2017-05-16 16:49:00,CST-6,2017-05-16 16:58:00,0,0,0,0,,NaN,,NaN,37.3764,-100.0012,37.409,-99.9403,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","The tornado did damage to vehicles, power lines and a small outbuildings." +114201,684020,VERMONT,2017,May,High Wind,"WESTERN RUTLAND",2017-05-05 15:45:00,EST-5,2017-05-05 16:30:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Measured wind gust of 74 mph in Wells, VT and 54 knots at Rutland Airport in Clarendon before losing power. Hundreds of trees downed, uprooted or snapped across Rutland Town and Rutland City as well as some neighboring communities like Pawlet and Ira. More than 3 dozen utility poles damaged and partial roof structures torn off in some businesses. Lots of trees on roofs and vehicles with more than 17,000 customers without power." +114201,684023,VERMONT,2017,May,Strong Wind,"EASTERN ADDISON",2017-05-05 16:00:00,EST-5,2017-05-05 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 45-50 mph occurred sporadically across the higher elevations of the foothills of the western slopes of the Green Mountains. This resulted in a few dozen customers without power." +114311,684897,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TAMPA BAY",2017-05-04 17:31:00,EST-5,2017-05-04 17:31:00,0,0,0,0,0.00K,0,0.00K,0,27.91,-82.6874,27.91,-82.6874,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","The ASOS at St. Pete-Clearwater International Airport measured a wind gust of 35 knots...40 mph." +114107,686011,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:40:00,EST-5,2017-05-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.9894,-77.5939,40.9894,-77.5939,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 70 mph and knocked down a swath of trees behind homes along Sand Ridge Road and Ponderosa Road north of Hublersburg." +114107,686012,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:53:00,EST-5,2017-05-01 17:53:00,0,0,0,0,10.00K,10000,0.00K,0,40.8791,-77.4496,40.8791,-77.4496,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down or snapped approximately three dozen trees and damaged a pole barn northeast of Coburn." +114107,686014,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 18:11:00,EST-5,2017-05-01 18:11:00,0,0,0,0,6.00K,6000,0.00K,0,41.21,-77.12,41.21,-77.12,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down numerous trees near Nisbet." +114107,686016,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SULLIVAN",2017-05-01 18:25:00,EST-5,2017-05-01 18:25:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-76.73,41.54,-76.73,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A microburst associated with a severe thunderstorm produced winds estimated near 80 mph, knocking down a swath of 60-80 trees southeast of Shunk." +114107,685905,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WARREN",2017-05-01 14:25:00,EST-5,2017-05-01 14:25:00,0,0,0,0,7.00K,7000,0.00K,0,41.7122,-79.3522,41.7122,-79.3522,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees along Davey Hill Road." +115948,696754,SOUTH CAROLINA,2017,May,Hail,"ORANGEBURG",2017-05-28 19:17:00,EST-5,2017-05-28 19:20:00,0,0,0,0,0.10K,100,0.10K,100,33.62,-81.1,33.62,-81.1,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","COOP Observer near the town of North reported dime size hail." +115948,696755,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 17:56:00,EST-5,2017-05-28 18:00:00,0,0,0,0,,NaN,,NaN,34.05,-81.15,34.05,-81.15,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Tree uprooted and crashed into a home, damaging the roof and several rooms, near St. Andrews Rd and Tram Rd." +115948,696756,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 18:00:00,EST-5,2017-05-28 18:05:00,0,0,0,0,,NaN,,NaN,34.05,-81.13,34.05,-81.13,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Trees were down at Old Shepherds Rd and Ashland Rd." +114578,687181,KENTUCKY,2017,May,Hail,"MORGAN",2017-05-11 15:30:00,EST-5,2017-05-11 15:30:00,0,0,0,0,,NaN,,NaN,37.87,-83.2,37.87,-83.2,"A line of showers and thunderstorms developed along and ahead of a cold front this afternoon. A few of these storms intensified to produce penny to quarter sized hail across eastern Kentucky, while a strong storm resulted in a downed tree farther west in Rockcastle County.","A trained spotter reported quarter sized hail in White Oak." +114578,687182,KENTUCKY,2017,May,Hail,"JOHNSON",2017-05-11 15:37:00,EST-5,2017-05-11 15:37:00,0,0,0,0,,NaN,,NaN,37.7745,-82.8043,37.7745,-82.8043,"A line of showers and thunderstorms developed along and ahead of a cold front this afternoon. A few of these storms intensified to produce penny to quarter sized hail across eastern Kentucky, while a strong storm resulted in a downed tree farther west in Rockcastle County.","A trained spotter observed nickel sized hail along U.S. Highway 23 south of Paintsville." +114578,687183,KENTUCKY,2017,May,Hail,"FLOYD",2017-05-11 15:56:00,EST-5,2017-05-11 15:56:00,0,0,0,0,,NaN,,NaN,37.6534,-82.8307,37.6534,-82.8307,"A line of showers and thunderstorms developed along and ahead of a cold front this afternoon. A few of these storms intensified to produce penny to quarter sized hail across eastern Kentucky, while a strong storm resulted in a downed tree farther west in Rockcastle County.","A cooperative observer reported up to nickel sized hail west of Prestonsburg." +115948,696758,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 18:00:00,EST-5,2017-05-28 18:05:00,0,0,0,0,,NaN,,NaN,34.05,-81.14,34.05,-81.14,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Tree in road at Harrow Dr and Stonehedge Dr." +115948,696759,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-28 18:11:00,EST-5,2017-05-28 18:15:00,0,0,0,0,,NaN,,NaN,34,-80.98,34,-80.98,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Trees in roadway at Devereaux Rd and Beltline Blvd." +115948,696760,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-28 18:57:00,EST-5,2017-05-28 19:00:00,0,0,0,0,,NaN,,NaN,33.98,-80.39,33.98,-80.39,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Damage to part of a roof, carport, and car, on Beckwood Rd." +114578,687185,KENTUCKY,2017,May,Hail,"PIKE",2017-05-11 16:25:00,EST-5,2017-05-11 16:25:00,0,0,0,0,,NaN,,NaN,37.5799,-82.351,37.5799,-82.351,"A line of showers and thunderstorms developed along and ahead of a cold front this afternoon. A few of these storms intensified to produce penny to quarter sized hail across eastern Kentucky, while a strong storm resulted in a downed tree farther west in Rockcastle County.","A Skywarn storm spotter observed penny sized hail south of Canada." +114578,687186,KENTUCKY,2017,May,Thunderstorm Wind,"ROCKCASTLE",2017-05-11 16:30:00,EST-5,2017-05-11 16:30:00,0,0,0,0,,NaN,0.10K,100,37.35,-84.38,37.35,-84.38,"A line of showers and thunderstorms developed along and ahead of a cold front this afternoon. A few of these storms intensified to produce penny to quarter sized hail across eastern Kentucky, while a strong storm resulted in a downed tree farther west in Rockcastle County.","A citizen reported a tree blown down in Maretburg." +114576,687158,KENTUCKY,2017,May,Thunderstorm Wind,"PERRY",2017-05-05 00:35:00,EST-5,2017-05-05 00:35:00,0,0,0,0,,NaN,0.10K,100,37.2728,-83.2644,37.2728,-83.2644,"Showers and thunderstorms developed late on May 4th, including a line of strong storms that moved through Perry County shortly after midnight into the 5th. This caused a tree to be blown down west of Hazard.","The department of highways reported a tree blown down just west of Hazard near Couchtown." +114367,687191,ARKANSAS,2017,May,Flash Flood,"NEVADA",2017-05-03 14:30:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.6154,-93.3963,33.6138,-93.3913,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","High water over Highway 278." +114365,685304,TEXAS,2017,May,Hail,"CHILDRESS",2017-05-10 15:07:00,CST-6,2017-05-10 15:07:00,0,0,0,0,0.00K,0,0.00K,0,34.376,-100.038,34.376,-100.038,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A storm chaser reported golf ball size hail along US Highway 287 southeast of Kirkland." +114365,685308,TEXAS,2017,May,Hail,"HALL",2017-05-10 15:45:00,CST-6,2017-05-10 15:59:00,0,0,0,0,0.00K,0,0.00K,0,34.6842,-100.8961,34.6769,-100.8354,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","The Hall County Sheriff's office reported a swath of hail ranging from quarter size to baseball size to the south and southeast of Brice along State Highway 256. No damage was reported." +114365,685312,TEXAS,2017,May,Hail,"HALL",2017-05-10 16:28:00,CST-6,2017-05-10 16:39:00,0,0,0,0,0.00K,0,0.00K,0,34.7242,-100.5497,34.72,-100.53,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","Law enforcement in Hall County and storm chasers reported hail up to golf ball size in Memphis. No damage was reported." +114365,685445,TEXAS,2017,May,Tornado,"MOTLEY",2017-05-10 13:54:00,CST-6,2017-05-10 13:54:00,0,0,0,0,0.00K,0,0.00K,0,34.0234,-100.773,34.0234,-100.773,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A storm chaser documented a brief tornado east of Matator. No damage occurred, therefore an EF-Unknown rating was assigned." +114665,694076,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-20 16:26:00,CST-6,2017-05-20 16:26:00,0,0,0,0,0.20K,200,0.00K,0,34.46,-86.55,34.46,-86.55,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down across the roadway." +114665,694077,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-20 16:29:00,CST-6,2017-05-20 16:29:00,0,0,0,0,0.50K,500,0.00K,0,34.44,-86.55,34.44,-86.55,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down by thunderstorm winds onto a power line." +114665,694078,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:53:00,CST-6,2017-05-20 16:53:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-86.53,34.74,-86.53,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Mesonet station AR191 registered a gust of 60 mph, 5 miles east-northeast of Huntsville." +114665,696492,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:49:00,CST-6,2017-05-20 16:49:00,0,0,0,0,,NaN,,NaN,34.81,-86.49,34.81,-86.49,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Wind gusts estimated between 60 to 65 MPH from thunderstorms." +114805,688575,KENTUCKY,2017,May,Lightning,"GREENUP",2017-05-19 20:00:00,EST-5,2017-05-19 20:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.4932,-82.6908,38.4932,-82.6908,"Showers and thunderstorms formed along a cold front which moved through northeastern Kentucky during the evening of the 19th. The storms remained below severe limits.","A house was struck by lighting, causing a fire to start inside one of the walls. One room sustained damage." +114838,688900,OHIO,2017,May,Thunderstorm Wind,"PERRY",2017-05-19 18:00:00,EST-5,2017-05-19 18:00:00,0,0,0,0,0.50K,500,0.00K,0,39.604,-82.2096,39.604,-82.2096,"Showers and thunderstorms formed along a cold front which moved through southeastern Ohio during the evening of the 19th. Most storms stayed below severe levels, however one pulsed up and resulted in tree damage in Perry County.","Thunderstorm winds blew down a tree in Shawnee." +114966,689637,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 00:50:00,CST-6,2017-05-29 00:50:00,0,0,0,0,0.00K,0,0.00K,0,29.23,-94.4,29.23,-94.4,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Galveston Buoy 42035." +114966,689638,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-29 01:55:00,CST-6,2017-05-29 01:55:00,0,0,0,0,0.00K,0,0.00K,0,28.31,-95.62,28.31,-95.62,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Brazos 538 Platform BQX." +114966,689639,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-29 01:55:00,CST-6,2017-05-29 01:55:00,0,0,0,0,0.00K,0,0.00K,0,28.52,-95.7,28.52,-95.7,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at KBQX platform." +114966,689640,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-05-29 02:50:00,CST-6,2017-05-29 02:50:00,0,0,0,0,0.00K,0,0.00K,0,27.92,-95.35,27.92,-95.35,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Buoy 42019." +114966,689641,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 04:12:00,CST-6,2017-05-29 04:12:00,0,0,0,0,0.00K,0,0.00K,0,29.3439,-94.7097,29.3439,-94.7097,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Galveston North Jetty via weatherflow." +114966,689643,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 04:26:00,CST-6,2017-05-29 04:26:00,0,0,0,0,0.00K,0,0.00K,0,28.95,-95.28,28.95,-95.28,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Surfside Beach." +114966,689645,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-05-29 04:30:00,CST-6,2017-05-29 04:30:00,0,0,0,0,0.00K,0,0.00K,0,28.98,-95.17,28.98,-95.17,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was recorded at Aransas Pass." +114966,689646,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-29 04:35:00,CST-6,2017-05-29 04:35:00,0,0,0,0,0.00K,0,0.00K,0,29.04,-94.68,29.04,-94.68,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was recorded at KXIH observation site." +114966,689651,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 04:36:00,CST-6,2017-05-29 04:36:00,0,0,0,0,0.00K,0,0.00K,0,29.45,-94.63,29.45,-94.63,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Rollover Pass." +114966,689656,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-29 05:15:00,CST-6,2017-05-29 05:15:00,0,0,0,0,0.00K,0,0.00K,0,28.31,-95.62,28.31,-95.62,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Brazos 538 KBQX platform." +114885,689197,MONTANA,2017,May,Hail,"CARTER",2017-05-07 22:29:00,MST-7,2017-05-07 22:29:00,0,0,0,0,0.00K,0,0.00K,0,45.89,-104.55,45.89,-104.55,"An isolated early season severe thunderstorm produced some damaging winds and large hail across Golden Valley and Stillwater Counties.","" +115087,690907,ILLINOIS,2017,May,Thunderstorm Wind,"LA SALLE",2017-05-17 22:00:00,CST-6,2017-05-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-89.01,41.34,-89.01,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Multiple large trees were blown down." +115087,690910,ILLINOIS,2017,May,Thunderstorm Wind,"DU PAGE",2017-05-17 22:17:00,CST-6,2017-05-17 22:17:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-88.25,41.92,-88.25,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +115087,690912,ILLINOIS,2017,May,Thunderstorm Wind,"WILL",2017-05-17 23:21:00,CST-6,2017-05-17 23:26:00,0,0,0,0,0.50K,500,0.00K,0,41.5956,-88.1036,41.6042,-88.0849,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Winds gusted 60 to 64 mph at NWS Chicago. A power pole was snapped on Renwick Road." +115087,690913,ILLINOIS,2017,May,Thunderstorm Wind,"COOK",2017-05-17 23:33:00,CST-6,2017-05-17 23:33:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-87.99,41.67,-87.99,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A large section of a tree was blown down." +115087,690915,ILLINOIS,2017,May,Thunderstorm Wind,"COOK",2017-05-18 00:00:00,CST-6,2017-05-18 00:00:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-87.75,41.7166,-87.7322,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A four inch diameter tree branch fell through a windshield and a six inch diameter branch fell onto a car. Near 97th and Kenneth, a one foot diameter branch from a healthy maple tree was blown down. Scattered tree limbs of varying sizes were blown down throughout town." +115177,697792,MISSOURI,2017,May,Hail,"HICKORY",2017-05-26 03:55:00,CST-6,2017-05-26 03:55:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-93.26,37.88,-93.26,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697793,MISSOURI,2017,May,Hail,"HICKORY",2017-05-26 03:22:00,CST-6,2017-05-26 03:22:00,0,0,0,0,,NaN,0.00K,0,37.89,-93.54,37.89,-93.54,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697794,MISSOURI,2017,May,Hail,"HICKORY",2017-05-26 03:30:00,CST-6,2017-05-26 03:30:00,0,0,0,0,,NaN,0.00K,0,37.85,-93.43,37.85,-93.43,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697795,MISSOURI,2017,May,Hail,"TEXAS",2017-05-26 05:39:00,CST-6,2017-05-26 05:39:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-92.23,37.51,-92.23,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697796,MISSOURI,2017,May,Hail,"LACLEDE",2017-05-26 04:15:00,CST-6,2017-05-26 04:15:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-92.85,37.72,-92.85,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697797,MISSOURI,2017,May,Hail,"DALLAS",2017-05-26 04:00:00,CST-6,2017-05-26 04:00:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-93.17,37.84,-93.17,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was a picture on social media of at least quarter size hail near Urbana." +115177,697798,MISSOURI,2017,May,Hail,"TEXAS",2017-05-26 04:55:00,CST-6,2017-05-26 04:55:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-92.14,37.52,-92.14,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Hail up to quarter size was reported in Roby." +115177,698016,MISSOURI,2017,May,Thunderstorm Wind,"HOWELL",2017-05-27 19:03:00,CST-6,2017-05-27 19:03:00,0,0,0,0,0.00K,0,0.00K,0,37,-91.7,37,-91.7,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A large tree was blown down in Mountain View." +115177,698017,MISSOURI,2017,May,Thunderstorm Wind,"HOWELL",2017-05-27 19:03:00,CST-6,2017-05-27 19:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.73,-91.85,36.73,-91.85,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several pictures on social media showed damage to a building in West Plains." +115177,698018,MISSOURI,2017,May,Thunderstorm Wind,"HOWELL",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.68,-91.91,36.68,-91.91,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were uprooted and a house had minor damage." +115177,698019,MISSOURI,2017,May,Thunderstorm Wind,"LACLEDE",2017-05-27 14:00:00,CST-6,2017-05-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-92.7,37.58,-92.7,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down or snapped." +115177,698020,MISSOURI,2017,May,Thunderstorm Wind,"OREGON",2017-05-27 19:30:00,CST-6,2017-05-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-91.4,36.69,-91.4,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Numerous trees were blown down around Alton and Winona." +115177,698428,MISSOURI,2017,May,Tornado,"LACLEDE",2017-05-27 14:09:00,CST-6,2017-05-27 14:11:00,0,0,0,0,0.00K,0,0.00K,0,37.6284,-92.4892,37.6336,-92.4519,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A NWS storm survey confirmed an EF-1 tornado tracked about 2 miles across rural Laclede County near the Drynob area. Numerous trees were uprooted along the path. Estimated maximum wind speed was up to 90 mph." +115178,691492,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-28 17:35:00,CST-6,2017-05-28 17:35:00,1,0,0,0,0.00K,0,0.00K,0,32.1918,-93.8385,32.1918,-93.8385,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large tree fell on a home near the intersection of Highway 171 and Highway 5 in the Kickapoo community. A baby of unknown age and gender in the mobile home was injured but survived." +115185,691813,WISCONSIN,2017,May,Thunderstorm Wind,"WALWORTH",2017-05-17 18:01:00,CST-6,2017-05-17 18:07:00,0,0,0,0,100.00K,100000,0.00K,0,42.84,-88.74,42.84,-88.74,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A considerable number of trees and limbs down in Whitewater. Some trees or limbs down on homes and vehicles. Roads were closed due to the large number of trees blocking the roads. No electricity into the next day with schools cancelled. A corn dryer on Howard Road was disconnected from its gas line, thereby causing a fire." +115185,691822,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 18:01:00,CST-6,2017-05-17 18:07:00,0,0,0,0,5.00K,5000,0.00K,0,42.8463,-88.7456,42.8463,-88.7456,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Trees down on the University of Wisconsin Whitewater campus including near Perkins Stadium on the north side of Whitewater in Jefferson County." +112318,669944,PENNSYLVANIA,2017,February,High Wind,"EASTERN MONTGOMERY",2017-02-13 04:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Downed tree at Intersection of Ashbourne and New Second streets." +112318,669939,PENNSYLVANIA,2017,February,High Wind,"WESTERN CHESTER",2017-02-13 04:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","A large tree was downed on Cranberry Lane." +112318,669951,PENNSYLVANIA,2017,February,High Wind,"EASTERN MONTGOMERY",2017-02-13 05:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Tree downed onto Valley Road." +114337,686968,TEXAS,2017,May,Tornado,"BAILEY",2017-05-09 18:46:00,CST-6,2017-05-09 18:46:00,0,0,0,0,0.00K,0,0.00K,0,33.86,-102.7,33.86,-102.7,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","Storm chasers observed a very brief and narrow tornado over open land east of Enochs." +114337,686970,TEXAS,2017,May,Tornado,"LAMB",2017-05-09 19:45:00,CST-6,2017-05-09 19:45:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-102.54,34.07,-102.54,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","A very narrow tornado was observed for a few seconds over a field." +114337,686973,TEXAS,2017,May,Hail,"COCHRAN",2017-05-09 18:30:00,CST-6,2017-05-09 18:30:00,0,0,0,0,,NaN,0.00K,0,33.7984,-102.7641,33.82,-102.76,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","A swath of severe hail moved over Texas Highway 214, with hailstones estimated as big as tennis ball size. No damage was reported." +114337,686974,TEXAS,2017,May,Hail,"PARMER",2017-05-09 18:31:00,CST-6,2017-05-09 18:31:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-102.99,34.7,-102.99,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","No damage was reported." +115520,693566,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-05-04 18:58:00,EST-5,2017-05-04 18:58:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-80.338,27.5,-80.338,"An upper level disturbance combined with sea breeze collisions along the east central Florida coast produced a line of strong thunderstorms that moved across the St. Lucie County waters, with winds above 34 knots.","A thunderstorm produced a 36 knot gust from the west-northwest at Treasure Coast International Airport (KFPR) as the storm moved east into the Atlantic." +115629,694640,FLORIDA,2017,May,Wildfire,"OKEECHOBEE",2017-05-27 19:36:00,EST-5,2017-05-27 20:36:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A high pressure ridge was in place over Central Florida, resulting in light west winds and minimum relative humidity values between 25 and 30 percent. A wildfire destroyed a mobile home and damaged a second one in northern, rural Okeechobee County.","The Florida Forest Service reported that a 185 acre wildfire in northern Okeechobee County destroyed one mobile home and damaged another mobile home. Initial evacuation orders were issued for other residents living nearby, but those were lifted and residents allowed to return home once the fire was contained." +115565,693935,FLORIDA,2017,May,Thunderstorm Wind,"LAKE",2017-05-30 18:58:00,EST-5,2017-05-30 18:58:00,0,0,0,0,,NaN,,NaN,28.9093,-81.7684,28.9093,-81.7684,"A strong thunderstorm formed along the collision of the east coast and west coast sea breezes along the spine of the Florida peninsula and briefly became severe, downing multiple trees in Umatilla.","A brief, severe thunderstorm with estimated wind speeds near 60 mph caused minor damage at a residence on County Road 452 near the Emerald Marsh Conservation Area in Umatilla. The home owner reported several downed and broken large trees on her property, per a social media post." +115564,693934,FLORIDA,2017,May,Thunderstorm Wind,"MARTIN",2017-05-31 18:00:00,EST-5,2017-05-31 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,27.0889,-80.6574,27.0889,-80.6574,"Afternoon sea breeze collisions produced a strong thunderstorm in western Martin County that produced very minimal damage as it moved west across the northeastern shore of Lake Okeechobee.","A strong thunderstorm with estimated wind gusts near 50 mph caused minor wind damage at the J & S Fish Camp in western Martin County. A park officer reported that four awnings were torn off mobile homes, and multiple medium sized tree branches were torn off trees." +115553,693837,FLORIDA,2017,May,Thunderstorm Wind,"OKEECHOBEE",2017-05-24 15:45:00,EST-5,2017-05-24 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,27.2152,-80.7905,27.2152,-80.7905,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","A large rotten oak tree fell on a mobile home near Okeechobee City as a thunderstorm passed over the area with estimated wind gusts estimated near 40 mph. The fallen tree caused damage to the kitchen and bedroom areas of the mobile home." +114982,689901,KENTUCKY,2017,May,Flash Flood,"HARLAN",2017-05-27 21:45:00,EST-5,2017-05-28 02:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.7975,-83.339,36.8011,-83.3379,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A foot of water was observed flow across Hwy 72 near the junction of Hwy 2425." +114982,689907,KENTUCKY,2017,May,Flash Flood,"PULASKI",2017-05-27 22:55:00,EST-5,2017-05-28 00:05:00,0,0,0,0,1.00K,1000,0.00K,0,37.17,-84.56,37.1558,-84.5587,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Flash flooding of a small stream occurred along KY Hwy 39, causing the road to be covered with flowing water. Two vehicles became stranded while attempting to drive through the flooded roadway." +114982,689910,KENTUCKY,2017,May,Flash Flood,"PULASKI",2017-05-27 23:44:00,EST-5,2017-05-28 00:05:00,0,0,0,0,1.00K,1000,0.00K,0,37.1645,-84.5022,37.1628,-84.5016,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Several feet of water was observed over the road at the intersection of Mark Welborn Rd and Barnesburg road near Shopville." +114982,689911,KENTUCKY,2017,May,Flood,"HARLAN",2017-05-28 05:25:00,EST-5,2017-05-28 07:53:00,0,0,0,0,1.00K,1000,0.00K,0,36.79,-83.33,36.787,-83.3297,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","West Hwy 72 just past mile marker 6 was completely under water, near the intersection of KY Hwy 1216." +115295,696984,ILLINOIS,2017,May,Flood,"CHAMPAIGN",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,40.101,-88.2061,39.8808,-88.3424,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across southern Champaign County. Several streets in Urbana were impassable. Numerous rural roads and highways in the southern part of the county from Pesotum to Broadlands were inundated. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +116041,697423,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:25:00,CST-6,2017-05-15 21:25:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-92.47,44.1,-92.47,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Quarter sized hail was reported on the north side of Rochester." +116041,697425,MINNESOTA,2017,May,Hail,"WABASHA",2017-05-15 22:00:00,CST-6,2017-05-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-92.37,44.22,-92.37,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697427,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 20:40:00,CST-6,2017-05-15 20:40:00,0,0,0,0,0.00K,0,0.00K,0,44,-92.31,44,-92.31,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Walnut sized hail was reported near Chester." +116041,697429,MINNESOTA,2017,May,Hail,"FILLMORE",2017-05-15 20:29:00,CST-6,2017-05-15 20:29:00,0,0,0,0,0.00K,0,0.00K,0,43.69,-92.43,43.69,-92.43,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697430,MINNESOTA,2017,May,Hail,"FILLMORE",2017-05-15 20:30:00,CST-6,2017-05-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,43.69,-92.39,43.69,-92.39,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697459,MINNESOTA,2017,May,Hail,"DODGE",2017-05-15 22:35:00,CST-6,2017-05-15 22:35:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-93,44.06,-93,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Quarter sized hail was reported near Claremont." +116041,697463,MINNESOTA,2017,May,Hail,"HOUSTON",2017-05-15 22:10:00,CST-6,2017-05-15 22:10:00,0,0,0,0,0.00K,0,0.00K,0,43.79,-91.6,43.79,-91.6,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Half dollar sized hail was reported northwest of Houston." +115570,697389,KANSAS,2017,May,Flash Flood,"LOGAN",2017-05-10 22:00:00,CST-6,2017-05-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1154,-100.9323,39.1153,-100.9323,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to seven inches of rain fell just northwest of the Highway 40/CR 400 intersection, with the higher amounts uphill just across the county line. The flood waters from the heavy rainfall were over Highway 40 a half mile west of this intersection." +115570,697391,KANSAS,2017,May,Flood,"LOGAN",2017-05-11 01:00:00,CST-6,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1153,-100.9323,39.1155,-100.9323,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Flood waters continued running over Highway 40 after the rainfall ended." +115436,693165,IOWA,2017,May,Flash Flood,"HANCOCK",2017-05-15 18:30:00,CST-6,2017-05-15 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.96,-93.56,42.9621,-93.5548,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported that Vail Ave was washed out just south of 140th st." +115436,693166,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 18:42:00,CST-6,2017-05-15 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,42.8,-92.26,42.8,-92.26,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Broadcast media reported that a two foot diameter tree was snapped." +115436,693167,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 18:43:00,CST-6,2017-05-15 18:43:00,0,0,0,0,10.00K,10000,0.00K,0,42.81,-92.26,42.81,-92.26,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Emergency manager reported downed limbs, at least two taking down power lines, unhealthy trees blown over, and power outage of about 30 minutes. This is a delayed report." +115436,693152,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 17:20:00,CST-6,2017-05-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.83,-92.54,42.83,-92.54,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","The Plainfield IDOT RWIS along Highway 218 recorded a 59 mph wind gust." +116144,703483,OKLAHOMA,2017,May,Tornado,"MCINTOSH",2017-05-18 20:57:00,CST-6,2017-05-18 21:09:00,0,0,0,0,175.00K,175000,0.00K,0,35.2461,-95.95,35.3211,-95.7272,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed south of Highway 9 and west of the Indian Nation Turnpike where it snapped and uprooted trees. As the tornado moved east-northeast, it crossed the Indian Nation Turnpike where it snapped trees. A large outbuilding was destroyed, a home was damaged, numerous trees were snapped or uprooted, and a metal high-voltage truss tower was blown down as it crossed Highway 9. The tornado continued to move east-northeast snapping and uprooting trees, and then curved to the northeast before dissipating after it crossed the N 4090 Road. Based on this damage, maximum estimated wind in the tornado was 110 to 120 mph." +116213,698676,MISSOURI,2017,May,Strong Wind,"PERRY",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698677,MISSOURI,2017,May,Strong Wind,"RIPLEY",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698678,MISSOURI,2017,May,Strong Wind,"SCOTT",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,3,0,1,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698679,MISSOURI,2017,May,Strong Wind,"STODDARD",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +115267,692020,ILLINOIS,2017,May,Thunderstorm Wind,"MASSAC",2017-05-27 15:11:00,CST-6,2017-05-27 15:26:00,0,0,0,0,50.00K,50000,0.00K,0,37.3,-88.9,37.23,-88.63,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","A swath of damaging winds crossed northern and central Massac County. Wind speeds estimated up to 80 mph broke utility poles, snapped numerous trees, and blew down a barn. On the western side of the county, power poles were snapped near the intersection of Highway 169 and County Road 12. On the eastern side of the county, a barn was blown down east of Highway 145 near County Road 2. Some of the most concentrated damage was in the New Columbia area, where numerous trees were snapped and uprooted. Shingles were blown off a house on the northwest side of New Columbia. Large tree limbs were blown down on U.S. Highway 45 north of Mermet." +115267,692019,ILLINOIS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 15:15:00,CST-6,2017-05-27 15:15:00,0,0,0,0,3.00K,3000,0.00K,0,37.52,-88.83,37.52,-88.83,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","A few trees were down." +115331,692464,MISSOURI,2017,May,Thunderstorm Wind,"CAPE GIRARDEAU",2017-05-27 14:35:00,CST-6,2017-05-27 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,37.5,-89.5,37.5,-89.5,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Power lines were down on County Road 525." +115331,692450,MISSOURI,2017,May,Hail,"WAYNE",2017-05-27 15:47:00,CST-6,2017-05-27 15:47:00,0,0,0,0,,NaN,,NaN,37.1165,-90.6922,37.1165,-90.6922,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Baseball-size hail was photographed and relayed via social media." +115620,696206,ILLINOIS,2017,May,Flood,"UNION",2017-05-01 00:00:00,CST-6,2017-05-21 18:00:00,0,0,0,0,0.00K,0,50.00K,50000,37.5,-89.43,37.4302,-89.4287,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Major flooding occurred along the Mississippi River early in the month. There was extensive flooding of low-lying agricultural land, as well as county roads in the flood plain." +116311,702488,INDIANA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-10 22:15:00,EST-5,2017-05-10 22:15:00,0,0,0,0,5.00K,5000,,NaN,39.39,-86.57,39.39,-86.57,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Trees and limbs were down on roads due to damaging thunderstorm wind gusts. Power was turning off and on." +116311,702513,INDIANA,2017,May,Thunderstorm Wind,"VIGO",2017-05-10 21:37:00,EST-5,2017-05-10 21:37:00,0,0,0,0,,NaN,,NaN,39.41,-87.38,39.41,-87.38,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Damaging thunderstorm winds were estimated at 60 to 70 mph." +116311,702516,INDIANA,2017,May,Thunderstorm Wind,"MONROE",2017-05-10 22:13:00,EST-5,2017-05-10 22:13:00,0,0,0,0,3.50K,3500,,NaN,39.24,-86.62,39.24,-86.62,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","A large tree limb split and was blown onto a house due to damaging thunderstorm wind gusts." +116311,702517,INDIANA,2017,May,Thunderstorm Wind,"MONROE",2017-05-10 22:15:00,EST-5,2017-05-10 22:15:00,0,0,0,0,10.00K,10000,0.00K,0,39.23,-86.62,39.23,-86.62,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Multiple social media reports of trees downed on roads in and around the Ellettsville area due to damaging thunderstorm wind gusts." +116311,702518,INDIANA,2017,May,Thunderstorm Wind,"HENDRICKS",2017-05-10 22:20:00,EST-5,2017-05-10 22:20:00,0,0,0,0,12.00K,12000,0.00K,0,39.61,-86.48,39.61,-86.48,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","A portion of a warehouse roof and walls were blown down due to damaging thunderstorm wind gusts." +116168,698230,IOWA,2017,May,Thunderstorm Wind,"WARREN",2017-05-17 15:18:00,CST-6,2017-05-17 15:18:00,0,0,0,0,40.00K,40000,0.00K,0,41.49,-93.78,41.49,-93.78,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported semi blown over on I-35 at mile marker 65." +116168,698234,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:19:00,CST-6,2017-05-17 15:19:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-93.8,41.69,-93.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS employee reported wind gusts to 70 mph. Trees and large branches were down around town." +116168,698241,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:25:00,CST-6,2017-05-17 15:25:00,0,0,0,0,0.00K,0,0.00K,0,41.5886,-93.6274,41.5886,-93.6274,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported evacuation of tall buildings in Capital Square underway. Very strong winds downtown, estimated around 70 mph." +116421,700092,COLORADO,2017,May,Hail,"YUMA",2017-05-25 14:27:00,MST-7,2017-05-25 14:27:00,0,0,0,0,0.30K,300,0.00K,0,39.7461,-102.21,39.7461,-102.21,"A super cell thunderstorm moved east across central Yuma County producing large hail up to three inches in diameter. The largest hail fell near Idalia. The storm also produced a tornado near Bonny Reservoir not long after the tea cup size hail was reported. Due to the tornado occurring over open country, no damage was reported. The super cell quickly weakened as it crossed into Kansas.","The windsheild was smashed from hailstones, some stones were larger than baseballs." +115236,697138,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-15 17:22:00,CST-6,2017-05-15 17:22:00,0,0,0,0,4.00K,4000,0.00K,0,42.95,-92.54,42.95,-92.54,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Trees were blown down, snapped or uprooted in Nashua from an estimated 65 mph wind gust." +113468,679241,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN HAMPSHIRE",2017-02-09 06:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Eleven to seventeen inches of snow fell on Eastern Hampshire County." +113468,679242,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN HAMPDEN",2017-02-09 06:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Twelve to nineteen inches of snow fell on Eastern Hampden County." +113468,679243,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHERN WORCESTER",2017-02-09 07:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Eight to fourteen inches of snow fell on Southern Worcester County." +113468,679244,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN NORFOLK",2017-02-09 07:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to fifteen inches of snow fell on Western Norfolk County." +113468,679245,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHEAST MIDDLESEX",2017-02-09 07:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Seven to thirteen inches of snow fell on Southeast Middlesex County." +116421,700095,COLORADO,2017,May,Tornado,"YUMA",2017-05-25 14:35:00,MST-7,2017-05-25 14:42:00,0,0,0,0,0.00K,0,0.00K,0,39.6876,-102.1557,39.6797,-102.1044,"A super cell thunderstorm moved east across central Yuma County producing large hail up to three inches in diameter. The largest hail fell near Idalia. The storm also produced a tornado near Bonny Reservoir not long after the tea cup size hail was reported. Due to the tornado occurring over open country, no damage was reported. The super cell quickly weakened as it crossed into Kansas.","Based on rotation from radar, the tornado moved east-southeast and crossed CR MM but remained north of CR 7. Due to the tornado occurring over open country, no damage was reported." +116433,700236,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-02 21:58:00,CST-6,2017-05-02 21:58:00,0,0,0,0,0.00K,0,0.00K,0,36.21,-100.65,36.21,-100.65,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700235,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-02 21:28:00,CST-6,2017-05-02 21:28:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-100.91,36.32,-100.91,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","Late report." +116433,700237,TEXAS,2017,May,Hail,"HANSFORD",2017-05-02 22:42:00,CST-6,2017-05-02 22:42:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-101.23,36.2,-101.23,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","Law enforcement reported golf ball size hail." +116433,700238,TEXAS,2017,May,Hail,"HANSFORD",2017-05-02 22:45:00,CST-6,2017-05-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-101.48,36.06,-101.48,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","Late report...6 inch diameter tree limbs downed and quarter sized hail fell. Time estimated from radar." +116433,700239,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-02 22:52:00,CST-6,2017-05-02 22:52:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-101.45,36.02,-101.45,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116592,701171,TEXAS,2017,May,Hail,"POTTER",2017-05-10 15:25:00,CST-6,2017-05-10 15:25:00,0,0,0,0,,NaN,,NaN,35.24,-101.8,35.24,-101.8,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","Picture of hail received." +116592,701172,TEXAS,2017,May,Hail,"SHERMAN",2017-05-10 15:57:00,CST-6,2017-05-10 15:57:00,0,0,0,0,,NaN,,NaN,36.22,-101.96,36.22,-101.96,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","Golf ball hail southeast of Stratford." +116592,701173,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-10 16:05:00,CST-6,2017-05-10 16:05:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.61,35.64,-101.61,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","" +115733,695544,ALABAMA,2017,April,Thunderstorm Wind,"FAYETTE",2017-04-30 11:55:00,CST-6,2017-04-30 11:56:00,0,0,0,0,0.00K,0,0.00K,0,33.79,-87.69,33.79,-87.69,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted and blocking Highway 102." +115733,695547,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:14:00,CST-6,2017-04-30 12:15:00,0,0,0,0,0.00K,0,0.00K,0,33.83,-87.43,33.83,-87.43,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted and blocking the intersection of Highway 124 and Highway 102." +115733,695550,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:15:00,CST-6,2017-04-30 12:16:00,0,0,0,0,0.00K,0,0.00K,0,33.8441,-87.412,33.8441,-87.412,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Holly Grove Road." +115173,691455,COLORADO,2017,May,Winter Storm,"CENTRAL YAMPA RIVER BASIN",2017-05-17 20:00:00,MST-7,2017-05-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 4 to 8 inches. The heaviest snow fell in and around Craig." +115733,695553,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:15:00,CST-6,2017-04-30 12:16:00,0,0,0,0,0.00K,0,0.00K,0,33.9144,-87.3432,33.9144,-87.3432,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Johnsey Bridge Road." +115733,695556,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:20:00,CST-6,2017-04-30 12:21:00,0,0,0,0,0.00K,0,0.00K,0,33.909,-87.3677,33.909,-87.3677,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted near the intersection of County Road 5 and Edgil Road." +115173,691464,COLORADO,2017,May,Winter Storm,"GRAND AND BATTLEMENT MESAS",2017-05-17 02:00:00,MST-7,2017-05-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts varied from 8 to 15 inches above 10,000 feet with 2 to 8 inches reported below 10,000 feet." +115173,691454,COLORADO,2017,May,Winter Storm,"UPPER YAMPA RIVER BASIN",2017-05-17 07:00:00,MST-7,2017-05-19 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts generally ranged from 7 to 12 inches. Locally higher amounts included 15 inches measured near Steamboat Springs." +115173,691462,COLORADO,2017,May,Winter Storm,"FLATTOP MOUNTAINS",2017-05-17 10:00:00,MST-7,2017-05-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 5 to 10 inches with locally higher amounts up to 13 inches rmeasured at the Ripple Creek SNOTEL site." +115173,691456,COLORADO,2017,May,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-05-17 19:03:00,MST-7,2017-05-19 06:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall totals ranged from 3 to 6 inches across the zone." +115173,691461,COLORADO,2017,May,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-05-17 16:50:00,MST-7,2017-05-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts varied across the zone with 8 to 12 inches measured over the higher mountains and 2 to 4 inches in the lower elevations. The highest amounts were in the Vail Pass area which ranged from 13 to 19 inches. Significant travel impacts were reported over Vail Pass with a safety closure in place for several hours." +115173,691463,COLORADO,2017,May,Winter Weather,"ROAN AND TAVAPUTS PLATEAUS",2017-05-16 10:00:00,MST-7,2017-05-18 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts averaged 3 to 4 inches across the zone. However, significant travel impacts were reported along Highway 139 over Douglas Pass." +116571,701973,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA OUT 20NM",2017-05-03 22:55:00,CST-6,2017-05-03 22:55:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-91.87,29.12,-91.87,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KSCF recorded a wind gust of 41 MPH." +116571,701974,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-05-03 23:35:00,CST-6,2017-05-03 23:35:00,0,0,0,0,0.00K,0,0.00K,0,28.63,-91.48,28.63,-91.48,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KIER recorded a wind gust to 37 knots." +116571,701975,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-05-03 23:55:00,CST-6,2017-05-03 23:55:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-93.64,29.47,-93.64,"A strong upper level disturbance and cold front moved across the region during the 3rd and 4th. Strong storms over Texas and Louisiana moved off the coast to produce high wind gusts.","KVBS recorded a wind gust of 37 knots." +116422,700161,KANSAS,2017,May,Hail,"SHERMAN",2017-05-25 14:50:00,MST-7,2017-05-25 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.3362,-101.9801,39.3362,-101.9801,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","" +116422,700162,KANSAS,2017,May,Hail,"SHERMAN",2017-05-25 15:09:00,MST-7,2017-05-25 15:09:00,0,0,0,0,0.00K,0,0.00K,0,39.3283,-101.91,39.3283,-101.91,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","The hail was measured at .9 in diameter." +116422,700164,KANSAS,2017,May,Hail,"SHERMAN",2017-05-25 15:18:00,MST-7,2017-05-25 15:18:00,0,0,0,0,0.00K,0,0.00K,0,39.2399,-101.8754,39.2399,-101.8754,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","" +116737,702089,NEW HAMPSHIRE,2017,May,Hail,"GRAFTON",2017-05-31 16:43:00,EST-5,2017-05-31 16:48:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-72.29,43.7,-72.29,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in Hanover." +116737,702090,NEW HAMPSHIRE,2017,May,Hail,"GRAFTON",2017-05-31 16:45:00,EST-5,2017-05-31 16:50:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-71.42,44.08,-71.42,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A thunderstorm produced 0.88 inch hail in Waterville Valley." +116737,702091,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 17:54:00,EST-5,2017-05-31 17:59:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-71.15,43.9,-71.15,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in Madison." +116737,702092,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 17:56:00,EST-5,2017-05-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-71.2,43.84,-71.2,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in West Ossipee." +116737,702094,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 18:01:00,EST-5,2017-05-31 18:05:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-71.15,43.9,-71.15,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1.50 inch hail in Madison." +116737,702095,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 18:25:00,EST-5,2017-05-31 18:30:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-71.04,43.81,-71.04,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in Effingham Falls." +113553,680188,SOUTH CAROLINA,2017,April,Hail,"NEWBERRY",2017-04-05 11:49:00,EST-5,2017-04-05 11:54:00,0,0,0,0,,NaN,,NaN,34.29,-81.71,34.29,-81.71,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Media, via social media, posted image of 1 inch hail in Newberry." +113553,680190,SOUTH CAROLINA,2017,April,Hail,"LEXINGTON",2017-04-05 13:20:00,EST-5,2017-04-05 13:24:00,0,0,0,0,,NaN,,NaN,33.9555,-81.1284,33.9555,-81.1284,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Public reported golf ball size hail at the rental car service facility near the Columbia Metropolitan Airport." +115628,694639,FLORIDA,2017,May,Lightning,"MARTIN",2017-05-17 16:17:00,EST-5,2017-05-17 16:17:00,0,0,1,0,0.00K,0,0.00K,0,27.2414,-80.2246,27.2414,-80.2246,"A weak developing thunderstorm over the nearshore waters off Martin County moved westward over Jensen Beach during the late afternoon. A construction worker was stuck by lightning, transported to the hospital and later died from the injuries.","A weak developing thunderstorm over the nearshore waters off Martin County moved westward over Jensen Beach during the late afternoon. A 47-year-old construction worker was seriously injured when he was struck by lightning while working on a pool and club house at Ocean Breeze Park. Other co-workers on the site performed CPR until first responders arrived. The injured man was then transported to a local hospital in critical condition, and later to a regional medical center in West Palm Beach. The man died from the lightning injuries over a month later." +114299,684733,TENNESSEE,2017,March,Hail,"MADISON",2017-03-09 21:40:00,CST-6,2017-03-09 21:50:00,0,0,0,0,,NaN,0.00K,0,35.7014,-88.8461,35.7014,-88.8461,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684742,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-09 22:10:00,CST-6,2017-03-09 22:20:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-88.4,35.65,-88.4,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684750,TENNESSEE,2017,March,Thunderstorm Wind,"SHELBY",2017-03-09 23:25:00,CST-6,2017-03-09 23:35:00,0,0,0,0,30.00K,30000,0.00K,0,35.2182,-89.9265,35.2112,-89.9042,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","A large tree fell on a house and a car in Raleigh. One man was rescued from the home." +114428,686142,MISSISSIPPI,2017,March,Hail,"BENTON",2017-03-27 12:02:00,CST-6,2017-03-27 12:10:00,0,0,0,0,,NaN,,NaN,34.83,-89.17,34.83,-89.17,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Hail ranged from quarter to baseball size." +114428,686143,MISSISSIPPI,2017,March,Hail,"TISHOMINGO",2017-03-27 13:00:00,CST-6,2017-03-27 13:05:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-88.22,34.5066,-88.19,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Hail nickel to quarter size." +113051,683062,MASSACHUSETTS,2017,March,Heavy Snow,"WESTERN MIDDLESEX",2017-03-14 05:00:00,EST-5,2017-03-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day. Snowfall totals were mainly in the 9 to 12 inch range across much of western Middlesex County, except 12 to 15 inches closer to the New Hampshire Border. An amateur radio operator in Lowell reported 15.0 inches while the general public reported 14.2 inches in Tyngsboro and 13.7 inches in Dracut." +114527,686841,TENNESSEE,2017,March,Winter Weather,"STEWART",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Stewart County ranged from 0.5 inches up to 2.5 inches. Stewart County Emergency Management reported 2.5 inches of snow in Dover, while CoCoRaHS station Dover 7.8 NNE measured 0.7 inches of snow." +113051,683074,MASSACHUSETTS,2017,March,Heavy Snow,"WESTERN NORFOLK",2017-03-14 04:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Moderate to heavy snow fell for a time in the late morning and early afternoon, before mixing with sleet and rain, then ending. Snowfall totals ranged from 8 to 10 inches. Some representative reports included: 9.8 inches in Westwood, 9.3 inches in Dover, 8.5 inches in Randolph, 8.3 inches in Norwood, and 8.0 inches in both Foxboro and Bellingham." +114118,685829,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:45:00,CST-6,2017-03-01 06:45:00,0,0,0,0,3.00K,3000,0.00K,0,36.1724,-87.1778,36.1724,-87.1778,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported 3 trees blown down on Highway 250." +114423,686119,TENNESSEE,2017,March,Thunderstorm Wind,"LEWIS",2017-03-09 22:53:00,CST-6,2017-03-09 22:53:00,0,0,0,0,3.00K,3000,0.00K,0,35.5075,-87.4649,35.5075,-87.4649,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A few trees were blown down on Highway 20 east of Hohenwald." +114118,683909,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 07:07:00,CST-6,2017-03-01 07:09:00,0,0,0,0,25.00K,25000,0.00K,0,35.9793,-86.7187,35.9891,-86.6817,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large downburst associated with the rear flank downdraft of the Cool Springs and Four Corners Marina tornadoes caused damage across a wide swath of northeast Williamson, far southeast Davidson, and far northwest Rutherford Counties. In Williamson County, dozens of trees were snapped and uprooted from the Concord Pass area across Waller Road, Forest Trail, and Nolensville Pike, with minor roof and siding damage to numerous homes and a few trees falling on outbuildings and houses. One duplex on Nolensville Pike was heavily damaged by multiple trees falling onto it. ||In Davidson County, trees and power poles were blown down on Pettus Road, and several other trees were snapped and uprooted on Burkitt Road and near Cane Ridge Park. TDOT reported trees down at 13390 Old Hickory Blvd. Several tall power poles were blown down on Nashville Highway near Hickory Woods Drive, and scattered trees were snapped or uprooted in the Hickory Woods Estates and Peppertree Forest subdivisions. ||In Rutherford County, a large truck parked at 1325 Heil Quaker Road in La Vergne was blown over, injuring a man inside who was transported to the hospital. Scattered trees were also snapped and uprooted across the Lake Forest subdivision, where one house was severely damaged by a fallen tree on Frontier Lane. Several more homes suffered roof and siding damage on Cedar Bend Lane, Angel Way Court, and Hollandale Road. Winds in this 12 mile long by 2 mile wide downburst were estimated around 80 mph." +114118,685903,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:25:00,CST-6,2017-03-01 08:25:00,0,0,0,0,3.00K,3000,0.00K,0,36.2014,-85.4397,36.2014,-85.4397,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down and a power pole was snapped on East Main Street just north of Durant Street in Algood." +114118,686046,TENNESSEE,2017,March,Tornado,"SMITH",2017-03-01 07:47:00,CST-6,2017-03-01 07:48:00,0,0,0,0,10.00K,10000,0.00K,0,36.1076,-86.066,36.1071,-86.0522,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An NWS Storm Survey along with Google Earth high resolution satellite data and radar data determined a high end EF-1 tornado touched down in Wilson County just north of Highway 70 (Sparta Pike) in far western Watertown, then curved northeast and east across the northern fringes of the town. One home suffered considerable roof damage at 7077 Sparta Pike and a carport was destroyed at a neighboring home. Another mobile home had most of its metal roof blown off on Linwood Road and several trees were blown down on both sides of the roadway. The tornado intensified as it crossed New Town Road where 2 homes suffered roof damage and dozens of trees were snapped or uprooted in all directions. Another home had roof damage on Parkenson Road where many more trees were snapped and uprooted. The most severe damage occurred along South Commerce Road, where one home suffered considerable roof and siding damage, and the attached garage was knocked off the slab foundation and collapsed. However, the garage was not properly attached to the foundation. An adjacent barn was completely destroyed with debris blown over 200 yards to the southeast. Another barn further south on South Commerce Road was heavily damaged, and the wastewater plant across the road received minor damage. East of South Commerce Road, two wooden TVA high transmission power poles were snapped. A home sustained minor roof damage and a greenhouse was destroyed on the west side of Holmes Gap Road, while another home suffered heavy roof damage and an outbuilding was destroyed on the east side of the roadway. The tornado then weakened as it continued eastward, but still continued to blow down dozens of trees. An outbuilding suffered minor damage south of Hudson Road, and a large outbuilding was destroyed farther east at 850 Haley Road. Numerous more trees continued to be blown down across rural forests and fields to the east before the tornado crossed into Smith County.||In Smith County, the tornado caused EF-0 damage as it crossed Holmes Gap Road around 2 miles southwest of Brush Creek. Two old barns sustained damage on the west side of the roadway, while another barn on the east side was destroyed. Numerous tree were also blown down in the area. The tornado continued to blow down trees in forests to the north of Switchboard Road before dissipating into a large downburst that affected areas south of Brush Creek." +114118,683827,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 06:46:00,CST-6,2017-03-01 06:46:00,0,0,0,0,7.00K,7000,0.00K,0,35.8991,-87.1481,35.8991,-87.1481,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tSpotter Twitter report indicated numerous trees were snapped or uprooted along Pinewood Road between Barnhill Road and South Harpeth Road. Half of the roof of a barn at South Harpeth Road and Pinewood Road was also blown off, and fences were blown down." +114683,687904,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-21 15:00:00,CST-6,2017-03-21 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.3201,-87.3055,35.3201,-87.3055,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","The metal roof was blown off a building next to the fire station in Ethridge." +114683,687908,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-21 15:12:00,CST-6,2017-03-21 15:12:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-86.65,35.32,-86.65,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos and video showed quarter size and larger hail fell near Petersburg." +114683,687910,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-21 15:14:00,CST-6,2017-03-21 15:14:00,0,0,0,0,1.00K,1000,0.00K,0,35.9234,-86.9072,35.9234,-86.9072,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a tree was blown down in the Franklin Green subdivision." +114683,687955,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:17:00,CST-6,2017-03-21 16:17:00,0,0,0,0,2.00K,2000,0.00K,0,35.33,-86.02,35.33,-86.02,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A few trees were blown down on the Coffee/Franklin County line in the Duncantown Road Area." +114168,683726,MISSISSIPPI,2017,March,Hail,"LOWNDES",2017-03-01 13:46:00,CST-6,2017-03-01 13:56:00,0,0,0,0,0.00K,0,0.00K,0,33.66,-88.42,33.68,-88.33,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","A swath of nickel to quarter size hail fell from a storm that moved from Columbus Air Force Base to Caledonia across far northern Lowndes County." +114744,688302,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:50:00,CST-6,2017-03-30 18:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.1735,-86.2571,36.1735,-86.2571,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Tree down blocking road on Mill Road at Sparta Pike." +114744,688305,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:48:00,CST-6,2017-03-30 18:48:00,0,0,0,0,2.00K,2000,0.00K,0,36.1314,-86.249,36.1314,-86.249,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Two trees down at Cainsville Road and Greenwood Road with a car stuck between the trees." +114744,688306,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:51:00,CST-6,2017-03-30 18:51:00,0,0,0,0,4.00K,4000,0.00K,0,36.1801,-86.2608,36.1801,-86.2608,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Trees reported down on power lines with two broken poles on Eastover Road." +114744,688307,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:52:00,CST-6,2017-03-30 18:52:00,0,0,0,0,1.00K,1000,0.00K,0,36.1927,-86.2192,36.1927,-86.2192,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Tree down blocking road at 4200 Bluebird Road." +114744,688308,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:53:00,CST-6,2017-03-30 18:53:00,0,0,0,0,1.00K,1000,0.00K,0,36.2192,-86.2619,36.2192,-86.2619,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Power lines down in road on Rome Pike at Tribble Lane." +114744,688309,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:55:00,CST-6,2017-03-30 18:55:00,0,0,0,0,2.00K,2000,0.00K,0,36.2311,-86.1944,36.2311,-86.1944,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Trees were blown down onto Sugarflat Road near Ramsey Lane." +114744,688313,TENNESSEE,2017,March,Thunderstorm Wind,"TROUSDALE",2017-03-30 19:06:00,CST-6,2017-03-30 19:06:00,0,0,0,0,3.00K,3000,0.00K,0,36.4,-86.17,36.4,-86.17,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","A few trees were blown down scattered throughout Trousdale County." +114721,688092,MISSISSIPPI,2017,March,Thunderstorm Wind,"BOLIVAR",2017-03-29 21:25:00,CST-6,2017-03-29 21:25:00,0,0,0,0,8.00K,8000,0.00K,0,33.91,-90.75,33.91,-90.75,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Trees were blown down on Memorial Drive and North Bayou." +114721,688093,MISSISSIPPI,2017,March,Thunderstorm Wind,"ADAMS",2017-03-29 21:50:00,CST-6,2017-03-29 22:06:00,0,0,0,0,50.00K,50000,0.00K,0,31.57,-91.4,31.6277,-91.2851,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Downburst winds from a severe thunderstorm blew down several trees along a swath through northern Adams County, including a tree which fell onto a home in Natchez on Laurel Drive. Trees were also blown down on Rand Road and Kaiser Lake Road." +114721,688094,MISSISSIPPI,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-29 22:10:00,CST-6,2017-03-29 22:10:00,0,0,0,0,5.00K,5000,0.00K,0,31.631,-91.21,31.631,-91.21,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Downburst winds from a severe thunderstorm blew a tree down onto Tate Road near U.S. Highway 61." +113553,696011,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-05 13:43:00,EST-5,2017-04-05 15:12:00,0,0,0,0,0.10K,100,0.10K,100,33.9883,-81.0279,33.988,-81.027,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","The USGS stream gage along Rocky Branch Creek at the intersection of Main and Whaley St reached the flood stage of 7.2 feet at 243 pm EDT, crested at 11.47 feet at 330 pm EDT, and fell back below flood stage at 4:12 pm EDT." +113121,676621,TEXAS,2017,March,Thunderstorm Wind,"BRAZOS",2017-03-27 01:20:00,CST-6,2017-03-27 01:20:00,0,0,0,0,0.00K,0,1.00K,1000,30.6659,-96.4723,30.6659,-96.4723,"Severe thunderstorms produced large hail and damaging winds near Bryan.","Trees were snapped and uprooted off of Nonie Drive." +113121,676561,TEXAS,2017,March,Hail,"BRAZOS",2017-03-27 01:20:00,CST-6,2017-03-27 01:25:00,0,0,0,0,,NaN,0.00K,0,30.65,-96.46,30.65,-96.46,"Severe thunderstorms produced large hail and damaging winds near Bryan.","Half dollar size hail lasted for around five minutes near Smetana Road." +113122,676563,TEXAS,2017,March,Thunderstorm Wind,"GRIMES",2017-03-24 18:30:00,CST-6,2017-03-24 18:30:00,0,0,0,0,0.00K,0,3.00K,3000,30.4488,-96.0857,30.4488,-96.0857,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Trees were downed around the intersection of CR 403 and CR 404." +113122,676568,TEXAS,2017,March,Thunderstorm Wind,"COLORADO",2017-03-24 20:05:00,CST-6,2017-03-24 20:05:00,0,0,0,0,9.00K,9000,2.00K,2000,29.5088,-96.4296,29.5088,-96.4296,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Barns, a porch and some trees were damaged near CR 111." +114683,687945,TENNESSEE,2017,March,Thunderstorm Wind,"CANNON",2017-03-21 16:08:00,CST-6,2017-03-21 16:08:00,0,0,0,0,1.00K,1000,0.00K,0,35.7644,-86.0531,35.7644,-86.0531,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Power lines were blown down across Jim Cummings Highway at Tommy Parker Rd." +115939,696955,NEVADA,2017,January,Blizzard,"GREATER LAKE TAHOE AREA",2017-01-10 12:00:00,PST-8,2017-01-11 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the northern Sierra (Carson Range), as well as a period of snowfall in the lower elevations of western Nevada.","Nevada route 341 (Mount Rose Highway) was closed for blizzard conditions into the morning of the 11th. Wind gusts at a couple RAWS sites were gusting between 35 and 45 mph during the snowfall event." +114927,693193,NEVADA,2017,January,Flood,"LYON",2017-01-08 14:00:00,PST-8,2017-01-12 06:00:00,0,0,0,0,1.30M,1300000,0.00K,0,39.2454,-119.597,39.242,-119.5603,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Twenty five structures, including at least 10 homes (one 8-plex and two single-family homes), were damaged by flood waters in Dayton by the morning of the 9th. Flooding of the two single family homes in East Dayton may have been largely due to breaks in ditches and culverts incapable of handling the exceptionally large volume of water. Water depth varied from 6 inches to as much as 3 feet on the south side of the Carson River. Standing flood waters lasted for at least several days after the initial flood surge on the 8th. Schools were closed county-wide on the 9th. The damage estimate from the Lyon County Emergency Manager is considered very low-end and could actually be several million dollars for Dayton alone. In February, a Federal Disaster Declaration was approved for the January flooding." +114927,693321,NEVADA,2017,January,Flood,"WASHOE",2017-01-08 14:00:00,PST-8,2017-01-11 18:00:00,0,0,0,0,1.00M,1000000,0.00K,0,39.4976,-119.7465,39.4818,-119.7463,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Flooding from Steamboat Creek and the North Truckee Drain (near I-80 in Sparks) combined with some input from the Truckee River to bring a large area of lowland flooding between McCarran Blvd and Hidden Valley, as well as south of Interstate 80 in the Sparks Industrial area. Several days of notice allowed many businesses and homes in Hidden Valley (near Boynton Slough) to prepare flood mitigation measures including sandbagging. However, several homes in Hidden Valley still had flood damage due to overtopped sandbags and/or basement flooding. The timing of the flood is approximate and the damage is roughly estimated." +114046,683030,FLORIDA,2017,March,Tornado,"BROWARD",2017-03-14 00:23:00,EST-5,2017-03-14 00:27:00,0,0,0,0,25.00K,25000,,NaN,26.1277,-80.2978,26.1329,-80.2782,"A low pressure system tracking across Florida produced a squall line in the overnight hours. A strong jet stream aloft as well as abundant moisture allowed some of the storms embedded in the squall line to become severe. These storms produced wind damage with multiple trees down and a tornado in Broward County.","A NWS survey team confirmed a tornado across parts of Plantation. Damage consisted of trees uprooted and branches split/broken, as well as fences blown over. Fallen trees also damaged several vehicles. The damage path began near Hiatus Road and NW 6 ST, ending near Clearly Blvd and Central Park Place North. Most concentrated area of damage was along NW 6 ST from NW 106 Ave block to Nob Hill Rd, then along Cleary Blvd from Nob Hill to NW 98 Ave. ||Tornado was initially rated an EF-1, but subsequent review of the damage suggests that tree damage resembling typical EF-1 level damage was instead influenced by a high canopy and shallow root system which can lead to large trees toppling at relatively low wind speeds. Therefore, final rating is EF-0 (peak wind 85 mph), near the threshold of EF-1.||Damage total provided is a general estimate and based mostly on the number of trees damaged." +112752,673526,WISCONSIN,2017,February,Flood,"COLUMBIA",2017-02-24 04:00:00,CST-6,2017-02-28 06:15:00,0,0,0,0,2.00K,2000,0.00K,0,43.5457,-89.5333,43.4229,-89.5029,"Snow melt and rainfall led to flooding on the Wisconsin River at Portage and surrounding areas. Moderate flood stage was reached.","The Wisconsin River near Portage reached moderate flood stage, eventually cresting at 18.44 feet during the evening of February 26th. Widespread flooding of the Blackhawk Park and Long Lake areas occurred with many flooded roads and road closures in that area. Some seasonal homes along Old River Road were surrounded by floodwaters. Farther south in the Town of Dekorra, a few homes had floodwaters in the first floor along with the flooding of outbuildings. Floodwaters also flowed over County Highway V and River Oaks Road in the Town of Dekorra. Some residents had to use canoes or boats for transportation to and from their homes. On the west side of Portage and north of the river, floodwaters affected River Shores Rd." +114321,684986,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-29 13:44:00,CST-6,2017-04-29 13:44:00,0,0,0,0,0.00K,0,0.00K,0,31.819,-92.9822,31.819,-92.9822,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","A cluster of trees along Highway 84 east of Clarence were snapped or lost large limbs. All of the trees fell to the north." +114736,702231,KANSAS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 18:57:00,CST-6,2017-05-18 18:58:00,0,0,0,0,,NaN,,NaN,39.37,-95.58,39.37,-95.58,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Trees were reported down. Time was estimated via radar." +114736,702232,KANSAS,2017,May,Hail,"JEFFERSON",2017-05-18 19:08:00,CST-6,2017-05-18 19:09:00,0,0,0,0,,NaN,,NaN,39.3,-95.48,39.3,-95.48,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702233,KANSAS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 19:07:00,CST-6,2017-05-18 19:08:00,0,0,0,0,,NaN,,NaN,39.34,-95.42,39.34,-95.42,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Widespread tree branches 6 to 12 inches in diameter were reported down. A healthy 18 inch diameter tree and barn were blown over. Power lines were also reported down with power out in the city of Valley Falls." +114736,702235,KANSAS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 19:08:00,CST-6,2017-05-18 19:09:00,0,0,0,0,,NaN,,NaN,39.39,-95.57,39.39,-95.57,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Metal barn 70 x 145 feet in dimension was blown over. Trees were also blown over with roots exposed. Debris was spread approximately a half of a mile to the west. Time was based on radar." +114736,702236,KANSAS,2017,May,Hail,"JEFFERSON",2017-05-18 19:09:00,CST-6,2017-05-18 19:10:00,0,0,0,0,,NaN,,NaN,39.34,-95.48,39.34,-95.48,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +114736,702237,KANSAS,2017,May,Hail,"JACKSON",2017-05-18 19:11:00,CST-6,2017-05-18 19:12:00,0,0,0,0,,NaN,,NaN,39.39,-95.63,39.39,-95.63,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +117143,704720,GULF OF MEXICO,2017,May,Waterspout,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-05-14 13:10:00,EST-5,2017-05-14 13:10:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.17,24.72,-81.17,"A couple waterspouts were observed in association with developing rain showers along a cloud lines developing near the Lower Florida Keys.","A waterspout was observed, photographed, and relayed via social media north of the Seven Mile Bridge. The condensation funnel cloud of medium thickness was slightly tilted less than 30 degrees. A spray ring was visible." +117143,704721,GULF OF MEXICO,2017,May,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-05-14 15:20:00,EST-5,2017-05-14 15:20:00,0,0,0,0,0.00K,0,0.00K,0,24.5952,-81.5227,24.5952,-81.5227,"A couple waterspouts were observed in association with developing rain showers along a cloud lines developing near the Lower Florida Keys.","A waterspout was observed, photographed and relayed via social media about one mile south of Sugarloaf Key. No spray ring was visible due to land obscuration." +117144,704722,GULF OF MEXICO,2017,May,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-05-16 10:37:00,EST-5,2017-05-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,24.7038,-81.4983,24.7038,-81.4983,"Waterspouts were observed in association with developing rain showers along convergence cloud lines streaming west of the Lower Florida Keys.","A nearly vertical waterspout was observed about one mile northeast of Cudjoe Key over Kemp Channel. The condensation funnel cloud was observed to extend three-quarters of the way down from cloud base to the water surface." +117144,704723,GULF OF MEXICO,2017,May,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-05-16 12:51:00,EST-5,2017-05-16 12:59:00,0,0,0,0,0.00K,0,0.00K,0,24.69,-81.73,24.69,-81.73,"Waterspouts were observed in association with developing rain showers along convergence cloud lines streaming west of the Lower Florida Keys.","A waterspout was observed near Snipe Point. The waterspout was visible from the cloud base to just above the horizon, with visibility of the water surface obstructed by mangroves. The waterspout was tilted to the east about 10 to 15 degrees from vertical, eventually tilting 40 to 45 degrees from vertical before dissipation." +117144,704724,GULF OF MEXICO,2017,May,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-05-16 14:40:00,EST-5,2017-05-16 14:42:00,0,0,0,0,0.00K,0,0.00K,0,24.6321,-81.8042,24.6321,-81.8042,"Waterspouts were observed in association with developing rain showers along convergence cloud lines streaming west of the Lower Florida Keys.","A waterspout was observed to the north-northwest of Sigsbee, or Dredgers Key, of Key West." +117146,704726,GULF OF MEXICO,2017,May,Waterspout,"STRAITS OF FLORIDA FROM WEST END OF SEVEN MILE BRIDGE TO SOUTH OF HALFMOON SHOAL OUT 20 NM",2017-05-27 06:15:00,EST-5,2017-05-27 06:45:00,0,0,0,0,0.00K,0,0.00K,0,24.52,-81.41,24.52,-81.41,"A few waterspouts were observed in association with a narrow band of showers that developed quickly near and west of Sombrero Key, and moved inside the reef near the Lower Florida Keys.","Three waterspouts were observed within a cumulus cloud line south of the eastern Lower Keys, approximately 10 miles south of Ramrod Key. The longest duration waterspout was of large diameter, resembling an elephant trunk." +116317,699377,LOUISIANA,2017,May,Thunderstorm Wind,"TERREBONNE",2017-05-03 12:58:00,CST-6,2017-05-03 12:58:00,0,0,0,0,0.00K,0,0.00K,0,29.58,-90.71,29.58,-90.71,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","The Terrebonne Parish Emergency Manager reported multiple trees blown down by thunderstorm winds in Houma." +116317,699378,LOUISIANA,2017,May,Thunderstorm Wind,"LAFOURCHE",2017-05-03 13:03:00,CST-6,2017-05-03 13:03:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-90.6,29.72,-90.6,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","The Lafourche Parish Emergency Manager reported multiple trees blown down by thunderstorms winds in Raceland." +116317,699379,LOUISIANA,2017,May,Thunderstorm Wind,"ST. TAMMANY",2017-05-03 19:50:00,CST-6,2017-05-03 19:50:00,0,0,0,0,0.00K,0,0.00K,0,30.3068,-89.9396,30.3068,-89.9396,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Trees were reported blown down in Lacombe on Louisiana Highway 434 and Pontchartrain Drive." +116317,699381,LOUISIANA,2017,May,Thunderstorm Wind,"TERREBONNE",2017-05-03 23:00:00,CST-6,2017-05-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,29.4172,-90.4477,29.4172,-90.4477,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A tree was blocking one lane of Louisiana Highway 665 in Pointe Aux Chenes." +116317,699386,LOUISIANA,2017,May,Thunderstorm Wind,"TERREBONNE",2017-05-03 22:45:00,CST-6,2017-05-03 22:45:00,0,0,0,0,0.00K,0,0.00K,0,29.3732,-90.7119,29.3732,-90.7119,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A tree was blown down on Grand Caillou Road, one mile south of Dulac Bridge." +116317,699389,LOUISIANA,2017,May,Thunderstorm Wind,"ST. TAMMANY",2017-05-03 20:05:00,CST-6,2017-05-03 20:05:00,0,0,0,0,0.00K,0,0.00K,0,30.3017,-89.8275,30.3017,-89.8275,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Trees were blown down on Thompson Road and on Gause Boulevard near Northshore Boulevard. Event time was estimated based on radar." +112318,669955,PENNSYLVANIA,2017,February,High Wind,"LOWER BUCKS",2017-02-13 05:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Tree fell onto a house causing roof damage." +112318,669960,PENNSYLVANIA,2017,February,High Wind,"LOWER BUCKS",2017-02-13 13:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","A townhouse collapsed." +117083,705203,KANSAS,2017,May,Tornado,"PAWNEE",2017-05-16 18:59:00,CST-6,2017-05-16 19:14:00,0,0,0,0,,NaN,,NaN,38.1987,-99.0186,38.26,-98.99,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","The tornado did EF1 damage in Pawnee county but became stronger as it moved into Pawnee Rock in Barton County." +117084,705204,KANSAS,2017,May,Flash Flood,"FORD",2017-05-18 16:45:00,CST-6,2017-05-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.7767,-100.0278,37.7756,-100.0044,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","There was street flooding in Dodge City." +117084,706090,KANSAS,2017,May,Flash Flood,"RUSH",2017-05-18 17:42:00,CST-6,2017-05-18 20:42:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-99.14,38.5138,-99.0411,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Water over the road at several places, including east of Timken and near Otis." +117084,706091,KANSAS,2017,May,Flash Flood,"CLARK",2017-05-18 18:01:00,CST-6,2017-05-18 21:01:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-100.01,37.4375,-100.0054,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Water over the roads in and around Minneola." +117084,706092,KANSAS,2017,May,Flash Flood,"FORD",2017-05-18 18:15:00,CST-6,2017-05-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-99.8,37.7788,-99.7993,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","The road was closed at Jewell Road with water rushing over the surface." +114201,684024,VERMONT,2017,May,Strong Wind,"EASTERN CHITTENDEN",2017-05-05 16:00:00,EST-5,2017-05-05 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 45-55 mph occurred sporadically across the higher elevations of the foothills of the western slopes of the Green Mountains. This resulted in a few hundred customers without power." +114201,684025,VERMONT,2017,May,Strong Wind,"EASTERN RUTLAND",2017-05-05 15:45:00,EST-5,2017-05-05 16:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 50-55 mph occurred sporadically across the higher elevations of the foothills of the western slopes of the Green Mountains. This resulted in several hundred customers without power. The main damage occurred just west of the region." +114311,684893,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-04 17:33:00,EST-5,2017-05-04 17:33:00,0,0,0,0,0.00K,0,0.00K,0,27.7375,-82.695,27.7375,-82.695,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","A WeatherFlow station near Gulfport measured a wind gust of 40 knots...46 mph." +114107,685906,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WARREN",2017-05-01 14:25:00,EST-5,2017-05-01 14:25:00,0,0,0,0,6.00K,6000,0.00K,0,41.84,-79.32,41.84,-79.32,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along York Hill Road south of Youngsville." +114107,685907,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WARREN",2017-05-01 14:28:00,EST-5,2017-05-01 14:28:00,0,0,0,0,7.00K,7000,0.00K,0,41.8384,-79.3585,41.8384,-79.3585,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees along Old Pittsfield Road." +114107,685908,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WARREN",2017-05-01 14:38:00,EST-5,2017-05-01 14:38:00,0,0,0,0,5.00K,5000,0.00K,0,41.8395,-79.1284,41.8395,-79.1284,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on Canton Street in Warren." +114107,685909,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WARREN",2017-05-01 14:55:00,EST-5,2017-05-01 14:55:00,0,0,0,0,5.00K,5000,0.00K,0,41.6747,-79.0355,41.6747,-79.0355,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Route 666 south of Sheffield." +114107,685910,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ELK",2017-05-01 15:00:00,EST-5,2017-05-01 15:00:00,0,0,0,0,7.00K,7000,0.00K,0,41.5967,-78.8412,41.5967,-78.8412,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees along Route 66 near James City." +114107,685912,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ELK",2017-05-01 15:10:00,EST-5,2017-05-01 15:10:00,0,0,0,0,7.00K,7000,0.00K,0,41.5764,-78.6884,41.5764,-78.6884,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees in Wilcox." +114589,687252,KENTUCKY,2017,May,Thunderstorm Wind,"LEE",2017-05-18 15:43:00,EST-5,2017-05-18 15:43:00,0,0,0,0,,NaN,,NaN,37.5676,-83.7137,37.5676,-83.7137,"Numerous thunderstorms developed this afternoon, with two storms merging and strengthening in Lee County while continuing northeast through Wolfe and into Morgan Counties. With drier air in place in the upper levels of the atmosphere, strong to severe winds occurred underneath these storms from Lee through Morgan Counties.","A trained spotter reported a large tree down near Beattyville." +114629,687529,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-18 16:35:00,EST-5,2017-05-18 16:35:00,0,0,0,0,10.00K,10000,0.00K,0,44.4697,-73.0421,44.4697,-73.0421,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Strong thunderstorm winds downed large tree branches onto power lines in eastern Williston." +114365,688277,TEXAS,2017,May,Tornado,"HALL",2017-05-10 15:44:00,CST-6,2017-05-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,34.6332,-100.935,34.6373,-100.9311,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","Broadcast media confirmed a brief tornado wrapping in rain south-southwest of Brice in Hall County. This tornado remained over open ranch land and did not produce damage." +114365,687016,TEXAS,2017,May,Tornado,"COTTLE",2017-05-10 14:58:00,CST-6,2017-05-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3019,-100.0641,34.3051,-100.0462,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","Multiple storm chasers and research meteorologists observed a tornado that crossed Farm to Market Road 1033 just south of the Cottle/Childress County line. No damage was evident, therefore an EF-Unknown rating was assigned." +114741,688262,KENTUCKY,2017,May,Hail,"MAGOFFIN",2017-05-20 19:55:00,EST-5,2017-05-20 19:55:00,0,0,0,0,,NaN,,NaN,37.61,-83.06,37.61,-83.06,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","A citizen reported penny sized hail near Tipton." +114741,688261,KENTUCKY,2017,May,Hail,"KNOTT",2017-05-20 19:35:00,EST-5,2017-05-20 19:35:00,0,0,0,0,,NaN,,NaN,37.5,-83.09,37.5,-83.09,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","A citizen observed penny sized hail near Decoy." +114839,688902,WEST VIRGINIA,2017,May,Thunderstorm Wind,"KANAWHA",2017-05-19 20:31:00,EST-5,2017-05-19 20:31:00,0,0,0,0,0.50K,500,0.00K,0,38.35,-81.63,38.35,-81.63,"Showers and thunderstorms formed along a cold front which moved through West Virginia during the evening of the 19th. Sub-severe thunderstorm winds resulted in isolated tree damage.","A tree was blown down along Loudon Heights Road and Bridge Road." +114839,688903,WEST VIRGINIA,2017,May,Thunderstorm Wind,"KANAWHA",2017-05-19 20:37:00,EST-5,2017-05-19 20:37:00,0,0,0,0,0.50K,500,0.00K,0,38.45,-81.37,38.45,-81.37,"Showers and thunderstorms formed along a cold front which moved through West Virginia during the evening of the 19th. Sub-severe thunderstorm winds resulted in isolated tree damage.","One tree was blown down along Russell Street." +114836,688897,WEST VIRGINIA,2017,May,Flood,"LINCOLN",2017-05-12 15:00:00,EST-5,2017-05-12 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,38.2357,-82.0459,38.2099,-81.993,"Showers and thunderstorms drifted along a slow moving warm front which was draped across Southern West Virginia during the afternoon of the 12th. This resulted in a prolonged period of rain, with some pockets of heavier rain. One to one and a half inches of rain fell across portions of Lincoln and Kanawha Counties, leading to high water in susceptible low spots.","Route 3 was closed in two low spots due to ponding water, near Duval School in Griffithsville and also near Bear Fork." +114836,689422,WEST VIRGINIA,2017,May,Flood,"KANAWHA",2017-05-12 15:00:00,EST-5,2017-05-12 19:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.3392,-81.8705,38.3265,-81.8725,"Showers and thunderstorms drifted along a slow moving warm front which was draped across Southern West Virginia during the afternoon of the 12th. This resulted in a prolonged period of rain, with some pockets of heavier rain. One to one and a half inches of rain fell across portions of Lincoln and Kanawha Counties, leading to high water in susceptible low spots.","Several roads were closed due to water ponding in low spots. This included portions of Brounland Road, Coal River Road, and Cane Fork Road. Along Cane Fork Road, several basements had 1-2 feet of water in them, and one person was evacuated by emergency services." +114808,688967,OHIO,2017,May,Tornado,"LAWRENCE",2017-05-24 19:11:00,EST-5,2017-05-24 19:15:00,0,0,0,0,100.00K,100000,0.00K,0,38.5357,-82.683,38.5728,-82.6526,"Showers and thunderstorms developed in a weak instability but strong shear environment across Central Kentucky on the afternoon of the 24th. The showers and storms moved into Southeast Ohio just before sunset. There was very little lighting, but one low-topped supercell, which had persistent rotation, was able to spin up a brief tornado.","Many trees were damaged along a tornado path, which started at the Court House in Ironton, and extended to the north-northeast for about 3 miles. Several outbuildings were destroyed, and the porch roof was removed from a house. The NWS Storm Survey team estimated the tornado had maximum winds of 110 MPH." +114342,685165,WEST VIRGINIA,2017,May,Flash Flood,"LEWIS",2017-05-05 22:25:00,EST-5,2017-05-06 00:25:00,0,0,0,0,2.00K,2000,0.00K,0,39.0129,-80.549,38.9574,-80.4419,"As a slow moving upper level low pressure system moved across West Virginia on the 5th, cold air filtered in aloft. Thunderstorms formed in the instability of the afternoon. Despite storms not being very tall, freezing levels were under 10,000 feet and the storms were able to tap into this to produce hail. Isolated flash flooding also occurred due to repetitive, slow moving storms.","Several creeks and small streams around Weston flooded." +114885,689203,MONTANA,2017,May,Thunderstorm Wind,"GOLDEN VALLEY",2017-05-07 16:00:00,MST-7,2017-05-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,46.29,-108.94,46.29,-108.94,"An isolated early season severe thunderstorm produced some damaging winds and large hail across Golden Valley and Stillwater Counties.","Thunderstorm winds toppled a 12 foot elm tree." +114885,689207,MONTANA,2017,May,Hail,"STILLWATER",2017-05-07 14:45:00,MST-7,2017-05-07 14:45:00,0,0,0,0,0.00K,0,0.00K,0,45.77,-109.55,45.77,-109.55,"An isolated early season severe thunderstorm produced some damaging winds and large hail across Golden Valley and Stillwater Counties.","" +114981,694080,ALABAMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-27 21:10:00,CST-6,2017-05-27 21:10:00,0,0,0,0,2.00K,2000,0.00K,0,34.92,-86.16,34.92,-86.16,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Several trees were knocked down at this location near Hurricane Creek." +114981,694081,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 21:12:00,CST-6,2017-05-27 21:12:00,0,0,0,0,0.20K,200,0.00K,0,34.87,-87.69,34.87,-87.69,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down in the roadway near the landfill at 5896 Highway 157." +114981,694082,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 21:28:00,CST-6,2017-05-27 21:28:00,0,0,0,0,0.20K,200,0.00K,0,34.96,-86.45,34.96,-86.45,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on JB Walker Road near New Market." +114981,694083,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 21:30:00,CST-6,2017-05-27 21:30:00,0,0,0,0,0.20K,200,0.00K,0,34.86,-87.37,34.86,-87.37,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on the roadway on CR 113 just north of CR 586." +114981,694084,ALABAMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-27 21:42:00,CST-6,2017-05-27 21:42:00,0,0,0,0,0.20K,200,0.00K,0,34.7,-85.77,34.7,-85.77,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A large tree was knocked down in Rosalie on CR 78." +115082,690752,KENTUCKY,2017,May,Hail,"MAGOFFIN",2017-05-31 14:25:00,EST-5,2017-05-31 14:25:00,0,0,0,0,,NaN,,NaN,37.75,-83.07,37.75,-83.07,"Scattered thunderstorms developed ahead of a frontal boundary during the mid to late afternoon. A few of these storms became organized enough to produce large hail and damaging wind gusts, stretching from near Salyersville through Prestonsburg and into Pike County. Additionally, a storm produced wind damage from eastern Lee County through central Breathitt County.","A trained spotter reported quarter sized hail near Salyersville." +115082,690753,KENTUCKY,2017,May,Hail,"PIKE",2017-05-31 15:45:00,EST-5,2017-05-31 15:45:00,0,0,0,0,0.00K,0,0.00K,0,37.6507,-82.3688,37.6507,-82.3688,"Scattered thunderstorms developed ahead of a frontal boundary during the mid to late afternoon. A few of these storms became organized enough to produce large hail and damaging wind gusts, stretching from near Salyersville through Prestonsburg and into Pike County. Additionally, a storm produced wind damage from eastern Lee County through central Breathitt County.","Local media reported nickel sized hail northwest of Canada." +115082,690754,KENTUCKY,2017,May,Thunderstorm Wind,"FLOYD",2017-05-31 15:10:00,EST-5,2017-05-31 15:10:00,0,0,0,0,,NaN,,NaN,37.67,-82.78,37.67,-82.78,"Scattered thunderstorms developed ahead of a frontal boundary during the mid to late afternoon. A few of these storms became organized enough to produce large hail and damaging wind gusts, stretching from near Salyersville through Prestonsburg and into Pike County. Additionally, a storm produced wind damage from eastern Lee County through central Breathitt County.","Fire rescue observed a tree blown down in Prestonsburg." +115082,690797,KENTUCKY,2017,May,Thunderstorm Wind,"LEE",2017-05-31 14:46:00,EST-5,2017-05-31 14:46:00,0,0,0,0,,NaN,,NaN,37.56,-83.57,37.56,-83.57,"Scattered thunderstorms developed ahead of a frontal boundary during the mid to late afternoon. A few of these storms became organized enough to produce large hail and damaging wind gusts, stretching from near Salyersville through Prestonsburg and into Pike County. Additionally, a storm produced wind damage from eastern Lee County through central Breathitt County.","The department of highways reported a tree down on Kentucky Highway 52." +115082,690799,KENTUCKY,2017,May,Thunderstorm Wind,"BREATHITT",2017-05-31 15:08:00,EST-5,2017-05-31 15:08:00,0,0,0,0,,NaN,,NaN,37.51,-83.18,37.51,-83.18,"Scattered thunderstorms developed ahead of a frontal boundary during the mid to late afternoon. A few of these storms became organized enough to produce large hail and damaging wind gusts, stretching from near Salyersville through Prestonsburg and into Pike County. Additionally, a storm produced wind damage from eastern Lee County through central Breathitt County.","The department of highways reported several trees down along Kentucky Highway 1098 southeast of Jackson." +115177,697800,MISSOURI,2017,May,Hail,"BARRY",2017-05-26 23:08:00,CST-6,2017-05-26 23:08:00,0,0,0,0,,NaN,0.00K,0,36.58,-93.9,36.58,-93.9,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697801,MISSOURI,2017,May,Hail,"BARRY",2017-05-26 23:19:00,CST-6,2017-05-26 23:19:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-93.84,36.59,-93.84,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697802,MISSOURI,2017,May,Hail,"BARRY",2017-05-26 23:30:00,CST-6,2017-05-26 23:30:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-93.69,36.56,-93.69,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697803,MISSOURI,2017,May,Hail,"STONE",2017-05-26 23:55:00,CST-6,2017-05-26 23:55:00,0,0,0,0,,NaN,0.00K,0,36.52,-93.46,36.52,-93.46,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Golf ball size hail was reported at Dogwood Canyon." +115177,697804,MISSOURI,2017,May,Hail,"STONE",2017-05-27 00:09:00,CST-6,2017-05-27 00:09:00,0,0,0,0,,NaN,0.00K,0,36.51,-93.4,36.51,-93.4,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697805,MISSOURI,2017,May,Hail,"TANEY",2017-05-27 00:15:00,CST-6,2017-05-27 00:15:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-93.25,36.54,-93.25,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697806,MISSOURI,2017,May,Hail,"TANEY",2017-05-27 00:23:00,CST-6,2017-05-27 00:23:00,0,0,0,0,,NaN,0.00K,0,36.5,-93.22,36.5,-93.22,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Ping pong size hail was reported at a gas station on the state line and Highway 65." +115177,698430,MISSOURI,2017,May,Tornado,"LACLEDE",2017-05-27 14:05:00,CST-6,2017-05-27 14:10:00,0,0,0,0,100.00K,100000,0.00K,0,37.5862,-92.3541,37.607,-92.2672,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A NWS storm survey confirmed an EF-1 tornado touched down near the Falcon area in Laclede County. A house sustained moderate to major damage. There were numerous trees snapped and uprooted. Radar confirmed a well defined tornado debris signature over the path of this tornado. Estimated maximum wind speeds were up to 100 mph." +115177,698429,MISSOURI,2017,May,Tornado,"LACLEDE",2017-05-27 14:25:00,CST-6,2017-05-27 14:25:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-92.26,37.65,-92.26,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A NWS storm survey confirmed an EF-1 tornado briefly touched down approximately seven miles southwest of Fort Leonard Wood in rural Laclede County. Numerous trees were uprooted. Estimated maximum wind speed was up to 90 mph." +115177,698431,MISSOURI,2017,May,Tornado,"DENT",2017-05-27 15:00:00,CST-6,2017-05-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7655,-91.6816,37.7655,-91.6816,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several pictures from a storm chaser and spotter indicated a brief tornado touched down in a heavily wooded area of rural northwest Dent County. The storm chaser location of the images captured was near Highway 72 and Highway FF looking northwest. The tornado location is estimated. Estimated wind speed and path length could not be exactly determined due to lack of road access." +115177,698747,MISSOURI,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-27 13:56:00,CST-6,2017-05-27 13:56:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-92.62,38.15,-92.62,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A trained spotter measured a 72 mph wind gust with a personal weather station. Several large tree limbs were blown down." +115177,699000,MISSOURI,2017,May,Thunderstorm Wind,"CAMDEN",2017-05-27 13:45:00,CST-6,2017-05-27 13:45:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-92.68,38.13,-92.68,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A tree was blown down across Nichols Road near the Sycamore Golf Course in Osage Beach." +115238,691874,PENNSYLVANIA,2017,May,Hail,"BLAIR",2017-05-30 11:43:00,EST-5,2017-05-30 11:43:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-78.37,40.53,-78.37,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm produced quarter-sized hail in the Greenwood section of Altoona." +115238,691878,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-30 13:44:00,EST-5,2017-05-30 13:44:00,0,0,0,0,3.00K,3000,0.00K,0,40.1441,-78.2964,40.1441,-78.2964,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near the intersection of Raystown Road and Pinchot Road west of Hopewell." +115238,691880,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-30 13:50:00,EST-5,2017-05-30 13:50:00,0,0,0,0,3.00K,3000,0.00K,0,40.2184,-78.2491,40.2184,-78.2491,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on Branch Street in Saxton." +115238,691881,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-30 14:40:00,EST-5,2017-05-30 14:40:00,0,0,0,0,3.00K,3000,0.00K,0,41.0238,-77.6752,41.0238,-77.6752,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph snapped several trees along Gravel Point Road near Howard." +115238,691882,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BLAIR",2017-05-30 11:55:00,EST-5,2017-05-30 11:55:00,0,0,0,0,3.00K,3000,0.00K,0,40.5525,-78.2772,40.5525,-78.2772,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Sickles Corner Road between Kettle Road and Nittany Lane." +114337,686975,TEXAS,2017,May,Hail,"LAMB",2017-05-09 19:18:00,CST-6,2017-05-09 19:18:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-102.6,33.99,-102.6,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","No damage was reported." +114337,686976,TEXAS,2017,May,Hail,"LAMB",2017-05-09 19:45:00,CST-6,2017-05-09 19:45:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-102.55,34.09,-102.55,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","No damage was reported." +114337,686979,TEXAS,2017,May,Hail,"LAMB",2017-05-09 21:54:00,CST-6,2017-05-09 21:54:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-102.33,33.92,-102.33,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","No damage was reported." +114337,686980,TEXAS,2017,May,Hail,"LAMB",2017-05-09 22:20:00,CST-6,2017-05-09 22:20:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-102.14,34.07,-102.14,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","No damage was reported." +115553,693858,FLORIDA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-24 13:50:00,EST-5,2017-05-24 13:50:00,0,0,0,0,5.00K,5000,0.00K,0,28.69,-81.47,28.69,-81.47,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","A small but strong thunderstorm with estimated wind speeds near 60 mph affected Apopka. Sporadic wind damage continued through Wekiwa Springs State Park and Altamonte Springs as the storm moved rapidly east, affecting about a 2-mile long area over a 10 minute period. Damage consisted of a snapped tree that fell on a car, a downed tree at a residence with fence damage and some downed trees at the state park." +115553,693932,FLORIDA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-24 14:43:00,EST-5,2017-05-24 14:43:00,0,0,0,0,1.00K,1000,0.00K,0,28.54,-81.49,28.54,-81.49,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","A severe thunderstorm with estimated wind speeds near 60 mph impacted the northwestern suburbs of Orlando causing sporadic reports of wind damage. A large tree branch blocked a residential road off Old Winter Garden Road just south of the State Road 408 and Florida Turnpike. About 10 minutes later, another report of downed large tree branches onto two vehicles was received from Altamonte Springs." +115553,693933,FLORIDA,2017,May,Thunderstorm Wind,"ORANGE",2017-05-24 14:45:00,EST-5,2017-05-24 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,28.5058,-81.4181,28.5058,-81.4181,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","A severe thunderstorm moved over downtown Orlando and continued northeast across the eastern Orlando suburbs with estimated wind speeds near 60 mph. A sign at a Race Trac gas station on John Young Parkway and Interstate 4 was blown-out and a large tree branch fell onto an empty vehicle on Concord Street in Downtown Orlando. Several minutes later, downed trees were reported at a residence in Winter Park." +115553,693831,FLORIDA,2017,May,Thunderstorm Wind,"BREVARD",2017-05-24 15:40:00,EST-5,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"A large upper trough and unusually strong jet stream aided in the development of a semi-discrete squall line which moved across east central Florida during the afternoon and evening of May 24. Several thunderstorms along the main line became severe. Reports of downed trees in the Orlando area and severe wind gusts at Cape Canaveral were received.","US Air Force wind tower 0421 measured a peak wind gust of 59 mph from the west as a severe storm affected the barrier island east of Scottsmoor." +114982,689912,KENTUCKY,2017,May,Flood,"PULASKI",2017-05-28 06:40:00,EST-5,2017-05-28 11:56:00,0,0,0,0,1.00K,1000,0.00K,0,37.18,-84.55,37.1821,-84.5487,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Kentucky Hwy 39 near Dabney was closed for a period of time due to flooding." +113197,677182,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-27 15:13:00,CST-6,2017-03-27 15:13:00,0,0,0,0,15.00K,15000,0.00K,0,36.9402,-86.4842,36.9402,-86.4842,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The public reported trees down at the intersection of Memphis Junction Road and Nashville Road southwest of Bowling Green." +113852,681792,KANSAS,2017,February,Hail,"LINN",2017-02-28 21:54:00,CST-6,2017-02-28 21:56:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-94.76,38.35,-94.76,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching golf ball sized in some locations.","" +113853,681797,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 17:39:00,CST-6,2017-02-28 17:39:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-94.4,38.95,-94.4,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report came to the office via social media." +113853,681852,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:15:00,CST-6,2017-02-28 21:16:00,0,0,0,0,0.00K,0,0.00K,0,38.5233,-94.3521,38.5233,-94.3521,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","Reported at 327th and I-49." +113853,681854,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:33:00,CST-6,2017-02-28 21:33:00,0,0,0,0,0.00K,0,0.00K,0,38.51,-94.35,38.51,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115295,696986,ILLINOIS,2017,May,Flood,"CLARK",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4797,-88.014,39.173,-88.0094,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Clark County. Several streets in Casey and Marshall were impassable. Numerous rural roads and highways in the county were inundated, particularly in central and northern Clark County. Many creeks in the Embarras River basin were flooded, one of which over-topped a bridge in Martinsville. An additional 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +113515,679553,GEORGIA,2017,April,Thunderstorm Wind,"RICHMOND",2017-04-03 14:45:00,EST-5,2017-04-03 14:45:00,0,0,0,0,,NaN,,NaN,33.47,-82.08,33.47,-82.08,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Roof damage reported at a business and at a restaurant along Wrightsboro Rd. Also, numerous trees, power lines, and lights were downed." +116041,697474,MINNESOTA,2017,May,Hail,"DODGE",2017-05-15 21:26:00,CST-6,2017-05-15 21:26:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-92.93,44.17,-92.93,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Quarter sized hail was reported northwest of West Concord." +116041,697475,MINNESOTA,2017,May,Hail,"DODGE",2017-05-15 21:22:00,CST-6,2017-05-15 21:22:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-93.02,44.17,-93.02,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Up to quarter sized hail was reported west of West Concord." +116041,697552,MINNESOTA,2017,May,Flash Flood,"WABASHA",2017-05-16 00:30:00,CST-6,2017-05-16 02:30:00,0,0,0,0,10.00K,10000,0.00K,0,44.12,-92.18,44.1132,-92.1796,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Runoff from heavy rain pushed the North Fork of the Whitewater River out of its banks in Carley State Park. The flooding washed out access roads and knocked down some trees." +116041,697553,MINNESOTA,2017,May,Flood,"WINONA",2017-05-16 03:43:00,CST-6,2017-05-16 05:00:00,0,0,0,0,0.00K,0,0.00K,0,44.019,-91.6155,44.0202,-91.6149,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","A mud slide on the south side of Winona covered a portion of County Highway 17." +115704,695336,MISSISSIPPI,2017,May,Strong Wind,"COPIAH",2017-05-03 12:14:00,CST-6,2017-05-03 12:14:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","Several trees were blown down on power lines which caused numerous outages." +115704,695330,MISSISSIPPI,2017,May,Strong Wind,"HINDS",2017-05-03 13:22:00,CST-6,2017-05-03 13:22:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A tree was blown down and blocked Highway 467 at Bill Downing Rd." +115570,697392,KANSAS,2017,May,Flash Flood,"LOGAN",2017-05-11 00:00:00,CST-6,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1095,-100.9605,39.1101,-100.9605,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to four inches of heavy rain fell causing flood waters to run over CR 380 a half mile south of Highway 40." +116033,697498,MISSISSIPPI,2017,May,Thunderstorm Wind,"HINDS",2017-05-21 13:48:00,CST-6,2017-05-21 14:15:00,0,0,0,0,30.00K,30000,0.00K,0,32.39,-90.57,32.41,-90.34,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A swath of wind moved through central Hinds County and caused damage from Edwards to Clinton. A tree was blown down on Good Hope Road near Edwards. Another was blown down on North Chapel Hill Road near Bolton. Several trees were blown down onto powerlines along I-20 westbound between Bolton and Clinton. Another tree was blown down onto a powerline on Tinnin Road just north of Clinton." +116033,697502,MISSISSIPPI,2017,May,Thunderstorm Wind,"HINDS",2017-05-21 14:23:00,CST-6,2017-05-21 14:23:00,0,0,0,0,3.00K,3000,0.00K,0,32.2613,-90.3382,32.2613,-90.3382,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Springridge Road near Highway 18." +116033,697505,MISSISSIPPI,2017,May,Thunderstorm Wind,"HINDS",2017-05-21 14:26:00,CST-6,2017-05-21 14:26:00,0,0,0,0,3.00K,3000,0.00K,0,32.06,-90.51,32.06,-90.51,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down along MS Highway 27 south of Bear Creek Road and blocked the northbound lane." +116033,697363,MISSISSIPPI,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-21 14:29:00,CST-6,2017-05-21 14:29:00,0,0,0,0,8.00K,8000,0.00K,0,31.53,-91.08,31.53,-91.08,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A number of trees were blown down north of Roxie." +116033,697500,MISSISSIPPI,2017,May,Thunderstorm Wind,"COPIAH",2017-05-21 14:38:00,CST-6,2017-05-21 14:41:00,0,0,0,0,4.00K,4000,0.00K,0,32.01,-90.35,31.98,-90.33,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","Several trees were blown down near Crystal Springs, which included on Highway 27, Harmony Road, Mathis Road and Six Mile Road." +115436,693129,IOWA,2017,May,Hail,"WEBSTER",2017-05-15 12:07:00,CST-6,2017-05-15 12:07:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-94.07,42.24,-94.07,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported half dollar sized hail. Similar hail reported near Harcourt as well. This is a delayed report, time estimated by radar." +115436,693148,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-15 17:04:00,CST-6,2017-05-15 17:04:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-93.04,42.92,-93.04,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported to our Facebook page quarter sized hail. This is a delayed report and time estimated by radar." +115436,693169,IOWA,2017,May,Hail,"KOSSUTH",2017-05-15 22:15:00,CST-6,2017-05-15 22:15:00,0,0,0,0,0.00K,0,0.00K,0,43.3999,-93.9735,43.3999,-93.9735,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Buffalo Center fire department reported quarter size hail. Time estimated from radar." +116144,703484,OKLAHOMA,2017,May,Tornado,"MCINTOSH",2017-05-18 21:11:00,CST-6,2017-05-18 21:15:00,0,0,0,0,75.00K,75000,0.00K,0,35.3578,-95.7225,35.3922,-95.6532,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado destroyed a mobile home, damaged the roofs of several other homes, destroyed outbuildings, snapped or uprooted numerous trees, and blew down power poles. Based on this damage, maximum estimated wind in the tornado was 95 to 105 mph." +116144,703485,OKLAHOMA,2017,May,Tornado,"MCINTOSH",2017-05-18 21:15:00,CST-6,2017-05-18 21:19:00,0,0,0,0,25.00K,25000,0.00K,0,35.3761,-95.6591,35.4047,-95.6012,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado destroyed an outbuilding, damaged a home, snapped or uprooted numerous trees, and blew down power poles. Based on this damage, maximum estimated wind in the tornado was 95 to 105 mph." +116213,698680,MISSOURI,2017,May,Strong Wind,"WAYNE",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116214,698683,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-05-04 18:18:00,EST-5,2017-05-04 18:23:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. The line of thunderstorms produced damaging wind gusts and a few tornadoes inland before moving into the Atlantic coastal waters.","The Weatherflow site on the south end of Tybee Island measured a 34 knot wind gust with a passing thunderstorm. The peak gust of 41 knots occurred 5 minutes later." +116216,698710,MONTANA,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-12 14:32:00,MST-7,2017-05-12 14:32:00,0,0,0,0,0.00K,0,0.00K,0,48.35,-110.97,48.35,-110.97,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Two power poles blown down along Highway 223 at mile marker 42. Spotter reports poles were arcing upon arrival. Fire department is on scene directing traffic. Hail also occurred at this location, but size is unknown." +116216,698712,MONTANA,2017,May,Thunderstorm Wind,"HILL",2017-05-12 15:02:00,MST-7,2017-05-12 15:02:00,0,0,0,0,0.00K,0,0.00K,0,48.55,-110.65,48.55,-110.65,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","A 70 mph wind gusts was recorded by the DOT sensor just east of Inverness." +116216,698713,MONTANA,2017,May,Thunderstorm Wind,"HILL",2017-05-12 15:25:00,MST-7,2017-05-12 15:25:00,0,0,0,0,0.00K,0,0.00K,0,48.8,-110.44,48.8,-110.44,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Spotter estimated wind gusts in the upper 50 mph range. Tree limbs down and crop damage. Penny size hail fell at this location as well. Time estimated." +116216,698714,MONTANA,2017,May,Thunderstorm Wind,"HILL",2017-05-12 15:29:00,MST-7,2017-05-12 15:29:00,0,0,0,0,0.00K,0,0.00K,0,48.83,-110.72,48.83,-110.72,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Local mesonet site measured a 61 mph wind gust." +115267,692023,ILLINOIS,2017,May,Thunderstorm Wind,"POPE",2017-05-27 15:28:00,CST-6,2017-05-27 15:28:00,0,0,0,0,6.00K,6000,0.00K,0,37.3,-88.63,37.3,-88.63,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Some trees were snapped or uprooted." +115267,692024,ILLINOIS,2017,May,Thunderstorm Wind,"UNION",2017-05-27 16:50:00,CST-6,2017-05-27 17:00:00,0,0,0,0,60.00K,60000,0.00K,0,37.45,-89.27,37.47,-89.25,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Widespread wind damage was reported across Jonesboro, including a collapsed garage due to a tree falling on it. Numerous power poles were snapped across town. Numerous trees and power lines were down across the west side of Jonesboro. Some of the trees were up to five feet in diameter. In Anna, a large tree and numerous limbs were down." +115331,692466,MISSOURI,2017,May,Thunderstorm Wind,"CARTER",2017-05-27 16:05:00,CST-6,2017-05-27 16:05:00,0,0,0,0,5.00K,5000,0.00K,0,37,-91.02,37,-91.02,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Several trees were blown down around town. Power was out to several homes and businesses, including the county sheriff department." +115331,692468,MISSOURI,2017,May,Thunderstorm Wind,"WAYNE",2017-05-27 16:15:00,CST-6,2017-05-27 16:15:00,2,0,0,0,60.00K,60000,0.00K,0,37.13,-90.47,37.0993,-90.4315,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Multiple trees were uprooted on D Highway a few miles southeast of Greenville. One vehicle was struck by a falling tree, with minor injuries. Multiple trees were down in a campground. In Greenville, trees and power lines were down." +116311,702520,INDIANA,2017,May,Thunderstorm Wind,"MONROE",2017-05-10 22:25:00,EST-5,2017-05-10 22:25:00,0,0,0,0,7.00K,7000,0.00K,0,39.1,-86.54,39.1,-86.54,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Social media reports of trees down due to damaging thunderstorm wind gusts in several locations in and around the Bloomington area, including near the 6500 block of South Old 37 Highway." +116311,702523,INDIANA,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-10 22:46:00,EST-5,2017-05-10 22:46:00,0,0,0,0,10.00K,10000,0.00K,0,39.35,-85.97,39.35,-85.97,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Power poles were downed in downtown Edinburgh due to damaging thunderstorm wind gusts. Scattered tree damage was also reported." +116311,702524,INDIANA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-10 22:50:00,EST-5,2017-05-10 22:50:00,0,0,0,0,5.00K,5000,,NaN,39.6,-85.92,39.6,-85.92,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Trees were downed in this location due to damaging thunderstorm wind gusts." +116311,702525,INDIANA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-10 22:57:00,EST-5,2017-05-10 22:57:00,0,0,0,0,5.00K,5000,,NaN,39.55,-85.74,39.55,-85.74,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Trees were downed in this location due to damaging thunderstorm wind gusts." +116311,702527,INDIANA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-10 23:00:00,EST-5,2017-05-10 23:00:00,0,0,0,0,1.00K,1000,,NaN,39.67,-85.67,39.67,-85.67,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","A tree was downed in this location due to damaging thunderstorm wind gusts." +116311,702533,INDIANA,2017,May,Thunderstorm Wind,"DECATUR",2017-05-10 23:22:00,EST-5,2017-05-10 23:22:00,0,0,0,0,3.00K,3000,,NaN,39.31,-85.48,39.31,-85.48,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Good sized, large tree limbs were downed across town due to damaging thunderstorm wind gusts." +116168,698242,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:18:00,CST-6,2017-05-17 15:18:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-93.77,41.56,-93.77,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported tree damage including 6 to 12 inch diameter limbs torn off main trunk." +116168,698250,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:19:00,CST-6,2017-05-17 15:19:00,0,0,0,0,20.00K,20000,0.00K,0,41.6884,-93.9606,41.6886,-93.816,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported power lines down between Dallas Center and Grimes. Dallas Center without power at the time of the report." +116168,698263,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:25:00,CST-6,2017-05-17 15:40:00,0,0,0,0,100.00K,100000,0.00K,0,41.6515,-93.734,41.5282,-93.5664,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager stated dozens of reports of power lines down, trees down, power outages from transformer damage, and motor vehicle crashes all suspected to be storm related. Metro wide reports too numerous to report." +116370,699775,MONTANA,2017,June,Hail,"LEWIS AND CLARK",2017-06-01 14:20:00,MST-7,2017-06-01 14:20:00,0,0,0,0,0.00K,0,0.00K,0,46.6354,-112.2246,46.6354,-112.2246,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Retired NWS employee reported ping pong ball-size hail just north of MacDonald Pass." +116273,699162,ATLANTIC SOUTH,2017,May,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-05-23 17:03:00,EST-5,2017-05-23 17:14:00,0,0,3,0,,NaN,0.00K,0,32.0328,-80.8825,32.07,-80.79,"A strong line of thunderstorms develop across portions of southeast Georgia and southeast South Carolina in the afternoon hours. This line eventually impacted the coast and the adjacent Atlantic coastal waters, primarily producing strong wind gusts. The event also included a tornado that moved through Fort Pulaski and then into the coastal waters, becoming a waterspout.","A National Weather Service storm survey team confirmed an EF2 tornado that caused damage to Fort Pulaski and then exited into the Atlantic Ocean north of Tybee Island as a strong waterspout. As the waterspout tracked to the east-northeast, the Coast Guard reported that it capsized the 47 foot fishing vessel named Miss Debbie. The Coast Guard received an emergency position indicating radio beacon about 1.6 miles northeast of the northern end of Tybee Island. After several days of search and rescue operations including the South Carolina Department of Natural Resources, the 3 male crew members were presumed to have drowned. Based on radar data, the waterspout continued to track to the east-northeast before dissipating." +116440,701268,TEXAS,2017,May,Hail,"MONTAGUE",2017-05-28 00:20:00,CST-6,2017-05-28 00:20:00,0,0,0,0,0.00K,0,0.00K,0,33.84,-97.53,33.84,-97.53,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Amateur radio reported quarter sized hail on FM 677 north of the city of Nacona, TX." +116440,701269,TEXAS,2017,May,Hail,"COOKE",2017-05-28 02:44:00,CST-6,2017-05-28 02:44:00,0,0,0,0,0.00K,0,0.00K,0,33.6411,-97.2218,33.6411,-97.2218,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Fire and rescue reported quarter-sized hail near the intersection of Main Street and Pecan Street in the city of Lindsay, TX." +116440,701271,TEXAS,2017,May,Hail,"HUNT",2017-05-28 14:30:00,CST-6,2017-05-28 14:30:00,0,0,0,0,0.00K,0,0.00K,0,32.86,-96.13,32.86,-96.13,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","A trained spotter reported quarter-sized hail just south of the city of Quinlan, TX." +116440,701272,TEXAS,2017,May,Hail,"ANDERSON",2017-05-28 15:49:00,CST-6,2017-05-28 15:49:00,0,0,0,0,0.00K,0,0.00K,0,31.84,-95.52,31.84,-95.52,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","A trained spotter reported quarter sized hail approximately 9 miles northeast of the city of Palestine, TX." +116433,700240,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-02 23:30:00,CST-6,2017-05-02 23:30:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-101.44,35.63,-101.44,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700241,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-02 23:46:00,CST-6,2017-05-02 23:46:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-101.4,35.66,-101.4,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700242,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-02 23:49:00,CST-6,2017-05-02 23:49:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.4,35.69,-101.4,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700243,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-02 23:52:00,CST-6,2017-05-02 23:52:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-101.4,35.72,-101.4,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116433,700244,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-03 00:48:00,CST-6,2017-05-03 00:48:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-101.4,35.66,-101.4,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116592,701174,TEXAS,2017,May,Hail,"SHERMAN",2017-05-10 16:12:00,CST-6,2017-05-10 16:12:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-101.98,36.39,-101.98,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","Late Facebook report received. Time estimated by radar." +116592,701175,TEXAS,2017,May,Hail,"DONLEY",2017-05-10 16:28:00,CST-6,2017-05-10 16:28:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-100.57,34.77,-100.57,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","" +116592,701176,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-10 17:22:00,CST-6,2017-05-10 17:22:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-100.21,34.87,-100.21,"A second shortwave trough following the one from earlier in the morning on the 10th made its way across the region. As the 300 hPa jet streak moved further east across north Texas, this put the favorable jet dynamics for upper level divergence right over the Panhandles. As the cold pocket aloft near the center of the upper level low over central New Mexico moved closer to the region, in-conjunction with 1000-2000 J/Kg SBCAPE and 40-50 kts of effective shear, mesoscale elements were there for supercell with large hail. residual outflow boundaries from early that morning also were some of the focus of convection with large hail up to tennis ball size reported on the north side of Amarillo. Several reports of large hail was reported across the central and eastern TX Panhandle.","" +116602,701219,MISSOURI,2017,May,High Wind,"NODAWAY",2017-05-17 14:40:00,CST-6,2017-05-17 14:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the afternoon of May 17 numerous sub-severe rain showers caused straight line synoptically driven winds to translate to the surface, causing numerous locations across northern Missouri to see 60-plus mph wind gusts. Some minor tree damage occurred in a few locations, but the most significant damage occurred near Maryville, where a roof was ripped off of a nursing home facility.","Roof damage was reported at a nursing home facility just a few miles west of Maryville, Missouri. These winds were caused by sub-severe rain showers causing synoptically driven low level winds to the surface, resulting in numerous reports of 60-70 mph winds and isolated structural and minor tree damage." +113553,680192,SOUTH CAROLINA,2017,April,Hail,"SUMTER",2017-04-05 14:33:00,EST-5,2017-04-05 14:37:00,0,0,0,0,,NaN,,NaN,34.01,-80.46,34.01,-80.46,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Half dollar size hail photographed near Dalzell." +113553,680202,SOUTH CAROLINA,2017,April,Tornado,"LEXINGTON",2017-04-05 13:06:00,EST-5,2017-04-05 13:10:00,0,0,0,0,,NaN,,NaN,34.0054,-81.278,34.0056,-81.2776,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Brief tornado touchdown uprooted a tree at the intersection of Old Cherokee Rd and Rollingwood Dr." +113553,680203,SOUTH CAROLINA,2017,April,Hail,"RICHLAND",2017-04-05 13:35:00,EST-5,2017-04-05 13:39:00,0,0,0,0,,NaN,,NaN,34.04,-80.67,34.04,-80.67,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","" +115173,691452,COLORADO,2017,May,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-05-17 07:00:00,MST-7,2017-05-18 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 8 to 14 inches with locally higher amounts that included 16 inches measured at the Spud Mountain SNOTEL site. Travel restrictions were in place over the higher mountain passes for much of the storm." +115173,691458,COLORADO,2017,May,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-05-17 10:00:00,MST-7,2017-05-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 6 to 12 inches with locally higher amounts up to 15 inches measured at Slumgullion Pass and at the Swamp Angel study plot near Red Mountain Pass. Travel restrictions were in place for much of the event." +115173,691453,COLORADO,2017,May,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-05-17 15:00:00,MST-7,2017-05-19 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall accumulations varied between 6 and 11 inches across the forecast zone." +115173,691460,COLORADO,2017,May,Winter Weather,"CENTRAL COLORADO RIVER BASIN",2017-05-17 19:16:00,MST-7,2017-05-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 3 to 6 inches along the Interstate 70 corridor from Gypsum to Wolcott." +116703,701774,WASHINGTON,2017,May,High Wind,"ADMIRALTY INLET AREA",2017-05-23 18:00:00,PST-8,2017-05-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on Whidbey Island from westerlies down the strait.","The Whidbey Island NAS ASOS recorded 41-43 mph sustained wind, with gusts to 60 mph. Around 10,000 customers lost power, mainly on Whidbey and Camano Islands. A heron rookery was wiped out near Anacortes." +115173,691459,COLORADO,2017,May,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-05-17 21:00:00,MST-7,2017-05-19 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 8 to 14 inches across most of the zone. However, the Whiskey Creek SNOTEL picked up 27 inches, while the Tower SNOTEL measured 39 inches during this event." +115173,691457,COLORADO,2017,May,Winter Weather,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-05-18 04:00:00,MST-7,2017-05-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across Eastern Utah and Western Colorado. This system tapped moisture from the south and produced widespread late-season heavy snowfall across the mountains and high valleys.","Snowfall amounts ranged from 4 to 8 inches." +116422,700165,KANSAS,2017,May,Hail,"SHERMAN",2017-05-25 15:22:00,MST-7,2017-05-25 15:28:00,0,0,0,0,0.00K,0,0.00K,0,39.2002,-101.7206,39.2002,-101.7206,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","The hail ranged from nickel to ping-pong ball size." +116422,700170,KANSAS,2017,May,Hail,"SHERMAN",2017-05-25 15:48:00,MST-7,2017-05-25 15:48:00,0,0,0,0,0.00K,0,0.00K,0,39.1399,-101.5151,39.1399,-101.5151,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","The hail occurred with estimated 80 MPH winds on CR 29, roughly .3 miles north of the county line." +116422,700172,KANSAS,2017,May,Hail,"THOMAS",2017-05-25 16:56:00,CST-6,2017-05-25 16:56:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-101.3545,39.14,-101.3545,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","" +116422,700174,KANSAS,2017,May,Hail,"GOVE",2017-05-25 17:54:00,CST-6,2017-05-25 17:54:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-100.63,39.12,-100.63,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","Also occurred with estimated wind gusts up to 70 MPH." +116737,702096,NEW HAMPSHIRE,2017,May,Hail,"HILLSBOROUGH",2017-05-31 19:22:00,EST-5,2017-05-31 19:26:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-71.41,42.78,-71.41,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1 inch hail in Hudson Center." +116737,702097,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 19:34:00,EST-5,2017-05-31 19:39:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-71.35,43.91,-71.35,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A thunderstorm produced 0.75 inch hail in Wonalancet." +116737,702098,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"MERRIMACK",2017-05-31 19:00:00,EST-5,2017-05-31 19:05:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-71.57,43.34,-71.57,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm downed trees and on wires in Canterbury." +116737,702099,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"STRAFFORD",2017-05-31 20:10:00,EST-5,2017-05-31 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-70.92,43.17,-70.92,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm downed trees on wires in Madbury." +116737,702100,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 19:25:00,EST-5,2017-05-31 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-71.33,42.88,-71.33,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm downed large branches in Derry." +116737,702103,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CARROLL",2017-05-31 18:10:00,EST-5,2017-05-31 18:14:00,0,0,0,0,0.00K,0,0.00K,0,43.56,-71.07,43.56,-71.07,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm downed a tree in Brookfield." +117103,704507,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"UNION",2017-05-24 14:00:00,EST-5,2017-05-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-81.64,34.79,-81.64,"Scattered to numerous thunderstorms developed in advance of a cold front across Upstate South Carolina during the afternoon. One severe storms produced isolated wind damage in Union County.","Nws storm survey found multiple trees blown down around Shady Hill Dr off Timberlake Rd." +117108,704523,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MACON",2017-05-27 22:24:00,EST-5,2017-05-27 23:01:00,0,0,0,0,0.00K,0,0.00K,0,35.285,-83.595,35.004,-83.202,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees blown down throughout Macon County." +117108,704526,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-27 22:27:00,EST-5,2017-05-27 23:01:00,0,0,0,0,0.00K,0,0.00K,0,35.399,-83.34,35.266,-82.927,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees blown down throughout the county." +113051,686687,MASSACHUSETTS,2017,March,High Wind,"EASTERN PLYMOUTH",2017-03-14 10:47:00,EST-5,2017-03-14 13:47:00,0,0,0,0,18.00K,18000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Strong to damaging winds occurred for a couple of hours in the early afternoon in eastern Plymouth County. Although the highest gust reported was only 52 mph at 243 PM EDT, there were several reports of damage. At 1147 AM, a large tree and wires were down on Main Street in Hingham. At 12 Noon, wires were down on Bay Avenue East in Hull. At 1210 PM, a tree was down through a roof of a house on Pioneer Road in Hingham. At 1252 PM, wires were reported down on Circuit Street in Hanover. At 112 PM, a tree was down on wires along Maramount Street in Scituate. At 117 PM, wires were down in Cohasset. At 119 PM, a large tree was down on wires in Scituate. At 130 PM, a tree fell into a house on Main Street and a large branch was also down on Main Street. At 138 PM, another large branch was reported down on wires in Scituate, on Grover Street. At 217 PM, a tree fell onto wires on Old Meeting House Lane in Norwell. At 247 PM, a tree was reported onto a house in Hingham." +114166,683692,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-01 04:10:00,CST-6,2017-03-01 04:20:00,0,0,0,0,50.00K,50000,0.00K,0,36.5819,-90.1719,36.5903,-90.0865,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large metal building destroyed. One vehicle and trailer damaged by flying debris." +114166,683691,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-01 04:20:00,CST-6,2017-03-01 04:25:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-89.97,36.4564,-89.9626,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large tree uprooted." +114167,683694,TENNESSEE,2017,March,Thunderstorm Wind,"LAKE",2017-03-01 04:45:00,CST-6,2017-03-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,36.2657,-89.4958,36.2634,-89.4624,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Several large tree limbs down." +114428,686144,MISSISSIPPI,2017,March,Tornado,"ALCORN",2017-03-27 12:59:00,CST-6,2017-03-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9358,-88.7171,34.937,-88.7142,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Brief touchdown near the small town of Theo." +114428,686145,MISSISSIPPI,2017,March,Hail,"UNION",2017-03-27 13:03:00,CST-6,2017-03-27 13:10:00,0,0,0,0,0.00K,0,0.00K,0,34.4823,-89.0483,34.5027,-88.9748,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686146,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-27 13:10:00,CST-6,2017-03-27 13:15:00,0,0,0,0,0.00K,0,0.00K,0,34.45,-88.5023,34.4585,-88.4626,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686147,MISSISSIPPI,2017,March,Hail,"PRENTISS",2017-03-27 13:45:00,CST-6,2017-03-27 13:50:00,0,0,0,0,0.00K,0,0.00K,0,34.6469,-88.6212,34.6756,-88.5217,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686149,MISSISSIPPI,2017,March,Hail,"LEE",2017-03-27 13:50:00,CST-6,2017-03-27 13:55:00,0,0,0,0,0.00K,0,0.00K,0,34.5004,-88.6514,34.5174,-88.5979,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686150,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-27 14:27:00,CST-6,2017-03-27 14:32:00,0,0,0,0,,NaN,,NaN,34.25,-88.35,34.255,-88.3205,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686151,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-27 14:24:00,CST-6,2017-03-27 14:30:00,0,0,0,0,0.00K,0,0.00K,0,34.2544,-88.4283,34.2539,-88.35,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +116370,699782,MONTANA,2017,June,Thunderstorm Wind,"CASCADE",2017-06-01 15:58:00,MST-7,2017-06-01 15:58:00,0,0,0,0,0.00K,0,0.00K,0,47.27,-111.7,47.27,-111.7,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Thunderstorm wind gusts of 60 to 70 mph. Some trees down. Very heavy rain caused localized street flooding." +116370,699783,MONTANA,2017,June,Thunderstorm Wind,"LEWIS AND CLARK",2017-06-01 15:10:00,MST-7,2017-06-01 15:10:00,0,0,0,0,0.00K,0,0.00K,0,47,-112.07,47,-112.07,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Estimated winds of at least 60 mph." +116370,699784,MONTANA,2017,June,Thunderstorm Wind,"CHOUTEAU",2017-06-01 17:05:00,MST-7,2017-06-01 17:05:00,0,0,0,0,0.00K,0,0.00K,0,47.79,-110.79,47.79,-110.79,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Spotter reported wind gusts of at least 60 mph on US Highway 87, near mile marker 33. Wind was lofting dust, which reduced visibility." +113051,683076,MASSACHUSETTS,2017,March,Heavy Snow,"SUFFOLK",2017-03-14 05:00:00,EST-5,2017-03-14 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow and strong winds combined to produce near-blizzard conditions across Suffolk County in the late morning and early afternoon hours, before changing briefly to sleet and rain, then ending. At Boston, MA (BOS)...winds gusted to 35+ mph and visibilities were 1/4 mile for 2 hours and 25 minutes 1135 AM to 200 PM. Snowfall totals ranged from 6.6 inches on the coast at Boston's Logan International Airport to 8.5 inches in Jamaica Plain, in the western portion of Boston." +114423,686120,TENNESSEE,2017,March,Hail,"PUTNAM",2017-03-09 22:51:00,CST-6,2017-03-09 22:51:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-85.5,36.17,-85.5,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A trained spotter reported quarter size hail in Cookeville." +114423,686121,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-09 22:55:00,CST-6,2017-03-09 22:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.1,-86.82,36.1,-86.82,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A trained spotter reported trees blown down in the Green Hills area of Nashville." +114118,685296,TENNESSEE,2017,March,Hail,"WAYNE",2017-03-01 11:09:00,CST-6,2017-03-01 11:09:00,0,0,0,0,0.00K,0,0.00K,0,35.0981,-87.6499,35.0981,-87.6499,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Wayne county spotter reported quarter size hail 8 miles southeast of Collinwood." +114118,685297,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-01 11:47:00,CST-6,2017-03-01 11:47:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-87.45,35.08,-87.45,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Twitter report indicated quarter size hail fell in Loretto." +114118,683631,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:28:00,CST-6,2017-03-01 06:36:00,2,0,0,0,40.00K,40000,0.00K,0,36.5523,-87.4236,36.5675,-87.2912,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An 8 mile long swath of wind damage struck the north side of Clarksville in association with a small mesovortex on HPX radar. The Montgomery County EOC received 26 reports of trees and power lines blown down across the city with 9 roads blocked by fallen trees or power poles. One tree fell onto a home on Parker Drive, and another tree fell on a garage on Dalewood Drive. A large tree fell through a mobile home on Riley Road, injuring a mother as well as her 12 year old son, and another tree fell and damaged a nearby mobile home and cars. A tree also fell on a home on Rossview Road, and a preschool suffered minor damage on Old Russellville Pike." +114118,683633,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:34:00,CST-6,2017-03-01 06:34:00,0,0,0,0,1.00K,1000,0.00K,0,36.6402,-87.3154,36.6402,-87.3154,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Trenton Road near the Kentucky border." +114118,685098,TENNESSEE,2017,March,Tornado,"SMITH",2017-03-01 07:51:00,CST-6,2017-03-01 07:56:00,0,0,0,0,40.00K,40000,0.00K,0,36.1167,-85.9809,36.127,-85.9121,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey along with high resolution Google Earth satellite imagery confirmed an EF1 tornado touched down in far southern Smith County southwest of the town of Hickman just north of Potter Road. The tornado completely destroyed a 1930s-era home being used as a storage building to the west of Kyle Hollow Lane, with contents blown up to 150 yards away. Numerous trees were also snapped and uprooted around the building and a nearby mobile home sustained minor exterior damage. Three homes on Jenkins Hill Road just west of Hill Road suffered minor to moderate roof damage and two nearby outbuildings were destroyed. A nearby barn was destroyed and another barn suffered roof damage. On Highway 264 at Jenkins Hall Road, a large barn was completely destroyed with debris blown over 200 yards away to the north, and another barn suffered minor roof damage. TDOT also reported Highway 264 was blocked by trees blown down across the roadways. Farther to the east, dozens of trees were snapped and uprooted in the hills and valleys around Nabors Hollow Lane, and one home received considerable roof damage before the tornado lifted. Special thanks to Smith County Emergency Management and @SmithCountyWx for their assistance with this storm survey." +114683,687929,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:48:00,CST-6,2017-03-21 15:48:00,0,0,0,0,20.00K,20000,0.00K,0,35.8238,-86.4433,35.8238,-86.4433,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a tree fell on a house on Cason Lane causing major damage to the home." +114423,686589,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:41:00,CST-6,2017-03-09 23:41:00,0,0,0,0,1.00K,1000,0.00K,0,35.5826,-86.3577,35.5826,-86.3577,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Cemetary Road at Highway 269." +114683,687935,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:53:00,CST-6,2017-03-21 15:53:00,0,0,0,0,5.00K,5000,0.00K,0,35.8089,-86.3972,35.8089,-86.3972,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos and video showed a tractor trailer was blown over on top of a car on Highway 231 near I-24." +114423,686516,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:36:00,CST-6,2017-03-09 23:37:00,0,0,0,0,35.00K,35000,0.00K,0,35.5643,-86.4554,35.5638,-86.4401,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A severe microburst struck an industrial park area and the Shelbyville Airport north of Shelbyville. A tractor trailer was blown over at a warehouse on Northcreek Road. Significant damage occurred at the Shelbyville Airport Fire Station, where much of the roof was blown off, windows were blown out, and a steel beam on the building frame was twisted around 180 degrees. An old small airplane at the north end of the airport was flipped upside down and thrown 30 yards to the east, heavily damaging the plane. Unfortunately, the AWOS station at the Shelbyville Airport lost power, so no peak wind gusts were measured. Security cameras at the airport captured the microburst on video as well as a nearby power flash." +114423,686519,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-09 23:31:00,CST-6,2017-03-09 23:31:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-87.27,35.15,-87.27,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Lawrence County Emergency Management reported a 60 mph wind gust in Revilo with multiple power outages in the area." +114683,687901,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-21 15:00:00,CST-6,2017-03-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4385,-87.2798,35.4385,-87.2798,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Quarter size hail was reported on Highway 43 near the Lawrence/Maury County line at Summertown." +114611,687558,NEW JERSEY,2017,March,Winter Storm,"WESTERN PASSAIC",2017-03-14 00:00:00,EST-5,2017-03-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 10 to 16 inches of snow and sleet." +114609,687483,NEW YORK,2017,March,Blizzard,"ORANGE",2017-03-14 09:45:00,EST-5,2017-03-14 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Stewart Airport in Newburgh showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the morning and early afternoon on March 14th." +114609,687484,NEW YORK,2017,March,Blizzard,"PUTNAM",2017-03-14 12:18:00,EST-5,2017-03-14 17:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Nearby Poughkeepsie Airport ASOS showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the afternoon on March 14th." +114609,687485,NEW YORK,2017,March,Winter Storm,"ORANGE",2017-03-14 00:30:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Trained spotters, amateur radio, a COOP observer, and the public reported 16 to 24 inches of snowfall. Some sleet also mixed in with the heavy snow." +114423,686600,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:36:00,CST-6,2017-03-09 23:37:00,0,0,0,0,15.00K,15000,0.00K,0,35.6128,-86.4364,35.6116,-86.428,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","An intense 1/2 mile long by 1/4 mile wide microburst affected areas along Highway 231 just north of Deason in association with a mesovortex on radar. Two barns suffered considerable roof damage and a large tree was uprooted to the northeast around a home on the west side of Highway 231 north of Joywood Trailer Park Road. A mobile home was also significantly damaged on the east side of Highway 231. Two large outbuildings were destroyed at the Joy Vail Allman Farm on the east side of Highway 231, and several trees were snapped and uprooted. Winds were estimated up to 80 mph." +115026,690292,TENNESSEE,2017,March,Funnel Cloud,"ROBERTSON",2017-03-26 11:45:00,CST-6,2017-03-26 11:45:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-86.7,36.5,-86.7,"A video posted to social media showed a small funnel cloud occurred in eastern Robertson County associated with a developing shower. No touchdown or damage occurred.","A video posted to a Nashville TV station Facebook page showed a small funnel cloud 10 miles east of Springfield. No touchdown or damage occurred. Time estimated." +114683,687967,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-21 16:36:00,CST-6,2017-03-21 16:36:00,0,0,0,0,0.00K,0,0.00K,0,35.2245,-87.336,35.2245,-87.336,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Nickel size hail was reported at Prosser Road and Highway 43." +114735,688196,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:47:00,CST-6,2017-03-27 14:47:00,0,0,0,0,0.00K,0,0.00K,0,36.1692,-86.7832,36.1692,-86.7832,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A wind gust of 60 mph was measured at WTVF-TV in downtown Nashville." +114683,689202,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:46:00,CST-6,2017-03-21 16:46:00,0,0,0,0,5.00K,5000,0.00K,0,35.823,-85.7366,35.823,-85.7366,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","The roof of a large barn was blown off on Highway 287. Several trees were also snapped and uprooted along the highway." +114888,689211,OREGON,2017,March,Heavy Snow,"CENTRAL COAST RANGE OF W OREGON",2017-03-05 18:00:00,PST-8,2017-03-06 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","The Benton County Emergency Manager reported snowfall rates above 650 feet of 2 inches per hour. By 6:22 pm, Highway 34 was impassable at the summit. A CoCoRaHS observer 7 miles NNW of Philomath recorded 5.9 inches of snow." +114888,689237,OREGON,2017,March,Heavy Snow,"CASCADES IN LANE COUNTY",2017-03-05 18:00:00,PST-8,2017-03-06 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","The McKenzie Bridge SNOTEL recorded 18 inches of snow." +113553,696059,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-05 13:45:00,EST-5,2017-04-05 13:50:00,0,0,0,0,,NaN,,NaN,33.89,-80.88,33.89,-80.88,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Report received via social media of a tree that was uprooted and fell on a small shed. An additional large hardwood tree was snapped nearby." +114906,689261,WASHINGTON,2017,March,Flood,"COWLITZ",2017-03-28 05:06:00,PST-8,2017-03-31 07:24:00,0,0,0,0,0.00K,0,0.00K,0,46.1124,-122.96,46.1021,-122.971,"Additional rises on the Columbia River from snow melt across eastern Washington and in the Cascade Foothills led to the Columbia River to flood near Longview.","Recent heavy rains in addition to snow melt upstream caused the Columbia River near Longview to flood. The river crested at 13.92 feet on March 30th, which is 0.42 feet above flood stage." +115674,695163,FLORIDA,2017,March,Drought,"COASTAL COLLIER COUNTY",2017-03-21 07:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry weather which began in late 2016 continued in March, leading to the development of severe drought (D2) conditions across parts of Southwest Florida. A large wildfire affected the Golden Gate Estates area of Inland Collier County. Crop production and harvesting slowed down due to the dry conditions. A total of 134 new fires were reported by the Florida Forest Service, burning a total of 14,000 acres.","Less than an inch of rain was recorded over northern portions of Coastal Collier County County in March. Severe drought conditions spread south across the area by March 28th." +114057,683037,FLORIDA,2017,March,Wildfire,"INLAND COLLIER COUNTY",2017-03-05 15:33:00,EST-5,2017-03-13 14:15:00,0,0,0,0,578.00K,578000,,NaN,NaN,NaN,NaN,NaN,"The Lee Williams Road wildfire started in the afternoon hours of March 5th near Lee Williams Road. Gusty winds and dry conditions led to rapid fire spread causing multiple mandatory and voluntary evacuations.","A wildfire was reported by the Florida Forest Service on March 5th 2017 at 333PM EST in the Picayune Strand State Forest. Gusty winds and dry conditions led to rapid fire spread over the next several days, causing evacuations for Naples Club RV Park, Panthers Walk RV Park and the Forest Glenn Community. Four homes were destroyed, two on Benfield Road and the other two on Lebuffs Road in Golden Gate Estates. Three barns and some vehicles were also destroyed. Power lines were down on Beck Boulevard. The fire grew to 7230 acres when it was finally contained March 13th 2017. Several roads were also closed, including I-75 remains between SR 29 and Golden Gate Parkway, Collier Boulevard and Beck Boulevard.||Damage total is based on the market value of the properties destroyed, as well as other losses to trees and infrastructure." +116224,699003,KANSAS,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-17 05:46:00,CST-6,2017-06-17 05:46:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.8,37.08,-94.8,"Severe thunderstorm produced reports of wind damage and large hail across southeast Kansas.","Several large tree limbs were blown down." +116221,698749,HAWAII,2017,June,Wildfire,"OAHU NORTH SHORE",2017-06-07 11:00:00,HST-10,2017-06-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire blackened around 450 acres of brush and some Hawaiian native plants such as wiliwili trees, and iliahi and lama trees, in the Waianae Mountains near Mokuleia on Oahu's North Shore. The fire also had threatened rare native animals and plants. The cause of the blaze was not known. No serious injuries or property damage were reported.","" +114736,702239,KANSAS,2017,May,Hail,"JEFFERSON",2017-05-18 19:17:00,CST-6,2017-05-18 19:18:00,0,0,0,0,,NaN,,NaN,39.2,-95.21,39.2,-95.21,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Reported within the city of Mclouth." +114736,702240,KANSAS,2017,May,Thunderstorm Wind,"OSAGE",2017-05-18 20:19:00,CST-6,2017-05-18 20:20:00,0,0,0,0,,NaN,,NaN,38.71,-95.5,38.71,-95.5,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Home anemometer measured a peak gust of 65 MPH." +114736,702241,KANSAS,2017,May,Thunderstorm Wind,"JACKSON",2017-05-18 20:22:00,CST-6,2017-05-18 20:23:00,0,0,0,0,,NaN,,NaN,39.38,-95.64,39.38,-95.64,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Picture received via social media showing a 4 inch diameter tree limb snapped." +114736,702242,KANSAS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 20:34:00,CST-6,2017-05-18 20:35:00,0,0,0,0,,NaN,,NaN,38.72,-95.35,38.72,-95.35,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Estimated wind gust." +114736,702243,KANSAS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-18 20:39:00,CST-6,2017-05-18 20:40:00,0,0,0,0,,NaN,,NaN,38.78,-95.27,38.78,-95.27,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Tree limbs 3 to 4 inches in diameter were down." +114736,702244,KANSAS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-18 20:44:00,CST-6,2017-05-18 20:45:00,0,0,0,0,,NaN,,NaN,38.9,-95.34,38.9,-95.34,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Estimated wind gust." +117147,704727,GULF OF MEXICO,2017,May,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-05-28 14:53:00,EST-5,2017-05-28 14:58:00,0,0,0,0,0.00K,0,0.00K,0,24.64,-81.5,24.64,-81.5,"An isolated waterspout was observed briefly in association with a rain shower developing along a cumulus cloud line just south of the Lower Florida Keys.","A waterspout was observed dissipating between Sugarloaf and Cudjoe Keys near Hawk Channel, drifting toward the south southwest." +117150,704728,GULF OF MEXICO,2017,May,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-05-29 09:52:00,EST-5,2017-05-29 09:54:00,0,0,0,0,0.00K,0,0.00K,0,24.8,-81.55,24.8,-81.55,"An isolated waterspout was observed in association with rain showers along a cloud line in the nearshore Gulf of Mexico waters.","A waterspout was observed and relayed via social media north of Johnston Key." +117151,704729,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-05-24 16:29:00,EST-5,2017-05-24 16:29:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 37 knots was measured at Pulaski Shoal Light." +117151,704730,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-05-24 17:50:00,EST-5,2017-05-24 17:50:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 37 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +117151,704731,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-05-24 17:53:00,EST-5,2017-05-24 17:53:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 43 knots was measured at Pulaski Shoal Light." +117151,704732,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-05-24 18:00:00,EST-5,2017-05-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 40 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +116317,699394,LOUISIANA,2017,May,Thunderstorm Wind,"ST. TAMMANY",2017-05-03 20:15:00,CST-6,2017-05-03 20:15:00,0,0,0,0,0.00K,0,0.00K,0,30.3351,-89.7499,30.3351,-89.7499,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","One tree was blown down, and another snapped in half along Robert Road between Slidell and Pearl River. Event time was estimated based on radar." +116317,699397,LOUISIANA,2017,May,Thunderstorm Wind,"LAFOURCHE",2017-05-03 23:22:00,CST-6,2017-05-03 23:22:00,0,0,0,0,0.00K,0,0.00K,0,29.17,-90.18,29.17,-90.18,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A few power poles were snapped and others bent over in the marshy area along Louisiana Highway 1 west of Grand Isle. Event time was estimated based on radar." +116316,699406,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-05-03 13:31:00,CST-6,2017-05-03 13:31:00,0,0,0,0,0.00K,0,0.00K,0,29.9933,-90.2632,29.9933,-90.2632,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A 36 knot wind gust was reported at New Orleans Armstrong Airport in a thunderstorm." +116316,699408,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-03 15:51:00,CST-6,2017-05-03 15:51:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-88.84,29.3,-88.84,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","AWOS Station KMIS on an oil platform in Main Pass Block 140B reported a 41 knot wind in a thunderstorm." +116316,699415,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-05-03 23:20:00,CST-6,2017-05-03 23:20:00,0,0,0,0,0.00K,0,0.00K,0,29.123,-90.202,29.123,-90.202,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","The AWOS at Port Fourchon Heliport KXPY reported a wind gust of 48 knots. Anemometer height is at 30 meters." +116316,699439,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA FROM 20 TO 60 NM",2017-05-03 23:35:00,CST-6,2017-05-03 23:35:00,0,0,0,0,0.00K,0,0.00K,0,28.6,-91.2,28.6,-91.2,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Station KSPR in Ship Shoal Block 178 reported a wind gust to 45 knots in a thunderstorm." +115189,691687,KANSAS,2017,May,Hail,"MCPHERSON",2017-05-27 13:10:00,CST-6,2017-05-27 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-97.47,38.33,-97.47,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","The trained spotter reported the hail ranged from quarter to ping pong ball-sized and covered the ground. The hail occurred for 5 minutes. The time of the event is estimated from radar." +115190,691688,KANSAS,2017,May,Hail,"HARVEY",2017-05-31 13:00:00,CST-6,2017-05-31 13:05:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-97.34,38.04,-97.34,"Scattered thunderstorms redeveloped early in the afternoon along a weak stationary front that extended from Central Kansas to Southwest Missouri. With a northwest mid to upper-deck regime, deep layer shear was quite pronounced and therefore favorable for severe thunderstorm development.","" +115190,691689,KANSAS,2017,May,Hail,"HARVEY",2017-05-31 13:18:00,CST-6,2017-05-31 13:20:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.26,38.07,-97.26,"Scattered thunderstorms redeveloped early in the afternoon along a weak stationary front that extended from Central Kansas to Southwest Missouri. With a northwest mid to upper-deck regime, deep layer shear was quite pronounced and therefore favorable for severe thunderstorm development.","" +115190,691690,KANSAS,2017,May,Thunderstorm Wind,"NEOSHO",2017-05-31 11:52:00,CST-6,2017-05-31 11:53:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-95.51,37.57,-95.51,"Scattered thunderstorms redeveloped early in the afternoon along a weak stationary front that extended from Central Kansas to Southwest Missouri. With a northwest mid to upper-deck regime, deep layer shear was quite pronounced and therefore favorable for severe thunderstorm development.","No damage was reported." +114631,687562,KANSAS,2017,March,Thunderstorm Wind,"HARPER",2017-03-26 17:35:00,CST-6,2017-03-26 17:38:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-98.06,37.1,-98.06,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","No damage was reported." +117078,704410,KANSAS,2017,May,Thunderstorm Wind,"MORTON",2017-05-09 20:55:00,CST-6,2017-05-09 20:55:00,0,0,0,0,,NaN,,NaN,37.01,-101.9,37.01,-101.9,"The main upper low with a deep warm conveyor belt of moisture impinged on southwest KS on May 9. With enough lift and instability, thunderstorm wind gusts were produced in Morton (66 mph) and Grant (69 mph) counties.","Observed at the Elkhart Middle School." +117078,704411,KANSAS,2017,May,Thunderstorm Wind,"GRANT",2017-05-09 21:51:00,CST-6,2017-05-09 21:51:00,0,0,0,0,,NaN,,NaN,37.6,-101.37,37.6,-101.37,"The main upper low with a deep warm conveyor belt of moisture impinged on southwest KS on May 9. With enough lift and instability, thunderstorm wind gusts were produced in Morton (66 mph) and Grant (69 mph) counties.","" +117079,704412,KANSAS,2017,May,Hail,"CLARK",2017-05-10 18:34:00,CST-6,2017-05-10 18:34:00,0,0,0,0,,NaN,,NaN,37.29,-99.66,37.29,-99.66,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","" +117081,704414,KANSAS,2017,May,Hail,"STEVENS",2017-05-14 16:31:00,CST-6,2017-05-14 16:31:00,0,0,0,0,,NaN,,NaN,37.36,-101.28,37.36,-101.28,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","Ping pong ball to nearly golf ball sized hail." +117082,704415,KANSAS,2017,May,Hail,"MORTON",2017-05-15 17:38:00,CST-6,2017-05-15 17:38:00,0,0,0,0,,NaN,,NaN,37.32,-101.59,37.32,-101.59,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117083,704416,KANSAS,2017,May,Hail,"CLARK",2017-05-16 16:55:00,CST-6,2017-05-16 16:55:00,0,0,0,0,,NaN,,NaN,37.44,-100.02,37.44,-100.02,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117084,706094,KANSAS,2017,May,Flood,"FORD",2017-05-18 17:40:00,CST-6,2017-05-18 19:40:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-99.927,37.6486,-99.9244,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Water was over 117 and Saddle roads." +117084,706095,KANSAS,2017,May,Funnel Cloud,"STAFFORD",2017-05-18 15:33:00,CST-6,2017-05-18 15:35:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-98.81,38.24,-98.81,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","The funnel never fully condensed more than half way to the surface." +117084,706096,KANSAS,2017,May,Funnel Cloud,"FORD",2017-05-18 16:16:00,CST-6,2017-05-18 16:21:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-99.87,37.51,-99.87,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706098,KANSAS,2017,May,Hail,"STAFFORD",2017-05-18 14:57:00,CST-6,2017-05-18 14:57:00,0,0,0,0,,NaN,,NaN,38.08,-98.86,38.08,-98.86,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706099,KANSAS,2017,May,Hail,"PAWNEE",2017-05-18 15:05:00,CST-6,2017-05-18 15:05:00,0,0,0,0,,NaN,,NaN,38.02,-99.3,38.02,-99.3,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +114201,684027,VERMONT,2017,May,Strong Wind,"ORANGE",2017-05-05 16:15:00,EST-5,2017-05-05 16:45:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 50-55 mph with a few possibly higher occurred sporadically across the higher elevations. This resulted in more than a thousand customers without power due to trees on power lines." +114201,684028,VERMONT,2017,May,Strong Wind,"WINDSOR",2017-05-05 16:00:00,EST-5,2017-05-05 16:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 45-55 mph occurred sporadically across the higher elevations. This resulted in up to one thousand customers without power due to trees on power lines." +114107,685913,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ELK",2017-05-01 15:12:00,EST-5,2017-05-01 15:12:00,0,0,0,0,7.00K,7000,0.00K,0,41.5807,-78.6806,41.5807,-78.6806,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near Wilcox." +114107,685933,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SOMERSET",2017-05-01 16:20:00,EST-5,2017-05-01 16:20:00,0,0,0,0,7.00K,7000,0.00K,0,39.82,-79.03,39.82,-79.03,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in the Meyersdale area." +114107,685964,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 17:56:00,EST-5,2017-05-01 17:56:00,0,0,0,0,0.00K,0,0.00K,0,41.1366,-77.4207,41.1366,-77.4207,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced a 66 mph wind gust at the Lock Haven Piper Airport." +114741,688267,KENTUCKY,2017,May,Thunderstorm Wind,"FLOYD",2017-05-20 20:05:00,EST-5,2017-05-20 20:05:00,0,0,0,0,,NaN,,NaN,37.67,-82.91,37.67,-82.91,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Large limbs were blown down west of Prestonsburg." +114741,688272,KENTUCKY,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-20 20:10:00,EST-5,2017-05-20 20:25:00,0,0,0,0,,NaN,,NaN,37.73,-82.92,37.82,-82.81,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Numerous trees were blown down from Riceville to Paintsville." +114741,688275,KENTUCKY,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-20 20:35:00,EST-5,2017-05-20 20:35:00,0,0,0,0,,NaN,,NaN,37.87,-82.87,37.87,-82.87,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Two trees were blown down near Volga." +114787,688532,ALABAMA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-23 15:13:00,CST-6,2017-05-23 15:13:00,0,0,0,0,1.00K,1000,0.00K,0,34.48,-86.22,34.48,-86.22,"A few strong thunderstorms developed during the mid afternoon hours in north central and northeast Alabama. The storms produced brief wind gusts of 40 to 50 mph, knocked a tree down at a few locations.","A tree was knocked down onto power lines at Highway 79 at Bryant Mill Road." +114811,688614,KENTUCKY,2017,May,Thunderstorm Wind,"PULASKI",2017-05-24 14:44:00,EST-5,2017-05-24 14:44:00,0,0,0,0,,NaN,,NaN,37.18,-84.62,37.18,-84.62,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","A citizen reported roof damage to a barn and several trees blown down on a property in Science Hill." +114342,685167,WEST VIRGINIA,2017,May,Hail,"BARBOUR",2017-05-05 16:05:00,EST-5,2017-05-05 16:05:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-80.03,39.24,-80.03,"As a slow moving upper level low pressure system moved across West Virginia on the 5th, cold air filtered in aloft. Thunderstorms formed in the instability of the afternoon. Despite storms not being very tall, freezing levels were under 10,000 feet and the storms were able to tap into this to produce hail. Isolated flash flooding also occurred due to repetitive, slow moving storms.","" +114342,685169,WEST VIRGINIA,2017,May,Hail,"TAYLOR",2017-05-05 16:14:00,EST-5,2017-05-05 16:14:00,0,0,0,0,0.00K,0,0.00K,0,39.31,-79.97,39.31,-79.97,"As a slow moving upper level low pressure system moved across West Virginia on the 5th, cold air filtered in aloft. Thunderstorms formed in the instability of the afternoon. Despite storms not being very tall, freezing levels were under 10,000 feet and the storms were able to tap into this to produce hail. Isolated flash flooding also occurred due to repetitive, slow moving storms.","" +114342,685170,WEST VIRGINIA,2017,May,Hail,"TAYLOR",2017-05-05 16:20:00,EST-5,2017-05-05 16:20:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-79.95,39.35,-79.95,"As a slow moving upper level low pressure system moved across West Virginia on the 5th, cold air filtered in aloft. Thunderstorms formed in the instability of the afternoon. Despite storms not being very tall, freezing levels were under 10,000 feet and the storms were able to tap into this to produce hail. Isolated flash flooding also occurred due to repetitive, slow moving storms.","" +114342,685174,WEST VIRGINIA,2017,May,Hail,"BARBOUR",2017-05-05 16:30:00,EST-5,2017-05-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-80,39.13,-80,"As a slow moving upper level low pressure system moved across West Virginia on the 5th, cold air filtered in aloft. Thunderstorms formed in the instability of the afternoon. Despite storms not being very tall, freezing levels were under 10,000 feet and the storms were able to tap into this to produce hail. Isolated flash flooding also occurred due to repetitive, slow moving storms.","" +114847,688950,KENTUCKY,2017,May,Hail,"BOYD",2017-05-20 14:50:00,EST-5,2017-05-20 14:50:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-82.78,38.33,-82.78,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","" +114846,688962,WEST VIRGINIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-20 18:40:00,EST-5,2017-05-20 18:40:00,0,0,0,0,0.50K,500,0.00K,0,38.16,-81.21,38.16,-81.21,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Thunderstorm winds blew a tree down in Glen Ferris." +114850,688972,WEST VIRGINIA,2017,May,Flash Flood,"LINCOLN",2017-05-24 13:35:00,EST-5,2017-05-24 15:35:00,0,0,0,0,2.00K,2000,0.00K,0,38.03,-82.13,38.0273,-82.1427,"Showers and thunderstorms developed along a warm front on the 24. The showers and storms produced very heavy rainfall with one to two inches of rain in a short time, which fell on already saturated soils resulting in flash flooding. One storm briefly pulsed up and produced downburst damage.","Big Harts Creek flooded, closing a portion of East Fork Road." +114981,694085,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 21:43:00,CST-6,2017-05-27 21:43:00,0,0,0,0,0.20K,200,0.00K,0,34.63,-86.4,34.63,-86.4,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down near the intersection of Cherry Tree Road and Berkley." +114981,694086,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 21:50:00,CST-6,2017-05-27 21:50:00,0,0,0,0,0.20K,200,0.00K,0,34.77,-86.47,34.77,-86.47,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down near the intersection of Dug Hill Road and Stacey Circle." +114981,694087,ALABAMA,2017,May,Thunderstorm Wind,"DEKALB",2017-05-27 21:50:00,CST-6,2017-05-27 21:50:00,0,0,0,0,0.50K,500,0.00K,0,34.64,-85.77,34.64,-85.77,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A large tree was knocked down onto a power line on Greenbriar Drive." +114981,694088,ALABAMA,2017,May,Thunderstorm Wind,"DEKALB",2017-05-27 21:53:00,CST-6,2017-05-27 21:53:00,0,0,0,0,1.00K,1000,0.00K,0,34.58,-85.59,34.58,-85.59,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Multiple trees were knocked down on Highway 117 on Lookout Mountain." +114981,694089,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 23:35:00,CST-6,2017-05-27 23:35:00,0,0,0,0,0.20K,200,0.00K,0,34.92,-87.85,34.92,-87.85,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down across the roadway at 3673 CR 158." +114981,694090,ALABAMA,2017,May,Thunderstorm Wind,"COLBERT",2017-05-27 23:37:00,CST-6,2017-05-27 23:37:00,0,0,0,0,1.00K,1000,0.00K,0,34.71,-87.99,34.71,-87.99,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Trees were knocked down in the Riverton Rose Park area." +115095,690801,VERMONT,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-31 14:35:00,EST-5,2017-05-31 14:35:00,0,0,0,0,20.00K,20000,0.00K,0,44.32,-72.73,44.32,-72.73,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Large branches downed power lines and transformer along Route 2 between Waterbury Center and Middlesex. Tree down along Interstate 89 as well." +115096,698100,OKLAHOMA,2017,May,Tornado,"ROGERS",2017-05-11 13:01:00,CST-6,2017-05-11 13:08:00,0,0,0,0,500.00K,500000,0.00K,0,36.304,-95.7948,36.3114,-95.7703,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","A supercell thunderstorm rapidly developed near Owasso. A tornado developed as the storm approached N 161st E Avenue to the south of 106th Street N where tree limbs were snapped and barns were damaged. The tornado moved northeast damaging the roofs of about 70 homes, destroying outbuildings, uprooting trees, rolling camper trailers, and blowing down power poles between 106th Street N and 109th Street N. The tornado turned more east at about N 173rd E Avenue and then dissipated to the east of N 177th E Avenue. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +115096,698102,OKLAHOMA,2017,May,Tornado,"ROGERS",2017-05-11 13:27:00,CST-6,2017-05-11 13:33:00,0,0,0,0,0.00K,0,0.00K,0,36.3775,-95.6616,36.4203,-95.6476,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","The Owasso tornado dissipated and the supercell thunderstorm that produced it cycled another tornado southeast of Oologah. The first damage from this tornado was on Northaven Road, north of the E 445 Road, where trees were damaged. From there, the tornado moved north-northeast uprooting and snapping trees. It crossed Highway 88 west of the N 4133 Road, where large tree limbs were snapped, and then dissipated north of Highway 88 where trees were uprooted just south of Lake Oologah. Based on this damage, maximum estimated wind in the tornado was 100 to 110 mph." +115177,697807,MISSOURI,2017,May,Hail,"PULASKI",2017-05-27 11:15:00,CST-6,2017-05-27 11:15:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-92.18,37.83,-92.18,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697808,MISSOURI,2017,May,Hail,"PULASKI",2017-05-27 11:18:00,CST-6,2017-05-27 11:18:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-92.16,37.71,-92.16,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697809,MISSOURI,2017,May,Hail,"PHELPS",2017-05-27 11:52:00,CST-6,2017-05-27 11:52:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-91.8,37.81,-91.8,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697810,MISSOURI,2017,May,Hail,"BARTON",2017-05-27 12:05:00,CST-6,2017-05-27 12:05:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-94.19,37.49,-94.19,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Quarter size reported at Highway A and Highway 160." +115177,697811,MISSOURI,2017,May,Hail,"DADE",2017-05-27 12:10:00,CST-6,2017-05-27 12:10:00,0,0,0,0,0.00K,0,0.00K,0,37.43,-93.79,37.43,-93.79,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697812,MISSOURI,2017,May,Hail,"DENT",2017-05-27 12:30:00,CST-6,2017-05-27 12:30:00,0,0,0,0,,NaN,0.00K,0,37.64,-91.54,37.64,-91.54,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697817,MISSOURI,2017,May,Hail,"DADE",2017-05-27 13:00:00,CST-6,2017-05-27 13:00:00,0,0,0,0,,NaN,0.00K,0,37.44,-93.84,37.44,-93.84,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,699001,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 17:29:00,CST-6,2017-05-27 17:29:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-93.48,37.11,-93.48,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A trained spotter measured a 69 mph wind gust with multiple large tree branches blown down." +115177,699002,MISSOURI,2017,May,Thunderstorm Wind,"TEXAS",2017-05-27 14:47:00,CST-6,2017-05-27 14:47:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-91.95,37.33,-91.95,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Numerous small and medium size tree limbs were broken or blown down." +115166,691372,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-28 15:45:00,CST-6,2017-05-28 15:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5397,-94.9447,32.5397,-94.9447,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Small limbs and power lines were blown down in Gladewater." +114629,687566,VERMONT,2017,May,Thunderstorm Wind,"ORLEANS",2017-05-18 16:30:00,EST-5,2017-05-18 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,44.75,-72.18,44.75,-72.18,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Tractor trailer blown over on Interstate 91 as well as trees blocking railroad tracks." +115238,691876,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-30 12:33:00,EST-5,2017-05-30 12:33:00,0,0,0,0,3.00K,3000,0.00K,0,40.5134,-78.0072,40.5134,-78.0072,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires across Cold Srpings Road north of Huntingdon borough." +115238,691877,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-30 12:33:00,EST-5,2017-05-30 12:33:00,0,0,0,0,1.00K,1000,0.00K,0,40.5125,-78.0084,40.5125,-78.0084,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across the intersection of Warm Spring Avenue and Cold Springs Road in Huntingdon." +115238,691879,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLEARFIELD",2017-05-30 13:30:00,EST-5,2017-05-30 13:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0229,-78.4445,41.0229,-78.4445,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm producing winds estimated near 60 mph knocked down large limbs in Clearfield." +115241,694641,KANSAS,2017,May,Flash Flood,"CRAWFORD",2017-05-27 12:34:00,CST-6,2017-05-27 13:34:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-94.6892,37.4598,-94.6889,"A few isolated severe thunderstorms produced reports of large hail, damaging wind gusts, and minor flash flooding.","Flash flooding was reported at the corner of McKahn and Crawford Street in Frontenac, Kansas." +115241,694642,KANSAS,2017,May,Hail,"CHEROKEE",2017-05-27 23:15:00,CST-6,2017-05-27 23:15:00,0,0,0,0,0.00K,0,0.00K,0,37,-94.62,37,-94.62,"A few isolated severe thunderstorms produced reports of large hail, damaging wind gusts, and minor flash flooding.","Golf ball size hail was reported near the Downstream Casino." +115241,694643,KANSAS,2017,May,Hail,"CHEROKEE",2017-05-27 23:20:00,CST-6,2017-05-27 23:20:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-94.63,37.06,-94.63,"A few isolated severe thunderstorms produced reports of large hail, damaging wind gusts, and minor flash flooding.","Golf ball size hail was reported near Galena." +115267,692012,ILLINOIS,2017,May,Hail,"WHITE",2017-05-27 14:28:00,CST-6,2017-05-27 14:28:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-88.07,38.17,-88.07,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","" +113553,680185,SOUTH CAROLINA,2017,April,Hail,"MCCORMICK",2017-04-05 11:20:00,EST-5,2017-04-05 11:25:00,0,0,0,0,0.01K,10,0.01K,10,33.96,-82.46,33.96,-82.46,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Dime to nickel size hail reported near Willington along Hwy 81." +113853,681861,MISSOURI,2017,February,Hail,"COOPER",2017-02-28 22:38:00,CST-6,2017-02-28 22:38:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-92.73,38.95,-92.73,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115382,692769,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-04 00:51:00,MST-7,2017-05-04 01:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty, northeast winds affected Guadalupe Pass behind a strong cold front.","" +115383,692770,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-16 13:23:00,MST-7,2017-05-17 04:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper low passed over the area and resulted in high winds in the Guadalupe Mountains.","" +114620,687393,TEXAS,2017,May,Hail,"STONEWALL",2017-05-19 17:55:00,CST-6,2017-05-19 17:55:00,0,0,0,0,0.00K,0,0.00K,0,33.1602,-100.2422,33.1602,-100.2422,"Early evening thunderstorms developed over the southern Rolling Plains south of a stalled cold front. Some of these storms became severe over Stonewall County producing golf ball size hail. Late in the evening and behind the front, a compact supercell thunderstorm developed in far southwest Lubbock County and affected areas from just south of Wolfforth (Lubbock County) east to the southern extent of Lubbock (Lubbock County).","Law enforcement in Stonewall County reported hail up to golf ball size. No damage was reported." +114620,687394,TEXAS,2017,May,Hail,"LUBBOCK",2017-05-19 22:09:00,CST-6,2017-05-19 22:25:00,0,0,0,0,0.00K,0,0.00K,0,33.4276,-102.02,33.5084,-101.936,"Early evening thunderstorms developed over the southern Rolling Plains south of a stalled cold front. Some of these storms became severe over Stonewall County producing golf ball size hail. Late in the evening and behind the front, a compact supercell thunderstorm developed in far southwest Lubbock County and affected areas from just south of Wolfforth (Lubbock County) east to the southern extent of Lubbock (Lubbock County).","Several NWS employees reported hail up to quarter size from south of Wolfforth to the southwest portion of the city of Lubbock." +115436,693130,IOWA,2017,May,Hail,"HAMILTON",2017-05-15 12:30:00,CST-6,2017-05-15 12:30:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-93.8,42.29,-93.8,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported nickel sized hail." +115551,693814,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-05-24 15:30:00,EST-5,2017-05-24 15:30:00,0,0,0,0,0.00K,0,0.00K,0,29.06,-80.95,29.06,-80.95,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","The AWOS at New Smyrna Beach Airport (KEVB) measured a peak wind gust of 34 knots from the southwest as a strong storm moved into the nearshore waters off Volusia County." +113853,682029,MISSOURI,2017,February,Hail,"CASS",2017-02-28 20:55:00,CST-6,2017-02-28 20:58:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-94.35,38.65,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,682030,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:03:00,CST-6,2017-02-28 21:04:00,0,0,0,0,,NaN,,NaN,38.68,-94.18,38.68,-94.18,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,682031,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 23:30:00,CST-6,2017-02-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-93.53,38.24,-93.53,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115200,694774,OKLAHOMA,2017,May,Hail,"LOVE",2017-05-18 21:41:00,CST-6,2017-05-18 21:41:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-97.51,33.94,-97.51,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +113197,677183,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-27 15:15:00,CST-6,2017-03-27 15:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9526,-86.4533,36.9526,-86.4533,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Broadcast media reported trees were down blocking the intersection of Smallhouse Road and Walnut." +113197,677184,KENTUCKY,2017,March,Thunderstorm Wind,"BARREN",2017-03-27 15:48:00,CST-6,2017-03-27 15:48:00,0,0,0,0,5.00K,5000,0.00K,0,37.0201,-85.9319,37.0201,-85.9319,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Trained spotters reported power lines down on Happy Valley Road." +113197,677185,KENTUCKY,2017,March,Thunderstorm Wind,"HART",2017-03-27 15:48:00,CST-6,2017-03-27 15:48:00,0,0,0,0,20.00K,20000,0.00K,0,37.2,-85.94,37.2,-85.94,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Local broadcast media reported that severe thunderstorm winds tipped over a semi-truck on Interstate 65 near Horse Cave Kentucky." +115805,695984,IOWA,2017,May,Funnel Cloud,"MARSHALL",2017-05-20 16:12:00,CST-6,2017-05-20 16:12:00,0,0,0,0,0.00K,0,0.00K,0,41.9255,-93.1863,41.9255,-93.1863,"A funnel cloud was reported with a weak thunderstorm near Rhodes, Iowa in the late afternoon hours.","A brief funnel cloud was reported near town." +115810,695999,TEXAS,2017,May,Hail,"HUNT",2017-05-11 13:27:00,CST-6,2017-05-11 13:27:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-96.2,33.28,-96.2,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported golfball size hail near Celeste." +115810,696000,TEXAS,2017,May,Hail,"FANNIN",2017-05-11 13:54:00,CST-6,2017-05-11 13:54:00,0,0,0,0,0.00K,0,0.00K,0,33.42,-95.97,33.42,-95.97,"Storms in the area on May 11th. Some hail and wind damage.","Amateur Radio reported half dollar size hail near Ladonia." +115810,696001,TEXAS,2017,May,Hail,"FANNIN",2017-05-11 13:56:00,CST-6,2017-05-11 13:56:00,0,0,0,0,0.00K,0,0.00K,0,33.42,-95.97,33.42,-95.97,"Storms in the area on May 11th. Some hail and wind damage.","Amateur Radio reported golf ball size hail near Ladonia." +115295,697030,ILLINOIS,2017,May,Flood,"CLAY",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6054,-88.6982,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.50 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Clay County. Several streets in Lewistown and Flora were closed due to high water. Numerous rural roads, highways and creeks in the county were flooded, particularly in the northern part of the county from Iola to Bible Grove, and on U.S. Highway 45 from Hord to Louisville. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +121753,728821,PENNSYLVANIA,2017,November,Thunderstorm Wind,"VENANGO",2017-11-05 19:45:00,EST-5,2017-11-05 19:45:00,0,0,0,0,2.50K,2500,0.00K,0,41.48,-79.95,41.48,-79.95,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and wires down." +115704,695333,MISSISSIPPI,2017,May,Strong Wind,"WARREN",2017-05-03 12:14:00,CST-6,2017-05-03 12:14:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A large tree was blown down on power lines on MLK Blvd." +115704,695332,MISSISSIPPI,2017,May,Strong Wind,"WARREN",2017-05-03 13:41:00,CST-6,2017-05-03 13:41:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A tree was blown down on I-20 West near mile marker 5 before the US 61 North/Rolling Fork Exit, and blocked all lanes." +115704,695338,MISSISSIPPI,2017,May,Strong Wind,"MADISON",2017-05-03 13:40:00,CST-6,2017-05-03 14:01:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A wire was blown down off of Hardy Road. A large tree was also uprooted at Dinsmoor Crossing." +115704,695335,MISSISSIPPI,2017,May,Strong Wind,"RANKIN",2017-05-03 14:06:00,CST-6,2017-05-03 14:06:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A tree was blown down on power lines on Murray Drive at Faith Assembly." +115704,695337,MISSISSIPPI,2017,May,Strong Wind,"RANKIN",2017-05-03 21:10:00,CST-6,2017-05-03 21:10:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A tree was blown down on Spillway Road between Grants Ferry Road and the fire station." +115747,695648,MISSISSIPPI,2017,May,Thunderstorm Wind,"JONES",2017-05-12 09:40:00,CST-6,2017-05-12 09:54:00,0,0,0,0,15.00K,15000,0.00K,0,31.6,-89.18,31.67,-89.15,"Showers and thunderstorms developed in a association with a low pressure system moving through the area. Some of these storms produced damaging winds, hail, and flash flooding.","A few trees were blown down on the northeast side of Ellisville. Several trees and a few powerlines were also blown down in southwest Laurel." +116033,697501,MISSISSIPPI,2017,May,Thunderstorm Wind,"COPIAH",2017-05-21 14:41:00,CST-6,2017-05-21 14:43:00,0,0,0,0,3.00K,3000,0.00K,0,31.8795,-90.4163,31.8569,-90.3916,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Monticello Street and another was blown down on Dentville Road." +116033,697373,MISSISSIPPI,2017,May,Thunderstorm Wind,"RANKIN",2017-05-21 14:43:00,CST-6,2017-05-21 14:43:00,0,0,0,0,2.00K,2000,0.00K,0,32.1503,-90.1578,32.1503,-90.1578,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Sykes Road." +116033,697379,MISSISSIPPI,2017,May,Thunderstorm Wind,"COPIAH",2017-05-21 15:07:00,CST-6,2017-05-21 15:07:00,0,0,0,0,2.00K,2000,0.00K,0,31.84,-90.21,31.84,-90.21,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Cooper Road." +116033,697375,MISSISSIPPI,2017,May,Thunderstorm Wind,"RANKIN",2017-05-21 15:05:00,CST-6,2017-05-21 15:05:00,0,0,0,0,50.00K,50000,0.00K,0,32.2397,-90.0341,32.2397,-90.0341,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree went through a home on Kelly Circle." +116033,697376,MISSISSIPPI,2017,May,Thunderstorm Wind,"RANKIN",2017-05-21 15:19:00,CST-6,2017-05-21 15:19:00,0,0,0,0,2.00K,2000,0.00K,0,32.2003,-89.7774,32.2003,-89.7774,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Gaddis Myers Road." +116033,697377,MISSISSIPPI,2017,May,Thunderstorm Wind,"JONES",2017-05-21 16:35:00,CST-6,2017-05-21 16:35:00,0,0,0,0,2.00K,2000,0.00K,0,31.6185,-89.3486,31.6185,-89.3486,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Highway 588 near River Road." +116033,697378,MISSISSIPPI,2017,May,Thunderstorm Wind,"JONES",2017-05-21 16:52:00,CST-6,2017-05-21 16:52:00,0,0,0,0,2.00K,2000,0.00K,0,31.5904,-89.2119,31.5904,-89.2119,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Highway 11 near Highland Subdivision just south of Ellisville." +116033,697367,MISSISSIPPI,2017,May,Thunderstorm Wind,"FORREST",2017-05-21 16:52:00,CST-6,2017-05-21 16:52:00,0,0,0,0,15.00K,15000,0.00K,0,31.38,-89.3,31.38,-89.3,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","Trees and power lines were blown down." +115944,697599,MASSACHUSETTS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 20:20:00,EST-5,2017-05-18 20:20:00,0,0,0,0,1.50K,1500,0.00K,0,42.4395,-72.5813,42.4395,-72.5813,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 820 PM EST, a tree was reported down on wires at the near 500 River Road in Sutherland." +116003,698038,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-24 03:40:00,EST-5,2017-05-24 03:40:00,0,0,0,0,0.00K,0,0.00K,0,36.2402,-80.3582,36.2402,-80.3582,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown down on Stout Farm Road." +116003,698039,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-24 15:40:00,EST-5,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.2398,-80.348,36.2398,-80.348,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown down on Woody Lane." +116003,698040,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-24 15:40:00,EST-5,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.2579,-80.419,36.2579,-80.419,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","A few trees were blown down at the intersection of Meadowbrook and Pierson Roads." +116003,698043,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-24 15:45:00,EST-5,2017-05-24 16:00:00,0,0,0,0,0.00K,0,25.00K,25000,34.9626,-80.0917,35.08,-80.19,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","Numerous trees were blown down across the county." +116003,698044,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MOORE",2017-05-24 16:05:00,EST-5,2017-05-24 16:05:00,0,0,0,0,0.00K,0,0.00K,0,35.2755,-79.5503,35.2755,-79.5503,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","A large tree limb was blown down across Dowd Road near West End." +116144,703486,OKLAHOMA,2017,May,Thunderstorm Wind,"PITTSBURG",2017-05-18 20:44:00,CST-6,2017-05-18 20:44:00,0,0,0,0,0.00K,0,0.00K,0,34.7992,-96.086,34.7992,-96.086,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +116144,703487,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 20:55:00,CST-6,2017-05-18 20:55:00,0,0,0,0,0.00K,0,0.00K,0,35.2317,-95.9764,35.2317,-95.9764,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind uprooted trees and snapped large tree limbs." +116216,698715,MONTANA,2017,May,Thunderstorm Wind,"HILL",2017-05-12 15:31:00,MST-7,2017-05-12 15:31:00,0,0,0,0,0.00K,0,0.00K,0,48.85,-110.6,48.85,-110.6,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Local mesonet site 20 miles north of Rudyard measured a 61 mph wind gust." +116216,698716,MONTANA,2017,May,Thunderstorm Wind,"CHOUTEAU",2017-05-12 16:04:00,MST-7,2017-05-12 16:04:00,0,0,0,0,0.00K,0,0.00K,0,47.95,-110.5,47.95,-110.5,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Peak wind gust measured at the Loma DOT sensor." +116216,698718,MONTANA,2017,May,Hail,"LIBERTY",2017-05-12 16:13:00,MST-7,2017-05-12 16:13:00,0,0,0,0,0.00K,0,0.00K,0,48.51,-110.97,48.51,-110.97,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Quarter size hail estimated at the Liberty County Sheriff's office. Time estimated based on radar." +116216,698719,MONTANA,2017,May,Thunderstorm Wind,"BLAINE",2017-05-12 21:00:00,MST-7,2017-05-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,48.3,-108.72,48.3,-108.72,"A strong cold front moved east across the area and was accompanied by strong to severe thunderstorms across parts of central Montana. The storms mainly produced strong, damaging wind gusts, but some hail also occurred.","Peak wind gust measured at a local mesonet site. Possibly due to a weakening thunderstorm moving through the area." +115630,698523,MISSOURI,2017,May,High Wind,"BARRY",2017-05-17 13:30:00,CST-6,2017-05-17 13:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across the Missouri Ozarks region. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southwest Missouri.","The exterior wall of a barn was blown out due to strong gusty winds. A picture of the damage was on social media." +115630,698524,MISSOURI,2017,May,High Wind,"JASPER",2017-05-17 13:35:00,CST-6,2017-05-17 13:35:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across the Missouri Ozarks region. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southwest Missouri.","The fire department reported a large tree fell on to a house in Joplin due to strong winds. There were no injuries." +115630,698525,MISSOURI,2017,May,High Wind,"GREENE",2017-05-17 13:54:00,CST-6,2017-05-17 13:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across the Missouri Ozarks region. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southwest Missouri.","Several large tree branches and limbs were blown down near Sunshine and Fort Avenue." +115268,692029,KENTUCKY,2017,May,Hail,"BALLARD",2017-05-27 14:55:00,CST-6,2017-05-27 14:55:00,0,0,0,0,,NaN,,NaN,37.08,-88.9,37.08,-88.9,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","The hailstones ranged from nickel size to a few golf ball size stones." +115268,692033,KENTUCKY,2017,May,Hail,"TRIGG",2017-05-27 15:20:00,CST-6,2017-05-27 15:35:00,0,0,0,0,,NaN,,NaN,36.97,-87.72,36.87,-87.6934,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","In Cerulean, hail just under two inches in diameter was photographed alongside a tape measure. One-inch hail was observed by a trained spotter near the Cadiz exit (exit 65) on Interstate 24." +115579,694103,MISSOURI,2017,May,Flash Flood,"STODDARD",2017-05-05 00:51:00,CST-6,2017-05-05 03:30:00,0,0,0,0,100.00K,100000,0.00K,0,37.0345,-89.9805,37.0338,-89.9583,"A band of showers and isolated thunderstorms with torrential rain remained nearly stationary for several hours from Cape Girardeau southwest across the Dexter area. The band of heavy rain was associated with a slow-moving low pressure system over Tennessee. The heavy rain was roughly coincident with the deformation zone on the northwest side of the 500 mb closed low.","A bridge was out along County Road 236 just west of Highway BB due to heavy rainfall." +115331,692475,MISSOURI,2017,May,Thunderstorm Wind,"BOLLINGER",2017-05-27 16:22:00,CST-6,2017-05-27 16:22:00,0,0,0,0,4.00K,4000,0.00K,0,37.2711,-89.97,37.2711,-89.97,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Roof shingles were damaged." +115331,692470,MISSOURI,2017,May,Thunderstorm Wind,"CAPE GIRARDEAU",2017-05-27 16:33:00,CST-6,2017-05-27 16:43:00,0,0,0,0,5.00K,5000,0.00K,0,37.38,-89.67,37.4557,-89.5152,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Large tree limbs and branches were blown down in Jackson. In the far eastern part of the county near Trail of Tears State Park, a large tree was blown across the road and large limbs were down." +113197,677190,KENTUCKY,2017,March,Thunderstorm Wind,"GREEN",2017-03-27 16:20:00,CST-6,2017-03-27 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,37.2805,-85.5219,37.2805,-85.5219,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported power poles down blocking portions of Highway 88 near Greensburg." +116168,698273,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 16:53:00,CST-6,2017-05-17 16:53:00,0,0,0,0,15.00K,15000,0.00K,0,42.52,-92.44,42.52,-92.44,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported a tree fell on their house. Time estimated by radar." +113197,677177,KENTUCKY,2017,March,Hail,"NELSON",2017-03-27 17:10:00,EST-5,2017-03-27 17:10:00,0,0,0,0,,NaN,0.00K,0,37.9,-85.47,37.9,-85.47,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The public reported hail 1.5 inches in diameter and sent a picture to the local TV station via Twitter." +113197,677181,KENTUCKY,2017,March,Hail,"FRANKLIN",2017-03-27 17:45:00,EST-5,2017-03-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-84.81,38.21,-84.81,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The public reported hail up to the size of quarters." +113197,677178,KENTUCKY,2017,March,Hail,"SHELBY",2017-03-27 17:16:00,EST-5,2017-03-27 17:16:00,0,0,0,0,0.00K,0,0.00K,0,38.14,-85.07,38.14,-85.07,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Hail up to the size of quarters covered the ground." +116168,698286,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:14:00,CST-6,2017-05-17 16:14:00,0,0,0,0,5.00K,5000,0.00K,0,42.11,-92.97,42.11,-92.97,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported doors blown off machine shed and large branches down." +116168,698292,IOWA,2017,May,Thunderstorm Wind,"GRUNDY",2017-05-17 16:28:00,CST-6,2017-05-17 16:28:00,0,0,0,0,10.00K,10000,0.00K,0,42.361,-92.7733,42.361,-92.7733,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported 1 to 2 foot diameter trees down near the courthouse. Report via social media and is a delayed report." +116440,701273,TEXAS,2017,May,Hail,"BELL",2017-05-28 18:54:00,CST-6,2017-05-28 18:54:00,0,0,0,0,0.00K,0,0.00K,0,31.1,-97.35,31.1,-97.35,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Amateur radio reported quarter-sized hail on the north side of Temple, TX." +116440,701274,TEXAS,2017,May,Thunderstorm Wind,"GRAYSON",2017-05-28 01:10:00,CST-6,2017-05-28 01:10:00,0,0,0,0,2.00K,2000,0.00K,0,33.6707,-96.6172,33.6707,-96.6172,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Emergency management reported a large sign being blown down and debris on the road near the intersection of Hwy 82 and Travis Street, just north of the city of Sherman, TX." +116440,701275,TEXAS,2017,May,Thunderstorm Wind,"FALLS",2017-05-28 17:25:00,CST-6,2017-05-28 17:25:00,0,0,0,0,5.00K,5000,0.00K,0,31.21,-96.78,31.21,-96.78,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Falls County Sheriff's Department reported trees and power lines down approximately one mile south of the city of Reagan, TX." +116440,701276,TEXAS,2017,May,Thunderstorm Wind,"ROBERTSON",2017-05-28 17:36:00,CST-6,2017-05-28 17:36:00,0,0,0,0,0.00K,0,0.00K,0,30.98,-96.65,30.98,-96.65,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Calvert Police Department reported several trees blocking a couple of roads near the city of Calvert, TX." +116440,701278,TEXAS,2017,May,Thunderstorm Wind,"ROBERTSON",2017-05-28 17:46:00,CST-6,2017-05-28 17:46:00,0,0,0,0,0.00K,0,0.00K,0,30.89,-96.59,30.89,-96.59,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Fire and Rescue reported several trees down in the community of Elliot, just to the north-northeast of the city of Hearne, TX." +116440,701279,TEXAS,2017,May,Thunderstorm Wind,"ROBERTSON",2017-05-28 18:07:00,CST-6,2017-05-28 18:07:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-96.6,30.88,-96.6,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","The Hearne, TX AWOS reported a peak wind gust of 59 MPH." +116433,700246,TEXAS,2017,May,Thunderstorm Wind,"DALLAM",2017-05-02 20:49:00,CST-6,2017-05-02 20:49:00,0,0,0,0,,NaN,,NaN,36.14,-102.7,36.14,-102.7,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","Trailer was destroyed NW of Dalhart." +116433,700245,TEXAS,2017,May,Thunderstorm Wind,"CARSON",2017-05-03 00:05:00,CST-6,2017-05-03 00:05:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-101.17,35.6,-101.17,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","One power pole knocked down causing transformer fires on County road Y. Two other power poles leaning." +116525,700731,OHIO,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-18 19:40:00,EST-5,2017-05-18 19:40:00,0,0,0,0,10.00K,10000,0.00K,0,40.9722,-82.4915,40.9722,-82.4915,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Thunderstorm winds downed several trees along State Route 13 north of Shenandoah. The trees blocked the road for a couple of hours." +116536,700783,PENNSYLVANIA,2017,May,Hail,"CRAWFORD",2017-05-18 20:10:00,EST-5,2017-05-18 20:13:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-80.15,41.63,-80.15,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Penny to nickel sized hail was observed." +116538,700789,CALIFORNIA,2017,May,Debris Flow,"MONTEREY",2017-05-19 00:00:00,PST-8,2017-05-21 00:00:00,0,0,0,0,10.00M,10000000,0.00K,0,35.8632,-121.4309,35.8625,-121.4294,"Continued issues arise from heavy rains and winds of winter storms.","Heavy winter rain caused a deep rooted debris flow to occur that covered highway 1. This slide has no estimated time for removal and has damage estimates well in to the millions.|http://www.mercurynews.com/2017/05/31/big-sur-coast-has-grown-13-acres-from-new-landslide/. https://www.usnews.com/news/us/articles/2017-05-23/massive-slide-covers-stretch-of-iconic-california-highway." +116508,700788,CALIFORNIA,2017,May,Strong Wind,"EAST BAY INTERIOR VALLEYS",2017-05-09 01:44:00,PST-8,2017-05-09 01:46:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Winter storms continue to have impacts around the area, despite rain and wind not being present in significant forms for months.","Storm weary tree falls well after winter storms, knocking power out to 3000 residents.||http://www.eastbaytimes.com/2017/05/09/power-outage-in-danville-after-tree-power-pole-fall/." +116602,701220,MISSOURI,2017,May,High Wind,"BUCHANAN",2017-05-17 13:10:00,CST-6,2017-05-17 13:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the afternoon of May 17 numerous sub-severe rain showers caused straight line synoptically driven winds to translate to the surface, causing numerous locations across northern Missouri to see 60-plus mph wind gusts. Some minor tree damage occurred in a few locations, but the most significant damage occurred near Maryville, where a roof was ripped off of a nursing home facility.","Non-severe rain showers caused synoptically driven low level winds to translate to the surface, which caused surface winds to gust up to 63 mph. These gusts were measured by broadcast media chase vehicle. ASOS at St. Joseph measured 59 mph at the same time." +116605,701241,KANSAS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-18 21:04:00,CST-6,2017-05-18 21:07:00,0,0,0,0,,NaN,,NaN,38.98,-94.97,38.98,-94.97,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Kansas was 2.75 inches in De Soto, Kansas. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","Several trees were reported uprooted in De Soto." +116615,701302,GEORGIA,2017,May,Strong Wind,"MURRAY",2017-05-04 06:00:00,EST-5,2017-05-04 10:00:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The GDOT reported trees blown down across Murray County including at Fort Mountain State Park where all lanes of Highway 52 were blocked by downed trees and power lines were down." +115174,691465,UTAH,2017,May,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-05-17 04:00:00,MST-7,2017-05-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold low pressure system moved very slowly across eastern Utah. This system tapped moisture from the south and produced widespread heavy snowfall in the mountains of northeast Utah.","Snowfall amounts ranged from 5 to 9 inches." +115171,691448,COLORADO,2017,May,Avalanche,"PARADOX VALLEY / LOWER DOLORES RIVER BASIN",2017-05-20 02:09:00,MST-7,2017-05-20 13:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold high pressure over the Four Corners brought a 3rd consecutive night of widespread freezing temperatures to some lower valleys in southwest Colorado.","Over half of the forecast zone experienced low temperatures that ranged from 29 to 32 degrees F." +115171,691449,COLORADO,2017,May,Avalanche,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-05-20 02:30:00,MST-7,2017-05-20 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold high pressure over the Four Corners brought a 3rd consecutive night of widespread freezing temperatures to some lower valleys in southwest Colorado.","Over half of the forecast zone experienced low temperatures that ranged from 23 to 32 degrees F." +116704,701775,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 17:49:00,CST-6,2017-05-15 17:49:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-101.63,36.75,-101.63,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116704,701776,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 18:01:00,CST-6,2017-05-15 18:01:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-101.81,36.66,-101.81,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116704,701782,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 20:52:00,CST-6,2017-05-15 20:52:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-101.18,36.88,-101.18,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116422,700180,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:00:00,CST-6,2017-05-25 17:00:00,0,0,0,0,,NaN,0.00K,0,39.062,-101.2452,39.062,-101.2452,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","Many trees blown down and shingles blown off of roof in town." +116422,700176,KANSAS,2017,May,Hail,"GRAHAM",2017-05-25 18:30:00,CST-6,2017-05-25 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2631,-100.164,39.2631,-100.164,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","There was enough hail falling for it to accumulate." +116422,700181,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:20:00,CST-6,2017-05-25 17:20:00,0,0,0,0,,NaN,0.00K,0,39.0351,-100.9219,39.0351,-100.9219,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","Terrible straight-line winds broke many tree limbs. Estimated time of the report from radar." +116422,700183,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:30:00,CST-6,2017-05-25 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,39.0546,-100.8667,39.0546,-100.8667,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A Morton machinery building on CR 430 a half mile north of CR Zest was blown down from straight-line winds. Estimated time of the report from radar." +116741,702105,NEW HAMPSHIRE,2017,May,Coastal Flood,"COASTAL ROCKINGHAM",2017-05-25 21:50:00,EST-5,2017-05-26 01:35:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A weak area of low pressure slowly intensified as it moved toward Nantucket Island on the evening of May 25th. Ahead of the system, an east-northeasterly wind of 30 to 35 knots developed over the coastal waters, before diminishing near the time of high tide. This coastal flood event coincided with the day before the highest tide of the year.","One of the highest astronomical tides of the year combined with a storm surge of 1.16 feet to produce coastal flooding in coastal Rockingham County. In Hampton, the tide gauge topped out at 12.51 feet, over a foot above its 11 foot flood stage. Near shore waves grew to around 9 feet with a period of 8 seconds near the time of high tide. Flooding occurred on Harbor Road in Rye Harbor with several Backbay streets flooded in Hampton." +116742,702106,MAINE,2017,May,Coastal Flood,"COASTAL YORK",2017-05-25 21:26:00,EST-5,2017-05-26 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A weak area of low pressure slowly intensified as it moved toward Nantucket Island on the evening of May 25th. Ahead of the system, an east-northeasterly wind of 30 to 35 knots developed over the coastal waters, before diminishing near the time of high tide. This coastal flood event coincided with the day before the highest tide of the year.","One of the highest astronomical tides of the year (11.80 ft.), combined with a 1.16 storm surge to reach a 12.96 foot storm tide (Portland flood stage 12.0 MLLW), during the late evening hours. This tide was the 16th highest tide ever for Portland Harbor since records began in 1912. The tide remained above flood stage for a full 130 minutes and near shore waves grew to around 9 feet with a period of 8 seconds near the time of high tide. Minor flooding occurred along Granite point road in Biddeford six to 12 inches deep with one cottage surrounded by flood waters." +117108,704539,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BUNCOMBE",2017-05-27 22:58:00,EST-5,2017-05-27 23:17:00,0,0,0,0,0.00K,0,0.00K,0,35.586,-82.774,35.5,-82.57,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms and public reported multiple trees blown down across the western part of the county." +117108,704542,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HENDERSON",2017-05-27 23:09:00,EST-5,2017-05-27 23:41:00,0,0,0,0,0.00K,0,0.00K,0,35.385,-82.691,35.39,-82.272,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported multiple trees blown down throughout Henderson County." +116773,702265,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-05-28 21:10:00,EST-5,2017-05-28 21:11:00,0,0,0,0,0.00K,0,0.00K,0,33.9624,-77.9437,33.9624,-77.9437,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","WeatherFlow equipment at Federal Point measured a wind gust to 55 mph." +114167,683695,TENNESSEE,2017,March,Hail,"LAKE",2017-03-01 04:45:00,CST-6,2017-03-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-89.48,36.27,-89.48,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +114167,683697,TENNESSEE,2017,March,Thunderstorm Wind,"LAUDERDALE",2017-03-01 04:50:00,CST-6,2017-03-01 04:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.8763,-89.4153,35.8746,-89.3772,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Carport lifted off ground and backyard playground equipment blown over." +114167,683699,TENNESSEE,2017,March,Thunderstorm Wind,"DYER",2017-03-01 04:55:00,CST-6,2017-03-01 05:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.2024,-89.1938,36.2019,-89.187,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large tree down on vehicle near intersection of Church and Mulberry Streets." +114167,683702,TENNESSEE,2017,March,Thunderstorm Wind,"DYER",2017-03-01 04:55:00,CST-6,2017-03-01 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36,-89.4,36,-89.4,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +114167,683700,TENNESSEE,2017,March,Thunderstorm Wind,"HAYWOOD",2017-03-01 05:00:00,CST-6,2017-03-01 05:10:00,0,0,0,0,30.00K,30000,0.00K,0,35.6105,-89.3395,35.6088,-89.2495,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","An 80 foot radio mast secured in the ground by cement was blown over and broke in half. In addition a large metal shop door was blown down." +114167,683703,TENNESSEE,2017,March,Hail,"GIBSON",2017-03-01 05:10:00,CST-6,2017-03-01 05:15:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-88.98,36.13,-88.98,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +114167,683704,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-01 05:12:00,CST-6,2017-03-01 05:20:00,0,0,0,0,100.00K,100000,0.00K,0,36.3556,-88.9302,36.334,-88.7812,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","City Park scoreboard and lights down. Power poles broken across the city. Minor roof damage and several trees down. Two agricultural irrigation systems overturned." +114345,685190,NEW JERSEY,2017,March,Strong Wind,"HUDSON",2017-03-02 02:00:00,EST-5,2017-03-02 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The mesonet station in Bayonne reported a wind gust up to 56 mph at 344 am." +114345,685191,NEW JERSEY,2017,March,Strong Wind,"EASTERN UNION",2017-03-02 06:00:00,EST-5,2017-03-02 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The ASOS at Newark International Airport measured wind gusts up to 56 mph at 746 am." +114052,683034,GULF OF MEXICO,2017,March,Marine Hail,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-03-23 16:40:00,EST-5,2017-03-23 16:40:00,0,0,0,0,,NaN,,NaN,25.9348,-81.7363,25.9348,-81.7363,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms produced gusty winds and hail.","A member of the public called to report nickel size hail on Marco Island." +114051,683033,FLORIDA,2017,March,Hail,"HENDRY",2017-03-23 15:22:00,EST-5,2017-03-23 15:22:00,0,0,0,0,,NaN,,NaN,26.32,-81.05,26.32,-81.05,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms became severe producing gusty winds and hail.","A member of the public called to report quarter size hail on West Boundary Road. There were multiple reports of penny to dime size hail also reported in the area." +114304,684819,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 16:15:00,CST-6,2017-04-26 16:15:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-94.42,31.16,-94.42,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114329,685062,ARKANSAS,2017,March,Hail,"GREENE",2017-03-17 17:20:00,CST-6,2017-03-17 17:25:00,0,0,0,0,1.00K,1000,0.00K,0,36.0295,-90.5053,36.0295,-90.5053,"Isolated severe thunderstorms produced severe hail in an unstable environment across portions of northeast Arkansas and the Bootheel of Missouri during the early evening hours of March 17th.","Quarter to golf-ball size hail fell and broke a car windshield southwest Paragould." +114330,685063,MISSOURI,2017,March,Hail,"DUNKLIN",2017-03-17 17:45:00,CST-6,2017-03-17 17:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.0866,-90.17,36.0392,-90.1044,"Isolated severe thunderstorms produced severe hail in an unstable environment across portions of northeast Arkansas and the Bootheel of Missouri during the early evening hours of March 17th.","Hail damaged an auto windshield." +114775,688419,MISSOURI,2017,April,Flash Flood,"RIPLEY",2017-04-30 01:25:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6856,-90.5946,36.5363,-90.6097,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Some county roads were impassable throughout the county. Water was over U.S. Highway 160 East at the Butler County line and in Fairdealing. Water was over Highway JJ." +114301,685024,ARKANSAS,2017,March,Hail,"BOONE",2017-03-09 19:55:00,CST-6,2017-03-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-93.18,36.47,-93.18,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685025,ARKANSAS,2017,March,Hail,"BOONE",2017-03-09 19:56:00,CST-6,2017-03-09 19:56:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-93.18,36.47,-93.18,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114423,686088,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-09 21:53:00,CST-6,2017-03-09 21:53:00,0,0,0,0,2.00K,2000,0.00K,0,36.1813,-86.1521,36.1813,-86.1521,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down on Bluebird Road between Bell Road and Linwood Road." +114118,683878,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:10:00,CST-6,2017-03-01 07:10:00,0,0,0,0,0.00K,0,0.00K,0,36.1608,-86.6212,36.1608,-86.6212,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","The public estimated a wind gust to 60 mph on the I-40 bridge over the Stones River in Hermitage." +114118,683879,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:09:00,CST-6,2017-03-01 07:09:00,0,0,0,0,10.00K,10000,0.00K,0,36.245,-86.6649,36.245,-86.6649,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Multiple homes had shingles and some siding blown off on Pawnee Trail in Madison. Several fences were also blown over and outdoor objects blown around." +114118,685839,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 06:55:00,CST-6,2017-03-01 06:57:00,0,0,0,0,15.00K,15000,0.00K,0,35.9378,-86.9739,35.9424,-86.9412,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Williamson County EMA reported and radar data indicated a nearly 1 mile wide swath of straight line wind damage affected areas west of Franklin. Trees were blown down onto a home and a barn at the corner of Still Hollow House Road and Waddell Hollow Road. Several homes between Waddell Hollow Road and Highway 96 from 1979 Old Hillsboro Road to 2019 Old Hillsboro Road suffered minor roof damage, with one home at 2001 Old Hillsboro Road receiving moderate roof damage and requiring a new roof. Numerous trees were also blown down along Old Hillsoboro Road, and one old barn had part of the roof peeled off. TDOT also reported 3 trees blown down on Highway 96." +114118,685845,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:02:00,CST-6,2017-03-01 07:02:00,0,0,0,0,2.00K,2000,0.00K,0,36.2306,-86.8338,36.2306,-86.8338,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported trees were blown down near Clarksville Highway at Briley Parkway." +114118,685027,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-01 07:29:00,CST-6,2017-03-01 07:29:00,0,0,0,0,2.00K,2000,0.00K,0,36.5317,-86.3156,36.5317,-86.3156,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Emergency management reported trees were blown down on Hog Back Ridge Road." +114118,685059,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-01 07:38:00,CST-6,2017-03-01 07:38:00,0,0,0,0,3.00K,3000,0.00K,0,36.0907,-86.2366,36.0907,-86.2366,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large tree and power lines were blown down at 8700 Cainsville Road." +114118,685604,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:17:00,CST-6,2017-03-01 08:17:00,0,0,0,0,1.00K,1000,0.00K,0,36.6009,-85.6632,36.6009,-85.6632,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A carport was damaged at 10286 Clay County Highway near Moss." +114118,685614,TENNESSEE,2017,March,Thunderstorm Wind,"DEKALB",2017-03-01 07:48:00,CST-6,2017-03-01 07:48:00,0,0,0,0,10.00K,10000,0.00K,0,36.08,-86.03,36.08,-86.03,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TEMA reported four houses received some roof damage and trees were blown down in Alexandria." +114423,686590,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:42:00,CST-6,2017-03-09 23:42:00,0,0,0,0,2.00K,2000,0.00K,0,35.589,-86.3363,35.589,-86.3363,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down between Highway 82 East and Millhouse Road." +114423,686591,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:40:00,CST-6,2017-03-09 23:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.5541,-86.3922,35.5541,-86.3922,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A home suffered roof damage and several trees were blown down at 2561 Fairfield Pike. A neighboring home also suffered roof damage." +114401,686020,MISSISSIPPI,2017,March,Hail,"OKTIBBEHA",2017-03-09 18:49:00,CST-6,2017-03-09 19:37:00,0,0,0,0,25.00K,25000,0.00K,0,33.535,-89.087,33.399,-88.716,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","A severe thunderstorm produced a swath of large hail across Oktibbeha County, including hail up to the size of quarters in Maben and up to the size of half dollars near the Mississippi State University campus." +114118,683881,TENNESSEE,2017,March,Tornado,"DAVIDSON",2017-03-01 07:17:00,CST-6,2017-03-01 07:19:00,0,0,0,0,50.00K,50000,0.00K,0,36.0398,-86.5971,36.0502,-86.5658,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An EF-0 tornado touched down in extreme southeast Davidson County near Murfreesboro Pike and Old Hickory Blvd around 717am CST. The tornado caused sporadic damage mainly to trees as it raced to the northeast, although a few homes suffered minor roof damage on Lavergne Couchville Pike, Pepperwood Drive, and Chutney Drive. It then hit the Four Corners Marina around 719am CST and caused extensive damage to docks, boats and shelters. The tornado crossed the Hurricane Creek inlet of Percy Priest Lake into Rutherford County, then blew down a few trees and deposited debris from the marina on the eastern shore of the lake. The tornado then lifted near the northern end of Stones River Road." +114611,687559,NEW JERSEY,2017,March,Winter Storm,"EASTERN PASSAIC",2017-03-14 00:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 10 to 13 inches of snow and sleet." +114611,687565,NEW JERSEY,2017,March,Blizzard,"WESTERN PASSAIC",2017-03-14 09:30:00,EST-5,2017-03-14 14:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Nearby Sussex Airport ASOS showed blizzard conditions, with visibility less than one quarter mile in heavy snow and frequent wind gusts over 35 mph during the afternoon on March 14th." +114449,688572,MISSISSIPPI,2017,March,Thunderstorm Wind,"YAZOO",2017-03-25 12:37:00,CST-6,2017-03-25 12:37:00,0,0,0,0,5.00K,5000,0.00K,0,32.83,-90.26,32.83,-90.26,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Multiple large tree limbs were blown down at the Benton Country Club." +114683,687888,TENNESSEE,2017,March,Hail,"PERRY",2017-03-21 14:25:00,CST-6,2017-03-21 14:25:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-87.84,35.61,-87.84,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Video showed hail of quarter size and larger in Linden." +114168,683722,MISSISSIPPI,2017,March,Hail,"WEBSTER",2017-03-01 12:44:00,CST-6,2017-03-01 12:46:00,0,0,0,0,10.00K,10000,0.00K,0,33.69,-89.06,33.69,-89.06,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Hail up to the size of golf balls fell near the Dancy community." +114683,687922,TENNESSEE,2017,March,Hail,"RUTHERFORD",2017-03-21 15:42:00,CST-6,2017-03-21 15:42:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-86.55,35.75,-86.55,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos show quarter size hail fell in Rockvale." +114423,686574,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:40:00,CST-6,2017-03-09 23:40:00,0,0,0,0,1.00K,1000,0.00K,0,35.4835,-86.4599,35.4835,-86.4599,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Power lines were blown down at 113 Main Street in Shelbyville." +114683,687956,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:17:00,CST-6,2017-03-21 16:17:00,0,0,0,0,5.00K,5000,0.00K,0,35.7442,-85.8923,35.7442,-85.8923,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A home suffered roof damage in the 2000 block of Pigeon Hill Road." +114851,689603,MISSISSIPPI,2017,March,Hail,"JASPER",2017-03-27 16:17:00,CST-6,2017-03-27 16:17:00,0,0,0,0,15.00K,15000,0.00K,0,32.12,-89.23,32.12,-89.23,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114851,689604,MISSISSIPPI,2017,March,Hail,"JASPER",2017-03-27 16:50:00,CST-6,2017-03-27 16:50:00,0,0,0,0,0.00K,0,0.00K,0,31.95,-89.29,31.95,-89.29,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114851,689607,MISSISSIPPI,2017,March,Hail,"JASPER",2017-03-27 17:25:00,CST-6,2017-03-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,31.88,-88.97,31.88,-88.97,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Quarter sized hail fell around Heidelburg." +114118,685050,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-01 07:18:00,CST-6,2017-03-01 07:18:00,0,0,0,0,10.00K,10000,0.00K,0,36.0065,-86.5081,36.0065,-86.5081,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","The roof was blown off and doors blown out of a hangar at the Smyrna Airport. Five other hangars and the fire station also suffered minor damage. FAA wind equipment on the nearby control tower measured an unofficial wind gust of 71 knots or 79 mph." +114050,683032,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-03-14 01:16:00,EST-5,2017-03-14 01:16:00,0,0,0,0,,NaN,,NaN,25.591,-80.097,25.591,-80.097,"A squall line moved across the area producing thunderstorms over the Atlantic waters. Some of these thunderstorms produced strong wind gust.","A marine thunderstorm produced a WSW wind gust of 45 knots/ 52 MPH at Fowey Rocks C-Man station. This instrument is located at a height of 144 above the surface." +114735,688198,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:50:00,CST-6,2017-03-27 14:50:00,0,0,0,0,2.00K,2000,0.00K,0,36.1941,-86.766,36.1941,-86.766,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tSpotter Twitter report indicated a large tree was blown down and clipped a house on Pennock Avenue." +114735,688200,TENNESSEE,2017,March,Lightning,"DAVIDSON",2017-03-27 14:55:00,CST-6,2017-03-27 14:55:00,0,0,0,0,100.00K,100000,0.00K,0,36.1494,-86.833,36.1494,-86.833,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A residence in the 3900 block of Nevada Avenue was heavily damaged by a lightning strike." +114735,688204,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:53:00,CST-6,2017-03-27 14:53:00,0,0,0,0,3.00K,3000,0.00K,0,36.2299,-86.7434,36.2299,-86.7434,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree fell on a house on Lemont Drive." +114735,688205,TENNESSEE,2017,March,Hail,"DAVIDSON",2017-03-27 15:00:00,CST-6,2017-03-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-86.72,36.32,-86.72,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tSpotter Twitter report indicated quarter size hail fell in Goodlettsville." +114346,685209,CONNECTICUT,2017,March,Strong Wind,"NORTHERN FAIRFIELD",2017-03-02 06:00:00,EST-5,2017-03-02 09:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred behind a strong cold front.","The broadcast media reported a downed tree that blocked Fairfield Drive between State Line Road, Shoreham Drive and Highway 39. This occurred in the town of New Fairfield." +114735,688255,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-27 18:57:00,CST-6,2017-03-27 18:57:00,0,0,0,0,2.00K,2000,0.00K,0,35.17,-87.43,35.17,-87.43,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree fell on a storage building." +114735,688258,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-27 18:59:00,CST-6,2017-03-27 18:59:00,0,0,0,0,1.00K,1000,0.00K,0,35.1462,-87.3621,35.1462,-87.3621,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Tree down just south and east of the intersection of Highway 43 and Old Florence Pulaski Road." +114735,688259,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-27 19:03:00,CST-6,2017-03-27 19:03:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-87.33,35.25,-87.33,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Nickel size hail was reported from Lawrenceburg to Leoma." +114735,688260,TENNESSEE,2017,March,Thunderstorm Wind,"MACON",2017-03-27 15:53:00,CST-6,2017-03-27 15:53:00,0,0,0,0,5.00K,5000,0.00K,0,36.52,-86.03,36.52,-86.03,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Widespread tree damage was reported across Macon County." +114735,688280,TENNESSEE,2017,March,Hail,"PERRY",2017-03-27 16:40:00,CST-6,2017-03-27 16:40:00,0,0,0,0,0.00K,0,0.00K,0,35.605,-88.0248,35.605,-88.0248,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Public reported hail of golf ball size with a few stones up to tennis ball size just south of highway 412 along the Tennessee River." +115332,692485,NEBRASKA,2017,March,High Wind,"DAWES",2017-03-06 14:22:00,MST-7,2017-03-06 14:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The RAWS wind sensor at Kings Canyon measured a peak gust of 58 mph." +115332,692486,NEBRASKA,2017,March,High Wind,"DAWES",2017-03-07 16:22:00,MST-7,2017-03-07 16:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The RAWS wind sensor at Kings Canyon measured a peak gust of 58 mph." +115332,692487,NEBRASKA,2017,March,High Wind,"BOX BUTTE",2017-03-06 13:35:00,MST-7,2017-03-06 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Alliance Airport measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 06/1355 MST." +115332,692488,NEBRASKA,2017,March,High Wind,"BOX BUTTE",2017-03-07 10:20:00,MST-7,2017-03-07 13:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Alliance Airport measured sustained winds of 40 mph or higher." +115332,692489,NEBRASKA,2017,March,High Wind,"SCOTTS BLUFF",2017-03-06 08:34:00,MST-7,2017-03-06 08:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The RAWS wind sensor at Scottsbluff measured a peak gust of 58 mph." +114683,687970,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:55:00,CST-6,2017-03-21 15:55:00,0,0,0,0,3.00K,3000,0.00K,0,35.85,-86.4021,35.85,-86.4021,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Tspotter Twitter reports indicated multiple trees were blown down in East Murfreesboro." +114167,683693,TENNESSEE,2017,March,Thunderstorm Wind,"TIPTON",2017-03-01 04:45:00,CST-6,2017-03-01 04:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.4719,-89.7847,35.4677,-89.725,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Trees down across Highway 51 in the Portersville area between Brighton and Atoka." +114118,685832,TENNESSEE,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-01 06:24:00,CST-6,2017-03-01 06:24:00,0,0,0,0,3.00K,3000,0.00K,0,35.8858,-87.5507,35.8858,-87.5507,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported 3 trees blown down on Highway 230." +114449,688123,MISSISSIPPI,2017,March,Thunderstorm Wind,"YAZOO",2017-03-25 12:52:00,CST-6,2017-03-25 12:52:00,0,0,0,0,1.00K,1000,0.00K,0,32.63,-90.36,32.63,-90.36,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","A tree was blown down in a yard on the south side of Bentonia." +114736,702245,KANSAS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-18 20:50:00,CST-6,2017-05-18 20:51:00,0,0,0,0,,NaN,,NaN,38.97,-95.27,38.97,-95.27,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Estimated wind gust." +114736,702246,KANSAS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-18 20:52:00,CST-6,2017-05-18 20:53:00,0,0,0,0,,NaN,,NaN,38.94,-95.25,38.94,-95.25,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Estimated wind gust near 23rd and Alabama." +114736,702247,KANSAS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 20:55:00,CST-6,2017-05-18 20:56:00,0,0,0,0,,NaN,,NaN,39.42,-95.33,39.42,-95.33,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Power lines were reported down." +114736,702248,KANSAS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-18 21:00:00,CST-6,2017-05-18 21:01:00,0,0,0,0,,NaN,,NaN,38.94,-95.25,38.94,-95.25,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","Tree limb 4 inches in diameter was down." +114727,703185,KANSAS,2017,May,Flash Flood,"MORRIS",2017-05-19 20:48:00,CST-6,2017-05-19 22:15:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-96.37,38.5793,-96.3741,"A supercell t-storm that developed west of Wichita tracked northeast during the early evening of May 19th and produced 2 brief tornadoes in open country. No damage was reported with the tornadoes as they both occurred in the desolate country of the Flint Hills in Morris and far northwest Lyon county.","Dunlap Road was closed due to water across the road." +116925,703187,KANSAS,2017,May,Hail,"LYON",2017-05-26 00:37:00,CST-6,2017-05-26 00:38:00,0,0,0,0,,NaN,,NaN,38.51,-96.26,38.51,-96.26,"A supercell thunderstorm across Lyon and Coffee Counties produced a few large hail reports across the counties.","The report was received via social media." +116925,703188,KANSAS,2017,May,Hail,"OSAGE",2017-05-26 01:35:00,CST-6,2017-05-26 01:36:00,0,0,0,0,,NaN,,NaN,38.46,-95.63,38.46,-95.63,"A supercell thunderstorm across Lyon and Coffee Counties produced a few large hail reports across the counties.","" +117151,704733,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-05-24 18:43:00,EST-5,2017-05-24 18:43:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station at the south end of Cudjoe Bay." +117151,704734,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-05-24 18:43:00,EST-5,2017-05-24 18:43:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station at the south end of Cudjoe Bay." +117151,704735,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-05-24 18:43:00,EST-5,2017-05-24 18:43:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station at the south end of Cudjoe Bay." +117151,704736,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-05-24 19:25:00,EST-5,2017-05-24 19:25:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Sector Key West." +117151,704737,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-05-24 19:33:00,EST-5,2017-05-24 19:33:00,0,0,0,0,0.00K,0,0.00K,0,24.843,-80.862,24.843,-80.862,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured at Long Key Light." +116316,699440,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-05-03 23:48:00,CST-6,2017-05-03 23:48:00,0,0,0,0,0.00K,0,0.00K,0,29.26,-89.96,29.26,-89.96,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116316,699441,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-05-03 23:55:00,CST-6,2017-05-03 23:55:00,0,0,0,0,0.00K,0,0.00K,0,28.89,-90.02,28.89,-90.02,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116316,699444,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-05-04 00:00:00,CST-6,2017-05-04 00:00:00,0,0,0,0,0.00K,0,0.00K,0,29.101,-89.978,29.101,-89.978,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Grand Isle Blocks station GRBL1 reported a wind gust to 65 knots in a thunderstorm." +116316,699446,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA OUT 20 NM",2017-05-04 00:00:00,CST-6,2017-05-04 00:00:00,0,0,0,0,0.00K,0,0.00K,0,28.87,-90.48,28.87,-90.48,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","South Timbalier Station SPLL1 reported a wind gust to 45 mph in a thunderstorm." +116316,699447,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-04 00:36:00,CST-6,2017-05-04 00:36:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116316,699448,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-04 00:48:00,CST-6,2017-05-04 00:48:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116316,699450,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-04 00:55:00,CST-6,2017-05-04 00:55:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-88.84,29.3,-88.84,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +117084,704417,KANSAS,2017,May,Hail,"STAFFORD",2017-05-18 15:00:00,CST-6,2017-05-18 15:00:00,0,0,0,0,,NaN,,NaN,38.09,-98.86,38.09,-98.86,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","The hail was nickel to quarter sized." +117086,704419,KANSAS,2017,May,Thunderstorm Wind,"TREGO",2017-05-25 18:57:00,CST-6,2017-05-25 18:57:00,0,0,0,0,,NaN,,NaN,38.85,-99.89,38.85,-99.89,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117089,704422,KANSAS,2017,May,Thunderstorm Wind,"MORTON",2017-05-27 18:50:00,CST-6,2017-05-27 18:50:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-101.86,37.04,-101.86,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","Winds were estimated to be at least 60 MPH." +117088,704423,KANSAS,2017,May,Hail,"TREGO",2017-05-31 18:45:00,CST-6,2017-05-31 18:45:00,0,0,0,0,,NaN,,NaN,38.74,-100.09,38.74,-100.09,"An upper level ridge above the Rockies with an upper level low over eastern Canada placed west/northwest flow over the Central High Plains. At the surface, a weak frontal boundary stretched across west central into central Kansas. This created sub-severe hail in Trego and Ness counties.","" +117082,705119,KANSAS,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 17:54:00,CST-6,2017-05-15 17:54:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-101.49,37.5,-101.49,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","Winds were estimated to be gusting to 60 MPH." +117084,706100,KANSAS,2017,May,Hail,"STAFFORD",2017-05-18 15:07:00,CST-6,2017-05-18 15:07:00,0,0,0,0,,NaN,,NaN,38.18,-98.79,38.18,-98.79,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706101,KANSAS,2017,May,Hail,"STAFFORD",2017-05-18 15:08:00,CST-6,2017-05-18 15:08:00,0,0,0,0,,NaN,,NaN,38.14,-98.85,38.14,-98.85,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706104,KANSAS,2017,May,Hail,"PAWNEE",2017-05-18 15:26:00,CST-6,2017-05-18 15:26:00,0,0,0,0,,NaN,,NaN,38.19,-99.33,38.19,-99.33,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706105,KANSAS,2017,May,Hail,"KIOWA",2017-05-18 15:45:00,CST-6,2017-05-18 15:45:00,0,0,0,0,,NaN,,NaN,37.59,-99.45,37.59,-99.45,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706107,KANSAS,2017,May,Hail,"EDWARDS",2017-05-18 16:15:00,CST-6,2017-05-18 16:15:00,0,0,0,0,,NaN,,NaN,37.93,-99.41,37.93,-99.41,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +114201,684026,VERMONT,2017,May,Strong Wind,"ESSEX",2017-05-05 16:15:00,EST-5,2017-05-05 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 45-55 mph occurred sporadically across the higher elevations. This resulted in several hundred customers without power." +114311,684892,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TAMPA BAY",2017-05-04 17:40:00,EST-5,2017-05-04 17:40:00,0,0,0,0,0.00K,0,0.00K,0,27.7678,-82.625,27.7678,-82.625,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","The ASOS at Albert Whitted Airport measured a wind gust to 41 knots...47 mph." +114311,684896,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TAMPA BAY",2017-05-04 17:52:00,EST-5,2017-05-04 17:52:00,0,0,0,0,0.00K,0,0.00K,0,27.85,-82.52,27.85,-82.52,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","The AWOS at MacDill AFB measured a wind gust of 35 knots...40 mph." +114311,684894,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TAMPA BAY",2017-05-05 03:45:00,EST-5,2017-05-05 03:45:00,0,0,0,0,0.00K,0,0.00K,0,27.7651,-82.5725,27.7651,-82.5725,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","A WeatherFlow station in the middle of Tampa Bay measured a wind gust of 40 knots...46 mph." +114311,684895,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-05 03:48:00,EST-5,2017-05-05 03:48:00,0,0,0,0,0.00K,0,0.00K,0,27.6045,-82.6498,27.6045,-82.6498,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a pre-frontal trough, causing gusty winds as they moved over the waters. Breezy winds also developed behind the front on the morning of the 5th.","A WeatherFlow station near the Sunshine Skyway Bridge recorded a wind gust to 36 knots...41 mph." +114107,686007,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 17:17:00,EST-5,2017-05-01 17:17:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-78.2378,40.3,-78.2378,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 70 mph and knocked down or uprooted 60-80 trees in a wooded area near Russellville." +114107,685916,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLEARFIELD",2017-05-01 15:40:00,EST-5,2017-05-01 15:40:00,0,0,0,0,6.00K,6000,0.00K,0,40.9704,-78.5224,40.9704,-78.5224,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Curwensville." +114107,686013,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 17:31:00,EST-5,2017-05-01 17:31:00,0,0,0,0,0.00K,0,0.00K,0,41.391,-77.4696,41.391,-77.4696,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down trees and wires near Lebo Vista." +113515,679550,GEORGIA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-03 14:15:00,EST-5,2017-04-03 14:17:00,0,0,0,0,,NaN,,NaN,33.66,-82.48,33.66,-82.48,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","More than 20 trees, both hardwood and softwood, were downed along Thomson Hwy near the Amity community and Lake Thurmond." +113515,679552,GEORGIA,2017,April,Thunderstorm Wind,"RICHMOND",2017-04-03 14:43:00,EST-5,2017-04-03 14:45:00,0,0,0,0,,NaN,,NaN,33.47,-82.13,33.47,-82.13,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Numerous hardwood and softwood trees were downed, one of which fell on a home." +114728,688169,TEXAS,2017,May,Hail,"KENT",2017-05-22 16:05:00,CST-6,2017-05-22 17:18:00,0,0,0,0,,NaN,,NaN,33.21,-100.88,33.0165,-100.5668,"A single supercell thunderstorm developed in extreme northeast Garza County late this afternoon and proceeded to turn southeast while moving across Kent County. Despite temperatures only in the 70s, strong wind shear and instability allowed this storm to produce a long swath of severe hail, with some hailstones up to two inches in diameter at times.","Storm chasers observed severe hail ranging in size from quarters to as great as two inches in diameter within a hail swath estimated to be 23 miles in length. The largest hail report occurred at 1652 CST, about nine miles southeast of Clairemont on Highway 70. It is likely that vehicles along Highways 380 and 70 sustained hail damage, but no specific information was available." +114811,688616,KENTUCKY,2017,May,Hail,"ROCKCASTLE",2017-05-24 15:14:00,EST-5,2017-05-24 15:20:00,0,0,0,0,,NaN,,NaN,37.4,-84.42,37.42,-84.38,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Emergency management reported quarter sized hail from Brodhead to Hiatt." +114724,688101,KENTUCKY,2017,May,Thunderstorm Wind,"PULASKI",2017-05-19 07:55:00,EST-5,2017-05-19 07:55:00,0,0,0,0,2.50K,2500,1.00K,1000,37.1666,-84.627,37.1666,-84.627,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A trained spotter reported trees and power lines downed near Science Hill." +114724,688102,KENTUCKY,2017,May,Flash Flood,"PERRY",2017-05-19 09:40:00,EST-5,2017-05-19 09:40:00,0,0,0,0,0.10K,100,0.00K,0,37.2948,-83.1763,37.2976,-83.1722,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","Emergency management relayed flash flooding near Bulan, where six inches of water was flowing over Ajax Hollow Road and Indianhead Hollow." +114850,688976,WEST VIRGINIA,2017,May,Flash Flood,"MINGO",2017-05-24 14:54:00,EST-5,2017-05-24 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.6841,-82.294,37.7088,-82.2636,"Showers and thunderstorms developed along a warm front on the 24. The showers and storms produced very heavy rainfall with one to two inches of rain in a short time, which fell on already saturated soils resulting in flash flooding. One storm briefly pulsed up and produced downburst damage.","A service station along Route 52 had minor flooding, as a small creek behind the station rose out of its banks. There were also some other roads in Williamson that flooded due to poor drainage in the heavy rain." +114871,689111,FLORIDA,2017,May,Thunderstorm Wind,"WALTON",2017-05-12 14:55:00,CST-6,2017-05-12 14:55:00,0,0,0,0,0.00K,0,0.00K,0,30.8601,-86.1974,30.8601,-86.1974,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","A tree was blown down onto Brown Road." +114871,689112,FLORIDA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-12 16:24:00,CST-6,2017-05-12 16:24:00,0,0,0,0,2.00K,2000,0.00K,0,30.6965,-85.2217,30.6965,-85.2217,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","Power lines were blown down onto Collins Road south of I-10." +114871,689113,FLORIDA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-12 16:30:00,CST-6,2017-05-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.8534,-85.3049,30.8534,-85.3049,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","Trees were blown down near Baker Creek." +114871,689114,FLORIDA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-12 16:35:00,CST-6,2017-05-12 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.643,-85.0372,30.643,-85.0372,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","Trees were blown down near Birchwood Road." +114871,689115,FLORIDA,2017,May,Thunderstorm Wind,"LEON",2017-05-12 19:02:00,EST-5,2017-05-12 19:02:00,0,0,0,0,0.00K,0,0.00K,0,30.4591,-84.3599,30.4591,-84.3599,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","A tree was blown down onto West Tennessee Street." +114871,689116,FLORIDA,2017,May,Thunderstorm Wind,"LEON",2017-05-12 19:06:00,EST-5,2017-05-12 19:06:00,0,0,0,0,0.00K,0,0.00K,0,30.4461,-84.2995,30.4461,-84.2995,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","A wind gust of 59 mph was measured at the NWS office in Tallahassee." +114871,689118,FLORIDA,2017,May,Thunderstorm Wind,"LEON",2017-05-12 19:15:00,EST-5,2017-05-12 19:15:00,0,0,0,0,0.00K,0,0.00K,0,30.4359,-84.2807,30.4359,-84.2807,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","A tree was blown down onto South Monroe Street." +114981,694091,ALABAMA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-27 23:45:00,CST-6,2017-05-27 23:45:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-88.11,34.56,-88.11,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A home weather station measured a wind gust of 75 mph in the Pogo community before power was lost." +114981,694092,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 23:50:00,CST-6,2017-05-27 23:50:00,0,0,0,0,0.20K,200,0.00K,0,34.76,-87.82,34.76,-87.82,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A large tree was knocked down on Woodland Road south of CR 204." +114981,694093,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 23:50:00,CST-6,2017-05-27 23:50:00,0,0,0,0,0.20K,200,0.00K,0,34.93,-87.64,34.93,-87.64,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on CR 224 between the railroad tracks and CR 309." +114981,694094,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 23:51:00,CST-6,2017-05-27 23:51:00,0,0,0,0,0.20K,200,0.00K,0,34.79,-87.77,34.79,-87.77,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on CR 223 off of CR 2." +114981,694095,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-27 23:53:00,CST-6,2017-05-27 23:53:00,0,0,0,0,2.00K,2000,0.00K,0,34.81,-87.68,34.81,-87.68,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down onto a home and vehicle on Howell Street." +114981,694096,ALABAMA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-28 00:02:00,CST-6,2017-05-28 00:02:00,0,0,0,0,5.00K,5000,0.00K,0,34.36,-88.09,34.36,-88.09,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Widespread trees were knocked down along CR 23 south of Vina." +115096,698103,OKLAHOMA,2017,May,Tornado,"WASHINGTON",2017-05-11 16:11:00,CST-6,2017-05-11 16:11:00,0,0,0,0,0.00K,0,0.00K,0,36.5454,-95.9009,36.5454,-95.9009,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","A brief tornado was filmed by the KOTV helicopter over open country northeast of Ramona. An NWS survey team investigated the area, and was unable to find any damage in the suspected area that was accessible by road." +115096,701513,OKLAHOMA,2017,May,Hail,"PAWNEE",2017-05-10 20:48:00,CST-6,2017-05-10 20:48:00,0,0,0,0,0.00K,0,0.00K,0,36.3255,-96.4866,36.3255,-96.4866,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701526,OKLAHOMA,2017,May,Hail,"DELAWARE",2017-05-11 07:45:00,CST-6,2017-05-11 07:45:00,0,0,0,0,0.00K,0,0.00K,0,36.6005,-94.7955,36.6005,-94.7955,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701528,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 12:55:00,CST-6,2017-05-11 12:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1169,-95.8143,36.1169,-95.8143,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115177,697819,MISSOURI,2017,May,Hail,"BENTON",2017-05-27 13:10:00,CST-6,2017-05-27 13:10:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-93.44,38.28,-93.44,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Officials at Truman State Park reported wind gusts up to 60 mph and nickel size hail." +115177,697821,MISSOURI,2017,May,Hail,"POLK",2017-05-27 13:15:00,CST-6,2017-05-27 13:15:00,0,0,0,0,,NaN,0.00K,0,37.57,-93.39,37.57,-93.39,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697823,MISSOURI,2017,May,Hail,"LAWRENCE",2017-05-27 13:35:00,CST-6,2017-05-27 13:35:00,0,0,0,0,,NaN,0.00K,0,37.2,-93.63,37.2,-93.63,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Ping pong size hail was reported near Highway N and I-44 in the Halltown area." +115177,697824,MISSOURI,2017,May,Hail,"POLK",2017-05-27 13:42:00,CST-6,2017-05-27 13:42:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-93.35,37.47,-93.35,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697825,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 13:45:00,CST-6,2017-05-27 13:45:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-93.43,37.3,-93.43,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697826,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 13:50:00,CST-6,2017-05-27 13:50:00,0,0,0,0,,NaN,0.00K,0,37.24,-93.27,37.24,-93.27,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The public reported golf ball size hail near Kearney Street and Pickwick Road." +115177,697827,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 13:50:00,CST-6,2017-05-27 13:50:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-93.4,37.23,-93.4,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Half dollar size hail was observed at the NWS Springfield Office." +115166,691387,TEXAS,2017,May,Tornado,"GREGG",2017-05-28 15:53:00,CST-6,2017-05-28 16:03:00,0,0,0,0,750.00K,750000,0.00K,0,32.5501,-94.8205,32.4304,-94.716,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","An EF-1 tornado with maximum estimated winds near 105 mph touched down along Pine Tree Road just north of West Cheryl Street northwest of Longview. The tornado proceeded south southeast through the Tenneryville area snapping and uprooting numerous trees in the area. The tornado traveled just west of the Pine Tree ISD campus and continued southeast towards Highway 80, uprooting and twisting numerous trees, with several landing on homes. The tornado continued southeast towards the Greggton community where it damaged a few homes along Willow Springs Drive before crossing Highway 31 and the West Loop 281 where it began to turn more to the east southeast. The tornado caused the most visible damage along its path where it collapsed a steel dome owned by Komatsu, before continuing to the southeast causing mainly tree damage before lifting along Huntsman Way south of Interstate 20 just west of the Eastman Chemical Company." +115178,691496,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.3939,-93.775,32.3939,-93.775,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Trees were blown down on a home on Francais Drive, resulting in extensive roof damage. A mail box was blown down the street, numerous large tree limbs were blown down, and several pine trees were snapped. A tree crushed a metal outbuilding on Francais Drive. Power lines were also blown down." +115166,691923,TEXAS,2017,May,Hail,"GREGG",2017-05-28 15:50:00,CST-6,2017-05-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,32.5572,-94.8616,32.5572,-94.8616,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Half dollar size hail fell in White Oak." +115267,692013,ILLINOIS,2017,May,Thunderstorm Wind,"PULASKI",2017-05-27 16:59:00,CST-6,2017-05-27 16:59:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-89.18,37.27,-89.18,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","A trained spotter estimated the wind gusted to 70 mph." +115268,692435,KENTUCKY,2017,May,Thunderstorm Wind,"MUHLENBERG",2017-05-27 17:00:00,CST-6,2017-05-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-87.15,37.29,-87.15,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A wind gust to 64 mph was measured at the Kentucky mesonet site six miles north of Greenville, near Central City." +115383,692771,TEXAS,2017,May,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-05-17 02:52:00,MST-7,2017-05-17 04:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper low passed over the area and resulted in high winds in the Guadalupe Mountains.","" +115436,693132,IOWA,2017,May,Hail,"HAMILTON",2017-05-15 12:54:00,CST-6,2017-05-15 12:54:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-93.58,42.31,-93.58,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported quarter sized hail." +115436,693133,IOWA,2017,May,Hail,"WORTH",2017-05-15 14:33:00,CST-6,2017-05-15 14:33:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-93.35,43.4,-93.35,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Storm chaser reported penny sized hail." +115436,693134,IOWA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-15 15:51:00,CST-6,2017-05-15 15:51:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-93.81,42.99,-93.81,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported 60 mph wind gusts along with penny sized hail and small tree branches down. This is a delayed report and time estimated by radar." +113853,681867,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 23:12:00,CST-6,2017-02-28 23:13:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-93.41,38.62,-93.41,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681868,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 23:03:00,CST-6,2017-02-28 23:04:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-93.77,38.37,-93.77,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681869,MISSOURI,2017,February,Hail,"HENRY",2017-02-28 23:09:00,CST-6,2017-02-28 23:09:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-93.74,38.35,-93.74,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681870,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 23:05:00,CST-6,2017-02-28 23:06:00,0,0,0,0,0.00K,0,0.00K,0,38.69,-93.15,38.69,-93.15,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115679,695174,MASSACHUSETTS,2017,May,Strong Wind,"WESTERN NORFOLK",2017-05-02 20:25:00,EST-5,2017-05-02 20:25:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across the region during the morning and midday of the 2nd. A line of showers trailing the front caused a period of strong west wind gusts behind the front. This brought a few trees down during the evening and early night.","At 830 PM EDT, an amateur radio operator measured a 47 MPH wind gust in Wrentham. At 825 PM EST, a tree was downed on George Street in Wrentham." +115679,695176,MASSACHUSETTS,2017,May,Strong Wind,"SOUTHERN WORCESTER",2017-05-02 20:45:00,EST-5,2017-05-02 20:45:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across the region during the morning and midday of the 2nd. A line of showers trailing the front caused a period of strong west wind gusts behind the front. This brought a few trees down during the evening and early night.","At 845 PM EST, an amateur radio operator reported a tree down on Gary Circle in Westborough." +115810,696012,TEXAS,2017,May,Hail,"FANNIN",2017-05-11 14:05:00,CST-6,2017-05-11 14:05:00,0,0,0,0,0.00K,0,0.00K,0,33.58,-95.92,33.58,-95.92,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported half dollar size hail just south of Honey Grove." +115810,696061,TEXAS,2017,May,Hail,"LAMAR",2017-05-11 14:05:00,CST-6,2017-05-11 14:05:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-95.8,33.71,-95.8,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported golf ball size hail at the Lamar and Fannin County line near the Tigertown community." +115810,696063,TEXAS,2017,May,Hail,"ROBERTSON",2017-05-11 16:27:00,CST-6,2017-05-11 16:27:00,0,0,0,0,0.00K,0,0.00K,0,30.98,-96.65,30.98,-96.65,"Storms in the area on May 11th. Some hail and wind damage.","A social media report indicated quarter size hail in Calvert." +115810,696075,TEXAS,2017,May,Tornado,"VAN ZANDT",2017-05-11 14:55:00,CST-6,2017-05-11 14:57:00,0,0,0,0,4.00K,4000,1.00K,1000,32.6568,-95.9109,32.6753,-95.8827,"Storms in the area on May 11th. Some hail and wind damage.","Damage occurred near the city of Edgewood, in Van Zandt County, during the afternoon of Thursday, May 11, 2017. The tornado occurred for approximately 2 miles, yet had a noncontinuous path. Damage began to the south of Edgewood, along Van Zandt County Road 3212. The damage then moved to the northeast before ending near FM 859. Two homes suffered damage, with the bulk of the damage coming from airborne debris hitting the houses. Several residents in the area reported seeing the tornado as it moved in a noncontinuous path southwest and south of Edgewood." +115810,696142,TEXAS,2017,May,Thunderstorm Wind,"LIMESTONE",2017-05-11 17:00:00,CST-6,2017-05-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,31.43,-96.4,31.43,-96.4,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported wind damage just southeast of Groesbeck." +115810,696145,TEXAS,2017,May,Thunderstorm Wind,"LIMESTONE",2017-05-11 17:00:00,CST-6,2017-05-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5093,-96.3307,31.5093,-96.3307,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported wind damage near Highway 164 and FM 39 in Groesbeck." +115810,696148,TEXAS,2017,May,Thunderstorm Wind,"LEON",2017-05-11 18:00:00,CST-6,2017-05-11 18:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.34,-96.02,31.34,-96.02,"Storms in the area on May 11th. Some hail and wind damage.","Emergency Manager reported a sign and one power line down between Buffalo and Centerville." +115810,696151,TEXAS,2017,May,Thunderstorm Wind,"HOPKINS",2017-05-11 19:30:00,CST-6,2017-05-11 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.0582,-95.6722,33.0582,-95.6722,"Storms in the area on May 11th. Some hail and wind damage.","Broadcast media reported several trees down south of Sulphur Springs near County Road 1116 and County Road 1174 off of Highway 19." +115295,697033,ILLINOIS,2017,May,Flood,"COLES",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6508,-88.4714,39.373,-88.4707,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Coles County. Several streets in Charleston were impassable. Numerous rural roads and highways in the southern part of the county from Lerna to Ashmore were inundated, including parts of Illinois Routes 16 and 130 which were closed at times. An additional 1.00 inch of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115704,697352,MISSISSIPPI,2017,May,Strong Wind,"LAUDERDALE",2017-05-04 02:45:00,CST-6,2017-05-04 02:45:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A wake low developed across the region during the afternoon of May 3rd behind rain that moved across the southern portion of the ArkLaMiss. Another wake low developed in the early morning hours of May 4th behind a cold front. Strong winds associated with these wake lows brought down trees and power lines across portions of the area.","A wake low brought gusty winds that brought down several trees across the county. Some of these included a tree that fell through a house along US 11/80 near Toomsuba. A tree was blown down across US 80 in the Meehan area. A tree was blown down across Newell Road near Northeast Lauderdale Elementary School. A tree was blown down across Pippens Road in the Bonita area. A tree was blown down across Sam Lackey Road near US 45. A tree was blown down on I-59 near mile marker 149. A tree was blown down at 17th Street and 45th Avenue." +115747,695650,MISSISSIPPI,2017,May,Thunderstorm Wind,"GRENADA",2017-05-12 16:43:00,CST-6,2017-05-12 16:43:00,0,0,0,0,15.00K,15000,0.00K,0,33.75,-89.67,33.75,-89.67,"Showers and thunderstorms developed in a association with a low pressure system moving through the area. Some of these storms produced damaging winds, hail, and flash flooding.","Numerous trees were blown down." +115747,695653,MISSISSIPPI,2017,May,Hail,"LEAKE",2017-05-12 16:48:00,CST-6,2017-05-12 17:16:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-89.53,32.87,-89.43,"Showers and thunderstorms developed in a association with a low pressure system moving through the area. Some of these storms produced damaging winds, hail, and flash flooding.","A swath of hail fell across north central to northeast Leake County. Hail to quarter size fell in Carthage and enough quarter sized hail and smaller stones fell near Redwater to cover the ground." +115747,695659,MISSISSIPPI,2017,May,Flash Flood,"GRENADA",2017-05-12 17:55:00,CST-6,2017-05-12 20:00:00,0,0,0,0,100.00K,100000,0.00K,0,33.8051,-89.8232,33.802,-89.7832,"Showers and thunderstorms developed in a association with a low pressure system moving through the area. Some of these storms produced damaging winds, hail, and flash flooding.","Six homes and 6 businesses were flooded in Grenada and flooding occurred in downtown Grenada." +116034,697353,LOUISIANA,2017,May,Thunderstorm Wind,"EAST CARROLL",2017-05-21 13:05:00,CST-6,2017-05-21 13:05:00,0,0,0,0,15.00K,15000,0.00K,0,32.62,-91.2,32.62,-91.2,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Sand Road. Some power lines were also blown down in the area." +116053,697510,COLORADO,2017,May,Hail,"KIT CARSON",2017-05-16 14:28:00,MST-7,2017-05-16 14:28:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-102.87,39.3,-102.87,"Strong to severe thunderstorms moved across East Central Colorado two different times on this day, on in the afternoon and one in the evening. In the afternoon penny size hail was reported in Seibert. That evening wind gusts estimated at 70 MPH broke several one and two inch diameter limbs off a tree near Bonny Reservoir.","The hail was mostly pea size with a few large hail stones mixed in." +114790,688876,NEBRASKA,2017,May,Hail,"HARLAN",2017-05-15 18:38:00,CST-6,2017-05-15 18:38:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-99.63,40.25,-99.63,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +116834,702585,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ALEXANDER",2017-05-19 11:20:00,EST-5,2017-05-19 11:20:00,0,0,0,0,0.00K,0,0.00K,0,35.79,-82.69,35.79,-82.69,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","PD reported trees blown down along Baileys Branch Road just south of the river." +116003,698045,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-24 16:10:00,EST-5,2017-05-24 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-79.95,35.32,-79.95,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown down along NC Highway 24/27." +116003,698046,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-24 16:10:00,EST-5,2017-05-24 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.3394,-79.9343,35.3394,-79.9343,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown down on Dairy Road." +116003,698047,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-24 16:15:00,EST-5,2017-05-24 16:15:00,0,0,0,0,0.00K,0,0.00K,0,35.3541,-79.8981,35.3541,-79.8981,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown down along NC Highway 24/27." +116003,698048,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-25 00:49:00,EST-5,2017-05-25 00:49:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-80.07,34.97,-80.07,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","Trees and power-lines blown down in the city." +116003,698049,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-25 00:52:00,EST-5,2017-05-25 00:52:00,0,0,0,0,0.00K,0,0.00K,0,34.9821,-80.0609,34.9821,-80.0609,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","Trees and power-lines blown down on N. Green Street." +116144,703488,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:01:00,CST-6,2017-05-18 21:01:00,0,0,0,0,0.00K,0,0.00K,0,35.2791,-95.8665,35.2791,-95.8665,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind uprooted trees." +116144,703489,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:12:00,CST-6,2017-05-18 21:12:00,0,0,0,0,0.00K,0,0.00K,0,35.3395,-95.6985,35.3395,-95.6985,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +115630,698526,MISSOURI,2017,May,High Wind,"GREENE",2017-05-17 15:00:00,CST-6,2017-05-17 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across the Missouri Ozarks region. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southwest Missouri.","A large tree was blown down near the intersection of South Waco and Farm Road 140." +115630,698527,MISSOURI,2017,May,High Wind,"JASPER",2017-05-17 15:01:00,CST-6,2017-05-17 15:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across the Missouri Ozarks region. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southwest Missouri.","A large tree snapped from strong winds." +116194,698528,KANSAS,2017,May,High Wind,"CRAWFORD",2017-05-17 14:00:00,CST-6,2017-05-17 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong non-thunderstorm gusty winds caused minor wind damage across southeast Kansas. Several weather observing stations measured wind gusts between 50 and 60 mph across the area. Scattered power outages were reported across southeast Kansas.","A picture from social media showed a very large tree blown down on a house in Pittsburg." +114198,698508,MISSOURI,2017,May,Flood,"DALLAS",2017-05-03 09:12:00,CST-6,2017-05-03 11:12:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-93,37.8395,-93.0012,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway E was closed at the Little Niangua River." +115199,694592,OKLAHOMA,2017,May,Thunderstorm Wind,"COTTON",2017-05-16 23:45:00,CST-6,2017-05-16 23:45:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-98.36,34.4,-98.36,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115268,692038,KENTUCKY,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 15:40:00,CST-6,2017-05-27 15:50:00,0,0,0,0,30.00K,30000,0.00K,0,36.96,-87.64,37.0211,-87.48,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","An unoccupied house trailer was blown off its foundation on Highway 91 near the Trigg County line. South of Crofton, one lane of U.S. Highway 41 was blocked by a downed tree, and a trained spotter estimated a wind gust to 60 mph on the nearby Pennyrile Parkway. A tree was blown down on a trailer on U.S. Highway 41 about seven miles north of Hopkinsville." +115199,694593,OKLAHOMA,2017,May,Thunderstorm Wind,"OKLAHOMA",2017-05-17 00:10:00,CST-6,2017-05-17 00:10:00,0,0,0,0,0.00K,0,0.00K,0,35.4355,-97.652,35.4355,-97.6355,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Power poles and power lines were damaged along SW 29th street from Council to Rockwell." +115268,692040,KENTUCKY,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-27 15:50:00,CST-6,2017-05-27 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,37.13,-88.4,37.13,-88.4,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A tree was blown down along the Ohio River riverfront." +115331,692472,MISSOURI,2017,May,Thunderstorm Wind,"PERRY",2017-05-27 16:35:00,CST-6,2017-05-27 16:45:00,0,0,0,0,7.00K,7000,0.00K,0,37.72,-89.87,37.75,-89.73,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Power lines were snapped, and trees were down across the county. In Perryville, wind gusts were estimated by law enforcement near 60 mph. In Crosstown, a trained spotter estimated winds gusted to 60 mph." +115331,692476,MISSOURI,2017,May,Thunderstorm Wind,"STODDARD",2017-05-27 16:45:00,CST-6,2017-05-27 16:45:00,0,0,0,0,65.00K,65000,0.00K,0,36.8,-89.95,36.8,-89.95,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Roofs were blown off a movie theater and car wash. Several homes in the same area sustained roof damage." +113837,681686,KENTUCKY,2017,March,Thunderstorm Wind,"TAYLOR",2017-03-30 21:29:00,EST-5,2017-03-30 21:29:00,0,0,0,0,25.00K,25000,0.00K,0,37.4522,-85.3619,37.4522,-85.3619,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","The Taylor County emergency manager reported a roof was partially blown off a home near the intersection of Feather Creek Road and Highway 289." +113196,677161,INDIANA,2017,March,Thunderstorm Wind,"HARRISON",2017-03-27 17:30:00,EST-5,2017-03-27 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,38.24,-85.99,38.24,-85.99,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across Kentucky and southern Indiana. An organized line of convection brought localized damaging winds and large hail to portions of southern Indiana.","An off duty NWS employee reported 6 power poles down on Crandall-Lanesville Road." +113196,677162,INDIANA,2017,March,Thunderstorm Wind,"HARRISON",2017-03-27 17:30:00,EST-5,2017-03-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,38.25,-86,38.25,-86,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across Kentucky and southern Indiana. An organized line of convection brought localized damaging winds and large hail to portions of southern Indiana.","An off duty NWS employee reported trees down about 1 mile south of Interstate 64 exit to Lanesville." +116168,698296,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 16:38:00,CST-6,2017-05-17 16:38:00,0,0,0,0,0.00K,0,0.00K,0,42.3259,-92.5327,42.3259,-92.5327,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Iowa DOT reported tree across IA-175 blocking road east of Reinbeck between T69 and D46. Time estimated by radar and is a delayed report." +113197,677163,KENTUCKY,2017,March,Hail,"NELSON",2017-03-27 17:18:00,EST-5,2017-03-27 17:18:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-85.38,37.94,-85.38,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677165,KENTUCKY,2017,March,Hail,"BARREN",2017-03-27 13:08:00,CST-6,2017-03-27 13:08:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-86.02,36.82,-86.02,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677164,KENTUCKY,2017,March,Hail,"NELSON",2017-03-27 17:18:00,EST-5,2017-03-27 17:18:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-85.45,37.94,-85.45,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","A trained spotter reported hail 1 inch in diameter." +113197,677166,KENTUCKY,2017,March,Hail,"OHIO",2017-03-27 13:30:00,CST-6,2017-03-27 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-86.75,37.64,-86.75,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +116168,698309,IOWA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-17 17:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,43.1,-93.61,43.1,-93.61,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported a large tree fell on a house and damage was done to a fence in town. Tree was 1 to 2 feet in diameter. Reported via social media and is a delayed report." +116168,698313,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 17:18:00,CST-6,2017-05-17 17:18:00,0,0,0,0,10.00K,10000,0.00K,0,42.561,-92.3775,42.561,-92.3775,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager estimated 6 inch diameter tree limb down pinning people in a car. Numerous locations in North Waterloo with smaller limbs down on streets and cars." +116025,697292,TEXAS,2017,May,Hail,"LEE",2017-05-03 17:53:00,CST-6,2017-05-03 17:53:00,0,0,0,0,,NaN,,NaN,30.18,-96.9,30.18,-96.9,"Thunderstorms developed along a cold front and some of these storms produced large hail.","" +116025,697293,TEXAS,2017,May,Hail,"FAYETTE",2017-05-03 18:04:00,CST-6,2017-05-03 18:04:00,0,0,0,0,,NaN,,NaN,30.15,-96.79,30.15,-96.79,"Thunderstorms developed along a cold front and some of these storms produced large hail.","A thunderstorm produced one inch hail in Ledbetter." +116025,697294,TEXAS,2017,May,Hail,"FAYETTE",2017-05-03 18:15:00,CST-6,2017-05-03 18:15:00,0,0,0,0,,NaN,,NaN,30.06,-96.91,30.06,-96.91,"Thunderstorms developed along a cold front and some of these storms produced large hail.","A thunderstorm produced golf ball size hail in the small community of Warda north of La Grange." +116210,698681,GEORGIA,2017,May,Tornado,"CHATHAM",2017-05-04 16:50:00,EST-5,2017-05-04 17:00:00,5,0,0,0,,NaN,0.00K,0,32.0808,-81.148,32.1178,-81.1292,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a tornado in the Garden City area of Chatham County.","A National Weather Service storm survey team confirmed that an EF1 tornado occurred in Chatham County near Garden City. The tornado began near the intersection of Seaboard Coastline Drive and Telfair Road. At this location, damage was mainly limited to some snapped trees and minor wind damage to the bottom skirts of some mobile office trailers. The tornado continued northward with the next damage area along Alfred Street, just east of Market Street. At this location there were some snapped trees and minor damage to the wall of one home, which was partially blown down, causing the garage door to blow out. From this point, the tornado moved northward producing sporadic, non-continuous damage. About one third of a metal roof of an industrial building just north of Market Street was damaged. Next, the tornado moved toward the more industrial and commercial area just south of Highway 80, where it did significant damage to an Advanced Auto Parts store. Three walls collapsed and the roof was heavily damaged and shifted halfway off the remaining rear wall. At this point, the tornado had its strongest winds, estimated to be around 110 mph. The rating was capped at a high end EF1 due to the lack of damage or much less significant damage to structures immediately around the store. There were also five people injured inside the Advanced Auto Parts store, and at least 5 cars were heavily damaged from the front wall of the store falling on them. The tornado continued to do very sporadic and more minor damage as it moved north of Highway 21, finally terminating at the Port of Savannah-Garden City. At the port, it pushed over some shipping containers and did minor damage to some container tanks in the area. The tornado then moved into the Savannah River and dissipated." +116217,698717,SOUTH CAROLINA,2017,May,Tornado,"COLLETON",2017-05-04 18:46:00,EST-5,2017-05-04 19:10:00,0,0,0,0,,NaN,0.00K,0,32.7928,-80.7776,32.9555,-80.6825,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","A National Weather Service storm survey team confirmed a EF1 tornado in Colleton County. The tornado initially touched down approximately half of a mile southwest of the Hendersonville rest area off of Interstate 95, with a north-northeast intermittent path. Along the path, the tornado crossed State Road S-15-28, snapping several trees. The tornado then continued north-northeast where it caused damage to a house and barn just north of Black Creek Road. Several snapped and uprooted trees along with a few down power poles also occurred at this location. The tornado then continued north-northeast crossing Magellan Road, where approximately 100 trees were snapped. The tornado then continued north-northeast where it produced tree and home damage along Cane Branch Road. At this point, the tornado path became continuous from the damage along Cane Branch Road until the tornado dissipated along Interstate 95. Damage to a house on Cane Branch road included a 6,500 pound boat and trailer being displaced about 30 yards from their original position, a golf cart being lifted up and moved about 20 yards, two large branches being driven through the side of the house, several windows being broken out, and significant damage to metal rooting material. In addition, the house was shifted a bit on its foundation. Numerous trees were snapped near the property of this home. The tornado then continued north-northeast toward Sniders Highway, where it produced minor roof and siding damage to a mobile home, tossed a trampoline into a tree line about 20 feet off the ground, snapped a few trees and severe damaged an old barn. The tornado then crossed Highway 63, snapping 2 power poles and causing minor roof and siding damage to a 2 story home. The tornado continued north crossing Donald Duck Point, where a mobile home was seen leaning on cinder blocks along with skirting destroyed. Two adjacent mobile homes also received minor skirt damage. The tornado then continued north, gaining strength and width while approaching Walterboro. The maximum tornado strength and width was surveyed about one fourth of a mile west of a large shopping complex along Highway 64, where approximately 1,000 trees were either snapped uprooted and severely damaged. The tornado then continued on a north-northeast track damaging dozens of trees while crossing Mount Carmel Road, before lifting approximately 2 miles of exit 57 on Interstate 95 off of Windmere Lane where damage to trees, power lines, and a large billboard occurred." +116217,698901,SOUTH CAROLINA,2017,May,Tornado,"COLLETON",2017-05-04 19:26:00,EST-5,2017-05-04 19:27:00,0,0,0,0,,NaN,0.00K,0,33.0529,-80.5846,33.0586,-80.5831,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","A National Weather Service storm survey team confirmed an EF1 tornado that touched down in Colleton County near Canadys and continued into Dorchester County where it eventually dissipated. The tornado touched down just north of Highway 61 and west of Sandy Landing Lane where it snapped off, uprooted, and damaged trees. The tornado then moved to the north-northeast and crossed the Edisto River into Dorchester County." +115405,692928,MISSOURI,2017,April,Flood,"GRUNDY",2017-04-01 09:58:00,CST-6,2017-04-01 11:58:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-93.65,39.9859,-93.6488,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route W was closed due to flooding along Hickory Creek." +115405,692929,MISSOURI,2017,April,Flood,"LIVINGSTON",2017-04-05 10:19:00,CST-6,2017-04-05 12:19:00,0,0,0,0,0.00K,0,0.00K,0,39.67,-93.68,39.6682,-93.68,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route DD was closed due to flooding from nearby creeks." +112665,672695,PENNSYLVANIA,2017,February,Flash Flood,"LACKAWANNA",2017-02-25 16:00:00,EST-5,2017-02-25 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,41.39,-75.63,41.4,-75.62,"A strong cold front moved through the region during the afternoon and evening hours. Heavy rain producing thunderstorms triggered areas of urban and rural small stream flash flooding which caused inundation of numerous roads, parking lots and other poor drainage areas.","Heavy rain producing thunderstorms caused flash flooding of roads and residences around Dunmore and Blakely." +118806,713646,WISCONSIN,2017,July,Thunderstorm Wind,"POLK",2017-07-06 04:53:00,CST-6,2017-07-06 04:53:00,0,0,0,0,0.00K,0,0.00K,0,45.7062,-92.4971,45.7062,-92.4971,"Thunderstorms that occurred in east central Minnesota during the early morning hours of Thursday, July 6th, moved eastward into west central Wisconsin and produced isolated wind damage in northern Polk County.","A tree was blown down on County Road W, near 34th Avenue in West Sweden." +116704,701777,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 19:08:00,CST-6,2017-05-15 19:08:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-101.78,36.59,-101.78,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +113553,696013,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-05 14:40:00,EST-5,2017-04-05 15:00:00,0,0,0,0,1.00K,1000,0.10K,100,33.973,-81.0152,33.9726,-81.0155,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","A car stalled in flood waters near the intersection of Key Rd and Market Rd. Report received via social media." +117108,704549,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RUTHERFORD",2017-05-27 23:41:00,EST-5,2017-05-28 00:21:00,0,0,0,0,0.00K,0,0.00K,0,35.428,-82.272,35.405,-81.709,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported multiple trees blown down throughout the county, with the highest concentration of damage in the Lake Lure area." +117108,704569,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CLEVELAND",2017-05-28 00:27:00,EST-5,2017-05-28 00:27:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-81.64,35.42,-81.64,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported a few trees blown down around Polkville." +116704,701784,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 20:58:00,CST-6,2017-05-15 20:58:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-101.16,36.89,-101.16,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116704,701785,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 21:02:00,CST-6,2017-05-15 21:02:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-101.12,36.91,-101.12,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116704,701826,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-15 16:54:00,CST-6,2017-05-15 16:54:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-101.81,36.66,-101.81,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116422,700184,KANSAS,2017,May,Thunderstorm Wind,"SHERIDAN",2017-05-25 17:45:00,CST-6,2017-05-25 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.1896,-100.6846,39.1896,-100.6846,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A flag pole was snapped in half, two wind chimes were lost and a couple of trees were blown down." +116422,700185,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:34:00,CST-6,2017-05-25 17:34:00,0,0,0,0,65.00K,65000,0.00K,0,39.0783,-100.8483,39.0783,-100.8483,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A metal shed was blown down along with a power pole. A number of trees were also blown down, including one that was 30 ft. tall halfway between CR Cedar Crest and CR Apache Acre on Highway 83." +116422,700186,KANSAS,2017,May,Thunderstorm Wind,"GOVE",2017-05-25 18:43:00,CST-6,2017-05-25 18:43:00,0,0,0,0,1.00K,1000,0.00K,0,39.0685,-100.2372,39.0685,-100.2372,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A power line was blown down in town." +116422,700187,KANSAS,2017,May,Thunderstorm Wind,"GRAHAM",2017-05-25 18:45:00,CST-6,2017-05-25 18:45:00,0,0,0,0,30.00K,30000,0.00K,0,39.2673,-100.0892,39.2673,-100.0892,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","An empty grain bin was blown off its foundation and into the middle of the road." +113553,696030,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-05 13:45:00,EST-5,2017-04-05 13:55:00,0,0,0,0,,NaN,,NaN,33.8805,-80.88,33.8845,-80.8751,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","NWS Storm Survey Team confirmed straight line thunderstorm winds uprooted several hardwood and softwood trees along Chappell Creek Lane, Chappell Creek Rd, and Apricot Rd just south of Hopkins, SC. The team estimated peak wind gusts of 85 MPH." +113553,696035,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-05 13:23:00,EST-5,2017-04-05 13:30:00,0,0,0,0,,NaN,,NaN,33.929,-81.391,33.929,-81.391,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","NWS Storm Survey Team found a couple of large trees that had some large branches spanned off due to straight line thunderstorm winds. Estimated peak wind gusts up to 70 MPH." +114778,688509,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 12:26:00,MST-7,2017-05-18 12:31:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-104.66,38.22,-104.66,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688510,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 12:50:00,MST-7,2017-05-18 12:55:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-104.61,38.26,-104.61,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688511,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:48:00,MST-7,2017-05-18 15:53:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.74,38.31,-104.74,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688512,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:49:00,MST-7,2017-05-18 15:54:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-104.74,38.33,-104.74,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688513,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:52:00,MST-7,2017-05-18 15:57:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.73,38.31,-104.73,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688514,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:52:00,MST-7,2017-05-18 15:57:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.75,38.31,-104.75,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688515,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:54:00,MST-7,2017-05-18 15:59:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.75,38.31,-104.75,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688516,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:58:00,MST-7,2017-05-18 16:03:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.73,38.31,-104.73,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688517,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 16:00:00,MST-7,2017-05-18 16:05:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.79,38.31,-104.79,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114778,688518,COLORADO,2017,May,Hail,"PUEBLO",2017-05-18 15:50:00,MST-7,2017-05-18 15:55:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-104.73,38.3,-104.73,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","" +114346,685207,CONNECTICUT,2017,March,Strong Wind,"SOUTHERN FAIRFIELD",2017-03-02 07:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred behind a strong cold front.","A mesonet station near Stamford measured a wind gust up to 53 mph at 930 am. At Bridgeport Airport, the ASOS measured a wind gust up to 52 mph at 850 am. In the town of Stamford, a tree was knocked down by the winds at 826 am. The tree fell onto Long Ridge Road, according to the broadcast media." +114346,685208,CONNECTICUT,2017,March,Strong Wind,"SOUTHERN NEW HAVEN",2017-03-02 04:00:00,EST-5,2017-03-02 06:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred behind a strong cold front.","A mesonet station near East Haven measured a wind gust up to 51 mph at 510 am." +114346,685210,CONNECTICUT,2017,March,Strong Wind,"NORTHERN NEW HAVEN",2017-03-02 07:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred behind a strong cold front.","In the town of Prospect, the broadcast media reported a tree down on Highway 68 at Center Street, New Haven Road and Waterbury Road. This occurred at 803 am. At 810 am, the broadcast media reported that Route 15 was closed due to 2 cars hitting a downed tree in Meriden." +114349,685215,NEW YORK,2017,March,Strong Wind,"SOUTHERN QUEENS",2017-03-22 08:00:00,EST-5,2017-03-22 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","The ASOS at JFK International Airport measured a wind gust up to 53 mph at 919 am." +114349,685216,NEW YORK,2017,March,Strong Wind,"KINGS (BROOKLYN)",2017-03-22 09:00:00,EST-5,2017-03-22 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","A measured sustained wind of 38 mph was reported at 1214 pm in Bay Ridge, 329 pm near Bay Ridge. Near Flatbush, 37 mph sustained winds occurred at 214 pm. These wind speeds were measured by mesonet stations." +114349,685217,NEW YORK,2017,March,Strong Wind,"SOUTHEAST SUFFOLK",2017-03-22 11:00:00,EST-5,2017-03-22 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","The ASOS at Westhampton Gabreski Airport reported a wind gust up to 54 mph at 1246 pm. A gust up to 52 mph was measured by a mesonet station near Montauk Highway at 139 pm, and a 50 mph gust was measured by another mesonet station near Hampton Bays at 3 pm." +114349,685218,NEW YORK,2017,March,Strong Wind,"NORTHEAST SUFFOLK",2017-03-22 10:00:00,EST-5,2017-03-22 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","A trained spotter in Orient measured a wind gust up to 53 mph at 240 pm. Near Calveron, a mesonet station measured a wind gust up to 52 mph at 1135 am." +113051,686705,MASSACHUSETTS,2017,March,High Wind,"WESTERN NORFOLK",2017-03-14 11:48:00,EST-5,2017-03-14 14:58:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Based on surrounding reports and the damage that occurred, it is estimated that winds gusted to 58 mph in western Norfolk County, especially at the higher elevations.|At 213 PM EDT, a wind gust to 52 mph was reported by an amateur radio operator in Wrentham. ||At 1248 PM EDT, a tree and power lines were down on Walker property, blocking the entire road. At 109 PM, a large tree was down on wires at Central Avenue in Needham. At 245 PM, a power pole with a transformer was down on Hartford Avenue in Bellingham. At 358 PM, a tree was down on Haven Street in Medway." +113051,686709,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN HAMPDEN",2017-03-14 11:11:00,EST-5,2017-03-14 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","At 1211 PM EDT, wires were down on Federal Lane in Wilbraham. At 1249 PM, a large tree and wires were down on Laconia Street in Springfield. At 330 PM, an isolated tree was reported down and through the roof of a home on Overlook Road in Holland." +113051,686668,MASSACHUSETTS,2017,March,High Wind,"BARNSTABLE",2017-03-14 10:40:00,EST-5,2017-03-14 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds lashed Cape Cod during this winter storm, from late morning through mid-afternoon. At 1141 AM EDT, winds began gusting above 60 mph at Wellfleet, per marine mesonet observations. A peak gust of 79 mph was observed at Wellfleet at 305 PM. At 321 PM, a gust to 74 mph was reported by an amateur radio observer in Barnstable. Other high wind gusts included: 66 mph in Marston's Mills, 65 mph in Mashpee, 58 mph in Truro, and 56 mph at the Provincetown Airport (KPVC). At 315 PM, a marine mesonet station in Wellfleet reported sustained winds of 58 mph.||At 1235 PM, trees and wires were down on David Road in Falmouth. At 1242 PM, trees were down on wires at State and Canary Streets. At 148 PM, in Dennis, a large tree was leaning against poles and wires on Lighthouse Road by Lower County Road. Also at 148 PM, in Harwich, wires were down on Pleasant Bay Road by Halls Path. At 245 PM, a tree was down on Sam Ryder Road in Chatham. At 248 PM, a tree was blocking one lane on Main Street in Brewster. At 249 PM, a tree was down on wires on Caroline Way in Orleans. At 251 PM in Harwich, a tree was down blocking Main Street and a large tree was down blocking Azalea Street. At 309 PM, a utility pole was blown down on Forest Street in Harwich. At 407 PM, a tree was town on Bay Road in Harwich. At 430 PM, a tree was down, blocking a road in Dennis." +114423,686089,TENNESSEE,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-09 22:00:00,CST-6,2017-03-09 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.32,-87.7,36.32,-87.7,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down throughout Houston County including in Erin with several roads blocked. Dime size hail was also reported in Erin." +114423,686100,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-09 22:25:00,CST-6,2017-03-09 22:25:00,0,0,0,0,4.00K,4000,0.00K,0,36.0793,-87.3782,36.0793,-87.3782,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees and power poles were blown down at Spring Street and Henslee Drive in Dickson." +114118,685290,TENNESSEE,2017,March,Thunderstorm Wind,"CUMBERLAND",2017-03-01 08:56:00,CST-6,2017-03-01 08:56:00,0,0,0,0,3.00K,3000,0.00K,0,35.95,-85.03,35.95,-85.03,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Cumberland County Emergency Management reported a few small trees were blown down across the county." +114118,685291,TENNESSEE,2017,March,Tornado,"PUTNAM",2017-03-01 08:35:00,CST-6,2017-03-01 08:36:00,0,0,0,0,10.00K,10000,0.00K,0,36.15,-85.2377,36.1506,-85.2359,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A brief EF-1 tornado touched down on Lake Hill Road just east of Monterey in Putnam County. The tornado uprooted and snapped large trees in a very localized area. It also caused minor structural damage to a house and destroyed a few outbuildings." +114423,686508,TENNESSEE,2017,March,Thunderstorm Wind,"MAURY",2017-03-09 23:19:00,CST-6,2017-03-09 23:19:00,0,0,0,0,3.00K,3000,0.00K,0,35.4498,-86.9945,35.4498,-86.9945,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Facebook photos showed trees were blown down and outdoor objects blown around on Pullens Mill Road." +114423,686510,TENNESSEE,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-09 23:23:00,CST-6,2017-03-09 23:23:00,0,0,0,0,3.00K,3000,0.00K,0,35.43,-86.92,35.43,-86.92,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down in Mooresville." +114118,685578,TENNESSEE,2017,March,Flood,"MARSHALL",2017-03-01 10:30:00,CST-6,2017-03-01 12:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.6277,-86.7083,35.6272,-86.7085,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Two elderly men drove a car into a flooded low-lying railroad underpass on Depot Street in Chapel Hill, which frequently floods during heavy rain according to local residents. The car became submerged and the two men were rescued by a local officer. No injuries. Time estimated based on radar." +114118,685599,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:03:00,CST-6,2017-03-01 08:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.5615,-85.7618,36.5615,-85.7618,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Firetown Road." +114423,686081,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-09 21:42:00,CST-6,2017-03-09 21:42:00,0,0,0,0,0.00K,0,0.00K,0,35.6695,-86.6868,35.6695,-86.6868,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter coordinator reported quarter size hail at the intersection of Blackwell Road and Highway 31A in Chapel Hill." +114423,686082,TENNESSEE,2017,March,Hail,"WILSON",2017-03-09 21:44:00,CST-6,2017-03-09 21:44:00,0,0,0,0,0.00K,0,0.00K,0,36.1807,-86.2632,36.1807,-86.2632,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Half dollar size hail was reported southeast of Lebanon." +114401,686029,MISSISSIPPI,2017,March,Thunderstorm Wind,"LOWNDES",2017-03-09 20:15:00,CST-6,2017-03-09 20:15:00,0,0,0,0,15.00K,15000,0.00K,0,33.35,-88.49,33.35,-88.49,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Downburst winds associated with a severe thunderstorm blew down a few power poles and caused shingle damage to roofs near Carson Road." +114446,686301,ARKANSAS,2017,March,Thunderstorm Wind,"CHICOT",2017-03-25 01:01:00,CST-6,2017-03-25 01:03:00,0,0,0,0,5.00K,5000,0.00K,0,33.5215,-91.4369,33.5215,-91.4369,"A line of severe thunderstorms moved into southeast Arkansas early in the morning on March 25th and produced damaging wind gusts.","Trees were blown down near Highway 208/South Trotter Street and large limbs were blown down near South Main/Speedway Street in Dermott." +114446,686297,ARKANSAS,2017,March,Thunderstorm Wind,"CHICOT",2017-03-25 01:03:00,CST-6,2017-03-25 01:03:00,0,0,0,0,5.00K,5000,0.00K,0,33.16,-91.28,33.16,-91.28,"A line of severe thunderstorms moved into southeast Arkansas early in the morning on March 25th and produced damaging wind gusts.","Damaging wind gusts associated with a line of thunderstorms broke a utility pole near AR Highway 159." +114449,686473,MISSISSIPPI,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-25 01:27:00,CST-6,2017-03-25 01:50:00,0,0,0,0,15.00K,15000,0.00K,0,33.435,-91.05,33.52,-90.89,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Damaging wind gusts from a line of thunderstorms blew down several trees along a swath from Greenville through northeastern Washington County. This included trees blown down on Blaylock Road, Railroad Avenue/Cefalu Street and Winterville Priscilla Road. A measured wind gust of 56mph was recorded at Greenville Airport." +114449,687220,MISSISSIPPI,2017,March,Thunderstorm Wind,"BOLIVAR",2017-03-25 01:45:00,CST-6,2017-03-25 01:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.8445,-91.0222,33.8445,-91.0222,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","A utility pole along MS Highway 8 was broken." +114449,687221,MISSISSIPPI,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-25 02:30:00,CST-6,2017-03-25 02:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.27,-90.6,33.27,-90.6,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","A large tree was blown down across a roadway." +114683,687891,TENNESSEE,2017,March,Hail,"HICKMAN",2017-03-21 14:38:00,CST-6,2017-03-21 14:38:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-87.44,35.66,-87.44,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos showed quarter size hail fell in far southeast Hickman County." +114683,687897,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-21 14:53:00,CST-6,2017-03-21 14:53:00,0,0,0,0,1.00K,1000,0.00K,0,35.341,-87.4419,35.341,-87.4419,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A 12 to 16 inch diameter tree was blown down and blocked Red Hill Center Road about 1 mile south of Highway 240." +114423,686577,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:39:00,CST-6,2017-03-09 23:39:00,0,0,0,0,5.00K,5000,0.00K,0,35.4986,-86.4579,35.4986,-86.4579,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several business signs were damaged along Main Street between Collier Avenue and Colloredo Boulevard." +114168,683724,MISSISSIPPI,2017,March,Hail,"HOLMES",2017-03-01 13:00:00,CST-6,2017-03-01 13:02:00,0,0,0,0,10.00K,10000,0.00K,0,32.97,-89.91,32.97,-89.91,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Hail up to the size of half dollars fell in Goodman." +114168,683727,MISSISSIPPI,2017,March,Thunderstorm Wind,"WINSTON",2017-03-01 14:05:00,CST-6,2017-03-01 14:05:00,0,0,0,0,15.00K,15000,0.00K,0,33.0181,-89.1283,33.0181,-89.1283,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Downburst winds associated with a severe thunderstorm caused structural damage to a home near Stanely Road and Tuck Wilkes Road, and nearby trees were blown down." +114851,689615,MISSISSIPPI,2017,March,Thunderstorm Wind,"WARREN",2017-03-27 17:10:00,CST-6,2017-03-27 17:27:00,0,0,0,0,120.00K,120000,0.00K,0,32.1442,-90.98,32.1698,-90.8124,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of damaging winds tracked across southern Warren County. Trees and powerlines were downed and some power poles were snapped along Wright Road, Jeff Davis Road, Gullet Road, Dogwood Road, Campbell Swamp Road and Hankinson Road. A tree also fell on a home on Hankinson Road." +114851,689631,MISSISSIPPI,2017,March,Thunderstorm Wind,"HINDS",2017-03-27 17:35:00,CST-6,2017-03-27 18:05:00,0,0,0,0,200.00K,200000,0.00K,0,32.1564,-90.7012,32.2706,-90.3767,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of damaging winds occurred across western Hinds County. Multiple trees were blown down along the Natchez Trace Parkway between Milepost 39 near Port Gibson in Claiborne County and Milepost 77 near Raymond in Hinds County. Multiple trees and powerlines were blown down in the Utica area as well, including around Highway 27 and Old Port Gibson Road. As the storm continued to track east, it blew down trees in the Learned area and caused roof damage to a restaurant on Smith Drive/Port Gibson Street in Raymond. A tree also fell through the second story of a home on West Court Street in Raymond." +114851,689655,MISSISSIPPI,2017,March,Thunderstorm Wind,"HINDS",2017-03-27 18:18:00,CST-6,2017-03-27 18:22:00,0,0,0,0,25.00K,25000,0.00K,0,32.2515,-90.2168,32.3809,-90.1571,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A utility pole was damaged along Daniel Lake Road near Richland and a utility line was downed along Horton Avenue in northern Hinds County. A tree was also blown down onto utility equipment off Madison Street in the Belhaven area." +114851,689657,MISSISSIPPI,2017,March,Thunderstorm Wind,"RANKIN",2017-03-27 18:25:00,CST-6,2017-03-27 18:25:00,0,0,0,0,4.00K,4000,0.00K,0,32.27,-90.14,32.27,-90.14,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree was blown down in Pearl." +114744,689853,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:41:00,CST-6,2017-03-30 18:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.0509,-86.3105,36.0509,-86.3105,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Tree down blocking road at 2672 Hurricane Creek Road." +114344,685187,NEW YORK,2017,March,High Wind,"NORTHWEST SUFFOLK",2017-03-02 06:00:00,EST-5,2017-03-02 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","A mesonet station reported a wind gust up to 58 mph at 630 am. At 915 am, the public reported trees and power lines down on Carls Path and Cass Street in the town of Dix Hills. At 945 am, the public also reported a power outage in Kings Park in a large section of town. This included Main Street and southward down to St Johnland Road. Another power outage was reported by the public in East Setauket. This occurred at 1130 am and was caused by downed power lines." +114345,685189,NEW JERSEY,2017,March,Strong Wind,"EASTERN BERGEN",2017-03-02 07:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The ASOS at Teterboro Airport measured wind gusts up to 52 mph at 813 am. The broadcast media reported a tree down on Pallisades Parkway between exits 2 and 1 at 852 am in the town of Alpine. At the same time, a large tree was reported down in Hackensack on Cedar Avenue and Louis Street." +114345,685195,NEW JERSEY,2017,March,Strong Wind,"EASTERN ESSEX",2017-03-02 07:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The broadcast media reported a downed tree in West Orange at 819 am. The tree was knocked down onto Prospect Ave. southbound between Rock Ave. and Route 280. Nearby, Newark International Airport measured a gust to 56 mph at 746 am." +120756,724899,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"ANDERSON",2017-10-23 13:16:00,EST-5,2017-10-23 13:16:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-82.413,34.43,-82.413,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","Public reported trees blown down on Will Hanks Rd. Also a report of minor structural damage in this area." +114345,685196,NEW JERSEY,2017,March,Strong Wind,"WESTERN ESSEX",2017-03-02 07:00:00,EST-5,2017-03-02 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The broadcast media reported a downed tree in West Orange at 819 am. The tree was knocked down onto Prospect Ave. southbound between Rock Ave. and Route 280. Nearby, Newark International Airport measured a gust to 56 mph at 746 am." +115332,692490,NEBRASKA,2017,March,High Wind,"SCOTTS BLUFF",2017-03-07 14:34:00,MST-7,2017-03-07 14:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The RAWS wind sensor at Scottsbluff measured a peak gust of 58 mph." +115332,692491,NEBRASKA,2017,March,High Wind,"BANNER",2017-03-06 11:45:00,MST-7,2017-03-06 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The NEDOR wind sensor at Banner Road and Highway 71 measured sustained winds of 40 mph or higher." +115332,692492,NEBRASKA,2017,March,High Wind,"BANNER",2017-03-07 07:15:00,MST-7,2017-03-07 07:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The NEDOR wind sensor at Banner Road and Highway 71 measured peak gusts of 62 mph." +115332,692495,NEBRASKA,2017,March,High Wind,"MORRILL",2017-03-07 10:00:00,MST-7,2017-03-07 12:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The UPR wind sensor 10 miles east-southeast of Bridgeport measured sustained winds of 40 mph or higher." +115939,696686,NEVADA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-09 17:00:00,PST-8,2017-01-12 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the northern Sierra (Carson Range), as well as a period of snowfall in the lower elevations of western Nevada.","Between 6 and 9 feet of snow fell between the 9th and 12th in the the higher elevation of the northern Carson Range, including the Mount Rose and Diamond Peak ski areas. Farther south, Daggett Pass reported 45 inches of snowfall. Near lake level on the east side of Lake Tahoe, snowfall amounts ranged from 20 to 32 inches. Numerous power outages were noted and Incline Village declared a snow emergency with roads not expected to be cleared for at least a couple days." +115939,697024,NEVADA,2017,January,Heavy Snow,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-01-09 21:00:00,PST-8,2017-01-12 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the northern Sierra (Carson Range), as well as a period of snowfall in the lower elevations of western Nevada.","Virginia City received a total of 26 inches of snowfall (in multiple precipitation waves). Lower elevations received much less snowfall with periods of rain and snow. Elevations below 5500 feet mainly received between 2 and 4 inches of snowfall, although higher amounts to between 5 and 6.5 inches were noted in Sparks and north of Interstate 80 above 5000 feet." +113876,681971,TEXAS,2017,March,Tornado,"HARRIS",2017-03-29 14:00:00,CST-6,2017-03-29 14:03:00,0,0,0,0,100.00K,100000,,NaN,29.633,-95.0278,29.6689,-94.9966,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","This EF-0 tornado is the second brief tornado from the larger mesocyclone associated with a fast moving HP supercell. It began along or just east of Highway 146 near or just south of Main Street and ended at Southern Morgan's Point near the Bay. There was considerable damage to trees and power lines across much of La Porte east of Highway 146. This location made tornado identification difficult as the area also was located within strong south southeasterly inflow winds followed by stronger westerly straight line winds as the first couplet gusted out and a secondary couplet evolved over the Barbours Cut Port Facility. It appears this tornado likely moved across the city roughly from west to east from the same velocity couplet which produced the first brief tornado in Pasadena as it rotated around the larger mesocyclone. Estimated peak winds were 70 to 80 mph." +115336,692521,WYOMING,2017,March,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-03-23 21:00:00,MST-7,2017-03-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast-moving low pressure system produced a brief period of heavy snow and strong north winds across the southern Laramie Range and foothills. Interstate 80 between Cheyenne and Laramie was closed due to adverse winter weather conditions. Snow accumulations varied between 4 and 8 inches.","Six inches of snow was reported at Curt Gowdy State Park west of Cheyenne." +114928,693126,CALIFORNIA,2017,January,Flood,"PLUMAS",2017-01-08 17:00:00,PST-8,2017-01-08 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,39.7473,-120.5856,39.7482,-120.5966,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","The Middle Fork of the Feather River overflowed onto Highway 89 in Clio. The flooding caused a sinkhole in the road. The damage estimate is from a preliminary damage assessment from CALTRANS." +115232,691869,CONNECTICUT,2017,March,Coastal Flood,"SOUTHERN FAIRFIELD",2017-03-14 11:00:00,EST-5,2017-03-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The USACE tidal gauge at Stamford recorded a peak water level of 10.9 ft. MLLW at 12 pm EST. This is 2 tenths of a foot under the moderate coastal flood threshold of 11.1 ft MLLW.The moderate coastal flooding threshold was established by the National Weather Service, based on impact analysis and collaboration with local emergency management." +115230,691853,NEW YORK,2017,March,Coastal Flood,"SOUTHERN NASSAU",2017-03-14 09:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The USGS tidal gauge in Hudson Bay at Freeport recorded a peak water level of 6.0 ft. MLLW at 1018 am EST. The moderate coastal flood threshold of 5.8 ft. MLLW was exceeded from 942 to 1042 am EST. The USGS tidal gauge at East Rockaway Inlet at Atlantic Beach recorded a peak water level of 6.9 ft. MLLW at 936 am EST. This is within one tenth of a foot of the moderate coastal flood threshold of 7.0 ft. MLLW. The USGS tidal gauge at Reynold Channel at Point Lookout Inlet recorded a peak water level of 6.4 ft. MLLW at 1006 am EST. This is within 2 tenths of a foot of the moderate coastal flood threshold of 6.6 ft. MLLW. This water level resulted in 1 to 2 feet of inundation along East Pine Street in Long Beach during the time of high tide, as well as a road closure on the northbound Wantagh State Parkway at Bay Parkway due to flooding.||The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +114168,683723,MISSISSIPPI,2017,March,Hail,"CLAY",2017-03-01 12:46:00,CST-6,2017-03-01 12:46:00,0,0,0,0,0.00K,0,0.00K,0,33.7,-89,33.7,-89,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","" +113122,676562,TEXAS,2017,March,Funnel Cloud,"WASHINGTON",2017-03-24 17:51:00,CST-6,2017-03-24 17:51:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-96.4,30.16,-96.4,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","A funnel cloud was sighted by a Skywarn observer." +114977,690303,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-05 14:00:00,MST-7,2017-03-05 14:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 05/1410 MST." +116925,703189,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-26 01:55:00,CST-6,2017-05-26 01:56:00,0,0,0,0,,NaN,,NaN,38.44,-95.32,38.44,-95.32,"A supercell thunderstorm across Lyon and Coffee Counties produced a few large hail reports across the counties.","" +116926,703194,KANSAS,2017,May,Hail,"LYON",2017-05-27 09:52:00,CST-6,2017-05-27 09:53:00,0,0,0,0,,NaN,,NaN,38.48,-96.27,38.48,-96.27,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","" +116926,703197,KANSAS,2017,May,Hail,"COFFEY",2017-05-27 10:34:00,CST-6,2017-05-27 10:35:00,0,0,0,0,,NaN,,NaN,38.42,-95.74,38.42,-95.74,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Subway restaurant reported several quarter size stones." +116926,703198,KANSAS,2017,May,Hail,"OSAGE",2017-05-27 10:45:00,CST-6,2017-05-27 10:46:00,0,0,0,0,,NaN,,NaN,38.46,-95.63,38.46,-95.63,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Several golf ball size hail stones were reported." +116926,703199,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-27 11:05:00,CST-6,2017-05-27 11:06:00,0,0,0,0,,NaN,,NaN,38.55,-95.1,38.55,-95.1,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","A few quarter size stones were reported." +116926,703200,KANSAS,2017,May,Hail,"LYON",2017-05-27 14:40:00,CST-6,2017-05-27 14:41:00,0,0,0,0,,NaN,,NaN,38.3,-96.35,38.3,-96.35,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Reported on the Kansas Turnpike at the Lyon County line." +116926,703201,KANSAS,2017,May,Hail,"LYON",2017-05-27 14:42:00,CST-6,2017-05-27 14:43:00,0,0,0,0,,NaN,,NaN,38.19,-96.3,38.19,-96.3,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","" +116926,703202,KANSAS,2017,May,Thunderstorm Wind,"LYON",2017-05-27 14:40:00,CST-6,2017-05-27 14:41:00,0,0,0,0,,NaN,,NaN,38.3,-96.35,38.3,-96.35,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Wind gust was estimated on the Kansas Turnpike at the Lyon County line." +116926,703203,KANSAS,2017,May,Hail,"LYON",2017-05-27 14:53:00,CST-6,2017-05-27 14:54:00,0,0,0,0,,NaN,,NaN,38.26,-96.17,38.26,-96.17,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","" +116926,703204,KANSAS,2017,May,Hail,"LYON",2017-05-27 14:55:00,CST-6,2017-05-27 14:56:00,0,0,0,0,,NaN,,NaN,38.22,-96.14,38.22,-96.14,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Hail up to golf ball size with the ground completely covered. Damage to the spotters truck was also reported." +117151,704738,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-05-24 19:56:00,EST-5,2017-05-24 19:56:00,0,0,0,0,0.00K,0,0.00K,0,25.0961,-80.4426,25.0961,-80.4426,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated WeatherLink station along Florida Bay on Point Pleasant Drive, Key Largo." +117151,704739,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-05-24 20:16:00,EST-5,2017-05-24 20:16:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A strong low pressure system over the Ohio Valley and strong trailing cold front extending into the central Gulf of Mexico and associated pre-frontal trough approached the Florida Keys. Strong thunderstorms along the pre-frontal trough and moving rapidly northeast off Cuba's north coast produce widespread gale-force wind gusts throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured at Molasses Reef Light." +116179,698324,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-05-17 22:46:00,CST-6,2017-05-17 23:10:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-87.81,42.35,-87.81,"A line of thunderstorms moved over Lake Michigan producing strong winds.","" +116179,698325,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-05-17 22:50:00,CST-6,2017-05-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.135,-87.655,42.135,-87.655,"A line of thunderstorms moved over Lake Michigan producing strong winds.","" +116179,698326,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-05-18 00:53:00,CST-6,2017-05-18 01:10:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-87.15,41.65,-87.15,"A line of thunderstorms moved over Lake Michigan producing strong winds.","" +116682,701604,WASHINGTON,2017,May,Flood,"YAKIMA",2017-05-30 06:15:00,PST-8,2017-05-31 07:15:00,0,0,0,0,0.00K,0,0.00K,0,46.737,-120.7378,46.7293,-120.7385,"Increased snow melt caused minor flooding on portions of the Naches river in Yakima county.","On May 30th, warm temperatures lead to increased snow melt with the Naches River rising briefly to the flood stage of 17.8 feet." +116683,701614,WASHINGTON,2017,May,Flood,"YAKIMA",2017-05-05 05:30:00,PST-8,2017-05-07 21:15:00,0,0,0,0,0.00K,0,0.00K,0,46.7355,-120.7314,46.7297,-120.7323,"Increased snow melt caused minor flooding on portions of the Naches river in Yakima county May 5th through 7th.","Increased snow melt resulted in minor flooding of the Naches River near Naches. On May 5th the river crested at 18.25 feet, flood stage is 17.8 feet." +116329,699539,WASHINGTON,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-30 16:50:00,PST-8,2017-05-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,47.42,-120.29,47.42,-120.29,"During the afternoon of May 30th a line of thunderstorms moved south to north along the east slopes of the Cascades. These storms produced isolated damage from the Wenatchee area to the Methow Valley as they traveled north and eventually dissipated during the evening.","A thunderstorm wind gust lofted a glass table top and shattered it near East Wenatchee." +116316,699452,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA FROM 20 TO 60 NM",2017-05-04 00:55:00,CST-6,2017-05-04 00:55:00,0,0,0,0,0.00K,0,0.00K,0,28.64,-89.79,28.64,-89.79,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116316,699456,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-05-04 02:10:00,CST-6,2017-05-04 02:10:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-88.21,29.21,-88.21,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Bouy 42040, the Luke Offshore Test Platform, reported a 39 knot wind gust in a thunderstorm." +116316,699457,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-05-01 02:15:00,CST-6,2017-05-01 02:15:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-88.44,29.25,-88.44,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Station KVKY in Main Pass Block 289C reported a wind gust to 49 knots in a thunderstorm." +116316,699459,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-05-04 02:20:00,CST-6,2017-05-04 02:20:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-88.21,29.21,-88.21,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116321,699466,LOUISIANA,2017,May,Hail,"EAST BATON ROUGE",2017-05-12 14:10:00,CST-6,2017-05-12 14:10:00,0,0,0,0,0.00K,0,0.00K,0,30.59,-91.16,30.59,-91.16,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Hail ranging from quarter to ping pong ball size occurred in Baker." +116321,699467,LOUISIANA,2017,May,Hail,"LIVINGSTON",2017-05-12 14:33:00,CST-6,2017-05-12 14:33:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-90.75,30.5,-90.75,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A trained spotter reported quarter size hail and also 45 to 55 mph wind gusts." +116321,699468,LOUISIANA,2017,May,Hail,"TANGIPAHOA",2017-05-12 14:50:00,CST-6,2017-05-12 14:50:00,0,0,0,0,0.00K,0,0.00K,0,30.51,-90.51,30.51,-90.51,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Quarter size hail was reported between Albany and Hammond." +113853,681853,MISSOURI,2017,February,Hail,"SALINE",2017-02-28 21:20:00,CST-6,2017-02-28 21:21:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-93.42,38.96,-93.42,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +113853,681855,MISSOURI,2017,February,Hail,"CASS",2017-02-28 21:35:00,CST-6,2017-02-28 21:37:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-94.16,38.54,-94.16,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681856,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 21:35:00,CST-6,2017-02-28 21:35:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-93.75,38.75,-93.75,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +117084,705121,KANSAS,2017,May,Funnel Cloud,"FORD",2017-05-18 16:00:00,CST-6,2017-05-18 16:03:00,0,0,0,0,0.00K,0,0.00K,0,37.5056,-99.8678,37.5056,-99.8678,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","The funnel cloud was visible for several minutes." +117079,705123,KANSAS,2017,May,Hail,"CLARK",2017-05-10 18:38:00,CST-6,2017-05-10 18:38:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-99.63,37.31,-99.63,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","The hail was mostly pea sized." +117079,705124,KANSAS,2017,May,Hail,"CLARK",2017-05-10 18:38:00,CST-6,2017-05-10 18:38:00,0,0,0,0,,NaN,,NaN,37.31,-99.65,37.31,-99.65,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","" +113853,681857,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 21:35:00,CST-6,2017-02-28 21:37:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-93.72,38.76,-93.72,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +117079,705126,KANSAS,2017,May,Thunderstorm Wind,"KEARNY",2017-05-10 21:25:00,CST-6,2017-05-10 21:25:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-101.44,37.94,-101.44,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","Winds were estimated to be 60 MPH." +117084,706108,KANSAS,2017,May,Hail,"RUSH",2017-05-18 16:15:00,CST-6,2017-05-18 16:15:00,0,0,0,0,,NaN,,NaN,38.45,-99.07,38.45,-99.07,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706109,KANSAS,2017,May,Hail,"RUSH",2017-05-18 16:20:00,CST-6,2017-05-18 16:20:00,0,0,0,0,,NaN,,NaN,38.46,-99.09,38.46,-99.09,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","There were several rounds of pea to as big as half dollar sized hail." +117084,706111,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:48:00,CST-6,2017-05-18 16:48:00,0,0,0,0,,NaN,,NaN,37.73,-100.03,37.73,-100.03,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706112,KANSAS,2017,May,Hail,"ELLIS",2017-05-18 16:52:00,CST-6,2017-05-18 16:52:00,0,0,0,0,,NaN,,NaN,38.94,-99.56,38.94,-99.56,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706113,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:54:00,CST-6,2017-05-18 16:54:00,0,0,0,0,,NaN,,NaN,37.76,-100.02,37.76,-100.02,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +114081,683154,OHIO,2017,May,Thunderstorm Wind,"VINTON",2017-05-01 10:45:00,EST-5,2017-05-01 10:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.0713,-82.3291,39.0713,-82.3291,"A strong cold front crossed the middle Ohio River Valley on the 1st with showers and thunderstorms. Strong winds aloft lead to damaging winds from the stronger cells.","Numerous trees and large branches were blown down." +114194,685310,PENNSYLVANIA,2017,May,Strong Wind,"SOUTHERN LYCOMING",2017-05-05 10:55:00,EST-5,2017-05-05 10:55:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down a large tree across Route 220 near Picture Rocks." +114367,685319,ARKANSAS,2017,May,Flash Flood,"HEMPSTEAD",2017-05-03 12:35:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.6335,-93.5997,33.6344,-93.5706,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Highway 29 underpasses were closed due to flash flooding." +114367,685321,ARKANSAS,2017,May,Flash Flood,"HEMPSTEAD",2017-05-03 13:19:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.66,-93.56,33.6592,-93.521,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","State Highway 73 in and east of town was closed due to flash flooding." +114367,685330,ARKANSAS,2017,May,Flash Flood,"NEVADA",2017-05-03 14:30:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.7829,-93.3982,33.8128,-93.401,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","High water was reported across Ash Road in Prescott, Arkansas." +114367,685345,ARKANSAS,2017,May,Flash Flood,"NEVADA",2017-05-03 15:22:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.66,-93.37,33.6616,-93.3859,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","High water from excessive heavy rainfall closed Highway 53 southeast of Emmet, Arkansas." +114367,685347,ARKANSAS,2017,May,Flash Flood,"NEVADA",2017-05-03 15:28:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.8146,-93.4016,33.8192,-93.322,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Numerous roads were underwater and closed including Nevada 48 south, 14, 51 and 67." +114372,685352,LOUISIANA,2017,May,Hail,"CADDO",2017-05-03 15:30:00,CST-6,2017-05-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,32.36,-93.89,32.36,-93.89,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Dime size hail was reported on Freedom's Way in the Eagle's Nest Subdivision in Keithville, Louisiana." +114372,685370,LOUISIANA,2017,May,Thunderstorm Wind,"DE SOTO",2017-05-03 16:00:00,CST-6,2017-05-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.09,-93.81,32.09,-93.81,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Several trees were downed in the Grand Cane community." +114372,685372,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-03 16:00:00,CST-6,2017-05-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-93.78,32.4,-93.78,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Trees were downed at the Southern Hills Park in South Shreveport." +114372,685387,LOUISIANA,2017,May,Flash Flood,"SABINE",2017-05-03 17:48:00,CST-6,2017-05-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,31.3111,-93.5376,31.3179,-93.528,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Excessive heavy rainfall resulted in the closure of Hwy. 473 south southwest of Florien, Louisiana." +121753,728822,PENNSYLVANIA,2017,November,Thunderstorm Wind,"VENANGO",2017-11-05 19:45:00,EST-5,2017-11-05 19:45:00,0,0,0,0,2.50K,2500,0.00K,0,41.5,-79.87,41.5,-79.87,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down. The whole town is without power." +121753,728823,PENNSYLVANIA,2017,November,Thunderstorm Wind,"ARMSTRONG",2017-11-05 20:05:00,EST-5,2017-11-05 20:05:00,0,0,0,0,2.50K,2500,0.00K,0,40.79,-79.59,40.79,-79.59,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees down along Freeport Road." +121753,728824,PENNSYLVANIA,2017,November,Thunderstorm Wind,"CLARION",2017-11-05 20:06:00,EST-5,2017-11-05 20:06:00,0,0,0,0,2.50K,2500,0.00K,0,41.23,-79.54,41.23,-79.54,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees down around the Knox area." +114724,688103,KENTUCKY,2017,May,Flash Flood,"PIKE",2017-05-19 09:54:00,EST-5,2017-05-19 10:06:00,0,0,0,0,50.00K,50000,0.00K,0,37.5312,-82.3575,37.5419,-82.3607,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","Emergency management relayed reports of flowing water over Callahan Branch and Peter Fork Road near Buskirk, knocking a few homes off of their foundations." +114724,688107,KENTUCKY,2017,May,Flash Flood,"FLOYD",2017-05-19 11:32:00,EST-5,2017-05-19 11:45:00,0,0,0,0,10.00K,10000,0.00K,0,37.48,-82.75,37.565,-82.7823,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","Emergency management relayed reports of numerous roadways containing flowing water over them throughout Floyd County, including Kentucky Highway 1210. One road had high enough water to reach the hoods of cars near Martin, while several roads were closed due to culverts being washed out from Martin to Drift." +114724,688104,KENTUCKY,2017,May,Flash Flood,"FLOYD",2017-05-19 10:57:00,EST-5,2017-05-19 10:57:00,0,0,0,0,0.50K,500,0.00K,0,37.5361,-82.6405,37.5358,-82.6393,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A local emergency manager reported water running over Kentucky Highway 979 near Harold." +114724,688220,KENTUCKY,2017,May,Funnel Cloud,"ROWAN",2017-05-19 20:00:00,EST-5,2017-05-19 20:00:00,0,0,0,0,,NaN,,NaN,38.31,-83.47,38.31,-83.47,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A funnel cloud was sighted near Waltz." +114871,689119,FLORIDA,2017,May,Thunderstorm Wind,"WAKULLA",2017-05-12 19:24:00,EST-5,2017-05-12 19:24:00,0,0,0,0,3.00K,3000,0.00K,0,30.16,-84.26,30.16,-84.26,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","Numerous trees and power lines were blown down." +114872,689120,FLORIDA,2017,May,Thunderstorm Wind,"WALTON",2017-05-20 22:53:00,CST-6,2017-05-20 22:53:00,0,0,0,0,3.00K,3000,0.00K,0,30.7186,-86.0999,30.7186,-86.0999,"A line of strong to severe storms affected portions of northwest Florida during the overnight hours of May 20th. Damage was most numerous in Walton county where several trees and power lines were blown down.","There were two reports of a tree and power lines down on Florence Street." +114876,689167,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GALVESTON BAY",2017-05-23 19:42:00,CST-6,2017-05-23 19:42:00,0,0,0,0,0.00K,0,0.00K,0,29.4813,-94.9172,29.4813,-94.9172,"Strong marine thunderstorm wind gusts were from storms that develop along and ahead of a cold front that moves off the upper Texas coast.","Wind gust was measured at Eagle Point PORTS site." +114876,689168,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-05-23 20:30:00,CST-6,2017-05-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,28.422,-96.327,28.422,-96.327,"Strong marine thunderstorm wind gusts were from storms that develop along and ahead of a cold front that moves off the upper Texas coast.","Wind gust was measured at a NOS site." +114876,689169,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-05-23 21:15:00,CST-6,2017-05-23 21:15:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Strong marine thunderstorm wind gusts were from storms that develop along and ahead of a cold front that moves off the upper Texas coast.","Wind gust was measured at Brazos 538." +114981,694097,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:03:00,CST-6,2017-05-28 00:03:00,0,0,0,0,0.20K,200,0.00K,0,34.84,-87.52,34.84,-87.52,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on Lingerlost Road at Willoughby Lane." +113853,681866,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 22:58:00,CST-6,2017-02-28 22:58:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-93.15,38.7,-93.15,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114981,694098,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:03:00,CST-6,2017-05-28 00:03:00,0,0,0,0,0.20K,200,0.00K,0,34.88,-87.5,34.88,-87.5,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at CR 170 off of CR 71." +114981,694099,ALABAMA,2017,May,Thunderstorm Wind,"COLBERT",2017-05-28 00:08:00,CST-6,2017-05-28 00:08:00,0,0,0,0,0.20K,200,0.00K,0,34.6,-87.67,34.6,-87.67,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on Jackson Highway in Littleville." +114981,694100,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:09:00,CST-6,2017-05-28 00:09:00,0,0,0,0,0.20K,200,0.00K,0,34.9,-87.46,34.9,-87.46,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down by thunderstorm winds at CR 73 and CR 71." +114981,694346,ALABAMA,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-28 00:10:00,CST-6,2017-05-28 00:10:00,0,0,0,0,,NaN,,NaN,34.75,-87.42,34.75,-87.42,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Trees were knocked down in the eastern portions of the Hatton community." +114981,694347,ALABAMA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-28 00:11:00,CST-6,2017-05-28 00:11:00,0,0,0,0,,NaN,,NaN,34.5,-87.73,34.5,-87.73,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Trees were knocked down behind the Walmart in Russellville." +115096,701527,OKLAHOMA,2017,May,Hail,"OKMULGEE",2017-05-11 12:26:00,CST-6,2017-05-11 12:26:00,0,0,0,0,0.00K,0,0.00K,0,35.627,-95.9551,35.627,-95.9551,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701529,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 12:56:00,CST-6,2017-05-11 12:56:00,0,0,0,0,0.00K,0,0.00K,0,36.0881,-95.8334,36.0881,-95.8334,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701530,OKLAHOMA,2017,May,Hail,"WAGONER",2017-05-11 12:59:00,CST-6,2017-05-11 12:59:00,0,0,0,0,0.00K,0,0.00K,0,36.16,-95.73,36.16,-95.73,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701533,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 13:30:00,CST-6,2017-05-11 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-95.85,36.27,-95.85,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701534,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-11 15:04:00,CST-6,2017-05-11 15:04:00,0,0,0,0,0.00K,0,0.00K,0,36.1234,-96.58,36.1234,-96.58,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115177,697828,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 13:55:00,CST-6,2017-05-27 13:55:00,0,0,0,0,,NaN,0.00K,0,37.25,-93.31,37.25,-93.31,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697829,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 13:59:00,CST-6,2017-05-27 13:59:00,0,0,0,0,,NaN,0.00K,0,37.24,-93.31,37.24,-93.31,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Ping pong size hail was reported near Atlantic Street and Kansas Expressway." +115177,697830,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 14:00:00,CST-6,2017-05-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.27,37.24,-93.27,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697831,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 14:05:00,CST-6,2017-05-27 14:05:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-93.13,37.27,-93.13,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697832,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 14:10:00,CST-6,2017-05-27 14:10:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-93.17,37.26,-93.17,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697833,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 14:10:00,CST-6,2017-05-27 14:10:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-93.26,37.24,-93.26,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697834,MISSOURI,2017,May,Hail,"WRIGHT",2017-05-27 14:15:00,CST-6,2017-05-27 14:15:00,0,0,0,0,,NaN,0.00K,0,37.4,-92.61,37.4,-92.61,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The public reported golf ball size hail and snapped trees from wind gusts." +115166,691388,TEXAS,2017,May,Hail,"MARION",2017-05-28 15:55:00,CST-6,2017-05-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.7941,-94.5464,32.7941,-94.5464,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Penny size hail fell along Lake O' the Pines." +115166,691391,TEXAS,2017,May,Hail,"MARION",2017-05-28 15:55:00,CST-6,2017-05-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.741,-94.1878,32.741,-94.1878,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Quarter size hail fell between Smithland and Caddo Lake State Park along Highway 43." +115251,691925,HAWAII,2017,May,Heavy Rain,"HAWAII",2017-05-01 05:26:00,HST-10,2017-05-01 08:15:00,0,0,0,0,0.00K,0,0.00K,0,19.716,-155.896,19.2235,-155.4565,"An upper low southwest of the islands, also known as a kona low, that had been in the area since the latter days of April maintained enough strength to trigger heavy showers and thunderstorms over parts of the Big Island of Hawaii and Maui. The precipitation produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +115255,691947,HAWAII,2017,May,Wildfire,"KAUAI LEEWARD",2017-05-15 15:00:00,HST-10,2017-05-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred about 750 acres of dry grass and shrub above Waimea town on the Garden Isle of Kauai. Gusty and erratic winds made the fire hard to contain, though it did not threaten any homes or other structures . The area burned was once used to grow sugar cane. There were no reports of serious injuries or property damage. The cause of the fire was unknown.","" +115258,691966,HAWAII,2017,May,Heavy Rain,"HAWAII",2017-05-28 14:22:00,HST-10,2017-05-28 16:03:00,0,0,0,0,0.00K,0,0.00K,0,19.8185,-155.1119,19.5048,-155.105,"With daytime sea breezes and moist conditions, heavy showers developed over parts of the Big island of Hawaii and Maui. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No significant injuries or property damage were reported.","" +115258,691967,HAWAII,2017,May,Heavy Rain,"MAUI",2017-05-29 13:07:00,HST-10,2017-05-29 14:03:00,0,0,0,0,0.00K,0,0.00K,0,20.8098,-156.3145,20.6535,-156.4179,"With daytime sea breezes and moist conditions, heavy showers developed over parts of the Big island of Hawaii and Maui. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No significant injuries or property damage were reported.","" +115261,691999,ILLINOIS,2017,May,Hail,"FRANKLIN",2017-05-18 16:12:00,CST-6,2017-05-18 16:12:00,0,0,0,0,0.00K,0,0.00K,0,38,-88.9484,38,-88.9484,"An isolated severe storm popped up during the warmth of the afternoon. The storm occurred in the moist and unstable air mass to the south of a stationary front. The front extended from northwest Indiana across central Illinois to central Missouri.","The hail was mostly the size of dimes, with a few quarter-size hailstones mixed in." +115262,692001,MISSOURI,2017,May,Hail,"BOLLINGER",2017-05-20 00:27:00,CST-6,2017-05-20 00:27:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-90.12,37.27,-90.12,"Isolated wind damage occurred with a line of severe storms. Other storms produced hail up to the size of dimes. The storms occurred along a well-defined warm front that extended east-southeast from a low pressure system over eastern Kansas.","" +115265,692005,KENTUCKY,2017,May,Hail,"MUHLENBERG",2017-05-20 14:08:00,CST-6,2017-05-20 14:08:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-87.13,37.3,-87.13,"Clusters and short lines of thunderstorms occurred along a warm front that extended southeast from a low pressure center over central Missouri. A couple of storms produced hail up to the size of nickels and isolated wind damage.","" +115268,692436,KENTUCKY,2017,May,Thunderstorm Wind,"GRAVES",2017-05-27 17:55:00,CST-6,2017-05-27 17:55:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-88.57,36.57,-88.57,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A trained spotter estimated winds gusted to at least 65 mph." +115331,692446,MISSOURI,2017,May,Hail,"CAPE GIRARDEAU",2017-05-27 14:45:00,CST-6,2017-05-27 14:45:00,0,0,0,0,0.00K,0,0.00K,0,37.4834,-89.5994,37.4834,-89.5994,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","" +116370,699776,MONTANA,2017,June,Hail,"LEWIS AND CLARK",2017-06-01 14:45:00,MST-7,2017-06-01 14:45:00,0,0,0,0,0.00K,0,0.00K,0,46.75,-112.3,46.75,-112.3,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Quarter size hail in Birdseye." +115436,693135,IOWA,2017,May,Hail,"HUMBOLDT",2017-05-15 16:01:00,CST-6,2017-05-15 16:01:00,0,0,0,0,0.00K,0,0.00K,0,42.73,-94.44,42.73,-94.44,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported quarter sized hail via social media. This is a delayed report." +115436,693141,IOWA,2017,May,Hail,"WRIGHT",2017-05-15 16:38:00,CST-6,2017-05-15 16:38:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-93.9,42.67,-93.9,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported golf ball sized hail." +115436,693142,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-15 16:44:00,CST-6,2017-05-15 16:44:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-93.36,42.96,-93.36,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported quarter sized hail." +115679,695170,MASSACHUSETTS,2017,May,Strong Wind,"EASTERN HAMPDEN",2017-05-02 18:00:00,EST-5,2017-05-02 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across the region during the morning and midday of the 2nd. A line of showers trailing the front caused a period of strong west wind gusts behind the front. This brought a few trees down during the evening and early night.","At 6 PM EST, broadcast media reported a tree down on Woodmont Street in West Springfield." +115679,695172,MASSACHUSETTS,2017,May,Strong Wind,"WESTERN MIDDLESEX",2017-05-02 20:07:00,EST-5,2017-05-02 20:07:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across the region during the morning and midday of the 2nd. A line of showers trailing the front caused a period of strong west wind gusts behind the front. This brought a few trees down during the evening and early night.","At 807 PM EST, an amateur radio operator reported a tree was brought down and blocking Raven Road in Lowell." +115685,695182,MASSACHUSETTS,2017,May,Strong Wind,"WESTERN FRANKLIN",2017-05-15 12:05:00,EST-5,2017-05-15 13:30:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","At 1209 PM EST, an amateur radio operator reported trees and wires down blocking Graves Road at Route 116 in Conway. At 126 PM EST an amateur radio operator reported a tree and wires down on River Road in Leyden." +115685,695183,MASSACHUSETTS,2017,May,Strong Wind,"EASTERN FRANKLIN",2017-05-15 12:30:00,EST-5,2017-05-15 14:40:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","There were several reports of trees down. Among the locations were Martindale Road in Bernardston, Cooleyville Road in Wendell, North Leverett Road in Leverett, Richmond Road in Warwick, and Upper Road in Deerfield. A tree was brought down on a house on Hemmingway Road in Leverett." +115685,695184,MASSACHUSETTS,2017,May,Strong Wind,"NORTHERN WORCESTER",2017-05-15 14:05:00,EST-5,2017-05-15 14:05:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","At 205 PM EST, an amateur radio operator reported a tree down on Old Westminster Road in Hubbardston." +115685,695186,MASSACHUSETTS,2017,May,Strong Wind,"SOUTHERN WORCESTER",2017-05-15 10:30:00,EST-5,2017-05-15 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","At 1032 AM EST, an amateur radio operator reported a tree down on Southville Road in Southborough." +112661,672667,PENNSYLVANIA,2017,February,Hail,"LACKAWANNA",2017-02-25 14:43:00,EST-5,2017-02-25 14:43:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-75.7,41.36,-75.7,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112661,672668,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 15:35:00,EST-5,2017-02-25 15:35:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-75.77,41.18,-75.77,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112661,672672,PENNSYLVANIA,2017,February,Thunderstorm Wind,"WAYNE",2017-02-25 16:21:00,EST-5,2017-02-25 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-75.28,41.43,-75.28,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","Numerous trees blown down by thunderstorm winds." +112665,672693,PENNSYLVANIA,2017,February,Flash Flood,"LACKAWANNA",2017-02-25 16:00:00,EST-5,2017-02-25 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,41.5,-75.61,41.47,-75.67,"A strong cold front moved through the region during the afternoon and evening hours. Heavy rain producing thunderstorms triggered areas of urban and rural small stream flash flooding which caused inundation of numerous roads, parking lots and other poor drainage areas.","Torrential downpours flooded several roads and a few homes in the Dickson City area." +112665,672694,PENNSYLVANIA,2017,February,Flash Flood,"LACKAWANNA",2017-02-25 16:00:00,EST-5,2017-02-25 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,41.47,-75.68,41.42,-75.72,"A strong cold front moved through the region during the afternoon and evening hours. Heavy rain producing thunderstorms triggered areas of urban and rural small stream flash flooding which caused inundation of numerous roads, parking lots and other poor drainage areas.","Torrential rain from several thunderstorms produced flooding of city streets and a few residences in the City of Scranton." +115295,697035,ILLINOIS,2017,May,Flood,"CRAWFORD",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1735,-87.951,38.8499,-87.9458,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Crawford County. Several streets in Oblong and Robinson were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Bellair to Annapolis in the northern part of the county. An additional 0.50 to 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +116887,702815,NORTH CAROLINA,2017,May,Tornado,"UNION",2017-05-24 15:21:00,EST-5,2017-05-24 15:35:00,0,0,0,0,100.00K,100000,0.00K,0,34.819,-80.632,34.902,-80.55,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","NWS storm survey found a weak tornado tracked northeast from Lancaster County, SC into Union County in a rural area west of South Rocky River Rd. Two walls and much of the roof was blown off a barn off in this area, which was the most significant damage associated with the tornado. Otherwise, damage was primarily confined to numerous downed trees, damage or destruction to multiple outbuildings, and minor structural damage to multiple homes as the tornado tracked northeast, lifting near Joe Collins Rd." +115570,693986,KANSAS,2017,May,Hail,"SHERMAN",2017-05-10 15:17:00,MST-7,2017-05-10 15:17:00,0,0,0,0,0.00K,0,0.00K,0,39.3083,-101.7259,39.3083,-101.7259,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The hail was reported near CR 62 on Highway 27." +114326,685053,ILLINOIS,2017,April,Hail,"HAMILTON",2017-04-05 14:22:00,CST-6,2017-04-05 14:22:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-88.53,38.1,-88.53,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southeast Illinois. Surface dew points in the 50's spread northeastward beneath cold mid-level temperatures aloft. The atmosphere became sufficiently unstable for severe storms, with capes approaching 1000 j/kg. Wind fields aloft were quite strong as a belt of 80-knot winds at 500 mb progressed northeast into the Tennessee Valley. The strong wind shear facilitated several severe storms, including a brief tornado.","A television weather station viewer submitted a picture of hail slightly larger than quarter-size." +116053,697511,COLORADO,2017,May,Thunderstorm Wind,"YUMA",2017-05-16 19:53:00,MST-7,2017-05-16 19:53:00,0,0,0,0,0.00K,0,0.00K,0,39.6314,-102.1019,39.6314,-102.1019,"Strong to severe thunderstorms moved across East Central Colorado two different times on this day, on in the afternoon and one in the evening. In the afternoon penny size hail was reported in Seibert. That evening wind gusts estimated at 70 MPH broke several one and two inch diameter limbs off a tree near Bonny Reservoir.","Several one to two inch diameter branches were broken off trees." +116033,697497,MISSISSIPPI,2017,May,Thunderstorm Wind,"WARREN",2017-05-21 13:40:00,CST-6,2017-05-21 13:43:00,0,0,0,0,7.00K,7000,0.00K,0,32.25,-90.82,32.2,-90.83,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A tree was blown down on Nailor Road. Trees were also blown down on Fisher Ferry Road." +114790,688877,NEBRASKA,2017,May,Hail,"PHELPS",2017-05-15 19:01:00,CST-6,2017-05-15 19:01:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-99.37,40.45,-99.37,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +116003,698050,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-25 00:53:00,EST-5,2017-05-25 00:53:00,0,0,0,0,0.00K,0,0.00K,0,34.9729,-80.0517,34.9729,-80.0517,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","Trees were blown down on Stanback Ferry Ice Plant Road." +116003,698051,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RICHMOND",2017-05-25 01:10:00,EST-5,2017-05-25 01:10:00,0,0,0,0,0.00K,0,0.00K,0,35.0339,-79.778,35.0339,-79.778,"Downstream of a closed low digging into the Mid South, strong deep layer lift and strengthening low to mid-level flow atop a slowly retreating frontal zone east of the Southern Appalachians, supported discrete cells and broken bands of convection across the Carolinas during the afternoon and evening. While a group of supercells produced several tornadoes just west of the WFO Raleigh CWA, there was only scattered wind damage across the western Piedmont counties.","One tree was blown on John Webb Road, near the intersection of Sandy Ridge Church Road." +115701,695262,IOWA,2017,May,Hail,"CRAWFORD",2017-05-16 18:43:00,CST-6,2017-05-16 18:43:00,0,0,0,0,5.00K,5000,0.00K,0,41.89,-95.23,41.89,-95.23,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported golf ball sized hail in the city of Manilla." +115405,692924,MISSOURI,2017,April,Flood,"LINN",2017-04-05 08:23:00,CST-6,2017-04-05 10:23:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-92.99,39.9537,-92.9879,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route C was closed due to flooding along West Yellow Creek." +115405,692925,MISSOURI,2017,April,Flood,"CALDWELL",2017-04-05 09:19:00,CST-6,2017-04-05 11:19:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-93.8,39.6984,-93.7925,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route A was closed due to flooding along Shoal and Panther Creeks." +115701,695265,IOWA,2017,May,Thunderstorm Wind,"SAC",2017-05-16 19:09:00,CST-6,2017-05-16 19:09:00,0,0,0,0,2.00K,2000,0.00K,0,42.31,-95.25,42.31,-95.25,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported at least 3 large trees down in their neighbor's yard. Time estimated by radar and previous reports." +114788,688774,NEBRASKA,2017,May,Hail,"FRANKLIN",2017-05-09 20:15:00,CST-6,2017-05-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,40.18,-98.76,40.18,-98.76,"A few small storms produced low-end severe hail during the late afternoon and early evening hours on this Tuesday. Late in the afternoon, a few small primarily single-cell low-top thunderstorms began forming over north central Kansas. Around 6 PM CST, two of these storms progressed across the state line and into south central Nebraska. They were joined by a few other storms through 9 PM. These storms produced small (sub-severe) hail in several locations along the Webster-Franklin County border. However, just after 8 PM, severe hail was reported between the towns of Campbell and Riverton. The largest hail observed was the size of half dollars. The tops of these storms were not much higher than 30,000 ft. Between 9 and 11 PM, the coverage of storms increased in an east-west broken line across south central Nebraska, just north of the state line. The result was a transition to multi-cell convective mode. In addition, a small line segment of storms was approaching the western end of this line from northwest Kansas. The east-west oriented line gradually lifted north while the Kansas line segment moved in from the west. Other small storms initiated and/or moved in from Kansas, as a result of the low-level jet, with all of this activity eventually congealing into a mostly sub-severe mesoscale convective system. There was a single report of 1 inch hail in the town of Lexington at midnight. Between midnight and 3:30 AM on the 10th, an embedded line segment of storms became oriented from southwest to northeast along the northern border of Hamilton County and it moved very little. This resulted in a narrow corridor of heavy rainfall between 2.50 and 3.25.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +116144,703490,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:18:00,CST-6,2017-05-18 21:18:00,0,0,0,0,0.00K,0,0.00K,0,35.3931,-95.6025,35.3931,-95.6025,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind uprooted trees." +116144,703491,OKLAHOMA,2017,May,Tornado,"MCINTOSH",2017-05-18 21:25:00,CST-6,2017-05-18 21:32:00,0,0,0,0,125.00K,125000,0.00K,0,35.4664,-95.4911,35.5402,-95.3635,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed north of I-40 near the N 4230 Road where it snapped large tree limbs, damaged homes, and blew down privacy fences. It moved northeast snapping or uprooting trees and damaging outbuildings. A home was damaged, a large outbuilding was destroyed, power poles were blown down, and numerous trees were snapped or uprooted near the N 4270 Road. The tornado dissipated after crossing the N 4290 Road, to the north of the E 1020 Road. Based on this damage, maximum estimated wind in the tornado was 100 to 110 mph." +116257,698912,ILLINOIS,2017,May,Strong Wind,"ALEXANDER",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698913,ILLINOIS,2017,May,Strong Wind,"UNION",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698914,ILLINOIS,2017,May,Strong Wind,"JACKSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698915,ILLINOIS,2017,May,Strong Wind,"PERRY",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698916,ILLINOIS,2017,May,Strong Wind,"JEFFERSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698917,ILLINOIS,2017,May,Strong Wind,"FRANKLIN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698918,ILLINOIS,2017,May,Strong Wind,"WILLIAMSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +115268,692041,KENTUCKY,2017,May,Thunderstorm Wind,"LYON",2017-05-27 16:07:00,CST-6,2017-05-27 16:07:00,0,0,0,0,25.00K,25000,0.00K,0,37.07,-88.12,37.07,-88.12,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Several trees and power poles were blown down." +115268,692509,KENTUCKY,2017,May,Thunderstorm Wind,"CRITTENDEN",2017-05-27 16:10:00,CST-6,2017-05-27 16:10:00,0,0,0,0,2.00K,2000,0.00K,0,37.3709,-88.0285,37.3709,-88.0285,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A wind gust to 64 mph was measured at a Kentucky mesonet site. A few tree limbs were down on roads." +115331,692452,MISSOURI,2017,May,Hail,"CARTER",2017-05-27 18:40:00,CST-6,2017-05-27 18:40:00,0,0,0,0,,NaN,,NaN,36.9,-91.03,36.9,-91.03,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","The hail was slightly larger than golf balls. This same storm continued east, producing large hail near Ellsinore farther along its path." +115331,692459,MISSOURI,2017,May,Tornado,"BUTLER",2017-05-27 19:18:00,CST-6,2017-05-27 19:22:00,0,0,0,0,40.00K,40000,0.00K,0,36.7912,-90.5013,36.7839,-90.4692,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","The tornado began near the intersection of Highway PP and County Road 429 in the Mark Twain National Forest. The tornado was on the ground for four minutes. It lifted before crossing U.S. Highway 67 west of Poplar Bluff. Several trees were uprooted, and numerous limbs were broken. At least two homes received minor damage due to falling trees. At least six homes received shingle damage. Peak winds were estimated near 85 mph. A trained spotter witnessed the funnel in the area. This tornado was from the same supercell storm that produced large hail from the Ellsinore area of Carter County to areas north of Poplar Bluff." +118509,718146,LAKE HURON,2017,June,Marine Thunderstorm Wind,"5NM E OF MACKINAC BRIDGE TO PRESQUE ISLE LIGHT MI INC BOIS BLANC ISLAND",2017-06-11 16:08:00,EST-5,2017-06-11 16:08:00,0,0,0,0,0.00K,0,0.00K,0,45.5338,-84.112,45.5338,-84.112,"A line of severe thunderstorms crossed far northern Lake Huron.","Tree damage occurred just to the west, near and north of Black Lake." +116168,698311,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:45:00,CST-6,2017-05-17 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-92.88,42.59,-92.88,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported 4 inch diameter tree limbs down along with numerous other smaller branches in Aplington." +119033,714989,MISSOURI,2017,July,Flood,"JOHNSON",2017-07-28 21:34:00,CST-6,2017-07-29 03:34:00,0,0,0,0,0.00K,0,0.00K,0,38.9258,-93.9798,38.6094,-94.0972,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Numerous roads across Johnson County were closed due to heavy rain. Route M in both directions was closed near Road OO along Honey Creek. Route B was closed due to flooding on Big Creek. Route E was closed along the Blackwater River. Missouri HWY 23 was closed along the Blackwater River." +115701,695267,IOWA,2017,May,Thunderstorm Wind,"CARROLL",2017-05-16 19:15:00,CST-6,2017-05-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-94.79,42.05,-94.79,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Carroll AWOS reported sustained winds of 48 mph and gusts to 71 mph." +116168,698209,IOWA,2017,May,Thunderstorm Wind,"MADISON",2017-05-17 15:02:00,CST-6,2017-05-17 15:02:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-93.84,41.45,-93.84,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported winds estimated 50 to 60 mph." +116168,698262,IOWA,2017,May,Thunderstorm Wind,"MARION",2017-05-17 15:36:00,CST-6,2017-05-17 15:36:00,0,0,0,0,0.00K,0,0.00K,0,41.3545,-93.2619,41.3545,-93.2619,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported 60 mph wind gusts at Highway 5 and Highway 92." +116025,697295,TEXAS,2017,May,Hail,"MEDINA",2017-05-03 18:30:00,CST-6,2017-05-03 18:30:00,0,0,0,0,,NaN,,NaN,29.44,-99.16,29.44,-99.16,"Thunderstorms developed along a cold front and some of these storms produced large hail.","A thunderstorm produce quarter size hail north of Hondo." +116025,697304,TEXAS,2017,May,Hail,"FAYETTE",2017-05-03 18:35:00,CST-6,2017-05-03 18:35:00,0,0,0,0,,NaN,,NaN,30.06,-96.7,30.06,-96.7,"Thunderstorms developed along a cold front and some of these storms produced large hail.","A thunderstorm produced half dollar size hail in Round Top." +116217,698720,SOUTH CAROLINA,2017,May,Tornado,"COLLETON",2017-05-04 19:15:00,EST-5,2017-05-04 19:25:00,0,0,0,0,,NaN,0.00K,0,32.988,-80.6494,33.0571,-80.5859,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","A National Weather Service storm survey team confirmed an EF1 tornado near Walterboro in Colleton County. The tornado touched down just west of McLeod Road, damaging the roofing and siding of a home. The tornado then traveled north-northeast producing intermittent damage along the path. The tornado produced extensive tree damage along Allen Creek just to the west of Highway 15 where approximately 100 trees were snapped off, uprooted, or severely damaged. The tornado produced fence damage along Highway 15 just north of Allen Creek and thereafter produced intermittent tree damage along the path. The tornado crossed a corn field about 2 miles east of Canadys where a convergent wind pattern was clearly evident. The tornado snapped off, uprooted, or damaged numerous trees in this area before dissipating just south of the Edisto River." +116217,698902,SOUTH CAROLINA,2017,May,Tornado,"DORCHESTER",2017-05-04 19:27:00,EST-5,2017-05-04 19:28:00,0,0,0,0,,NaN,0.00K,0,33.0586,-80.5831,33.0819,-80.5802,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a few tornadoes across southeast South Carolina.","A National Weather Service storm survey team confirmed that an EF1 tornado that touched down near Canadys in Colleton County crossed the Edisto River and continued into Dorchester County. The tornado snapped off, uprooted and damaged trees on the Dorchester County side of the Edisto River before dissipating near Utsey Hill Road." +116480,700495,COLORADO,2017,May,Hail,"CHEYENNE",2017-05-15 15:32:00,MST-7,2017-05-15 15:32:00,0,0,0,0,0.00K,0,0.00K,0,38.8424,-102.3501,38.8424,-102.3501,"A severe thunderstorm produced hail up to half dollar in size in Cheyenne Wells and quarter size hail north of town.","Quite a bit of hail was pounding against the house. Most of the hail appears to be quarter size." +116480,700511,COLORADO,2017,May,Hail,"CHEYENNE",2017-05-15 13:30:00,MST-7,2017-05-15 13:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8141,-102.3429,38.8141,-102.3429,"A severe thunderstorm produced hail up to half dollar in size in Cheyenne Wells and quarter size hail north of town.","The average size of the hail was a half inch." +116463,700446,LOUISIANA,2017,May,Thunderstorm Wind,"ACADIA",2017-05-03 17:05:00,CST-6,2017-05-03 17:05:00,0,0,0,0,100.00K,100000,0.00K,0,30.43,-92.29,30.43,-92.29,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Pictures on social media indicated a metal truss high voltage transmission line blown down near Noah Daigle Road." +116463,700888,LOUISIANA,2017,May,Flash Flood,"CALCASIEU",2017-05-03 09:35:00,CST-6,2017-05-03 16:00:00,0,0,0,0,750.00K,750000,0.00K,0,30.1844,-93.5486,30.1856,-92.7754,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Heavy rain caused street flooding across a large portion of Calcasieu Parish with many reported impassable. As many as 50 cars reported flooded in Lake Charles and several homes flooded in Sulphur. A couple of homes were also reported to be flooded in Moss Bluff. A stream gauge in Edgerly as indicated water was several feet over a near by road at the height of the event. The max rainfall reported in Calcasieu Parish was 13.18 inches with Sulphur not far behind at 10.43 inches and the Salt Water Barrier at 9.16 inches." +116463,700926,LOUISIANA,2017,May,Flash Flood,"LAFAYETTE",2017-05-03 10:09:00,CST-6,2017-05-03 17:30:00,0,0,0,0,100.00K,100000,0.00K,0,30.233,-92.1423,29.9634,-91.9199,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Heavy rain flooded many streets around Lafayette Parish. Some cars became flooded as water reached depths that was to the headlights. An elementary school also flooded in Scott. Rainfall totals ranged from 4 to 6 inches with Acadiana Regional Airport reporting 5.09 inches and 6.11 inches falling on Surrey Street at the Vermilion River." +116615,701305,GEORGIA,2017,May,Strong Wind,"FLOYD",2017-05-04 06:30:00,EST-5,2017-05-04 09:30:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The Floyd County Emergency Manager reported numerous trees and power lines blown down across the county. Falling trees damaged houses on Terry Lane, Tyler Street NW, Lookout Circle, Margaret Street and Keller Street. Power was out across many areas for several hours." +113553,696044,SOUTH CAROLINA,2017,April,Heavy Rain,"ORANGEBURG",2017-04-05 14:00:00,EST-5,2017-04-05 15:00:00,0,0,0,0,,NaN,,NaN,33.33,-80.45,33.33,-80.45,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","CoCoRaHS station SC-OR-5 reported 1.06 inches of rain within 1 hour, with minor flooding." +116704,701827,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-15 18:33:00,CST-6,2017-05-15 18:33:00,0,0,0,0,0.00K,0,0.00K,0,36.94,-101.49,36.94,-101.49,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Estimated 60 MPH gust." +113553,696046,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-05 13:09:00,EST-5,2017-04-05 13:15:00,0,0,0,0,,NaN,,NaN,33.97,-81.23,33.97,-81.23,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Photo relayed via social media of a tree down across Railroad Ave in Lexington." +116704,701828,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-15 19:51:00,CST-6,2017-05-15 19:51:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-101.63,36.59,-101.63,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Thunderstorm wind gust due to micro burst." +116706,701787,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:00:00,CST-6,2017-05-15 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-102.12,35.75,-102.12,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701788,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:04:00,CST-6,2017-05-15 17:04:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-101.66,35.85,-101.66,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Dime size hail also reported." +116422,700188,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-25 15:48:00,MST-7,2017-05-25 15:48:00,0,0,0,0,0.00K,0,0.00K,0,39.1405,-101.5153,39.1405,-101.5153,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","The wind occurred with baseball size hail on CR 29, .3 miles north of the county line." +116422,700189,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:45:00,CST-6,2017-05-25 17:54:00,0,0,0,0,0.00K,0,0.00K,0,39.1123,-100.8154,39.1123,-100.8154,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","" +116422,700190,KANSAS,2017,May,Thunderstorm Wind,"GOVE",2017-05-25 18:07:00,CST-6,2017-05-25 18:07:00,0,0,0,0,0.00K,0,0.00K,0,38.815,-100.458,38.815,-100.458,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","" +116422,700191,KANSAS,2017,May,Thunderstorm Wind,"GOVE",2017-05-25 17:54:00,CST-6,2017-05-25 17:54:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-100.63,39.13,-100.63,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","The wind gusts occurred with nickel size hail." +116756,702133,ALABAMA,2017,May,Thunderstorm Wind,"MOBILE",2017-05-12 11:54:00,CST-6,2017-05-12 11:56:00,0,0,0,0,10.00K,10000,0.00K,0,30.809,-88.25,30.809,-88.25,"Thunderstorms moved across southwest Alabama produced high winds that caused damage.","Winds estimated at 60 mph downed trees on a house." +116756,702134,ALABAMA,2017,May,Thunderstorm Wind,"MOBILE",2017-05-12 12:05:00,CST-6,2017-05-12 12:07:00,0,0,0,0,4.00K,4000,0.00K,0,30.82,-88.17,30.82,-88.17,"Thunderstorms moved across southwest Alabama produced high winds that caused damage.","Winds estimated at 60 mph downed trees on Highway 45." +116758,702144,INDIANA,2017,May,Thunderstorm Wind,"MIAMI",2017-05-18 15:36:00,EST-5,2017-05-18 15:37:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-86.02,40.97,-86.02,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms developed with isolated reports of wind damage with the strongest storms.","Emergency management officials reported healthy trees were blown down on State Route 19 as well as on Macy-Gilead Rd. Trees averaged one to two feet in diameter, with one nearly three feet." +116758,702145,INDIANA,2017,May,Thunderstorm Wind,"KOSCIUSKO",2017-05-18 17:00:00,EST-5,2017-05-18 17:01:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-85.96,41.09,-85.96,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms developed with isolated reports of wind damage with the strongest storms.","Local officials reported a tree was blown down on South County Road 675 West, between Beaver Dam and Silver Lake." +114778,688519,COLORADO,2017,May,Tornado,"OTERO",2017-05-18 13:29:00,MST-7,2017-05-18 13:36:00,0,0,0,0,0.00K,0,0.00K,0,37.7113,-103.8885,37.7375,-103.8474,"Isolated severe storms developed with one storm producing a tornado southwest of Timpas in Otero county. In addition, hail up to the size of golf balls was also observed.","A tornado was witnessed by storm chasers and an off-duty NWS employee. The tornado caused no damage from which the NWS could assign an EF-scale rating." +114791,688873,KANSAS,2017,May,Thunderstorm Wind,"PHILLIPS",2017-05-15 18:54:00,CST-6,2017-05-15 18:56:00,0,0,0,0,25.00K,25000,0.00K,0,39.95,-99.5489,39.95,-99.53,"Part of a small multicell thunderstorm cluster clipped northwest Phillips County, producing severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, a couple multicell clusters formed and moved across portions of north central Kansas. The first cluster was severe, knocking over an irrigation pivot just west of the town of Long Island. Most of this cluster lifted into south central Nebraska, but its southern tip clipped northwest Phillips County between 645 and 715 PM CST. ||This and all the other storms initially formed just south of a quasi-stationary front that extended from west to east across Nebraska. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2500-3000 J/kg. Effective deep layer shear was between 35 and 40 kt.","Wind gusts estimated around 65 MPH knocked over an irrigation pivot just west of town. Gusts of at least 60 MPH were reported in town." +114793,693857,KANSAS,2017,May,Hail,"ROOKS",2017-05-16 16:01:00,CST-6,2017-05-16 16:01:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-99.124,39.2,-99.124,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693859,KANSAS,2017,May,Hail,"OSBORNE",2017-05-16 16:03:00,CST-6,2017-05-16 16:03:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-98.7,39.57,-98.7,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693860,KANSAS,2017,May,Hail,"OSBORNE",2017-05-16 16:04:00,CST-6,2017-05-16 16:04:00,0,0,0,0,0.00K,0,0.00K,0,39.4555,-98.95,39.4555,-98.95,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693862,KANSAS,2017,May,Hail,"SMITH",2017-05-16 16:41:00,CST-6,2017-05-16 16:41:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-98.55,39.82,-98.55,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693863,KANSAS,2017,May,Thunderstorm Wind,"PHILLIPS",2017-05-16 16:38:00,CST-6,2017-05-16 16:43:00,0,0,0,0,25.00K,25000,0.00K,0,39.67,-99.5888,39.67,-99.5888,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Wind gusts of 70 to 75 MPH were measured by a mesonet site just west of Logan." +114793,693864,KANSAS,2017,May,Hail,"JEWELL",2017-05-16 16:39:00,CST-6,2017-05-16 16:39:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-98.3,39.87,-98.3,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693870,KANSAS,2017,May,Thunderstorm Wind,"PHILLIPS",2017-05-16 16:44:00,CST-6,2017-05-16 16:48:00,0,0,0,0,50.00K,50000,0.00K,0,39.7355,-99.32,39.75,-99.32,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Severe criteria wind gusts, peaking at 71 MPH, were measured just south of Phillipsburg. In town, a restaurant lost its roof. Power lines and large tree limbs, some 6-12 inches in diameter, were downed." +114527,686829,TENNESSEE,2017,March,Winter Weather,"HICKMAN",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Hickman County ranged from 0.5 inches up to nearly 2 inches. CoCoRaHS station Centerville 10.4 SE measured 1.8 inches of snow, and a COOP observer in Centerville measured 0.7 inches of snow." +114527,686836,TENNESSEE,2017,March,Winter Weather,"PERRY",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Perry County ranged from 0.5 inches up to 1.5 inches. CoCoRaHS station Linden 7.9 NNW measured 1.5 inches of snow, while the sheriff office in Linden reported 0.5 inches of snow." +114531,686863,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-20 17:55:00,CST-6,2017-03-20 17:55:00,0,0,0,0,1.00K,1000,0.00K,0,36.0404,-87.0839,36.0404,-87.0839,"A cluster of strong to severe thunderstorms moved southeast across northwestern parts of Middle Tennessee during the evening hours on March 20. Two reports of wind damage were received.","A 60 foot tall tree was blown down and blocked the road at the intersection of Brush Creek Road and CCC Road." +114305,684805,LOUISIANA,2017,April,Thunderstorm Wind,"BOSSIER",2017-04-26 15:00:00,CST-6,2017-04-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,32.52,-93.73,32.52,-93.73,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","A tree and a utility pole were downed on Colquitt Street in Bossier City." +114305,684827,LOUISIANA,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-26 17:47:00,CST-6,2017-04-26 17:47:00,0,0,0,0,0.00K,0,0.00K,0,32.52,-92.08,32.52,-92.08,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Monroe Regional Airport ASOS recorded a measured thunderstorm wind gust of 51 knots, or 59 mph." +113051,683063,MASSACHUSETTS,2017,March,Heavy Snow,"NORTHWEST MIDDLESEX COUNTY",2017-03-14 05:00:00,EST-5,2017-03-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day in northwest Middlesex County. Snowfall totals ranged from 12 to nearly 16 inches. Trained spotters reported 15.8 inches in Townsend and 14.8 inches in Pepperell." +113051,683064,MASSACHUSETTS,2017,March,Heavy Snow,"SOUTHEAST MIDDLESEX",2017-03-14 05:00:00,EST-5,2017-03-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Moderate to heavy snow fell during the morning and early afternoon in southeast Middlesex County, before briefly changing to rain. Snowfall totals ranged from 6 inches in Somerville (closer to Boston) to 9 inches in Lexington and 10 inches in Waltham (closer to the Route 128 corridor)." +114118,683840,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 06:58:00,CST-6,2017-03-01 06:58:00,0,0,0,0,1.00K,1000,0.00K,0,36.0075,-86.8871,36.0075,-86.8871,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tSpotter Twitter photo showed a tree blown down in the Grassland area." +114118,683872,TENNESSEE,2017,March,Thunderstorm Wind,"ROBERTSON",2017-03-01 07:00:00,CST-6,2017-03-01 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.5,-86.88,36.5,-86.88,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down across the county." +114118,685830,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:31:00,CST-6,2017-03-01 06:31:00,0,0,0,0,2.00K,2000,0.00K,0,36.1464,-87.4328,36.1464,-87.4328,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported 2 trees blown down on Highway 235." +114118,685831,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:23:00,CST-6,2017-03-01 06:23:00,0,0,0,0,1.00K,1000,0.00K,0,36.0911,-87.5138,36.0911,-87.5138,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported a tree was blown down on Highway 1." +114423,686511,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-09 23:16:00,CST-6,2017-03-09 23:16:00,0,0,0,0,0.00K,0,0.00K,0,35.2554,-87.3754,35.2554,-87.3754,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A 70 mph wind gust was reported at David Crockett Elementary School." +114118,690295,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:07:00,CST-6,2017-03-01 07:07:00,0,0,0,0,5.00K,5000,0.00K,0,36.27,-86.83,36.27,-86.83,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Windows were reportedly blown out of homes in Whites Creek." +114423,686063,TENNESSEE,2017,March,Hail,"DICKSON",2017-03-09 19:57:00,CST-6,2017-03-09 19:57:00,0,0,0,0,0.00K,0,0.00K,0,36.0493,-87.418,36.0493,-87.418,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Nickel size hail was reported 3 miles southwest of Dickson." +114423,686083,TENNESSEE,2017,March,Thunderstorm Wind,"STEWART",2017-03-09 21:48:00,CST-6,2017-03-09 21:48:00,0,0,0,0,2.00K,2000,0.00K,0,36.4135,-87.8642,36.4135,-87.8642,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down on Upper Standing Rock Road at Leatherwood Road." +114118,683829,TENNESSEE,2017,March,Thunderstorm Wind,"CHEATHAM",2017-03-01 06:46:00,CST-6,2017-03-01 06:46:00,0,0,0,0,3.00K,3000,0.00K,0,36.1828,-87.1376,36.1828,-87.1376,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Facebook reports and photos indicated several large trees were snapped and uprooted near Griffintown Road at Wade Reed Road." +114683,687905,TENNESSEE,2017,March,Thunderstorm Wind,"MAURY",2017-03-21 15:00:00,CST-6,2017-03-21 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.6189,-87.0816,35.6189,-87.0816,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a tree was blown down across from Whitthorne Middle School." +114683,687909,TENNESSEE,2017,March,Lightning,"MAURY",2017-03-21 15:15:00,CST-6,2017-03-21 15:15:00,0,0,0,0,3.00K,3000,0.00K,0,35.5966,-87.0364,35.5966,-87.0364,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Maury County emergency management reported three lightning strikes to buildings in the Columbia city limits on Polk Street, Scott Hollow Drive, and Haylong Avenue. Minimal damage was reported to all structures." +114683,687915,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-21 15:30:00,CST-6,2017-03-21 15:30:00,0,0,0,0,3.00K,3000,0.00K,0,35.78,-86.68,35.78,-86.68,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter photo showed an old barn was destroyed near College Grove." +114423,686521,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:42:00,CST-6,2017-03-09 23:42:00,0,0,0,0,10.00K,10000,0.00K,0,35.58,-86.37,35.58,-86.37,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several roof panels were blown off an antique mall in Bell Buckle, and trees were blown down around town." +114168,684357,MISSISSIPPI,2017,March,Hail,"HINDS",2017-03-01 14:11:00,CST-6,2017-03-01 14:11:00,0,0,0,0,0.00K,0,0.00K,0,32.15,-90.29,32.15,-90.29,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Hail up to the size of quarters fell between Byram and Terry." +114168,684363,MISSISSIPPI,2017,March,Thunderstorm Wind,"RANKIN",2017-03-01 14:35:00,CST-6,2017-03-01 14:40:00,0,0,0,0,10.00K,10000,0.00K,0,32.1112,-90.0399,32.11,-89.961,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Several trees were blown down in the Plantation Shores area near U.S. Highway 49 and along Star Road." +115003,690043,MASSACHUSETTS,2017,March,High Wind,"SOUTHERN WORCESTER",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,1,0,1,0,12.00K,12000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 210 PM EST, The Automated Surface Observing System platform at Worcester Airport measured a wind gust of 59 mph. There were several reports of trees brought down by the wind during the morning. A large tree fell on a car on Sutton Avenue in Oxford, killing a 50 year old man. A tree fell on an unoccupied house on Oread Street near Beacon Street in Worcester. A tree fell and blocked Main Street in Douglas, Old Westboro Road in Grafton, Westview Street in Auburn, and Hopkinton Road in Westborough." +115003,690055,MASSACHUSETTS,2017,March,High Wind,"NORTHERN WORCESTER",2017-03-02 05:00:00,EST-5,2017-03-02 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moving up the St Lawrence Valley swept a cold front through Massachusetts early the morning of March 2. Behind the cold front, strong west-northwest winds brought colder air to the state.","At 1015 AM EST, the Automated Surface Observing System platform at Fitchburg Airport a wind gust of 58 mph. A tree fell on Morgan Road near Gardner Road in Hubbardston. A tree and wires fell on a house on East Street in Fitchburg. A tree fell on a house on Townsend Harbor Road in Lunenburg." +115009,690092,MASSACHUSETTS,2017,March,Winter Storm,"SOUTHERN BRISTOL",2017-03-10 03:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","Amateur radio operators reported between five and seven inches of snow in Southern Bristol County." +115009,690098,MASSACHUSETTS,2017,March,Winter Storm,"DUKES",2017-03-10 04:00:00,EST-5,2017-03-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving through New England on March 9 brought colder air to Massachusetts. Low pressure moved up along the cold front on March 10 and passed south of the region, but close enough to bring snow especially on the South Coast.","Snowfall amounts of 6 to 8 inches were recorded on Marthas Vineyard. The highest amount was eight inches at West Tisbury." +115012,690123,MASSACHUSETTS,2017,March,High Wind,"NANTUCKET",2017-03-19 04:00:00,EST-5,2017-03-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Midwest passed south of New England during March 19, bringing strong winds to the South Coast. The strongest winds were observed on Nantucket.","The Automated Surface Observation System platform at Nantucket Airport measured a wind gust of 60 mph at 2:40 PM EST." +114683,687964,TENNESSEE,2017,March,Thunderstorm Wind,"GRUNDY",2017-03-21 16:33:00,CST-6,2017-03-21 16:33:00,0,0,0,0,5.00K,5000,0.00K,0,35.43,-85.73,35.43,-85.73,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Trees and power lines were blown down across Grundy County with several power outages." +114721,688095,MISSISSIPPI,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-29 23:31:00,CST-6,2017-03-29 23:31:00,0,0,0,0,3.00K,3000,0.00K,0,31.42,-90.69,31.42,-90.69,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Downburst winds from a severe thunderstorm blew down a tree across Bogue Chitto Road southeast of Bude." +114683,687937,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:57:00,CST-6,2017-03-21 15:57:00,0,0,0,0,10.00K,10000,0.00K,0,35.7707,-86.307,35.7707,-86.307,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A Facebook report indicated the roof was blown off a home on Lytle Creek Road." +114683,687948,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:09:00,CST-6,2017-03-21 16:09:00,0,0,0,0,2.00K,2000,0.00K,0,35.4876,-86.0706,35.4876,-86.0706,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Facebook reports and photos indicated a TVA transmission pole was blown over onto other power lines on Ragsdale Road near Beans Creek Winery, knocking out power to 4500 customers in Coffee County." +115939,697026,NEVADA,2017,January,Winter Weather,"WESTERN NEVADA BASIN AND RANGE",2017-01-12 02:00:00,PST-8,2017-01-12 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the northern Sierra (Carson Range), as well as a period of snowfall in the lower elevations of western Nevada.","Many locations from Yerington to Fernley to Fallon received between 1 and 3 inches of snowfall. However, a few sites between Fernley and Fallon reported between 5 and 6 inches of snowfall, mainly between early morning and mid afternoon on the 12th." +115814,696945,CALIFORNIA,2017,January,Avalanche,"GREATER LAKE TAHOE AREA",2017-01-10 10:55:00,PST-8,2017-01-10 10:55:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","Several avalanches were reported in an avalanche-prone area of Alpine Meadows, with 12 to 14 homes affected (minor damage). One controlled avalanche hit at least several houses. A NWS meteorologist who lives in the area noted that a couple homes had damage to their garage doors due to the weight of the snow." +114970,689673,LOUISIANA,2017,March,Thunderstorm Wind,"TENSAS",2017-03-27 16:46:00,CST-6,2017-03-27 16:55:00,0,0,0,0,75.00K,75000,0.00K,0,32.0115,-91.331,32.01,-91.22,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of damaging winds moved through Tensas Parish. An estimated dozen power poles and several trees were blown down around Lake St. Joseph." +114927,693380,NEVADA,2017,January,Flood,"DOUGLAS",2017-01-08 20:30:00,PST-8,2017-01-08 21:00:00,0,0,0,0,750.00K,750000,0.00K,0,38.9741,-119.865,38.9792,-119.8488,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Kingsbury Grade (Highway 207) was closed due to a previously-repaired (in December 2016) sinkhole re-opening with the heavy rain. The damage estimate is based on the contracts awarded for repairing both the December and January incidents." +114888,689216,OREGON,2017,March,Heavy Snow,"CENTRAL WILLAMETTE VALLEY",2017-03-05 18:00:00,PST-8,2017-03-06 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","There were several reports of 3.5 to 4 inches of snow near Dallas and Falls City. Also, a report of 6 inches of snow W of McMinnville." +114888,689220,OREGON,2017,March,Heavy Snow,"NORTH OREGON CASCADES FOOTHILLS",2017-03-05 18:00:00,PST-8,2017-03-07 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","There were reports of 6.5 to 8.5 inches of snow south of Lyons. Higher up in the Cascade Foothills were reports of 10 inches at Zigzag and 15 inches at the South Fork Bull Run SNOTEL." +115232,691868,CONNECTICUT,2017,March,Coastal Flood,"SOUTHERN NEW HAVEN",2017-03-14 13:00:00,EST-5,2017-03-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The NOS tidal gauge at New Haven recorded a peak water level of 9.4 ft. MLLW at 218 pm EST. The moderate coastal flood threshold of 9.2 ft. MLLW was exceeded from 106pm to 236pm EST. These water levels resulted in a water rescue of a motorist by the fire department in Old Saybrook on Route 154. There was also significant flooding in Milford near Silver Sands Beach with several neighborhood roads dealing with 2-4 feet of inundation. Property damage was limited to a car or two.||The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with local emergency management." +116231,698823,HAWAII,2017,June,High Surf,"KAHOOLAWE",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114851,689593,MISSISSIPPI,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-27 14:38:00,CST-6,2017-03-27 14:40:00,0,0,0,0,30.00K,30000,0.00K,0,31.97,-90.08,32.0249,-89.9699,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Multiple trees were blown down near Harrisville. Numerous trees were also blown down in the Braxton area, along with some powerlines." +114744,688312,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 19:00:00,CST-6,2017-03-30 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.3123,-86.1815,36.3123,-86.1815,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Power lines blown down at 9501 Hartsville Pike." +114735,688195,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:46:00,CST-6,2017-03-27 14:46:00,0,0,0,0,3.00K,3000,0.00K,0,36.1486,-86.805,36.1486,-86.805,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","TSpotter Twitter reports and photos showed multiple trees down on West End Avenue near the Vanderbilt Campus." +116231,698822,HAWAII,2017,June,High Surf,"LANAI MAKAI",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114430,686161,TENNESSEE,2017,March,Hail,"MADISON",2017-03-27 12:44:00,CST-6,2017-03-27 12:50:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-88.8011,35.4915,-88.7476,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Mainly dime size hail with up to quarter size hail west of Pinson." +114721,688097,MISSISSIPPI,2017,March,Thunderstorm Wind,"COPIAH",2017-03-29 23:45:00,CST-6,2017-03-29 23:45:00,0,0,0,0,4.00K,4000,0.00K,0,32,-90.43,32,-90.43,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Severe wind gusts associated with a line of thunderstorms blew down power lines west of Crystal Springs." +113122,676573,TEXAS,2017,March,Tornado,"HARRIS",2017-03-24 23:23:00,CST-6,2017-03-24 23:23:00,0,0,0,0,15.00K,15000,0.00K,0,29.7829,-94.8774,29.7829,-94.8774,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Damage in and around a residence near the intersection of East Osage Road and East Shawnee included a mobile home moved, shingles removed on a home, a large tree limb (unknown origin) down in the yard and a large mattress lofted across the property." +116926,703205,KANSAS,2017,May,Hail,"LYON",2017-05-27 14:55:00,CST-6,2017-05-27 14:56:00,0,0,0,0,,NaN,,NaN,38.26,-96.17,38.26,-96.17,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Video evidence suggests hail at least the size of quarters fell in Olpe." +116926,703207,KANSAS,2017,May,Hail,"COFFEY",2017-05-27 15:32:00,CST-6,2017-05-27 15:33:00,0,0,0,0,,NaN,,NaN,38.26,-95.63,38.26,-95.63,"Two areas of thunderstorms pushed across the area during the morning and early afternoon hours. Several reports of large hail and damaging winds were noted.","Report was delayed." +116962,703405,KANSAS,2017,May,Hail,"DOUGLAS",2017-05-30 16:46:00,CST-6,2017-05-30 16:47:00,0,0,0,0,,NaN,,NaN,38.96,-95.26,38.96,-95.26,"Scattered thunderstorms developed during the afternoon along Interstate 70 in far eastern Kansas. Storms continued into the evening hours, producing several large hail reports.","" +116962,703407,KANSAS,2017,May,Hail,"DOUGLAS",2017-05-30 17:41:00,CST-6,2017-05-30 17:42:00,0,0,0,0,,NaN,,NaN,38.88,-95.22,38.88,-95.22,"Scattered thunderstorms developed during the afternoon along Interstate 70 in far eastern Kansas. Storms continued into the evening hours, producing several large hail reports.","Mostly dime size hail with a few nickels reported." +116962,703408,KANSAS,2017,May,Hail,"OSAGE",2017-05-30 18:42:00,CST-6,2017-05-30 18:43:00,0,0,0,0,,NaN,,NaN,38.71,-95.62,38.71,-95.62,"Scattered thunderstorms developed during the afternoon along Interstate 70 in far eastern Kansas. Storms continued into the evening hours, producing several large hail reports.","" +116962,703409,KANSAS,2017,May,Hail,"OSAGE",2017-05-30 18:43:00,CST-6,2017-05-30 18:44:00,0,0,0,0,,NaN,,NaN,38.73,-95.59,38.73,-95.59,"Scattered thunderstorms developed during the afternoon along Interstate 70 in far eastern Kansas. Storms continued into the evening hours, producing several large hail reports.","Numerous quarter size hail with some up to golf ball size covering the ground." +116962,703410,KANSAS,2017,May,Hail,"OSAGE",2017-05-30 18:45:00,CST-6,2017-05-30 18:46:00,0,0,0,0,,NaN,,NaN,38.69,-95.56,38.69,-95.56,"Scattered thunderstorms developed during the afternoon along Interstate 70 in far eastern Kansas. Storms continued into the evening hours, producing several large hail reports.","" +116965,703423,KANSAS,2017,May,Hail,"OSAGE",2017-05-31 10:57:00,CST-6,2017-05-31 10:58:00,0,0,0,0,,NaN,,NaN,38.87,-95.87,38.87,-95.87,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703424,KANSAS,2017,May,Hail,"OSAGE",2017-05-31 11:01:00,CST-6,2017-05-31 11:02:00,0,0,0,0,,NaN,,NaN,38.85,-95.82,38.85,-95.82,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703425,KANSAS,2017,May,Hail,"OSAGE",2017-05-31 11:16:00,CST-6,2017-05-31 11:17:00,0,0,0,0,,NaN,,NaN,38.82,-95.72,38.82,-95.72,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","Hail lasted for three minutes." +116329,699543,WASHINGTON,2017,May,Thunderstorm Wind,"OKANOGAN",2017-05-30 19:48:00,PST-8,2017-05-30 19:50:00,0,0,0,0,0.00K,0,0.00K,0,48.35,-120.12,48.35,-120.12,"During the afternoon of May 30th a line of thunderstorms moved south to north along the east slopes of the Cascades. These storms produced isolated damage from the Wenatchee area to the Methow Valley as they traveled north and eventually dissipated during the evening.","A thunderstorm wind gust toppled a tree onto power lines near Twisp. A power outage resulted from this damage." +116330,699548,WASHINGTON,2017,May,Hail,"OKANOGAN",2017-05-11 14:18:00,PST-8,2017-05-11 14:25:00,0,0,0,0,0.00K,0,0.00K,0,48.17,-118.97,48.17,-118.97,"During the afternoon of May 11th Scattered thunderstorms developed over the western Columbia Basin and tracked into the mountains north of the basin. One of these storms produced large hail in the community of Nespelem.","A thunderstorm briefly produced 1 inch diameter hail in the town of Nespelem." +116331,699559,WASHINGTON,2017,May,Thunderstorm Wind,"GARFIELD",2017-05-05 15:10:00,PST-8,2017-05-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,46.27,-117.5,46.27,-117.5,"During the afternoon of May 5th an area of thunderstorms tracked through southeast Washington and into the Idaho Panhandle. One of these storms produced a wind gust of 66 mph as it passed over the Blue Mountains of southeastern Washington.","The Alder Ridge remote weather observing station reported a thunderstorm wind gust of 66 mph." +116335,699567,IDAHO,2017,May,Funnel Cloud,"BOUNDARY",2017-05-25 20:10:00,PST-8,2017-05-25 20:20:00,0,0,0,0,0.00K,0,0.00K,0,48.7562,-116.2065,48.7562,-116.2065,"During the evening of May 25th a weather spotter observed a funnel cloud over the mountains west of Moyie Springs. Radar at the time indicated a weak shower in the area. The funnel cloud lingered for about 10 minutes and then dissipated without touching down.","A funnel cloud was observed for approximately 10 minutes over the mountains west of Moyie Springs." +116337,699572,IDAHO,2017,May,Debris Flow,"SHOSHONE",2017-05-18 09:00:00,PST-8,2017-05-20 10:00:00,0,0,0,0,3.00K,3000,0.00K,0,47.2186,-116.0895,47.2188,-116.0897,"Periodic heavy rain and spring-time snow melt during March and April produced saturated soil conditions over north Idaho. Even during dry periods scattered debris flows continued to occur in the mountainous regions of north Idaho through May before soil conditions dried out.","The Forest Service reported a debris flow cutting Prospector Creek Road near Calder which necessitated a temporary road closure." +116338,699573,IDAHO,2017,May,Debris Flow,"LATAH",2017-05-29 06:00:00,PST-8,2017-05-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,46.5919,-116.6988,46.5872,-116.687,"An unusually wet spring over north Idaho caused saturated soil conditions which continued to promote isolated debris flows in the mountainous terrain through the month of May.","A debris flow blocked Highway 3 near Kendrick." +116357,699675,WASHINGTON,2017,May,Funnel Cloud,"SPOKANE",2017-05-15 17:00:00,PST-8,2017-05-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,47.3233,-117.3924,47.3233,-117.3924,"During the early evening of May 15th a funnel cloud was sighted near Plaza in southern Spokane County and a photograph from the public confirmed the sighting. Radar indicated a weak pulse type thunderstorm in the area at the time of the sighting with no noticeable rotation.","A member of the public photographed a brief funnel cloud near Plaza." +116321,699475,LOUISIANA,2017,May,Tornado,"JEFFERSON",2017-05-12 10:13:00,CST-6,2017-05-12 10:14:00,0,0,0,0,,NaN,0.00K,0,29.8531,-90.1182,29.8544,-90.1151,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Minor property damage was reported with two carports ripped off homes on Mt. Revarb Drive. Rear car windows were also blown out, with tree and power line damage as well. Tornado was rated EF0 with maximum winds of 65 to 70 mph, and a path width of 20-30 yards." +116321,699479,LOUISIANA,2017,May,Thunderstorm Wind,"ST. CHARLES",2017-05-12 09:26:00,CST-6,2017-05-12 09:26:00,0,0,0,0,0.00K,0,0.00K,0,29.9884,-90.3723,29.9884,-90.3723,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A tree was blown down on Harding Street and brought down power lines." +116321,699485,LOUISIANA,2017,May,Thunderstorm Wind,"ST. CHARLES",2017-05-12 09:37:00,CST-6,2017-05-12 09:37:00,0,0,0,0,0.00K,0,0.00K,0,29.9904,-90.4002,29.9904,-90.4002,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Three power poles were blown down with lines across Louisiana Highway 627 near the main gate of Valero Refining." +116321,699492,LOUISIANA,2017,May,Thunderstorm Wind,"ST. CHARLES",2017-05-12 09:38:00,CST-6,2017-05-12 09:38:00,0,0,0,0,0.00K,0,0.00K,0,29.9874,-90.3737,29.9874,-90.3737,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Trees and power lines were blown down on East Harding Street." +116321,699497,LOUISIANA,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-12 14:15:00,CST-6,2017-05-12 14:15:00,0,0,0,0,,NaN,0.00K,0,30.5517,-90.7581,30.4916,-90.9445,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A large area of powerful straight line winds was reported near Walker. More than 50 large hard and soft wood trees were uprooted or snapped. Utility lines were blown down and there was light to moderate roof damage. Trees were blown down onto cars and parts of houses. There was about a 12 mile damage swath, bounded north/south by US Highway 190 and Louisiana Highway 1024. and bounded east west by Louisiana Highways 16 and 63. Damage in the vicinity of Courtney and Varnado Roads was indicative of winds up to 100 mph." +116321,699500,LOUISIANA,2017,May,Thunderstorm Wind,"TANGIPAHOA",2017-05-12 15:02:00,CST-6,2017-05-12 15:02:00,1,0,0,0,0.00K,0,0.00K,0,30.51,-90.46,30.51,-90.46,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A tree fell on a car in Hammond with one minor injury reported." +116322,699501,GULF OF MEXICO,2017,May,Marine Hail,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-05-12 16:28:00,CST-6,2017-05-12 16:28:00,0,0,0,0,0.00K,0,0.00K,0,30.3007,-90.1044,30.3007,-90.1044,"A line of thunderstorms ahead of a cold front moving through Louisiana and the adjacent coastal waters produced many reports of severe weather during the morning and afternoon hours of the 12th.","Quarter size hail was reported on the northern portion of the Lake Pontchartrain Causeway Bridge." +115200,694775,OKLAHOMA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-18 22:05:00,CST-6,2017-05-18 22:05:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-96.58,34.42,-96.58,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Tree damage was blocking Coatsworth road near Deadman Springs road. Time estimated." +115200,694776,OKLAHOMA,2017,May,Hail,"COAL",2017-05-18 22:26:00,CST-6,2017-05-18 22:26:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-96.44,34.49,-96.44,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694784,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-18 23:04:00,CST-6,2017-05-18 23:04:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-96.75,34.24,-96.75,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +113853,681863,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 22:26:00,CST-6,2017-02-28 22:27:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-93.41,38.68,-93.41,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,681865,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 22:22:00,CST-6,2017-02-28 22:24:00,0,0,0,0,0.00K,0,0.00K,0,38.69,-93.41,38.69,-93.41,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +117079,705125,KANSAS,2017,May,Hail,"HODGEMAN",2017-05-10 21:20:00,CST-6,2017-05-10 21:20:00,0,0,0,0,,NaN,,NaN,38.07,-100.05,38.07,-100.05,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","" +117080,705129,KANSAS,2017,May,Hail,"BARBER",2017-05-11 12:25:00,CST-6,2017-05-11 12:25:00,0,0,0,0,,NaN,,NaN,37.32,-98.52,37.32,-98.52,"An upper low/trough crossed the Texas Panhandle and southwest Kansas through late day. Strong mid-level lapse rates under the 500mb -20C cold pool caused severe hail in Barber County.","" +117080,705130,KANSAS,2017,May,Hail,"BARBER",2017-05-11 12:35:00,CST-6,2017-05-11 12:35:00,0,0,0,0,,NaN,,NaN,37.29,-98.53,37.29,-98.53,"An upper low/trough crossed the Texas Panhandle and southwest Kansas through late day. Strong mid-level lapse rates under the 500mb -20C cold pool caused severe hail in Barber County.","" +117080,705131,KANSAS,2017,May,Hail,"BARBER",2017-05-11 12:43:00,CST-6,2017-05-11 12:43:00,0,0,0,0,,NaN,,NaN,37.17,-98.44,37.17,-98.44,"An upper low/trough crossed the Texas Panhandle and southwest Kansas through late day. Strong mid-level lapse rates under the 500mb -20C cold pool caused severe hail in Barber County.","" +117080,705132,KANSAS,2017,May,Hail,"BARBER",2017-05-11 13:07:00,CST-6,2017-05-11 13:07:00,0,0,0,0,,NaN,,NaN,37.21,-98.44,37.21,-98.44,"An upper low/trough crossed the Texas Panhandle and southwest Kansas through late day. Strong mid-level lapse rates under the 500mb -20C cold pool caused severe hail in Barber County.","" +117079,705133,KANSAS,2017,May,Thunderstorm Wind,"SEWARD",2017-05-10 23:25:00,CST-6,2017-05-10 23:25:00,0,0,0,0,,NaN,,NaN,37.21,-100.7,37.21,-100.7,"Following storms the day before, Southwest Kansas recovered through the afternoon as a morning MCS moved out of south central Kansas, in turn allowing low/mid-level lapse rates to steepen while instability rebounded. A closed off upper low moved east across New Mexico into the Texas Panhandle provided a diffluent southwest flow aloft across the Western High Plains. Thunderstorms triggered in the evening as a series of H5 vorticity maxima cycled out of the trough axis across the South Plains and lift into southern Kansas. This system caused severe hail in Clark and Hodgeman counties and severe wind gusts in Kearny and Seward counties.","" +117081,705134,KANSAS,2017,May,Hail,"STEVENS",2017-05-14 16:35:00,CST-6,2017-05-14 16:35:00,0,0,0,0,,NaN,,NaN,37.33,-101.28,37.33,-101.28,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117084,706249,KANSAS,2017,May,Flood,"FORD",2017-05-18 19:27:00,CST-6,2017-05-18 21:27:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-99.91,37.6496,-99.9075,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706250,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:56:00,CST-6,2017-05-18 16:56:00,0,0,0,0,,NaN,,NaN,37.77,-100,37.77,-100,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706251,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:56:00,CST-6,2017-05-18 16:56:00,0,0,0,0,,NaN,,NaN,37.78,-100.02,37.78,-100.02,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706252,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:57:00,CST-6,2017-05-18 16:57:00,0,0,0,0,,NaN,,NaN,37.76,-100.02,37.76,-100.02,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706253,KANSAS,2017,May,Hail,"FORD",2017-05-18 16:58:00,CST-6,2017-05-18 16:58:00,0,0,0,0,0.20K,200,,NaN,37.77,-100.06,37.77,-100.06,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Holes were punched through the vinyl guttering from the hail." +114369,685320,TEXAS,2017,May,Hail,"ANGELINA",2017-05-03 12:54:00,CST-6,2017-05-03 12:54:00,0,0,0,0,0.00K,0,0.00K,0,31.17,-94.79,31.17,-94.79,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Hail reported along Hwy. 59 south southwest of Diboll." +114369,685324,TEXAS,2017,May,Lightning,"SMITH",2017-05-03 14:00:00,CST-6,2017-05-03 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,32.33,-95.3,32.33,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Lightning struck a chimney on a home on West 3rd Street at College Avenue resulting in the chimney collapsing." +114369,685325,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:12:00,CST-6,2017-05-03 14:12:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-95.55,32.45,-95.55,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685326,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:27:00,CST-6,2017-05-03 14:27:00,0,0,0,0,0.00K,0,0.00K,0,32.2025,-95.3476,32.2025,-95.3476,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Quarter size hail was reported in the Flint community." +114369,685327,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:27:00,CST-6,2017-05-03 14:27:00,0,0,0,0,0.00K,0,0.00K,0,32.24,-95.4,32.24,-95.4,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685328,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:31:00,CST-6,2017-05-03 14:31:00,0,0,0,0,0.00K,0,0.00K,0,32.3,-95.3,32.3,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685331,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:32:00,CST-6,2017-05-03 14:32:00,0,0,0,0,0.00K,0,0.00K,0,32.14,-95.12,32.14,-95.12,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685332,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:32:00,CST-6,2017-05-03 14:32:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-95.3,32.32,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Nickel and quarter size hail was reported at the Robert E Lee High School area in the south portion of Tyler, Texas." +114369,685333,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:36:00,CST-6,2017-05-03 14:36:00,0,0,0,0,0.00K,0,0.00K,0,32.33,-95.3,32.33,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685334,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:39:00,CST-6,2017-05-03 14:39:00,0,0,0,0,0.00K,0,0.00K,0,32.3,-95.17,32.3,-95.17,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685335,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:40:00,CST-6,2017-05-03 14:40:00,0,0,0,0,0.00K,0,0.00K,0,32.3,-95.3,32.3,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685336,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:42:00,CST-6,2017-05-03 14:42:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-95.3,32.35,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Quarter size hail reported at the University of Texas in Tyler." +114369,685337,TEXAS,2017,May,Thunderstorm Wind,"SMITH",2017-05-03 14:44:00,CST-6,2017-05-03 14:44:00,0,0,0,0,0.00K,0,0.00K,0,32.14,-95.34,32.14,-95.34,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Trees and powerlines were downed near Bullard, Texas off FM 2137 and FM 344." +114369,685338,TEXAS,2017,May,Hail,"SMITH",2017-05-03 14:51:00,CST-6,2017-05-03 14:51:00,0,0,0,0,0.00K,0,0.00K,0,32.34,-95.42,32.34,-95.42,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Hail was reported on Toll 49 southeast at 1538." +114369,685339,TEXAS,2017,May,Thunderstorm Wind,"SMITH",2017-05-03 14:51:00,CST-6,2017-05-03 14:51:00,0,0,0,0,0.00K,0,0.00K,0,32.17,-95.36,32.17,-95.36,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A tree was downed blocking County Road 177." +115733,695558,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:20:00,CST-6,2017-04-30 12:21:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-87.4,33.94,-87.4,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted near the community of Lupton." +115733,695602,ALABAMA,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-30 13:15:00,CST-6,2017-04-30 13:16:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-86.81,33.65,-86.81,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several large trees uprooted and one fell on a vehicle." +115733,695606,ALABAMA,2017,April,Thunderstorm Wind,"WINSTON",2017-04-30 12:45:00,CST-6,2017-04-30 12:46:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-87.14,34.13,-87.14,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted near Helicon Road." +121753,728825,PENNSYLVANIA,2017,November,Thunderstorm Wind,"ARMSTRONG",2017-11-05 20:11:00,EST-5,2017-11-05 20:11:00,0,0,0,0,2.00K,2000,0.00K,0,40.8,-79.54,40.8,-79.54,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees down near Pony Farm Road and Bunker Hill Road." +114724,688224,KENTUCKY,2017,May,Hail,"FLOYD",2017-05-19 21:40:00,EST-5,2017-05-19 21:40:00,0,0,0,0,,NaN,,NaN,37.7,-82.94,37.7,-82.94,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A citizen reported quarter sized hail west of Prestonsburg." +114724,688229,KENTUCKY,2017,May,Hail,"WOLFE",2017-05-19 20:40:00,EST-5,2017-05-19 20:40:00,0,0,0,0,,NaN,,NaN,37.74,-83.64,37.74,-83.64,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A citizen reported up to golf ball sized hail near Rogers." +121753,728826,PENNSYLVANIA,2017,November,Thunderstorm Wind,"ARMSTRONG",2017-11-05 20:26:00,EST-5,2017-11-05 20:26:00,0,0,0,0,0.50K,500,0.00K,0,40.72,-79.45,40.72,-79.45,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees down along Garretts Run Road." +121753,728827,PENNSYLVANIA,2017,November,Thunderstorm Wind,"JEFFERSON",2017-11-05 20:32:00,EST-5,2017-11-05 20:32:00,0,0,0,0,2.00K,2000,0.00K,0,40.95,-79.16,40.95,-79.16,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported that several secondary roads were blocked by fallen trees." +114724,688232,KENTUCKY,2017,May,Thunderstorm Wind,"BREATHITT",2017-05-19 20:42:00,EST-5,2017-05-19 20:42:00,0,0,0,0,,NaN,,NaN,37.61,-83.42,37.61,-83.42,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A tree was blown down south of Vancleve." +114724,688236,KENTUCKY,2017,May,Thunderstorm Wind,"MAGOFFIN",2017-05-19 21:16:00,EST-5,2017-05-19 21:16:00,0,0,0,0,,NaN,,NaN,37.75,-83.08,37.75,-83.08,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A tree and a large limb were blown down near Salyersville." +114724,688243,KENTUCKY,2017,May,Thunderstorm Wind,"FLOYD",2017-05-19 21:35:00,EST-5,2017-05-19 21:35:00,0,0,0,0,,NaN,,NaN,37.67,-82.92,37.67,-82.92,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A tree was blown down around mile marker 2 on Kentucky Highway 114 west of Prestonsburg." +121753,728817,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BUTLER",2017-11-05 19:38:00,EST-5,2017-11-05 19:38:00,0,0,0,0,2.50K,2500,0.00K,0,41.01,-79.99,41.01,-79.99,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees and wires down in Brady Township." +114919,689311,FLORIDA,2017,May,Thunderstorm Wind,"HILLSBOROUGH",2017-05-20 17:25:00,EST-5,2017-05-20 17:25:00,0,0,0,0,50.00K,50000,0.00K,0,28.0778,-82.4312,28.0778,-82.4312,"Strong surface heating produced scattered thunderstorms across the Florida Peninsula during the afternoon and early evening hours. One of these storms caused downburst winds that did isolated damage to an apartment roof.","State emergency management relayed a report of isolated damage to the gable of a two-story apartment building. The gable was ripped free causing part of the roof to collapse into the an apartment. No other damage was reported nearby." +114981,694348,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:11:00,CST-6,2017-05-28 00:11:00,0,0,0,0,0.20K,200,0.00K,0,34.84,-87.51,34.84,-87.51,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down near 600 Twinkingham Road." +113553,680186,SOUTH CAROLINA,2017,April,Hail,"MCCORMICK",2017-04-05 11:27:00,EST-5,2017-04-05 11:32:00,0,0,0,0,,NaN,,NaN,33.97,-82.47,33.97,-82.47,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Large hail and gusty winds at Hwy 81 and Morrah Bridge Rd." +116831,702557,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"GREENWOOD",2017-05-12 20:50:00,EST-5,2017-05-12 20:50:00,0,0,0,0,0.00K,0,0.00K,0,34.26,-82.09,34.26,-82.09,"Scattered thunderstorms developed in the vicinity of a stationary front across western portions of Upstate South Carolina during the evening. Isolated hail and minor wind damage occurred with the strongest storms.","Spotter reported a few trees blown down near Highway 246." +116834,702567,NORTH CAROLINA,2017,May,Hail,"HENDERSON",2017-05-19 12:15:00,EST-5,2017-05-19 12:15:00,0,0,0,0,,NaN,,NaN,35.365,-82.493,35.365,-82.493,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Spotter reported quarter size hail on Heritage Circle." +114981,694349,ALABAMA,2017,May,Thunderstorm Wind,"DEKALB",2017-05-28 00:19:00,CST-6,2017-05-28 00:19:00,0,0,0,0,0.20K,200,0.00K,0,34.5,-85.78,34.5,-85.78,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at this location." +114981,694351,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:22:00,CST-6,2017-05-28 00:22:00,0,0,0,0,0.20K,200,0.00K,0,34.8,-87.28,34.8,-87.28,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at CR 70 and Tipton Road." +114981,694352,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:27:00,CST-6,2017-05-28 00:27:00,0,0,0,0,0.20K,200,0.00K,0,34.93,-87.27,34.93,-87.27,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at Highway 207 at CR 52." +114981,694353,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:27:00,CST-6,2017-05-28 00:27:00,0,0,0,0,0.50K,500,0.00K,0,34.82,-87.63,34.82,-87.63,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree and power pole were knocked down at 126 South Orleans Street." +114981,694354,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:27:00,CST-6,2017-05-28 00:27:00,0,0,0,0,0.20K,200,0.00K,0,34.93,-87.26,34.93,-87.26,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at CR 49 at Highway 207." +115096,701535,OKLAHOMA,2017,May,Hail,"PAWNEE",2017-05-11 15:13:00,CST-6,2017-05-11 15:13:00,0,0,0,0,0.00K,0,0.00K,0,36.2213,-96.5735,36.2213,-96.5735,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701536,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-11 15:15:00,CST-6,2017-05-11 15:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1234,-96.58,36.1234,-96.58,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701541,OKLAHOMA,2017,May,Hail,"OSAGE",2017-05-11 15:35:00,CST-6,2017-05-11 15:35:00,0,0,0,0,0.00K,0,0.00K,0,36.7482,-96.3033,36.7482,-96.3033,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701544,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 16:08:00,CST-6,2017-05-11 16:08:00,0,0,0,0,0.00K,0,0.00K,0,36.1397,-96.1121,36.1397,-96.1121,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701545,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 16:30:00,CST-6,2017-05-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2591,-95.9492,36.2591,-95.9492,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115177,697835,MISSOURI,2017,May,Hail,"PULASKI",2017-05-27 14:45:00,CST-6,2017-05-27 14:45:00,0,0,0,0,,NaN,0.00K,0,37.79,-92.18,37.79,-92.18,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was a picture of ping pong size hail at Fort Leonard Wood." +115177,697837,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 16:45:00,CST-6,2017-05-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-94.5,37.15,-94.5,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The FAA tower reported quarter size hail." +115177,697838,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 17:01:00,CST-6,2017-05-27 17:01:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-93.58,37.32,-93.58,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697839,MISSOURI,2017,May,Hail,"PHELPS",2017-05-27 17:01:00,CST-6,2017-05-27 17:01:00,0,0,0,0,0.00K,0,0.00K,0,37.95,-91.77,37.95,-91.77,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697914,MISSOURI,2017,May,Hail,"CAMDEN",2017-05-27 17:13:00,CST-6,2017-05-27 17:13:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-92.84,37.99,-92.84,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697915,MISSOURI,2017,May,Heavy Rain,"DENT",2017-05-27 12:35:00,CST-6,2017-05-27 12:35:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-91.56,37.66,-91.56,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A CoCoRahs observer reported one inch of rainfall in fifteen minutes." +115177,697916,MISSOURI,2017,May,Hail,"LAWRENCE",2017-05-27 17:12:00,CST-6,2017-05-27 17:12:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-93.63,37.19,-93.63,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115166,691401,TEXAS,2017,May,Tornado,"GREGG",2017-05-28 16:07:00,CST-6,2017-05-28 16:11:00,0,0,0,0,25.00K,25000,0.00K,0,32.3834,-94.6213,32.3845,-94.5837,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A weak EF-1 tornado with maximum estimated winds near 90 mph touched down 2 miles west of the Easton community along Highway 2906 where it uprooted several trees. This tornado continued east along Highway 2906 where several more trees were snapped or uprooted with the most noticeable damage found in the city of Easton along the Gregg/Rusk County line. Several trees were uprooted and fell on homes in Easton, before moving across the city on the Rusk County side." +115166,691407,TEXAS,2017,May,Tornado,"RUSK",2017-05-28 16:11:00,CST-6,2017-05-28 16:12:00,0,0,0,0,10.00K,10000,0.00K,0,32.3845,-94.5837,32.3717,-94.5447,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","This is the continuation of the Gregg County tornado near the Easton community. This EF-1 tornado, with maximum estimated winds near 90 mph, continued east southeast through and southeast of Easton along County Road 2210 in Northeast Rusk County where numerous trees were snapped or uprooted. This tornado lifted about 3 miles east of Easton along County Road 2210 where the storm transitioned into a very long-lasting damaging straight-line wind event across extreme Eastern Texas and North Louisiana." +115265,692007,KENTUCKY,2017,May,Hail,"TODD",2017-05-20 14:36:00,CST-6,2017-05-20 14:36:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-87.2223,36.82,-87.2223,"Clusters and short lines of thunderstorms occurred along a warm front that extended southeast from a low pressure center over central Missouri. A couple of storms produced hail up to the size of nickels and isolated wind damage.","Nickel-size hail occurred on Highway 475." +115187,692055,MONTANA,2017,May,Winter Storm,"PARADISE VALLEY",2017-05-17 12:00:00,MST-7,2017-05-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Snowfall around 7 inches was reported along with downed power lines." +115187,692057,MONTANA,2017,May,Winter Storm,"NORTHERN PARK COUNTY",2017-05-17 12:00:00,MST-7,2017-05-18 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Snowfall of 12 inches was reported in Clyde Park." +115187,692059,MONTANA,2017,May,Winter Storm,"LIVINGSTON AREA",2017-05-17 12:00:00,MST-7,2017-05-18 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Snowfall of 4 to 8 inches was reported across the Livingston area. In addition, downed power lines were reported, as well as semi slide-offs on Interstate 90." +115187,692062,MONTANA,2017,May,Winter Storm,"CRAZY MOUNTAINS",2017-05-17 06:00:00,MST-7,2017-05-18 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","South Fork Shields Snotel received 13 inches of snow." +115331,692447,MISSOURI,2017,May,Hail,"MISSISSIPPI",2017-05-27 15:15:00,CST-6,2017-05-27 15:15:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-89.43,36.92,-89.43,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","A trained spotter reported nickel to quarter-size hail." +114394,685626,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:30:00,PST-8,2017-03-21 10:40:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-121.44,38.5403,-121.4379,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Flooded roadways reported in Tahoe Park, Sacramento." +115436,693143,IOWA,2017,May,Hail,"WRIGHT",2017-05-15 16:48:00,CST-6,2017-05-15 16:48:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.92,42.74,-93.92,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported golf ball sized hail." +115436,693145,IOWA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 16:49:00,CST-6,2017-05-15 16:49:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-93.21,42.89,-93.21,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported a number of large tree limbs down and at least one power line down. Most of the damage seemed to be confined to the west side of town. Time estimated by radar." +115436,693144,IOWA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 16:49:00,CST-6,2017-05-15 16:49:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-93.29,42.89,-93.29,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Emergency manager reported 4 to 5 inch diameter trees blown half way to the ground." +115436,693149,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:14:00,CST-6,2017-05-15 17:14:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-93.5,42.75,-93.5,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Emergency manager reported quarter sized hail." +115685,695187,MASSACHUSETTS,2017,May,Strong Wind,"WESTERN NORFOLK",2017-05-15 12:00:00,EST-5,2017-05-15 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","At 122 PM EST, an amateur radio operator reported a tree down and partially blocking Elm Street in Franklin." +115685,695185,MASSACHUSETTS,2017,May,Strong Wind,"WESTERN ESSEX",2017-05-15 06:25:00,EST-5,2017-05-15 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed just offshore as it moved into the Gulf of Maine. This brought rain to most places, except for 1 to 4 inches of late season snow in Franklin and Hampshire Counties. It also brought strong northwest wind gusts to Massachusetts on the 15th, with numerous reports of trees down.","At 627 AM EST, an amateur radio operator reported a tree down on Peabody Road and Mill Street in Middleton. At 1152 AM EST, an amateur radio operator reported a tree down and blocking the road on Brundrett Avenue at Chandler Road." +114789,688771,KANSAS,2017,May,Hail,"PHILLIPS",2017-05-09 18:15:00,CST-6,2017-05-09 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-99.14,39.98,-99.14,"A single thunderstorm produced low-end severe hail during the early evening hours on this Tuesday. Late in the afternoon, a few small single-cell, low-top thunderstorms began forming across north central Kansas. Around 6 PM CST, one of these storms temporarily became strong enough to produce hail just over 1 in diameter over extreme northeast Phillips County. The tops of these storms were not much higher than 30,000 ft. There was other thunderstorm activity later into the evening and nighttime hours, but it remained to the north and west.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE of around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +115701,695309,IOWA,2017,May,Thunderstorm Wind,"CERRO GORDO",2017-05-16 21:13:00,CST-6,2017-05-16 21:13:00,0,0,0,0,15.00K,15000,0.00K,0,43.15,-93.2,43.15,-93.2,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported multiple tree limbs down throughout the town of Mason City. Some have fallen on power lines or are blocking roads. A few power poles snapped as well. Power out in multiple locations. Time estimated by radar." +113980,682622,MINNESOTA,2017,March,Heavy Snow,"PIPESTONE",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 10 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +117578,707076,IOWA,2017,March,Hail,"IDA",2017-03-06 15:15:00,CST-6,2017-03-06 15:16:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-95.54,42.49,-95.54,"Early Spring thunderstorms developed in portions of northwest Iowa and produced isolated severe wind gusts.","Public report received through social media." +117578,707077,IOWA,2017,March,Thunderstorm Wind,"IDA",2017-03-06 15:10:00,CST-6,2017-03-06 15:11:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-95.54,42.49,-95.54,"Early Spring thunderstorms developed in portions of northwest Iowa and produced isolated severe wind gusts.","Also Pea size hail." +117578,707079,IOWA,2017,March,Thunderstorm Wind,"BUENA VISTA",2017-03-06 15:35:00,CST-6,2017-03-06 15:36:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-95.07,42.89,-95.07,"Early Spring thunderstorms developed in portions of northwest Iowa and produced isolated severe wind gusts.","" +116441,700314,ARKANSAS,2017,May,Hail,"INDEPENDENCE",2017-05-19 16:53:00,CST-6,2017-05-19 16:53:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-91.63,35.55,-91.63,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Law enforcement reported hail approximately 1 inch in diameter with a single severe thunderstorm passing over Pleasant Plains." +116441,700320,ARKANSAS,2017,May,Hail,"IZARD",2017-05-19 17:35:00,CST-6,2017-05-19 17:35:00,0,0,0,0,0.00K,0,0.00K,0,36.21,-91.92,36.21,-91.92,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Severe thunderstorm produced hail 1 inch in diameter near Oxford, Arkansas." +116441,700321,ARKANSAS,2017,May,Hail,"LONOKE",2017-05-19 17:42:00,CST-6,2017-05-19 17:42:00,0,0,0,0,0.00K,0,0.00K,0,35,-91.98,35,-91.98,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Thunderstorm produced hail 1.25 inches in diameter as it moved over Austin, Arkansas." +116441,700324,ARKANSAS,2017,May,Thunderstorm Wind,"WHITE",2017-05-19 17:55:00,CST-6,2017-05-19 17:55:00,0,0,0,0,1.00K,1000,0.00K,0,35.07,-91.88,35.07,-91.88,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","The public reported a carport was damaged from wind after severe thunderstorms produced strong winds in Beebe." +116441,700673,ARKANSAS,2017,May,Hail,"FAULKNER",2017-05-19 17:59:00,CST-6,2017-05-19 17:59:00,0,0,0,0,0.00K,0,0.00K,0,35,-92.43,35,-92.43,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","A thunderstorm produced 0.88 inch hail near the city of Mayflower." +116441,700674,ARKANSAS,2017,May,Thunderstorm Wind,"FAULKNER",2017-05-19 18:10:00,CST-6,2017-05-19 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.0771,-92.4317,35.0771,-92.4317,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Thunderstorm wind blew a tree down on East Robbins Road in Conway." +115295,697040,ILLINOIS,2017,May,Flood,"CUMBERLAND",2017-05-01 00:00:00,CST-6,2017-05-04 06:45:00,0,0,0,0,0.00K,0,0.00K,0,39.3803,-88.0127,39.373,-88.4707,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 4.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Cumberland County. Several streets in Neoga and Greenup were impassable. Numerous rural roads and highways were inundated, particularly along U.S. Highway 40 near the Clark County line. An additional 0.50 to 1.00 inch of rain occurred on April 30th into May 1st, keeping many roads flooded. As a result, areal flooding continued until the early morning hours of May 4th, before another round of heavy rain produced additional flash flooding." +115297,697062,ILLINOIS,2017,May,Flood,"CRAWFORD",2017-05-07 13:30:00,CST-6,2017-05-08 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.885,-87.9455,38.8541,-87.9458,"Due to 6-day rainfall amounts of 5 to 7 inches, the Embarras River spilled out of its banks in many locations across Jasper and Crawford Counties. The river crested in moderate flood stage at 25.56 feet at Ste. Marie in Jasper County and at 21.3 feet at Oblong in Crawford County on May 6th. During this period of very high river levels, the Green Brier Levee located about 6 miles south of Oblong in southwest Crawford County was overtopped in 3 locations during the afternoon of May 6th. As a result, surrounding farmland and several rural roads were flooded. The flooding gradually subsided by the afternoon of May 8th.","The Green Brier Levee on the Embarras River in rural southwest Crawford County was breached in three locations during the afternoon of May 6th. Several rural roads along the river, between Green Brier and Landes were closed due to the flash flooding caused by the levee breach. Flooding of the rural roads continued through the afternoon of May 7th as the water slowly receded. The flood waters finally receded, allowing roads to be re-opened, by the early afternoon of May 8th." +115570,693989,KANSAS,2017,May,Hail,"THOMAS",2017-05-10 17:33:00,CST-6,2017-05-10 17:33:00,0,0,0,0,0.00K,0,0.00K,0,39.394,-101.0916,39.394,-101.0916,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","" +115570,693992,KANSAS,2017,May,Hail,"THOMAS",2017-05-10 17:45:00,CST-6,2017-05-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2216,-101.3584,39.2216,-101.3584,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","" +116374,699799,MONTANA,2017,June,Hail,"LEWIS AND CLARK",2017-06-08 16:38:00,MST-7,2017-06-08 16:38:00,0,0,0,0,0.00K,0,0.00K,0,46.95,-112.62,46.95,-112.62,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Quarter sized hail reported by the public along with estimated wind gusts of 40 to 50 mph." +114790,688878,NEBRASKA,2017,May,Hail,"HARLAN",2017-05-15 20:02:00,CST-6,2017-05-15 20:02:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-99.54,40.31,-99.54,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +114788,688776,NEBRASKA,2017,May,Hail,"WEBSTER",2017-05-09 20:27:00,CST-6,2017-05-09 20:27:00,0,0,0,0,0.00K,0,0.00K,0,40.22,-98.67,40.22,-98.67,"A few small storms produced low-end severe hail during the late afternoon and early evening hours on this Tuesday. Late in the afternoon, a few small primarily single-cell low-top thunderstorms began forming over north central Kansas. Around 6 PM CST, two of these storms progressed across the state line and into south central Nebraska. They were joined by a few other storms through 9 PM. These storms produced small (sub-severe) hail in several locations along the Webster-Franklin County border. However, just after 8 PM, severe hail was reported between the towns of Campbell and Riverton. The largest hail observed was the size of half dollars. The tops of these storms were not much higher than 30,000 ft. Between 9 and 11 PM, the coverage of storms increased in an east-west broken line across south central Nebraska, just north of the state line. The result was a transition to multi-cell convective mode. In addition, a small line segment of storms was approaching the western end of this line from northwest Kansas. The east-west oriented line gradually lifted north while the Kansas line segment moved in from the west. Other small storms initiated and/or moved in from Kansas, as a result of the low-level jet, with all of this activity eventually congealing into a mostly sub-severe mesoscale convective system. There was a single report of 1 inch hail in the town of Lexington at midnight. Between midnight and 3:30 AM on the 10th, an embedded line segment of storms became oriented from southwest to northeast along the northern border of Hamilton County and it moved very little. This resulted in a narrow corridor of heavy rainfall between 2.50 and 3.25.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +114788,688777,NEBRASKA,2017,May,Hail,"KEARNEY",2017-05-09 23:15:00,CST-6,2017-05-09 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.5,-98.95,40.5,-98.95,"A few small storms produced low-end severe hail during the late afternoon and early evening hours on this Tuesday. Late in the afternoon, a few small primarily single-cell low-top thunderstorms began forming over north central Kansas. Around 6 PM CST, two of these storms progressed across the state line and into south central Nebraska. They were joined by a few other storms through 9 PM. These storms produced small (sub-severe) hail in several locations along the Webster-Franklin County border. However, just after 8 PM, severe hail was reported between the towns of Campbell and Riverton. The largest hail observed was the size of half dollars. The tops of these storms were not much higher than 30,000 ft. Between 9 and 11 PM, the coverage of storms increased in an east-west broken line across south central Nebraska, just north of the state line. The result was a transition to multi-cell convective mode. In addition, a small line segment of storms was approaching the western end of this line from northwest Kansas. The east-west oriented line gradually lifted north while the Kansas line segment moved in from the west. Other small storms initiated and/or moved in from Kansas, as a result of the low-level jet, with all of this activity eventually congealing into a mostly sub-severe mesoscale convective system. There was a single report of 1 inch hail in the town of Lexington at midnight. Between midnight and 3:30 AM on the 10th, an embedded line segment of storms became oriented from southwest to northeast along the northern border of Hamilton County and it moved very little. This resulted in a narrow corridor of heavy rainfall between 2.50 and 3.25.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +114788,688781,NEBRASKA,2017,May,Heavy Rain,"HAMILTON",2017-05-10 00:00:00,CST-6,2017-05-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-97.99,41.08,-97.99,"A few small storms produced low-end severe hail during the late afternoon and early evening hours on this Tuesday. Late in the afternoon, a few small primarily single-cell low-top thunderstorms began forming over north central Kansas. Around 6 PM CST, two of these storms progressed across the state line and into south central Nebraska. They were joined by a few other storms through 9 PM. These storms produced small (sub-severe) hail in several locations along the Webster-Franklin County border. However, just after 8 PM, severe hail was reported between the towns of Campbell and Riverton. The largest hail observed was the size of half dollars. The tops of these storms were not much higher than 30,000 ft. Between 9 and 11 PM, the coverage of storms increased in an east-west broken line across south central Nebraska, just north of the state line. The result was a transition to multi-cell convective mode. In addition, a small line segment of storms was approaching the western end of this line from northwest Kansas. The east-west oriented line gradually lifted north while the Kansas line segment moved in from the west. Other small storms initiated and/or moved in from Kansas, as a result of the low-level jet, with all of this activity eventually congealing into a mostly sub-severe mesoscale convective system. There was a single report of 1 inch hail in the town of Lexington at midnight. Between midnight and 3:30 AM on the 10th, an embedded line segment of storms became oriented from southwest to northeast along the northern border of Hamilton County and it moved very little. This resulted in a narrow corridor of heavy rainfall between 2.50 and 3.25.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","A rainfall total of 3.25 inches fell between 1 and 5 am CDT." +115701,695274,IOWA,2017,May,Thunderstorm Wind,"POCAHONTAS",2017-05-16 19:50:00,CST-6,2017-05-16 19:50:00,0,0,0,0,2.00K,2000,0.00K,0,42.74,-94.67,42.74,-94.67,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported strong winds and heavy rainfall. Many streets in town had tree branches down ranging from small sticks to big, round branches. A tree was snapped at one of the cemeteries on the east side of town. Standing water throughout town." +115701,695277,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 19:50:00,CST-6,2017-05-16 19:50:00,0,0,0,0,20.00K,20000,0.00K,0,42.46,-94.29,42.46,-94.29,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Public reported strong winds, blowing dust, and a tree had fallen on a car." +115701,695284,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:07:00,CST-6,2017-05-16 20:07:00,0,0,0,0,1.00K,1000,0.00K,0,42.52,-94.17,42.52,-94.17,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported widespread power outages, upwards of 40 foot tall trees down, and estimated at least 70 mph winds. This is a delayed report." +116144,703493,OKLAHOMA,2017,May,Thunderstorm Wind,"WAGONER",2017-05-18 21:37:00,CST-6,2017-05-18 21:37:00,0,0,0,0,0.00K,0,0.00K,0,35.8433,-95.5357,35.8433,-95.5357,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +116144,703494,OKLAHOMA,2017,May,Tornado,"MUSKOGEE",2017-05-18 21:35:00,CST-6,2017-05-18 21:40:00,0,0,0,0,20.00K,20000,0.00K,0,35.5643,-95.3315,35.6049,-95.2516,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado snapped or uprooted numerous trees, damaged outbuildings, and blew down power poles. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +116257,698919,ILLINOIS,2017,May,Strong Wind,"JOHNSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698920,ILLINOIS,2017,May,Strong Wind,"PULASKI",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698921,ILLINOIS,2017,May,Strong Wind,"MASSAC",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698922,ILLINOIS,2017,May,Strong Wind,"POPE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698923,ILLINOIS,2017,May,Strong Wind,"HARDIN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698924,ILLINOIS,2017,May,Strong Wind,"WHITE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698925,ILLINOIS,2017,May,Strong Wind,"GALLATIN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698926,ILLINOIS,2017,May,Strong Wind,"SALINE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698927,ILLINOIS,2017,May,Strong Wind,"HAMILTON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698928,ILLINOIS,2017,May,Strong Wind,"WAYNE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +115268,692542,KENTUCKY,2017,May,Thunderstorm Wind,"MUHLENBERG",2017-05-27 16:17:00,CST-6,2017-05-27 16:17:00,0,0,0,0,7.00K,7000,0.00K,0,37.3,-87.13,37.3,-87.13,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Small trees and several large limbs were blown down. A tree was down across the Western Kentucky Parkway just west of the Central City exit." +115268,692044,KENTUCKY,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-27 16:20:00,CST-6,2017-05-27 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,37.48,-87.87,37.48,-87.87,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A tree was blocking Highway 109." +116373,699788,MONTANA,2017,June,Hail,"CASCADE",2017-06-04 15:43:00,MST-7,2017-06-04 15:43:00,0,0,0,0,0.00K,0,0.00K,0,47.55,-111.05,47.55,-111.05,"Showers and thunderstorms, some severe, developed out ahead of a shortwave trough and associated cold front. Severe weather was concentrated across central and western sections of north-central Montana.","Spotter reported quarter-sized hail." +115331,692456,MISSOURI,2017,May,Hail,"BUTLER",2017-05-27 19:20:00,CST-6,2017-05-27 19:35:00,0,0,0,0,,NaN,,NaN,36.8216,-90.4895,36.7705,-90.3745,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","A swath of large hail accompanied a supercell thunderstorm across Butler County. Hailstones ranging from the size of ping-pong balls to golf balls were reported northwest through northeast of Poplar Bluff." +115268,699144,KENTUCKY,2017,May,Thunderstorm Wind,"HICKMAN",2017-05-27 17:37:00,CST-6,2017-05-27 17:37:00,0,0,0,0,30.00K,30000,0.00K,0,36.5898,-88.8828,36.5898,-88.8828,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","On Highway 1529 just west of Highway 307, thunderstorm winds damaged a barn and took down a number of trees and tree limbs. A couple of small to medium-size trees were uprooted. A very large oak tree was snapped. One of the trees landed on a corner of a house roof, causing moderate damage. Part of the wall of a large barn or shed was blown down." +115928,698171,MISSISSIPPI,2017,May,Thunderstorm Wind,"MONROE",2017-05-28 00:30:00,CST-6,2017-05-28 00:40:00,0,0,0,0,60.00K,60000,0.00K,0,34.0494,-88.5457,33.9458,-88.4441,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Some trees down along Highway 278 in the Amory area and across northern Monroe County. A tree fell on a house in Amory." +115928,698172,MISSISSIPPI,2017,May,Thunderstorm Wind,"MONROE",2017-05-28 00:45:00,CST-6,2017-05-28 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.8648,-88.5718,33.8009,-88.5155,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","A few trees down around Aberdeen." +118500,712002,MICHIGAN,2017,June,Thunderstorm Wind,"LEELANAU",2017-06-03 21:39:00,EST-5,2017-06-03 21:39:00,0,0,0,0,20.00K,20000,0.00K,0,44.9456,-85.709,44.9456,-85.709,"An isolated severe thunderstorm produced wind damage in the Lake Leelanau area.","A boat was flipped, and the dock it was attached to was destroyed. This occurred on Lake Leelanau, along South Sandy Beach Drive." +118503,712003,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GRAND TRAVERSE BAY FROM GRAND TRAVERSE LIGHT TO NORWOOD MI",2017-06-03 21:34:00,EST-5,2017-06-03 21:34:00,0,0,0,0,0.00K,0,0.00K,0,44.9144,-85.6151,44.9144,-85.6151,"Strong thunderstorm winds occurred near Suttons Bay.","Wind damage occurred just inland near Lake Leelanau." +116182,698351,NEBRASKA,2017,May,Hail,"SEWARD",2017-05-16 16:01:00,CST-6,2017-05-16 16:01:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-97.22,40.9,-97.22,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","" +116168,698194,IOWA,2017,May,Hail,"POLK",2017-05-17 14:18:00,CST-6,2017-05-17 14:18:00,0,0,0,0,0.00K,0,0.00K,0,41.7361,-93.7235,41.7361,-93.7235,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS office in Johnston experienced quarter sized hail and wind gusts estimated around 40 to 50 mph." +116133,698056,PUERTO RICO,2017,May,Flash Flood,"SAN LORENZO",2017-05-11 16:50:00,AST-4,2017-05-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1798,-65.9786,18.1733,-65.9904,"Trough aloft continued to move away the area while resulting in showers and thunderstorms affecting local area.","Emergency managers reported Rio Loiza out of its banks in San Lorenzo. Road PR-181, km 9 is impassable." +118504,712007,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SEUL CHOIX POINT MI TO 5NM W OF MACKINAC BRIDGE",2017-06-11 14:54:00,EST-5,2017-06-11 14:54:00,0,0,0,0,0.00K,0,0.00K,0,45.9532,-85.8444,45.9532,-85.8444,"A line of severe thunderstorms crossed far northern Lake Michigan.","" +118505,712009,MICHIGAN,2017,June,Thunderstorm Wind,"CHARLEVOIX",2017-06-11 15:05:00,EST-5,2017-06-11 15:05:00,0,0,0,0,5.00K,5000,0.00K,0,45.7,-85.55,45.7,-85.55,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","A few trees were downed on Beaver Island." +118504,712019,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"NORWOOD MI TO 5NM W OF MACKINAC BRIDGE INC LITTLE TRAVERSE BAY",2017-06-11 15:31:00,EST-5,2017-06-11 15:31:00,0,0,0,0,0.00K,0,0.00K,0,45.3295,-85.2704,45.3295,-85.2704,"A line of severe thunderstorms crossed far northern Lake Michigan.","" +118505,712025,MICHIGAN,2017,June,Thunderstorm Wind,"PRESQUE ISLE",2017-06-11 16:08:00,EST-5,2017-06-11 16:20:00,0,0,0,0,7.00K,7000,0.00K,0,45.36,-84.23,45.3155,-84.07,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Several trees were downed, across power lines in some areas. A road near Millersburg was briefly blocked." +116371,699787,PUERTO RICO,2017,May,Hail,"LAS MARIAS",2017-05-30 12:56:00,AST-4,2017-05-30 14:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2505,-66.987,18.2651,-67.0315,"An upper-level trough combined with moisture lingering from a departing tropical wave to generate showers and strong thunderstorms across interior and western PR during the afternoon hours.","Social media picture indicated small hail...estimated to be penny size across Alto Sano...Anones and the town of Las Marias." +116272,699161,GEORGIA,2017,May,Tornado,"CHATHAM",2017-05-23 16:53:00,EST-5,2017-05-23 17:03:00,0,0,0,0,,NaN,0.00K,0,31.9849,-80.9971,32.0328,-80.8825,"A strong line of thunderstorms developed in the mid afternoon hours across south Georgia and tracked into southeast Georgia. This line of storms eventually produced damaging wind gusts and even a tornado in Chatham County. The tornado then moved into the Atlantic coastal waters and was responsible for 3 fatalities.","A National Weather Service storm survey team confirmed an EF2 tornado across Wilmington Island in Chatham County. The tornado touched down on the southern end of Wilmington Island near the intersection of Wilmington Island Road and Biltmore Road. At this point, the tornado was rated EF1 in strength, with maximum winds of up to 100 to 110 mph. The tornado moved east along Biltmore Road, then turned more east-northeast along a portion of Walthour Road. Across this entire area of southern Wilmington Island, the bulk of the damage was in the form of large snapped and uprooted trees. The Chatham County Emergency Management Agency reported that approximately 30 homes sustained damage, ranging from minor shingle loss to moderate or major damage due to trees or large limbs hitting the homes. At least one home surveyed along Walthour Road sustained direct structural damage from the tornado, with the roof to a sunroom being torn off. The tornado continued east-northeast across several miles of marsh, which extends from east of Walthour Road to Highway 80 near Fort Pulaski. Radar evidence, surveyed damage, and eye witness video indicated that the tornado strengthened to a low end EF2 as it approached Fort Pulaski. The tornado moved near the visitor center of Fort Pulaski, where it caused the concrete walls and roof structure to shift and buckle. A smaller building next to the main visitor center had similar damage. There were many hardwood trees snapped close to the base of their trunks all around the complex of Fort Pulaski, along with at least two mid-sized vehicles in the parking lot that were pushed and rolled over. The tornado then progressed across the parking lot, just north of Fort Pulaski, where it exited into the Atlantic Ocean as a strong waterspout." +116463,700962,LOUISIANA,2017,May,Hail,"RAPIDES",2017-05-03 08:05:00,CST-6,2017-05-03 08:05:00,0,0,0,0,1.00K,1000,0.00K,0,31.05,-92.52,31.05,-92.52,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Multiple pictures of hail to 2 inches in diameter was reported from near Forest Hill. A picture of a broken wind shield was also sent in with the hail report." +116570,700965,TEXAS,2017,May,Hail,"HARDIN",2017-05-03 05:52:00,CST-6,2017-05-03 05:52:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-94.44,30.52,-94.44,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A picture posted to social media indicated approximately quarter size hail." +116570,700967,TEXAS,2017,May,Hail,"TYLER",2017-05-03 05:55:00,CST-6,2017-05-03 05:55:00,0,0,0,0,0.00K,0,0.00K,0,30.61,-94.41,30.61,-94.41,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Multiple picture of golf ball size hail was posted to a local new channel social media." +116570,700968,TEXAS,2017,May,Hail,"TYLER",2017-05-03 05:58:00,CST-6,2017-05-03 05:58:00,0,0,0,0,0.00K,0,0.00K,0,30.61,-94.41,30.61,-94.41,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116570,700969,TEXAS,2017,May,Hail,"HARDIN",2017-05-03 06:30:00,CST-6,2017-05-03 06:30:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-94.32,30.37,-94.32,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Quarter size hail was reported near Village Mills in Kountze." +116570,700970,TEXAS,2017,May,Hail,"TYLER",2017-05-03 18:45:00,CST-6,2017-05-03 18:45:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-94.18,30.69,-94.18,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","" +116570,700973,TEXAS,2017,May,Thunderstorm Wind,"HARDIN",2017-05-03 06:37:00,CST-6,2017-05-03 06:37:00,0,0,0,0,2.00K,2000,0.00K,0,30.37,-94.32,30.37,-94.32,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A thunderstorm damaged carport covers behind City Hall." +116615,701308,GEORGIA,2017,May,Strong Wind,"GILMER",2017-05-04 08:15:00,EST-5,2017-05-04 10:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The Gilmer County Emergency Manager reported numerous trees blown down across the county including some on houses and automobiles." +116615,701312,GEORGIA,2017,May,Strong Wind,"FANNIN",2017-05-04 08:15:00,EST-5,2017-05-04 10:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The Fannin County Emergency Manager and the GDOT reported numerous trees and power lines blown down across the county. Three businesses and at least 2 homes received damage from falling trees. Some campers were damaged at Morgan Point and an elementary school received damage to the roof. Trees blocked the roadway on Highway 5 at Davis Road and on the Zell Miller Mountain Parkway." +116615,701313,GEORGIA,2017,May,Strong Wind,"GORDON",2017-05-04 08:30:00,EST-5,2017-05-04 10:30:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The GDOT reported trees and traffic lights blown down and blocking the road on Highway 53 and trees blocking the road on Highway 61. Other roadways across the county had trees down with some lanes blocked." +113468,679246,MASSACHUSETTS,2017,February,Winter Storm,"SUFFOLK",2017-02-09 07:00:00,EST-5,2017-02-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to twelve inches of snow fell on Suffolk County." +113468,679247,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN NORFOLK",2017-02-09 07:00:00,EST-5,2017-02-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to thirteen inches of snow fell on Eastern Norfolk County." +113468,679248,MASSACHUSETTS,2017,February,Winter Storm,"NORTHERN BRISTOL",2017-02-09 10:30:00,EST-5,2017-02-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Nine to thirteen inches of snow fell on Northern Bristol County." +113468,679249,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN PLYMOUTH",2017-02-09 10:30:00,EST-5,2017-02-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Nine to fourteen inches of snow fell on Western Plymouth County." +116615,701316,GEORGIA,2017,May,Strong Wind,"COWETA",2017-05-04 10:00:00,EST-5,2017-05-04 11:30:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The GDOT reported all lanes blocked by fallen trees on Highway 14 at East Camp Street." +120712,723117,SOUTH CAROLINA,2017,October,Tornado,"GREENVILLE",2017-10-08 16:37:00,EST-5,2017-10-08 16:40:00,0,0,0,0,50.00K,50000,0.00K,0,35.174,-82.242,35.194,-82.242,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found an area of tornado damage in the Lake Lanier area in extreme norteast Greenville County. Tornado impacted the Lake Lanier area. The tornado initially touched down about a half mile south of the lake, blowing down numerous trees, causing mostly minor structural damage to homes and damaging multiple outbuildings, although one home did have a large part of its roof removed. Some trees fell on structures and vehicles. The tornado moved almost due north to the lake, with additional damage noted on both shores. No further damage was found north of the lake in South Carolina." +120737,723119,NORTH CAROLINA,2017,October,Tornado,"CLEVELAND",2017-10-08 15:54:00,EST-5,2017-10-08 16:15:00,0,0,0,0,20.00K,20000,0.00K,0,35.4,-81.618,35.558,-81.568,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","The path of this tornado, which was unusually long-tracked for being such a weak event, began southeast of Polkville near the intersection of Felcher Rd and Highway 226, and moved north-northeast, crossing W Stage Coach Trail, Casar Lanwdale Rd, moving just east of Casar, before crossing into Burke County near Dirty Ankle Rd before lifting in the Ramsey community of southeast Burke County. Numerous mostly small to medium size trees were snapped, with some large hard and softwoods uprooted along the length of the path. Structural damage was limited to shingles removed from homes and some metal sheet roofing material removed from a couple of buildings and chicken houses. A metal carport was also torn from a home and blown 50-100 yards. While peak wind gusts probably reached 80-85 mph, those winds were only realized along a small portion of the path. Peak wind gusts along the majority of the track were 60-75 mph." +116706,701789,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 17:15:00,CST-6,2017-05-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.6,35.64,-101.6,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Nickel to quarter size hail falling in Fritch." +116706,701790,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:20:00,CST-6,2017-05-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-102.04,35.86,-102.04,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701791,TEXAS,2017,May,Hail,"POTTER",2017-05-15 17:20:00,CST-6,2017-05-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-101.99,35.5,-101.99,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701792,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 17:22:00,CST-6,2017-05-15 17:22:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-101.6,35.66,-101.6,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116422,700345,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:33:00,CST-6,2017-05-25 17:33:00,0,0,0,0,52.00K,52000,0.00K,0,39.0723,-100.8508,39.0723,-100.8508,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A metal machine shed was destroyed and a power pole was broken off from straight-line winds at mile marker 148 on Highway 83." +116422,700192,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 19:05:00,CST-6,2017-05-25 19:05:00,0,0,0,0,0.00K,0,0.00K,0,39.1123,-100.8153,39.1123,-100.8153,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","Wind gusts of 61-64 MPH occurred." +116422,700347,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:29:00,CST-6,2017-05-25 17:29:00,0,0,0,0,1.00K,1000,0.00K,0,39.0478,-100.8622,39.0478,-100.8622,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A 30 ft. tall spruce tree was uprooted by straight-line winds a half mile west of Highway 83 on CR Zest." +116422,700349,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:28:00,CST-6,2017-05-25 17:28:00,0,0,0,0,50.00K,50000,0.00K,0,39.0937,-100.9469,39.0937,-100.9469,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","An irrigation pivot was flipped over north of CR Ceder Crest between CR 380 and CR 390." +116758,702146,INDIANA,2017,May,Thunderstorm Wind,"CASS",2017-05-18 18:24:00,EST-5,2017-05-18 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-86.29,40.79,-86.29,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms developed with isolated reports of wind damage with the strongest storms.","Emergency management officials reported a few trees onto homes near the intersection of County Road 150 North and 450 East. Numerous trees were also reported down in a nearby wooded area." +116758,702148,INDIANA,2017,May,Thunderstorm Wind,"HUNTINGTON",2017-05-18 18:32:00,EST-5,2017-05-18 18:33:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-85.47,40.96,-85.47,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms developed with isolated reports of wind damage with the strongest storms.","Emergency management officials reported healthy limbs up to 3 inches downed at State Route 9 and County Road 900 North." +116758,702149,INDIANA,2017,May,Thunderstorm Wind,"MIAMI",2017-05-18 18:57:00,EST-5,2017-05-18 18:58:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-86.09,40.75,-86.09,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms developed with isolated reports of wind damage with the strongest storms.","Emergency management officials reported several trees down around the Peru area." +116759,703211,OHIO,2017,May,Thunderstorm Wind,"PAULDING",2017-05-18 16:05:00,EST-5,2017-05-18 16:06:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-84.73,41.08,-84.73,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","A trained spotter reported one to two foot diameter trees were blown down along wind power lines down from falling trees near the corner of Gibson and Merrin Street." +116759,703508,OHIO,2017,May,Thunderstorm Wind,"PAULDING",2017-05-18 16:05:00,EST-5,2017-05-18 16:06:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-84.73,41.08,-84.73,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","A trained spotter estimated wind gusts to 60 mph with a thunderstorm." +116759,703511,OHIO,2017,May,Thunderstorm Wind,"HENRY",2017-05-18 16:15:00,EST-5,2017-05-18 16:16:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-83.89,41.2,-83.89,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","The public reported a trampoline that was anchored to the ground, was tossed into a trailer, causing minor damage to the trailer." +116759,703512,OHIO,2017,May,Thunderstorm Wind,"VAN WERT",2017-05-18 17:23:00,EST-5,2017-05-18 17:24:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-84.71,40.95,-84.71,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","Emergency management officials reported shingles were blown off a residence." +114793,693871,KANSAS,2017,May,Hail,"JEWELL",2017-05-16 16:52:00,CST-6,2017-05-16 16:52:00,0,0,0,0,0.00K,0,0.00K,0,39.9068,-98.43,39.9068,-98.43,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693872,KANSAS,2017,May,Hail,"MITCHELL",2017-05-17 05:52:00,CST-6,2017-05-17 05:52:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-98.4,39.23,-98.4,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693878,KANSAS,2017,May,Thunderstorm Wind,"SMITH",2017-05-17 10:15:00,CST-6,2017-05-17 10:15:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-98.78,39.75,-98.78,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114793,693914,KANSAS,2017,May,Heavy Rain,"SMITH",2017-05-16 16:00:00,CST-6,2017-05-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-99.03,39.77,-99.03,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A total of 3.80 inches of rain had fallen since the previous evening." +114793,693915,KANSAS,2017,May,Heavy Rain,"SMITH",2017-05-16 06:00:00,CST-6,2017-05-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.78,-98.78,39.78,-98.78,"Thunderstorms produced damaging winds and some severe sized hail over several counties in north central Kansas on this Tuesday evening. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north into Nebraska by 530 PM CST. As these storms affected north central Kansas, low-end severe hail occurred from southwest to northeast across Rooks, Osborne, and Jewell Counties. The strongest winds were west of this swath. Phillips County was hit particularly hard as measured wind gusts reached 75 mph in Logan and 71 mph at Phillipsburg. In Phillipsburg, large tree branches were snapped off, knocking out power. The roof was also blown off a restaurant. Scattered thunderstorms continue to develop and move into north central Kansas, at times through the evening and overnight hours, and even into Wednesday morning. None of them were severe until a multicell cluster formed over Lincoln County around 530 AM CST. As this cluster lifted north across Mitchell County, between 645 and 745 AM, they produced 1 inch hail. Other scattered storms developed across the rest of north central Kansas, during the morning hours. They weakened and dissipated, forming a large shield of anvil rain that extended into south central Nebraska. As this rain shield began to dissipate, conditions became favorable for a wake low to form. This resulted in a wind gust of 61 mph at Smith Center, at 1015 AM CST. Repeated thunderstorm activity resulted in swaths of 2 to 3 inches of rain. The highest amount was 3.80 inches in Smith Center.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A 24 hour rainfall total of 3.63 inches was reported." +114794,688805,KANSAS,2017,May,Hail,"ROOKS",2017-05-18 17:18:00,CST-6,2017-05-18 17:18:00,0,0,0,0,25.00K,25000,0.00K,0,39.25,-99.57,39.25,-99.57,"Severe hail fell over southwestern Rooks County in the late afternoon on this Thursday. A broken line of severe multicell and supercell thunderstorms developed over central Kansas and was gradually lifting north between 3 and 4 PM CST. North central Kansas had been enshrouded by low stratus overcast through the day. So as these storms encountered this less favorable environment, roughly along and north of Interstate 70, the storms terminated their northward movement and began moving east by 5 PM CST. However, a few new storms developed on the northwest fringe of this activity between 4 and 5 PM CST. The first of these storms formed over Ellis County and moved north through the western portion of the County. This storm continued north and crossed into western Rooks County around 5 PM. It produced severe hail over the southwest part of the County, the largest of which was 1.5 inches. The storm then rapidly weakened.||A cold front had crossed the area on the afternoon and evening of the 17th. This front was stationary near the Kansas-Oklahoma border at dawn on the 18th, with low pressure organizing near the Oklahoma Panhandle. Through the day, the front returned north as a warm front, but only the southeast half of the State made it into the warm sector. In the upper-levels, southwest flow was over the Plains. A low was embedded within a longwave trough over the Western U.S., and was making its way from Utah into Colorado. A shortwave trough orbiting the low was ejecting over the Plains. The storm that produced the severe hail was elevated as the temperature at Hayes, Kansas was only 59 degrees just prior to this storm forming, with winds from the east-northeast at 20 kt, gusting to 26 kt. MUCAPE was near 1250 J/kg, with effective deep layer shear near 65 kt.","" +114792,691713,NEBRASKA,2017,May,Tornado,"FILLMORE",2017-05-16 15:43:00,CST-6,2017-05-16 15:52:00,0,0,0,0,3.00K,3000,0.00K,0,40.6662,-97.4305,40.666,-97.3955,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A brief landspout tornado touched down northeast of Exeter. Damage was minimal along its short path, with some tin taken off a roof and an auger turned over. The maximum wind speed was estimated to be 70 MPH." +114792,693891,NEBRASKA,2017,May,Thunderstorm Wind,"ADAMS",2017-05-16 17:47:00,CST-6,2017-05-16 17:47:00,0,0,0,0,25.00K,25000,0.00K,0,40.47,-98.5881,40.47,-98.5881,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Emergency management reported a grain bin on the road near the intersection of Highway 74 and Bladen Road. A nearby power pole was also snapped." +114118,683433,TENNESSEE,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-01 06:10:00,CST-6,2017-03-01 06:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.0353,-87.7741,36.0353,-87.7741,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Several large trees were blown down on Pumpkin Creek Road near Highway 13 with two falling across and blocking the roadway." +113051,686688,MASSACHUSETTS,2017,March,High Wind,"SOUTHERN PLYMOUTH",2017-03-14 10:47:00,EST-5,2017-03-14 13:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Based on reports from surrounding areas, it is estimated that winds gusted to 58 mph in southern Plymouth County during the late morning and early afternoon hours." +114428,686152,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-27 14:44:00,CST-6,2017-03-27 14:50:00,0,0,0,0,0.00K,0,0.00K,0,34.3262,-88.224,34.3315,-88.2017,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Quarter to half dollar size hail." +114428,686153,MISSISSIPPI,2017,March,Hail,"ITAWAMBA",2017-03-27 15:00:00,CST-6,2017-03-27 15:05:00,0,0,0,0,0.00K,0,0.00K,0,34.2632,-88.4369,34.2726,-88.3754,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114430,686164,TENNESSEE,2017,March,Flash Flood,"GIBSON",2017-03-27 13:22:00,CST-6,2017-03-27 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.08,-88.82,36.0733,-88.8196,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Building flooded in town." +114430,686610,TENNESSEE,2017,March,Hail,"CROCKETT",2017-03-27 15:58:00,CST-6,2017-03-27 16:05:00,0,0,0,0,0.00K,0,0.00K,0,35.7204,-89.1094,35.7176,-89.0435,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Hail was penny to quarter size." +114430,686609,TENNESSEE,2017,March,Hail,"HENDERSON",2017-03-27 15:57:00,CST-6,2017-03-27 16:10:00,0,0,0,0,,NaN,,NaN,35.65,-88.4,35.6517,-88.3795,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Hail was half-dollar to golf-ball size." +114430,686615,TENNESSEE,2017,March,Hail,"DECATUR",2017-03-27 16:12:00,CST-6,2017-03-27 16:25:00,0,0,0,0,,NaN,,NaN,35.63,-88.18,35.6317,-88.1522,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Hail of quarter to golf-ball size." +114497,686627,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-25 01:00:00,CST-6,2017-03-25 01:15:00,0,0,0,0,30.00K,30000,0.00K,0,36.5582,-89.9873,36.572,-89.9341,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","High winds caused roof damage and some trees down in town." +114118,685284,TENNESSEE,2017,March,Thunderstorm Wind,"SMITH",2017-03-01 07:49:00,CST-6,2017-03-01 07:49:00,0,0,0,0,3.00K,3000,0.00K,0,36.1091,-86.0377,36.1091,-86.0377,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Facebook report indicates several trees were snapped in the yard of a home at 91 Switchboard Drive in Brush Creek." +114118,685285,TENNESSEE,2017,March,Thunderstorm Wind,"SMITH",2017-03-01 07:50:00,CST-6,2017-03-01 07:50:00,0,0,0,0,2.00K,2000,0.00K,0,36.1055,-85.9952,36.1055,-85.9952,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A few trees were snapped in a field west of Potter Road." +114423,686505,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 23:06:00,CST-6,2017-03-09 23:06:00,0,0,0,0,1.00K,1000,0.00K,0,35.8331,-86.8006,35.8331,-86.8006,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Tree down on Peytonsville Road at Brandon Park Way." +114423,686506,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 23:08:00,CST-6,2017-03-09 23:08:00,0,0,0,0,3.00K,3000,0.00K,0,35.8587,-86.7805,35.8587,-86.7805,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several trees down on Gosey Hill Road with one tree blocking the roadway at 4255 Gosey Hill Road." +114118,683916,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:09:00,CST-6,2017-03-01 07:16:00,0,0,0,0,25.00K,25000,0.00K,0,35.9891,-86.6817,36.0387,-86.5608,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large downburst associated with the rear flank downdraft of the Cool Springs and Four Corners Marina tornadoes caused damage across a wide swath of northeast Williamson, far southeast Davidson, and far northwest Rutherford Counties. In Williamson County, dozens of trees were snapped and uprooted from the Concord Pass area across Waller Road, Forest Trail, and Nolensville Pike, with minor roof and siding damage to numerous homes and a few trees falling on outbuildings and houses. One duplex on Nolensville Pike was heavily damaged by multiple trees falling onto it. ||In Davidson County, trees and power poles were blown down on Pettus Road, and several other trees were snapped and uprooted on Burkitt Road and near Cane Ridge Park. TDOT reported trees down at 13390 Old Hickory Blvd. Several tall power poles were blown down on Nashville Highway near Hickory Woods Drive, and scattered trees were snapped or uprooted in the Hickory Woods Estates and Peppertree Forest subdivisions. ||In Rutherford County, a large truck parked at 1325 Heil Quaker Road in La Vergne was blown over, injuring a man inside who was transported to the hospital. Scattered trees were snapped and uprooted across the Lake Forest subdivision, where one house was severely damaged by a fallen tree on Frontier Lane. Several more homes suffered roof and siding damage on Cedar Bend Lane, Angel Way Court, and Hollandale Road. Winds in this 12 mile long by 2 mile wide downburst were estimated around 80 mph." +114423,686066,TENNESSEE,2017,March,Hail,"DAVIDSON",2017-03-09 20:39:00,CST-6,2017-03-09 20:39:00,0,0,0,0,0.00K,0,0.00K,0,36.259,-86.8296,36.259,-86.8296,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated hail over 1 inch in diameter fell at Fontanel." +114118,683635,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:36:00,CST-6,2017-03-01 06:36:00,0,0,0,0,1.00K,1000,0.00K,0,36.5317,-87.28,36.5317,-87.28,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Rivermont Drive." +114118,683830,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 06:59:00,CST-6,2017-03-01 06:59:00,0,0,0,0,3.00K,3000,0.00K,0,36.1134,-86.8769,36.1134,-86.8769,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees and power lines were blown down 1 mile north of Belle Meade." +114118,685099,TENNESSEE,2017,March,Thunderstorm Wind,"SMITH",2017-03-01 07:55:00,CST-6,2017-03-01 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,36.1225,-85.9093,36.1355,-85.8273,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS Storm Survey along with high resolution Google Earth satellite imagery indicates a nearly 5 mile long by 1/3 mile wide microburst caused significant wind damage in the Lancaster area of Smith County. Several trees were snapped or uprooted from Hackett Valley Road eastward across Highway 141 to Lancaster, with TDOT reporting that fallen trees blocked Highway 141. A mobile home on Nixon Valley Road had the porch and one third of the roof blown off, and a nearby barn lost about half its roof. Debris from the barn blown over 200 yards into forests to the northeast. Dozens of trees were also snapped and uprooted in swaths on hillsides and hilltops from Seabowisha Lane just north of Lancaster eastward to east of Moss Bend Lane." +114683,687930,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:49:00,CST-6,2017-03-21 15:49:00,0,0,0,0,3.00K,3000,0.00K,0,35.8177,-86.4261,35.8177,-86.4261,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Several trees were snapped near the World Outreach Church on Highway 99." +114423,686593,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:39:00,CST-6,2017-03-09 23:39:00,0,0,0,0,1.00K,1000,0.00K,0,35.5067,-86.4474,35.5067,-86.4474,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down at 1402 Fairfield Pike." +114683,687934,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-21 15:52:00,CST-6,2017-03-21 15:52:00,0,0,0,0,1.00K,1000,0.00K,0,35.53,-86.35,35.53,-86.35,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tree was blown down near Wartrace." +114611,687548,NEW JERSEY,2017,March,Winter Storm,"WESTERN BERGEN",2017-03-14 00:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 9 to 14 inches of snow and sleet." +114611,687549,NEW JERSEY,2017,March,Winter Storm,"WESTERN ESSEX",2017-03-14 00:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters and the public reported 8 to 13 inches of snow and sleet." +114423,686522,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-09 23:54:00,CST-6,2017-03-09 23:54:00,0,0,0,0,5.00K,5000,0.00K,0,35.5599,-86.1247,35.5599,-86.1247,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Facebook photos showed minor wind damage to a metal carport, vehicle, and home around 6 miles north-northwest of Manchester." +114683,689206,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-21 15:46:00,CST-6,2017-03-21 15:46:00,0,0,0,0,10.00K,10000,0.00K,0,35.6421,-86.4263,35.6421,-86.4263,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A few homes, businesses, and barns suffered minor roof damage along Highway 231 at the Bedford/Rutherford County line. Several trees were also snapped and uprooted." +114683,687902,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-21 15:03:00,CST-6,2017-03-21 15:03:00,0,0,0,0,1.00K,1000,0.00K,0,35.2778,-87.3347,35.2778,-87.3347,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A 18 inch diameter tree was blown down on Mt. Arrat Road on the north side of Lawrenceburg." +114900,689240,WASHINGTON,2017,March,Heavy Snow,"SOUTHERN WASHINGTON CASCADE FOOTHILLS",2017-03-05 18:00:00,PST-8,2017-03-06 14:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought a lower-elevation snow event to the Washington Cascades and Cascade Foothills.","The Calamity SNOTEL observation site recorded 10 inches of snow." +114900,689241,WASHINGTON,2017,March,Heavy Snow,"SOUTH WASHINGTON CASCADES",2017-03-05 16:00:00,PST-8,2017-03-07 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought a lower-elevation snow event to the Washington Cascades and Cascade Foothills.","The June Lake SNOTEL observation site recorded 28 inches of snow." +114888,689219,OREGON,2017,March,Heavy Snow,"SOUTHERN WILLAMETTE VALLEY",2017-03-05 16:43:00,PST-8,2017-03-06 10:43:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","Locations around Corvallis reported anywhere from 4 inches at 400 feet to 11 inches at 900 feet." +114609,687486,NEW YORK,2017,March,Winter Storm,"PUTNAM",2017-03-14 01:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Trained spotters and a COOP observer reported 14 to 21 inches of snowfall. Some sleet also mixed in with the heavy snow." +114609,687487,NEW YORK,2017,March,Winter Storm,"ROCKLAND",2017-03-14 00:30:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Trained spotters and Fire Department Rescue reported 12 to 20 inches of snowfall. Some sleet also mixed in with the heavy snow." +114609,687488,NEW YORK,2017,March,Winter Storm,"SOUTHERN WESTCHESTER",2017-03-14 01:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Trained spotters and the public reported 8 to 12 inches of snow. Some sleet also mixed in with the heavy snow." +114721,688098,MISSISSIPPI,2017,March,Thunderstorm Wind,"HINDS",2017-03-30 00:25:00,CST-6,2017-03-30 00:25:00,0,0,0,0,4.00K,4000,0.00K,0,32.3588,-90.1705,32.3588,-90.1705,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms blew trees down onto power lines along Robinhood Road." +114721,688099,MISSISSIPPI,2017,March,Thunderstorm Wind,"MADISON",2017-03-30 00:25:00,CST-6,2017-03-30 00:25:00,0,0,0,0,7.00K,7000,0.00K,0,32.46,-90.16,32.46,-90.16,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms blew down trees along Lake Castle Road." +114976,689818,WYOMING,2017,March,Winter Weather,"SNOWY RANGE",2017-03-06 00:00:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly upslope winds behind a cold front produced moderate snowfall over the Snowy and Sierra Madre mountains. Sustained winds of 30 to 40 mph with gusts to 55 mph created half mile visibilities in blowing snow.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated nine inches of snow." +114976,689819,WYOMING,2017,March,Winter Weather,"SIERRA MADRE RANGE",2017-03-06 00:00:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly upslope winds behind a cold front produced moderate snowfall over the Snowy and Sierra Madre mountains. Sustained winds of 30 to 40 mph with gusts to 55 mph created half mile visibilities in blowing snow.","The Sandstone Ranger Station SNOTEL site (elevation 8150 ft) estimated six inches of snow." +114976,689820,WYOMING,2017,March,Winter Weather,"SIERRA MADRE RANGE",2017-03-06 00:00:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly upslope winds behind a cold front produced moderate snowfall over the Snowy and Sierra Madre mountains. Sustained winds of 30 to 40 mph with gusts to 55 mph created half mile visibilities in blowing snow.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 10.5 inches of snow." +114683,687969,TENNESSEE,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-21 16:50:00,CST-6,2017-03-21 16:50:00,0,0,0,0,20.00K,20000,0.00K,0,35.6593,-85.3507,35.6593,-85.3507,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Facebook reports and photos showed numerous trees were blown down at Fall Creek Falls with many falling onto campers and vehicles. No injuries were reported." +114735,688208,TENNESSEE,2017,March,Hail,"SUMNER",2017-03-27 15:58:00,CST-6,2017-03-27 15:58:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-86.7,36.37,-86.7,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tSpotter Twitter report indicated quarter size hail fell in Millersville." +114735,688210,TENNESSEE,2017,March,Hail,"SUMNER",2017-03-27 15:02:00,CST-6,2017-03-27 15:02:00,0,0,0,0,0.00K,0,0.00K,0,36.4631,-86.651,36.4631,-86.651,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Nickel size hail was reported on the south side of White House." +114888,689229,OREGON,2017,March,Heavy Snow,"NORTH OREGON CASCADES",2017-03-05 19:00:00,PST-8,2017-03-08 03:45:00,0,0,0,1,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","The most snow was recorded at the Mt Hood Meadows Ski Resort, which reported 41 inches of snow from this event. Timberline NWAC observation site also recorded 30.5 inches of snow, with 12 inches just over the 12 hour period from 3:00 am to 3:00 pm on the 7th. There was one fatality with this event, a man skiing in an area called Jacks Woods near Mt Hood Meadows. He hit a tree and ended up in a shallow tree well." +114911,689268,WASHINGTON,2017,March,Tornado,"CLARK",2017-03-24 15:10:00,PST-8,2017-03-24 15:20:00,0,0,0,0,2.00K,2000,0.00K,0,45.6723,-122.5651,45.6936,-122.5286,"A upper-level low bringing a cold front across the area generated showers and a few thunderstorms across southwest Washington. One of these thunderstorms produced a weak tornado in Orchards, WA northeast of Vancouver.","A short-lived thunderstorms dropped a brief, weak tornado on the west side of Orchards. Tornado damaged a fence in the vicinity of NE 99th Street and NE 140th Ct. On NE 105th Ave. north of NE 67th St. a 12-by-12-foot metal shed was lifted up and placed back down and tree branches about 4 inches in diameter were snapped off." +114879,689470,ARKANSAS,2017,March,Winter Weather,"CRAIGHEAD",2017-03-11 16:00:00,CST-6,2017-03-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two to three inches of snow fell." +114879,689468,ARKANSAS,2017,March,Winter Weather,"LAWRENCE",2017-03-11 15:00:00,CST-6,2017-03-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to three inches fell over Northeast Arkansas.","Two to three inches of snow fell." +114881,689484,TENNESSEE,2017,March,Winter Weather,"CARROLL",2017-03-11 17:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A arctic front moved through the region changing rain to snow. Snow, occasionally heavy, fell into the early evening. One to four inches fell over much of West Tennessee.","Two inches of snow fell." +114945,689524,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-14 06:55:00,MST-7,2017-03-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds impacted Interstate 80 between Rawlins and Laramie.","The WYDOT sensor at Arlington measured peak wind gusts of 58 mph." +114945,689525,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-14 01:15:00,MST-7,2017-03-14 02:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds impacted Interstate 80 between Rawlins and Laramie.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 14/0220 MST." +114928,692957,CALIFORNIA,2017,January,Winter Weather,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-01-07 02:30:00,PST-8,2017-01-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","Between 2 and 4 inches of snow fell from early morning to early afternoon on the 7th per observations between Portola and Susanville. From the afternoon of the 7th into the morning of the 8th, snow changed to freezing rain with between 0.1 and 0.5 inches of ice accumulation reported several miles to the west of Susanville." +114928,693019,CALIFORNIA,2017,January,Flood,"LASSEN",2017-01-08 19:30:00,PST-8,2017-01-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0536,-120.1268,40.0525,-120.1303,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","CALTRANS reported water from Long Valley Creek flowing over Highway 395. The highway was shut down in both directions starting around 1930PST on the 8th. In addition, County Road A26 (near Herlong) was closed due to weakened bridge supports. The end time is approximate and based on the end of heavier rain on the 9th. Damage from this specific event are unknown, although a preliminary damage assessment (CALTRANS) for flood repairs to Highway 395 in January and February totaled $1.8M." +114449,687219,MISSISSIPPI,2017,March,Thunderstorm Wind,"SUNFLOWER",2017-03-25 02:05:00,CST-6,2017-03-25 02:23:00,0,0,0,0,175.00K,175000,0.00K,0,33.75,-90.65,33.91,-90.458,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Severe wind gusts associated with a line of thunderstorms blew down several trees along a swath through northern Sunflower County. Damage near Parchman included damage to a roof, downed fences and signs, overturned utility trailers, and windows blown out on several vehicles." +114851,689629,MISSISSIPPI,2017,March,Thunderstorm Wind,"CLAIBORNE",2017-03-27 17:11:00,CST-6,2017-03-27 17:35:00,0,0,0,0,40.00K,40000,0.00K,0,31.9795,-90.947,32.1477,-90.7218,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of damaging winds occurred across northern Claiborne County. Multiple trees were blown down along the Natchez Trace Parkway between Milepost 39 near Port Gibson in Claiborne County and Milepost 77 near Raymond in Hinds County. Trees were blown down and a pole barn was destroyed near Reagan Island." +114901,689249,OREGON,2017,March,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-03-07 13:00:00,PST-8,2017-03-07 15:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that made landfall near the mouth of the Columbia River brought high winds to the Oregon Coast and Coast Range.","A weather instrument on top of Marys Peak (elevation around 4,000 feet) recorded sustained winds up to 55 mph, with gusts up to 81 mph. High wind gusts also occurred in an adjacent zone." +114901,689246,OREGON,2017,March,High Wind,"NORTHERN OREGON COAST",2017-03-07 13:12:00,PST-8,2017-03-07 13:22:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system that made landfall near the mouth of the Columbia River brought high winds to the Oregon Coast and Coast Range.","A weather station in Pacific City recorded sustained winds up to 42 mph with gusts up to 58 mph." +114903,689252,WASHINGTON,2017,March,High Wind,"SOUTH COAST",2017-03-17 19:00:00,PST-8,2017-03-18 01:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving northeast into Western Washington brought high winds to the South Washington Coast.","The weather station at Cape Disappointment recorded sustained winds up to 47 mph with gusts up to 62 mph." +114904,689256,WASHINGTON,2017,March,Flood,"COWLITZ",2017-03-15 17:31:00,PST-8,2017-03-16 09:46:00,0,0,0,0,0.00K,0,0.00K,0,46.144,-122.9177,46.1382,-122.9202,"An atmospheric river brought heavy rain and flooding to parts of southwest Washington. In addition, heavy rain combined with snowmelt runoff in eastern Washington contributed to rising river levels on the Columbia River. While flooding on the Cowlitz River only occurred with heavy rain on the 16th, longer lasting flooding occurred on the Columbia River which remained above flood stage until April 4th.","Heavy rain in addition to high river levels on the Columbia River caused the Cowlitz River near Kelso to flood. The river crested at 22.10 feet, which is 0.60 feet above flood stage." +114430,686158,TENNESSEE,2017,March,Hail,"DYER",2017-03-27 11:40:00,CST-6,2017-03-27 11:45:00,0,0,0,0,,NaN,,NaN,36.0766,-89.27,36.0852,-89.2296,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +115733,695591,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:30:00,CST-6,2017-04-30 12:31:00,0,0,0,0,0.00K,0,0.00K,0,33.8512,-87.1803,33.8512,-87.1803,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted and power lines downed on Boldo Road." +115733,695594,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:30:00,CST-6,2017-04-30 12:31:00,0,0,0,0,0.00K,0,0.00K,0,33.96,-87.21,33.96,-87.21,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted near the town of Curry." +115733,695597,ALABAMA,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-30 12:43:00,CST-6,2017-04-30 12:44:00,0,0,0,0,0.00K,0,0.00K,0,33.45,-87.14,33.45,-87.14,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Lock 17 Road." +114044,683028,ATLANTIC SOUTH,2017,March,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-03-12 08:20:00,EST-5,2017-03-12 08:20:00,0,0,0,0,,NaN,,NaN,25.93,-80.006,25.93,-80.006,"Morning convective showers caused a waterspout offshore Miami Beach. Winds were light and variable making conditions for waterspouts favorable.","A airplane pilot reported a waterspout 13 miles southeast of Fort Lauderdale International Airport." +113853,681864,MISSOURI,2017,February,Hail,"JOHNSON",2017-02-28 22:30:00,CST-6,2017-02-28 22:31:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-93.86,38.59,-93.86,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +114448,686293,LOUISIANA,2017,March,Thunderstorm Wind,"MOREHOUSE",2017-03-25 00:13:00,CST-6,2017-03-25 00:13:00,0,0,0,0,3.00K,3000,0.00K,0,32.781,-91.935,32.781,-91.935,"A line of severe thunderstorms moved into northeast Louisiana early in the morning on March 25th and produced damaging wind gusts.","Severe wind gusts associated with a line of thunderstorms blew down a tree along Eden Avenue in Bastrop." +116965,703426,KANSAS,2017,May,Hail,"OSAGE",2017-05-31 11:25:00,CST-6,2017-05-31 11:26:00,0,0,0,0,,NaN,,NaN,38.82,-95.69,38.82,-95.69,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703428,KANSAS,2017,May,Hail,"OSAGE",2017-05-31 11:32:00,CST-6,2017-05-31 11:33:00,0,0,0,0,,NaN,,NaN,38.78,-95.56,38.78,-95.56,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703430,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-31 11:53:00,CST-6,2017-05-31 11:54:00,0,0,0,0,,NaN,,NaN,38.63,-95.33,38.63,-95.33,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703431,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-31 12:00:00,CST-6,2017-05-31 12:01:00,0,0,0,0,,NaN,,NaN,38.61,-95.3,38.61,-95.3,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703432,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-31 12:06:00,CST-6,2017-05-31 12:07:00,0,0,0,0,,NaN,,NaN,38.59,-95.27,38.59,-95.27,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703433,KANSAS,2017,May,Hail,"FRANKLIN",2017-05-31 12:08:00,CST-6,2017-05-31 12:09:00,0,0,0,0,,NaN,,NaN,38.61,-95.27,38.61,-95.27,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","" +116965,703434,KANSAS,2017,May,Hail,"COFFEY",2017-05-31 12:45:00,CST-6,2017-05-31 12:46:00,0,0,0,0,,NaN,,NaN,38.28,-95.67,38.28,-95.67,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","Coop observer was located 3 miles east of Sharp, Kansas." +116965,703435,KANSAS,2017,May,Hail,"CLOUD",2017-05-31 21:50:00,CST-6,2017-05-31 21:51:00,0,0,0,0,,NaN,,NaN,39.51,-97.87,39.51,-97.87,"Thunderstorms traversed northeast Kansas during the early afternoon hours, producing several large hail reports.","Mostly nickel size hail stones were reported with a few quarter size." +114507,686684,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-05-15 21:56:00,CST-6,2017-05-15 21:58:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"A line of strong to severe thunderstorms moved over the near shore waters of Lake Michigan during the overnight hours, producing wind gusts in excess of 33 knots.","Milwaukee harbor lakeshore station measured wind gusts of 37 to 39 knots for several minutes." +114507,686686,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-05-15 22:11:00,CST-6,2017-05-15 22:11:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"A line of strong to severe thunderstorms moved over the near shore waters of Lake Michigan during the overnight hours, producing wind gusts in excess of 33 knots.","Mesonet station on Racine Reef measured a wind gust of 40 knots at 1111 pm CDT." +116359,699678,WASHINGTON,2017,May,Flood,"CHELAN",2017-05-23 17:00:00,PST-8,2017-05-31 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,48.3609,-120.8167,48.3107,-120.6862,"Spring time mountain snow melt caused the Stehekin River near Stehekin to rise above Flood Stage during the last week of May. The river flooded bottom lands and roads along the river with no significant damage to any structures.","The Stehekin River Gage at Stehekin recorded a rise above the Flood Stage of 24.0 feet at 5:00 PM PST May 23rd, crested at 24.8 feet at 12:30 AM May 24th and then dropped below Flood Stage at 10:15 AM May 24th. The river then rose again above Flood Stage at 8:30 PM PST on May 28th, crested near 25.8 feet at 2:15 AM on May 31st, and remained above Flood Stage through early June." +116325,699505,LOUISIANA,2017,May,Thunderstorm Wind,"EAST BATON ROUGE",2017-05-20 15:50:00,CST-6,2017-05-20 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,30.46,-91.03,30.46,-91.03,"Outflow boundaries from thunderstorms collided on several occasions on the 20th and 21st, aiding in the development of severe weather near Baton Rouge and Gulfport.","A tree was reported to have fallen on a home on Severn Avenue. Wind gusts likely around 45 mph based on nearby observations." +116326,699508,MISSISSIPPI,2017,May,Hail,"AMITE",2017-05-21 14:34:00,CST-6,2017-05-21 14:34:00,0,0,0,0,0.00K,0,0.00K,0,31.1,-90.66,31.1,-90.66,"Outflow boundaries from thunderstorms collided on several occasions on the 20th and 21st, aiding in the development of severe weather near Baton Rouge and Gulfport.","" +116182,699392,NEBRASKA,2017,May,Hail,"LANCASTER",2017-05-16 17:05:00,CST-6,2017-05-16 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-96.53,40.91,-96.53,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Golf ball size hail and 50 mph winds were reported." +116182,699395,NEBRASKA,2017,May,Hail,"LANCASTER",2017-05-16 17:15:00,CST-6,2017-05-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-96.69,40.82,-96.69,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter size hail reported at 40th and Old Cheney Road." +116182,699399,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-16 17:20:00,CST-6,2017-05-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-96.3,41.26,-96.3,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter size hail reported in the Lake Zorinsky area." +116182,699401,NEBRASKA,2017,May,Hail,"SARPY",2017-05-16 17:20:00,CST-6,2017-05-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-96.24,41.05,-96.24,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter size hail reported at the Flying J Truck Stop." +117081,705135,KANSAS,2017,May,Hail,"GRANT",2017-05-14 17:08:00,CST-6,2017-05-14 17:08:00,0,0,0,0,,NaN,,NaN,37.58,-101.14,37.58,-101.14,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117081,705136,KANSAS,2017,May,Hail,"GRANT",2017-05-14 17:11:00,CST-6,2017-05-14 17:11:00,0,0,0,0,,NaN,,NaN,37.58,-101.1,37.58,-101.1,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117081,705137,KANSAS,2017,May,Hail,"SEWARD",2017-05-14 18:24:00,CST-6,2017-05-14 18:24:00,0,0,0,0,,NaN,,NaN,37.2,-100.92,37.2,-100.92,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117081,705139,KANSAS,2017,May,Hail,"SEWARD",2017-05-14 18:35:00,CST-6,2017-05-14 18:35:00,0,0,0,0,,NaN,,NaN,37.17,-100.92,37.17,-100.92,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117081,705140,KANSAS,2017,May,Hail,"SEWARD",2017-05-14 19:00:00,CST-6,2017-05-14 19:00:00,0,0,0,0,,NaN,,NaN,37.25,-100.83,37.25,-100.83,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117084,706254,KANSAS,2017,May,Hail,"MEADE",2017-05-18 16:58:00,CST-6,2017-05-18 16:58:00,0,0,0,0,,NaN,,NaN,37.41,-100.11,37.41,-100.11,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706255,KANSAS,2017,May,Hail,"TREGO",2017-05-18 17:44:00,CST-6,2017-05-18 17:44:00,0,0,0,0,,NaN,,NaN,38.83,-99.86,38.83,-99.86,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706256,KANSAS,2017,May,Hail,"EDWARDS",2017-05-18 18:30:00,CST-6,2017-05-18 18:30:00,0,0,0,0,,NaN,,NaN,37.93,-99.41,37.93,-99.41,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","" +117084,706257,KANSAS,2017,May,Thunderstorm Wind,"PRATT",2017-05-18 16:17:00,CST-6,2017-05-18 16:17:00,0,0,0,0,,NaN,,NaN,37.65,-98.74,37.65,-98.74,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Large tree branches were broken by the high wind." +117084,706258,KANSAS,2017,May,Thunderstorm Wind,"COMANCHE",2017-05-18 15:16:00,CST-6,2017-05-18 15:16:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-99.51,37.27,-99.51,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 60 MPH." +114369,685340,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-03 14:54:00,CST-6,2017-05-03 14:54:00,0,0,0,0,0.00K,0,0.00K,0,32.12,-95.3,32.12,-95.3,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A tree was downed on FM 2493 at Hwy. 69." +114369,685341,TEXAS,2017,May,Hail,"RUSK",2017-05-03 15:02:00,CST-6,2017-05-03 15:02:00,0,0,0,0,0.00K,0,0.00K,0,32.16,-94.8,32.16,-94.8,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685342,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-03 15:05:00,CST-6,2017-05-03 15:05:00,0,0,0,0,0.00K,0,0.00K,0,31.97,-95.26,31.97,-95.26,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685343,TEXAS,2017,May,Hail,"RUSK",2017-05-03 15:10:00,CST-6,2017-05-03 15:10:00,0,0,0,0,0.00K,0,0.00K,0,32.16,-94.8,32.16,-94.8,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685346,TEXAS,2017,May,Hail,"NACOGDOCHES",2017-05-03 15:25:00,CST-6,2017-05-03 15:25:00,0,0,0,0,0.00K,0,0.00K,0,31.81,-94.84,31.81,-94.84,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685354,TEXAS,2017,May,Hail,"NACOGDOCHES",2017-05-03 15:30:00,CST-6,2017-05-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.82,-94.84,31.82,-94.84,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685357,TEXAS,2017,May,Thunderstorm Wind,"PANOLA",2017-05-03 15:30:00,CST-6,2017-05-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,32.14,-94.34,32.14,-94.34,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Numerous trees were downed across all of Panola County but especially across central and southern portions of the county. Numerous powerlines were downed as well." +114369,685359,TEXAS,2017,May,Thunderstorm Wind,"RUSK",2017-05-03 15:30:00,CST-6,2017-05-03 15:30:00,0,0,0,0,50.00K,50000,0.00K,0,32.12,-94.78,32.12,-94.78,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Numerous trees were downed across much of Rusk County from damaging straight line wind gusts. One large tree fell on a home on the 3600 Block of FM 3310 south of Henderson." +114369,685361,TEXAS,2017,May,Thunderstorm Wind,"PANOLA",2017-05-03 15:33:00,CST-6,2017-05-03 15:33:00,0,0,0,0,0.00K,0,0.00K,0,32.1,-94.47,32.1,-94.47,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Numerous trees and powerlines were downed across the western portions of Panola County." +114369,685362,TEXAS,2017,May,Hail,"ANGELINA",2017-05-03 15:39:00,CST-6,2017-05-03 15:39:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-94.73,31.33,-94.73,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685364,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-03 15:40:00,CST-6,2017-05-03 15:40:00,0,0,0,0,0.00K,0,0.00K,0,31.91,-94.4,31.91,-94.4,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Numerous trees were downed in the Timpson, Texas community." +114369,685365,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-03 15:42:00,CST-6,2017-05-03 15:42:00,0,0,0,0,0.00K,0,0.00K,0,31.91,-94.44,31.91,-94.44,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Several trees were downed along FM 1970 west of Timpson, Texas." +114369,685366,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-03 15:43:00,CST-6,2017-05-03 15:43:00,0,0,0,0,0.00K,0,0.00K,0,31.87,-94.42,31.87,-94.42,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Trees were downed along CR 4775 southwest of Timpson, Texas." +114369,685368,TEXAS,2017,May,Flash Flood,"NACOGDOCHES",2017-05-03 15:54:00,CST-6,2017-05-03 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6045,-94.6561,31.6054,-94.6587,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Excessive heavy rainfall resulted in the closure of Pearl Street." +113553,680187,SOUTH CAROLINA,2017,April,Hail,"MCCORMICK",2017-04-05 11:27:00,EST-5,2017-04-05 11:32:00,0,0,0,0,,NaN,,NaN,33.97,-82.47,33.97,-82.47,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Large hail and gusty winds at Hwy 81 and Morrah Bridge Rd." +113553,680189,SOUTH CAROLINA,2017,April,Hail,"LEXINGTON",2017-04-05 12:42:00,EST-5,2017-04-05 12:46:00,0,0,0,0,,NaN,,NaN,33.92,-81.51,33.92,-81.51,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Amateur radio operator reported ping pong ball size hail on Main St in Batesburg-Leesville." +116834,702586,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HENDERSON",2017-05-19 12:52:00,EST-5,2017-05-19 12:52:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-82.38,35.31,-82.38,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Public reported two trees blown down near Dana." +116853,702619,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"OCONEE",2017-05-22 13:40:00,EST-5,2017-05-22 13:40:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-83.06,34.79,-83.06,"Scattered thunderstorms developed across western portions of the Upstate during the afternoon in the vicinity of a stationary front. One storm produced brief severe weather in Oconee County.","FD reported a few trees and powerlines blown down off Highway 183 near Walhalla." +116887,702783,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GRAHAM",2017-05-24 10:15:00,EST-5,2017-05-24 10:30:00,0,0,0,0,0.00K,0,0.00K,0,35.367,-83.952,35.431,-83.807,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","County comms reported mutliple trees blown down across the county." +116887,702785,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BURKE",2017-05-24 14:00:00,EST-5,2017-05-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-81.97,35.62,-81.97,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","EM reported trees blown down on Old Glenwood Rd in the Glenwood community." +116887,702786,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BURKE",2017-05-24 14:00:00,EST-5,2017-05-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-82.06,35.56,-82.06,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","EM reported trees blown down at Montford Cove Rd and Hensley Rd." +116887,702792,NORTH CAROLINA,2017,May,Thunderstorm Wind,"IREDELL",2017-05-24 14:20:00,EST-5,2017-05-24 14:20:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-80.78,35.7,-80.78,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","EM reported multiple trees and power lines blown down at Ostwalt Amity Rd and Triplett Rd." +114724,688246,KENTUCKY,2017,May,Thunderstorm Wind,"BREATHITT",2017-05-19 21:39:00,EST-5,2017-05-19 21:40:00,0,0,0,0,,NaN,,NaN,37.57,-83.27,37.62,-83.18,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A couple of trees were blown down along Kentucky Highway 30 east of Jackson to northeast of Guage." +114724,688252,KENTUCKY,2017,May,Thunderstorm Wind,"MAGOFFIN",2017-05-19 21:52:00,EST-5,2017-05-19 21:52:00,0,0,0,0,,NaN,,NaN,37.52,-82.93,37.52,-82.93,"Numerous thunderstorms developed this morning and early afternoon. Training and repeated rounds of rainfall over the same areas led to many reports of flash flooding across portions of Perry, Pike, and Floyd Counties. Later into the evening, a complex of storms moved southeast into eastern Kentucky. These storms produced several reports of damaging wind gusts along with an isolated report of large hail, up to the size of golf balls. Additionally, a funnel cloud was spotted southwest of Waltz in Rowan County.","A tree was blown down on Straight Fork Road south of Gunlock." +114665,688125,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-20 15:52:00,CST-6,2017-05-20 15:52:00,0,0,0,0,,NaN,,NaN,34.07,-86.92,34.07,-86.92,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Multiple trees down in Loretto." +114665,688126,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-20 16:06:00,CST-6,2017-05-20 16:06:00,0,0,0,0,,NaN,,NaN,34.29,-86.72,34.29,-86.72,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Severe roof damage reported at a gas station at the intersection of CR 1545 and CR 1527." +114665,688127,ALABAMA,2017,May,Thunderstorm Wind,"LIMESTONE",2017-05-20 16:27:00,CST-6,2017-05-20 16:27:00,0,0,0,0,,NaN,,NaN,34.8,-86.86,34.8,-86.86,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Trees were knocked down at Meadows Road and Nick Davis Road." +116887,703176,NORTH CAROLINA,2017,May,Tornado,"IREDELL",2017-05-24 14:26:00,EST-5,2017-05-24 14:29:00,0,0,0,0,10.00K,10000,0.00K,0,35.707,-80.834,35.722,-80.826,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","NWS storm survey found the path of a weak tornado that began near the intersection of Aileen Ln. and Hillndale Ln. The tornado traveled northeast for about a mile before lifting near Musket Ln. Minor structural damage was reported to several homes and a storage building while multiple trees were uprooted." +116887,703177,NORTH CAROLINA,2017,May,Tornado,"IREDELL",2017-05-24 14:41:00,EST-5,2017-05-24 14:48:00,0,0,0,0,250.00K,250000,0.00K,0,35.798,-80.783,35.84,-80.759,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","NWS storm survey found the path of a second, more significant tornado in Iredell County. This one touched near the intersection of New Salem Rd and Highway 64. The tornado moved northeast, crossing Highway 64 between Crooked Ln and Hunters Ridge Ln. The most significant damage occurred in this location, as a brick home had its roof completely removed and interior walls collapsed. Material from this home along with tree debris acted as projectiles, causing damage to the exterior of adjacent homes. About a dozen homes were damaged in this fashion. The tornado apparently weakened as it continued northeast, but uprooted or snapped dozens of trees before lifting in the vicinity of 5th Creek Rd. This was only the strongest tornado to impact Iredell County since 2005, and was only the second official significant tornado (E/F2 or greater) in the county's history." +116887,703419,NORTH CAROLINA,2017,May,Flash Flood,"MCDOWELL",2017-05-24 18:00:00,EST-5,2017-05-24 19:30:00,0,0,0,0,0.50K,500,0.00K,0,35.694,-81.875,35.707,-81.869,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","FD reported flash flooding developed along Muddy Creek after 2 to 3 inches of rain fell in just a couple of hours. Gilbert Byrd Rd was closed for a while due to flood water from the creek." +114981,694361,ALABAMA,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-28 00:33:00,CST-6,2017-05-28 00:33:00,0,0,0,0,0.20K,200,0.00K,0,34.47,-87.29,34.47,-87.29,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down near Market Street and Byler Road." +114981,694364,ALABAMA,2017,May,Hail,"LAWRENCE",2017-05-28 00:34:00,CST-6,2017-05-28 00:34:00,0,0,0,0,,NaN,,NaN,34.46,-87.48,34.46,-87.48,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Quarter sized hail was reported in Mount Hope." +114981,694368,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-28 01:15:00,CST-6,2017-05-28 01:15:00,0,0,0,0,0.20K,200,0.00K,0,34.26,-86.85,34.26,-86.85,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down on a house on CR 1374 in the Vinemont area." +114981,694370,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-28 01:15:00,CST-6,2017-05-28 01:15:00,0,0,0,0,0.20K,200,0.00K,0,34.25,-86.86,34.25,-86.86,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down across the road at CR 1344." +114981,694372,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-28 01:15:00,CST-6,2017-05-28 01:15:00,0,0,0,0,0.20K,200,0.00K,0,34.26,-86.86,34.26,-86.86,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down across CR 1371." +114981,694373,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:44:00,CST-6,2017-05-28 00:44:00,0,0,0,0,0.20K,200,0.00K,0,34.92,-88.05,34.92,-88.05,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Power lines were knocked down and debris in the road along CR 14 in front of the Rock Wall." +115096,701546,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-11 17:12:00,CST-6,2017-05-11 17:12:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-95.78,36.05,-95.78,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701548,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-11 17:58:00,CST-6,2017-05-11 17:58:00,0,0,0,0,0.00K,0,0.00K,0,36.1076,-95.35,36.1076,-95.35,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701549,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-11 18:00:00,CST-6,2017-05-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5248,-95.0242,36.5248,-95.0242,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701550,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-11 18:19:00,CST-6,2017-05-11 18:19:00,0,0,0,0,0.00K,0,0.00K,0,36.1884,-95.1597,36.1884,-95.1597,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701551,OKLAHOMA,2017,May,Hail,"DELAWARE",2017-05-11 18:31:00,CST-6,2017-05-11 18:31:00,0,0,0,0,0.00K,0,0.00K,0,36.5913,-94.7686,36.5913,-94.7686,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115177,697918,MISSOURI,2017,May,Hail,"CAMDEN",2017-05-27 17:18:00,CST-6,2017-05-27 17:18:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-92.84,37.99,-92.84,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697919,MISSOURI,2017,May,Hail,"LACLEDE",2017-05-27 17:21:00,CST-6,2017-05-27 17:21:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-92.66,37.68,-92.66,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697920,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 17:24:00,CST-6,2017-05-27 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.48,37.12,-93.48,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697921,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 17:24:00,CST-6,2017-05-27 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-93.59,37.26,-93.59,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697923,MISSOURI,2017,May,Hail,"POLK",2017-05-27 17:25:00,CST-6,2017-05-27 17:25:00,0,0,0,0,,NaN,0.00K,0,37.8,-93.5,37.8,-93.5,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The local fire department reported ping pong size hail near Flemington." +115177,697924,MISSOURI,2017,May,Hail,"BARRY",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-93.94,36.67,-93.94,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697925,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-93.36,37.14,-93.36,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115166,691410,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-28 16:10:00,CST-6,2017-05-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,32.52,-94.76,32.52,-94.76,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Widespread wind damage was common across the city of Longview, with numerous trees down, and some of which were on homes, vehicles, and power lines." +115166,691411,TEXAS,2017,May,Thunderstorm Wind,"HARRISON",2017-05-28 16:15:00,CST-6,2017-05-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,32.4837,-94.5291,32.4837,-94.5291,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Several trees were blown down between mile marker 607 and 608 on Interstate 20. The westbound lanes were blocked due to several trees down across the road." +115179,691528,WISCONSIN,2017,May,Hail,"DODGE",2017-05-15 21:00:00,CST-6,2017-05-15 21:00:00,0,0,0,0,,NaN,0.00K,0,43.47,-88.9,43.47,-88.9,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +114978,691565,MONTANA,2017,May,Hail,"CARTER",2017-05-15 17:55:00,MST-7,2017-05-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-104.41,45.02,-104.41,"A few severe thunderstorms moved across Southeast Montana during the late afternoon and early evening hours of the 15th. The main impact from these thunderstorms was large hail.","" +115187,692064,MONTANA,2017,May,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-05-17 06:00:00,MST-7,2017-05-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Snowfall amounts of 20, 25, and 31 inches were received at West Rosebud, Mystic Lake, as well as Placer Basin Snotel." +115187,692066,MONTANA,2017,May,Winter Storm,"NORTHERN PARK COUNTY",2017-05-17 12:00:00,MST-7,2017-05-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Clyde Park received 12 inches of snow." +115187,692065,MONTANA,2017,May,Winter Storm,"PARADISE VALLEY",2017-05-17 12:00:00,MST-7,2017-05-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low moved across Wyoming on the 17th and 18th. Very strong dynamics were associated with this low which also resulted in strong dynamic cooling. The low produced a deep upslope flow into the Crazy and Beartooth/Absaroka Mountains and adjacent foothills. As a result, very heavy, wet snow occurred across portions of these areas. In addition, the weight of the heavy, wet snow resulted in downed tree limbs and power lines resulting in power outages across portions of Park County.","Pinecreek received 7 inches of new snow." +115276,692070,PENNSYLVANIA,2017,May,Thunderstorm Wind,"YORK",2017-05-19 14:05:00,EST-5,2017-05-19 14:05:00,0,0,0,0,4.00K,4000,0.00K,0,39.8144,-76.5992,39.8144,-76.5992,"A lone severe thunderstorm developed in a moderately high CAPE, but fairly low shear environment and produced wind damage in southern York County during the afternoon of May 19, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Faraway Drive in North Hopewell Township." +115331,692454,MISSOURI,2017,May,Hail,"CARTER",2017-05-27 18:58:00,CST-6,2017-05-27 19:05:00,0,0,0,0,0.00K,0,0.00K,0,36.9107,-90.8116,36.93,-90.75,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","A swath of large hail extended from west to east across parts of the county. Quarter-size hail was reported on Highway 21 near U.S. Highway 60, between Hunter and Ellsinore. Quarter-size hail occurred on U.S. Highway 60 near Ellsinore." +115331,692458,MISSOURI,2017,May,Hail,"NEW MADRID",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-89.82,36.62,-89.82,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","" +115436,693147,IOWA,2017,May,Hail,"WRIGHT",2017-05-15 17:01:00,CST-6,2017-05-15 17:01:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-93.73,42.72,-93.73,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported nickel sized hail at the Iowa Specialty Hospital. Power reported out at the time as well." +115436,693150,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:16:00,CST-6,2017-05-15 17:16:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-93.48,42.75,-93.48,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported half dollar sized hail. This is a delayed report." +115436,693153,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 17:28:00,CST-6,2017-05-15 17:28:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-92.54,42.84,-92.54,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter estimated 60-70 mph wind gusts, along with 4-6 inch diameter tree branches broken off." +115436,693155,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 17:30:00,CST-6,2017-05-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.83,-92.54,42.83,-92.54,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","The Plainfield IDOT RWIS along Highway 218 recorded a 68 mph wind gust." +115620,694551,ILLINOIS,2017,May,Flood,"MASSAC",2017-05-01 00:00:00,CST-6,2017-05-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-88.63,37.1259,-88.6384,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","An extended period of minor flooding occurred on the Ohio River. Portions of Fort Massac State Park in Metropolis were flooded, closing the main road through the park. Low-lying woods were flooded, along with a few side roads." +115620,696204,ILLINOIS,2017,May,Flood,"GALLATIN",2017-05-02 06:00:00,CST-6,2017-05-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-88.13,37.7007,-88.1176,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Minor flooding occurred along the Ohio River. Some low-lying fields and bottomlands were inundated." +115549,693783,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:20:00,MST-7,2017-05-22 17:25:00,0,0,0,0,4.20K,4200,,NaN,32.246,-104.4359,32.246,-104.4359,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Eddy County and produced golf ball sized hail at Carlsbad Caverns National Park. There were 65 windows reported broken, four window screens, nine vehicle mirrors, two windshields, and six tail lights. The cost of damage is a rough estimate." +115861,696305,OKLAHOMA,2017,May,Frost/Freeze,"CIMARRON",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115861,696315,OKLAHOMA,2017,May,Frost/Freeze,"TEXAS",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115295,697041,ILLINOIS,2017,May,Flood,"DOUGLAS",2017-05-01 00:00:00,CST-6,2017-05-02 09:15:00,0,0,0,0,0.00K,0,0.00K,0,39.8808,-88.3424,39.7338,-88.4741,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Douglas County. Several streets in Tuscola were impassable. Numerous rural roads and highways in the county were inundated, particularly U.S. Highway 36 from Tuscola to Newman, and U.S. Highway 45 near Tuscola which was closed due to high water. An additional 1.00 inch off rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 2nd." +115949,696796,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:38:00,EST-5,2017-05-01 17:38:00,0,0,0,0,0.00K,0,0.00K,0,35.7348,-79.9712,35.7348,-79.9712,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","A tree was reported down in the road at US highway 64 and Spring Forest Road." +117108,704576,NORTH CAROLINA,2017,May,Flash Flood,"MITCHELL",2017-05-28 00:45:00,EST-5,2017-05-28 02:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.013,-82.152,35.999,-82.134,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported White Oak Creek overflowed its banks and flooded portions of White Oak Rd and Buchanan Dr after in excess of 2 inches of rain fell across Bakersville in an hour or less. Water briefly approached one home. Additionally, a stream gauge on Cane Creek approached, but did not exceed established flood stage, but the creek did overflow its banks briefly." +115949,696797,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:52:00,EST-5,2017-05-01 17:52:00,0,0,0,0,0.00K,0,0.00K,0,35.6954,-79.6904,35.6954,-79.6904,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was down blocking the road at Grantville Lane and Jennifer View Drive." +115570,693993,KANSAS,2017,May,Hail,"WALLACE",2017-05-10 17:00:00,MST-7,2017-05-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8885,-101.7125,38.8885,-101.7125,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","" +115570,693994,KANSAS,2017,May,Hail,"WALLACE",2017-05-10 17:09:00,MST-7,2017-05-10 17:09:00,0,0,0,0,0.00K,0,0.00K,0,38.7484,-101.7415,38.7484,-101.7415,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","" +116373,699789,MONTANA,2017,June,Thunderstorm Wind,"CASCADE",2017-06-04 15:32:00,MST-7,2017-06-04 15:32:00,0,0,0,0,0.00K,0,0.00K,0,47.51,-111.13,47.51,-111.13,"Showers and thunderstorms, some severe, developed out ahead of a shortwave trough and associated cold front. Severe weather was concentrated across central and western sections of north-central Montana.","Spotter estimated 60 mph wind gust." +116373,699792,MONTANA,2017,June,Thunderstorm Wind,"CHOUTEAU",2017-06-04 16:11:00,MST-7,2017-06-04 16:11:00,0,0,0,0,0.00K,0,0.00K,0,47.83,-110.7,47.83,-110.7,"Showers and thunderstorms, some severe, developed out ahead of a shortwave trough and associated cold front. Severe weather was concentrated across central and western sections of north-central Montana.","Storm chaser estimated a 70 mph wind gust." +114790,688880,NEBRASKA,2017,May,Thunderstorm Wind,"HALL",2017-05-15 20:25:00,CST-6,2017-05-15 20:25:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +121196,725503,MONTANA,2017,November,Winter Storm,"HILL",2017-11-03 19:00:00,MST-7,2017-11-03 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Trained spotter reported 3.3 inches of new snow in 3 hours." +115701,695278,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 19:53:00,CST-6,2017-05-16 19:53:00,0,0,0,0,10.00K,10000,0.00K,0,42.44,-94.34,42.44,-94.34,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Amateur radio operator reported a transformer blown down/over." +115701,695288,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-16 20:10:00,CST-6,2017-05-16 20:10:00,0,0,0,0,50.00K,50000,0.00K,0,41.84,-94.1,41.84,-94.1,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported a 4-plex apartment building had its roof blown off. Time estimated by radar." +121196,725846,MONTANA,2017,November,Heavy Snow,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-03 10:00:00,MST-7,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Social media report of a car sliding off the road near a residence 22 miles WNW of Choteau." +116138,698074,NEBRASKA,2017,May,Thunderstorm Wind,"SHERIDAN",2017-05-14 22:45:00,MST-7,2017-05-14 22:45:00,0,0,0,0,25.00K,25000,0.00K,0,42.9693,-102.572,42.9693,-102.572,"During the late evening hours on May 14th, thunderstorms with damaging wind gusts brought down a Viaero communications tower south of White Clay, in northern Sheridan County. During the early morning hours on May 15th, thunderstorm wind gusts to 64 mph were recorded at the Valentine ASOS, near Valentine, in northeast Cherry County.","General public reported that a Viaero communications tower was blown down due to damaging thunderstorm winds in excess of 60 mph. The tower was located 3 miles south of White Clay, and 1 mile west of highway 87 in northern Sheridan County." +116144,703495,OKLAHOMA,2017,May,Tornado,"MUSKOGEE",2017-05-18 21:37:00,CST-6,2017-05-18 21:39:00,0,0,0,0,25.00K,25000,0.00K,0,35.73,-95.4173,35.752,-95.3932,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed on Eagle Crest Golf Club, where several homes were damaged and trees were uprooted. It moved northeast blowing down trees and power poles, and then dissipated on the west side of Muskogee. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +116144,703496,OKLAHOMA,2017,May,Tornado,"WAGONER",2017-05-18 21:39:00,CST-6,2017-05-18 21:52:00,0,0,0,0,120.00K,120000,0.00K,0,35.8548,-95.5275,35.9625,-95.4019,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed south of Porter where it uprooted trees and destroyed an outbuilding. It moved northeast damaging homes, destroying outbuildings, uprooting or snapping numerous trees, and blowing down power poles. The tornado dissipated on the northwestern side of Wagoner, north of Highway 51. Based on this damage, maximum estimated wind in the tornado was 95 to 105 mph." +116257,698929,ILLINOIS,2017,May,Strong Wind,"EDWARDS",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116257,698930,ILLINOIS,2017,May,Strong Wind,"WABASH",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Carbondale airport was 40 mph.","" +116259,698937,MISSOURI,2017,May,Strong Wind,"BOLLINGER",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698938,MISSOURI,2017,May,Strong Wind,"BUTLER",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698939,MISSOURI,2017,May,Strong Wind,"CAPE GIRARDEAU",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698940,MISSOURI,2017,May,Strong Wind,"CARTER",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698941,MISSOURI,2017,May,Strong Wind,"MISSISSIPPI",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698942,MISSOURI,2017,May,Strong Wind,"NEW MADRID",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698943,MISSOURI,2017,May,Strong Wind,"PERRY",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698944,MISSOURI,2017,May,Strong Wind,"RIPLEY",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +115268,692043,KENTUCKY,2017,May,Thunderstorm Wind,"CALLOWAY",2017-05-27 16:25:00,CST-6,2017-05-27 16:25:00,0,0,0,0,7.00K,7000,0.00K,0,36.6507,-88.2817,36.62,-88.2659,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Trees were blown down, blocking Highway 94 a few miles east of Murray. Three miles northeast of Murray, a downed tree blocked a secondary road." +115268,692551,KENTUCKY,2017,May,Thunderstorm Wind,"TRIGG",2017-05-27 16:30:00,CST-6,2017-05-27 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,36.97,-87.72,36.97,-87.72,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Large tree limbs over two inches in diameter were down." +115620,694549,ILLINOIS,2017,May,Flood,"PULASKI",2017-05-01 00:00:00,CST-6,2017-05-23 06:00:00,0,0,0,0,0.00K,0,50.00K,50000,37.18,-89.08,37.1899,-89.0758,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","An extended period of moderate flooding occurred on the Ohio River. At the Grand Chain river gage, the river crested at 51.2 feet on May 11. Major flooding begins at 53 feet. Low-lying cropland and a nature preserve were flooded, along with some side roads." +115955,696826,MISSOURI,2017,May,Flood,"CAPE GIRARDEAU",2017-05-01 00:00:00,CST-6,2017-05-31 23:59:00,0,0,0,0,500.00K,500000,100.00K,100000,37.2523,-89.4912,37.3595,-89.4397,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Major flooding occurred along the Mississippi River early in the month. At the Cape Girardeau river gage, the river crested at 45.99 feet on the 6th. Flood stage is 32 feet. This flood crest was only a few inches below the major flood crest in the spring of 2011, but it was nearly three feet below the record set in 2016. The river remained above flood stage for the entire month. There was extensive flooding of low-lying areas of Cape Girardeau County, including dozens of roads, thousands of acres of agricultural land, and some homes and businesses. About 14,000 acres of cropland were flooded, along with another 7,000 acres of land not used for crops. Floodwaters backed up creeks and a diversion channel across southern parts of Cape Girardeau County, threatening areas along Highway 74 out to Dutchtown. A combination of Mississippi River backwater and headwater from small tributaries such as the Whitewater River caused problems as far inland as Delta and Allenville. Highways 74 and 25 were closed. Voluntary evacuations were requested in the Allenville area, where water blocked all roads into town. A couple of houses were flooded in Allenville. Countywide, more than 30 county and state roads were closed, including Highway 177 at the Cape Girardeau city limits. The Red Cross opened a shelter for flood victims. In Cape Girardeau, several homes and a couple of businesses were sandbagged in an area known as the Red Star neighborhood. More than 15 streets were closed by flooding in the city on both the north and south sides of town. Flood mitigation buyouts have resulted in considerably less property damage than the major floods of the 1990's." +116182,698352,NEBRASKA,2017,May,Hail,"SEWARD",2017-05-16 16:15:00,CST-6,2017-05-16 16:15:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-97.1,40.91,-97.1,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","" +116182,698389,NEBRASKA,2017,May,Hail,"SAUNDERS",2017-05-16 16:35:00,CST-6,2017-05-16 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-96.83,41.17,-96.83,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter to half dollar size hail was reported." +116182,698390,NEBRASKA,2017,May,Hail,"DODGE",2017-05-16 16:38:00,CST-6,2017-05-16 16:38:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-96.51,41.41,-96.51,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter to golf ball hail was reported." +116182,698391,NEBRASKA,2017,May,Hail,"DODGE",2017-05-16 16:51:00,CST-6,2017-05-16 16:51:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-96.49,41.44,-96.49,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Hail up to golf ball size was reported." +116316,699405,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-05-03 13:02:00,CST-6,2017-05-03 13:02:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","ASOS at Lakefront Airport reported a 39 knot wind gust in a thunderstorm." +116316,699407,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-03 15:48:00,CST-6,2017-05-03 15:48:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","CMAN station PSTL1 reported a 48 knot wind gust in a thunderstorm." +116168,698246,IOWA,2017,May,Hail,"MONROE",2017-05-17 15:29:00,CST-6,2017-05-17 15:29:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-92.8,41.03,-92.8,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Fire Chief reported quarter sized hail in Albia." +116168,698274,IOWA,2017,May,Thunderstorm Wind,"BOONE",2017-05-17 15:25:00,CST-6,2017-05-17 15:50:00,0,0,0,0,75.00K,75000,0.00K,0,41.98,-93.72,42.0433,-93.9977,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported multiple farmsteads with roofs blown off, damage to several outbuildings, a garage blown off the foundation, and power lines down. The roof and upper levels of an old corn crib were blown off, windows broken from debris blowing into the window, a garage door was ripped off the track, 6 inch diameter tree limbs were down, large trees were down blocking a road. Another large tree limb landed on a van and porch roof destroying the van and roof." +116168,698284,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:13:00,CST-6,2017-05-17 16:13:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-92.91,42.04,-92.91,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","RWIS on US 30 recorded at 59 mph wind gust." +114794,688803,KANSAS,2017,May,Hail,"ROOKS",2017-05-18 17:10:00,CST-6,2017-05-18 17:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1342,-99.57,39.1342,-99.57,"Severe hail fell over southwestern Rooks County in the late afternoon on this Thursday. A broken line of severe multicell and supercell thunderstorms developed over central Kansas and was gradually lifting north between 3 and 4 PM CST. North central Kansas had been enshrouded by low stratus overcast through the day. So as these storms encountered this less favorable environment, roughly along and north of Interstate 70, the storms terminated their northward movement and began moving east by 5 PM CST. However, a few new storms developed on the northwest fringe of this activity between 4 and 5 PM CST. The first of these storms formed over Ellis County and moved north through the western portion of the County. This storm continued north and crossed into western Rooks County around 5 PM. It produced severe hail over the southwest part of the County, the largest of which was 1.5 inches. The storm then rapidly weakened.||A cold front had crossed the area on the afternoon and evening of the 17th. This front was stationary near the Kansas-Oklahoma border at dawn on the 18th, with low pressure organizing near the Oklahoma Panhandle. Through the day, the front returned north as a warm front, but only the southeast half of the State made it into the warm sector. In the upper-levels, southwest flow was over the Plains. A low was embedded within a longwave trough over the Western U.S., and was making its way from Utah into Colorado. A shortwave trough orbiting the low was ejecting over the Plains. The storm that produced the severe hail was elevated as the temperature at Hayes, Kansas was only 59 degrees just prior to this storm forming, with winds from the east-northeast at 20 kt, gusting to 26 kt. MUCAPE was near 1250 J/kg, with effective deep layer shear near 65 kt.","" +115558,693918,KANSAS,2017,May,High Wind,"MITCHELL",2017-05-25 23:12:00,CST-6,2017-05-25 23:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very small wake low occurred late on this Thursday evening. A small cluster of severe multicell thunderstorms formed over northwest Kansas during the late afternoon hours. This cluster moved east across north central Kansas during the evening hours, following Interstate 70. As this occurred, a fairly large shield of enhanced stratiform rain developed to its north, encompassing all of north central Kansas. As the western edge of this rain shield progressed eastward, radar showed a small area of rapidly eroding reflectivity over Mitchell County, especially above 30 dBZ. This was evidence of subsidence associated with microphysical processes, the evaporation of cloud and precipitation particles, and the formation of a wake low. While several mesonet stations, and a couple airports, experienced large pressure plunges, only two stations measured significant winds. The highest gust was 58 mph in the town of Glen Elder. This station also indicated a temperature increase from 65 to 74 degrees, and a drop in dewpoint temperature from 63 to 56 degrees, immediately after the peak wind. Ten miles to the east, the anemometer at the Beloit airport measured 53 mph. The altimeter dropped from 29.58 to 29.43 inches in just 5 minutes (from 1125 to 1130 PM CST). By the time the back edge of the rain shield moved into Cloud County, there was a small, well defined notch in the reflectivity.","" +116570,700975,TEXAS,2017,May,Thunderstorm Wind,"NEWTON",2017-05-03 17:38:00,CST-6,2017-05-03 17:38:00,0,0,0,0,4.00K,4000,0.00K,0,31.04,-93.73,31.04,-93.73,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Trees were downed 255 and Highway 87." +115945,697632,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:02:00,EST-5,2017-05-31 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-72.92,42.52,-72.92,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 502 PM EST, dime size hail covered the ground in Plainfield." +115945,697631,MASSACHUSETTS,2017,May,Hail,"FRANKLIN",2017-05-31 16:57:00,EST-5,2017-05-31 16:59:00,0,0,0,0,0.00K,0,0.00K,0,42.7,-72.9,42.7,-72.9,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","Dime size hail began in Rowe at 457 PM EST and increased to nickel size at 459 PM EST." +115945,697637,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:05:00,EST-5,2017-05-31 17:05:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-72.56,42.33,-72.56,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 505 PM EST, quarter size hail fell at East Hadley." +115945,697669,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:43:00,EST-5,2017-05-31 17:43:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-72.72,42.4,-72.72,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 543 PM EST, quarter size hail was reported in Williamsburg." +115945,697644,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:45:00,EST-5,2017-05-31 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-72.68,42.33,-72.68,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 545 PM EST, dime size hail was reported in Northampton." +115945,697647,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:54:00,EST-5,2017-05-31 17:54:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-72.68,42.33,-72.68,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 554 PM EST, nickel size hail was reported in Northampton." +115945,697648,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 17:54:00,EST-5,2017-05-31 17:54:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-72.68,42.27,-72.68,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 554 PM EST, nickel size hail was reported in Easthampton." +116615,701315,GEORGIA,2017,May,Strong Wind,"CHEROKEE",2017-05-04 09:30:00,EST-5,2017-05-04 11:30:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The Cherokee County Emergency Manager reported numerous trees and power lines blown down across the county. A tree fell on a garage on Pinebrook Drive in Waleska; falling trees brought down power lines at Providence Drive and Univeter Road; and fallen trees blocked the roadway at Sixes Road and Woodbridge Chase." +116615,701318,GEORGIA,2017,May,Strong Wind,"GWINNETT",2017-05-04 11:30:00,EST-5,2017-05-04 13:30:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The Gwinnett County Emergency Manager reported numerous trees and power lines blown down across the county. Trees fell on houses on Buford Drive near Maddox Street and on Grayson New Hope Road. Downed trees and power lines blocked roadways on Williams Road, South Lee Street, Mount Tabor Circle, Prospect Church Road, Centerville Rosebud Road, Millers Pond Way and Lakeshore Drive." +116615,701319,GEORGIA,2017,May,Strong Wind,"HENRY",2017-05-04 11:30:00,EST-5,2017-05-04 12:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","A report was received on social media of a tree blown down on Huntridge Drive." +116615,701322,GEORGIA,2017,May,Strong Wind,"TROUP",2017-05-04 10:00:00,EST-5,2017-05-04 11:00:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level low and an accompanying strong cold front, combined with the effects of a mesoscale surface low to produce numerous reports of wind damage across north and parts of central Georgia.","The GDOT reported a tree blown down onto I-85 near mile post 6 blocking the rightmost lane." +116613,701284,GEORGIA,2017,May,Strong Wind,"UNION",2017-05-01 06:25:00,EST-5,2017-05-01 09:48:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level trough and accompanying strong surface low, caused scattered wind damage across portions of the north Georgia mountains.","The Union County Emergency Manager reported numerous trees blown down across the county. Some location include Spring Cove Road, Gainesville Highway, Tanner Road, Kiatuestia Road, Self Mountain Road, Craig Gap Road. Some of the falling trees brought down power lines and one tree fell on a house on Bertson Circle." +116613,701285,GEORGIA,2017,May,Strong Wind,"WHITE",2017-05-01 10:00:00,EST-5,2017-05-01 12:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"A strong low-level jet, associated with a deep upper-level trough and accompanying strong surface low, caused scattered wind damage across portions of the north Georgia mountains.","The White County Emergency Manager reported several trees blown down in the Helen and Cleveland areas." +115948,696761,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 19:05:00,EST-5,2017-05-28 19:10:00,0,0,0,0,,NaN,,NaN,33.69,-81.11,33.69,-81.11,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Trees down on US Hwy 321 near border of Lexington Co and Orangeburg Co." +116706,701793,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 17:25:00,CST-6,2017-05-15 17:25:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-101.57,35.73,-101.57,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701794,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 17:28:00,CST-6,2017-05-15 17:28:00,0,0,0,0,0.00K,0,0.00K,0,35.72,-101.56,35.72,-101.56,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701795,TEXAS,2017,May,Hail,"CARSON",2017-05-15 17:35:00,CST-6,2017-05-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-101.38,35.35,-101.38,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701796,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:40:00,CST-6,2017-05-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.96,35.64,-101.96,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116422,700354,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:23:00,CST-6,2017-05-25 17:23:00,0,0,0,0,9.00K,9000,0.00K,0,39.0901,-101.0168,39.0857,-101.0168,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","About six power poles were blown down beginning at the CR Cedar Crest/CR 350 intersection and on south. Some of the poles were on the road." +116422,700356,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:33:00,CST-6,2017-05-25 17:33:00,0,0,0,0,50.00K,50000,0.00K,0,39.0809,-100.905,39.0809,-100.905,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A metal machine shed was destroyed on CR 410 a half mile north of CR Broken Bow." +116422,700359,KANSAS,2017,May,Thunderstorm Wind,"LOGAN",2017-05-25 17:39:00,CST-6,2017-05-25 17:39:00,0,0,0,0,2.00K,2000,0.00K,0,39.1266,-100.8665,39.1266,-100.8665,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","Numerous large tree limbs of assorted sizes blown down and siding blown off a house in southwest Oakley." +116422,700361,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-25 15:35:00,MST-7,2017-05-25 15:35:00,0,0,0,0,8.00K,8000,0.00K,0,39.3296,-101.5776,39.3296,-101.5776,"A severe thunderstorm moved east across Northwest Kansas during the latter half of the afternoon and into the early evening. Meanwhile a second severe thunderstorm moved into Kansas along I-70 moving east-southeast. This thunderstorm produced hail up to baseball size and wind gusts as high as 85 MPH. The largest hail fell in southeast Sherman county and was accompanied by 80 MPH wind gusts. The majority of the straight-line wind damage occurred in Logan and Gove counties. The most noteworthy damage included two Morton buildings blown down near Oakley, and an empty grain bin blown off its foundation near Morland.","A semi was blown over on I-70 near mile marker 25." +116764,702167,LOUISIANA,2017,May,Flash Flood,"IBERIA",2017-05-30 10:49:00,CST-6,2017-05-30 11:49:00,0,0,0,0,30.00K,30000,0.00K,0,30.0329,-91.8227,30.0103,-91.7434,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","Lafayette broadcast media posted a picture to social media of roadways flooded in New Iberia. A few homes and business also flooded in the event. 3 to 5 inches of rain fell in a short period of time." +116764,702168,LOUISIANA,2017,May,Thunderstorm Wind,"VERNON",2017-05-28 18:42:00,CST-6,2017-05-28 18:42:00,0,0,0,0,2.00K,2000,0.00K,0,31.33,-93.4,31.33,-93.4,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","Tree down along route 473 in Hornbeck." +116764,702169,LOUISIANA,2017,May,Thunderstorm Wind,"VERNON",2017-05-28 18:53:00,CST-6,2017-05-28 18:53:00,0,0,0,0,4.00K,4000,0.00K,0,31.26,-93.34,31.26,-93.34,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","Trees down along Highway 111 in Anacoco." +116764,702170,LOUISIANA,2017,May,Thunderstorm Wind,"RAPIDES",2017-05-28 19:45:00,CST-6,2017-05-28 19:45:00,0,0,0,0,6.00K,6000,0.00K,0,31.4,-92.87,31.4,-92.87,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","Trees reported down in Flatwoods and several other locations in Rapides Parish." +116764,702171,LOUISIANA,2017,May,Thunderstorm Wind,"RAPIDES",2017-05-28 19:42:00,CST-6,2017-05-28 19:42:00,0,0,0,0,4.00K,4000,0.00K,0,31.14,-92.76,31.14,-92.76,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","Trees down along Highways 463 and 121 near Hineston." +116764,702172,LOUISIANA,2017,May,Thunderstorm Wind,"AVOYELLES",2017-05-28 20:45:00,CST-6,2017-05-28 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,30.95,-92.19,30.95,-92.19,"A southeast advancing squall line ahead of a cold front produced scattered reports of damage. The front moved to the coast and stalled for a couple days and produced some flooding in south central Louisiana.","A 30 feet tall tree broke off and fell onto a house." +116765,702176,MAINE,2017,May,Flood,"AROOSTOOK",2017-05-03 08:00:00,EST-5,2017-05-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,46.682,-68.8623,46.7009,-68.2581,"Late season snow melt and heavy rains contributed to elevated lake and pond levels across northern Aroostook county. The rising waters encroached on roads and the foundations of some structures which led to minor flooding. The rising water levels also lifted ice which still covered some lakes. The ice damaged some decks.","Late season snow melt and heavy rains led to elevated lake and pond levels. The rising waters encroached on roads and the foundations of some structures which led to minor flooding. Minor flooding was reported along Portage Lake...Soldier Pond and Long Lake. Route 162 in Sinclair was reduced to one lane due to rising water from Long Lake. The water also encroached on the causeway which leads to Pelletier Island in Long Lake. The rising water also lifted ice which still covered some lakes. The ice damaged the decks of some structures." +114792,693895,NEBRASKA,2017,May,Thunderstorm Wind,"HALL",2017-05-16 18:20:00,CST-6,2017-05-16 18:20:00,0,0,0,0,25.00K,25000,0.00K,0,40.82,-98.31,40.82,-98.31,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A semi truck was blown over on Interstate 80, blocking both lanes of traffic near mile marker 316." +114792,693897,NEBRASKA,2017,May,Thunderstorm Wind,"THAYER",2017-05-16 18:47:00,CST-6,2017-05-16 18:47:00,0,0,0,0,10.00K,10000,0.00K,0,40.15,-97.39,40.15,-97.39,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Near the intersection of Highways 136 and 53 just east of Gilead, 3 power poles were snapped." +114792,693899,NEBRASKA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-16 23:31:00,CST-6,2017-05-16 23:31:00,0,0,0,0,10.00K,10000,0.00K,0,40.3,-98.73,40.3,-98.73,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Wind gust were estimated to be between 65 and 70 MPH." +114792,693903,NEBRASKA,2017,May,Thunderstorm Wind,"ADAMS",2017-05-16 23:58:00,CST-6,2017-05-17 00:02:00,0,0,0,0,35.00K,35000,0.00K,0,40.5511,-98.38,40.5265,-98.3508,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","Wind gusts were estimated to be near 60 MPH. There were a few tree limbs downed in town, and to the south-southeast of town an irrigation pivot was overturned." +116771,702263,NORTH CAROLINA,2017,May,Thunderstorm Wind,"COLUMBUS",2017-05-28 18:40:00,EST-5,2017-05-28 18:41:00,0,0,0,0,3.00K,3000,0.00K,0,34.1676,-78.597,34.166,-78.5968,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","Trees and power lines were reported down near the intersection of Dock Rd. and New Britton Highway." +113051,686693,MASSACHUSETTS,2017,March,High Wind,"SOUTHERN BRISTOL",2017-03-14 12:39:00,EST-5,2017-03-14 13:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","A reliable, trained amateur radio spotter at West Island in Fairhaven reported wind gusts to 64 mph at 139 PM EDT and then a peak of 71 mph at 221 PM." +114167,683705,TENNESSEE,2017,March,Thunderstorm Wind,"GIBSON",2017-03-01 05:15:00,CST-6,2017-03-01 05:20:00,0,0,0,0,60.00K,60000,0.00K,0,36.0462,-88.8162,36.0455,-88.7961,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large trees down along Mulberry Grove Road near Bradford. Some structural damage and some trees on houses and sheds." +114167,683706,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-01 05:20:00,CST-6,2017-03-01 05:25:00,0,0,0,0,20.00K,20000,0.00K,0,36.2522,-88.8963,36.2532,-88.8681,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Utility poles down." +114167,683707,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-01 05:20:00,CST-6,2017-03-01 05:25:00,0,0,0,0,10.00K,10000,0.00K,0,36.2522,-88.8963,36.2532,-88.8681,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Utility poles down." +114167,683708,TENNESSEE,2017,March,Thunderstorm Wind,"GIBSON",2017-03-01 05:20:00,CST-6,2017-03-01 05:25:00,0,0,0,0,30.00K,30000,0.00K,0,35.92,-88.77,35.9216,-88.7362,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Metal roof removed from structure and blown on neighbor's home." +114167,683709,TENNESSEE,2017,March,Thunderstorm Wind,"WEAKLEY",2017-03-01 05:23:00,CST-6,2017-03-01 05:30:00,0,0,0,0,60.00K,60000,0.00K,0,36.4232,-88.7186,36.4238,-88.6813,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Roof blown off barn and cedar trees blown over. Damage to bee apiary." +114498,686632,ARKANSAS,2017,March,Thunderstorm Wind,"CLAY",2017-03-25 00:55:00,CST-6,2017-03-25 01:05:00,0,0,0,0,20.00K,20000,0.00K,0,36.376,-90.2177,36.3804,-90.1641,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","Front of wooded retail building/overhang collapsed." +114498,686633,ARKANSAS,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-25 01:29:00,CST-6,2017-03-25 01:32:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-89.83,35.9319,-89.8146,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","" +113051,683058,MASSACHUSETTS,2017,March,Heavy Snow,"WESTERN FRANKLIN",2017-03-14 03:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow throughout much of the day. Snowfall totals ranged from 12 to 18 inches across western Franklin County." +113027,675619,CONNECTICUT,2017,March,Heavy Snow,"WINDHAM",2017-03-14 03:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of northern Connecticut, with snowfall rates of 3 to 4 inches per hour at times. Strong winds gusted past 50 mph at times.","Heavy snow, coming down at the rate of 2 inches per hour at times, occurred in the morning and early afternoon. Totals reached 8 to 12 inches across Windham County, highest in the northern portions. Some specific amounts included: 12.0 inches in Ashford; 10.5 inches in Woodstock and Pomfret; 10.0 inches in Hampton; 9.2 inches in East Killingly; 8.5 inches in Danielson; and 8.0 inches in Windham." +114340,685159,NEW YORK,2017,March,Strong Wind,"ORANGE",2017-03-02 03:00:00,EST-5,2017-03-02 06:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","A wind gust up to 54 mph was measured at Stewart International Airport at 445 am." +114301,685028,ARKANSAS,2017,March,Hail,"MARION",2017-03-09 20:45:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-92.69,36.23,-92.69,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Pea to nickel sized hail covered the ground." +114301,685030,ARKANSAS,2017,March,Hail,"MARION",2017-03-09 20:50:00,CST-6,2017-03-09 20:50:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-92.67,36.17,-92.67,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685031,ARKANSAS,2017,March,Hail,"SEARCY",2017-03-09 21:02:00,CST-6,2017-03-09 21:02:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-92.55,36.05,-92.55,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685032,ARKANSAS,2017,March,Hail,"STONE",2017-03-09 21:25:00,CST-6,2017-03-09 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.96,-92.23,35.96,-92.23,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Social media had a picture of hail accumulation on the ground with hailstones up to ping pong ball size." +114301,685033,ARKANSAS,2017,March,Hail,"STONE",2017-03-09 21:30:00,CST-6,2017-03-09 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-92.11,35.87,-92.11,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685037,ARKANSAS,2017,March,Hail,"INDEPENDENCE",2017-03-09 21:50:00,CST-6,2017-03-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-91.79,35.82,-91.79,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685040,ARKANSAS,2017,March,Thunderstorm Wind,"INDEPENDENCE",2017-03-09 21:50:00,CST-6,2017-03-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-91.79,35.82,-91.79,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685045,ARKANSAS,2017,March,Hail,"INDEPENDENCE",2017-03-09 22:23:00,CST-6,2017-03-09 22:23:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-91.42,35.6,-91.42,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685047,ARKANSAS,2017,March,Thunderstorm Wind,"INDEPENDENCE",2017-03-09 22:23:00,CST-6,2017-03-09 22:23:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-91.42,35.6,-91.42,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685048,ARKANSAS,2017,March,Hail,"CONWAY",2017-03-09 23:35:00,CST-6,2017-03-09 23:35:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.79,35.09,-92.79,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114118,685816,TENNESSEE,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-01 06:11:00,CST-6,2017-03-01 06:11:00,0,0,0,0,3.00K,3000,0.00K,0,36.0284,-87.7714,36.0284,-87.7714,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported three trees down on Highway 13." +114118,685817,TENNESSEE,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-01 06:21:00,CST-6,2017-03-01 06:21:00,0,0,0,0,1.00K,1000,0.00K,0,36.0977,-87.5988,36.0977,-87.5988,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported a tree down on Highway 1." +114423,686507,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 23:09:00,CST-6,2017-03-09 23:09:00,0,0,0,0,3.00K,3000,0.00K,0,35.8576,-86.7661,35.8576,-86.7661,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several trees down on Trinity Road near Arno Road." +114118,683880,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:10:00,CST-6,2017-03-01 07:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.26,-86.65,36.26,-86.65,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree fell onto a mobile home in Old Hickory." +114118,685550,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-01 12:23:00,CST-6,2017-03-01 12:23:00,0,0,0,0,3.00K,3000,0.00K,0,35.4162,-86.1503,35.4162,-86.1503,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down across Rutledge Falls Road and Sears Roebuck Road." +114118,685552,TENNESSEE,2017,March,Hail,"COFFEE",2017-03-01 12:38:00,CST-6,2017-03-01 12:38:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-86.03,35.38,-86.03,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","" +114118,683637,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:33:00,CST-6,2017-03-01 06:33:00,0,0,0,0,1.00K,1000,0.00K,0,36.5222,-87.3478,36.5222,-87.3478,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Greenwood Avenue." +114118,685102,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:01:00,CST-6,2017-03-01 08:06:00,0,0,0,0,5.00K,5000,0.00K,0,36.135,-85.803,36.1521,-85.7201,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey found a 5 mile long swath of wind damage associated with the rear flank downdraft of the EF1 Buffalo Valley tornado located just to the north. Trees and large tree limbs were blown down from the Caney Fork river eastward to Indian Creek Road near Tightfit Road. The roof of an old barn was damaged on Hopewell Road." +114118,685620,TENNESSEE,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-01 06:20:00,CST-6,2017-03-01 06:20:00,0,0,0,0,3.00K,3000,0.00K,0,36.32,-87.7,36.32,-87.7,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported trees blown down on Highway 13, Highway 149, and Highway 46 in Houston County." +114423,686595,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:46:00,CST-6,2017-03-09 23:46:00,0,0,0,0,2.00K,2000,0.00K,0,35.4169,-86.4593,35.4169,-86.4593,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Old Center Church Road." +114423,686597,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:53:00,CST-6,2017-03-09 23:53:00,0,0,0,0,1.00K,1000,0.00K,0,35.3618,-86.3625,35.3618,-86.3625,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Womble Road." +114449,687222,MISSISSIPPI,2017,March,Thunderstorm Wind,"LEFLORE",2017-03-25 02:33:00,CST-6,2017-03-25 02:33:00,0,0,0,0,5.00K,5000,0.00K,0,33.641,-90.35,33.641,-90.35,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","A utility pole was broken along MS Highway 442 in Schlater." +114449,687223,MISSISSIPPI,2017,March,Thunderstorm Wind,"LAUDERDALE",2017-03-25 08:35:00,CST-6,2017-03-25 08:35:00,0,0,0,0,2.00K,2000,0.00K,0,32.5265,-88.8156,32.5265,-88.8156,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Strong wind gusts associated with a line of thunderstorms blew a tree down across Center Hill Road near the Okatibee Reservoir." +114611,687550,NEW JERSEY,2017,March,Winter Storm,"EASTERN ESSEX",2017-03-14 00:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 6 to 9 inches of snow and sleet." +114611,687551,NEW JERSEY,2017,March,Winter Storm,"HUDSON",2017-03-14 00:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","A COOP Observer reported 7.2 inches of snow and sleet in Harrison. A trained spotter reported 8.1 inches of snow and sleet in Hoboken." +114611,687553,NEW JERSEY,2017,March,Winter Storm,"EASTERN UNION",2017-03-14 00:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","A trained spotter reported 9.2 inches of snow and sleet in Elizabeth. Newark Airport reported 6.7 inches of snow and sleet. A 47 mph wind gust was reported at Newark Airport at 9:18 pm." +114683,687898,TENNESSEE,2017,March,Hail,"MAURY",2017-03-21 14:53:00,CST-6,2017-03-21 14:53:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-87.3,35.6,-87.3,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","" +114683,687923,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:39:00,CST-6,2017-03-21 15:39:00,0,0,0,0,3.00K,3000,0.00K,0,35.75,-86.55,35.75,-86.55,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Several trees were blown down in Rockvale." +114423,686579,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:34:00,CST-6,2017-03-09 23:34:00,0,0,0,0,2.00K,2000,0.00K,0,35.6214,-86.4817,35.6214,-86.4817,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down on Midland Road." +114609,687489,NEW YORK,2017,March,Winter Storm,"NORTHERN WESTCHESTER",2017-03-14 01:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Trained spotters, a cooperative observer, and the public reported 11 to 15 inches of snowfall. Some sleet also mixed in with the heavy snow. A 49 mph wind gust was also reported at a WeatherFlow mesonet station in Mamaroneck at 2:17 pm." +114683,687958,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:15:00,CST-6,2017-03-21 16:15:00,0,0,0,0,3.00K,3000,0.00K,0,35.72,-85.92,35.72,-85.92,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A trained spotter measured a 55 mph wind gust and reported trees were blown down in Centertown, including a two foot diameter tree that was uprooted." +114118,690294,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-01 07:31:00,CST-6,2017-03-01 07:31:00,0,0,0,0,5.00K,5000,0.00K,0,35.8761,-86.4006,35.8761,-86.4006,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Facebook photos showed several trees snapped and uprooted on Trinity Drive in Murfreesboro with one tree falling onto and crushing a carport." +114118,685022,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-01 07:17:00,CST-6,2017-03-01 07:18:00,0,0,0,0,30.00K,30000,0.00K,0,36.303,-86.6383,36.304,-86.6323,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Emergency management reports, media photos and video, and radar data show a brief but intense microburst struck around the intersection of Main Street and New Shackle Island Road in Hendersonville. The roofs were damaged, windows blown out, and signs destroyed on several businesses west of New Shackle Island Road. Just to the east, the roof was blown off and a garage door caved in on a warehouse east of New Shackle Island Road. Several trees and power lines were also blown down in the area. Winds were estimated up to 75 mph." +114735,688214,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-27 15:11:00,CST-6,2017-03-27 15:11:00,0,0,0,0,3.00K,3000,0.00K,0,36.4233,-86.5974,36.4233,-86.5974,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Trees were blown down on Weeping Willow Road." +114735,688215,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-27 15:21:00,CST-6,2017-03-27 15:21:00,0,0,0,0,5.00K,5000,0.00K,0,36,-86.52,36,-86.52,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Roof damage was reported to a hanger at the Smyrna Airport." +114735,688216,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-27 15:23:00,CST-6,2017-03-27 15:23:00,0,0,0,0,3.00K,3000,0.00K,0,36.4,-86.45,36.4,-86.45,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","WSMV-TV reported large trees blown down in Gallatin." +114735,688217,TENNESSEE,2017,March,Thunderstorm Wind,"MACON",2017-03-27 15:35:00,CST-6,2017-03-27 15:35:00,0,0,0,0,2.00K,2000,0.00K,0,36.5682,-86.2158,36.5682,-86.2158,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A couple of trees were blown down on Epperson Springs Road." +114735,688283,TENNESSEE,2017,March,Hail,"WAYNE",2017-03-27 18:25:00,CST-6,2017-03-27 18:25:00,0,0,0,0,0.00K,0,0.00K,0,35.3238,-87.743,35.3238,-87.743,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Public reported golf ball size hail just east of Waynesboro." +114735,688284,TENNESSEE,2017,March,Hail,"PERRY",2017-03-27 16:59:00,CST-6,2017-03-27 16:59:00,0,0,0,0,10.00K,10000,0.00K,0,35.606,-87.8388,35.606,-87.8388,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Public reported hail as large as baseball to 3 inches in diameter just south and southeast of Linden. Numerous homes and vehicles were damaged." +114735,688334,TENNESSEE,2017,March,Tornado,"PERRY",2017-03-27 17:12:00,CST-6,2017-03-27 17:13:00,0,0,0,0,5.00K,5000,0.00K,0,35.5514,-87.6745,35.557,-87.6641,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Tornado started on Old Hohenwald Road at the Perry/Lewis County line. The tornado then briefly crossed into Perry County and then back into Lewis County as it crossed Highway 412. Most of the damage at this location was to dozens of hardwood and softwood trees uprooted with some minor roof and outbuilding damage also observed. The tornado then traveled east-northeast and uprooted dozens more trees and caused minor roof damage on McCord-Hollow Road. The tornado caused more damage to trees on Goodman Branch Road which was within a mile of the tornado that occurred almost exactly a year ago on March 31, 2016. The tornado finally weakened and lifted just north of Hohenwald." +115332,692497,NEBRASKA,2017,March,High Wind,"KIMBALL",2017-03-06 12:30:00,MST-7,2017-03-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The UPR wind sensor 10 miles east of Bushnell measured a peak gust of 64 mph." +114928,693023,CALIFORNIA,2017,January,Flood,"LASSEN",2017-01-08 15:30:00,PST-8,2017-01-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5895,-120.2577,40.6473,-120.2661,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","The Secret Valley Rest area on Highway 395 was flooded, likely due to the overflow of a branch of Secret Creek. Highway 395 was closed between Wendel Road and Termo at around 2045PST on the 8th. The end time is approximate and based on the end of heavier rain on the 9th. Damages from this specific event are unknown, although a preliminary damage assessment (CALTRANS) for flood repairs to Highway 395 in January and February totaled $1.8M." +114927,692958,NEVADA,2017,January,Winter Weather,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-01-07 06:00:00,PST-8,2017-01-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Freezing rain resulted in 0.1 inches of ice 3 miles west-southwest of Gardnerville." +121753,728818,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BEAVER",2017-11-05 19:40:00,EST-5,2017-11-05 19:40:00,0,0,0,0,0.50K,500,0.00K,0,40.67,-80.27,40.67,-80.27,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported a tree and wires down along Elkhorn Run Road." +121753,728819,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BEAVER",2017-11-05 19:42:00,EST-5,2017-11-05 19:42:00,0,0,0,0,0.50K,500,0.00K,0,40.66,-80.24,40.66,-80.24,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","The public reported trees and wires down." +114401,685814,MISSISSIPPI,2017,March,Thunderstorm Wind,"JEFFERSON DAVIS",2017-03-09 17:21:00,CST-6,2017-03-09 17:21:00,0,0,0,0,30.00K,30000,0.00K,0,31.65,-89.96,31.65,-89.96,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","Downburst winds snapped a few trees, peeled the roof back on a mobile home, and blew the roof off of a shed." +114610,687588,CONNECTICUT,2017,March,Winter Storm,"SOUTHERN NEW HAVEN",2017-03-14 02:00:00,EST-5,2017-03-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to New Haven County. Heavy snow and sleet was observed across the rest of southern Connecticut. ||Trees were brought down onto power lines and approximately 3,700 power outages resulted from the strong winds and heavy snow.","CT DOT reported 10.3 inches of snow and sleet in Milford and 8.8 inches of snow and sleet in New Haven. Some rain mixed in with the snow and sleet in the afternoon." +113706,680625,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-01 03:20:00,CST-6,2017-03-01 03:30:00,0,0,0,0,50.00K,50000,0.00K,0,36.2305,-91.273,36.2056,-91.1522,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Rodeo arena damaged and bleachers overturned. U-Haul trailer blown over. Roof blown off a home in Ravenden also." +113876,681979,TEXAS,2017,March,Thunderstorm Wind,"HARRIS",2017-03-29 09:32:00,CST-6,2017-03-29 09:32:00,0,0,0,0,0.00K,0,4.00K,4000,29.6776,-95.4972,29.6776,-95.4972,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Thunderstorm winds downed trees near the intersection of South Braeswood Blvd. and Braewick Drive." +114577,687160,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-05-17 19:15:00,CST-6,2017-05-17 19:15:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Sheboygan lakeshore weather station measured a wind gust of 38 knots." +114577,687161,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-05-17 21:10:00,CST-6,2017-05-17 21:10:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Sheboygan lakeshore weather station measured a wind gust of 47 knots." +114577,687162,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-05-17 22:18:00,CST-6,2017-05-17 22:28:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Milwaukee lakeshore weather station measured a wind gust of 45 knots. Wind gusts of 38 to 45 knots were reported for 10 minutes, between 1118 pm CDT and 1128 pm CDT." +114577,687163,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-05-17 21:50:00,CST-6,2017-05-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Kenosha lakeshore weather station measured a wind gust of 36 knots." +114577,687164,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-05-17 22:40:00,CST-6,2017-05-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Kenosha lakeshore weather station measured 20 minutes of wind gusts of 35 to 37 knots from 1140 pm CDT to 12 am CDT." +114577,687166,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-05-17 22:36:00,CST-6,2017-05-17 22:36:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Mesonet site on Racine Reef measured a wind gust of 58 knots." +114577,687167,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-05-17 23:06:00,CST-6,2017-05-17 23:06:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"Several rounds of strong thunderstorms affected the near shore waters of Lake Michigan during the evening of May 17th, 2017. These thunderstorms resulted in strong wind gusts exceeding 33 knots.","Mesonet site on Racine Reef measured a wind gust of 51 knots at 1206 am CDT 5/18/2017." +116182,699402,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-16 17:30:00,CST-6,2017-05-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-96.01,41.26,-96.01,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter size hail reported at 178th and Harrison Streets." +116182,699404,NEBRASKA,2017,May,Hail,"CASS",2017-05-16 18:46:00,CST-6,2017-05-16 18:46:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-96.43,40.79,-96.43,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","" +116182,699412,NEBRASKA,2017,May,Hail,"SARPY",2017-05-16 17:40:00,CST-6,2017-05-16 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-96.24,41.14,-96.24,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Quarter size hail reported at Highway 6 south of Highway 370." +116182,699413,NEBRASKA,2017,May,Hail,"OTOE",2017-05-16 17:45:00,CST-6,2017-05-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-96.27,40.68,-96.27,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","" +116182,699414,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-16 17:35:00,CST-6,2017-05-16 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-96.01,41.26,-96.01,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","NICKEL size hail and 50 mph winds reported." +116182,699418,NEBRASKA,2017,May,Hail,"CASS",2017-05-16 18:00:00,CST-6,2017-05-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-96.14,40.87,-96.14,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Hail up to golf ball size was reported." +117081,705141,KANSAS,2017,May,Thunderstorm Wind,"FORD",2017-05-14 20:52:00,CST-6,2017-05-14 20:52:00,0,0,0,0,,NaN,,NaN,37.75,-99.98,37.75,-99.98,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","Power lines were downed by high wind, many onto vehicles." +117082,705142,KANSAS,2017,May,Hail,"STANTON",2017-05-15 17:52:00,CST-6,2017-05-15 17:52:00,0,0,0,0,,NaN,,NaN,37.52,-101.54,37.52,-101.54,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705143,KANSAS,2017,May,Hail,"GRANT",2017-05-15 17:54:00,CST-6,2017-05-15 17:54:00,0,0,0,0,,NaN,,NaN,37.54,-101.49,37.54,-101.49,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705144,KANSAS,2017,May,Hail,"GRANT",2017-05-15 17:59:00,CST-6,2017-05-15 17:59:00,0,0,0,0,,NaN,,NaN,37.58,-101.38,37.58,-101.38,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705145,KANSAS,2017,May,Hail,"KEARNY",2017-05-15 18:29:00,CST-6,2017-05-15 18:29:00,0,0,0,0,,NaN,,NaN,37.94,-101.31,37.94,-101.31,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117084,706259,KANSAS,2017,May,Thunderstorm Wind,"PRATT",2017-05-18 16:06:00,CST-6,2017-05-18 16:06:00,0,0,0,0,,NaN,,NaN,37.51,-98.89,37.51,-98.89,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 65 to 70 MPH." +117084,706260,KANSAS,2017,May,Thunderstorm Wind,"PRATT",2017-05-18 16:08:00,CST-6,2017-05-18 16:08:00,0,0,0,0,,NaN,,NaN,37.59,-98.87,37.59,-98.87,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 70 MPH." +117084,706261,KANSAS,2017,May,Thunderstorm Wind,"PRATT",2017-05-18 16:13:00,CST-6,2017-05-18 16:13:00,0,0,0,0,,NaN,,NaN,37.65,-98.68,37.65,-98.68,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 70 MPH." +117084,706262,KANSAS,2017,May,Thunderstorm Wind,"PRATT",2017-05-18 16:14:00,CST-6,2017-05-18 16:14:00,0,0,0,0,,NaN,,NaN,37.65,-98.59,37.65,-98.59,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 70 MPH." +117084,706263,KANSAS,2017,May,Thunderstorm Wind,"RUSH",2017-05-18 16:15:00,CST-6,2017-05-18 16:15:00,0,0,0,0,,NaN,,NaN,38.45,-99.07,38.45,-99.07,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","Winds were estimated to be 65 to 70 MPH." +114369,685369,TEXAS,2017,May,Flash Flood,"NACOGDOCHES",2017-05-03 15:58:00,CST-6,2017-05-03 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6248,-94.652,31.6255,-94.652,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Excessive heavy rainfall resulted in the closure of Blount Street." +114369,685374,TEXAS,2017,May,Thunderstorm Wind,"SHELBY",2017-05-03 16:10:00,CST-6,2017-05-03 16:10:00,0,0,0,0,0.00K,0,0.00K,0,31.76,-94.08,31.76,-94.08,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A large tree was uprooted in Shelbyville." +114369,685375,TEXAS,2017,May,Thunderstorm Wind,"NACOGDOCHES",2017-05-03 16:18:00,CST-6,2017-05-03 16:18:00,0,0,0,0,0.00K,0,0.00K,0,31.62,-94.65,31.62,-94.65,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Trees were downed in town." +114369,685376,TEXAS,2017,May,Hail,"NACOGDOCHES",2017-05-03 16:25:00,CST-6,2017-05-03 16:25:00,0,0,0,0,0.00K,0,0.00K,0,31.56,-94.68,31.56,-94.68,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685377,TEXAS,2017,May,Hail,"ANGELINA",2017-05-03 16:30:00,CST-6,2017-05-03 16:30:00,0,0,0,0,0.00K,0,0.00K,0,31.35,-94.73,31.35,-94.73,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685380,TEXAS,2017,May,Flash Flood,"ANGELINA",2017-05-03 16:30:00,CST-6,2017-05-03 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.29,-94.73,31.2886,-94.72,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Low water crossings were flooded 3 miles south of Lufkin on Hwy. 59." +114369,685381,TEXAS,2017,May,Thunderstorm Wind,"ANGELINA",2017-05-03 16:34:00,CST-6,2017-05-03 16:34:00,0,0,0,0,0.00K,0,0.00K,0,31.27,-94.72,31.27,-94.72,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A tree was downed across Torry Pines Drive in the Crown Colony Subdivision." +114369,685382,TEXAS,2017,May,Thunderstorm Wind,"ANGELINA",2017-05-03 16:35:00,CST-6,2017-05-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,31.31,-94.68,31.31,-94.68,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A tree was downed across Spring Meadow Drive southeast of Lufkin, Texas." +114369,685383,TEXAS,2017,May,Hail,"NACOGDOCHES",2017-05-03 16:35:00,CST-6,2017-05-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-94.42,31.36,-94.42,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Hail was reported in the Etoile community." +114369,685384,TEXAS,2017,May,Hail,"ANGELINA",2017-05-03 16:43:00,CST-6,2017-05-03 16:43:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-94.71,31.37,-94.71,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685385,TEXAS,2017,May,Hail,"ANGELINA",2017-05-03 16:50:00,CST-6,2017-05-03 16:50:00,0,0,0,0,0.00K,0,0.00K,0,31.28,-94.58,31.28,-94.58,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","" +114369,685386,TEXAS,2017,May,Hail,"NACOGDOCHES",2017-05-03 16:53:00,CST-6,2017-05-03 16:53:00,0,0,0,0,0.00K,0,0.00K,0,31.39,-94.44,31.39,-94.44,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Hail reported at CR 1133 and 560 southwest of Chireno, Texas." +114369,685389,TEXAS,2017,May,Thunderstorm Wind,"NACOGDOCHES",2017-05-03 17:05:00,CST-6,2017-05-03 17:05:00,0,0,0,0,0.00K,0,0.00K,0,31.51,-94.34,31.51,-94.34,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Trees were downed along Hwy. 21 in Chireno, Texas." +114369,685390,TEXAS,2017,May,Thunderstorm Wind,"SABINE",2017-05-03 17:24:00,CST-6,2017-05-03 17:24:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-93.84,31.3,-93.84,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","A tree was blocking Hwy. 87 south between Hemphill and Yellowpine. Several other trees were downed across the county as well." +114369,685391,TEXAS,2017,May,Flash Flood,"SABINE",2017-05-03 17:30:00,CST-6,2017-05-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-93.79,31.3777,-93.7817,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","High water resulted in the closure of Hwy. 3121 northeast of Hemphill, Texas." +114509,686685,MICHIGAN,2017,May,Lightning,"LAPEER",2017-05-16 04:00:00,EST-5,2017-05-16 04:00:00,0,0,0,0,40.00K,40000,0.00K,0,42.9184,-83.3777,42.9184,-83.3777,"Lightning struck a house during the early morning hours of May 16th, causing considerable damage to the inside of house, blowing out windows, and damaging the siding. In addition the deck in the back of the house was also damaged.","" +113553,680206,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"EDGEFIELD",2017-04-05 12:25:00,EST-5,2017-04-05 12:30:00,0,0,0,0,,NaN,,NaN,33.84,-81.8,33.84,-81.8,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Trees were downed near the First Baptist Church." +113553,680208,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-05 13:12:00,EST-5,2017-04-05 13:17:00,0,0,0,0,,NaN,,NaN,33.51,-81.85,33.51,-81.85,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Trees were downed and blocking a highway in Burnettown." +117108,704528,NORTH CAROLINA,2017,May,Thunderstorm Wind,"HAYWOOD",2017-05-27 22:27:00,EST-5,2017-05-27 23:02:00,0,0,0,0,0.00K,0,0.00K,0,35.617,-83.171,35.389,-82.785,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees blown down throughout the county, although the heaviest concentration of damage appeared to be in the Jonathan Creek area north of Waynesville." +117108,704530,NORTH CAROLINA,2017,May,Thunderstorm Wind,"TRANSYLVANIA",2017-05-27 23:08:00,EST-5,2017-05-27 23:08:00,0,0,0,0,0.00K,0,0.00K,0,35.138,-82.878,35.138,-82.878,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported multiple trees and large limbs blown down on Wildwood Drive." +114665,688128,ALABAMA,2017,May,Thunderstorm Wind,"LIMESTONE",2017-05-20 16:29:00,CST-6,2017-05-20 16:29:00,0,0,0,0,1.00K,1000,0.00K,0,34.76,-86.83,34.76,-86.83,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked onto a home on Cricket Lane." +114665,688129,ALABAMA,2017,May,Thunderstorm Wind,"LIMESTONE",2017-05-20 16:29:00,CST-6,2017-05-20 16:29:00,0,0,0,0,,NaN,,NaN,34.84,-86.83,34.84,-86.83,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Trees were knocked down at East Limestone Road and Copeland Road." +114665,688130,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:30:00,CST-6,2017-05-20 16:30:00,0,0,0,0,,NaN,,NaN,34.64,-86.72,34.64,-86.72,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Roof damage was reported at this location due to thunderstorm winds." +114665,688131,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:30:00,CST-6,2017-05-20 16:30:00,0,0,0,0,,NaN,,NaN,34.73,-86.57,34.73,-86.57,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Several trees were reported knocked down in the Blossomwood neighborhood in Huntsville. Power was out for over one day." +114665,688132,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:33:00,CST-6,2017-05-20 16:33:00,0,0,0,0,0.20K,200,0.00K,0,34.71,-86.74,34.71,-86.74,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was down along Sunset Blvd." +114665,688133,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:37:00,CST-6,2017-05-20 16:37:00,0,0,0,0,1.00K,1000,0.00K,0,34.7,-86.63,34.7,-86.63,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on a house." +113553,680210,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-05 14:21:00,EST-5,2017-04-05 14:26:00,0,0,0,0,,NaN,,NaN,33.57,-81.57,33.57,-81.57,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","SC Highway Patrol reported trees down in roadway at 1735 Hatchaway Bridge Rd at Langdon Rd." +113552,680211,GEORGIA,2017,April,Hail,"LINCOLN",2017-04-05 10:20:00,EST-5,2017-04-05 10:25:00,0,0,0,0,0.01K,10,0.01K,10,33.67,-82.49,33.67,-82.49,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Lincoln Co EM reported nickel size hail on Greenwood Church Rd near the intersection of GA Hwy 43." +113552,680213,GEORGIA,2017,April,Hail,"LINCOLN",2017-04-05 11:26:00,EST-5,2017-04-05 11:30:00,0,0,0,0,,NaN,,NaN,33.87,-82.54,33.87,-82.54,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Lincoln Co EM reported golf ball size hail from Goshen northward to the county line." +114981,694375,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 00:53:00,CST-6,2017-05-28 00:53:00,0,0,0,0,0.20K,200,0.00K,0,34.34,-87.09,34.34,-87.09,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 1100 Andrews Road." +114981,694376,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 00:53:00,CST-6,2017-05-28 00:53:00,0,0,0,0,0.20K,200,0.00K,0,34.46,-87.05,34.46,-87.05,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at Singleton and Ironman Roads." +114981,694377,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 00:56:00,CST-6,2017-05-28 00:56:00,0,0,0,0,0.20K,200,0.00K,0,34.45,-87,34.45,-87,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 132 Forrest Chapel Road." +114981,694378,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:04:00,CST-6,2017-05-28 01:04:00,0,0,0,0,0.20K,200,0.00K,0,34.49,-86.87,34.49,-86.87,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 1100 Natural Bridge Road." +114981,694380,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:10:00,CST-6,2017-05-28 01:10:00,0,0,0,0,0.20K,200,0.00K,0,34.33,-86.88,34.33,-86.88,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 1100 Mill Creek Road." +114981,694381,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:12:00,CST-6,2017-05-28 01:12:00,0,0,0,0,0.20K,200,0.00K,0,34.35,-86.83,34.35,-86.83,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at Highway 55 East at Wilhite Road." +115096,701552,OKLAHOMA,2017,May,Hail,"CHEROKEE",2017-05-11 19:20:00,CST-6,2017-05-11 19:20:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-95.0236,35.92,-95.0236,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115106,690898,PENNSYLVANIA,2017,May,Flash Flood,"CRAWFORD",2017-05-28 16:00:00,EST-5,2017-05-28 17:45:00,0,0,0,0,225.00K,225000,0.00K,0,41.5287,-80.3942,41.4901,-80.3815,"A warm front lifted across the region on the afternoon of Sunday the 28th. Convection developed along and behind this feature. The most intense storms and concentration was along the lake breeze boundary extending from Cleveland eastward. This allowed for training and an increased risk of flooding. Antecedent ground conditions were primed for rapid runoff due to an unusually wet spring.","Rain started to fall over southern Ashtabula and Crawford Counties a little after 3 PM. The storms increased in intensity and by 4 PM a flash flood warnings was issued. According to reports from the East Fallowfield Township reports of flooding came in around 5 PM. Numerous road closures, washouts, and undermining of roads resulted. The most damaged roads in Atlantic were Thomas Road, Countyline Road, Horne Road, Kellogg Road, Morian Road, Gelvin Road, Cole Road, and McMaster near Laird Road. The rushing water carried a significant amount of debris over Rocky Glen Road that snow plows were utilized in clearing it. ||Radar estimated rainfall amounts over 4 over southern Crawford County. This occurred with multiple rounds of rain between 3 and 6 PM. No rain gauge reports in the primary flood area." +115087,690909,ILLINOIS,2017,May,Thunderstorm Wind,"KANE",2017-05-17 22:10:00,CST-6,2017-05-17 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-88.33,41.8,-88.33,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A large tree was blown down in a backyard in North Aurora." +115091,690935,ILLINOIS,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-26 14:38:00,CST-6,2017-05-26 14:38:00,0,0,0,0,0.00K,0,0.00K,0,40.872,-88.7792,40.872,-88.7792,"Scattered thunderstorms developed over portions of central Illinois, including a cyclic supercell that produced large hail and damaging winds.","A tree was blown down onto Route 116 near Graymont." +115091,690936,ILLINOIS,2017,May,Hail,"FORD",2017-05-26 15:35:00,CST-6,2017-05-26 15:35:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-88.38,40.59,-88.38,"Scattered thunderstorms developed over portions of central Illinois, including a cyclic supercell that produced large hail and damaging winds.","" +115091,690937,ILLINOIS,2017,May,Thunderstorm Wind,"FORD",2017-05-26 15:47:00,CST-6,2017-05-26 15:47:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-88.18,40.61,-88.18,"Scattered thunderstorms developed over portions of central Illinois, including a cyclic supercell that produced large hail and damaging winds.","Trees were blown down south of Roberts." +115177,697926,MISSOURI,2017,May,Lightning,"JASPER",2017-05-27 17:40:00,CST-6,2017-05-27 17:40:00,0,0,0,0,5.00K,5000,0.00K,0,37.07,-94.12,37.07,-94.12,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A home was struck by lightning in Sarcoxie. There was damage to the siding and ceramic tile in the home." +115177,697929,MISSOURI,2017,May,Hail,"PHELPS",2017-05-27 17:51:00,CST-6,2017-05-27 17:51:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-91.76,37.94,-91.76,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697930,MISSOURI,2017,May,Hail,"DADE",2017-05-27 17:57:00,CST-6,2017-05-27 17:57:00,0,0,0,0,,NaN,0.00K,0,37.39,-93.95,37.39,-93.95,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697931,MISSOURI,2017,May,Hail,"DADE",2017-05-27 17:58:00,CST-6,2017-05-27 17:58:00,0,0,0,0,,NaN,0.00K,0,37.39,-93.95,37.39,-93.95,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There were pictures of tennis ball size hail near Lockwood." +115177,697933,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 18:04:00,CST-6,2017-05-27 18:04:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-94.37,36.87,-94.37,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697934,MISSOURI,2017,May,Hail,"BARRY",2017-05-27 18:10:00,CST-6,2017-05-27 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-93.67,36.77,-93.67,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697935,MISSOURI,2017,May,Hail,"WRIGHT",2017-05-27 18:11:00,CST-6,2017-05-27 18:11:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-92.51,37.25,-92.51,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115166,691412,TEXAS,2017,May,Thunderstorm Wind,"HARRISON",2017-05-28 16:20:00,CST-6,2017-05-28 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.5136,-94.5174,32.5136,-94.5174,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Several large trees were blown down across Highway 80 near Fire Tower Road." +115166,691413,TEXAS,2017,May,Thunderstorm Wind,"HARRISON",2017-05-28 16:20:00,CST-6,2017-05-28 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.488,-94.5051,32.488,-94.5051,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large tree was blown down on Farm to Market Road 968 near the intersection of Muntz Cutoff Road." +116373,699793,MONTANA,2017,June,Thunderstorm Wind,"GLACIER",2017-06-04 18:39:00,MST-7,2017-06-04 18:39:00,0,0,0,0,0.00K,0,0.00K,0,48.49,-112.37,48.49,-112.37,"Showers and thunderstorms, some severe, developed out ahead of a shortwave trough and associated cold front. Severe weather was concentrated across central and western sections of north-central Montana.","Mesonet station recorded 64 mph wind gust 10 miles south of Cut Bank." +117108,704580,NORTH CAROLINA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-28 01:09:00,EST-5,2017-05-28 01:09:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-81.03,35.53,-81.03,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","Public reported (via Social Media) several large trees blown down in the Denver area." +117108,704590,NORTH CAROLINA,2017,May,Thunderstorm Wind,"IREDELL",2017-05-28 00:57:00,EST-5,2017-05-28 01:19:00,0,0,0,0,50.00K,50000,0.00K,0,35.749,-81.076,35.716,-80.765,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees blown down across the county. One tree fell on a home on Glaspy Rd in the eastern part of the county, causing significant damage." +115331,692477,MISSOURI,2017,May,Thunderstorm Wind,"MISSISSIPPI",2017-05-27 17:26:00,CST-6,2017-05-27 17:26:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-89.21,36.67,-89.21,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","A wind gust to 66 mph was measured at a CWOP (Citizen Weather Observer Program) station near the Mississippi River southeast of East Prairie." +115331,694275,MISSOURI,2017,May,Flood,"SCOTT",2017-05-27 18:10:00,CST-6,2017-05-27 19:10:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-89.58,36.8946,-89.6112,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","Street flooding was reported in the Sikeston area." +115436,693154,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:30:00,CST-6,2017-05-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-93.36,42.76,-93.36,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported golf ball sized hail via social media." +115436,693157,IOWA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 17:40:00,CST-6,2017-05-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.21,42.74,-93.21,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported 6 inch tree branches down and some dime to quarter sized hail, and was getting bigger at the time." +115436,693158,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:42:00,CST-6,2017-05-15 17:42:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.21,42.74,-93.21,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported some hail slightly larger than quarters." +115436,693160,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:45:00,CST-6,2017-05-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.2,42.74,-93.2,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","KLMJ/KQCR-FM radio in Hampton reported quarter sized hail." +115886,696409,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"BAMBERG",2017-05-01 18:25:00,EST-5,2017-05-01 18:30:00,0,0,0,0,,NaN,,NaN,33.22,-81.1,33.22,-81.1,"A cold front moved through, along which scattered showers and a few thunderstorms developed. An isolated thunderstorm reached severe limits.","Bamberg dispatch relayed report from the public of a tree down on power lines, causing a power outage, near US Hwy 301 and the bridge over the Little Salkehatchie river." +117115,704599,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MECKLENBURG",2017-05-29 17:30:00,EST-5,2017-05-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-80.85,35.44,-80.85,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening, a few of the storms briefly became severe, producing isolated wind damage.","Public reported two large trees blown down." +117115,704609,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GASTON",2017-05-29 17:08:00,EST-5,2017-05-29 17:08:00,0,0,0,0,0.00K,0,0.00K,0,35.366,-81.103,35.366,-81.103,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening, a few of the storms briefly became severe, producing isolated wind damage.","County comms reported multiple trees blown down on Hovis Rd and on Rhyne St." +115861,696316,OKLAHOMA,2017,May,Frost/Freeze,"BEAVER",2017-05-01 00:00:00,CST-6,2017-05-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With parts of the northern and western combined TX and OK Panhandles receiving several inches of snow concluding earlier that day on the 30th, antecedent conditions were present, even though some snow melt did occur earlier in the day. Combined that with northwesterly flow continuing to advect cold air into the region with winds exceeding 50 kts the evening on the 30th with light and variable winds with mostly clear skies by overnight 30th into the 1st, temperatures were able to drop meeting freeze warning criteria up in the northwestern combined Panhandles.","" +115878,696375,OKLAHOMA,2017,May,Flood,"TULSA",2017-05-01 00:00:00,CST-6,2017-05-01 09:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2572,-95.9484,36.3072,-95.9784,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","Bird Creek near Sperry rose above its flood stage of 21 feet at 6:45 pm CDT on April 29th. The river crested at 26.00 feet at 9:30 pm CDT on the 30th, resulting in moderate flooding. The river remained in flood through the remainder of April, falling below flood stage at 10:30 am CDT on May 1st." +115812,696005,AMERICAN SAMOA,2017,May,Heavy Rain,"TUTUILA",2017-05-10 03:00:00,SST-11,2017-05-11 10:00:00,0,0,0,0,350.00K,350000,,NaN,-14.3252,-170.8319,-14.2603,-170.5634,"Extremely heavy runoffs, landslides, and severe flash flooding were results of heavy rain from an active surface trough near American Samoa. The Weather Service Office in Tafuna recorded over 8 inches of rainfall during the first day of this rainy event, and over 2.40 inches of precipitation on the second day. Yet, higher amounts of rainfall drenched locations near mountains and valleys. Over a dozen homes and private properties were flooded and critically impacted across American Samoa, causing several families to self-evacuate.","Extremely heavy runoffs, landslides, and severe flash flooding were results of heavy rain from an active surface trough near American Samoa. The Weather Service Office in Tafuna recorded over 8 inches of rainfall during the first day of this rainy event, and over 2.40 inches of precipitation on the second day. Yet, higher amounts of rainfall drenched locations near mountains and valleys. Over a dozen homes and private properties were flooded and critically impacted across American Samoa, causing several families to self-evacuate." +115295,697042,ILLINOIS,2017,May,Flood,"EDGAR",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8801,-87.9371,39.7922,-87.9369,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Edgar County. Numerous streets in Paris were impassable. Most rural roads and highways in the southern part of the county from Kansas to Vermilion were inundated, including Illinois Route 49 which was closed near Kansas due to flowing water. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115949,696798,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ANSON",2017-05-01 17:56:00,EST-5,2017-05-01 17:56:00,0,0,0,0,2.50K,2500,0.00K,0,35.13,-80.11,35.13,-80.11,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down on power lines." +115949,696799,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:47:00,EST-5,2017-05-01 17:47:00,0,0,0,0,0.00K,0,0.00K,0,35.6742,-79.8084,35.6742,-79.8084,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on Newbern Avenue at Guy B Teachey Elementary School." +115949,696800,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:55:00,EST-5,2017-05-01 17:55:00,0,0,0,0,0.00K,0,0.00K,0,35.7099,-79.7158,35.7099,-79.7158,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on Chaney Road near the intersection of Iron Mountain View Road." +115949,696801,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:46:00,EST-5,2017-05-01 17:46:00,0,0,0,0,0.00K,0,0.00K,0,35.7179,-79.8378,35.7179,-79.8378,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down at the intersection of Lexington Road and Westmont Drive." +115570,693995,KANSAS,2017,May,Hail,"LOGAN",2017-05-10 18:20:00,CST-6,2017-05-10 18:37:00,0,0,0,0,0.30K,300,0.00K,0,39.1434,-101.2431,39.1434,-101.2431,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The hail lasted 15-20 minutes, covering the yard and damaged an awning." +115570,693997,KANSAS,2017,May,Hail,"GOVE",2017-05-10 20:53:00,CST-6,2017-05-10 20:53:00,0,0,0,0,0.00K,0,0.00K,0,39.1116,-100.6354,39.1116,-100.6354,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","A car and a semi have both slid off I-70 between mile markers 83 and 85 due to nickel and pea size hail covering the road. No injuries were reported." +116033,697499,MISSISSIPPI,2017,May,Thunderstorm Wind,"CLAIBORNE",2017-05-21 13:57:00,CST-6,2017-05-21 13:59:00,0,0,0,0,45.00K,45000,0.00K,0,31.96,-91.01,31.96,-90.92,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A few trees were blown down onto homes around Port Gibson, including on Rodney Road, Highway 18 and Highway 61." +114790,688881,NEBRASKA,2017,May,Thunderstorm Wind,"HALL",2017-05-15 21:49:00,CST-6,2017-05-15 21:49:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +116122,697963,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-05-24 16:51:00,EST-5,2017-05-24 16:51:00,0,0,0,0,0.00K,0,0.00K,0,26.23,-81.83,26.23,-81.83,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds across the Gulf waters.","A marine thunderstorm wind gust of 55 mph / 48 knots was recorded by the WeatherBug Mesonet site NPLSR located at the Naples Grande Beach Resort." +116122,697965,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-05-24 17:04:00,EST-5,2017-05-24 17:04:00,0,0,0,0,0.00K,0,0.00K,0,25.94,-81.75,25.94,-81.75,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds across the Gulf waters.","A marine thunderstorm wind gust of 48 mph / 42 knots was recorded by the WeatherBug mesonet site located at Collier County Isles of Capri Fire Station 90." +115701,695292,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:15:00,CST-6,2017-05-16 20:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.59,-94.18,42.59,-94.18,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported a window blown in at their home. Estimated 60 to 70 mph winds." +115701,695297,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:25:00,CST-6,2017-05-16 20:25:00,0,0,0,0,2.00K,2000,0.00K,0,43.07,-94.23,43.07,-94.23,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported several tree limbs of various size down and one large tree about 5 to 6 feet in diameter down. Numerous power outages as well. Time estimated by radar." +115701,695305,IOWA,2017,May,Thunderstorm Wind,"WRIGHT",2017-05-16 20:45:00,CST-6,2017-05-16 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.83,-93.62,42.83,-93.62,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Iowa DOT reported debris blocking the roadway in both directions on Highway 69. Time estimated by radar." +116144,703497,OKLAHOMA,2017,May,Thunderstorm Wind,"WAGONER",2017-05-18 21:50:00,CST-6,2017-05-18 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9622,-95.3941,35.9622,-95.3941,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind damaged the canopy of a gas station." +116144,703499,OKLAHOMA,2017,May,Tornado,"MUSKOGEE",2017-05-18 21:40:00,CST-6,2017-05-18 21:43:00,0,0,0,0,350.00K,350000,0.00K,0,35.7583,-95.3846,35.7893,-95.353,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed over the north side of Muskogee where it damaged homes and snapped or uprooted trees. The tornado destroyed a well-constructed metal framed building south of Highway 62, and then tore the roof off a couple apartment buildings north of Highway 62. Trees and power poles were snapped and businesses along Highway 62 had roof damage and broken windows. The tornado continued northeast destroying outbuildings and blowing down trees, dissipating northeast of the intersection of N Main and E Harris Road. Based on this damage, maximum estimated wind in the tornado was 115 to 125 mph." +116259,698945,MISSOURI,2017,May,Strong Wind,"SCOTT",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698946,MISSOURI,2017,May,Strong Wind,"STODDARD",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116259,698947,MISSOURI,2017,May,Strong Wind,"WAYNE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Cape Girardeau airport was 42 mph.","" +116261,698948,KENTUCKY,2017,May,Strong Wind,"BALLARD",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698949,KENTUCKY,2017,May,Strong Wind,"CARLISLE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698950,KENTUCKY,2017,May,Strong Wind,"HICKMAN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698951,KENTUCKY,2017,May,Strong Wind,"FULTON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +115268,692423,KENTUCKY,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-27 16:30:00,CST-6,2017-05-27 16:40:00,0,0,0,0,3.00K,3000,0.00K,0,37.4,-87.77,37.52,-87.7,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Tree limbs were blown down on Highway 41-A in Providence and Dixon, as well as Highway 109 in Diamond. Power outages affected a large portion of Providence." +115268,692432,KENTUCKY,2017,May,Thunderstorm Wind,"HOPKINS",2017-05-27 16:35:00,CST-6,2017-05-27 16:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.27,-87.52,37.23,-87.48,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","In southern Hopkins County, damaging thunderstorm winds gusted up to 62 mph. A trained spotter in Mortons Gap estimated winds gusted to 60 mph, causing a power outage and snapping a large tree. Another nearby large tree was uprooted onto a home. A Kentucky mesonet site just east of Earlington measured a wind gust to 62 mph." +115955,698401,MISSOURI,2017,May,Flood,"WAYNE",2017-05-01 00:00:00,CST-6,2017-05-19 04:00:00,0,0,0,0,1.40M,1400000,0.00K,0,37.17,-90.52,37.1134,-90.4958,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Record flooding occurred on the St. Francis River as the month began. The river crested at 37.05 feet on the Patterson river gage on the evening of April 30th. The old record was 35.77 feet in December of 1982. Numerous roads were closed, including Business Route 67 in Greenville and Route 34 at the St. Francis River Bridge. The record river flooding affected Lake Wappapello, which is formed by a dam on the St. Francis River near the town of Wappapello. Water poured over the emergency spillway of the dam. Mandatory evacuations were considered for areas below the dam. The lake levels in Lake Wappapello came close to the record set in 2011, but they did not reach it. Highway T just below the dam was washed out." +115955,698397,MISSOURI,2017,May,Flood,"NEW MADRID",2017-05-02 07:00:00,CST-6,2017-05-22 10:00:00,0,0,0,0,8.00K,8000,100.00K,100000,36.6,-89.53,36.6183,-89.3772,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Minor flooding occurred on the Mississippi River. There was considerable flooding of low-lying cropland. Some county roads and riverside parks were inundated." +115620,694548,ILLINOIS,2017,May,Flood,"ALEXANDER",2017-05-01 00:00:00,CST-6,2017-05-31 23:59:00,0,0,0,0,10.00K,10000,50.00K,50000,37,-89.18,37.0023,-89.1602,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","An extended period of moderate flooding occurred on the Ohio River. The river was above flood stage for the entire month. At the Cairo river gage, the river crested at 52.15 feet on May 8. Major flooding starts at 53 feet. There was considerable flooding of low-lying areas near the river, including parks and farmland. Most main roads remained open, although water approached Illinois Route 3." +116316,699409,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-05-03 16:35:00,CST-6,2017-05-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-88.44,29.25,-88.44,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Main Pass Block 280 AWOS reported a 42 knot wind gust in a thunderstorm." +116316,699410,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-05-03 20:08:00,CST-6,2017-05-03 20:08:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Lakefront Airport reported a 36 knot wind gust during a thunderstorm." +116316,699411,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA FROM 20 TO 60 NM",2017-05-03 23:15:00,CST-6,2017-05-03 23:15:00,0,0,0,0,0.00K,0,0.00K,0,28.6,-91.2,28.6,-91.2,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Ship Shoal Block 178 Oil Platform AWOS KSPR reported a 53 knot wind gust during a thunderstorm." +116329,699541,WASHINGTON,2017,May,Thunderstorm Wind,"CHELAN",2017-05-30 17:40:00,PST-8,2017-05-30 17:41:00,0,0,0,0,0.00K,0,0.00K,0,47.68,-120.21,47.68,-120.21,"During the afternoon of May 30th a line of thunderstorms moved south to north along the east slopes of the Cascades. These storms produced isolated damage from the Wenatchee area to the Methow Valley as they traveled north and eventually dissipated during the evening.","The remote weather observing station at Entiat recorded a thunderstorm wind gust of 62 mph." +116323,699540,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-17 13:14:00,CST-6,2017-05-17 13:14:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-96.3,41.28,-96.3,"Daytime instability caused by warm surface temperatures and and cold temperatures near an upper level low pressure system helped create small thunderstorms during the afternoon. Some of these thunderstorms produced marginally large hail and a brief tornado over eastern Nebraska.","" +116336,699569,WASHINGTON,2017,May,Debris Flow,"STEVENS",2017-05-19 05:00:00,PST-8,2017-05-19 10:00:00,0,0,0,0,1.00K,1000,0.00K,0,48.51,-118.15,48.5091,-118.1481,"Periodic heavy rain and spring-time snow melt during April and early May produced saturated soil conditions over northeast Washington. Even during dry periods scattered debris flows continued to occur in the mountainous regions of northeast Washington through May before soil conditions dried out.","Washington State Patrol reported a debris flow partially blocking Highway 25 twelve miles south of Kettle Falls." +116168,698279,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:12:00,CST-6,2017-05-17 16:20:00,0,0,0,0,100.00K,100000,0.00K,0,42.04,-92.91,42.188,-92.9625,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported tree on a large propane tank near Liscomb on Oaks Ave, many trees and power lines down in Marshalltown, traffic lights down in Marshalltown, and a barn down." +116168,698271,IOWA,2017,May,Thunderstorm Wind,"MARION",2017-05-17 15:51:00,CST-6,2017-05-17 15:51:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-92.92,41.41,-92.92,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","RWIS station on IA 163 recorded 65 mph wind gust." +116168,698212,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:12:00,CST-6,2017-05-17 15:12:00,0,0,0,0,0.00K,0,0.00K,0,41.626,-93.8602,41.626,-93.8602,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS employee reported wind gusts of 60 mph. Sturdy lawn chairs blownn across the lawn as well." +116168,698305,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:43:00,CST-6,2017-05-17 16:43:00,0,0,0,0,10.00K,10000,0.00K,0,42.58,-92.84,42.5825,-92.8853,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Amateur radio reported several power poles/power lines down between Parkersburg and Aplington on Highway 57." +116042,697412,TEXAS,2017,May,Hail,"VAL VERDE",2017-05-10 18:47:00,CST-6,2017-05-10 18:47:00,0,0,0,0,,NaN,,NaN,29.36,-100.79,29.36,-100.79,"Thunderstorms developed over the mountains in Mexico ahead of a cold front. Some of these storms produced severe hail.","A thunderstorm produced one inch hail at Laughlin AFB." +116042,697413,TEXAS,2017,May,Hail,"VAL VERDE",2017-05-10 18:50:00,CST-6,2017-05-10 18:50:00,0,0,0,0,,NaN,,NaN,29.36,-100.8,29.36,-100.8,"Thunderstorms developed over the mountains in Mexico ahead of a cold front. Some of these storms produced severe hail.","A thunderstorm produced one inch hail near Laughlin AFB." +114792,691714,NEBRASKA,2017,May,Tornado,"CLAY",2017-05-17 00:24:00,CST-6,2017-05-17 00:29:00,0,0,0,0,0.00K,0,0.00K,0,40.4516,-97.9389,40.4586,-97.8983,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A brief EF-1 tornado touched down northeast of Edgar. The tornado remained on the ground for approximately 2 miles, resulting in damage to 2 farmsteads. The damage was confined mainly to outbuildings and trees. A few center irrigation pivots were also damaged along its path. The maximum wind speed was estimated to be 90 MPH." +114792,693879,NEBRASKA,2017,May,Hail,"THAYER",2017-05-16 16:46:00,CST-6,2017-05-16 16:55:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-97.6179,40.3298,-97.5834,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693882,NEBRASKA,2017,May,Hail,"FILLMORE",2017-05-16 17:07:00,CST-6,2017-05-16 17:07:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-97.45,40.42,-97.45,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693884,NEBRASKA,2017,May,Hail,"NUCKOLLS",2017-05-16 17:14:00,CST-6,2017-05-16 17:14:00,0,0,0,0,0.00K,0,0.00K,0,40.1024,-98.07,40.1024,-98.07,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693885,NEBRASKA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-16 17:25:00,CST-6,2017-05-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,40.129,-98.95,40.129,-98.95,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693886,NEBRASKA,2017,May,Thunderstorm Wind,"PHELPS",2017-05-16 17:51:00,CST-6,2017-05-16 17:51:00,0,0,0,0,0.00K,0,0.00K,0,40.5469,-99.4836,40.5469,-99.4836,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693887,NEBRASKA,2017,May,Thunderstorm Wind,"PHELPS",2017-05-16 17:53:00,CST-6,2017-05-16 17:53:00,0,0,0,0,0.00K,0,0.00K,0,40.5713,-99.25,40.5713,-99.25,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693888,NEBRASKA,2017,May,Thunderstorm Wind,"PHELPS",2017-05-16 17:55:00,CST-6,2017-05-16 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-99.33,40.45,-99.33,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693889,NEBRASKA,2017,May,Thunderstorm Wind,"ADAMS",2017-05-16 17:58:00,CST-6,2017-05-16 17:58:00,0,0,0,0,0.00K,0,0.00K,0,40.6234,-98.52,40.6234,-98.52,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693890,NEBRASKA,2017,May,Thunderstorm Wind,"MERRICK",2017-05-16 18:35:00,CST-6,2017-05-16 18:35:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-98.26,40.9,-98.26,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693900,NEBRASKA,2017,May,Thunderstorm Wind,"KEARNEY",2017-05-16 23:35:00,CST-6,2017-05-16 23:35:00,0,0,0,0,0.00K,0,0.00K,0,40.5005,-98.7531,40.5005,-98.7531,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","" +114792,693909,NEBRASKA,2017,May,Heavy Rain,"HAMILTON",2017-05-16 14:00:00,CST-6,2017-05-17 14:00:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-97.86,40.76,-97.86,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A total of 3.30 inches of rain had fallen over the past 24 hours." +114792,693911,NEBRASKA,2017,May,Heavy Rain,"WEBSTER",2017-05-16 17:00:00,CST-6,2017-05-17 09:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1535,-98.621,40.1535,-98.621,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A total of 4.25 inches of rain had fallen since 6 PM CDT." +114792,693912,NEBRASKA,2017,May,Heavy Rain,"WEBSTER",2017-05-16 17:00:00,CST-6,2017-05-17 09:45:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-98.63,40.1724,-98.65,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A total of 4.25 inches of rain had fallen since 6 PM CDT." +114792,693913,NEBRASKA,2017,May,Heavy Rain,"GOSPER",2017-05-16 06:00:00,CST-6,2017-05-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.493,-99.9083,40.493,-99.9083,"Thunderstorms produced damaging winds and some low-end severe hail over several counties in south central Nebraska on this Tuesday evening and night. Scattered single cell thunderstorms began developing around 3 PM CST from central Kansas northeast into southern Nebraska. The formation of numerous cells quickly resulted in a transition to a multicell convective mode by 4 PM CST. This nearly continuous line of storms lifted north, crossing much of south central Nebraska between 5 and 8 PM CST. As this occurred, another cluster of multicells over north central Kansas merged and moved northeast, eventually taking on the shape of a bow echo. This line of storms affected areas from Nelson and Hebron up to York between 630 and 730 PM CST. More storms over southwest Nebraska and northwest Kansas eventually consolidated and crossed south central Nebraska as a small scale bow echo between 10 PM and 130 AM CST. The initial line lifting north produced a fairly large area of severe winds from the state line north to Holdrege and Grand Island. A grain bin was removed from its foundation and deposited on Highway 74 near the town of Roseland, in Adams County. A tractor-trailer was blown over on Interstate 80 as well, just south of Grand Island. The highest gust measured was 67 mph at the Holdrege airport. A brief EF-0 landspout tornado was photographed near the town of Exeter. The eastern portion of this line produced the most hail, with a few reports of 1 inch hail over Fillmore, Nuckolls, and Thayer Counties. The bow echo taking shape from Nelson to York snapped a few power poles in eastern Thayer County. The last line of storms to cross the area produced mostly sub-severe winds of 50 to 55 mph. However, severe winds did occur in a couple locations. The highest measured gust was 64 mph in the town of Norman, in eastern Kearney County. A brief EF-1 tornado also occurred in Clay County, just north of the town of Edgar. It was on the ground for approximately 2 miles, damaging outbuildings, trees, and overturning irrigation pivots. This tornado occurred just after midnight CST. Repeated thunderstorm activity resulted in 1 to 2 inches of rain over much of south central Nebraska. There were even a couple reports in excess of 3 inches. Ditches were full of water, and even some minor flooding of low-lying areas occurred near Highway 136 just west of the town of Inavale, and also near the intersections of Highways 81 and 92 west of Osceola.||Low pressure was over South Dakota, and its trailing weak cold front moved into south central Nebraska during the day. It became stationary as low pressure formed over southeast Colorado and deepened to near 990 mb. In the upper-levels, a longwave trough was over the Western U.S. with a ridge over the East. A strong shortwave trough lifted out of the Desert Southwest into the Southern Plains, while a closed low dropped into the Pacific Northwest. In the preconvective environment, an elevated mixed layer had overspread a moist boundary layer. Mid-level lapse rates were between 8 and 9 C/km. MUCAPE was between 3000 and 4500 J/kg. With strong dynamic forcing, deep layer shear was very strong, between 40 and 60 kt.","A rainfall total of 3.28 inches over the past 24 hours was reported." +115945,697649,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:00:00,EST-5,2017-05-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-72.8,42.2,-72.8,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 6 PM EST, dime size hail was reported to be covering the ground in Montgomery." +115945,697656,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 18:11:00,EST-5,2017-05-31 18:11:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-72.53,42.26,-72.53,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 611 PM EST, dime size hail was reported at Granby." +115945,697658,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:22:00,EST-5,2017-05-31 18:22:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-72.87,42.07,-72.87,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 622 PM EST, dime size hail was reported in Granville." +115945,697659,MASSACHUSETTS,2017,May,Hail,"HAMPSHIRE",2017-05-31 18:30:00,EST-5,2017-05-31 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-72.4,42.27,-72.4,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 630 PM EST, dime size hail was reported in Belchertown." +115945,697662,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:35:00,EST-5,2017-05-31 18:35:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 635 PM EST, hail up to nickel size was reported in Westfield, per the media." +115945,697663,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:39:00,EST-5,2017-05-31 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-72.77,42.05,-72.77,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 639 PM EST, nickel size hail was reported in Southwick." +115945,697650,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:42:00,EST-5,2017-05-31 18:42:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-72.57,42.18,-72.57,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 642 PM EST, dime size hail was reported in Chicopee." +115945,697651,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:45:00,EST-5,2017-05-31 18:45:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 645 PM EST, quarter size hail covering the ground was reported in Westfield." +115945,697664,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:46:00,EST-5,2017-05-31 18:46:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 646 PM EST, quarter size hail was reported on Folly Drive in Westfield." +116614,701336,GEORGIA,2017,May,Tornado,"CHATTAHOOCHEE",2017-05-01 09:07:00,EST-5,2017-05-01 09:08:00,0,0,0,0,12.00K,12000,,NaN,32.34,-84.928,32.3456,-84.9239,"Despite very limited and weak instability across the region, strong low-level shear associated with a deep upper-level low and strong surface cold front managed to produce a couple of weak, short-lived, tornadoes in central Georgia.","A weak, short-lived tornado touched down on a remote section of the Ft. Benning Army Reservation. Due to the sensitive nature of the location, a National Weather Service survey team could not access the site, however official from Ft. Benning flew over the site and provided the NWS office with positions for the start and end points as well as photos and descriptions of the damage. From this, the NWS determined that an EF0 tornado, with maximum wind speeds of 80 MPH and a maximum path width of 50 yards, travelled just under a half of a mile snapping and uprooting trees. [05/01/17: Tornado #1 County #1/1, EF-0, Chattahoochee, 2017:068]." +116614,701343,GEORGIA,2017,May,Tornado,"FORSYTH",2017-05-01 09:24:00,EST-5,2017-05-01 09:28:00,0,0,0,0,25.00K,25000,,NaN,34.2529,-84.2152,34.2663,-84.1773,"Despite very limited and weak instability across the region, strong low-level shear associated with a deep upper-level low and strong surface cold front managed to produce a couple of weak, short-lived, tornadoes in central Georgia.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 150 yards travelled just under 2.5 miles across a portion of northwest Forsyth County. The tornado touched down along McConnell Road south of the Sawnee Mountain Park where it broke numerous small to medium tree branches. This type of damage continued as the tornado moved northeast across Bridgeshaw Drive and Watson Road. As the tornado moved along Pleasant Grove Road, it intensified slightly, snapping or uprooting several trees. One of these trees fell onto a mobile home. The tornado lifted shortly after this near the intersection of Pleasant Grove Road and Doctor Bramblett Road. No injuries were reported. [05/01/17: Tornado #2, County #1/1, EF-0, Forsyth, 2017:069]." +116616,701358,GEORGIA,2017,May,Tornado,"FULTON",2017-05-04 20:12:00,EST-5,2017-05-04 20:13:00,0,0,0,0,50.00K,50000,,NaN,33.656,-84.4185,33.6569,-84.4169,"A weakly unstable but strongly sheared atmosphere accompanying a deep upper-level low and associated strong cold front resulted in a few severe thunderstorms in north Georgia with damaging winds and two isolated tornadoes.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 50 yards touched down at the North Cargo Bay on the north side of the Atlanta Hartsfield-Jackson International Airport in far southern Fulton County. The tornado picked up 8-10 cargo bins ranging in weight from 250-500 pounds. Three-four of these bins landed on the roof of an adjacent building approximately 60 feet in the air. The tornado travelled just over a tenth of a mile, snapping 2 trees and taking down a fence before ending. No injuries were reported. [05/04/17: Tornado #1, County #1/1, EF-0, Fulton, 2017:070]." +116706,701797,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:40:00,CST-6,2017-05-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-101.96,35.66,-101.96,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701798,TEXAS,2017,May,Hail,"CARSON",2017-05-15 17:44:00,CST-6,2017-05-15 17:44:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-101.38,35.21,-101.38,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701799,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:45:00,CST-6,2017-05-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.95,35.69,-101.95,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701800,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:48:00,CST-6,2017-05-15 17:48:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.86,35.69,-101.86,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Hail still falling at time of the report. Half Dollar size hail reported east of Four Way." +116700,701763,KANSAS,2017,May,Hail,"CHEYENNE",2017-05-31 16:55:00,CST-6,2017-05-31 17:15:00,0,0,0,0,0.00K,0,0.00K,0,39.7813,-101.814,39.7813,-101.814,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Hail up to dime size is still occurring after 20 minutes of nickel size hail." +116700,701765,KANSAS,2017,May,Hail,"CHEYENNE",2017-05-31 17:00:00,CST-6,2017-05-31 17:23:00,0,0,0,0,0.00K,0,0.00K,0,39.7703,-101.7778,39.7703,-101.7778,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Hail started off around nickel size then grew to quarter size and is still falling. Hail is covering the ground." +116700,701766,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:24:00,MST-7,2017-05-31 18:24:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-101.71,39.35,-101.71,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701767,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:32:00,MST-7,2017-05-31 18:32:00,0,0,0,0,0.00K,0,0.00K,0,39.4137,-101.708,39.4137,-101.708,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701768,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:26:00,MST-7,2017-05-31 18:26:00,0,0,0,0,0.00K,0,0.00K,0,39.3215,-101.6725,39.3215,-101.6725,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +115236,697454,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-15 18:24:00,CST-6,2017-05-15 18:24:00,0,0,0,0,175.00K,175000,0.00K,0,42.77,-91.25,42.77,-91.25,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Three barns and a machine shed were destroyed northeast of Garber. Several trees were also uprooted, a garage collapsed and some roof panels were taken off a farm building." +116659,701413,NORTH CAROLINA,2017,May,Tornado,"ROBESON",2017-05-23 14:38:00,EST-5,2017-05-23 14:43:00,0,0,0,0,100.00K,100000,0.00K,0,34.9156,-79.0695,34.9239,-79.0313,"A warm front was draped across the area. Helicity values along the front were substantial. As a thunderstorm intersected the boundary, it began to rotate and a tornado quickly developed.","A survey conducted by the National Weather Service concluded an EF0 tornado with winds to 75 mph first touched down just south of Sandy Grove Rd. and west of Chason Rd. Severe damage to a metal topped farm building was noted in this area. The tornado moved into a field and then crossed Sandy Grove Rd. causing large limbs to snap and a roof uplift and minor structural damage to a church on the north side of the intersection of Sandy Grove Rd. and Chason Rd. The tornado then uprooted trees and downed large limbs east of Chason Rd. and just north of Sandy Grove Rd. As the tornado approached the intersection of Barlow Rd. and Sandy Grove Rd., it caused minor damage to four structures and destroyed an outbuilding. Additional downed limbs were also noted. The tornado crossed Barlow Rd. and moved across a field until it crossed Sansbury Ln. where it caused minor damage to a few homes. It also uprooted a couple of trees, one of which had a diameter greater than 4 feet. The tornado crossed Davis Bridge Rd. where it knocked down a few more trees before lifting near Glenn Rd. The wind speed was fairly consistent along the entire tornado path." +115243,694647,MISSOURI,2017,May,Hail,"GREENE",2017-05-10 23:30:00,CST-6,2017-05-10 23:30:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-93.31,37.34,-93.31,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","This report was from mPING." +115243,694648,MISSOURI,2017,May,Hail,"GREENE",2017-05-10 23:41:00,CST-6,2017-05-10 23:41:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-93.19,37.4,-93.19,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694649,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 09:15:00,CST-6,2017-05-11 09:15:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.43,36.88,-94.43,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Quarter size hail was reported at a business located at Interstate 49 and Highway 86." +114790,688890,NEBRASKA,2017,May,Thunderstorm Wind,"BUFFALO",2017-05-15 20:05:00,CST-6,2017-05-15 20:10:00,0,0,0,0,25.00K,25000,0.00K,0,40.9747,-99.27,40.97,-99.08,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","Damage was reported approximately 10 miles north of Amherst, where a small outbuilding was knocked over. A lot of blowing dust was also reported along Highway 10." +116720,701950,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-05-25 14:22:00,EST-5,2017-05-25 14:23:00,0,0,0,0,0.00K,0,0.00K,0,33.8458,-77.9658,33.8458,-77.9658,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","A wind gust to 39 mph was measured on Bald Head Island." +116774,702274,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"MARION",2017-05-28 19:29:00,EST-5,2017-05-28 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.2558,-79.2667,34.2558,-79.2667,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","A tree was reported down at the intersection of Highway 41 and Highway 917." +114167,683710,TENNESSEE,2017,March,Thunderstorm Wind,"CARROLL",2017-03-01 05:40:00,CST-6,2017-03-01 05:45:00,0,0,0,0,30.00K,30000,0.00K,0,36,-88.42,36.0044,-88.3692,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large tree blown onto home." +114167,683711,TENNESSEE,2017,March,Thunderstorm Wind,"HENRY",2017-03-01 05:45:00,CST-6,2017-03-01 06:10:00,0,0,0,0,60.00K,60000,0.00K,0,36.3,-88.32,36.3044,-88.2497,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Numerous trees and power-lines down across Henry County." +114167,683712,TENNESSEE,2017,March,Thunderstorm Wind,"BENTON",2017-03-01 05:55:00,CST-6,2017-03-01 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-88.1,36.0559,-88.0513,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Large tree uprooted." +114167,683714,TENNESSEE,2017,March,Hail,"HARDEMAN",2017-03-01 07:16:00,CST-6,2017-03-01 07:20:00,0,0,0,0,0.00K,0,0.00K,0,35.2291,-88.9499,35.2291,-88.9499,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +114169,683716,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-07 02:28:00,CST-6,2017-03-07 02:35:00,0,0,0,0,40.00K,40000,0.00K,0,36.0945,-91.33,36.0967,-91.2876,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","Some trees and power lines were blown down. A couple of barns were damaged." +114349,685220,NEW YORK,2017,March,Strong Wind,"NORTHWEST SUFFOLK",2017-03-22 08:00:00,EST-5,2017-03-22 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","A mesonet station near Eatons Neck reported a wind gust up to 51 mph at 925 am. At 145 pm, the public reported trees, branches, and power lines down on Nichols Road in Nesconset. In West Hills, the public reported that power lines were knocked down around 330 pm due to a fallen tree, which resulted in a local power outage." +114349,685226,NEW YORK,2017,March,Strong Wind,"SOUTHWEST SUFFOLK",2017-03-22 08:00:00,EST-5,2017-03-22 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","The public reported a large tree branch was knocked down at 945 am, and partially blocked a road in North Babylon. In Patchogue, law enforcement reported wires down on North Prospect Avenue at 145 pm." +114349,685228,NEW YORK,2017,March,Strong Wind,"RICHMOND (STATEN IS.)",2017-03-22 09:00:00,EST-5,2017-03-22 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and strong cold front.","A mesonet station measured sustained winds of 35 mph near Bayonne at 1040 am." +114353,685231,CONNECTICUT,2017,March,Strong Wind,"SOUTHERN FAIRFIELD",2017-03-22 12:00:00,EST-5,2017-03-22 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","Near Stamford at 152 pm, a mesonet station measured a wind gust up to 55 mph." +113051,686711,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN FRANKLIN",2017-03-14 12:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.30K,300,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","At 102 PM EDT, a large tree was down on wires on Wheeler Avenue and Ward Road in Orange." +114340,685160,NEW YORK,2017,March,Strong Wind,"SOUTHERN NASSAU",2017-03-02 03:00:00,EST-5,2017-03-02 06:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","A mesonet station just east of Point Lookout, at the Jones Beach Coast Guard station measured a wind gust up to 50 MPH at 413 am." +114527,686820,TENNESSEE,2017,March,Winter Weather,"COFFEE",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Coffee County ranged from 0.5 inches up to 2 inches. A COOP observer 2 miles north of Manchester measured 1.4 inches of snow, while a Twitter report in Manchester indicated 2 inches of snow." +114527,686827,TENNESSEE,2017,March,Winter Weather,"GRUNDY",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Grundy County ranged from a dusting up to 1 inch. A COOP observer in Coalmont measured 1.0 inches of snow. CoCoRaHS station Gruetli-Laager 1.3 E measured 1.0 inches of snow, and CoCoRaHS station Beersheba Springs 2.1 ENE measured 0.7 inches of snow." +114527,686833,TENNESSEE,2017,March,Winter Weather,"MARSHALL",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Marshall County ranged from 1 inch up to nearly 2 inches. CoCoRaHS station Lewisburg 6.2 SSE measured 1.8 inches of snow, while CoCoRaHS station Cornersville 3.6 SE measured 1.5 inches of snow. A Facebook report indicated 1.5 inches of snow fell 3 miles southwest of Lewisburg, and a tSpotter Twitter report indicated 1.5 inches of snow fell in Chapel Hill." +114423,686103,TENNESSEE,2017,March,Thunderstorm Wind,"PERRY",2017-03-09 22:30:00,CST-6,2017-03-09 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.62,-87.85,35.62,-87.85,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several trees were blown down throughout Perry County." +114423,686110,TENNESSEE,2017,March,Thunderstorm Wind,"CHEATHAM",2017-03-09 22:35:00,CST-6,2017-03-09 22:35:00,0,0,0,0,3.00K,3000,0.00K,0,36.1,-87.12,36.1,-87.12,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A few trees were blown down across Cheatham County." +114118,683885,TENNESSEE,2017,March,Tornado,"RUTHERFORD",2017-03-01 07:19:00,CST-6,2017-03-01 07:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.0502,-86.5658,36.0622,-86.5488,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An EF-0 tornado touched down in extreme southeast Davidson County near Murfreesboro Pike and Old Hickory Blvd around 717am CST. It cause sporadic damage mainly to trees as it raced to the northeast, although a few homes suffered minor roof damage on Lavergne Couchville Pike, Pepperwood Drive, and Chutney Drive. It then hit the Four Corners Marina around 719am CST and caused extensive damage to docks, boats and shelters. The tornado crossed the Hurricane Creek inlet of Percy Priest Lake into Rutherford County, then blew down a few trees and deposited debris from the marina on the eastern shore of the lake. The tornado then lifted near the northern end of Stones River Road." +114118,685292,TENNESSEE,2017,March,Thunderstorm Wind,"FENTRESS",2017-03-01 08:47:00,CST-6,2017-03-01 08:47:00,0,0,0,0,10.00K,10000,0.00K,0,36.2295,-84.9984,36.2295,-84.9984,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Fentress County Emergency Management reported trees were blown down on Franklin Loop north of Clarkrange with one tree falling on a car. Several homes also suffered shingle damage to roofs." +114118,685848,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:05:00,CST-6,2017-03-01 07:05:00,0,0,0,0,2.00K,2000,0.00K,0,36.1935,-86.7524,36.1935,-86.7524,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported trees were blown down near Douglas Avenue at Ellington Parkway." +114118,685849,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:13:00,CST-6,2017-03-01 07:13:00,0,0,0,0,2.00K,2000,0.00K,0,36.2323,-86.6249,36.2323,-86.6249,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported trees were blown down near Shutes Lane at Old Hickory Boulevard." +114118,685078,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-01 07:41:00,CST-6,2017-03-01 07:45:00,0,0,0,0,25.00K,25000,0.00K,0,36.0952,-86.1887,36.0926,-86.1188,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey along with Google Earth high resolution satellite data found a severe 5 mile long by 1/4 mile wide downburst struck the far south side of Watertown just south of Highway 70. This downburst was associated with the rear flank downdraft of the EF1 Watertown tornado located around 1 mile to the north. Numerous large trees were snapped in forests and fields from south of Taylor Road eastward across Beech Log Road and Statesville Avenue, mainly in a northeast direction. Much more severe damage occurred from Highway 267 eastward past Neal Road, just to the south of Watertown High School. Dozen more trees were snapped and uprooted around homes on Highway 267, with one tree falling onto a home. A nearby outbuilding was also destroyed. A carport was flipped and a house lost shingles on File Road. Two older barns suffered roof damage on Neal Road just east of File Road, and a nearby newer barn was completely destroyed. Dozens of trees were also snapped and uprooted in the area from Neal Road northward to Watertown High School, and a carport was destroyed at the end of Neal Road. Winds were estimated up to 85 mph." +114118,685815,TENNESSEE,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-01 06:11:00,CST-6,2017-03-01 06:11:00,0,0,0,0,3.00K,3000,0.00K,0,36.0327,-87.7671,36.0327,-87.7671,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported three trees down on Highway 230." +114423,686084,TENNESSEE,2017,March,Hail,"RUTHERFORD",2017-03-09 22:02:00,CST-6,2017-03-09 22:02:00,0,0,0,0,0.00K,0,0.00K,0,35.7948,-86.3723,35.7948,-86.3723,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A trained spotter reported ping pong ball size hail on Elam Road." +114449,688121,MISSISSIPPI,2017,March,Thunderstorm Wind,"YAZOO",2017-03-25 12:08:00,CST-6,2017-03-25 12:08:00,0,0,0,0,2.00K,2000,0.00K,0,32.55,-90.59,32.55,-90.59,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Downburst winds from a severe thunderstorm blew down a tree near Oak Grove Church." +114449,688122,MISSISSIPPI,2017,March,Thunderstorm Wind,"YAZOO",2017-03-25 12:23:00,CST-6,2017-03-25 12:26:00,0,0,0,0,10.00K,10000,0.00K,0,32.77,-90.33,32.77,-90.33,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Downburst winds associated with a severe thunderstorm blew down several trees along Fletchers Chapel Road, Dark Corner Road and Myrleville Road." +114449,688124,MISSISSIPPI,2017,March,Hail,"MADISON",2017-03-25 13:26:00,CST-6,2017-03-25 13:26:00,0,0,0,0,0.00K,0,0.00K,0,32.63,-90.25,32.63,-90.25,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","Hail up to the size of quarters fell in the Kearney Park community." +113879,681988,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"GALVESTON BAY",2017-03-29 13:32:00,CST-6,2017-03-29 13:32:00,0,0,0,0,0.00K,0,0.00K,0,29.5,-94.92,29.5,-94.92,"A storm system's line of showers and thunderstorms moved through the coastal waters during the mid afternoon hours and produced marine thunderstorm wind gusts.","The wind gust was measured at the Eagle Point PORTS site." +114867,689086,NEVADA,2017,January,Heavy Snow,"NORTHERN WASHOE",2017-01-02 00:00:00,PST-8,2017-01-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the northern Sierra and western Nevada.","An estimated 12 inches of snow fell at the Sheldon SNOTEL, with higher amounts possible farther west closer to the Surprise Valley in eastern California." +114683,687893,TENNESSEE,2017,March,Hail,"WAYNE",2017-03-21 14:43:00,CST-6,2017-03-21 14:43:00,0,0,0,0,0.00K,0,0.00K,0,35.3249,-87.79,35.3249,-87.79,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Quarter size hail was reported on Clifton Turnpike." +114683,687917,TENNESSEE,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-21 15:25:00,CST-6,2017-03-21 15:25:00,0,0,0,0,5.00K,5000,0.00K,0,35.45,-86.8,35.45,-86.8,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Several trees were blown down across Marshall County and a small barn roof was blown off into a roadway." +114423,686526,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-09 23:56:00,CST-6,2017-03-09 23:56:00,0,0,0,0,10.00K,10000,0.00K,0,35.53,-86.12,35.53,-86.12,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Barns and outbuildings were damaged and several trees were blown down in Fredonia." +114423,686581,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:37:00,CST-6,2017-03-09 23:37:00,0,0,0,0,2.00K,2000,0.00K,0,35.5589,-86.4593,35.5589,-86.4593,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down on Harts Chapel Road." +114423,686583,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:41:00,CST-6,2017-03-09 23:41:00,0,0,0,0,1.00K,1000,0.00K,0,35.4252,-86.5404,35.4252,-86.5404,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A power pole was blown down on Knights Campground Road." +114168,684426,MISSISSIPPI,2017,March,Hail,"RANKIN",2017-03-01 14:42:00,CST-6,2017-03-01 14:42:00,0,0,0,0,0.00K,0,0.00K,0,32.143,-90.022,32.143,-90.022,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Quarter size hail fell at McLaurin Elementary School along Star Road." +114851,689658,MISSISSIPPI,2017,March,Thunderstorm Wind,"RANKIN",2017-03-27 18:28:00,CST-6,2017-03-27 18:28:00,0,0,0,0,8.00K,8000,0.00K,0,32.42,-90.02,32.42,-90.02,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree was blown down and a fence was knocked over in the Marblehead Subdivision." +114851,689665,MISSISSIPPI,2017,March,Thunderstorm Wind,"RANKIN",2017-03-27 18:33:00,CST-6,2017-03-27 18:50:00,0,0,0,0,120.00K,120000,0.00K,0,32.2871,-90.0519,32.2819,-89.9328,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A severe thunderstorm moved through Brandon, with damaging winds near 60-70mph. Trees were blown down on Highway 471, a tree fell across Woodbridge Road in the Crossgates subdivision, the radio antenna from Brandon Fire Station Number One was blown down, a small tree was blown down at Highpointe Apartments, and trees were blown onto powerlines on Dogwood Drive. A tree also fell onto two cars on Windsor Boulevard just south of Brandon. Also, just south of Brandon, trees were blown down onto utility equipment off West Jasper Street and Brenmar Street." +114851,689666,MISSISSIPPI,2017,March,Thunderstorm Wind,"JONES",2017-03-27 19:22:00,CST-6,2017-03-27 19:22:00,0,0,0,0,75.00K,75000,0.00K,0,31.61,-89.03,31.61,-89.03,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree was blown down onto a home." +114851,689668,MISSISSIPPI,2017,March,Hail,"KEMPER",2017-03-27 16:14:00,CST-6,2017-03-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,32.78,-88.68,32.78,-88.68,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Quarter sized hail fell at John C Stennis Memorial Hospital." +114970,689669,LOUISIANA,2017,March,Hail,"FRANKLIN",2017-03-27 13:53:00,CST-6,2017-03-27 13:53:00,0,0,0,0,0.00K,0,0.00K,0,32.1399,-91.8146,32.1399,-91.8146,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Quarter size hail fell along Erskin Road." +114970,689671,LOUISIANA,2017,March,Thunderstorm Wind,"EAST CARROLL",2017-03-27 14:14:00,CST-6,2017-03-27 14:14:00,0,0,0,0,5.00K,5000,0.00K,0,32.64,-91.32,32.64,-91.32,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A tree was blown down along Louisiana Highway 877 near Monticello." +113122,676566,TEXAS,2017,March,Thunderstorm Wind,"WALKER",2017-03-24 19:14:00,CST-6,2017-03-24 19:14:00,0,0,0,0,5.00K,5000,,NaN,30.8578,-95.4236,30.8578,-95.4236,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Trees were downed near the intersection of FM 980 and Sunrise Loop." +113122,676567,TEXAS,2017,March,Thunderstorm Wind,"TRINITY",2017-03-24 19:19:00,CST-6,2017-03-24 19:19:00,0,0,0,0,10.00K,10000,,NaN,30.8726,-95.207,30.8726,-95.207,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Numerous trees were downed along FM 356 including one on a mobile home." +113122,676570,TEXAS,2017,March,Thunderstorm Wind,"POLK",2017-03-24 20:06:00,CST-6,2017-03-24 20:06:00,0,0,0,0,10.00K,10000,,NaN,31,-94.82,31,-94.82,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Trees and power lines were downed throughout the city." +113122,676571,TEXAS,2017,March,Hail,"MONTGOMERY",2017-03-24 20:42:00,CST-6,2017-03-24 20:42:00,0,0,0,0,0.00K,0,0.00K,0,30.318,-95.479,30.318,-95.479,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Quarter sized hail fell near the intersection of I-45 and Highway 105 and also at Conroe High School." +113122,676574,TEXAS,2017,March,Thunderstorm Wind,"HARRIS",2017-03-25 00:10:00,CST-6,2017-03-25 00:10:00,0,0,0,0,15.00K,15000,0.00K,0,29.5809,-95.2224,29.5809,-95.2224,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Residential homes were damaged in and around the Sagegreen Drive and Sagevale Lane neighborhoods off of Scarsdale Blvd." +113128,676596,TEXAS,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-10 18:35:00,CST-6,2017-03-10 18:35:00,0,0,0,0,10.00K,10000,0.00K,0,31.3551,-95.1915,31.3551,-95.1915,"Severe thunderstorms produced some wind damage.","Trees were downed to the southwest and west of Kennard in the vicinity of FM 2781 and Highway 7." +113128,676597,TEXAS,2017,March,Thunderstorm Wind,"HOUSTON",2017-03-10 19:05:00,CST-6,2017-03-10 19:05:00,0,0,0,0,5.00K,5000,,NaN,31.4002,-95.4011,31.4002,-95.4011,"Severe thunderstorms produced some wind damage.","Trees were downed on FM 2022." +121753,728820,PENNSYLVANIA,2017,November,Thunderstorm Wind,"VENANGO",2017-11-05 19:45:00,EST-5,2017-11-05 19:45:00,0,0,0,0,2.50K,2500,0.00K,0,41.44,-79.96,41.44,-79.96,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down." +114735,688335,TENNESSEE,2017,March,Tornado,"LEWIS",2017-03-27 17:13:00,CST-6,2017-03-27 17:26:00,0,0,0,0,20.00K,20000,0.00K,0,35.557,-87.6641,35.5824,-87.5516,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Tornado started on Old Hohenwald Road at the Perry/Lewis County line. The tornado then briefly crossed into Perry County and then back into Lewis County as it crossed Highway 412. Most of the damage at this location was to dozens of hardwood and softwood trees uprooted with some minor roof and outbuilding damage also observed. The tornado then traveled east-northeast and uprooted dozens more trees and caused minor roof damage on McCord-Hollow Road. The tornado caused more damage to trees on Goodman Branch Road which was within a mile of the tornado that occurred almost exactly a year ago on March 31, 2016. The tornado finally weakened and lifted just north of Hohenwald." +116834,702569,NORTH CAROLINA,2017,May,Hail,"HENDERSON",2017-05-19 14:20:00,EST-5,2017-05-19 14:20:00,0,0,0,0,,NaN,,NaN,35.228,-82.48,35.228,-82.48,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Public reported nickel size hail along Pinnacle Falls Ln." +116834,702570,NORTH CAROLINA,2017,May,Hail,"HENDERSON",2017-05-19 14:50:00,EST-5,2017-05-19 14:50:00,0,0,0,0,,NaN,,NaN,35.31,-82.38,35.31,-82.38,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Public reported quarter size hail." +115332,692498,NEBRASKA,2017,March,High Wind,"KIMBALL",2017-03-07 12:00:00,MST-7,2017-03-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The UPR wind sensor 10 miles east of Bushnell measured a peak gust of 58 mph." +116834,702576,NORTH CAROLINA,2017,May,Hail,"HENDERSON",2017-05-19 14:12:00,EST-5,2017-05-19 14:12:00,0,0,0,0,,NaN,,NaN,35.23,-82.54,35.23,-82.54,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Public reported quarter size hail off Pinnacle Mountain Rd." +115332,692499,NEBRASKA,2017,March,High Wind,"KIMBALL",2017-03-06 11:15:00,MST-7,2017-03-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Kimball Airport measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 06/1355 MST." +115332,692501,NEBRASKA,2017,March,High Wind,"KIMBALL",2017-03-07 08:35:00,MST-7,2017-03-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Kimball Airport measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 07/1300 MST." +115332,692505,NEBRASKA,2017,March,High Wind,"CHEYENNE",2017-03-06 11:30:00,MST-7,2017-03-06 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The NEDOR wind sensor near Dalton on Highway 385 measured sustained winds of 40 mph or higher." +115332,692510,NEBRASKA,2017,March,High Wind,"CHEYENNE",2017-03-06 12:10:00,MST-7,2017-03-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Sidney Airport measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 06/1319 MST." +115332,692512,NEBRASKA,2017,March,High Wind,"CHEYENNE",2017-03-07 08:15:00,MST-7,2017-03-07 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Sidney Airport measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 07/0828 MST." +115332,692514,NEBRASKA,2017,March,High Wind,"NORTH SIOUX",2017-03-07 12:45:00,MST-7,2017-03-07 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The NEDOR wind sensor at Summer Crest on Highway 20 measured sustained winds of 40 mph or higher." +115332,692517,NEBRASKA,2017,March,High Wind,"SOUTH SIOUX",2017-03-07 10:20:00,MST-7,2017-03-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The NEDOR wind sensor at Highway 29 mile post 34 measured sustained winds of 40 mph or higher." +115984,697385,CALIFORNIA,2017,January,Heavy Snow,"MONO",2017-01-20 05:00:00,PST-8,2017-01-23 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over California during the period. This brought another round of very significant snowfall to the Sierra and portions of northeast California.","Mammoth Mountain ski area reported between 6 and 7 feet of snowfall between the 20th and 23rd. Elsewhere in the higher elevations, an estimated 4 to 6 feet of snow fell at SNOTEL sites near the crest, with 2 to 3 feet east of Highway 395. Fourteen to 20 inches of snow fell at cooperative observer and CoCoRAHS sites near Highway 395, with the heaviest accumulations on the 22nd into the 23rd. On January 30, a local state of emergency was declared for Mammoth Lakes due to storm damages and the cost of snow removal since early in the month." +114927,693179,NEVADA,2017,January,Flood,"STOREY",2017-01-08 17:30:00,PST-8,2017-01-08 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,39.5086,-119.6463,39.5083,-119.6464,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","A bridge over Long Valley Creek in Lockwood was washed out after about 18 hours of moderate to heavy rain. The cost to repair the bridge is roughly estimated." +113876,681972,TEXAS,2017,March,Tornado,"HARRIS",2017-03-29 14:03:00,CST-6,2017-03-29 14:06:00,2,0,0,0,300.00K,300000,0.00K,0,29.6814,-95.0285,29.6775,-94.9843,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","This EF-1 was the third brief tornado with the larger mesocyclone associated with the HP supercell which moved across La Porte and Morgans Point. This couplet |was well defined on the Houston Hobby terminal doppler radar which spun up quickly|along the north side of strong westerly outflow winds from the initial couplet that was responsible for two earlier weak tornadoes near and in parts of La Porte. This tornado was witnessed to start near the railroad tracks near Highway 146 and it tracked east southeastward across the Barbours Cut Port Facility and parts of Morgans Point. Much of the more significant damage was to industrial areas around the Port complex. Large steel storage tanks were bent inward from the wind, and many large, metal shipping containers were toppled over. The tornado lifted near the eastern end of Morgans Point near the Ship Channel. Estimated peak winds were around 105 mph." +113876,681977,TEXAS,2017,March,Lightning,"HARRIS",2017-03-29 09:30:00,CST-6,2017-03-29 09:30:00,0,0,0,0,45.00K,45000,0.00K,0,29.8394,-95.662,29.8394,-95.662,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Lightning started a fire that caused damage to a residential home." +113876,681973,TEXAS,2017,March,Tornado,"CHAMBERS",2017-03-29 14:35:00,CST-6,2017-03-29 14:36:00,0,0,0,0,0.00K,0,13.00K,13000,29.7716,-94.8364,29.7727,-94.836,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","This EF-0 tornado was the last of four brief tornadoes from an HP supercell which moved across southeast Harris County and southern Chambers County. This short-lived tornado was confined to the end of Kendall Road along Dutton Lake where there was some small tree damage. The Houston Hobby terminal doppler radar showed a brief couplet at this location, and the tree fall pattern supported this rotation. Estimated peak winds were 75 mph." +113876,681980,TEXAS,2017,March,Thunderstorm Wind,"HARRIS",2017-03-29 09:35:00,CST-6,2017-03-29 09:35:00,0,0,0,0,0.00K,0,4.00K,4000,29.6931,-95.4511,29.6931,-95.4511,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Thunderstorm winds downed trees near the intersection of Holly Street and Newcastle Drive." +113876,681981,TEXAS,2017,March,Hail,"HARRIS",2017-03-29 09:45:00,CST-6,2017-03-29 09:45:00,0,0,0,0,0.00K,0,0.00K,0,29.86,-95.5243,29.86,-95.5243,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Dime to penny sized hail was reported near the intersection of Highway 290 and Fairbanks North Houston Road." +115123,691003,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-05-30 16:32:00,CST-6,2017-05-30 16:32:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"Scattered strong thunderstorms affected the near shore waters of Lake Michigan during the late afternoon of May 30th.","Weather observing station located on breakwall in Milwaukee harbor measured a wind gust of 37 knots as thunderstorms moved through." +115179,691517,WISCONSIN,2017,May,Hail,"COLUMBIA",2017-05-15 15:00:00,CST-6,2017-05-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-89.42,43.39,-89.42,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691518,WISCONSIN,2017,May,Hail,"DANE",2017-05-15 15:09:00,CST-6,2017-05-15 15:09:00,0,0,0,0,0.00K,0,0.00K,0,43.19,-89.45,43.19,-89.45,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691522,WISCONSIN,2017,May,Hail,"DANE",2017-05-15 15:15:00,CST-6,2017-05-15 15:15:00,0,0,0,0,,NaN,0.00K,0,43.26,-89.35,43.26,-89.35,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691523,WISCONSIN,2017,May,Hail,"DANE",2017-05-15 15:20:00,CST-6,2017-05-15 15:20:00,0,0,0,0,,NaN,0.00K,0,43.22,-89.34,43.22,-89.34,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691525,WISCONSIN,2017,May,Hail,"DANE",2017-05-15 15:20:00,CST-6,2017-05-15 15:20:00,0,0,0,0,,NaN,0.00K,0,43.25,-89.35,43.25,-89.35,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691530,WISCONSIN,2017,May,Hail,"OZAUKEE",2017-05-15 21:45:00,CST-6,2017-05-15 21:45:00,0,0,0,0,,NaN,0.00K,0,43.3,-87.98,43.3,-87.98,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691531,WISCONSIN,2017,May,Hail,"OZAUKEE",2017-05-15 21:46:00,CST-6,2017-05-15 21:46:00,0,0,0,0,,NaN,0.00K,0,43.35,-87.91,43.35,-87.91,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691534,WISCONSIN,2017,May,Thunderstorm Wind,"LAFAYETTE",2017-05-15 19:41:00,CST-6,2017-05-15 19:41:00,0,0,0,0,3.00K,3000,0.00K,0,42.68,-90.12,42.68,-90.12,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","Several trees and branches down including power lines." +115179,691535,WISCONSIN,2017,May,Thunderstorm Wind,"LAFAYETTE",2017-05-15 19:54:00,CST-6,2017-05-15 19:54:00,0,0,0,0,3.00K,3000,0.00K,0,42.71,-89.86,42.71,-89.86,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","Several trees and branches down including power lines." +115179,691536,WISCONSIN,2017,May,Thunderstorm Wind,"GREEN",2017-05-15 20:02:00,CST-6,2017-05-15 20:02:00,0,0,0,0,0.50K,500,0.00K,0,42.51,-89.8,42.51,-89.8,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","A tree down." +114986,689919,MAINE,2017,March,Heavy Snow,"INTERIOR CUMBERLAND",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689920,MAINE,2017,March,Heavy Snow,"INTERIOR YORK",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689921,MAINE,2017,March,Heavy Snow,"NORTHERN OXFORD",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114986,689923,MAINE,2017,March,Heavy Snow,"SAGADAHOC",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +116182,699449,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-16 17:30:00,CST-6,2017-05-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-96.3,41.26,-96.3,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","One inch hail was reported in the Lake Zorinsky area." +116182,699458,NEBRASKA,2017,May,Thunderstorm Wind,"SAUNDERS",2017-05-16 17:10:00,CST-6,2017-05-16 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-96.4,41.21,-96.4,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Multiple large tree branches were blown down and a tree was split in half due to damaging thunderstorm winds." +116182,699460,NEBRASKA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-16 17:30:00,CST-6,2017-05-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-96.06,41.47,-96.06,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Winds up to 70 MPH were recorded by an automated weather station." +116182,699461,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:44:00,CST-6,2017-05-16 17:44:00,0,0,0,0,0.00K,0,0.00K,0,41.312,-95.9025,41.312,-95.9025,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","A 55 Knot wind gust was reported at Omaha Eppley Airfield." +116182,699462,NEBRASKA,2017,May,Thunderstorm Wind,"SARPY",2017-05-16 17:40:00,CST-6,2017-05-16 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-96.04,41.16,-96.04,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Large tree branch was blown down." +116441,700679,ARKANSAS,2017,May,Flash Flood,"PULASKI",2017-05-20 07:00:00,CST-6,2017-05-20 08:30:00,0,0,0,0,0.00K,0,0.00K,0,34.8033,-92.4756,34.8028,-92.475,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Training thunderstorms produced heavy rainfall which caused flash flooding to occur at the intersection of Chenonceau Boulevard and Aberdeen Drive in West Little Rock." +116441,700680,ARKANSAS,2017,May,Heavy Rain,"PULASKI",2017-05-20 06:00:00,CST-6,2017-05-20 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-92.42,34.76,-92.42,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","A personal weather station in St. Charles in West Little Rock recorded 3.08 inches of rainfall in approximately 3 hours." +116441,700681,ARKANSAS,2017,May,Hail,"OUACHITA",2017-05-21 00:53:00,CST-6,2017-05-21 00:53:00,0,0,0,0,0.00K,0,0.00K,0,33.56,-92.82,33.56,-92.82,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","" +116667,701468,ARKANSAS,2017,May,Hail,"BOONE",2017-05-27 00:16:00,CST-6,2017-05-27 00:16:00,0,0,0,0,0.00K,0,0.00K,0,36.48,-93.29,36.48,-93.29,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +116667,701469,ARKANSAS,2017,May,Hail,"BOONE",2017-05-27 00:30:00,CST-6,2017-05-27 00:30:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-93.19,36.45,-93.19,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +116667,701470,ARKANSAS,2017,May,Hail,"BOONE",2017-05-27 00:32:00,CST-6,2017-05-27 00:32:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-93.19,36.45,-93.19,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +116667,701471,ARKANSAS,2017,May,Hail,"BOONE",2017-05-27 00:44:00,CST-6,2017-05-27 00:44:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-93.06,36.45,-93.06,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +116667,701472,ARKANSAS,2017,May,Hail,"MARION",2017-05-27 01:30:00,CST-6,2017-05-27 01:30:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-92.86,36.42,-92.86,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Nickel size hail fell for 4 minutes." +116667,701473,ARKANSAS,2017,May,Thunderstorm Wind,"BAXTER",2017-05-27 01:52:00,CST-6,2017-05-27 01:52:00,0,0,0,0,1.00K,1000,0.00K,0,36.38,-92.37,36.38,-92.37,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Tree limbs were down and shingles were blown off a roof." +116667,701475,ARKANSAS,2017,May,Hail,"FULTON",2017-05-27 02:15:00,CST-6,2017-05-27 02:15:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-92.09,36.38,-92.09,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Nickel size hail fell for 15 minutes." +116667,701476,ARKANSAS,2017,May,Hail,"BAXTER",2017-05-27 02:35:00,CST-6,2017-05-27 02:35:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-92.18,36.23,-92.18,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Dime to quarter size hail was reported at Jordan Marina on Norfork Lake." +117082,705146,KANSAS,2017,May,Hail,"KEARNY",2017-05-15 18:30:00,CST-6,2017-05-15 18:30:00,0,0,0,0,,NaN,,NaN,37.94,-101.26,37.94,-101.26,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705147,KANSAS,2017,May,Hail,"SCOTT",2017-05-15 19:14:00,CST-6,2017-05-15 19:14:00,0,0,0,0,,NaN,,NaN,38.63,-101.07,38.63,-101.07,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705148,KANSAS,2017,May,Hail,"SCOTT",2017-05-15 19:14:00,CST-6,2017-05-15 19:14:00,0,0,0,0,,NaN,,NaN,38.63,-101.07,38.63,-101.07,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705149,KANSAS,2017,May,Hail,"SEWARD",2017-05-15 21:08:00,CST-6,2017-05-15 21:08:00,0,0,0,0,,NaN,,NaN,37,-100.99,37,-100.99,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705150,KANSAS,2017,May,Hail,"SEWARD",2017-05-15 21:14:00,CST-6,2017-05-15 21:14:00,0,0,0,0,,NaN,,NaN,37.05,-100.94,37.05,-100.94,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117086,706264,KANSAS,2017,May,Hail,"GRANT",2017-05-25 17:20:00,CST-6,2017-05-25 17:20:00,0,0,0,0,,NaN,,NaN,37.69,-101.15,37.69,-101.15,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706266,KANSAS,2017,May,Hail,"FORD",2017-05-25 18:49:00,CST-6,2017-05-25 18:49:00,0,0,0,0,,NaN,,NaN,37.88,-100.03,37.88,-100.03,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706267,KANSAS,2017,May,Hail,"HODGEMAN",2017-05-25 19:08:00,CST-6,2017-05-25 19:08:00,0,0,0,0,,NaN,,NaN,37.97,-99.71,37.97,-99.71,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706269,KANSAS,2017,May,Thunderstorm Wind,"TREGO",2017-05-25 19:00:00,CST-6,2017-05-25 19:00:00,0,0,0,0,,NaN,,NaN,38.89,-99.89,38.89,-99.89,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +114369,685392,TEXAS,2017,May,Flash Flood,"SABINE",2017-05-03 17:50:00,CST-6,2017-05-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,31.3739,-93.8938,31.3936,-93.8823,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Excessive heavy rainfall resulted in the closure of FM 1592 northwest of Hemphill, Texas." +114369,687119,TEXAS,2017,May,Hail,"RUSK",2017-05-03 14:57:00,CST-6,2017-05-03 14:57:00,0,0,0,0,0.00K,0,0.00K,0,32.1766,-94.8897,32.1766,-94.8897,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Quarter size hail fell in the Joinerville community." +114369,687189,TEXAS,2017,May,Flash Flood,"RUSK",2017-05-03 15:18:00,CST-6,2017-05-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,32.1815,-94.8219,32.1829,-94.8207,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","High water was over Farm to Market Road 2276 between Loop 571 and County Road 323." +114200,683988,OREGON,2017,May,Hail,"JACKSON",2017-05-04 16:40:00,PST-8,2017-05-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-122.8,42.48,-122.8,"Many thunderstorms developed on the afternoon and evening of this date. Several of them became severe.","A member of the public reported 1.0 inch hail at this location." +114369,685379,TEXAS,2017,May,Tornado,"ANGELINA",2017-05-03 16:31:00,CST-6,2017-05-03 16:37:00,0,0,0,0,100.00K,100000,0.00K,0,31.3323,-94.7158,31.2967,-94.628,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","An EF0 tornado first touched down at the intersection of Church Street and Grant Avenue and began to move east southeast through southeast Lufkin. During this stretch, several large trees were uprooted , knocking over power poles and taking down power lines. A few of these trees fell directly on to homes. The tornado crossed the 287 loop between Highway 69 and CR 841. Several large trees were uprooted and numerous large branches were broken off as it paralleled Fannie Carrell Road as it continued southeast, eventually crossing CR 841 near Fish Road. The tornado lifted near the intersection of Flen Gary Road and CR 326 but not before knocking over several more large trees there, with one on a home." +114369,685344,TEXAS,2017,May,Tornado,"PANOLA",2017-05-03 15:14:00,CST-6,2017-05-03 15:22:00,0,0,0,0,500.00K,500000,0.00K,0,32.098,-94.5231,32.1159,-94.3817,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","An EF1 tornado touched down just north of the intersection of CR 152 and CR 153. The tornado uprooted and snapped several trees while it paralleled CR 152 as it moved east southeast towards Clayton. It damaged a few out building and a few home before it did some concentrated tree damage near several homes just north of Highway 315 and CR 1970. A large, metal outbuilding was completely rolled over here. It continued east where it continued to damage homes and numerous trees along CR 112. The tornado crossed Highway 315 between CR 113 and CR 108. The tornado did some concentrated tree damage where it crossed CR 1081, toppling and splitting numerous trees. The tornado continued east where it ripped the roof off a metal building system along CR 108 west of CR 106. The tornado continued east where it did some significant damage to two farm buildings. The strongest winds associated with the tornado were noted here. The tornado damaged the roofs of two homes along CR 108 east of CR 106. The tornado then did some sporadic tree damage before lifting near the intersection of CR 108 and CR 403." +117108,704544,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YANCEY",2017-05-27 23:08:00,EST-5,2017-05-27 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.902,-82.454,35.928,-82.153,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported widespread trees blown down across Yancey County, particularly along the Highway 19 corridor. One tree clipped a home on Sam Green Rd near Arbuckle Rd (near the Mitchell County line)." +117108,704550,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BURKE",2017-05-27 23:54:00,EST-5,2017-05-28 00:33:00,0,0,0,0,0.00K,0,0.00K,0,35.759,-81.918,35.69,-81.431,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported scattered trees and power lines blown down throughout the county." +113839,681724,KANSAS,2017,March,Wildfire,"RUSSELL",2017-03-06 13:00:00,CST-6,2017-03-06 16:20:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient ahead of a strong storm system produced high winds across portions of Central Kansas during the morning of March 6th, 2017. The highest winds in excess of 50-55 mph occurred across Central Kansas, near Russell, Kansas and Wilson, Kansas. Several large grass fires affected central Kansas which began on Saturday, March 4th with a couple of wildfires continuing through March 6th.||Two of the most impacted areas were just south of Wilson Lake, where on March 6th, residents were evacuated from the town of Wilson, as fires approached from the northwest. Residents were eventually allowed back to their homes later that night. ||Another large grass fire started north of Hutchinson on Sunday March 5th but was around 90% contained by the early afternoon hours of Monday March 6th. However, the fire rapidly sparked back up early Monday evening on March the 6th, as winds flipped around to the northwest and relative humidity values plummeted. This forced evacuations of around 10,0000 people from areas north of Hutchinson including the far northern portions of the town.","A large wildfire developed just south of Wilson Lake, due to wind gusts to 56 mph and low relative humidity levels. The wildfire move rapidly to the southeast as a wind shift pushed the fire towards the town of Wilson. Residents were evacuated from the town of Wilson as the wildfire approached from the northwest. Residents were eventually allowed back to their homes later that night." +113839,681727,KANSAS,2017,March,Wildfire,"RENO",2017-03-06 21:15:00,CST-6,2017-03-06 23:15:00,0,0,0,0,2.00M,2000000,500.00K,500000,NaN,NaN,NaN,NaN,"A tight pressure gradient ahead of a strong storm system produced high winds across portions of Central Kansas during the morning of March 6th, 2017. The highest winds in excess of 50-55 mph occurred across Central Kansas, near Russell, Kansas and Wilson, Kansas. Several large grass fires affected central Kansas which began on Saturday, March 4th with a couple of wildfires continuing through March 6th.||Two of the most impacted areas were just south of Wilson Lake, where on March 6th, residents were evacuated from the town of Wilson, as fires approached from the northwest. Residents were eventually allowed back to their homes later that night. ||Another large grass fire started north of Hutchinson on Sunday March 5th but was around 90% contained by the early afternoon hours of Monday March 6th. However, the fire rapidly sparked back up early Monday evening on March the 6th, as winds flipped around to the northwest and relative humidity values plummeted. This forced evacuations of around 10,0000 people from areas north of Hutchinson including the far northern portions of the town.","A large grass fire started north of Hutchinson on Sunday March 5th, but was around 90% contained by the early afternoon hours of Monday March 6th. However, the fire rapidly sparked back up early Monday evening, March the 6th, as winds flipped around to the northwest and relative humidity values plummeted. This forced evacuations of around 10,0000 people from areas north of Hutchinson including the far northern portions of the town. 6300 acres were burned by the fire, with 10 homes burned to the ground." +114631,687533,KANSAS,2017,March,Hail,"HARPER",2017-03-26 18:09:00,CST-6,2017-03-26 18:10:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-98.03,37.15,-98.03,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","" +114631,687534,KANSAS,2017,March,Hail,"HARPER",2017-03-26 18:17:00,CST-6,2017-03-26 18:18:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-98.07,37.04,-98.07,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","" +114631,687539,KANSAS,2017,March,Hail,"HARPER",2017-03-26 18:55:00,CST-6,2017-03-26 18:58:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-97.85,37.04,-97.85,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","Although most of the hail were dime-sized, there were a few that were quarter-sized. The duration was sufficient to result in accumulations." +114665,688134,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:40:00,CST-6,2017-05-20 16:40:00,0,0,0,0,,NaN,,NaN,34.71,-86.59,34.71,-86.59,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A broken power pole and transformer was down near Leeman Ferry Road and the Memorial Parkway." +114665,688135,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:40:00,CST-6,2017-05-20 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,34.71,-86.61,34.71,-86.61,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a house." +114665,688136,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:40:00,CST-6,2017-05-20 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,34.72,-86.61,34.72,-86.61,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on a house." +114665,688137,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:40:00,CST-6,2017-05-20 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,34.73,-86.58,34.73,-86.58,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on a house." +114665,688138,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:40:00,CST-6,2017-05-20 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,34.73,-86.59,34.73,-86.59,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on a house." +114665,688139,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:41:00,CST-6,2017-05-20 16:41:00,0,0,0,0,1.00K,1000,0.00K,0,34.7,-86.61,34.7,-86.61,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on a house." +113553,696014,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-05 14:45:00,EST-5,2017-04-05 15:15:00,0,0,0,0,0.10K,100,0.10K,100,34.0282,-81.043,34.0268,-81.0427,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","USGS gage along Smith Branch at North Main St near Earlewood Park crested at 10.29 feet. Flood stage is 9 feet." +114981,694382,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:15:00,CST-6,2017-05-28 01:15:00,0,0,0,0,0.20K,200,0.00K,0,34.48,-86.74,34.48,-86.74,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at Nelson Hollow Road at NE Turnery Road." +114981,694383,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:16:00,CST-6,2017-05-28 01:16:00,0,0,0,0,0.20K,200,0.00K,0,34.52,-86.67,34.52,-86.67,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 187 Mack Brown Road." +114981,694384,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:18:00,CST-6,2017-05-28 01:18:00,0,0,0,0,0.20K,200,0.00K,0,34.31,-86.75,34.31,-86.75,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 485 Oz Davis Road." +114981,696489,ALABAMA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-28 00:22:00,CST-6,2017-05-28 00:22:00,0,0,0,0,0.50K,500,,NaN,34.39,-87.73,34.39,-87.73,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Spotter estimated winds of at least 60 mph, possibly higher, in spruce pine. Time adjusted based on radar." +117115,704611,NORTH CAROLINA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-29 17:16:00,EST-5,2017-05-29 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-81,35.42,-81,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening, a few of the storms briefly became severe, producing isolated wind damage.","Public reported several trees blown down in the Lowesville area." +117120,704628,NORTH CAROLINA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-31 15:02:00,EST-5,2017-05-31 15:18:00,0,0,0,0,15.00K,15000,0.00K,0,35.466,-81.129,35.457,-81.051,"Scattered thunderstorms developed along the Blue Ridge during the afternoon and moved east/southeast. One of the storms produced brief damaging winds in Lincoln County.","County comms reported a tree blown down on a house and a carport blown down on two vehicles on Reinhardt Cir. Other trees were blown down along Highway 73." +114981,696490,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:18:00,CST-6,2017-05-28 01:18:00,0,0,0,0,,NaN,,NaN,34.32,-86.74,34.32,-86.74,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Spotter estimated 60-65 mph gusts in Eva. Time estimated from radar." +114811,688990,KENTUCKY,2017,May,Thunderstorm Wind,"ROWAN",2017-05-24 17:33:00,EST-5,2017-05-24 17:35:00,0,0,0,0,,NaN,,NaN,38.1595,-83.4073,38.1586,-83.404,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","High winds felled between 15 and 20 trees of various sizes, consisting mostly of pine trees. There was damage to a truck and to the roof of a home. There was also damage to a few above ground swimming pools." +115091,690939,ILLINOIS,2017,May,Hail,"FORD",2017-05-26 16:07:00,CST-6,2017-05-26 16:07:00,0,0,0,0,0.00K,0,0.00K,0,40.4736,-88.1043,40.4736,-88.1043,"Scattered thunderstorms developed over portions of central Illinois, including a cyclic supercell that produced large hail and damaging winds.","Half dollar size hail fell north of Paxton near I-57." +115095,690789,VERMONT,2017,May,Hail,"CALEDONIA",2017-05-31 14:52:00,EST-5,2017-05-31 14:52:00,0,0,0,0,0.00K,0,0.00K,0,44.526,-72.4198,44.526,-72.4198,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Quarter size hail reported." +115095,690791,VERMONT,2017,May,Hail,"CALEDONIA",2017-05-31 15:05:00,EST-5,2017-05-31 15:05:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-72.28,44.51,-72.28,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","Quarter size hail reported." +114629,687572,VERMONT,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 17:18:00,EST-5,2017-05-18 17:18:00,0,0,0,0,0.00K,0,0.00K,0,44.6543,-71.5867,44.6543,-71.5867,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Trees and power lines down by thunderstorm winds." +115177,697936,MISSOURI,2017,May,Hail,"DADE",2017-05-27 18:12:00,CST-6,2017-05-27 18:12:00,0,0,0,0,,NaN,0.00K,0,37.42,-93.84,37.42,-93.84,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697938,MISSOURI,2017,May,Hail,"DADE",2017-05-27 18:15:00,CST-6,2017-05-27 18:15:00,0,0,0,0,,NaN,0.00K,0,37.39,-93.74,37.39,-93.74,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +120712,723112,SOUTH CAROLINA,2017,October,Tornado,"LAURENS",2017-10-08 15:40:00,EST-5,2017-10-08 15:53:00,0,0,0,0,250.00K,250000,0.00K,0,34.51,-81.967,34.615,-81.922,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found a second, stronger tornado touched down in Laurens County, approximately 4 miles north/northeast of where the first tornado lifted, or on the east side of Laurens, near the intersection of Fleming St Ext and Torrington Rd. Significant damage was observed along Irwin Rd, between Hazelnut Ct and Cashew Trl, where several manufactured homes were severely damaged or destroyed. An occupant of one of these homes was injured. The tornado continued north/northeast to near the intersection of I-385 and Highway 49. From there, the tornado traveled roughly along Highway 49. A frame home in this area had its roof completely removed and multiple cinder block and brick walls collapsed. Otherwise, the tornado continued to damage many outbuildings and blew down numerous trees and tree limbs. The tornado moved away from Highway 49 near the intersection of Highway 308 and while the damage path was lost in this rural area, dual pol radar data indicated the tornado likely continued north/northeast, crossing into Spartanburg County less than a mile north of Highway 49." +115177,697941,MISSOURI,2017,May,Hail,"DOUGLAS",2017-05-27 18:18:00,CST-6,2017-05-27 18:18:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-92.65,36.96,-92.65,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697943,MISSOURI,2017,May,Hail,"STONE",2017-05-27 18:20:00,CST-6,2017-05-27 18:20:00,0,0,0,0,,NaN,0.00K,0,36.8,-93.48,36.8,-93.48,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697944,MISSOURI,2017,May,Hail,"MCDONALD",2017-05-27 18:24:00,CST-6,2017-05-27 18:24:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-94.61,36.74,-94.61,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697945,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 18:25:00,CST-6,2017-05-27 18:25:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-94.61,36.8,-94.61,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697946,MISSOURI,2017,May,Hail,"GREENE",2017-05-27 18:30:00,CST-6,2017-05-27 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.42,-93.55,37.42,-93.55,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697947,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 18:47:00,CST-6,2017-05-27 18:47:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-94.53,36.9,-94.53,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115166,691414,TEXAS,2017,May,Hail,"HARRISON",2017-05-28 16:25:00,CST-6,2017-05-28 16:25:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-94.06,32.48,-94.06,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Quarter size hail fell in Waskom. Report from the KSLA-TV Facebook page." +115166,691415,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-28 16:28:00,CST-6,2017-05-28 16:28:00,0,0,0,0,0.00K,0,0.00K,0,32.3853,-94.8668,32.3853,-94.8668,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Trees and power lines were blown down in Kilgore." +115268,692027,KENTUCKY,2017,May,Hail,"BALLARD",2017-05-27 14:20:00,CST-6,2017-05-27 14:20:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-89.08,36.97,-89.08,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +115331,698972,MISSOURI,2017,May,Hail,"SCOTT",2017-05-27 17:00:00,CST-6,2017-05-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9618,-89.5502,36.9618,-89.5502,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","" +115331,698975,MISSOURI,2017,May,Thunderstorm Wind,"SCOTT",2017-05-27 17:00:00,CST-6,2017-05-27 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.9631,-89.5509,36.9631,-89.5509,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","An amateur radio operator measured a wind gust to 90 mph for about 20 seconds. Some shingles were blown off a nearby house. The anemometer height was about 80 feet above ground level." +115436,693163,IOWA,2017,May,Hail,"BUTLER",2017-05-15 18:05:00,CST-6,2017-05-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-92.97,42.75,-92.97,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Quarter sized hail was reported and picture on KWWL's Facebook page. This is a delayed report and time estimated from radar." +115436,693164,IOWA,2017,May,Heavy Rain,"BUTLER",2017-05-15 17:00:00,CST-6,2017-05-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.9,-92.8,42.9,-92.8,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported heavy rainfall of 1.6 inches along with hail around dime size or smaller." +115436,693168,IOWA,2017,May,Hail,"KOSSUTH",2017-05-15 22:08:00,CST-6,2017-05-15 22:08:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-94.03,43.33,-94.03,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Law enforcement/dispatch relayed reports of half dollar sized hail SE of Lakota at the intersection of 220th Ave and 390th St." +115436,698030,IOWA,2017,May,Hail,"WEBSTER",2017-05-15 12:10:00,CST-6,2017-05-15 12:10:00,0,0,0,0,0.00K,0,0.00K,0,42.2348,-94.01,42.2348,-94.01,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","" +115736,695571,ILLINOIS,2017,May,Strong Wind,"PEORIA",2017-05-17 18:30:00,CST-6,2017-05-17 18:35:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds gusting to between 35 and 45mph lifted dust from recently dried fields to create significant reductions in visibility across central Illinois during the afternoon and evening of May 17th. Blowing dust cut the visibility to near zero in some locations, prompting closures of several major roadways. Portions of I-72 on the south side of Springfield, as well as near New Berlin were closed for a time. I-55 near McLean and IL-104 between I-55 and Auburn were temporarily closed as well. Numerous traffic accidents occurred due to the blowing dust, including two that resulted in fatalities. One person died in an accident on I-72 near New Berlin, and another person was killed in a 6-car accident on Route 36 near Tuscola.","A non-thunderstorm wind gust blew a large tree down across North Grand Boulevard in Peoria." +120737,723125,NORTH CAROLINA,2017,October,Tornado,"BURKE",2017-10-08 16:34:00,EST-5,2017-10-08 16:44:00,0,0,0,0,150.00K,150000,0.00K,0,35.683,-81.532,35.746,-81.515,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","NWS storm survey found a tornado damage path that began along a ridge between Long Mountain and Hildebran Mountain. The tornado initially snapped or uprooted multiple trees and numerous limbs and caused minor roof and gutter damage to a home off Mineral Springs Mountain Rd. The tornado moved north/northeast from there through a heavily wooded and hilly area, but presumably remained on the ground before moving across Cub Creek St just off Mineral Springs Mountain Rd. One manufactured home at this location had part of the roof removed while a couple of attached structures were heavily damaged or destroyed. A person was trapped and received minor injuries at this location. A nearby, old outbuilding was completely destroyed. A house that was at least 80-years-old had most of its shingles and part of the roofing material removed and both windows blown out on the east side. Another manufactured home was shifted about 20 feet off of its concrete block foundation. The path continued northeast, ending near the center of Connelly Springs, where numerous trees were downed, several outbuildings damaged, and multiple homes received mostly minor exterior damage." +120737,723130,NORTH CAROLINA,2017,October,Tornado,"CALDWELL",2017-10-08 16:51:00,EST-5,2017-10-08 16:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.794,-81.499,35.828,-81.489,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","Public reported an area of likely tornado damage along Dry Ponds Rd in the Sawmills area of Caldwell County. This was directly upstream of an area of tornado damage surveyed by an NWS storm survey team in the Hudson area and directly downstream from an area of tornado damage surveyed in the Connelly Springs area of Burke County. Damage appeared to be limited to downed trees and minor structural damage." +121089,724897,GEORGIA,2017,October,Thunderstorm Wind,"HART",2017-10-23 12:00:00,EST-5,2017-10-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-82.92,34.25,-82.92,"A band of rain showers moved across northeast Georgia during the late morning and early afternoon along and ahead of a strong cold front. An isolated damaging wind event occurred in the Piedmont.","Public reported trees blown down on Woodland Way." +115295,697046,ILLINOIS,2017,May,Flood,"EFFINGHAM",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2146,-88.8059,38.9128,-88.8071,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Effingham County. Several streets in the city of Effingham were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Beecher City to Shumway. An additional 0.50 to 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115949,696802,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:51:00,EST-5,2017-05-01 17:51:00,0,0,0,0,0.00K,0,0.00K,0,35.7072,-79.7679,35.7072,-79.7679,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on Luck Road near Falcon Hill Drive." +115949,696803,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:55:00,EST-5,2017-05-01 17:55:00,0,0,0,0,0.00K,0,0.00K,0,35.5371,-79.71,35.5371,-79.71,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down at the intersection of Union Grove Church Road and Ralph Lawrence Road." +115949,696804,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:51:00,EST-5,2017-05-01 17:51:00,0,0,0,0,0.00K,0,0.00K,0,35.5314,-79.7643,35.5314,-79.7643,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down near the intersection of Old Highway 220 and Highway 705." +115949,696805,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 17:59:00,EST-5,2017-05-01 17:59:00,0,0,0,0,0.00K,0,0.00K,0,35.7323,-79.6487,35.7323,-79.6487,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on Highway 22 in Ramseur." +115570,693999,KANSAS,2017,May,Hail,"GOVE",2017-05-10 21:27:00,CST-6,2017-05-10 22:32:00,0,0,0,0,,NaN,0.00K,0,39.0312,-100.4799,39.0312,-100.4799,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The hail size started out at quarter size then increased to ping-pong ball size toward the end." +115570,694001,KANSAS,2017,May,Hail,"SHERIDAN",2017-05-10 21:52:00,CST-6,2017-05-10 21:52:00,0,0,0,0,0.00K,0,0.00K,0,39.1897,-100.6846,39.1897,-100.6846,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","A mix of rain and hail continued through 3 AM CDT. No hail size was given past the time of this report." +114790,688885,NEBRASKA,2017,May,Thunderstorm Wind,"FURNAS",2017-05-15 18:38:00,CST-6,2017-05-15 18:38:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-99.8621,40.3,-99.8621,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","Wind gusts were estimated to be near 60 MPH." +116122,697966,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-05-24 17:14:00,EST-5,2017-05-24 17:14:00,0,0,0,0,0.00K,0,0.00K,0,25.94,-81.75,25.94,-81.75,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds across the Gulf waters.","A marine thunderstorm wind gust of 53 mph / 46 knots was recorded by the WeatherBug mesonet site MRSCL located at the Marco Island Marriott Beach Resort." +116123,697973,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-05-24 17:44:00,EST-5,2017-05-24 17:44:00,0,0,0,0,0.00K,0,0.00K,0,26.9,-80.79,26.9,-80.79,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds over the waters.","A marine thunderstorm wind gust of 40 mph / 35 knots was recorded by the SFWMD mesonet site LZ40 located over the center of Lake Okeechobee." +116123,697975,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-05-24 18:08:00,EST-5,2017-05-24 18:08:00,0,0,0,0,0.00K,0,0.00K,0,25.44,-80.31,25.44,-80.31,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds over the waters.","A marine thunderstorm wind gust of 44 mph / 38 knots was recorded by the WxFlow mesonet site XTKY located at Turkey Point." +115701,695306,IOWA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-16 20:50:00,CST-6,2017-05-16 20:50:00,0,0,0,0,1.00K,1000,0.00K,0,43.1,-93.6,43.1,-93.6,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Public reported shingles on the road, trees and branches down in Garner. Time estimated by radar." +115701,695281,IOWA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-16 19:54:00,CST-6,2017-05-16 19:54:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-94.54,42.53,-94.54,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported tree limbs down in Manson. Size unknown at the time." +115701,695285,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:07:00,CST-6,2017-05-16 20:07:00,0,0,0,0,20.00K,20000,0.00K,0,42.51,-94.16,42.51,-94.16,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported pea sized hail. Numerous large trees are down all across the city. More detailed damage report in similarly time stamped LSR." +116144,703509,OKLAHOMA,2017,May,Tornado,"CHEROKEE",2017-05-18 21:51:00,CST-6,2017-05-18 21:59:00,0,0,0,0,0.00K,0,0.00K,0,35.8843,-95.2652,36.0036,-95.1706,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the third segment of a three segment tornado. In Cherokee County, this tornado moved across Fort Gibson Lake, then snapped and uprooted numerous trees in Sequoyah State Park. Numerous trees were snapped and uprooted as it moved northeast across Highway 51 until it dissipated east of the N 400 Road and north of the W 700 Road. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +116144,703515,OKLAHOMA,2017,May,Tornado,"MAYES",2017-05-18 22:04:00,CST-6,2017-05-18 22:05:00,0,0,0,0,0.00K,0,0.00K,0,36.0748,-95.2395,36.0815,-95.2374,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the second segment of a two segment tornado. In Mayes County, this tornado snapped large tree limbs and then dissipated north of Ear Bob Road. Based on this damage, maximum estimated wind in this segment of the tornado was 80 to 85 mph." +116261,698955,KENTUCKY,2017,May,Strong Wind,"GRAVES",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698956,KENTUCKY,2017,May,Strong Wind,"MARSHALL",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698957,KENTUCKY,2017,May,Strong Wind,"CALLOWAY",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698958,KENTUCKY,2017,May,Strong Wind,"LIVINGSTON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698959,KENTUCKY,2017,May,Strong Wind,"CRITTENDEN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698960,KENTUCKY,2017,May,Strong Wind,"UNION",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +115268,692424,KENTUCKY,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 16:40:00,CST-6,2017-05-27 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,36.8549,-87.5641,36.8549,-87.5641,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A few miles west of Hopkinsville, a downed tree blocked Highway 272 near Highway 164." +115268,692430,KENTUCKY,2017,May,Thunderstorm Wind,"HOPKINS",2017-05-27 16:40:00,CST-6,2017-05-27 16:50:00,0,0,0,0,4.00K,4000,0.00K,0,37.3198,-87.5129,37.35,-87.4,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Damaging thunderstorm winds occurred throughout the Madisonville area. A trained spotter on the southwest side of Madisonville estimated winds gusted to 65 mph, downing small tree limbs. In Madisonville, downed power lines blocked travel on a portion of U.S. Highway 41. At the Madisonville airport east of the city, the automated observing system clocked a gust to 60 mph." +115620,696205,ILLINOIS,2017,May,Flood,"ALEXANDER",2017-05-01 00:00:00,CST-6,2017-05-31 23:59:00,0,0,0,0,100.00K,100000,50.00K,50000,37.22,-89.47,37.1707,-89.4098,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Major flooding occurred along the Mississippi River early in the month. At the Thebes river gage, the river crested at 43.18 feet on the 6th. Flood stage is 33 feet. The river remained above flood stage for the entire month. There was extensive flooding of low-lying agricultural land, riverside parks, and river access roads. Residents of small communities such as Thebes and Gale were forced to evacuate or use boats to access their homes. Most roads leading to riverfront property were cut off by floodwaters. Some basements were flooded. The U.S. Coast Guard closed the Mississippi River to all vessel traffic to protect the integrity of levees, especially the Len Small Levee. This levee was broken during the record 2016 flood. Backwater flooding along tributary creeks affected many areas, including the inland community of McClure. Flooded streets in McClure impacted several families, who needed a boat to safely reach their homes." +115620,696215,ILLINOIS,2017,May,Flood,"FRANKLIN",2017-05-01 00:00:00,CST-6,2017-05-17 06:00:00,0,0,0,0,70.00K,70000,0.00K,0,37.8754,-89.0751,38.0165,-88.9944,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Moderate flooding occurred on the Big Muddy River. At the Plumfield river gage, the river crested at 28.60 feet on the 2nd. Flood stage is 20 feet. Several houses were evacuated, including two houses between Plumfield and Buckner. A number of roads were closed. State Highway 148 at the Big Muddy River bridge south of Zeigler was reduced to one lane. There was considerable flooding of bottomlands and surrounding low-lying areas. Franklin County government officials declared a state of disaster for the entire county. The American Red Cross opened shelters for flood victims." +116207,698563,IOWA,2017,May,Hail,"GUTHRIE",2017-05-22 18:27:00,CST-6,2017-05-22 18:27:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-94.4,41.52,-94.4,"A weak cold frontal boundary drifted into central Iowa during the afternoon and early evening hours on the 22nd. While it was able to initiate a series of storms, eventually becoming a line, they were predominantly sub-severe within a SBCAPE environment around 1000 J/kg and effective bulk shear less than 30 kts. Two instances of severe reports were seen, including brief 1 hail and an automated equipment recorded 58 mph wind gust.","Trained spotter reported quarter sized hail." +117505,706696,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-25 17:26:00,EST-5,2017-05-25 17:36:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gust of 37 to 48 knots were reported at Tolly Point, Greenbury Point, the Annapolis Buoy and Thomas Point Lighthouse." +117505,706697,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-25 16:54:00,EST-5,2017-05-25 17:06:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts in excess of 30 knots were reported at Bishops Head." +117505,706698,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-25 17:09:00,EST-5,2017-05-25 17:09:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 34 knots was reported at Raccoon Point." +117505,706699,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-05-25 16:48:00,EST-5,2017-05-25 16:48:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gusts in excess of 30 knots was reported at Reagan National." +117505,706701,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-05-25 18:34:00,EST-5,2017-05-25 18:39:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts of 36 to 37 knots were reported at Gunpowder." +116168,698304,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:45:00,CST-6,2017-05-17 16:53:00,0,0,1,0,60.00K,60000,0.00K,0,42.58,-92.78,42.5643,-92.6573,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Coop observer reported very high winds estimated at over 70 mph. Power reported out in Parkersburg, semi overturned on Highway 57 resulting in one fatality, and numerous tree limbs down on roads. A 3 foot diameter tree also downed in Parkersburg." +116168,699916,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:40:00,CST-6,2017-05-17 17:00:00,1,0,0,0,100.00K,100000,0.00K,0,42.5825,-92.8853,42.8911,-92.8036,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A machine shed was blown down on top of a person, who was extricated and taken to the hospital. A building in Greene collapsed and caused a gas leak. Widespread tree damage and numerous trees down, power lines down and building damage throughout the western half of the county." +115701,695294,IOWA,2017,May,Thunderstorm Wind,"KOSSUTH",2017-05-16 20:21:00,CST-6,2017-05-16 20:21:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-94.24,43.06,-94.24,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter estimated wind gusts to around 60 mph ongoing at the time." +116042,697414,TEXAS,2017,May,Hail,"KINNEY",2017-05-10 19:58:00,CST-6,2017-05-10 19:58:00,0,0,0,0,,NaN,,NaN,29.32,-100.41,29.32,-100.41,"Thunderstorms developed over the mountains in Mexico ahead of a cold front. Some of these storms produced severe hail.","A thunderstorm produced one inch hail in Brackettville." +116042,697415,TEXAS,2017,May,Hail,"VAL VERDE",2017-05-10 21:36:00,CST-6,2017-05-10 21:36:00,0,0,0,0,,NaN,,NaN,29.37,-100.91,29.37,-100.91,"Thunderstorms developed over the mountains in Mexico ahead of a cold front. Some of these storms produced severe hail.","A thunderstorm produced one inch hail on the west side of Del Rio." +116042,699216,TEXAS,2017,May,Tornado,"VAL VERDE",2017-05-10 21:58:00,CST-6,2017-05-10 21:59:00,0,0,0,0,,NaN,,NaN,29.4279,-100.78,29.4279,-100.7783,"Thunderstorms developed over the mountains in Mexico ahead of a cold front. Some of these storms produced severe hail.","A thunderstorm produced a weak tornado north of Laughlin AFB. The tornado was observed by the weather personnel on the base, but no damage was found in the rural area of the path." +116045,697434,TEXAS,2017,May,Hail,"TRAVIS",2017-05-11 16:07:00,CST-6,2017-05-11 16:07:00,0,0,0,0,,NaN,,NaN,30.37,-97.79,30.37,-97.79,"Thunderstorms formed along an outflow boundary from the previous night's convection. Some of these storms produced severe hail.","A thunderstorm produced one inch hail in northwestern Austin." +116045,697437,TEXAS,2017,May,Hail,"TRAVIS",2017-05-11 16:15:00,CST-6,2017-05-11 16:15:00,0,0,0,0,,NaN,,NaN,30.3666,-97.7607,30.3666,-97.7607,"Thunderstorms formed along an outflow boundary from the previous night's convection. Some of these storms produced severe hail.","A thunderstorm produced quarter size hail at Mesa Dr. and Paintrock Dr. in northwestern Austin." +113468,679234,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN FRANKLIN",2017-02-09 06:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Seven to fourteen inches of snow fell on Eastern Franklin County." +113468,679235,MASSACHUSETTS,2017,February,Winter Storm,"NORTHERN WORCESTER",2017-02-09 07:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Seven to seventeen inches of snow fell on Northern Worcester County." +113468,679236,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN MIDDLESEX",2017-02-09 07:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Seven to eleven inches on snow fell on Western Middlesex County." +113468,679237,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN ESSEX",2017-02-09 08:00:00,EST-5,2017-02-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Eight to twelve inches of snow fell on Western Essex County." +116045,697439,TEXAS,2017,May,Hail,"TRAVIS",2017-05-11 16:15:00,CST-6,2017-05-11 16:15:00,0,0,0,0,,NaN,,NaN,30.3716,-97.7857,30.3716,-97.7857,"Thunderstorms formed along an outflow boundary from the previous night's convection. Some of these storms produced severe hail.","A thunderstorm produced ping pong ball size hail near TX360 and Lakewood Dr. in northwestern Austin." +116436,700295,TEXAS,2017,May,Hail,"EASTLAND",2017-05-18 18:22:00,CST-6,2017-05-18 18:22:00,0,0,0,0,0.00K,0,0.00K,0,32.1,-98.97,32.1,-98.97,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Fire and rescue reported golf ball sized hail just south of the city of Rising Star, TX." +116463,700422,LOUISIANA,2017,May,Hail,"VERMILION",2017-05-03 07:49:00,CST-6,2017-05-03 07:51:00,0,0,0,0,250.00K,250000,0.00K,0,29.65,-92.45,29.65,-92.45,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Pictures posted to social media and reports from law enforcement and emergency management indicated wind driven golf ball to baseball size hail stripping trees and damaging homes. Several homes had roof damage, siding missing, and broken windows in Pecan Island. Car windshields also were reported to be smashed." +116436,700296,TEXAS,2017,May,Hail,"EASTLAND",2017-05-18 19:04:00,CST-6,2017-05-18 19:04:00,0,0,0,0,10.00K,10000,0.00K,0,32.1,-98.97,32.1,-98.97,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Fire and Rescue reported 2.5 inch diameter hail in the city of Rising Star, TX." +116436,700297,TEXAS,2017,May,Hail,"STEPHENS",2017-05-18 20:00:00,CST-6,2017-05-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-98.9,32.75,-98.9,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Emergency management reported golf ball sized hail in the city of Breckenridge, TX." +116436,700298,TEXAS,2017,May,Hail,"STEPHENS",2017-05-18 20:02:00,CST-6,2017-05-18 20:02:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-98.9,32.75,-98.9,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported quarter-sized hail in the city of Breckenridge, TX." +116436,700300,TEXAS,2017,May,Hail,"MONTAGUE",2017-05-18 21:16:00,CST-6,2017-05-18 21:16:00,0,0,0,0,0.00K,0,0.00K,0,33.79,-97.74,33.79,-97.74,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Volunteer Fire Department reported quarter-sized hail in the northwest part of the city of Nacona, TX." +115945,697665,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:47:00,EST-5,2017-05-31 18:47:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 647 PM EST, the media reported half dollar size hail falling near Provin Mountain in Westfield." +115945,697654,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 18:56:00,EST-5,2017-05-31 18:56:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-72.62,42.07,-72.62,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 656 PM EST, nickel size hail was reported in Agawam." +115945,697652,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 19:00:00,EST-5,2017-05-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-72.65,42.12,-72.65,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 7 PM EST, quarter size hail was reported in West Springfield." +115945,697668,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 19:43:00,EST-5,2017-05-31 19:43:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.76,42.14,-72.76,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 743 PM EST, quarter size hail was reported in Westfield." +115945,697661,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 19:00:00,EST-5,2017-05-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-72.62,42.07,-72.62,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 7 PM EST, quarter size hail was reported in Agawam." +116570,700963,TEXAS,2017,May,Flash Flood,"JASPER",2017-05-03 10:30:00,CST-6,2017-05-03 14:30:00,0,0,0,0,5.00K,5000,0.00K,0,30.4854,-94.0038,30.4697,-93.9338,"Less than a week after a flooding event in Southeast Texas another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Four to 7 inches of rain fell on portions of Jasper county with Buna Elementary receiving 6.37 inches. Some streets were reported flooded including north and south bound US 96. A gas station in Buna was also flooded." +116616,701370,GEORGIA,2017,May,Tornado,"DE KALB",2017-05-04 20:40:00,EST-5,2017-05-04 20:42:00,0,0,0,0,15.00K,15000,,NaN,33.7785,-84.252,33.7879,-84.2365,"A weakly unstable but strongly sheared atmosphere accompanying a deep upper-level low and associated strong cold front resulted in a few severe thunderstorms in north Georgia with damaging winds and two isolated tornadoes.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 70 MPH and a maximum path width of 80 yards touched down near Forest Glen Circle in central DeKalb County where it broke several large branches and uprooted a few trees. The tornado moved northeast crossing I-285, North Decatur Road, Dial Road and Greenridge Circle snapping or uprooting a few more trees before ending just past Greenridge Circle. [05/04/17: Tornado #2, County #1/1, EF-0, DeKalb, 2017:071]." +115031,701360,GEORGIA,2017,May,Drought,"FANNIN",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +113468,679239,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN ESSEX",2017-02-09 08:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Eight to fourteen inches of snow fell on Eastern Essex County." +113468,679240,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN HAMPSHIRE",2017-02-09 06:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Six to ten inches of snow fell on Western Hampshire County." +116320,699496,WASHINGTON,2017,May,Flood,"OKANOGAN",2017-05-01 00:00:00,PST-8,2017-05-30 06:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.9448,-120.7837,48.9737,-118.8062,"Very wet conditions along with spring time snow melt during the month of April continued to promote widespread areal flooding issues and debris flows in the mountainous regions of Ferry and Okanogan Counties.","Periodic heavy rain during the month of April and spring time snow melt created small stream flooding and road closures due to debris flows through out Okanogan County during April and extending into the month of May. State Highway 20 remained closed between Twisp and Okanogan due to a pair of extensive debris flows which cut the road in April. The north fork of Salmon Creek overflowed due to snow melt and flooded streets in and near the town of Conconully periodically through the middle of May. Most notably a surge of water 7 to 8 feet deep covered a bridge in Conconully due to a log jam break-up on the creek on the evening of May 5th. A bridge in Oroville was also flooded on May 5th when Nine Mile Creek overflowed it's banks. On May 29th a landslide in the Chiliwist Creek Valley destroyed a driveway and debris from the slide plugged a culvert creating a flood from the backup, which blocked another driveway and flooded Chiliwist Road." +116706,701801,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:49:00,CST-6,2017-05-15 17:49:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-101.87,35.98,-101.87,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701802,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:51:00,CST-6,2017-05-15 17:51:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.91,35.69,-101.91,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701803,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:52:00,CST-6,2017-05-15 17:52:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.88,35.69,-101.88,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701804,TEXAS,2017,May,Hail,"MOORE",2017-05-15 17:56:00,CST-6,2017-05-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.86,35.69,-101.86,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116700,701770,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:45:00,MST-7,2017-05-31 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1639,-101.4663,39.1639,-101.4663,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Hail was just a little over two inches in diameter." +116700,701772,KANSAS,2017,May,Hail,"LOGAN",2017-05-31 20:10:00,CST-6,2017-05-31 20:40:00,0,0,0,0,0.00K,0,0.00K,0,39.0652,-101.4622,39.0652,-101.4622,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","During this time 0.88 inches of rain also fell." +116700,701978,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:24:00,MST-7,2017-05-31 18:24:00,0,0,0,0,25.50K,25500,0.00K,0,39.3571,-101.7161,39.3571,-101.7161,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Near the hospital a 30 ft. camper trailer was rolled three times, including rolling over a privacy fence and a shed. A large cottonwood tree was also blown over and a pine tree was uprooted on the hospital campus." +116700,701979,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:19:00,MST-7,2017-05-31 18:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Dime to nickel size hail also occurred with the wind gusts." +116700,701980,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:22:00,MST-7,2017-05-31 18:22:00,0,0,0,0,0.00K,0,0.00K,0,39.3353,-101.7969,39.3353,-101.7969,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +115243,694650,MISSOURI,2017,May,Hail,"MCDONALD",2017-05-11 08:05:00,CST-6,2017-05-11 08:05:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-94.62,36.67,-94.62,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694652,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 09:22:00,CST-6,2017-05-11 09:22:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-94.42,36.9,-94.42,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694659,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 09:31:00,CST-6,2017-05-11 09:31:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-94.35,36.99,-94.35,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694660,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 09:33:00,CST-6,2017-05-11 09:33:00,0,0,0,0,0.00K,0,0.00K,0,37,-94.32,37,-94.32,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694661,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 09:37:00,CST-6,2017-05-11 09:37:00,0,0,0,0,0.00K,0,0.00K,0,37,-94.32,37,-94.32,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694662,MISSOURI,2017,May,Hail,"BARRY",2017-05-11 10:17:00,CST-6,2017-05-11 10:17:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-93.7,36.91,-93.7,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Hail covered the ground." +115243,694663,MISSOURI,2017,May,Hail,"CHRISTIAN",2017-05-11 11:16:00,CST-6,2017-05-11 11:16:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-93.23,37.02,-93.23,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694664,MISSOURI,2017,May,Hail,"CHRISTIAN",2017-05-11 11:16:00,CST-6,2017-05-11 11:16:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-93.2,37.05,-93.2,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Hail covered the the ground." +115243,694665,MISSOURI,2017,May,Hail,"WEBSTER",2017-05-11 11:35:00,CST-6,2017-05-11 11:35:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.06,37.12,-93.06,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694666,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 13:40:00,CST-6,2017-05-11 13:40:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-94.53,36.9,-94.53,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Quarter to half dollar size hail was reported." +115243,694667,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 14:19:00,CST-6,2017-05-11 14:19:00,0,0,0,0,,NaN,0.00K,0,36.84,-94.42,36.84,-94.42,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694668,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 14:20:00,CST-6,2017-05-11 14:20:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-94.42,36.8,-94.42,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +114790,688879,NEBRASKA,2017,May,Thunderstorm Wind,"ADAMS",2017-05-15 20:15:00,CST-6,2017-05-15 20:15:00,0,0,0,0,25.00K,25000,0.00K,0,40.6,-98.43,40.6,-98.43,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","A large tree was downed in town, blocking traffic for a time on Baltimore Avenue. A gustnado was also reported just south-southeast of town." +116774,702276,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"HORRY",2017-05-28 20:50:00,EST-5,2017-05-28 20:51:00,0,0,0,0,1.00K,1000,0.00K,0,33.5857,-79.0305,33.5857,-79.0305,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","A tree was reported down on Tournament Blvd." +116719,701942,NORTH CAROLINA,2017,May,Hail,"PENDER",2017-05-25 14:23:00,EST-5,2017-05-25 14:24:00,0,0,0,0,0.10K,100,0.00K,0,34.5494,-77.9499,34.5494,-77.9499,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","Hail to the size of nickels was reported." +116719,701943,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NEW HANOVER",2017-05-25 14:33:00,EST-5,2017-05-25 14:34:00,0,0,0,0,15.00K,15000,0.00K,0,34.033,-77.8925,34.033,-77.8925,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","Several small amusement rides were blown over. Damage to roofing shingles and signs. The time was estimated based on radar data." +114353,685235,CONNECTICUT,2017,March,Strong Wind,"NORTHERN NEW HAVEN",2017-03-22 09:00:00,EST-5,2017-03-22 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","The ASOS reported wind gusts up to 51 mph at 1035 am." +114353,685237,CONNECTICUT,2017,March,Strong Wind,"NORTHERN FAIRFIELD",2017-03-22 11:00:00,EST-5,2017-03-22 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","In East Newtown at 12 pm, a few branches up to 2 inches in diameter were knocked down, and wind gusts were estimated to range from 45 to 50 mph." +114354,685240,NEW JERSEY,2017,March,Strong Wind,"WESTERN BERGEN",2017-03-22 12:00:00,EST-5,2017-03-22 16:00:00,1,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","Around 215 pm, law enforcement reported a rotted tree was knocked down on a moving car, critically injuring the driver. This occurred on Route 202 Ramapo Valley Road in Mahwah." +114354,685244,NEW JERSEY,2017,March,Strong Wind,"WESTERN PASSAIC",2017-03-22 15:00:00,EST-5,2017-03-22 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","At 427 pm, a trained spotter reported large tree limbs and branches were knocked down near Erskine." +114354,685247,NEW JERSEY,2017,March,Strong Wind,"HUDSON",2017-03-22 15:00:00,EST-5,2017-03-22 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind deep low pressure and a strong cold front.","A mesonet station measured sustained winds of 38 mph in Weehawken at 430 pm." +114118,683436,TENNESSEE,2017,March,Thunderstorm Wind,"STEWART",2017-03-01 06:12:00,CST-6,2017-03-01 06:12:00,0,0,0,0,3.00K,3000,0.00K,0,36.5616,-87.7885,36.5616,-87.7885,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Stewart County 911 reported a few trees were blown down on Joiner Hollow Road." +113051,686713,MASSACHUSETTS,2017,March,Strong Wind,"EASTERN HAMPSHIRE",2017-03-14 11:49:00,EST-5,2017-03-14 12:30:00,0,0,0,0,0.30K,300,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","At 1249 PM EDT, a tree and wires were reported on Pelham Road in Amherst." +116370,699778,MONTANA,2017,June,Hail,"CASCADE",2017-06-01 16:40:00,MST-7,2017-06-01 16:40:00,0,0,0,0,0.00K,0,0.00K,0,47.44,-111.33,47.44,-111.33,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Quarter size hail reported in the Big Bend/Fox Farm area of Great Falls." +116370,699781,MONTANA,2017,June,Thunderstorm Wind,"CASCADE",2017-06-01 15:44:00,MST-7,2017-06-01 15:44:00,0,0,0,0,0.00K,0,0.00K,0,47.27,-111.7,47.27,-111.7,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","A 60 mph thunderstorm wind gust in Cascade at 4:44 PM MDT." +116370,699777,MONTANA,2017,June,Hail,"CASCADE",2017-06-01 16:20:00,MST-7,2017-06-01 16:20:00,0,0,0,0,0.00K,0,0.00K,0,47.22,-111.46,47.22,-111.46,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Estimated hail around quarter size. Crop damage. Strong winds. Time and exact location of event are estimated." +114531,686861,TENNESSEE,2017,March,Thunderstorm Wind,"STEWART",2017-03-20 16:50:00,CST-6,2017-03-20 16:50:00,0,0,0,0,15.00K,15000,0.00K,0,36.3662,-87.7771,36.3662,-87.7771,"A cluster of strong to severe thunderstorms moved southeast across northwestern parts of Middle Tennessee during the evening hours on March 20. Two reports of wind damage were received.","Media shared twitter photos that showed a large tree blown down onto a small house near Erin in Stewart County. The house was heavily damaged. Time estimated based on radar." +113051,683068,MASSACHUSETTS,2017,March,Heavy Snow,"WESTERN HAMPSHIRE",2017-03-14 03:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Very heavy snow fell throughout much of the day in western Hampshire County.|Snowfall totals ranged from 12 to 15 inches, with an isolated 20 inch report for Huntington received from the broadcast media." +114423,686113,TENNESSEE,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-09 22:36:00,CST-6,2017-03-09 22:36:00,0,0,0,0,3.00K,3000,0.00K,0,35.9415,-87.2966,35.9415,-87.2966,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","The roof was blown off and part of the wall collapsed on an outbuilding at Ace Hardware on Highway 46 in Bon Aqua." +114118,683873,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 06:56:00,CST-6,2017-03-01 06:56:00,0,0,0,0,3.00K,3000,0.00K,0,35.9341,-86.9649,35.9341,-86.9649,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tSpotter Twitter report indicated several trees were blown down along Highway 46 near Waddell Hollow Road." +114118,685293,TENNESSEE,2017,March,Thunderstorm Wind,"WAYNE",2017-03-01 10:25:00,CST-6,2017-03-01 10:25:00,0,0,0,0,1.00K,1000,0.00K,0,35.341,-87.8108,35.341,-87.8108,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Old Beech Creek Road." +114118,685833,TENNESSEE,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-01 06:34:00,CST-6,2017-03-01 06:34:00,0,0,0,0,1.00K,1000,0.00K,0,35.9002,-87.3416,35.9002,-87.3416,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported a tree was blown down on Highway 100." +114423,686128,TENNESSEE,2017,March,Lightning,"WILSON",2017-03-09 23:01:00,CST-6,2017-03-09 23:01:00,0,0,0,0,300.00K,300000,0.00K,0,36.1453,-86.4966,36.1453,-86.4966,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A house in the 800 block of Harrisburg Lane in Mount Juliet was struck by lightning, and the resulting fire completely destroyed the home." +114423,686132,TENNESSEE,2017,March,Thunderstorm Wind,"MAURY",2017-03-09 23:12:00,CST-6,2017-03-09 23:12:00,0,0,0,0,3.00K,3000,0.00K,0,35.5213,-87.097,35.5213,-87.097,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A Facebook report indicated trees were blown down on power lines on Pamela Drive southwest of Columbia." +114118,685600,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:05:00,CST-6,2017-03-01 08:05:00,0,0,0,0,1.00K,1000,0.00K,0,36.5603,-85.7439,36.5603,-85.7439,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Bakerton Road." +114118,685601,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 07:59:00,CST-6,2017-03-01 07:59:00,0,0,0,0,1.00K,1000,0.00K,0,36.607,-85.7415,36.607,-85.7415,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on 84 Line Creek Road." +114423,686086,TENNESSEE,2017,March,Hail,"RUTHERFORD",2017-03-09 22:00:00,CST-6,2017-03-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.786,-86.4007,35.786,-86.4007,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several Facebook and Twitter reports and photos indicated quarter size to half dollar size hail fell in southern Murfreesboro around South Church Street and Veterans Parkway." +114423,686087,TENNESSEE,2017,March,Hail,"RUTHERFORD",2017-03-09 22:04:00,CST-6,2017-03-09 22:04:00,0,0,0,0,0.00K,0,0.00K,0,35.8219,-86.3563,35.8219,-86.3563,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several Facebook and Twitter reports and photos indicated quarter size to half dollar size hail fell in southern Murfreesboro around Rutherford Street." +114683,687906,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-21 15:18:00,CST-6,2017-03-21 15:18:00,0,0,0,0,0.00K,0,0.00K,0,35.45,-86.85,35.45,-86.85,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","" +114683,687911,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-21 15:18:00,CST-6,2017-03-21 15:18:00,0,0,0,0,0.00K,0,0.00K,0,35.2598,-87.3803,35.2598,-87.3803,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Numerous reports of quarter size hail from 3 miles west of Lawrenceburg to north of Ethridge." +114423,686528,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-10 00:00:00,CST-6,2017-03-10 00:00:00,0,0,0,0,6.00K,6000,0.00K,0,35.57,-86,35.57,-86,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Barns were damaged and several trees were blown down in the Summitville area." +114683,687889,TENNESSEE,2017,March,Hail,"LEWIS",2017-03-21 14:32:00,CST-6,2017-03-21 14:32:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-87.65,35.55,-87.65,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","" +114168,684440,MISSISSIPPI,2017,March,Hail,"SCOTT",2017-03-01 15:07:00,CST-6,2017-03-01 15:10:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-89.33,32.57,-89.33,"An upper-level shortwave trough moved from the Great Plains toward the Upper Midwest throughout the day on March 1st, while a surface low pressure system moved east across the Great Lakes. A cold front extending south from the low pressure system moved from northwest to southeast through Mississippi during the daytime. Because of the daytime passage of the cold front, modest atmospheric instability and high amounts of deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front. These thunderstorms produced isolated large hail up to the size of golf balls as well as damaging wind gusts which blew down trees and resulted in minor structural damage.","Hail up to the size of quarters fell near Sebastapol for a few minutes." +114253,684553,MISSISSIPPI,2017,March,Thunderstorm Wind,"OKTIBBEHA",2017-03-07 12:32:00,CST-6,2017-03-07 12:32:00,0,0,0,0,3.00K,3000,0.00K,0,33.3304,-88.7588,33.3304,-88.7588,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","A tree was blown down on Robinson Road near Oktoc Road." +114253,684555,MISSISSIPPI,2017,March,Hail,"RANKIN",2017-03-07 13:00:00,CST-6,2017-03-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,32.2244,-90.0378,32.2244,-90.0378,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Hail up to the size of quarters fell near the intersection of MS Highway 468 and MS Highway 469 southwest of Brandon." +114970,689672,LOUISIANA,2017,March,Hail,"FRANKLIN",2017-03-27 14:28:00,CST-6,2017-03-27 14:28:00,0,0,0,0,0.00K,0,0.00K,0,32.09,-91.61,32.09,-91.61,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Quarter sized hail fell at Goodman's Flying Services." +114721,688110,MISSISSIPPI,2017,March,Thunderstorm Wind,"LAMAR",2017-03-30 04:55:00,CST-6,2017-03-30 04:55:00,0,0,0,0,5.00K,5000,0.00K,0,31.2,-89.42,31.2,-89.42,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms blew a tree down across Ray Boone Road." +114721,688111,MISSISSIPPI,2017,March,Thunderstorm Wind,"FORREST",2017-03-30 05:10:00,CST-6,2017-03-30 05:10:00,0,0,0,0,3.00K,3000,0.00K,0,31.18,-89.34,31.18,-89.34,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms blew a small tree down across Ford Road." +114721,690221,MISSISSIPPI,2017,March,Strong Wind,"WEBSTER",2017-03-30 05:45:00,CST-6,2017-03-30 05:45:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Strong winds from a wake low event blew down trees across the county, including along Highway 182 and also along Highway 404." +114721,688106,MISSISSIPPI,2017,March,High Wind,"SCOTT",2017-03-30 01:30:00,CST-6,2017-03-30 01:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Outflow winds ahead of a line of decaying thunderstorms blew down an estimated 25 to 30 trees across Scott County, several of which fell across roadways." +113876,681970,TEXAS,2017,March,Tornado,"HARRIS",2017-03-29 13:55:00,CST-6,2017-03-29 13:58:00,0,0,0,0,27.00K,27000,0.00K,0,29.6487,-95.071,29.6426,-95.0698,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","This EF-1 tornado was the first of four tornadoes from a parent mesocyclone associated with a large HP supercell that tracked across southeast Harris County and into Chambers County. This small track tornado spun up quickly along the back side of the parent mesocyclone with a track from the north northwest to the south southeast, passing directly over a business and damaging metal industrial buildings from south of Fairmont Parkway to west of Bay Park Road. Cars were pushed and stacked into and on top of each other in the parking lot. A large semi-trailer was slid into several vehicles. There was significant roof damage to a large storage facility before the tornado ended in a small open track of land to the south. Estimated peak winds were 110 mph." +114683,687965,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:20:00,CST-6,2017-03-21 16:20:00,0,0,0,0,0.00K,0,0.00K,0,35.7028,-85.8405,35.7028,-85.8405,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A wind gust of 54 knots (62 mph) was measured at the McMinnville Airport AWOS." +114683,687938,TENNESSEE,2017,March,Hail,"RUTHERFORD",2017-03-21 16:00:00,CST-6,2017-03-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7913,-86.3563,35.7913,-86.3563,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Quarter size and larger hail was reported on Manchester Pike near Murfreesboro." +115939,697039,NEVADA,2017,January,High Wind,"MINERAL/SOUTHERN LYON",2017-01-10 12:00:00,PST-8,2017-01-10 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the northern Sierra (Carson Range), as well as a period of snowfall in the lower elevations of western Nevada.","Sustained winds were as high as 63 mph at the Walker Lake NDOT sensor. Gusts at that site were mostly between 70 and 85 mph, but reached 105 mph at 1800PST. Smith Valley and Yerington has automated sensors with gusts briefly between 58 and 63 mph. The winds caused at least two semi-trucks to blow over on Highway 95 near Walker Lake." +115985,697394,NEVADA,2017,January,Heavy Snow,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-01-22 16:00:00,PST-8,2017-01-23 01:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over Nevada during the period. This brought another round of significant snowfall to the northern Sierra and portions of western Nevada.","Widespread snowfall totals of 4 to 8 inches were noted in valley locations through the evening of the 22nd, mainly near and west of Interstate 580/Highway 395, with lesser amounts of 2 to 4 inches farther east. Local amounts between 8 and 13 inches were reported in the foothills west and southwest of Reno. Finally, between the 20th and 23rd, Virginia City received almost 27 inches of snow." +115985,697390,NEVADA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-19 21:00:00,PST-8,2017-01-23 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over Nevada during the period. This brought another round of significant snowfall to the northern Sierra and portions of western Nevada.","Cooperative observers reported between 2 and 3 feet of snow on the east shore of Lake Tahoe and for the Daggett Pass area. The Mount Rose ski area reported more than 6 feet of snow." +115984,697203,CALIFORNIA,2017,January,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-01-19 21:00:00,PST-8,2017-01-23 08:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over California during the period. This brought another round of very significant snowfall to the Sierra and portions of northeast California.","Cooperative observers and CoCoRAHS observations around Lake Tahoe reported from just over 2 feet, to as much as 4.5 feet of snowfall between the 19th and early on the 23rd. At ski areas, an estimated 5 to 7 feet of snow fell. The weight of the snow caused the collapse of a building's roof in the Pioneer Center in South Lake Tahoe early in the morning on the 23rd." +114118,683870,TENNESSEE,2017,March,Tornado,"WILLIAMSON",2017-03-01 07:00:00,CST-6,2017-03-01 07:09:00,0,0,0,0,7.27M,7270000,0.00K,0,35.9545,-86.883,35.9883,-86.7019,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An EF-1 tornado touched down along Hillsboro Road just northwest of the city of Franklin, then moved rapidly east-northeast across the Cool Springs and Brentwood areas of northern Williamson County before lifting just west of the Davidson County line. The first evidence of damage was several trees blown down in the Monticello neighborhood on Poteat Place and Spencer Creek Road near Hillsboro Road. Two sheds were destroyed and more trees snapped and uprooted along South Berrys Chapel Road. Several more trees were blown down and an outbuilding damaged along Mallory Station Road and Jackson Lake Drive, and numerous homes suffered minor to moderate roof, siding, and chimney damage along Sunrise Circle and Brentwood Pointe. Several businesses suffered damage along Mallory Lane and Galleria Boulevard including blown out garage doors and roof damage, and a video of the tornado was taken from a car dashcam on Commerce Way. The tornado then weakened as it crossed Interstate 65, but still blew down seven interstate highway signs along the roadway. As the tornado moved through Brentwood, it continued to blow down trees and cause minor damage to homes and businesses on Westgate Circle, Gordon Petty Drive, Wilson Pike, Demery Court, Crockett Road, and in the Governor's Club neighborhood. The tornado then intensified as it traveled down Concord Road, with dozens of trees snapped and uprooted and numerous homes suffering roof and exterior damage. The tornado then lifted near Owl Creek Park along Chestnut Springs Road just before reaching the Davidson County line. Preliminary estimates from Williamson County Emergency Management indicated that 472 homes and businesses received minor damage, 49 sustained moderate damage, and one home on Sunrise Circle suffered major damage for a total of 522 damaged structures. Damage totals are estimated at 7.27 million dollars." +115179,691537,WISCONSIN,2017,May,Thunderstorm Wind,"GREEN",2017-05-15 20:10:00,CST-6,2017-05-15 20:10:00,0,0,0,0,2.00K,2000,0.00K,0,42.6,-89.64,42.6,-89.64,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","A couple trees down." +115179,691538,WISCONSIN,2017,May,Thunderstorm Wind,"DANE",2017-05-15 20:30:00,CST-6,2017-05-15 20:30:00,0,0,0,0,0.50K,500,0.00K,0,43.03,-89.41,43.03,-89.41,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","A tree blown over." +115179,691539,WISCONSIN,2017,May,Thunderstorm Wind,"LAFAYETTE",2017-05-15 19:43:00,CST-6,2017-05-15 19:43:00,0,0,0,0,,NaN,0.00K,0,42.68,-90.12,42.68,-90.12,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115179,691540,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-15 21:10:00,CST-6,2017-05-15 21:10:00,0,0,0,0,0.50K,500,0.00K,0,42.94,-88.74,42.94,-88.74,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","A tree down." +115179,691541,WISCONSIN,2017,May,Thunderstorm Wind,"WAUKESHA",2017-05-15 21:24:00,CST-6,2017-05-15 21:24:00,0,0,0,0,2.00K,2000,0.00K,0,43.08,-88.48,43.08,-88.48,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","Several large tree limbs blown down." +115179,691542,WISCONSIN,2017,May,Thunderstorm Wind,"MILWAUKEE",2017-05-15 21:46:00,CST-6,2017-05-15 21:46:00,0,0,0,0,2.00K,2000,0.00K,0,43.15,-87.96,43.15,-87.96,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","Several tree branches down." +115184,691640,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-29 19:10:00,CST-6,2017-05-29 19:20:00,0,0,0,0,5.00K,5000,0.00K,0,43.016,-88.59,43.016,-88.59,"A large low pressure area was the catalyst for the development of a few thunderstorms across southern WI. Downburst winds from one thunderstorm downed a large tree that landed on a school.","A large tree partially landed on Sullivan Elementary School, thereby puncturing the roof. Some rain water leaked into the school. School was cancelled for the next day." +115185,691643,WISCONSIN,2017,May,Hail,"COLUMBIA",2017-05-17 14:16:00,CST-6,2017-05-17 14:16:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-89.45,43.54,-89.45,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691644,WISCONSIN,2017,May,Hail,"COLUMBIA",2017-05-17 14:18:00,CST-6,2017-05-17 14:18:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-89.46,43.54,-89.46,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691645,WISCONSIN,2017,May,Hail,"GREEN LAKE",2017-05-17 15:18:00,CST-6,2017-05-17 15:18:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-88.97,43.94,-88.97,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +116182,699463,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:40:00,CST-6,2017-05-16 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-96.01,41.26,-96.01,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Trees were blown down near AKSARBEN Village on south 63rd St." +116182,699465,NEBRASKA,2017,May,Thunderstorm Wind,"SARPY",2017-05-16 17:25:00,CST-6,2017-05-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-96.24,41.14,-96.24,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","A tree was blown down at 168th and Giles Road." +116182,699470,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:10:00,CST-6,2017-05-16 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.3197,-96.3673,41.3197,-96.3673,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","A 74 Knot wind gust was measured at the Omaha/Valley National Weather Service Office." +116182,699471,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:10:00,CST-6,2017-05-16 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.31,-96.35,41.31,-96.35,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Several power poles were blown down in Valley." +116182,699472,NEBRASKA,2017,May,Thunderstorm Wind,"SARPY",2017-05-16 17:34:00,CST-6,2017-05-16 17:34:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-96.06,41.13,-96.06,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Large tree limbs were blown down." +116182,699478,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:45:00,CST-6,2017-05-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,41.3659,-96.1724,41.3659,-96.1724,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Bleachers were blown over by damaging thunderstorm winds at Bennington High School." +113980,682618,MINNESOTA,2017,March,Heavy Snow,"LYON",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 10 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113980,682620,MINNESOTA,2017,March,Heavy Snow,"NOBLES",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 8 inches of snow fell across the county with this major winter storm. The heaviest snowfall was north of Interstate 90. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113980,682619,MINNESOTA,2017,March,Heavy Snow,"MURRAY",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 8 to 12 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113980,682621,MINNESOTA,2017,March,Heavy Snow,"ROCK",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 8 inches of snow fell across the county with this major winter storm. The heaviest snowfall was north of Interstate 90. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +117082,705151,KANSAS,2017,May,Hail,"SEWARD",2017-05-15 21:35:00,CST-6,2017-05-15 21:35:00,0,0,0,0,,NaN,,NaN,37.1,-100.8,37.1,-100.8,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705152,KANSAS,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 17:54:00,CST-6,2017-05-15 17:54:00,0,0,0,0,,NaN,,NaN,37.54,-101.49,37.54,-101.49,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","Winds were estimated to be 60 MPH." +117082,705153,KANSAS,2017,May,Thunderstorm Wind,"STEVENS",2017-05-15 18:55:00,CST-6,2017-05-15 18:55:00,0,0,0,0,,NaN,,NaN,37.17,-101.37,37.17,-101.37,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117082,705154,KANSAS,2017,May,Thunderstorm Wind,"SCOTT",2017-05-15 19:18:00,CST-6,2017-05-15 19:18:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-100.97,38.67,-100.97,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","Winds were estimated to be at least 60 MPH from a microburst just west of Scott Lake." +117082,705155,KANSAS,2017,May,Thunderstorm Wind,"FINNEY",2017-05-15 19:54:00,CST-6,2017-05-15 19:54:00,0,0,0,0,,NaN,,NaN,37.93,-100.72,37.93,-100.72,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117086,706268,KANSAS,2017,May,Hail,"ELLIS",2017-05-25 19:52:00,CST-6,2017-05-25 19:52:00,0,0,0,0,,NaN,,NaN,38.91,-99.41,38.91,-99.41,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706270,KANSAS,2017,May,Thunderstorm Wind,"NESS",2017-05-25 19:16:00,CST-6,2017-05-25 19:16:00,0,0,0,0,,NaN,,NaN,38.64,-99.81,38.64,-99.81,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706271,KANSAS,2017,May,Thunderstorm Wind,"NESS",2017-05-25 19:22:00,CST-6,2017-05-25 19:22:00,0,0,0,0,,NaN,,NaN,38.64,-99.6,38.64,-99.6,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117089,706282,KANSAS,2017,May,Hail,"MORTON",2017-05-27 18:44:00,CST-6,2017-05-27 18:44:00,0,0,0,0,,NaN,,NaN,37,-101.9,37,-101.9,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","" +114107,683577,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:52:00,EST-5,2017-05-01 17:52:00,0,0,0,0,30.00K,30000,0.00K,0,40.8625,-77.4851,40.8625,-77.4851,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorms produced a microburst with winds estimated near 80 mph, knocking down a swath of trees and damaging the roofs on three barns just west of Coburn." +117122,704632,SOUTH CAROLINA,2017,May,Hail,"SPARTANBURG",2017-05-31 15:48:00,EST-5,2017-05-31 15:48:00,0,0,0,0,,NaN,,NaN,34.92,-82.1,34.92,-82.1,"Scattered thunderstorms developed along the Blue Ridge during the afternoon and moved east/southeast. At least one of the storms produced brief hail.","Public reported 3/4 inch hail fell off I-85 just north of the Highway 290 intersection." +120711,723040,GEORGIA,2017,October,Thunderstorm Wind,"STEPHENS",2017-10-08 14:24:00,EST-5,2017-10-08 14:24:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-83.35,34.51,-83.35,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone impacted northeast Georgia. Isolated thunderstorms developed within the bands, with one severe storm reported over Stephens County.","Media reported trees blown down along Nub Garland Rd." +120712,723096,SOUTH CAROLINA,2017,October,Tornado,"LAURENS",2017-10-08 15:08:00,EST-5,2017-10-08 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,34.291,-82.044,34.458,-81.986,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found an area of weak tornado damage that began near the Highway 72/Highway 221 intersection. Although the damage path was lost northeast of this location in a heavily wooded area, dual pol radar data indicated the tornado likely continued to the north/northeast to Highway 39, where additional damage was found along Beaverdam Church Rd and Teague Rd. The tornado continued north/northeast, lifting southeast of Laurens. Damage was confined to mostly minor damage to homes, a few damaged or destroyed outbuildings, and numerous downed trees and large limbs." +114107,683374,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MCKEAN",2017-05-01 15:19:00,EST-5,2017-05-01 15:20:00,0,0,0,0,30.00K,30000,0.00K,0,41.9072,-78.624,41.9011,-78.6112,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced a microburst with winds estimated near 90 mph just to the east of Custer City. Wind damage caused by the microburst began on northwest side of the Penn Hills Country Club and traveled southeastward for approximately three-quarters of a mile to near the intersection of Route 770 and Langley Drive. Most of the damage was to trees on the Penn Hills golf course property, some of which were snapped and others uprooted." +114107,685904,PENNSYLVANIA,2017,May,Hail,"MCKEAN",2017-05-01 15:03:00,EST-5,2017-05-01 15:03:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-78.81,41.66,-78.81,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced quarter-sized hail in Kane." +120712,723113,SOUTH CAROLINA,2017,October,Tornado,"SPARTANBURG",2017-10-08 15:53:00,EST-5,2017-10-08 16:21:00,0,0,0,0,50.00K,50000,0.00K,0,34.615,-81.919,34.816,-81.84,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey and dual pol radar data indicated a tornado crossed into Spartanburg County from Laurens County, just north of Highway 49. Damaged outbuildings and downed trees and large limbs were observed on Highway 92 and along Watson Rd near Cross Anchor Highway. The most significant damage in Spartanburg County was found in the Glenn Springs community, at the intersection of Highway 215 and Glenn Springs Rd, where an outbuilding was destroyed and others damaged, numerous trees were downed, and homes received minor structural damage." +120712,723114,SOUTH CAROLINA,2017,October,Tornado,"UNION",2017-10-08 16:34:00,EST-5,2017-10-08 16:36:00,0,0,0,0,10.00K,10000,0.00K,0,34.722,-81.745,34.725,-81.745,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found a short tornado path in Union County along Haney Rd near the intersection of Mount Lebanon Rd. Damage was primarily limited to downed trees, although a couple of houses received minor exterior damage, while some underskirting was removed from a mobile home." +112316,669892,MARYLAND,2017,February,Thunderstorm Wind,"TALBOT",2017-02-12 23:55:00,EST-5,2017-02-12 23:55:00,0,0,0,0,,NaN,,NaN,38.79,-76.23,38.79,-76.23,"High winds blew through the area after a cold frontal passage. Ahead of the front a band of thunderstorms with high winds as well with numerous reports of gusts in the 55-60 throughout the Eastern Shore Around midnight on the morning of the 13th. Trees were downed in Talbot county. The strongest Thunderstorm wind gusts were in Windward Cove and Copperville at 53 mph. Jumptown and Stevensville reported a gust to 45 mph.Behind the front, winds gusted to 47 mph in Brantwood, 48 mph in Copperville and 46 mph at the Easton AWOS.","Trees were downed due to thunderstorm winds in St.Michaels, Cordova and Royal Oak." +112319,669964,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-02-13 00:30:00,EST-5,2017-02-13 00:30:00,0,0,0,0,,NaN,,NaN,38.97,-74.96,38.97,-74.96,"High winds were observed on the waters following a cold frontal passage and with a line of thunderstorms ahead of the front. Behind the front top gusts were 48 mph at Lewes and Atlantic city weatherflow sites, 56 mph at the Cape May weatherflow site, 49 mph at the Long Branch weatherflow, 58 mph at the New Gretna weatherflow.","Measured wind gust during a thunderstorm." +112319,669965,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-02-13 00:41:00,EST-5,2017-02-13 00:41:00,0,0,0,0,,NaN,,NaN,38.78,-75.12,38.78,-75.12,"High winds were observed on the waters following a cold frontal passage and with a line of thunderstorms ahead of the front. Behind the front top gusts were 48 mph at Lewes and Atlantic city weatherflow sites, 56 mph at the Cape May weatherflow site, 49 mph at the Long Branch weatherflow, 58 mph at the New Gretna weatherflow.","Measured thunderstorm wind gust." +112318,669732,PENNSYLVANIA,2017,February,Thunderstorm Wind,"DELAWARE",2017-02-12 23:20:00,EST-5,2017-02-12 23:20:00,0,0,0,0,,NaN,,NaN,39.87,-75.35,39.87,-75.35,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Several trees snapped and uprooted due to thunderstorm winds." +114665,688140,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:41:00,CST-6,2017-05-20 16:41:00,0,0,0,0,,NaN,,NaN,34.71,-86.59,34.71,-86.59,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Signs were blown down around the Memorial Parkway at Drake Avenue." +114665,688141,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:42:00,CST-6,2017-05-20 16:42:00,0,0,0,0,0.20K,200,0.00K,0,34.72,-86.55,34.72,-86.55,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on Governors Drive at Park Hill." +114665,688142,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:43:00,CST-6,2017-05-20 16:43:00,0,0,0,0,0.20K,200,0.00K,0,34.59,-86.46,34.59,-86.46,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A cable line was blown down into the roadway." +114665,688143,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:43:00,CST-6,2017-05-20 16:43:00,0,0,0,0,0.20K,200,0.00K,0,34.59,-86.49,34.59,-86.49,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on South Green Mountain Road south of Old Big Cove." +114665,688144,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:43:00,CST-6,2017-05-20 16:43:00,0,0,0,0,0.20K,200,0.00K,0,34.61,-86.46,34.61,-86.46,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down on Christian Road." +114665,688145,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:44:00,CST-6,2017-05-20 16:44:00,0,0,0,0,0.20K,200,0.00K,0,34.66,-86.5,34.66,-86.5,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down at Cecil Ashburn Road at Old Big Cove Road." +114991,694057,TENNESSEE,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-27 20:48:00,CST-6,2017-05-27 20:48:00,0,0,0,0,0.20K,200,0.00K,0,35.17,-86.56,35.17,-86.56,"A line of thunderstorms produced wind damage in Lincoln County.","A tree was knocked down at 159 Shelbyville Highway." +114741,688269,KENTUCKY,2017,May,Thunderstorm Wind,"MAGOFFIN",2017-05-20 21:35:00,EST-5,2017-05-20 21:35:00,0,0,0,0,,NaN,,NaN,37.7,-82.96,37.7,-82.96,"Strong to severe thunderstorms caused damage to trees and some flooding across several counties on May 20, 2017. The severe weather and flooding occurred during the early to late evening hours on May 20.","Nearly one dozen trees, including two hardwoods, were blown down on Kentucky Highway 114 within about three miles of the Floyd County line." +114464,686378,COLORADO,2017,May,Hail,"EL PASO",2017-05-06 19:00:00,MST-7,2017-05-06 19:10:00,0,0,0,0,0.00K,0,0.00K,0,38.83,-104.7,38.83,-104.7,"A strong storm produced hail up to the size of nickels.","" +114464,686381,COLORADO,2017,May,Hail,"EL PASO",2017-05-06 19:15:00,MST-7,2017-05-06 19:20:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-104.65,38.95,-104.65,"A strong storm produced hail up to the size of nickels.","" +113553,696071,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-05 13:21:00,EST-5,2017-04-05 13:26:00,0,0,0,0,,NaN,,NaN,34,-81.19,34,-81.19,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Tree down blocking roadway at Dogwood Trail and Woodside Rd." +115893,696433,SOUTH CAROLINA,2017,May,Hail,"ORANGEBURG",2017-05-13 12:26:00,EST-5,2017-05-13 12:30:00,0,0,0,0,0.10K,100,0.10K,100,33.28,-80.43,33.28,-80.43,"A wave of low pressure riding along a stationary front combined with daytime heating to produce scattered showers and thunderstorms over southern portions of the Midlands of SC. An isolated thunderstorm reached severe limits over lower Orangeburg County SC and produced hail.","Public reported dime size hail at the cement plant along Hwy 453 (Gardner Blvd)." +115893,696434,SOUTH CAROLINA,2017,May,Hail,"ORANGEBURG",2017-05-13 12:46:00,EST-5,2017-05-13 12:51:00,0,0,0,0,,NaN,,NaN,33.28,-80.28,33.28,-80.28,"A wave of low pressure riding along a stationary front combined with daytime heating to produce scattered showers and thunderstorms over southern portions of the Midlands of SC. An isolated thunderstorm reached severe limits over lower Orangeburg County SC and produced hail.","Public reported nickel to quarter size hail along Grooms Rd. Windy conditions blew over much of their corn crop. Nearly 2 inches of rain was recorded with the storm." +120737,723120,NORTH CAROLINA,2017,October,Tornado,"BURKE",2017-10-08 16:15:00,EST-5,2017-10-08 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,35.559,-81.568,35.59,-81.56,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","NWS storm survey found a damage path associated with a weak tornado that began near Polkville in Cleveland County continued into Burke County for a few miles. The tornado crossed into Burke County betweem Gus Peeler Rd and Dirty Ankle Rd. Damage was primarily limited to downed trees and limbs, although part of the metal roofing was removed from a small building in the Ramsey community (intersection of Old N.C. 18 and Rhoney Rd. The tornado appeared to lift just north of this location." +115948,696757,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 18:00:00,EST-5,2017-05-28 18:05:00,0,0,0,0,,NaN,,NaN,34.05,-81.15,34.05,-81.15,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Power lines down in road at St. Andrews Rd and Leisure Lane." +115177,697948,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 18:54:00,CST-6,2017-05-27 18:54:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.37,36.88,-94.37,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697949,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 18:56:00,CST-6,2017-05-27 18:56:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-94.37,36.95,-94.37,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697951,MISSOURI,2017,May,Hail,"DADE",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-93.62,37.33,-93.62,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697954,MISSOURI,2017,May,Hail,"HOWELL",2017-05-27 19:10:00,CST-6,2017-05-27 19:10:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-91.78,36.76,-91.78,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","This report was from Mping." +115177,697955,MISSOURI,2017,May,Hail,"OREGON",2017-05-27 19:38:00,CST-6,2017-05-27 19:38:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-91.54,36.52,-91.54,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down along with quarter size hail." +115177,697956,MISSOURI,2017,May,Hail,"BARRY",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-93.94,36.67,-93.94,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697958,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:29:00,CST-6,2017-05-27 23:29:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-94.55,37.06,-94.55,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","This report was near Iron Gates." +115166,691416,TEXAS,2017,May,Thunderstorm Wind,"PANOLA",2017-05-28 16:30:00,CST-6,2017-05-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3108,-94.4311,32.3108,-94.4311,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Several trees were blown down north of Beckville a few miles south of the Harrison County line." +115166,691417,TEXAS,2017,May,Thunderstorm Wind,"HARRISON",2017-05-28 16:35:00,CST-6,2017-05-28 16:35:00,0,0,0,0,0.00K,0,0.00K,0,32.4005,-94.3421,32.4005,-94.3421,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Large trees were blown down near the Gill community." +116231,698816,HAWAII,2017,June,High Surf,"KAUAI WINDWARD",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698817,HAWAII,2017,June,High Surf,"KAUAI LEEWARD",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +115268,692028,KENTUCKY,2017,May,Hail,"BALLARD",2017-05-27 14:43:00,CST-6,2017-05-27 14:43:00,0,0,0,0,0.00K,0,0.00K,0,37.0399,-88.9208,37.0399,-88.9208,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +115268,692030,KENTUCKY,2017,May,Hail,"MCCRACKEN",2017-05-27 15:00:00,CST-6,2017-05-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-88.77,37.07,-88.77,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A few hailstones up to 1.25 inches were observed at the National Weather Service office. The hail was mostly dime to nickel size." +115948,696762,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-28 19:05:00,EST-5,2017-05-28 19:10:00,0,0,0,0,,NaN,,NaN,33.88,-80.35,33.88,-80.35,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","Trees in road on US Hwy 15 near Lakewood Apartments." +115436,695962,IOWA,2017,May,Lightning,"CERRO GORDO",2017-05-15 16:32:00,CST-6,2017-05-15 16:32:00,0,0,0,0,15.00K,15000,0.00K,0,43.1415,-93.3801,43.1415,-93.3801,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","The fire is was caused by a lightning strike to the home that energized a telephone line and spread to roofing materials and insulation. Smoke was initially reported in the attic and flames on the roof line." +115436,698031,IOWA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-15 16:00:00,CST-6,2017-05-15 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.0673,-93.778,43.0673,-93.778,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","A power pole was reported down." +115948,696763,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-28 17:55:00,EST-5,2017-05-28 17:55:00,0,0,0,0,,NaN,,NaN,34.05,-81.22,34.05,-81.22,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","RCWINDS gage at the Lake Murray Dam measured a peak wind gust of 60 MPH." +115948,696764,SOUTH CAROLINA,2017,May,Hail,"LEXINGTON",2017-05-28 18:56:00,EST-5,2017-05-28 18:59:00,0,0,0,0,0.10K,100,0.10K,100,33.76,-81.25,33.76,-81.25,"An upper disturbance and a surface boundary combined with strong atmospheric instability and considerable deep layer shear to produce scattered showers and thunderstorms across the Midlands of SC, a few of which produced strong wind gusts and small hail during the late day and evening hours.","" +115436,698032,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-15 16:15:00,CST-6,2017-05-15 16:15:00,0,0,0,0,0.00K,0,0.00K,0,43.1455,-93.2615,43.1455,-93.2615,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","" +115436,698033,IOWA,2017,May,Hail,"WINNEBAGO",2017-05-15 22:59:00,CST-6,2017-05-15 22:59:00,0,0,0,0,0.00K,0,0.00K,0,43.4796,-93.9211,43.4796,-93.9211,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","" +114982,689862,KENTUCKY,2017,May,Hail,"POWELL",2017-05-27 15:13:00,EST-5,2017-05-27 15:13:00,0,0,0,0,,NaN,,NaN,37.86,-83.93,37.86,-83.93,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689863,KENTUCKY,2017,May,Hail,"POWELL",2017-05-27 15:15:00,EST-5,2017-05-27 15:15:00,0,0,0,0,,NaN,,NaN,37.86,-83.93,37.86,-83.93,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689865,KENTUCKY,2017,May,Hail,"ESTILL",2017-05-27 15:50:00,EST-5,2017-05-27 15:50:00,0,0,0,0,,NaN,,NaN,37.7,-83.97,37.7,-83.97,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +115408,692944,MISSOURI,2017,April,High Wind,"HARRISON",2017-04-29 16:11:00,CST-6,2017-04-29 16:26:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","After a round of thunderstorms winds picked up in a possible wake low situation. Several trees were reported down in Bethany. The lack of convection at the time of the reports gives credence to this event not being part of the thunderstorms themselves, rather as part of a wake low as they departed." +120756,725219,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"SPARTANBURG",2017-10-23 14:29:00,EST-5,2017-10-23 14:29:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-81.85,35.12,-81.85,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","Ham radio operator reported multiple trees blown down in the area around the intersection of Highway 221 and Thompson Rd." +120737,725244,NORTH CAROLINA,2017,October,Thunderstorm Wind,"RUTHERFORD",2017-10-08 17:02:00,EST-5,2017-10-08 17:02:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-82.21,35.44,-82.21,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","FD reported numerous trees blown down in the Lake Lure area in association with a thunderstorm. However, the EM also reported additional sporadic trees fell with strong prevailing winds throughout the day." +115295,697049,ILLINOIS,2017,May,Flood,"JASPER",2017-05-01 00:00:00,CST-6,2017-05-04 06:45:00,0,0,0,0,0.00K,0,0.00K,0,39.171,-88.3604,38.8508,-88.3615,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Jasper County. Several streets in the city of Newton were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Newton to Hunt City to Yale. Illinois Route 49 was closed between Willow Hill and Hunt City due to flowing water. An additional 0.50 to 1.00 inch of rain occurred on April 30th into May 2nd, keeping many roads flooded. As a result, areal flooding continued until the early morning hours of May 4th, before another round of heavy rain produced additional flash flooding." +115949,696806,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-01 18:00:00,EST-5,2017-05-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7387,-79.6407,35.7387,-79.6407,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on Elam Avenue near Bush Street." +115949,696765,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-01 16:43:00,EST-5,2017-05-01 16:43:00,0,0,0,0,0.50K,500,0.00K,0,35.9451,-80.3284,35.9451,-80.3284,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Power lines were reported down at Joe Hege Road and Muddy Creek Road." +115949,696766,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-01 16:50:00,EST-5,2017-05-01 16:50:00,0,0,0,0,2.50K,2500,0.00K,0,35.9927,-80.1671,35.9927,-80.1671,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down on Friendship Ledford Road at Kings Lane." +115949,696767,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-01 16:55:00,EST-5,2017-05-01 16:55:00,0,0,0,0,0.50K,500,0.00K,0,36.01,-80.14,36.01,-80.14,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Power lines were reported down near Wallburg Elementary School." +115570,694004,KANSAS,2017,May,Flash Flood,"GOVE",2017-05-10 21:10:00,CST-6,2017-05-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.1185,-100.6384,39.1268,-100.6373,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Water rose above the wheels of cars and floated logs down the streets. A motorist drove into a flooded roadway and ended up in a street drainage. The person was safely removed from their car. No reports of property damage were given. Total rainfall in Grinnell was 4.11 inches." +115570,697357,KANSAS,2017,May,Flood,"THOMAS",2017-05-11 07:00:00,CST-6,2017-05-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1454,-100.8516,39.1454,-100.8518,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Water was running over the bridge on CR 30 a mile north of Oakley." +114790,688886,NEBRASKA,2017,May,Thunderstorm Wind,"PHELPS",2017-05-15 19:10:00,CST-6,2017-05-15 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.4589,-99.2852,40.4589,-99.2852,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","Wind gusts were estimated to be near 60 MPH." +116124,697981,FLORIDA,2017,May,Thunderstorm Wind,"BROWARD",2017-05-24 18:58:00,EST-5,2017-05-24 18:58:00,0,0,0,0,0.00K,0,0.00K,0,26.07,-80.4,26.07,-80.4,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds knocking over a few trees in Broward County.","A thunderstorm produced a 61 mph / 53 knot wind gust at the WeatherBug mesonet site located at Cypress Bay High School in Weston." +116126,697999,FLORIDA,2017,May,Wildfire,"INLAND BROWARD COUNTY",2017-05-28 09:45:00,EST-5,2017-05-29 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A wildfire in Broward county grew to 7000 acres. No homes or buildings were evacuated. However, I-75 was closed in both directions due to visibility problems with smoke over the highway.","Florida High Patrol reported that I-75 was closed in both directions due to poor visibility due to smoke over the highway from a wildfire in interior Broward County. No structures have been evacuated or damaged." +115701,695313,IOWA,2017,May,Thunderstorm Wind,"MARION",2017-05-16 23:12:00,CST-6,2017-05-16 23:12:00,0,0,0,0,30.00K,30000,0.00K,0,41.23,-93.24,41.23,-93.24,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Emergency manager reported numerous trees downed along with power lines down. A tree fell on a house in town." +114795,688811,KANSAS,2017,May,Hail,"PHILLIPS",2017-05-19 12:29:00,CST-6,2017-05-19 12:29:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-99.32,39.68,-99.32,"Low-end severe hail occurred around midday on this Friday. Around 11 AM CST, an isolated thunderstorm formed south of Hill City. Over the following two hours, this storm moved northeast crossing the northwest corner of Rooks County and the eastern half of Phillips County. Hail the size of nickels was reported in the town of Glade just after midday. Throughout the morning, bands of stratiform rain formed and gradually increased as they lifted north through western Kansas. These rain bands were associated with a developing deformation zone, and this isolated cell formed on the northeast periphery of it.||A strong polar front was quasistationary along Interstate 70 from Ohio to central Kansas where it turned south into the Texas Panhandle. Weak low pressure was along this front over western Oklahoma. As the day progressed, this low deepened to 1004 mb as it lifted into south central Kansas. In the upper-levels, a low continued drifting east over Colorado and Wyoming, embedded within a longwave trough slowly advancing to the east. Southwest flow was over the Central Plains. This storm was elevated as surface temperatures were in the lower 50s. MUCAPE may have been as high as 500 J/kg. Effective deep layer shear was around 30 kt. Despite the cool surface temperatures, the freezing level was not low. Southwest mid-level flow had maintained an elevated mixed layer over the region. So, the freezing level was still around 12,000 ft AGL.","" +116138,698076,NEBRASKA,2017,May,Thunderstorm Wind,"CHERRY",2017-05-15 04:21:00,CST-6,2017-05-15 04:21:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-100.55,42.87,-100.55,"During the late evening hours on May 14th, thunderstorms with damaging wind gusts brought down a Viaero communications tower south of White Clay, in northern Sheridan County. During the early morning hours on May 15th, thunderstorm wind gusts to 64 mph were recorded at the Valentine ASOS, near Valentine, in northeast Cherry County.","The Valentine ASOS recorded a thunderstorm wind gust of 64 mph during the early morning hours on May 15th." +116144,703518,OKLAHOMA,2017,May,Tornado,"CHEROKEE",2017-05-18 22:01:00,CST-6,2017-05-18 22:06:00,0,0,0,0,0.00K,0,0.00K,0,36.0169,-95.1727,36.0746,-95.1384,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the first segment of a two segment tornado. In Cherokee County, this tornado snapped and uprooted numerous trees. The tornado continued into Mayes County. Based on this damage, maximum estimated wind in this segment of the tornado was 100 to 110 mph." +116144,703741,OKLAHOMA,2017,May,Tornado,"MAYES",2017-05-18 22:06:00,CST-6,2017-05-18 22:07:00,0,0,0,0,0.00K,0,0.00K,0,36.0746,-95.1384,36.0933,-95.1275,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the second segment of a two segment tornado. In Mayes County, this tornado uprooted trees and snapped large tree limbs. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +116261,698961,KENTUCKY,2017,May,Strong Wind,"HENDERSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116261,698954,KENTUCKY,2017,May,Strong Wind,"MCCRACKEN",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,1,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Along and west of a line from Henderson to Murray, peak wind gusts were near 40 mph. The peak gust measured at the Paducah airport was 40 mph. In Carlisle County, a downed tree and utility line blocked Highway 877 in the Arlington area. In Paducah, a large tree fell on a moving vehicle. The driver sustained minor injuries.","" +116260,698966,GEORGIA,2017,May,Hail,"CHATHAM",2017-05-22 16:15:00,EST-5,2017-05-22 16:16:00,0,0,0,0,,NaN,0.00K,0,32.15,-81.17,32.15,-81.17,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","Penny sized hail reported in Port Wentworth. Wind gusts of approximately 55 mph were also reported." +116192,698414,MISSOURI,2017,May,Flood,"WAYNE",2017-05-01 00:00:00,CST-6,2017-05-03 18:00:00,0,0,0,0,1.00M,1000000,0.00K,0,37.1182,-90.7718,37.1349,-90.7316,"Record or near-record flooding occurred after a succession of thunderstorm complexes dumped heavy rain in late April, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms accelerated rises in area rivers, which were already above flood stage in some cases.","Flooding of the Black River occurred below Clearwater Dam. The lake levels behind the dam reached a record height. For the first time in the dam's history, water passed through the emergency spillway of the dam. This prompted concerns about flooding below the dam. A mandatory evacuation was considered for some residents below the dam. Several roads were closed, including Route 49 at Mill Spring. Damage to public property, including roads, bridges, and utilities, was estimated near one million dollars." +114653,698452,MISSOURI,2017,May,Tornado,"LAWRENCE",2017-05-19 14:42:00,CST-6,2017-05-19 14:46:00,0,0,0,0,50.00K,50000,0.00K,0,37.0546,-93.9592,37.0931,-93.8995,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-1 tornado touched down southwest of Mount Vernon. The tornado damaged a few outbuildings and crossed I-44. At least one car was blown off the interstate near mile marker 43. The car had a large piece of wood flown through the windshield but the driver was not injured. Several trees were uprooted. Estimated maximum winds were up to 95 mph." +115268,692426,KENTUCKY,2017,May,Thunderstorm Wind,"TODD",2017-05-27 17:10:00,CST-6,2017-05-27 17:10:00,0,0,0,0,3.00K,3000,0.00K,0,36.75,-87.17,36.6437,-87.3118,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A couple of trees were down on Highway 181 south of Elkton. Another tree was down on Highway 104 near the Tennessee state line." +115268,699143,KENTUCKY,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-27 17:32:00,CST-6,2017-05-27 17:40:00,0,0,0,0,10.00K,10000,0.00K,0,37.3355,-88.4218,37.3266,-88.2791,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A number of trees and power lines were blown down in northern Livingston County. About a mile northeast of Lola, roofing material was blown off a garage, and a utility pole was snapped. Kentucky Highways 133 and 838 were blocked by downed tree limbs and power lines in the Lola area. Kentucky Highway 1436 was partially blocked near Joy." +115620,696214,ILLINOIS,2017,May,Flood,"JACKSON",2017-05-01 00:00:00,CST-6,2017-05-28 03:00:00,0,0,0,0,75.00K,75000,0.00K,0,37.6687,-89.4988,37.608,-89.5091,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Major to historic flooding occurred on the Big Muddy River. At the Murphysboro river gage, the river crested about two feet below the record of 40.47 feet, which was set in the spring of 2011. The crest of 38.56 feet was recorded on the evening of the 5th. Flood stage is 22 feet. Residents of a mobile home park were asked to voluntarily evacuate. A few residences in Murphysboro were flooded. A church on Route 127 was flooded. Sandbagging was done around some affected structures. Extensive flooding of low-lying fields occurred. A city street intersection in Murphysboro was closed. Floodwater covered the ground below an electrical substation." +115620,696207,ILLINOIS,2017,May,Flood,"JACKSON",2017-05-01 00:00:00,CST-6,2017-05-22 18:00:00,0,0,0,0,0.00K,0,50.00K,50000,37.63,-89.5,37.6317,-89.4768,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","There was major flooding along the Mississippi River early in the month. Extensive flooding of low-lying agricultural land and county roads in the flood plain was observed." +115620,698416,ILLINOIS,2017,May,Flood,"SALINE",2017-05-01 00:00:00,CST-6,2017-05-20 09:00:00,0,0,1,0,30.00K,30000,0.00K,0,37.7064,-88.4859,37.71,-88.5045,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","The middle fork of the Saline River remained flooded for much of the month. An elderly man drowned after driving around barricades to a bridge over the river. The man's truck was washed off the road in the area of the bridge. The incident occurred on a county road southeast of Harrisburg." +115620,696217,ILLINOIS,2017,May,Flood,"WHITE",2017-05-01 00:00:00,CST-6,2017-05-26 09:00:00,0,0,0,0,100.00K,100000,30.00K,30000,38.1995,-88.1337,37.9995,-88.2326,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Major to historic flooding occurred on the Little Wabash River. At the Carmi river gage, the river crested at 36.01 feet on the 8th. Flood stage is 27 feet. This crest of 36 feet was less than 2.5 feet below the flood crest in the spring of 2011. A few families in the Carmi area were displaced by flooding. Illinois Route 1 in Carmi was closed. Several streets in East Carmi and many rural roads were closed by flooding. Extensive flooding of farmlands and fields occurred. Some oil wells were shut down by flooding." +117505,706702,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-05-25 19:00:00,EST-5,2017-05-25 19:00:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 35 knots was reported at the Susquehanna Buoy." +117505,706703,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-05-25 17:42:00,EST-5,2017-05-25 17:42:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 36 knots was reported at Key Bridge." +117505,706704,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-25 17:48:00,EST-5,2017-05-25 17:48:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Wind gusts in excess of 30 knots were reported." +117505,706705,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-05-25 19:00:00,EST-5,2017-05-25 19:00:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 35 knots was reported at the Patapsco Buoy." +117505,706706,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-05-25 22:10:00,EST-5,2017-05-25 22:10:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 35 knots was reported at the Patapsco Buoy." +117505,706707,ATLANTIC NORTH,2017,May,Marine Hail,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-05-25 17:23:00,EST-5,2017-05-25 17:23:00,0,0,0,0,,NaN,,NaN,38.246,-75.8273,38.246,-75.8273,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","Penny sized hail was estimated near Mount Vernon." +117988,709294,DISTRICT OF COLUMBIA,2017,May,Coastal Flood,"DISTRICT OF COLUMBIA",2017-05-25 06:30:00,EST-5,2017-05-25 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate flooding.","Moderate flooding was indicated. Gauge levels suggested that the unprotected area on the Southwest Waterfront at the DC seafood market flooded. Water approached parts of the Hains Point Loop Road." +116168,698239,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:22:00,CST-6,2017-05-17 15:22:00,0,0,0,0,0.00K,0,0.00K,0,41.6049,-93.5778,41.6049,-93.5778,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Public reported tree damage on Easton Blvd near 22nd St. Time estimated by radar." +116168,698308,IOWA,2017,May,Thunderstorm Wind,"BLACK HAWK",2017-05-17 16:53:00,CST-6,2017-05-17 16:53:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-92.4,42.56,-92.4,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Waterloo Airport ASOS recorded 70 mph wind gust." +116168,698283,IOWA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 16:12:00,CST-6,2017-05-17 16:12:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-92.92,42.11,-92.92,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Marshalltown airport ASOS recorded a 69 mph wind gust." +115436,693146,IOWA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 16:50:00,CST-6,2017-05-15 16:50:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-93.22,42.89,-93.22,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Media relayed report of six inch trees downed in town. Report came via social media and is a delayed report." +116045,697441,TEXAS,2017,May,Hail,"TRAVIS",2017-05-11 16:24:00,CST-6,2017-05-11 16:24:00,0,0,0,0,,NaN,,NaN,30.43,-97.71,30.43,-97.71,"Thunderstorms formed along an outflow boundary from the previous night's convection. Some of these storms produced severe hail.","A thunderstorm produced ping pong ball size hail in northern Austin." +116045,697443,TEXAS,2017,May,Hail,"WILLIAMSON",2017-05-11 16:32:00,CST-6,2017-05-11 16:32:00,0,0,0,0,,NaN,,NaN,30.48,-97.67,30.48,-97.67,"Thunderstorms formed along an outflow boundary from the previous night's convection. Some of these storms produced severe hail.","A thunderstorm produced quarter size hail near I-35 and Hwy 45 in Round Rock." +116024,697291,TEXAS,2017,May,Hail,"ATASCOSA",2017-05-31 14:19:00,CST-6,2017-05-31 14:19:00,0,0,0,0,,NaN,,NaN,29.07,-98.48,29.07,-98.48,"Thunderstorms formed along a dissipating stationary front. One of these storms produced severe hail.","" +116024,698114,TEXAS,2017,May,Thunderstorm Wind,"BASTROP",2017-05-31 16:00:00,CST-6,2017-05-31 16:00:00,0,0,0,0,,NaN,,NaN,30.0246,-97.3883,30.0246,-97.3883,"Thunderstorms formed along a dissipating stationary front. One of these storms produced severe hail.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down several trees." +116046,697461,TEXAS,2017,May,Hail,"FRIO",2017-05-20 10:43:00,CST-6,2017-05-20 10:43:00,0,0,0,0,0.00K,0,0.00K,0,28.97,-99.24,28.97,-99.24,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","" +116046,697469,TEXAS,2017,May,Flash Flood,"UVALDE",2017-05-20 12:00:00,CST-6,2017-05-20 12:45:00,0,0,0,0,0.00K,0,0.00K,0,29.1,-99.45,29.105,-99.4498,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","Thunderstorms stalled over Uvalde County producing as much as 7.07 inches of rain in two hours south of Sabinal. This led to flash flooding closing RR187 at the Blanco Creek crossing." +116046,697470,TEXAS,2017,May,Flash Flood,"FRIO",2017-05-20 13:05:00,CST-6,2017-05-20 14:45:00,0,0,0,0,0.00K,0,0.00K,0,28.97,-99.24,28.9731,-99.2386,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","Thunderstorms stalled over Frio County producing as much as 10.02 inches of rain east-southeast of Frio Town. This led to flash flooding closing the intersection of FM140 and US57 near Elm Creek southeast of town." +116046,697455,TEXAS,2017,May,Hail,"UVALDE",2017-05-20 08:29:00,CST-6,2017-05-20 08:29:00,0,0,0,0,,NaN,,NaN,29.3,-99.63,29.3,-99.63,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","A thunderstorm produced one inch hail in Knippa." +116046,697457,TEXAS,2017,May,Hail,"UVALDE",2017-05-20 08:29:00,CST-6,2017-05-20 08:29:00,0,0,0,0,,NaN,,NaN,29.31,-99.62,29.31,-99.62,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","A thunderstorm produced golf ball size hail on FM1049 north of Knippa." +116046,697460,TEXAS,2017,May,Hail,"UVALDE",2017-05-20 08:36:00,CST-6,2017-05-20 08:36:00,0,0,0,0,,NaN,,NaN,29.32,-99.57,29.32,-99.57,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","A thunderstorm produced one inch hail east-northeast of Knippa." +116436,700370,TEXAS,2017,May,Hail,"HAMILTON",2017-05-18 22:02:00,CST-6,2017-05-18 22:02:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-98.37,31.67,-98.37,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported quarter sized hail approximately 3 miles east of the city of Indian Gap, TX." +116436,700371,TEXAS,2017,May,Hail,"HAMILTON",2017-05-18 22:25:00,CST-6,2017-05-18 22:25:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-98.12,31.7,-98.12,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported quarter sized hail just west of the city of Hamilton, TX." +116436,700372,TEXAS,2017,May,Hail,"YOUNG",2017-05-19 12:31:00,CST-6,2017-05-19 12:31:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-98.74,33.32,-98.74,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained storm spotter reported quarter sized hail 4 miles south-southeast of the city of Olney, TX." +116436,700373,TEXAS,2017,May,Hail,"YOUNG",2017-05-19 12:35:00,CST-6,2017-05-19 12:35:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-98.76,33.34,-98.76,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained storm spotter reported half-dollar sized hail 2 miles south-southeast of the city of Olney, TX." +116436,700374,TEXAS,2017,May,Hail,"YOUNG",2017-05-19 12:40:00,CST-6,2017-05-19 12:40:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-98.77,33.37,-98.77,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Emergency management reported golf-ball sized hail near the city of Olney, TX." +116436,700376,TEXAS,2017,May,Hail,"CORYELL",2017-05-19 18:00:00,CST-6,2017-05-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-97.97,31.48,-97.97,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A broadcast media report indicated golf-ball sized hail in the city of Purmela, TX." +114621,687398,MONTANA,2017,May,Hail,"GRANITE",2017-05-06 13:30:00,MST-7,2017-05-06 13:33:00,0,0,0,0,,NaN,,NaN,46.1383,-113.3902,46.1383,-113.3902,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","A local resident reported ground covered with quarter-sized hail. A few strikes of lightning accompanied the storm." +114621,687395,MONTANA,2017,May,Thunderstorm Wind,"RAVALLI",2017-05-06 12:50:00,MST-7,2017-05-06 13:00:00,0,0,0,0,,NaN,,NaN,45.902,-113.7204,45.902,-113.7204,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","A RAWS station east of Sula recorded 66 mph winds." +114621,693627,MONTANA,2017,May,Hail,"DEER LODGE",2017-05-06 13:42:00,MST-7,2017-05-06 14:15:00,0,0,0,0,,NaN,,NaN,46.1959,-113.257,46.1959,-113.257,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","A trained spotter in Georgetown Lake reported half-dollar size hail." +114621,693629,MONTANA,2017,May,Hail,"POWELL",2017-05-06 14:35:00,MST-7,2017-05-06 14:40:00,0,0,0,0,,NaN,,NaN,46.4896,-112.7264,46.4896,-112.7264,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","NWS employee reported quarter size hail 5 miles east of Garrison Junction. The hailstones were found one hour after the storm had passed. Thus, the hailstones were likely larger when it initially fell." +114621,693630,MONTANA,2017,May,Hail,"POWELL",2017-05-06 14:57:00,MST-7,2017-05-06 15:02:00,0,0,0,0,,NaN,,NaN,46.52,-112.8,46.52,-112.8,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","Large hail of 1��� in diameter was reported by citizen at the Garrison Mercantile in Garrison at 3:57 pm MDT." +115031,701361,GEORGIA,2017,May,Drought,"GILMER",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +115031,701362,GEORGIA,2017,May,Drought,"HALL",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +116617,701382,GEORGIA,2017,May,Hail,"GWINNETT",2017-05-12 17:23:00,EST-5,2017-05-12 17:33:00,0,0,0,0,,NaN,,NaN,33.9046,-84.112,33.9046,-84.112,"A weakening upper-level trough and associated surface low moved across the region. Although instability and dynamics were marginal, an isolated severe thunderstorm managed to develop in north Georgia during the early evening.","The public reported quarter size hail at the Murphy USA gas station in Lilburn." +116706,701805,TEXAS,2017,May,Hail,"MOORE",2017-05-15 18:08:00,CST-6,2017-05-15 18:08:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-101.77,35.68,-101.77,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701806,TEXAS,2017,May,Hail,"MOORE",2017-05-15 18:18:00,CST-6,2017-05-15 18:18:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-101.64,35.84,-101.64,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701807,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:24:00,CST-6,2017-05-15 18:24:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.53,35.82,-101.53,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701808,TEXAS,2017,May,Hail,"SHERMAN",2017-05-15 18:31:00,CST-6,2017-05-15 18:31:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-101.89,36.42,-101.89,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116700,701981,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:45:00,MST-7,2017-05-31 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701982,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:28:00,MST-7,2017-05-31 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701983,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:36:00,MST-7,2017-05-31 18:40:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701984,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:53:00,MST-7,2017-05-31 18:55:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701985,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:16:00,MST-7,2017-05-31 18:16:00,0,0,0,0,0.00K,0,0.00K,0,39.3663,-101.7007,39.3663,-101.7007,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Hail stones of dime to nickel size accompanied the severe wind gusts." +115243,694669,MISSOURI,2017,May,Hail,"TANEY",2017-05-11 14:36:00,CST-6,2017-05-11 14:36:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-93.16,36.62,-93.16,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694670,MISSOURI,2017,May,Hail,"TANEY",2017-05-11 14:42:00,CST-6,2017-05-11 14:42:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-93.12,36.69,-93.12,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694671,MISSOURI,2017,May,Hail,"TANEY",2017-05-11 14:45:00,CST-6,2017-05-11 14:45:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-93.12,36.69,-93.12,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694672,MISSOURI,2017,May,Hail,"TANEY",2017-05-11 14:47:00,CST-6,2017-05-11 14:47:00,0,0,0,0,,NaN,0.00K,0,36.69,-93.12,36.69,-93.12,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694674,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 14:55:00,CST-6,2017-05-11 14:55:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-94.38,36.85,-94.38,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694675,MISSOURI,2017,May,Hail,"LAWRENCE",2017-05-11 15:22:00,CST-6,2017-05-11 15:22:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-93.72,36.97,-93.72,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694676,MISSOURI,2017,May,Hail,"CHRISTIAN",2017-05-11 15:47:00,CST-6,2017-05-11 15:47:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-93.47,37.04,-93.47,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694678,MISSOURI,2017,May,Hail,"TEXAS",2017-05-11 17:31:00,CST-6,2017-05-11 17:31:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-91.95,37.32,-91.95,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,694680,MISSOURI,2017,May,Hail,"TANEY",2017-05-11 15:00:00,CST-6,2017-05-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-93.03,36.74,-93.03,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","The fire department reported quarter size hail around the Kirbyville area through the Forsyth area into the Taneyville area." +115243,694681,MISSOURI,2017,May,Hail,"WEBSTER",2017-05-11 11:30:00,CST-6,2017-05-11 11:30:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.06,37.12,-93.06,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","There were multiple pictures from social media of hail up to the size of quarters around the Rogersville area." +115243,694685,MISSOURI,2017,May,Hail,"LAWRENCE",2017-05-11 15:13:00,CST-6,2017-05-11 15:13:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-93.78,37.01,-93.78,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","There were several pictures on social media of quarter size hail northwest of Aurora." +116719,701949,NORTH CAROLINA,2017,May,Thunderstorm Wind,"NEW HANOVER",2017-05-25 14:36:00,EST-5,2017-05-25 14:37:00,0,0,0,0,0.00K,0,0.00K,0,34.002,-77.905,34.002,-77.905,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","A wind gust to 51 knots was measured on Fort Fisher Blvd." +116782,702299,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DUPLIN",2017-05-29 22:20:00,EST-5,2017-05-29 22:25:00,0,0,0,0,,NaN,,NaN,35.09,-78.1,35.07,-78.03,"A severe thunderstorm produced a macroburst near Faison, causing |widespread tree damage and some scattered structural damage stretching |from around 2 miles southeast of Faison to nearly 6 miles southeast of Faison. |Light structure damage and uprooted trees were observed on McNeil Road. |Further southeast, multiple outbuildings were significantly damaged on |Taylor Town Road. A few hog houses also sustained roof damage farther |down the road. On Friendship Church Road, substantial damage was |observed at a residence where a pine tree fell on a house. Multiple |trees were also snapped or uprooted farther to the southeast on |Friendship Church Road. The damaging winds were estimated to be 90 to |100 mph, with a path width of around 1 mile and a path length of about 4 |miles.","A severe thunderstorm produced a macroburst near Faison, causing |widespread tree damage and some scattered structure damage stretching |from around 2 miles southeast of Faison to nearly 6 miles southeast of Faison. |Light structure damage and uprooted trees were observed on McNeil Road. |Further southeast, multiple outbuildings were significantly damaged on |Taylor Town Road. A few hog houses also sustained roof damage farther |down the road. On Friendship Church Road, substantial damage was |observed at a residence where a pine tree fell on a house. Multiple |trees were also snapped or uprooted farther to the southeast on |Friendship Church Road. The damaging winds were estimated to be 90 to |100 mph, with a path width of around 1 mile and a path length of about 4 |miles." +116284,699199,COLORADO,2017,May,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-05-10 18:00:00,MST-7,2017-05-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system produced more than 10 inches of snow on the ridges of the Sangre de Cristo Mountains and Wet Mountains, and lesser amounts on the lower slopes, including 4 inches near Rosita (Custer County) and 8 inches in Cuchara (Huerfano County).","" +116284,699200,COLORADO,2017,May,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-05-10 18:00:00,MST-7,2017-05-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system produced more than 10 inches of snow on the ridges of the Sangre de Cristo Mountains and Wet Mountains, and lesser amounts on the lower slopes, including 4 inches near Rosita (Custer County) and 8 inches in Cuchara (Huerfano County).","" +116284,699201,COLORADO,2017,May,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-05-10 18:00:00,MST-7,2017-05-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system produced more than 10 inches of snow on the ridges of the Sangre de Cristo Mountains and Wet Mountains, and lesser amounts on the lower slopes, including 4 inches near Rosita (Custer County) and 8 inches in Cuchara (Huerfano County).","" +116783,702303,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-05 06:57:00,EST-5,2017-05-05 06:57:00,0,0,0,0,,NaN,,NaN,34.75,-76.73,34.75,-76.73,"Several severe thunderstorms produced strong winds and large hail during the morning hours.","An isolated severe thunderstorm blew down several large tree limbs just north of Morehead City." +114118,683437,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:20:00,CST-6,2017-03-01 06:20:00,0,0,0,0,0.00K,0,0.00K,0,35.9903,-87.4888,35.9903,-87.4888,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A trained spotter near the I-40 and Highway 48 intersection estimated winds gusts of 60 to 65 mph and also reported half inch diameter size hail." +113051,686694,MASSACHUSETTS,2017,March,Strong Wind,"WESTERN PLYMOUTH",2017-03-14 11:00:00,EST-5,2017-03-14 12:09:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Strong wind gusts, estimated between 40 and 50 mph, affected western Plymouth County for about an hour, near noontime, on March 14th. At 12 Noon EDT, multiple trees and wires were downed in northern and eastern sections of Middleboro. At 1218 PM, a tree was down on Purchase Street in Carver. At 109 PM, a tree and wires were down on Donna Drive in Hanover." +114500,686636,TENNESSEE,2017,March,High Wind,"SHELBY",2017-03-29 23:34:00,CST-6,2017-03-29 23:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a line of decaying thunderstorms across portions of west Tennessee during the early morning hours March 30th.","Winds measured at the Memphis International Airport." +114321,684973,LOUISIANA,2017,April,Thunderstorm Wind,"SABINE",2017-04-29 12:15:00,CST-6,2017-04-29 12:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4449,-93.4573,31.4449,-93.4573,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","Trees and power lines were blown down across much of Southern Sabine Parish." +113051,683070,MASSACHUSETTS,2017,March,Heavy Snow,"EASTERN HAMPSHIRE",2017-03-14 03:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day in eastern Hampshire County.|Snowfall totals ranged from 9 to 13.5 inches. Some reported totals included 9.2 inches in Amherst, 11.2 inches in Ware, and 13.5 inches in Northampton." +114118,683874,TENNESSEE,2017,March,Hail,"WILLIAMSON",2017-03-01 07:02:00,CST-6,2017-03-01 07:02:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-86.9,35.92,-86.9,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","" +114118,685286,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:03:00,CST-6,2017-03-01 08:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.5842,-85.7651,36.5842,-85.7651,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Tree down on Highway 52 around 3 miles east of Macon County line." +114423,686064,TENNESSEE,2017,March,Hail,"DICKSON",2017-03-09 20:03:00,CST-6,2017-03-09 20:03:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-87.32,36.05,-87.32,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter photo showed quarter size hail in Burns." +114423,686122,TENNESSEE,2017,March,Thunderstorm Wind,"WAYNE",2017-03-09 22:59:00,CST-6,2017-03-09 22:59:00,0,0,0,0,5.00K,5000,0.00K,0,35.37,-87.5914,35.37,-87.5914,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","The roof was blown off a barn on Buttermilk Ridge Road." +114423,686133,TENNESSEE,2017,March,Thunderstorm Wind,"MAURY",2017-03-09 23:03:00,CST-6,2017-03-09 23:03:00,0,0,0,0,2.00K,2000,0.00K,0,35.75,-86.93,35.75,-86.93,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A Facebook video showed a window pane was blown out of a house in Spring Hill." +114118,683934,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 07:02:00,CST-6,2017-03-01 07:05:00,0,0,0,0,25.00K,25000,0.00K,0,35.9548,-86.8317,35.9675,-86.7767,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large downburst associated with the rear flank downdraft of the Cool Springs tornado caused damage across the Cool Springs area of Franklin and Brentwood. Many trees were snapped or uprooted on Crossroads Boulevard and Mallory Lane near the Cool Springs Galleria. The ceiling of the drive through portion of a bank at the southwest corner of Bakers Bridge Avenue and Mallory Lane collapsed, and one HVAC unit was blown off an HH Gregg store on Galleria Boulevard causing interior roof and water damage. Dozens of trees were snapped and uprooted along Moores Lane from the Nashville Golf Club to Primm Park, and outbuildings at a farm on Moores Lane at Montclair Boulevard suffered roof damage. Winds in this 3 mile long by 1 mile wide downburst were estimated around 80 mph." +114423,686065,TENNESSEE,2017,March,Hail,"DICKSON",2017-03-09 20:11:00,CST-6,2017-03-09 20:11:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-87.22,36.12,-87.22,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated quarter size hail fell in White Bluff." +114423,686067,TENNESSEE,2017,March,Hail,"DAVIDSON",2017-03-09 20:42:00,CST-6,2017-03-09 20:42:00,0,0,0,0,0.00K,0,0.00K,0,36.2811,-86.7781,36.2811,-86.7781,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A Facebook photo showed quarter size hail fell near Davidson Academy." +114118,683835,TENNESSEE,2017,March,Thunderstorm Wind,"CHEATHAM",2017-03-01 06:55:00,CST-6,2017-03-01 06:55:00,0,0,0,0,15.00K,15000,0.00K,0,36.2251,-87.0007,36.2251,-87.0007,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Facebook report and photos from the public indicated numerous trees were snapped and uprooted around Highway 12 and Cemetery Road. A few homes also suffered minor damage with shingles blown off, siding damage, and fences blown down." +114118,683838,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:01:00,CST-6,2017-03-01 07:01:00,0,0,0,0,3.00K,3000,0.00K,0,36.1446,-86.8099,36.1446,-86.8099,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tSpotter Twitter report indicated a few trees were blown down onto two cars near the Vanderbilt football stadium." +114683,687931,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:50:00,CST-6,2017-03-21 15:50:00,0,0,0,0,3.00K,3000,0.00K,0,35.8192,-86.4207,35.8192,-86.4207,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Three power poles were snapped on Barfield Road." +114423,686596,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:46:00,CST-6,2017-03-09 23:46:00,0,0,0,0,1.00K,1000,0.00K,0,35.4862,-86.336,35.4862,-86.336,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Haley Road at the Two Forks Bridge." +114683,687936,TENNESSEE,2017,March,Flood,"RUTHERFORD",2017-03-21 15:30:00,CST-6,2017-03-21 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.96,-86.52,35.9601,-86.5207,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos showed flooding near a Dollar General store on Old Nashville Highway at Davis Park Drive with one car submerged in a drainage ditch." +114611,687547,NEW JERSEY,2017,March,Winter Storm,"EASTERN BERGEN",2017-03-14 00:20:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 6 to 13 inches of snow and sleet. A large tree fell on a home in Park Place in Westwood and a large tree fell on a home in Washington Township." +114683,687899,TENNESSEE,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-21 14:54:00,CST-6,2017-03-21 14:54:00,0,0,0,0,3.00K,3000,0.00K,0,35.43,-87.3,35.43,-87.3,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a few trees were blown down in Summertown." +113553,680204,SOUTH CAROLINA,2017,April,Hail,"LEXINGTON",2017-04-05 13:18:00,EST-5,2017-04-05 13:22:00,0,0,0,0,,NaN,,NaN,33.96,-81.2,33.96,-81.2,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","" +114721,690237,MISSISSIPPI,2017,March,Strong Wind,"NESHOBA",2017-03-30 06:00:00,CST-6,2017-03-30 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Strong winds occurred due a the development of a wake low. This downed some trees, including one across County Road 602 and also across Highway 21 South." +114052,683035,GULF OF MEXICO,2017,March,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL 20 TO 60NM",2017-03-23 16:36:00,EST-5,2017-03-23 16:36:00,0,0,0,0,,NaN,,NaN,25.93,-81.74,25.93,-81.74,"A cold front moving across South Florida produced showers and thunderstorms across the area. With cold temperatures aloft and abundant moisture ahead of the cold front conditions were favorable for thunderstorms. Some of these thunderstorms produced gusty winds and hail.","A marine thunderstorm produced a wind gust of 55 MPH/ 48 knots at the WeatherBug mesonet station MRCSC located at the Charter Club of Marco Beach." +113553,680209,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"SALUDA",2017-04-05 12:30:00,EST-5,2017-04-05 12:35:00,0,0,0,0,,NaN,,NaN,33.85,-81.66,33.85,-81.66,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","A trained spotter reported multiple trees down on cars in a dealership lot. Several cars were damaged." +116887,704506,NORTH CAROLINA,2017,May,Flash Flood,"CALDWELL",2017-05-24 19:00:00,EST-5,2017-05-24 20:30:00,0,0,0,0,0.50K,500,0.00K,0,36.007,-81.565,35.994,-81.554,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","Public reported the Yadkin River overflowed its banks near Patterson after 2 to 3 inches of rain fell in the headwaters in just a couple of hours. Yadkin River Rd was closed briefly." +114239,684362,FLORIDA,2017,March,Wildfire,"INLAND COLLIER COUNTY",2017-03-30 15:01:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Cowbell Fire started March 30th burned 21,840 acres in Big Cypress National Preserve. Due to fire behavior and fire movement Bear Island Campground, Pink Jeep Campground and Turner River Road Camps were closed. Time and date is first reporting time of incident.","The Cowbell fire started March 30th and continued through the end of the month, not ending until April 30th. The fire burned 21,840 acres in Big Cypress National Preserve. It closed multiple campgrounds and trails in the National Preserve." +113122,676564,TEXAS,2017,March,Thunderstorm Wind,"TRINITY",2017-03-24 19:10:00,CST-6,2017-03-24 19:10:00,0,0,0,0,10.00K,10000,0.00K,0,30.9149,-95.3534,30.9149,-95.3534,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Oak trees were snapped and uprooted, power lines were snapped and tree limbs fell onto homes along Winding Creek Road." +114976,689821,WYOMING,2017,March,Winter Weather,"SIERRA MADRE RANGE",2017-03-06 00:00:00,MST-7,2017-03-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly upslope winds behind a cold front produced moderate snowfall over the Snowy and Sierra Madre mountains. Sustained winds of 30 to 40 mph with gusts to 55 mph created half mile visibilities in blowing snow.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated six inches of snow." +114977,689826,WYOMING,2017,March,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-03-05 18:50:00,MST-7,2017-03-05 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 74 mph at 05/2150 MST." +114735,688166,TENNESSEE,2017,March,Hail,"LAWRENCE",2017-03-27 14:12:00,CST-6,2017-03-27 14:12:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-87.3,35.43,-87.3,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Half inch diameter hail with occasional penny size hail was reported in Summertown." +114735,688167,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-27 14:23:00,CST-6,2017-03-27 14:23:00,0,0,0,0,5.00K,5000,0.00K,0,35.92,-87.05,35.92,-87.05,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Trees were blown down in the southwest part of Williamson County near Kingfield and Leipers Fork, including on Hargove Ridge Road, Greenbriar Road, Pinewood Road, and Wilkens Branch Road." +114735,688168,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-27 14:33:00,CST-6,2017-03-27 14:33:00,0,0,0,0,1.00K,1000,0.00K,0,36.03,-86.9516,36.03,-86.9516,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Tree down at Sneed Road and Temple Road." +114683,687949,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:09:00,CST-6,2017-03-21 16:09:00,0,0,0,0,15.00K,15000,0.00K,0,35.488,-86.0762,35.488,-86.0762,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Facebook and tSpotter Twitter reports and photos indicated widespread wind damage occurred across Manchester. Several buildings suffered roof damage including Raider Academy on Highway 55, Garners Furniture in downtown Manchester, and an old pool hall on Highway 41. Numerous trees and power lines were also blown down across Manchester blocking several roadways including Highway 41 near Old Stone Fort, Powers Bridge Road near Beechwood Drive, West Moor Street, and Forrestwood Drive." +114735,688221,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-27 15:39:00,CST-6,2017-03-27 15:43:00,0,0,0,0,15.00K,15000,0.00K,0,36.1713,-85.5686,36.1948,-85.5652,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A microburst caused considerable wind damage in the Double Springs area. Multiple power poles and power lines were blown down and a barn was damaged along Highway 70 just east of Dyer Grimes Road. Several trees were blown down and siding was torn off a few homes on Locust Grove Road, Samuel Drive, Pippin Road, Flatt Road, Thomas Road, Peach Orchard Road, and Chester King Road." +114683,687951,TENNESSEE,2017,March,Hail,"COFFEE",2017-03-21 16:12:00,CST-6,2017-03-21 16:12:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-86.08,35.57,-86.08,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Quarter size hail was reported along Highway 53." +114945,689526,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-14 07:40:00,MST-7,2017-03-14 07:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds impacted Interstate 80 between Rawlins and Laramie.","The WYDOT sensor at Strouss Hill measured peak wind gusts of 50 mph." +114430,686611,TENNESSEE,2017,March,Tornado,"HENDERSON",2017-03-27 15:59:00,CST-6,2017-03-27 16:07:00,0,0,0,0,10.00K,10000,0.00K,0,35.5536,-88.3624,35.5366,-88.2515,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Mainly tree damage was observed and one house had some tin roofing pulled up. Peak winds estimated at 65 mph." +114430,686620,TENNESSEE,2017,March,Tornado,"DECATUR",2017-03-27 16:18:00,CST-6,2017-03-27 16:27:00,0,0,0,0,150.00K,150000,0.00K,0,35.5578,-88.1721,35.5556,-88.0731,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Damage was observed to trees with mainly roof damage to homes. Two mobile homes were also destroyed. Peak winds estimated at 110 mph." +115984,697208,CALIFORNIA,2017,January,Avalanche,"GREATER LAKE TAHOE AREA",2017-01-24 00:45:00,PST-8,2017-01-24 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over California during the period. This brought another round of very significant snowfall to the Sierra and portions of northeast California.","A Facebook post with photos from the California Highway Patrol indicated an avalanche across Highway 89 between Alpine Meadows and Tahoe City. The avalanche was 200 feet across and 12 feet deep at the termination point near Highway 89. Two cars were buried; however, all occupants were rescued safely with no injuries." +113552,680214,GEORGIA,2017,April,Hail,"LINCOLN",2017-04-05 13:10:00,EST-5,2017-04-05 13:15:00,0,0,0,0,,NaN,,NaN,33.68,-82.5,33.68,-82.5,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Lincoln Co EM reported golf ball size hail on Greenwood Church Rd near the county line." +117108,704531,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 22:38:00,EST-5,2017-05-27 23:12:00,0,0,0,0,0.00K,0,0.00K,0,35.835,-82.912,35.831,-82.426,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees and power lines blown down throughout Madison County." +117108,704537,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SWAIN",2017-05-27 21:56:00,EST-5,2017-05-27 22:28:00,0,0,0,0,0.00K,0,0.00K,0,35.524,-83.811,35.408,-83.36,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","County comms reported numerous trees blown down throughout Swain County, especially in the Bryson City area." +114721,688096,MISSISSIPPI,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-29 23:58:00,CST-6,2017-03-30 00:06:00,0,0,0,0,275.00K,275000,0.00K,0,31.5648,-90.4664,31.62,-90.38,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Downburst winds from a severe thunderstorm caused an approximately three mile swath of straight line wind damage across downtown Brookhaven. Numerous trees were snapped and uprooted, some of which also fell on homes. One mobile home was completely destroyed and a shed was destroyed, along with some minor roof damage. A few power poles were also snapped, as well as some trees blown onto power lines. An NWS storm survey estimated peak wind gusts near 95 mph based on the damage. A peak wind gust of 70 mph was measured by the Brookhaven-Lincoln County Airport AWOS north of town." +114721,688108,MISSISSIPPI,2017,March,Tornado,"LAMAR",2017-03-30 04:32:00,CST-6,2017-03-30 04:34:00,0,0,0,0,95.00K,95000,0.00K,0,31.146,-89.5971,31.1523,-89.5808,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","A weak and brief tornado touched down just west of Tatum Salt Dome Road and tracked east-northeast for about one and a half miles. As it crossed Tatum Salt Dome Road, property was damaged on both sides. Damage was mainly in the form of metal roofs being blown off of three sheds and a barn destroyed. A mobile home also had a large section of the metal roof blown off. Three instances of this roof damage, the tin was blown to the northwest, indicating rotation from a weak tornado. Additionally, many large limbs were broken along the path with a dozen or more trees uprooted across the property east of Tatum Salt Dome Road. Maximum wind gusts were estimated to be 75 mph based on the surveyed damage." +113876,690635,TEXAS,2017,March,Tornado,"HARRIS",2017-03-29 09:34:00,CST-6,2017-03-29 09:37:00,0,0,0,0,150.00K,150000,,NaN,29.6984,-95.4873,29.702,-95.4855,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Storm survey showed damage thrown in multiple directions. Numerous witnesses reported swirling debris. One person witnessed a funnel cloud briefly touch down at apartment complex." +114912,689269,E PACIFIC,2017,March,Waterspout,"CASCADE HEAD TO FLORENCE...OUT TO 10 NM",2017-03-05 11:08:00,PST-8,2017-03-05 11:14:00,0,0,0,0,0.00K,0,0.00K,0,44.959,-124.0398,44.959,-124.0398,"Low pressure system offshore helped to generate enough instability for showers and a few thunderstorms along the coast of Oregon. One of these showers produced a waterspout off the coast from Lincoln City.","A thunderstorm off the coast of Lincoln City produced a waterspout, confirmed by photo from trained spotter." +116225,698803,MISSOURI,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-15 02:05:00,CST-6,2017-06-15 02:05:00,0,0,0,0,10.00K,10000,0.00K,0,38.04,-92.71,38.04,-92.71,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A large tree fell down on a mobile home." +114888,689236,OREGON,2017,March,Heavy Snow,"CASCADE FOOTHILLS IN LANE COUNTY",2017-03-05 18:00:00,PST-8,2017-03-06 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two prominent shortwaves brought an early March low-elevation snow event to much of the area except the lowest elevations along the Coast and in the Willamette Valley. Snow levels dropped to 400 to 1000 ft and remained in this range through the end of this event. Higher elevations got the brunt of this event, with locations in the Oregon Cascades getting up to 2-3 feet of snow.","A CoCoRaHS observer 4.6 miles NW of Oakridge recorded 10.5 inches of snow." +113553,680216,SOUTH CAROLINA,2017,April,Hail,"AIKEN",2017-04-05 13:12:00,EST-5,2017-04-05 13:16:00,0,0,0,0,0.01K,10,0.01K,10,33.51,-81.85,33.51,-81.85,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Amateur radio report of dime size hail in Burnettown." +116225,698804,MISSOURI,2017,June,Thunderstorm Wind,"ST. CLAIR",2017-06-17 01:17:00,CST-6,2017-06-17 01:17:00,0,0,0,0,0.00K,0,0.00K,0,38.16,-93.82,38.16,-93.82,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","Several tree limbs were blown down on Highway A." +116225,698806,MISSOURI,2017,June,Thunderstorm Wind,"MORGAN",2017-06-17 01:00:00,CST-6,2017-06-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-92.84,38.43,-92.84,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","Several large trees were blown down throughout Morgan County. This report was from county dispatch." +116225,698807,MISSOURI,2017,June,Thunderstorm Wind,"HICKORY",2017-06-17 02:00:00,CST-6,2017-06-17 02:00:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-93.26,37.88,-93.26,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A tree was blown down on State Highway NN near Nemo." +116225,698808,MISSOURI,2017,June,Thunderstorm Wind,"JASPER",2017-06-17 04:55:00,CST-6,2017-06-17 04:55:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-94.6,37.13,-94.6,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A tree was blown down on Fountain Road." +116225,698805,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-17 02:59:00,CST-6,2017-06-17 02:59:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-93.29,37.2,-93.29,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","A tree was blown down on Delaware Ave and Prairie Creek Drive." +116225,698809,MISSOURI,2017,June,Thunderstorm Wind,"BARTON",2017-06-17 02:41:00,CST-6,2017-06-17 02:41:00,0,0,0,0,10.00K,10000,0.00K,0,37.61,-94.4,37.61,-94.4,"Several rounds of severe thunderstorms impacted the Missouri Ozarks with wind damage.","Several trees and power lines were blown down or broken. There was minor damage to a few barns in the area." +115643,694859,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-04-06 13:36:00,EST-5,2017-04-06 13:38:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 38 to 42 knots were reported at Tolchester." +116222,698812,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-01 18:05:00,CST-6,2017-06-01 18:05:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-93.29,37.25,-93.29,"Isolated severe thunderstorms produced a few reports of severe weather across the Missouri Ozarks.","A large tree was blown down at the entrance of the fairgrounds near Grant and Norton Road." +115185,691648,WISCONSIN,2017,May,Hail,"ROCK",2017-05-17 17:51:00,CST-6,2017-05-17 17:51:00,0,0,0,0,,NaN,0.00K,0,42.65,-89.01,42.65,-89.01,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691650,WISCONSIN,2017,May,Hail,"RACINE",2017-05-17 18:15:00,CST-6,2017-05-17 18:15:00,0,0,0,0,,NaN,0.00K,0,42.76,-88.22,42.76,-88.22,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691651,WISCONSIN,2017,May,Hail,"WALWORTH",2017-05-17 21:56:00,CST-6,2017-05-17 21:56:00,0,0,0,0,,NaN,0.00K,0,42.59,-88.41,42.59,-88.41,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691657,WISCONSIN,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 18:59:00,CST-6,2017-05-17 19:04:00,0,0,0,0,4.00K,4000,0.00K,0,42.96,-90.13,42.96,-90.13,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Several trees and limbs down including power lines." +115185,691659,WISCONSIN,2017,May,Thunderstorm Wind,"GREEN",2017-05-17 19:34:00,CST-6,2017-05-17 19:34:00,0,0,0,0,4.00K,4000,0.00K,0,42.7,-89.8,42.7,-89.8,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Straight-line winds downed six trees." +115185,691661,WISCONSIN,2017,May,Thunderstorm Wind,"SAUK",2017-05-17 13:45:00,CST-6,2017-05-17 13:45:00,0,0,0,0,4.00K,4000,0.00K,0,43.37,-89.64,43.37,-89.64,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Several trees and limbs down including power lines." +115185,691663,WISCONSIN,2017,May,Thunderstorm Wind,"SAUK",2017-05-17 19:48:00,CST-6,2017-05-17 19:48:00,0,0,0,0,0.50K,500,0.00K,0,43.46,-89.75,43.46,-89.75,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A 20 inch diameter tree down." +115185,691665,WISCONSIN,2017,May,Thunderstorm Wind,"COLUMBIA",2017-05-17 19:47:00,CST-6,2017-05-17 20:10:00,0,0,0,0,12.00K,12000,0.00K,0,43.4761,-89.5921,43.4779,-89.3134,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Numerous reports of trees and limbs down across the western portion of the county." +115185,691667,WISCONSIN,2017,May,Thunderstorm Wind,"SHEBOYGAN",2017-05-17 21:30:00,CST-6,2017-05-17 21:40:00,0,0,0,0,30.00K,30000,0.00K,0,43.6753,-87.9418,43.6753,-87.9418,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A barn blown down and two 2X4s blown into a nearby house." +116182,699476,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 18:00:00,CST-6,2017-05-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3043,-95.8856,41.3043,-95.8856,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","A small plane was flipped over by damaging winds just after it landed at Eppley Airfield." +116182,699480,NEBRASKA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-16 17:35:00,CST-6,2017-05-16 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.2583,-95.9329,41.2583,-95.9329,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Trees were damaged at the Gene Leahy Mall at 13th and Douglas Streets in Omaha." +116182,699483,NEBRASKA,2017,May,Thunderstorm Wind,"GAGE",2017-05-16 19:24:00,CST-6,2017-05-16 19:24:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-96.85,40.46,-96.85,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Several trees were damaged by damaging winds that created power outages." +116182,699489,NEBRASKA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-16 17:47:00,CST-6,2017-05-16 17:47:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-96.14,41.54,-96.14,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Roof to a home was damaged by damaging winds in Blair." +115405,692933,MISSOURI,2017,April,Flood,"CHARITON",2017-04-05 11:38:00,CST-6,2017-04-05 13:38:00,0,0,0,0,0.00K,0,0.00K,0,39.6466,-93.0461,39.6461,-93.0516,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route E was closed due to flooding by nearby creeks." +116182,699493,NEBRASKA,2017,May,Thunderstorm Wind,"SALINE",2017-05-16 19:10:00,CST-6,2017-05-16 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-97.16,40.36,-97.16,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","Three center pivot irrigation systems and large tree limbs were damaged by thunderstorm winds." +115405,692934,MISSOURI,2017,April,Flood,"PUTNAM",2017-04-05 11:57:00,CST-6,2017-04-05 13:57:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-92.89,40.5723,-92.898,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route 129 was closed due to flooding by nearby creeks." +115407,692939,KANSAS,2017,April,Hail,"ATCHISON",2017-04-15 21:00:00,CST-6,2017-04-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-95.52,39.55,-95.52,"A storm in Atchison County produced sub-severe hail.","" +115408,692942,MISSOURI,2017,April,Flood,"BATES",2017-04-29 14:00:00,CST-6,2017-04-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-94.08,38.2521,-94.0564,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","Route H was closed at Deepwater Creek due to flooding along the creek." +115408,692943,MISSOURI,2017,April,Flood,"HENRY",2017-04-29 15:29:00,CST-6,2017-04-29 17:29:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-94.02,38.2978,-94.0237,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","Route K was closed at Deepwater Creek due to flooding along the creek." +117082,705156,KANSAS,2017,May,Thunderstorm Wind,"SCOTT",2017-05-15 20:14:00,CST-6,2017-05-15 20:14:00,0,0,0,0,,NaN,,NaN,38.48,-100.88,38.48,-100.88,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","" +117083,705157,KANSAS,2017,May,Flash Flood,"CLARK",2017-05-16 16:07:00,CST-6,2017-05-16 18:07:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-100.02,37.4431,-100.0152,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","Rain water was curb-to-curb." +117083,705158,KANSAS,2017,May,Flash Flood,"EDWARDS",2017-05-16 17:23:00,CST-6,2017-05-16 21:23:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-99.41,37.9193,-99.3978,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","Water was across both highway 183 and highway 50." +117083,705159,KANSAS,2017,May,Funnel Cloud,"CLARK",2017-05-16 16:37:00,CST-6,2017-05-16 16:38:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-100.04,37.36,-100.04,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","There was a brief cone funnel." +117083,705160,KANSAS,2017,May,Funnel Cloud,"FORD",2017-05-16 17:27:00,CST-6,2017-05-16 17:29:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-99.73,37.55,-99.73,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","A funnel cloud was halfway to the ground." +117083,705161,KANSAS,2017,May,Funnel Cloud,"KIOWA",2017-05-16 17:51:00,CST-6,2017-05-16 17:53:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-99.48,37.71,-99.48,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","There was a wall cloud with a possible rain wrapped tornado but no confirmation." +117086,706273,KANSAS,2017,May,Thunderstorm Wind,"ELLIS",2017-05-25 19:48:00,CST-6,2017-05-25 19:48:00,0,0,0,0,,NaN,,NaN,38.85,-99.35,38.85,-99.35,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +117086,706274,KANSAS,2017,May,Thunderstorm Wind,"ELLIS",2017-05-25 19:56:00,CST-6,2017-05-25 19:56:00,0,0,0,0,,NaN,,NaN,38.84,-99.27,38.84,-99.27,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","Reported at the Hays airport." +117089,706285,KANSAS,2017,May,Hail,"MORTON",2017-05-27 18:50:00,CST-6,2017-05-27 18:50:00,0,0,0,0,,NaN,,NaN,37,-101.86,37,-101.86,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","" +117089,706287,KANSAS,2017,May,Thunderstorm Wind,"STEVENS",2017-05-27 19:20:00,CST-6,2017-05-27 19:20:00,0,0,0,0,0.00K,0,0.00K,0,37,-101.51,37,-101.51,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","Winds were estimated to be 60 MPH." +117089,706288,KANSAS,2017,May,Thunderstorm Wind,"MORTON",2017-05-27 18:46:00,CST-6,2017-05-27 18:46:00,0,0,0,0,0.00K,0,0.00K,0,37,-101.9,37,-101.9,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","Winds were estimated to be 60 MPH." +114107,685923,PENNSYLVANIA,2017,May,Thunderstorm Wind,"POTTER",2017-05-01 15:45:00,EST-5,2017-05-01 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,41.9871,-78.1852,41.9871,-78.1852,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph produced roof and building damage north of Shinglehouse." +114107,685926,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CAMBRIA",2017-05-01 16:05:00,EST-5,2017-05-01 16:05:00,0,0,0,0,7.00K,7000,0.00K,0,40.3275,-78.9309,40.3275,-78.9309,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto a house on Venango Street." +114107,685937,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-01 16:50:00,EST-5,2017-05-01 16:50:00,0,0,0,0,10.00K,10000,0.00K,0,40.0487,-78.6474,40.0487,-78.6474,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees and wires near Schellsburg." +114107,685938,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-01 17:00:00,EST-5,2017-05-01 17:00:00,0,0,0,0,6.00K,6000,0.00K,0,40.1732,-78.5268,40.1732,-78.5268,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Osterburg." +114107,685939,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:00:00,EST-5,2017-05-01 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.03,-77.95,41.03,-77.95,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and damaged a shed near Snow Shoe." +114107,685940,PENNSYLVANIA,2017,May,Thunderstorm Wind,"TIOGA",2017-05-01 17:23:00,EST-5,2017-05-01 17:23:00,0,0,0,0,15.00K,15000,0.00K,0,41.9074,-77.1334,41.9074,-77.1334,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph produced structural damage to a home in Tioga." +115189,691682,KANSAS,2017,May,Hail,"NEOSHO",2017-05-27 11:00:00,CST-6,2017-05-27 11:03:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-95.32,37.47,-95.32,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","This was a delayed report." +115189,691683,KANSAS,2017,May,Hail,"NEOSHO",2017-05-27 11:30:00,CST-6,2017-05-27 11:32:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-95.24,37.5,-95.24,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","The report was received via social media." +115189,691684,KANSAS,2017,May,Hail,"BARTON",2017-05-27 11:52:00,CST-6,2017-05-27 11:53:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.58,38.36,-98.58,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","The report was received via social media." +115189,691685,KANSAS,2017,May,Hail,"RICE",2017-05-27 12:03:00,CST-6,2017-05-27 12:05:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.35,38.36,-98.35,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","" +115189,691686,KANSAS,2017,May,Hail,"RICE",2017-05-27 12:25:00,CST-6,2017-05-27 12:28:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-98.05,38.4,-98.05,"On May 27th, scattered thunderstorms developed unusually early. Initial development was over Southeast KS late that morning with the first Severe Thunderstorm Warning issued at 1149 AM CDT for Northern Labette and Neosho Counties. Around 15 minutes later, a severe thunderstorm developed over Barton County in Central Kansas. Large hail occurred with both thunderstorms.","" +114629,687520,VERMONT,2017,May,Hail,"ADDISON",2017-05-18 17:18:00,EST-5,2017-05-18 17:20:00,0,0,0,0,50.00K,50000,0.00K,0,44.0909,-73.3955,44.0909,-73.3955,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","A destructive hail storm and destructive thunderstorm winds caused considerable damage along Potash Bay road and Lake street. Hail stones of 1 to 1.5 inches in diameter blown by 60-80 mph winds produced numerous holes in siding, dents on vehicles and broken windows in the most severe occurrence on Lake street. Hail damage as witnessed in this survey is highly unusual in Vermont and northern NY." +114629,687530,VERMONT,2017,May,Thunderstorm Wind,"CHITTENDEN",2017-05-18 16:35:00,EST-5,2017-05-18 16:36:00,0,0,0,0,25.00K,25000,0.00K,0,44.4851,-73.0479,44.4851,-73.0479,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Strong thunderstorm winds downed several large tree branches and a few soft wood trees (pines) on Sandhill road and nearby neighborhoods in Essex, causing power outages." +114665,688146,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:44:00,CST-6,2017-05-20 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,34.73,-86.56,34.73,-86.56,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a house." +114665,688147,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:44:00,CST-6,2017-05-20 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,34.75,-86.57,34.75,-86.57,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a house." +114665,688148,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:44:00,CST-6,2017-05-20 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,34.77,-86.57,34.77,-86.57,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a house." +114665,688149,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:45:00,CST-6,2017-05-20 16:45:00,0,0,0,0,,NaN,,NaN,34.75,-86.46,34.75,-86.46,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Power lines were knocked down with sparking reported." +114665,688150,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:45:00,CST-6,2017-05-20 16:45:00,0,0,0,0,1.00K,1000,0.00K,0,34.75,-86.56,34.75,-86.56,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a house." +114665,688151,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:45:00,CST-6,2017-05-20 16:45:00,0,0,0,0,,NaN,,NaN,34.76,-86.62,34.76,-86.62,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Power lines and multiple tree were knocked down near Incline Street and Purdy Drive." +114923,689383,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-05-24 10:42:00,EST-5,2017-05-24 10:42:00,0,0,0,0,0.00K,0,0.00K,0,29.14,-83.03,29.14,-83.03,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","The NOS NWLON station at Cedar Key, CKYF1, reported a wind gust of 48 knots...55 mph." +114923,689385,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-24 12:50:00,EST-5,2017-05-24 12:50:00,0,0,0,0,0.00K,0,0.00K,0,28.16,-82.79,28.16,-82.79,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","A home weather station near Tarpon Springs measured a wind gust of 49 knots...56 mph." +115987,697117,GEORGIA,2017,May,Hail,"LINCOLN",2017-05-29 17:45:00,EST-5,2017-05-29 17:50:00,0,0,0,0,,NaN,,NaN,33.85,-82.49,33.85,-82.49,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and hail.","Public reported quarter size hail on Elberton Hwy." +115987,697118,GEORGIA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-29 16:27:00,EST-5,2017-05-29 16:32:00,0,0,0,0,,NaN,,NaN,33.76,-82.51,33.76,-82.51,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and hail.","Lincoln Co EM reported trees down on Hwy 378." +115987,697119,GEORGIA,2017,May,Thunderstorm Wind,"COLUMBIA",2017-05-29 18:22:00,EST-5,2017-05-29 18:27:00,0,0,0,0,,NaN,,NaN,33.45,-82.2,33.45,-82.2,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and hail.","County dispatch reported trees down near the intersection of Old Berzelia Rd and Newmantown Rd." +120756,723272,SOUTH CAROLINA,2017,October,Tornado,"SPARTANBURG",2017-10-23 14:12:00,EST-5,2017-10-23 14:18:00,1,0,0,0,1.00M,1000000,0.00K,0,34.972,-81.989,35,-81.948,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","Nws survey found that a second, more intense tornado touched down on the northwest side of Spartanburg, along Business 85 near Spartanburg Community College. The tornado reached its peak intensity almost immediately upon touching down, as a warehouse building near the intersection of Spring St and Simuel Rd suffered extensive damage, with the collapse of an exterior wall, and much of the roof removed. Multiple trailers were damaged or destroyed and several cars flipped in a parking lot at an adjacent business at|Garrett Rd and Spring St. A person who sought shelter in a glass booth under a metal awning structure at this location was hospitalized with burst ear drums due to the extreme change in air pressure. A warehouse building also lost much of its roofing here. The tornado continued east/northeast, paralleling Business 85, snapping trees along New Cut Rd, and collapsing a wall at another warehouse style building on Buffington Rd. The tornado appeared to weaken considerably from this point, with damage primarily limited to downed trees and limbs until the path ended near the intersection of Business 85 and Highway 9." +120756,723465,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"SPARTANBURG",2017-10-23 14:12:00,EST-5,2017-10-23 14:15:00,0,0,0,0,10.00K,10000,0.00K,0,34.942,-81.983,34.971,-81.99,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","NWS storm survey found an extensive area of primarily straight-line wind damage across the Saxon community, between the end of one tornado path that ended in the vicinity of Westgate Mall, and another tornado that began along Business 85 across from Spartanburg Community College. This appeared to be the result of very strong inflow into the developing second tornado, although the dissipating first tornado may have intermingled with the strong inflow winds." +114190,683956,FLORIDA,2017,May,Strong Wind,"PINELLAS",2017-05-05 07:10:00,EST-5,2017-05-05 07:10:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a prefrontal trough, causing gusty winds as they came onshore during the afternoon of the 4th. Breezy winds also developed behind the front on the morning of the 5th.","During the morning after a cold front passed through the area, a large oak tree snapped near the base and fell on a moving car in Clearwater along Martin Luther King Jr. Street. Winds at the time were gusting to around 20-30 knots, but it is possible the tree was damaged during the higher winds the night before. The tree crushed the car, and the driver and her 8 year old grandson who was also in the car sustained minor injuries." +115092,692684,INDIANA,2017,May,Thunderstorm Wind,"LAKE",2017-05-26 17:30:00,CST-6,2017-05-26 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.5601,-87.5006,41.5601,-87.5006,"A line of convection developed over northwest Indiana producing strong and damaging winds.","Multiple trees were blown down near Columbia Avenue and Ridge Road. One tree was snapped about 5 feet from the base." +115092,692685,INDIANA,2017,May,Thunderstorm Wind,"LAKE",2017-05-26 17:38:00,CST-6,2017-05-26 17:38:00,0,0,0,0,0.00K,0,0.00K,0,41.601,-87.2611,41.601,-87.2611,"A line of convection developed over northwest Indiana producing strong and damaging winds.","A one foot diameter oak tree fell onto and shattered a telephone pole near Grand Boulevard and Miller Avenue." +115092,692687,INDIANA,2017,May,Thunderstorm Wind,"PORTER",2017-05-26 17:51:00,CST-6,2017-05-26 17:51:00,0,0,0,0,,NaN,0.00K,0,41.594,-87.208,41.594,-87.208,"A line of convection developed over northwest Indiana producing strong and damaging winds.","Power lines and power poles were blown down near Jellystone Park." +115092,692688,INDIANA,2017,May,Thunderstorm Wind,"LAKE",2017-05-26 17:27:00,CST-6,2017-05-26 17:27:00,0,0,0,0,0.00K,0,0.00K,0,41.6005,-87.4526,41.6005,-87.4526,"A line of convection developed over northwest Indiana producing strong and damaging winds.","An eight inch diameter maple tree was blown down." +115177,697959,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:33:00,CST-6,2017-05-27 23:33:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-94.51,37.08,-94.51,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697960,MISSOURI,2017,May,Hail,"NEWTON",2017-05-27 23:34:00,CST-6,2017-05-27 23:34:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-94.48,37.05,-94.48,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","This report was from Mping." +115177,697961,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:35:00,CST-6,2017-05-27 23:35:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-94.42,37.1,-94.42,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697962,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:35:00,CST-6,2017-05-27 23:35:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-94.47,37.1,-94.47,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697964,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:39:00,CST-6,2017-05-27 23:39:00,0,0,0,0,,NaN,0.00K,0,37.08,-94.42,37.08,-94.42,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","This report was near Highway 249 and Highway 66." +115177,697968,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:46:00,CST-6,2017-05-27 23:46:00,0,1,0,0,100.00K,100000,0.00K,0,37.18,-94.33,37.18,-94.33,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was one minor injury reported at a drive-in theater on the west side of town due to broken glass from windows being knocked out from large hail." +115177,697970,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:50:00,CST-6,2017-05-27 23:50:00,0,0,0,0,100.00K,100000,0.00K,0,37.18,-94.31,37.18,-94.31,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Tennis ball size hail knocked out law enforcement car windows and damage to other vehicles around Carthage." +115166,691418,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-28 16:40:00,CST-6,2017-05-28 16:40:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-95.15,31.8,-95.15,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Numerous trees and power lines were blown down in Rusk." +115166,691419,TEXAS,2017,May,Thunderstorm Wind,"PANOLA",2017-05-28 16:55:00,CST-6,2017-05-28 16:55:00,0,0,0,0,0.00K,0,0.00K,0,32.1733,-94.3403,32.1733,-94.3403,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Widespread trees were blown down across Panola County." +115268,692034,KENTUCKY,2017,May,Hail,"LIVINGSTON",2017-05-27 15:42:00,CST-6,2017-05-27 15:42:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-88.48,37.05,-88.48,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +115268,692035,KENTUCKY,2017,May,Hail,"CARLISLE",2017-05-27 16:15:00,CST-6,2017-05-27 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-89.02,36.87,-89.02,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +115436,698034,IOWA,2017,May,Hail,"WINNEBAGO",2017-05-15 22:15:00,CST-6,2017-05-15 22:15:00,0,0,0,0,0.00K,0,0.00K,0,43.4005,-93.9539,43.4005,-93.9539,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Buffalo Center fire department reported quarter sized hail. Time estimated from radar." +115436,698035,IOWA,2017,May,Thunderstorm Wind,"CERRO GORDO",2017-05-15 17:15:00,CST-6,2017-05-15 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.98,-93.18,42.98,-93.18,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Major tree damage reported in the area with large limbs down." +115436,698036,IOWA,2017,May,Hail,"KOSSUTH",2017-05-15 15:30:00,CST-6,2017-05-15 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-94,43.08,-94,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","" +115436,698037,IOWA,2017,May,Hail,"KOSSUTH",2017-05-15 22:45:00,CST-6,2017-05-15 22:45:00,0,0,0,0,2.00K,2000,0.00K,0,43.4058,-93.9725,43.4058,-93.9725,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Mainly quarter sized hail with a few as large as golf balls." +114982,689866,KENTUCKY,2017,May,Hail,"BREATHITT",2017-05-27 16:27:00,EST-5,2017-05-27 16:27:00,0,0,0,0,,NaN,,NaN,37.53,-83.36,37.53,-83.36,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689867,KENTUCKY,2017,May,Hail,"PERRY",2017-05-27 16:48:00,EST-5,2017-05-27 16:48:00,0,0,0,0,,NaN,,NaN,37.31,-83.22,37.31,-83.22,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689868,KENTUCKY,2017,May,Hail,"PULASKI",2017-05-27 16:56:00,EST-5,2017-05-27 16:56:00,0,0,0,0,,NaN,,NaN,37.11,-84.44,37.11,-84.44,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689869,KENTUCKY,2017,May,Hail,"PULASKI",2017-05-27 17:00:00,EST-5,2017-05-27 17:00:00,0,0,0,0,,NaN,,NaN,37.03,-84.39,37.03,-84.39,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +115295,697050,ILLINOIS,2017,May,Flood,"LAWRENCE",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8524,-87.547,38.8487,-87.9075,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across northwest Lawrence County. Numerous rural roads, highways and creeks in the county were flooded, particularly in the vicinity of Chauncey. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115949,696773,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 16:55:00,EST-5,2017-05-01 16:55:00,0,0,0,0,2.50K,2500,0.00K,0,36.1268,-80.1383,36.1268,-80.1383,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down near the intersection of West Mountain Street an Doe Run Drive." +115949,696775,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 17:00:00,EST-5,2017-05-01 17:00:00,0,0,0,0,0.50K,500,0.00K,0,36.0828,-80.0897,36.0828,-80.0897,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on power lines at Old Salem Road and I-40." +115949,696795,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 17:01:00,EST-5,2017-05-01 17:01:00,0,0,0,0,2.50K,2500,0.00K,0,36.015,-80.0579,36.015,-80.0579,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down at Cedarwood Trail and Roberts Star Lane." +115949,696790,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 17:08:00,EST-5,2017-05-01 17:08:00,0,0,0,0,5.00K,5000,0.00K,0,36.081,-80.0789,36.081,-80.0789,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down on power lines and across the road and Wilchester Lane near Cheviot Drive." +115570,697364,KANSAS,2017,May,Flood,"LOGAN",2017-05-11 07:00:00,CST-6,2017-05-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9011,-101.4767,38.9011,-101.4783,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Driveway from CR 100 running across the Smokey was flooded preventing residents from going to town." +115570,697365,KANSAS,2017,May,Flood,"LOGAN",2017-05-11 07:00:00,CST-6,2017-05-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9051,-101.4625,38.9063,-101.4625,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The Smokey River was out of its banks and had water over CR 110 that ran across the river." +114790,688887,NEBRASKA,2017,May,Thunderstorm Wind,"KEARNEY",2017-05-15 19:21:00,CST-6,2017-05-15 19:21:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-99.07,40.39,-99.07,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +114674,687843,IOWA,2017,May,Hail,"CASS",2017-05-08 01:40:00,CST-6,2017-05-08 01:40:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-95,41.4,-95,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Off duty 911 center manager reported quarter sized hail covering the ground. The hail lasted for about 5 minutes." +116137,698067,NEBRASKA,2017,May,Hail,"HOLT",2017-05-15 21:38:00,CST-6,2017-05-15 21:38:00,0,0,0,0,5.00K,5000,0.00K,0,42.27,-98.33,42.27,-98.33,"Isolated thunderstorms occurred in Hayes County and Holt County during the late evening hours in on May 15th. Quarter size hail was reported in Hayes County, with damage occurring to siding at a home 2 miles west of Hamlet. Another isolated thunderstorm in Holt County produced quarter size hail, 1 mile east of Ewing.","A trained spotter located 1 mile east of Ewing reported quarter size hail. The wind driven hail damaged siding to a home, with small branches also down." +116137,698068,NEBRASKA,2017,May,Hail,"HAYES",2017-05-15 21:44:00,CST-6,2017-05-15 21:44:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-101.02,40.51,-101.02,"Isolated thunderstorms occurred in Hayes County and Holt County during the late evening hours in on May 15th. Quarter size hail was reported in Hayes County, with damage occurring to siding at a home 2 miles west of Hamlet. Another isolated thunderstorm in Holt County produced quarter size hail, 1 mile east of Ewing.","A trained spotter in Hayes Center reported quarter size hail." +116144,701561,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-18 19:20:00,CST-6,2017-05-18 19:20:00,0,0,0,0,0.00K,0,0.00K,0,35.9693,-96.1379,35.9693,-96.1379,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +113197,677189,KENTUCKY,2017,March,Thunderstorm Wind,"GREEN",2017-03-27 16:20:00,CST-6,2017-03-27 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.2638,-85.5053,37.2638,-85.5053,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","State officials reported trees down across West Hodgenville Avenue." +115878,696394,OKLAHOMA,2017,May,Flood,"ADAIR",2017-05-01 00:00:00,CST-6,2017-05-01 14:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1134,-94.7769,36.113,-94.77,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Illinois River near Chewey rose above its flood stage of 12 feet at 11:45 am CDT on April 29th. The river crested at 31.95 feet at 1:30 pm CDT on the 30th, resulting in major/near record flooding (2nd highest crest on record). Disastrous flooding occurred from near Fidler's Bend to near Hanging Rock, with many permanent campgrounds and cabins overtopped, and roads inundated. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 3:15 pm CDT on May 1st." +115878,696397,OKLAHOMA,2017,May,Flood,"CHEROKEE",2017-05-01 00:00:00,CST-6,2017-05-02 08:30:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-94.97,35.87,-94.9097,"A warm front lifted north into eastern Oklahoma from Texas on April 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous 10 days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin. Some of this flooding continued into the first week of May 2017.","The Illinois River near Tahlequah rose above its flood stage of 11 feet at 12:30 pm CDT on April 29th. The river crested at 29.35 feet at 10:00 pm CDT on the 30th, resulting in major/near record flooding (2nd highest crest on record). Devastating flooding occurred from near Hanging Rock to the headwaters of Lake Tenkiller, with many permanent campgrounds and cabins overtopped, and roads inundated. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 9:30 am CDT on May 2nd." +116172,698258,IDAHO,2017,May,Flood,"LEMHI",2017-05-31 07:30:00,MST-7,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,45.1938,-113.8982,45.1579,-113.9299,"Warmer than normal temperatures causes rapid snow melt and leads to a prolonged period of flooding on the Salmon River. The Salmon river continued to rise into the month of June where the greatest impacts occurred. Only minor flooding was observed during the month of May. See the month of June for more detailed information.","The USGS river gauge Salmon River at Salmon reported minor flooding on May 31st. The river continued to rise and reached moderate flood stage in the first half of June. See June storm data report for more information." +115177,691476,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 21:45:00,CST-6,2017-05-27 22:45:00,0,0,3,0,500.00K,500000,0.00K,0,36.6163,-93.282,36.6178,-93.2844,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Highway 165 was closed due flash flooding of Cooper Creek. Numerous swift water rescues were conducted around the Branson area. Three people visiting from out of town were swept away and drowned in flood waters along Cooper Creek right off Fall Creek Road. Cooper Creek rose about 10 feet in about 15 minutes. Water flooded restaurants and a hotel along the creek. About 35 people on the first floor of the hotel were evacuated. There was severe damage to the restaurants and hotel. This storm report will contain dollar estimates for damage to homes, businesses, and infrastructure with this flood event." +115177,697977,MISSOURI,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 12:50:00,CST-6,2017-05-27 12:50:00,0,0,0,0,10.00K,10000,0.00K,0,38.29,-93.32,38.29,-93.32,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees and power lines were blown down on the road at Highway BB and Fitzpatrick Street. One vehicle was wrapped up in power lines with one occupant trapped in vehicle. No injuries were reported." +115242,694638,KANSAS,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-31 12:53:00,CST-6,2017-05-31 12:53:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-95.02,37.35,-95.02,"An isolated severe thunderstorms produced minor wind damage in Crawford County.","Several large tree limbs were blown down in McCune." +115241,694644,KANSAS,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-27 11:55:00,CST-6,2017-05-27 11:55:00,0,0,0,0,1.00K,1000,0.00K,0,37.35,-95.02,37.35,-95.02,"A few isolated severe thunderstorms produced reports of large hail, damaging wind gusts, and minor flash flooding.","There was a barn blown down north of McCune and metal debris flown across a nearby field. There was also some minor flooding reported via social media. Time was estimated by radar." +114198,698507,MISSOURI,2017,May,Flood,"DALLAS",2017-05-03 09:12:00,CST-6,2017-05-03 11:12:00,0,0,0,0,0.00K,0,0.00K,0,37.6831,-92.9277,37.6818,-92.9286,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway P was closed at the Niangua River." +114198,683980,MISSOURI,2017,May,Flood,"DENT",2017-05-04 20:00:00,CST-6,2017-05-04 20:00:00,0,0,1,0,10.00K,10000,0.00K,0,37.5975,-91.6766,37.5992,-91.6779,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","The Missouri State Highway Patrol reported that a man drowned near a low water crossing at County Road 2430 and Dry Fork Creek. The man attempted to drive across a flooded low water crossing but the car was swept away." +115268,692538,KENTUCKY,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-27 17:50:00,CST-6,2017-05-27 17:50:00,0,0,0,0,3.00K,3000,0.00K,0,36.7773,-88.4521,36.7773,-88.4521,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Trees were blown down on Highway 58 southwest of Highway 402." +115268,692437,KENTUCKY,2017,May,Thunderstorm Wind,"CALLOWAY",2017-05-27 18:00:00,CST-6,2017-05-27 18:10:00,0,0,0,0,8.00K,8000,0.00K,0,36.6089,-88.3533,36.55,-88.15,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Pockets of damaging winds occurred in the county. Just west of Murray, trees were down at the intersection of Highway 94 and Kentucky Highway 1660. Several trees were blown down along Kentucky Highway 121 near New Concord." +115620,696219,ILLINOIS,2017,May,Flood,"WAYNE",2017-05-01 00:00:00,CST-6,2017-05-05 05:00:00,0,0,0,0,80.00K,80000,20.00K,20000,38.35,-88.58,38.3533,-88.544,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Major flooding occurred on the Skillet Fork River. At the Wayne City river gage, the river crested at 22.81 feet early on the 1st. Flood stage is 15 feet. This crest was within a couple inches of the April, 2011 flood crest. At least one home was sandbagged east of Route 45 in the Mill Shoals area. There was widespread flooding of lowlands, including county roads and bridges." +115620,696213,ILLINOIS,2017,May,Flood,"WABASH",2017-05-02 08:00:00,CST-6,2017-05-20 18:00:00,0,0,0,0,25.00K,25000,30.00K,30000,38.42,-87.77,38.4341,-87.7569,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Moderate flooding occurred on the Wabash River. At the Mt. Carmel river gage, the river crested at 30.62 feet on the 10th. Flood stage is 19 feet. Extensive flooding occurred on the northern outskirts of Mount Carmel. Numerous local river roads were flooded. In the City of Mt. Carmel, all local roads were flooded east of the levee except for one. Old Illinois 1 north of Mt. Carmel began to flood. Some residents along a street in the Mt. Carmel area and in the Keensburg area were forced to relocate. Over 100 acres of Beall Woods State Park were flooded." +115620,696212,ILLINOIS,2017,May,Flood,"WHITE",2017-05-02 03:30:00,CST-6,2017-05-21 20:00:00,0,0,0,0,0.00K,0,30.00K,30000,38.0006,-88.0283,38.1027,-87.9627,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept many rivers above flood stage for all or most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois, from Anna and Du Quoin eastward to the Wabash Valley.","Moderate flooding occurred along the Wabash River. At the river gage at New Harmony, IN, the river crested at 21.68 feet on the 12th. Flood stage is 15 feet. Low farmland was flooded almost to the eastern edge of Phillipstown. Several county roads were flooded." +115915,696507,INDIANA,2017,May,Flood,"PIKE",2017-05-01 09:00:00,EST-5,2017-05-18 14:00:00,0,0,0,0,20.00K,20000,10.00K,10000,38.5214,-87.3894,38.5579,-87.1861,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Wabash, White, and Patoka Rivers above flood stage for most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana, except 2 to 4 inches east of Evansville along the Ohio River.","Moderate flooding occurred on the White River. At the Petersburg river gage, the river crested at 25.44 feet on the 11th. Flood stage is 16 feet. This flood crest was about one-half foot below the flood crest of March, 2008. Levees were monitored closely. Numerous roads were flooded. Flood waters approached State Road 56 near Bowman. Extensive flooding occurred in Dodge City. Evacuations began from river cabins in Dodge City. Extensive flooding affected agricultural and rural residential areas. Oil fields were inaccessible. State Road 257 south of Washington was completely flooded." +116358,699676,WASHINGTON,2017,May,Wildfire,"EAST SLOPES NORTHERN CASCADES",2017-05-23 12:00:00,PST-8,2017-05-25 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"The Spromberg Canyon Fire erupted in a pile of logs stored in a logging yard near the Chumstick Highway north of Leavenworth on May 23rd. A dry cold front on May 24th spread the flames off the log deck and burned 42 acres of forest land before firefighters contained the blaze on May 25th. A sawmill was burned in the fire and 168 homes in the area were evacuated. None of the homes were lost.","The Spromberg Canyon Wildfire burned 42 acres and a sawmill over three days near Leavenworth before being contained by firefighters." +116360,699680,WASHINGTON,2017,May,Flood,"FERRY",2017-05-05 18:45:00,PST-8,2017-05-07 23:15:00,0,0,0,0,5.00K,5000,0.00K,0,48.9996,-118.7904,48.9352,-118.7663,"The Kettle River near Ferry flooded multiple times during the month of May, achieving Major Flood Stage once and Moderate Flood Stage another time during periodic rises and falls due to mountain snow melt. Bottom lands, fields and roads along the river were flooded during the peak periods but little or no damage to structures was noted.","The Kettle River Gage near Ferry recorded a rise above the Flood Stage of 18.5 feet at 6:45 PM PST on May 5th, passed through the Major Flood Stage of 20.5 feet and crested at 20.7 feet at 10:15 PM on May 6th. The river dropped back below Flood Stage at 11:15 PM on May 7th. The river rose above flood stage again later in the month." +116360,699681,WASHINGTON,2017,May,Flood,"FERRY",2017-05-06 10:00:00,PST-8,2017-05-07 02:00:00,0,0,0,0,1.00K,1000,0.00K,0,48.94,-118.56,48.9432,-118.5576,"The Kettle River near Ferry flooded multiple times during the month of May, achieving Major Flood Stage once and Moderate Flood Stage another time during periodic rises and falls due to mountain snow melt. Bottom lands, fields and roads along the river were flooded during the peak periods but little or no damage to structures was noted.","The Kettle River flooded with water over Highway 21 near Little Goosmus Creek." +117989,709295,MARYLAND,2017,May,Coastal Flood,"ST. MARY'S",2017-05-26 00:51:00,EST-5,2017-05-26 02:19:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate flooding in St. Marys County near Straits Point.","According the gauge levels, water covered roads on St. Georges Island, was in yards, and approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +113853,681871,MISSOURI,2017,February,Hail,"BATES",2017-02-28 21:50:00,CST-6,2017-02-28 21:52:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-94.35,38.4,-94.35,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +116168,699710,IOWA,2017,May,Thunderstorm Wind,"ADAIR",2017-05-17 14:40:00,CST-6,2017-05-17 14:40:00,0,0,0,0,40.00K,40000,0.00K,0,41.4934,-94.6271,41.4934,-94.6271,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","A semi roll-over occurred on I-80 east of Adair due to strong winds." +115222,699925,IOWA,2017,May,Flood,"POLK",2017-05-21 02:30:00,CST-6,2017-05-22 09:52:00,0,0,0,0,10.00K,10000,0.00K,0,41.57,-93.61,41.59,-93.62,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The Raccoon River at Des Moines on Fleur Drive crested at 12.29 feet on 21 May 2017 at 23:45 UTC." +115222,699935,IOWA,2017,May,Flood,"POLK",2017-05-21 10:45:00,CST-6,2017-05-22 13:56:00,0,0,0,0,10.00K,10000,0.00K,0,41.59,-93.56,41.59,-93.66,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The Des Moines River at Des Moines SE 6th crested at 24.12 feet on 22 May 2017 at 02:45 UTC." +115222,699926,IOWA,2017,May,Flood,"POLK",2017-05-24 07:15:00,CST-6,2017-05-24 13:38:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-93.61,41.59,-93.62,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The Raccoon River at Des Moines on Fleur Drive crested at 12.05 feet on 24 May 2017 at 15:45 UTC." +115222,699938,IOWA,2017,May,Flood,"DALLAS",2017-05-22 11:22:00,CST-6,2017-05-24 20:52:00,0,0,0,0,10.00K,10000,50.00K,50000,41.59,-94.03,41.61,-93.94,"River flooding occurred along the Des Moines River and Raccoon River due to heavy rainfall during the middle of the month.","The North Raccoon River at Perry crested at 15.61 feet on 24 May 2017 at 00:45 UTC." +116046,697464,TEXAS,2017,May,Hail,"FRIO",2017-05-20 10:52:00,CST-6,2017-05-20 10:52:00,0,0,0,0,,NaN,,NaN,28.97,-99.24,28.97,-99.24,"Thunderstorms formed along a cold front. Some of these storms produced severe hail and then flash flooding.","A thunderstorm produced one inch hail at FM140 and US57 southeast of Frio Town." +116047,697473,TEXAS,2017,May,Hail,"BLANCO",2017-05-29 19:00:00,CST-6,2017-05-29 19:00:00,0,0,0,0,,NaN,,NaN,30.09,-98.39,30.09,-98.39,"Isolated thunderstorms formed along a stationary front. One of these storms produced penny size hail.","" +116063,697554,TEXAS,2017,May,Thunderstorm Wind,"UVALDE",2017-05-23 15:34:00,CST-6,2017-05-23 15:34:00,0,0,0,0,5.00K,5000,,NaN,29.16,-99.82,29.16,-99.82,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph knocking down power lines across Hwy 83 south of Uvalde." +116063,697555,TEXAS,2017,May,Hail,"BEXAR",2017-05-23 16:04:00,CST-6,2017-05-23 16:04:00,0,0,0,0,,NaN,,NaN,29.27,-98.36,29.27,-98.36,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","" +116063,697556,TEXAS,2017,May,Hail,"WILLIAMSON",2017-05-23 16:14:00,CST-6,2017-05-23 16:14:00,0,0,0,0,,NaN,,NaN,30.48,-97.67,30.48,-97.67,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail near I-35 and Hwy 45 in Round Rock." +116063,697557,TEXAS,2017,May,Hail,"TRAVIS",2017-05-23 16:16:00,CST-6,2017-05-23 16:16:00,0,0,0,0,,NaN,,NaN,30.44,-97.62,30.44,-97.62,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail in Pflugerville." +116063,697558,TEXAS,2017,May,Thunderstorm Wind,"WILLIAMSON",2017-05-23 16:16:00,CST-6,2017-05-23 16:16:00,0,0,0,0,1.00K,1000,,NaN,30.49,-97.66,30.49,-97.66,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 75 mph that snapped a large tree in half in Round Rock." +116063,697559,TEXAS,2017,May,Hail,"TRAVIS",2017-05-23 16:18:00,CST-6,2017-05-23 16:18:00,0,0,0,0,,NaN,,NaN,30.48,-97.57,30.48,-97.57,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail northeast of Pflugerville." +116063,697560,TEXAS,2017,May,Hail,"WILSON",2017-05-23 16:20:00,CST-6,2017-05-23 16:20:00,0,0,0,0,,NaN,,NaN,29.18,-98.19,29.18,-98.19,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced golf ball size hail along Hwy 181 northwest of Floresville." +116063,697562,TEXAS,2017,May,Hail,"BEXAR",2017-05-23 16:30:00,CST-6,2017-05-23 16:30:00,0,0,0,0,,NaN,,NaN,29.23,-98.66,29.23,-98.66,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail in Somerset." +116436,700377,TEXAS,2017,May,Hail,"HAMILTON",2017-05-19 18:05:00,CST-6,2017-05-19 18:05:00,0,0,0,0,0.00K,0,0.00K,0,31.91,-98.17,31.91,-98.17,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported golf-ball sized hail approximately one mile south of the city of Carlton, TX." +116436,700379,TEXAS,2017,May,Hail,"HAMILTON",2017-05-19 18:12:00,CST-6,2017-05-19 18:12:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-97.91,31.7,-97.91,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained spotter reported quarter-sized hail approximately six miles west of the city of Cranfills Gap, TX." +116436,700380,TEXAS,2017,May,Hail,"HAMILTON",2017-05-19 18:24:00,CST-6,2017-05-19 18:24:00,0,0,0,0,0.00K,0,0.00K,0,31.92,-98.03,31.92,-98.03,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Hico Police Department reported quarter sized hail 4 miles south of the city of Hico, TX." +116436,700381,TEXAS,2017,May,Hail,"HAMILTON",2017-05-19 18:28:00,CST-6,2017-05-19 18:28:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-98.03,31.98,-98.03,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Broadcast media reported golf-ball sized hail in the city of Hico, TX." +116436,700382,TEXAS,2017,May,Hail,"HAMILTON",2017-05-19 19:17:00,CST-6,2017-05-19 19:17:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-97.93,31.8,-97.93,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Volunteer fire department reported quarter sized hail near the city of Cranfills Gap, TX." +116436,700383,TEXAS,2017,May,Thunderstorm Wind,"LAMPASAS",2017-05-19 22:34:00,CST-6,2017-05-19 22:34:00,0,0,0,0,0.00K,0,0.00K,0,31.07,-98.18,31.07,-98.18,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Lampasas PD reported several trees down in the city of Lampasas, TX." +114621,693652,MONTANA,2017,May,Thunderstorm Wind,"POWELL",2017-05-06 14:50:00,MST-7,2017-05-06 15:15:00,0,0,0,1,,NaN,,NaN,46.4724,-112.3612,46.4724,-112.3612,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","The media reported A Montana woman was killed when a tree struck her during a weekend thunderstorm. She was reportedly running back to camp when a tree broke, striking her on the head. She died on the way to the hospital." +114621,699713,MONTANA,2017,May,Hail,"RAVALLI",2017-05-06 12:40:00,MST-7,2017-05-06 12:45:00,0,0,0,0,0.00K,0,,NaN,45.8848,-113.8479,45.8848,-113.8479,"One isolated severe thunderstorm tracked NE from Lost Trail to Georgetown Lake to Garrison to Elliston and eventually Great Falls. Strong shear and modest instability allowed for the storm to maintain its structure and become a long-tracked super cell. Both wind and hail damage were reported throughout the track, with one fatality blamed on the storm as a wind gust blew over a tree onto a woman near Elliston.","Resident reported mostly nickel-sized hailstones, with a few quarter-sized hailstones mixed in. No evidence of damage to property was seen. Resident estimated wind speeds with the storm outflow at 40 to 50 mph. Frequent lightning was also reported." +114657,687715,MONTANA,2017,May,Heavy Snow,"POTOMAC / SEELEY LAKE REGION",2017-05-17 02:00:00,MST-7,2017-05-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","A trained spotter reported 4 inches at Twin Creeks and saw 10 to 12 inch diameter trees down at Greenough Hill. Similar reports of damage came from Bonner, where they received 1.5 inches. Additionally, reports were received of 6 inches in Potomac and 3 inches in Greenough." +114657,687708,MONTANA,2017,May,Heavy Snow,"MISSOULA / BITTERROOT VALLEYS",2017-05-17 05:30:00,MST-7,2017-05-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","An NWS employee reported 4.5 inches of snow up in the Rattlesnake valley and 5 inches just north of Florence. Missoula received 2.7 inches of snow, which caused tree damage power outages lasting several hours. The power outage affected nearly 4,000 people according to Northwestern energy. Additionally, snow rates of 1 inch per hour caused slushy, slick roads in the morning hours." +115031,701363,GEORGIA,2017,May,Drought,"LUMPKIN",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +115031,701364,GEORGIA,2017,May,Drought,"PICKENS",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +116334,699565,WASHINGTON,2017,May,Funnel Cloud,"LINCOLN",2017-05-13 00:40:00,PST-8,2017-05-13 00:50:00,0,0,0,0,0.00K,0,0.00K,0,47.29,-118.11,47.29,-118.11,"A media report of a funnel cloud near Sprague was recieved along with a photo confirming the sighting. Radar indicated a weak pulse type thunderstorm in the area when the funnel cloud was reported. The funnel cloud dissipated without touching down.","A funnel cloud was reported appending from a weak thunderstorm just west of Sprague." +116706,701809,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:31:00,CST-6,2017-05-15 18:31:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.59,35.82,-101.59,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701810,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:37:00,CST-6,2017-05-15 18:37:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.44,35.82,-101.44,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +115733,695528,ALABAMA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-30 11:09:00,CST-6,2017-04-30 11:10:00,1,0,0,0,0.00K,0,0.00K,0,33.32,-88.05,33.32,-88.05,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along County Road 17. One tree fell on a car and resulted in minor injuries to one person." +115733,695535,ALABAMA,2017,April,Thunderstorm Wind,"LAMAR",2017-04-30 11:10:00,CST-6,2017-04-30 11:12:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-88.11,33.75,-88.11,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted in and around the town of Vernon." +115733,695540,ALABAMA,2017,April,Thunderstorm Wind,"MARION",2017-04-30 11:43:00,CST-6,2017-04-30 11:44:00,0,0,0,0,0.00K,0,0.00K,0,34.02,-87.75,34.02,-87.75,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Brookside Road in the town of Brilliant." +116706,701811,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:39:00,CST-6,2017-05-15 18:39:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-101.58,35.87,-101.58,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701812,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:40:00,CST-6,2017-05-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.53,35.82,-101.53,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Tennis ball size hail reported with accumulating hail of at least golf ball size." +116700,701986,KANSAS,2017,May,Hail,"SHERMAN",2017-05-31 18:35:00,MST-7,2017-05-31 18:35:00,0,0,0,0,0.00K,0,0.00K,0,39.2422,-101.5961,39.2422,-101.5961,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","" +116700,701987,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-31 18:30:00,MST-7,2017-05-31 18:30:00,0,0,0,0,100.00K,100000,0.00K,0,39.3156,-101.6049,39.3156,-101.6049,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Three irrigation pivots were blown over." +116700,701988,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-31 18:30:00,MST-7,2017-05-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4138,-101.7081,39.4136,-101.7081,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Rainfall rate was so high water was running into the basement of the house." +116700,702045,KANSAS,2017,May,Flash Flood,"CHEYENNE",2017-05-31 18:35:00,CST-6,2017-05-31 21:35:00,0,0,0,0,0.00K,0,0.00K,0,39.5876,-101.6946,39.588,-101.6944,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Rainfall amounts of up to four inches in a couple hours occurred. The rapid runoff quickly filled the channel of the Little Beaver Creek not long after the heavy rain began. Water was reported over CR 20 south of the CR 20/CR B intersection at the Little Beaver Creek." +115243,694687,MISSOURI,2017,May,Hail,"DOUGLAS",2017-05-11 17:05:00,CST-6,2017-05-11 17:05:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-92.66,37.03,-92.66,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Nickel to quarter size hail was reported north of Ava." +115243,694689,MISSOURI,2017,May,Hail,"WEBSTER",2017-05-11 15:35:00,CST-6,2017-05-11 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-92.91,37.09,-92.91,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Nickel to quarter size hail was reported at the Kindall store near Olga." +115243,694691,MISSOURI,2017,May,Hail,"HOWELL",2017-05-11 17:30:00,CST-6,2017-05-11 17:30:00,0,0,0,0,,NaN,0.00K,0,36.72,-91.73,36.72,-91.73,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Half dollar size hail was reported at a local boutique store on State Highway ZZ." +115243,694692,MISSOURI,2017,May,Lightning,"JASPER",2017-05-11 00:00:00,CST-6,2017-05-11 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.07,-94.14,37.07,-94.14,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A lightning strike caused a fire at a well house." +115243,694694,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-10 23:40:00,CST-6,2017-05-10 23:40:00,0,0,0,0,1.00K,1000,0.00K,0,36.91,-94.41,36.91,-94.41,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A large tree was uprooted and numerous shingles were blown off a house." +115243,694696,MISSOURI,2017,May,Thunderstorm Wind,"STONE",2017-05-11 15:27:00,CST-6,2017-05-11 15:27:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-93.57,36.98,-93.57,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Several trees were blown down on Highway M near Highway 143." +115243,694698,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-11 15:25:00,CST-6,2017-05-11 15:25:00,0,0,0,0,0.00K,0,0.00K,0,37,-93.63,37,-93.63,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A large tree was blown down near Marionville. This storm report was from social media." +115243,694700,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-11 15:40:00,CST-6,2017-05-11 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-93.41,37.06,-93.41,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Several large tree limbs were blown down on Holder Road east of Highway ZZ." +115243,694701,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-11 15:15:00,CST-6,2017-05-11 15:15:00,0,0,0,0,2.00K,2000,0.00K,0,36.98,-93.71,36.98,-93.71,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A set of bleachers at Bladwin Park in Aurora were blown over." +115243,694702,MISSOURI,2017,May,Thunderstorm Wind,"SHANNON",2017-05-11 17:57:00,CST-6,2017-05-11 17:57:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-91.57,37.14,-91.57,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Several trees were uprooted." +116783,702320,NORTH CAROLINA,2017,May,Hail,"JONES",2017-05-05 06:28:00,EST-5,2017-05-05 06:28:00,0,0,0,0,,NaN,,NaN,35.06,-77.36,35.06,-77.36,"Several severe thunderstorms produced strong winds and large hail during the morning hours.","Nickle to quarter size hail fell near Trenton on Highway 70." +116783,702322,NORTH CAROLINA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-05 07:30:00,EST-5,2017-05-05 07:30:00,0,0,0,0,,NaN,,NaN,35.88,-76.56,35.88,-76.56,"Several severe thunderstorms produced strong winds and large hail during the morning hours.","Roof damage occurred to 3 hog farms, and several trees were blown down near Beasley Rd east of Roper." +116783,702323,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CARTERET",2017-05-05 06:38:00,EST-5,2017-05-05 06:38:00,0,0,0,0,,NaN,,NaN,34.68,-77.08,34.68,-77.08,"Several severe thunderstorms produced strong winds and large hail during the morning hours.","A 62 MPH wind gust was recorded at the wildlife ramp at Cedar Point." +116285,699202,COLORADO,2017,May,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-05-17 18:00:00,MST-7,2017-05-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system produced snow in excess of 10 inches across the higher elevations of the Mosquito and eastern Sawatch Ranges, and less er amounts at lower elevations. In Lake, Teller and El Paso Counties, up to 6 inches occurred around Woodland Park and the Air Force Academy, 8 inches in the Black Forest and Leadville, and 10 inches around Monument.","" +116285,699203,COLORADO,2017,May,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-05-17 18:00:00,MST-7,2017-05-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system produced snow in excess of 10 inches across the higher elevations of the Mosquito and eastern Sawatch Ranges, and less er amounts at lower elevations. In Lake, Teller and El Paso Counties, up to 6 inches occurred around Woodland Park and the Air Force Academy, 8 inches in the Black Forest and Leadville, and 10 inches around Monument.","" +116285,699204,COLORADO,2017,May,Winter Storm,"PIKES PEAK ABOVE 11000 FT",2017-05-17 18:00:00,MST-7,2017-05-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system produced snow in excess of 10 inches across the higher elevations of the Mosquito and eastern Sawatch Ranges, and less er amounts at lower elevations. In Lake, Teller and El Paso Counties, up to 6 inches occurred around Woodland Park and the Air Force Academy, 8 inches in the Black Forest and Leadville, and 10 inches around Monument.","" +116789,702318,NORTH CAROLINA,2017,May,Hail,"HYDE",2017-05-20 14:05:00,EST-5,2017-05-20 14:05:00,0,0,0,0,,NaN,,NaN,35.4413,-76.2101,35.4413,-76.2101,"An isolated severe thunderstorm produced large hail and strong winds during the afternoon.","Quarter size hail fell at the intersection of Highway 264 and Highway 94." +116789,702324,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BEAUFORT",2017-05-20 15:19:00,EST-5,2017-05-20 15:19:00,0,0,0,0,,NaN,,NaN,35.59,-76.63,35.59,-76.63,"An isolated severe thunderstorm produced large hail and strong winds during the afternoon.","A 64 MPH wind gust was measured on a personal weather station." +116800,702350,ARIZONA,2017,May,Dust Devil,"COCHISE",2017-05-06 15:30:00,MST-7,2017-05-06 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.9222,-110.2232,31.9222,-110.2232,"A dust devil caused property damage in Saint David.","A dust devil damaged a storage shed on the northeast edge of Saint David. A sheet-metal roof extension was detached from the main structure and thrown about 50 yards." +113051,686695,MASSACHUSETTS,2017,March,High Wind,"EASTERN NORFOLK",2017-03-14 11:26:00,EST-5,2017-03-14 13:44:00,0,0,0,0,0.30K,300,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds impacted eastern Norfolk County, especially at the higher elevations. The Blue Hill Observatory ASOS (KMQE), in Milton, at an elevation above 600 ft., recorded a wind gust to 58 mph at 1226 PM EDT, which then peaked at 67 mph at 212 PM EDT. |At 244 PM, amateur radio operators reported a tree down on Phipps Street in Quincy." +114169,683718,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-07 02:45:00,CST-6,2017-03-07 02:50:00,0,0,0,0,0.00K,0,0.00K,0,36.1136,-91.1184,36.1151,-91.0939,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","Large tree down on Highway 361 along with trees and power lines down along Cemetary Road and County Road 210 in Black Rock." +114169,683719,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-07 02:55:00,CST-6,2017-03-07 03:00:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-90.93,36.13,-90.93,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","" +114169,683720,ARKANSAS,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-07 02:55:00,CST-6,2017-03-07 03:00:00,0,0,0,0,30.00K,30000,0.00K,0,36.1264,-90.9447,36.1265,-90.9316,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","Two trees down with one on a house on Faculty Drive." +114170,683721,TENNESSEE,2017,March,Thunderstorm Wind,"TIPTON",2017-03-07 06:13:00,CST-6,2017-03-07 06:20:00,0,0,0,0,0.00K,0,0.00K,0,35.435,-89.753,35.4333,-89.7273,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","Two large trees down across Lucado Road near Atoka Idaville Road and across Porterville Road near Wortham Road." +114500,686637,TENNESSEE,2017,March,High Wind,"SHELBY",2017-03-29 23:45:00,CST-6,2017-03-30 00:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind a line of decaying thunderstorms across portions of west Tennessee during the early morning hours March 30th.","There were several reports of downed trees and power lines resulting in numerous power outages across the Memphis area." +113051,683066,MASSACHUSETTS,2017,March,Blizzard,"WESTERN ESSEX",2017-03-14 05:00:00,EST-5,2017-03-14 23:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow and strong winds combined to create blizzard conditions. At Lawrence, MA (LWM)...official blizzard criteria were met for 4 hours and 1 minute from 1154 AM to 355 PM. Snowfall totals ranged from 10 to 13 inches. The highest total was near the New Hampshire border in Haverhill, where 13.3 inches was reported.||High winds peaked from mid-afternoon into the early evening hours. At 354 PM, a gust to 64 mph was recorded at the Lawrence Airport (KLWM ASOS). At 6 PM, a wind gust to 68 mph and sustained winds of 47 mph were measured by an amateur radio operator on Scotland Hill in Haverhill. At 645 PM, an amateur radio spotter reported a gust to 61 mph in the Bradford section of Haverhill.||At 1 PM, a tree, utility pole, and wires were down at Columbia Park in Haverhill.|At 122 PM, a tree was down across Walker Avenue in Amesbury. At 344 PM, a tree was down on a house on Portsmouth Road in Amesbury. At 355 PM, a large tree was down on Brickett Avenue in Haverhill. At 4 PM, a large tree was down on National Way in Georgetown. At 420 PM, wires were down on Main Street and Riverview Street in Haverhill. At 422 PM, a large tree was down on 5th Street in Amesbury. At 430 PM, a tree fell onto two cars at an apartment complex on Burnham Road in Methuen. At 529 PM, a tree was down on Thunderbridge Road in Merrimac. At 530 PM, two trees were downed and blocking Osgood Street in Andover and a large tree was down in Topsfield. At 549 PM, trees and wires were down on Heath Road in Merrimac. Between 6 PM and 640 PM in Haverhill, wires were down on Hazel Street; a tree and wires were down on a house on High Street; three trees were down on wires on North Avenue; a tree was down on a house on Windsor Street; and three trees and wires were down on East Broadway. At 625 PM, wires were down on Main Street in West Newbury. At 631 PM, a tree was down across Pleasant Valley Road in Amesbury. At 638 PM, a very large tree was down on Herrick Road in Boxford. At 640 PM, a report was received of a tree down on wires and the wires resting on a house on Fourth Street in Amesbury. At 647 PM, a tree was down on power lines on Berkeley Road in Lawrence. At 651 PM, a tree was down on power lines on North Martin Road in Amesbury. At 653 PM in Merrimac, a tree and power lines were downed on Prospect Hill Road. At 656 PM, a tree was down on a house on Oakland Avenue in Methuen. At 708 PM, a tree was down on power lines on Highland Road in Boxford. Another tree was down in Amesbury on Highland Street at 715 PM. In Georgetown, at 719 PM, a tree was down on Bradford Loop. At 726 PM, a tree was down on Lookout Terrace in Methuen. At 753 PM, a large tree was down on the driveway of a home on River Road in Topsfield." +113051,683067,MASSACHUSETTS,2017,March,Blizzard,"EASTERN ESSEX",2017-03-14 05:00:00,EST-5,2017-03-14 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow and high winds combined to create blizzard conditions during the early and mid afternoon hours, especially in northeast Essex County. Snow mixed with and briefly changed to rain in southeasternmost portions of Essex County. Snowfall totals ranged from as little as 4 to 5 inches in Marblehead and Manchester to as much as 7 to 8 inches in Ipswich, Salem, and Beverly.||High winds were observed for several hours from mid-afternoon into the early evening. Here are some wind gusts between 245 PM and 645 PM:|Plum Island 77 mph at 626 PM; Rockport 68 mph at 245 PM; Children's Island (near Marblehead) 62 mph at 351 PM. At 626 PM, Plum Island reported sustained winds at 51 mph.||At 1215 PM EDT, the media reported trees down on Nahant Road and Swallow Cave Road in Nahant. At 1249 PM, a tree fell on power lines on Houston Avenue in Saugus.|At 150 PM, amateur radio reported a 60 mph wind gust in Rockport. At 230 PM, a large tree was down on wires in Peabody. At 243 PM, a large limb was down on Guild Street in Newburyport. At 245 PM, a large tree and wires fell onto a car on Jefferson Road in Peabody. At 252 PM, a large tree was down in Manchester. At 254 PM, a tree was reported down on Cunningham Drive in Hamilton. At 340 PM in Peabody, a large tree was down on Shillaber Street and tree limbs were down on Glen Drive and Johnson Street. At 343 PM, amateur radio reported a tree and power lines down onto two houses on Furbush Road in Nahant. At 357 PM, a tree and wires were downed on Ferry Road in Newburyport. At 403 PM, a tree was down on a driveway in Rockport. At 405 PM, a large pine tree was down on Wildwood Street in Danvers. At 408 PM, a large tree was down on Upper Pine Street in Manchester. In Peabody between 414 PM and 530 PM, a tree was down on a light pole along Winona Street; a tree was down on Judith Road; and a tree was down on Arielle Lane. At 422 PM, route 133 was blocked in both directions by a fallen tree in Gloucester. From 633 PM to 644 PM in Newburyport, a large tree was down on a house on Arlington Street and wires were down on Railroad Avenue. At 650 PM, a tree was down on power lines in Hamilton. At 652 PM, a tree was down on the Lynn Fells Parkway in Saugus. At 715 PM, a tree was down blocking Merrimac Road in Newburyport. At 744 PM, wires were down on the roof of a home on Old Town Way. At 755 PM, a tree fell onto a car on Beach Road in Lynn. At 8 PM, a tree fell onto a car in Salem. And, as late as 1022 PM, one tree fell down onto a couple of cars on Greenwood Street in Lynn." +114301,685049,ARKANSAS,2017,March,Hail,"FAULKNER",2017-03-09 23:36:00,CST-6,2017-03-09 23:36:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-92.19,35.06,-92.19,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114118,685287,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:23:00,CST-6,2017-03-01 08:23:00,0,0,0,0,1.00K,1000,0.00K,0,36.4835,-85.5016,36.4835,-85.5016,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Wet Mill Creek Road near Oil Hollow Road." +114118,685823,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:33:00,CST-6,2017-03-01 06:33:00,0,0,0,0,2.00K,2000,0.00K,0,36.4656,-87.4082,36.4656,-87.4082,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported two trees were blown down on Highway 149." +114423,686123,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-09 22:55:00,CST-6,2017-03-09 22:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.2723,-86.5872,36.2723,-86.5872,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated a tree fell onto a house near Indian Lake Elementary School in Hendersonville." +114423,686126,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 22:59:00,CST-6,2017-03-09 22:59:00,0,0,0,0,2.00K,2000,0.00K,0,35.9188,-86.8951,35.9188,-86.8951,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down at 1204 Twin Oaks Drive in Franklin." +114118,685018,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-01 07:17:00,CST-6,2017-03-01 07:17:00,0,0,0,0,2.00K,2000,0.00K,0,36.2561,-86.5587,36.2561,-86.5587,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Facebook report indicated trees were blown down on Vanderbilt Road at Saundersville Road." +114118,685561,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-01 12:46:00,CST-6,2017-03-01 12:46:00,0,0,0,0,3.00K,3000,0.00K,0,35.3758,-85.9642,35.3758,-85.9642,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down on Lonnie Bush Road and Prairie Plains Road near Hillsboro." +114423,686069,TENNESSEE,2017,March,Hail,"MONTGOMERY",2017-03-09 20:53:00,CST-6,2017-03-09 20:53:00,0,0,0,0,0.00K,0,0.00K,0,36.5542,-87.3245,36.5542,-87.3245,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated quarter size hail fell in Clarksville. Time and location estimated from radar." +114118,683663,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:34:00,CST-6,2017-03-01 06:37:00,0,0,0,0,25.00K,25000,0.00K,0,36.1502,-87.337,36.1444,-87.2872,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey determined a large downburst with winds up to 85 mph caused damage southeast of Charlotte. A garage suffered roof damage and a power pole was snapped on Steele Road. Several trees were also snapped or uprooted on Steele Road and on Franklin Road. A tree fell on a house on Highway 47 just west of Long Road damaging the roof and siding. More significant damage was observed at Creekwood High School on Highway 47 where part of the roof was blown off the main school building. A dugout and a storage building also lost their roofs and several fences were blown down." +114118,685100,TENNESSEE,2017,March,Tornado,"PUTNAM",2017-03-01 08:04:00,CST-6,2017-03-01 08:13:00,0,0,0,0,25.00K,25000,0.00K,0,36.1461,-85.7526,36.1801,-85.6227,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An EF-1 tornado touched down on Indian Creek Road near Stanton Road to the east of Buffalo Valley and continued east-northeast to near Baxter. Along Indian Creek Road, dozens of large trees were snapped and uprooted, a few homes had minor roof damage, and some small outbuildings were destroyed. Farther to the east near Baxter, a home suffered minor roof damage and barn was partially destroyed on Dyer Ridge Road. Debris from the barn was blown northward across Dyer Ridge Road into trees over 100 yards away. A large tree fell onto and destroyed a mobile home on Nashville Highway just east of Thompson Ridge Road, and numerous other trees were blown down in the area. The final damage was a collapsed large metal storage building on Highway 56 south of Higgenbottom Road north of Baxter." +114118,685103,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:13:00,CST-6,2017-03-01 08:13:00,0,0,0,0,3.00K,3000,0.00K,0,36.0462,-85.5941,36.0462,-85.5941,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down near Burgess Falls on Center Hill Lake." +114423,686598,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:46:00,CST-6,2017-03-09 23:46:00,0,0,0,0,1.00K,1000,0.00K,0,35.5895,-86.2789,35.5895,-86.2789,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Lee Road." +114423,686599,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:36:00,CST-6,2017-03-09 23:36:00,0,0,0,0,3.00K,3000,0.00K,0,35.6238,-86.4505,35.6238,-86.4505,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several trees were blown down along the east to north bend in Big Springs Road." +114253,684552,MISSISSIPPI,2017,March,Thunderstorm Wind,"OKTIBBEHA",2017-03-07 12:18:00,CST-6,2017-03-07 12:20:00,0,0,0,0,7.00K,7000,0.00K,0,33.4692,-88.8321,33.4764,-88.796,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Damaging winds surged behind a line of thunderstorms as they moved across Starkville, which caused damage on the northern side of town including a downed power line near Reed Road and Westside Drive as well as several trees blown down near the Haven 12 apartment complex." +114611,687567,NEW JERSEY,2017,March,Winter Storm,"WESTERN UNION",2017-03-14 00:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to Western Passaic county. Heavy snow and sleet along with strong winds occurred across the rest of Northeast New Jersey. ||The storm cancelled numerous flights at Newark airport with some mass transit services suspended. ||Large trees fell onto homes in Bergen county and approximately 4,500 power outages resulted from the strong winds and heavy snow.","Trained spotters reported 7 to 10 inches of snow and sleet." +114423,686514,TENNESSEE,2017,March,Tornado,"MARSHALL",2017-03-09 23:32:00,CST-6,2017-03-09 23:36:00,0,0,0,0,25.00K,25000,0.00K,0,35.4146,-86.7049,35.4108,-86.6492,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A brief EF-0 tornado touched down just south of the Belfast community, on the leading edge of the large downburst that struck southern Marshall County. The tornado damaged roofs on a few houses on Fishing Ford Road, destroyed several outbuildings, and snapped several trees. A large tree fell onto a home on Highway 431 and several more trees were snapped and uprooted. The tornado continued eastward where additional damage occurred to several homes, outbuildings, and trees on Valley Lane, Liberty Valley Road, and Pickle Road before the tornado quickly lifted before crossing the Bedford County line." +114683,687919,TENNESSEE,2017,March,Lightning,"MARSHALL",2017-03-21 15:31:00,CST-6,2017-03-21 15:31:00,0,0,0,0,2.00K,2000,0.00K,0,35.3654,-86.8398,35.3654,-86.8398,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Lightning was responsible for a small fire at a church on North Main Street in Cornersville." +114423,686532,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-10 00:01:00,CST-6,2017-03-10 00:01:00,0,0,0,0,1.00K,1000,0.00K,0,35.3485,-86.2261,35.3485,-86.2261,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated a large tree was uprooted on Hillcrest Drive in Tullahoma." +114683,687953,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:13:00,CST-6,2017-03-21 16:13:00,0,0,0,0,3.00K,3000,0.00K,0,35.57,-86,35.57,-86,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Several trees and power lines were blown down in the Summitville Area." +114167,683875,TENNESSEE,2017,March,Tornado,"DYER",2017-03-01 04:51:00,CST-6,2017-03-01 04:54:00,0,0,0,0,50.00K,50000,0.00K,0,36.0422,-89.3566,36.0496,-89.2909,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","A weak tornado embedded within a line of severe thunderstorms touched down south of the Dyersburg Primary School and tracked east-northeast. The tornado struck a farm on Jones Road tearing the roof off one barn and causing significant damage to another. A house suffered shingle damage and some outbuildings were also damaged. Intermittent tree damage occurred along the path. The tornado lifted at Welch Road. Peak winds were estimated at 80 mph." +114167,683715,TENNESSEE,2017,March,Hail,"SHELBY",2017-03-01 08:44:00,CST-6,2017-03-01 08:50:00,0,0,0,0,0.00K,0,0.00K,0,35.1901,-89.8622,35.1901,-89.8622,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Dime to nickel size hail at Elmore Road and Kenwood Lane in Bartlett." +113122,676565,TEXAS,2017,March,Thunderstorm Wind,"WALKER",2017-03-24 19:12:00,CST-6,2017-03-24 19:12:00,0,0,0,0,2.00K,2000,,NaN,30.598,-95.6265,30.598,-95.6265,"A line of thunderstorms produced strong winds, large hail and a tornado across Southeast Texas.","Trees were downed around Bid Lake." +114683,687959,TENNESSEE,2017,March,Thunderstorm Wind,"COFFEE",2017-03-21 16:18:00,CST-6,2017-03-21 16:18:00,0,0,0,0,3.00K,3000,0.00K,0,35.42,-85.98,35.42,-85.98,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report and photos indicated a small hay barn was destroyed in Hillsboro." +114735,688173,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:34:00,CST-6,2017-03-27 14:34:00,0,0,0,0,2.00K,2000,0.00K,0,36.0451,-86.9506,36.0451,-86.9506,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Trees were blown down at Temple Road and Highway 100 in Bellevue." +114118,685058,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-01 07:17:00,CST-6,2017-03-01 07:24:00,0,0,0,0,15.00K,15000,0.00K,0,36.58,-86.5189,36.5812,-86.403,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey found an approximately 6.5 mile long by one quarter mile wide swath of wind damage stretching from just west of downtown Portland eastward around 6 miles to just east of Parker Road. Large tree limbs were blown down on McGlothin Street, and power poles were reportedly snapped on Highway 109 according to emergency management. The metal roof was blown off a church at Market and Russell Streets, and sheet metal roofing was blown off an outbuilding on Old Westmoreland Road. A large tree snapped and fell on a home at 633 Highway 52. Farther to the east, a large pine tree was also snapped on Jaska Ann Circle, and a carport was blown over on Staggs Drive. Winds were estimated up to 65 mph." +114735,688226,TENNESSEE,2017,March,Thunderstorm Wind,"OVERTON",2017-03-27 16:02:00,CST-6,2017-03-27 16:02:00,0,0,0,0,1.00K,1000,0.00K,0,36.2472,-85.3051,36.2472,-85.3051,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A power line was blown down on Earnest Looper Road." +114735,688228,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-27 16:16:00,CST-6,2017-03-27 16:16:00,0,0,0,0,1.00K,1000,0.00K,0,36.5297,-85.691,36.5297,-85.691,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree was blown down on McCormick Ridge Road." +114735,688230,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-27 16:32:00,CST-6,2017-03-27 16:32:00,0,0,0,0,1.00K,1000,0.00K,0,36.55,-85.5,36.55,-85.5,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Gutters were blown off a factory in Celina." +114735,688238,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-27 16:34:00,CST-6,2017-03-27 16:34:00,0,0,0,0,3.00K,3000,0.00K,0,36.5494,-85.446,36.5494,-85.446,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A few trees were blown down outside of Celina on Highway 53 South, Highway 52, and Cedar Hill Road." +114299,684737,TENNESSEE,2017,March,Tornado,"CARROLL",2017-03-09 21:54:00,CST-6,2017-03-09 21:56:00,0,0,0,0,30.00K,30000,0.00K,0,35.9077,-88.3921,35.9053,-88.3754,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Tornadic damage was evident along Anark Road approximately a half mile east of Highway 22. Intermittent damage to trees and stroage buildings was noted along the track. The last damage was observed east of Walker Hill Road and north of Pate Road. Peak winds estimated at 70 mph." +114169,683717,ARKANSAS,2017,March,Tornado,"LAWRENCE",2017-03-07 02:37:00,CST-6,2017-03-07 02:38:00,0,0,0,0,60.00K,60000,0.00K,0,36.1184,-91.102,36.1193,-91.0957,"A cold front produced a line of severe thunderstorms during the early morning hours of March 7th.","Damage was primarily to metal roofing and some farm buildings and trees. Peak winds estimated at 75 mph." +114498,687138,ARKANSAS,2017,March,Tornado,"GREENE",2017-03-25 00:34:00,CST-6,2017-03-25 00:35:00,0,0,0,0,250.00K,250000,0.00K,0,36.1834,-90.3852,36.1888,-90.373,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","The first damage occurred to a gas station just west of Highway 49. As the tornado moved through the south and east sections of Marmaduke, approximately 20 homes suffered roof damage. Several trees were snapped. Near the end of the track, the tornado damaged the roof and several roll-up doors of an industrial plant. Peak winds estimated at 80 mph." +114247,684425,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-09 20:10:00,CST-6,2017-03-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-89.97,36.4374,-89.9595,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Estimated wind gusts of 60 mph." +114928,693433,CALIFORNIA,2017,January,Flood,"PLUMAS",2017-01-08 17:00:00,PST-8,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.7439,-120.2893,39.8014,-120.3482,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","The lowest lying areas of the Sierra Valley near the Middle Fork of the Feather River were inundated due to heavy rain runoff. As the valley drains very slowly, flooding of low-lying areas continued for an extended period of time with additional flooding in February. NOTE: no damage estimates were available." +116231,698815,HAWAII,2017,June,High Surf,"NIIHAU",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116228,698767,HAWAII,2017,June,Heavy Rain,"MAUI",2017-06-11 13:25:00,HST-10,2017-06-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,20.7863,-156.3241,20.6772,-156.4343,"With afternoon heating, heavy showers developed over Upcountry Maui, from Kula to Kihei. The rain caused small stream and drainage ditch flooding, and ponding on roadways. There were no reports of significant injuries or property damage.","" +113553,696038,SOUTH CAROLINA,2017,April,Heavy Rain,"AIKEN",2017-04-05 13:30:00,EST-5,2017-04-05 14:30:00,0,0,0,0,,NaN,,NaN,33.58,-81.79,33.58,-81.79,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","CoCoRaHS station SC-AK-75 reported 1.69 inches of rain in 60 minutes, along with pea sized hail." +115185,691770,WISCONSIN,2017,May,Thunderstorm Wind,"ROCK",2017-05-17 17:36:00,CST-6,2017-05-17 18:00:00,0,0,0,0,40.00K,40000,0.00K,0,42.5021,-89.0488,42.795,-88.7867,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Over 200 calls pertaining to tree damage over the eastern two-thirds of the county. Some power lines down. These locations included Beloit, Janesville, Milton and other communities near these cities and east and north to the Walworth and Jefferson County borders." +115185,691774,WISCONSIN,2017,May,Thunderstorm Wind,"ROCK",2017-05-17 17:44:00,CST-6,2017-05-17 17:49:00,0,0,0,0,10.00K,10000,0.00K,0,42.7002,-88.9906,42.7002,-88.9906,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Trees uprooted landing on a large overhang of a home, thereby collapsing it." +115185,691788,WISCONSIN,2017,May,Thunderstorm Wind,"WALWORTH",2017-05-17 21:39:00,CST-6,2017-05-17 21:45:00,0,0,0,0,15.00K,15000,0.00K,0,42.4951,-88.5983,42.5222,-88.5838,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Numerous large branches down and a few rotten trees snapped. Over 100 square feet of siding removed from a home. A power pole was leaning from the strong winds. Some power lines down." +115185,691796,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 18:00:00,CST-6,2017-05-17 18:05:00,0,0,0,0,15.00K,15000,0.00K,0,42.8577,-88.8219,42.8946,-88.8295,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A barn lost its roof, an uprooted tree and branches down." +115185,691805,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 18:02:00,CST-6,2017-05-17 18:07:00,0,0,0,0,15.00K,15000,0.00K,0,42.9287,-88.8367,42.9287,-88.8367,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Two street light poles down in Fort Atkinson, one downtown and the other on the northwest side of the city. Branches down in the city." +115185,691810,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 18:12:00,CST-6,2017-05-17 18:16:00,0,0,0,0,4.00K,4000,0.00K,0,42.9361,-88.5867,42.9361,-88.5867,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A large uprooted tree landing on a house." +115185,691811,WISCONSIN,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 18:18:00,CST-6,2017-05-17 18:18:00,0,0,0,0,0.00K,0,0.00K,0,42.9681,-88.5492,42.9681,-88.5492,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691829,WISCONSIN,2017,May,Thunderstorm Wind,"WAUKESHA",2017-05-17 18:20:00,CST-6,2017-05-17 18:20:00,0,0,0,0,1.00K,1000,0.00K,0,43.0854,-88.5181,43.0854,-88.5181,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A large tree uprooted." +118505,712039,MICHIGAN,2017,June,Thunderstorm Wind,"CHIPPEWA",2017-06-11 15:58:00,EST-5,2017-06-11 16:03:00,0,0,0,0,35.00K,35000,0.00K,0,46.17,-84.18,46.08,-84.07,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Dozens of trees were downed and/or uprooted. A camper was moved. Some damage to shingles near Pickford." +118513,712056,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-06-12 02:43:00,EST-5,2017-06-12 02:43:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-85.78,45.02,-85.78,"A decaying line of thunderstorms crossed northern Lake Michigan.","" +118513,712059,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-06-12 02:46:00,EST-5,2017-06-12 02:46:00,0,0,0,0,0.00K,0,0.00K,0,44.6328,-86.2501,44.6328,-86.2501,"A decaying line of thunderstorms crossed northern Lake Michigan.","" +113197,677170,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-27 15:23:00,EST-5,2017-03-27 15:23:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-85.91,37.78,-85.91,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +116323,699566,NEBRASKA,2017,May,Hail,"DOUGLAS",2017-05-17 13:34:00,CST-6,2017-05-17 13:34:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-96.3,41.28,-96.3,"Daytime instability caused by warm surface temperatures and and cold temperatures near an upper level low pressure system helped create small thunderstorms during the afternoon. Some of these thunderstorms produced marginally large hail and a brief tornado over eastern Nebraska.","" +113197,677172,KENTUCKY,2017,March,Hail,"OHIO",2017-03-27 14:48:00,CST-6,2017-03-27 14:48:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-86.88,37.41,-86.88,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677173,KENTUCKY,2017,March,Hail,"GARRARD",2017-03-27 16:22:00,EST-5,2017-03-27 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-84.58,37.62,-84.58,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677174,KENTUCKY,2017,March,Hail,"WARREN",2017-03-27 15:23:00,CST-6,2017-03-27 15:23:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-86.42,36.97,-86.42,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677175,KENTUCKY,2017,March,Hail,"SPENCER",2017-03-27 16:42:00,EST-5,2017-03-27 16:42:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-85.34,38.07,-85.34,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677176,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-27 16:45:00,EST-5,2017-03-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-86.09,37.68,-86.09,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +116323,699519,NEBRASKA,2017,May,Tornado,"CUMING",2017-05-17 14:48:00,CST-6,2017-05-17 14:50:00,0,0,0,0,,NaN,,NaN,42.0075,-97.0187,42.0128,-97.0183,"Daytime instability caused by warm surface temperatures and and cold temperatures near an upper level low pressure system helped create small thunderstorms during the afternoon. Some of these thunderstorms produced marginally large hail and a brief tornado over eastern Nebraska.","A brief tornado formed from a mini-supercell thunderstorm just over the Cuming County line.The tornado touched down across from Old Highway 8 and damaged trees before heading north and causing minor damage to a farm home. A tractor shed was destroyed and large trees had their trunks snapped before the tornado lifted just north of the farmstead." +116323,699568,NEBRASKA,2017,May,Hail,"SALINE",2017-05-17 12:27:00,CST-6,2017-05-17 12:27:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-96.95,40.48,-96.95,"Daytime instability caused by warm surface temperatures and and cold temperatures near an upper level low pressure system helped create small thunderstorms during the afternoon. Some of these thunderstorms produced marginally large hail and a brief tornado over eastern Nebraska.","" +116323,699571,NEBRASKA,2017,May,Hail,"THURSTON",2017-05-17 16:30:00,CST-6,2017-05-17 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-96.3695,42.12,-96.3695,"Daytime instability caused by warm surface temperatures and and cold temperatures near an upper level low pressure system helped create small thunderstorms during the afternoon. Some of these thunderstorms produced marginally large hail and a brief tornado over eastern Nebraska.","Dime to nickel size hail reported near Macy." +116211,698656,ILLINOIS,2017,May,Strong Wind,"ALEXANDER",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698660,ILLINOIS,2017,May,Strong Wind,"JEFFERSON",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698661,ILLINOIS,2017,May,Strong Wind,"FRANKLIN",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +117083,705162,KANSAS,2017,May,Funnel Cloud,"PAWNEE",2017-05-16 18:50:00,CST-6,2017-05-16 18:52:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-99.1,38.13,-99.1,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705163,KANSAS,2017,May,Hail,"GRAY",2017-05-16 14:20:00,CST-6,2017-05-16 14:20:00,0,0,0,0,,NaN,,NaN,37.71,-100.35,37.71,-100.35,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705165,KANSAS,2017,May,Hail,"GRAY",2017-05-16 14:27:00,CST-6,2017-05-16 14:27:00,0,0,0,0,,NaN,,NaN,37.81,-100.29,37.81,-100.29,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705166,KANSAS,2017,May,Hail,"HASKELL",2017-05-16 14:30:00,CST-6,2017-05-16 14:30:00,0,0,0,0,,NaN,,NaN,37.44,-100.98,37.44,-100.98,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705167,KANSAS,2017,May,Hail,"MEADE",2017-05-16 14:30:00,CST-6,2017-05-16 14:30:00,0,0,0,0,,NaN,,NaN,37.06,-100.34,37.06,-100.34,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705168,KANSAS,2017,May,Hail,"HASKELL",2017-05-16 14:32:00,CST-6,2017-05-16 14:32:00,0,0,0,0,,NaN,,NaN,37.45,-100.95,37.45,-100.95,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117089,706289,KANSAS,2017,May,Thunderstorm Wind,"MORTON",2017-05-27 18:50:00,CST-6,2017-05-27 18:50:00,0,0,0,0,0.00K,0,0.00K,0,37,-101.86,37,-101.86,"A mid-level trough stretched from the Great Basin northeastward to the northern Plains early in the day, before it advanced east toward the upper Mississippi and Missouri Valleys. Along the southeastern periphery of this trough, several impulses embedded in southwesterly flow moved across the Plains states and mid/upper Mississippi Valley. A saturated cold front slid through the forecast area creating a thick deck of stratus and high-based thunderstorms that created severe hail and severe wind in Morton and Stevens counties.","Winds were estimated to be 60 MPH." +117088,706290,KANSAS,2017,May,Hail,"TREGO",2017-05-31 18:55:00,CST-6,2017-05-31 18:55:00,0,0,0,0,,NaN,,NaN,38.71,-100.06,38.71,-100.06,"An upper level ridge above the Rockies with an upper level low over eastern Canada placed west/northwest flow over the Central High Plains. At the surface, a weak frontal boundary stretched across west central into central Kansas. This created sub-severe hail in Trego and Ness counties.","" +117088,706291,KANSAS,2017,May,Hail,"NESS",2017-05-31 19:03:00,CST-6,2017-05-31 19:03:00,0,0,0,0,,NaN,,NaN,38.67,-100.05,38.67,-100.05,"An upper level ridge above the Rockies with an upper level low over eastern Canada placed west/northwest flow over the Central High Plains. At the surface, a weak frontal boundary stretched across west central into central Kansas. This created sub-severe hail in Trego and Ness counties.","" +117085,706864,KANSAS,2017,May,Tornado,"PRATT",2017-05-19 15:11:00,CST-6,2017-05-19 15:16:00,0,0,0,0,0.00K,0,0.00K,0,37.524,-98.651,37.551,-98.629,"Thunderstorms redeveloped after severe storms that occurred the previous day, before an upper low began to lift to the northeast. A warm front associated with the low across eastern zones created enough lift/rotation to spark several tornadoes in Barber and Pratt counties despite weak shear/CAPE.","No damage was observed." +117085,706866,KANSAS,2017,May,Tornado,"BARBER",2017-05-19 15:14:00,CST-6,2017-05-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,37.466,-98.536,37.4708,-98.5317,"Thunderstorms redeveloped after severe storms that occurred the previous day, before an upper low began to lift to the northeast. A warm front associated with the low across eastern zones created enough lift/rotation to spark several tornadoes in Barber and Pratt counties despite weak shear/CAPE.","This tornado moved into Pratt County at 1515 CST." +117084,706871,KANSAS,2017,May,Tornado,"FORD",2017-05-18 15:14:00,CST-6,2017-05-18 15:18:00,0,0,0,0,0.00K,0,0.00K,0,37.5154,-99.9445,37.5178,-99.953,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","This landspout moved almost due west." +114107,685941,PENNSYLVANIA,2017,May,Thunderstorm Wind,"TIOGA",2017-05-01 17:23:00,EST-5,2017-05-01 17:23:00,0,0,0,0,3.00K,3000,0.00K,0,41.9038,-77.1336,41.9038,-77.1336,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph removed siding from a house in Tioga." +114107,685962,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:19:00,EST-5,2017-05-01 17:19:00,0,0,0,0,8.00K,8000,0.00K,0,40.811,-77.9003,40.811,-77.9003,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Woodycrest." +114107,685963,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:23:00,EST-5,2017-05-01 17:23:00,0,0,0,0,2.00K,2000,0.00K,0,40.7948,-77.8693,40.7948,-77.8693,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large pine tree that blocked North Atherton Street." +114107,685965,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 17:45:00,EST-5,2017-05-01 17:45:00,0,0,0,0,7.00K,7000,0.00K,0,41.1353,-77.4592,41.1353,-77.4592,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees in Lock Haven." +114107,685966,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 17:45:00,EST-5,2017-05-01 17:45:00,0,0,0,0,12.00K,12000,0.00K,0,41.0133,-77.5338,41.0133,-77.5338,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on homes in Lamar." +114107,685967,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:27:00,EST-5,2017-05-01 17:27:00,0,0,0,0,2.00K,2000,0.00K,0,40.7385,-77.8712,40.7385,-77.8712,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large tree near Pine Grove Mills." +121195,725485,MONTANA,2017,November,Winter Storm,"MEAGHER",2017-11-01 07:00:00,MST-7,2017-11-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","Boulder Mountain Snotel 24 hour snowfall total of 11 inches." +121195,725490,MONTANA,2017,November,Winter Storm,"JUDITH BASIN",2017-11-01 08:00:00,MST-7,2017-11-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","Spur Park Snotel 24 hour snowfall total of 8 inches." +121195,725491,MONTANA,2017,November,Winter Storm,"FERGUS",2017-11-01 08:00:00,MST-7,2017-11-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","Crystal Lake Snotel 24 hour snowfall total of 8 inches." +121196,725499,MONTANA,2017,November,Winter Storm,"BEAVERHEAD",2017-11-03 08:00:00,MST-7,2017-11-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Media report storm total snowfall of 14.8 inches measured by viewer (2 day total)." +114629,687564,VERMONT,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 16:50:00,EST-5,2017-05-18 16:50:00,0,0,0,0,10.00K,10000,0.00K,0,44.75,-71.63,44.75,-71.63,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Trees and power lines down by thunderstorm winds." +114674,687847,IOWA,2017,May,Hail,"CERRO GORDO",2017-05-08 20:35:00,CST-6,2017-05-08 20:35:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-93.37,43.14,-93.37,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","Trained spotter reported roads covered in up to ping pong ball sized hail in Clear Lake." +114665,688152,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:45:00,CST-6,2017-05-20 16:45:00,0,0,0,0,,NaN,,NaN,34.77,-86.51,34.77,-86.51,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Power lines were knocked down sparking a tree fire." +114665,688153,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:45:00,CST-6,2017-05-20 16:45:00,0,0,0,0,1.00K,1000,0.00K,0,34.78,-86.52,34.78,-86.52,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a home." +114665,688154,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:46:00,CST-6,2017-05-20 16:46:00,0,0,0,0,0.20K,200,0.00K,0,34.63,-86.4,34.63,-86.4,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down across Low Gap Road near Cherry Tree Road." +114665,688155,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:46:00,CST-6,2017-05-20 16:46:00,0,0,0,0,,NaN,,NaN,34.67,-86.49,34.67,-86.49,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Six inch diameter tree limbs were knocked down." +114665,688156,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:47:00,CST-6,2017-05-20 16:47:00,0,0,0,0,,NaN,,NaN,34.75,-86.46,34.75,-86.46,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Trees were on fire due to power lines being knocked down." +114665,688157,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:47:00,CST-6,2017-05-20 16:47:00,0,0,0,0,0.20K,200,0.00K,0,34.81,-86.5,34.81,-86.5,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto power lines." +114923,689387,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-24 13:58:00,EST-5,2017-05-24 13:58:00,0,0,0,0,0.00K,0,0.00K,0,27.3982,-82.56,27.3982,-82.56,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","The ASOS at Sarasota Bradenton International Airport measured a wind gust of 36 knos...41 mph." +114923,689390,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-24 14:35:00,EST-5,2017-05-24 14:35:00,0,0,0,0,0.00K,0,0.00K,0,27.07,-82.44,27.07,-82.44,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","The AWOS at Venice Muncipal Airport measured a wind gust of 34 knots...39 mph." +114922,689360,FLORIDA,2017,May,Thunderstorm Wind,"LEVY",2017-05-24 11:23:00,EST-5,2017-05-24 11:23:00,0,0,0,0,2.50K,2500,0.00K,0,29.35,-82.57,29.35,-82.57,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Levy County Law Enforcement reported numerous trees down across Levy County. Time was estimated by radar." +114922,689361,FLORIDA,2017,May,Thunderstorm Wind,"POLK",2017-05-24 13:15:00,EST-5,2017-05-24 13:15:00,0,0,0,0,1.50K,1500,0.00K,0,28.14,-81.8,28.14,-81.8,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Polk County Emergency Management reported a flat, metal roof was peeled back over from a lanai. There was no damage to nearby trees." +114922,689362,FLORIDA,2017,May,Thunderstorm Wind,"MANATEE",2017-05-24 13:47:00,EST-5,2017-05-24 13:47:00,0,0,0,0,1.00K,1000,0.00K,0,27.45,-82.53,27.45,-82.53,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Local HAM Radio operator reported a large tree was down in the Oneco area." +114922,689363,FLORIDA,2017,May,Thunderstorm Wind,"MANATEE",2017-05-24 13:48:00,EST-5,2017-05-24 13:48:00,0,0,0,0,5.00K,5000,0.00K,0,27.48,-82.49,27.48,-82.49,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Manatee County Emergency Management reported a large tree had fallen on a house on the 2200 block of 57th St East in Bradenton." +115086,690762,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-15 16:32:00,CST-6,2017-05-15 16:32:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-89.29,42.4,-89.29,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","" +115086,690763,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-15 16:52:00,CST-6,2017-05-15 17:02:00,0,0,0,0,,NaN,0.00K,0,42.35,-89.04,42.3091,-88.9846,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","There were multiple reports of quarter to golf ball size hail in Machesney Park. Damage to cars was reported." +115086,690764,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-15 17:01:00,CST-6,2017-05-15 17:14:00,0,0,0,0,,NaN,0.00K,0,42.32,-89.05,42.32,-89,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","There were multiple reports of quarter to golf ball size hail in Loves Park. Damage to cars was reported." +115086,690765,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-15 17:04:00,CST-6,2017-05-15 17:04:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-89.01,42.31,-89.01,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","Broadcast media relayed a photo of two inch diameter hail." +115086,690766,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-15 21:03:00,CST-6,2017-05-15 21:03:00,0,0,0,0,,NaN,0.00K,0,42.34,-89.01,42.34,-89.01,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","Trees and power lines were blown down." +115086,690767,ILLINOIS,2017,May,Thunderstorm Wind,"BOONE",2017-05-15 21:17:00,CST-6,2017-05-15 21:17:00,0,0,0,0,,NaN,0.00K,0,42.25,-88.85,42.25,-88.85,"An isolated supercell moved over portions of northern Illinois and produced hail up to two inches in diameter. Later in the evening, a line of thunderstorms moved across northern Illinois producing damaging winds.","A few large branches were blown down onto power lines." +115087,690768,ILLINOIS,2017,May,Thunderstorm Wind,"OGLE",2017-05-17 17:05:00,CST-6,2017-05-17 17:05:00,0,0,0,0,10.00K,10000,0.00K,0,42.05,-89.43,42.05,-89.43,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Sheet metal was stripped off of a farm building. Trees six to twelve inches in diameter were blown down." +114776,688423,LOUISIANA,2017,May,Thunderstorm Wind,"BOSSIER",2017-05-23 17:55:00,CST-6,2017-05-23 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.7,-93.65,32.7,-93.65,"A longwave trough across the Northern Plains became cutoff from the westerlies and slowly shifted southward into the Mid Mississippi Valley during the afternoon and evening hours of May 23rd. A piece of energy rotated around the large cutoff low itself and moved into the Southern Plains and Lower Mississippi Valley. Overcast skies during the morning hours gave way to some sun during the afternoon which allowed the atmosphere to destabilize along and ahead of a cold front. Scattered to numerous showers and thunderstorms developed in this airmass across the region with a few of these storms producing strong damaging wind gusts and small hail.","A tree was downed across East Linton Road that took out powerlines about 200 yards north of Pilkington Cemetary." +115177,697972,MISSOURI,2017,May,Hail,"JASPER",2017-05-28 00:00:00,CST-6,2017-05-28 00:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-94.24,37.2,-94.24,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","This report was from Mping." +115177,697974,MISSOURI,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 14:35:00,CST-6,2017-05-27 14:35:00,0,0,0,0,5.00K,5000,0.00K,0,38.29,-93.32,38.29,-93.32,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Multiple trees were blown down blocking roads. Several power lines were blown down in Belle." +115177,697978,MISSOURI,2017,May,Thunderstorm Wind,"DENT",2017-05-27 15:00:00,CST-6,2017-05-27 15:00:00,0,0,0,0,25.00K,25000,0.00K,0,37.65,-91.54,37.65,-91.54,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Numerous trees and power lines were blown down across the city along with power outages. Winds were estimated up to 80 mph." +115177,697979,MISSOURI,2017,May,Thunderstorm Wind,"PULASKI",2017-05-27 14:45:00,CST-6,2017-05-27 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,37.83,-92.2,37.83,-92.2,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were uprooted and shingles blown off a house. A 77 mph wind gust was measured by a personal weather station." +115177,697980,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 17:45:00,CST-6,2017-05-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-94,36.95,-94,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A tree was blown down. There were reports of power outages in Pierce City." +115177,697982,MISSOURI,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-27 18:00:00,CST-6,2017-05-27 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.89,-92.35,36.89,-92.35,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There were pictures on social media which showed minor roof damage to a business in downtown West Plains." +115166,691477,TEXAS,2017,May,Thunderstorm Wind,"PANOLA",2017-05-28 16:57:00,CST-6,2017-05-28 16:57:00,0,0,0,0,0.00K,0,0.00K,0,32.1363,-94.3899,32.1363,-94.3899,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Trees and power lines were blown down along Highway 315." +115166,691478,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-28 18:20:00,CST-6,2017-05-28 18:20:00,0,0,0,0,0.00K,0,0.00K,0,31.5512,-95.0576,31.5512,-95.0576,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Half dollar size hail fell south of Alto." +115268,692036,KENTUCKY,2017,May,Hail,"CALLOWAY",2017-05-27 16:20:00,CST-6,2017-05-27 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-88.32,36.62,-88.32,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +115268,692037,KENTUCKY,2017,May,Hail,"MUHLENBERG",2017-05-27 16:30:00,CST-6,2017-05-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-87.17,37.23,-87.17,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","" +113853,681875,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 22:35:00,CST-6,2017-02-28 22:36:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-93.28,38.73,-93.28,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","This report was received via social media." +113853,681878,MISSOURI,2017,February,Hail,"PETTIS",2017-02-28 21:49:00,CST-6,2017-02-28 21:51:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-93.5,38.77,-93.5,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +113853,682027,MISSOURI,2017,February,Hail,"JACKSON",2017-02-28 17:45:00,CST-6,2017-02-28 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.28,39.02,-94.28,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching baseball sized in some locations. The largest hail was around 2.5 inches in Harrisonville, Missouri, whereas other locations generally saw hail in the quarter to golfball sized range.","" +115566,693940,FLORIDA,2017,May,Hail,"ST. JOHNS",2017-05-30 17:15:00,EST-5,2017-05-30 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.1,-81.62,30.1,-81.62,"Active SW flow across the area and robust sea breezes in addition to dry air and slow storm motion fueled strong to severe storms across the area. Wet microbusts produced wind damage and locally heavy rainfall occurred.","Quarter size hail was observed in Fruit Cove." +115460,693318,COLORADO,2017,May,Hail,"KIT CARSON",2017-05-09 15:58:00,MST-7,2017-05-09 15:58:00,0,0,0,0,0.00K,0,0.00K,0,39.1572,-102.2773,39.1572,-102.2773,"Hail up to quarter size was the largest reported from a severe thunderstorm south of Burlington. A second storm northeast of Arapahoe had hail up to nickel size reported as the storm moved through.","The hail sizes ranged from pea to quarter in size." +115460,693319,COLORADO,2017,May,Hail,"CHEYENNE",2017-05-09 18:30:00,MST-7,2017-05-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9178,-102.0927,38.9178,-102.0927,"Hail up to quarter size was the largest reported from a severe thunderstorm south of Burlington. A second storm northeast of Arapahoe had hail up to nickel size reported as the storm moved through.","" +115460,693959,COLORADO,2017,May,Hail,"CHEYENNE",2017-05-09 19:30:00,MST-7,2017-05-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-102.35,38.82,-102.35,"Hail up to quarter size was the largest reported from a severe thunderstorm south of Burlington. A second storm northeast of Arapahoe had hail up to nickel size reported as the storm moved through.","Dime sized hail was observed with other smaller sized hail." +115568,693951,KANSAS,2017,May,Hail,"SHERMAN",2017-05-09 17:02:00,MST-7,2017-05-09 17:02:00,0,0,0,0,0.00K,0,0.00K,0,39.4469,-101.8933,39.4469,-101.8933,"Strong to severe thunderstorms moved north across Northwest Kansas in the evening. The largest hail size reported was golf ball north of Ruleton. Near McDonald there was so much hail on Highway 36 a vehicle slid into the ditch. The strongest wind gust that occurred with the storms was 65 MPH at the Oberlin airport.","Estimated time of report from radar." +113256,677660,MISSISSIPPI,2017,January,Winter Weather,"ALCORN",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell over northern Alcorn County." +113257,677647,MISSOURI,2017,January,Winter Weather,"DUNKLIN",2017-01-06 05:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +115568,693952,KANSAS,2017,May,Hail,"SHERMAN",2017-05-09 17:00:00,MST-7,2017-05-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4731,-101.8733,39.4731,-101.8733,"Strong to severe thunderstorms moved north across Northwest Kansas in the evening. The largest hail size reported was golf ball north of Ruleton. Near McDonald there was so much hail on Highway 36 a vehicle slid into the ditch. The strongest wind gust that occurred with the storms was 65 MPH at the Oberlin airport.","Estimated time of the report from radar." +115568,693956,KANSAS,2017,May,Hail,"RAWLINS",2017-05-09 19:47:00,CST-6,2017-05-09 19:47:00,0,0,0,0,0.00K,0,0.00K,0,39.7857,-101.37,39.7857,-101.37,"Strong to severe thunderstorms moved north across Northwest Kansas in the evening. The largest hail size reported was golf ball north of Ruleton. Near McDonald there was so much hail on Highway 36 a vehicle slid into the ditch. The strongest wind gust that occurred with the storms was 65 MPH at the Oberlin airport.","Dime size hail was reported in McDonald." +114982,689871,KENTUCKY,2017,May,Hail,"LAUREL",2017-05-27 17:35:00,EST-5,2017-05-27 17:35:00,0,0,0,0,,NaN,,NaN,37,-84.17,37,-84.17,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689870,KENTUCKY,2017,May,Hail,"LAUREL",2017-05-27 17:20:00,EST-5,2017-05-27 17:20:00,0,0,0,0,,NaN,,NaN,36.99,-84.28,36.99,-84.28,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689872,KENTUCKY,2017,May,Hail,"PULASKI",2017-05-27 18:15:00,EST-5,2017-05-27 18:15:00,0,0,0,0,,NaN,,NaN,37.18,-84.64,37.18,-84.64,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114982,689873,KENTUCKY,2017,May,Hail,"LAUREL",2017-05-27 18:33:00,EST-5,2017-05-27 18:33:00,0,0,0,0,,NaN,,NaN,36.97,-84.26,36.97,-84.26,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +114665,688160,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:49:00,CST-6,2017-05-20 16:49:00,0,0,0,0,,NaN,,NaN,34.78,-86.5,34.78,-86.5,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A very large 16-18 inch diameter tree was knocked down at the intersection of Jordan Road and Naugher Road." +115919,696508,KENTUCKY,2017,May,Flood,"MCCRACKEN",2017-05-09 01:00:00,CST-6,2017-05-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0635,-88.5519,37.11,-88.6219,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, brought the Ohio River above flood stage for one to two weeks in some places. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana and parts of southern Illinois.","Minor flooding occurred on the Ohio River. Parts of a riverfront park in Paducah and some low-lying farmland along the river was inundated." +115919,696509,KENTUCKY,2017,May,Flood,"UNION",2017-05-07 17:00:00,CST-6,2017-05-18 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-87.93,37.7862,-87.8941,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, brought the Ohio River above flood stage for one to two weeks in some places. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana and parts of southern Illinois.","Minor flooding occurred on the Ohio River. Low-lying woods and fields were inundated, along with a farm road." +112887,674393,KENTUCKY,2017,March,Thunderstorm Wind,"NELSON",2017-03-01 02:30:00,EST-5,2017-03-01 02:30:00,0,0,0,0,40.00K,40000,0.00K,0,37.9,-85.47,37.9,-85.47,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Trained spotters reported severe thunderstorm winds brought down utility poles." +112887,674394,KENTUCKY,2017,March,Thunderstorm Wind,"HARDIN",2017-03-01 02:40:00,EST-5,2017-03-01 02:40:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-85.86,37.7,-85.86,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The local newspaper reported that severe thunderstorm winds brought down several trees." +115295,697052,ILLINOIS,2017,May,Flood,"MOULTRIE",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7338,-88.4741,39.5798,-88.8094,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Moultrie County. Several streets in Sullivan were impassable, as were numerous rural roads and highways in the southern part of the county near the Shelby County line. Additional rain around 0.50 to 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 1st." +115949,696785,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 17:09:00,EST-5,2017-05-01 17:09:00,0,0,0,0,0.50K,500,0.00K,0,36.1,-80.08,36.1,-80.08,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","One tree was reported down on power lines." +115949,696780,NORTH CAROLINA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-01 17:10:00,EST-5,2017-05-01 17:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.0797,-80.0792,36.0797,-80.0792,"A line of showers and storms associated with a cold front moving across the area produced some wind damgage across western portions central North Carolina.","Trees were reported down on power lines and across Cheviot Drive." +116002,697133,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STANLY",2017-05-05 01:30:00,EST-5,2017-05-05 01:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.3502,-80.195,35.3502,-80.195,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Numerous trees were reported down in Albemarle, focused near Pee Dee Avenue and East Main Street." +115570,697366,KANSAS,2017,May,Flood,"LOGAN",2017-05-11 07:00:00,CST-6,2017-05-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9096,-101.4256,38.9101,-101.4256,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The Smokey River was out of its banks and had water over CR 130 which ran across the river." +115570,697368,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-11 00:00:00,MST-7,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2596,-101.5217,39.2591,-101.5218,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Between three and five inches of rain fell causing one of the streams at the headwaters of the South Fork of the Sappa to flood CR 30 about a third of a mile south of the CR 59/30 intersection." +114790,688888,NEBRASKA,2017,May,Thunderstorm Wind,"KEARNEY",2017-05-15 19:42:00,CST-6,2017-05-15 19:42:00,0,0,0,0,0.00K,0,0.00K,0,40.5005,-98.7531,40.5005,-98.7531,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +114674,695971,IOWA,2017,May,Lightning,"CERRO GORDO",2017-05-08 20:25:00,CST-6,2017-05-08 20:25:00,0,0,0,0,100.00K,100000,0.00K,0,43.1242,-93.3835,43.1242,-93.3835,"An area of low pressure skirted the region north of Iowa, tracking generally southeast through the day. Trailing fronts were draped across western Iowa (stalled turned warm front) and back across western Iowa (cold front). Initially in the the hours just after midnight, a line of storms initiated along the stalled/warm front in an area of MUCAPE around 1000 J/kg and effective bulk shear of 30-40 kts. While primarily periods of heavy rain and small hail prevailed, a couple of severe hail reports were received. Later in the day as the low pressure center moved into northern Iowa, another series of hail producing storms sparked off in an area along the warm front close to the center of the low. MUCAPE and effective bulk shear values were similar to morning storms.","A family reported seeing a red and orange fireball before realizing their neighbor's home was on fire. A tall tree behind the home appeared to have been struck on fire as well." +116144,701564,OKLAHOMA,2017,May,Hail,"CREEK",2017-05-18 19:30:00,CST-6,2017-05-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.9987,-96.1143,35.9987,-96.1143,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,701578,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-18 20:45:00,CST-6,2017-05-18 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.3409,-95.2692,36.3409,-95.2692,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +114198,698498,MISSOURI,2017,May,Flash Flood,"POLK",2017-05-03 06:49:00,CST-6,2017-05-03 08:49:00,0,0,0,0,0.00K,0,0.00K,0,37.553,-93.3327,37.5479,-93.3371,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway Y was closed due to flooding." +114198,698499,MISSOURI,2017,May,Flash Flood,"POLK",2017-05-03 06:53:00,CST-6,2017-05-03 08:53:00,0,0,0,0,0.00K,0,0.00K,0,37.5622,-93.2853,37.5632,-93.2843,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway YY was closed due to flooding." +114198,698500,MISSOURI,2017,May,Flash Flood,"HICKORY",2017-05-03 07:19:00,CST-6,2017-05-03 09:19:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-93.22,37.9299,-93.2193,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway D was closed due to flooding." +114198,698501,MISSOURI,2017,May,Flash Flood,"LAWRENCE",2017-05-03 07:21:00,CST-6,2017-05-03 09:21:00,0,0,0,0,0.00K,0,0.00K,0,37.1365,-93.9494,37.1356,-93.951,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway 97 was closed due to flooding from the Spring River." +114198,698502,MISSOURI,2017,May,Flash Flood,"POLK",2017-05-03 08:06:00,CST-6,2017-05-03 10:06:00,0,0,0,0,0.00K,0,0.00K,0,37.7235,-93.2317,37.7231,-93.2334,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway P was closed due to flooding along Lindley Creek." +114198,698503,MISSOURI,2017,May,Flood,"MILLER",2017-05-03 09:00:00,CST-6,2017-05-03 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-92.66,38.2696,-92.6565,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway Z was closed due to flooding at Blue Springs Creek. Several low water crossings were closed across Miller County." +114198,698504,MISSOURI,2017,May,Flood,"JASPER",2017-05-03 09:06:00,CST-6,2017-05-03 11:06:00,0,0,0,0,0.00K,0,0.00K,0,37.1563,-94.1575,37.1548,-94.1604,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway 37 was closed due to flooding along the Spring River." +114653,698435,MISSOURI,2017,May,Flash Flood,"WEBSTER",2017-05-19 22:40:00,CST-6,2017-05-20 00:40:00,0,0,0,0,0.00K,0,0.00K,0,37.3201,-92.9938,37.3203,-92.9945,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There was fast flowing water over Greenwood Road at the headwaters of the Pomme De Terre river." +116112,697856,MISSISSIPPI,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-28 21:20:00,CST-6,2017-05-28 21:20:00,0,0,0,0,20.00K,20000,0.00K,0,31.73,-91.05,31.73,-91.05,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Multiple trees and power lines were blown down on Highways 553 and 552." +116112,697857,MISSISSIPPI,2017,May,Thunderstorm Wind,"CLAIBORNE",2017-05-28 21:15:00,CST-6,2017-05-28 21:32:00,0,0,0,0,10.00K,10000,0.00K,0,31.9033,-91.144,31.96,-90.98,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Several trees were blown down across the county." +116112,697860,MISSISSIPPI,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-28 21:50:00,CST-6,2017-05-28 21:50:00,0,0,0,0,15.00K,15000,0.00K,0,31.67,-90.7,31.67,-90.7,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A tree was blown down on a vehicle." +116112,697861,MISSISSIPPI,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-28 22:15:00,CST-6,2017-05-28 22:15:00,0,0,0,0,150.00K,150000,0.00K,0,31.61,-90.49,31.61,-90.49,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A tree fell on a house, which was destroyed." +116112,697862,MISSISSIPPI,2017,May,Thunderstorm Wind,"HINDS",2017-05-28 22:20:00,CST-6,2017-05-28 22:20:00,0,0,0,0,5.00K,5000,0.00K,0,32.12,-90.67,32.12,-90.67,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A few trees were blown down." +116112,697864,MISSISSIPPI,2017,May,Thunderstorm Wind,"HINDS",2017-05-28 22:18:00,CST-6,2017-05-28 22:52:00,0,0,0,0,20.00K,20000,0.00K,0,32.1815,-90.4958,32.1592,-90.2619,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Trees were blown down throughout the county." +115268,692439,KENTUCKY,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 18:20:00,CST-6,2017-05-27 18:20:00,0,0,0,0,2.00K,2000,0.00K,0,36.8441,-87.493,36.8441,-87.493,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","Power lines were down on a residential street on the south side of the city." +115955,696842,MISSOURI,2017,May,Flood,"PERRY",2017-05-01 00:00:00,CST-6,2017-05-22 18:00:00,0,0,0,0,250.00K,250000,50.00K,50000,37.63,-89.58,37.658,-89.5331,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","There was major flooding along the Mississippi River early in the month. Extensive flooding of low-lying agricultural land and county roads in the flood plain was observed. A voluntary evacuation was declared for the community of Lithium. The Red Cross opened a temporary shelter in Brewer. Several roads were closed, including the Route 51 Mississippi River bridge to Chester, IL. Highway E near Menfro was closed. Most of the other roads were rural county roads. A main railway was closed due to water over the tracks. Residents of the small community of Wittenburg along the river were forced to evacuate or use boats to reach their property. Most houses along the river have been abandoned after being repeatedly flooded over the years." +115915,696499,INDIANA,2017,May,Flood,"GIBSON",2017-05-01 05:00:00,CST-6,2017-05-16 20:00:00,0,0,0,0,30.00K,30000,10.00K,10000,38.3778,-87.6994,38.4047,-87.6874,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Wabash, White, and Patoka Rivers above flood stage for most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana, except 2 to 4 inches east of Evansville along the Ohio River.","Major flooding occurred on the Patoka River. The flood crest was only about one-half foot below the record, set in May of 2011. At the river gage on Indiana Route 65 near Patoka, the river crested at 24.29 feet on the 6th. Flood stage is 18 feet. Extensive flooding of farmland was observed. Seasonal camping trailers closest to the river became inundated. During the peak of the flooding, numerous state and county roads were closed near the Patoka River. Floodwaters reached the edge of old U.S. Highway 41. Several inches of water covered Indiana Route 65 at Wheeling Crossing. Extensive flooding of low-lying fields occurred." +115915,696497,INDIANA,2017,May,Flood,"POSEY",2017-05-02 03:30:00,CST-6,2017-05-21 20:00:00,0,0,0,0,10.00K,10000,10.00K,10000,38.1336,-87.9411,38.1434,-87.9257,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Wabash, White, and Patoka Rivers above flood stage for most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana, except 2 to 4 inches east of Evansville along the Ohio River.","Moderate flooding occurred along the Wabash River. At the New Harmony river gage, the river crested at 21.68 feet on the 12th. Flood stage is 15 feet. Floodwaters encroached on the northern and western edges of New Harmony. A few dead-end city streets that access the river bottomlands were flooded and closed. Harmonie State Park was closed. Some stripper oil wells were flooded along the river. Floodwaters extended nearly to Indiana Route 69 north of Route 68." +115915,696504,INDIANA,2017,May,Flood,"GIBSON",2017-05-02 09:00:00,CST-6,2017-05-19 17:00:00,0,0,0,0,25.00K,25000,10.00K,10000,38.48,-87.53,38.4859,-87.5782,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Wabash, White, and Patoka Rivers above flood stage for most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana, except 2 to 4 inches east of Evansville along the Ohio River.","Moderate flooding occurred on the White River. At the Hazleton river gage, the river crested at 26.70 feet on the 12th. Flood stage is 16 feet. This crest was about a foot lower than the flood crest of March, 2008. Water was more than a foot deep in the west end of Hazleton, with the deepest flood water at the corner of West 2nd Street and Brown Street. People in residential cabins on the riverward side of the levee relocated. Many local roads were completely impassable. Oil fields were inaccessible. Water pumps were installed on the west end of Hazleton. Flood gates were installed at Hazleton." +116360,699682,WASHINGTON,2017,May,Flood,"FERRY",2017-05-06 08:00:00,PST-8,2017-05-07 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,49,-118.76,49.0001,-118.7634,"The Kettle River near Ferry flooded multiple times during the month of May, achieving Major Flood Stage once and Moderate Flood Stage another time during periodic rises and falls due to mountain snow melt. Bottom lands, fields and roads along the river were flooded during the peak periods but little or no damage to structures was noted.","The Kettle River flooded with water washing out portions of Customs Road near the Canadian Border." +116361,699683,WASHINGTON,2017,May,Flood,"FERRY",2017-05-23 12:15:00,PST-8,2017-05-25 08:15:00,0,0,0,0,1.00K,1000,0.00K,0,48.9998,-118.7826,48.9154,-118.7705,"The Kettle River near Ferry flooded multiple times during the month of May, achieving Major Flood Stage once and Moderate Flood Stage another time during periodic rises and falls due to mountain snow melt. Bottom lands, fields and roads along the river were flooded during the peak periods but little or no damage to structures was noted. The river continued to run near or slightly above Flood Stage into the month of June.","The Kettle River Gage at Ferry recorded a rise above the Flood Stage of 18.5 feet at 12:15 PM PST on May 23rd. The river rose above Moderate Flood Stage and crested at at 19.6 feet at 8:00 PM May 24th then dropped back below Flood Stage at 8:15 AM on May 25th." +116363,699685,WASHINGTON,2017,May,Flood,"OKANOGAN",2017-05-31 08:30:00,PST-8,2017-05-31 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,48.6296,-120.3388,48.5424,-120.3937,"Responding to spring time mountains snow melt, the Methow River achieved Flood Stage briefly on May 24th and then rose above Flood Stage on May 31st. Bottom land and fields along the river between Mazama and Pateros were inundated but no structures were threatened.","The Methow River Gage at Pateros recorded a rise above the Flood Stage of 10.0 feet at 8:30 AM PST on May 31st. The river crested in Minor Flood at 10.3 feet at 4:00 PM May 31st and then dropped below the Flood Stage at 10:30 PM May 31st." +116362,699684,WASHINGTON,2017,May,Flood,"OKANOGAN",2017-05-23 07:30:00,PST-8,2017-05-31 23:59:00,0,0,0,0,3.00K,3000,0.00K,0,48.9406,-119.4818,48.1008,-119.8499,"Responding to spring time mountain snow melt, the Okanogan River achieved Minor Flood Stage multiple times during the month of May. The river touched Flood Stage briefly on May 8th, then rose above flood stage briefly on May 13th and 14th. The main rise occurred on May 23rd and continued to run at Minor Flood through the beginning of June. No structures were flooded but inundation of bottom lands and fields along the river was extensive.","The Okanogan River Gage at Tonasket recorded a rise above the Flood Stage of 15.0 feet at 7:30 AM PST on May 23rd. The river crested multiple times in Minor Flood around 16.5 feet and continued to flood into the month of June." +112887,675659,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 06:18:00,EST-5,2017-03-01 06:18:00,0,0,0,0,0.00K,0,0.00K,0,38.29,-84.68,38.29,-84.68,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported trees sheared off several feet above the ground. A coffee tree was split and felled along with large limbs down." +116063,697563,TEXAS,2017,May,Hail,"BASTROP",2017-05-23 16:31:00,CST-6,2017-05-23 16:31:00,0,0,0,0,,NaN,,NaN,30.35,-97.4,30.35,-97.4,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail along Hwy 290 just west of Elgin." +116063,697564,TEXAS,2017,May,Thunderstorm Wind,"BASTROP",2017-05-23 16:32:00,CST-6,2017-05-23 16:32:00,0,0,0,0,,NaN,,NaN,30.35,-97.37,30.35,-97.37,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down small tree limbs in Elgin." +116063,697565,TEXAS,2017,May,Thunderstorm Wind,"BASTROP",2017-05-23 16:34:00,CST-6,2017-05-23 16:34:00,0,0,0,0,100.00K,100000,,NaN,30.35,-97.34,30.35,-97.34,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 75 mph that blew down trees and power lines in Elgin." +116063,697566,TEXAS,2017,May,Hail,"BASTROP",2017-05-23 16:39:00,CST-6,2017-05-23 16:39:00,0,0,0,0,,NaN,,NaN,30.32,-97.29,30.32,-97.29,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced golf ball size hail east of Elgin." +116063,697567,TEXAS,2017,May,Hail,"BASTROP",2017-05-23 16:49:00,CST-6,2017-05-23 16:49:00,0,0,0,0,,NaN,,NaN,30.22,-97.12,30.22,-97.12,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced hail slightly larger than quarters in Paige." +116063,697568,TEXAS,2017,May,Hail,"BASTROP",2017-05-23 16:50:00,CST-6,2017-05-23 16:50:00,0,0,0,0,5.00K,5000,0.00K,0,30.22,-97.12,30.22,-97.12,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced half dollar size hail that accumulated on the ground in Paige. A house was damaged by the wind driven hail." +116063,697569,TEXAS,2017,May,Hail,"LEE",2017-05-23 17:00:00,CST-6,2017-05-23 17:00:00,0,0,0,0,,NaN,,NaN,30.2,-96.93,30.2,-96.93,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced half dollar size hail in Giddings." +116063,697570,TEXAS,2017,May,Thunderstorm Wind,"LEE",2017-05-23 17:00:00,CST-6,2017-05-23 17:00:00,0,0,0,0,,NaN,,NaN,30.18,-96.93,30.18,-96.93,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts measured at 75 mph in Giddings. The gusty winds were accompanied with quarter size hail." +116063,697575,TEXAS,2017,May,Hail,"LEE",2017-05-23 17:00:00,CST-6,2017-05-23 17:00:00,0,0,0,0,,NaN,,NaN,30.18,-96.93,30.18,-96.93,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail in Giddings. The hail was accompanied by winds gusts estimated at 75 mph." +116063,697571,TEXAS,2017,May,Thunderstorm Wind,"LEE",2017-05-23 17:01:00,CST-6,2017-05-23 17:01:00,0,0,0,0,10.00K,10000,,NaN,30.17,-96.93,30.17,-96.93,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that snapped large Oak trees on the south side of Giddings." +116436,700385,TEXAS,2017,May,Flood,"EASTLAND",2017-05-18 19:26:00,CST-6,2017-05-18 22:30:00,0,0,0,0,0.00K,0,0.00K,0,32.1,-98.97,32.0868,-98.9736,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Fire and rescue reported 3 feet of water in the roadway near the intersection of Highway 183 and Highway 36." +116436,700391,TEXAS,2017,May,High Wind,"PARKER",2017-05-19 20:10:00,CST-6,2017-05-19 20:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained spotter reported a wind gust in excess of 60 MPH 4 miles west-northwest of the city of Briar, TX." +116436,700407,TEXAS,2017,May,High Wind,"WISE",2017-05-19 20:11:00,CST-6,2017-05-19 20:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained spotter reported a 67 MPH wind gust approximately 5 miles north of the city of Rhome, TX." +116436,700584,TEXAS,2017,May,High Wind,"DENTON",2017-05-18 20:48:00,CST-6,2017-05-18 20:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained spotter reported 60 MPH non-thunderstorm winds 3 miles south-southwest of the city of Northlake, TX." +116436,700585,TEXAS,2017,May,High Wind,"WISE",2017-05-18 20:15:00,CST-6,2017-05-18 20:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported a 60 MPH wind gust near the city of Boyd, TX." +116436,700586,TEXAS,2017,May,High Wind,"WISE",2017-05-18 20:18:00,CST-6,2017-05-18 20:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported a 67 MPH wind gust 3 miles east of the city of Rhome, TX." +114657,687704,MONTANA,2017,May,Heavy Snow,"WEST GLACIER REGION",2017-05-17 06:00:00,MST-7,2017-05-17 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy snow across southwest Montana, west-central Montana and along the Continental Divide. The late season snow storm brought wet heavy snow to many valleys and caused power outages and tree damage. In southwest Montana, prolonged periods of heavy snow caused Homestake pass to close for many hours.","Pike Creek snotel reported 17 inches of snow in less than 24 hours. Additionally, the Department of Transportation reported thick slushy roads, and a few car slide offs." +116135,698158,IDAHO,2017,May,Flood,"LEMHI",2017-05-07 14:55:00,MST-7,2017-05-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,44.9123,-113.9605,44.9101,-113.9749,"A few warm days and nights to increase snowmelt, followed by a rain event that had several hours of rain over the Salmon River Basin culminated in high flows the evening of May 6th. Twelve hour precipitation at the Salmon RAWS was recorded at 0.82���, with values up stream in the basin ranging from around 0.15��� to 0.75���. There was widespread light rain with some very wet, fast moving showers and thunderstorms embedded. Also, the Pahsimeroi River upstream along the county border registered a record discharge into the Salmon River, but this was largely thought to be backflow from the Salmon itself as the Pahsimeroi gage is near the mouth.","Local emergency manager reported flooding at the Oregon Bar campground 7 miles north of Salmon. Also an NWS employee reported minor flooding in the Elk Bend area, where water was flowing over yards and into outbuildings." +114658,687719,IDAHO,2017,May,Heavy Snow,"NORTHERN CLEARWATER MOUNTAINS",2017-05-17 03:00:00,PST-8,2017-05-17 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper level closed low brought widespread heavy mountain snow to central Idaho and Lemhi county. The late season snow storm brought wet heavy snow to a few valleys such as Pierce and caused power outages and tree damage.","A COOP observer in Pierce reported 4.2 inches of snow which caused power outages and knocked down many cottonwood trees. Shanghai summit snotel just north of Pierce 11 inches of snow with 1.8 inches of Snow Water Equivalent." +116002,701154,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STANLY",2017-05-05 01:30:00,EST-5,2017-05-05 01:30:00,0,0,0,0,20.00K,20000,0.00K,0,35.3589,-80.2223,35.3589,-80.2223,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree fell onto a home at New Castle Court. The tree crashed through the roof of the house." +115031,701365,GEORGIA,2017,May,Drought,"TOWNS",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +115031,701366,GEORGIA,2017,May,Drought,"UNION",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +116619,701388,GEORGIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-20 16:30:00,EST-5,2017-05-20 16:40:00,0,0,0,0,0.50K,500,,NaN,33.29,-84.46,33.29,-84.46,"Afternoon heating combined with a moist and moderately unstable atmosphere to produce isolated wind damage in parts of north Georgia.","The public reported a small softwood tree snapped by the wind in Brooks." +116706,701813,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:40:00,CST-6,2017-05-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-101.49,35.84,-101.49,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701814,TEXAS,2017,May,Hail,"SHERMAN",2017-05-15 18:45:00,CST-6,2017-05-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,36.49,-101.81,36.49,-101.81,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701815,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 18:50:00,CST-6,2017-05-15 18:50:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-101.49,35.92,-101.49,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +113616,684105,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:08:00,EST-5,2017-04-03 13:08:00,0,0,0,0,0.00K,0,0.00K,0,31.5327,-83.8992,31.5327,-83.8992,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down along Findley Road." +113616,684106,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:10:00,EST-5,2017-04-03 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-83.88,31.55,-83.88,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in the Silver Lake Circle area." +116706,701816,TEXAS,2017,May,Hail,"HANSFORD",2017-05-15 19:01:00,CST-6,2017-05-15 19:01:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-101.47,36.06,-101.47,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116700,702042,KANSAS,2017,May,Flash Flood,"CHEYENNE",2017-05-31 18:35:00,CST-6,2017-05-31 21:35:00,0,0,0,0,0.00K,0,0.00K,0,39.5868,-101.7135,39.5863,-101.7134,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Rainfall amounts of up to four inches in a couple hours occurred. The rapid runoff quickly filled the channel of the Little Beaver Creek not long after the heavy rain began. Water was reported over Highway 27 at the Little Beaver Creek." +116700,702055,KANSAS,2017,May,Flash Flood,"CHEYENNE",2017-05-31 20:35:00,CST-6,2017-05-31 23:35:00,0,0,0,0,0.00K,0,0.00K,0,39.6006,-101.6383,39.6004,-101.6383,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Rainfall amounts of up to four inches in a couple hours occurred. The rapid runoff quickly filled the channel of the Little Beaver Creek after the heavy rain began. Water was reported over CR 23 at the Little Beaver Creek north of the CR 23/CR C intersection." +116700,702048,KANSAS,2017,May,Flash Flood,"CHEYENNE",2017-05-31 19:35:00,CST-6,2017-05-31 22:35:00,0,0,0,0,0.00K,0,0.00K,0,39.5991,-101.6757,39.5986,-101.6757,"A supercell thunderstorm moved southward across Northwest Kansas producing flash flooding, hail up to hen egg size, and damaging winds. The largest hail reported was in north of Goodland and in southeast Sherman County. The slow movement of the storm and heavy rainfall caused flash flooding across northern Sherman County including flooding the South Beaver Creek and many roads. Estimated wind gusts up to 90 MPH rolled a camper trailer, blew down a cottonwood tree, and uprooted a pine tree in Goodland.","Rainfall amounts of up to four inches in a couple hours occurred. The rapid runoff quickly filled the channel of the Little Beaver Creek not long after the heavy rain began. Water was reported over CR 21 at the Little Beaver Creek." +116734,702040,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 19:28:00,EST-5,2017-05-18 19:33:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-71.9,44.1,-71.9,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Benton." +115243,694703,MISSOURI,2017,May,Thunderstorm Wind,"TEXAS",2017-05-11 17:44:00,CST-6,2017-05-11 17:44:00,0,0,0,0,20.00K,20000,0.00K,0,37.18,-91.66,37.18,-91.66,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Several trees were blown down on to some homes. A local grocery store lost a roof." +115243,694704,MISSOURI,2017,May,Thunderstorm Wind,"OREGON",2017-05-11 16:25:00,CST-6,2017-05-11 16:25:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-91.15,36.65,-91.15,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A tree was blown down on Highway 160 east of Alton near State Highway U." +115243,694706,MISSOURI,2017,May,Flash Flood,"DOUGLAS",2017-05-11 16:12:00,CST-6,2017-05-11 18:12:00,0,0,0,0,5.00K,5000,0.00K,0,37.0051,-92.7101,37.006,-92.7098,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A water rescue occurred at County Road 514 near State Highway K along Cowskin Creek. Occupants drove car into flood water." +115243,694707,MISSOURI,2017,May,Flash Flood,"GREENE",2017-05-11 16:52:00,CST-6,2017-05-11 18:52:00,0,0,0,0,0.00K,0,0.00K,0,37.2203,-93.0848,37.2213,-93.0842,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Six inches of water was flowing over the road at NW Ridge Drive and Division Street." +115243,694708,MISSOURI,2017,May,Flash Flood,"NEWTON",2017-05-11 17:00:00,CST-6,2017-05-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8405,-94.6128,36.8406,-94.6101,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Highway 43 was flooded and closed." +115243,694709,MISSOURI,2017,May,Flash Flood,"CHRISTIAN",2017-05-11 17:15:00,CST-6,2017-05-11 19:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.0548,-93.4051,37.0538,-93.4058,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","The low water crossing at Kerr Road and Holder Road in Christian County was flooded. There was one vehicle stalled in the flood water." +115243,694710,MISSOURI,2017,May,Flash Flood,"BARTON",2017-05-11 19:13:00,CST-6,2017-05-11 21:13:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-94.31,37.3981,-94.3156,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Highway 126 was flooded and closed at the North Fork of the Spring River." +115243,694711,MISSOURI,2017,May,Flash Flood,"NEWTON",2017-05-11 19:20:00,CST-6,2017-05-11 21:20:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-94.53,36.8927,-94.5235,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Highway CC was flooded and closed at Lost Creek." +115243,694712,MISSOURI,2017,May,Flash Flood,"NEWTON",2017-05-11 19:20:00,CST-6,2017-05-11 21:20:00,0,0,0,0,0.00K,0,0.00K,0,36.9343,-94.4441,36.9362,-94.4433,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","The intersection of Holly Road and Ibex Road was flooded and impassable." +116804,702354,ARIZONA,2017,May,Dust Devil,"PIMA",2017-05-27 15:00:00,MST-7,2017-05-27 15:00:00,0,0,0,0,15.00K,15000,0.00K,0,32.2029,-110.8605,32.2029,-110.8605,"A dust devil damaged the roof of a house in Tucson.","A dust devil peeled the composite roofing material off the flat-topped roof of a home near 22nd and Wilmot in Tucson. Cracks in the roof/ceiling of the house also resulted." +113616,684116,GEORGIA,2017,April,Thunderstorm Wind,"QUITMAN",2017-04-05 11:04:00,EST-5,2017-04-05 11:04:00,0,0,0,0,15.00K,15000,0.00K,0,31.79,-85.11,31.79,-85.11,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down onto a house." +113616,684117,GEORGIA,2017,April,Funnel Cloud,"LEE",2017-04-05 13:37:00,EST-5,2017-04-05 13:37:00,0,0,0,0,0.00K,0,0.00K,0,31.78,-84.14,31.78,-84.14,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684118,GEORGIA,2017,April,Hail,"TURNER",2017-04-05 14:28:00,EST-5,2017-04-05 14:28:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-83.63,31.67,-83.63,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113620,681232,TEXAS,2017,March,Thunderstorm Wind,"GLASSCOCK",2017-03-28 19:07:00,CST-6,2017-03-28 19:08:00,0,0,0,0,5.00K,5000,0.00K,0,32.0124,-101.2952,32.0124,-101.2952,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Glasscock County and produced wind damage in the northeast part of the county. Five power poles were blown down along Highway 87. The cost of damage is a very rough estimate." +114238,684361,FLORIDA,2017,March,Wildfire,"INLAND COLLIER COUNTY",2017-03-18 15:56:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Parliament wildfire started March 18th and burned in Big Cypress National Preserve. The fire was estimated at 26,471 acres. Portions of the preserve including Monument Lake and Burns Lake Campground and trails were closed. US Highway 41 from State Road 29 to Krome Avenue were closed due to smoke at times during this wildfire.Time and date is first reporting time of incident.","Parliament Fire started March 18th bruning 26,471 acres in Big Cypress National Preserve. The wildfire caused roads to be closed at times due to heavy smoke. Multiple campgrounds and trails were closed." +112727,675713,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-03-01 03:44:00,EST-5,2017-03-01 03:44:00,0,0,0,0,,NaN,,NaN,39.2653,-74.5725,39.2653,-74.5725,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +113620,681483,TEXAS,2017,March,Thunderstorm Wind,"MITCHELL",2017-03-28 20:00:00,CST-6,2017-03-28 20:01:00,0,0,0,0,30.00K,30000,0.00K,0,32.3855,-100.85,32.3855,-100.85,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Mitchell County and produced wind damage on the south end of Colorado City. Roofs were blown off and four telephone poles were blown down. The cost of damage is a very rough estimate." +114243,684374,MISSISSIPPI,2017,March,Hail,"MONROE",2017-03-09 19:16:00,CST-6,2017-03-09 19:20:00,0,0,0,0,100.00K,100000,0.00K,0,33.98,-88.5,33.98,-88.5,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Hail caused broken windows at three businesses and one car lot received damage." +114247,684423,MISSOURI,2017,March,Thunderstorm Wind,"DUNKLIN",2017-03-09 19:45:00,CST-6,2017-03-09 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.6067,-89.9952,36.5916,-89.9894,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","" +114299,684719,TENNESSEE,2017,March,Tornado,"OBION",2017-03-09 20:51:00,CST-6,2017-03-09 20:54:00,0,0,0,0,300.00K,300000,0.00K,0,36.5033,-89.0837,36.4842,-89.0704,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","A tornado tracked from the community of Hickman Kentucky southeast into northern Obion county. Damage was sustained to large grain bins, several small barns and outbuildings and a few homes. The peak winds in Obion County were estimated at 100 mph." +113051,683059,MASSACHUSETTS,2017,March,Heavy Snow,"EASTERN FRANKLIN",2017-03-14 03:00:00,EST-5,2017-03-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day. Reported snowfall totals ranged from 8.8 to 13.5 inches across eastern Franklin County." +113051,683060,MASSACHUSETTS,2017,March,Heavy Snow,"NORTHERN WORCESTER",2017-03-14 02:50:00,EST-5,2017-03-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day. Reported snowfall totals ranged from 10 to 16 inches across northern Worcester County." +114527,686834,TENNESSEE,2017,March,Winter Weather,"MAURY",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Marshall County ranged from 1 inch up to nearly 2 inches. CoCoRaHS station Columbia 1.2 SSW measured 2.0 inches of snow." +114527,686837,TENNESSEE,2017,March,Winter Weather,"LEWIS",2017-03-11 18:00:00,CST-6,2017-03-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Lewis County ranged from 0.5 inches up to 1.5 inches. CoCoRaHS station Hohenwald 4.0 WNW measured 1.2 inches of snow, while CoCoRaHS station Hohenwald 2.2 SE measured 0.5 inches of snow. The sheriff office in Hohenwald reported 1.0 inches of snow." +114305,684809,LOUISIANA,2017,April,Hail,"WEBSTER",2017-04-26 15:05:00,CST-6,2017-04-26 15:05:00,0,0,0,0,0.00K,0,0.00K,0,32.9,-93.45,32.9,-93.45,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114118,685825,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:35:00,CST-6,2017-03-01 06:35:00,0,0,0,0,1.00K,1000,0.00K,0,36.4664,-87.3776,36.4664,-87.3776,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported a tree was blown down on Highway 48." +114423,686116,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 22:44:00,CST-6,2017-03-09 22:44:00,0,0,0,0,10.00K,10000,0.00K,0,35.9148,-87.1889,35.9148,-87.1889,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated an outdoor pavilion at Craigfield Southern Methodist Church on Pinewood Road was heavily damaged." +114118,683892,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-01 07:16:00,CST-6,2017-03-01 07:21:00,1,0,0,0,30.00K,30000,0.00K,0,36.0387,-86.5608,36.0576,-86.5348,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large downburst associated with the rear flank downdraft of the Cool Springs and Four Corners Marina tornadoes caused damage across a wide swath of northeast Williamson, far southeast Davidson, and far northwest Rutherford Counties. In Williamson County, dozens of trees were snapped and uprooted from the Concord Pass area across Waller Road, Forest Trail, and Nolensville Pike, with minor roof and siding damage to numerous homes and a few trees falling on outbuildings and houses. One duplex on Nolensville Pike was heavily damaged by multiple trees falling onto it. ||In Davidson County, trees and power poles were blown down on Pettus Road, and several other trees were snapped and uprooted on Burkitt Road and near Cane Ridge Park. TDOT reported trees down at 13390 Old Hickory Blvd. Several tall power poles were blown down on Nashville Highway near Hickory Woods Drive, and scattered trees were snapped or uprooted in the Hickory Woods Estates and Peppertree Forest subdivisions. ||In Rutherford County, a large truck parked at 1325 Heil Quaker Road in La Vergne was blown over, injuring a man inside who was transported to the hospital. Scattered trees were also snapped and uprooted across the Lake Forest subdivision, where one house was severely damaged by a fallen tree on Frontier Lane. Several more homes suffered roof and siding damage on Cedar Bend Lane, Angel Way Court, and Hollandale Road. Winds in this 12 mile long by 2 mile wide downburst were estimated around 80 mph." +114118,685563,TENNESSEE,2017,March,Hail,"GRUNDY",2017-03-01 12:57:00,CST-6,2017-03-01 12:57:00,0,0,0,0,10.00K,10000,0.00K,0,35.38,-85.8,35.38,-85.8,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Hail ranging in size from 1.5 inches to nearly 2 inches in diameter was reported on Pelham Mountain. Numerous homes and vehicles were damaged by the hail." +114118,685878,TENNESSEE,2017,March,Thunderstorm Wind,"SMITH",2017-03-01 08:02:00,CST-6,2017-03-01 08:02:00,0,0,0,0,2.00K,2000,0.00K,0,36.1928,-85.8141,36.1928,-85.8141,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported Highway 24 was blocked by fallen trees." +114118,683824,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:46:00,CST-6,2017-03-01 06:47:00,0,0,0,0,5.00K,5000,0.00K,0,36.2052,-87.181,36.2059,-87.1746,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Public reported and shared photos via Facebook about a swath of straight line wind damage on the Dickson/Cheatham county border around 7 miles southwest of Ashland City. This wind damage stretched from a cattle farm on the west side of the Harpeth river in Dickson county eastward across Harpeth Crossing to Fernie Story Road in Cheatham county. Outbuildings were damaged on the cattle farm and several large trees were uprooted on Harpeth Crossing. A barn was destroyed on Fernie Story Road." +114253,684561,MISSISSIPPI,2017,March,Thunderstorm Wind,"RANKIN",2017-03-07 13:02:00,CST-6,2017-03-07 13:02:00,0,0,0,0,10.00K,10000,0.00K,0,32.21,-90,32.21,-90,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Downburst winds associated with a severe thunderstorm caused damage along Bethel Road, including roofing material blown off a structure and downed power lines." +114253,685396,MISSISSIPPI,2017,March,Thunderstorm Wind,"COPIAH",2017-03-07 13:37:00,CST-6,2017-03-07 13:37:00,0,0,0,0,5.00K,5000,0.00K,0,31.9985,-90.4049,31.9985,-90.4049,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Downburst winds associated with a severe thunderstorm blew three trees down along New Zion Road." +114253,685367,MISSISSIPPI,2017,March,Thunderstorm Wind,"HINDS",2017-03-07 13:25:00,CST-6,2017-03-07 13:25:00,0,0,0,0,5.00K,5000,0.00K,0,32.1213,-90.3692,32.1213,-90.3692,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Downburst winds associated with a severe thunderstorm blew a few trees down near Terry along Midway Road." +114253,685397,MISSISSIPPI,2017,March,Hail,"KEMPER",2017-03-07 13:39:00,CST-6,2017-03-07 13:46:00,0,0,0,0,20.00K,20000,0.00K,0,32.859,-88.9107,32.87,-88.81,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Large hail fell across northwestern Kemper County, including hailstones up to the size of ping pong balls in Preston." +114867,689087,NEVADA,2017,January,Heavy Snow,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-01-04 16:00:00,PST-8,2017-01-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the northern Sierra and western Nevada.","Rain changed to snow on the afternoon of the 4th, with widespread snowfall totals of 4 to 6 inches in the Reno-Sparks area by the morning of the 5th. Areas farther north in the Palomino Valley and along Red Rock Road north of Stead received up to 8 inches. Lesser amounts between 1 and 4 inches fell south of the Reno-Sparks area." +114868,689097,CALIFORNIA,2017,January,Heavy Snow,"MONO",2017-01-03 15:00:00,PST-8,2017-01-05 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved slowly south near the Pacific Northwest coast between the 2nd and the 4th before moving inland over northern California and Nevada on the 5th. The system brought significant snow and rain to the Sierra and northeast California.","Storm total snowfall amounts reached between 40 and 84 (7 feet) inches for the Mammoth Mountain Ski area from the afternoon of the 3rd into the early morning of the 5th, with the highest amounts above 9000 feet. East of the immediate Sierra crest down to around 7000 feet, up to 14 to 19 inches of snow was reported. Below 7000 feet, amounts fell off dramatically with significant rainfall. Only 6 inches of snow fell in Lee Vining, with around 2.5 inches in Bridgeport." +114683,687894,TENNESSEE,2017,March,Thunderstorm Wind,"LEWIS",2017-03-21 14:44:00,CST-6,2017-03-21 14:44:00,0,0,0,0,2.00K,2000,0.00K,0,35.5425,-87.4803,35.5425,-87.4803,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Trees were blown down blocking the roadway at Little Swan Creek Road and Marvin Whitehead Road. Nickel size hail was also reported." +114423,686534,TENNESSEE,2017,March,Hail,"COFFEE",2017-03-09 23:03:00,CST-6,2017-03-09 23:03:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-86.23,35.37,-86.23,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","" +114423,686541,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-10 00:05:00,CST-6,2017-03-10 00:05:00,0,0,0,0,3.00K,3000,0.00K,0,35.8447,-85.7676,35.8447,-85.7676,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees and power lines were blown down on Capshaw Road." +114299,684739,TENNESSEE,2017,March,Thunderstorm Wind,"BENTON",2017-03-09 21:50:00,CST-6,2017-03-09 21:55:00,0,0,0,0,0.00K,0,0.00K,0,36.2177,-88.1138,36.2144,-88.0999,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","Large tree down and blocking Big Sandy Road." +114851,688987,MISSISSIPPI,2017,March,Hail,"WINSTON",2017-03-27 13:05:00,CST-6,2017-03-27 13:15:00,0,0,0,0,3.00K,3000,0.00K,0,32.97,-89.06,32.98,-88.97,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of hail fell across portions of Winston County, including half dollar size hail near the Nanih Waiya community." +114851,688988,MISSISSIPPI,2017,March,Hail,"HINDS",2017-03-27 13:25:00,CST-6,2017-03-27 13:25:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-90.16,32.32,-90.16,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114851,688989,MISSISSIPPI,2017,March,Hail,"RANKIN",2017-03-27 13:28:00,CST-6,2017-03-27 13:58:00,0,0,0,0,0.00K,0,0.00K,0,32.33,-90.12,32.39,-89.96,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A swath of hail fell across northern Rankin County. Up to quarter size hail fell from the River Oaks area in Flowood to the Bay Pointe Country Club area north-northeast of Brandon." +114851,689592,MISSISSIPPI,2017,March,Hail,"KEMPER",2017-03-27 14:50:00,CST-6,2017-03-27 14:50:00,0,0,0,0,0.00K,0,0.00K,0,32.883,-88.8301,32.883,-88.8301,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","Hail up to quarter size covered the ground at the Preston General Store." +114735,690291,TENNESSEE,2017,March,Thunderstorm Wind,"JACKSON",2017-03-27 16:00:00,CST-6,2017-03-27 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.3093,-85.5084,36.3093,-85.5084,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A Facebook report and photo showed much of the metal roof on a small home at 386 William Hawkins Lane near Dodson Branch was blown off." +114744,688288,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-30 18:19:00,CST-6,2017-03-30 18:19:00,0,0,0,0,1.00K,1000,0.00K,0,35.7799,-86.4724,35.7799,-86.4724,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","A tree was blown down on Armstrong Valley Road." +114970,689674,LOUISIANA,2017,March,Hail,"TENSAS",2017-03-27 16:49:00,CST-6,2017-03-27 16:49:00,0,0,0,0,0.00K,0,0.00K,0,32.07,-91.24,32.07,-91.24,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114299,684749,TENNESSEE,2017,March,Flash Flood,"MADISON",2017-03-09 22:43:00,CST-6,2017-03-10 01:45:00,0,0,0,0,0.00K,0,0.00K,0,35.6121,-88.8677,35.5867,-88.8643,"A very unstable atmosphere provided for multiple rounds of thunderstorms of which several were severe throughout the 9th and early morning of the 10th of March.","High water covering roadways on D Street and also Riverside Drive in Bemis. Flooded roadway on Boone Lane in Westover." +114430,686167,TENNESSEE,2017,March,Hail,"MADISON",2017-03-27 15:00:00,CST-6,2017-03-27 15:10:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-88.83,35.6362,-88.7798,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Nickel to quarter size hail." +114430,686617,TENNESSEE,2017,March,Hail,"DECATUR",2017-03-27 16:26:00,CST-6,2017-03-27 16:35:00,0,0,0,0,,NaN,0.00K,0,35.65,-88.13,35.649,-88.0904,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Quarter to ping-pong ball size hail." +114719,688076,LOUISIANA,2017,March,Thunderstorm Wind,"RICHLAND",2017-03-29 19:15:00,CST-6,2017-03-29 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.49,-91.82,32.49,-91.82,"A line of thunderstorms developed across northeast Louisiana ahead of a strong low pressure system late in the evening on March 29th. Several of these thunderstorms produced damaging wind gusts which blew down trees as they reached far northeast Louisiana.","Thunderstorm wind gusts blew down two trees along LA Highway 133 northwest of Rayville." +114719,688083,LOUISIANA,2017,March,Thunderstorm Wind,"EAST CARROLL",2017-03-29 20:22:00,CST-6,2017-03-29 20:22:00,0,0,0,0,4.00K,4000,0.00K,0,32.8045,-91.1807,32.8045,-91.1807,"A line of thunderstorms developed across northeast Louisiana ahead of a strong low pressure system late in the evening on March 29th. Several of these thunderstorms produced damaging wind gusts which blew down trees as they reached far northeast Louisiana.","Thunderstorm wind gusts blew down a power line at the intersection of Millikin Street and 2nd Street in Lake Providence." +114118,685074,TENNESSEE,2017,March,Tornado,"WILSON",2017-03-01 07:40:00,CST-6,2017-03-01 07:47:00,0,0,0,0,100.00K,100000,0.00K,0,36.0989,-86.1678,36.1076,-86.066,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","An NWS Storm Survey along with Google Earth high resolution satellite data and radar data determined a high end EF-1 tornado touched down in Wilson County just north of Highway 70 (Sparta Pike) in far western Watertown, then curved northeast and east across the northern fringes of the town. One home suffered considerable roof damage at 7077 Sparta Pike and a carport was destroyed at a neighboring home. Another mobile home had most of its metal roof blown off on Linwood Road and several trees were blown down on both sides of the roadway. The tornado intensified as it crossed New Town Road where 2 homes suffered roof damage and dozens of trees were snapped or uprooted in all directions. Another home had roof damage on Parkenson Road where many more trees were snapped and uprooted. The most severe damage occurred along South Commerce Road, where one home suffered considerable roof and siding damage, and the attached garage was knocked off the slab foundation and collapsed. However, the garage was not properly attached to the foundation. An adjacent barn was completely destroyed with debris blown over 200 yards to the southeast. Another barn further south on South Commerce Road was heavily damaged, and the wastewater plant across the road received minor damage. East of South Commerce Road, two wooden TVA high transmission power poles were snapped. A home sustained minor roof damage and a greenhouse was destroyed on the west side of Holmes Gap Road, while another home suffered heavy roof damage and an outbuilding was destroyed on the east side of the roadway. The tornado then weakened as it continued eastward, but still continued to blow down dozens of trees. An outbuilding suffered minor damage south of Hudson Road, and a large outbuilding was destroyed farther east at 850 Haley Road. Numerous more trees continued to be blown down across rural forests and fields to the east before the tornado crossed into Smith County.||In Smith County, the tornado caused EF-0 damage as it crossed Holmes Gap Road around 2 miles southwest of Brush Creek. Two old barns sustained damage on the west side of the roadway, while another barn on the east side was destroyed. Numerous tree were also blown down in the area. The tornado continued to blow down trees in forests to the north of Switchboard Road before dissipating into a large downburst that affected areas south of Brush Creek." +115029,690367,MASSACHUSETTS,2017,March,Strong Wind,"NORTHERN WORCESTER",2017-03-22 05:00:00,EST-5,2017-03-22 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure crossing Canada drew a cold front across New England the night of March 21. Brief snow squalls and strong gusty northwest winds followed on March 22.","At 255 PM EST, an amateur radio operator estimated a 50 mph wind gust in Fitchburg. Amateur radio also reported multiple trees and wires down around the city of Fitchburg, but with no specifics." +114609,687494,NEW YORK,2017,March,Winter Storm,"SOUTHERN QUEENS",2017-03-14 00:30:00,EST-5,2017-03-14 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","The public reported 7 to 9 inches of snow and sleet. A 46 mph wind gust was observed at JFK Airport at 3:58 pm. A pair of 2 story homes under construction collapsed on Beach 7th street due to strong winds." +113127,689155,TEXAS,2017,March,Tornado,"BRAZORIA",2017-03-05 12:05:00,CST-6,2017-03-05 12:06:00,0,0,0,0,0.00K,0,0.00K,0,28.94,-95.56,28.94,-95.56,"A couple of brief weak tornadoes touched down in open fields and caused no damage.","Tornado briefly touched down around the vicinity of FM 2611 and CR 659." +113033,675843,RHODE ISLAND,2017,March,Heavy Snow,"NORTHWEST PROVIDENCE",2017-03-14 02:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Snow began off and on before daybreak, then became heavy during the morning hours and tapered off in the early afternoon. Up to 2 to 3 inch per hour rates occurred. |Final totals ranged from roughly 7 to 13 inches in northwest Providence County. Some specific amounts included: 13.0 inches in Burrillville; 11.5 inches per a Co-Operative Observer in North Foster; 11.5 inches in Harrisville; 10.5 inches in Woonsocket; 9.3 inches in North Cumberland; and 6.5 inches in Cumberland." +113033,675844,RHODE ISLAND,2017,March,Heavy Snow,"SOUTHEAST PROVIDENCE",2017-03-14 02:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Snow began falling off-and-on before daybreak, then fell in earnest during the morning, before changing over to rain by noon. A NWS employee reported 5.5 inches in North Providence. The general public also reported 5.5 inches in Pawtucket." +113033,675845,RHODE ISLAND,2017,March,Heavy Snow,"WESTERN KENT",2017-03-14 02:00:00,EST-5,2017-03-14 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Snow began falling off-and-on before daybreak, then heavy snow fell during the morning hours. A trained spotter reported 9.0 inches in Coventry, RI." +115230,691870,NEW YORK,2017,March,Coastal Flood,"SOUTHERN WESTCHESTER",2017-03-14 11:00:00,EST-5,2017-03-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The USACE tidal gauge at Stamford recorded a peak water level of 10.9 ft. MLLW at 12 pm EST. This is 2 tenths of a foot under the moderate coastal flood threshold of 11.1 ft MLLW. The NOS tidal gauge at Kings Point recorded a peak water level of 10.8 ft MLLW at 112 pm EST. This is 3 tenths of a foot over the moderate coastal flood threshold of 10.5 ft MLLW, which was exceeded between 1206pm and 242pm EST. These water levels resulted in impassable roads in the City of Rye, specifically Milton Rd. at Hewlett Ave., Kirby Lane at Tide Mill, Pine Island Drive, and Stuyvesant Ave. near near the entrance to the American Yacht Club. These roads were impassable starting one hour prior to high tide, taking 3 hours to open roads.||The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with local emergency management." +115230,691856,NEW YORK,2017,March,Coastal Flood,"SOUTHEAST SUFFOLK",2017-03-14 12:00:00,EST-5,2017-03-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening low pressure system tracking up the eastern seaboard on Tuesday March 14th brought gale to storm force winds to the area waters, resulting in 2 to 4 feet of surge during the Tuesday morning high tidal cycle. This resulted in widespread minor to moderate coastal impacts to the region. Erosion impacts to the beachfront were mainly minor.","The USGS tidal gauge on the Peconic River at Riverhead recorded a peak water level of 6.8 ft. MLLW at 118 pm EST. The moderate coastal flood threshold of 6.1 ft. MLLW was exceeded from 1218pm to 336pm EST. These water levels resulted in reports of 1 to 2 feet of inundation along the Peconic Riverfront in Riverhead.||The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +115814,696927,CALIFORNIA,2017,January,Blizzard,"GREATER LAKE TAHOE AREA",2017-01-10 05:00:00,PST-8,2017-01-11 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 9th moved southeast slowly, reaching northern California on the 12th. This brought exceptional snowfall and a period of blizzard conditions to the Sierra with considerable impacts.","All major travel routes through the Tahoe Basin were shut down for more than 24 hours due to poor visibility. Interstate 80 was closed at 2256PST on the 9th due to zero visibility, with the closure lasting through 1300PST on the 11th. With heavy snow and blizzard conditions moving over the rest of the area by early afternoon on the 10th, CA route 267 (Brockway Summit) was closed around 1300PST. Highway 50 was also shut down." +114928,693125,CALIFORNIA,2017,January,Debris Flow,"NEVADA",2017-01-08 18:00:00,PST-8,2017-01-08 18:00:00,0,0,0,0,480.00K,480000,0.00K,0,39.3328,-120.2818,39.3332,-120.2865,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. Before warmer air moved into the region, there was a period of snow on the 7th as well as freezing rain in some lower valleys lasting into the morning of the 8th. Widespread rainfall totals of 3 to 7 inches fell in and near the Sierra, with heavier amounts between 8 and 12 inches near the Sierra crest.","A large mudslide near the Donner Lake Interchange on Interstate 80 caused the closure of the freeway. The westbound lanes closed at 1802PST, followed by the eastbound lanes (downed power lines) at 1918PST. The road was completely closed between Kingvale and Truckee until 0520PST on the 9th when it was opened for local traffic and law enforcement. The freeway was fully opened at 1040PST on the 9th. The damage estimate was obtained from a preliminary damage assessment from CALTRANS." +114927,693183,NEVADA,2017,January,Flood,"STOREY",2017-01-08 16:30:00,PST-8,2017-01-08 16:30:00,0,0,0,0,350.00K,350000,0.00K,0,39.3115,-119.6353,39.318,-119.5977,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Six Mile Canyon Road was closed due to washouts and heavy damage. The cost to repair the damage is an estimate by the Storey County Public Works Director via a KTVN news article from April." +114927,693192,NEVADA,2017,January,Flood,"WASHOE",2017-01-08 15:00:00,PST-8,2017-01-08 15:30:00,0,0,0,0,7.00M,7000000,0.00K,0,39.9094,-119.5603,39.8544,-119.4737,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Highway 446 was destroyed by flood waters in more than 10 places on the southwest side of Pyramid Lake. Some sections were left with nearly 50-foot deep ravines. The highway was not re-opened to the public until early March. Repair cost based on Nevada Department of Transportation estimates from Reno-Gazette Journal article in February." +113876,681982,TEXAS,2017,March,Hail,"HARRIS",2017-03-29 10:15:00,CST-6,2017-03-29 10:15:00,0,0,0,0,0.00K,0,0.00K,0,29.9198,-95.1325,29.9198,-95.1325,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Penny sized hail was reported on Lake Houston near the dam." +113876,681983,TEXAS,2017,March,Hail,"HARRIS",2017-03-29 10:50:00,CST-6,2017-03-29 10:50:00,0,0,0,0,0.00K,0,0.00K,0,29.89,-95.57,29.89,-95.57,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Nickel sized hail was reported." +113876,681985,TEXAS,2017,March,Tornado,"LIBERTY",2017-03-29 12:23:00,CST-6,2017-03-29 12:25:00,0,0,0,0,0.00K,0,7.00K,7000,30.266,-95.1294,30.2672,-95.1285,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","An EF-0 tornado downed large trees along County Road 3740. There was an eyewitness to the tornado, and a video showed rapidly changing wind speed and direction." +113876,687225,TEXAS,2017,March,Flash Flood,"GALVESTON",2017-03-29 13:30:00,CST-6,2017-03-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,29.4948,-95.2221,29.4903,-95.1677,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Street flooding was reported across the Friendswood area." +113876,687227,TEXAS,2017,March,Flash Flood,"BRAZORIA",2017-03-29 13:33:00,CST-6,2017-03-29 15:15:00,0,0,0,0,0.00K,0,0.00K,0,29.5771,-95.3785,29.5215,-95.3854,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Street flooding was reported across the Pearland area." +115185,691830,WISCONSIN,2017,May,Thunderstorm Wind,"WAUKESHA",2017-05-17 18:22:00,CST-6,2017-05-17 18:27:00,0,0,0,0,3.00K,3000,0.00K,0,43.0653,-88.4727,43.0653,-88.4727,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Numerous trees and limbs down." +114351,685224,MONTANA,2017,May,Thunderstorm Wind,"LEWIS AND CLARK",2017-05-06 15:43:00,MST-7,2017-05-06 15:43:00,0,0,0,0,0.00K,0,0.00K,0,46.89,-112.11,46.89,-112.11,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Peak wind gust reported at the Sieben Flats DOT sensor." +114351,685227,MONTANA,2017,May,Thunderstorm Wind,"CASCADE",2017-05-06 16:58:00,MST-7,2017-05-06 16:58:00,0,0,0,0,0.00K,0,0.00K,0,47.43,-111.29,47.43,-111.29,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Estimated 60 mph wind gust 5 miles south of Great Falls in Fox Farm, Big Bend area." +114351,685232,MONTANA,2017,May,Thunderstorm Wind,"CASCADE",2017-05-06 17:01:00,MST-7,2017-05-06 17:01:00,0,0,0,0,0.00K,0,0.00K,0,47.46,-111.38,47.46,-111.38,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Power went out at WFO Great Falls. Currently running on backup power. Wind and lightning in area at the time." +114351,685234,MONTANA,2017,May,Thunderstorm Wind,"LEWIS AND CLARK",2017-05-06 15:05:00,MST-7,2017-05-06 15:05:00,0,0,0,0,0.00K,0,0.00K,0,46.58,-112.25,46.58,-112.25,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Peak wind gust at employee's residence. Pea size hail also reported." +113197,677194,KENTUCKY,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-27 17:51:00,EST-5,2017-03-27 17:51:00,0,0,0,0,15.00K,15000,0.00K,0,37.7985,-85.1058,37.7985,-85.1058,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The southwest corner of a large, well-constructed barn was blown in, with several roofing panels removed." +112887,674397,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 04:00:00,EST-5,2017-03-01 04:00:00,0,0,0,0,75.00K,75000,0.00K,0,38.1,-84.56,38.1,-84.56,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey team observed straight line wind damage at Masterson Station near Blackburn Correctional Facility where over 50 trees were snapped or uprooted, many of which were cedars or other conifers. All the damage was from the west-southwest to east-northeast. On the prison property, a metal outbuilding door and part of the roof sustained damage. Winds were estimated at 60 to 70 mph." +112887,674398,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 04:00:00,EST-5,2017-03-01 04:00:00,0,0,0,0,30.00K,30000,0.00K,0,38.11,-84.54,38.11,-84.54,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Kentucky State officials reported severe thunderstorm damage to roofs, trees and transformers on Yarnallton Pike. There was also damage to siding on Winding Oak Trail." +116211,698662,ILLINOIS,2017,May,Strong Wind,"WAYNE",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698663,ILLINOIS,2017,May,Strong Wind,"HAMILTON",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698664,ILLINOIS,2017,May,Strong Wind,"WHITE",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698665,ILLINOIS,2017,May,Strong Wind,"EDWARDS",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698666,ILLINOIS,2017,May,Strong Wind,"WABASH",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116258,698931,INDIANA,2017,May,Strong Wind,"GIBSON",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +116258,698932,INDIANA,2017,May,Strong Wind,"POSEY",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +116258,698933,INDIANA,2017,May,Strong Wind,"SPENCER",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +115206,695943,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-27 19:30:00,CST-6,2017-05-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-96.49,34.36,-96.49,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695944,OKLAHOMA,2017,May,Hail,"ATOKA",2017-05-27 19:49:00,CST-6,2017-05-27 19:49:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-96.41,34.37,-96.41,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115204,695093,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-22 17:16:00,CST-6,2017-05-22 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-99.42,35.37,-99.42,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695094,OKLAHOMA,2017,May,Hail,"WASHITA",2017-05-22 17:32:00,CST-6,2017-05-22 17:32:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-99.26,35.43,-99.26,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695095,OKLAHOMA,2017,May,Hail,"CUSTER",2017-05-22 18:00:00,CST-6,2017-05-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-98.96,35.51,-98.96,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695096,OKLAHOMA,2017,May,Hail,"CUSTER",2017-05-22 18:03:00,CST-6,2017-05-22 18:03:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-98.96,35.51,-98.96,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695097,OKLAHOMA,2017,May,Hail,"GREER",2017-05-22 18:15:00,CST-6,2017-05-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-99.31,34.93,-99.31,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695098,OKLAHOMA,2017,May,Hail,"HARMON",2017-05-22 18:40:00,CST-6,2017-05-22 18:40:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-99.77,34.8,-99.77,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695099,OKLAHOMA,2017,May,Hail,"HARMON",2017-05-22 19:00:00,CST-6,2017-05-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-99.77,34.67,-99.77,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115204,695100,OKLAHOMA,2017,May,Hail,"TILLMAN",2017-05-22 19:55:00,CST-6,2017-05-22 19:55:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-98.75,34.51,-98.75,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +117083,705169,KANSAS,2017,May,Hail,"MEADE",2017-05-16 14:48:00,CST-6,2017-05-16 14:48:00,0,0,0,0,,NaN,,NaN,37.12,-100.17,37.12,-100.17,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705170,KANSAS,2017,May,Hail,"NESS",2017-05-16 14:54:00,CST-6,2017-05-16 14:54:00,0,0,0,0,,NaN,,NaN,38.37,-100.18,38.37,-100.18,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705171,KANSAS,2017,May,Hail,"NESS",2017-05-16 15:10:00,CST-6,2017-05-16 15:10:00,0,0,0,0,,NaN,,NaN,38.55,-100.2,38.55,-100.2,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705173,KANSAS,2017,May,Hail,"ELLIS",2017-05-16 15:22:00,CST-6,2017-05-16 15:22:00,0,0,0,0,,NaN,,NaN,38.92,-99.2,38.92,-99.2,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +112953,674907,ILLINOIS,2017,February,Hail,"MERCER",2017-02-28 20:45:00,CST-6,2017-02-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-90.55,41.29,-90.55,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A citizen reported dime to quarter size hail and strong winds. Damage to home siding occurred." +117083,705174,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:28:00,CST-6,2017-05-16 15:28:00,0,0,0,0,,NaN,,NaN,37.99,-100.97,37.99,-100.97,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705175,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:29:00,CST-6,2017-05-16 15:29:00,0,0,0,0,,NaN,,NaN,37.99,-100.98,37.99,-100.98,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117084,706873,KANSAS,2017,May,Tornado,"FORD",2017-05-18 15:18:00,CST-6,2017-05-18 15:21:00,0,0,0,0,0.00K,0,0.00K,0,37.5904,-99.8839,37.5884,-99.8897,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","This landspout moved southwest and developed as the first was dissipating." +115206,695921,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 17:47:00,CST-6,2017-05-27 17:47:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.33,34.18,-97.33,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695922,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 17:50:00,CST-6,2017-05-27 17:50:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-97.26,34.2,-97.26,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695924,OKLAHOMA,2017,May,Hail,"MURRAY",2017-05-27 17:58:00,CST-6,2017-05-27 17:58:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.14,34.5,-97.14,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695925,OKLAHOMA,2017,May,Hail,"MURRAY",2017-05-27 18:26:00,CST-6,2017-05-27 18:26:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.12,34.5,-97.12,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695926,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 18:28:00,CST-6,2017-05-27 18:28:00,0,0,0,0,0.00K,0,0.00K,0,34.29,-96.98,34.29,-96.98,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +114107,685971,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MIFFLIN",2017-05-01 17:56:00,EST-5,2017-05-01 17:56:00,0,0,0,0,7.00K,7000,0.00K,0,40.6425,-77.5616,40.6425,-77.5616,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near Burnham." +114107,685974,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:35:00,EST-5,2017-05-01 17:35:00,0,0,0,0,7.00K,7000,0.00K,0,40.7806,-77.799,40.7806,-77.799,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near the Pennsylvania Military Museum." +114107,685979,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:30:00,EST-5,2017-05-01 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,40.7954,-77.8675,40.7954,-77.8675,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down a pine tree across Burrowes Road at Waring Commons on the Pennsylvania State University campus." +114107,685981,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 17:19:00,EST-5,2017-05-01 17:19:00,0,0,0,0,3.00K,3000,0.00K,0,40.7146,-78.0154,40.7146,-78.0154,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down across a road northwest of Pennsylvania Furnace." +114107,685985,PENNSYLVANIA,2017,May,Thunderstorm Wind,"UNION",2017-05-01 18:25:00,EST-5,2017-05-01 18:25:00,0,0,0,0,10.00K,10000,0.00K,0,40.9171,-77.0467,40.9171,-77.0467,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees in Mifflinburg, including a tree on a car on Market Street." +114533,687105,TEXAS,2017,May,Tornado,"RUSK",2017-05-11 19:42:00,CST-6,2017-05-11 19:44:00,0,0,0,0,500.00K,500000,0.00K,0,31.8442,-94.4768,31.86,-94.4618,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","This is a continuation of the Nacogdoches County EF-2 tornado that initially touched down just southwest of Garrison along Highway 59. Additional EF-2 damage, with estimated winds of 115-120 mph occurred in the extreme southeast corner of Rusk County along Highway 59, where the tornado tore through a chicken farm, destroying one chicken coop and killing all chickens, while also damaging 5 other coops. Several homes sustained roof damage from snapped or uprooted trees, and at least 20 outbuildings were damaged or destroyed. The tornado also snapped several power poles in this area and continued northeast along Highway 59 into Northwest Shelby County." +114545,686956,TEXAS,2017,May,Hail,"CROSBY",2017-05-14 17:00:00,CST-6,2017-05-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,33.68,-101.38,33.68,-101.38,"Numerous high based thunderstorms developed late this afternoon from the central South Plains northeast to the far southeast Panhandle within a persistent axis of diffluence aloft. Although dewpoints were only in the 40s and mixed layer CAPE values were below 1000 J/kg, ample downdraft CAPE resulted in some of these pulse storms producing downbursts with one storm even producing hail to ping pong ball size.","A resident of Ralls reported sporadic hail as large as ping pong balls. No damage was observed." +114545,686957,TEXAS,2017,May,Thunderstorm Wind,"HOCKLEY",2017-05-14 18:50:00,CST-6,2017-05-14 18:50:00,0,0,0,0,0.00K,0,0.00K,0,33.73,-102.19,33.73,-102.19,"Numerous high based thunderstorms developed late this afternoon from the central South Plains northeast to the far southeast Panhandle within a persistent axis of diffluence aloft. Although dewpoints were only in the 40s and mixed layer CAPE values were below 1000 J/kg, ample downdraft CAPE resulted in some of these pulse storms producing downbursts with one storm even producing hail to ping pong ball size.","Measured by a Texas Tech University West Texas mesonet." +114665,688158,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:47:00,CST-6,2017-05-20 16:47:00,0,0,0,0,1.00K,1000,0.00K,0,34.85,-86.46,34.85,-86.46,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Thunderstorm winds knocked a tree onto a home." +114665,688161,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:50:00,CST-6,2017-05-20 16:50:00,0,0,0,0,0.20K,200,0.00K,0,34.8,-86.49,34.8,-86.49,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Tree limbs were knocked down along Homer Nance Road." +114665,688162,ALABAMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-20 17:15:00,CST-6,2017-05-20 17:15:00,0,0,0,0,,NaN,,NaN,34.86,-86.21,34.86,-86.21,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Trees were knocked down along State Road 65 between Princeton and Estillfork." +114665,688163,ALABAMA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-20 17:03:00,CST-6,2017-05-20 17:03:00,0,0,0,0,,NaN,,NaN,34.7,-86.25,34.7,-86.25,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Trees were knocked down along CR 8." +114665,688164,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:50:00,CST-6,2017-05-20 16:50:00,0,0,0,0,0.20K,200,,NaN,34.82,-86.48,34.82,-86.48,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto power lines." +114922,689364,FLORIDA,2017,May,Thunderstorm Wind,"HILLSBOROUGH",2017-05-24 14:05:00,EST-5,2017-05-24 14:05:00,0,0,0,0,2.50K,2500,0.00K,0,27.96,-82.29,27.96,-82.29,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Hillsborough County Emergency Management reported that multiple trees were down on the corner of Parsons Ave and Windhorst Rd in Brandon." +114922,689376,FLORIDA,2017,May,Strong Wind,"COASTAL PASCO",2017-05-24 10:25:00,EST-5,2017-05-24 10:25:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Local amateur radio operator reported a few trees down across a road near New Port Richey. The gusty winds were associated with a strong gradient out ahead of an approaching storm system." +114922,689543,FLORIDA,2017,May,Thunderstorm Wind,"MANATEE",2017-05-24 13:48:00,EST-5,2017-05-24 13:48:00,0,0,0,0,20.00K,20000,0.00K,0,27.4622,-82.5254,27.4622,-82.5254,"A late-season frontal boundary pushed through the state. Strong gradient winds were associated with the system which led to minor coastal flooding in a few locations. A few strong to severe storms developed ahead of the front which produced gusty winds across parts of the area.","Southern Manatee Fire & Rescue reported damage to roofs fences, and trees around 30th Street East and 44th Avenue East in Bradenton." +114929,689365,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 15:47:00,MST-7,2017-05-26 15:52:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-104.86,39.12,-104.86,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114929,689366,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 15:50:00,MST-7,2017-05-26 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-104.85,39.12,-104.85,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114929,689367,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 16:12:00,MST-7,2017-05-26 16:17:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-104.6,39.06,-104.6,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114929,689368,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 16:35:00,MST-7,2017-05-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-104.48,39.03,-104.48,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114929,689369,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 16:50:00,MST-7,2017-05-26 16:55:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-104.42,39.03,-104.42,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114929,689370,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 17:26:00,MST-7,2017-05-26 17:31:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-104.33,38.96,-104.33,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +115087,690769,ILLINOIS,2017,May,Thunderstorm Wind,"OGLE",2017-05-17 17:08:00,CST-6,2017-05-17 17:08:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-89.4,42.12,-89.4,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Trees that were approximately 12 inches in diameter were blown down." +115087,690774,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:10:00,CST-6,2017-05-17 17:10:00,0,0,0,0,0.00K,0,0.00K,0,42.2871,-89.1708,42.2871,-89.1708,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A 65 mph wind gust was recorded at WTVO." +115087,690776,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:15:00,CST-6,2017-05-17 17:15:00,0,0,0,0,,NaN,0.00K,0,42.31,-89.36,42.31,-89.36,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Numerous mature trees were snapped and uprooted. Some of the trees were up to four feet in diameter. Trees and limbs fell onto power lines. Power poles were blown down. A 10 foot by 8 foot chicken coop was blown into a nearby field." +115087,690790,ILLINOIS,2017,May,Thunderstorm Wind,"KENDALL",2017-05-17 23:05:00,CST-6,2017-05-17 23:05:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-88.26,41.57,-88.26,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +115087,690798,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-17 17:17:00,CST-6,2017-05-17 17:22:00,0,0,0,0,0.00K,0,0.00K,0,42.2967,-89.2396,42.2967,-89.2396,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +114776,688422,LOUISIANA,2017,May,Thunderstorm Wind,"CADDO",2017-05-23 16:50:00,CST-6,2017-05-23 16:50:00,0,0,0,0,0.00K,0,0.00K,0,32.8733,-94.0416,32.8733,-94.0416,"A longwave trough across the Northern Plains became cutoff from the westerlies and slowly shifted southward into the Mid Mississippi Valley during the afternoon and evening hours of May 23rd. A piece of energy rotated around the large cutoff low itself and moved into the Southern Plains and Lower Mississippi Valley. Overcast skies during the morning hours gave way to some sun during the afternoon which allowed the atmosphere to destabilize along and ahead of a cold front. Scattered to numerous showers and thunderstorms developed in this airmass across the region with a few of these storms producing strong damaging wind gusts and small hail.","Multiple trees were reported downed on Cass County Road and Stateline Road northwest of Vivian. Power lines were downed as well." +114776,688421,LOUISIANA,2017,May,Hail,"CADDO",2017-05-23 16:45:00,CST-6,2017-05-23 16:45:00,0,0,0,0,0.00K,0,0.00K,0,32.8735,-93.9864,32.8735,-93.9864,"A longwave trough across the Northern Plains became cutoff from the westerlies and slowly shifted southward into the Mid Mississippi Valley during the afternoon and evening hours of May 23rd. A piece of energy rotated around the large cutoff low itself and moved into the Southern Plains and Lower Mississippi Valley. Overcast skies during the morning hours gave way to some sun during the afternoon which allowed the atmosphere to destabilize along and ahead of a cold front. Scattered to numerous showers and thunderstorms developed in this airmass across the region with a few of these storms producing strong damaging wind gusts and small hail.","Nickel size hail fell at the Vivian Police Department." +115164,691355,ARKANSAS,2017,May,Thunderstorm Wind,"SEVIER",2017-05-28 00:45:00,CST-6,2017-05-28 00:45:00,0,0,0,0,0.00K,0,0.00K,0,33.941,-94.3584,33.941,-94.3584,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Several trees were blown down in Horatio." +115164,691354,ARKANSAS,2017,May,Thunderstorm Wind,"SEVIER",2017-05-28 00:45:00,CST-6,2017-05-28 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.0455,-94.2759,34.0455,-94.2759,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","Several large trees were blown down at the Weyerhaeuser office just east of De Queen." +115177,697983,MISSOURI,2017,May,Thunderstorm Wind,"OREGON",2017-05-27 03:09:00,CST-6,2017-05-27 03:09:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-91.54,36.53,-91.54,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A large tree and several large tree limbs were blown down on Middleton Road." +115177,697985,MISSOURI,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 13:10:00,CST-6,2017-05-27 13:10:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-93.44,38.28,-93.44,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Officials at Truman State Park reported wind gusts up to 60 mph and nickel size hail." +115177,697986,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-27 13:30:00,CST-6,2017-05-27 13:30:00,0,0,0,0,5.00K,5000,0.00K,0,38.37,-92.99,38.37,-92.99,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several power lines were blown down on Highway 135." +115177,697987,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-27 13:30:00,CST-6,2017-05-27 13:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-92.83,38.2,-92.83,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Numerous trees were blown down along Highway 5." +115177,697988,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-27 13:30:00,CST-6,2017-05-27 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,38.31,-92.83,38.31,-92.83,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was significant roof and structure damage. Numerous large trees were blown." +115177,697989,MISSOURI,2017,May,Thunderstorm Wind,"POLK",2017-05-27 13:35:00,CST-6,2017-05-27 13:35:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-93.27,37.46,-93.27,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Multiple large trees were blown down." +115177,697990,MISSOURI,2017,May,Thunderstorm Wind,"MILLER",2017-05-27 14:00:00,CST-6,2017-05-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-92.58,38.35,-92.58,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A large tree was blown down at Rock Island Park." +115166,691479,TEXAS,2017,May,Flash Flood,"CHEROKEE",2017-05-28 18:30:00,CST-6,2017-05-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6632,-95.0013,31.6638,-94.9984,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Highway 21 was flooded near the Linwood community." +115166,691480,TEXAS,2017,May,Flash Flood,"CHEROKEE",2017-05-28 18:35:00,CST-6,2017-05-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6344,-95.0705,31.6343,-95.0696,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Farm to Market Road 1911 was flooded just south of Alto." +115268,692431,KENTUCKY,2017,May,Thunderstorm Wind,"HOPKINS",2017-05-27 16:30:00,CST-6,2017-05-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-87.6682,37.38,-87.6682,"An organized severe weather outbreak affected western Kentucky with numerous damaging wind gusts and isolated large hail. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and western Kentucky in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the area on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual storm cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in locally heavy rain. Rainfall totals of 1.5 to 3 inches were observed from southeast Missouri into Carlisle and northern Graves Counties in Kentucky.","A trained spotter estimated wind gusts around 60 mph at mile marker 10 on U.S. Highway 41A." +120506,723209,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-22 13:58:00,MST-7,2017-10-22 13:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Military site 9 miles east of Windham." +120506,723208,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 14:35:00,MST-7,2017-10-22 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Mesonet site 13 miles SSE of Forestgrove." +112955,674922,IOWA,2017,February,Hail,"CLINTON",2017-02-28 16:13:00,CST-6,2017-02-28 16:13:00,0,0,0,0,0.00K,0,0.00K,0,41.79,-90.25,41.79,-90.25,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Spotters reported dime size hail falling." +112955,674924,IOWA,2017,February,Hail,"CLINTON",2017-02-28 16:18:00,CST-6,2017-02-28 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.79,-90.26,41.79,-90.26,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A mix of pea to quarter size hail reported through the official COOP weather observer." +112955,674923,IOWA,2017,February,Hail,"MUSCATINE",2017-02-28 16:14:00,CST-6,2017-02-28 16:14:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-91.26,41.57,-91.26,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported quarter size hail." +112955,674925,IOWA,2017,February,Hail,"CLINTON",2017-02-28 17:10:00,CST-6,2017-02-28 17:14:00,0,0,0,0,0.00K,0,0.00K,0,41.79,-90.26,41.79,-90.26,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","The COOP observer reports a second round of pea to nickel size hail." +121208,725621,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:52:00,EST-5,2017-10-15 15:52:00,0,0,0,0,8.00K,8000,0.00K,0,42.64,-78.14,42.64,-78.14,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725622,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:53:00,EST-5,2017-10-15 15:53:00,0,0,0,0,10.00K,10000,0.00K,0,43.18,-77.57,43.18,-77.57,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725623,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:53:00,EST-5,2017-10-15 15:53:00,0,0,0,0,8.00K,8000,0.00K,0,43.18,-77.58,43.18,-77.58,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Crombie Street." +121208,725624,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:54:00,EST-5,2017-10-15 15:54:00,0,0,0,0,5.00K,5000,0.00K,0,43.21,-77.42,43.21,-77.42,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Broadcast media showed a large tree downed by thunderstorm winds." +114847,688945,KENTUCKY,2017,May,Flash Flood,"CARTER",2017-05-20 15:40:00,EST-5,2017-05-20 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,38.33,-82.8,38.3268,-82.7864,"A warm front lifted across the Middle Ohio River Valley during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","Williams Creek and some of its smaller tributaries came out of their banks, causing floding along State Highway 1654 west of Rush." +115568,693957,KANSAS,2017,May,Thunderstorm Wind,"DECATUR",2017-05-09 22:41:00,CST-6,2017-05-09 22:41:00,0,0,0,0,0.00K,0,0.00K,0,39.8327,-100.5392,39.8327,-100.5392,"Strong to severe thunderstorms moved north across Northwest Kansas in the evening. The largest hail size reported was golf ball north of Ruleton. Near McDonald there was so much hail on Highway 36 a vehicle slid into the ditch. The strongest wind gust that occurred with the storms was 65 MPH at the Oberlin airport.","" +115550,694017,TEXAS,2017,May,Thunderstorm Wind,"WINKLER",2017-05-22 19:39:00,CST-6,2017-05-22 19:39:00,0,0,0,0,,NaN,,NaN,31.78,-103.2,31.78,-103.2,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Winkler County and produced a 62 mph wind gust at the Winkler County Airport." +115550,694018,TEXAS,2017,May,Thunderstorm Wind,"ECTOR",2017-05-22 20:34:00,CST-6,2017-05-22 20:34:00,0,0,0,0,,NaN,,NaN,31.8777,-102.2913,31.8777,-102.2913,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","A thunderstorm moved across Ector County and produced a 60 mph wind gust five miles east northeast of Odessa." +114362,685283,SOUTH DAKOTA,2017,May,Hail,"LAWRENCE",2017-05-07 13:48:00,MST-7,2017-05-07 13:48:00,0,0,0,0,0.00K,0,0.00K,0,44.5233,-103.7355,44.5233,-103.7355,"A thunderstorm produced hail around penny size south of St. Onge.","" +114990,689971,SOUTH DAKOTA,2017,May,Hail,"CUSTER",2017-05-13 17:00:00,MST-7,2017-05-13 17:03:00,0,0,0,0,0.00K,0,0.00K,0,43.7755,-103.5815,43.7755,-103.5815,"A thunderstorm produced nickel sized hail in the Custer area.","" +114992,689985,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"OGLALA LAKOTA",2017-05-14 22:55:00,MST-7,2017-05-14 22:55:00,0,0,0,0,,NaN,0.00K,0,43,-102.516,43,-102.516,"A severe thunderstorm clipped far southern Oglala Lakota County, bringing strong wind gusts to the Pine Ridge area.","A mobile home was moved off its blocks southeast of Pine Ridge, with some damage to outbuildings and sheds as well." +114994,689987,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"TODD",2017-05-15 02:45:00,CST-6,2017-05-15 02:45:00,0,0,0,0,0.00K,0,0.00K,0,43.32,-101.1394,43.32,-101.1394,"A thunderstorm produced wind gusts to 80 mph west of Parmalee.","Event time was estimated from radar." +114995,690000,WYOMING,2017,May,Hail,"CAMPBELL",2017-05-15 15:15:00,MST-7,2017-05-15 15:15:00,0,0,0,0,,NaN,0.00K,0,44.8035,-105.6306,44.8035,-105.6306,"A supercell thunderstorm tracked eastward across far northern Campbell and northern Crook Counties. The storm produced large hail and wind gusts around 60 mph.","Hail to ping pong ball size accumulated two inches deep along Bay Horse Road." +114995,690003,WYOMING,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-15 15:13:00,MST-7,2017-05-15 15:13:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-105.84,44.71,-105.84,"A supercell thunderstorm tracked eastward across far northern Campbell and northern Crook Counties. The storm produced large hail and wind gusts around 60 mph.","The strong winds moved a horse trailer across the yard at Spotted Horse." +114982,689875,KENTUCKY,2017,May,Thunderstorm Wind,"ESTILL",2017-05-27 16:00:00,EST-5,2017-05-27 16:00:00,0,0,0,0,,NaN,,NaN,37.69,-84,37.69,-84,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A tree was blown down." +114982,689874,KENTUCKY,2017,May,Lightning,"POWELL",2017-05-27 15:05:00,EST-5,2017-05-27 15:05:00,0,0,0,0,1.00K,1000,,NaN,37.86,-83.93,37.86,-83.93,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Lightning struck a tree, causing the tree to fall onto a nearby home. The event occurred near the intersection of Hwy 11 and Hwy 15 in Clay City." +114982,689876,KENTUCKY,2017,May,Thunderstorm Wind,"LETCHER",2017-05-27 17:27:00,EST-5,2017-05-27 17:27:00,0,0,0,0,,NaN,,NaN,37.11,-82.86,37.11,-82.86,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Trees were blown down." +114982,689877,KENTUCKY,2017,May,Thunderstorm Wind,"LETCHER",2017-05-27 17:27:00,EST-5,2017-05-27 17:27:00,0,0,0,0,,NaN,,NaN,37.12,-82.85,37.12,-82.85,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A large tree was blown down and was blocking both lanes of a roadway." +112887,674489,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,40.00K,40000,0.00K,0,38.28,-84.52,38.28,-84.52,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local amateur radio reported severe thunderstorm winds resulted in structural damage to a business." +112887,674490,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,40.00K,40000,0.00K,0,38.27,-84.54,38.27,-84.54,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local amateur radio reported a business lost a roof due to severe thunderstorm winds." +112887,675651,KENTUCKY,2017,March,Thunderstorm Wind,"HARDIN",2017-03-01 06:53:00,EST-5,2017-03-01 06:53:00,0,0,0,0,50.00K,50000,0.00K,0,37.8,-85.99,37.8,-85.99,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","An off duty NWS employee reported 3 telephone poles snapped along Crume Road." +112887,675653,KENTUCKY,2017,March,Thunderstorm Wind,"SPENCER",2017-03-01 06:58:00,EST-5,2017-03-01 06:58:00,0,0,0,0,100.00K,100000,0.00K,0,38.1,-85.44,38.1,-85.44,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey team found straight line wind damage of approximately 50 to 60 mph just east of Whitfield, Kentucky on the Bullitt and Spencer County lines, and east into Spencer County. There was damage to a RV and its shed. In Spencer County, a roof was blown off of an older barn, and an older shed was moved off its piers. In addition, numerous cedar trees were blown over and large branches of hardwood trees were broken off. Overall, damage extended 1.25 miles east of where it began on the Spencer and Bullitt County line. The duration of the thunderstorm wind event was approximately 1 minute." +112887,675654,KENTUCKY,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-01 07:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-84.83,38.03,-84.83,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Trained spotters reported trees snapped or uprooted in various parts of the county." +115295,697054,ILLINOIS,2017,May,Flood,"RICHLAND",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7302,-88.2564,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Richland County. Several streets in the city of Olney were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly north of U.S. Highway 50. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115236,697198,IOWA,2017,May,Hail,"WINNESHIEK",2017-05-15 17:51:00,CST-6,2017-05-15 17:52:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-91.95,43.2,-91.95,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Quarter to walnut sized hail fell in Spillville." +115236,691863,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-15 16:55:00,CST-6,2017-05-15 16:55:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-92.87,42.96,-92.87,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","An estimated 60 mph wind gust occurred in Marble Rock." +115570,697369,KANSAS,2017,May,Flood,"SHERMAN",2017-05-11 03:00:00,MST-7,2017-05-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2595,-101.5217,39.2591,-101.5217,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Between three and five inches of rain fell causing one of the streams at the headwaters of the South Fork of the Sappa to flood CR 30 about a third of a mile south of the CR 59/30 intersection." +115570,697381,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-11 00:00:00,MST-7,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2116,-101.578,39.211,-101.578,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to four inches of rain fell causing a stream at the headwaters of the North Fork of the Smokey River to flood CR 27 1.5 S of the CR 57/27 intersection." +114790,688889,NEBRASKA,2017,May,Thunderstorm Wind,"HARLAN",2017-05-15 19:57:00,CST-6,2017-05-15 19:57:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-99.54,40.31,-99.54,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","" +115436,693131,IOWA,2017,May,Hail,"HAMILTON",2017-05-15 12:42:00,CST-6,2017-05-15 12:42:00,0,0,0,0,5.00K,5000,0.00K,0,42.3,-93.64,42.3,-93.64,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Coop observer reported up to ping pong ball sized hail covering the ground in west Jewell. Time estimated by radar." +116144,701585,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-18 21:10:00,CST-6,2017-05-18 21:10:00,0,0,0,0,0.00K,0,0.00K,0,36.4466,-95.7087,36.4466,-95.7087,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,701598,OKLAHOMA,2017,May,Hail,"HASKELL",2017-05-18 22:15:00,CST-6,2017-05-18 22:15:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-94.97,35.15,-94.97,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +114198,698505,MISSOURI,2017,May,Flood,"POLK",2017-05-03 09:33:00,CST-6,2017-05-03 11:33:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-93.52,37.7903,-93.5223,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway V was closed at Panther Creek due to flooding." +114198,698506,MISSOURI,2017,May,Flood,"HICKORY",2017-05-03 09:30:00,CST-6,2017-05-03 11:30:00,0,0,0,0,0.00K,0,0.00K,0,38.0256,-93.1438,38.0263,-93.1419,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway P was closed due to flooding along Jordon Creek." +114198,698509,MISSOURI,2017,May,Flood,"DALLAS",2017-05-03 10:05:00,CST-6,2017-05-03 12:05:00,0,0,0,0,0.00K,0,0.00K,0,37.8969,-93.0933,37.8977,-93.1043,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway BB was closed due to flooding." +114198,698511,MISSOURI,2017,May,Flood,"LACLEDE",2017-05-03 09:06:00,CST-6,2017-05-03 11:06:00,0,0,0,0,0.00K,0,0.00K,0,37.8036,-92.4327,37.8027,-92.4318,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway FF was closed due to flooding." +114198,698512,MISSOURI,2017,May,Flood,"PULASKI",2017-05-03 08:55:00,CST-6,2017-05-03 10:55:00,0,0,0,0,0.00K,0,0.00K,0,37.9604,-92.1154,37.9597,-92.1099,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway O was closed due to flooding." +114198,698513,MISSOURI,2017,May,Flood,"BARTON",2017-05-03 11:35:00,CST-6,2017-05-03 13:35:00,0,0,0,0,0.00K,0,0.00K,0,37.4056,-94.3003,37.4058,-94.3021,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","The outer road of I-49 was closed due to flooding." +114198,698514,MISSOURI,2017,May,Flood,"BARTON",2017-05-03 11:21:00,CST-6,2017-05-03 13:21:00,0,0,0,0,0.00K,0,0.00K,0,37.4613,-94.5552,37.4603,-94.5567,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway M was closed due to flooding." +116112,697865,MISSISSIPPI,2017,May,Thunderstorm Wind,"RANKIN",2017-05-28 23:36:00,CST-6,2017-05-28 23:36:00,0,0,0,0,5.00K,5000,0.00K,0,32.28,-89.97,32.28,-89.97,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A few trees were blown down." +116112,697866,MISSISSIPPI,2017,May,Thunderstorm Wind,"SMITH",2017-05-28 23:50:00,CST-6,2017-05-28 23:50:00,0,0,0,0,3.00K,3000,0.00K,0,32.21,-89.69,32.21,-89.69,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A tree was blown down across Highway 13." +116112,697867,MISSISSIPPI,2017,May,Thunderstorm Wind,"RANKIN",2017-05-28 22:59:00,CST-6,2017-05-28 22:59:00,0,0,0,0,30.00K,30000,0.00K,0,32.1663,-90.1786,32.1663,-90.1786,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Multiple trees were blown down on Cleary Road, with trees on a house." +116112,697868,MISSISSIPPI,2017,May,Thunderstorm Wind,"SCOTT",2017-05-29 00:05:00,CST-6,2017-05-29 00:05:00,0,0,0,0,3.00K,3000,0.00K,0,32.23,-89.51,32.23,-89.51,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A tree was blown down across Highway 35." +116112,697869,MISSISSIPPI,2017,May,Flash Flood,"RANKIN",2017-05-29 01:00:00,CST-6,2017-05-29 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.28,-89.98,32.2798,-89.9776,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","There was significant flooding on Meadow Lane Drive." +116112,697870,MISSISSIPPI,2017,May,Flash Flood,"WINSTON",2017-05-30 14:40:00,CST-6,2017-05-30 15:45:00,0,0,0,0,15.00K,15000,0.00K,0,33.09,-89.09,33.0792,-89.0854,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","The soil underneath part of Highway 25 South washed away, which closed one lane." +116112,697871,MISSISSIPPI,2017,May,Flash Flood,"YAZOO",2017-05-30 15:45:00,CST-6,2017-05-30 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.88,-90.05,32.8825,-90.039,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Mississippi Highway 432 west of I-55 was closed due to flooding." +115955,696843,MISSOURI,2017,May,Flood,"SCOTT",2017-05-01 00:00:00,CST-6,2017-05-22 14:00:00,0,0,0,0,250.00K,250000,100.00K,100000,37.15,-89.45,37.156,-89.4335,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Major flooding occurred along the Mississippi River early in the month. At the Thebes, IL river gage, the river crested at 43.18 feet on the 6th. Flood stage is 33 feet. This flood crest was about two feet below the crest during the historic 2011 flood. There was extensive flooding of low-lying agricultural land and county roads. A couple dozen homes were threatened in Commerce, causing a partial evacuation of the town. A large portion of Route EE was closed. Three homes on Scott County Road 308 alongside the Mississippi River were underwater. Thousands of acres of cropland were flooded. The primary effect on residents near the river was difficult access due to flooded roads. Flood risk reduction measures that were installed after the massive flood of 2011 helped mitigate damage. Personnel from the U.S. Army Corps of Engineers conducted daily inspections of levees for seepage and other problems." +115955,698404,MISSOURI,2017,May,Flood,"BUTLER",2017-05-01 23:00:00,CST-6,2017-05-29 02:00:00,0,0,0,0,150.00K,150000,20.00K,20000,36.78,-90.22,36.7824,-90.2033,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Major flooding occurred on the St. Francis River. The river crested at 26.13 feet on the Fisk river gage on the night of the 2nd. The record crest is 28.00 feet in 1927. This part of the river is heavily regulated by the Wappapello Dam. Above the dam, the river was at record levels. Very large amounts of water were released by the dam ahead of the record crest to relieve pressure on the dam. The community of Fisk was endangered by the flooding." +115573,694016,WYOMING,2017,May,Tornado,"SWEETWATER",2017-05-26 11:40:00,MST-7,2017-05-26 11:53:00,0,0,0,0,1.00K,1000,0.00K,0,41.6437,-108.4234,41.6514,-108.2037,"A thunderstorm formed over southern Sweetwater County and took on supercell characteristics as it moved into eastern Sweetwater County. A funnel cloud formed after 12:30 pm and became a tornado as it moved east-northeast close to Interstate 80. For the most part, the tornado remained over open country and caused little damage. However, a windshield was blown out of an RV along Interstate 80. The weather sensor at Tipton reported a wind gust of 84 mph as well.","There were numerous reports of a tornado just north of Interstate 80. The tornado lifted and touched down numerous times as it moved eastward. A motor home had it's windshield blown out by strong winds, and an 84 mph wind gust was reported at the weather sensor near Tipton." +115915,696498,INDIANA,2017,May,Flood,"GIBSON",2017-05-02 12:00:00,CST-6,2017-05-20 16:00:00,0,0,0,0,20.00K,20000,10.00K,10000,38.4115,-87.7442,38.4138,-87.7018,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Wabash, White, and Patoka Rivers above flood stage for most of the month. Some of the river flooding was major. Rainfall totals from April 28-30 ranged from 5 to 10 inches across much of southwest Indiana, except 2 to 4 inches east of Evansville along the Ohio River.","Moderate flooding occurred on the Wabash River. At the Mt. Carmel river gage, the river crested at 30.62 feet on the 10th. Flood stage is 19 feet. Extensive flooding occurred in East Mount Carmel and surrounding western Gibson County. The road through East Mount Carmel was impassable. Most structures in this area were elevated 2 to 3 feet above the flood waters, however some evacuations were necessary. Vehicles were moved to higher ground. Numerous local river roads were flooded." +112887,675690,KENTUCKY,2017,March,Thunderstorm Wind,"ALLEN",2017-03-01 07:30:00,CST-6,2017-03-01 07:30:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-86.21,36.75,-86.21,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +116168,698189,IOWA,2017,May,Hail,"DALLAS",2017-05-17 14:03:00,CST-6,2017-05-17 14:03:00,0,0,0,0,0.00K,0,0.00K,0,41.5704,-93.8187,41.5704,-93.8187,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported quarter sized hail one half mile west of Jordan Creek Mall." +116168,698204,IOWA,2017,May,Thunderstorm Wind,"ADAIR",2017-05-17 14:55:00,CST-6,2017-05-17 14:55:00,0,0,0,0,40.00K,40000,0.00K,0,41.4932,-94.2814,41.4932,-94.2814,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported numerous instances across Guthrie County to the Adair County line of wind damage. This included 2 modular offices blown off I-80 2 miles east of Stuart." +116168,698207,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:00:00,CST-6,2017-05-17 15:00:00,0,0,0,0,40.00K,40000,0.00K,0,41.6884,-94.2221,41.6884,-94.2221,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported semi blown over into the ditch at the intersection of P46 and Highway 44." +116063,697572,TEXAS,2017,May,Hail,"ATASCOSA",2017-05-23 17:01:00,CST-6,2017-05-23 17:01:00,0,0,0,0,,NaN,,NaN,29.08,-98.43,29.08,-98.43,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail along I-37 near Leming." +116063,697573,TEXAS,2017,May,Hail,"HAYS",2017-05-23 17:14:00,CST-6,2017-05-23 17:14:00,0,0,0,0,,NaN,,NaN,30.08,-97.82,30.08,-97.82,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail at Cabela's in Buda." +116114,697877,TEXAS,2017,May,Hail,"EDWARDS",2017-05-28 14:44:00,CST-6,2017-05-28 14:44:00,0,0,0,0,5.00K,5000,,NaN,29.79,-100.68,29.79,-100.68,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced baseball size hail in Carta Valley." +116114,697878,TEXAS,2017,May,Hail,"EDWARDS",2017-05-28 14:55:00,CST-6,2017-05-28 14:55:00,0,0,0,0,5.00K,5000,,NaN,30.07,-100.02,30.07,-100.02,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced hail up to tea cup size along Hwy 41 northeast of Rocksprings." +116114,697879,TEXAS,2017,May,Hail,"REAL",2017-05-28 14:58:00,CST-6,2017-05-28 14:58:00,0,0,0,0,,NaN,,NaN,29.87,-99.93,29.87,-99.93,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced golf ball size hail northeast of Vance." +116114,697880,TEXAS,2017,May,Hail,"REAL",2017-05-28 15:30:00,CST-6,2017-05-28 15:30:00,0,0,0,0,,NaN,,NaN,29.74,-99.93,29.74,-99.93,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced ping pong ball size hail southeast of Vance." +116114,697881,TEXAS,2017,May,Hail,"EDWARDS",2017-05-28 15:32:00,CST-6,2017-05-28 15:32:00,0,0,0,0,,NaN,,NaN,29.99,-100.21,29.99,-100.21,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced ping pong ball size hail near Rocksprings." +116114,697882,TEXAS,2017,May,Hail,"VAL VERDE",2017-05-28 15:39:00,CST-6,2017-05-28 15:39:00,0,0,0,0,,NaN,,NaN,29.72,-100.83,29.72,-100.83,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced golf ball size hail near the intersection of Hwy 277 and Hwy 377 southwest of Carta Valley." +116114,697883,TEXAS,2017,May,Hail,"WILLIAMSON",2017-05-28 16:20:00,CST-6,2017-05-28 16:20:00,0,0,0,0,,NaN,,NaN,30.72,-97.92,30.72,-97.92,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced hail up to quarter size in Liberty Hill." +116114,697884,TEXAS,2017,May,Hail,"WILLIAMSON",2017-05-28 16:33:00,CST-6,2017-05-28 16:33:00,0,0,0,0,,NaN,,NaN,30.73,-97.93,30.73,-97.93,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","" +116436,700589,TEXAS,2017,May,High Wind,"DENTON",2017-05-18 21:25:00,CST-6,2017-05-18 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported a 60 MPH wind gust near Texas Motor Speedway, approximately 4 miles west-northwest of the city of Roanoke, TX." +116436,700587,TEXAS,2017,May,High Wind,"WISE",2017-05-18 20:36:00,CST-6,2017-05-18 20:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A trained spotter reported snapped tree branches and wind damage to roofs 5 miles north of the city of Rhome, TX., with an estimated wind gust of 75 MPH." +116436,700590,TEXAS,2017,May,High Wind,"DENTON",2017-05-18 21:43:00,CST-6,2017-05-18 22:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported a 60 MPH sustained wind with 70 MPH gusts 6.25 miles south-southwest of Northlake; lasting for approximately 20 minutes." +116436,700592,TEXAS,2017,May,High Wind,"DENTON",2017-05-18 21:45:00,CST-6,2017-05-18 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","The Denton Municipal Airport ASOS measured a 60 MPH non-thunderstorm wind gust." +116436,700593,TEXAS,2017,May,High Wind,"PARKER",2017-05-18 22:14:00,CST-6,2017-05-18 22:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Amateur radio reported a 62 MPH wind gust just north of the city of Reno, TX." +116436,701280,TEXAS,2017,May,Thunderstorm Wind,"TARRANT",2017-05-19 23:30:00,CST-6,2017-05-19 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.7558,-97.0704,32.7558,-97.0704,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A news article indicated that gusty winds associated with a thunderstorm caused safety sensors on a roller coaster at Six Flags to engage, trapping 8 passengers on the ride for 2 to 3 hours." +116530,700735,TEXAS,2017,May,Hail,"DEAF SMITH",2017-05-09 19:12:00,CST-6,2017-05-09 19:12:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-102.82,34.85,-102.82,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","" +116530,700734,TEXAS,2017,May,Hail,"DEAF SMITH",2017-05-09 19:03:00,CST-6,2017-05-09 19:03:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-102.87,34.83,-102.87,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","" +116530,700736,TEXAS,2017,May,Hail,"ARMSTRONG",2017-05-10 02:11:00,CST-6,2017-05-10 02:11:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.36,35.11,-101.36,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Late report. Time estimated by radar." +115031,701367,GEORGIA,2017,May,Drought,"WHITE",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +115031,701359,GEORGIA,2017,May,Drought,"DAWSON",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very wet May promoted drought recovery over north and central Georgia, with such a significant improvement that drought conditions ended over much of the area.||By the end of the month, only two counties (Lumpkin and White) in the headwaters of the Chattahoochee, upstream of Lake Lanier, remained in the D2 Severe Drought area. Moderate Drought and Abnormally Dry conditions also remained in a one-county periphery around the D2 zone, and across portions of east central Georgia. ||In total for the month, rainfall amounts ranged between 3 to 15 inches, with a majority of north and central Georgia receiving widespread 5 to 10 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 13 inches for the previous 365-day period, or generally 76 to 100 percent of normal. The 90-day rainfall deficits reflect the wet spring, with rainfall amounts at all locations ranging from 94 to 156 percent of normal. ||By the end of May, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month generally above the summer pool elevation. With the headwaters of the Chattahoochee still experiencing some drought conditions, Lake Lanier was still slow to fill, ending the month approximately 7 feet below summer pool.","" +116619,701389,GEORGIA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-20 16:40:00,EST-5,2017-05-20 16:50:00,0,0,0,0,10.00K,10000,,NaN,33.5149,-84.3537,33.5149,-84.3537,"Afternoon heating combined with a moist and moderately unstable atmosphere to produce isolated wind damage in parts of north Georgia.","A COOP observer reported a tree blown down onto a house at intersection of South Main Street and Chestnut Street in Jonesboro. No injuries were reported." +113616,684119,GEORGIA,2017,April,Hail,"TURNER",2017-04-05 14:28:00,EST-5,2017-04-05 14:28:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-83.65,31.7,-83.65,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684120,GEORGIA,2017,April,Hail,"TURNER",2017-04-05 14:45:00,EST-5,2017-04-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.71,-83.65,31.71,-83.65,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684121,GEORGIA,2017,April,Hail,"BEN HILL",2017-04-05 15:01:00,EST-5,2017-04-05 15:01:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-83.24,31.8,-83.24,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684122,GEORGIA,2017,April,Hail,"LANIER",2017-04-05 19:27:00,EST-5,2017-04-05 19:27:00,0,0,0,0,0.00K,0,0.00K,0,31.11,-83.07,31.11,-83.07,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684123,GEORGIA,2017,April,Hail,"LANIER",2017-04-05 19:27:00,EST-5,2017-04-05 19:27:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-83.07,31.04,-83.07,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684124,GEORGIA,2017,April,Thunderstorm Wind,"IRWIN",2017-04-05 19:42:00,EST-5,2017-04-05 19:42:00,0,0,0,0,0.00K,0,0.00K,0,31.56,-83.34,31.56,-83.34,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down on Bugle Lane at Highway 319." +116678,701554,OREGON,2017,May,Hail,"DESCHUTES",2017-05-04 21:20:00,PST-8,2017-05-04 21:40:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-121.3,44.07,-121.3,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Measure 2 inch hail occurred in northwest Bend in Deschutes county." +116706,701817,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-15 19:05:00,CST-6,2017-05-15 19:05:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-101.45,35.88,-101.45,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701818,TEXAS,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-15 19:22:00,CST-6,2017-05-15 19:22:00,0,0,0,0,0.00K,0,0.00K,0,36.01,-101.38,36.01,-101.38,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Winds estimated at 60 MPH." +113620,681485,TEXAS,2017,March,Thunderstorm Wind,"UPTON",2017-03-28 18:30:00,CST-6,2017-03-28 18:31:00,0,0,0,0,3.00K,3000,0.00K,0,31.2267,-101.936,31.2267,-101.936,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Upton County and produced wind damage in Rankin. There was a trampoline blown into the power lines, and a portable building was blown over behind the Rankin Drive In. The cost of damage is a very rough estimate." +116706,701819,TEXAS,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-15 19:40:00,CST-6,2017-05-15 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-101.19,36.02,-101.19,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701820,TEXAS,2017,May,Thunderstorm Wind,"HANSFORD",2017-05-15 20:09:00,CST-6,2017-05-15 20:09:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-101.09,36.19,-101.09,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Measured gust of 60 MPH." +116734,702043,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 19:45:00,EST-5,2017-05-18 19:50:00,0,0,0,0,0.00K,0,0.00K,0,44.2,-71.96,44.2,-71.96,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed numerous trees and utility poles in the area of Pettyboro and Dodge Roads in Bath." +116734,702044,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 19:51:00,EST-5,2017-05-18 19:56:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-72.06,44.03,-72.06,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Haverhill." +116734,702046,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"COOS",2017-05-18 19:54:00,EST-5,2017-05-18 19:58:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-71.57,44.49,-71.57,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Lancaster." +116734,702047,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 19:54:00,EST-5,2017-05-18 19:58:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-71.89,44.17,-71.89,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees in Landaff." +116734,702049,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:00:00,EST-5,2017-05-18 20:05:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-72.43,43.08,-72.43,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires on Route 12 in Walpole." +115243,694713,MISSOURI,2017,May,Flash Flood,"CHRISTIAN",2017-05-11 20:00:00,CST-6,2017-05-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0676,-93.0571,37.0733,-93.0543,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Highway U was flooded and closed at Pedelo Creek." +115243,694733,MISSOURI,2017,May,Thunderstorm Wind,"NEWTON",2017-05-10 23:34:00,CST-6,2017-05-10 23:34:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-94.53,36.91,-94.53,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Law enforcement estimated wind gusts up to 60 mph." +115243,694735,MISSOURI,2017,May,Thunderstorm Wind,"SHANNON",2017-05-11 17:57:00,CST-6,2017-05-11 17:57:00,0,0,0,0,0.00K,0,0.00K,0,37.1475,-91.4468,37.1475,-91.4468,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Several trees were uprooted." +115243,698520,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 14:19:00,CST-6,2017-05-11 14:19:00,0,0,0,0,,NaN,0.00K,0,36.84,-94.42,36.84,-94.42,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115243,698521,MISSOURI,2017,May,Tornado,"NEWTON",2017-05-10 23:34:00,CST-6,2017-05-10 23:35:00,0,0,0,0,100.00K,100000,0.00K,0,36.9052,-94.4182,36.9119,-94.4072,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","A brief EF-0 tornado touched down near the intersection of Gateway Drive and Jute Road north of Neosho. Several trees were uprooted. Several homes had minor damage to roofs. Several outbuildings and sheds were severely damaged. Estimated maximum winds were up to 85 mph." +115243,698748,MISSOURI,2017,May,Hail,"NEWTON",2017-05-11 14:18:00,CST-6,2017-05-11 14:18:00,0,0,0,0,,NaN,0.00K,0,36.84,-94.42,36.84,-94.42,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +114653,698453,MISSOURI,2017,May,Tornado,"OREGON",2017-05-19 02:12:00,CST-6,2017-05-19 02:13:00,0,0,0,0,50.00K,50000,0.00K,0,36.5307,-91.544,36.5358,-91.5347,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","An EF-0 tornado touched down on the northeast side of Thayer. Numerous trees were uprooted and damage. Some homes had minor damage. Estimated maximum winds were up to 85 mph." +114653,698494,MISSOURI,2017,May,Thunderstorm Wind,"MORGAN",2017-05-19 16:50:00,CST-6,2017-05-19 16:50:00,0,0,0,0,20.00K,20000,0.00K,0,38.31,-92.83,38.31,-92.83,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","There were pictures from social media of a large tree blown down on to a mobile home. There were power lines blown down as well." +115090,690932,INDIANA,2017,May,Tornado,"BENTON",2017-05-20 18:34:00,EST-5,2017-05-20 18:35:00,0,0,0,0,0.00K,0,0.00K,0,40.6566,-87.0997,40.6566,-87.0975,"A tornado touched down in far eastern Benton County over open fields. The tornado produced minor damage after it passed into White County.","Spotter reports as well as video footage confirm a tornado touched down near the Benton/White county line and tracked northeast into White county. The tornado remained over open fields in Benton County; however, some minor damage was noted on the northeast corner of a property on N CR 1200 E (east side of the Benton/White Co Line) south of W CR 600 S. A small boat on a trailer was flipped with a small tree being uprooted and small outbuilding destroyed. Wind speeds are estimated at 75 mph, but may have been higher as the strongest winds likely remained over the open fields." +116595,701838,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-01 02:42:00,CST-6,2017-05-01 02:42:00,0,0,0,0,0.00K,0,0.00K,0,30.2166,-88.0264,30.2166,-88.0264,"A line of showers and thunderstorms produced high winds across the marine area. A wake low developed behind the line of showers and thunderstorms and produced additional high winds.","Fort Morgan weatherflow site." +114401,688536,MISSISSIPPI,2017,March,Thunderstorm Wind,"OKTIBBEHA",2017-03-09 19:24:00,CST-6,2017-03-09 19:24:00,0,0,0,0,3.00K,3000,0.00K,0,33.45,-88.81,33.45,-88.81,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","A traffic light was damaged at the intersection of South Montgomery Street and Locksley Way." +114428,686139,MISSISSIPPI,2017,March,Hail,"DE SOTO",2017-03-27 10:40:00,CST-6,2017-03-27 10:45:00,0,0,0,0,0.00K,0,0.00K,0,34.7879,-89.8043,34.7879,-89.8043,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +112887,675701,KENTUCKY,2017,March,Thunderstorm Wind,"MONROE",2017-03-01 08:00:00,CST-6,2017-03-01 08:00:00,0,0,0,0,30.00K,30000,0.00K,0,36.79,-85.67,36.79,-85.67,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","State officials reported several trees and power lines down in the area." +114428,686140,MISSISSIPPI,2017,March,Hail,"MARSHALL",2017-03-27 11:18:00,CST-6,2017-03-27 11:30:00,0,0,0,0,,NaN,0.00K,0,34.7789,-89.4651,34.7913,-89.4013,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +114428,686141,MISSISSIPPI,2017,March,Hail,"BENTON",2017-03-27 11:55:00,CST-6,2017-03-27 12:05:00,0,0,0,0,,NaN,,NaN,34.8178,-89.2492,34.8279,-89.2238,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","Several reports of hen egg size hail in the Snow Lake Shores area west of Ashland." +114527,686838,TENNESSEE,2017,March,Winter Weather,"PUTNAM",2017-03-11 00:00:00,CST-6,2017-03-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter snow event affect Middle Tennessee from Saturday, March 11 into early Sunday, March 12. Light snow begin falling in the early morning hours on March 11 across the northern half of Middle Tennessee, which continued through the morning before ending. Additional rain moved into the southern half of Middle Tennessee during the afternoon, and as temperatures cooled during the evening the rain changed to snow. Snow continued into the very early morning hours on March 12 before ending. Total snow amounts ranged from 1/2 up to nearly 4 across Middle Tennessee.","Total snow amounts across Putnam County ranged from a dusting up to 0.5 inches. CoCoRaHS station Cookeville 3.9 E measured 0.5 inches of snow, while CoCoRaHS station Monterey 3.9 W measured a trace of snow." +113051,683071,MASSACHUSETTS,2017,March,Heavy Snow,"WESTERN HAMPDEN",2017-03-14 02:30:00,EST-5,2017-03-14 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Very heavy snow fell throughout much of the day in western Hampden County.|Snowfall totals were mainly in the 12 to 18 inch range, but up to 21.5 inches was reported for the town of Granville by the broadcast media." +114423,686117,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 22:45:00,CST-6,2017-03-09 22:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.9111,-87.1661,35.9111,-87.1661,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated a home suffered roof damage on Deer Ridge Road at I-840." +114423,686118,TENNESSEE,2017,March,Hail,"PUTNAM",2017-03-09 22:42:00,CST-6,2017-03-09 22:42:00,0,0,0,0,0.00K,0,0.00K,0,36.1396,-85.6302,36.1396,-85.6302,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Dime to nickel size hail fell at the Loves Truck Stop on I-40 in Baxter." +114118,685294,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-01 10:37:00,CST-6,2017-03-01 10:37:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-86.7534,35.63,-86.7534,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tSpotter Twitter coordinator reported 1.5 inch diameter hail at his home." +114118,685295,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-01 10:42:00,CST-6,2017-03-01 10:42:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-86.68,35.68,-86.68,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Quarter size hail was reported in Holts Corner." +114118,685902,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:27:00,CST-6,2017-03-01 08:27:00,0,0,0,0,15.00K,15000,0.00K,0,36.2045,-85.4004,36.2045,-85.4004,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A large barn collapsed on Benson Lane." +114423,686138,TENNESSEE,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-09 23:18:00,CST-6,2017-03-09 23:18:00,0,0,0,0,5.00K,5000,0.00K,0,35.63,-86.7534,35.63,-86.7534,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated a home suffered roof and siding damage 3 miles west of Chapel Hill." +114118,685093,TENNESSEE,2017,March,Thunderstorm Wind,"MACON",2017-03-01 07:46:00,CST-6,2017-03-01 07:50:00,0,0,0,0,10.00K,10000,0.00K,0,36.5357,-86.0345,36.5376,-85.9802,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS storm survey found a 3.2 mile long by 300 yard wide swath of wind damage struck areas from the north side of Lafayette eastward to around 3 miles east-northeast of Lafayette. A metal awning was blown down at the DT McCalls building on Scottsville Road at Vinson Road in northern Lafayette. Large tree limbs were blown down on Ellington Drive and on Akersville Road. Farther to the east, a tree was uprooted on Chaffin Road and an outbuilding had roof damage on Chaffin Road at Huntsman Lane. A small amount of siding was peeled off a home on Coleytown Road at Galen Road, and some large branches were blown down nearby. Winds were estimated up to 60 mph." +114118,685101,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:12:00,CST-6,2017-03-01 08:12:00,0,0,0,0,5.00K,5000,0.00K,0,36.0645,-85.6284,36.0645,-85.6284,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Trees were blown down and a barn was damaged on Old Mill Road." +114253,685477,MISSISSIPPI,2017,March,Thunderstorm Wind,"LAUDERDALE",2017-03-07 15:38:00,CST-6,2017-03-07 15:40:00,0,0,0,0,5.00K,5000,0.00K,0,32.26,-88.657,32.26,-88.657,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Winds associated with a line of thunderstorms blew down a few trees near Zero Road and Springhill Road." +114683,687903,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-21 15:09:00,CST-6,2017-03-21 15:09:00,0,0,0,0,3.00K,3000,0.00K,0,36.07,-86.93,36.07,-86.93,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated trees and powerlines were blown down in Bellevue." +114683,687895,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-21 15:25:00,CST-6,2017-03-21 15:25:00,0,0,0,0,10.00K,10000,0.00K,0,35.45,-86.8,35.45,-86.8,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Photos and videos showed hail up to small orange sized hail fell across Lewisburg with hail covering the ground. Numerous vehicles sustained damage and windows were broken in some buildings and homes." +114683,687912,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-21 15:24:00,CST-6,2017-03-21 15:24:00,0,0,0,0,1.00K,1000,0.00K,0,35.8189,-86.7795,35.8189,-86.7795,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated a tree was blown down on Gosey Hill Road in Peytonsville." +114118,683628,TENNESSEE,2017,March,Hail,"HICKMAN",2017-03-01 06:36:00,CST-6,2017-03-01 06:36:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-87.37,35.92,-87.37,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","" +114683,687890,TENNESSEE,2017,March,Thunderstorm Wind,"LEWIS",2017-03-21 14:33:00,CST-6,2017-03-21 14:33:00,0,0,0,0,2.00K,2000,0.00K,0,35.5533,-87.5575,35.5533,-87.5575,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Power lines were blown down at Smith Street and Walnut Street in Hohenwald." +114744,688289,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-30 18:30:00,CST-6,2017-03-30 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.8992,-86.3438,35.8992,-86.3438,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Power lines were blown down at 3156 Emery Road." +114744,688290,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-30 18:35:00,CST-6,2017-03-30 18:35:00,0,0,0,0,1.00K,1000,0.00K,0,35.9813,-86.3917,35.9813,-86.3917,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","A tree was blown down on Cut Off Road." +114744,688291,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:41:00,CST-6,2017-03-30 18:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.0416,-86.2407,36.0416,-86.2407,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","A tree was blown down blocking the road on Puckett Road at Cainsville Road." +114744,688292,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:42:00,CST-6,2017-03-30 18:42:00,0,0,0,0,2.00K,2000,0.00K,0,36.0796,-86.3273,36.0796,-86.3273,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","A tree was blown onto a house on East Richmond Shop Road." +114744,688296,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-30 18:42:00,CST-6,2017-03-30 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,36.0647,-86.3037,36.0647,-86.3037,"A line of strong to severe thunderstorms moved north-northeast from northern Alabama across the central portions of Middle Tennessee during the late afternoon and evening hours on March 30. Several reports of wind damage were received.","Tree down blocking road on Dude Trail at East Richmond Shop Road." +114721,688089,MISSISSIPPI,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-29 20:45:00,CST-6,2017-03-29 20:52:00,0,0,0,0,25.00K,25000,0.00K,0,33.27,-90.91,33.18,-90.86,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Damaging wind gusts associated with a line of thunderstorms brought down powerlines on Highway 438 around Arcola and on McKinley Avenue in Hollandale. Also, a mobile home lost part of its roof near Arcola." +114721,690222,MISSISSIPPI,2017,March,Strong Wind,"CHOCTAW",2017-03-30 06:00:00,CST-6,2017-03-30 06:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Strong winds from a wake low event blew down several trees around the county, including a tree that fell onto a propane tank along Seward Street in Ackerman." +114721,688116,MISSISSIPPI,2017,March,High Wind,"OKTIBBEHA",2017-03-30 06:00:00,CST-6,2017-03-30 06:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","High winds associated with a wake low event blew trees down in several locations across Oktibbeha County, including numerous trees around Starkville." +113033,683079,RHODE ISLAND,2017,March,High Wind,"BLOCK ISLAND",2017-03-14 10:00:00,EST-5,2017-03-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Marine mesonet reported a 61 mph gust 2 miles NNE of Dunn Landing at 1141 AM." +113613,680131,TEXAS,2017,March,Hail,"MIDLAND",2017-03-23 21:45:00,CST-6,2017-03-23 21:50:00,0,0,0,0,,NaN,,NaN,32,-102.08,32,-102.08,"An upper trough was approaching West Texas from the west with an upper ridge over the southeast part of the country. A surface trough and a dryline were across the Upper Trans Pecos. Good low-level moisture was present to the east of the dryline as well as high lapse rates and wind shear. These conditions, along with good upper lift over the region, aided in the development of large hail across the Permian Basin.","" +113620,680485,TEXAS,2017,March,Hail,"HOWARD",2017-03-28 13:45:00,CST-6,2017-03-28 14:00:00,0,0,0,0,1.50K,1500,,NaN,32.3,-101.2658,32.3,-101.2658,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Howard County and produced tennis ball sized hail near Coahoma. The hail broke sky lights on a home. The cost of damage is a rough estimate." +113620,680486,TEXAS,2017,March,Hail,"HOWARD",2017-03-28 13:45:00,CST-6,2017-03-28 14:00:00,0,0,0,0,,NaN,,NaN,32.3868,-101.3,32.3868,-101.3,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved over Howard County and covered the ground in golf ball sized hail north of Coahoma." +113620,680494,TEXAS,2017,March,Hail,"UPTON",2017-03-28 14:09:00,CST-6,2017-03-28 14:14:00,0,0,0,0,,NaN,,NaN,31.3937,-101.9,31.3937,-101.9,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +114683,687940,TENNESSEE,2017,March,Thunderstorm Wind,"CANNON",2017-03-21 16:02:00,CST-6,2017-03-21 16:02:00,0,0,0,0,5.00K,5000,0.00K,0,35.7453,-86.1291,35.7453,-86.1291,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Numerous trees were snapped in half on Burt Bergen Road near Bradyville." +114927,693377,NEVADA,2017,January,Flood,"WASHOE",2017-01-08 12:30:00,PST-8,2017-01-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4424,-119.799,39.4412,-119.8053,"A strong atmospheric river brought heavy rain with widespread flooding on the 8th and 9th. There was a period of snow on the 7th, as well as freezing rain in some lower valleys into the morning of the 8th. Pre-emptive planning caused the closure of public schools and courts in Washoe County on the 9th. Many roads were closed due to flooding, overwhelmed and blocked culverts, and debris flows in the Reno-Sparks, Carson City, and Minden areas on the 8th. A damage estimate from Washoe County Emergency Management for the entire county in January was over $15M, with much of the damage between the 7th and 9th. In Storey County, a damage estimate from flooding and snow in January was $6M for public infrastructure.","Around 1300-1400 homes were evacuated in the Quilici area of South Reno due to flooding, likely from the overwhelming of Steamboat Ditch and nearby channels with the exceptionally heavy rainfall. The end timing of the flooding is roughly estimated. NOTE: No information is available regarding damage to homes." +115248,692155,VIRGINIA,2017,April,Thunderstorm Wind,"KING GEORGE",2017-04-21 18:05:00,EST-5,2017-04-21 18:05:00,0,0,0,0,,NaN,,NaN,38.2968,-77.1128,38.2968,-77.1128,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Twenty tall trees were down. A tree fell onto a Minivan and another tree fell onto a Back Deck. Two sheds were damaged and there were holes in the House Siding." +115288,692156,DISTRICT OF COLUMBIA,2017,April,Hail,"DISTRICT OF COLUMBIA",2017-04-21 15:58:00,EST-5,2017-04-21 15:58:00,0,0,0,0,,NaN,,NaN,38.95,-77,38.95,-77,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +114253,685464,MISSISSIPPI,2017,March,Thunderstorm Wind,"NEWTON",2017-03-07 14:51:00,CST-6,2017-03-07 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.2459,-89.062,32.326,-88.957,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Damaging wind gusts associated with a line of thunderstorms blew a few trees and power lines down between the Garlandville community and Chunky. These included along Stamper Road and near the intersection of Highway 80 and Mount Pleasant Church Road." +114401,686019,MISSISSIPPI,2017,March,Hail,"WEBSTER",2017-03-09 18:13:00,CST-6,2017-03-09 18:47:00,0,0,0,0,150.00K,150000,0.00K,0,33.63,-89.36,33.5417,-89.1142,"Isolated thunderstorms developed across portions of Mississippi during the afternoon of March 9th. Modest atmospheric instability and deep layer wind shear allowed for these storms to become sustained supercells which produced large hail and damaging wind gusts throughout their duration.","A severe thunderstorm produced a swath of large hail across central and southern Webster County. Hail up to the size of half dollars fell near Walthall, and hail up to the size of golf balls fell in Mathiston." +113876,687229,TEXAS,2017,March,Flash Flood,"CHAMBERS",2017-03-29 14:15:00,CST-6,2017-03-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.8192,-94.8457,29.7857,-94.8688,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Street flooding caused car stalling in and around FM 565 south of Interstate 10, especially between the Grand Parkway and the Cove area." +113876,687236,TEXAS,2017,March,Flash Flood,"HARRIS",2017-03-29 14:15:00,CST-6,2017-03-29 16:05:00,0,0,0,0,0.00K,0,0.00K,0,29.6627,-95.2367,29.6197,-95.2048,"A line of thunderstorms moved across southeast Texas during the morning and afternoon hours and produced several tornadoes, hail, wind damage and some flooding.","Street flooding was reported across the area, especially between Deer Park and Baytown." +114046,690605,FLORIDA,2017,March,Thunderstorm Wind,"BROWARD",2017-03-14 00:19:00,EST-5,2017-03-14 00:19:00,0,0,0,0,5.00K,5000,,NaN,26.102,-80.3464,26.102,-80.3464,"A low pressure system tracking across Florida produced a squall line in the overnight hours. A strong jet stream aloft as well as abundant moisture allowed some of the storms embedded in the squall line to become severe. These storms produced wind damage with multiple trees down and a tornado in Broward County.","Survey of damage from eventual tornadic storm in Plantation revealed a tipped trailer and wood paneling removed from a barn near SW 148 Avenue and SW 14 Street in Davie. Damage total given is an estimate." +114943,689493,MISSISSIPPI,2017,March,Drought,"LEE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across portions of Northeast Mississippi in March. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +114943,689494,MISSISSIPPI,2017,March,Drought,"MONROE",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across portions of Northeast Mississippi in March. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +114943,689495,MISSISSIPPI,2017,March,Drought,"ITAWAMBA",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across portions of Northeast Mississippi in March. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +114943,689496,MISSISSIPPI,2017,March,Drought,"CHICKASAW",2017-03-01 00:00:00,CST-6,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across portions of Northeast Mississippi in March. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +112932,674758,TENNESSEE,2017,March,Thunderstorm Wind,"MONROE",2017-03-01 16:15:00,EST-5,2017-03-01 16:15:00,0,0,0,0,,NaN,,NaN,35.37,-84.25,35.37,-84.25,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A few trees were reported down across the county." +116231,698827,HAWAII,2017,June,High Surf,"LEEWARD HALEAKALA",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +113706,680639,ARKANSAS,2017,March,Thunderstorm Wind,"MISSISSIPPI",2017-03-01 04:30:00,CST-6,2017-03-01 04:40:00,0,0,0,0,30.00K,30000,0.00K,0,35.949,-89.8,35.9525,-89.7411,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Widespread damage to fences and outbuildings." +114167,683713,TENNESSEE,2017,March,Hail,"SHELBY",2017-03-01 07:03:00,CST-6,2017-03-01 07:10:00,0,0,0,0,0.00K,0,0.00K,0,35.2434,-89.88,35.2434,-89.88,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","" +116231,698828,HAWAII,2017,June,High Surf,"KONA",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698829,HAWAII,2017,June,High Surf,"SOUTH BIG ISLAND",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114428,686148,MISSISSIPPI,2017,March,Hail,"PRENTISS",2017-03-27 14:05:00,CST-6,2017-03-27 14:10:00,0,0,0,0,,NaN,,NaN,34.4925,-88.4935,34.5069,-88.454,"A potent upper level disturbance generated numerous severe thunderstorms across the Midsouth from roughly noon through the early evening hours of March 27th. All severe weather threats were observed.","" +116231,698824,HAWAII,2017,June,High Surf,"MAUI LEEWARD WEST",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698825,HAWAII,2017,June,High Surf,"MAUI CENTRAL VALLEY",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698826,HAWAII,2017,June,High Surf,"WINDWARD HALEAKALA",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114351,685238,MONTANA,2017,May,Thunderstorm Wind,"CASCADE",2017-05-06 16:55:00,MST-7,2017-05-06 16:55:00,0,0,0,0,0.00K,0,0.00K,0,47.53,-111.29,47.53,-111.29,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Basketball hoop with metal pole snapped in half." +114351,685242,MONTANA,2017,May,Thunderstorm Wind,"CASCADE",2017-05-06 17:11:00,MST-7,2017-05-06 17:11:00,0,0,0,0,0.00K,0,0.00K,0,47.51,-111.18,47.51,-111.18,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Peak wind gust measured at Malmstrom AFB." +114351,685245,MONTANA,2017,May,Thunderstorm Wind,"CASCADE",2017-05-06 17:07:00,MST-7,2017-05-06 17:07:00,0,0,0,0,0.00K,0,0.00K,0,47.52,-111.28,47.52,-111.28,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Measured in Black Eagle." +114351,685246,MONTANA,2017,May,Hail,"CASCADE",2017-05-06 17:18:00,MST-7,2017-05-06 17:18:00,0,0,0,0,0.00K,0,0.00K,0,47.53,-111.3,47.53,-111.3,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Quarter size hail and wind gusts estimated at 70 mph." +114351,685248,MONTANA,2017,May,Hail,"CASCADE",2017-05-06 17:00:00,MST-7,2017-05-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,47.26,-111.4,47.26,-111.4,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Hail reported 8 miles SE of Ulm." +112887,674435,KENTUCKY,2017,March,Thunderstorm Wind,"OLDHAM",2017-03-01 06:25:00,EST-5,2017-03-01 06:25:00,0,0,0,0,25.00K,25000,0.00K,0,38.43,-85.55,38.43,-85.55,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported that severe thunderstorm winds brought down several trees and power lines on Shiloh Lane." +112887,674436,KENTUCKY,2017,March,Thunderstorm Wind,"NELSON",2017-03-01 07:22:00,EST-5,2017-03-01 07:22:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-85.47,37.81,-85.47,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported that severe thunderstorm winds stripped off large tree limbs around a house." +112887,674437,KENTUCKY,2017,March,Thunderstorm Wind,"BRECKINRIDGE",2017-03-01 05:36:00,CST-6,2017-03-01 05:36:00,0,0,0,0,30.00K,30000,0.00K,0,37.89,-86.28,37.89,-86.28,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported that severe thunderstorm winds brought down utility poles and power lines on Highway 79 just north of Irvington." +116258,698934,INDIANA,2017,May,Strong Wind,"VANDERBURGH",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +116258,698935,INDIANA,2017,May,Strong Wind,"WARRICK",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +116258,698936,INDIANA,2017,May,Strong Wind,"PIKE",2017-05-05 09:00:00,CST-6,2017-05-05 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong north winds occurred between low pressure over the central Appalachian Mountains and high pressure over the Plains. Peak wind gusts were near 40 mph. The peak gust measured at the Evansville airport was 41 mph.","" +116980,703542,INDIANA,2017,May,Flash Flood,"ADAMS",2017-05-24 20:33:00,EST-5,2017-05-24 21:45:00,0,2,0,0,0.00K,0,0.00K,0,40.9227,-84.804,40.9179,-85.0738,"An upper level system interacted with an unstable environment, causing the development of thunderstorms. High precipitable water values and training of several thunderstorms cause a narrow swath of intense rainfall. This subsequently caused rapid water rises in rural and urban areas, resulting in numerous road closures as well as some rescues from stranded vehicles. Portions of Allen and Adams county were impacted the greatest.","A report of a high water rescue was received in the town of Pleasant Mills. Two people were pulled from a submerged vehicle near the intersection of County Road 225 North and Piqua Road and transported to a local hospital. No further information was available." +112887,674458,KENTUCKY,2017,March,Thunderstorm Wind,"LARUE",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,25.00K,25000,0.00K,0,37.47,-85.89,37.47,-85.89,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported that severe thunderstorm winds damaged a metal roof." +117095,704470,INDIANA,2017,May,Thunderstorm Wind,"KOSCIUSKO",2017-05-26 21:10:00,EST-5,2017-05-26 21:12:00,0,0,0,0,0.00K,0,0.00K,0,41.0937,-85.9057,41.0937,-85.9057,"Diffuse warm front was lifting slowly north ahead of a MCV moving out of Illinois. This increased effective shear into the range of 50 to 60 knots with a strengthening low level jet aiding in development and intensification of some of the storms.","Local fire officials reported several trees snapped or uprooted on properties along West County Road 950 South, between South 500 West and State Route 15. A few of these trees fell onto a residence, causing roof damage. Two barns suffered roof damage and a several spans of center pivot irrigation system were flipped. No injuries were reported." +117095,704471,INDIANA,2017,May,Thunderstorm Wind,"WABASH",2017-05-26 21:15:00,EST-5,2017-05-26 21:16:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-85.76,41.02,-85.76,"Diffuse warm front was lifting slowly north ahead of a MCV moving out of Illinois. This increased effective shear into the range of 50 to 60 knots with a strengthening low level jet aiding in development and intensification of some of the storms.","The public reported multiple trees down in the area." +117095,704472,INDIANA,2017,May,Thunderstorm Wind,"WABASH",2017-05-26 21:30:00,EST-5,2017-05-26 21:31:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-85.85,41.03,-85.85,"Diffuse warm front was lifting slowly north ahead of a MCV moving out of Illinois. This increased effective shear into the range of 50 to 60 knots with a strengthening low level jet aiding in development and intensification of some of the storms.","The public reported several large trees uprooted, as well as some smaller trees snapped in the middle." +117083,705176,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:29:00,CST-6,2017-05-16 15:29:00,0,0,0,0,,NaN,,NaN,37.99,-100.99,37.99,-100.99,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705177,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:34:00,CST-6,2017-05-16 15:34:00,0,0,0,0,,NaN,,NaN,37.98,-100.86,37.98,-100.86,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705179,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:34:00,CST-6,2017-05-16 15:34:00,0,0,0,0,,NaN,,NaN,38,-100.89,38,-100.89,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705180,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:45:00,CST-6,2017-05-16 15:45:00,0,0,0,0,,NaN,,NaN,38.09,-100.86,38.09,-100.86,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705181,KANSAS,2017,May,Hail,"MEADE",2017-05-16 16:05:00,CST-6,2017-05-16 16:05:00,0,0,0,0,,NaN,,NaN,37.17,-100.34,37.17,-100.34,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705182,KANSAS,2017,May,Hail,"SEWARD",2017-05-16 16:34:00,CST-6,2017-05-16 16:34:00,0,0,0,0,,NaN,,NaN,37.14,-100.76,37.14,-100.76,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +114103,683281,PENNSYLVANIA,2017,May,Tornado,"CENTRE",2017-05-01 17:44:00,EST-5,2017-05-01 17:45:00,1,0,0,0,200.00K,200000,0.00K,0,40.9386,-77.4583,40.9473,-77.4405,"A strong cold front crossed central Pennsylvania during the late-afternoon and early evening hours of May , 2017. A quasi-linear convective system (QLCS) developed ahead of the front, and a handful of spin-ups along this line produced EF1 tornado damage. One of these spin-ups touched down near a wooden pallet factory on the outskirts of Rebersburg and moved rapidly northeastward before lifting just northeast of the town.","An EF1 tornado touched down near a wooden pallet factory on the outskirts of town and moved rapidly northeastward before lifting just northeast of the town. Damage occurred to several dozen homes and outbuildings across Rebersburg. Several dozen trees were either snapped or uprooted. One utility pole was also snapped. One injury occurred when a victim was trapped by the collapse of a work shed. Maximum wind speeds were estimated near 110 mph." +114104,683366,PENNSYLVANIA,2017,May,Tornado,"ELK",2017-05-01 15:08:00,EST-5,2017-05-01 15:09:00,0,0,0,0,0.00K,0,0.00K,0,41.5884,-78.7435,41.6117,-78.7345,"A strong cold front crossed central Pennsylvania during the late-afternoon and early evening hours of May , 2017. A quasi-linear convective system (QLCS) developed ahead of the front, and a handful of spin-ups along this line produced EF1 tornado damage. One of these spin-ups touched down near Dahoga and Twin Lakes, producing EF1 damage in a rural wooded area with max winds estimated near 110 mph.","An EF1 tornado with maximum winds estimated near 110 mph touched down near Dahoga and Twin Lakes and proceeded to snap and uproot trees in a rural area. Additional tree damage from a second vortex with a shorter path length was observed approximately 100 yards east of the primary damage path." +114194,685305,PENNSYLVANIA,2017,May,Strong Wind,"NORTHERN LYCOMING",2017-05-05 09:50:00,EST-5,2017-05-05 09:50:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down a tree onto a house 7 miles northeast of Montoursville." +114194,685306,PENNSYLVANIA,2017,May,Strong Wind,"UNION",2017-05-05 10:20:00,EST-5,2017-05-05 10:20:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down trees across Route 15 near Winfield." +114107,685982,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 17:49:00,EST-5,2017-05-01 17:49:00,0,0,0,0,5.00K,5000,0.00K,0,41.0546,-77.4631,41.0546,-77.4631,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Mackeyville." +114107,685987,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:10:00,EST-5,2017-05-01 17:10:00,0,0,0,0,2.00K,2000,0.00K,0,40.7925,-78.0183,40.7925,-78.0183,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down power lines along Route 550 near Stormstown." +114107,685989,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-01 20:05:00,EST-5,2017-05-01 20:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.2132,-77.7003,40.2132,-77.7003,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on wires in Doylesburg." +114107,685990,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SULLIVAN",2017-05-01 18:35:00,EST-5,2017-05-01 18:35:00,0,0,0,0,8.00K,8000,0.00K,0,41.4602,-76.6717,41.4602,-76.6717,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down and snapped multiple large trees on Covered Bridge Road in Hillsgrove Township." +114107,685992,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 17:09:00,EST-5,2017-05-01 17:09:00,0,0,0,0,6.00K,6000,0.00K,0,40.6268,-78.1131,40.6268,-78.1131,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down and snapped multiple trees near the intersection of Colerain Road and Route 45." +113398,679180,TENNESSEE,2017,April,Hail,"FRANKLIN",2017-04-05 16:40:00,CST-6,2017-04-05 16:40:00,0,0,0,0,,NaN,,NaN,35.17,-86.02,35.17,-86.02,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Golf ball sized hail was observed via a photo." +113398,679181,TENNESSEE,2017,April,Hail,"FRANKLIN",2017-04-05 16:45:00,CST-6,2017-04-05 16:45:00,0,0,0,0,,NaN,,NaN,35.2,-85.92,35.2,-85.92,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported in Sewanee." +114533,687104,TEXAS,2017,May,Tornado,"NACOGDOCHES",2017-05-11 19:33:00,CST-6,2017-05-11 19:42:00,0,0,0,0,500.00K,500000,0.00K,0,31.815,-94.4989,31.8442,-94.4768,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","The Garrison area of Northeast Nacogdoches County sustained significant wind and tornado damage related to a supercell thunderstorms that moved over this area. En EF-2 tornado with maximum estimated winds between 120-130 mph touched down southwest of Garrison along Highway 59, before moving through downtown Garrison. Several businesses along Highway 59 sustained roof damage, including what had once been a dentist's office, a bank, and an auto repair shop. The dentist's office was particularly hard hit, where EF-2 damage had occurred when a section of the roof was removed. The auto shop roof was lifted and deposited in the bank's parking lot. The auto shop also had two outer cinder block walls collapse as a result of the roof tearing off, which also indicated EF-2 damage. The tornado moved northeast along Highway 59 into extreme Southeast Rusk County, where sporadic trees were topped on both sides of the road." +114533,687114,TEXAS,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-11 22:00:00,CST-6,2017-05-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.074,-95.1449,32.074,-95.1449,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Numerous trees were snapped. Large branches were blown down as well about 6 miles south southwest of Troup in Northern Cherokee County." +114703,688012,LOUISIANA,2017,May,Thunderstorm Wind,"BOSSIER",2017-05-20 22:42:00,CST-6,2017-05-20 22:42:00,0,0,0,0,0.00K,0,0.00K,0,32.5324,-93.5019,32.5324,-93.5019,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Trees and power lines were downed in Haughton. Power was out at Haughton High School, Haughton Middle School, and Kinsley Court." +114665,694058,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 15:57:00,CST-6,2017-05-20 15:57:00,0,0,0,0,0.50K,500,0.00K,0,34.37,-87.01,34.37,-87.01,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree and power lines were knocked down onto the road at 2531 CR 55." +114665,694059,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:06:00,CST-6,2017-05-20 16:06:00,0,0,0,0,0.20K,200,0.00K,0,34.33,-86.76,34.33,-86.76,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694060,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:08:00,CST-6,2017-05-20 16:08:00,0,0,0,0,0.20K,200,0.00K,0,34.35,-86.75,34.35,-86.75,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto Copper Springs Road." +114665,694061,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:08:00,CST-6,2017-05-20 16:08:00,0,0,0,0,0.20K,200,0.00K,0,34.43,-86.89,34.43,-86.89,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A large part of a tree was knocked down onto Parker Road." +114665,694062,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:09:00,CST-6,2017-05-20 16:09:00,0,0,0,0,0.20K,200,0.00K,0,34.42,-86.97,34.42,-86.97,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694063,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:10:00,CST-6,2017-05-20 16:10:00,0,0,0,0,0.20K,200,0.00K,0,34.39,-86.79,34.39,-86.79,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114929,689371,COLORADO,2017,May,Hail,"EL PASO",2017-05-26 17:50:00,MST-7,2017-05-26 17:55:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-104.39,39.01,-104.39,"Severe storms produced hail up to 2 inches in diameter across extreme northern El Paso County.","" +114923,689384,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-05-24 12:48:00,EST-5,2017-05-24 12:48:00,0,0,0,0,0.00K,0,0.00K,0,27.98,-82.83,27.98,-82.83,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","The NOS station at Clearwater, CWBF1, reported a wind gust of 54 knots...62 mph." +114937,689412,NEVADA,2017,May,Heavy Snow,"N ELKO CNTY",2017-05-17 10:00:00,PST-8,2017-05-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late spring storm brought 10 to 20 inches of snow to portions of northern Elko county. Reports were mostly from SNOTEL sites but 12 inches was reported about a mile south of the town of Jarbidge at a Forest Service campground.","" +114936,689404,NEVADA,2017,May,Hail,"HUMBOLDT",2017-05-05 12:15:00,PST-8,2017-05-05 12:20:00,0,0,0,0,0.10K,100,0.00K,0,40.95,-117.5,40.95,-117.5,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","Minor hail damage with leaves and small branches down." +114936,689405,NEVADA,2017,May,Hail,"HUMBOLDT",2017-05-05 12:30:00,PST-8,2017-05-05 12:35:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-117.31,40.9,-117.31,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","Dime to quarter size hail was reported near Iron Point." +114936,689406,NEVADA,2017,May,Hail,"LANDER",2017-05-05 12:49:00,PST-8,2017-05-05 12:55:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-116.89,40.61,-116.89,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","" +114936,689407,NEVADA,2017,May,Hail,"LANDER",2017-05-05 12:50:00,PST-8,2017-05-05 12:55:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-116.9,40.59,-116.9,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","" +114936,689409,NEVADA,2017,May,Hail,"HUMBOLDT",2017-05-05 13:40:00,PST-8,2017-05-05 13:45:00,0,0,0,0,3.00K,3000,0.00K,0,41.97,-117.6,41.97,-117.6,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","A car was heavily dented by hail up to the size of ping pongs." +115087,690806,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:30:00,CST-6,2017-05-17 17:30:00,0,0,0,0,30.00K,30000,0.00K,0,42.39,-89.1,42.39,-89.1,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A large outbuilding was destroyed and another suffered roof damage. Numerous large branches were snapped and a couple large trees were blown down." +115087,690802,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:17:00,CST-6,2017-05-17 17:17:00,0,0,0,0,0.00K,0,0.00K,0,42.2808,-89.2385,42.2808,-89.2385,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A tanker truck was blown off of US-20." +115087,690809,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:31:00,CST-6,2017-05-17 17:31:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-89.01,42.42,-89.01,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Multiple large trees were uprooted." +115087,690811,ILLINOIS,2017,May,Thunderstorm Wind,"LEE",2017-05-17 20:52:00,CST-6,2017-05-17 20:52:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-89.48,41.85,-89.48,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Multiple trees and power lines were blown down. A parked police car was pushed four to five feet by the wind." +115087,690812,ILLINOIS,2017,May,Hail,"WINNEBAGO",2017-05-17 21:09:00,CST-6,2017-05-17 21:09:00,0,0,0,0,0.00K,0,0.00K,0,42.2382,-89.0291,42.2382,-89.0291,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +115164,691362,ARKANSAS,2017,May,Thunderstorm Wind,"HOWARD",2017-05-28 01:24:00,CST-6,2017-05-28 01:24:00,0,0,0,0,0.00K,0,0.00K,0,33.9295,-93.8506,33.9295,-93.8506,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. Numerous trees were blown down across Sevier and Howard Counties in Southwest Arkansas, with a radio tower in the city of Nashville also collapsing due to the strong, damaging winds that impacted the city.","A 167 foot radio station tower that housed the antenna for KNAS-FM as well as the uplink equipment for KMTB-FM on South Fourth Street in Nashville was toppled over due to damaging straight line winds. Several business signs were also broken or blown away." +115163,691352,OKLAHOMA,2017,May,Thunderstorm Wind,"MCCURTAIN",2017-05-28 00:05:00,CST-6,2017-05-28 00:05:00,0,0,0,0,0.00K,0,0.00K,0,34.1634,-94.7138,34.1634,-94.7138,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. A couple of instances of trees blown down were reported near Hochatown and Broken Bow with these storms.","A large tree was blown down on Marina Lane near Beaver's Bend Marina." +115177,697991,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 14:03:00,CST-6,2017-05-27 14:03:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-93.15,37.38,-93.15,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The Fair Grove Emergency Manager reported a 60 mph wind gust and at least one tree down." +115177,697992,MISSOURI,2017,May,Thunderstorm Wind,"LACLEDE",2017-05-27 14:30:00,CST-6,2017-05-27 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-92.39,37.6,-92.39,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were snapped or uprooted." +115177,697995,MISSOURI,2017,May,Thunderstorm Wind,"MARIES",2017-05-27 14:35:00,CST-6,2017-05-27 14:35:00,0,0,0,0,5.00K,5000,0.00K,0,38.29,-91.72,38.29,-91.72,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There were multiple trees and power lines blown down." +115177,697996,MISSOURI,2017,May,Thunderstorm Wind,"PHELPS",2017-05-27 14:50:00,CST-6,2017-05-27 14:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.7,-91.87,37.7,-91.87,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Numerous large trees were blown down in Edgar Springs. There was building debris on the highway." +115177,697997,MISSOURI,2017,May,Thunderstorm Wind,"SHANNON",2017-05-27 15:10:00,CST-6,2017-05-27 15:10:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-91.42,37.32,-91.42,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Officials with the NPS reported three large trees blown down across Highway 19 about one mile north of Echo Bluff State Park." +115177,697998,MISSOURI,2017,May,Thunderstorm Wind,"SHANNON",2017-05-27 15:30:00,CST-6,2017-05-27 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-91.4,37.21,-91.4,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There were multiple trees limbs blown down between Eminence and Round Springs." +115166,691481,TEXAS,2017,May,Thunderstorm Wind,"ANGELINA",2017-05-28 18:44:00,CST-6,2017-05-28 18:44:00,0,0,0,0,0.00K,0,0.00K,0,31.3725,-94.7552,31.3725,-94.7552,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","Several trees were snapped or uprooted just north of Lufkin." +115166,691924,TEXAS,2017,May,Thunderstorm Wind,"GREGG",2017-05-28 15:50:00,CST-6,2017-05-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,32.5583,-94.8617,32.5583,-94.8617,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and even two short EF-1 tornadoes near and east of Longview. Training storms moving west to east also producing brief flash flooding at some locations. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A tree fell onto a home in White Oak." +115185,691653,WISCONSIN,2017,May,Thunderstorm Wind,"LAFAYETTE",2017-05-17 18:53:00,CST-6,2017-05-17 18:53:00,0,0,0,0,3.00K,3000,0.00K,0,42.7291,-90.3279,42.7291,-90.3279,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Several trees and limbs down along highway 126." +115185,691654,WISCONSIN,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 18:56:00,CST-6,2017-05-17 19:00:00,0,0,0,0,4.00K,4000,0.00K,0,42.86,-90.18,42.86,-90.18,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Several trees and limbs down including power lines." +115206,695960,OKLAHOMA,2017,May,Hail,"LINCOLN",2017-05-27 21:35:00,CST-6,2017-05-27 21:35:00,0,0,0,0,0.00K,0,0.00K,0,35.49,-96.73,35.49,-96.73,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695961,OKLAHOMA,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-27 21:35:00,CST-6,2017-05-27 21:35:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-96.7,34.56,-96.7,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695964,OKLAHOMA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-27 21:47:00,CST-6,2017-05-27 21:47:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-96.76,34.3,-96.76,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","No damage reported." +115206,695965,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-27 21:48:00,CST-6,2017-05-27 21:48:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-96.82,34.4,-96.82,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695968,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-27 22:00:00,CST-6,2017-05-27 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.23,-99.17,36.23,-99.17,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Numerous windows were blown out." +115206,695969,OKLAHOMA,2017,May,Thunderstorm Wind,"COAL",2017-05-27 22:00:00,CST-6,2017-05-27 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.53,-96.22,34.53,-96.22,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Multiple trees and power lines were downed on the south side of Coalgate." +115206,695970,OKLAHOMA,2017,May,Flash Flood,"LINCOLN",2017-05-27 22:02:00,CST-6,2017-05-28 01:02:00,0,0,0,0,0.00K,0,0.00K,0,35.4898,-96.8651,35.4719,-96.7202,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Flooding was reported along highway 62 between Meeker and Prague causing a significant traffic back up." +115206,695972,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-27 22:15:00,CST-6,2017-05-27 22:15:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-99.04,36.19,-99.04,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +114081,683151,OHIO,2017,May,Thunderstorm Wind,"GALLIA",2017-05-01 10:35:00,EST-5,2017-05-01 10:35:00,0,0,0,0,5.00K,5000,0.00K,0,38.95,-82.38,38.95,-82.38,"A strong cold front crossed the middle Ohio River Valley on the 1st with showers and thunderstorms. Strong winds aloft lead to damaging winds from the stronger cells.","Multiple trees were blown down between Rio Grande and Vinton." +114849,688970,VIRGINIA,2017,May,Hail,"DICKENSON",2017-05-24 12:40:00,EST-5,2017-05-24 12:40:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-82.39,37.21,-82.39,"Showers and thunderstorms developed along a warm front on the 24th. The showers and storms produced very heavy rainfall with one to two inches of rain in a short time. This rain fell on already saturated soils resulting in flash flooding. One storm briefly pulsed up and produced hail.","Photo with ruler submitted via social media." +114082,683150,WEST VIRGINIA,2017,May,Thunderstorm Wind,"HARRISON",2017-05-01 13:55:00,EST-5,2017-05-01 13:55:00,0,0,0,0,5.00K,5000,0.00K,0,39.39,-80.3,39.39,-80.3,"A strong cold front crossed the Middle Ohio River Valley and Central Appalachians on the afternoon of the 1st with showers and thunderstorms. One thunderstorm segment bowed out producing tree damage. Even outside of the thunderstorms, fast flow just above the surface resulting in gusty non-thunderstorm winds from time to time. For example, a mostly dead tree was blown down across Burnside Street in Oak Hill by one of these non-thunderstorm wind gusts.","Multiple trees were blown down, which also took down several powerlines." +114082,683155,WEST VIRGINIA,2017,May,Strong Wind,"NORTHWEST FAYETTE",2017-05-01 11:45:00,EST-5,2017-05-01 11:45:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed the Middle Ohio River Valley and Central Appalachians on the afternoon of the 1st with showers and thunderstorms. One thunderstorm segment bowed out producing tree damage. Even outside of the thunderstorms, fast flow just above the surface resulting in gusty non-thunderstorm winds from time to time. For example, a mostly dead tree was blown down across Burnside Street in Oak Hill by one of these non-thunderstorm wind gusts.","A mostly dead tree was blown down across Burnside Street in Oak Hill by a non-thunderstorm wind gust." +114846,688965,WEST VIRGINIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-20 17:40:00,EST-5,2017-05-20 17:40:00,0,0,0,0,0.50K,500,0.00K,0,37.91,-80.92,37.91,-80.92,"A warm front lifted across the Middle Ohio River Valley and Central Appalachians during the afternoon and evening of the 20th. Strong to severe thunderstorms resulted. Areas of very heavy rainfall also developed, causing flash flooding.","A single tree was blown down in Danese." +113307,678181,NEW JERSEY,2017,March,Flood,"SOMERSET",2017-03-31 22:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-74.62,40.4511,-74.592,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","The Millstone River at Griggstown went over flood stage. It was over flood stage into the morning of the 1st as well." +114850,688978,WEST VIRGINIA,2017,May,Thunderstorm Wind,"BOONE",2017-05-24 13:17:00,EST-5,2017-05-24 13:17:00,0,0,0,0,10.00K,10000,0.00K,0,38.12,-81.89,38.12,-81.89,"Showers and thunderstorms developed along a warm front on the 24. The showers and storms produced very heavy rainfall with one to two inches of rain in a short time, which fell on already saturated soils resulting in flash flooding. One storm briefly pulsed up and produced downburst damage.","Dozens of trees were uprooted or snapped along Horse Creek Road, bringing down power lines as well. One small outbuilding was damaged, and three chickens were killed." +114995,690009,WYOMING,2017,May,Hail,"CAMPBELL",2017-05-15 16:30:00,MST-7,2017-05-15 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.75,-105.17,44.75,-105.17,"A supercell thunderstorm tracked eastward across far northern Campbell and northern Crook Counties. The storm produced large hail and wind gusts around 60 mph.","" +114995,690010,WYOMING,2017,May,Hail,"CROOK",2017-05-15 17:05:00,MST-7,2017-05-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,44.8881,-104.9344,44.8881,-104.9344,"A supercell thunderstorm tracked eastward across far northern Campbell and northern Crook Counties. The storm produced large hail and wind gusts around 60 mph.","" +114995,690013,WYOMING,2017,May,Hail,"CROOK",2017-05-15 18:00:00,MST-7,2017-05-15 18:00:00,0,0,0,0,0.00K,0,0.00K,0,44.9977,-104.3652,44.9977,-104.3652,"A supercell thunderstorm tracked eastward across far northern Campbell and northern Crook Counties. The storm produced large hail and wind gusts around 60 mph.","" +114998,690014,WYOMING,2017,May,Hail,"CAMPBELL",2017-05-15 17:10:00,MST-7,2017-05-15 17:10:00,0,0,0,0,0.00K,0,0.00K,0,44.4934,-105.86,44.4934,-105.86,"A thunderstorm briefly became severe over west central Campbell County, producing quarter sized hail near Echeta.","" +115001,690027,WYOMING,2017,May,Hail,"WESTON",2017-05-15 17:35:00,MST-7,2017-05-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-104.82,43.8,-104.82,"A severe thunderstorm tracked across northern Weston County, producing hail to quarter size.","" +115001,690030,WYOMING,2017,May,Hail,"WESTON",2017-05-15 18:34:00,MST-7,2017-05-15 18:34:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-104.42,43.98,-104.42,"A severe thunderstorm tracked across northern Weston County, producing hail to quarter size.","" +115002,690036,WYOMING,2017,May,Hail,"WESTON",2017-05-15 18:20:00,MST-7,2017-05-15 18:20:00,0,0,0,0,0.00K,0,0.00K,0,43.6668,-104.5891,43.6668,-104.5891,"A thunderstorm briefly became severe across southern Weston County. Quarter sized hail was reported southeast of Clareton.","" +115005,690042,SOUTH DAKOTA,2017,May,Hail,"MEADE",2017-05-15 21:00:00,MST-7,2017-05-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-103.0523,44.39,-103.0523,"A thunderstorm produced quarter sized hail west of Hereford.","" +115006,690049,SOUTH DAKOTA,2017,May,Hail,"MEADE",2017-05-15 23:45:00,MST-7,2017-05-15 23:45:00,0,0,0,0,0.00K,0,0.00K,0,44.5498,-102.6556,44.5498,-102.6556,"An overnight thunderstorm produced hail in the Union Center area.","" +115007,691791,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BENNETT",2017-05-16 00:00:00,MST-7,2017-05-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-101.4,43.04,-101.4,"A severe thunderstorm moved northeast from Nebraska across eastern Bennett County during the overnight hours. The storm produced wind gusts around 60 mph and small hail.","Wind gusts were estimated at 60 mph." +115218,691790,WYOMING,2017,May,Heavy Snow,"SOUTH CAMPBELL",2017-05-18 18:00:00,MST-7,2017-05-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late spring storm system brought rain and snow to parts of northeastern Wyoming. Across the higher elevations of southern Campbell County, rain changed to heavy wet snow during the evening and persisted through the overnight and early morning. Snowfall amounts were highly variable across the area, with the highest amounts across the higher elevations of southwestern Campbell County. Snowfall ranged from three to five inches in the Wright area to around ten inches south and west of Wright.","" +114982,689878,KENTUCKY,2017,May,Thunderstorm Wind,"KNOX",2017-05-27 17:55:00,EST-5,2017-05-27 17:55:00,0,0,0,0,,NaN,,NaN,36.93,-83.9,36.93,-83.9,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A tree was blown down along KY 229." +114982,689879,KENTUCKY,2017,May,Thunderstorm Wind,"PULASKI",2017-05-27 18:43:00,EST-5,2017-05-27 18:43:00,0,0,0,0,,NaN,,NaN,37.13,-84.52,37.13,-84.52,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Power lines were blown down." +114982,689880,KENTUCKY,2017,May,Thunderstorm Wind,"BREATHITT",2017-05-27 16:25:00,EST-5,2017-05-27 16:25:00,0,0,0,0,,NaN,,NaN,37.5233,-83.366,37.5233,-83.366,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A large limb was blown down." +114982,689881,KENTUCKY,2017,May,Thunderstorm Wind,"LETCHER",2017-05-27 17:35:00,EST-5,2017-05-27 17:35:00,0,0,0,0,,NaN,,NaN,37.0995,-82.7943,37.0995,-82.7943,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A tree was blown down." +121981,730466,VIRGINIA,2017,December,Winter Storm,"WESTERN CHESTERFIELD",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Manchester (1 SSE) reported 5.5 inches of snow. Pocahontas State Park (5 NW) reported 4.0 inches of snow. Midlothian reported 3.8 inches of snow." +121981,730467,VIRGINIA,2017,December,Winter Storm,"WESTERN ESSEX",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county." +121981,730468,VIRGINIA,2017,December,Winter Storm,"WESTERN KING AND QUEEN",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county." +122186,731440,TEXAS,2017,December,Winter Weather,"ATASCOSA",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +115295,697057,ILLINOIS,2017,May,Flood,"SHELBY",2017-05-01 00:00:00,CST-6,2017-05-02 09:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5798,-88.8094,39.5657,-89.0257,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Shelby County. Numerous streets in Shelbyville were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern half of the county where the heaviest rainfall totals were reported. Parts of Illinois Route 128 near Cowden were closed. Additional rain of 0.50 to 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 2nd." +115236,697204,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 18:08:00,CST-6,2017-05-15 18:08:00,0,0,0,0,2.00K,2000,0.00K,0,43.15,-91.76,43.15,-91.76,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Trees were blown down in Ossian blocking U.S. Highway 52." +116041,697410,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 20:51:00,CST-6,2017-05-15 20:51:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-92.35,44.01,-92.35,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Quarter sized hail was reported in Chester." +115570,697382,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-11 00:00:00,MST-7,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2734,-101.5963,39.2728,-101.5963,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to five inches of rain fell causing a stream to flood CR 26 1.5 S of the CR 61/26 intersection. This stream is at the headwaters of the South Fork of the Sappa." +115570,697383,KANSAS,2017,May,Flood,"SHERMAN",2017-05-11 03:00:00,MST-7,2017-05-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2734,-101.5963,39.2728,-101.5963,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to five inches of rain fell causing a stream to flood CR 26 1.5 S of the CR 61/26 intersection. This stream is at the headwaters of the South Fork of the Sappa." +115436,693136,IOWA,2017,May,Hail,"HANCOCK",2017-05-15 16:25:00,CST-6,2017-05-15 16:25:00,0,0,0,0,0.00K,0,0.00K,0,42.9287,-93.4985,42.9287,-93.4985,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported quarter sized hail. Time estimated via radar." +115436,693137,IOWA,2017,May,Hail,"HUMBOLDT",2017-05-15 16:28:00,CST-6,2017-05-15 16:28:00,0,0,0,0,0.00K,0,0.00K,0,42.7316,-94.1097,42.7316,-94.1097,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported quarter sized hail 6 miles east of Humboldt along Highway 3." +115436,693138,IOWA,2017,May,Hail,"HUMBOLDT",2017-05-15 16:23:00,CST-6,2017-05-15 16:28:00,0,0,0,0,2.00K,2000,0.00K,0,42.75,-93.98,42.75,-93.98,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported golf ball sized hail, and that it has been hailing for the past 5-10 minutes." +116144,701602,OKLAHOMA,2017,May,Hail,"HASKELL",2017-05-18 22:45:00,CST-6,2017-05-18 22:45:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-94.97,35.15,-94.97,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,701902,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-19 04:47:00,CST-6,2017-05-19 04:47:00,0,0,0,0,0.00K,0,0.00K,0,36.2386,-95.2438,36.2386,-95.2438,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +114198,698515,MISSOURI,2017,May,Flood,"BARTON",2017-05-03 11:18:00,CST-6,2017-05-03 13:18:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-94.55,37.619,-94.5501,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway K was closed due to flooding along East Fork Drywood Creek." +114198,698516,MISSOURI,2017,May,Flood,"JASPER",2017-05-03 11:30:00,CST-6,2017-05-03 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-94.3,37.3519,-94.2993,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","Main Street was closed due to flooding along Coon Creek." +114198,698518,MISSOURI,2017,May,Flood,"BENTON",2017-05-03 13:18:00,CST-6,2017-05-03 15:18:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-93.18,38.2005,-93.1771,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway V was closed due to flooding." +114198,698519,MISSOURI,2017,May,Flood,"BENTON",2017-05-03 13:09:00,CST-6,2017-05-03 15:09:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-93.1,38.1735,-93.1017,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway DD was closed due to flooding." +116211,698658,ILLINOIS,2017,May,Strong Wind,"JACKSON",2017-05-17 09:00:00,CST-6,2017-05-17 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698657,ILLINOIS,2017,May,Strong Wind,"UNION",2017-05-17 09:00:00,CST-6,2017-05-17 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116211,698659,ILLINOIS,2017,May,Strong Wind,"PERRY",2017-05-17 09:00:00,CST-6,2017-05-17 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts from 40 to 50 mph were measured north of the Marion/Harrisburg corridor and over the Mississippi River counties. The peak wind gust in southern Illinois was 49 mph at the Carbondale airport.","" +116112,698609,MISSISSIPPI,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-28 09:02:00,CST-6,2017-05-28 09:02:00,0,0,0,0,0.20K,200,0.00K,0,31.5792,-90.4425,31.5792,-90.4425,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","A few tree limbs were blown down in Brookhaven." +116273,699140,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-05-23 16:45:00,EST-5,2017-05-23 16:47:00,0,0,0,0,,NaN,0.00K,0,31.4178,-81.2954,31.4178,-81.2954,"A strong line of thunderstorms develop across portions of southeast Georgia and southeast South Carolina in the afternoon hours. This line eventually impacted the coast and the adjacent Atlantic coastal waters, primarily producing strong wind gusts. The event also included a tornado that moved through Fort Pulaski and then into the coastal waters, becoming a waterspout.","The NERRS site on Sapelo Island measured a 38 knot wind gust." +116273,699141,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-05-23 20:10:00,EST-5,2017-05-23 20:12:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"A strong line of thunderstorms develop across portions of southeast Georgia and southeast South Carolina in the afternoon hours. This line eventually impacted the coast and the adjacent Atlantic coastal waters, primarily producing strong wind gusts. The event also included a tornado that moved through Fort Pulaski and then into the coastal waters, becoming a waterspout.","Buoy 41004 measured a 35 knot wind gust." +115267,692011,ILLINOIS,2017,May,Hail,"HAMILTON",2017-05-27 13:42:00,CST-6,2017-05-27 13:53:00,0,0,0,0,,NaN,,NaN,38.1,-88.53,38.1145,-88.53,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","A swath of large hail from quarter to golf-ball size crossed the Mcleansboro area in association with a severe thunderstorm cell." +115955,698407,MISSOURI,2017,May,Flood,"STODDARD",2017-05-01 23:00:00,CST-6,2017-05-29 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.68,-90.1,36.6806,-90.1401,"A series of heavy rainfall events in April, followed by another heavy rainfall event in early May, kept the Mississippi and St. Francis Rivers above flood stage for all or most of the month. The Mississippi River flooding was major in many locations north of the confluence of the Ohio River. Rainfall totals from April 28-30 ranged from 6 to 10 inches across much of southern Illinois and southeast Missouri. The St. Francis River crested at a new record high at the Patterson gage.","Major flooding occurred on the St. Francis River. At the Fisk river gage, the river crested at 26.13 feet on the evening of May 2. This crest was just about one foot below the second highest crest on record, which occurred on May 4, 2011. The river came within a foot or so of overtopping a levee on the left bank. Extensive flooding occurred on the Stoddard County side of the river. The Moccasin Flats area was completely submerged, forcing residents to evacuate by boat. Voluntary evacuations were conducted across the western quarter of the county, including the Puxico, Dudley, and Powe areas. All residents in the Powe area evacuated. Floodwaters endangered the eastbound lanes of Highway 60. The eastbound U.S. Route 60 ramp to Route 51 was closed. Damage to county roads near the river was extensive. State Highway 51 was closed in places around the Mingo National Wildlife Refuge." +112887,675693,KENTUCKY,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-01 07:40:00,CST-6,2017-03-01 07:40:00,0,0,0,0,75.00K,75000,0.00K,0,36.67,-86.54,36.67,-86.54,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Simpson County emergency manager reported power outages to the city of Franklin. Power lines and poles were down." +112887,675695,KENTUCKY,2017,March,Thunderstorm Wind,"CASEY",2017-03-01 08:30:00,EST-5,2017-03-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-85,37.36,-85,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported trees down over Caney Fork Road near Cale Brown Road." +112887,675698,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:22:00,EST-5,2017-03-01 07:22:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-84.57,38.28,-84.57,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +112887,675700,KENTUCKY,2017,March,Thunderstorm Wind,"MONROE",2017-03-01 07:55:00,CST-6,2017-03-01 07:55:00,0,0,0,0,50.00K,50000,0.00K,0,36.82,-85.78,36.82,-85.78,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","State officials reported multiple trees and power lines down in the area due to severe thunderstorm winds." +116168,699711,IOWA,2017,May,Thunderstorm Wind,"GUTHRIE",2017-05-17 14:50:00,CST-6,2017-05-17 15:20:00,0,0,0,0,50.00K,50000,0.00K,0,41.5078,-94.3184,41.8364,-94.3156,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported numerous instances across Guthrie County to the Adair County line of wind damage. This included 40x60 machine shed roof taken off 4 miles SW of Panora, power lines down in Jamaica from blown over tree, power lines down in Stuart due to tree damage." +116168,698205,IOWA,2017,May,Thunderstorm Wind,"CLARKE",2017-05-17 14:43:00,CST-6,2017-05-17 14:43:00,0,0,0,0,2.00K,2000,0.00K,0,41.04,-93.97,41.04,-93.97,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager stated home owner just west of Murray reported shingles blown off, flag pole snapped, and small tree branches down." +116168,698211,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:10:00,CST-6,2017-05-17 15:25:00,0,0,0,0,50.00K,50000,0.00K,0,41.85,-94.22,41.6878,-93.8528,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported power poles blown down on Highway 44, semi truck blownn over at intersection of P46 and Highway 141. All between Perry and Dawson." +116114,697895,TEXAS,2017,May,Thunderstorm Wind,"TRAVIS",2017-05-28 17:45:00,CST-6,2017-05-28 17:45:00,0,0,0,0,1.00K,1000,,NaN,30.45,-97.68,30.45,-97.68,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that snapped a tree in the front yard of a house in the Wells Branch area." +116114,697896,TEXAS,2017,May,Thunderstorm Wind,"KENDALL",2017-05-28 17:50:00,CST-6,2017-05-28 17:50:00,0,0,0,0,,NaN,,NaN,29.85,-98.74,29.85,-98.74,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that knocked down some large tree limbs at the end of Rodeo Dr. in Boerne." +116114,697897,TEXAS,2017,May,Thunderstorm Wind,"TRAVIS",2017-05-28 17:55:00,CST-6,2017-05-28 17:55:00,0,0,0,0,1.00K,1000,,NaN,30.29,-97.69,30.29,-97.69,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced a down burst with winds estimated at 60 mph that knocked down tree limbs in northeastern Austin." +116114,697899,TEXAS,2017,May,Thunderstorm Wind,"TRAVIS",2017-05-28 17:58:00,CST-6,2017-05-28 17:58:00,0,0,0,0,1.00K,1000,,NaN,30.4954,-97.5933,30.4954,-97.5933,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down a fence near Dearing Elementary School in Pflugerville." +116114,697900,TEXAS,2017,May,Thunderstorm Wind,"TRAVIS",2017-05-28 17:58:00,CST-6,2017-05-28 17:58:00,0,0,0,0,,NaN,,NaN,30.37,-97.61,30.37,-97.61,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph knocking down tree branches that covered the road along Harris Branch Pkwy. in Manor." +116114,697906,TEXAS,2017,May,Lightning,"TRAVIS",2017-05-28 18:00:00,CST-6,2017-05-28 18:00:00,0,0,0,0,120.00K,120000,0.00K,0,30.27,-97.74,30.27,-97.74,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced lightning that caused a house fire at 1142 Delores Ave. in Austin." +116114,697901,TEXAS,2017,May,Thunderstorm Wind,"KENDALL",2017-05-28 18:03:00,CST-6,2017-05-28 18:03:00,0,0,0,0,5.00K,5000,,NaN,29.95,-98.7,29.95,-98.7,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that blew down numerous trees on the property of the Sisterdale COOP observer." +116114,697902,TEXAS,2017,May,Thunderstorm Wind,"TRAVIS",2017-05-28 18:08:00,CST-6,2017-05-28 18:08:00,0,0,0,0,,NaN,,NaN,30.36,-97.53,30.36,-97.53,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down small tree limbs in Manor. This storm also produced penny size hail." +116114,697905,TEXAS,2017,May,Hail,"TRAVIS",2017-05-28 18:08:00,CST-6,2017-05-28 18:08:00,0,0,0,0,,NaN,,NaN,30.36,-97.53,30.36,-97.53,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced penny size hail and wind gusts estimated at 60 mph in Manor." +116437,700594,TEXAS,2017,May,Hail,"CORYELL",2017-05-21 05:19:00,CST-6,2017-05-21 05:19:00,0,0,0,0,0.00K,0,0.00K,0,31.49,-97.91,31.49,-97.91,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","Broadcast media reported quarter-sized hail approximately 10 miles west-northwest of the city of Gatesville, TX." +116437,700595,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-21 06:25:00,CST-6,2017-05-21 06:25:00,0,0,0,0,0.00K,0,0.00K,0,31.58,-97.39,31.58,-97.39,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","A social media report indicated half-dollar sized hail just north of the city of Crawford, TX." +116437,700596,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-21 06:45:00,CST-6,2017-05-21 06:45:00,0,0,0,0,0.00K,0,0.00K,0,31.63,-97.3,31.63,-97.3,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","Emergency management reported half-dollar sized hail near the city of China Spring, TX." +116437,700597,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-21 06:55:00,CST-6,2017-05-21 06:55:00,0,0,0,0,0.00K,0,0.00K,0,31.6296,-97.2437,31.6296,-97.2437,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","A trained spotter reported quarter-sized hail near the intersection of FM 2490 and Hwy 1637; approximately 4 miles east-southeast of China Spring, TX." +116437,700598,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-21 07:30:00,CST-6,2017-05-21 07:30:00,0,0,0,0,0.00K,0,0.00K,0,31.69,-97.08,31.69,-97.08,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","Broadcast media reported quarter-sized hail off Highway 308 near the city of Elm Mott, TX." +116437,700599,TEXAS,2017,May,Hail,"MCLENNAN",2017-05-21 07:31:00,CST-6,2017-05-21 07:31:00,0,0,0,0,0.00K,0,0.00K,0,31.63,-97.1,31.63,-97.1,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","A social media report indicated quarter-sized hail near the city of Lacey-Lakeview, TX." +116437,700601,TEXAS,2017,May,Lightning,"TARRANT",2017-05-21 05:30:00,CST-6,2017-05-21 05:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.8955,-97.2122,32.8955,-97.2122,"Thunderstorms developed during the morning hours as a warm front lifted north across Central and North Texas. Hail was the primary severe weather associated with this convection.","Lightning damaged a home at the 8000 block of Oak Knoll Blvd in the city of North Richland Hills, TC." +116530,700738,TEXAS,2017,May,Hail,"DONLEY",2017-05-10 02:36:00,CST-6,2017-05-10 02:36:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-101.07,35.07,-101.07,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Late report of hail ranging from golf ball to slightly larger than baseballs in size." +116530,700743,TEXAS,2017,May,Hail,"ARMSTRONG",2017-05-10 03:17:00,CST-6,2017-05-10 03:17:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-101.57,35.17,-101.57,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Late report. Half Dollar size hail reported." +116530,700742,TEXAS,2017,May,Hail,"GRAY",2017-05-10 02:49:00,CST-6,2017-05-10 02:49:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-100.98,35.22,-100.98,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Late report from Facebook. Time estimated by radar." +116320,699515,WASHINGTON,2017,May,Flood,"FERRY",2017-05-01 00:00:00,PST-8,2017-05-15 00:00:00,0,0,0,0,100.00K,100000,0.00K,0,47.9612,-118.916,48.9737,-118.949,"Very wet conditions along with spring time snow melt during the month of April continued to promote widespread areal flooding issues and debris flows in the mountainous regions of Ferry and Okanogan Counties.","Periodic heavy rain during the month of April along with spring-time snow melt created saturated soil conditions during April and continuing through the first week of May. Numerous small stream floods and debris flows plagued the county. In the Curlew area on May 5th and 6th several reports of flooding were reported, including Curlew Creek near Curlew flooding basements and roads and Toroda Creek overflowing and affecting several bridges. Cottonwood Creek northwest of Curlew washed out a driveway to a residence. Highway 395 was washed out near Boyds in April and remained closed and under extensive repairs during the month of May." +116619,701390,GEORGIA,2017,May,Thunderstorm Wind,"WALKER",2017-05-20 18:47:00,EST-5,2017-05-20 18:57:00,0,0,0,0,8.00K,8000,,NaN,34.73,-85.18,34.7553,-85.1592,"Afternoon heating combined with a moist and moderately unstable atmosphere to produce isolated wind damage in parts of north Georgia.","The Walker County Emergency Manager reported multiple trees blown down along Highway 151 between Highway 136 and the Catoosa County line." +116619,701391,GEORGIA,2017,May,Thunderstorm Wind,"WHITE",2017-05-20 18:30:00,EST-5,2017-05-20 19:00:00,0,0,0,0,25.00K,25000,,NaN,34.5515,-83.8344,34.7216,-83.651,"Afternoon heating combined with a moist and moderately unstable atmosphere to produce isolated wind damage in parts of north Georgia.","The White County Emergency Manager reported numerous trees and power lines blown down across the county from south and west of Cleveland to east of Helen. One tree fell on a garage on Underwood Farm Road. No injuries were reported." +116653,701392,COLORADO,2017,May,Thunderstorm Wind,"KIT CARSON",2017-05-22 16:22:00,MST-7,2017-05-22 16:31:00,0,0,0,0,0.00K,0,0.00K,0,39.2415,-102.2819,39.2415,-102.2819,"Wind gusts up to 59 MPH were reported at the Burlington airport from thunderstorm outflow winds.","" +116002,701191,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 02:00:00,EST-5,2017-05-05 02:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.6451,-79.9497,35.6451,-79.9497,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on Mechanic Road, Granville Road and Lofin Road." +116660,701427,TEXAS,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-14 16:28:00,CST-6,2017-05-14 16:28:00,0,0,0,0,,NaN,,NaN,35.82,-101.6642,35.82,-101.6642,"Convection developed along a dryline that was located across the far western TX Panhandle. SBCAPE of 1000-2000 J/Kg in-conjunction with parallel 700-500 hPa flow with forecast soundings showing inverted-V profiles indicated a line of storms would develope with severe winds being the main hazard. Winds greater than 70 MPH were observed out ahead of the dryline across the central TX Panhandle where convection developed and progressed through before ending around sunset.","Five power poles snapped on FM 1060 about 9-12 miles south of Capps switch." +116678,701558,OREGON,2017,May,Hail,"JEFFERSON",2017-05-04 21:40:00,PST-8,2017-05-04 22:00:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-121.3,44.44,-121.3,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Estimated 1.75 inch hail occurred at Crooked River Ranch, 9 miles NW of Terrebonne in Jefferson county." +116678,701559,OREGON,2017,May,Hail,"JEFFERSON",2017-05-04 21:40:00,PST-8,2017-05-04 22:00:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-121.29,44.45,-121.29,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Measured 1.00 inch hail occurred northwest of Terrebonne in Jefferson county." +116678,701563,OREGON,2017,May,Hail,"DESCHUTES",2017-05-04 21:55:00,PST-8,2017-05-04 22:05:00,0,0,0,0,0.00K,0,0.00K,0,44.29,-121.49,44.29,-121.49,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Measured 2.00 inch hail occurred 3 miles E of Sisters in Deschutes county. Report was from a public post on television station KTVZ Facebook page." +116678,701565,OREGON,2017,May,Hail,"JEFFERSON",2017-05-04 22:05:00,PST-8,2017-05-04 22:20:00,0,0,0,0,0.00K,0,0.00K,0,44.63,-121.13,44.63,-121.13,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Measured 1.75 inch hail occurred at Madras in Jefferson county. Report from public post on NWS Pendleton Facebook page." +116678,701568,OREGON,2017,May,Hail,"JEFFERSON",2017-05-04 22:05:00,PST-8,2017-05-04 22:20:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-121.31,44.46,-121.31,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Estimated 1.00 inch hail occurred 11 miles NW of Terrebonne in Jefferson county." +116678,701570,OREGON,2017,May,Hail,"JEFFERSON",2017-05-04 22:05:00,PST-8,2017-05-04 22:20:00,0,0,0,0,0.00K,0,0.00K,0,44.63,-121.19,44.63,-121.19,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Measured 1.50 inch hail occurred 3 miles W of Madras in Jefferson county." +116706,701821,TEXAS,2017,May,Hail,"HANSFORD",2017-05-15 20:10:00,CST-6,2017-05-15 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-101.13,36.3,-101.13,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701822,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-15 20:48:00,CST-6,2017-05-15 20:48:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-100.99,36.24,-100.99,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","Pea and nickel size hail coating roadway on Route 15." +116706,701823,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-15 20:54:00,CST-6,2017-05-15 20:54:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-100.82,36.4,-100.82,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116706,701824,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-15 20:55:00,CST-6,2017-05-15 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-100.8,36.39,-100.8,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116734,702050,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:05:00,EST-5,2017-05-18 20:09:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-72.44,42.96,-72.44,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires on River Road and Route 12 in Westmoreland." +116734,702051,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:10:00,EST-5,2017-05-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-72.38,42.78,-72.38,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Winchester." +116734,702052,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:10:00,EST-5,2017-05-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-72.36,43.15,-72.36,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Alstead." +116734,702053,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:15:00,EST-5,2017-05-18 20:19:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-72.32,43.02,-72.32,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires on Route 12A in Surry." +116734,702054,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:15:00,EST-5,2017-05-18 20:20:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-72.3,42.95,-72.3,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires on Court Street and Route 12A in Keene." +115177,698427,MISSOURI,2017,May,Tornado,"MORGAN",2017-05-27 13:38:00,CST-6,2017-05-27 13:39:00,0,0,0,0,50.00K,50000,0.00K,0,38.204,-92.7704,38.2046,-92.7682,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A NWS storm survey confirmed an EF-1 tornado briefly touched down approximately one mile north of Sunrise Beach. Estimated maximum wind speeds were up to 90 mph. Numerous trees were uprooted." +115177,698426,MISSOURI,2017,May,Tornado,"MORGAN",2017-05-27 13:38:00,CST-6,2017-05-27 13:39:00,0,0,0,0,25.00K,25000,0.00K,0,38.1918,-92.7854,38.1919,-92.7843,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A NWS storm survey team confirmed an EF-1 tornado briefly touched down approximately 2 miles north-northeast of Sunrise Beach. Numerous trees were uprooted. There was damage to a roof of a metal building. Estimated maximum wind speeds were up to 90 mph." +115177,698425,MISSOURI,2017,May,Tornado,"LACLEDE",2017-05-27 13:50:00,CST-6,2017-05-27 13:57:00,0,0,0,0,100.00K,100000,0.00K,0,37.6004,-92.7221,37.5844,-92.5811,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The roof of a trucking business near mile mark 123 along I-44 was damaged along with multiple trucks overturned in a parking lot. This tornado uprooted numerous trees and damaged several outbuildings across rural Laclede County." +115177,697756,MISSOURI,2017,May,Flash Flood,"GREENE",2017-05-27 18:37:00,CST-6,2017-05-27 20:37:00,0,0,0,0,0.00K,0,0.00K,0,37.1468,-93.269,37.1472,-93.2688,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The public reported to the 911 center that roadways were flooded at Primose Road." +116720,701948,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-05-25 14:36:00,EST-5,2017-05-25 14:37:00,0,0,0,0,0.00K,0,0.00K,0,34.002,-77.905,34.002,-77.905,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","A wind gust to 51 knots was measured on Fort Fisher Blvd." +114463,686382,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-08 13:00:00,MST-7,2017-05-08 13:05:00,0,0,0,0,0.00K,0,0.00K,0,37.45,-104.2,37.45,-104.2,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +116595,702362,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-05-01 01:19:00,CST-6,2017-05-01 01:19:00,0,0,0,0,0.00K,0,0.00K,0,30.4209,-87.1725,30.4209,-87.1725,"A line of showers and thunderstorms produced high winds across the marine area. A wake low developed behind the line of showers and thunderstorms and produced additional high winds.","" +116595,702363,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-05-01 02:40:00,CST-6,2017-05-01 02:40:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-86.59,30.39,-86.59,"A line of showers and thunderstorms produced high winds across the marine area. A wake low developed behind the line of showers and thunderstorms and produced additional high winds.","Weatherflow site at Okaloosa fishing pier." +116595,702364,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-01 00:42:00,CST-6,2017-05-01 00:42:00,0,0,0,0,0.00K,0,0.00K,0,30.1866,-88.02,30.1866,-88.02,"A line of showers and thunderstorms produced high winds across the marine area. A wake low developed behind the line of showers and thunderstorms and produced additional high winds.","Weatherflow site at Fort Morgan." +116595,703469,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-05-01 00:02:00,CST-6,2017-05-01 00:02:00,0,0,0,0,0.00K,0,0.00K,0,30.4085,-87.1992,30.4085,-87.1992,"A line of showers and thunderstorms produced high winds across the marine area. A wake low developed behind the line of showers and thunderstorms and produced additional high winds.","" +112887,675703,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 09:17:00,EST-5,2017-03-01 09:17:00,0,0,0,0,70.00K,70000,0.00K,0,37.73,-84.3,37.73,-84.3,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Madison County emergency manager reported several mobile homes damaged due to severe thunderstorm winds." +118549,712207,CALIFORNIA,2017,March,Heavy Snow,"SURPRISE VALLEY",2017-03-04 20:30:00,PST-8,2017-03-05 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold low pressure dropped from the Gulf of Alaska on the 3rd into northern California by the 5th, bringing heavy snow to northeast California, the northern Sierra, and far western Nevada.","Four inches of snow was reported in Cedarville." +114118,683609,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:31:00,CST-6,2017-03-01 06:31:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-87.42,36.62,-87.42,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A wind gust of 54 knots or 62 mph was measured at the Clarksville Outlaw Field ASOS." +114118,683611,TENNESSEE,2017,March,Thunderstorm Wind,"DICKSON",2017-03-01 06:32:00,CST-6,2017-03-01 06:32:00,0,0,0,0,10.00K,10000,0.00K,0,36.225,-87.4351,36.225,-87.4351,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","The roof was reportedly blown off the McEwen Logging and Sawmill in Vanleer." +114775,688416,MISSOURI,2017,April,Flash Flood,"WAYNE",2017-04-30 01:15:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0119,-90.7079,37.17,-90.72,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Numerous roads in the county were closed due to high water, including Highway 49 south of Mill Spring. Other closed roads included sections of Highways 143, 34, FF, KK, A, and C." +113051,683072,MASSACHUSETTS,2017,March,Heavy Snow,"EASTERN HAMPDEN",2017-03-14 02:30:00,EST-5,2017-03-14 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","Heavy snow fell throughout much of the day in eastern Hampden County.|Snowfall totals ranged from 10 to 18 inches. Some representative totals included 18.0 inches in Southwick, 17.0 inches in Ludlow, 14.0 inches in Springfield, 13.0 inches in Palmer, 12.0 inches in Hampden, and 10.0 inches in Wales." +114118,683876,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:06:00,CST-6,2017-03-01 07:06:00,0,0,0,0,5.00K,5000,0.00K,0,36.2237,-86.7581,36.2237,-86.7581,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A Facebook post indicated a house and outbuilding were damaged on Morningside Drive." +114118,683877,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-01 07:10:00,CST-6,2017-03-01 07:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.2502,-86.6428,36.2502,-86.6428,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Dupont-Hadley Middle School suffered roof damage and a gas leak." +114118,685834,TENNESSEE,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-01 06:35:00,CST-6,2017-03-01 06:35:00,0,0,0,0,2.00K,2000,0.00K,0,36.5452,-87.2911,36.5452,-87.2911,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","TDOT reported two trees were blown down on Highway 374 between Warfield Boulevard and River Run Road." +114118,685836,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-01 06:52:00,CST-6,2017-03-01 06:52:00,0,0,0,0,7.00K,7000,0.00K,0,35.9304,-87.0384,35.9304,-87.0384,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Williamson County EMA reported 7 trees blown down in the backyard of a home at 5522 Noble King Road." +114423,686500,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 22:53:00,CST-6,2017-03-09 22:53:00,0,0,0,0,1.00K,1000,0.00K,0,35.886,-87.0053,35.886,-87.0053,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Tree down on Sweeney Hollow Road at Bailey Road." +114423,686502,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 23:01:00,CST-6,2017-03-09 23:01:00,0,0,0,0,1.00K,1000,0.00K,0,35.9729,-86.8328,35.9729,-86.8328,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Tree down in the roadway on Franklin Road at Moores Lane." +114118,685602,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:02:00,CST-6,2017-03-01 08:02:00,0,0,0,0,1.00K,1000,0.00K,0,36.6016,-85.687,36.6016,-85.687,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down on Windmill Road." +114118,685603,TENNESSEE,2017,March,Thunderstorm Wind,"CLAY",2017-03-01 08:17:00,CST-6,2017-03-01 08:17:00,0,0,0,0,1.00K,1000,0.00K,0,36.5692,-85.6048,36.5692,-85.6048,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A tree was blown down in the 1400 block of Mill Road near Moss." +114683,687927,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:45:00,CST-6,2017-03-21 15:46:00,0,0,0,0,75.00K,75000,0.00K,0,35.7341,-86.4278,35.7252,-86.4001,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A NWS storm survey found a severe 1.5 mile long by 1 mile wide microburst caused significant wind damage along Highway 231 in Christiana. A few homes west of Highway 231 north of Stones River Road suffered minor roof damage and some trees were blown down. More significant wind damage occurred along Highway 231, where a large portion of the roof was blown off the Christiana Elementary School, two homes suffered roof damage, and part of the metal roof was blown off a barn. Minor roof damage occurred to more homes east of Highway 231 along Parsons Road and Steeplechase Road and several more trees were blown down. Winds were estimated from 60 to 80 mph." +114683,687933,TENNESSEE,2017,March,Thunderstorm Wind,"RUTHERFORD",2017-03-21 15:53:00,CST-6,2017-03-21 15:53:00,0,0,0,0,5.00K,5000,0.00K,0,35.85,-86.42,35.85,-86.42,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Multiple trees were blown down across Murfreesboro." +114423,686601,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:37:00,CST-6,2017-03-09 23:37:00,0,0,0,0,3.00K,3000,0.00K,0,35.6044,-86.4356,35.6044,-86.4356,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A Facebook photo showed a large tree uprooted partially onto a home on the northeast corner of Highway 231 and Edd Joyce Road in Deason." +114423,686513,TENNESSEE,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-09 23:27:00,CST-6,2017-03-09 23:36:00,0,0,0,0,75.00K,75000,0.00K,0,35.4442,-86.8337,35.405,-86.6417,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A NWS storm survey found a large, severe 18 mile long by 1 to 2.5 mile wide downburst struck areas in Marshall County from southern Lewisburg east-southeastward across Belfast, then continued into southwestern Bedford County before ending near Highway 231 south of Shelbyville. Widespread straight line wind damage occurred across the southern half of Lewisburg, with a tall radio tower bent in half on Skyline Drive. Part of the poorly-attached metal roof on a home on Gina Lynn Drive was blown up to 3/4 mile away. Another home had numerous shingles blown off on Midway Street near Scenic Drive, and a neighboring home had its metal carport destroyed. A barn lost part of its roof on Cornersville Road, and another carport was destroyed on Cornersville Road north of Highway 31A. An old warehouse building was heavily damaged on Old Belfast Road just west of Garrett Parkway, with much of the roof blown off and one wall collapsed. In addition, dozens of large trees were snapped and uprooted on Lakehill Drive, Green Valley Drive, Fox Lane, Midway Street, and others in southern Lewisburg. Farther to the east just west of Belfast, a barn lost much of its roof and a carport was destroyed on Old Belfast Road. Another barn was destroyed and numerous trees uprooted south of Belfast on Highway 431. Winds within the 1 mile wide downburst across Marshall County were estimated mainly in the 60-80 mph range, although pockets of damage such as the bent radio tower indicated winds reached 80 to 100 mph in some areas.||In Bedford County, the porch was blown off a home on Cortner Hollow Road, and a barn had significant roof damage on Pickle Road. In the Richmond area, the sheet metal roof and walls were blown off an outbuilding on Sinking Creek Road, the roof was blown off a barn on Highway 130, and a gas station canopy collapsed on Highway 130 at Gant Hollow Road. Further to the east, another small barn was destroyed on Bluestocking Hollow Road at D Martin Road. Winds within the downburst across southwestern Bedford County, which was up to 2.5 miles wide, were estimated from 60 to 80 mph." +114423,686515,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:36:00,CST-6,2017-03-09 23:43:00,0,0,0,0,25.00K,25000,0.00K,0,35.405,-86.6417,35.3783,-86.5111,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A NWS storm survey found a large and severe 18 mile long by 1 to 2.5 mile wide downburst struck areas in Marshall County from southern Lewisburg east-southeastward across Belfast, then continued into southwestern Bedford County before ending near Highway 231 south of Shelbyville. Widespread straight line wind damage occurred across the southern half of Lewisburg, with a tall radio tower bent in half on Skyline Drive. Part of the poorly-attached metal roof on a home on Gina Lynn Drive was blown up to 3/4 mile away. Another home had numerous shingles blown off on Midway Street near Scenic Drive, and a neighboring home had its metal carport destroyed. A barn lost part of its roof on Cornersville Road, and another carport was destroyed on Cornersville Road north of Highway 31A. An old warehouse building was heavily damaged on Old Belfast Road just west of Garrett Parkway, with much of the roof blown off and one wall collapsed. In addition, dozens of large trees were snapped and uprooted on Lakehill Drive, Green Valley Drive, Fox Lane, Midway Street, and others in southern Lewisburg. Farther to the east just west of Belfast, a barn lost much of its roof and a carport was destroyed on Old Belfast Road. Another barn was destroyed and numerous trees uprooted south of Belfast on Highway 431. Winds within the 1 mile wide downburst across Marshall County were estimated mainly in the 60-80 mph range, although pockets of damage such as the bent radio tower indicated winds reached 80 to 100 mph in some areas.||In Bedford County, the porch was blown off a home on Cortner Hollow Road, and a barn had significant roof damage on Pickle Road. Several trees were blown down on Quail Valley Road. In the Richmond area, the sheet metal roof and walls were blown off an outbuilding on Sinking Creek Road, the roof was blown off a barn on Highway 130, and a gas station canopy collapsed on Highway 130 at Gant Hollow Road. Further to the east, another small barn was destroyed on Bluestocking Hollow Road at D Martin Road, and trees and power poles were blown down on Highway 231 near Bluestocking Hollow Road. Winds within the downburst across southwestern Bedford County, which was up to 2.5 miles wide, were estimated from 60 to 80 mph." +114721,688119,MISSISSIPPI,2017,March,High Wind,"CLAY",2017-03-30 06:00:00,CST-6,2017-03-30 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","High winds associated with a wake low event blew trees down in several locations across Clay County in addition to causing roof damage to Oak Hill Academy in West Point." +114683,687900,TENNESSEE,2017,March,Hail,"MARSHALL",2017-03-21 14:53:00,CST-6,2017-03-21 14:53:00,0,0,0,0,0.00K,0,0.00K,0,35.3935,-86.7512,35.3935,-86.7512,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","A tSpotter Twitter report indicated quarter size hail fell on Springplace Road." +114340,685163,NEW YORK,2017,March,Strong Wind,"RICHMOND (STATEN IS.)",2017-03-02 05:00:00,EST-5,2017-03-02 07:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","The media reported a tree down on a car in Port Richmond at 530 am. This occurred near Trantor Place and Dixon Avenue." +114347,685212,NEW YORK,2017,March,Strong Wind,"NORTHEAST SUFFOLK",2017-03-03 20:00:00,EST-5,2017-03-03 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty winds occurred behind a surface trough.","Near Calverton, a mesonet station measured a wind gust to 55 mph at 940 pm." +114347,685214,NEW YORK,2017,March,Strong Wind,"NORTHWEST SUFFOLK",2017-03-03 20:00:00,EST-5,2017-03-03 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty winds occurred behind a surface trough.","Near Eatons Neck, a mesonet station measured a wind gust to 55 mph at 1040 pm." +113127,676594,TEXAS,2017,March,Tornado,"MATAGORDA",2017-03-05 11:55:00,CST-6,2017-03-05 11:57:00,0,0,0,0,0.00K,0,0.00K,0,28.8844,-96.1457,28.8844,-96.1457,"A couple of brief weak tornadoes touched down in open fields and caused no damage.","A tornado was observed and recorded near the intersection of Highway 35 and FM 1095. The tornado was nearly stationary in a field around the Tidehaven School area." +114118,686873,TENNESSEE,2017,March,Thunderstorm Wind,"HUMPHREYS",2017-03-01 06:16:00,CST-6,2017-03-01 06:17:00,0,0,0,0,10.00K,10000,0.00K,0,36.0777,-87.6887,36.0834,-87.6663,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Based on reports and photos from a trained spotter along with radar data, a swath of wind damage struck a farm along Enoch Road just south of Little Blue Creek Road, then continued northeast across Little Blue Creek Road. An outbuilding was destroyed and two large farm buildings suffered roof damage, with debris from the buildings blown eastward across Enoch Road. Several trees were also blown down at the farm. Farther to the east, several more trees were blown down along a bend in Little Blue Creek Road. Based on radar data and a slight convergent pattern in the debris, this may have been a brief EF-0 tornado." +114609,687490,NEW YORK,2017,March,Winter Storm,"BRONX",2017-03-14 00:30:00,EST-5,2017-03-14 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","The public reported 9 inches of snow in Parkchester. The snow also mixed with sleet. A 45 mph wind gust was observed at nearby LaGuardia Airport at 2:52 pm." +114683,687960,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:24:00,CST-6,2017-03-21 16:24:00,0,0,0,0,25.00K,25000,0.00K,0,35.68,-85.78,35.68,-85.78,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Warren County Emergency Management reported widespread wind damage in and around McMinnville. The roof was blown off a building at the corner of Lyon and Sparta Streets, and a trained spotter reported roof and siding damage to his home. in the 200 block of Bonner Street. A home in the 200 block of Sparta Street also suffered roof damage. Trees fell on houses at 4113 Old Nashville Highway, 211 Westwood Drive, and Cascade Avenue. A tree also fell onto three vehicles at 105 Whiteoak Drive. Numerous trees and power lines were blown down in other areas with several roadways blocked." +114735,688174,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:43:00,CST-6,2017-03-27 14:43:00,0,0,0,0,1.00K,1000,0.00K,0,36.11,-86.84,36.11,-86.84,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree was blown down on Abbot Martin Road." +114683,687954,TENNESSEE,2017,March,Thunderstorm Wind,"WARREN",2017-03-21 16:18:00,CST-6,2017-03-21 16:18:00,0,0,0,0,2.00K,2000,0.00K,0,35.6496,-85.855,35.6496,-85.855,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Two trees were blown down on Smartt Station Road." +114735,688240,TENNESSEE,2017,March,Thunderstorm Wind,"HICKMAN",2017-03-27 16:43:00,CST-6,2017-03-27 16:43:00,0,0,0,0,3.00K,3000,0.00K,0,35.87,-87.48,35.87,-87.48,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A few trees were blown down near Nunnelly." +114735,688241,TENNESSEE,2017,March,Hail,"HICKMAN",2017-03-27 16:43:00,CST-6,2017-03-27 16:43:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-87.48,35.87,-87.48,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Dime to quarter size hail was reported in Nunnelly." +115984,697209,CALIFORNIA,2017,January,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-01-19 21:00:00,PST-8,2017-01-23 01:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong low pressure remained over the northeast Pacific from late on the 19th into the 23rd, with a couple disturbances moving over California during the period. This brought another round of very significant snowfall to the Sierra and portions of northeast California.","The Portola cooperative observer measured 18 inches of snowfall in two precipitation waves between the evening of the 19th and very early on the 23rd. Two to 3 feet of snowfall is estimated to have fallen at higher elevations south and southwest of Susanville. Considerably less snow fell in the Susanville area, with between 3 and 8 inches reported, mostly falling between the evening of the 21st and 22nd." +115674,695159,FLORIDA,2017,March,Drought,"GLADES",2017-03-21 07:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry weather which began in late 2016 continued in March, leading to the development of severe drought (D2) conditions across parts of Southwest Florida. A large wildfire affected the Golden Gate Estates area of Inland Collier County. Crop production and harvesting slowed down due to the dry conditions. A total of 134 new fires were reported by the Florida Forest Service, burning a total of 14,000 acres.","Less than an inch of rain was recorded over most of Glades County in March." +115674,695161,FLORIDA,2017,March,Drought,"HENDRY",2017-03-21 07:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry weather which began in late 2016 continued in March, leading to the development of severe drought (D2) conditions across parts of Southwest Florida. A large wildfire affected the Golden Gate Estates area of Inland Collier County. Crop production and harvesting slowed down due to the dry conditions. A total of 134 new fires were reported by the Florida Forest Service, burning a total of 14,000 acres.","Less than an inch of rain was recorded over most of Hendry County in March. Severe drought conditions spread south across the county late in the month." +115674,695162,FLORIDA,2017,March,Drought,"INLAND COLLIER COUNTY",2017-03-21 07:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry weather which began in late 2016 continued in March, leading to the development of severe drought (D2) conditions across parts of Southwest Florida. A large wildfire affected the Golden Gate Estates area of Inland Collier County. Crop production and harvesting slowed down due to the dry conditions. A total of 134 new fires were reported by the Florida Forest Service, burning a total of 14,000 acres.","Less than an inch of rain was recorded over northern portions of Inland Collier County County in March. Severe drought conditions spread south across the area by March 28th." +116232,698839,HAWAII,2017,June,Drought,"KOHALA",2017-06-20 02:00:00,HST-10,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought, D2 in the drought monitor categories, returned to a portion of leeward Big Island. There had been little rainfall over the area since the latter part of May.","" +116464,700447,ILLINOIS,2017,June,Flood,"ALEXANDER",2017-06-01 00:00:00,CST-6,2017-06-04 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9997,-89.1585,36.9945,-89.1659,"The Mississippi and Ohio Rivers fell back within their banks after major flooding in May.","The Ohio River continued to fall slowly after cresting in early May. Early in June, minor flooding of the Ohio River inundated low-lying fields and portions of a state park." +116464,700448,ILLINOIS,2017,June,Flood,"ALEXANDER",2017-06-01 00:00:00,CST-6,2017-06-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-89.47,37.2159,-89.4586,"The Mississippi and Ohio Rivers fell back within their banks after major flooding in May.","The Mississippi River continued to slowly fall after cresting in early May. Minor flooding of the Mississippi River in early June inundated low-lying fields." +116231,698831,HAWAII,2017,June,High Surf,"BIG ISLAND NORTH AND EAST",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114351,685254,MONTANA,2017,May,Thunderstorm Wind,"CHOUTEAU",2017-05-06 17:17:00,MST-7,2017-05-06 17:17:00,0,0,0,0,0.00K,0,0.00K,0,47.75,-110.55,47.75,-110.55,"A moist, unstable southwest flow combined with an embedded shortwave and modest shear and modest instability allowed scattered showers and thunderstorms to develop across central Montana. A single supercell developed west of Helena, producing large hail and damaging winds in WFO Missoula's forecast area. That supercell then crossed the Continental Divide, transitioning to more of a broken line of thunderstorms that eventually lifted northeast through much of central Montana, especially east of I-15, producing some severe weather.","Peak wind gust at military site." +116348,699625,MONTANA,2017,May,High Wind,"JUDITH BASIN",2017-05-24 10:58:00,MST-7,2017-05-24 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust measured at the Bravo military site." +116348,699626,MONTANA,2017,May,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-05-24 13:37:00,MST-7,2017-05-24 13:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust measured at the Two Medicine DOT site." +116348,699627,MONTANA,2017,May,High Wind,"TOOLE",2017-05-24 14:30:00,MST-7,2017-05-24 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at a mesonet site 6 miles northwest of Devon." +116348,699635,MONTANA,2017,May,High Wind,"HILL",2017-05-24 08:18:00,MST-7,2017-05-24 08:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust measured at a mesonet site 3 miles NNW of Havre." +116348,699637,MONTANA,2017,May,High Wind,"BLAINE",2017-05-24 18:00:00,MST-7,2017-05-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak gust measured by a COOP observer in Chinook." +116054,697514,KANSAS,2017,May,Hail,"DECATUR",2017-05-16 15:55:00,CST-6,2017-05-16 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.5908,-100.4244,39.5908,-100.4244,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","The hail size varied from nickels to quarters." +116054,697515,KANSAS,2017,May,Hail,"SHERMAN",2017-05-16 16:23:00,MST-7,2017-05-16 16:23:00,0,0,0,0,0.00K,0,0.00K,0,39.5689,-101.6887,39.5689,-101.6887,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","The hail was mostly dime size with a few quarters mixed in." +116054,697516,KANSAS,2017,May,Hail,"DECATUR",2017-05-16 17:07:00,CST-6,2017-05-16 17:07:00,0,0,0,0,2.00K,2000,0.00K,0,39.6205,-100.4214,39.6205,-100.4214,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","Golf ball size hail had broken car windows while driving." +116054,697518,KANSAS,2017,May,Thunderstorm Wind,"GRAHAM",2017-05-16 16:20:00,CST-6,2017-05-16 16:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3741,-99.8299,39.3741,-99.8299,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116054,697519,KANSAS,2017,May,Hail,"RAWLINS",2017-05-16 18:27:00,CST-6,2017-05-16 18:27:00,0,0,0,0,0.00K,0,0.00K,0,39.8925,-101.1095,39.8925,-101.1095,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116054,697520,KANSAS,2017,May,Hail,"RAWLINS",2017-05-16 18:36:00,CST-6,2017-05-16 18:36:00,0,0,0,0,0.00K,0,0.00K,0,39.7848,-101.3713,39.7848,-101.3713,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116054,697521,KANSAS,2017,May,Hail,"RAWLINS",2017-05-16 19:49:00,CST-6,2017-05-16 19:49:00,0,0,0,0,0.00K,0,0.00K,0,39.9106,-100.7891,39.9106,-100.7891,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116054,697522,KANSAS,2017,May,Hail,"SHERMAN",2017-05-16 18:56:00,MST-7,2017-05-16 18:56:00,0,0,0,0,0.00K,0,0.00K,0,39.3353,-101.3926,39.3353,-101.3926,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116980,704474,INDIANA,2017,May,Hail,"ELKHART",2017-05-24 16:13:00,EST-5,2017-05-24 16:14:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-86,41.69,-86,"An upper level system interacted with an unstable environment, causing the development of thunderstorms. High precipitable water values and training of several thunderstorms cause a narrow swath of intense rainfall. This subsequently caused rapid water rises in rural and urban areas, resulting in numerous road closures as well as some rescues from stranded vehicles. Portions of Allen and Adams county were impacted the greatest.","" +117083,705183,KANSAS,2017,May,Hail,"SEWARD",2017-05-16 16:38:00,CST-6,2017-05-16 16:38:00,0,0,0,0,,NaN,,NaN,37.21,-100.7,37.21,-100.7,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705184,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 16:45:00,CST-6,2017-05-16 16:45:00,0,0,0,0,,NaN,,NaN,38.12,-100.88,38.12,-100.88,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705185,KANSAS,2017,May,Hail,"CLARK",2017-05-16 16:49:00,CST-6,2017-05-16 16:49:00,0,0,0,0,,NaN,,NaN,37.33,-100.01,37.33,-100.01,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705186,KANSAS,2017,May,Hail,"CLARK",2017-05-16 16:50:00,CST-6,2017-05-16 16:50:00,0,0,0,0,,NaN,,NaN,37.35,-100.01,37.35,-100.01,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705187,KANSAS,2017,May,Hail,"CLARK",2017-05-16 16:52:00,CST-6,2017-05-16 16:52:00,0,0,0,0,,NaN,,NaN,37.39,-100.01,37.39,-100.01,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705188,KANSAS,2017,May,Hail,"FORD",2017-05-16 17:06:00,CST-6,2017-05-16 17:06:00,0,0,0,0,,NaN,,NaN,37.52,-99.79,37.52,-99.79,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +114194,685307,PENNSYLVANIA,2017,May,Strong Wind,"UNION",2017-05-05 10:30:00,EST-5,2017-05-05 10:30:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down numerous trees along Route 15 in Lewisburg." +114194,685309,PENNSYLVANIA,2017,May,Strong Wind,"NORTHUMBERLAND",2017-05-05 10:40:00,EST-5,2017-05-05 10:40:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down numerous trees in East Milton, knocking out power to an estimated 2500 people." +114194,685311,PENNSYLVANIA,2017,May,Strong Wind,"SOUTHERN LYCOMING",2017-05-05 10:55:00,EST-5,2017-05-05 10:55:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down multiple trees and wires near Hughesville." +114194,685313,PENNSYLVANIA,2017,May,Strong Wind,"SOUTHERN LYCOMING",2017-05-05 10:55:00,EST-5,2017-05-05 10:55:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An area of heavy rain affected central Pennsylvania during the morning hours of May 5th, with widespread reports of 1 to 3 inches of rainfall. As the back edge of this rain pushed northeastward through the Middle Susquehanna Valley, strong winds estimated at 40-50 mph produced sporadic wind damage, uprooting trees along a swath extending from Union County northeastward into Northumberland and Lycoming counties. Sporadic wind damage continued northeastward into NY state, where an associated gravity wave was noted on the NY state mesonet.","Strong winds estimated near 50 mph that were associated with a gravity wave knocked down multiple trees along Muncy-Exchange Road near Muncy, including one tree on a house." +114107,685994,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BLAIR",2017-05-01 17:15:00,EST-5,2017-05-01 17:15:00,0,0,0,0,7.00K,7000,0.00K,0,40.3088,-78.3203,40.3088,-78.3203,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down and snapped numerous trees in Morrison's Cover Memorial Park in Martinsburg." +114107,685995,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:51:00,EST-5,2017-05-01 17:51:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-77.45,40.9,-77.45,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down large tree limbs in Aaronsburg." +114107,685999,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 17:19:00,EST-5,2017-05-01 17:19:00,0,0,0,0,15.00K,15000,0.00K,0,40.5678,-78.0587,40.5678,-78.0587,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph damaged a barn and a house west of Petersburg." +114107,686000,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 19:46:00,EST-5,2017-05-01 19:46:00,0,0,0,0,2.00K,2000,0.00K,0,40.2612,-77.9427,40.2612,-77.9427,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large tree west of Rockhill." +114107,686001,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SNYDER",2017-05-01 21:01:00,EST-5,2017-05-01 21:01:00,0,0,0,0,7.00K,7000,0.00K,0,40.7403,-76.994,40.7403,-76.994,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees east of Mount Pleasant Mills." +114107,686003,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SNYDER",2017-05-01 21:12:00,EST-5,2017-05-01 21:12:00,0,0,0,0,7.00K,7000,0.00K,0,40.8011,-76.8685,40.8011,-76.8685,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near Selinsgrove." +113397,679194,ALABAMA,2017,April,Hail,"DEKALB",2017-04-05 18:00:00,CST-6,2017-04-05 18:00:00,0,0,0,0,,NaN,,NaN,34.27,-85.86,34.27,-85.86,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Nickel sized hail was reported in Collinsville." +114575,687159,FLORIDA,2017,May,Wildfire,"INLAND SARASOTA",2017-05-13 12:43:00,EST-5,2017-05-14 08:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started along an interstate and spread rapidly due to breezy winds and dry conditions. The fire was reported to have damaged some powerlines.","Florida emergency management replayed a report of a wildfire that started along Interstate 75 early in the afternoon of the 13th, and quickly spread to 3200 acres by early evening due to breezy winds and dry conditions. The fire was reported to have damaged some power lines." +113806,684653,TENNESSEE,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-22 15:50:00,CST-6,2017-04-22 15:50:00,0,0,0,0,,NaN,,NaN,35.02,-86.73,35.02,-86.73,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","A large tree was knocked down." +113806,684654,TENNESSEE,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-22 15:50:00,CST-6,2017-04-22 15:50:00,0,0,0,0,,NaN,,NaN,35.04,-86.75,35.04,-86.75,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","A canopy above a gas station was blown off." +113386,678436,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-11 21:40:00,MST-7,2017-03-12 03:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through the area and resulted in strong, northeast gap winds in Guadalupe Pass.","Sustained northeast winds of 40 to 46 mph occurred in Guadalupe Pass for several hours." +113388,678437,NEW MEXICO,2017,March,High Wind,"EDDY COUNTY PLAINS",2017-03-23 14:55:00,MST-7,2017-03-23 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over southeastern New Mexico and resulted in widespread strong, westerly winds.","Southwest to west winds of 40-46 mph, and gusts as high as 55 mph, occurred at the Artesia ASOS." +113388,678438,NEW MEXICO,2017,March,High Wind,"EDDY COUNTY PLAINS",2017-03-23 15:00:00,MST-7,2017-03-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over southeastern New Mexico and resulted in widespread strong, westerly winds.","" +113388,678439,NEW MEXICO,2017,March,High Wind,"NORTHERN LEA COUNTY",2017-03-23 17:00:00,MST-7,2017-03-23 18:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over southeastern New Mexico and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-45 mph, and a gust to 55 mph, occurred at the Tatum Mesonet." +114703,688011,LOUISIANA,2017,May,Thunderstorm Wind,"BOSSIER",2017-05-20 22:35:00,CST-6,2017-05-20 22:35:00,0,0,0,0,0.00K,0,0.00K,0,32.4497,-93.6517,32.4497,-93.6517,"A complex of showers and thunderstorms quickly moved through the Ark-La-Tex during the early morning hours of May 20th, ahead of second thunderstorm complex over Southeast Oklahoma and Western Arkansas that slowly drifted east along and just ahead of a cold front and associated upper level trough. The storms that quickly progressed east across East Texas and North Louisiana shortly before daybreak did result in cell training over Northern Cherokee County Texas, where 2-3+ inches of rain fell in a short period of time. This resulted in flash flooding in the city of Jacksonville throughout the morning before the rains exited the area. This thunderstorm complex left pushed a large outflow boundary south into Southeast Texas and Central/Southern Louisiana by afternoon, leaving the air mass across much of the Ark-La-Tex stabilized. However, afternoon heating across a very moist air mass over Southeast Texas resulted in moderate instability developing over Northern Trinity and Polk Counties during the late afternoon, interacting with an approaching cold front to generate scattered strong to severe thunderstorms developing and shifting north northeast across portions of East Texas throughout the evening, resulting in numerous reports of large hail in Lufkin as well as in Joaquin. These severe thunderstorms spread northeast into Northwest Louisiana during the late evening throughout the early morning hours on May 21st, which downed numerous trees and produced large hail across portions of Northern Desoto, Southern Caddo and Bossier, and Northern Webster Parishes. These storms weakened during the early morning hours on May 21st as they moved into a more stable air mass in place.","Trees and power lines were downed in the Golden Meadows subdivision near Parkway High School." +114545,686958,TEXAS,2017,May,Thunderstorm Wind,"CROSBY",2017-05-14 20:25:00,CST-6,2017-05-14 20:25:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-101.17,33.53,-101.17,"Numerous high based thunderstorms developed late this afternoon from the central South Plains northeast to the far southeast Panhandle within a persistent axis of diffluence aloft. Although dewpoints were only in the 40s and mixed layer CAPE values were below 1000 J/kg, ample downdraft CAPE resulted in some of these pulse storms producing downbursts with one storm even producing hail to ping pong ball size.","Measured by a Texas Tech University West Texas mesonet." +114619,687391,TEXAS,2017,May,Hail,"KING",2017-05-18 12:45:00,CST-6,2017-05-18 12:45:00,0,0,0,0,0.00K,0,0.00K,0,33.62,-100.33,33.62,-100.33,"A very strong upper level low pressure system over the central Rockies pushed dry air over the South Plains and much of the Rolling Plains. Substantial moisture existed east of a dryline located around the US Highway 83 corridor. Isolated thunderstorms developed from Childress County southward through King County. One of these storms became severe over King County before quickly moving into northwest Texas and southwest Oklahoma.","Law enforcement in King County and a cooperative weather observer reported hail ranging from quarter size to golf ball size in and around Guthrie. No damage was reported." +114665,694064,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:12:00,CST-6,2017-05-20 16:12:00,0,0,0,0,0.20K,200,0.00K,0,34.43,-86.82,34.43,-86.82,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694065,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:12:00,CST-6,2017-05-20 16:12:00,0,0,0,0,0.20K,200,0.00K,0,34.37,-86.69,34.37,-86.69,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694066,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:13:00,CST-6,2017-05-20 16:13:00,0,0,0,0,0.20K,200,0.00K,0,34.46,-86.79,34.46,-86.79,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down by thunderstorm winds onto Lyle Circle." +114665,694067,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:14:00,CST-6,2017-05-20 16:14:00,0,0,0,0,0.20K,200,0.00K,0,34.37,-86.64,34.37,-86.64,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694068,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:14:00,CST-6,2017-05-20 16:14:00,0,0,0,0,0.50K,500,0.00K,0,34.34,-86.6,34.34,-86.6,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree and power line was knocked down." +114665,694069,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:15:00,CST-6,2017-05-20 16:15:00,0,0,0,0,0.20K,200,0.00K,0,34.48,-86.78,34.48,-86.78,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the roadway." +114936,689411,NEVADA,2017,May,Thunderstorm Wind,"EUREKA",2017-05-05 15:30:00,PST-8,2017-05-05 15:33:00,0,0,0,0,0.50K,500,0.00K,0,39.69,-115.98,39.69,-115.98,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","Thunderstorm winds gusting up to 67 mph produced minor wind damage per public reports." +114939,689416,KENTUCKY,2017,May,Hail,"CARTER",2017-05-27 17:25:00,EST-5,2017-05-27 17:25:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-83.17,38.3,-83.17,"Several outflow boundaries from showers and storms early on the 27th interacted with a nearly stationary front during the heating of the afternoon. This lead to strong to severe thunderstorms during the late afternoon evening. The strongest storms produced hail and heavy rainfall.","" +114836,688896,WEST VIRGINIA,2017,May,Flood,"KANAWHA",2017-05-12 16:00:00,EST-5,2017-05-12 19:00:00,0,0,0,0,20.00K,20000,0.00K,0,38.2273,-81.3276,38.2965,-81.5845,"Showers and thunderstorms drifted along a slow moving warm front which was draped across Southern West Virginia during the afternoon of the 12th. This resulted in a prolonged period of rain, with some pockets of heavier rain. One to one and a half inches of rain fell across portions of Lincoln and Kanawha Counties, leading to high water in susceptible low spots.","Several roads were closed due to water ponding in low spots. This included portions of Route 61 and the Belle underpass." +114923,689382,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-05-24 10:30:00,EST-5,2017-05-24 10:30:00,0,0,0,0,0.00K,0,0.00K,0,29.15,-83.04,29.15,-83.04,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","A C-MAN station at Cedar Key reported a wind gust of 46 knots...53 mph." +114923,689386,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"TAMPA BAY",2017-05-24 13:28:00,EST-5,2017-05-24 13:28:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"A late-season frontal boundary slowly moved through the peninsula. Strong gradient winds were present ahead of the approaching frontal boundary with gusts to gale force. However, a few strong thunderstorms developed over the Gulf Waters in association with the front producing gusty winds over the waters.","A WeatherFlow station near the Sunshine Skyway Bridge recorded a wind gust of 39 knots...45 mph." +114878,689174,GULF OF MEXICO,2017,May,Waterspout,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-22 10:40:00,CST-6,2017-05-22 10:45:00,0,0,0,0,0.00K,0,0.00K,0,29.2251,-94.8958,29.2251,-94.8958,"Morning storms produced a marine thunderstorm wind gust and a waterspout that made landfall on Galveston Island.","Waterspout sighted off Galveston Island that eventually moved onshore as an EF0 tornado." +114878,689175,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-22 08:30:00,CST-6,2017-05-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"Morning storms produced a marine thunderstorm wind gust and a waterspout that made landfall on Galveston Island.","Wind gust was measured at WeatherFlow site XSRF." +115087,690817,ILLINOIS,2017,May,Thunderstorm Wind,"LEE",2017-05-17 21:19:00,CST-6,2017-05-17 21:19:00,0,0,0,0,,NaN,0.00K,0,41.6,-89.18,41.6424,-89.1294,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Sporadic wind damage was noted over eastern Lee County. Several wooden power poles were broken on route 52 northwest of Mendota. Several hardwood trees were snapped on Route 251 near Cottage Hill Road. An irrigation pivot was toppled in the same area." +115087,690824,ILLINOIS,2017,May,Tornado,"MCHENRY",2017-05-17 21:31:00,CST-6,2017-05-17 21:34:00,0,0,0,0,0.00K,0,0.00K,0,42.4194,-88.706,42.438,-88.6775,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","This is a continuation of a tornado that began in Boone County two miles south of Poplar Grove. The tornado crossed into McHenry County south of Hunter Road. Softwood trees were snapped on Hunter Road. Hardwood trees were snapped or sheared on White Oaks Road." +115087,690823,ILLINOIS,2017,May,Tornado,"BOONE",2017-05-17 21:21:00,CST-6,2017-05-17 21:31:00,0,0,0,0,100.00K,100000,0.00K,0,42.3341,-88.8221,42.4194,-88.706,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A tornado touched down approximately two miles south of Poplar Grove. Tree branches were broken on Poplar Grove Road where the tornado touched down. A large softwood tree trunk was snapped on Beaver Road. Trees were debarked on Beaverton Road. A small outbuilding was destroyed on Edson Road. Hardwood trees were snapped at the trunk on Russellville Road and again on Capron Road. On the east side of Capron, A garage was destroyed and shingles were peeled off the north side of a home and dozens of trees were snapped. Another small outbuilding was destroyed on County Line Road with debris strewn about three quarters of a mile downstream. The tornado passed into McHenry County on County Line Road south of Hunter Road." +115087,690900,ILLINOIS,2017,May,Thunderstorm Wind,"LA SALLE",2017-05-17 21:23:00,CST-6,2017-05-17 21:23:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-89.12,41.55,-89.12,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","A few large trees were blown down in Mendota." +115177,697754,MISSOURI,2017,May,Flash Flood,"JASPER",2017-05-27 17:31:00,CST-6,2017-05-27 19:31:00,0,0,0,0,0.00K,0,0.00K,0,37.1406,-94.0642,37.1407,-94.0646,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was localized flooding of a roadway in the La Russel area." +115177,697758,MISSOURI,2017,May,Flash Flood,"STONE",2017-05-27 19:35:00,CST-6,2017-05-27 21:35:00,0,0,0,0,0.00K,0,0.00K,0,36.817,-93.4821,36.8174,-93.482,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Law enforcement reported water over Highway 143 just north of Galena." +115177,697759,MISSOURI,2017,May,Flash Flood,"STONE",2017-05-27 20:08:00,CST-6,2017-05-27 22:08:00,0,0,0,0,0.00K,0,0.00K,0,36.6492,-93.417,36.649,-93.4167,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","An off duty NWS employee reported several roadways were flooded and impassable around the Kimberling City area." +115177,697761,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 20:23:00,CST-6,2017-05-27 22:23:00,0,0,0,0,0.00K,0,0.00K,0,36.6503,-93.226,36.651,-93.225,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Emergency management reported several roads flooded in the Branson area." +115177,697763,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 20:41:00,CST-6,2017-05-27 22:41:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-93.2645,36.6492,-93.2582,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Emergency management and fire department reported numerous high water rescues across the Branson area with people trapped in cars." +115177,697765,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 20:45:00,CST-6,2017-05-27 22:45:00,0,0,0,0,50.00K,50000,0.00K,0,36.637,-93.2165,36.6363,-93.2157,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The Branson campground near the Branson Landing was flooded. Twelve campers and two vehicles were flooded. The campground was evacuated due to very fast rising flash flood water." +115177,698001,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-93.25,37.07,-93.25,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees blown down in neighborhood." +115177,698002,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 17:38:00,CST-6,2017-05-27 17:38:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-93.51,37.26,-93.51,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A medium size tree was blown down on Farm Road 78." +115177,698003,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 17:43:00,CST-6,2017-05-27 17:43:00,0,0,0,0,1.00K,1000,0.00K,0,37.04,-93.29,37.04,-93.29,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Multiple large tree limbs were blown down. An amateur radio antenna was destroyed near Nixa." +115177,698005,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 17:46:00,CST-6,2017-05-27 17:46:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-93.48,37.11,-93.48,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A wind gust of 63 mph was measured. Multiple large tree limbs were blown down." +115177,698006,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 17:47:00,CST-6,2017-05-27 17:47:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-94,36.97,-94,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A large tree was blown down on Highway 97 north of Pierce City." +115177,698007,MISSOURI,2017,May,Thunderstorm Wind,"BARRY",2017-05-27 17:50:00,CST-6,2017-05-27 17:50:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-93.93,36.92,-93.93,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,698008,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 17:52:00,CST-6,2017-05-27 17:52:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-93.29,37.03,-93.29,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There was reports of tree damage and lawn item blown around on Tracker Road." +115181,691571,WISCONSIN,2017,May,Flood,"COLUMBIA",2017-05-20 15:15:00,CST-6,2017-05-25 01:40:00,0,0,0,0,5.00K,5000,0.00K,0,43.5353,-89.4724,43.5297,-89.4409,"The Wisconsin River near Portage and surrounding areas reached moderate flood stage after a few inches of rain fell in the Upper Wisconsin River Valley prior to the period of flooding. The river crested at 18.3 feet near Portage.","The Wisconsin River near Portage reached moderate flood stage, eventually cresting at 18.30 feet. Widespread flooding of the Blackhawk Park and Long Lake areas occurred with many flooded roads and road closures in that area. Some seasonal homes along Old River Road were surrounded by floodwaters. Farther south in the Town of Dekorra, a few homes had floodwaters in the first floor along with the flooding of outbuildings. Floodwaters also flowed over County Highway V and River Oaks Road in the Town of Dekorra. Some residents had to use canoes or boats for transportation to and from their homes throughout the flooded area." +115185,691666,WISCONSIN,2017,May,Thunderstorm Wind,"SHEBOYGAN",2017-05-17 21:28:00,CST-6,2017-05-17 21:38:00,0,0,0,0,15.00K,15000,0.00K,0,43.62,-88.02,43.62,-88.02,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A grain bin was blown over." +115178,691706,LOUISIANA,2017,May,Thunderstorm Wind,"CALDWELL",2017-05-28 20:00:00,CST-6,2017-05-28 20:00:00,0,0,1,0,0.00K,0,0.00K,0,32.1473,-91.9656,32.1473,-91.9656,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A large tree fell on a home on Templeton Bend Road in the Hebert community northeast of Columbia. The tree fell on an 18 year-old male inside the home, who died from his injuries. Numerous other trees were snapped along Templeton Road." +115200,702475,OKLAHOMA,2017,May,Tornado,"MAJOR",2017-05-18 15:37:00,CST-6,2017-05-18 15:37:00,0,0,0,0,0.00K,0,0.00K,0,36.3647,-98.92,36.3647,-98.92,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Chasers from OKC TV stations and others observed a brief tornado estimated to be about 10 miles north of Chester. No damage was reported." +115200,702478,OKLAHOMA,2017,May,Tornado,"WOODS",2017-05-18 15:57:00,CST-6,2017-05-18 15:57:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-98.695,36.85,-98.695,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A brief tornado was observed northwest of Alva. No damage was reported and the specific location was estimated." +115202,702494,OKLAHOMA,2017,May,Tornado,"CARTER",2017-05-19 18:22:00,CST-6,2017-05-19 18:22:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-97.2101,34.31,-97.2101,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","A storm chaser observed the first of four tornadoes near Springer. No damage was reported and the location was estimated." +115202,702496,OKLAHOMA,2017,May,Tornado,"CARTER",2017-05-19 18:24:00,CST-6,2017-05-19 18:24:00,0,0,0,0,0.00K,0,0.00K,0,34.3322,-97.2048,34.3322,-97.2048,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","This was the second of four tornadoes observed near Springer. No damage was reported and the location was estimated." +115202,702499,OKLAHOMA,2017,May,Tornado,"CARTER",2017-05-19 18:47:00,CST-6,2017-05-19 18:50:00,0,0,0,0,0.00K,0,0.00K,0,34.3635,-97.1132,34.3902,-97.0998,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","This was the fourth of four tornadoes observed near Springer. This tornado was observed to be larger and more persistent than the previous tornadoes. No damage was reported and the location was estimated." +112955,674929,IOWA,2017,February,Hail,"IOWA",2017-02-28 17:35:00,CST-6,2017-02-28 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-92.04,41.52,-92.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Local law enforcement reported pea to nickel size hail in the 2800 block of 330th Street." +120506,723211,MONTANA,2017,October,High Wind,"CHOUTEAU",2017-10-22 15:22:00,MST-7,2017-10-22 15:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the Loma DOT site." +115428,693095,PENNSYLVANIA,2017,May,Flash Flood,"SOMERSET",2017-05-28 17:50:00,EST-5,2017-05-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0269,-79.0318,40.0169,-79.014,"Strong, slow moving thunderstorms brought flash flooding portions of Somerset and Clearfield Counties during the evening and early morning hourse of May 28-29th.","A water rescue was reported on Klondike Road near Somerset." +115428,693100,PENNSYLVANIA,2017,May,Flash Flood,"CLEARFIELD",2017-05-29 02:00:00,EST-5,2017-05-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7603,-78.8046,40.7197,-78.8317,"Strong, slow moving thunderstorms brought flash flooding portions of Somerset and Clearfield Counties during the evening and early morning hourse of May 28-29th.","Flooding reported on Route 219, one mile northeast of Cherry Tree." +115428,693103,PENNSYLVANIA,2017,May,Flash Flood,"CLEARFIELD",2017-05-29 02:21:00,EST-5,2017-05-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9034,-78.4326,40.9224,-78.4251,"Strong, slow moving thunderstorms brought flash flooding portions of Somerset and Clearfield Counties during the evening and early morning hourse of May 28-29th.","Sanborn Road in Decatur Township flooded." +115428,693102,PENNSYLVANIA,2017,May,Flash Flood,"CLEARFIELD",2017-05-29 02:21:00,EST-5,2017-05-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9625,-78.1504,40.964,-78.159,"Strong, slow moving thunderstorms brought flash flooding portions of Somerset and Clearfield Counties during the evening and early morning hourse of May 28-29th.","Sawmill Road in Cooper Township was also closed due to flooding." +115428,693094,PENNSYLVANIA,2017,May,Flash Flood,"SOMERSET",2017-05-28 17:00:00,EST-5,2017-05-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0287,-79.0858,39.9562,-79.2609,"Strong, slow moving thunderstorms brought flash flooding portions of Somerset and Clearfield Counties during the evening and early morning hourse of May 28-29th.","Several roads closed in Somerset and New Centerville. Eighteen homes reported basement flooding." +114930,689372,COLORADO,2017,May,Hail,"HUERFANO",2017-05-27 14:25:00,MST-7,2017-05-27 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.59,-104.87,37.59,-104.87,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114930,689373,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-27 15:25:00,MST-7,2017-05-27 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-104.29,37.52,-104.29,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +120506,723210,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-22 15:58:00,MST-7,2017-10-22 15:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at a military site 6 miles E of Geyser." +114930,689374,COLORADO,2017,May,Hail,"OTERO",2017-05-27 15:23:00,MST-7,2017-05-27 15:28:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-103.52,38.11,-103.52,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +115221,691812,SOUTH DAKOTA,2017,May,Strong Wind,"PENNINGTON CO PLAINS",2017-05-22 13:30:00,MST-7,2017-05-22 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers and thunderstorms produced gusty north winds over eastern Pennington County. Sudden wind gusts caused a pickup pulling a camper on Interstate-90 near the New Underwood area to lose control. As the camper swayed across the highway, the top of the camper blew off and landed on the other side of the interstate. No one was injured.","" +115579,694102,MISSOURI,2017,May,Flash Flood,"SCOTT",2017-05-05 00:46:00,CST-6,2017-05-05 03:30:00,0,0,0,0,0.00K,0,0.00K,0,37,-89.53,37,-89.68,"A band of showers and isolated thunderstorms with torrential rain remained nearly stationary for several hours from Cape Girardeau southwest across the Dexter area. The band of heavy rain was associated with a slow-moving low pressure system over Tennessee. The heavy rain was roughly coincident with the deformation zone on the northwest side of the 500 mb closed low.","Multiple highways were closed due to flooding, including Highway H at Blodgett and Highway A at County Road 224. A portion of County Road 439 was closed. State Highway U at Highway 401 was nearly impassable." +115594,694237,ILLINOIS,2017,May,Flash Flood,"PERRY",2017-05-20 07:01:00,CST-6,2017-05-20 08:30:00,0,0,0,0,0.00K,0,0.00K,0,38.0119,-89.2452,37.9892,-89.2444,"Large clusters of slow-moving thunderstorms occurred along a warm front that extended southeast from a low pressure center over central Missouri. Locally heavy rain caused flash flooding in Perry County.","Flash flooding of streets was reported in Du Quoin. A portion of U.S. Highway 51 was closed just south of the city hall." +114981,694367,ALABAMA,2017,May,Thunderstorm Wind,"CULLMAN",2017-05-28 01:19:00,CST-6,2017-05-28 01:19:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-86.87,34.25,-86.87,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A spotter measured a 78 mph wind gust and reported dime sized hail near Vinemont. Equipment not verified." +115001,690028,WYOMING,2017,May,Hail,"WESTON",2017-05-15 18:30:00,MST-7,2017-05-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,43.9572,-104.4765,43.9572,-104.4765,"A severe thunderstorm tracked across northern Weston County, producing hail to quarter size.","" +115627,694626,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"PENNINGTON",2017-05-28 14:53:00,MST-7,2017-05-28 14:53:00,0,0,0,0,0.00K,0,0.00K,0,44.0729,-103.2106,44.0729,-103.2106,"Weak showers produced wind gusts around 60 mph across western South Dakota.","" +115627,694627,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"MEADE",2017-05-28 13:19:00,MST-7,2017-05-28 13:19:00,0,0,0,0,0.00K,0,0.00K,0,45.03,-102.02,45.03,-102.02,"Weak showers produced wind gusts around 60 mph across western South Dakota.","" +115627,694628,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"PENNINGTON",2017-05-28 14:53:00,MST-7,2017-05-28 14:53:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-103.05,44.05,-103.05,"Weak showers produced wind gusts around 60 mph across western South Dakota.","" +115244,694633,MISSOURI,2017,May,Hail,"CEDAR",2017-05-30 20:44:00,CST-6,2017-05-30 20:44:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-93.8,37.7,-93.8,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","This storm report was from social media." +114982,689882,KENTUCKY,2017,May,Thunderstorm Wind,"PULASKI",2017-05-27 18:48:00,EST-5,2017-05-27 18:48:00,0,0,0,0,,NaN,,NaN,37.15,-84.49,37.15,-84.49,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Trees were blown down along Grundy Rd." +114982,689883,KENTUCKY,2017,May,Thunderstorm Wind,"BELL",2017-05-27 19:00:00,EST-5,2017-05-27 19:00:00,0,0,0,0,,NaN,,NaN,36.79,-83.53,36.79,-83.53,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Four trees were blown down and onto US Hwy 119." +114982,689884,KENTUCKY,2017,May,Thunderstorm Wind,"HARLAN",2017-05-27 19:00:00,EST-5,2017-05-27 19:00:00,0,0,0,0,,NaN,,NaN,36.92,-83.37,36.92,-83.37,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A tree was blown down and onto US Hwy 421." +114982,689885,KENTUCKY,2017,May,Thunderstorm Wind,"LAUREL",2017-05-27 19:12:00,EST-5,2017-05-27 19:12:00,0,0,0,0,,NaN,,NaN,37.02,-84.06,37.02,-84.06,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","A large limb was blown down and onto a vehicle." +113620,680533,TEXAS,2017,March,Hail,"MIDLAND",2017-03-28 17:38:00,CST-6,2017-03-28 17:48:00,0,0,0,0,0.00K,0,0.00K,0,31.9425,-102.1889,31.9425,-102.1889,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +122022,730679,VIRGINIA,2017,December,Winter Weather,"BRUNSWICK",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and three inches across the county. Alberta (5 N) reported 2.2 inches of snow." +122022,730680,VIRGINIA,2017,December,Winter Weather,"DINWIDDIE",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county. Dinwiddie reported 2.0 inches of snow." +122022,730681,VIRGINIA,2017,December,Winter Weather,"FLUVANNA",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and three inches across the county." +122022,730682,VIRGINIA,2017,December,Winter Weather,"EASTERN LOUISA",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +115295,697058,ILLINOIS,2017,May,Flood,"VERMILION",2017-05-01 00:00:00,CST-6,2017-05-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2835,-87.53,40.0187,-87.9393,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across central and southern Vermilion County. Several streets from Danville to Westville were impassable. Numerous rural roads and highways in the southern part of the county from Sidell to Ridge Farm were inundated, including U.S. Highway 150/Illinois Route 1. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115236,697449,IOWA,2017,May,Tornado,"WINNESHIEK",2017-05-15 17:45:00,CST-6,2017-05-15 17:47:00,0,0,0,0,4.00K,4000,0.00K,0,43.1806,-91.9223,43.1723,-91.9065,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","A short-lived EF0 tornado occurred west of Calmar. The tornado started west of 265th Ave between 160th and 175th Streets and traveled southeast across Lake Meyer. A NWS Storm Survey Team found a broken line of tree damage along the path of the tornado." +116041,697411,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 20:57:00,CST-6,2017-05-15 20:57:00,0,0,0,0,0.00K,0,0.00K,0,44.0364,-92.5178,44.0364,-92.5178,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +115570,697384,KANSAS,2017,May,Flash Flood,"GOVE",2017-05-10 23:00:00,CST-6,2017-05-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1045,-100.6241,39.0759,-100.4997,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","After Big Creek flooded Grinnell the flood waters continued down the creek channel through the rest of the county, flooding county roads that crossed the creek. Total rainfall along Big Creek from Grinnell to Highway 23 south of Grainfield was 5-10 inches. The runoff from this heavy rainfall further added to the water running down Big Creek." +115570,697386,KANSAS,2017,May,Flood,"GOVE",2017-05-11 04:00:00,CST-6,2017-05-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1045,-100.6241,39.0759,-100.4997,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Once the heavy rain ended the amount of water in Big Creek gradually dwindled from west to east." +115436,693139,IOWA,2017,May,Hail,"HUMBOLDT",2017-05-15 16:30:00,CST-6,2017-05-15 16:30:00,0,0,0,0,50.00K,50000,0.00K,0,42.69,-94.05,42.69,-94.05,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported just smaller than baseball sized hail. This is a delayed report, and from social media. Many car windows broken at a school event." +115436,693151,IOWA,2017,May,Flash Flood,"CERRO GORDO",2017-05-15 17:17:00,CST-6,2017-05-15 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9794,-93.3413,42.979,-93.3393,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Storm chaser reported 2 feet of fast rushing water has completely washed out Indigo Ave 1 mile south of Cerro Gordo County road B60 in Pleasant Valley Township along the upper reaches of the West Ford Cedar River. Water is moving swiftly and white capping over the roadway. Rain and small hail ongoing at the time of the report as well." +115436,693140,IOWA,2017,May,Hail,"WRIGHT",2017-05-15 16:37:00,CST-6,2017-05-15 16:37:00,0,0,0,0,20.00K,20000,0.00K,0,42.73,-93.92,42.73,-93.92,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Trained spotter reported hail just under baseball in size. Time estimated by radar and report included a picture of the hail alongside a ruler." +116144,701903,OKLAHOMA,2017,May,Hail,"MAYES",2017-05-19 04:50:00,CST-6,2017-05-19 04:50:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-95.2661,36.3,-95.2661,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,701904,OKLAHOMA,2017,May,Hail,"WAGONER",2017-05-19 17:22:00,CST-6,2017-05-19 17:22:00,0,0,0,0,0.00K,0,0.00K,0,35.9597,-95.3742,35.9597,-95.3742,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116212,698667,INDIANA,2017,May,Strong Wind,"GIBSON",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts up to 40 mph were measured from Evansville north and west. The peak wind gust in southwest Indiana was 40 mph at the Evansville airport. In Princeton, a large tree limb was snapped off a healthy tree.","" +116212,698668,INDIANA,2017,May,Strong Wind,"POSEY",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts up to 40 mph were measured from Evansville north and west. The peak wind gust in southwest Indiana was 40 mph at the Evansville airport. In Princeton, a large tree limb was snapped off a healthy tree.","" +116212,698669,INDIANA,2017,May,Strong Wind,"VANDERBURGH",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts up to 40 mph were measured from Evansville north and west. The peak wind gust in southwest Indiana was 40 mph at the Evansville airport. In Princeton, a large tree limb was snapped off a healthy tree.","" +116213,698670,MISSOURI,2017,May,Strong Wind,"BOLLINGER",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698671,MISSOURI,2017,May,Strong Wind,"BUTLER",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +115267,692014,ILLINOIS,2017,May,Thunderstorm Wind,"JACKSON",2017-05-27 14:25:00,CST-6,2017-05-27 14:40:00,0,0,0,0,3.00K,3000,0.00K,0,37.77,-89.33,37.72,-89.22,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Some tree damage occurred in the Murphysboro to Carbondale corridor. A tree was blown down on the west side of the city of Murphysboro. In Carbondale, there were at least a couple of snapped or uprooted trees." +115267,692015,ILLINOIS,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-27 14:46:00,CST-6,2017-05-27 14:46:00,0,0,0,0,10.00K,10000,0.00K,0,38.3,-88.94,38.3,-88.94,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Numerous trees and limbs were blown down on the southwest edge of Mt. Vernon. A large limb landed on a home. Most of the tree damage was along and just north of Route 148." +116192,698412,MISSOURI,2017,May,Flood,"CARTER",2017-05-01 00:00:00,CST-6,2017-05-01 21:00:00,0,0,0,0,10.00M,10000000,0.00K,0,37.1067,-91.1597,36.8864,-90.9723,"Record or near-record flooding occurred after a succession of thunderstorm complexes dumped heavy rain in late April, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms accelerated rises in area rivers, which were already above flood stage in some cases.","A catastrophic flood on the Current River inflicted very heavy damage to Van Buren and the surrounding riverbank areas. The river crested over 8 feet above the record crest. Several hours before midnight on May 1, the river crested at 37.20 feet on the Van Buren river gage. The old record was 29.00 feet, set in March of 1904. About 238 homes were damaged or destroyed, about half of which were seasonal vacation homes. Whole houses were swept downriver. About 30 businesses were flooded. A large percentage of flood victims were evacuated to temporary shelters in Van Buren. The sheriff department in Van Buren literally floated about 100 feet off its foundation. Floodwaters were more than eight feet deep in the county courthouse. At least 30 water rescues were conducted by the Missouri State Highway Patrol and the National Park Service. A dusk-to-dawn curfew was enacted for residents of the city of Van Buren. Cell phone service was knocked out for a large portion of the area. The governor of Missouri toured the Van Buren area. The governor credited first responders with saving hundreds of lives by boat during the severe but relatively short-lived flood. Damage to public property, including roads and bridges, was estimated around 7 million dollars." +115592,694223,MISSOURI,2017,May,Flash Flood,"CARTER",2017-05-11 19:15:00,CST-6,2017-05-11 20:45:00,0,0,0,0,50.00K,50000,0.00K,0,36.93,-90.75,36.9039,-90.7553,"Disorganized clusters of slow-moving thunderstorms produced very heavy rainfall in parts of the Ozark foothills region. This heavy rainfall event occurred on the north side of a stationary front that extended from east to west along the Missouri-Arkansas border.","Flash flooding of two creeks in Ellsinore reached into some homes. In Van Buren, up to four inches of water was observed flowing across a street." +115593,694229,MISSOURI,2017,May,Flash Flood,"BUTLER",2017-05-18 04:00:00,CST-6,2017-05-18 06:00:00,0,0,0,0,35.00K,35000,0.00K,0,36.85,-90.51,36.8519,-90.4628,"A thunderstorm with very heavy rain remained stationary over the Poplar Bluff area for a couple hours. The storm occurred in a southwest flow of moist and unstable air ahead of a cold front over western and northern Missouri.","A small section of County Road 523 was washed out. The washout was east of U.S. Highway 67. There was a report of 5.50 inches of rain in the area overnight." +116033,697496,MISSISSIPPI,2017,May,Thunderstorm Wind,"WARREN",2017-05-21 13:17:00,CST-6,2017-05-21 13:24:00,0,0,0,0,60.00K,60000,0.00K,0,32.53,-91.04,32.49,-90.98,"Showers and thunderstorms developed as a cold front pushed through the region. Some of these storms produced damaging winds.","A swath of wind came through western Warren County caused damage to a home on Eagle Lake Shore Road where the roof was ripped off. Two trees were blown onto homes on Sea Island Drive and trees were blown down on Highway 465 near Eagle Lake Road." +116112,697858,MISSISSIPPI,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-28 21:45:00,CST-6,2017-05-28 21:55:00,0,0,0,0,25.00K,25000,0.00K,0,31.4264,-90.9036,31.6184,-90.7773,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds and some flash flooding. Additional storms formed during the afternoon of the 30th along a stalled boundary and brought flash flooding to parts of the area.","Trees and power lines were blown down across the county." +116111,697854,LOUISIANA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-28 20:32:00,CST-6,2017-05-28 20:32:00,0,0,0,0,35.00K,35000,0.00K,0,32.05,-91.66,32.05,-91.66,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds to portions of the area.","Structural damage occurred in portions of the parish, with some homes damaged in Wisner and Gilbert." +116111,697855,LOUISIANA,2017,May,Thunderstorm Wind,"TENSAS",2017-05-28 20:49:00,CST-6,2017-05-28 21:14:00,0,0,0,0,30.00K,30000,0.00K,0,31.958,-91.3936,32.1151,-91.1963,"A complex of showers and thunderstorms moved into the ArkLaMiss region late on the 28th. These storms brought a swath of damaging winds to portions of the area.","Trees and power lines were blown down around the parish. A couple of homes were damaged in St. Joseph." +116300,699256,ALABAMA,2017,May,Drought,"FAYETTE",2017-05-01 00:00:00,CST-6,2017-05-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of May lowered the drought intensity to a D1 category." +116300,699258,ALABAMA,2017,May,Drought,"TUSCALOOSA",2017-05-01 00:00:00,CST-6,2017-05-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of May lowered the drought intensity to a D1 category." +116168,698214,IOWA,2017,May,Thunderstorm Wind,"DALLAS",2017-05-17 15:12:00,CST-6,2017-05-17 15:12:00,0,0,0,0,0.00K,0,0.00K,0,41.5792,-93.8019,41.5792,-93.8019,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS employee reported upwards of 65 mph wind gusts at home location." +116168,698215,IOWA,2017,May,Thunderstorm Wind,"WARREN",2017-05-17 15:15:00,CST-6,2017-05-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-93.57,41.36,-93.57,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported numerous tree branches of 3 inch diameter and greater down. Still have rain and some gusts to 50 to 60 mph. Time estimated by radar." +116168,698218,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:15:00,CST-6,2017-05-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.6058,-93.7466,41.6058,-93.7466,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","NWS employee recorded 62 mph wind gust on home weather station." +116114,697885,TEXAS,2017,May,Hail,"TRAVIS",2017-05-28 18:35:00,CST-6,2017-05-28 18:35:00,0,0,0,0,,NaN,,NaN,30.19,-97.7,30.19,-97.7,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced quarter size hail near the intersection of Burleson Rd. and McKinney Falls Pkwy. in southeastern Austin." +116114,697886,TEXAS,2017,May,Hail,"BLANCO",2017-05-28 18:48:00,CST-6,2017-05-28 18:48:00,0,0,0,0,,NaN,,NaN,29.95,-98.41,29.95,-98.41,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced quarter size hail one mile north of Hwy 306 on Hwy 281 south of Blanco." +116114,697887,TEXAS,2017,May,Hail,"UVALDE",2017-05-28 18:56:00,CST-6,2017-05-28 18:56:00,0,0,0,0,,NaN,,NaN,29.3,-99.63,29.3,-99.63,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced golf ball size hail in Knippa." +116114,697888,TEXAS,2017,May,Hail,"UVALDE",2017-05-28 18:57:00,CST-6,2017-05-28 18:57:00,0,0,0,0,,NaN,,NaN,29.3,-99.63,29.3,-99.63,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced hen egg size hail in Knippa." +116114,697903,TEXAS,2017,May,Thunderstorm Wind,"COMAL",2017-05-28 19:00:00,CST-6,2017-05-28 19:00:00,0,0,0,0,,NaN,,NaN,29.85,-98.43,29.85,-98.43,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that blew down some four to five inch diameter tree limbs." +116114,697904,TEXAS,2017,May,Thunderstorm Wind,"CALDWELL",2017-05-28 19:34:00,CST-6,2017-05-28 19:34:00,0,0,0,0,5.00K,5000,,NaN,29.86,-97.84,29.86,-97.84,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that knocked down trees in and around Martindale." +116121,697937,TEXAS,2017,May,Hail,"BEXAR",2017-05-30 14:32:00,CST-6,2017-05-30 14:37:00,0,0,0,0,,NaN,,NaN,29.5,-98.72,29.5,-98.72,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","" +116121,697939,TEXAS,2017,May,Hail,"BEXAR",2017-05-30 14:55:00,CST-6,2017-05-30 14:55:00,0,0,0,0,,NaN,,NaN,29.5,-98.56,29.5,-98.56,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","" +116121,697942,TEXAS,2017,May,Thunderstorm Wind,"BEXAR",2017-05-30 15:53:00,CST-6,2017-05-30 15:53:00,0,0,0,0,10.00K,10000,,NaN,29.27,-98.33,29.27,-98.33,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that downed power lines in Elmendorf." +116121,697950,TEXAS,2017,May,Thunderstorm Wind,"BEXAR",2017-05-30 15:53:00,CST-6,2017-05-30 15:53:00,0,0,0,0,200.00K,200000,0.00K,0,29.28,-98.34,29.28,-98.34,"Thunderstorms developed along a stationary front. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 85 mph that snapped some power poles, damaged trees, and several structures in Elmendorf. Over 100 houses had some damage, most of which was due to trees." +116087,697733,OHIO,2017,May,Thunderstorm Wind,"MAHONING",2017-05-01 12:49:00,EST-5,2017-05-01 12:52:00,0,0,0,0,10.00K,10000,0.00K,0,41.02,-80.77,41.02,-80.77,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","A trained spotter estimated thunderstorm wind gusts at 70 mph. Several large trees were downed along Summit Drive and Raccoon Road." +116087,697734,OHIO,2017,May,Thunderstorm Wind,"TRUMBULL",2017-05-01 12:52:00,EST-5,2017-05-01 12:52:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-80.67,41.27,-80.67,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","An automated sensor at the Youngstown-Warren Regional Airport measured a 67 mph thunderstorm wind gust." +116087,697735,OHIO,2017,May,Thunderstorm Wind,"MAHONING",2017-05-01 13:00:00,EST-5,2017-05-01 13:00:00,0,0,0,0,250.00K,250000,0.00K,0,41.061,-80.664,41.0897,-80.5936,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm downburst winds downed several large trees along Midlothian Boulevard. A vehicle parked along Midlothian Boulevard just west of Market Street was crushed by a tree. Several trees were also reported down along Hillman Street. An automobile dealership along Oak Street lost a large section of roofing. A second building was damaged on Marshall Street. Scattered power outages were reported in the area." +116087,697736,OHIO,2017,May,Thunderstorm Wind,"TRUMBULL",2017-05-01 16:50:00,EST-5,2017-05-01 16:50:00,0,0,0,0,150.00K,150000,0.00K,0,41.17,-80.73,41.17,-80.73,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","A thunderstorm downburst produced wind gusts as high as 70 mph in the McDonald area. Over two dozen trees were toppled in the city. A delivery van was crushed by a fallen tree and at least two homes were damaged by fallen trees. Several streets were blocked and scattered power outages reported." +116434,700247,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-02 21:07:00,CST-6,2017-05-02 21:07:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-100.74,36.51,-100.74,"An upper level trough moving southeast out of Colorado into the combined Panhandles in-conjunction with a cold front moving through the region created enough surface and mid level lift. CAPE values of 1000-1500 J/Kg, surface based moisture axis pooled across the eastern combined Panhandles along with effective shear of 40-50 kts supported supercells with some illustrating strong mesocyclones. Damaging wind gusts and large hail was reported with these supercells with hail as large as golf balls.","" +116530,700746,TEXAS,2017,May,Tornado,"ARMSTRONG",2017-05-10 02:27:00,CST-6,2017-05-10 02:36:00,0,0,0,0,,NaN,,NaN,35.04,-101.1,35.07,-101.05,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Tornado started 4 ENE of Goodnight at the intersection of County Road J and County Road 30. It overturned a section of center pivot irrigation before doing more significant tree damage at a ranch 7 ENE of Goodnight. Two downed power poles along with uprooted and snapped trees were the most noticeable damage. Some tree debris was deposited 100-200 yards NE of the original location." +116530,700751,TEXAS,2017,May,Tornado,"GRAY",2017-05-10 03:01:00,CST-6,2017-05-10 03:09:00,0,0,0,0,,NaN,,NaN,35.2,-100.9,35.22,-100.86,"As the day progressed through the Panhandles, an upper level trough over eastern New Mexico was moving further towards the western Panhandles and as a result, upper level dynamics with a SW-NE 250 hPa jet streak was setting up over SE New Mexico and the Texas south Plains as we went into the over night hours into the 10th. This set up good upper level dynamics in-conjunction with a good low level veering SE-SW veering profile advecting moisture into the region. With CAPE between 1000-2000 J/kg and LCL heights around 500m across the central and eastern Panhandles, the dynamics were there for supercells and the possibility of tornadoes. From the evening of the 9th through the very early morning hours of the 10th, several large hail and wind reports were confined mainly to the TX but also a few in the OK Panhandle. Two EF-1 tornadoes also occurred in the TX Panhandle from the same supercell early morning on the 10th.","Tornado started in open field WSW of Lake McClellan, TX in Gray County. Moving NE, the tornado peaked in intensity as it approached and moved parallel to the lake and through the north side of the Lake McClellan campground. Peak damage included numerous large tree branches and several trees uprooted or snapped. A few recreational vehicles in the campground also sustained some damages. The tornado dissipated ENE of Lake McClellan just north of McClellan Creek." +116597,701829,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-05-03 19:27:00,CST-6,2017-05-03 19:27:00,0,0,0,0,0.00K,0,0.00K,0,30.3265,-87.2457,30.3265,-87.2457,"A line of thunderstorms moved across the marine area and produced high winds.","Fair Point Light Weatherflow site." +116597,701831,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-05-03 19:31:00,CST-6,2017-05-03 19:31:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-86.82,30.4,-86.82,"A line of thunderstorms moved across the marine area and produced high winds.","Gulf Breeze soundside mesonet." +116660,701429,TEXAS,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-14 18:48:00,CST-6,2017-05-14 18:48:00,0,0,0,0,0.00K,0,0.00K,0,35.8334,-101.4568,35.8334,-101.4568,"Convection developed along a dryline that was located across the far western TX Panhandle. SBCAPE of 1000-2000 J/Kg in-conjunction with parallel 700-500 hPa flow with forecast soundings showing inverted-V profiles indicated a line of storms would develope with severe winds being the main hazard. Winds greater than 70 MPH were observed out ahead of the dryline across the central TX Panhandle where convection developed and progressed through before ending around sunset.","" +116660,701439,TEXAS,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-14 16:50:00,CST-6,2017-05-14 16:50:00,0,0,0,0,,NaN,,NaN,35.95,-101.5036,35.95,-101.5036,"Convection developed along a dryline that was located across the far western TX Panhandle. SBCAPE of 1000-2000 J/Kg in-conjunction with parallel 700-500 hPa flow with forecast soundings showing inverted-V profiles indicated a line of storms would develope with severe winds being the main hazard. Winds greater than 70 MPH were observed out ahead of the dryline across the central TX Panhandle where convection developed and progressed through before ending around sunset.","From trained spotter." +116002,701414,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 02:15:00,EST-5,2017-05-05 02:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.1127,-79.8366,36.1127,-79.8366,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Three trees were reported down on Stratford Drive, some on cars. Power lines were also reported down at this location." +116002,701155,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-05 01:31:00,EST-5,2017-05-05 01:31:00,0,0,0,0,0.00K,0,0.00K,0,35.4981,-80.1098,35.4981,-80.1098,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down on 5th Avenue." +116002,701416,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-05 01:58:00,EST-5,2017-05-05 01:58:00,0,0,0,0,0.00K,0,0.00K,0,35.3497,-79.8634,35.3497,-79.8634,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was blown down on Freeman Electric Road." +116664,701455,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-31 15:24:00,EST-5,2017-05-31 15:26:00,0,0,0,0,3.00K,3000,0.00K,0,34.99,-78.18,34.99,-78.17,"Scattered thunderstorms developed during the afternoon along two differential heating boundaries and under the influence of a weak surface trough, marginal instability and moderate shear. One area of storms moved into the region from the Foothills and the other developed along the sea breeze over the Sandhills and Coastal Plain. A few of the storms became severe, producing damaging winds and quarter size hail.","One tree and a couple power lines were blown down along a swath near to just east of Turkey." +116679,701575,WASHINGTON,2017,May,Hail,"BENTON",2017-05-04 20:20:00,PST-8,2017-05-04 20:40:00,0,0,0,0,0.00K,0,0.00K,0,46.32,-119.4,46.32,-119.4,"A severe thunderstorm event occurred during the evening of May 4th. The event began in north-central Oregon and moved into south-central Washington. Initially the storms were strong but not severe. Severe storms developed in southern Benton county, in Washington, mid evening. A second round of severe storms moved into central Oregon late in the evening.","Estimated 1.00 inch hail occurred at West Richland in Benton county. Report from social media via NBC Tri-Cities." +116912,703081,VIRGINIA,2017,May,Thunderstorm Wind,"PORTSMOUTH (C)",2017-05-25 16:27:00,EST-5,2017-05-25 16:27:00,0,0,0,0,1.00K,1000,0.00K,0,36.81,-76.29,36.81,-76.29,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of south central and southeast Virginia.","Wind gust of 52 knots (60 mph) was measured at Mesonet Station XSNJ, South Norfolk Jordan Bridge." +116706,701825,TEXAS,2017,May,Hail,"OCHILTREE",2017-05-15 20:59:00,CST-6,2017-05-15 20:59:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-100.8,36.41,-100.8,"A dryline set up across the western combined Panhandles provided a relatively sharp moisture axis with warm, unstable airmass across the central and eastern Panhandles with good low level moisture. With SBCAPE of 2000-3000 J/Kg, 30-40 kts of effective shear and high LCL's, supercell potential with damaging winds and large hail would be the main threat with a low tornado threat given the high LCL's and weak low level helicity values. Storms developed across the TX Panhandle and with southerly flow moved north and east throughout the afternoon into the evening hours before waning after the loss of diurnal heating. Large hail up to the size of baseballs were reported along with damaging wind reports.","" +116002,701843,NORTH CAROLINA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-05 04:25:00,EST-5,2017-05-05 04:25:00,0,0,0,0,5.00K,5000,0.00K,0,35.4501,-78.4207,35.4501,-78.4207,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Multiple trees were reported down in Four Oaks." +116717,701938,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"FLORENCE",2017-05-24 14:39:00,EST-5,2017-05-24 14:40:00,0,0,0,0,2.00K,2000,0.00K,0,34.1796,-79.6515,34.1796,-79.6515,"A low level jet of 50 kt and increasing instability ahead of a cold front allowed for strong thunderstorm winds ahead of a cold front.","Saturated soil and winds estimated to 40 to 50 mph reportedly caused two trees to fall near the intersection of Liberty Chapel Rd. and Francis Marion Rd." +116720,701944,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-05-25 14:33:00,EST-5,2017-05-25 14:34:00,0,0,0,0,0.00K,0,0.00K,0,34.033,-77.8925,34.033,-77.8925,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","Several small amusement rides were blown over. The time was estimated based on radar data." +116720,701945,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-05-25 14:35:00,EST-5,2017-05-25 14:36:00,0,0,0,0,0.00K,0,0.00K,0,33.9624,-77.9437,33.9624,-77.9437,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","WeatherFlow equipment at Federal Point measured a wind gust to 54 mph." +116720,701946,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-05-25 14:16:00,EST-5,2017-05-25 14:17:00,0,0,0,0,0.00K,0,0.00K,0,33.9103,-78.1167,33.9103,-78.1167,"A vigorous upper level disturbance moved across an environment characterized by cool temperatures aloft, dry air in the mid levels and steep lapse rates. This allowed thunderstorms to produce brief strong to damaging winds gusts and small hail.","WeatherFlow equipment at Oak Island measured a wind gust to 57 mph." +116734,702056,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 20:27:00,EST-5,2017-05-18 20:32:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-71.77,44.31,-71.77,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires across various roads in Littleton." +116734,702059,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 20:27:00,EST-5,2017-05-18 20:32:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-72.04,44.24,-72.04,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires blocking numerous roads in Monroe." +116734,702062,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 20:27:00,EST-5,2017-05-18 20:32:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-71.97,44.17,-71.97,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed numerous trees and wires in Bath." +116734,702065,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-18 21:15:00,EST-5,2017-05-18 21:20:00,0,0,0,0,0.00K,0,0.00K,0,43,-71.35,43,-71.35,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Auburn." +116734,702071,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"CHESHIRE",2017-05-18 20:19:00,EST-5,2017-05-18 20:24:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-72.28,42.87,-72.28,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Swanzey." +114463,686383,COLORADO,2017,May,Hail,"HUERFANO",2017-05-08 13:22:00,MST-7,2017-05-08 13:27:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-105.09,37.86,-105.09,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686384,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 14:00:00,MST-7,2017-05-08 14:05:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-104.98,38.07,-104.98,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686386,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 15:05:00,MST-7,2017-05-08 15:10:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-104.82,38.12,-104.82,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686388,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 15:18:00,MST-7,2017-05-08 15:23:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-104.8,38.31,-104.8,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686390,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 15:46:00,MST-7,2017-05-08 15:51:00,0,0,0,0,0.00K,0,0.00K,0,38.29,-104.76,38.29,-104.76,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686391,COLORADO,2017,May,Hail,"OTERO",2017-05-08 16:00:00,MST-7,2017-05-08 16:05:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-104.02,38.13,-104.02,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686392,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 16:00:00,MST-7,2017-05-08 16:05:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-104.26,38.13,-104.26,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686393,COLORADO,2017,May,Hail,"OTERO",2017-05-08 17:45:00,MST-7,2017-05-08 17:50:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-103.94,38.12,-103.94,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114463,686394,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-08 17:54:00,MST-7,2017-05-08 17:59:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-104.65,37.19,-104.65,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +118549,712208,CALIFORNIA,2017,March,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-03-04 17:00:00,PST-8,2017-03-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold low pressure dropped from the Gulf of Alaska on the 3rd into northern California by the 5th, bringing heavy snow to northeast California, the northern Sierra, and far western Nevada.","Ten to 20 inches of snowfall fell from just west of Susanville south and west to Portola and the Sierra Valley, including 16 inches in Portola and 11 inches 4 miles south-southwest of Susanville. Lesser amounts of 4 to 6 inches were noted along and east of Highway 395." +118549,712209,CALIFORNIA,2017,March,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-03-04 22:00:00,PST-8,2017-03-06 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Cold low pressure dropped from the Gulf of Alaska on the 3rd into northern California by the 5th, bringing heavy snow to northeast California, the northern Sierra, and far western Nevada.","Between 2 and 3.5 feet of snow fell at ski areas west and south of Lake Tahoe, with 17 to 24 inches around Lake Tahoe and northeast to Boca Reservoir and near Verdi." +118550,712210,NEVADA,2017,March,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-03-04 22:00:00,PST-8,2017-03-06 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Cold low pressure dropped from the Gulf of Alaska on the 3rd into Nevada on the 5th, bringing heavy snow to the northern Sierra and far western Nevada.","Fifteen to 19 inches of snow fell in the Carson Range and near Lake Tahoe, generally near and south of Highway 50. To the northeast of Lake Tahoe, 23 to 28 inches of snow was reported between Incline Village and the Mount Rose Ski area." +113980,682615,MINNESOTA,2017,March,Heavy Snow,"COTTONWOOD",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 10 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113980,682616,MINNESOTA,2017,March,Heavy Snow,"JACKSON",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm impacted large portions of southwest Minnesota and resulted in a band of 6 to 12 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Widespread 6 to 10 inches of snow fell across the county with this major winter storm. Schools were delayed and a few of them cancelled due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 35 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113051,686701,MASSACHUSETTS,2017,March,High Wind,"SUFFOLK",2017-03-14 11:00:00,EST-5,2017-03-14 16:48:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","High winds impacted Suffolk County during the afternoon hours, partially during snow, and partially during rain. At 249 PM EDT, an amateur radio operator reported a gust to 66 mph in Brookline. At 353 PM EDT, sustained winds of 45 mph were recorded at the Logan International Airport ASOS (KBOS) and at 453 PM EDT, a gust to 57 mph was measured there.||At Noon EDT, two trees were reported down in Chelsea...one on Park Street and one on Hawthorne behind Broadway." +116231,698821,HAWAII,2017,June,High Surf,"MOLOKAI LEEWARD",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +113051,686410,MASSACHUSETTS,2017,March,High Wind,"NORTHERN WORCESTER",2017-03-14 10:19:00,EST-5,2017-03-14 20:20:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. The storm dropped 12 to nearly 20 inches of snow across much of western, central, and northeastern Massachusetts, with lesser amounts in the southeast, where a changeover to rain occurred in the late morning and early afternoon. Cape Cod only received 1 to 2 inches before changing to rain, with temperatures rising into the 40s. Snowfall rates of 3 inches per hour were observed in western MA. Damaging winds pounded Cape Cod and the Islands...with gusts to hurricane force. High winds also occurred along the coast, especially over Cape Ann. Lawrence, in Essex County, was the only ASOS site to officially reach blizzard conditions. Gusty winds to 30-50 mph were common in the interior. Thunder-snow also occurred in northeast MA during the height of the storm. The snow changed to rain over Cape Cod early in the morning, but didn't change in Boston until 2:45 PM local time, after most of the snow had occurred. Snow lingered in western and central sections into the late afternoon/early evening.","At 1119 AM EDT, a large tree and multiple utility poles were downed on Damon Pond Road in Rutland, per amateur radio. At 1250 PM, power lines were down on Cedar Street in Leominster. At 111 PM, the Worcester Airport ASOS recorded a wind gust to 55 mph. At 134 PM, a trained spotter reported a wind gust to 61 mph in Milford. At 252 PM, trees and wires were down in Princeton. A large tree and wires were reported down on Fairview Avenue in Rutland at 257 PM. At 421 PM, a tree was down on wires on Charles Street in Leicester. At 534 PM, a amateur radio reported a tree down in Harvard on Still River Road. At 550 PM, a tree was down on Browning Pond Road in Spencer, near the Oakham line. At 920 PM, a very large pine tree was downed onto wires on Burncoat Street in Leicester." +116231,698818,HAWAII,2017,June,High Surf,"OAHU SOUTH SHORE",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698819,HAWAII,2017,June,High Surf,"WAIANAE COAST",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +116231,698820,HAWAII,2017,June,High Surf,"MOLOKAI WINDWARD",2017-06-20 15:00:00,HST-10,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 5 to 8 feet along the south-facing shores of all the islands. There were no reports of significant injuries or property damage.","" +114326,685060,ILLINOIS,2017,April,Hail,"WILLIAMSON",2017-04-05 13:30:00,CST-6,2017-04-05 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-89.03,37.8,-89.03,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southeast Illinois. Surface dew points in the 50's spread northeastward beneath cold mid-level temperatures aloft. The atmosphere became sufficiently unstable for severe storms, with capes approaching 1000 j/kg. Wind fields aloft were quite strong as a belt of 80-knot winds at 500 mb progressed northeast into the Tennessee Valley. The strong wind shear facilitated several severe storms, including a brief tornado.","" +114301,685029,ARKANSAS,2017,March,Hail,"MARION",2017-03-09 20:45:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-92.69,36.23,-92.69,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114118,685288,TENNESSEE,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-01 08:05:00,CST-6,2017-03-01 08:18:00,0,0,0,0,25.00K,25000,0.00K,0,36.1376,-85.7464,36.1858,-85.5588,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A NWS Storm Survey found a 11 mile long swath of downburst wind damage from east of Buffalo Valley to west of Cookeville. This damage was in association with the rear flank downdraft of the EF1 Buffalo Valley/Baxter tornado located just to the north. An old barn suffered roof damage on Hopewell Road east of Buffalo Valley. Farther to the east, another barn had part of the sheet metal roof blown off and a home suffered minor roof damage on Dyer Bridge Road near Baxter. A tree also fell onto a home causing minor roof damage on 1st Avenue North. In Double Springs, a home suffered minor roof damage on Bloomington Road, and an outbuilding was blown across Thomas Road and destroyed. Numerous trees were snapped and uprooted along the path. Winds were estimated up to 80 mph." +114423,686135,TENNESSEE,2017,March,Thunderstorm Wind,"WILLIAMSON",2017-03-09 23:15:00,CST-6,2017-03-09 23:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.8462,-86.6761,35.8462,-86.6761,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tSpotter Twitter report indicated an interstate sign was snapped on eastbound I-840 at Mile Marker 40 west of the Highway 11A exit." +114423,686136,TENNESSEE,2017,March,Hail,"MAURY",2017-03-09 23:12:00,CST-6,2017-03-09 23:12:00,0,0,0,0,0.00K,0,0.00K,0,35.5898,-87.0975,35.5898,-87.0975,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Maury County 911 Center reported quarter size hail and strong winds in southwest Columbia." +114118,685020,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-01 07:18:00,CST-6,2017-03-01 07:18:00,0,0,0,0,10.00K,10000,0.00K,0,36.2608,-86.5253,36.2608,-86.5253,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","A house suffered wind damage to the roof, gutters, and siding on Starr Drive in Mount Juliet." +114118,685026,TENNESSEE,2017,March,Thunderstorm Wind,"SUMNER",2017-03-01 07:29:00,CST-6,2017-03-01 07:29:00,0,0,0,0,2.00K,2000,0.00K,0,36.4878,-86.3072,36.4878,-86.3072,"The most damaging severe weather outbreak in Middle Tennessee since the December 23, 2015 Tornado Outbreak struck during the morning hours on March 1, 2017. A line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60-70 mph from west to east between 6 AM and 10 AM CST. Additional severe thunderstorms developed later in the morning and affected areas of southern Middle Tennessee from the late morning into the early afternoon hours. Widespread damaging winds were reported in nearly every county along and north of I-40 across Middle Tennessee, with winds estimated up to 90 mph in some areas. These intense downburst winds caused 3 injuries - two in Clarksville when a tree fell on a mobile home, and one in Lavergne when a tractor trailer flipped over. In addition to the damaging winds, 7 confirmed tornadoes also touched down from the Nashville metro area eastward to the Upper Cumberland, damaging hundreds of homes and businesses. Several reports of large hail were also received in parts of southern Middle Tennessee.","Emergency management reported trees were blown down on Old Highway 31 in Bethpage." +114423,686070,TENNESSEE,2017,March,Hail,"MONTGOMERY",2017-03-09 20:47:00,CST-6,2017-03-09 20:47:00,0,0,0,0,1.00K,1000,0.00K,0,36.5351,-87.3403,36.5351,-87.3403,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Public reported estimated quarter size hail dented a vehicle on Hornburger Lane." +114423,686079,TENNESSEE,2017,March,Thunderstorm Wind,"WILSON",2017-03-09 21:23:00,CST-6,2017-03-09 21:23:00,0,0,0,0,3.00K,3000,0.00K,0,36.1437,-86.5433,36.1437,-86.5433,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Several trees and power lines were blown down into the roadway in the 5700 block of Alvin Sperry Road." +114423,686585,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:39:00,CST-6,2017-03-09 23:39:00,0,0,0,0,5.00K,5000,0.00K,0,35.553,-86.4145,35.553,-86.4145,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Trees were blown down at 415 Minkslide Road. A neighboring home suffered minor roof damage." +114423,686587,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:42:00,CST-6,2017-03-09 23:42:00,0,0,0,0,1.00K,1000,0.00K,0,35.5206,-86.3746,35.5206,-86.3746,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","A tree was blown down on Phillipi Road." +114253,685720,MISSISSIPPI,2017,March,Hail,"LAUDERDALE",2017-03-07 15:35:00,CST-6,2017-03-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,32.3,-88.65,32.3,-88.65,"Stretching southward from a low pressure system in the Midwest, a cold front moved across Mississippi during the day on March 7th. Modest atmospheric instability and deep layer wind shear allowed for strong to severe thunderstorms to develop along the cold front as it moved through Mississippi. These thunderstorms produced isolated large hail up to the size of ping pong balls as well as several instances of damaging wind gusts which blew down trees and power lines.","Hail up to the size of nickels fell in the Zero community." +114423,686602,TENNESSEE,2017,March,Thunderstorm Wind,"BEDFORD",2017-03-09 23:38:00,CST-6,2017-03-09 23:38:00,0,0,0,0,8.00K,8000,0.00K,0,35.6029,-86.4188,35.6029,-86.4188,"Another significant severe weather event struck Middle Tennessee just one week after the severe weather outbreak on March 1. During this event, a line of strong to severe thunderstorms with embedded circulations, known as a Quasi-Linear Convective System (or QLCS), moved rapidly southeastward across Middle Tennessee at 60-70 mph during the late evening hours on March 9, 2017 into the early morning hours on March 10, 2017. Ahead of the QLCS, isolated severe storms developed and produced large hail in many parts of Middle Tennessee during the evening on March 9. As the QLCS moved across the region, widespread damaging winds were reported in nearly every county along and west of I-24 across Middle Tennessee, with winds estimated up to 100 mph in some areas. These intense downbursts winds damaged numerous homes and businesses, and caused 1 injury in Warren County. In addition to the damaging winds, one confirmed tornado also touched down in Marshall County.","Numerous cedar trees were snapped and uprooted in a northeast direction on both the north and south sides of Edd Joyce Road." +114498,686628,ARKANSAS,2017,March,Thunderstorm Wind,"CRAIGHEAD",2017-03-25 00:22:00,CST-6,2017-03-25 00:27:00,0,0,0,0,50.00K,50000,0.00K,0,35.9496,-90.5768,35.951,-90.5702,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","Roof damage to a home and a metal carport destroyed. Several trees snapped or uprooted." +114498,686629,ARKANSAS,2017,March,Thunderstorm Wind,"GREENE",2017-03-25 00:27:00,CST-6,2017-03-25 00:35:00,0,0,0,0,15.00K,15000,0.00K,0,36.1095,-90.446,36.1098,-90.4428,"An upper level disturbance and cold front provided the focus for a few severe thunderstorms to occur across portions of the Midsouth during the early morning hours of March 25th.","The upper portions of a wooden storage shed were blown across Highway 49." +114721,689766,MISSISSIPPI,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-29 23:40:00,CST-6,2017-03-29 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,31.47,-90.59,31.47,-90.59,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","A tree was blown down along West Lincoln Drive." +114721,690240,MISSISSIPPI,2017,March,Strong Wind,"CARROLL",2017-03-30 02:00:00,CST-6,2017-03-30 02:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","Strong winds associated with a wake low event blew a tree down across County Road 240 west of Carrollton." +114721,690241,MISSISSIPPI,2017,March,Thunderstorm Wind,"BOLIVAR",2017-03-29 21:18:00,CST-6,2017-03-29 21:18:00,0,0,0,0,12.00K,12000,0.00K,0,33.7,-90.75,33.7,-90.75,"A line of severe thunderstorms developed over Louisiana late in the evening on March 29th and quickly moved into Mississippi. These thunderstorms produced widespread severe wind gusts which blew down trees and caused damage to homes and other structures. A brief tornado developed near Purvis. A wake low developed as the thunderstorms weakened during the morning of March 30th, and widespread high winds blew down trees and caused damage across east-central Mississippi.","The roof was blown off of a trailer." +114448,699116,LOUISIANA,2017,March,Thunderstorm Wind,"MOREHOUSE",2017-03-25 00:22:00,CST-6,2017-03-25 00:25:00,0,0,0,0,45.00K,45000,0.00K,0,32.7908,-91.6956,32.7908,-91.6956,"A line of severe thunderstorms moved into northeast Louisiana early in the morning on March 25th and produced damaging wind gusts.","Severe wind gusts associated with a line of thunderstorms caused damage to five mobile homes, some of which was caused by falling trees." +114449,688550,MISSISSIPPI,2017,March,Thunderstorm Wind,"BOLIVAR",2017-03-25 02:04:00,CST-6,2017-03-25 02:04:00,0,0,0,0,4.00K,4000,0.00K,0,33.7487,-90.6595,33.7487,-90.6595,"A line of severe thunderstorms moved into Mississippi early in the morning on March 25th and moved much of the state throughout the day. These storms primarily produced severe wind gusts which blew down trees and caused other damage.","A tree was blown down on Parks Road near County Line Road on the Bolivar county line." +114683,687921,TENNESSEE,2017,March,Hail,"BEDFORD",2017-03-21 15:31:00,CST-6,2017-03-21 15:31:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-86.6,35.62,-86.6,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","" +114683,687950,TENNESSEE,2017,March,Thunderstorm Wind,"CANNON",2017-03-21 16:10:00,CST-6,2017-03-21 16:10:00,0,0,0,0,25.00K,25000,0.00K,0,35.74,-85.99,35.74,-85.99,"A line of severe thunderstorms called a Mesoscale Convective System (MCS) moved across Middle Tennessee on Tuesday, March 21, 2017, impacting areas mainly south of Interstate 40. This MCS moved into Middle Tennessee around 230 PM CDT, and additional scattered thunderstorms also developed out ahead of the MCS. Numerous reports of large hail and damaging winds were received with these storms before all of the storms exited the area by early evening.||Due to high amounts of instability in the atmosphere and unusually steep lapse rates aloft, very large hail was reported in several areas. Some of the largest hail was reported in Lewisburg, where hail up to 2 inches in diameter covered the ground and caused significant damage to roofs and vehicles. Golf ball size hail was also reported in Waynesboro (Wayne County), with ping pong ball size hail in Hampshire (Maury County) and Summertown (Lawrence County).||Some of the worst wind damage occurred along a segment of the MCS called a bow echo, which is commonly associated with damaging winds. This bow echo moved from Williamson and Rutherford Counties across Cannon, Coffee, Warren, Van Buren, and Grundy Counties during the late afternoon hours. Based on damage reports, photos, and radar data, winds are estimated to have reached over 90 mph in parts of these counties. Damage included a roof blown off a school in Christiana (Rutherford County); numerous trees and power poles snapped, a tractor trailer blown over onto a car, and structural damage to a few homes in Murfreesboro (Rutherford County); structural damage to homes and barns being destroyed near the Iconium community (Cannon County); numerous trees falling on campers and RVs in Fall Creek Falls State Park (Van Buren County); and numerous trees, power lines, and power poles knocked down in Manchester (Coffee County).","Cannon County Emergency Management reported a large downburst caused severe wind damage in the Mooretown and Iconium areas of southeast Cannon County. Several homes suffered significant roof and siding damage, and several outbuildings were destroyed around Lonnie Smith Road, Pleasant View Road, and Red Hill Road. Dozens of trees were also snapped and uprooted." +114851,689594,MISSISSIPPI,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-27 14:55:00,CST-6,2017-03-27 14:55:00,0,0,0,0,5.00K,5000,0.00K,0,31.97,-89.92,31.97,-89.92,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","A utility line was blown down along Woodrow Barnes Road." +114851,689595,MISSISSIPPI,2017,March,Hail,"LEAKE",2017-03-27 14:52:00,CST-6,2017-03-27 14:52:00,0,0,0,0,0.00K,0,0.00K,0,32.68,-89.43,32.68,-89.43,"As a cold front moved toward the region, storms developed in a very unstable airmass. These storms brought large hail and damaging winds to the ArkLaMiss region through the afternoon and evening hours.","" +114609,687491,NEW YORK,2017,March,Winter Storm,"KINGS (BROOKLYN)",2017-03-14 00:30:00,EST-5,2017-03-14 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","The public reported 6 inches of snow and sleet. Some rain also mixed in with the snow and sleet." +114609,687492,NEW YORK,2017,March,Winter Storm,"NEW YORK (MANHATTAN)",2017-03-14 01:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","Central Park reported 7.6 inches of snow and sleet." +114609,687493,NEW YORK,2017,March,Winter Storm,"NORTHERN QUEENS",2017-03-14 00:30:00,EST-5,2017-03-14 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure tracked up the eastern seaboard on Tuesday March, 14 bringing blizzard conditions to portions of the Lower Hudson Valley. Heavy snow and sleet along with strong winds occurred across the New York City Metro. ||The storm cancelled numerous flights at JFK and LGA with some mass transit services suspended. ||A pair of 2 story homes under construction on Beach 7th street in Far Rockaway collapsed and numerous trees and wires were downed due to the strong winds.||Approximately 17,000 power outages resulted from the strong winds and heavy snow.","LaGuardia Airport reported 7.4 inches of snow and sleet. A 45 mph wind gust was observed at 2:52 pm at LaGuardia Airport." +114735,688183,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:41:00,CST-6,2017-03-27 14:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.0918,-86.8347,36.0918,-86.8347,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree was blown down at Harding Place and Northumberland." +114735,688187,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:42:00,CST-6,2017-03-27 14:42:00,0,0,0,0,3.00K,3000,0.00K,0,36.1026,-86.8365,36.1026,-86.8365,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree fell on a moving vehicle on Hobbs Road in Green Hills. No injuries were reported." +114735,688189,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:43:00,CST-6,2017-03-27 14:43:00,0,0,0,0,0.00K,0,0.00K,0,36.1409,-86.8659,36.1409,-86.8659,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A wind gust of 61 mph was measured at WSMV-TV." +114735,688190,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:45:00,CST-6,2017-03-27 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.1419,-86.819,36.1419,-86.819,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A large tree fell on multiple parked cars at Acklen Park Drive and Fairmont Drive." +114735,688193,TENNESSEE,2017,March,Thunderstorm Wind,"DAVIDSON",2017-03-27 14:47:00,CST-6,2017-03-27 14:47:00,0,0,0,0,5.00K,5000,0.00K,0,36.1818,-86.8062,36.1818,-86.8062,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tree fell on a house on Cephas Street." +114735,688242,TENNESSEE,2017,March,Hail,"PERRY",2017-03-27 16:56:00,CST-6,2017-03-27 16:56:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-87.85,35.62,-87.85,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Quarter size hail reported and ongoing in Linden." +114735,688244,TENNESSEE,2017,March,Hail,"PERRY",2017-03-27 16:57:00,CST-6,2017-03-27 16:57:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-87.85,35.62,-87.85,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tSpotter Twitter report indicated golf ball size hail in Linden." +114735,688248,TENNESSEE,2017,March,Hail,"HICKMAN",2017-03-27 16:59:00,CST-6,2017-03-27 16:59:00,0,0,0,0,0.00K,0,0.00K,0,35.8744,-87.3434,35.8744,-87.3434,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","Quarter size hail reported on Highway 100 at Primm Springs Road in Lyles." +114735,688253,TENNESSEE,2017,March,Hail,"MAURY",2017-03-27 18:18:00,CST-6,2017-03-27 18:18:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-87.05,35.62,-87.05,"Numerous showers and thunderstorms, many of which were strong to severe and included a few supercells, moved across Middle Tennessee during the afternoon and evening hours on Monday, March 27. Several reports of large hail up to 3 inches in diameter and wind damage to trees and buildings were received across the area, and one EF1 tornado was confirmed to touch down in Perry and Lewis Counties.","A tSpotter Twitter report indicated nickel size hail fell in Columbia." +113033,675846,RHODE ISLAND,2017,March,Heavy Snow,"EASTERN KENT",2017-03-14 02:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm moved up the east coast, hugging the southern NJ coast then moving rapidly northeast across southern Rhode Island and interior southeast Massachusetts. In Rhode Island, snowfall amounts were highest in the northwest hills, where a changeover to sleet and rain did not happen until late in the afternoon. Along the south coast, only 2 to 6 inches fell, but more around a foot occurred in northwest Providence County. Strong/damaging winds gusted to 45 to 60 mph across much of Rhode Island.","Snow began falling off-and-on before daybreak, then heavy snow fell during the morning hours, before changing to rain before noon. The Dept. of Transportation reported 6.5 inches of snow in Warwick and a trained spotter reported 6.3 inches in West Warwick." +114977,690373,WYOMING,2017,March,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-03-08 09:35:00,MST-7,2017-03-08 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +114977,692482,WYOMING,2017,March,High Wind,"EAST LARAMIE COUNTY",2017-03-09 11:15:00,MST-7,2017-03-09 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Pine Bluffs Airport measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 06/1115 MST." +115332,692483,NEBRASKA,2017,March,High Wind,"DAWES",2017-03-06 11:55:00,MST-7,2017-03-06 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Chadron Airport measured sustained winds of 40 mph or higher." +115332,692484,NEBRASKA,2017,March,High Wind,"DAWES",2017-03-07 13:00:00,MST-7,2017-03-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific upper level jet and large pressure gradient generated periodic high winds across western Nebraska. Frequent gusts of 55 to 65 mph were observed.","The wind sensor at the Chadron Airport measured sustained winds of 40 mph or higher." +115342,692550,WYOMING,2017,March,Winter Storm,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-03-30 15:00:00,MST-7,2017-03-31 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow and gusty northeasterly winds across portions of south central and southeast Wyoming. Snow accumulations ranged from six to twelve inches, heaviest above 8500 feet. Interstate 80 was closed between Cheyenne and Laramie due to adverse winter weather conditions.","A foot of snow was reported at Youngs Pass (elevation 9600 ft) in the Ferris Mountains." +115342,692554,WYOMING,2017,March,Winter Storm,"SOUTH LARAMIE RANGE",2017-03-31 09:00:00,MST-7,2017-03-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow and gusty northeasterly winds across portions of south central and southeast Wyoming. Snow accumulations ranged from six to twelve inches, heaviest above 8500 feet. Interstate 80 was closed between Cheyenne and Laramie due to adverse winter weather conditions.","A foot of snow was observed at the Interstate 80 summit (elevation 8600 ft)." +114904,689257,WASHINGTON,2017,March,Flood,"CLARK",2017-03-16 11:48:00,PST-8,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,45.6354,-122.6991,45.6282,-122.708,"An atmospheric river brought heavy rain and flooding to parts of southwest Washington. In addition, heavy rain combined with snowmelt runoff in eastern Washington contributed to rising river levels on the Columbia River. While flooding on the Cowlitz River only occurred with heavy rain on the 16th, longer lasting flooding occurred on the Columbia River which remained above flood stage until April 4th.","Recent heavy rains and snowmelt from the Cascades and eastern Washington led to rising river levels on the Columbia River. The river crested at 17.59 ft on March 30th, which is 1.59 feet above flood stage. The river remained above flood stage until April 3rd." +115763,695784,CONNECTICUT,2017,March,High Wind,"SOUTHERN NEW LONDON",2017-03-14 12:00:00,EST-5,2017-03-14 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"On Tuesday, March 14th, rapidly deepening low pressure tracked up the eastern seaboard.","A mesonet station near Mystic measured a 59 mph wind gust at 101 pm." +115762,695783,NEW YORK,2017,March,Strong Wind,"NORTHERN NASSAU",2017-03-14 17:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"On Tuesday, March 14th, rapidly deepening low pressure tracked up the eastern seaboard.","A mesonet station near Glen Cove measured a 54 mph wind gust at 601 pm." +114167,689134,TENNESSEE,2017,March,Thunderstorm Wind,"GIBSON",2017-03-01 05:15:00,CST-6,2017-03-01 05:20:00,0,0,0,0,,NaN,0.00K,0,35.8952,-89.0356,35.9084,-88.9369,"A strong cold front generated severe storms with damaging winds across the region during the early morning hours of March 1st.","Straight line winds damaged several small barns and farm outbuildings." +116348,702885,MONTANA,2017,May,High Wind,"HILL",2017-05-24 11:05:00,MST-7,2017-05-24 11:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak gust measured at sation E1937." +116348,702887,MONTANA,2017,May,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-05-24 12:24:00,MST-7,2017-05-24 12:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Browning 2 ESE mesonet site." +116348,702890,MONTANA,2017,May,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-05-24 15:00:00,MST-7,2017-05-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Dellwo mesonet site (DELMT)." +116348,702892,MONTANA,2017,May,High Wind,"TOOLE",2017-05-24 15:00:00,MST-7,2017-05-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Sunburst DOT site." +116348,702893,MONTANA,2017,May,High Wind,"EASTERN GLACIER",2017-05-24 13:45:00,MST-7,2017-05-24 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Cut Bank Airport." +116348,702894,MONTANA,2017,May,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-05-24 13:21:00,MST-7,2017-05-24 13:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Pendroy DOT site." +116348,702907,MONTANA,2017,May,High Wind,"HILL",2017-05-24 12:03:00,MST-7,2017-05-24 12:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust at the Havre Airport." +116054,697523,KANSAS,2017,May,Hail,"RAWLINS",2017-05-16 20:20:00,CST-6,2017-05-16 20:20:00,0,0,0,0,0.00K,0,0.00K,0,39.8415,-101.1329,39.8415,-101.1329,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116054,697524,KANSAS,2017,May,Thunderstorm Wind,"GRAHAM",2017-05-16 16:28:00,CST-6,2017-05-16 16:31:00,0,0,0,0,0.00K,0,0.00K,0,39.3741,-99.8299,39.3741,-99.8299,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","" +116481,700497,KANSAS,2017,May,Hail,"LOGAN",2017-05-15 16:20:00,CST-6,2017-05-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,39.0725,-101.2087,39.0725,-101.2087,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","Most of the hail was a half inch or less." +116481,700498,KANSAS,2017,May,Hail,"LOGAN",2017-05-15 16:35:00,CST-6,2017-05-15 16:35:00,0,0,0,0,0.00K,0,0.00K,0,39.0994,-101.0825,39.0994,-101.0825,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","" +116481,700499,KANSAS,2017,May,Hail,"WICHITA",2017-05-15 18:45:00,CST-6,2017-05-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2782,-101.2915,38.2782,-101.2915,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","" +116481,700500,KANSAS,2017,May,Hail,"WICHITA",2017-05-15 19:08:00,CST-6,2017-05-15 19:08:00,0,0,0,0,0.20K,200,0.00K,0,38.4885,-101.2109,38.4885,-101.2109,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","Ping-pong to tea cup size hail was reported. The hail damaged a screen door on the house." +116481,700501,KANSAS,2017,May,Hail,"DECATUR",2017-05-15 19:17:00,CST-6,2017-05-15 19:17:00,0,0,0,0,0.00K,0,0.00K,0,39.624,-100.422,39.624,-100.422,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","" +116481,700502,KANSAS,2017,May,Hail,"CHEYENNE",2017-05-15 19:54:00,CST-6,2017-05-15 19:54:00,0,0,0,0,0.00K,0,0.00K,0,39.873,-101.9237,39.873,-101.9237,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","Relayed by the emergency manager." +116481,700503,KANSAS,2017,May,Hail,"NORTON",2017-05-15 19:55:00,CST-6,2017-05-15 19:55:00,0,0,0,0,0.00K,0,0.00K,0,39.84,-99.89,39.84,-99.89,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","The hail sizes ranged from a half inch to three-quarters of an inch." +116481,700505,KANSAS,2017,May,Hail,"CHEYENNE",2017-05-15 19:56:00,CST-6,2017-05-15 19:56:00,0,0,0,0,0.00K,0,0.00K,0,39.8719,-101.9665,39.8719,-101.9665,"Strong to severe thunderstorms moved northeast across Northwest Kansas. The largest hail that fell occurred with these storms was the size of a tea cup and was reported at Marienthal.","" +117083,705190,KANSAS,2017,May,Hail,"FORD",2017-05-16 17:16:00,CST-6,2017-05-16 17:16:00,0,0,0,0,,NaN,,NaN,37.66,-99.91,37.66,-99.91,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705189,KANSAS,2017,May,Hail,"GRAY",2017-05-16 17:07:00,CST-6,2017-05-16 17:07:00,0,0,0,0,,NaN,,NaN,37.54,-100.63,37.54,-100.63,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","There were reports of broken windows from the hail." +117083,705191,KANSAS,2017,May,Hail,"FORD",2017-05-16 17:16:00,CST-6,2017-05-16 17:16:00,0,0,0,0,,NaN,,NaN,37.7,-99.94,37.7,-99.94,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705192,KANSAS,2017,May,Hail,"EDWARDS",2017-05-16 18:15:00,CST-6,2017-05-16 18:15:00,0,0,0,0,,NaN,,NaN,37.93,-99.36,37.93,-99.36,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705193,KANSAS,2017,May,Hail,"EDWARDS",2017-05-16 18:20:00,CST-6,2017-05-16 18:20:00,0,0,0,0,,NaN,,NaN,37.93,-99.41,37.93,-99.41,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705194,KANSAS,2017,May,Hail,"HODGEMAN",2017-05-16 19:13:00,CST-6,2017-05-16 19:13:00,0,0,0,0,,NaN,,NaN,38.2,-99.89,38.2,-99.89,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +114190,683950,FLORIDA,2017,May,Thunderstorm Wind,"HILLSBOROUGH",2017-05-04 16:55:00,EST-5,2017-05-04 16:55:00,0,2,0,0,5.00K,5000,0.00K,0,27.9888,-82.4183,27.9888,-82.4183,"A cold front moved through the eastern Gulf of Mexico and into the Florida Peninsula during the evening of the 4th and morning of the 5th. Numerous thunderstorms developed along a prefrontal trough, causing gusty winds as they came onshore during the afternoon of the 4th. Breezy winds also developed behind the front on the morning of the 5th.","Gusty winds knocked downed a tree, which in turn severed power lines near East Osborne Avenue and North 37th Street in Tampa. The power lines electrified a fence, and two children sustained minor injuries when they touched the fence. Wind reports from around the area were all less than 40 knots." +114163,683666,TEXAS,2017,May,Thunderstorm Wind,"CHILDRESS",2017-05-03 16:55:00,CST-6,2017-05-03 16:55:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-100.28,34.43,-100.28,"Despite cool temperatures around 70 degrees, very cold mid-level temperatures late this afternoon supported moderate instability across the southeast Texas Panhandle. A weak cold front focused lift in Childress County and led to a severe thunderstorm which impacted the west edge of Childress.","Measured by the Childress ASOS." +114163,683667,TEXAS,2017,May,Hail,"CHILDRESS",2017-05-03 16:54:00,CST-6,2017-05-03 16:58:00,0,0,0,0,0.00K,0,0.00K,0,34.4354,-100.2307,34.4354,-100.2307,"Despite cool temperatures around 70 degrees, very cold mid-level temperatures late this afternoon supported moderate instability across the southeast Texas Panhandle. A weak cold front focused lift in Childress County and led to a severe thunderstorm which impacted the west edge of Childress.","An employee at the Flying J truck stop observed hail up to dime size for several minutes along with very strong winds. No damage was noted." +114199,683986,CALIFORNIA,2017,May,Hail,"SISKIYOU",2017-05-04 17:12:00,PST-8,2017-05-04 17:12:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-122.91,41.52,-122.91,"Many thunderstorms developed on the afternoon and evening of this date. At least one of them became severe.","A spotter reported hail about the size of nickels." +114201,684022,VERMONT,2017,May,Strong Wind,"CALEDONIA",2017-05-05 16:15:00,EST-5,2017-05-05 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An occluded surface low was across the Mid-Atlantic states during May 5th. This storm was supported by very strong winds aloft, in excess of 60-70 knots at 5000 feet that moved across eastern New York and western New England in the late afternoon hours. Much of the period, a cold rain accounted for a stable airmass that prevented these winds to reach the surface. ||However, the combination of a meso-scale area of low pressure and a small gravity wave created an imbalance that allowed these strong winds to sporadically reach the surface for less than 30 minutes. Damaging wind gusts in excess of 60 to 80 mph touched down in portions of Bennington and Rutland counties in Vermont. Significant tree, power pole and some structural damage to roofs were reported in Rutland town, Rutland City, Ira and Wells. ||Other wind gusts in excess of 50 mph were observed across the western slopes of Vermont's Green Mountains as well as the higher terrain of Orange, Windsor and Caledonia counties. Statewide nearly 20,000 customers lost power with more than 17,000 in Rutland county.","Several wind gusts estimated to be 50-55 mph occurred sporadically across the higher elevations of Caledonia county. This resulted in a few hundred customers without power." +114107,686005,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 17:57:00,EST-5,2017-05-01 17:57:00,0,0,0,0,5.00K,5000,0.00K,0,41.1983,-77.2579,41.1983,-77.2579,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down trees in Jersey Shore." +114107,686006,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 18:07:00,EST-5,2017-05-01 18:07:00,0,0,0,0,7.00K,7000,0.00K,0,41.1501,-77.1511,41.1501,-77.1511,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down numerous trees near Collomsville." +114107,686008,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:46:00,EST-5,2017-05-01 17:46:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-77.57,40.85,-77.57,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 70 mph and knocked down a swath of trees near Spring Mills." +114107,686009,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CENTRE",2017-05-01 17:52:00,EST-5,2017-05-01 17:52:00,0,0,0,0,0.00K,0,0.00K,0,40.9083,-77.4772,40.9083,-77.4772,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 70 mph and knocked down a swath of at least 50 trees on a ridge along Route 445 north of Millheim." +114107,686010,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-01 18:00:00,EST-5,2017-05-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-77.33,41.05,-77.33,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 70 mph and knocked down a large swath of trees approximately a mile long on a ridge north of I-80 near Loganton." +114365,685300,TEXAS,2017,May,Hail,"MOTLEY",2017-05-10 13:43:00,CST-6,2017-05-10 13:43:00,0,0,0,0,0.00K,0,0.00K,0,34.0904,-100.8893,34.0904,-100.8893,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A storm chaser reported ping pong size hail several miles northwest of Matador on State Highway 70." +114365,685302,TEXAS,2017,May,Tornado,"COTTLE",2017-05-10 14:37:00,CST-6,2017-05-10 14:38:00,0,0,0,0,0.00K,0,0.00K,0,34.1744,-100.2891,34.1741,-100.2942,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A storm chaser reported a brief tornado touchdown near US Highway 83 east of Cee Vee. No damage was reported, therefore an EF-Unknown rating was assigned." +114365,685301,TEXAS,2017,May,Hail,"COTTLE",2017-05-10 14:26:00,CST-6,2017-05-10 14:30:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-100.45,34.2232,-100.4453,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A resident of Cee Vee observed hail as large as softball size (4 inches). Also, a storm chaser nearby reported baseball size hail. Fortunately, there were no reports of damage." +114365,685303,TEXAS,2017,May,Thunderstorm Wind,"COTTLE",2017-05-10 15:00:00,CST-6,2017-05-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.287,-100.0231,34.287,-100.0231,"A strong and slow moving upper level low pressure system brought severe storms for a second consecutive day across the region. Strong instability developed again during the afternoon hours among strong deep layer wind shear. Isolated storms initially developed by mid afternoon along a warm front oriented from west to east from the eastern South Plains through the northern Rolling Plains. A few of these storms quickly became severe with supercell structures, two of which produced tornadoes that caused no damage.","A wind gust to 80 mph was reported just to the west of the Cottle/Hardeman County line along Farm to Market Road 104. This wind gust was associated with the supercell thunderstorm's rear flank downdraft." +114665,694070,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:16:00,CST-6,2017-05-20 16:16:00,0,0,0,0,0.20K,200,0.00K,0,34.47,-86.8,34.47,-86.8,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto Main Street." +114665,694071,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:17:00,CST-6,2017-05-20 16:17:00,0,0,0,0,0.20K,200,0.00K,0,34.39,-86.62,34.39,-86.62,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto the road." +114665,694072,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:18:00,CST-6,2017-05-20 16:18:00,0,0,0,0,2.00K,2000,0.00K,0,34.33,-86.76,34.33,-86.76,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a home." +114665,694073,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:19:00,CST-6,2017-05-20 16:19:00,0,0,0,0,0.20K,200,0.00K,0,34.48,-86.68,34.48,-86.68,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto Luker Road." +114665,694074,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:22:00,CST-6,2017-05-20 16:22:00,0,0,0,0,1.00K,1000,0.00K,0,34.44,-86.61,34.44,-86.61,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto a trailer." +114665,694075,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-20 16:26:00,CST-6,2017-05-20 16:26:00,0,0,0,0,0.20K,200,0.00K,0,34.54,-86.59,34.54,-86.59,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","A tree was knocked down onto Bartee Road." +114966,689618,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GALVESTON BAY",2017-05-28 23:05:00,CST-6,2017-05-28 23:05:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-94.98,29.68,-94.98,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","Wind gust was measured at Morgan's Point PORTS site." +114966,689621,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-28 23:06:00,CST-6,2017-05-28 23:06:00,0,0,0,0,0.00K,0,0.00K,0,29.5066,-94.4994,29.5066,-94.4994,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Rollover Pass TCOON site." +114966,689622,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GALVESTON BAY",2017-05-28 23:10:00,CST-6,2017-05-28 23:10:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.91,29.54,-94.91,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Galveston Bay XGAL mesonet site." +114966,689623,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-28 23:13:00,CST-6,2017-05-28 23:13:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-94.62,29.47,-94.62,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Crab Lake XCRB weatherflow site." +114966,689625,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GALVESTON BAY",2017-05-28 23:20:00,CST-6,2017-05-28 23:20:00,0,0,0,0,0.00K,0,0.00K,0,29.43,-94.89,29.43,-94.89,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at weatherflow site Levee XLEV." +114966,689628,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-28 23:30:00,CST-6,2017-05-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Galveston North Jetty via PORTS." +114966,689632,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-28 23:50:00,CST-6,2017-05-28 23:50:00,0,0,0,0,0.00K,0,0.00K,0,29.23,-94.4,29.23,-94.4,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Buoy 42035." +114966,689633,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-28 23:55:00,CST-6,2017-05-28 23:55:00,0,0,0,0,0.00K,0,0.00K,0,29.19,-94.52,29.19,-94.52,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Platform High Island 179A via weatherflow." +114966,689634,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 00:01:00,CST-6,2017-05-29 00:01:00,0,0,0,0,0.00K,0,0.00K,0,29.13,-95.06,29.13,-95.06,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Terramar Beach via weatherflow." +114966,689635,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 00:35:00,CST-6,2017-05-29 00:35:00,0,0,0,0,0.00K,0,0.00K,0,29.18,-94.52,29.18,-94.52,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at High Island 179A." +114966,689636,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-05-29 00:41:00,CST-6,2017-05-29 00:41:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-95.29,28.93,-95.29,"Marine thunderstorm winds associated with an outflow boundary occurred across the waters.","A wind gust was measured at Surfside Beach XSRF via weatherflow." +115087,690901,ILLINOIS,2017,May,Thunderstorm Wind,"MCHENRY",2017-05-17 21:37:00,CST-6,2017-05-17 21:37:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-88.62,42.49,-88.62,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Straight line wind damage occurred in Big Foot Prairie. A few large trees and large tree limbs were blown down." +115087,690902,ILLINOIS,2017,May,Thunderstorm Wind,"DE KALB",2017-05-17 21:49:00,CST-6,2017-05-17 21:49:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-88.75,41.9233,-88.7486,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Numerous four to six inch diameter branches were blown down blocking streets. A 10-inch diameter tree branch was blown down at the intersection of 7th Street and Roosevelt Street." +115087,690903,ILLINOIS,2017,May,Hail,"BOONE",2017-05-17 21:25:00,CST-6,2017-05-17 21:25:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-88.82,42.37,-88.82,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +115087,690904,ILLINOIS,2017,May,Thunderstorm Wind,"DE KALB",2017-05-17 21:52:00,CST-6,2017-05-17 21:52:00,0,0,0,0,,NaN,0.00K,0,41.77,-88.64,41.77,-88.64,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Straight line winds caused isolated tree damage and destroyed a farm outbuilding." +115087,690906,ILLINOIS,2017,May,Thunderstorm Wind,"LA SALLE",2017-05-17 21:55:00,CST-6,2017-05-17 21:55:00,0,0,0,0,0.00K,0,0.00K,0,41.3475,-89.1529,41.3475,-89.1529,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","" +115177,697766,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 20:35:00,CST-6,2017-05-27 22:35:00,0,0,0,0,0.00K,0,0.00K,0,36.6481,-93.2593,36.6501,-93.2584,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A swift water rescue was conducted at Roark Creek." +115177,697767,MISSOURI,2017,May,Flash Flood,"BARRY",2017-05-27 21:44:00,CST-6,2017-05-27 23:44:00,0,0,0,0,0.00K,0,0.00K,0,36.8196,-93.7877,36.8167,-93.7897,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Highway C was closed at Flat Creek due to flooding." +115177,697768,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 23:08:00,CST-6,2017-05-28 01:08:00,0,0,0,0,0.00K,0,0.00K,0,36.5899,-93.1454,36.5892,-93.1463,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Highway J was closed due to flooding." +115177,697769,MISSOURI,2017,May,Flash Flood,"TANEY",2017-05-27 23:09:00,CST-6,2017-05-28 01:09:00,0,0,0,0,0.00K,0,0.00K,0,36.7001,-93.1569,36.699,-93.159,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Highway 176 near Rockaway Beach was closed due to flooding." +115177,697770,MISSOURI,2017,May,Flood,"HOWELL",2017-05-28 06:12:00,CST-6,2017-05-28 08:12:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.01,36.5189,-92.0114,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","MODOT reported Highway 142 was closed due to flooding west of Moody." +115177,697782,MISSOURI,2017,May,Hail,"HICKORY",2017-05-26 03:37:00,CST-6,2017-05-26 03:37:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-93.36,37.84,-93.36,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697791,MISSOURI,2017,May,Hail,"ST. CLAIR",2017-05-26 03:18:00,CST-6,2017-05-26 03:18:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-93.62,37.89,-93.62,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,698009,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 18:10:00,CST-6,2017-05-27 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.94,-93.95,36.94,-93.95,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","There were several reports of trees blown down on Highway PP north of Highway 37 between Monett and Pierce City." +115177,698010,MISSOURI,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-27 18:15:00,CST-6,2017-05-27 18:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.96,-92.66,36.96,-92.66,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down around the Ava area. One tree fell on a car." +115177,698011,MISSOURI,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 18:15:00,CST-6,2017-05-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.37,37.12,-93.37,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","The Battlefield Fire Department reported multiple trees were blown down across the city." +115177,698012,MISSOURI,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-27 18:26:00,CST-6,2017-05-27 18:26:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-93.29,37.04,-93.29,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down in the Nixa area." +115177,698013,MISSOURI,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 18:33:00,CST-6,2017-05-27 18:33:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-94,36.95,-94,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down around the Pierce City area." +115177,698014,MISSOURI,2017,May,Thunderstorm Wind,"STONE",2017-05-27 18:53:00,CST-6,2017-05-27 18:53:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.46,36.81,-93.46,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were blown down in the Galena and Crane area." +115177,698015,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-93.22,36.65,-93.22,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","A tree was blown down." +115178,691698,LOUISIANA,2017,May,Thunderstorm Wind,"RED RIVER",2017-05-28 18:25:00,CST-6,2017-05-28 18:25:00,1,0,1,0,0.00K,0,0.00K,0,32.0198,-93.3171,32.0198,-93.3171,"Overnight showers and thunderstorms which held together into the morning hours of Sunday May 28th, moved into Northern Louisiana from the northwest during the morning hours after daybreak. Isolated severe thunderstorms developed near Bossier City during the mid-morning hours, producing numerous reports of penny to quarter size hail. These storms mostly dissipated by midday, leaving numerous outflow boundaries across the area. Meanwhile, a warm front moving northward into the area resulted in dew points quickly rising from the mid 60s to the mid 70s with its passage. This front stalled out near the Interstate 30 corridor of Northeast Texas, and south of this boundary, scattered thunderstorms quickly developed by mid-afternoon and spread east across East Texas near and south of the Interstate 20 corridor. These storms rapidly intensified during peak afternoon heating and instability, and produced numerous reports of wind damage across extreme Eastern Texas and North Louisiana. |In addition to widespread straight line winds which exceeded 80-90 mph at times as they organized into a large scale bow echo, isolated tornadoes also touched down south and east of Natchitoches. Training storms moving west to east also producing brief flash flooding at some locations. These storms overall had only shown very slight weakening trends by the time they entered Central Louisiana after 10 pm that evening. In the storms' wake, over 103,000 customers were left without power across East Texas and Western Louisiana in the AEP SWEPCO coverage area, which was the 4th worst storm (with outages) in the company's 105 year history.","A 66 year-old female and her dog were killed when a large tree fell on her home near the 100 block of Esperanza Road in Coushatta. Another person in the home sustained minor injuries." +114629,687569,VERMONT,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 17:00:00,EST-5,2017-05-18 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.79,-71.81,44.79,-71.81,"Record setting heat set the stage for an moderately unstable air mass, while a mid-level atmospheric disturbance provided the forcing and strong winds to develop scattered thunderstorms by late afternoon into early evening, some of which produced damaging winds and hail.||A strong micro-burst produced 80-100 mph winds and destructive hail in West Addison with a seasonal camp destroyed with one occupant receiving minor injuries. More than 15,000 customers were without power due to storms across VT.","Trees and power lines down by thunderstorm winds." +115185,691647,WISCONSIN,2017,May,Hail,"ROCK",2017-05-17 17:45:00,CST-6,2017-05-17 17:45:00,0,0,0,0,,NaN,0.00K,0,42.71,-89.02,42.71,-89.02,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","" +115185,691773,WISCONSIN,2017,May,Thunderstorm Wind,"ROCK",2017-05-17 17:47:00,CST-6,2017-05-17 17:54:00,0,0,0,0,40.00K,40000,0.00K,0,42.6528,-88.807,42.6602,-88.8059,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","Walls collapsed on several older farm buildings." +112955,674930,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 17:50:00,CST-6,2017-02-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-91.54,41.57,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A report of hail about 1.25 inch in diameter was reported through social media photo." +112955,674932,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 17:59:00,CST-6,2017-02-28 17:59:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-91.54,41.6,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported nickel size hail." +115206,702866,OKLAHOMA,2017,May,Tornado,"CARTER",2017-05-27 21:17:00,CST-6,2017-05-27 21:18:00,0,0,0,0,0.00K,0,0.00K,0,34.359,-97.037,34.358,-97.035,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","A television storm chaser observed a tornado develop about 3 miles south-southeast of Dougherty. The tornado is believed to have moved through a small portion of rural Carter County before crossing the Washita River into Murray County. No damage is known to have occurred." +115206,695975,OKLAHOMA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-27 22:25:00,CST-6,2017-05-27 22:25:00,0,0,0,0,3.00K,3000,0.00K,0,34.1944,-97.5974,34.1944,-97.5974,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Three power poles were snapped on highway 89 one half mile north of Ringling. Time estimated by radar." +115206,695976,OKLAHOMA,2017,May,Thunderstorm Wind,"MAJOR",2017-05-27 22:27:00,CST-6,2017-05-27 22:27:00,0,0,0,0,5.00K,5000,0.00K,0,36.22,-98.92,36.22,-98.92,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Several power poles downed." +115206,695977,OKLAHOMA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-27 22:30:00,CST-6,2017-05-27 22:30:00,0,0,0,0,0.00K,0,0.00K,0,34.19,-97.59,34.19,-97.59,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +114930,689375,COLORADO,2017,May,Hail,"BENT",2017-05-27 15:55:00,MST-7,2017-05-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-103.24,38.07,-103.24,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114930,689378,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-27 17:16:00,MST-7,2017-05-27 17:21:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-103.43,37.12,-103.43,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114930,689379,COLORADO,2017,May,Hail,"LAS ANIMAS",2017-05-27 16:56:00,MST-7,2017-05-27 17:01:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-103.43,37.12,-103.43,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114930,689380,COLORADO,2017,May,Hail,"BACA",2017-05-27 17:32:00,MST-7,2017-05-27 17:37:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-102.13,37.19,-102.13,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114930,689381,COLORADO,2017,May,Thunderstorm Wind,"BENT",2017-05-27 15:55:00,MST-7,2017-05-27 15:58:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-103.24,38.07,-103.24,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +115457,693308,COLORADO,2017,May,Thunderstorm Wind,"YUMA",2017-05-07 21:40:00,MST-7,2017-05-07 21:40:00,0,0,0,0,,NaN,0.00K,0,39.7901,-102.2009,39.7901,-102.2009,"During the evening hours strong thunderstorms moved northeast across Yuma County. Two of these thunderstorms caused damage. One blew an empty cattle trailer for a semi over on its side, and another storm caused an electrical pole to lean over at nearly a 45 degree angle.","An empty cattle trailer for a semi was blown on its side. The trailer was parked near the intersection of CR JJ and CR 15 and not attached to a semi." +115457,693313,COLORADO,2017,May,Thunderstorm Wind,"YUMA",2017-05-07 20:09:00,MST-7,2017-05-07 20:09:00,0,0,0,0,1.00K,1000,0.00K,0,39.6558,-102.6977,39.6558,-102.6977,"During the evening hours strong thunderstorms moved northeast across Yuma County. Two of these thunderstorms caused damage. One blew an empty cattle trailer for a semi over on its side, and another storm caused an electrical pole to lean over at nearly a 45 degree angle.","A power pole was leaning at almost a 45 degree angle to the northeast roughly a mile west of Joes along Highway 36." +114337,686969,TEXAS,2017,May,Tornado,"COCHRAN",2017-05-09 20:31:00,CST-6,2017-05-09 20:32:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-102.86,33.49,-102.86,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","A storm chaser observed a rope tornado illuminated by lightning." +115244,694636,MISSOURI,2017,May,Hail,"BARTON",2017-05-30 22:20:00,CST-6,2017-05-30 22:20:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-94.09,37.58,-94.09,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","There was a picture from social media of quarter to half dollar size hail just east of Milford." +114979,689857,WYOMING,2017,May,Hail,"SHERIDAN",2017-05-15 14:15:00,MST-7,2017-05-15 14:15:00,0,0,0,0,0.00K,0,0.00K,0,44.7,-106.33,44.7,-106.33,"A thunderstorm that moved over the Sheridan area produced up to 1 inch diameter hail.","" +114979,689856,WYOMING,2017,May,Hail,"SHERIDAN",2017-05-15 14:25:00,MST-7,2017-05-15 14:25:00,0,0,0,0,0.00K,0,0.00K,0,44.72,-106.25,44.72,-106.25,"A thunderstorm that moved over the Sheridan area produced up to 1 inch diameter hail.","" +114979,694645,WYOMING,2017,May,Hail,"SHERIDAN",2017-05-15 14:20:00,MST-7,2017-05-15 14:20:00,0,0,0,0,0.00K,0,0.00K,0,44.72,-106.27,44.72,-106.27,"A thunderstorm that moved over the Sheridan area produced up to 1 inch diameter hail.","" +115534,693660,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-13 14:25:00,EST-5,2017-05-13 14:25:00,0,0,0,0,0.00K,0,0.00K,0,28.75,-80.87,28.75,-80.87,"A frontal boundary over the eastern Gulf of Mexico combined with a mid-level disturbance produced a line of thunderstorms with strong winds that spread across the intracoastal and Atlantic waters.","US Air Force Wind Tower 0819 measured a peak wind gust of 34 knots from the west northwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115534,693661,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-05-13 14:35:00,EST-5,2017-05-13 14:35:00,0,0,0,0,0.00K,0,0.00K,0,28.8,-80.74,28.8,-80.74,"A frontal boundary over the eastern Gulf of Mexico combined with a mid-level disturbance produced a line of thunderstorms with strong winds that spread across the intracoastal and Atlantic waters.","US Air Force wind tower 0022 measured a peak wind gust of 38 knots from the west northwest as a strong thunderstorm moved offshore into the Atlantic." +115534,693662,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-13 15:05:00,EST-5,2017-05-13 15:05:00,0,0,0,0,0.00K,0,0.00K,0,28.54,-80.57,28.54,-80.57,"A frontal boundary over the eastern Gulf of Mexico combined with a mid-level disturbance produced a line of thunderstorms with strong winds that spread across the intracoastal and Atlantic waters.","US Air Force wind tower 0108 measured a peak wind gust of 36 knots from the north-northwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115534,693663,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 20-60NM",2017-05-13 16:00:00,EST-5,2017-05-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,28.52,-80.17,28.52,-80.17,"A frontal boundary over the eastern Gulf of Mexico combined with a mid-level disturbance produced a line of thunderstorms with strong winds that spread across the intracoastal and Atlantic waters.","Buoy 41009 measured a peak wind gust of 45 knots from the northwest as a strong thunderstorm moved across the offshore waters of Brevard County." +114982,689886,KENTUCKY,2017,May,Flash Flood,"ESTILL",2017-05-27 16:00:00,EST-5,2017-05-27 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.7096,-83.9738,37.7044,-83.9701,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Sweet Lick Rd at the 400 block was closed due to high water. Maple Street was down to one lane for a short period of time. Main Street at Rice Street at a construction site had approximately 6 inches of rock blocking the roadway." +114982,689887,KENTUCKY,2017,May,Flash Flood,"LETCHER",2017-05-27 18:30:00,EST-5,2017-05-27 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.09,-82.84,37.0898,-82.8266,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","State Route 931 was closed briefly due to flooding." +114982,689888,KENTUCKY,2017,May,Flash Flood,"PULASKI",2017-05-27 19:10:00,EST-5,2017-05-28 00:05:00,0,0,0,0,1.00K,1000,0.00K,0,37.18,-84.64,37.1552,-84.6428,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Over 6 inches of water was flowing across a road leading into Science Hill." +114982,689894,KENTUCKY,2017,May,Flash Flood,"KNOX",2017-05-27 21:40:00,EST-5,2017-05-28 00:06:00,0,0,0,0,1.00K,1000,0.00K,0,36.8436,-83.7814,36.8398,-83.7819,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","Knox county dispatch reported that water was flowing across Evergreen Rd near Flat. A deputy on patrol also reported that he had driven through flood waters that covered the tires of his car." +115295,696978,ILLINOIS,2017,May,Flood,"CHRISTIAN",2017-05-01 00:00:00,CST-6,2017-05-02 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5657,-89.0257,39.624,-89.2011,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating widespread flash flooding. The rain developed as numerous weak impulses interacted with a stationary frontal boundary draped along I-70. Thunderstorms with very high rainfall rates dropped 2 to 3 inches of rain across much of the area, with a few locations across portions of Marshall and Woodford counties picking up in excess of 3.5 inches. This rainfall occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred, Illinois Route 17 from Lacon to Sparland in Marshall County, Illinois Route 97 from Lincoln's New Salem to Petersburg in Menard County, Route 45 near Tuscola in Douglas County, Route 9 west of Canton in Fulton County, and portions of Route 26 in Woodford County. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, Douglas, and Effingham counties...as well as along the Embarras River in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Christian County. Numerous streets in Taylorville and Pana were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern part of the county near Morrisonville, where Illinois Route 48 was closed due to flowing water. Additional rain around 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 2nd." +116041,697416,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:00:00,CST-6,2017-05-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.43,44.03,-92.43,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697417,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:18:00,CST-6,2017-05-15 21:18:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-92.48,44.01,-92.48,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Numerous reports of quarter sized hail in Rochester via social media." +116041,697418,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:20:00,CST-6,2017-05-15 21:20:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-92.51,44.08,-92.51,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","Quarter sized hail fell on the northwest side of Rochester." +116041,697419,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:22:00,CST-6,2017-05-15 21:22:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-92.45,43.99,-92.45,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697420,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:26:00,CST-6,2017-05-15 21:26:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.5,44.03,-92.5,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697421,MINNESOTA,2017,May,Hail,"OLMSTED",2017-05-15 21:28:00,CST-6,2017-05-15 21:28:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-92.51,44.09,-92.51,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +116041,697422,MINNESOTA,2017,May,Hail,"FILLMORE",2017-05-15 21:15:00,CST-6,2017-05-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,43.82,-92.08,43.82,-92.08,"A couple rounds of thunderstorms with large hail moved across portions of southeast Minnesota during the late evening hours of May 15th. These storms dropped the hail across portions of Dodge, Olmsted, Fillmore, Houston and Wabasha Counties. The largest reported hail size was 1.5 inches near Chester (Olmsted County).","" +115570,697387,KANSAS,2017,May,Flood,"GOVE",2017-05-11 04:00:00,CST-6,2017-05-11 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.0539,-100.4815,39.0546,-100.4814,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","The flood waters in Big Creek from west of Highway 23 continued east through the rest of the county, flooding county roads that crossed Big Creek. At 1:40 PM CST 8-10 inches of water 200-300 ft. across was reported over Castle Rock Road a quarter mile north of the CR W/Castle Rock intersection." +115570,697388,KANSAS,2017,May,Flash Flood,"LOGAN",2017-05-10 22:00:00,CST-6,2017-05-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0818,-101.1832,39.0823,-101.1831,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","Three to five inches fell near the intersection of CR 260 and Highway 25, with the higher amounts upstream from this location. Flooding from the heavy rainfall ran over CR 260 just north of this intersection." +115436,693159,IOWA,2017,May,Thunderstorm Wind,"BREMER",2017-05-15 17:44:00,CST-6,2017-05-15 17:44:00,0,0,0,0,1.00K,1000,0.00K,0,42.81,-92.26,42.81,-92.26,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","KWWL shared a public image of a downed tree in Tripoli due to strong winds. Time estimated via radar." +115436,693156,IOWA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 17:35:00,CST-6,2017-05-15 17:35:00,0,0,0,0,50.00K,50000,0.00K,0,42.74,-93.2,42.74,-93.2,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported traffic poles downed and roof damage. Reported via social media." +115436,693162,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:50:00,CST-6,2017-05-15 17:50:00,0,0,0,0,5.00K,5000,0.00K,0,42.76,-93.1,42.76,-93.1,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported and shared a picture of ping pong ball sized hail onto our Facebook page. This is a delayed report and time is estimated by radar. Report from social media." +116144,701914,OKLAHOMA,2017,May,Hail,"CHEROKEE",2017-05-19 19:27:00,CST-6,2017-05-19 19:27:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-95.2572,35.93,-95.2572,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,703482,OKLAHOMA,2017,May,Tornado,"PITTSBURG",2017-05-18 20:56:00,CST-6,2017-05-18 21:02:00,0,0,0,0,15.00K,15000,0.00K,0,34.8403,-95.9151,34.8439,-95.8338,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado snapped or uprooted numerous trees and blew down power lines. Based on this damage, maximum estimated wind in the tornado was 100 to 110 mph." +116213,698672,MISSOURI,2017,May,Strong Wind,"CAPE GIRARDEAU",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698674,MISSOURI,2017,May,Strong Wind,"MISSISSIPPI",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698673,MISSOURI,2017,May,Strong Wind,"CARTER",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +116213,698675,MISSOURI,2017,May,Strong Wind,"NEW MADRID",2017-05-17 09:00:00,CST-6,2017-05-17 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds occurred between a surface low pressure center over the central Plains and high pressure along the Southeast U.S. coast. Peak wind gusts were measured around 40 mph. The peak wind gust in southeast Missouri was 41 mph at the Cape Girardeau airport. A few large tree limbs and rotted trees were blown down. In the city of Cape Girardeau, a large tree limb was blown down. In Sikeston, one employee was killed and three residents were injured when a rotted tree fell on them at a retirement center. The tree fell on a picnic table that was used for taking breaks. The three injured residents were taken to a hospital for moderate injuries, consisting of back, ankle, and arm pain. One resident sustained fractured ribs.","" +115267,692022,ILLINOIS,2017,May,Thunderstorm Wind,"WILLIAMSON",2017-05-27 15:05:00,CST-6,2017-05-27 15:05:00,0,0,0,0,10.00K,10000,0.00K,0,37.62,-88.83,37.62,-88.83,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Numerous trees were blown down across the far southern part of the county near Creal Springs." +115267,692018,ILLINOIS,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-27 15:04:00,CST-6,2017-05-27 15:19:00,0,0,0,0,40.00K,40000,0.00K,0,37.37,-89.02,37.38,-88.75,"An organized severe weather outbreak affected southern Illinois with numerous damaging wind gusts and isolated large hail. Most of the damaging winds were south of the Marion-Carbondale area. The storms formed along and south of a stalled front that was over southern Illinois and southern Indiana. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri and southern Illinois in a very favorable environment for severe thunderstorms. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the Middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing mainly large hail. Multiple rounds of storms over the same locations also resulted in a few flooding issues.","Numerous trees were blown down in the county, especially the southern half of the county. Several trees were blown down on U.S. Route 45, blocking the road completely. Large tree limbs were down in the yard of a residence in Vienna, and four medium to large trees were down at a neighboring residence. Ten to fifteen shingles were blown off a house at Vienna. A few miles west of Vienna, trees were blown over a roadway. Other tree damage occurred between Vienna and Cypress. Within one-half mile of the Massac County line on U.S. Highway 45, large tree limbs were broken, and about a dozen shingles were blown off of a roof." +116192,698413,MISSOURI,2017,May,Flood,"RIPLEY",2017-05-01 00:00:00,CST-6,2017-05-06 21:00:00,0,0,0,0,4.70M,4700000,0.00K,0,36.7676,-90.9695,36.7731,-90.8748,"Record or near-record flooding occurred after a succession of thunderstorm complexes dumped heavy rain in late April, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms accelerated rises in area rivers, which were already above flood stage in some cases.","The Current River rose over six feet above the record flood level, set in 1904. Catastrophic flood damage occurred in Doniphan and surrounding riverbank areas. At the Doniphan river gage, the river crested at 33.13 feet about mid-morning on May 1. The old record crest was 26.80 feet set in March of 1904. The Highway 160 bridge over the Current River was closed. Much of the city of Doniphan was flooded, including about 40 businesses. Of those 40 businesses, 35 received major damage and two were destroyed. The others had minor damage. Approximately 15 homes were destroyed, another 37 homes received major damage, and 9 received minor damage. The Ripley County and Doniphan city government offices were flooded, knocking out 911 emergency telephone service to the county. Some of the flooded buildings were likely to be total losses. Water levels were estimated to be six feet deep in a church. At least a dozen water rescues were conducted by boat. Some of the rescues involved vehicles in high water, and others involved residents of flooded cabins. The Missouri State Highway Patrol conducted 12 water rescues at a location off Highway H at County Road 12. Public property damage alone was estimated at nearly two million dollars." +115262,692003,MISSOURI,2017,May,Thunderstorm Wind,"BUTLER",2017-05-20 04:15:00,CST-6,2017-05-20 04:15:00,0,0,0,0,35.00K,35000,0.00K,0,36.6965,-90.3724,36.6965,-90.3724,"Isolated wind damage occurred with a line of severe storms. Other storms produced hail up to the size of dimes. The storms occurred along a well-defined warm front that extended east-southeast from a low pressure system over eastern Kansas.","A section of metal roof was peeled off a house. A small detached garage partially collapsed. A couple of utility sheds were missing chunks of roof. A small radio tower was brought down. The damage occurred along Highway UU south of Highway 53." +116300,699255,ALABAMA,2017,May,Drought,"WALKER",2017-05-01 00:00:00,CST-6,2017-05-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during the month of May lowered the drought intensity to a D1 category." +116299,699267,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-24 12:59:00,EST-5,2017-05-24 14:09:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The Weatherflow site on the Folly Beach pier measured a 35 knot wind gust. The peak gust of 45 knots occurred 35 minutes later." +116307,699283,GEORGIA,2017,May,Hail,"MCINTOSH",2017-05-30 16:41:00,EST-5,2017-05-30 16:46:00,0,0,0,0,,NaN,0.00K,0,31.54,-81.52,31.54,-81.52,"An isolated thunderstorm developed along the southeast Georgia coast in the late afternoon hours. The storm moved to the northeast and produced large hail.","Local media relayed a public report of golf ball sized hail falling in Townsend." +116311,702466,INDIANA,2017,May,Thunderstorm Wind,"OWEN",2017-05-10 22:11:00,EST-5,2017-05-10 22:11:00,0,0,0,0,4.00K,4000,,NaN,39.34,-86.67,39.34,-86.67,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Trees were downed and blocking the road due to damaging thunderstorm wind gusts." +116168,698217,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:14:00,CST-6,2017-05-17 15:14:00,0,0,0,0,10.00K,10000,0.00K,0,41.5847,-93.7606,41.5847,-93.7606,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Emergency manager reported multiple trees and power lines down in West Des Moines along Ashworth Rd." +116168,698220,IOWA,2017,May,Thunderstorm Wind,"MADISON",2017-05-17 15:10:00,CST-6,2017-05-17 15:10:00,0,0,0,0,10.00K,10000,0.00K,0,41.5,-93.95,41.5,-93.95,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported tree trunks snapped." +116168,698229,IOWA,2017,May,Thunderstorm Wind,"POLK",2017-05-17 15:18:00,CST-6,2017-05-17 15:18:00,0,0,0,0,5.00K,5000,0.00K,0,41.63,-93.66,41.63,-93.66,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported 12 to 13 inch diameter tree snapped with branches in the street. Time estimated by radar." +118067,709624,NEW MEXICO,2017,August,Hail,"CURRY",2017-08-22 12:24:00,MST-7,2017-08-22 12:25:00,0,0,0,0,0.00K,0,0.00K,0,34.41,-103.2,34.41,-103.2,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","Hail up to the size of nickels in Clovis." +117402,709340,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:45:00,CST-6,2017-06-23 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.54,-100.51,31.54,-100.51,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","The Texas Tech Mesonet located 7 miles northwest of San Angelo measured a wind gust of of 69 mph." +120346,721060,GEORGIA,2017,September,Thunderstorm Wind,"CHATTOOGA",2017-09-05 14:20:00,EST-5,2017-09-05 14:40:00,0,0,0,0,4.00K,4000,,NaN,34.509,-85.4887,34.5008,-85.3305,"Thunderstorms developing along a cold front that pushed into north Georgia during the afternoon produced isolated reports wind damage across northwest and north-central Georgia.","The Chattooga County Emergency Manager reported a few trees and power lines blown down from highway 48 near Cloudland to Highway 27 north of Summerville." +117191,704877,MINNESOTA,2017,August,Thunderstorm Wind,"STEELE",2017-08-01 16:10:00,CST-6,2017-08-01 16:10:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-93.22,44.0676,-93.2064,"Thunderstorms developed Tuesday afternoon, August 1st, along a weak cold front in southern Minnesota. These storms were pulse type and limited the areal coverage of the severe weather. One storm that developed in Scott County, moved southeast and dropped golf ball size hail near New Prague. Another storm produced a downburst and caused several trees to blow down in Owatonna.","The local emergency manager reported several trees blown down around Owatonna." +114405,685811,MISSOURI,2017,April,Thunderstorm Wind,"RIPLEY",2017-04-20 16:13:00,CST-6,2017-04-20 16:13:00,0,0,0,0,35.00K,35000,0.00K,0,36.5979,-90.7534,36.5979,-90.7534,"A cluster of thunderstorms with locally damaging winds moved east-southeast across the Arkansas border counties during the late afternoon hours. The storms intensified as afternoon warming increased mixed-layer cape to around 1,500 j/kg. The combination of moderate instability and moderately strong deep-layer wind shear produced organized storm structures. A short bowing line of storms caused sporadic wind damage southeast of Doniphan. The storms formed ahead of a cold front that extended from central Illinois southwest across the Ozarks of Missouri.","Moderate damage occurred to three homes, mostly due to trees falling onto roofs. Another home received minor damage due to a power line weatherhead being pulled from the structure by a downed tree. Two vehicles were damaged by falling trees. One vehicle received minor damage, and the other was moderately damaged. Numerous trees were uprooted or snapped. The damage area was both north and south of Highway 142 near the intersection of County Road 24." +120346,721065,GEORGIA,2017,September,Thunderstorm Wind,"FULTON",2017-09-05 18:10:00,EST-5,2017-09-05 18:20:00,0,0,0,0,4.00K,4000,,NaN,33.5654,-84.5505,33.5654,-84.5505,"Thunderstorms developing along a cold front that pushed into north Georgia during the afternoon produced isolated reports wind damage across northwest and north-central Georgia.","The Fulton County 911 center reported large tree limbs and power lines blown down in the 7000 block of Goodson Road." +117443,706308,TEXAS,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-15 19:56:00,CST-6,2017-06-15 19:56:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-99.86,32.42,-99.86,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","A wind gust of 58 mph was reported at the Dyess Air Force Base ASOS." +117443,706309,TEXAS,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-15 20:10:00,CST-6,2017-06-15 20:10:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-99.86,32.42,-99.86,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","A wind gust of 62 mph was reported at the Dyess Air Force Base ASOS." +117443,706310,TEXAS,2017,June,Thunderstorm Wind,"COLEMAN",2017-06-15 21:15:00,CST-6,2017-06-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,31.84,-99.4,31.84,-99.4,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","A wind gust of 59 mph was reported at the Coleman Airport." +115156,691252,COLORADO,2017,April,Frost/Freeze,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-04-28 00:00:00,MST-7,2017-04-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Skies quickly cleared behind a departing low pressure system which resulted in overnight lows which plummeted below freezing in the west-central Colorado valleys.","Over half of the forecast zone had minimum temperatures down to 24 to 32 degrees F." +115160,691263,COLORADO,2017,April,Frost/Freeze,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-04-30 02:00:00,MST-7,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably cold temperatures occurred overnight under clear skies in the west-central Colorado valleys.","Over half of the zone had minimum temperatures down to 26 to 32 degrees F." +115160,691265,COLORADO,2017,April,Frost/Freeze,"GRAND VALLEY",2017-04-30 01:00:00,MST-7,2017-04-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably cold temperatures occurred overnight under clear skies in the west-central Colorado valleys.","Over half of the zone had minimum temperatures down to 27 to 32 degrees F. However, a location about 2 miles northwest of Grand Junction dropped down to 21 degrees." +115161,691267,COLORADO,2017,April,Frost/Freeze,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-04-29 01:30:00,MST-7,2017-04-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably cold temperatures occurred overnight under clear skies in some west-central Colorado valleys.","Over half of the zone had minimum temperatures down to 31 to 32 degrees F." +121606,727830,CALIFORNIA,2017,November,Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Afternoon highs were in the mid 90's. Riverside set a daily record with an afternoon high of 95 degrees. This highest temperature on record for this late in the year." +121606,728584,CALIFORNIA,2017,November,Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-11-23 11:00:00,PST-8,2017-11-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Afternoon highs were in the upper 80s and mid 90s. All of the climate sites in the zone set daily record high temperatures." +121606,728585,CALIFORNIA,2017,November,Heat,"SAN DIEGO COUNTY VALLEYS",2017-11-23 11:00:00,PST-8,2017-11-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","High temperatures in the afternoon reached the low to upper 90s." +121606,728586,CALIFORNIA,2017,November,Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-11-23 11:00:00,PST-8,2017-11-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Afternoon high temperatures were in the low to mid 90s. Riverside reached 94 degrees, the hottest temperature this late in the year since 1958." +113468,679252,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHERN PLYMOUTH",2017-02-09 10:30:00,EST-5,2017-02-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to fourteen inches of snow fell on Southern Plymouth County." +113468,679253,MASSACHUSETTS,2017,February,Winter Storm,"BARNSTABLE",2017-02-09 12:30:00,EST-5,2017-02-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Five to ten inches of snow fell on Barnstable County." +114775,690136,MISSOURI,2017,April,Flood,"CARTER",2017-04-29 21:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37,-91.02,36.9975,-91.0265,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","A record-breaking flood occurred on the Current River on the 30th. The river rose rapidly above flood stage, climbing about 30 feet in 30 hours. The river exceeded its highest level on record during the morning of the 30th. The old record was established in 1904. The river crested about 8 feet above the 1904 record as the month of April was closing out. Roads and bridges were closed, and many buildings were flooded in Van Buren." +116883,702735,OKLAHOMA,2017,May,Tornado,"BEAVER",2017-05-16 13:45:00,CST-6,2017-05-16 13:46:00,0,0,0,0,,NaN,,NaN,36.68,-100.71,36.681,-100.709,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Report of tornado on the ground 1 mile south and 2 miles west of Balko. Brief touchdown. Less than a minute." +116883,702736,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:00:00,CST-6,2017-05-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.82,36.62,-100.82,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +113468,679254,MASSACHUSETTS,2017,February,Winter Storm,"DUKES",2017-02-09 12:00:00,EST-5,2017-02-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Six inches of snow fell on Martha's Vineyard." +113471,679259,RHODE ISLAND,2017,February,Winter Storm,"SOUTHEAST PROVIDENCE",2017-02-09 10:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to twelve inches of snow fell on Southeast Providence County." +113471,679261,RHODE ISLAND,2017,February,Winter Storm,"EASTERN KENT",2017-02-09 09:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Eleven to fourteen inches of snow fell on Eastern Kent County." +116883,702737,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:02:00,CST-6,2017-05-16 14:02:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-100.6,36.81,-100.6,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Hen egg size hail reported." +113620,680502,TEXAS,2017,March,Hail,"SCURRY",2017-03-28 14:10:00,CST-6,2017-03-28 14:15:00,0,0,0,0,,NaN,,NaN,32.5776,-101.12,32.5776,-101.12,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116091,697752,WISCONSIN,2017,May,Thunderstorm Wind,"LA CROSSE",2017-05-17 16:04:00,CST-6,2017-05-17 16:04:00,0,0,0,0,12.00K,12000,0.00K,0,43.94,-91.3,43.94,-91.3,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down on Brice Prairie. One large tree fell on a camper and destroyed it." +116091,697757,WISCONSIN,2017,May,Thunderstorm Wind,"LA CROSSE",2017-05-17 16:07:00,CST-6,2017-05-17 16:07:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-91.26,43.96,-91.26,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 60 mph wind gust occurred in Holmen." +116091,697755,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:15:00,CST-6,2017-05-17 16:15:00,0,0,0,0,2.00K,2000,0.00K,0,44.07,-91.32,44.07,-91.32,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Pine trees were snapped east of Galesville." +116091,697760,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-17 16:27:00,CST-6,2017-05-17 16:27:00,0,0,0,0,2.00K,2000,0.00K,0,44.1,-91.12,44.1,-91.12,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down just north of North Bend." +114546,686960,TEXAS,2017,May,Hail,"CHILDRESS",2017-05-16 16:47:00,CST-6,2017-05-16 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.35,-100.07,34.38,-100.07,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","Penny to nickel size hail occurred from a supercell storm. Damage, if any, was not known." +114546,686961,TEXAS,2017,May,Hail,"CHILDRESS",2017-05-16 17:03:00,CST-6,2017-05-16 17:03:00,0,0,0,0,,NaN,,NaN,34.39,-100.07,34.39,-100.07,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","Law enforcment in Kirkland reported hail up to quarter size covering some roads to several inches deep. No information about possible damage was available." +114546,686962,TEXAS,2017,May,Hail,"KENT",2017-05-16 19:16:00,CST-6,2017-05-16 19:16:00,0,0,0,0,0.00K,0,0.00K,0,33.36,-100.75,33.36,-100.75,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","No damage accompanied the hail." +114546,686964,TEXAS,2017,May,Hail,"GARZA",2017-05-16 19:45:00,CST-6,2017-05-16 19:50:00,0,0,0,0,,NaN,0.00K,0,33.03,-101.2,33.05,-101.17,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","No damage information was available." +115887,696415,WISCONSIN,2017,May,Hail,"WAUPACA",2017-05-17 19:28:00,CST-6,2017-05-17 19:28:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-88.98,44.34,-88.98,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Quarter size hail fell east of Waupaca. The storm that produced the hail also brought heavy rain and gusty winds." +115887,696416,WISCONSIN,2017,May,Thunderstorm Wind,"WOOD",2017-05-17 12:57:00,CST-6,2017-05-17 12:57:00,0,0,0,0,5.00K,5000,0.00K,0,44.66,-90.16,44.66,-90.16,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds snapped power poles and caused some damage to nearby businesses in Marshfield." +115887,696417,WISCONSIN,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-17 14:08:00,CST-6,2017-05-17 14:08:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-89.82,45.63,-89.82,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed a couple of trees about 20 miles west of Rhinelander." +115887,696418,WISCONSIN,2017,May,Thunderstorm Wind,"MARATHON",2017-05-17 18:05:00,CST-6,2017-05-17 18:05:00,0,0,0,0,15.00K,15000,0.00K,0,44.97,-90.08,44.97,-90.08,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm downburst winds downed at least a dozen trees and heavily damaged a barn in western Marathon County. The downburst winds also carried a carport more than 200 feet." +115887,696420,WISCONSIN,2017,May,Thunderstorm Wind,"MARATHON",2017-05-17 18:07:00,CST-6,2017-05-17 18:07:00,0,0,0,0,5.00K,5000,0.00K,0,45.03,-90.08,45.03,-90.08,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds tipped over a semi trailer in Athens. The time of the event is estimated based on radar data." +115887,696421,WISCONSIN,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-17 18:30:00,CST-6,2017-05-17 18:30:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-89.68,45.17,-89.68,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm wind downed several trees just south of Merrill." +116606,704463,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:38:00,CST-6,2017-05-18 20:38:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-94.78,39.34,-94.78,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704464,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:39:00,CST-6,2017-05-18 20:39:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-94.72,39.29,-94.72,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704465,MISSOURI,2017,May,Hail,"CLAY",2017-05-18 20:55:00,CST-6,2017-05-18 20:58:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-94.58,39.39,-94.58,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704466,MISSOURI,2017,May,Hail,"CLAY",2017-05-18 20:56:00,CST-6,2017-05-18 20:56:00,0,0,0,0,0.00K,0,0.00K,0,39.38,-94.57,39.38,-94.57,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704467,MISSOURI,2017,May,Hail,"LAFAYETTE",2017-05-18 21:36:00,CST-6,2017-05-18 21:36:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-93.87,39.18,-93.87,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +112932,685315,TENNESSEE,2017,March,Flash Flood,"ANDERSON",2017-03-01 14:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.1006,-84.1879,36.12,-84.1927,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Flooding reported at the Ponderosa Zoo." +112730,675526,NEW JERSEY,2017,March,Thunderstorm Wind,"CAPE MAY",2017-03-01 15:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,,NaN,,NaN,39.14,-74.85,39.14,-74.85,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Measured wind gust, Property damage was also reported. Unknown amount." +112730,675527,NEW JERSEY,2017,March,Thunderstorm Wind,"CAPE MAY",2017-03-01 15:44:00,EST-5,2017-03-01 15:44:00,0,0,0,0,,NaN,,NaN,39.27,-74.6,39.27,-74.6,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Measured wind gust." +112730,675528,NEW JERSEY,2017,March,High Wind,"WESTERN ATLANTIC",2017-03-02 03:26:00,EST-5,2017-03-02 03:26:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Downed tree due to high wind on 206 near route 613 that blocked the road." +113013,675614,PENNSYLVANIA,2017,March,High Wind,"LEHIGH",2017-03-02 06:30:00,EST-5,2017-03-02 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds occurred across Eastern Pennsylvania as the pressure gradient tightened behind a frontal system. Over-sized vehicles were banned on several roads. Several hundred power outages were reported.","Downed trees and wires." +113013,675615,PENNSYLVANIA,2017,March,High Wind,"BERKS",2017-03-02 08:00:00,EST-5,2017-03-02 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds occurred across Eastern Pennsylvania as the pressure gradient tightened behind a frontal system. Over-sized vehicles were banned on several roads. Several hundred power outages were reported.","Downed tree at a residence." +112727,675711,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-03-01 15:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,,NaN,,NaN,38.78,-75.12,38.78,-75.12,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Nos buoy." +112728,675512,DELAWARE,2017,March,Thunderstorm Wind,"KENT",2017-03-01 14:53:00,EST-5,2017-03-01 14:53:00,0,0,0,0,,NaN,,NaN,39.16,-75.52,39.16,-75.52,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of Delaware. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At the Dover, DE Air Force Base, a wind gust of 76 MPH was recorded during the afternoon hours of March 1st. Behind the front wind gusts continued through the 2nd with Dover AFB recording a gust of 48 mph and Wilmington airport recording a gust of 47 mph during the morning hours.","Trees were downed due to thunderstorm winds on several roads in Dover." +112728,675513,DELAWARE,2017,March,Thunderstorm Wind,"KENT",2017-03-01 14:55:00,EST-5,2017-03-01 14:55:00,0,0,0,0,,NaN,,NaN,39.01,-75.58,39.01,-75.58,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of Delaware. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At the Dover, DE Air Force Base, a wind gust of 76 MPH was recorded during the afternoon hours of March 1st. Behind the front wind gusts continued through the 2nd with Dover AFB recording a gust of 48 mph and Wilmington airport recording a gust of 47 mph during the morning hours.","Trees downed due to thunderstorm winds onto a road in Felton. A roof was also ripped off on Carpenters Bridge road." +116144,703501,OKLAHOMA,2017,May,Tornado,"MUSKOGEE",2017-05-18 21:41:00,CST-6,2017-05-18 21:45:00,0,0,0,0,20.00K,20000,0.00K,0,35.6183,-95.2472,35.6551,-95.2053,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed east of S 75th St E and north of the E 965 Road. It moved east-northeast until crossing E 93rd St S where it turned northeast. The tornado then turned north as it crossed the N 4380 Road. The tornado uprooted trees, snapped numerous large tree limbs, damaged outbuildings, and blew down power poles. Based on this damage, maximum estimated wind in the tornado was 85 to 95 mph." +112854,675866,NEW JERSEY,2017,March,Winter Weather,"SOMERSET",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Spotters measured 1 to 3 inches of snow on grass." +112854,675868,NEW JERSEY,2017,March,Winter Weather,"WARREN",2017-03-10 08:00:00,EST-5,2017-03-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Snowfall was measured from 4 to 5 inches across the county." +116144,701573,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:33:00,CST-6,2017-05-18 20:33:00,0,0,0,0,0.00K,0,0.00K,0,36.0375,-95.9849,36.0375,-95.9849,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The ASOS at Tulsa R L Jones Riverside Airport measured 62 mph thunderstorm wind gusts." +116144,701574,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-18 20:35:00,CST-6,2017-05-18 20:35:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-96.08,36.23,-96.08,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +115140,691156,KENTUCKY,2017,May,Flash Flood,"CUMBERLAND",2017-05-27 21:02:00,CST-6,2017-05-27 21:02:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-85.37,36.7965,-85.3569,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","State officials received many reports of high water over many roadways across the county." +115140,691157,KENTUCKY,2017,May,Hail,"BOYLE",2017-05-27 14:40:00,EST-5,2017-05-27 14:40:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-84.83,37.65,-84.83,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","" +115140,691158,KENTUCKY,2017,May,Hail,"TAYLOR",2017-05-27 17:10:00,EST-5,2017-05-27 17:10:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-85.36,37.36,-85.36,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","" +115140,691159,KENTUCKY,2017,May,Hail,"TAYLOR",2017-05-27 17:42:00,EST-5,2017-05-27 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.35,37.35,-85.35,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","" +115140,691160,KENTUCKY,2017,May,Hail,"GREEN",2017-05-27 17:14:00,CST-6,2017-05-27 17:14:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-85.5,37.26,-85.5,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","" +116144,701909,OKLAHOMA,2017,May,Flash Flood,"CREEK",2017-05-19 18:38:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9211,-96.07,35.9145,-96.0694,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 75A were flooded between W 161st Street S and W 171st Street S." +116144,701910,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-19 18:45:00,CST-6,2017-05-19 18:45:00,0,0,0,0,0.00K,0,0.00K,0,35.9884,-95.9215,35.9884,-95.9215,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to near 60 mph." +116147,702078,OKLAHOMA,2017,May,Thunderstorm Wind,"PUSHMATAHA",2017-05-27 23:25:00,CST-6,2017-05-27 23:25:00,0,0,0,0,0.00K,0,0.00K,0,34.5886,-95.3571,34.5886,-95.3571,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were estimated to near 70 mph." +116147,702079,OKLAHOMA,2017,May,Thunderstorm Wind,"PUSHMATAHA",2017-05-27 23:31:00,CST-6,2017-05-27 23:31:00,0,0,0,0,0.00K,0,0.00K,0,34.5867,-95.3566,34.5867,-95.3566,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew down trees." +117042,703978,TEXAS,2017,May,Hail,"ZAPATA",2017-05-21 17:11:00,CST-6,2017-05-21 17:15:00,0,0,0,0,0.00K,0,0.00K,0,26.9,-99.23,26.9,-99.23,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Public reported via social media quarter size hail in the city of Zapata." +116147,702081,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-27 23:41:00,CST-6,2017-05-27 23:41:00,0,0,0,0,0.00K,0,0.00K,0,34.7107,-94.9173,34.7107,-94.9173,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were estimated to 60 mph." +116147,702082,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-27 23:45:00,CST-6,2017-05-27 23:45:00,0,0,0,0,2.00K,2000,0.00K,0,34.6925,-94.8852,34.6925,-94.8852,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were measured to 78 mph. Trees and power lines were blown down." +116147,702083,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-27 23:50:00,CST-6,2017-05-27 23:50:00,0,0,0,0,0.00K,0,0.00K,0,34.7519,-95.0446,34.7519,-95.0446,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were estimated to 60 mph." +116624,704307,GEORGIA,2017,May,Thunderstorm Wind,"DE KALB",2017-05-28 05:20:00,EST-5,2017-05-28 05:30:00,0,0,0,0,1.00K,1000,,NaN,33.7274,-84.2607,33.7274,-84.2607,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The police department reported a large tree blown down along Barbara Lane." +116624,704305,GEORGIA,2017,May,Thunderstorm Wind,"FULTON",2017-05-28 05:03:00,EST-5,2017-05-28 05:20:00,0,0,0,0,25.00K,25000,,NaN,33.7846,-84.3857,33.7762,-84.3753,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The local broadcast media reported trees blown down in Atlanta. One fell onto the 12th Street West Apartment Homes on 12th Street between West Peachtree Walk and Crescent Avenue another fell onto a truck on 6th Street at Durant Place. No injuries were reported." +115202,694979,OKLAHOMA,2017,May,Flash Flood,"PONTOTOC",2017-05-19 18:55:00,CST-6,2017-05-19 21:55:00,0,0,0,0,0.00K,0,0.00K,0,34.8788,-96.8672,34.884,-96.8779,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Creeks were outside of their banks. Water was starting to flow over roads." +113254,677670,TENNESSEE,2017,January,Winter Weather,"TIPTON",2017-01-06 04:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two to three inches of snow fell." +115202,694982,OKLAHOMA,2017,May,Flash Flood,"COTTON",2017-05-19 19:21:00,CST-6,2017-05-19 22:21:00,0,0,0,0,0.00K,0,0.00K,0,34.3469,-98.3192,34.3643,-98.3175,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Street flooding was in the city of Walters." +115202,694983,OKLAHOMA,2017,May,Thunderstorm Wind,"PONTOTOC",2017-05-19 19:24:00,CST-6,2017-05-19 19:24:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-96.65,34.77,-96.65,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Power pole downed." +115202,694984,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-19 19:30:00,CST-6,2017-05-19 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-97.14,34.31,-97.14,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +117017,703830,NEW YORK,2017,May,Hail,"ONONDAGA",2017-05-18 17:36:00,EST-5,2017-05-18 17:46:00,0,0,0,0,5.00K,5000,0.00K,0,43.25,-76.18,43.25,-76.18,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A severe thunderstorm developed over the area and produced golf ball sized hail." +117017,703832,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 16:49:00,EST-5,2017-05-18 16:59:00,0,0,0,0,5.00K,5000,0.00K,0,42.78,-76.53,42.78,-76.53,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and caused structural damage." +117017,703833,NEW YORK,2017,May,Thunderstorm Wind,"MADISON",2017-05-18 16:55:00,EST-5,2017-05-18 17:05:00,0,0,0,0,7.00K,7000,0.00K,0,42.76,-75.89,42.76,-75.89,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over several trees and power line poles." +117017,703834,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 17:10:00,EST-5,2017-05-18 17:20:00,0,0,0,0,2.00K,2000,0.00K,0,42.75,-76.47,42.75,-76.47,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a telephone pole." +117017,703835,NEW YORK,2017,May,Thunderstorm Wind,"MADISON",2017-05-18 17:22:00,EST-5,2017-05-18 17:32:00,0,0,0,0,4.00K,4000,0.00K,0,42.85,-75.73,42.85,-75.73,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked down multiple power lines." +115298,695493,ILLINOIS,2017,May,Thunderstorm Wind,"MASON",2017-05-10 17:28:00,CST-6,2017-05-10 17:33:00,0,0,0,0,30.00K,30000,0.00K,0,40.37,-89.82,40.37,-89.82,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Several trees were blown down." +115298,695494,ILLINOIS,2017,May,Thunderstorm Wind,"MASON",2017-05-10 17:30:00,CST-6,2017-05-10 17:35:00,0,0,0,0,60.00K,60000,0.00K,0,40.42,-89.77,40.42,-89.77,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Numerous trees were blown down." +115298,695495,ILLINOIS,2017,May,Thunderstorm Wind,"MORGAN",2017-05-10 17:33:00,CST-6,2017-05-10 17:38:00,0,0,0,0,150.00K,150000,0.00K,0,39.8,-90.25,39.8,-90.25,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Several trees, roofs, and power poles were damaged." +113256,677651,MISSISSIPPI,2017,January,Winter Weather,"TUNICA",2017-01-06 02:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +115298,695498,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 17:55:00,CST-6,2017-05-10 18:00:00,0,0,0,0,70.00K,70000,0.00K,0,39.77,-89.95,39.77,-89.95,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Power poles were blown down." +115745,695649,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 16:53:00,CST-6,2017-05-26 17:03:00,0,0,0,0,2.80M,2800000,0.00K,0,40.38,-87.67,40.38,-87.67,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Extensive tree damage occurred across Rossville due to wind gusts of 80-90mph. Many homes and cars were damaged due to falling trees and tree branches. Numerous power poles and power lines were blown down and a few street lights were broken." +115745,695651,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 16:52:00,CST-6,2017-05-26 16:57:00,0,0,0,0,15.00K,15000,0.00K,0,40.3261,-87.6595,40.3261,-87.6595,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Trees were snapped near Illinois Route 1 south of 3200 N Road." +115745,695654,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 16:54:00,CST-6,2017-05-26 16:59:00,0,0,0,0,45.00K,45000,0.00K,0,40.4,-87.7,40.4,-87.7,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","A pole barn was destroyed, with its roof and walls being blown about 300 yards to the southwest into a field. A tree was snapped in half." +115745,695657,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 17:00:00,CST-6,2017-05-26 17:05:00,0,0,0,0,65.00K,65000,0.00K,0,40.38,-87.632,40.38,-87.632,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","A farmstead had an outbuilding destroyed and several trees damaged." +113398,679182,TENNESSEE,2017,April,Hail,"FRANKLIN",2017-04-05 17:00:00,CST-6,2017-04-05 17:00:00,0,0,0,0,,NaN,,NaN,35.12,-86.06,35.12,-86.06,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported." +113397,679186,ALABAMA,2017,April,Hail,"MADISON",2017-04-05 15:40:00,CST-6,2017-04-05 15:40:00,0,0,0,0,,NaN,,NaN,34.73,-86.56,34.73,-86.56,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Hail of 3/4 inch diameter was reported." +113397,679187,ALABAMA,2017,April,Hail,"MADISON",2017-04-05 15:54:00,CST-6,2017-04-05 15:54:00,0,0,0,0,,NaN,,NaN,34.77,-86.48,34.77,-86.48,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Nickel sized hail was reported in Ryland." +113397,679196,ALABAMA,2017,April,Hail,"JACKSON",2017-04-05 18:23:00,CST-6,2017-04-05 18:23:00,0,0,0,0,,NaN,,NaN,34.68,-85.85,34.68,-85.85,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Dime sized hail was reported in Pisgah." +113397,679197,ALABAMA,2017,April,Hail,"DEKALB",2017-04-05 18:25:00,CST-6,2017-04-05 18:25:00,0,0,0,0,,NaN,,NaN,34.53,-85.63,34.53,-85.63,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported on CR-89 with about a 3 minute duration." +114056,683065,TENNESSEE,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-30 13:59:00,CST-6,2017-04-30 13:59:00,0,0,1,0,,NaN,,NaN,35.13,-86.52,35.13,-86.52,"A squall line tracked east-northeast through middle Tennessee during the afternoon hours. As the line of storms moved through Lincoln County, one individual was killed by a falling tree in Fayetteville.","A female was killed by a fallen tree onto a vehicle in the driveway of their residence on Rambo Road in Fayetteville." +114272,684609,ALABAMA,2017,April,Thunderstorm Wind,"DEKALB",2017-04-29 13:59:00,CST-6,2017-04-29 13:59:00,0,0,0,0,,NaN,,NaN,34.4925,-85.8343,34.4925,-85.8343,"An isolated severe thunderstorms knocked trees down in DeKalb County.","Thunderstorm winds knocked trees down at a residence at 105 Lee Street. One of the trees fell on the home." +113805,684621,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-22 16:40:00,CST-6,2017-04-22 16:55:00,0,0,0,0,,NaN,,NaN,34.2538,-87.0909,34.2065,-87.0362,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","A National Weather Service and Emergency Management surve team found a large swath of straight-line wind damage in the Battleground area. Significant soft and hardwood tree damage was noted near CR 1082, CR 1055, and CR 1087. Damage appeared to track south of Jones Valley through CR 988. The wind swath was approximately 1.5 to 2 miles in width and maximum wind speeds were estimated at 105 mph as 2 large barn structures were completely destroyed near CR 1087. Nearly all damage was oriented to the east-southeast, which was the general storm motion." +113805,684622,ALABAMA,2017,April,Hail,"FRANKLIN",2017-04-22 14:55:00,CST-6,2017-04-22 14:55:00,0,0,0,0,,NaN,,NaN,34.5,-87.84,34.5,-87.84,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Quarter sized hail was reported." +116977,703528,INDIANA,2017,May,Tornado,"WHITE",2017-05-20 18:35:00,EST-5,2017-05-20 18:39:00,0,0,0,0,0.00K,0,0.00K,0,40.6566,-87.0975,40.6599,-87.0873,"A warm front was located across portions of northwestern Indiana with unstable conditions south of the boundary. An area of thunderstorms developed just north of the front, with one thunderstorms showing supercell characteristics. This storm produced a brief tornado near the Benton/White county line.","Spotter reports as well as video footage confirm a tornado touched down near the Benton/White county line and tracked slowly east into White County. The tornado remained over open fields in Benton County and caused damage at a property on the eastern side of the White county line along North County Road 1200 East. A trailer was shoved 15 to 20 feet, along with a fishing boat being flipped roughly 30 feet from its starting location. A wooden outbuilding was destroyed along with a steel patio chair being thrown about a third of a mile. The tornado made a turn to the left near the end of its life, missing a wind turbine and eventually roping out. The tornado was on the ground for roughly 5 minutes with a maximum width of 50 yards and estimated wind speeds of around 75 mph. The tornado was on the ground for roughly three quarters of a mile from start to finish, with a tenth of a mile taking place in Benton county." +117247,705202,LOUISIANA,2017,May,Tornado,"LAFOURCHE",2017-05-30 15:39:00,CST-6,2017-05-30 15:39:00,0,0,0,0,0.00K,0,0.00K,0,29.2705,-90.1965,29.2705,-90.1965,"An upper level disturbance moving across the region combined with a weak surface boundary to produce isolated severe thunderstorms and a couple of tornadoes along the southeast Louisiana coast.","Several reports and photos received through media of tornado just east of Leeville. Lack of access and no discernible damage prevented the NWS from assigning an EF scale rating." +117095,704473,INDIANA,2017,May,Thunderstorm Wind,"HUNTINGTON",2017-05-26 21:45:00,EST-5,2017-05-26 21:46:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-85.62,40.95,-85.62,"Diffuse warm front was lifting slowly north ahead of a MCV moving out of Illinois. This increased effective shear into the range of 50 to 60 knots with a strengthening low level jet aiding in development and intensification of some of the storms.","The public reported multiple trees were snapped or uprooted. The siding of a home was damaged due to tree debris. In addition, nearby barns suffered roof damage." +116759,703210,OHIO,2017,May,Thunderstorm Wind,"PAULDING",2017-05-18 17:25:00,EST-5,2017-05-18 17:27:00,0,0,0,0,0.00K,0,0.00K,0,41.0201,-84.6406,41.0198,-84.5896,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","A survey of damage near Haviland revealed an intense microburst impacted farmland in the area of State Route 114 between Roads 79 and 87. Several swaths of damage occurred with wind speeds in the 80 to 85 mph range. The southernmost swath impacted a 70 foot by 140 foot pole barn, destroying it and carrying debris up to 2 miles to the southeast. A lack of strong anchoring (which is typical for this region) contributed to the destruction and subsequent lowered wind speeds (SBO-8). A grain elevator system collapsed partially. No other structure damage was noted to several other buildings on the property. To the immediate east of the microburst impact and also towards the northeast numerous power poles were snapped in groups of 15 to 20, along Road 107. Recent wet ground, older wood and harmonics of the poles and wires moving. A farm near the intersection of Road 107 and SR 114 suffered no damage to any buildings. Wind speeds are estimated between 80 and 85 mph. The line noted in this entry is the estimated center point of the swath of damage." +117017,703828,NEW YORK,2017,May,Hail,"ONONDAGA",2017-05-18 16:52:00,EST-5,2017-05-18 17:02:00,0,0,0,0,5.00K,5000,0.00K,0,43.25,-76.18,43.25,-76.18,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A severe thunderstorm developed over the area and produced golf ball sized hail." +117025,703861,NEW YORK,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-31 15:36:00,EST-5,2017-05-31 15:46:00,0,0,0,0,1.00K,1000,0.00K,0,43.16,-75.33,43.16,-75.33,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree." +116752,705057,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-26 18:50:00,MST-7,2017-05-26 18:50:00,0,0,0,0,,NaN,,NaN,39.39,-101.81,39.39,-101.81,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","NWS Goodland employee reported an estimated 65 mph wind gust." +114111,683297,LOUISIANA,2017,April,Tornado,"SABINE",2017-04-02 14:07:00,CST-6,2017-04-02 14:23:00,0,0,0,0,50.00K,50000,0.00K,0,31.3077,-93.5838,31.4,-93.457,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","An EF-1 tornado with maximum estimated winds of 95-105 mph touched down along Hog Heaven Road in extreme Southwest Sabine Parish, crossing Ferguson Road while traveling across the heavily wooded areas before crossing Highway 191 near Prospect Road. Numerous trees were snapped and uprooted, with the roof of a double-wide manufactured home torn off and a nearby outbuilding destroyed. The tornado paralleled Prospect Road, where it was strongest between Victoria Road and Wren Lane. This tornado crossed Clearwater Road and eventually Prospect Road once again, and Fred Vogle Road, before traveling across the heavily wooded areas east of Prospect Road. Several additional trees were snapped and uprooted along and north of Gandy Road, before the tornado finally lifted just shy of Highway 171 just south of Florien." +113391,678465,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-26 14:51:00,MST-7,2017-03-26 14:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moving over the region resulted in high winds in the Guadalupe Mountains.","" +113391,678467,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-26 11:57:00,MST-7,2017-03-26 15:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moving over the region resulted in high winds in the Guadalupe Mountains.","" +114393,685605,UTAH,2017,January,Winter Storm,"LA SAL & ABAJO MOUNTAINS",2017-01-19 10:00:00,MST-7,2017-01-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in significant to heavy snowfall for many areas in east-central and southeast Utah.","Snowfall amounts of 10 to 20 inches were measured across the area. Locally higher amounts included 27 inches at the Camp Jackson SNOTEL site in the Abajo Mountains." +114381,685418,COLORADO,2017,January,Winter Weather,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-01-22 07:00:00,MST-7,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 7 to 11 inches were measured across the area." +113390,678470,NEW MEXICO,2017,March,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-03-26 12:13:00,MST-7,2017-03-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moving over the region resulted in high winds in the Guadalupe Mountains.","" +113387,678473,TEXAS,2017,March,High Wind,"VAN HORN & HWY 54 CORRIDOR",2017-03-23 13:00:00,CST-6,2017-03-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","" +113395,678495,NEW MEXICO,2017,March,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-03-31 13:00:00,MST-7,2017-03-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper trough resulted in high winds in the Guadalupe Mountains.","" +113582,679887,TEXAS,2017,March,Thunderstorm Wind,"CULBERSON",2017-03-11 17:21:00,CST-6,2017-03-11 17:21:00,0,0,0,0,,NaN,,NaN,31.88,-104.2375,31.88,-104.2375,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","A thunderstorm moved across Culberson County and produced a 60 mph wind gust about 33 miles east of Pine Springs." +113582,679889,TEXAS,2017,March,Hail,"MIDLAND",2017-03-11 20:35:00,CST-6,2017-03-11 20:40:00,0,0,0,0,,NaN,,NaN,31.9612,-102.1904,31.9612,-102.1904,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","" +113582,679890,TEXAS,2017,March,Thunderstorm Wind,"REEVES",2017-03-11 20:35:00,CST-6,2017-03-11 20:35:00,0,0,0,0,,NaN,,NaN,31.3911,-103.48,31.3911,-103.48,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","A thunderstorm moved across Reeves County and produced a 68 mph wind gust two miles south of Pecos." +113582,679892,TEXAS,2017,March,Flash Flood,"REEVES",2017-03-11 20:26:00,CST-6,2017-03-11 20:56:00,0,0,0,0,5.00K,5000,0.00K,0,31.4192,-103.5074,31.4028,-103.5103,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","A thunderstorm moved across Reeves County and produced flash flooding in Pecos. Vehicles were stalled due to the flooding. The cost of damage is a very rough estimate." +113612,680129,TEXAS,2017,March,Tornado,"BREWSTER",2017-03-19 15:19:00,CST-6,2017-03-19 15:21:00,0,0,0,0,0.00K,0,0.00K,0,30.3874,-103.6677,30.3891,-103.6649,"Very warm temperatures were present across the area along with good low-level moisture. There was good instability in the atmosphere and low-level upslope flow along the Davis Mountains. These conditions lead to the development of a landspout near Alpine.","A thunderstorm moved across Brewster County and produced a landspout just north of Alpine. There was no damage and the exact location, path width, and path length were estimated." +114177,683848,WISCONSIN,2017,April,Lightning,"ST. CROIX",2017-04-14 10:30:00,CST-6,2017-04-14 10:30:00,2,0,0,0,0.00K,0,0.00K,0,45.0356,-92.6313,45.0356,-92.6313,"A bolt of lightning struck two individual in Hudson, Wisconsin while they placed outside. The two were taken to a local hospital where their burns were treated.","Two individuals were struck by lightning as they were playing outside. Both sustained burns to their chest and backs." +114544,686941,UTAH,2017,February,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-02-27 05:00:00,MST-7,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous storm system brought significant snow amounts to some mountain areas in eastern Utah.","Snowfall amounts of 4 to 6 inches were measured across the area." +114544,686940,UTAH,2017,February,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-02-26 21:00:00,MST-7,2017-02-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous storm system brought significant snow amounts to some mountain areas in eastern Utah.","Snowfall amounts of 5 to 11 inches were measured across the area." +114543,686953,COLORADO,2017,February,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-26 22:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Widespread snowfall amounts of 10 to 20 inches were measured across the area. Locally higher amounts included 36 inches at the Schofield Pass SNOTEL site." +114543,686951,COLORADO,2017,February,Winter Storm,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-02-27 01:00:00,MST-7,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 8 to 20 inches of snow fell across the area. Locally higher amounts included 23 inches at the Black Mesa SNOTEL site. Wind gusts of 20 to 35 mph resulted in areas of blowing and drifting snow. Even stronger winds were measured on ridgetops with a peak gust of 70 mph on Eagle Mountain." +112887,674496,KENTUCKY,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-01 07:11:00,CST-6,2017-03-01 07:11:00,0,0,0,0,45.00K,45000,0.00K,0,36.67,-86.54,36.67,-86.54,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Simpson County Emergency Manager reported multiple power poles down around Tyree Chapel Road at Hendricks Road." +114381,685419,COLORADO,2017,January,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-01-22 07:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 4 to 5 inches were measured across the area." +114382,685421,UTAH,2017,January,Winter Storm,"LA SAL & ABAJO MOUNTAINS",2017-01-22 07:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 6 to 14 inches were measured across the area." +114382,685423,UTAH,2017,January,Winter Storm,"EASTERN UINTA MOUNTAINS",2017-01-22 08:00:00,MST-7,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 6 to 16 inches were measured across the area." +114382,685424,UTAH,2017,January,Winter Storm,"TAVAPUTS PLATEAU",2017-01-22 16:00:00,MST-7,2017-01-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Around a foot of snow was measured in the zone, including 13 inches at the East Willow Creek SNOTEL site." +112887,674472,KENTUCKY,2017,March,Thunderstorm Wind,"NELSON",2017-03-01 07:25:00,EST-5,2017-03-01 07:25:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-85.32,37.92,-85.32,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported trees uprooted due to severe thunderstorm winds." +112887,674481,KENTUCKY,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,150.00K,150000,0.00K,0,38.27,-84.81,38.27,-84.81,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Franklin County Emergency Manager reported multiple roofs off homes and damage to farm structures in the Peaks Mill Community." +114381,685415,COLORADO,2017,January,Winter Storm,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-01-22 07:00:00,MST-7,2017-01-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Generally 10 to 20 inches of snow fell across the area. Wind gusts of 20 to 30 mph produced areas of blowing and drifting snow especially over the higher passes. Highway 550 at Red Mountain Pass and Highway 145 over Lizard Head Pass were closed for much of the duration of the storm." +114381,685417,COLORADO,2017,January,Winter Storm,"GRAND AND BATTLEMENT MESAS",2017-01-22 09:00:00,MST-7,2017-01-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 8 to 16 inches were measured across the area. On the evening of the 24th an isolated band of heavy snow showers set up between the town of Mesa and Powderhorn Ski Resort which produced 6 to 9 inches of snow within 12 hours." +114381,685406,COLORADO,2017,January,Winter Weather,"UPPER YAMPA RIVER BASIN",2017-01-22 20:00:00,MST-7,2017-01-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 6 to 10 inches were measured mainly in the Steamboat Springs area northward to Clark." +114381,685413,COLORADO,2017,January,Winter Storm,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-01-22 22:00:00,MST-7,2017-01-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Generally 6 to 12 inches of snow fell across the area. Locally higher amounts included 20 inches near Dolores." +114381,685420,COLORADO,2017,January,Winter Weather,"ANIMAS RIVER BASIN",2017-01-22 22:00:00,MST-7,2017-01-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 4 to 6 inches and locally higher amounts to 8 inches were measured within the zone." +114381,685410,COLORADO,2017,January,Winter Weather,"ROAN AND TAVAPUTS PLATEAUS",2017-01-23 21:00:00,MST-7,2017-01-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts around 6 inches were measured over Douglas Pass." +114407,685827,UTAH,2017,February,Dense Fog,"EASTERN UINTA BASIN",2017-02-03 07:00:00,MST-7,2017-02-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Increasing low level moisture resulted in the formation of dense fog across a portion of the eastern Uinta Basin.","Dense fog occurred across portions of the eastern Uinta Basin as visibilities dropped down to a quarter mile or less." +114102,683269,UTAH,2017,January,Dense Fog,"EASTERN UINTA BASIN",2017-01-13 19:00:00,MST-7,2017-01-13 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An increase in low level moisture led to areas of dense fog that formed in the eastern Uinta Basin.","Dense fog occurred across portions of the eastern Uinta Basin as visibilities in some locations dropped to a quarter mile or less." +114410,685851,COLORADO,2017,February,Winter Weather,"FLATTOP MOUNTAINS",2017-02-06 12:00:00,MST-7,2017-02-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Generally 3 to 8 inches of snow fell across the area. Locally higher amounts included 14 inches at the Bison Lake SNOTEL site. Wind gusts of 20 to 45 mph resulted in areas of blowing and drifting snow." +114410,685852,COLORADO,2017,February,Winter Weather,"ROAN AND TAVAPUTS PLATEAUS",2017-02-06 12:00:00,MST-7,2017-02-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Although only light snowfall was reported, wind gusts of 25 to 40 mph resulted in areas of blowing and drifting snow, especially over Douglas Pass." +114411,685862,COLORADO,2017,February,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-02-12 05:00:00,MST-7,2017-02-12 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lingering moisture from a recent winter storm remained trapped under a low-level inversion and resulted in the formation of dense fog across portions of the upper and central Yampa River Basins.","Widespread dense fog occurred across the area as visibilities dropped down to a quarter mile or less." +114511,686742,IOWA,2017,April,Hail,"PLYMOUTH",2017-04-15 18:39:00,CST-6,2017-04-15 18:41:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-96.57,42.72,-96.57,"Large hail was produced across portions of northwest Iowa as thunderstorms moved out of southeast South Dakota and northeast Nebraska. Overall, the storms impacted a very small area.","Ground was white with hail completely covering it. Most hailstones were smaller, but there were some stones up to the size of quarters." +114512,686738,SOUTH DAKOTA,2017,April,Hail,"YANKTON",2017-04-15 17:33:00,CST-6,2017-04-15 17:36:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-97.27,42.88,-97.27,"Large hail fell from widely scattered thunderstorms that developed over the area early during the evening hours. Overall, the storms impacted a small portion of the area.","Hail was brief in nature and occurred with very heavy rain." +114411,685864,COLORADO,2017,February,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-02-12 05:00:00,MST-7,2017-02-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lingering moisture from a recent winter storm remained trapped under a low-level inversion and resulted in the formation of dense fog across portions of the upper and central Yampa River Basins.","Dense fog occurred across portions of the upper Yampa River Basin as visibilities dropped down to a quarter mile or less." +114415,685897,COLORADO,2017,February,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-02-13 20:00:00,MST-7,2017-02-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again produced areas of dense fog in some western Colorado valleys.","Dense fog occurred across portions of the upper Yampa River Basin as visibilities dropped down to a quarter mile or less." +114415,685898,COLORADO,2017,February,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-02-14 07:00:00,MST-7,2017-02-14 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again produced areas of dense fog in some western Colorado valleys.","Dense fog occurred across portions of the central Yampa River Basin as visibilities dropped down to a quarter mile or less." +113671,683240,COLORADO,2017,January,Dense Fog,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-01-01 00:00:00,MST-7,2017-01-01 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed in the Four Corners region as low level moisture remained trapped under a surface-based inversion.","Dense fog occurred across portions of the upper Dolores River Basin as visibilities dropped down to a quarter mile." +113672,680362,UTAH,2017,January,Dense Fog,"SOUTHEAST UTAH",2017-01-01 01:00:00,MST-7,2017-01-01 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed in the Four Corners region as low level moisture remained trapped under a surface-based inversion.","Dense fog occurred across southeast corner of Utah as visibilities dropped down to a quarter mile or less." +114101,704781,COLORADO,2017,January,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-01-13 19:00:00,MST-7,2017-01-13 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abundance of low-level moisture over snow-covered valley floors resulted in the formation of dense fog in portions of the Grand Valley and up the Colorado River Valley to the Silt area.","Dense fog occurred across portions of the upper Yampa River Basin as visibilities dropped to a quarter mile or less." +114097,683247,COLORADO,2017,January,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-01-10 23:00:00,MST-7,2017-01-12 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific trough in a series of storms moved through the area and produced significant to heavy snowfall in most mountain areas and in some higher elevation valleys.","Snow showers across the area resulted in slick, snowpacked roads and periods of reduced visibilities. This led to numerous travel impacts with several chain laws going into effect." +114097,683253,COLORADO,2017,January,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-10 21:00:00,MST-7,2017-01-12 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific trough in a series of storms moved through the area and produced significant to heavy snowfall in most mountain areas and in some higher elevation valleys.","Generally 3 to 5 inches of snow fell across the area with locally higher amounts that included 9 inches at the Vail Mountain SNOTEL site." +114097,683242,COLORADO,2017,January,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-01-10 21:00:00,MST-7,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific trough in a series of storms moved through the area and produced significant to heavy snowfall in most mountain areas and in some higher elevation valleys.","Generally 10 to 20 inches of snow fell across the area with locally higher amounts that included 28 inches at the Tower SNOTEL site." +114097,683248,COLORADO,2017,January,Winter Storm,"FLATTOP MOUNTAINS",2017-01-10 22:00:00,MST-7,2017-01-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific trough in a series of storms moved through the area and produced significant to heavy snowfall in most mountain areas and in some higher elevation valleys.","Snowfall amounts of 6 to 16 inches were measured across the area. Strong winds accompanied snow showers and resulted in areas of blowing snow and drifting snow. A peak wind gust of 66 mph was clocked at the Storm King RAWS site." +114097,683251,COLORADO,2017,January,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-01-10 23:00:00,MST-7,2017-01-12 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific trough in a series of storms moved through the area and produced significant to heavy snowfall in most mountain areas and in some higher elevation valleys.","Snowfall amounts of 8 to 18 inches were measured across the area. Windy conditions accompanied the snowfall and resulted in areas of blowing and drifting snow. A peak gust of 52 mph was measured by the Salida Mountain automated station near Monarch Pass." +113676,680376,COLORADO,2017,January,Winter Storm,"CENTRAL YAMPA RIVER BASIN",2017-01-02 09:00:00,MST-7,2017-01-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front brought a quick shot of significant to heavy snowfall to the northwest Colorado mountains and also to the Central Yampa River Basin.","Numerous measurements of 10 to 20 inches of new snowfall were reported across the zone." +113676,680377,COLORADO,2017,January,Winter Weather,"FLATTOP MOUNTAINS",2017-01-02 10:00:00,MST-7,2017-01-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front brought a quick shot of significant to heavy snowfall to the northwest Colorado mountains and also to the Central Yampa River Basin.","Snowfall amounts of 8 to 14 inches were measured across the area." +114541,686936,COLORADO,2017,February,Winter Weather,"FLATTOP MOUNTAINS",2017-02-22 09:00:00,MST-7,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and surface cold front produced significant snowfall in some mountain areas within western Colorado.","Snowfall amounts of 4 to 8 inches were measured across the area." +114541,686938,COLORADO,2017,February,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-02-23 02:00:00,MST-7,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and surface cold front produced significant snowfall in some mountain areas within western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the aarea." +114541,686937,COLORADO,2017,February,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-02-22 07:00:00,MST-7,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and surface cold front produced significant snowfall in some mountain areas within western Colorado.","Generally 6 to 10 inches of snow fell across the area. Locally higher amounts included 13 inches at the Steamboat Springs Ski Area." +114541,686939,COLORADO,2017,February,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-22 20:00:00,MST-7,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and surface cold front produced significant snowfall in some mountain areas within western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the area." +114542,686935,UTAH,2017,February,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-02-21 21:00:00,MST-7,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and surface cold front brought significant snowfall to the eastern Uinta Mountains.","Snowfall amounts of 6 to 11 inches were measured across the area." +114543,686942,COLORADO,2017,February,Winter Weather,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-02-27 22:30:00,MST-7,2017-02-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Snowfall amounts of 1 to 3 inches were measured across the area." +114543,686952,COLORADO,2017,February,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-02-27 19:30:00,MST-7,2017-02-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Snowfall amounts of 3 to 5 inches were measured across the area." +113681,680455,UTAH,2017,January,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-01-04 01:00:00,MST-7,2017-01-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through eastern Utah which produced significant snowfall amounts in the mountains.","Snowfall amounts of 6 to 9 inches were measured across the area. Locally higher amounts included 17 inches at the Mosby Mountain SNOTEL site." +113681,680456,UTAH,2017,January,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-01-04 14:00:00,MST-7,2017-01-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through eastern Utah which produced significant snowfall amounts in the mountains.","Snowfall amounts of 7 to 14 inches were measured across the area." +113693,680521,UTAH,2017,January,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-01-08 04:00:00,MST-7,2017-01-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow brought significant snowfall to the La Sal and Abajo Mountains.","Snowfall amounts of 6 to 11 inches were measured across the area." +113620,681082,TEXAS,2017,March,Thunderstorm Wind,"SCURRY",2017-03-28 19:40:00,CST-6,2017-03-28 19:40:00,0,0,0,0,,NaN,,NaN,32.72,-100.8484,32.72,-100.8484,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Scurry County and produced a 61 mph wind gust three miles east of Snyder." +113620,681084,TEXAS,2017,March,Hail,"SCURRY",2017-03-28 14:09:00,CST-6,2017-03-28 14:14:00,0,0,0,0,,NaN,,NaN,32.6279,-100.88,32.6279,-100.88,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,681470,TEXAS,2017,March,Tornado,"MITCHELL",2017-03-28 19:50:00,CST-6,2017-03-28 19:56:00,0,0,0,0,0.00K,0,0.00K,0,32.0926,-100.849,32.1351,-100.79,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Mitchell County and produced a tornado about 20 miles south of Colorado City. This tornado was located just west of Highway 208 and did not produce any damage so it was rated as an EF-0." +114111,699687,LOUISIANA,2017,April,Tornado,"CALDWELL",2017-04-02 15:21:00,CST-6,2017-04-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,32.0788,-91.918,32.1264,-91.8837,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","A National Weather Service Storm Survey determined that an EF1 tornado moved out of Franklin Parish and back into extreme eastern Caldwell Parish east of Columbia, Louisiana. The tornado snapped and/or uprooted numerous trees along its short path before crossing the Boeuf River and once again moving into Franklin Parish, Louisiana." +112444,680201,FLORIDA,2017,February,Thunderstorm Wind,"SUWANNEE",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2337,-82.8195,30.2337,-82.8195,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Strong winds blew an older single wide mobile home over onto its side and damaged the structure, an older barn was damaged by a fallen oak tree, a large oak tree was snapped at a thick root stem, parts of a metal roof were lofted into tree tops, damaged occurred to a carport roof and frame, and many trees were damaged. ||The EM that conducted the survey estimated winds of 90-98 mph. These winds were adjusted downward for StormData based on other wind speed measurement with this event." +112444,680200,FLORIDA,2017,February,Thunderstorm Wind,"SUWANNEE",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.1114,-82.8641,30.1114,-82.8641,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Strong thunderstorm wind caused significant roof damage, blew the front porch off, blew away the carport, peeled back the barn roof by at least 12 ft, blew down multiple large trees, and blew an antenna down onto the home. ||The EM that conducted the survey estimated winds of 90-98 mph. These winds were adjusted downward for StormData based on other wind speed measurement with this event." +114961,689587,ILLINOIS,2017,April,Flash Flood,"FRANKLIN",2017-04-30 05:23:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9541,-88.9591,37.8803,-88.9618,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Flash flooding was observed throughout West Frankfort and along Highway 37 north and south of town. Several other roads were closed around the county." +114961,689590,ILLINOIS,2017,April,Flash Flood,"JEFFERSON",2017-04-30 08:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-89.05,38.33,-89.03,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Most creeks were full, and some creeks were overflowing. Low areas were completely flooded. Township roads in low-lying areas were impassable. A trained spotter reported 4.3 inches of rain had fallen overnight." +114327,690198,KENTUCKY,2017,April,Strong Wind,"LYON",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690199,KENTUCKY,2017,April,Strong Wind,"CALDWELL",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690200,KENTUCKY,2017,April,Strong Wind,"TRIGG",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690201,KENTUCKY,2017,April,Strong Wind,"CHRISTIAN",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114394,685623,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 10:53:00,0,0,0,0,0.00K,0,0.00K,0,38.5261,-121.4566,38.5249,-121.4565,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Ethel Way was flooded between Fruitridge Rd. and 28th Ave., Sacramento." +114440,688117,ILLINOIS,2017,April,Flood,"JACKSON",2017-04-29 08:00:00,CST-6,2017-04-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.6039,-89.2378,37.7346,-89.2279,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","The flash flooding during the overnight and early morning hours transitioned to a more prolonged flooding situation. Several city streets were flooded and impassable in Carbondale, including a main thoroughfare. Highway 51 was flooded in a couple of spots in the Carbondale area. In Makanda, the city park was underwater. A Canadian National railroad track was flooded at a street crossing. A trained spotter near the western border of the county measured 4.20 inches during the overnight and early morning storms." +114965,689605,KENTUCKY,2017,April,Flash Flood,"HICKMAN",2017-04-30 10:50:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5888,-88.9515,36.6762,-89.0181,"Localized flooding developed after a series of weakening thunderstorm complexes crossed western Kentucky during the night of the 29th and morning of the 30th. These storms occurred near a surface front which sagged southward across the region during the evening, then returned north as a warm front the following morning.","Numerous roads were closed due to flooding. Portions of Highways 51 and 58 were closed due to swift water, and highway personnel were on-site to monitor both closures. Numerous creeks and streams were out of their banks. Emergency management officials reported at least one water rescue was conducted. A trained spotter measured 3.75 inches a few miles southeast of Clinton during the overnight and early morning storms." +114322,685009,ILLINOIS,2017,April,Hail,"JACKSON",2017-04-03 14:32:00,CST-6,2017-04-03 14:32:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-89.22,37.72,-89.22,"Diurnal heating and cold 500 mb temperatures around minus 19 degrees Celsius promoted the development of isolated to scattered thunderstorms during the afternoon. Surface dew points were generally in the 50's, and instability became sufficient for locally intense storms as mixed-layer capes approached 1000 j/kg. A 500 mb trough axis over the Plains moved northeast across the Lower Ohio Valley in the afternoon, providing enough cold air aloft for the generation of storms with hail.","Penny-size hail was reported along Highway 13." +113710,680678,MARYLAND,2017,February,Hail,"CHARLES",2017-02-25 15:25:00,EST-5,2017-02-25 15:25:00,0,0,0,0,,NaN,,NaN,38.5827,-76.7692,38.5827,-76.7692,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Aquasco." +113710,680679,MARYLAND,2017,February,Hail,"BALTIMORE",2017-02-25 15:26:00,EST-5,2017-02-25 15:26:00,0,0,0,0,,NaN,,NaN,39.3625,-76.4715,39.3625,-76.4715,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Rossville." +113710,680680,MARYLAND,2017,February,Hail,"BALTIMORE",2017-02-25 15:30:00,EST-5,2017-02-25 15:30:00,0,0,0,0,,NaN,,NaN,39.3753,-76.4664,39.3753,-76.4664,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Half dollar sized hail was reported at the White Marsh Mall." +113710,680681,MARYLAND,2017,February,Hail,"CALVERT",2017-02-25 15:30:00,EST-5,2017-02-25 15:30:00,0,0,0,0,,NaN,,NaN,38.7017,-76.5829,38.7017,-76.5829,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Half dollar sized hail was reported near Mount Harmony." +113710,680683,MARYLAND,2017,February,Hail,"CALVERT",2017-02-25 15:35:00,EST-5,2017-02-25 15:35:00,0,0,0,0,,NaN,,NaN,38.687,-76.5333,38.687,-76.5333,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported at Chesapeake Beach." +113710,680684,MARYLAND,2017,February,Hail,"ST. MARY'S",2017-02-25 16:23:00,EST-5,2017-02-25 16:23:00,0,0,0,0,,NaN,,NaN,38.2361,-76.5775,38.2361,-76.5775,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Half dollar sized hail was reported near Redgate." +113977,682601,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-11 09:00:00,PST-8,2017-02-12 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2694,-121.4892,38.2718,-121.4646,"Additional heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases. Reduced releases at Oroville Dam resulted in the use of the emergency spillway for the first time in the dam's history. A portion of the emergency spillway began to show signs of failure which resulted in NWS Sacramento to issue a Flash Flood Warning for potential dam failure and the Oroville Sheriff to issue mandatory large scale evacuations. The emergency spillway was utilized because the main spillway had damage that required reduced flows through it. Several levee breaks also brought local evacuations.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","At 08:00 on 2/11, a levee breach on McCormack-Williamson Tract occurred at Station 28+00 on the Mokelumne River. The 150 foot wide breach was located approximately �� mile downstream of the upstream end of McCormack-Williamson Tract." +113623,682932,WISCONSIN,2017,April,Hail,"PIERCE",2017-04-15 19:20:00,CST-6,2017-04-15 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-92.55,44.78,-92.55,"A few thunderstorms developed across the Twin Cities metro area during the afternoon of Saturday, April 15th. When the storms moved into Wisconsin, one of the storms became severe briefly and produced quarter size hail between River Falls and Ellsworth.","" +112318,669957,PENNSYLVANIA,2017,February,High Wind,"PHILADELPHIA",2017-02-13 05:15:00,EST-5,2017-02-13 05:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage. A band of thunderstorms moved through Southeastern portions of the state ahead of the front, these storms had a top gust of 55 mph in Chesterville. Further north in colder air a mix of snow and ice fell across the Lehigh Valley and Poconos.||For ice and snow accumulations totals were generally light. For freezing rain, .19 was estimated in Bushkill twp, .04 at the Allentown ASOS, .08 at Mount Pocono, .1 inches in Heidelburg Twp with a quarter of an inch estimated Albrightsville and Randolph Twp. The highest amount of snow was 1.9 inches at Mount Pocono with .15 inches of ice.||With the winds behind the front, top measured gusts include 48 mph near Deer Lake, 53 mph near Cochranville, 50 mph in Newtown Square, 51 Mph at Mount Pocono with 45 mph gusts near Schwenksville and Wilson. Both Northeast Philadelphia and Philadelphia ASOS stations gusted to 47 mph.||PECO had over 5,000 outages.","Trees down at Wolfe and 23rd and a house went into a tree on Mt Pleasant road." +112578,671698,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-02-25 18:22:00,EST-5,2017-02-25 18:22:00,0,0,0,0,,NaN,,NaN,38.692,-75.071,38.692,-75.071,"An unseasonably warm airmass led to thunderstorms over land. However, ocean temperatures were much colder and dense fog was present on the waters. This limited the degree of high winds but a few higher wind gusts were reported near Lewes and Dewey Beach.","Measured wind gust from a weatherflow station during a thunderstorm." +112571,671612,PENNSYLVANIA,2017,February,Hail,"BERKS",2017-02-25 15:45:00,EST-5,2017-02-25 15:45:00,0,0,0,0,,NaN,,NaN,40.38,-76.23,40.38,-76.23,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Quarter size hail was measured." +113018,675548,MARYLAND,2017,February,Winter Weather,"FREDERICK",2017-02-09 01:00:00,EST-5,2017-02-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south, causing precipitation to overspread the area. Cold air was moving in during this time and this caused rain to end as a period of snow.","Snowfall was estimated to be around one inch based on observations nearby." +113018,675549,MARYLAND,2017,February,Winter Weather,"CARROLL",2017-02-09 01:00:00,EST-5,2017-02-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south, causing precipitation to overspread the area. Cold air was moving in during this time and this caused rain to end as a period of snow.","Snowfall totaled up to 2.3 inches near Millers and 2.2 inches near Taneytown." +113018,675550,MARYLAND,2017,February,Winter Weather,"NORTHERN BALTIMORE",2017-02-09 01:00:00,EST-5,2017-02-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south, causing precipitation to overspread the area. Cold air was moving in during this time and this caused rain to end as a period of snow.","Snowfall was estimated to be around one inch based on observations nearby." +113018,675551,MARYLAND,2017,February,Winter Weather,"NORTHWEST HARFORD",2017-02-09 01:00:00,EST-5,2017-02-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south, causing precipitation to overspread the area. Cold air was moving in during this time and this caused rain to end as a period of snow.","Snowfall totaled up to one inch in Scarboro and Whiteford." +113713,680721,MARYLAND,2017,February,Thunderstorm Wind,"HARFORD",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,39.6037,-76.4727,39.6037,-76.4727,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down in Jarretsville." +113713,680722,MARYLAND,2017,February,Thunderstorm Wind,"HOWARD",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,39.1667,-76.9439,39.1667,-76.9439,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","There were several reports of trees down in the Browns Bridge Road area." +113713,680723,MARYLAND,2017,February,Thunderstorm Wind,"BALTIMORE",2017-02-12 22:58:00,EST-5,2017-02-12 22:58:00,0,0,0,0,,NaN,,NaN,39.395,-76.6213,39.395,-76.6213,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","There were several reports of trees down in the Towson area." +113713,680724,MARYLAND,2017,February,Thunderstorm Wind,"HOWARD",2017-02-12 22:58:00,EST-5,2017-02-12 22:58:00,0,0,0,0,,NaN,,NaN,39.2826,-76.8103,39.2826,-76.8103,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto a police car near Oella." +115202,695047,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 21:43:00,CST-6,2017-05-20 00:43:00,0,0,0,0,0.00K,0,0.00K,0,34.1941,-96.9046,34.1924,-96.8805,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Mannsville fire reported Union road was up to vehicle hoods west of Mannsville." +115202,695049,OKLAHOMA,2017,May,Flash Flood,"PONTOTOC",2017-05-19 21:57:00,CST-6,2017-05-20 00:57:00,0,0,0,0,0.00K,0,0.00K,0,34.7632,-96.6909,34.7642,-96.6708,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Pickup truck was stalled in flood waters." +117443,706311,TEXAS,2017,June,Thunderstorm Wind,"FISHER",2017-06-15 18:45:00,CST-6,2017-06-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-100.38,32.75,-100.38,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","There was roof damage to 2 homes and 1 business in Roby. Power poles and power lines were blown down just north of Roby, and power lines were down in Rotan. There were numerous tree branches blown down across Roby. The wind speed was estimated at 90 mph." +117443,706312,TEXAS,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-15 19:50:00,CST-6,2017-06-15 19:50:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.01,32.47,-100.01,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","Taylor County S.O. reported power poles and trees blown down in Merkel and Trent." +117401,709338,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-08 17:21:00,CST-6,2017-06-08 17:21:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-100.3,31.36,-100.3,"On June 8, an isolated thunderstorm resulted in a microburst at Wall located about 15 miles east of San Angelo. On June 9, thunderstorms with very heavy rain resulted in flash flooding of low water crossings and small creeks about 3 miles southwest of Mason.","A center pivot for irrigation was lost to the damaging thunderstorm winds." +115202,695050,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 22:04:00,CST-6,2017-05-20 01:04:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-96.69,34.3191,-96.6818,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Camp Bond Road had water 4 foot over the roadway." +115202,695052,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 22:06:00,CST-6,2017-05-20 01:06:00,0,0,0,0,0.00K,0,0.00K,0,34.3698,-96.7408,34.371,-96.8064,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Reagan fire closed highway 7 from highway 1 south of Mill Creek." +115202,695071,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 23:16:00,CST-6,2017-05-20 02:16:00,0,0,0,0,10.00K,10000,0.00K,0,34.4933,-96.6331,34.3538,-96.6577,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","House was evacuated due to flooding. Highway 377 was closed down to one lane and highway 7 was closed in places as well." +115202,695072,OKLAHOMA,2017,May,Thunderstorm Wind,"BRYAN",2017-05-19 23:49:00,CST-6,2017-05-19 23:49:00,0,0,0,0,3.00K,3000,0.00K,0,34.03,-96.39,34.03,-96.39,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Telephone poles were downed." +115202,695075,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-20 00:26:00,CST-6,2017-05-20 03:26:00,0,0,0,0,10.00K,10000,0.00K,0,34.3449,-96.7132,34.3576,-96.7118,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Flooding resulted in rescues from homes." +115203,695077,TEXAS,2017,May,Hail,"KNOX",2017-05-19 12:45:00,CST-6,2017-05-19 12:45:00,0,0,0,0,0.00K,0,0.00K,0,33.45,-99.63,33.45,-99.63,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695078,TEXAS,2017,May,Hail,"ARCHER",2017-05-19 13:12:00,CST-6,2017-05-19 13:12:00,0,0,0,0,0.00K,0,0.00K,0,33.58,-98.44,33.58,-98.44,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695079,TEXAS,2017,May,Hail,"CLAY",2017-05-19 13:24:00,CST-6,2017-05-19 13:24:00,0,0,0,0,0.00K,0,0.00K,0,33.55,-98.3,33.55,-98.3,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +114419,685960,MISSOURI,2017,April,Thunderstorm Wind,"RIPLEY",2017-04-26 11:50:00,CST-6,2017-04-26 11:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.772,-90.82,36.772,-90.82,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","A tree was down along Highway K4." +114405,685812,MISSOURI,2017,April,Thunderstorm Wind,"BUTLER",2017-04-20 16:43:00,CST-6,2017-04-20 16:43:00,0,0,0,0,10.00K,10000,0.00K,0,36.5165,-90.5276,36.5165,-90.5276,"A cluster of thunderstorms with locally damaging winds moved east-southeast across the Arkansas border counties during the late afternoon hours. The storms intensified as afternoon warming increased mixed-layer cape to around 1,500 j/kg. The combination of moderate instability and moderately strong deep-layer wind shear produced organized storm structures. A short bowing line of storms caused sporadic wind damage southeast of Doniphan. The storms formed ahead of a cold front that extended from central Illinois southwest across the Ozarks of Missouri.","A semi-tractor trailer was overturned on U.S. Highway 67 about one mile north of the Arkansas-Missouri state line. The driver was not injured." +114441,686242,MISSOURI,2017,April,Hail,"BOLLINGER",2017-04-28 21:50:00,CST-6,2017-04-28 21:50:00,0,0,0,0,,NaN,0.00K,0,37.27,-90.12,37.27,-90.12,"Isolated severe storms with large hail occurred during the afternoon and evening of the 28th. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. An isolated severe storm occurred during the afternoon, followed by a lull. Clusters of storms developed near the warm front during the evening. A few of these storms acquired supercell characteristics. Isolated large hail was the only type of severe weather observed with these storms, which were elevated north of a warm front.","" +114961,690156,ILLINOIS,2017,April,Flood,"WHITE",2017-04-29 11:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-88.17,38.0141,-88.2161,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","The Little Wabash River rose above flood stage. Through the end of April, the flooding was mostly minor to moderate. However, the river continued rising beyond the end of the month." +114961,690149,ILLINOIS,2017,April,Flood,"FRANKLIN",2017-04-29 23:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-89,37.8464,-89.0967,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","The Big Muddy River rose above flood stage. Through the end of April, the flooding was mostly minor. The river continued rising beyond the end of the month." +115310,692308,ALABAMA,2017,April,Thunderstorm Wind,"RUSSELL",2017-04-03 09:30:00,CST-6,2017-04-03 09:31:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-85.02,32.44,-85.02,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Roof blown off building. Several trees uprooted and power lines snapped." +115310,692309,ALABAMA,2017,April,Thunderstorm Wind,"RUSSELL",2017-04-03 09:31:00,CST-6,2017-04-03 09:32:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-85,32.47,-85,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several reports of trees downed and power outages in downtown Phenix City." +115310,692310,ALABAMA,2017,April,Thunderstorm Wind,"BARBOUR",2017-04-03 09:42:00,CST-6,2017-04-03 09:43:00,0,0,0,0,0.00K,0,0.00K,0,31.8661,-85.1493,31.8661,-85.1493,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several trees uprooted and power lines downed along State Docks Road." +121606,728591,CALIFORNIA,2017,November,Heat,"ORANGE COUNTY INLAND",2017-11-23 11:00:00,PST-8,2017-11-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","High temperatures were in the mid to upper 90s." +114111,683508,LOUISIANA,2017,April,Tornado,"GRANT",2017-04-02 15:12:00,CST-6,2017-04-02 15:16:00,0,0,0,0,0.00K,0,0.00K,0,31.6917,-92.8661,31.7088,-92.8429,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","An EF-1 tornado with maximum estimated winds between 90-95 mph touched down along Coon Trail Road in extreme Northwest Grant Parish near the Winn Parish line, where it snapped and uprooted numerous trees. This tornado tracked northeast into Southwest Winn Parish." +116262,698967,WYOMING,2017,April,Winter Storm,"SNOWY RANGE",2017-04-27 05:00:00,MST-7,2017-04-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 15 inches of snow." +113471,679263,RHODE ISLAND,2017,February,Winter Storm,"WASHINGTON",2017-02-09 10:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Six to thirteen inches fell on Washington County." +113471,679265,RHODE ISLAND,2017,February,Winter Storm,"NEWPORT",2017-02-09 11:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Nine to twelve inches of snow fell on Newport County." +113471,679266,RHODE ISLAND,2017,February,Winter Storm,"BLOCK ISLAND",2017-02-09 10:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Five to seven inches of snow fell on Block Island." +113584,679917,CONNECTICUT,2017,February,High Wind,"HARTFORD",2017-02-13 08:00:00,EST-5,2017-02-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England. Strong Northwest winds developed following the passage of the storm.","The ASOS site at Bradley International Airport in Windsor Locks recorded a sustained wind of 40 mph at 830 am." +113613,680130,TEXAS,2017,March,Hail,"MIDLAND",2017-03-23 21:48:00,CST-6,2017-03-23 21:53:00,0,0,0,0,,NaN,,NaN,32.0376,-102.1301,32.0376,-102.1301,"An upper trough was approaching West Texas from the west with an upper ridge over the southeast part of the country. A surface trough and a dryline were across the Upper Trans Pecos. Good low-level moisture was present to the east of the dryline as well as high lapse rates and wind shear. These conditions, along with good upper lift over the region, aided in the development of large hail across the Permian Basin.","" +112932,674737,TENNESSEE,2017,March,Thunderstorm Wind,"MORGAN",2017-03-01 10:10:00,EST-5,2017-03-01 10:10:00,0,0,0,0,,NaN,,NaN,36.12,-84.61,36.12,-84.61,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A tree and power lines were reported down on Montgomery Road in Lancing." +112932,674735,TENNESSEE,2017,March,Hail,"HAMILTON",2017-03-01 15:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,,NaN,,NaN,35.07,-85.26,35.07,-85.26,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Golf ball sized hail was reported at Chattanooga." +112932,674740,TENNESSEE,2017,March,Thunderstorm Wind,"MORGAN",2017-03-01 10:27:00,EST-5,2017-03-01 10:27:00,0,0,0,0,,NaN,,NaN,36.01,-84.41,36.01,-84.41,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Highway 62 was closed due to downed trees on power lines and leaning power poles near Big Mountain." +112932,674742,TENNESSEE,2017,March,Thunderstorm Wind,"CAMPBELL",2017-03-01 10:55:00,EST-5,2017-03-01 10:55:00,0,0,0,0,,NaN,,NaN,36.58,-84.13,36.58,-84.13,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down at Jellico." +116883,702738,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:13:00,CST-6,2017-05-16 14:13:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-100.54,36.91,-100.54,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116883,702739,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:15:00,CST-6,2017-05-16 14:15:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-100.52,36.91,-100.52,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116883,702740,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:20:00,CST-6,2017-05-16 14:20:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-100.54,36.91,-100.54,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Late report. Found one very large hail stone measured at 3.5 inches." +113620,680514,TEXAS,2017,March,Hail,"MITCHELL",2017-03-28 14:15:00,CST-6,2017-03-28 14:20:00,0,0,0,0,,NaN,,NaN,32.5107,-101.0664,32.5107,-101.0664,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680516,TEXAS,2017,March,Hail,"SCURRY",2017-03-28 14:28:00,CST-6,2017-03-28 14:33:00,0,0,0,0,,NaN,,NaN,32.58,-101,32.58,-101,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680519,TEXAS,2017,March,Hail,"SCURRY",2017-03-28 14:50:00,CST-6,2017-03-28 14:55:00,0,0,0,0,,NaN,,NaN,32.6995,-100.8757,32.6995,-100.8757,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680522,TEXAS,2017,March,Hail,"SCURRY",2017-03-28 14:56:00,CST-6,2017-03-28 15:01:00,0,0,0,0,,NaN,,NaN,32.6279,-100.88,32.6279,-100.88,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680523,TEXAS,2017,March,Hail,"REAGAN",2017-03-28 15:10:00,CST-6,2017-03-28 15:15:00,0,0,0,0,,NaN,,NaN,31.5592,-101.58,31.5592,-101.58,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116091,697762,WISCONSIN,2017,May,Hail,"RICHLAND",2017-05-17 16:39:00,CST-6,2017-05-17 16:39:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-90.53,43.33,-90.53,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","" +116091,697771,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-17 16:47:00,CST-6,2017-05-17 16:47:00,0,0,0,0,3.00K,3000,0.00K,0,44.33,-90.85,44.33,-90.85,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Numerous trees were blown down just north of Black River Falls." +116091,697772,WISCONSIN,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-17 16:47:00,CST-6,2017-05-17 16:47:00,0,0,0,0,2.00K,2000,0.00K,0,43.43,-90.45,43.43,-90.45,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down along State Highway 56 in Gillingham." +113620,680524,TEXAS,2017,March,Hail,"REAGAN",2017-03-28 15:18:00,CST-6,2017-03-28 15:23:00,0,0,0,0,,NaN,,NaN,31.6353,-101.63,31.6353,-101.63,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116091,697773,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:00:00,CST-6,2017-05-17 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,44,-91.43,44,-91.43,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Numerous trees were blown down on houses and cars in Trempealeau." +114546,686965,TEXAS,2017,May,Hail,"GARZA",2017-05-16 21:04:00,CST-6,2017-05-16 21:04:00,0,0,0,0,,NaN,,NaN,33.05,-101.17,33.05,-101.17,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","The public measured hail as large as 0.90 inches in diameter. Damage, if any, was not available." +114546,686966,TEXAS,2017,May,Thunderstorm Wind,"STONEWALL",2017-05-16 18:35:00,CST-6,2017-05-16 18:35:00,0,0,0,0,2.00K,2000,0.00K,0,33.18,-100.4,33.18,-100.4,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","A downburst carried the roof from an unoccupied mobile home." +114546,687390,TEXAS,2017,May,Thunderstorm Wind,"KENT",2017-05-16 21:44:00,CST-6,2017-05-16 21:44:00,0,0,0,0,30.00K,30000,0.00K,0,33.1505,-100.6507,33.1403,-100.6421,"Rich moisture ahead of a sharp dryline and vigorous upper trough helped fuel isolated supercell thunderstorms this afternoon, particularly in the southeast Texas Panhandle and the southern Rolling Plains. Although these areas were spared from the most volatile hail and tornado threat realized farther north in the Texas Panhandle, a few severe hail and wind events still unfolded east of the Caprock. By sunset, a Pacific cold front collided with the dryline southeast of Lubbock and resulted in a squall line. This squall line resulted in wind damage and wind driven hail damage in southern Kent County.","South Plains Electric Cooperative reported that ten power poles were blown over along State Highway 70 just south of US Highway 380 southwest of Jayton. Furthermore, a sheriff's deputy with Kent County reported that windows in a barn were destroyed; most likely by wind driven hail." +115887,696422,WISCONSIN,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-17 18:36:00,CST-6,2017-05-17 18:36:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-89.62,45.34,-89.62,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorms winds downed trees east of Irma, in the vicinity of Highway 51 and County Road J." +115887,696424,WISCONSIN,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-17 18:40:00,CST-6,2017-05-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,45.24,-89.43,45.24,-89.43,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees east of Doering, on County Road X." +115887,696425,WISCONSIN,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-17 18:45:00,CST-6,2017-05-17 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,45.47,-89.68,45.47,-89.68,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed at least a dozen trees and destroyed an outbuilding east of Tomahawk." +115887,696428,WISCONSIN,2017,May,Thunderstorm Wind,"WOOD",2017-05-17 12:57:00,CST-6,2017-05-17 12:57:00,0,0,0,0,0.00K,0,0.00K,0,44.6338,-90.1892,44.6338,-90.1892,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","A thunderstorm wind gust to 66 mph was measured at Marshfield Municipal Airport." +115887,696430,WISCONSIN,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-17 14:09:00,CST-6,2017-05-17 14:09:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-89.4601,45.63,-89.4601,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds of 59 mph were measured at Rhinelander/Oneida County Airport." +115887,701619,WISCONSIN,2017,May,Thunderstorm Wind,"WOOD",2017-05-17 17:48:00,CST-6,2017-05-17 17:48:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-89.84,44.33,-89.84,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","A thunderstorm produced a measured wind gust to 60 mph at Port Edwards." +115887,701621,WISCONSIN,2017,May,Thunderstorm Wind,"LANGLADE",2017-05-17 19:05:00,CST-6,2017-05-17 19:05:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-89.15,45.15,-89.15,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees in Antigo." +116606,704469,MISSOURI,2017,May,Hail,"LAFAYETTE",2017-05-19 16:24:00,CST-6,2017-05-19 16:24:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-93.56,39.07,-93.56,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704491,MISSOURI,2017,May,Thunderstorm Wind,"CLAY",2017-05-18 21:37:00,CST-6,2017-05-18 21:40:00,0,0,0,0,,NaN,,NaN,39.24,-94.47,39.24,-94.47,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A 3-4 inch tree branch fell near Liberty." +116606,704492,MISSOURI,2017,May,Thunderstorm Wind,"JACKSON",2017-05-18 21:47:00,CST-6,2017-05-18 21:50:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.31,39.03,-94.31,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A 4-6 inch Oak tree limb broke." +116606,704493,MISSOURI,2017,May,Thunderstorm Wind,"JACKSON",2017-05-18 21:50:00,CST-6,2017-05-18 21:53:00,0,0,0,0,,NaN,,NaN,39.09,-94.42,39.09,-94.42,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A 6 to 7 inch tree limb broke. Winds were estimated between 60 and 70 mph." +116606,704494,MISSOURI,2017,May,Thunderstorm Wind,"PLATTE",2017-05-18 21:14:00,CST-6,2017-05-18 21:17:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-94.72,39.3,-94.72,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A 61 mph wind gust was measured at KMCI ASOS." +112932,674744,TENNESSEE,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-01 13:33:00,EST-5,2017-03-01 13:33:00,0,0,0,0,,NaN,,NaN,36.21,-84.06,36.21,-84.06,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A tree was reported down at Norris." +113978,682643,SOUTH DAKOTA,2017,March,Winter Weather,"MCCOOK",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Two to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +112854,675867,NEW JERSEY,2017,March,Winter Weather,"SUSSEX",2017-03-10 08:00:00,EST-5,2017-03-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Snowfall measured on grass ranged from 4 to 6 inches." +112854,675815,NEW JERSEY,2017,March,Winter Weather,"NORTHWESTERN BURLINGTON",2017-03-10 08:00:00,EST-5,2017-03-10 18:00:00,0,1,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Several spotters measured snowfall from 2-3 inches, mainly on grass. Snow squalls behind the system reduced visabilities which led to a injury accident in Delran later in the day." +112860,677357,PENNSYLVANIA,2017,March,Blizzard,"MONROE",2017-03-14 12:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","KMPO had several intervals of blizzard conditions from 1234-1536 and 1500-1612." +112953,674902,ILLINOIS,2017,February,Hail,"JO DAVIESS",2017-02-28 17:08:00,CST-6,2017-02-28 17:09:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-89.99,42.49,-89.99,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported quarter size hail." +113978,682646,SOUTH DAKOTA,2017,March,Winter Weather,"UNION",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Two to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113984,682626,IOWA,2017,March,Heavy Snow,"BUENA VISTA",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Widespread 5 to 7 inches of snow fell across the county with this major winter storm causing a few schools to delay their start Monday morning due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 30 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113984,682628,IOWA,2017,March,Heavy Snow,"CLAY",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Widespread 5 to 7 inches of snow fell across the county with this major winter storm causing a few schools to delay their start Monday morning due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 30 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113984,682629,IOWA,2017,March,Heavy Snow,"DICKINSON",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Widespread 5 to 7 inches of snow fell across the county with this major winter storm causing a few schools to delay their start Monday morning due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 30 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +115094,701508,ARKANSAS,2017,May,Thunderstorm Wind,"SEBASTIAN",2017-05-03 08:07:00,CST-6,2017-05-03 08:07:00,0,0,0,0,0.00K,0,0.00K,0,35.2155,-94.256,35.2155,-94.256,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to penny size and damaging wind gusts.","Thunderstorm wind gusts were estimated to near 60 mph." +115094,701509,ARKANSAS,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-03 08:15:00,CST-6,2017-05-03 08:15:00,0,0,0,0,0.00K,0,0.00K,0,35.4925,-94.1375,35.4925,-94.1375,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to penny size and damaging wind gusts.","Strong thunderstorm wind gusts snapped large tree limbs." +113254,677662,TENNESSEE,2017,January,Winter Weather,"LAKE",2017-01-06 05:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677663,TENNESSEE,2017,January,Winter Weather,"OBION",2017-01-06 05:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677664,TENNESSEE,2017,January,Winter Weather,"WEAKLEY",2017-01-06 05:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677665,TENNESSEE,2017,January,Winter Weather,"DYER",2017-01-06 05:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677666,TENNESSEE,2017,January,Winter Weather,"LAUDERDALE",2017-01-06 05:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +116144,701576,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:36:00,CST-6,2017-05-18 20:36:00,0,0,0,0,0.00K,0,0.00K,0,36.1046,-95.9046,36.1046,-95.9046,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to 65 mph near E 41st Street and S Sheridan Road." +116144,701577,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:39:00,CST-6,2017-05-18 20:39:00,0,0,0,0,0.00K,0,0.00K,0,36.1967,-95.9388,36.1967,-95.9388,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The Oklahoma Mesonet station in north Tulsa measured 64 mph thunderstorm wind gusts." +115140,691161,KENTUCKY,2017,May,Hail,"TAYLOR",2017-05-27 18:19:00,EST-5,2017-05-27 18:19:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-85.28,37.32,-85.28,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","" +115140,691166,KENTUCKY,2017,May,Thunderstorm Wind,"LOGAN",2017-05-27 17:39:00,CST-6,2017-05-27 17:39:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-86.89,36.74,-86.89,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Local law enforcement reported trees down across the area." +115140,691167,KENTUCKY,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-27 18:33:00,EST-5,2017-05-27 18:33:00,0,0,0,0,50.00K,50000,0.00K,0,37.35,-85.35,37.35,-85.35,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Trained spotters reported trees down and a roof blown off a home 2 miles northwest of Campbellsville." +115140,691168,KENTUCKY,2017,May,Thunderstorm Wind,"TRIMBLE",2017-05-27 19:24:00,EST-5,2017-05-27 19:24:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-85.32,38.6,-85.32,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Trained spotters trees down across the area." +116144,701911,OKLAHOMA,2017,May,Thunderstorm Wind,"ROGERS",2017-05-19 19:06:00,CST-6,2017-05-19 19:06:00,0,0,0,0,0.00K,0,0.00K,0,36.3634,-95.6,36.3634,-95.6,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to near 60 mph." +116144,701912,OKLAHOMA,2017,May,Thunderstorm Wind,"MAYES",2017-05-19 19:09:00,CST-6,2017-05-19 19:09:00,0,0,0,0,0.00K,0,0.00K,0,36.1869,-95.3427,36.1869,-95.3427,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to near 60 mph." +116147,702085,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-28 00:10:00,CST-6,2017-05-28 00:10:00,0,0,0,0,0.00K,0,0.00K,0,34.8507,-94.5647,34.8507,-94.5647,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were estimated to 60 mph." +116147,702086,OKLAHOMA,2017,May,Hail,"LE FLORE",2017-05-28 00:13:00,CST-6,2017-05-28 00:13:00,0,0,0,0,10.00K,10000,0.00K,0,34.6462,-94.6494,34.6462,-94.6494,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702087,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-28 00:20:00,CST-6,2017-05-28 00:20:00,0,0,0,0,5.00K,5000,0.00K,0,34.79,-94.48,34.79,-94.48,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew the roof off of a barn." +117042,703980,TEXAS,2017,May,Thunderstorm Wind,"STARR",2017-05-21 19:00:00,CST-6,2017-05-21 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,26.4106,-99.081,26.4106,-99.081,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Media reported portion of roof blown off of house in Fronton. Several trees were blown down as well. Time estimated via radar imagery." +116460,700408,CALIFORNIA,2017,May,Heavy Snow,"SAN DIEGO COUNTY MOUNTAINS",2017-05-07 03:00:00,PST-8,2017-05-07 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level strong trough of low pressure moved down the California coast on May 6th, becoming an unseasonably deep (552 DM at 500 mb) closed low over Southern California on the 7th. An associated surface low tracked from San Bernardino County south along the San Diego County coast. The two combined to produce favorable up-slope flow near Palomar Mt. and Birch Hill that resulted in nearly a foot of snow, setting records for May. Elsewhere snowfall was limited to 2 to 5 inches above 5000 ft. Showers and thunderstorms were widespread and persistent, but lower rain rates limited impacts. An isolated thunderstorm produced a weak landspout tornado near Victorville, and multiple locations including Cypress and Redlands reported accumulations of small hail. Peak rainfall totals occurred in San Diego County, where 0.50 to 2.5 inches fell west of the mountains. Winds were breezy in the deserts, especially as the system deepened on the 6th, but impacts were minimal.","A trained spotter reported a storm total snowfall of 10 inches at Birch Hill. The official coop site at Palomar Mountain reported 6 inches at 1500PST. Mount Laguna had a storm total snowfall of 4 inches." +116947,703337,SOUTH DAKOTA,2017,May,Hail,"SPINK",2017-05-28 16:05:00,CST-6,2017-05-28 16:05:00,0,0,0,0,0.00K,0,0.00K,0,45.05,-98.02,45.05,-98.02,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of northeast South Dakota.","Some golf ball hail fell east of Turton." +116947,703338,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"EDMUNDS",2017-05-28 15:20:00,CST-6,2017-05-28 15:20:00,0,0,0,0,,NaN,0.00K,0,45.5,-98.79,45.5,-98.79,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of northeast South Dakota.","A tree was downed by sixty-five mph winds." +116947,703339,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"EDMUNDS",2017-05-28 15:20:00,CST-6,2017-05-28 15:20:00,0,0,0,0,0.00K,0,0.00K,0,45.44,-98.76,45.44,-98.76,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of northeast South Dakota.","Sixty mph winds were estimated." +116947,703340,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BROWN",2017-05-28 15:41:00,CST-6,2017-05-28 15:41:00,0,0,0,0,0.00K,0,0.00K,0,45.28,-98.56,45.28,-98.56,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of northeast South Dakota.","" +116947,703342,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"CLARK",2017-05-28 16:33:00,CST-6,2017-05-28 16:33:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-97.74,44.73,-97.74,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of northeast South Dakota.","Sixty mph winds were estimated." +116948,703343,MINNESOTA,2017,May,Thunderstorm Wind,"BIG STONE",2017-05-28 16:05:00,CST-6,2017-05-28 16:05:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-96.44,45.47,-96.44,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of west central Minnesota.","Some trees were downed in Clinton by seventy mph winds." +116948,703344,MINNESOTA,2017,May,Thunderstorm Wind,"BIG STONE",2017-05-28 16:10:00,CST-6,2017-05-28 16:10:00,0,0,0,0,,NaN,0.00K,0,45.57,-96.44,45.57,-96.44,"Several high based thunderstorms developed in an atmosphere with dry low levels and strong winds aloft, resulting in isolated severe winds and hail across parts of west central Minnesota.","" +115531,693794,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:35:00,CST-6,2017-04-30 10:40:00,0,0,0,0,100.00K,100000,0.00K,0,35.2342,-89.829,35.237,-89.8247,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree split house in half at the intersection of North Foxill and Dawnhill Roads. House is uninhabitable." +117017,703838,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 16:10:00,EST-5,2017-05-18 16:20:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-76.53,42.76,-76.53,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 54 knots." +117017,703837,NEW YORK,2017,May,Thunderstorm Wind,"ONONDAGA",2017-05-18 17:50:00,EST-5,2017-05-18 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.8,-76.11,42.8,-76.11,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees which blocked the roadway." +117017,703839,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 16:10:00,EST-5,2017-05-18 16:20:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-76.53,42.78,-76.53,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 55 knots." +117017,703840,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 16:18:00,EST-5,2017-05-18 16:28:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-76.53,42.84,-76.53,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 51 knots." +117017,703841,NEW YORK,2017,May,Thunderstorm Wind,"ONONDAGA",2017-05-18 16:35:00,EST-5,2017-05-18 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.8,-76.11,42.8,-76.11,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 55 knots." +112955,674918,IOWA,2017,February,Hail,"SCOTT",2017-02-28 16:01:00,CST-6,2017-02-28 16:01:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-90.56,41.69,-90.56,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Amateur radio operator reports quarter size hail. The time has been estimated using radar data." +112955,674919,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 16:02:00,CST-6,2017-02-28 16:02:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-91.39,41.67,-91.39,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reports 1.25 to 1.50 hail falling along Interstate 80." +115200,700774,OKLAHOMA,2017,May,Tornado,"WASHITA",2017-05-18 14:40:00,CST-6,2017-05-18 14:41:00,0,0,0,0,0.00K,0,0.00K,0,35.287,-98.859,35.288,-98.851,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A storm chaser documented a brief multiple-vortex tornado that crossed State Highway 54 just south of State Highway 152. No damage was reported." +115206,702867,OKLAHOMA,2017,May,Tornado,"MURRAY",2017-05-27 21:18:00,CST-6,2017-05-27 21:21:00,0,0,0,0,0.00K,0,0.00K,0,34.358,-97.035,34.337,-96.995,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","A television storm chaser observed a tornado develop about 3 miles south-southeast of Dougherty. The tornado is believed to have moved into Murray County after touching down in Carter County and crossing the Washita River. No damage was reported in the area." +115206,702880,OKLAHOMA,2017,May,Tornado,"JOHNSTON",2017-05-27 21:39:00,CST-6,2017-05-27 21:41:00,0,0,0,0,0.00K,0,0.00K,0,34.332,-96.844,34.33,-96.818,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Numerous spotters observed a tornado west of Troy. No damage was reported and the location is estimated." +115298,695502,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:11:00,CST-6,2017-05-10 18:16:00,0,0,0,0,0.00K,0,0.00K,0,39.78,-89.64,39.78,-89.64,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A 6-inch diameter tree limb was blown down near Panera Bread." +115206,702886,OKLAHOMA,2017,May,Tornado,"JEFFERSON",2017-05-27 22:06:00,CST-6,2017-05-27 22:13:00,0,0,0,0,0.00K,0,0.00K,0,34.219,-97.735,34.227,-97.692,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","A tornado was observed by a television storm chaser south of Loco and west-northwest of Ringling. No damage was reported and the specific path is estimated." +115201,702891,TEXAS,2017,May,Tornado,"WILBARGER",2017-05-18 15:04:00,CST-6,2017-05-18 15:04:00,0,0,0,0,0.00K,0,0.00K,0,34.054,-99.282,34.054,-99.282,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A spotter reported a tornado about 8 miles south of Vernon. No damage was reported." +115298,695499,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:07:00,CST-6,2017-05-10 18:12:00,0,0,0,0,3.00K,3000,0.00K,0,39.87,-89.53,39.87,-89.53,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Two trees were blown down." +115298,695503,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:25:00,CST-6,2017-05-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-89.68,39.75,-89.68,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A 5-foot diameter tree was blown onto a fence." +115298,695504,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:25:00,CST-6,2017-05-10 18:30:00,0,0,0,0,25.00K,25000,0.00K,0,39.79,-89.68,39.79,-89.68,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Several trees were blown down in Washington Park." +115745,695656,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 17:15:00,CST-6,2017-05-26 17:20:00,0,0,0,0,600.00K,600000,0.00K,0,40.27,-87.6,40.27,-87.6,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Numerous trees, power poles, and power lines were blown down." +115745,695658,ILLINOIS,2017,May,Thunderstorm Wind,"VERMILION",2017-05-26 17:00:00,CST-6,2017-05-26 17:05:00,0,0,0,0,60.00K,60000,0.00K,0,40.3647,-87.6499,40.3647,-87.6499,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","A farmstead had an outbuilding destroyed and several trees damaged." +115745,695660,ILLINOIS,2017,May,Lightning,"PEORIA",2017-05-26 13:15:00,CST-6,2017-05-26 13:16:00,2,0,0,0,0.00K,0,0.00K,0,40.8991,-89.5042,40.8991,-89.5042,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","A thunderstorm triggered a lightning strike at an outdoor music festival near Chillicothe in northeast Peoria County. Two people were injured." +114469,686421,COLORADO,2017,May,Hail,"HUERFANO",2017-05-10 14:10:00,MST-7,2017-05-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-105.01,37.66,-105.01,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +113397,679188,ALABAMA,2017,April,Hail,"MADISON",2017-04-05 15:55:00,CST-6,2017-04-05 15:55:00,0,0,0,0,,NaN,,NaN,34.73,-86.59,34.73,-86.59,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported in the Huntsville Hospital medical district." +113397,679189,ALABAMA,2017,April,Hail,"MADISON",2017-04-05 15:56:00,CST-6,2017-04-05 15:56:00,0,0,0,0,,NaN,,NaN,34.78,-86.5,34.78,-86.5,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Hail with a diameter of up to quarter sized was reported." +111482,671780,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.99,-85.79,30.9935,-85.7875,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Helms road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671781,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9936,-85.8121,30.994,-85.7828,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Love Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671782,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-85.72,30.8819,-85.7185,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Howell Williams Road was closed at the bridge due to flooding. This was due to a long duration of moderate to heavy rainfall." +116979,703543,OHIO,2017,May,Flash Flood,"VAN WERT",2017-05-24 19:00:00,EST-5,2017-05-24 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9227,-84.804,40.7282,-84.8024,"An upper level system interacted with an unstable environment, causing the development of thunderstorms. High precipitable water values and training of several thunderstorms cause a narrow swath of intense rainfall. This subsequently caused rapid water rises in rural and urban areas, resulting in numerous road closures as well as some rescues from stranded vehicles. The town of Wren was the hardest hit.","Six to eight inches of rain fell onto already saturated ground, causing flash flooding in southwestern parts of the county. Portions of the town of Wren were underwater for at least a day with some evacuations needed." +116339,699574,IOWA,2017,May,Thunderstorm Wind,"HARRISON",2017-05-16 17:50:00,CST-6,2017-05-16 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-95.9,41.56,-95.9,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards.","Thunderstorm winds blew down large branches." +116339,699575,IOWA,2017,May,Thunderstorm Wind,"POTTAWATTAMIE",2017-05-16 17:55:00,CST-6,2017-05-16 17:55:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-95.68,41.39,-95.68,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards.","A barn and a home were damaged by damaging thunderstorm winds. Many trees were also reported blown down by the wind." +116339,699576,IOWA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-16 18:20:00,CST-6,2017-05-16 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-95.45,41.51,-95.45,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards.","Outbuildings were damaged by thunderstorm winds." +116339,699577,IOWA,2017,May,Thunderstorm Wind,"HARRISON",2017-05-16 18:25:00,CST-6,2017-05-16 18:25:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-95.53,41.51,-95.53,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards.","A large tree was uprooted by damaging thunderstorm winds." +116339,699578,IOWA,2017,May,Thunderstorm Wind,"SHELBY",2017-05-16 18:35:00,CST-6,2017-05-16 18:35:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-95.33,41.62,-95.33,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards.","A 52 Knot wind gust was measured at the Harlan Airport AWOS." +117465,706462,COLORADO,2017,May,Debris Flow,"ROUTT",2017-05-04 10:00:00,MST-7,2017-05-04 10:05:00,0,0,0,0,0.00K,0,0.00K,0,40.4838,-107.053,40.4838,-107.0532,"Freeze-thaw cycles after a period of significant rain and snowfall resulted in a debris flow onto Highway 40.","A debris flow consisting of dirt and boulders up to 20 feet in diameter came down onto Highway 40 and blocked the road for several hours." +111482,671783,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9001,-85.9548,30.9122,-85.9434,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Brackin Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +114533,687113,TEXAS,2017,May,Hail,"CHEROKEE",2017-05-11 22:00:00,CST-6,2017-05-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0739,-95.1448,32.0739,-95.1448,"Showers and thunderstorms developed over Eastcentral Texas and Southeast Oklahoma during the afternoon hours of May 11th, ahead of a positive tilt upper trough that shifted east across Northern Oklahoma and Southern Kansas. The dryline managed to mix east to near the I-35 corridor by late afternoon, before a cold front associated with the upper trough overtook the dryline and shifted southeast into Southeast Oklahoma an extreme Northeast Texas late. The air mass ahead of the front became moderately unstable by mid to late afternoon, with upper forcing ahead of the trough contributing to an increase in strong to severe thunderstorms across much of East Texas and North Louisiana. Damaging winds and hail were common with the stronger storms, with even isolated tornadoes also spawned across portions of East Texas and Northern Caddo Parish in Northwest Louisiana. These storms weakened by late evening with the loss of instability.","Half Dollar size hail fell about 6 miles south southwest of Troup in Northern Cherokee County." +114392,685644,COLORADO,2017,January,Winter Weather,"CENTRAL COLORADO RIVER BASIN",2017-01-19 19:00:00,MST-7,2017-01-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 3 to 6 inches of snow fell across the area. A portion of Interstate 70 near Glenwood Springs was closed during the event due to multiple vehicle accidents on the slick and snowpacked roads." +114392,685649,COLORADO,2017,January,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-01-19 04:30:00,MST-7,2017-01-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Around 5 inches of snow fell across the area." +114392,685650,COLORADO,2017,January,Winter Storm,"ANIMAS RIVER BASIN",2017-01-19 15:00:00,MST-7,2017-01-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 6 to 12 inches of snow fell across the area." +114392,685652,COLORADO,2017,January,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-19 10:00:00,MST-7,2017-01-22 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 4 to 8 inches of snow fell across the area." +114392,685654,COLORADO,2017,January,Winter Storm,"SAN JUAN RIVER BASIN",2017-01-19 15:00:00,MST-7,2017-01-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 4 to 8 inches of snow fell across the area." +114392,685657,COLORADO,2017,January,Winter Weather,"DEBEQUE TO SILT CORRIDOR",2017-01-19 16:00:00,MST-7,2017-01-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 3 inches or less were measured across most of the zone, except for the Collbran area where 4 to 8 inches of new snow accumulated." +114392,685660,COLORADO,2017,January,Winter Storm,"GRAND AND BATTLEMENT MESAS",2017-01-19 11:00:00,MST-7,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 8 to 18 inches of snow fell across the area. Locally higher amounts included 20 inches at the Park Reservoir SNOTEL site." +116382,699859,CALIFORNIA,2017,March,Drought,"NORTHERN SAN JOAQUIN VALLEY",2017-03-01 00:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to decrease through the month of March, with a number of rain and mountain snow events. While the month ended up being average for precipitation, this combined with the wet pattern which began in the Fall and continued through the winter months to produce a large snowpack and to fill reservoirs. At the end of March, Lake Shasta was 109% of normal, Lake Oroville was 99%, Folsom Lake was 94%, and Don Pedro was 119%. New Melones Reservoir improved significantly and was at 120% of normal. ||The U.S. Drought Monitor showed all of interior Northern California in the 'None' category by the end of March. ||Groundwater aquifers continued to recharge more slowly than the surface reservoirs, though the DWR Water Data Library showed strong signs of improvement in many areas. ||Governor Jerry Brown declared a drought emergency for the entire state of California January 17, 2014 and this continued to be in effect. Governor Brown issued an executive order on May 9, 2016 that built on temporary statewide emergency water restrictions to establish longer-term water conservation measures, including permanent monthly water use reporting, new permanent water use standards in California communities and banned clearly wasteful practices such as hosing off sidewalks, driveways and other hardscapes. ||Local emergency proclamations remain for Colusa, Calaveras, El Dorado, Glenn, San Joaquin, Shasta, Stanislaus, Sutter, Tuolumne, and Yuba counties. Plumas County no longer had a Local Emergency Proclamation. The cities of Live Oak (Sutter County), Lodi (San Joaquin County), Manteca (San Joaquin County), Portola (Plumas County), Ripon (San Joaquin County), and West Sacramento (Yolo County) continued to have local emergency proclamations . Drought task forces remain in Lake, Nevada, Placer, Plumas, Sacramento, San Joaquin, Stanislaus, Sutter, Tehama, Tuolumne, and Yolo counties to coordinate response to the drought. ||The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were some homes without well water due to dry wells. In March there were 314 in Stanislaus County, unchanged since February. There were 8 in San Joaquin County, unchanged from February. Many rural communities in the Northern San Joaquin Valley were still receiving food assistance as a direct result of the drought." +111484,671809,GEORGIA,2017,January,Thunderstorm Wind,"COLQUITT",2017-01-02 22:35:00,EST-5,2017-01-02 23:05:00,0,0,0,0,100.00K,100000,0.00K,0,31.19,-83.92,31.17,-83.58,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Numerous trees and power lines were blown down across Colquitt county. Damage cost was estimated." +111484,671811,GEORGIA,2017,January,Thunderstorm Wind,"COOK",2017-01-02 23:20:00,EST-5,2017-01-02 23:20:00,0,0,0,0,0.00K,0,0.00K,0,31.0997,-83.3702,31.0997,-83.3702,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Livingston Road." +114543,686946,COLORADO,2017,February,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-02-27 01:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Snowfall amounts of 7 to 17 inches were measured across the area, with the heaviest amounts at the Elk River and Whiskey Park SNOTEL sites. Wind gusts of 20 to 35 mph produced some areas of blowing and drifting snow." +114543,686943,COLORADO,2017,February,Winter Weather,"FLATTOP MOUNTAINS",2017-02-27 04:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 8 to 10 inches of snow fell across the area. Locally higher amounts included 15 inches at the Bison Lake SNOTEL site. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow." +114543,686950,COLORADO,2017,February,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-02-27 07:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Widespread snowfall amounts of 6 to 12 inches were measured across the Grand Mesa. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow over higher exposed locations. Highway 65 on the Grand Mesa was closed for a few hours during the storm for avalanche control work." +114543,686955,COLORADO,2017,February,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-02-27 07:00:00,MST-7,2017-02-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 6 to 13 inches of snow fell across the area." +114382,704798,UTAH,2017,January,Heavy Snow,"EASTERN UINTA BASIN",2017-01-22 22:30:00,MST-7,2017-01-24 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 4 to 8 inches were measured across the area. The heaviest amounts of 6 inches or more extended from the Fort Duchesne area to Vernal and Naples." +114381,685408,COLORADO,2017,January,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-01-21 23:00:00,MST-7,2017-01-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Generally 8 to 16 inches of snow fell across the area. Locally higher amounts included 20 inches at the Tower SNOTEL site." +114381,685407,COLORADO,2017,January,Winter Storm,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-01-22 07:00:00,MST-7,2017-01-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Generally 12 to 24 inches of snow were measured across the area. Locally higher amounts included 34 inches just northeast of Mancos. Wind gusts of 20 to 30 mph produced areas of blowing and drifting snow especially over the passes. Even stronger winds were measured at the ridgetops, including a gust to 72 mph on Eagle Mountain. |Highway 145 over Lizard Head Pass and Highway 550 were closed for significant periods of time due to adverse weather conditions." +114381,685414,COLORADO,2017,January,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-01-22 07:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 8 to 18 inches were measured across the area. Locally higher amounts included 28 inches at the Schofield Pass SNOTEL site." +121755,728829,OHIO,2017,November,Thunderstorm Wind,"CARROLL",2017-11-05 18:45:00,EST-5,2017-11-05 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,40.69,-81.16,40.69,-81.16,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Law enforcement reported several trees down." +121755,728830,OHIO,2017,November,Thunderstorm Wind,"COLUMBIANA",2017-11-05 19:00:00,EST-5,2017-11-05 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,40.78,-80.77,40.78,-80.77,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Local law enforcement reported several trees down." +121755,728831,OHIO,2017,November,Thunderstorm Wind,"COLUMBIANA",2017-11-05 19:20:00,EST-5,2017-11-05 19:20:00,0,0,0,0,2.00K,2000,0.00K,0,40.68,-80.58,40.68,-80.58,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Local fire department reported several trees down." +112887,675667,KENTUCKY,2017,March,Thunderstorm Wind,"HARRISON",2017-03-01 07:33:00,EST-5,2017-03-01 07:33:00,1,0,0,0,250.00K,250000,0.00K,0,38.42,-84.26,38.42,-84.26,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The NWS in conjunction with Harrison County Emergency Management determined the area northeast of Cynthiana along Salem Pike had 70 to 80 mph wind damage. Besides trees being split and uprooted, a double-wide trailer was picked up off blocks and thrown 75 yards. A large deck structure on the front of the double-wide was thrown 40 to 50 yards to the east. There was 1 minor injury. Further east from the trailer was a large metal outbuilding that had roof and doors blown off. Several more trees were uprooted or split. One home had roof and siding damage. Another residence had their garage blown in, and a power pole was split and bent severely towards the east. A single family residence's front porch pillars were blown in. The other debris was blown 1/4 mile downwind. Peak winds were 80 mph. The duration of the thunderstorm wind damage event was 5 minutes." +114413,685883,COLORADO,2017,February,Winter Weather,"FLATTOP MOUNTAINS",2017-02-10 19:00:00,MST-7,2017-02-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Generally 6 to 12 inches of snow fell across the area." +114105,683270,COLORADO,2017,January,Dense Fog,"ANIMAS RIVER BASIN",2017-01-14 07:30:00,MST-7,2017-01-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist airmass resulted in the formation of dense fog in some western Colorado valleys.","Dense fog occurred across portions of the Grand Valley, including the Grand Junction and Fruita areas, as visibilities dropped to a quarter mile or less." +114105,683271,COLORADO,2017,January,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-01-13 20:30:00,MST-7,2017-01-14 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist airmass resulted in the formation of dense fog in some western Colorado valleys.","Dense fog occurred intermittently across portions of the upper Yampa River Basin as visibilities dropped to a quarter mile or less." +114105,683272,COLORADO,2017,January,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-01-14 03:00:00,MST-7,2017-01-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist airmass resulted in the formation of dense fog in some western Colorado valleys.","Dense fog occurred intermittently across portions of the central Yampa River Basin as visibilities dropped to a quarter mile or less." +112887,675674,KENTUCKY,2017,March,Thunderstorm Wind,"BOURBON",2017-03-01 07:50:00,EST-5,2017-03-01 07:50:00,0,0,0,0,300.00K,300000,0.00K,0,38.26,-84.22,38.26,-84.22,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The NWS conducted a storm survey in northern Bourbon County and determined two concentrated areas of straight line wind damage. The first area was along the 700 to 800 block of Ruddles Mill Road. Several barns sustained significant damage with debris being thrown 1000 yards east. Several trees were split or uprooted. Most of the barns that sustained damage were on hilly surfaces. At Hillcroft Farm, 1818 Millersburg Road, a large metal barn sustained significant roofing damage. Further south on Highway 68 at Alder Nest Farms, a roof on a metal barn collapsed. During the survey, sporadic tree damage could be seen along Highway 68 and 27. The duration of the thunderstorm wind event was 3 minutes." +115206,695978,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 23:13:00,CST-6,2017-05-27 23:13:00,0,0,0,0,0.00K,0,0.00K,0,34.17,-97.17,34.17,-97.17,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695979,OKLAHOMA,2017,May,Thunderstorm Wind,"CARTER",2017-05-27 23:20:00,CST-6,2017-05-27 23:20:00,0,0,0,0,0.00K,0,0.00K,0,34.21,-97.25,34.21,-97.25,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695980,OKLAHOMA,2017,May,Thunderstorm Wind,"GARFIELD",2017-05-27 23:57:00,CST-6,2017-05-27 23:57:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-97.9,36.34,-97.9,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695982,OKLAHOMA,2017,May,Hail,"MCCLAIN",2017-05-28 00:54:00,CST-6,2017-05-28 00:54:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-97.34,34.88,-97.34,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115202,697873,OKLAHOMA,2017,May,Thunderstorm Wind,"GARVIN",2017-05-19 17:30:00,CST-6,2017-05-19 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,34.8,-96.96,34.8,-96.96,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Winds cause minor damage to trees and a barn. Time estimated by radar." +113616,684071,GEORGIA,2017,April,Thunderstorm Wind,"EARLY",2017-04-03 11:54:00,EST-5,2017-04-03 11:54:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-84.94,31.36,-84.94,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down near Blakely." +113616,684076,GEORGIA,2017,April,Thunderstorm Wind,"BAKER",2017-04-03 12:12:00,EST-5,2017-04-03 12:12:00,0,0,0,0,3.00K,3000,0.00K,0,31.37,-84.57,31.37,-84.57,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Several trees and power lines were blown down." +113616,684077,GEORGIA,2017,April,Thunderstorm Wind,"MILLER",2017-04-03 12:12:00,EST-5,2017-04-03 12:12:00,0,0,0,0,5.00K,5000,0.00K,0,31.17,-84.73,31.17,-84.73,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Several trees and power lines were blown down with a metal shed blown into the highway near Colquitt." +113616,684078,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:35:00,EST-5,2017-04-03 12:35:00,0,0,0,0,0.00K,0,0.00K,0,31.61,-84.23,31.61,-84.23,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Two large pine trees were blown down." +112859,677310,NEW JERSEY,2017,March,Heavy Rain,"ATLANTIC",2017-03-14 09:29:00,EST-5,2017-03-14 09:29:00,0,0,0,0,,NaN,,NaN,39.35,-74.77,39.35,-74.77,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy Rain from Nor'Easter." +117549,706952,ARIZONA,2017,May,Wildfire,"EASTERN MOGOLLON RIM",2017-05-19 15:02:00,MST-7,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Snake Ridge Fire was started by lightning on Friday May 19th, 2017 about nine miles northwest of Clints Well, and 10 miles southwest of Happy Jack, Arizona. This natural fire was allowed it to fulfill its role and move across the landscape consuming dead and downed wood, pine needles and forest fuels. The final size by June 5th was 15,333 Acres.","The Snake Ridge Fire burned 15,333 acres in dead and down wood, pine needles and forest fuels." +112859,678378,NEW JERSEY,2017,March,High Wind,"WESTERN OCEAN",2017-03-14 10:00:00,EST-5,2017-03-14 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Tree fell down onto a house on Hardine Rd." +112859,678382,NEW JERSEY,2017,March,High Wind,"CUMBERLAND",2017-03-14 11:43:00,EST-5,2017-03-14 11:43:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","NJWXNET need to fill space with lower case words so program takes entry." +112858,677307,MARYLAND,2017,March,Heavy Rain,"QUEEN ANNE'S",2017-03-14 11:54:00,EST-5,2017-03-14 11:54:00,0,0,0,0,,NaN,,NaN,38.98,-76.31,38.98,-76.31,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Heavy rainfall from the nor'easter. 2.7 inches." +112859,678380,NEW JERSEY,2017,March,High Wind,"SUSSEX",2017-03-14 09:43:00,EST-5,2017-03-14 09:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Measured Gust." +112857,678389,ATLANTIC NORTH,2017,March,Marine High Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-03-14 09:12:00,EST-5,2017-03-14 09:18:00,0,0,0,0,,NaN,,NaN,38.78,-75.12,38.78,-75.12,"High winds occurred on the ocean and bay waters. Top gusts not listed are buoy 44065 with a 52 mph gust, Barnegat light with a 49 mph gust and seaside heights with a gust of 59 and 60 kt. Also, South Beach Haven had a gust of 49 kt and both Wildwood and Dewey Beach had 52 kt peak gusts.","Two gusts of 60 and 64 mph in 8 minutes." +113620,680932,TEXAS,2017,March,Hail,"MIDLAND",2017-03-28 18:00:00,CST-6,2017-03-28 18:05:00,0,0,0,0,,NaN,,NaN,31.92,-102.0346,31.92,-102.0346,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116778,706047,VERMONT,2017,July,Flash Flood,"RUTLAND",2017-07-01 16:12:00,EST-5,2017-07-01 19:30:00,0,0,0,0,700.00K,700000,0.00K,0,43.845,-73.0371,43.833,-73.0273,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","The Neshobe River was forced out of its banks in Brandon, causing extensive damage. Newton Road was heavily damaged, with much of the road scoured away to a depth of several feet. 16 homes were damaged, and residents were evacuated." +116778,706048,VERMONT,2017,July,Flash Flood,"RUTLAND",2017-07-01 14:53:00,EST-5,2017-07-01 19:15:00,0,0,0,0,18.00K,18000,0.00K,0,43.751,-73.3569,43.7693,-73.1378,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged local roads in Hubbardton, Benson, and West Haven." +116778,706049,VERMONT,2017,July,Flash Flood,"RUTLAND",2017-07-01 16:30:00,EST-5,2017-07-01 19:30:00,0,0,0,0,3.00K,3000,0.00K,0,43.6823,-72.7161,43.6213,-72.7424,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged Town Highway 22 in Killington, isolating several homes." +116803,707683,WYOMING,2017,May,Winter Storm,"SHIRLEY BASIN",2017-05-18 02:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Eight inches of snow was measured at Medicine Bow." +116778,706060,VERMONT,2017,July,Flash Flood,"WASHINGTON",2017-07-01 14:53:00,EST-5,2017-07-01 17:00:00,0,0,0,0,230.00K,230000,0.00K,0,44.3456,-72.8304,44.2193,-72.4319,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Brooks in Barre left their banks, flooding streets with rushing water. Gunner Brook left its banks in Barre, flooding streamside roads and yards with rushing water. Roads were also damaged throughout Middlesex, Duxbury, Northfield, Roxbury, and Warren." +116778,706065,VERMONT,2017,July,Flash Flood,"CALEDONIA",2017-07-01 16:30:00,EST-5,2017-07-01 17:15:00,0,0,0,0,400.00K,400000,0.00K,0,44.166,-72.0608,44.1915,-72.1617,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged roads and washed out culverts in Ryegate and Barnet." +117575,707071,VERMONT,2017,July,Flash Flood,"LAMOILLE",2017-07-07 15:30:00,EST-5,2017-07-07 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.6373,-72.6808,44.6341,-72.6723,"Thunderstorms with heavy rain developed in a warm moist airmass. Thunderstorms repeatedly moved over the same area in Lamoille County, causing flash flooding.","Flash flooding from repeated thunderstorms flooded Route 15 on the east side of Johnson." +113842,681733,KANSAS,2017,March,Hail,"ALLEN",2017-03-09 10:39:00,CST-6,2017-03-09 10:39:00,0,0,0,0,,NaN,,NaN,37.93,-95.4,37.93,-95.4,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +117091,704431,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"GRAND TRAVERSE BAY FROM GRAND TRAVERSE LIGHT TO NORWOOD MI",2017-05-18 00:50:00,EST-5,2017-05-18 00:58:00,0,0,0,0,0.00K,0,0.00K,0,44.778,-85.6316,44.7634,-85.5608,"Several clusters of strong thunderstorms produced gusty winds over portions of northern Lake Michigan, ahead of a cold front.","Gust measured at Cherry Capital Airport and in Greilickville." +117091,704438,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-05-18 00:43:00,EST-5,2017-05-18 00:43:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-85.78,45.02,-85.78,"Several clusters of strong thunderstorms produced gusty winds over portions of northern Lake Michigan, ahead of a cold front.","Gust measured in Leland." +117091,704430,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-05-17 23:40:00,EST-5,2017-05-18 00:13:00,0,0,0,0,0.00K,0,0.00K,0,44.288,-86.3422,44.6066,-86.2595,"Several clusters of strong thunderstorms produced gusty winds over portions of northern Lake Michigan, ahead of a cold front.","Gusts measured at Manistee Blacker Airport and in Frankfort." +113842,681734,KANSAS,2017,March,Hail,"ALLEN",2017-03-09 10:45:00,CST-6,2017-03-09 10:45:00,0,0,0,0,,NaN,,NaN,37.92,-95.34,37.92,-95.34,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","Reported via social media." +113842,681735,KANSAS,2017,March,Hail,"ALLEN",2017-03-09 10:46:00,CST-6,2017-03-09 10:46:00,0,0,0,0,,NaN,,NaN,37.93,-95.4,37.93,-95.4,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +116803,702349,WYOMING,2017,May,Winter Storm,"SIERRA MADRE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 12 inches of snow." +116803,702351,WYOMING,2017,May,Winter Storm,"SIERRA MADRE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 15.6 inches of snow." +116803,702366,WYOMING,2017,May,Winter Storm,"SNOWY RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 12 inches of snow." +113616,684107,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:15:00,EST-5,2017-04-03 13:15:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-83.87,31.48,-83.87,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in the Gordy area." +113616,684109,GEORGIA,2017,April,Thunderstorm Wind,"TURNER",2017-04-03 13:15:00,EST-5,2017-04-03 13:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.66,-83.74,31.8,-83.48,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Numerous trees and power lines were blown down across Turner county." +113616,684110,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:15:00,EST-5,2017-04-03 13:15:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-83.81,31.72,-83.81,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down on Highway 33N." +114303,684796,ARKANSAS,2017,April,Hail,"MILLER",2017-04-26 13:57:00,CST-6,2017-04-26 13:57:00,0,0,0,0,0.00K,0,0.00K,0,33.45,-94.02,33.45,-94.02,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong across Southwest Arkansas, with penny size hail having fallen near the Ben Lomond community and nickel size hail having fallen in Texarkana. These storms exited Southwest Arkansas by early afternoon with the passage of the cold front.","" +117483,706560,IOWA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-29 18:28:00,CST-6,2017-06-29 18:28:00,0,0,0,0,0.00K,0,0.00K,0,42.08,-95.1,42.08,-95.1,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Trained spotter reported several 6 inch tree branches down along with the 60 mph wind gusts." +117483,706568,IOWA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-29 20:02:00,CST-6,2017-06-29 20:02:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-93.38,42.76,-93.38,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Emergency manager reported very strong winds and had to pull off the road. Could not see across the parking lot. Estimated winds to be around 60 mph." +114304,684788,TEXAS,2017,April,Hail,"WOOD",2017-04-26 12:19:00,CST-6,2017-04-26 12:19:00,0,0,0,0,0.00K,0,0.00K,0,32.8,-95.44,32.8,-95.44,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684798,TEXAS,2017,April,Hail,"GREGG",2017-04-26 13:57:00,CST-6,2017-04-26 13:57:00,0,0,0,0,0.00K,0,0.00K,0,32.56,-94.76,32.56,-94.76,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684799,TEXAS,2017,April,Hail,"CHEROKEE",2017-04-26 14:10:00,CST-6,2017-04-26 14:10:00,0,0,0,0,0.00K,0,0.00K,0,31.79,-95.1,31.79,-95.1,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114323,685008,KENTUCKY,2017,April,Hail,"MARSHALL",2017-04-03 17:00:00,CST-6,2017-04-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9212,-88.286,36.9212,-88.286,"Diurnal heating and cold 500 mb temperatures around minus 18 degrees Celsius promoted the development of isolated to scattered thunderstorms during the afternoon. Surface dew points were generally in the 50's, and instability became sufficient for locally intense storms as mixed-layer capes approached 1000 j/kg. A 500 mb trough axis over the Plains moved northeast across the Lower Ohio Valley in the afternoon, providing enough cold air aloft for the generation of storms with hail.","" +113622,680788,WISCONSIN,2017,April,Hail,"CHIPPEWA",2017-04-09 21:04:00,CST-6,2017-04-09 21:04:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-91.43,44.93,-91.43,"Thunderstorms developed during the late afternoon and early evening in the southern Twin Cities metro area. These storms moved eastward into west central Wisconsin and briefly became severe near Spring Valley where quarter size hail fell. Another storm in Barron County, in Cumberland, had properties which received minor damage to roofs, with two properties sustaining significant damage with 40% shingle damage. One home had a tree fall on it which considerable damage to their roof. Most of these storms were locally strong and produced non-severe hail and wind gusts as they continued to propagate eastward across west central Wisconsin during the late evening.","" +114214,684139,ARKANSAS,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-01 02:30:00,CST-6,2017-03-01 02:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.46,-92.42,35.46,-92.42,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Multiple trees were down and outbuildings damaged. There was shingle damage to houses and sheet metal and other debris was scattered around." +114268,684606,TEXAS,2017,April,Hail,"RED RIVER",2017-04-04 21:02:00,CST-6,2017-04-04 21:02:00,0,0,0,0,0.00K,0,0.00K,0,33.6109,-95.0505,33.6109,-95.0505,"An upper low pressure system shifted east across the Southern Plains during the afternoon of April 4th, reaching Central Oklahoma during the evening. A southerly return flow was weak ahead of this storm system, resulting in a dry air mass in place as the atmosphere was scoured out in wake of a cold frontal passage which had moved through the region a couple of days prior. Despite the lack of low level moisture, strong wind shear, steep lapse rates, and very strong forcing aloft ahead of this low pressure system resulted in scattered but elevated strong to severe thunderstorm development over Southeast Oklahoma and portions of extreme Northeast Texas during the evening, where reports of large hail were observed across portions of Western McCurtain County Oklahoma and Red River County Texas. These storms weakened during the late evening as they outran the area of best forcing and instability closer to the upper level low.","Golfball size hail fell in Clarksville." +113677,680405,COLORADO,2017,January,Winter Storm,"ANIMAS RIVER BASIN",2017-01-05 20:00:00,MST-7,2017-01-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 2 to 4 inches were measured across the area." +113677,680423,COLORADO,2017,January,Winter Storm,"FLATTOP MOUNTAINS",2017-01-04 01:00:00,MST-7,2017-01-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 10 to 20 inches of snow fell across the area. Locally higher amounts included 36 inches at the Ripple Creek SNOTEL site." +113677,680449,COLORADO,2017,January,Winter Storm,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-01-04 03:00:00,MST-7,2017-01-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 10 to 15 inches were measured in the Ridgway area with 44 inches at the Columbine Pass SNOTEL site." +113677,680451,COLORADO,2017,January,Winter Storm,"SAN JUAN RIVER BASIN",2017-01-04 02:00:00,MST-7,2017-01-06 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 5 to 7 inches were measured in the Pagosa Springs area." +113677,680452,COLORADO,2017,January,Winter Weather,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-01-04 01:00:00,MST-7,2017-01-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 7 to 14 inches of snow fell across the area with locally up to 16.5 inches measured just south-southeast of Paonia." +113677,680703,COLORADO,2017,January,Winter Weather,"LOWER YAMPA RIVER BASIN",2017-01-04 04:00:00,MST-7,2017-01-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 4 to 5 inches were measured across the area." +113713,680708,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:08:00,EST-5,2017-02-12 23:08:00,0,0,0,0,,NaN,,NaN,38.9743,-77.1666,38.9743,-77.1666,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees and wires were down along MaCarthur Boulevard near 81st Street." +113125,676620,COLORADO,2017,January,Ice Storm,"GRAND VALLEY",2017-01-09 06:00:00,MST-7,2017-01-09 14:00:00,0,500,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally mild Pacific storm system produced rainfall which fell into some western Colorado valleys where trapped air with temperatures below freezing resulted in the formation of freezing rain.","Freezing rain, up to a half inch thick, quickly accumulated on roads and other surfaces at the beginning of the morning commute. There were hundreds of vehicle accidents and many roads were closed due to crashed vehicles blocking those roads. There were numerous injuries to those who slipped and fell. In fact, emergency rooms at hospitals in the Grand Valley exceeded their daily admittance records with over 200 people treated for broken bones and other blunt force injuries. Schools were closed throughout the Grand Valley, and many businesses were negatively impacted by either not opening, opening late, or the lack of customers." +113125,676683,COLORADO,2017,January,Ice Storm,"UPPER YAMPA RIVER BASIN",2017-01-09 02:00:00,MST-7,2017-01-09 05:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally mild Pacific storm system produced rainfall which fell into some western Colorado valleys where trapped air with temperatures below freezing resulted in the formation of freezing rain.","Freezing rain resulted in icy roads and a coating of ice on power lines between Clark and the west side of Steamboat Springs. Power went out around 0400 MST to over 4600 customers, and did not come back on to all areas until 1545 MST that day. The power outage was due to a downed ���feeder line��� west of Clark most likely caused by freezing rain in combination some wind." +113623,682952,WISCONSIN,2017,April,Hail,"PIERCE",2017-04-15 19:30:00,CST-6,2017-04-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,44.7501,-92.4871,44.7501,-92.4871,"A few thunderstorms developed across the Twin Cities metro area during the afternoon of Saturday, April 15th. When the storms moved into Wisconsin, one of the storms became severe briefly and produced quarter size hail between River Falls and Ellsworth.","Reported at 580th Ave and Maple Street in Ellsworth, WI." +113622,680539,WISCONSIN,2017,April,Hail,"CHIPPEWA",2017-04-09 21:05:00,CST-6,2017-04-09 21:05:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-91.39,44.93,-91.39,"Thunderstorms developed during the late afternoon and early evening in the southern Twin Cities metro area. These storms moved eastward into west central Wisconsin and briefly became severe near Spring Valley where quarter size hail fell. Another storm in Barron County, in Cumberland, had properties which received minor damage to roofs, with two properties sustaining significant damage with 40% shingle damage. One home had a tree fall on it which considerable damage to their roof. Most of these storms were locally strong and produced non-severe hail and wind gusts as they continued to propagate eastward across west central Wisconsin during the late evening.","" +113622,680622,WISCONSIN,2017,April,Hail,"PIERCE",2017-04-09 20:15:00,CST-6,2017-04-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-92.24,44.85,-92.24,"Thunderstorms developed during the late afternoon and early evening in the southern Twin Cities metro area. These storms moved eastward into west central Wisconsin and briefly became severe near Spring Valley where quarter size hail fell. Another storm in Barron County, in Cumberland, had properties which received minor damage to roofs, with two properties sustaining significant damage with 40% shingle damage. One home had a tree fall on it which considerable damage to their roof. Most of these storms were locally strong and produced non-severe hail and wind gusts as they continued to propagate eastward across west central Wisconsin during the late evening.","Dime to quarter sized hail reported." +113622,680624,WISCONSIN,2017,April,Hail,"DUNN",2017-04-09 20:25:00,CST-6,2017-04-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,44.92,-91.96,44.92,-91.96,"Thunderstorms developed during the late afternoon and early evening in the southern Twin Cities metro area. These storms moved eastward into west central Wisconsin and briefly became severe near Spring Valley where quarter size hail fell. Another storm in Barron County, in Cumberland, had properties which received minor damage to roofs, with two properties sustaining significant damage with 40% shingle damage. One home had a tree fall on it which considerable damage to their roof. Most of these storms were locally strong and produced non-severe hail and wind gusts as they continued to propagate eastward across west central Wisconsin during the late evening.","Mainly pea sized with a few as large as pennies." +113713,680725,MARYLAND,2017,February,Thunderstorm Wind,"HARFORD",2017-02-12 23:02:00,EST-5,2017-02-12 23:02:00,0,0,0,0,,NaN,,NaN,39.521,-76.4265,39.521,-76.4265,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Two trees were down in Fallston." +113713,680726,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:02:00,EST-5,2017-02-12 23:02:00,0,0,0,0,,NaN,,NaN,39.102,-76.982,39.102,-76.982,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto power lines on Cape May Road." +113713,680728,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:05:00,EST-5,2017-02-12 23:05:00,0,0,0,0,,NaN,,NaN,39.017,-77.1605,39.017,-77.1605,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down blocking Seven Locks Road." +113713,680729,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:06:00,EST-5,2017-02-12 23:06:00,0,0,0,0,,NaN,,NaN,38.9755,-77.1262,38.9755,-77.1262,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down near Winston Drive and River Road." +113713,680730,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:09:00,EST-5,2017-02-12 23:09:00,0,0,0,0,,NaN,,NaN,39.0172,-77.0285,39.0172,-77.0285,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on the I-495 Outer loop prior to Sligo Creek Parkway." +113894,682202,CALIFORNIA,2017,February,Flood,"SOLANO",2017-02-06 05:00:00,PST-8,2017-02-07 05:00:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-121.97,38.3574,-121.9662,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Heavy rain and southerly winds gusting to near 45 mph caused flooding and knocked out power in the Tulare and Southwood areas of Vacaville. Power restored by 8 am." +113680,680471,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-02-25 16:33:00,EST-5,2017-02-25 16:33:00,0,0,0,0,,NaN,,NaN,38.39,-76.53,38.39,-76.53,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 35 knots were reported at Patuxent River." +113680,680472,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-02-25 16:48:00,EST-5,2017-02-25 16:48:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts in excess of 30 knots were reported at Point Lookout." +113680,680473,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-02-25 16:56:00,EST-5,2017-02-25 16:56:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts in excess of 30 knots were reported at Lower Hoopers Island." +113710,680672,MARYLAND,2017,February,Hail,"FREDERICK",2017-02-25 14:23:00,EST-5,2017-02-25 14:23:00,0,0,0,0,,NaN,,NaN,39.5466,-77.311,39.5466,-77.311,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Woodsboro." +113710,680673,MARYLAND,2017,February,Hail,"CARROLL",2017-02-25 14:57:00,EST-5,2017-02-25 14:57:00,0,0,0,0,,NaN,,NaN,39.5173,-76.9546,39.5173,-76.9546,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Reese." +114417,685920,ILLINOIS,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-26 14:14:00,CST-6,2017-04-26 14:17:00,0,0,0,0,,NaN,0.00K,0,38.2799,-88.9212,38.32,-88.9,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","Severe thunderstorm winds up to 70 mph spread rapidly northeast across the Mt. Vernon area. A trained spotter measured a wind gust to 70 mph about three miles south-southwest of Mt. Vernon. The public estimated a wind gust to 60 mph in Mt. Vernon." +120579,722329,E PACIFIC,2017,November,Waterspout,"POINT GRENVILLE TO CAPE SHOALWATER OUT TO 10 NM",2017-11-16 14:58:00,PST-8,2017-11-16 15:04:00,0,0,0,0,0.00K,0,0.00K,0,46.9692,-124.4284,46.9692,-124.4284,"A pair of waterspouts were videoed about 6 miles west of Ocean Shores at around 3 PM on the 16th. The waterspouts lasted around 5 minutes. No damage was reported.","A pair of waterspouts were videoed about 6 miles west of Ocean Shores at around 3 PM on the 16th. The waterspouts lasted around 5 minutes. No damage was reported." +120874,723721,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-05 09:51:00,PST-8,2017-11-05 11:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Brief high wind occurred on Lopez Island.","Lopez Island had sustained wind of 41 mph." +114417,685924,ILLINOIS,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-26 14:20:00,CST-6,2017-04-26 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,38.32,-88.8078,38.4168,-88.75,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","Severe thunderstorm winds to 70 mph affected much of eastern and northeastern Jefferson County. A trained spotter about five miles east of Mt. Vernon estimated winds gusted to at least 70 mph. Small hail was reported with the storm as well. About five miles north of Bluford near the Wayne County line, a trained spotter measured a wind gust to 58 mph, which downed small tree limbs. Large tree limbs were blown down in Bluford, including one limb which fell through the roof of a house." +114418,685943,KENTUCKY,2017,April,Thunderstorm Wind,"FULTON",2017-04-26 18:05:00,CST-6,2017-04-26 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,36.569,-88.9713,36.569,-88.9713,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","A barn roof was blown off along Highway 924." +114440,688120,ILLINOIS,2017,April,Flood,"WILLIAMSON",2017-04-29 08:00:00,CST-6,2017-04-29 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,37.82,-88.93,37.8132,-88.9296,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Flooding continued from the torrential rains that occurred during the overnight and early morning hours. In Johnston City, four feet of water covered an intersection, and water rescues were taking place in the area. Some residents of Johnston City were forced to evacuate their homes and relocate to a Red Cross shelter in Marion. A television station at Carterville measured 7.34 inches in the previous 24 hours, and 5.82 inches during the morning hours." +116496,700580,MISSOURI,2017,June,Thunderstorm Wind,"SCOTLAND",2017-06-17 18:35:00,CST-6,2017-06-17 18:35:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-92.02,40.46,-92.02,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","A tree was reported down on a power line." +116496,700583,MISSOURI,2017,June,Thunderstorm Wind,"CLARK",2017-06-17 19:20:00,CST-6,2017-06-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-91.93,40.36,-91.93,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","Spotter estimated 65 mph winds." +122061,730709,COLORADO,2017,December,Winter Weather,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-12-03 19:00:00,MST-7,2017-12-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a period of moderate to heavy snowfall to the Park Mountains in western Jackson County. Storm totals included 13 inches, 9 miles east-northeast of Steamboat Springs, with lesser amounts of 4 to 8 inches elsewhere.","" +122077,730803,COLORADO,2017,December,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-12-29 02:24:00,MST-7,2017-12-29 08:02:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in the Front Range mountains and foothills. Peak wind gust reports included: 98 mph, 2 miles south-southeast of Gold Hill, 91 mph, 3 miles south of Gold Hill; 89 mph near Aspen Springs; 86 mph, 4 miles east-northeast of Nederland; 83 mph, 3 miles southwest of Jefferson; 78 mph near Dumont; 77 mph near Rocky Flats; with 75 mph near Aspen Springs.","" +119058,716748,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 20:55:00,CST-6,2017-07-22 20:58:00,0,0,0,0,,NaN,,NaN,38.98,-94.65,38.98,-94.65,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A tree was blown onto a house in Prairie Village after 70-80 mph winds came through the area." +119058,716749,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 20:55:00,CST-6,2017-07-22 20:58:00,0,0,0,0,,NaN,,NaN,39.0293,-94.724,39.0293,-94.724,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A tree fell onto a car after 70-80 mph winds came through the area." +114775,690288,MISSOURI,2017,April,Flash Flood,"CAPE GIRARDEAU",2017-04-30 01:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,37.37,-89.82,37.3811,-89.7973,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Flash flooding of the Whitewater Creek affected the community of Burfordville. Floodwaters from the creek damaged several homes and two vehicles. A motorist attempting to pass through the flooding ended up stranded in a flooded ditch. The vehicle was partially submerged, but nobody was injured." +114511,686747,IOWA,2017,April,Hail,"PLYMOUTH",2017-04-15 19:10:00,CST-6,2017-04-15 19:13:00,0,0,0,0,125.00K,125000,0.00K,0,42.62,-96.29,42.62,-96.29,"Large hail was produced across portions of northwest Iowa as thunderstorms moved out of southeast South Dakota and northeast Nebraska. Overall, the storms impacted a very small area.","Numerous reports of large hail up to half dollar size caused plenty of damage mainly to windows of homes and vehicles." +113585,679923,MASSACHUSETTS,2017,February,Strong Wind,"NORTHERN WORCESTER",2017-02-13 08:00:00,EST-5,2017-02-13 21:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","Multiple trees down on East County Road and Wachusett Streets in Rutland at 1:21 PM." +114111,683509,LOUISIANA,2017,April,Tornado,"WINN",2017-04-02 15:16:00,CST-6,2017-04-02 15:23:00,0,0,0,0,70.00K,70000,0.00K,0,31.7088,-92.8429,31.7449,-92.8287,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","This is a continuation of the EF-1 tornado from Northwest Grant Parish. This tornado intensified as it moved into Southwest Winn Parish, where maximum estimated winds ranged between 100-110 mph, and tracked northeast across Davidson Road, where falling trees destroyed a truck and RV. A nearby house sustained roof damage as well. The tornado moved across Mitchell and McLane Roads, where several outbuildings were damaged, rolled, or destroyed. Other nearby homes also lost shingles from their roofs. This tornado finally lifted just north of Harrisonburg Road." +116026,697306,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 15:05:00,MST-7,2017-04-09 17:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher." +116026,697307,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 12:30:00,MST-7,2017-04-09 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 09/1230 MST." +116026,697308,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 12:45:00,MST-7,2017-04-09 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 09/1345 MST." +121758,728840,PENNSYLVANIA,2017,November,Thunderstorm Wind,"ALLEGHENY",2017-11-19 00:10:00,EST-5,2017-11-19 00:15:00,0,0,0,0,10.00K,10000,0.00K,0,40.47,-79.74,40.4907,-79.698,"A strong cold front crossing the upper Ohio Valley late on the 18th produced isolated wind damage across the region. While most of the observations indicating wind gusts of 50mph or less, there was an enhanced area along the line where both straight line wind damage and a brief tornado were confirmed. Wind speeds maxed out between 80-90mph in this area. Damage was primarily to trees however, some structural damage was noted in the tornadoes track.","The National Weather Service in Pittsburgh conducted a storm survey that concluded a path of wind damage before and along the south flank of an associated tornadic mesovortex most likely was caused by straight-line wind along a local surge in storm outflow over a five-minute interval beginning at 1210 am. Damage appears to have begun in Boyce park near the entrance at New Texas Road." +115726,695456,ALABAMA,2017,April,Thunderstorm Wind,"WINSTON",2017-04-22 15:33:00,CST-6,2017-04-22 15:34:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-87.12,34.22,-87.12,"A upper level short wave trof approached north Alabama on the afternoon of April 22nd. An intense line of thunderstorms developed over northern Mississippi and tracked eastward across north Alabama, producing sporadic wind damage.","Several trees uprooted and a metal roof blown off a chicken house." +112887,675708,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 08:17:00,EST-5,2017-03-01 08:17:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-84.31,37.74,-84.31,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported trees snapped in half, and roof damage to structures." +112887,675717,KENTUCKY,2017,March,Flash Flood,"HANCOCK",2017-03-01 07:00:00,CST-6,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-86.8,37.8104,-86.7956,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported flooding on Highway 2181 and the roadway was closed between mile markers 4 and 5." +116883,702741,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-16 14:32:00,CST-6,2017-05-16 14:32:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.96,36.62,-100.96,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +113197,677169,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-27 15:21:00,EST-5,2017-03-27 15:21:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-85.93,37.81,-85.93,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +113197,677171,KENTUCKY,2017,March,Hail,"BULLITT",2017-03-27 15:43:00,EST-5,2017-03-27 15:43:00,0,0,0,0,,NaN,0.00K,0,37.9,-85.72,37.9,-85.72,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","" +116883,702742,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 14:51:00,CST-6,2017-05-16 14:51:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-100.83,36.64,-100.83,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116883,702743,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 15:45:00,CST-6,2017-05-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-100.54,36.91,-100.54,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Late report. Mostly quarter size hail with a few as large as ping pong ball size." +116091,697774,WISCONSIN,2017,May,Thunderstorm Wind,"VERNON",2017-05-17 17:01:00,CST-6,2017-05-17 17:01:00,0,0,0,0,3.00K,3000,0.00K,0,43.65,-90.34,43.65,-90.34,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down in Hillsboro. One downed tree took out a light pole." +112932,674743,TENNESSEE,2017,March,Thunderstorm Wind,"ROANE",2017-03-01 13:30:00,EST-5,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,35.87,-84.51,35.87,-84.51,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Several trees were reported down across Roane County." +112572,671649,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:05:00,EST-5,2017-02-25 17:05:00,0,0,0,0,,NaN,,NaN,41.04,-74.88,41.04,-74.88,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","A tree was downed due to thunderstorm winds onto a house with several trees uprooted as well due to thunderstorm winds." +116091,698625,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 17:09:00,CST-6,2017-05-17 17:09:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-90.5,43.99,-90.5,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 60 mph wind gust occurred in Tomah." +116091,698628,WISCONSIN,2017,May,Thunderstorm Wind,"CLARK",2017-05-17 17:09:00,CST-6,2017-05-17 17:09:00,0,0,0,0,3.00K,3000,0.00K,0,44.5,-90.68,44.5,-90.68,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Numerous trees were blown down across the southwest part of Clark County." +116091,698638,WISCONSIN,2017,May,Hail,"CLARK",2017-05-17 17:45:00,CST-6,2017-05-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-90.35,44.71,-90.35,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","" +116491,700558,NEW MEXICO,2017,May,High Wind,"SACRAMENTO MOUNTAINS ABOVE 7500 FEET",2017-05-16 17:09:00,MST-7,2017-05-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with an associated upper trough and 120 knot jet moved across the border region and brought wind gusts up to 65 mph.","A 58 mph gust was recorded on a Weather Underground site located 1 mile south of Sunspot." +116950,703354,OKLAHOMA,2017,May,Hail,"CIMARRON",2017-05-21 16:00:00,CST-6,2017-05-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-102.57,36.91,-102.57,"An upper level trough moving east across the Rockies along with a surface trough across eastern New Mexico allowed a good set up for strong south and southeasterly surface flow. As the axis of the surface trough moved east into the far western OK Panhandle, with given SBCAPE of around 1000 J/Kg and effective shear of 30-40 kts. in the small aforementioned domain, this did allow some isolated storms to form where a hail report and a strong wind report was observed.","" +116950,703355,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-21 18:05:00,CST-6,2017-05-21 18:05:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-101.23,36.86,-101.23,"An upper level trough moving east across the Rockies along with a surface trough across eastern New Mexico allowed a good set up for strong south and southeasterly surface flow. As the axis of the surface trough moved east into the far western OK Panhandle, with given SBCAPE of around 1000 J/Kg and effective shear of 30-40 kts. in the small aforementioned domain, this did allow some isolated storms to form where a hail report and a strong wind report was observed.","" +115887,701623,WISCONSIN,2017,May,Thunderstorm Wind,"LANGLADE",2017-05-17 19:12:00,CST-6,2017-05-17 19:12:00,0,0,0,0,0.00K,0,0.00K,0,45.43,-89.18,45.43,-89.18,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees in Elcho." +115887,701625,WISCONSIN,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-17 19:04:00,CST-6,2017-05-17 19:04:00,0,0,0,0,0.00K,0,0.00K,0,45.59,-89.55,45.59,-89.55,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in Woodboro. The time of this event was estimated based on radar data." +112308,673107,NEW JERSEY,2017,February,Winter Weather,"EASTERN ATLANTIC",2017-02-09 13:00:00,EST-5,2017-02-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 0.3 inches were measured in Atlantic City during the afternoon of Feb 9." +115887,701627,WISCONSIN,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-17 19:16:00,CST-6,2017-05-17 19:16:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-89.3,45.78,-89.3,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines at Sugar Camp." +115887,701635,WISCONSIN,2017,May,Thunderstorm Wind,"VILAS",2017-05-17 19:34:00,CST-6,2017-05-17 19:34:00,0,0,0,0,0.00K,0,0.00K,0,46.12,-89.64,46.12,-89.64,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed about fifteen, 15-20 inch diameter trees northwest of Boulder Junction. Some of the trees blocked roads in the area. The time of this event was estimated based on radar." +115887,701646,WISCONSIN,2017,May,Thunderstorm Wind,"OUTAGAMIE",2017-05-17 21:05:00,CST-6,2017-05-17 21:05:00,0,0,0,0,0.00K,0,0.00K,0,44.2581,-88.5189,44.2581,-88.5189,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorms produced a wind gust to 61 mph at Appleton International Airport." +115887,701654,WISCONSIN,2017,May,Thunderstorm Wind,"WAUSHARA",2017-05-17 20:20:00,CST-6,2017-05-17 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-89.28,44.06,-89.28,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds snapped and uprooted a couple of trees south of Wautoma." +116606,704495,MISSOURI,2017,May,Thunderstorm Wind,"PLATTE",2017-05-18 21:25:00,CST-6,2017-05-18 21:28:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.7,39.24,-94.7,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","This report was received via social media." +116606,704496,MISSOURI,2017,May,Thunderstorm Wind,"CLAY",2017-05-18 21:30:00,CST-6,2017-05-18 21:33:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.54,39.25,-94.54,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A trained spotter reported a 75 mph wind gust." +116606,704497,MISSOURI,2017,May,Thunderstorm Wind,"CLAY",2017-05-18 21:33:00,CST-6,2017-05-18 21:36:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-94.58,39.26,-94.58,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A member of the public via amateur radio reported a 65 mph wind gust." +116606,704498,MISSOURI,2017,May,Thunderstorm Wind,"CLAY",2017-05-18 21:37:00,CST-6,2017-05-18 21:39:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.42,39.24,-94.42,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A trained spotter reported a 60 mph wind." +116606,704499,MISSOURI,2017,May,Thunderstorm Wind,"CLAY",2017-05-18 21:48:00,CST-6,2017-05-18 21:51:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.42,39.25,-94.42,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","A trained spotter reported a 75 mph wind gust." +113984,682632,IOWA,2017,March,Heavy Snow,"OSCEOLA",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Widespread 6 to 8 inches of snow fell across the county with this major winter storm causing a few schools to delay their start Monday morning due to the lingering affects of the snow. Besides the heavy snow, strong northwest winds of 20 to 30 mph caused widespread blowing and drifting snow, which further impacted travel across the county." +113984,682633,IOWA,2017,March,Winter Weather,"LYON",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113984,682636,IOWA,2017,March,Winter Weather,"BUENA VISTA",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113984,682645,IOWA,2017,March,Winter Weather,"OSCEOLA",2017-03-12 17:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Two to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113984,682634,IOWA,2017,March,Winter Weather,"SIOUX",2017-03-12 17:00:00,CST-6,2017-03-13 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of northwest Iowa. A widespread 6 to 8 inches of snow fell across portions of the area, which impacted travel across the area.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +114153,683579,NEW HAMPSHIRE,2017,March,Heavy Snow,"BELKNAP",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683612,NEW HAMPSHIRE,2017,March,Heavy Snow,"CHESHIRE",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683613,NEW HAMPSHIRE,2017,March,Heavy Snow,"COASTAL ROCKINGHAM",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683614,NEW HAMPSHIRE,2017,March,Heavy Snow,"EASTERN HILLSBOROUGH",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +112932,674745,TENNESSEE,2017,March,Thunderstorm Wind,"ROANE",2017-03-01 13:38:00,EST-5,2017-03-01 13:38:00,0,0,0,0,,NaN,,NaN,35.96,-84.3,35.96,-84.3,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A large tree was reported down at the intersection of West Outer and Warwick Lane in Oak Ridge." +112932,674746,TENNESSEE,2017,March,Thunderstorm Wind,"KNOX",2017-03-01 14:05:00,EST-5,2017-03-01 14:05:00,0,0,0,0,,NaN,,NaN,35.9,-83.95,35.9,-83.95,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A tin roof was torn off a Barn five miles south of Knoxville." +112932,674751,TENNESSEE,2017,March,Thunderstorm Wind,"KNOX",2017-03-01 15:25:00,EST-5,2017-03-01 15:25:00,0,0,0,0,,NaN,,NaN,35.9,-84.03,35.9,-84.03,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Minor roof damage was reported in Rocky Hill." +112932,674748,TENNESSEE,2017,March,Thunderstorm Wind,"RHEA",2017-03-01 14:40:00,EST-5,2017-03-01 14:40:00,0,0,0,0,,NaN,,NaN,35.49,-85.01,35.49,-85.01,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Several trees were reported down in the southern half of Rhea County." +115097,701511,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-10 23:35:00,CST-6,2017-05-10 23:35:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-94.45,36.42,-94.45,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across northwestern Arkansas ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. The strongest storms produced damaging wind and locally heavy rainfall.","Strong thunderstorm wind gusts snapped large tree limbs." +116145,701603,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-18 22:45:00,CST-6,2017-05-18 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-94.53,36.18,-94.53,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind gusts snapped large tree limbs." +116145,701891,ARKANSAS,2017,May,Thunderstorm Wind,"SEBASTIAN",2017-05-18 23:05:00,CST-6,2017-05-18 23:05:00,0,0,0,0,0.00K,0,0.00K,0,35.2405,-94.2449,35.2405,-94.2449,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Thunderstorm wind gusts were measured to 63 mph." +116149,702020,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 20:00:00,CST-6,2017-05-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-94.23,36.43,-94.23,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","Strong thunderstorm wind snapped large tree limbs." +116144,701579,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:53:00,CST-6,2017-05-18 20:53:00,0,0,0,0,0.00K,0,0.00K,0,36.2422,-95.9753,36.2422,-95.9753,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind uprooted a tree in Turley." +116144,701580,OKLAHOMA,2017,May,Thunderstorm Wind,"PITTSBURG",2017-05-18 20:55:00,CST-6,2017-05-18 20:55:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-95.97,35.05,-95.97,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +115140,691169,KENTUCKY,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-27 18:19:00,EST-5,2017-05-27 18:19:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-85.31,37.32,-85.31,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Local law enforcement reported trees down across the area." +115140,691171,KENTUCKY,2017,May,Thunderstorm Wind,"HART",2017-05-27 17:42:00,CST-6,2017-05-27 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-85.9,37.38,-85.9,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Trained spotters reported numerous trees down across the county." +115140,691172,KENTUCKY,2017,May,Thunderstorm Wind,"CLINTON",2017-05-27 17:47:00,CST-6,2017-05-27 17:47:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-85.24,36.78,-85.24,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Local law enforcement reported trees down across the area." +115140,691174,KENTUCKY,2017,May,Thunderstorm Wind,"OHIO",2017-05-27 17:20:00,CST-6,2017-05-27 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-86.8,37.56,-86.8,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Local law enforcement reported downed trees across the county." +116144,701913,OKLAHOMA,2017,May,Thunderstorm Wind,"MAYES",2017-05-19 19:09:00,CST-6,2017-05-19 19:09:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-95.4098,36.3,-95.4098,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to near 60 mph." +116144,701915,OKLAHOMA,2017,May,Flash Flood,"OKMULGEE",2017-05-19 19:34:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.6346,-95.9849,35.609,-95.9905,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Several roads in and around town were flooded and closed." +116460,700409,CALIFORNIA,2017,May,Winter Weather,"SAN BERNARDINO COUNTY MOUNTAINS",2017-05-07 02:00:00,PST-8,2017-05-07 17:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level strong trough of low pressure moved down the California coast on May 6th, becoming an unseasonably deep (552 DM at 500 mb) closed low over Southern California on the 7th. An associated surface low tracked from San Bernardino County south along the San Diego County coast. The two combined to produce favorable up-slope flow near Palomar Mt. and Birch Hill that resulted in nearly a foot of snow, setting records for May. Elsewhere snowfall was limited to 2 to 5 inches above 5000 ft. Showers and thunderstorms were widespread and persistent, but lower rain rates limited impacts. An isolated thunderstorm produced a weak landspout tornado near Victorville, and multiple locations including Cypress and Redlands reported accumulations of small hail. Peak rainfall totals occurred in San Diego County, where 0.50 to 2.5 inches fell west of the mountains. Winds were breezy in the deserts, especially as the system deepened on the 6th, but impacts were minimal.","Multiple spotters reported 2 to 5 inches of storm total snowfall. Lake Arrowhead received the most with 2 to 5 inches, Big Bear City reported 2 to 4 inches and 3 inches occurred in Twin Peaks." +116460,700410,CALIFORNIA,2017,May,Winter Weather,"RIVERSIDE COUNTY MOUNTAINS",2017-05-07 03:00:00,PST-8,2017-05-07 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level strong trough of low pressure moved down the California coast on May 6th, becoming an unseasonably deep (552 DM at 500 mb) closed low over Southern California on the 7th. An associated surface low tracked from San Bernardino County south along the San Diego County coast. The two combined to produce favorable up-slope flow near Palomar Mt. and Birch Hill that resulted in nearly a foot of snow, setting records for May. Elsewhere snowfall was limited to 2 to 5 inches above 5000 ft. Showers and thunderstorms were widespread and persistent, but lower rain rates limited impacts. An isolated thunderstorm produced a weak landspout tornado near Victorville, and multiple locations including Cypress and Redlands reported accumulations of small hail. Peak rainfall totals occurred in San Diego County, where 0.50 to 2.5 inches fell west of the mountains. Winds were breezy in the deserts, especially as the system deepened on the 6th, but impacts were minimal.","A trained spotter in Idyllwild reported 2.5 inches of storm total snowfall." +116460,700418,CALIFORNIA,2017,May,Tornado,"SAN BERNARDINO",2017-05-07 12:30:00,PST-8,2017-05-07 12:45:00,0,0,0,0,0.00K,0,,NaN,34.6207,-117.3743,34.6167,-117.375,"An upper level strong trough of low pressure moved down the California coast on May 6th, becoming an unseasonably deep (552 DM at 500 mb) closed low over Southern California on the 7th. An associated surface low tracked from San Bernardino County south along the San Diego County coast. The two combined to produce favorable up-slope flow near Palomar Mt. and Birch Hill that resulted in nearly a foot of snow, setting records for May. Elsewhere snowfall was limited to 2 to 5 inches above 5000 ft. Showers and thunderstorms were widespread and persistent, but lower rain rates limited impacts. An isolated thunderstorm produced a weak landspout tornado near Victorville, and multiple locations including Cypress and Redlands reported accumulations of small hail. Peak rainfall totals occurred in San Diego County, where 0.50 to 2.5 inches fell west of the mountains. Winds were breezy in the deserts, especially as the system deepened on the 6th, but impacts were minimal.","A landspout tornado occured near Southern California Logistics Airport in Victorville." +116625,704309,GEORGIA,2017,May,Thunderstorm Wind,"FULTON",2017-05-29 14:05:00,EST-5,2017-05-29 14:15:00,0,0,0,0,0.50K,500,,NaN,33.66,-84.51,33.66,-84.51,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","A report was received over social media of a tree blown down on Redwine Road near Princeton Way." +116625,704310,GEORGIA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-29 15:10:00,EST-5,2017-05-29 15:20:00,0,0,0,0,1.00K,1000,,NaN,32.14,-84.57,32.14,-84.57,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Webster County Emergency Manager reported a tree blown down on Churchill Road." +116625,704312,GEORGIA,2017,May,Thunderstorm Wind,"WILKES",2017-05-29 15:55:00,EST-5,2017-05-29 16:05:00,0,0,0,0,2.00K,2000,,NaN,33.7317,-82.7369,33.7263,-82.7323,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Wilkes County 911 center reported trees blown down at Alexander Street and Baltimore Road and along Baker Street in Washington." +116625,704313,GEORGIA,2017,May,Thunderstorm Wind,"GREENE",2017-05-29 16:50:00,EST-5,2017-05-29 17:10:00,0,0,0,0,4.00K,4000,,NaN,33.6713,-83.1068,33.6116,-83.0735,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Greene County 911 center reported trees blown down from Woodville to Union Point. Locations include Peachtree Avenue and Highway 77, Veazey Street, Hillard Street, and Athens Highway in Union Point." +116625,704315,GEORGIA,2017,May,Thunderstorm Wind,"LAURENS",2017-05-29 17:24:00,EST-5,2017-05-29 17:35:00,0,0,0,0,1.00K,1000,,NaN,32.3753,-82.8505,32.3753,-82.8505,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Laurens County 911 center reported a tree blown down on Hall Road." +117019,703843,NEW YORK,2017,May,Thunderstorm Wind,"ONONDAGA",2017-05-30 15:15:00,EST-5,2017-05-30 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,43.09,-76.13,43.09,-76.13,"Showers and thunderstorms developed along a lingering boundary that was stretched across New York and Pennsylvania Friday afternoon. These storms developed within a very unstable air mass. Once these storms developed, they quickly moved east and some of the storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and uprooted numerous trees in Woodlawn Cemetery. Gravestones were damaged by this storm." +112955,674917,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 16:00:00,CST-6,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported quarter size hail on the southeast side of Iowa City." +113322,678182,TENNESSEE,2017,February,Thunderstorm Wind,"LAUDERDALE",2017-02-07 01:35:00,CST-6,2017-02-07 01:40:00,0,0,0,0,2.00K,2000,0.00K,0,35.6714,-89.7534,35.6678,-89.7397,"A cold front generated line of thunderstorms of which a few were marginally severe on the early morning of February 7th.","Flag pole down at penitentiary." +113322,678184,TENNESSEE,2017,February,Hail,"TIPTON",2017-02-07 02:37:00,CST-6,2017-02-07 02:42:00,0,0,0,0,0.00K,0,0.00K,0,35.4236,-89.6926,35.4236,-89.6926,"A cold front generated line of thunderstorms of which a few were marginally severe on the early morning of February 7th.","Nickel size hail near Highway 14 and 206." +113322,678183,TENNESSEE,2017,February,Hail,"GIBSON",2017-02-07 03:00:00,CST-6,2017-02-07 03:05:00,0,0,0,0,0.00K,0,0.00K,0,35.8393,-88.8121,35.8393,-88.8121,"A cold front generated line of thunderstorms of which a few were marginally severe on the early morning of February 7th.","Penny size hail in southern Gibson County." +115298,695505,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:35:00,CST-6,2017-05-10 18:40:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-89.65,39.57,-89.65,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A large tree was blown down at the corner of Lewis and Second streets." +115298,695506,ILLINOIS,2017,May,Thunderstorm Wind,"SANGAMON",2017-05-10 18:42:00,CST-6,2017-05-10 18:47:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-89.58,39.58,-89.58,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Several tree branches were blown down across Pawnee, including some that blocked IL Route 014." +112955,674920,IOWA,2017,February,Hail,"SCOTT",2017-02-28 16:10:00,CST-6,2017-02-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-90.45,41.74,-90.45,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report of pea to nickel size hail was received through social media." +112955,674921,IOWA,2017,February,Hail,"CLINTON",2017-02-28 16:11:00,CST-6,2017-02-28 16:11:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-90.2,41.85,-90.2,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reports pea to dime size hail." +115298,695507,ILLINOIS,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-10 19:33:00,CST-6,2017-05-10 19:38:00,0,0,0,0,2.00K,2000,0.00K,0,39.87,-88.17,39.87,-88.17,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A power line was blown down." +115298,695508,ILLINOIS,2017,May,Thunderstorm Wind,"COLES",2017-05-10 19:36:00,CST-6,2017-05-10 19:41:00,0,0,0,0,15.00K,15000,0.00K,0,39.5711,-88.32,39.5711,-88.32,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A semi truck was blown over on I-57 at mile marker 195." +115745,704718,ILLINOIS,2017,May,Flash Flood,"VERMILION",2017-05-26 18:00:00,CST-6,2017-05-27 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4859,-87.8817,40.4512,-87.9026,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Intense rainfall of 2.00 to 3.00 inches in 30 to 60 minutes produced rapid flash flooding in northern Vermilion County. The flooding on roads from East Lynn to Hoopeston was intensified by hail drifts 1.5 to 3 feet deep. Severe street flooding was reported in Hoopeston with water up to 3 feet deep. Illinois Route 1 was impassable from near the Iroquois County line to 3 miles southwest of Hoopeston. The combination of additional rainfall during the late evening hours and slowly melting hail drifts kept flash flood conditions in place until the early morning hours of May 27th." +114469,686423,COLORADO,2017,May,Hail,"CUSTER",2017-05-10 14:15:00,MST-7,2017-05-10 14:20:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-105.08,38.24,-105.08,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686422,COLORADO,2017,May,Hail,"PUEBLO",2017-05-10 14:11:00,MST-7,2017-05-10 14:16:00,0,0,0,0,0.00K,0,0.00K,0,37.91,-104.94,37.91,-104.94,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686424,COLORADO,2017,May,Hail,"PUEBLO",2017-05-10 14:49:00,MST-7,2017-05-10 14:54:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-104.99,38.03,-104.99,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686426,COLORADO,2017,May,Hail,"PUEBLO",2017-05-10 15:06:00,MST-7,2017-05-10 15:11:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-104.98,38.08,-104.98,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +113397,679190,ALABAMA,2017,April,Hail,"MADISON",2017-04-05 15:56:00,CST-6,2017-04-05 15:56:00,0,0,0,0,,NaN,,NaN,34.78,-86.52,34.78,-86.52,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported on Jordan Road." +113397,679191,ALABAMA,2017,April,Hail,"MARSHALL",2017-04-05 16:52:00,CST-6,2017-04-05 16:52:00,0,0,0,0,,NaN,,NaN,34.2,-86.3,34.2,-86.3,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Nickel sized hail was reported in Horton." +113397,679192,ALABAMA,2017,April,Hail,"MARSHALL",2017-04-05 17:07:00,CST-6,2017-04-05 17:07:00,0,0,0,0,,NaN,,NaN,34.4,-86.18,34.4,-86.18,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Nickel sized hail was reported near Guntersville." +114827,690881,WISCONSIN,2017,May,Tornado,"RUSK",2017-05-16 16:38:00,CST-6,2017-05-16 17:56:00,0,0,0,0,420.00K,420000,0.00K,0,45.3923,-91.5413,45.4079,-90.6784,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","The long-track tornado continued from Barron County into Rusk County and produced EF3 damage in the Conrath area. It entered Rusk County with an east-northeast track, but shortly thereafter began a gradual turn to the east and barely missed the village of Weyerhaeuser. Soon after passing Weyerhaeuser, it even turned a little toward the east-southeast (this happened at about 45.4063, -91.3583). The tornado then barely missed the village of Conrath. North of Conrath, however, the tornado leveled a house, and this is where the EF3 damage took place. Elsewhere, the tornado destroyed numerous sheds, outbuildings and garages and thousands of trees across the county. The tornado continued into southwestern Price County where it only produced EF0 damage and dissipated at 18:10 CST at 45.3916, -90.4919." +117085,706863,KANSAS,2017,May,Tornado,"BARBER",2017-05-19 14:37:00,CST-6,2017-05-19 14:40:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-98.682,37.245,-98.6792,"Thunderstorms redeveloped after severe storms that occurred the previous day, before an upper low began to lift to the northeast. A warm front associated with the low across eastern zones created enough lift/rotation to spark several tornadoes in Barber and Pratt counties despite weak shear/CAPE.","There may have been some minor tree damage but was unable to locate due to road options." +117085,704418,KANSAS,2017,May,Tornado,"BARBER",2017-05-19 14:53:00,CST-6,2017-05-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.328,-98.617,37.3667,-98.593,"Thunderstorms redeveloped after severe storms that occurred the previous day, before an upper low began to lift to the northeast. A warm front associated with the low across eastern zones created enough lift/rotation to spark several tornadoes in Barber and Pratt counties despite weak shear/CAPE.","The tornado appeared to be stronger visually but no damage was found. There could have been some tree damage but there were not road options to observe any." +114666,687818,INDIANA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-20 18:06:00,EST-5,2017-05-20 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-85.46,38.76,-85.46,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","Measured at the Madison Airport." +114875,689163,TEXAS,2017,May,Hail,"FORT BEND",2017-05-23 18:30:00,CST-6,2017-05-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.5229,-95.7593,29.5229,-95.7593,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Golf ball size hail was reported." +114393,685608,UTAH,2017,January,Winter Weather,"TAVAPUTS PLATEAU",2017-01-20 08:00:00,MST-7,2017-01-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in significant to heavy snowfall for many areas in east-central and southeast Utah.","Up to 6 inches of snow fell across the Tavaputs Plateau in just over 24 hours." +114393,685610,UTAH,2017,January,Winter Weather,"GRAND FLAT AND ARCHES",2017-01-19 15:00:00,MST-7,2017-01-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in significant to heavy snowfall for many areas in east-central and southeast Utah.","Snowfall amounts of 2 to 3 inches were measured across the zone." +114393,685612,UTAH,2017,January,Winter Weather,"CANYONLANDS / NATURAL BRIDGES",2017-01-19 14:00:00,MST-7,2017-01-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in significant to heavy snowfall for many areas in east-central and southeast Utah.","Snowfall amounts of 2 to 3 inches were measured across the area." +114393,706454,UTAH,2017,January,Heavy Snow,"SOUTHEAST UTAH",2017-01-19 13:00:00,MST-7,2017-01-21 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in significant to heavy snowfall for many areas in east-central and southeast Utah.","Snowfall amounts of a foot or more were measured above the 5000 foot level. Blanding, the most populated community in this zone, received 18 inches of new snow. The transition between rain and snow was at about the 4500 foot level. Travel and other activity on some Navajo Nation lands was paralyzed due to the heavy snow that accumulated over a deep layer of mud. This situation resulted in a State of Emergency that was declared by the Navajo Nation for that area." +114381,685409,COLORADO,2017,January,Winter Storm,"FLATTOP MOUNTAINS",2017-01-22 11:00:00,MST-7,2017-01-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Generally 6 to 12 inches of snow fell across the area." +114381,685412,COLORADO,2017,January,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-22 05:00:00,MST-7,2017-01-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 6 to 12 inches were measured across the area." +114381,685416,COLORADO,2017,January,Winter Storm,"SAN JUAN RIVER BASIN",2017-01-22 18:00:00,MST-7,2017-01-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow that was followed by a potent upper trough brought a prolonged period of snowfall to the region.","Snowfall amounts of 5 to 7 inches were measured in the Pagosa Springs area." +113805,684624,ALABAMA,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-22 15:08:00,CST-6,2017-04-22 15:08:00,0,0,0,0,,NaN,,NaN,34.4,-87.73,34.4,-87.73,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Trees were knocked down across the road on U.S. Highway 43 just south of Spruce Pine." +113805,684625,ALABAMA,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-22 15:16:00,CST-6,2017-04-22 15:16:00,0,0,0,0,,NaN,,NaN,34.36,-87.6,34.36,-87.6,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Trees were knocked down onto cars on U.S. Highway 43." +113805,684626,ALABAMA,2017,April,Hail,"MADISON",2017-04-22 16:08:00,CST-6,2017-04-22 16:08:00,0,0,0,0,,NaN,,NaN,34.91,-86.53,34.91,-86.53,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Quarter sized hail was reported." +113805,684627,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-22 16:40:00,CST-6,2017-04-22 16:40:00,0,0,0,0,,NaN,,NaN,34.18,-87.11,34.18,-87.11,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","A chicken house was damaged by thunderstorm winds." +113805,684629,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-22 16:45:00,CST-6,2017-04-22 16:45:00,0,0,0,0,,NaN,,NaN,34.25,-87.06,34.25,-87.06,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Cars and trucks were overturned and barn damage was reported near CR 1055 and CR 1082. Time estimated by radar." +113805,684631,ALABAMA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-22 16:46:00,CST-6,2017-04-22 16:46:00,0,0,0,0,0.00K,0,0.00K,0,34.7771,-86.1471,34.7771,-86.1471,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Trees were knocked down leading to power outages. CR 17 was blocked by trees." +113805,684632,ALABAMA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-22 16:46:00,CST-6,2017-04-22 16:46:00,0,0,0,0,,NaN,,NaN,34.79,-86.12,34.79,-86.12,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","A large tree was knocked down onto a house." +113805,684633,ALABAMA,2017,April,Hail,"JACKSON",2017-04-22 16:49:00,CST-6,2017-04-22 16:49:00,0,0,0,0,,NaN,,NaN,34.82,-86.11,34.82,-86.11,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Nickel sized hail was reported." +112887,674492,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,15.00K,15000,0.00K,0,38.29,-84.56,38.29,-84.56,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local amateur radio reported trees fell on a home." +114413,685886,COLORADO,2017,February,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-02-11 17:00:00,MST-7,2017-02-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the area." +114413,685887,COLORADO,2017,February,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-02-10 19:00:00,MST-7,2017-02-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Snowfall amounts of 5 to 9 inches were measured across the area." +114413,685888,COLORADO,2017,February,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-02-11 15:00:00,MST-7,2017-02-14 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area." +114413,685891,COLORADO,2017,February,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-02-11 05:00:00,MST-7,2017-02-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Snowfall amounts of 5 to 6 inches were measured across the area." +114413,685885,COLORADO,2017,February,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-10 18:00:00,MST-7,2017-02-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in many mountain locations within western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the area. Locally higher amounts included 30 inches at the Schofield Pass SNOTEL site." +114414,685895,UTAH,2017,February,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-02-10 21:00:00,MST-7,2017-02-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front moved across the region and produced significant snowfall in the eastern Uinta Mountains.","Snowfall amounts of 6 to 11 inches were measured across the area." +114416,685901,COLORADO,2017,February,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-02-20 05:00:00,MST-7,2017-02-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low-level moisture remained trapped under strong valley inversions and resulted in the formation of dense fog across portions of the central and upper Yampa River Basins.","Dense fog occurred across portions of the upper Yampa River Basin as visibilities dropped down to a quarter mile or less." +114416,685900,COLORADO,2017,February,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-02-20 07:00:00,MST-7,2017-02-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low-level moisture remained trapped under strong valley inversions and resulted in the formation of dense fog across portions of the central and upper Yampa River Basins.","Dense fog occurred across portions of the central Yampa River Basin as visibilities dropped down to a quarter mile or less." +116186,703516,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 03:22:00,CST-6,2017-05-29 03:38:00,0,0,0,0,0.00K,0,0.00K,0,27.8476,-97.1185,27.8397,-97.0727,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","TCOON site at Port Aransas measured a gust to 50 knots." +116186,703525,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:14:00,CST-6,2017-05-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,27.6945,-97.3049,27.6879,-97.2916,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Corpus Christi Naval Air Station ASOS measured a gust to 34 knots." +116186,703527,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:44:00,CST-6,2017-05-29 02:58:00,0,0,0,0,0.00K,0,0.00K,0,27.6945,-97.3049,27.6879,-97.2916,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Corpus Christi Naval Air Station ASOS measured a gust to 40 knots." +116186,703529,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-05-29 03:15:00,CST-6,2017-05-29 03:15:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Brazos Platform AWOS measured a gust to 37 knots." +116186,703510,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-29 02:42:00,CST-6,2017-05-29 03:12:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5803,-97.2113,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","NOS site at Bob Hall Pier measured a gust to 52 knots." +116185,703521,TEXAS,2017,May,Thunderstorm Wind,"NUECES",2017-05-29 02:42:00,CST-6,2017-05-29 02:42:00,0,0,0,0,0.00K,0,0.00K,0,27.5829,-97.2206,27.5829,-97.2206,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","NOS site at Bob Hall Pier measured a gust to 60 mph." +118174,710168,NEW YORK,2017,July,Flash Flood,"FRANKLIN",2017-07-07 19:14:00,EST-5,2017-07-07 20:14:00,0,0,0,0,5.00K,5000,0.00K,0,44.8698,-74.4967,44.874,-74.4436,"Thunderstorms repeated moved over the same area in a warm moist air mass and produced flash flooding.","Water over a 1 to 2 mile section of county route 8." +117279,705374,IOWA,2017,June,Thunderstorm Wind,"MARION",2017-06-14 03:18:00,CST-6,2017-06-14 03:18:00,0,0,0,0,10.00K,10000,0.00K,0,41.32,-93.18,41.32,-93.18,"A slow moving cold front in central Nebraska initiated storms during the evening of the 13th which became linear and progressed into Iowa during the overnight hours. Within an MLCAPE environment of 1000-2000 J/kg and lackluster effective shear, the only severe reports were a trio of damaging winds. In addition to the damaging winds, periods of brief heavy rainfall occurred in a number of locations.","Law enforcement reported power poles down near Highway S45 and McKimber street west of Knoxville." +112859,678379,NEW JERSEY,2017,March,Ice Storm,"CAMDEN",2017-03-14 09:30:00,EST-5,2017-03-14 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Ice was estimated at 4/10th of an inch in Chesilhurst which brought down trees and wires." +117279,705375,IOWA,2017,June,Thunderstorm Wind,"TAMA",2017-06-14 03:20:00,CST-6,2017-06-14 03:20:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-92.47,42.19,-92.47,"A slow moving cold front in central Nebraska initiated storms during the evening of the 13th which became linear and progressed into Iowa during the overnight hours. Within an MLCAPE environment of 1000-2000 J/kg and lackluster effective shear, the only severe reports were a trio of damaging winds. In addition to the damaging winds, periods of brief heavy rainfall occurred in a number of locations.","Trained spotter reported one medium sized tree branch down in their backyard." +117316,705588,IOWA,2017,June,Hail,"WAYNE",2017-06-17 16:46:00,CST-6,2017-06-17 16:46:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-93.15,40.78,-93.15,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Trained spotter reported golf ball sized hail." +116803,707686,WYOMING,2017,May,Winter Storm,"NORTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","A foot of snow was measured eight miles southwest of Douglas." +116803,707685,WYOMING,2017,May,Winter Storm,"NIOBRARA COUNTY",2017-05-18 15:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Four to six inches of snow was observed from Manville to Lusk to Van Tassell." +116803,707687,WYOMING,2017,May,Winter Storm,"EAST PLATTE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Six inches of snow was measured six miles northeast of Glendo." +122186,731443,TEXAS,2017,December,Winter Weather,"BANDERA",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +116803,702352,WYOMING,2017,May,Winter Storm,"SIERRA MADRE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 16.8 inches of snow." +116803,702353,WYOMING,2017,May,Winter Storm,"SNOWY RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 12 inches of snow." +117483,706556,IOWA,2017,June,Funnel Cloud,"FRANKLIN",2017-06-29 16:14:00,CST-6,2017-06-29 16:14:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-93.3,42.62,-93.3,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Trained spotter reported a funnel cloud approximately half way to the ground." +117483,706557,IOWA,2017,June,Funnel Cloud,"FRANKLIN",2017-06-29 16:21:00,CST-6,2017-06-29 16:21:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-93.47,42.56,-93.47,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Public reported a funnel cloud looking west and slightly north along Hardin Rd." +114479,686485,MISSOURI,2017,March,Hail,"BATES",2017-03-09 12:45:00,CST-6,2017-03-09 12:46:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-94.34,38.26,-94.34,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686486,MISSOURI,2017,March,Hail,"CASS",2017-03-09 13:28:00,CST-6,2017-03-09 13:28:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-94.59,38.68,-94.59,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686487,MISSOURI,2017,March,Hail,"CASS",2017-03-09 13:53:00,CST-6,2017-03-09 13:57:00,0,0,0,0,,NaN,,NaN,38.51,-94.09,38.51,-94.09,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686489,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 13:58:00,CST-6,2017-03-09 13:58:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-94,38.46,-94,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686490,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 14:01:00,CST-6,2017-03-09 14:02:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-93.53,38.24,-93.53,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +112730,675536,NEW JERSEY,2017,March,High Wind,"WESTERN MONMOUTH",2017-03-02 07:30:00,EST-5,2017-03-02 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Route 33 closed near route 18 due to a downed tree." +116180,698343,TEXAS,2017,May,Thunderstorm Wind,"SAN PATRICIO",2017-05-23 18:40:00,CST-6,2017-05-23 19:15:00,0,0,0,0,250.00K,250000,700.00K,700000,28.1293,-97.5686,27.98,-97.3308,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","NWS Storm Survey team concluded the straight line winds continued out of Bee County into San Patricio County. The wind damage occurred along a line from 2 miles north of St. Paul to north of Sinton to 3 miles east of Taft. Wind speeds were estimated to be between 60 and 70 mph. Intermittent damage to trees and crops occurred along this line along with power lines blown down." +112730,675537,NEW JERSEY,2017,March,High Wind,"WESTERN OCEAN",2017-03-02 08:00:00,EST-5,2017-03-02 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Large tree branch downed." +116180,698335,TEXAS,2017,May,Thunderstorm Wind,"BEE",2017-05-23 18:10:00,CST-6,2017-05-23 18:40:00,0,0,0,0,5.00M,5000000,1.00M,1000000,28.54,-97.81,28.1304,-97.5702,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","NWS Storm Survey team concluded a macroburst of straight line winds impacted Bee County. The greatest concentration of damage occurred from 10 miles northwest of Beeville to Beeville to Skidmore to east of Papalote. Peak wind speeds were estimated to be between 80 and 85 mph in Beeville and between 85 to 90 mph in Skidmore. This caused extensive and widespread tree damage, crop damage, and numerous bent or blown down utility poles. Many homes and mobile homes were damaged, mainly from falling tree limbs. A grain silo was blown down and damage occurred to the Bonnie plant farm on the south side of Beeville. Large trees were blown down in Skidmore." +112730,675538,NEW JERSEY,2017,March,High Wind,"SUSSEX",2017-03-02 08:00:00,EST-5,2017-03-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A large tree fell due to winds." +116183,703411,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-23 19:27:00,CST-6,2017-05-23 19:33:00,0,0,0,0,0.00K,0,0.00K,0,28.024,-97.048,28.015,-97.0242,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","NOS site at Rockport measured a gust to 51 knots." +116183,703413,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-23 19:40:00,CST-6,2017-05-23 19:44:00,0,0,0,0,0.00K,0,0.00K,0,28.407,-96.712,28.386,-96.7236,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at Seadrift measured a gust to 41 knots." +112853,675814,DELAWARE,2017,March,Winter Weather,"NEW CASTLE",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front gradually moved south into Delaware early in the morning on the 10th. Rain changed to snow across northern portions of the state. The majority of snow accumulation was on grass due to very warm road temperatures. Top accumulations in northern New Castle county were around 2 inches. Further south around Dover only a dusting of snow accumulated.","Snow totals were measured by several spotters in the county of 2-3 inches in the northern part with a sharp cutoff to under an inch in southern portions of the county." +113842,681736,KANSAS,2017,March,Hail,"ALLEN",2017-03-09 10:50:00,CST-6,2017-03-09 10:50:00,0,0,0,0,,NaN,,NaN,37.92,-95.13,37.92,-95.13,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +114775,689709,MISSOURI,2017,April,Flash Flood,"PERRY",2017-04-30 01:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-89.58,37.6,-89.85,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Numerous county roads and about six state roads were flooded." +114348,685233,ARKANSAS,2017,March,Winter Weather,"NEWTON",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","One inch of snow was measured in Jasper in Newton County." +114348,685236,ARKANSAS,2017,March,Winter Weather,"WHITE",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Zero point eight inches (0.8) of snow was measured in Rose Bud in White County." +114443,688109,INDIANA,2017,April,Flood,"VANDERBURGH",2017-04-29 08:00:00,CST-6,2017-04-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-87.53,38.1006,-87.5274,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Following the flash flooding that occurred during the early morning hours, flooding of some roads lingered into the early afternoon hours." +114348,685256,ARKANSAS,2017,March,Heavy Snow,"MARION",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three point eight inches (3.8) of snow was measured in the town of Snow in Marion County." +114403,685801,KENTUCKY,2017,April,Thunderstorm Wind,"BALLARD",2017-04-16 14:22:00,CST-6,2017-04-16 14:22:00,0,0,0,0,1.00K,1000,0.00K,0,37.0295,-89.0244,37.0295,-89.0244,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. However, steepening low-level lapse rates with diurnal heating and around 25 to 30 knots of mid-level wind flow promoted isolated damaging winds in the strongest cells.","A tree fell across Highway 1368." +114405,685808,MISSOURI,2017,April,Hail,"RIPLEY",2017-04-20 16:05:00,CST-6,2017-04-20 16:05:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-90.82,36.62,-90.82,"A cluster of thunderstorms with locally damaging winds moved east-southeast across the Arkansas border counties during the late afternoon hours. The storms intensified as afternoon warming increased mixed-layer cape to around 1,500 j/kg. The combination of moderate instability and moderately strong deep-layer wind shear produced organized storm structures. A short bowing line of storms caused sporadic wind damage southeast of Doniphan. The storms formed ahead of a cold front that extended from central Illinois southwest across the Ozarks of Missouri.","" +114405,685809,MISSOURI,2017,April,Thunderstorm Wind,"RIPLEY",2017-04-20 15:35:00,CST-6,2017-04-20 15:45:00,0,0,0,0,2.00K,2000,0.00K,0,36.7034,-90.858,36.7499,-90.7337,"A cluster of thunderstorms with locally damaging winds moved east-southeast across the Arkansas border counties during the late afternoon hours. The storms intensified as afternoon warming increased mixed-layer cape to around 1,500 j/kg. The combination of moderate instability and moderately strong deep-layer wind shear produced organized storm structures. A short bowing line of storms caused sporadic wind damage southeast of Doniphan. The storms formed ahead of a cold front that extended from central Illinois southwest across the Ozarks of Missouri.","Two trees were blown down, blocking Route Y north of Doniphan and Route K northeast of Doniphan." +114275,684612,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-10 14:33:00,CST-6,2017-04-10 14:33:00,0,0,0,0,0.00K,0,0.00K,0,33.9392,-95.0349,33.9392,-95.0349,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Isolated strong thunderstorms developed during the afternoon ahead of the front and upper trough over Southeast Oklahoma, with penny size hail reported in Southwest McCurtain County near the Millerton and Valliant communities. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail fell on Highway 98 south of the Millerton community." +114304,684810,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:20:00,CST-6,2017-04-26 15:20:00,0,0,0,0,0.00K,0,0.00K,0,31.31,-94.76,31.31,-94.76,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +113819,682181,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-02 07:00:00,PST-8,2017-02-03 07:27:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 0.35 of rain measured over 24 hours." +113894,682222,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-09 07:00:00,PST-8,2017-02-10 07:45:00,0,0,0,0,0.00K,0,0.00K,0,38.72,-120.78,38.72,-120.78,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.80 of rain measured in Placerville, 24 hour total." +113894,682223,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-09 08:00:00,PST-8,2017-02-10 08:30:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-122.36,41.06,-122.36,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 2.60 of rain measured 4 WSW Castle Crag, 24 hour total." +113125,676689,COLORADO,2017,January,Ice Storm,"DEBEQUE TO SILT CORRIDOR",2017-01-09 06:00:00,MST-7,2017-01-09 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally mild Pacific storm system produced rainfall which fell into some western Colorado valleys where trapped air with temperatures below freezing resulted in the formation of freezing rain.","Widespread freezing rain resulted in icy road surfaces and numerous vehicle accidents. I-70 was closed for a few hours between Rifle and Rulison." +113125,676693,COLORADO,2017,January,Ice Storm,"CENTRAL COLORADO RIVER BASIN",2017-01-09 06:00:00,MST-7,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally mild Pacific storm system produced rainfall which fell into some western Colorado valleys where trapped air with temperatures below freezing resulted in the formation of freezing rain.","Widespread freezing rain as far east as Glenwood Canyon resulted in icy roads and numerous vehicle accidents. I-70 through Glenwood Canyon was closed much of the day due to the accidents and accident cleanup activities." +113803,681367,VIRGINIA,2017,February,High Wind,"PRINCE WILLIAM",2017-02-13 04:20:00,EST-5,2017-02-13 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 59 mph was reported at Quantico. A wind gust of 58 mph was also reported near Gainsville." +113803,682280,VIRGINIA,2017,February,High Wind,"FREDERICK",2017-02-12 22:15:00,EST-5,2017-02-12 22:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A tree was down in Gore along Sand Mine road. A wind gust of 58 mph was reported near Winchester. Tree and power lines were down on Witch hazel Trail. A tree was also down on power lines along Marlboro Road near Stephens City." +113803,682282,VIRGINIA,2017,February,High Wind,"WESTERN LOUDOUN",2017-02-12 22:33:00,EST-5,2017-02-12 22:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 58 mph was reported near Lovettsville." +113894,682203,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-06 08:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4964,-121.1967,38.496,-121.1957,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Deer Creek overflowed and floodwaters surrounded Sloughouse Inn." +113894,682204,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-06 08:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-122.38,40.58,-122.38,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 4.43 of rain measured at Redding over 24 hours." +113710,680674,MARYLAND,2017,February,Hail,"CHARLES",2017-02-25 15:13:00,EST-5,2017-02-25 15:13:00,0,0,0,0,,NaN,,NaN,38.6348,-76.8989,38.6348,-76.8989,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported at Old Washington Road near Waldorf." +113710,680675,MARYLAND,2017,February,Hail,"BALTIMORE",2017-02-25 15:25:00,EST-5,2017-02-25 15:25:00,0,0,0,0,,NaN,,NaN,39.3569,-76.5231,39.3569,-76.5231,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was located near Fullerton." +113716,680763,DISTRICT OF COLUMBIA,2017,February,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-02-12 23:25:00,EST-5,2017-02-12 23:25:00,0,0,0,0,,NaN,,NaN,38.9051,-76.9976,38.9051,-76.9976,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 59 mph was reported." +113677,680385,COLORADO,2017,January,Winter Weather,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-01-05 19:00:00,MST-7,2017-01-06 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 2 to 4 inches were measured across the area." +113677,680392,COLORADO,2017,January,Winter Storm,"CENTRAL COLORADO RIVER BASIN",2017-01-04 03:00:00,MST-7,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the area." +113677,680395,COLORADO,2017,January,Winter Storm,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-01-04 02:00:00,MST-7,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 20 to 40 inches of snow fell across the area. Locally higher amounts included 53 inches at the Spud Mountain SNOTEL site." +113677,680397,COLORADO,2017,January,Winter Storm,"UPPER YAMPA RIVER BASIN",2017-01-04 01:00:00,MST-7,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 8 to 16 inches of snow fell across the area with locally up to 20 inches in the Steamboat Springs area." +113710,680690,MARYLAND,2017,February,Tornado,"CHARLES",2017-02-25 15:06:00,EST-5,2017-02-25 15:17:00,0,0,0,0,,NaN,,NaN,38.5551,-76.9841,38.6275,-76.8583,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","National Weather Service personnel completed a ground survey |along with radar analysis and concluded a tornado that peaked at |low-end EF1 intensity with winds of 90 MPH produced damage along a|8.4 mile path, beginning near the intersection of U.S. Route 301|(Crain Highway) and Rosewick Road in north La Plata MD. The |tornado then moved northeast lifting near the intersection of St. |Peters Church Road and Gruss Farm Place in east Waldorf.||Along the tornadoes path, numerous trees were observed to have |been snapped, uprooted, and toppled in multiple directions. The |fallen trees downed many power lines and blocked multiple roads. |Some trees and large branches also fell onto homes and garages. |Minor roof damage was also observed with the removal of shingles |and eaves. Some loss of insulation was observed near where the |tornado peaked in intensity.||Initial concentrated path of tree damage was observed near the |Rosewick Crossing Shopping Center. A narrow path of tree damage |then continued northeast near White Plains Village, where minor |roof damage in the form of loss of shingles and eaves was|observed to several homes. The tornado then continued northeast |crossing Billingsley Road near St. Charles Parkway, where more |tree and minor roof damage was observed. ||The tornado continued further northeast, peaking in intensity|near the Smallwood Village Shopping Center and Huntington|Townhouses, where the low-end EF1 damage and maximum path width|of 125 yards was observed. Numerous trees were observed down |across these areas with multiple instances of shingle, siding, and|eave damage. It was in this area where some loss of roof insulation|was observed. A light post was blown over and some windows were |also blown out. Just to the northeast a car port was lifted and |collapsed on a few automobiles. ||The tornado then continued to create areas of minor roof and tree|damage as it moved northeast, passing just to the north of the |St. Peters Catholic Church, beyond there damage became more |spotty, with the tornado likely lifting just to the northeast of |the church near St. Peters Church Road." +115501,693526,WYOMING,2017,April,Winter Weather,"CONVERSE COUNTY LOWER ELEVATIONS",2017-04-09 17:00:00,MST-7,2017-04-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance and cold frontal passage produced a brief period of light to moderate snowfall and gusty northwest winds of 25 to 35 mph across east-central Wyoming. Snow accumulations of two to three inches was observed.","Two to three inches of snow was observed at Douglas and Bill." +115501,693527,WYOMING,2017,April,Winter Weather,"NIOBRARA COUNTY",2017-04-09 17:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level disturbance and cold frontal passage produced a brief period of light to moderate snowfall and gusty northwest winds of 25 to 35 mph across east-central Wyoming. Snow accumulations of two to three inches was observed.","Two to three inches of snow was observed at Lance, Lusk and Manville." +115512,693544,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 05:10:00,MST-7,2017-04-08 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Arlington East measured peak wind gusts of 58 mph." +115512,693545,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 04:30:00,MST-7,2017-04-08 05:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 08/0535 MST." +115512,693546,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 09:00:00,MST-7,2017-04-08 09:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Cooper Cove measured peak wind gusts of 58 mph." +114442,686245,INDIANA,2017,April,Thunderstorm Wind,"GIBSON",2017-04-28 19:07:00,CST-6,2017-04-28 19:07:00,0,0,0,0,15.00K,15000,0.00K,0,38.25,-87.38,38.25,-87.38,"Clusters of storms developed just north of a surface warm front and intensified during the evening. A few of the storms acquired supercell characteristics. Isolated large hail and damaging wind was observed with a couple of these storms. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River.","Concession stands, dugouts, and other facilities were damaged or destroyed at a baseball field." +114443,687741,INDIANA,2017,April,Flash Flood,"VANDERBURGH",2017-04-28 23:23:00,CST-6,2017-04-29 08:00:00,0,0,0,0,15.00K,15000,0.00K,0,37.9302,-87.5363,38.0473,-87.6717,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Flash flooding was reported along a primary thoroughfare on the east side of Evansville, where one vehicle was stalled in water. In the Mill Creek area on the northwest side of Evansville, a vehicle was stuck in high water. Several locations on the north side of Evansville from Darmstadt to the northern city limits of Evansville were under water, including several intersections. Water entered at least one home. About six miles west of Evansville, the rainfall total was 5.87 inches for the previous 24 hours." +118067,709627,NEW MEXICO,2017,August,Hail,"GUADALUPE",2017-08-22 16:35:00,MST-7,2017-08-22 16:37:00,0,0,0,0,0.00K,0,0.00K,0,34.989,-105.2384,34.989,-105.2384,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","Hail up to the size of half dollars reported along Interstate 40 between mile markers 242 and 244." +121196,725850,MONTANA,2017,November,Heavy Snow,"SOUTHERN LEWIS AND CLARK",2017-11-03 14:38:00,MST-7,2017-11-03 14:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Traffic map indicated dangerous driving conditions along I-15 near Helena." +114505,686640,MISSOURI,2017,April,Thunderstorm Wind,"SCOTT",2017-04-30 02:07:00,CST-6,2017-04-30 02:20:00,0,0,0,0,60.00K,60000,0.00K,0,36.9,-89.53,36.97,-89.43,"Lines of strong to severe thunderstorms moved northeastward, producing isolated microbursts and a tornado. The storms were located in a region of strong wind shear very close to a warm front. The storms intercepted an easterly wind flow of marginally unstable air to the north of the front, which extended from the Missouri bootheel northeast along the Ohio River Valley.","Two buildings were damaged in the town of Miner. One of the buildings was a large metal equipment shed for the Missouri Department of Transportation. The shed was heavily damaged, including some of the metal framing. The other building was a business which was damaged, including windows and entrance doors being blown out. The time of occurrence was determined from security cameras. In Diehlstadt, an oak tree two feet in diameter was uprooted, a privacy fence was damaged, and some siding was torn off a house on the eastern edge of town." +115346,692564,NEBRASKA,2017,April,Hail,"DAWES",2017-04-19 00:40:00,MST-7,2017-04-19 00:42:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-103,42.68,-103,"Thunderstorms produced one-half to one-inch hail in northern Dawes County of western Nebraska.","Quarter size hail was observed at Chadron State Park." +115346,692563,NEBRASKA,2017,April,Hail,"DAWES",2017-04-18 23:55:00,MST-7,2017-04-18 23:57:00,0,0,0,0,0.00K,0,0.00K,0,42.8812,-102.9302,42.8812,-102.9302,"Thunderstorms produced one-half to one-inch hail in northern Dawes County of western Nebraska.","Quarter size hail was observed five miles northeast of Chadron." +121195,725852,MONTANA,2017,November,Heavy Snow,"SOUTHERN LEWIS AND CLARK",2017-11-01 18:50:00,MST-7,2017-11-01 18:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","Social media report of dangerous driving conditions near MacDonald Pass via MDOT." +122077,730804,COLORADO,2017,December,High Wind,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-12-29 02:24:00,MST-7,2017-12-29 08:02:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in the Front Range mountains and foothills. Peak wind gust reports included: 98 mph, 2 miles south-southeast of Gold Hill, 91 mph, 3 miles south of Gold Hill; 89 mph near Aspen Springs; 86 mph, 4 miles east-northeast of Nederland; 83 mph, 3 miles southwest of Jefferson; 78 mph near Dumont; 77 mph near Rocky Flats; with 75 mph near Aspen Springs.","" +114111,683302,LOUISIANA,2017,April,Tornado,"GRANT",2017-04-02 14:54:00,CST-6,2017-04-02 14:55:00,0,0,0,0,0.00K,0,0.00K,0,31.7815,-92.5139,31.7968,-92.5076,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","An EF-1 tornado with maximum estimated winds between 100-110 mph touched down in the Kisatchie National Forest just south of Highway 500 in Northern Grant Parish, snapping and uprooting numerous trees. This tornado tracked northeast across Parish Road 610 before crossing over into Winn Parish." +116026,697309,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 12:30:00,MST-7,2017-04-09 19:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph, with a peak gust of 59 mph at 09/1405 MST." +116026,697310,WYOMING,2017,April,High Wind,"LARAMIE VALLEY",2017-04-09 13:35:00,MST-7,2017-04-09 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher." +116026,697311,WYOMING,2017,April,High Wind,"LARAMIE VALLEY",2017-04-09 13:20:00,MST-7,2017-04-09 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 09/1345 MST." +116026,697312,WYOMING,2017,April,High Wind,"LARAMIE VALLEY",2017-04-09 12:45:00,MST-7,2017-04-09 19:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The wind sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 09/1315 MST." +116026,697315,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 15:40:00,MST-7,2017-04-10 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 09/2015 MST." +116026,697316,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 14:00:00,MST-7,2017-04-09 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 09/1945 MST." +121753,728806,PENNSYLVANIA,2017,November,Thunderstorm Wind,"MERCER",2017-11-05 19:10:00,EST-5,2017-11-05 19:10:00,0,0,0,0,2.50K,2500,0.00K,0,41.21,-80.5,41.21,-80.5,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down." +121753,728808,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BEAVER",2017-11-05 19:20:00,EST-5,2017-11-05 19:20:00,0,0,0,0,2.50K,2500,0.00K,0,40.85,-80.3,40.85,-80.3,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported trees and wires down along 12th Street Ext." +114111,683516,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 18:04:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5151,-92.4957,31.5153,-92.495,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","The intersection of Highway 167 and Highway 8 in Bentley was closed due to two feet of water over the roadway. A car stalled in the high water." +114111,683517,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 18:05:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5266,-92.4113,31.5268,-92.4048,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","About 40% of the roads in Pollock were flooded." +113197,677179,KENTUCKY,2017,March,Hail,"ANDERSON",2017-03-27 17:25:00,EST-5,2017-03-27 17:25:00,0,0,0,0,,NaN,0.00K,0,38.1,-84.96,38.1,-84.96,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Hail up to golf balls were recorded." +113197,677180,KENTUCKY,2017,March,Hail,"FRANKLIN",2017-03-27 17:38:00,EST-5,2017-03-27 17:38:00,0,0,0,0,,NaN,0.00K,0,38.15,-84.98,38.15,-84.98,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Trained spotters reported lots of hail up to the size of quarters covering Interstate 64." +116883,702744,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 16:15:00,CST-6,2017-05-16 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-100.88,36.87,-100.88,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Late report. Radar estimated time of occurrence. 45-50 mph winds." +116884,702745,TEXAS,2017,May,Hail,"CARSON",2017-05-16 13:55:00,CST-6,2017-05-16 13:55:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-101.17,35.43,-101.17,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702746,TEXAS,2017,May,Tornado,"HANSFORD",2017-05-16 14:04:00,CST-6,2017-05-16 14:05:00,0,0,0,0,,NaN,,NaN,36.35,-101.14,36.351,-101.139,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Brief tornado touchdown for one minute." +115738,695586,ILLINOIS,2017,May,Thunderstorm Wind,"KNOX",2017-05-17 20:18:00,CST-6,2017-05-17 20:23:00,0,0,0,0,15.00K,15000,0.00K,0,41.14,-90.14,41.14,-90.14,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","A metal outbuilding was damaged." +115738,695590,ILLINOIS,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 21:28:00,CST-6,2017-05-17 21:33:00,0,0,0,0,90.00K,90000,0.00K,0,41.1209,-89.5957,41.1209,-89.5957,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","A large farm machine shed was destroyed and another out building was damaged, with the debris blown about 1/4 mile northeast." +115951,696781,ARIZONA,2017,May,Wildfire,"TUCSON METRO AREA",2017-05-01 00:00:00,MST-7,2017-05-04 14:25:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The human caused Sawmill fire started on April 23rd and burned tall grass, chaparral and oak brush of southeast Pima County. The wildfire spread rapidly due to several days of strong winds over 30 mph and gusts over 50 mph. The fire burned nearly 47,000 acres before containment was achieved on May 4th.","The human caused Sawmill Fire started 10 miles southeast of Green Valley near Box Canyon and quickly spread east northeast for 20 miles across southeast Pima County and burned 28 percent of the Las Cienegas National Conservation Area. As it crossed State Route 83, two miles of guard rails and supporting posts were destroyed along with several power poles and road signs. While no structures were damaged, about a hundred residents of rural communities such as Singing Valley were evacuated for a day or two, including nuns from the Santa Rita Abbey. The road was closed for 3 days because of the wildfire. The fire was 94 percent contained by the end of April after burning 46,991 acres. No additional acreage was burned before the fire was fully contained on May 4th." +112572,671651,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:14:00,EST-5,2017-02-25 17:14:00,0,0,0,0,,NaN,,NaN,41.24,-74.55,41.24,-74.55,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Trees and wires downed due to thunderstorm winds." +116091,699056,WISCONSIN,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-17 18:07:00,CST-6,2017-05-17 18:07:00,0,0,0,0,2.00K,2000,0.00K,0,45.14,-90.41,45.14,-90.41,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down west of Medford." +116091,698644,WISCONSIN,2017,May,Thunderstorm Wind,"CLARK",2017-05-17 18:00:00,CST-6,2017-05-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,44.96,-90.32,44.96,-90.32,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 60 mph wind gust occurred just north of Abbotsford." +116091,699057,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:10:00,CST-6,2017-05-17 18:10:00,0,0,0,0,40.00K,40000,0.00K,0,42.83,-91.07,42.83,-91.07,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 70 mph wind gust occurred in Glen Haven that blew down a machine shed." +116091,699058,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:10:00,CST-6,2017-05-17 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-90.99,42.72,-90.99,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 60 mph wind gust occurred in Cassville." +116951,703356,TEXAS,2017,May,Hail,"DALLAM",2017-05-27 18:41:00,CST-6,2017-05-27 18:41:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-102.52,36.41,-102.52,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703358,TEXAS,2017,May,Hail,"SHERMAN",2017-05-27 19:18:00,CST-6,2017-05-27 19:18:00,0,0,0,0,0.00K,0,0.00K,0,36.29,-102.12,36.29,-102.12,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703357,TEXAS,2017,May,Hail,"DALLAM",2017-05-27 18:41:00,CST-6,2017-05-27 18:41:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-102.52,36.41,-102.52,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703359,TEXAS,2017,May,Hail,"SHERMAN",2017-05-27 19:25:00,CST-6,2017-05-27 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-102.04,36.23,-102.04,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +115887,701657,WISCONSIN,2017,May,Thunderstorm Wind,"CALUMET",2017-05-17 21:20:00,CST-6,2017-05-17 21:20:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-88.08,43.95,-88.08,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in New Holstein." +115887,701659,WISCONSIN,2017,May,Thunderstorm Wind,"CALUMET",2017-05-17 21:20:00,CST-6,2017-05-17 21:20:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-88.06,44.18,-88.06,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in Brillion." +115887,701662,WISCONSIN,2017,May,Thunderstorm Wind,"OUTAGAMIE",2017-05-17 21:00:00,CST-6,2017-05-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,44.43,-88.58,44.43,-88.58,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed power lines in Shiocton." +115887,701664,WISCONSIN,2017,May,Thunderstorm Wind,"OUTAGAMIE",2017-05-17 21:12:00,CST-6,2017-05-17 21:12:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-88.46,44.56,-88.46,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed power lines in Nichols." +115887,701665,WISCONSIN,2017,May,Thunderstorm Wind,"CALUMET",2017-05-17 21:15:00,CST-6,2017-05-17 21:15:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-88.16,44.03,-88.16,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in Chilton." +115887,701667,WISCONSIN,2017,May,Thunderstorm Wind,"CALUMET",2017-05-17 21:18:00,CST-6,2017-05-17 21:18:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-88.08,43.95,-88.08,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in New Holstein." +115887,701670,WISCONSIN,2017,May,Thunderstorm Wind,"BROWN",2017-05-17 21:30:00,CST-6,2017-05-17 21:30:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-88,44.51,-88,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","There were about a dozen reports of trees and power lines downed by thunderstorm winds in Green Bay." +114153,683615,NEW HAMPSHIRE,2017,March,Heavy Snow,"INTERIOR ROCKINGHAM",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +112932,685316,TENNESSEE,2017,March,Flash Flood,"ROANE",2017-03-01 14:40:00,EST-5,2017-03-01 15:45:00,0,0,0,0,0.00K,0,0.00K,0,35.8845,-84.52,35.8411,-84.52,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Flooding of fields with creeks out of their banks." +112949,674872,IOWA,2017,February,Hail,"MUSCATINE",2017-02-07 00:10:00,CST-6,2017-02-07 00:10:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-90.9,41.44,-90.9,"Early evening scattered thunderstorms brought some small hail to the Muscatine, Iowa area.","Trained spotters reported pea to dime size hail." +112728,675515,DELAWARE,2017,March,Thunderstorm Wind,"SUSSEX",2017-03-01 15:01:00,EST-5,2017-03-01 15:01:00,0,0,0,0,,NaN,,NaN,38.91,-75.43,38.91,-75.43,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of Delaware. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At the Dover, DE Air Force Base, a wind gust of 76 MPH was recorded during the afternoon hours of March 1st. Behind the front wind gusts continued through the 2nd with Dover AFB recording a gust of 48 mph and Wilmington airport recording a gust of 47 mph during the morning hours.","Trees downed in Milford due to thunderstorm winds onto a road." +112932,685318,TENNESSEE,2017,March,Flash Flood,"ANDERSON",2017-03-01 14:41:00,EST-5,2017-03-01 15:45:00,0,0,0,0,0.00K,0,0.00K,0,36.0811,-84.2631,36.0495,-84.2553,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Flooding along Marlow Road." +112932,685323,TENNESSEE,2017,March,Flash Flood,"UNION",2017-03-01 14:50:00,EST-5,2017-03-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1693,-83.918,36.1599,-83.9006,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Flooding along Hwy 33, particularly at intersections with Raccoon Valley Road and Hansard Road." +112932,685329,TENNESSEE,2017,March,Flash Flood,"KNOX",2017-03-01 17:15:00,EST-5,2017-03-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-83.8621,35.9555,-83.88,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Road flooded near Ijams Nature Center." +113013,675611,PENNSYLVANIA,2017,March,High Wind,"DELAWARE",2017-03-02 04:52:00,EST-5,2017-03-02 04:52:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds occurred across Eastern Pennsylvania as the pressure gradient tightened behind a frontal system. Over-sized vehicles were banned on several roads. Several hundred power outages were reported.","Power lines downed on West Chester Pike near Highland Park elementary school." +113013,675612,PENNSYLVANIA,2017,March,High Wind,"DELAWARE",2017-03-02 05:30:00,EST-5,2017-03-02 05:30:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds occurred across Eastern Pennsylvania as the pressure gradient tightened behind a frontal system. Over-sized vehicles were banned on several roads. Several hundred power outages were reported.","Resident injured with tree falling into home." +116171,698278,TEXAS,2017,May,Hail,"WEBB",2017-05-21 16:25:00,CST-6,2017-05-21 16:35:00,0,0,0,0,25.00K,25000,0.00K,0,27.48,-99.16,27.48,-99.16,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser reported baseball sized hail near Highway 359 west of Aguilares." +114517,686737,TEXAS,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-03 19:35:00,CST-6,2017-05-03 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,30.0199,-94.7936,30.0199,-94.7936,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Thunderstorm winds damaged a tower antenna and some large tree limbs." +112932,674749,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-01 15:16:00,EST-5,2017-03-01 15:16:00,0,0,0,0,,NaN,,NaN,35.07,-85.32,35.07,-85.32,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A gust to 67 mph was recorded by a Davis Weather Station at 33 feet above ground level. Additionally, several large trees were reported down and power poles were damaged in the area." +112932,674750,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-01 15:17:00,EST-5,2017-03-01 15:17:00,0,0,0,0,,NaN,,NaN,35.11,-85.29,35.11,-85.29,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees and power lines were downed on Welch Road." +116145,701893,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-18 23:14:00,CST-6,2017-05-18 23:14:00,0,0,0,0,0.00K,0,0.00K,0,36.35,-94.22,36.35,-94.22,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind snapped large tree limbs near the Bentonville Municipal Airport." +116145,701894,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-18 23:15:00,CST-6,2017-05-18 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.3475,-94.2194,36.3475,-94.2194,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","The AWOS at the Bentonville Municipal Airport measured 61 mph thunderstorm wind gusts." +116145,701895,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-18 23:15:00,CST-6,2017-05-18 23:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.33,-94.12,36.33,-94.12,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind uprooted a tree that fell onto a home." +116144,701582,OKLAHOMA,2017,May,Thunderstorm Wind,"PITTSBURG",2017-05-18 21:02:00,CST-6,2017-05-18 21:02:00,0,0,0,0,0.00K,0,0.00K,0,34.8287,-95.8441,34.8287,-95.8441,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind blew down several trees." +116144,701583,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-18 21:05:00,CST-6,2017-05-18 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.5181,-96.3422,36.5181,-96.3422,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The Oklahoma Mesonet station near Wynona measured 59 mph thunderstorm wind gusts." +115140,691176,KENTUCKY,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-85.37,36.65,-85.37,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","The Cumberland County emergency manager reported numerous trees down across the county." +115140,691178,KENTUCKY,2017,May,Thunderstorm Wind,"ADAIR",2017-05-27 17:24:00,CST-6,2017-05-27 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-85.19,37.25,-85.19,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Adair County law enforcement officials reported trees down in the area." +114819,688679,MINNESOTA,2017,May,Hail,"FREEBORN",2017-05-17 14:00:00,CST-6,2017-05-17 14:00:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-93.37,43.65,-93.37,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +115140,691180,KENTUCKY,2017,May,Thunderstorm Wind,"RUSSELL",2017-05-27 18:04:00,CST-6,2017-05-27 18:04:00,0,0,0,0,20.00K,20000,0.00K,0,36.99,-85.07,36.99,-85.07,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","State officials reported numerous trees down along with a few power lines." +116144,701916,OKLAHOMA,2017,May,Flash Flood,"OKMULGEE",2017-05-19 20:45:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-96.07,35.7373,-95.9998,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 16 and Highway 75A were flooded and closed in and around Beggs. Several motorists were stranded in high water." +116144,701917,OKLAHOMA,2017,May,Flash Flood,"WAGONER",2017-05-19 21:07:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9658,-95.3901,35.9472,-95.3935,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Cherokee Street and other roads in and around Wagoner were flooded and closed. High water affected several neighborhoods." +116460,700440,CALIFORNIA,2017,May,Flood,"SAN DIEGO",2017-05-07 13:00:00,PST-8,2017-05-07 20:00:00,1,0,0,0,10.00K,10000,0.00K,0,32.7351,-116.9999,32.7394,-116.9699,"An upper level strong trough of low pressure moved down the California coast on May 6th, becoming an unseasonably deep (552 DM at 500 mb) closed low over Southern California on the 7th. An associated surface low tracked from San Bernardino County south along the San Diego County coast. The two combined to produce favorable up-slope flow near Palomar Mt. and Birch Hill that resulted in nearly a foot of snow, setting records for May. Elsewhere snowfall was limited to 2 to 5 inches above 5000 ft. Showers and thunderstorms were widespread and persistent, but lower rain rates limited impacts. An isolated thunderstorm produced a weak landspout tornado near Victorville, and multiple locations including Cypress and Redlands reported accumulations of small hail. Peak rainfall totals occurred in San Diego County, where 0.50 to 2.5 inches fell west of the mountains. Winds were breezy in the deserts, especially as the system deepened on the 6th, but impacts were minimal.","A swift water rescue was conducted to rescue a man from a culvert. Urban and street flooding was reported in other portions of the San Diego metro." +117042,703982,TEXAS,2017,May,Flash Flood,"ZAPATA",2017-05-21 17:45:00,CST-6,2017-05-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,27.0932,-99.428,27.0769,-99.4334,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Zapata County Sheriff's Office reported Corralitos area arroyo flooded with water and debris over Highway 83 in the vicinity of San Ygnacio. Radar estimated 3 to 4 inches of rain." +117043,703990,TEXAS,2017,May,Thunderstorm Wind,"HIDALGO",2017-05-29 01:14:00,CST-6,2017-05-29 01:14:00,0,0,0,0,0.50K,500,0.00K,0,26.1935,-98.2317,26.1935,-98.2317,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","McAllen Emergency Manager reported a tree down on Kennedy Avenue near 10th Street in McAllen. Time estimated by radar imagery and KMFE ASOS." +116620,701375,GEORGIA,2017,May,Flash Flood,"FLOYD",2017-05-23 19:21:00,EST-5,2017-05-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,34.2334,-85.1642,34.2355,-85.178,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","Emergency Management reported several inches of water flowing over East 18th Street, near Crane Street. Radar-estimated rainfall amounts of 2.5 to 4.0 inches occurred over the local area." +116626,704317,GEORGIA,2017,May,Hail,"SPALDING",2017-05-30 15:45:00,EST-5,2017-05-30 15:55:00,0,0,0,0,,NaN,,NaN,33.28,-84.19,33.28,-84.19,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","A report of quarter size hail near the intersection of Landsowne Drive McDonough Road was received over social media." +116626,704319,GEORGIA,2017,May,Thunderstorm Wind,"BUTTS",2017-05-30 15:55:00,EST-5,2017-05-30 16:15:00,0,0,0,0,4.00K,4000,,NaN,33.26,-84.09,33.2594,-84.0263,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Butts County Emergency Manager reported trees blown down on Highway 16 just east of I-75, on High Falls Road and on Levi Barnes Road." +116626,704320,GEORGIA,2017,May,Hail,"BUTTS",2017-05-30 15:55:00,EST-5,2017-05-30 16:05:00,0,0,0,0,,NaN,,NaN,33.26,-84.1,33.26,-84.1,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","A report of half dollar size hail near the intersection of Highway 16 and Jackson Road was received over social media." +116626,704322,GEORGIA,2017,May,Thunderstorm Wind,"JASPER",2017-05-30 16:55:00,EST-5,2017-05-30 17:05:00,0,0,0,0,1.00K,1000,,NaN,33.1612,-83.6419,33.1612,-83.6419,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Jasper County 911 center reported a tree blown down on Highway 11 just nortrh of the Jones County line." +116626,704323,GEORGIA,2017,May,Thunderstorm Wind,"PUTNAM",2017-05-30 17:11:00,EST-5,2017-05-30 17:21:00,0,0,0,0,2.00K,2000,,NaN,33.22,-83.43,33.22,-83.43,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Putnam County Emergency Manager reported trees blown down near the intersection of Rabbit Skip Road and Highway 129." +117087,704420,KANSAS,2017,May,Hail,"TREGO",2017-05-27 01:45:00,CST-6,2017-05-27 01:45:00,0,0,0,0,,NaN,,NaN,38.98,-99.73,38.98,-99.73,"Strong convection sparked late on the 26th, while none of it became severe on the 26, the storms carried over into the overnight. A regime of modest east/southeasterly surface flow and steep mid-level lapse rates sparked early morning cells on the 27th in southwest Kansas.","" +117092,704462,INDIANA,2017,May,Flood,"TIPPECANOE",2017-05-06 06:45:00,EST-5,2017-05-06 08:30:00,0,0,0,0,2.00K,2000,1.00K,1000,40.4109,-86.913,40.4153,-86.9086,"A front and an a low pressure system brought heavy rain to central Indiana for the second time in a week. Some areas received more than 2 inches of rain once again. This lead to road closures due to high water as well as new & prolonged flooding of area streams and rivers. Some water rescues were performed as well.","Indiana Department of Homeland Security reported seven people and a dog being rescued from where they were camping behind the city's waste water treatment plant. They became stranded by rising water near the 800 block of South River Road. Police received a call from one of the campers at about 7:45 AM EDT Saturday. Conservation officers had to launch an air boat through a field to get to them. No injuries were reported." +116597,701195,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-03 16:36:00,CST-6,2017-05-03 16:38:00,0,0,0,0,0.00K,0,0.00K,0,30.2223,-88.0326,30.2223,-88.0326,"A line of thunderstorms moved across the marine area and produced high winds.","C-Man station at Fort Morgan." +116597,701197,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-03 16:50:00,CST-6,2017-05-03 16:50:00,0,0,0,0,0.00K,0,0.00K,0,30.0694,-87.4639,30.0694,-87.4639,"A line of thunderstorms moved across the marine area and produced high winds.","Bouy 42012." +117019,703844,NEW YORK,2017,May,Thunderstorm Wind,"ONONDAGA",2017-05-30 15:20:00,EST-5,2017-05-30 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,43.11,-76.21,43.11,-76.21,"Showers and thunderstorms developed along a lingering boundary that was stretched across New York and Pennsylvania Friday afternoon. These storms developed within a very unstable air mass. Once these storms developed, they quickly moved east and some of the storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees which fell on two homes." +117026,703862,PENNSYLVANIA,2017,May,Hail,"SUSQUEHANNA",2017-05-31 18:30:00,EST-5,2017-05-31 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-76.06,41.73,-76.06,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced penny sized hail." +117026,703863,PENNSYLVANIA,2017,May,Hail,"WYOMING",2017-05-31 19:12:00,EST-5,2017-05-31 19:22:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-75.78,41.56,-75.78,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced nickel sized hail." +117026,703865,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-31 18:25:00,EST-5,2017-05-31 18:35:00,0,0,0,0,1.00K,1000,0.00K,0,41.92,-76.05,41.92,-76.05,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked a tree over at Irish Hill road." +117026,703866,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-31 18:30:00,EST-5,2017-05-31 18:40:00,0,0,0,0,1.00K,1000,0.00K,0,41.68,-76.03,41.68,-76.03,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a large tree in Auburn Township." +117026,703868,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-31 18:30:00,EST-5,2017-05-31 18:40:00,0,0,0,0,1.00K,1000,0.00K,0,41.88,-75.96,41.88,-75.96,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree in Forest Lake Township." +117026,703869,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-31 18:51:00,EST-5,2017-05-31 19:01:00,0,0,0,0,1.00K,1000,0.00K,0,41.78,-75.7,41.78,-75.7,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across the roadway." +115202,702500,OKLAHOMA,2017,May,Tornado,"JOHNSTON",2017-05-19 20:44:00,CST-6,2017-05-19 20:49:00,0,0,0,0,0.00K,0,0.00K,0,34.3381,-96.5992,34.3586,-96.5744,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Spotters observed a tornado that moved northeast to the southwest of Bromide. No damage was observed and the specific location was estimated." +115202,702502,OKLAHOMA,2017,May,Tornado,"JOHNSTON",2017-05-19 20:56:00,CST-6,2017-05-19 21:08:00,0,0,0,0,0.00K,0,0.00K,0,34.347,-96.6036,34.3995,-96.5248,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Spotters with the Milburn Fire Department observed a tornado north near SH-7 and Wiley Road that moved northeast toward Bromide. No damage was reported." +115200,702807,OKLAHOMA,2017,May,Tornado,"WOODS",2017-05-18 16:00:00,CST-6,2017-05-18 16:07:00,0,0,0,0,0.00K,0,0.00K,0,36.507,-98.926,36.558,-98.954,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","This tornado initially developed west-northwest of Bouse Junction in Major County and moved into Woods County southwest of Waynoka. The tornado moved to the north-northwest about 4 miles before dissipating. No damage was reported in Woods County from this tornado as it remained in rural areas." +115202,702828,OKLAHOMA,2017,May,Tornado,"JOHNSTON",2017-05-19 20:32:00,CST-6,2017-05-19 20:34:00,0,0,0,0,0.00K,0,0.00K,0,34.267,-96.701,34.278,-96.679,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","A television storm chaser observed a tornado touch down northwest of Tishomingo. No damage was reported and the specific path was estimated." +115202,702865,OKLAHOMA,2017,May,Tornado,"COAL",2017-05-19 21:13:00,CST-6,2017-05-19 21:20:00,0,0,0,0,0.00K,0,0.00K,0,34.4251,-96.4838,34.4558,-96.4466,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","The Wapanucka Fire Department observed a tornado develop just northeast of Bromide and move northeast. No damage was reported and the specific path is estimated." +113254,677683,TENNESSEE,2017,January,Astronomical Low Tide,"BENTON",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +115298,695510,ILLINOIS,2017,May,Thunderstorm Wind,"EDGAR",2017-05-10 20:05:00,CST-6,2017-05-10 20:15:00,0,0,0,0,250.00K,250000,0.00K,0,39.62,-87.7,39.62,-87.7,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Widespread wind damage occurred across Paris. Numerous trees were blown down or uprooted, including one that crushed a truck. Power lines were blown down and minor roof and siding damage took place as well." +115298,695511,ILLINOIS,2017,May,Thunderstorm Wind,"CLARK",2017-05-10 20:15:00,CST-6,2017-05-10 20:20:00,0,0,0,0,75.00K,75000,0.00K,0,39.38,-87.7,39.38,-87.7,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Numerous tree limbs and power lines were blown down across Marshall. An awning was damaged." +115298,695526,ILLINOIS,2017,May,Thunderstorm Wind,"WOODFORD",2017-05-10 17:51:00,CST-6,2017-05-10 17:56:00,0,0,0,0,15.00K,15000,0.00K,0,40.92,-89.2609,40.92,-89.2609,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A gustnado with estimated winds of 80-90mph damaged several trees just east of Washburn. Tree limbs were blown down on two farms, and a gas grill and house shingles were damaged as well." +115298,695529,ILLINOIS,2017,May,Thunderstorm Wind,"PIATT",2017-05-10 19:10:00,CST-6,2017-05-10 19:15:00,0,0,0,0,15.00K,15000,0.00K,0,39.92,-88.57,39.92,-88.57,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Large tree branches were blown down in Bement." +114469,686427,COLORADO,2017,May,Hail,"PROWERS",2017-05-10 16:16:00,MST-7,2017-05-10 16:21:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-102.69,38.09,-102.69,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686428,COLORADO,2017,May,Hail,"PROWERS",2017-05-10 16:30:00,MST-7,2017-05-10 16:35:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-102.72,38.15,-102.72,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686429,COLORADO,2017,May,Hail,"BACA",2017-05-10 16:57:00,MST-7,2017-05-10 17:02:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-102.13,37.27,-102.13,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686430,COLORADO,2017,May,Hail,"BACA",2017-05-10 17:08:00,MST-7,2017-05-10 17:13:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-102.29,37.38,-102.29,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686433,COLORADO,2017,May,Hail,"BACA",2017-05-10 17:15:00,MST-7,2017-05-10 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-102.26,37.39,-102.26,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686434,COLORADO,2017,May,Hail,"BACA",2017-05-10 17:19:00,MST-7,2017-05-10 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-102.28,37.38,-102.28,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +117085,706867,KANSAS,2017,May,Tornado,"PRATT",2017-05-19 15:15:00,CST-6,2017-05-19 15:24:00,0,0,0,0,0.00K,0,0.00K,0,37.4708,-98.5317,37.517,-98.485,"Thunderstorms redeveloped after severe storms that occurred the previous day, before an upper low began to lift to the northeast. A warm front associated with the low across eastern zones created enough lift/rotation to spark several tornadoes in Barber and Pratt counties despite weak shear/CAPE.","This weak tornado moved into Pratt County at 1515 CST. Damage was not observed." +117084,706868,KANSAS,2017,May,Tornado,"STAFFORD",2017-05-18 15:03:00,CST-6,2017-05-18 15:04:00,0,0,0,0,0.00K,0,0.00K,0,38.158,-98.799,38.166,-98.802,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","This weak and brief tornado moved north-northwest." +117084,706869,KANSAS,2017,May,Tornado,"STAFFORD",2017-05-18 15:33:00,CST-6,2017-05-18 15:34:00,0,0,0,0,0.00K,0,0.00K,0,38.238,-98.769,38.246,-98.771,"An upper low continued to move out over the central High Plains, while a surface low deepened over the Texas Panhandle. A warm front drifted northward over central and southwest Kansas in response to strong meridional flow over the region to the east of the upper low. A very moist air mass spread back into central and southwest Kansas to the east of a dryline. MUCAPE values upwards of 2000-3000 j/kg with 0-6km bulk shear on the order of 50-60 knots created a severe hail/wind/tornado event with flooding due to storm training along the warm front.","This weak and brief tornado moved north-northwest." +114534,689245,MINNESOTA,2017,May,Hail,"WASHINGTON",2017-05-16 15:50:00,CST-6,2017-05-16 15:50:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-92.78,45.02,-92.78,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +115331,692451,MISSOURI,2017,May,Hail,"BOLLINGER",2017-05-27 15:55:00,CST-6,2017-05-27 15:55:00,0,0,0,0,0.00K,0,0.00K,0,37.3434,-89.97,37.3434,-89.97,"An organized severe weather outbreak affected southeast Missouri with numerous damaging wind gusts, a few swaths of large hail, and a weak tornado. By the afternoon hours, large amounts of moisture and instability were present, along with plenty of deep-layer wind shear. As a mid-level disturbance lifted out of the Southern Plains, multiple storm clusters and bowing segments formed across Missouri in a very favorable environment for severe thunderstorms. There was also a supercell thunderstorm in the Ozark foothills during the evening. Dew points were in the lower 70's in many locations in the afternoon, coupled with surface cape values of 3000-4000 j/kg. Boundaries left over from early morning storms also played a role in the placement of afternoon thunderstorm development. Multiple rounds of severe thunderstorms impacted the middle Mississippi Valley on the first day of the Memorial Day holiday weekend. There were two or three bowing lines of thunderstorms that impacted the region with damaging winds. Individual cells and clusters also developed early on in the event, producing both large hail and strong winds. Multiple rounds of storms over the same locations also resulted in locally heavy rainfall. Rainfall totals of 1.5 to 3 inches were observed from Carter County, Missouri east into southern Scott County.","" +116391,699893,CALIFORNIA,2017,April,Drought,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-04-01 00:00:00,PST-8,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to ease through the month of April, with precipitation more than double normal levels for the northern Sierra. This continued the very wet pattern which began in the Fall and continued through the winter months to produce a deep snow-pack and to fill reservoirs. The northern Sierra broke the record for the wettest year on record, with records dating back to 1920-21. At the end of April, Lake Shasta was 109% of normal, Lake Oroville was 91%, Folsom Lake was 99%, and Don Pedro was 110%. New Melones Reservoir improved most significantly and was at 133% of normal, reaching levels not seen in years. ||The U.S. Drought Monitor showed all of interior Northern California in the 'None' category for April, with no areas in drought or abnormally dry. ||Groundwater aquifers continued to recharge, with the DWR Water Data Library showing strong signs of improvement in many areas. ||Governor Jerry Brown had declared a drought emergency for the entire state of California on January 17, 2014. On April 7, 2017, the governor made a new declaration ending the drought emergency for all but a few counties in California. Tuolumne County is the one county in interior northern California which remained in a drought emergency, with emergency drinking water projects continuing to help address diminished groundwater supplies. A local emergency proclamation remains for Tuolumne County to coordinate response to the drought. ||The State Water Resources Control Board will maintain urban water use reporting requirements and prohibitions on wasteful practices such as watering during or after rainfall, hosing off sidewalks and irrigating ornamental turf on public street medians. |State agencies issued a plan to continue to make conservation a way of life in California, as directed by Governor Brown in May 2016. The framework requires new legislation to establish long-term water conservation measures and improved planning for more frequent and severe droughts.||The state will continue its work to coordinate a statewide response on the unprecedented bark beetle outbreak in drought-stressed forests that has killed millions of trees across California. The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were homes without well water due to dry wells. In April there were 240 dry wells in Tuolumne County, unchanged since March. Emergency drinking water projects continued to help communities address diminished groundwater supplies." +112887,674395,KENTUCKY,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 02:56:00,EST-5,2017-03-01 02:56:00,0,0,0,0,15.00K,15000,0.00K,0,38.24,-85.72,38.24,-85.72,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported numerous tree limbs fell on a vehicle." +116391,699895,CALIFORNIA,2017,April,Drought,"NORTHERN SAN JOAQUIN VALLEY",2017-04-01 00:00:00,PST-8,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to ease through the month of April, with precipitation more than double normal levels for the northern Sierra. This continued the very wet pattern which began in the Fall and continued through the winter months to produce a deep snow-pack and to fill reservoirs. The northern Sierra broke the record for the wettest year on record, with records dating back to 1920-21. At the end of April, Lake Shasta was 109% of normal, Lake Oroville was 91%, Folsom Lake was 99%, and Don Pedro was 110%. New Melones Reservoir improved most significantly and was at 133% of normal, reaching levels not seen in years. ||The U.S. Drought Monitor showed all of interior Northern California in the 'None' category for April, with no areas in drought or abnormally dry. ||Groundwater aquifers continued to recharge, with the DWR Water Data Library showing strong signs of improvement in many areas. ||Governor Jerry Brown had declared a drought emergency for the entire state of California on January 17, 2014. On April 7, 2017, the governor made a new declaration ending the drought emergency for all but a few counties in California. Tuolumne County is the one county in interior northern California which remained in a drought emergency, with emergency drinking water projects continuing to help address diminished groundwater supplies. A local emergency proclamation remains for Tuolumne County to coordinate response to the drought. ||The State Water Resources Control Board will maintain urban water use reporting requirements and prohibitions on wasteful practices such as watering during or after rainfall, hosing off sidewalks and irrigating ornamental turf on public street medians. |State agencies issued a plan to continue to make conservation a way of life in California, as directed by Governor Brown in May 2016. The framework requires new legislation to establish long-term water conservation measures and improved planning for more frequent and severe droughts.||The state will continue its work to coordinate a statewide response on the unprecedented bark beetle outbreak in drought-stressed forests that has killed millions of trees across California. The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were some homes without well water due to dry wells. In April there were 314 in Stanislaus County, unchanged since March. There were 8 in San Joaquin County, unchanged from March. Many rural communities in the Northern San Joaquin Valley were still receiving food assistance as a direct result of the drought." +113805,684635,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-22 16:55:00,CST-6,2017-04-22 16:55:00,0,0,0,0,,NaN,,NaN,34.2558,-86.9891,34.2558,-86.9891,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","Multiple trees were knocked down, some across the roadway, on CR 1141 and CR 1114." +113805,684636,ALABAMA,2017,April,Tornado,"JACKSON",2017-04-22 16:40:00,CST-6,2017-04-22 16:45:00,0,0,0,0,,NaN,,NaN,34.79,-86.15,34.79,-86.11,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","A National Weather Service survey team in coordination with Jackson County Emergency Managment and the University of Alabama in Huntsville found evidence of an EF-0 tornado near the Skyline area. Damage indicators in the form of extensive softwood tree damage (uprooted or snapped) were found in the vicinity of areas north of CR 17 and east of CR 79.||North of CR 17, west of Manning Dr., several trees were snapped looking into the valley on the south face of Fork Mountain. Damage continued in a 150-200 yard path through Manning Dr. which uprooted several trees in a noticeable convergent pattern (east to east-northeast). Peak winds of approximately 85 mph were observed at this location.||Several trees were uprooted or sustained large limb damage east of Manning Dr. toward |CR 79. The tornado appeared to begin to shrink and decrease in strength near CR 79. A few uprooted trees were noted east of CR 79 in the vicinity of Gizzard Point Rd. ||It is worth noting that some areas outside of the path, mainly to the south, experienced|some tree damage as well. Based off radar signatures, and orientation of debris, this was|caused by straight line winds adjacent to the tornado." +113806,684648,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-22 15:40:00,CST-6,2017-04-22 15:40:00,0,0,0,0,,NaN,,NaN,35.02,-86.73,35.02,-86.73,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","One inch diameter hail was reported." +113806,684649,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-22 15:45:00,CST-6,2017-04-22 15:45:00,0,0,0,0,,NaN,,NaN,35.02,-86.73,35.02,-86.73,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","One inch diameter hail was reported." +113806,684650,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-22 15:50:00,CST-6,2017-04-22 15:50:00,0,0,0,0,,NaN,,NaN,35.02,-86.73,35.02,-86.73,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","Golf ball sized hail was reported. Window screens were knocked out of homes." +113806,684652,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-22 16:00:00,CST-6,2017-04-22 16:00:00,0,0,0,0,,NaN,,NaN,35.03,-86.72,35.03,-86.72,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. One supercell tracked across Lincoln County producing copius amounts of large hail, in some cases covering the ground heavily.","Half-dollar sized hail was reported." +112887,675655,KENTUCKY,2017,March,Thunderstorm Wind,"SPENCER",2017-03-01 07:04:00,EST-5,2017-03-01 07:04:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-85.35,38.03,-85.35,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Spencer County Emergence Manager reported trees down across the county, on Highway 44, Lilly Pike, and Stevens Lane." +112887,675657,KENTUCKY,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-01 07:10:00,EST-5,2017-03-01 07:10:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-84.81,38.3,-84.81,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The NWS in conjunction with a Franklin County 911 Operator found intermittent straight line wind damage around Peak's Mill. The most concentrated area of damage was near the 7500 block of Peak's Mill Road. A 15 foot by 10 foot pole barn was knocked over along with several trees and some damage to roof shingles. Estimated winds were 55 to 60 mph with a half mile parth of damage at a maximum width of 200 yards." +112887,675658,KENTUCKY,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-01 07:15:00,EST-5,2017-03-01 07:15:00,0,0,0,0,25.00K,25000,0.00K,0,38.3,-84.81,38.3,-84.81,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Franklin County Emergency Manager reported sheds were blown down due to severe thunderstorm winds." +114511,686746,IOWA,2017,April,Hail,"PLYMOUTH",2017-04-15 19:08:00,CST-6,2017-04-15 19:12:00,0,0,0,0,75.00K,75000,0.00K,0,42.61,-96.29,42.61,-96.29,"Large hail was produced across portions of northwest Iowa as thunderstorms moved out of southeast South Dakota and northeast Nebraska. Overall, the storms impacted a very small area.","Hen egg to baseball size hail damaged vehicles and homes." +114410,685855,COLORADO,2017,February,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-02-06 16:00:00,MST-7,2017-02-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Snowfall amounts of 5 to 10 inches were measured across the area. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow. Even stronger winds were measured at ridgetop level, including a gust to 81 mph on Mount Putney." +112887,674491,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,25.00K,25000,0.00K,0,38.28,-84.57,38.28,-84.57,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Scott County Emergency Manager reported trees on power lines near the county Emergency Operations Center." +112887,674493,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:20:00,CST-6,2017-03-01 07:20:00,0,0,0,0,50.00K,50000,0.00K,0,36.9,-86.55,36.9,-86.55,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported severe thunderstorm winds destroyed a barn." +114512,686740,SOUTH DAKOTA,2017,April,Hail,"CLAY",2017-04-15 17:50:00,CST-6,2017-04-15 17:52:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-97.07,42.84,-97.07,"Large hail fell from widely scattered thunderstorms that developed over the area early during the evening hours. Overall, the storms impacted a small portion of the area.","Hail was brief." +114512,686741,SOUTH DAKOTA,2017,April,Hail,"CLAY",2017-04-15 18:05:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-96.93,42.78,-96.93,"Large hail fell from widely scattered thunderstorms that developed over the area early during the evening hours. Overall, the storms impacted a small portion of the area.","Numerous reports of hail ranging in size from quarters to golf balls." +113677,680419,COLORADO,2017,January,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-01-04 02:00:00,MST-7,2017-01-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 12 to 24 inches were measured across the area. Locally higher amounts included 53 inches at the Tower SNOTEL site." +113677,680437,COLORADO,2017,January,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-01-03 21:00:00,MST-7,2017-01-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 20 to 40 inches of snow accumulated across the zone with locally up to 57 inches measured at Irwin Ski Lodge." +113677,680386,COLORADO,2017,January,Winter Storm,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-01-04 00:00:00,MST-7,2017-01-06 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 15 to 30 inches of snow accumulated across the zone." +113677,680389,COLORADO,2017,January,Winter Storm,"GRAND AND BATTLEMENT MESAS",2017-01-04 00:00:00,MST-7,2017-01-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 10 to 20 inches of snow accumulated across the zone." +113677,680394,COLORADO,2017,January,Winter Weather,"DEBEQUE TO SILT CORRIDOR",2017-01-04 04:00:00,MST-7,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 1 to 3 inches were measured in most of the area, except 10 to 14 inches in the Collbran area." +113691,680491,COLORADO,2017,January,Winter Storm,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-01-08 13:00:00,MST-7,2017-01-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Up to 23 inches of snow was measured at the Columbine Pass SNOTEL site." +116382,699889,CALIFORNIA,2017,March,Drought,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-03-01 00:00:00,PST-8,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to decrease through the month of March, with a number of rain and mountain snow events. While the month ended up being average for precipitation, this combined with the wet pattern which began in the Fall and continued through the winter months to produce a large snowpack and to fill reservoirs. At the end of March, Lake Shasta was 109% of normal, Lake Oroville was 99%, Folsom Lake was 94%, and Don Pedro was 119%. New Melones Reservoir improved significantly and was at 120% of normal. ||The U.S. Drought Monitor showed all of interior Northern California in the 'None' category by the end of March. ||Groundwater aquifers continued to recharge more slowly than the surface reservoirs, though the DWR Water Data Library showed strong signs of improvement in many areas. ||Governor Jerry Brown declared a drought emergency for the entire state of California January 17, 2014 and this continued to be in effect. Governor Brown issued an executive order on May 9, 2016 that built on temporary statewide emergency water restrictions to establish longer-term water conservation measures, including permanent monthly water use reporting, new permanent water use standards in California communities and banned clearly wasteful practices such as hosing off sidewalks, driveways and other hardscapes. ||Local emergency proclamations remain for Colusa, Calaveras, El Dorado, Glenn, San Joaquin, Shasta, Stanislaus, Sutter, Tuolumne, and Yuba counties. Plumas County no longer had a Local Emergency Proclamation. The cities of Live Oak (Sutter County), Lodi (San Joaquin County), Manteca (San Joaquin County), Portola (Plumas County), Ripon (San Joaquin County), and West Sacramento (Yolo County) continued to have local emergency proclamations . Drought task forces remain in Lake, Nevada, Placer, Plumas, Sacramento, San Joaquin, Stanislaus, Sutter, Tehama, Tuolumne, and Yolo counties to coordinate response to the drought. ||The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were homes without well water due to dry wells. In March there were 240 dry wells in Tuolumne County, unchanged since February. Emergency drinking water projects continued to help communities address diminished groundwater supplies." +116332,699844,CALIFORNIA,2017,February,Drought,"NORTHERN SAN JOAQUIN VALLEY",2017-02-01 00:00:00,PST-8,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to decrease through the month of February, as a series of strong atmospheric river storms brought very wet conditions. This continued the wet pattern which began in the Fall, especially for the northern Sierra. The northern Sierra had the second wettest February on record (8 Station Index). At the end of February, Lake Shasta was 114% of normal, Lake Oroville was 110%, Folsom Lake was 74%, and Don Pedro was 139%. New Melones Reservoir improved and began to catch up the other significant area reservoirs, at 107% of normal. ||The U.S. Drought Monitor showed significant improvement over the area, with all areas of drought and abnormally dry removed and all of interior Northern California, in the 'None' category by the end of February.||Groundwater aquifers continued to recharge more slowly than the surface reservoirs, though the DWR Water Data Library showed signs of improvement in some areas. ||Governor Jerry Brown declared a drought emergency for the entire state of California January 17, 2014 and this continued to be in effect. Governor Brown issued an executive order on May 9, 2016 that built on temporary statewide emergency water restrictions to establish longer-term water conservation measures, including permanent monthly water use reporting, new permanent water use standards in California communities and banned clearly wasteful practices such as hosing off sidewalks, driveways and other hardscapes. ||Local emergency proclamations remain for Colusa, Calaveras, El Dorado, Glenn, San Joaquin, Shasta, Stanislaus, Sutter, Tuolumne, and Yuba counties. Plumas County no longer had a Local Emergency Proclamation. The cities of Live Oak (Sutter County), Lodi (San Joaquin County), Manteca (San Joaquin County), Portola (Plumas County), Ripon (San Joaquin County), and West Sacramento (Yolo County) continued to have local emergency proclamations . Drought task forces remain in Lake, Nevada, Placer, Plumas, Sacramento, San Joaquin, Stanislaus, Sutter, Tehama, Tuolumne, and Yolo counties to coordinate response to the drought. ||The State Water Resources Control Board announced that urban Californians��� monthly water conservation was 25.1 percent in February, more than double the 11.9 percent savings in February 2016, when state-mandated conservation targets were in place.||The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were some homes without well water due to dry wells. In February there were 314 in Stanislaus County, unchanged since January. There were 8 in San Joaquin County, unchanged from January. Many rural communities in the Northern San Joaquin Valley were still receiving food assistance as a direct result of the drought." +116332,699890,CALIFORNIA,2017,February,Drought,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-02-01 00:00:00,PST-8,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought impacts continued to decrease through the month of February, as a series of strong atmospheric river storms brought very wet conditions. This continued the wet pattern which began in the Fall, especially for the northern Sierra. The northern Sierra had the second wettest February on record (8 Station Index). At the end of February, Lake Shasta was 114% of normal, Lake Oroville was 110%, Folsom Lake was 74%, and Don Pedro was 139%. New Melones Reservoir improved and began to catch up the other significant area reservoirs, at 107% of normal. ||The U.S. Drought Monitor showed significant improvement over the area, with all areas of drought and abnormally dry removed and all of interior Northern California, in the 'None' category by the end of February.||Groundwater aquifers continued to recharge more slowly than the surface reservoirs, though the DWR Water Data Library showed signs of improvement in some areas. ||Governor Jerry Brown declared a drought emergency for the entire state of California January 17, 2014 and this continued to be in effect. Governor Brown issued an executive order on May 9, 2016 that built on temporary statewide emergency water restrictions to establish longer-term water conservation measures, including permanent monthly water use reporting, new permanent water use standards in California communities and banned clearly wasteful practices such as hosing off sidewalks, driveways and other hardscapes. ||Local emergency proclamations remain for Colusa, Calaveras, El Dorado, Glenn, San Joaquin, Shasta, Stanislaus, Sutter, Tuolumne, and Yuba counties. Plumas County no longer had a Local Emergency Proclamation. The cities of Live Oak (Sutter County), Lodi (San Joaquin County), Manteca (San Joaquin County), Portola (Plumas County), Ripon (San Joaquin County), and West Sacramento (Yolo County) continued to have local emergency proclamations . Drought task forces remain in Lake, Nevada, Placer, Plumas, Sacramento, San Joaquin, Stanislaus, Sutter, Tehama, Tuolumne, and Yolo counties to coordinate response to the drought. ||The State Water Resources Control Board announced that urban Californians��� monthly water conservation was 25.1 percent in February, more than double the 11.9 percent savings in February 2016, when state-mandated conservation targets were in place.||The threat of dead or dying trees continued, with on-going tree-removal programs at the state and federal level. ||The state continued to supply food assistance to those impacted by the drought, along with California Disaster Assistance Act money for those who have lost drinking water due to dry wells.","The Household Water Supply Shortage Reporting System indicated there were homes without well water due to dry wells. In February there were 240 dry wells in Tuolumne County. Emergency drinking water projects helped communities address diminished groundwater supplies." +112444,680199,FLORIDA,2017,February,Thunderstorm Wind,"SUWANNEE",2017-02-07 21:00:00,EST-5,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0838,-82.8829,30.0838,-82.8829,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Strong thunderstorm winds damaged about 25 oak trees, killed 2 donkeys, blew down fences, damaged 7 structures, blew off shingles, and blew irrigation pipes away from a structure.||The EM that conducted the survey estimated winds of 90-98 mph. These winds were adjusted downward for StormData based on other wind speed measurement with this event." +112857,678390,ATLANTIC NORTH,2017,March,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-03-14 08:01:00,EST-5,2017-03-14 08:01:00,0,0,0,0,,NaN,,NaN,39.9404,-74.0602,39.9404,-74.0602,"High winds occurred on the ocean and bay waters. Top gusts not listed are buoy 44065 with a 52 mph gust, Barnegat light with a 49 mph gust and seaside heights with a gust of 59 and 60 kt. Also, South Beach Haven had a gust of 49 kt and both Wildwood and Dewey Beach had 52 kt peak gusts.","Measured wind gust." +112955,674934,IOWA,2017,February,Hail,"SCOTT",2017-02-28 18:50:00,CST-6,2017-02-28 18:50:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-90.78,41.74,-90.78,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Quarter size hail reported." +112887,675662,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:30:00,EST-5,2017-03-01 07:30:00,0,0,0,0,100.00K,100000,0.00K,0,38.29,-84.64,38.29,-84.64,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The NWS in conjunction with Scott County Emergency Management found significant straight line wind damage 2 miles northeast of Stamping Ground. Maximum estimated winds were 80 mph. A large 100 foot by 100 foot well built barn was picked up and destroyed. The sheet metal from the barn was thrown nearly half a mile downwind to the east. Several trees were snapped or uprooted, especially at Long Lick Road. Several wood pieces of the barn were thrown several hundred yards and impaled the ground. The survey continued into Georgetown to Tripoint Road. A factory warehouse had significant roof and siding damage from 65 to 70 mph. Overall path length was 1 mile and the maximum width was a third of a mile." +122186,731447,TEXAS,2017,December,Winter Weather,"CALDWELL",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +112857,678823,ATLANTIC NORTH,2017,March,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-03-14 08:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,,NaN,,NaN,39.6454,-74.1811,39.6454,-74.1811,"High winds occurred on the ocean and bay waters. Top gusts not listed are buoy 44065 with a 52 mph gust, Barnegat light with a 49 mph gust and seaside heights with a gust of 59 and 60 kt. Also, South Beach Haven had a gust of 49 kt and both Wildwood and Dewey Beach had 52 kt peak gusts.","Weatherflow peak gust." +112857,678824,ATLANTIC NORTH,2017,March,Marine High Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-03-14 07:45:00,EST-5,2017-03-14 09:36:00,0,0,0,0,,NaN,,NaN,38.7833,-75.0861,38.7833,-75.0861,"High winds occurred on the ocean and bay waters. Top gusts not listed are buoy 44065 with a 52 mph gust, Barnegat light with a 49 mph gust and seaside heights with a gust of 59 and 60 kt. Also, South Beach Haven had a gust of 49 kt and both Wildwood and Dewey Beach had 52 kt peak gusts.","Weatherflow site peak gust." +112727,675710,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-03-01 15:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,,NaN,,NaN,38.937,-74.8766,38.937,-74.8766,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow gust." +112887,675673,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 07:45:00,EST-5,2017-03-01 07:45:00,0,0,0,0,500.00K,500000,0.00K,0,38.1,-84.48,38.1,-84.48,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Fayette County officials reported that outbuildings belonging to the University of Kentucky were damaged at Newtown Pike and Interstate 75." +112887,675682,KENTUCKY,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 06:38:00,EST-5,2017-03-01 06:38:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-85.74,38.17,-85.74,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +112887,675683,KENTUCKY,2017,March,Thunderstorm Wind,"OLDHAM",2017-03-01 06:30:00,EST-5,2017-03-01 06:30:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-85.47,38.46,-85.47,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +112887,675684,KENTUCKY,2017,March,Thunderstorm Wind,"SHELBY",2017-03-01 06:50:00,EST-5,2017-03-01 06:50:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-85.17,38.33,-85.17,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +116171,698225,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 15:55:00,CST-6,2017-05-21 15:55:00,0,0,0,0,0.00K,0,0.00K,0,27.5511,-99.4614,27.5511,-99.4614,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Laredo International Airport AWOS measured a gust to 51 knots." +116171,698231,TEXAS,2017,May,Hail,"WEBB",2017-05-21 15:48:00,CST-6,2017-05-21 15:50:00,0,0,0,0,25.00K,25000,0.00K,0,27.5,-99.44,27.5,-99.44,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser reported half dollar sized hail in southeast Laredo." +116171,698236,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 15:58:00,CST-6,2017-05-21 15:58:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-99.44,27.5,-99.44,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser estimated 60 mph wind gusts on the southeast side of Laredo." +114775,690132,MISSOURI,2017,April,Flood,"CAPE GIRARDEAU",2017-04-29 11:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.2905,-89.5187,37.2763,-89.5348,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","The Mississippi River rose above flood stage. The river continued rising rapidly beyond the end of the month. Through the end of April, the flooding was mostly minor to moderate." +114301,685051,ARKANSAS,2017,March,Hail,"PERRY",2017-03-09 23:43:00,CST-6,2017-03-09 23:43:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-92.8,35.01,-92.8,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,685068,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-06 23:52:00,CST-6,2017-03-06 23:52:00,0,0,0,0,110.00K,110000,0.00K,0,35.95,-93.23,35.95,-93.23,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Several homes have suffered damage...and the post office has been destroyed. The roof was blown off of a church and several roadways are blocked." +114301,685069,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-06 23:52:00,CST-6,2017-03-06 23:52:00,0,0,0,0,30.00K,30000,0.00K,0,35.95,-93.24,35.95,-93.24,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A roof was blown off of a church." +114301,685070,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-06 23:57:00,CST-6,2017-03-06 23:57:00,0,0,0,0,20.00K,20000,0.00K,0,36.01,-93.19,36.01,-93.19,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Some roofs had shingles blown off of them. Trees were blown down and snapped." +114701,687986,COLORADO,2017,March,High Wind,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-05 17:00:00,MST-7,2017-03-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts of 70 to 80 mph were measured across the area with a peak gust of 105 mph on Eagle Mountain." +114701,687988,COLORADO,2017,March,High Wind,"ROAN AND TAVAPUTS PLATEAUS",2017-03-05 19:00:00,MST-7,2017-03-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts of 50 to 70 mph were measured across the area with a peak gust of 77 mph on Highway 139 at the top of Douglas Pass." +114701,687993,COLORADO,2017,March,High Wind,"DEBEQUE TO SILT CORRIDOR",2017-03-05 21:00:00,MST-7,2017-03-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Sustained winds 25 to 35 mph were measured across the area with a peak wind gust of 59 mph reported at the Rifle airport." +114701,687995,COLORADO,2017,March,High Wind,"CENTRAL YAMPA RIVER BASIN",2017-03-05 12:30:00,MST-7,2017-03-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts of 50 to 60 mph were measured across the area with a peak gust of 65 mph reported at the Great Divide automated station." +114701,688000,COLORADO,2017,March,High Wind,"LOWER YAMPA RIVER BASIN",2017-03-05 11:00:00,MST-7,2017-03-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts of 40 to 50 mph were measured across the area with a peak gust of 59 mph reported at the Dragon Road automated station." +114701,688001,COLORADO,2017,March,High Wind,"GRAND VALLEY",2017-03-06 01:00:00,MST-7,2017-03-06 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts 40 to 50 mph were measured across the area with a peak gust of 60 mph reported northwest of Mack." +114704,688005,UTAH,2017,March,High Wind,"EASTERN UINTA BASIN",2017-03-05 19:00:00,MST-7,2017-03-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some eastern Utah valleys.","Wind gusts of 50 to 60 mph were measured across the area with a peak gust of 65 mph at an automated station south-southeast of Naples." +114579,687257,CALIFORNIA,2017,March,Winter Storm,"MT SHASTA/WESTERN PLUMAS COUNTY",2017-03-04 18:00:00,PST-8,2017-03-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and gusty winds caused major travel problems in the Sierra, with up to 5 feet of snow. This storm had low snow levels, with snow down into the Motherlode foothills, reported as low as 1200 feet.","Heavy snow fell, with a 48 hour total of 13 at Snow Mountain, Shingletown had 6. Chain controls were widespread across western Plumas County mountain roads." +114579,687706,CALIFORNIA,2017,March,Winter Weather,"CLEAR LAKE/SOUTHERN LAKE COUNTY",2017-03-04 15:00:00,PST-8,2017-03-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and gusty winds caused major travel problems in the Sierra, with up to 5 feet of snow. This storm had low snow levels, with snow down into the Motherlode foothills, reported as low as 1200 feet.","At elevation 3300 feet there were 3 inches of new snow." +114579,687194,CALIFORNIA,2017,March,Winter Storm,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-03-04 18:00:00,PST-8,2017-03-07 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Snow and gusty winds caused major travel problems in the Sierra, with up to 5 feet of snow. This storm had low snow levels, with snow down into the Motherlode foothills, reported as low as 1200 feet.","Very heavy snow fell, with a 48 hour total of 56 at Donner Pass, 47 at Kingvale. This cold storm had low snow levels, with 13 of snow at Kyburz, 10 at Pacific House, 4 at Nevada City, and light accumulations even into Placerville. Thunder snow was reported in several locations. I80 was closed multiple times, due to heavy snow and zero visibility with significant disruption to travel and impact to commerce in the Sierra and across the passes. The first I-80 closure from Colfax, CA to CA/NV State line, started at 10:45 pm Saturday March 4th-2 pm Sunday March 5th. A second closure of I-80 occurred from 4:45 am Monday, March 6th from Soda Springs to CA/NV State Line due to heavy snow and zero visibility. I-80 eastbound re-opened at 2 p.m., westbound at 3:30 p.m. on Monday, March 6th." +114394,685619,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 10:10:00,0,0,0,0,0.00K,0,0.00K,0,38.6443,-121.3635,38.6419,-121.367,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","CHP reported flooding on on-ramp to SR 51 by Auburn Blvd. Standing water in lane, bottom of the cloverleaf was flooded." +114625,687495,CALIFORNIA,2017,March,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-03-31 09:00:00,PST-8,2017-03-31 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Breezy north winds developed behind a departing low pressure system, bringing down multiple trees in the Sacramento metro area.","A gust to 44 MPH was reported at 11:49 AM at Sacramento Executive Airport. At 10:27 AM a tree came crashing down on top of a car outside the Cathedral of the Blessed Sacrament in downtown Sacramento, narrowly missing a woman feet away." +114304,684811,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:34:00,CST-6,2017-04-26 15:34:00,0,0,0,0,0.00K,0,0.00K,0,31.34,-94.73,31.34,-94.73,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114305,684820,LOUISIANA,2017,April,Hail,"BIENVILLE",2017-04-26 16:35:00,CST-6,2017-04-26 16:35:00,0,0,0,0,0.00K,0,0.00K,0,32.22,-93.15,32.22,-93.15,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +113894,682224,CALIFORNIA,2017,February,Heavy Rain,"NEVADA",2017-02-09 08:00:00,PST-8,2017-02-10 08:40:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-120.45,39.32,-120.45,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 4.61 of rain measured in Kingvale, 24 hour total." +113803,682284,VIRGINIA,2017,February,High Wind,"EASTERN LOUDOUN",2017-02-12 22:53:00,EST-5,2017-02-12 22:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were several reports of trees down in Ashburn." +113803,682285,VIRGINIA,2017,February,High Wind,"FAIRFAX",2017-02-12 23:00:00,EST-5,2017-02-12 23:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Numerous trees were down across the county." +113803,682286,VIRGINIA,2017,February,High Wind,"ARLINGTON",2017-02-12 23:21:00,EST-5,2017-02-12 23:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 66 mph was reported at the Reagan National Airport." +113804,682277,MARYLAND,2017,February,High Wind,"PRINCE GEORGES",2017-02-12 23:28:00,EST-5,2017-02-12 23:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 72 mph was reported at Andrews Air Force Base. A wind gust of 58 mph was also reported at 11:32 pm." +113921,682288,WEST VIRGINIA,2017,February,High Wind,"MORGAN",2017-02-12 21:56:00,EST-5,2017-02-12 21:56:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were several reports of trees and wires down in Berkeley Springs." +113870,683291,TEXAS,2017,April,Thunderstorm Wind,"GREGG",2017-04-02 13:00:00,CST-6,2017-04-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,32.5612,-94.9511,32.5612,-94.9511,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","A tree snapped and fell on a barn in Gladewater." +113579,679865,COLORADO,2017,February,Avalanche,"FLATTOP MOUNTAINS",2017-02-14 10:05:00,MST-7,2017-02-14 10:06:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A period of above dry weather with unseasonably mild daytime temperatures in mid January was followed by a series of snowfall events through early February which deposited about two feet of new snow in the Flat Tops Wilderness Area. This situation resulted in an unstable snowpack which was prone to avalanches across the Flat Tops Wilderness Area.","Three separate slab avalanches were triggered by two riders on motorized medium-sized snow bikes near West Lost Lake in the Flat Tops Wilderness Area. Both snow bike riders were caught in separate avalanches. One motorized snow bike rider was buried under 18 inches of snow and did not survive. The other snow bike rider who was caught in an avalanche was able to grab a hold of a tree which stopped his descent while the debris continued down the slope. That snow bike rider was uninjured." +112444,680052,FLORIDA,2017,February,Thunderstorm Wind,"BRADFORD",2017-02-07 22:00:00,EST-5,2017-02-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-82.14,30.02,-82.14,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","Several power lines were blown down across the county. Lines were blown down at State Road 16 at county road 216 just west of Starke and also at State Road 16 between county roads 233 and 229A." +113018,675552,MARYLAND,2017,February,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south, causing precipitation to overspread the area. Cold air was moving in during this time and this caused rain to end as a period of snow.","Snowfall was estimated to be around three inches based on observations nearby." +113019,675553,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN GRANT",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 3.5 inches in Bayard." +113019,675555,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN PENDLETON",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 3.0 inches near Circleville." +113677,680399,COLORADO,2017,January,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-04 01:00:00,MST-7,2017-01-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 15 to 30 inches were measured across the area." +113677,680400,COLORADO,2017,January,Winter Weather,"GRAND VALLEY",2017-01-04 23:00:00,MST-7,2017-01-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Snowfall amounts of 3 to 7 inches were measured across the Grand Valley with up to 8 inches measured in Orchard Mesa." +113677,680403,COLORADO,2017,January,Winter Storm,"UPPER GUNNISON RIVER VALLEY",2017-01-04 01:00:00,MST-7,2017-01-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought several disturbances and cold fronts through western Colorado which produced significant to heavy snowfall amounts to western Colorado.","Generally 8 to 16 inches of snow fell across the area with locally up to 24 inches measured just northeast of Gunnison." +113894,682216,CALIFORNIA,2017,February,Flood,"NEVADA",2017-02-08 10:00:00,PST-8,2017-02-09 10:00:00,0,0,0,0,3.56M,3560000,0.00K,0,39.2707,-121.0537,39.2648,-121.0733,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","HWY 49 was closed north of Nevada City, from Newtown Rd. to Tyler Foote Rd. due to multiple slip outs." +115512,693547,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 10:35:00,MST-7,2017-04-08 11:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher, with a peak gust of 68 mph 08/1130 MST." +118067,709625,NEW MEXICO,2017,August,Flash Flood,"UNION",2017-08-22 10:00:00,MST-7,2017-08-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3129,-104.0055,36.2858,-104.0021,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","Water running over U.S. 54 within the Ute Creek drainage." +118067,709626,NEW MEXICO,2017,August,Flash Flood,"HARDING",2017-08-22 15:00:00,MST-7,2017-08-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7995,-103.8368,35.7786,-103.829,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","NM-102 flooded and impassable between mile markers 3 and 4 at Tequesquite Creek." +119057,716739,MISSOURI,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-23 00:05:00,CST-6,2017-07-23 00:08:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-92.44,39.42,-92.44,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Winds of 60-70 mph were reported by the public near Moberly." +119057,716742,MISSOURI,2017,July,Thunderstorm Wind,"RAY",2017-07-22 22:14:00,CST-6,2017-07-22 22:17:00,0,0,0,0,,NaN,,NaN,39.278,-93.972,39.278,-93.972,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","There was some damage to trees of unknown size and condition in Richmond." +119058,716743,KANSAS,2017,July,Hail,"JOHNSON",2017-07-22 21:15:00,CST-6,2017-07-22 21:17:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.66,39.03,-94.66,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","" +121208,725619,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:51:00,EST-5,2017-10-15 15:51:00,0,0,0,0,8.00K,8000,0.00K,0,43.15,-77.59,43.15,-77.59,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported wires downed by thunderstorm winds on Wilcox Street." +121208,725620,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:51:00,EST-5,2017-10-15 15:51:00,0,0,0,0,8.00K,8000,0.00K,0,43.15,-77.64,43.15,-77.64,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on West Avenue." +114841,690293,CALIFORNIA,2017,April,Lightning,"BUTTE",2017-04-13 14:25:00,PST-8,2017-04-13 14:25:00,0,0,0,0,45.00K,45000,0.00K,0,39.73,-121.84,39.73,-121.84,"Thunderstorms had periods of heavy rain and small hail, as well as a damaging lightning strike.","Lightning struck a very large oak tree near Bidwell Mansion in Chico. Large tree limbs came down, damaging 9 cars. Report time based on radar." +114841,693032,CALIFORNIA,2017,April,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-04-12 08:00:00,PST-8,2017-04-13 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms had periods of heavy rain and small hail, as well as a damaging lightning strike.","There was a 24 hour total of 7 of snow, 2.09 liquid equivalent." +118083,709688,MINNESOTA,2017,August,Lightning,"CARVER",2017-08-26 00:30:00,CST-6,2017-08-26 00:30:00,0,0,0,0,200.00K,200000,0.00K,0,44.885,-93.6226,44.885,-93.6226,"A home in Chanhassen, Minnesota was severely damaged after a fire broke out in the attic. It was caused by a lightning strike and happened on the 4000 block of Leslie Curve just before 12:30 a.m. LST. Fire officials said the heavy rain made it difficult to put the fire out. No one was hurt.","A home in Chanhassen, Minnesota was severely damaged after a fire broke out in the attic. It was caused by a lightning strike and happened on the 4000 block of Leslie Curve just before 12:30 a.m. LST. Fire officials said the heavy rain made it difficult to put the fire out. No one was hurt." +112887,675707,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 08:19:00,EST-5,2017-03-01 08:19:00,0,0,0,0,30.00K,30000,0.00K,0,37.69,-84.26,37.69,-84.26,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported damage to a gas station on Berea Road." +112887,675709,KENTUCKY,2017,March,Thunderstorm Wind,"CLINTON",2017-03-01 08:15:00,CST-6,2017-03-01 08:15:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-85.22,36.81,-85.22,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","State officials reported trees down in the area due to severe thunderstorm winds." +116496,700575,MISSOURI,2017,June,Hail,"CLARK",2017-06-17 18:43:00,CST-6,2017-06-17 18:43:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-91.72,40.38,-91.72,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","" +116496,700577,MISSOURI,2017,June,Hail,"CLARK",2017-06-17 18:54:00,CST-6,2017-06-17 18:54:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-91.73,40.35,-91.73,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","" +116496,700579,MISSOURI,2017,June,Hail,"CLARK",2017-06-17 19:10:00,CST-6,2017-06-17 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-91.52,40.35,-91.52,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","" +114111,683303,LOUISIANA,2017,April,Tornado,"WINN",2017-04-02 14:55:00,CST-6,2017-04-02 14:57:00,0,0,0,0,0.00K,0,0.00K,0,31.7968,-92.5076,31.8155,-92.4946,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","This is a continuation of the Grant Parish EF-1 tornado. This tornado entered into Southern Winn Parish in the Kisatchie National Forest with maximum estimated winds of 100-110 mph, where it cut a clear path through the forest, where it crossed Zion Road, and Patrick Road, before lifting along Highway 472." +114775,689718,MISSOURI,2017,April,Flash Flood,"BOLLINGER",2017-04-30 01:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,500.00K,500000,0.00K,0,37.156,-89.9331,37.2764,-89.9341,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Significant flash flooding of creeks and roads occurred around the county. In Marble Hill, Crooked Creek rose far outside its banks into portions of the city. Floodwaters crept into nearby homes and crossed the main road through town. A few inches of water were observed in a business. Highway 51 was closed due to Crooked Creek flooding. Buildings on both sides of Highway 51 were flooded. About six homes were damaged, and two were destroyed. One business received major damage. Elsewhere in the county, flooding of roads occurred, mainly in the southern part of the county. Highway H was flooded just before Highway 51, along with an area near the junction of Highways 51 and 91." +116262,698968,WYOMING,2017,April,Winter Storm,"SNOWY RANGE",2017-04-27 05:00:00,MST-7,2017-04-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 12 inches of snow." +114961,690157,ILLINOIS,2017,April,Flood,"WAYNE",2017-04-30 06:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-88.58,38.2498,-88.4465,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Major flooding occurred on the Skillet Fork River. The river rose rapidly above flood stage on the 30th, climbing about 20 feet in 24 hours. The river continued rising beyond the end of the month." +117444,706317,TEXAS,2017,June,Thunderstorm Wind,"CROCKETT",2017-06-23 20:50:00,CST-6,2017-06-23 20:50:00,0,0,0,0,0.00K,0,0.00K,0,30.71,-101.2,30.71,-101.2,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","There were 20 power poles blown over and numerous large trees uprooted in Ozona. Also, some homes received minor roof damage. The time of damage was based on radar." +112317,669922,NEW JERSEY,2017,February,High Wind,"MORRIS",2017-02-13 17:07:00,EST-5,2017-02-13 17:07:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Wind knocked down a power line along Highway 46 at the intersection of Foxhill road." +112317,669921,NEW JERSEY,2017,February,High Wind,"GLOUCESTER",2017-02-13 13:22:00,EST-5,2017-02-13 13:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Downed wires knocked a tree onto two cars." +116884,702747,TEXAS,2017,May,Hail,"DONLEY",2017-05-16 15:00:00,CST-6,2017-05-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-100.89,35.01,-100.89,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702748,TEXAS,2017,May,Hail,"DONLEY",2017-05-16 15:00:00,CST-6,2017-05-16 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-100.89,35.01,-100.89,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702749,TEXAS,2017,May,Hail,"DONLEY",2017-05-16 15:13:00,CST-6,2017-05-16 15:13:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-100.91,35.08,-100.91,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +114292,696794,ARIZONA,2017,May,Wildfire,"TUCSON METRO AREA",2017-05-06 13:55:00,MST-7,2017-05-09 15:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"The human caused Mulberry fire started on May 6th and burned brush and tall grass in southeast Pima County. The wildfire spread rapidly due to strong winds over 30 mph and gusts near 50 mph and destroyed several structures. The fire burned over 1700 acres before containment was achieved on May 9th.","The human caused Mulberry Fire started on May 6th, eight miles southeast of Vail, east of State Route 83 in the Empire Mountains. The wildfire destroyed four structures including two homes as it spread rapidly northeast. A total of twenty rural residences were evacuated. The wildfire consumed 1755 acres before being contained on May 9th." +115738,695592,ILLINOIS,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-17 21:45:00,CST-6,2017-05-17 21:50:00,0,0,0,0,15.00K,15000,0.00K,0,41.12,-89.4661,41.12,-89.4661,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","A 3-foot diameter tree was snapped and damage occurred to the metal door and roof of a barn." +115738,695593,ILLINOIS,2017,May,Thunderstorm Wind,"WOODFORD",2017-05-17 21:55:00,CST-6,2017-05-17 22:00:00,0,0,0,0,27.00K,27000,0.00K,0,40.7567,-89.1154,40.7567,-89.1154,"A deep area of low pressure tracking from eastern Nebraska into southern Minnesota triggered scattered strong to severe thunderstorms across the Illinois River Valley during the late evening of May 17th. Some of the storms produced hail as large as half dollars and wind gusts of around 60mph. Most of the activity remained along and north of a Canton to Secor line.","Several trees were blown down, including one that fell onto power lines." +116091,699067,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:19:00,CST-6,2017-05-17 18:19:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-90.97,42.94,-90.97,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An 80 mph wind gust occurred in Patch Grove." +116091,699059,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:20:00,CST-6,2017-05-17 18:20:00,0,0,0,0,4.00K,4000,0.00K,0,43,-91.05,43,-91.05,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 62 mph wind gust occurred near Bridgeport that blew down trees and power lines." +116091,699072,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:24:00,CST-6,2017-05-17 18:24:00,0,0,0,0,175.00K,175000,0.00K,0,42.85,-90.71,42.85,-90.71,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 70 mph wind gust occurred in Lancaster. Several barns and outbuildings were blown down and destroyed across the southwest half of Grant County as the line storms moved across. Lots of power lines were also down." +116091,699121,WISCONSIN,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-17 18:45:00,CST-6,2017-05-17 18:45:00,0,0,0,0,4.00K,4000,0.00K,0,43.25,-90.63,43.25,-90.63,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees and power lines were blown down northwest of Port Andrews." +116951,703360,TEXAS,2017,May,Hail,"SHERMAN",2017-05-27 19:31:00,CST-6,2017-05-27 19:31:00,0,0,0,0,,NaN,,NaN,36.22,-102.04,36.22,-102.04,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Hail dented car, cracked windshield." +116951,703361,TEXAS,2017,May,Hail,"DALLAM",2017-05-27 20:10:00,CST-6,2017-05-27 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-102.24,36.24,-102.24,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703362,TEXAS,2017,May,Hail,"HANSFORD",2017-05-27 20:13:00,CST-6,2017-05-27 20:13:00,0,0,0,0,,NaN,,NaN,36.06,-101.48,36.06,-101.48,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Tennis ball size hail reported via Twitter." +116951,703363,TEXAS,2017,May,Hail,"HANSFORD",2017-05-27 20:13:00,CST-6,2017-05-27 20:13:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-101.47,36.06,-101.47,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +115887,701671,WISCONSIN,2017,May,Thunderstorm Wind,"WAUPACA",2017-05-17 20:37:00,CST-6,2017-05-17 20:37:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-89.06,44.31,-89.06,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines south of Waupaca." +115887,701675,WISCONSIN,2017,May,Thunderstorm Wind,"WAUPACA",2017-05-17 20:48:00,CST-6,2017-05-17 20:48:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-88.91,44.46,-88.91,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in Manawa." +115887,701678,WISCONSIN,2017,May,Thunderstorm Wind,"WAUPACA",2017-05-17 21:02:00,CST-6,2017-05-17 21:02:00,0,0,0,0,0.00K,0,0.00K,0,44.61,-88.75,44.61,-88.75,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed trees and power lines in Clintonville." +115887,701679,WISCONSIN,2017,May,Thunderstorm Wind,"WAUPACA",2017-05-17 20:54:00,CST-6,2017-05-17 20:54:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-88.75,44.38,-88.75,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","A thunderstorm wind gust to 58 mph was measured in New London." +115887,701683,WISCONSIN,2017,May,Thunderstorm Wind,"SHAWANO",2017-05-17 21:20:00,CST-6,2017-05-17 21:20:00,0,0,0,0,100.00K,100000,0.00K,0,44.82,-88.51,44.82,-88.51,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed at least two dozen trees, causing damage to eight houses on the north shore of Shawano Lake." +116171,698289,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 18:42:00,CST-6,2017-05-21 18:42:00,0,0,0,0,0.00K,0,0.00K,0,27.53,-99.44,27.53,-99.44,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Spotter estimated 70 mph winds 3 miles east of Laredo." +112308,673108,NEW JERSEY,2017,February,Winter Weather,"WESTERN ATLANTIC",2017-02-09 11:35:00,EST-5,2017-02-09 11:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 2.1 inches were measured in Hammonton during the morning of Feb 9." +116171,698300,TEXAS,2017,May,Flash Flood,"WEBB",2017-05-21 18:55:00,CST-6,2017-05-21 19:20:00,0,0,0,0,0.00K,0,0.00K,0,27.54,-99.45,27.5985,-99.4414,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm spotter reported many roads were impassable across the city of Laredo." +112308,673112,NEW JERSEY,2017,February,Winter Weather,"WESTERN CAPE MAY",2017-02-09 11:04:00,EST-5,2017-02-09 11:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 1.3 inches were measured in Dennisville during the morning of Feb 9." +112308,673111,NEW JERSEY,2017,February,Winter Weather,"EASTERN CAPE MAY",2017-02-09 11:04:00,EST-5,2017-02-09 11:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts were generally less than one inch across eastern Cape May County." +112310,673119,PENNSYLVANIA,2017,February,Winter Weather,"WESTERN CHESTER",2017-02-09 10:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 4.3 inches were measured in Devault on the morning of Feb 9." +114520,686752,TEXAS,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-11 18:40:00,CST-6,2017-05-11 18:42:00,0,0,0,0,200.00K,200000,,NaN,31.3032,-95.4408,31.3032,-95.4408,"Severe thunderstorms produced wind damage as they developed ahead of a cold front.","Wind damage across parts of the Crockett area included portions of an 8 to 10 block section in and around Holiday Inn Express and Crockett Sales & Rentals. Several buildings were moved and some were rolled. Bay doors were blown in and out at additional area businesses. There was also damage to sheds, feeders and business signs. Large air conditioning units on roofs were damaged too. Downed trees caused minor damage to three homes. Power lines were also downed." +114520,686757,TEXAS,2017,May,Lightning,"CHAMBERS",2017-05-12 02:15:00,CST-6,2017-05-12 02:15:00,0,0,0,0,20.00K,20000,0.00K,0,29.7595,-94.9148,29.7595,-94.9148,"Severe thunderstorms produced wind damage as they developed ahead of a cold front.","Lightning struck some crude oil tankers and set them on fire. Residents within a half mile radius were evacuated until the fire was contained." +114652,687714,TEXAS,2017,May,Tornado,"WALLER",2017-05-21 13:55:00,CST-6,2017-05-21 14:10:00,0,0,0,0,5.00K,5000,0.00K,0,29.77,-95.95,29.717,-95.846,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","Tornado estimated by multiple social media posts to be on the ground between the Fulshear area and the Brookshire area. Briefly touched down in a field. No significant damage." +114652,687660,TEXAS,2017,May,Hail,"SAN JACINTO",2017-05-20 16:06:00,CST-6,2017-05-20 16:06:00,0,0,0,0,,NaN,,NaN,30.747,-95.2188,30.747,-95.2188,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","Golf ball sized hail was reported in Point Blank." +114652,687661,TEXAS,2017,May,Hail,"MONTGOMERY",2017-05-20 17:30:00,CST-6,2017-05-20 17:30:00,0,0,0,0,,NaN,,NaN,30.4238,-95.4783,30.4238,-95.4783,"Severe thunderstorms developed ahead of a slow moving cold front as it worked its way into the area and stalled.","Golf ball sized hail was reported near Willis." +114875,689156,TEXAS,2017,May,Hail,"HOUSTON",2017-05-23 15:44:00,CST-6,2017-05-23 15:44:00,0,0,0,0,0.00K,0,0.00K,0,31.538,-95.4166,31.538,-95.4166,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Quarter size hail reported on County Road 1705." +114875,689157,TEXAS,2017,May,Thunderstorm Wind,"COLORADO",2017-05-23 17:35:00,CST-6,2017-05-23 17:35:00,0,0,0,0,0.00K,0,0.00K,0,29.8708,-96.5474,29.8708,-96.5474,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Parts of FM 109 were blocked by downed trees." +114875,689158,TEXAS,2017,May,Hail,"AUSTIN",2017-05-23 18:00:00,CST-6,2017-05-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-96.22,29.84,-96.22,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Dime size hail occurred near Sealy." +116145,701896,ARKANSAS,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-18 23:15:00,CST-6,2017-05-18 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1953,-94.1292,36.1953,-94.1292,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind snapped a tree near Mill Street in Springdale." +116145,701897,ARKANSAS,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-18 23:20:00,CST-6,2017-05-18 23:20:00,0,0,0,0,1.00K,1000,0.00K,0,36.18,-94.13,36.18,-94.13,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind blew shingles off the roof of a home." +116145,701899,ARKANSAS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 23:30:00,CST-6,2017-05-18 23:30:00,0,0,0,0,0.00K,0,0.00K,0,35.4386,-93.9446,35.4386,-93.9446,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind blew down trees." +116144,701584,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:09:00,CST-6,2017-05-18 21:09:00,0,0,0,0,2.00K,2000,0.00K,0,35.2042,-95.8893,35.2042,-95.8893,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind blew down power lines." +116144,701586,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:10:00,CST-6,2017-05-18 21:10:00,0,0,0,0,5.00K,5000,0.00K,0,35.3812,-95.5657,35.3812,-95.5657,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind blew down high voltage transmission power lines onto Old Highway 69 south of Checotah, making the roadway impassable." +114819,688681,MINNESOTA,2017,May,Hail,"MARTIN",2017-05-17 14:30:00,CST-6,2017-05-17 14:30:00,0,0,0,0,0.00K,0,0.00K,0,43.61,-94.48,43.61,-94.48,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +114819,688680,MINNESOTA,2017,May,Hail,"FREEBORN",2017-05-17 14:05:00,CST-6,2017-05-17 14:05:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-93.37,43.65,-93.37,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +114819,688682,MINNESOTA,2017,May,Hail,"MARTIN",2017-05-17 14:30:00,CST-6,2017-05-17 14:30:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-94.46,43.65,-94.46,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +114819,688683,MINNESOTA,2017,May,Hail,"FREEBORN",2017-05-17 15:10:00,CST-6,2017-05-17 15:10:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-93.33,43.76,-93.33,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +116144,701918,OKLAHOMA,2017,May,Flash Flood,"MCINTOSH",2017-05-19 21:08:00,CST-6,2017-05-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4657,-95.5381,35.4642,-95.512,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Significant flooding occurred in and around Checotah with several roads closed." +116144,701919,OKLAHOMA,2017,May,Flash Flood,"OKMULGEE",2017-05-19 21:08:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.6148,-95.9756,35.6165,-95.9349,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of numerous roads were flooded and closed across town." +116620,704023,GEORGIA,2017,May,Tornado,"CRISP",2017-05-23 12:46:00,EST-5,2017-05-23 12:54:00,2,0,0,0,100.00K,100000,,NaN,31.8667,-83.7481,31.8788,-83.6603,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 110 MPH and a maximum path width of 150 yards began just south of Highway 41 and Landfill Road. The tornado quickly intensified as it moved east-northeast and crossed I-75 where a tractor-trailer was blown over onto a car in the southbound lanes, resulting in two minor injuries. Numerous trees were snapped as it continued east-northeast. The tornado reached its maximum intensity in the 200 block of Allied Road where a house had most of its roof blown off and a mobile home across the street was blown off of its block foundation. The mobile home residents had sought shelter in the home across the street several minutes before the tornado hit and were not injured in spite of the extensive damage. Around the intersection of Arabi Williford Road and Highway 90 another mobile home was blown off of its block foundation, but remained upright. Dozens of trees were snapped or uprooted with one falling on a home causing minor damage before the tornado ended just east of Brock Road where one home had minor roof damage. [05/23/17: Tornado #2, County #1/1, EF-1, Crisp, 2017:073]." +116620,704008,GEORGIA,2017,May,Tornado,"SUMTER",2017-05-23 12:06:00,EST-5,2017-05-23 12:16:00,0,0,0,0,50.00K,50000,,NaN,31.9144,-84.1807,31.9811,-84.1345,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","An National Weather Service survey team found that an EF0 tornado with a maximum path width of 100 yards and maximum winds of 74 MPH crossed into Sumter County from Lee County east of Highway 377 in a marshy area moving northeast. The tornado crossed RW Jones Road where 2 houses sustained minor roof damage. Further northeast, trees were downed along Wilson Battle Road and Brady Road before the tornado ended near Bone Road. No injuries were reported. [05/23/17: Tornado #1, County #2/2, EF-0, Lee, Sumter, 2017:072]." +116620,704068,GEORGIA,2017,May,Lightning,"FLOYD",2017-05-23 19:05:00,EST-5,2017-05-23 19:05:00,0,0,0,0,1.00K,1000,,NaN,34.2572,-85.1648,34.2572,-85.1648,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported damage from a lightning strike near the intersection of Broad Street and Turner McCall Boulevard Northeast." +117069,704324,IDAHO,2017,May,Flood,"BLAINE",2017-05-01 01:00:00,MST-7,2017-05-31 23:00:00,0,0,0,1,10.00M,10000000,0.00K,0,43.8023,-114.4917,43.47,-114.6689,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Rain on top of continued snow melt pushed the Big Wood River to flood stage and eventually reaching moderate and major flood stage at Hailey. The entire Big Wood River Valley encountered major flooding with as many as 5,000 evacuations from Bellevue to Hailey to Ketchum and Sun Valley by May 6th. Many people went without electricity in the valley today with water pumps also running continually with major flood damage in basement homes. One home in north Ketchum on Empire Creek Road suffered a death on May 10th when a man died in a basement trying to assist with pumps to remove over 6 feet of water from the basement. The evacuation order reached 24 homes in Blaine County along the Big Wood River by mid month. Costs of flood damage reached 10 million dollars in the county. Levee repair costs were included and damage included agriculture, homes, businesses, roads, bridges resorts, government infrastructure and preserves. Sand bagging was continual by volunteers throughout the month as well. the flooding caused extensive power pole damage. The Big Wood River spent the entire month exceeding and receding from flood stage in Blaine County with the worst flooding during the first two weeks of the month." +117087,706275,KANSAS,2017,May,Hail,"TREGO",2017-05-27 01:45:00,CST-6,2017-05-27 01:45:00,0,0,0,0,,NaN,,NaN,39,-99.73,39,-99.73,"Strong convection sparked late on the 26th, while none of it became severe on the 26, the storms carried over into the overnight. A regime of modest east/southeasterly surface flow and steep mid-level lapse rates sparked early morning cells on the 27th in southwest Kansas.","" +117087,706276,KANSAS,2017,May,Hail,"TREGO",2017-05-27 01:49:00,CST-6,2017-05-27 01:49:00,0,0,0,0,,NaN,,NaN,38.81,-99.73,38.81,-99.73,"Strong convection sparked late on the 26th, while none of it became severe on the 26, the storms carried over into the overnight. A regime of modest east/southeasterly surface flow and steep mid-level lapse rates sparked early morning cells on the 27th in southwest Kansas.","" +117087,706277,KANSAS,2017,May,Hail,"ELLIS",2017-05-27 02:13:00,CST-6,2017-05-27 02:13:00,0,0,0,0,,NaN,,NaN,38.71,-99.33,38.71,-99.33,"Strong convection sparked late on the 26th, while none of it became severe on the 26, the storms carried over into the overnight. A regime of modest east/southeasterly surface flow and steep mid-level lapse rates sparked early morning cells on the 27th in southwest Kansas.","" +117581,707083,IOWA,2017,March,Hail,"PLYMOUTH",2017-03-23 09:50:00,CST-6,2017-03-23 09:51:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-96.12,42.85,-96.12,"Scattered thunderstorms developed in extreme southeast South Dakota and moved into portions of northwest Iowa and became severe.","" +116597,701198,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-05-03 17:50:00,CST-6,2017-05-03 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-88.01,30.68,-88.01,"A line of thunderstorms moved across the marine area and produced high winds.","Cooper Park Mesonet." +116966,703444,INDIANA,2017,May,Flash Flood,"HENRY",2017-05-24 12:25:00,EST-5,2017-05-24 14:25:00,0,0,0,0,3.00K,3000,1.00K,1000,40.0054,-85.4419,40.0055,-85.441,"A slow-moving band of showers and thunderstorms moved across eastern areas of central Indiana. Some locations saw upwards of 2 to 4 inches of rain. This led to flooding and flash flooding in portions of the Henry and Delaware County areas.","Highway 36 was flooded in Sulphur Springs due to thunderstorm heavy rainfall. At least one home was surrounded by water." +116966,703470,INDIANA,2017,May,Flood,"DELAWARE",2017-05-24 14:24:00,EST-5,2017-05-24 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.1889,-85.3817,40.1889,-85.3819,"A slow-moving band of showers and thunderstorms moved across eastern areas of central Indiana. Some locations saw upwards of 2 to 4 inches of rain. This led to flooding and flash flooding in portions of the Henry and Delaware County areas.","The Madison Street underpass in Muncie was closed for high water from thunderstorm heavy rainfall. Rainfall was measured at 1.50 inches." +116966,703472,INDIANA,2017,May,Flood,"HENRY",2017-05-24 15:10:00,EST-5,2017-05-24 17:00:00,0,0,0,0,1.00K,1000,1.00K,1000,39.9964,-85.3993,39.9973,-85.3993,"A slow-moving band of showers and thunderstorms moved across eastern areas of central Indiana. Some locations saw upwards of 2 to 4 inches of rain. This led to flooding and flash flooding in portions of the Henry and Delaware County areas.","Four feet of water was over County Road 75 West, south of Jacobs Family Orchard due to thunderstorm heavy rainfall." +116691,701721,PENNSYLVANIA,2017,May,Flood,"WYOMING",2017-05-01 23:30:00,EST-5,2017-05-02 00:01:00,0,0,0,0,10.00K,10000,0.00K,0,41.47,-75.97,41.4551,-75.9873,"Locally heavy rain producing thunderstorms moved across Northeast Pennsylvania during the late evening hours of May 1st, 2017.","Locally heavy rains caused minor flooding across portions of Valley View Road in the township of Eaton, PA. Mud and debris were also reported flowing across the road." +116597,701199,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-05-03 17:53:00,CST-6,2017-05-03 17:53:00,0,0,0,0,0.00K,0,0.00K,0,30.632,-88.052,30.632,-88.052,"A line of thunderstorms moved across the marine area and produced high winds.","Brookley Field." +116597,701200,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-05-03 17:57:00,CST-6,2017-05-03 17:57:00,0,0,0,0,0.00K,0,0.00K,0,30.632,-88.052,30.5816,-88.0715,"A line of thunderstorms moved across the marine area and produced high winds.","Weatherflow site at Buccaneer Yacht club, within one mile of the coast." +116597,701201,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-03 18:00:00,CST-6,2017-05-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-88.11,30.25,-88.11,"A line of thunderstorms moved across the marine area and produced high winds.","C-Man station on Dauphin Island." +116597,701464,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-03 18:00:00,CST-6,2017-05-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2343,-88.028,30.2343,-88.028,"A line of thunderstorms moved across the marine area and produced high winds.","C-Man station at Fort Morgan." +117025,703853,NEW YORK,2017,May,Hail,"ONONDAGA",2017-05-31 02:15:00,EST-5,2017-05-31 02:25:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-76.31,43.04,-76.31,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced penny sized hail." +117025,703855,NEW YORK,2017,May,Hail,"SCHUYLER",2017-05-31 15:53:00,EST-5,2017-05-31 16:03:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-76.7,42.31,-76.7,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A severe thunderstorm developed over the area and produced quarter sized hail." +117025,703856,NEW YORK,2017,May,Hail,"TIOGA",2017-05-31 17:47:00,EST-5,2017-05-31 17:57:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-76.26,42.1,-76.26,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced penny sized hail." +117029,703886,NEW YORK,2017,May,Hail,"BROOME",2017-05-14 12:30:00,EST-5,2017-05-14 12:40:00,0,0,0,0,0.00K,0,0.00K,0,42.08,-76.05,42.08,-76.05,"Showers and thunderstorms developed ahead of and along an advancing cold front across the states of New York and Pennsylvania Sunday afternoon. As the storms moved to the east, an isolated storm produced nickel-sized hail in the Binghamton area.","A thunderstorm developed over the area and produced nickel sized hail." +115227,691837,TENNESSEE,2017,April,Strong Wind,"CARROLL",2017-04-02 22:30:00,CST-6,2017-04-02 23:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Several trees and power lines were knocked down. A metal roof on a shed was blown off." +115227,691838,TENNESSEE,2017,April,Strong Wind,"GIBSON",2017-04-02 22:35:00,CST-6,2017-04-02 23:35:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Trees and power lines were knocked down in the Trenton area." +113254,677671,TENNESSEE,2017,January,Winter Weather,"HAYWOOD",2017-01-06 04:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +113254,677673,TENNESSEE,2017,January,Winter Weather,"MADISON",2017-01-06 04:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +113254,677674,TENNESSEE,2017,January,Winter Weather,"CARROLL",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +113254,677675,TENNESSEE,2017,January,Winter Weather,"HENDERSON",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +115298,704687,ILLINOIS,2017,May,Flash Flood,"EFFINGHAM",2017-05-10 22:30:00,CST-6,2017-05-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0016,-88.7996,38.9128,-88.8071,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Effingham County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed near Mason and Edgewood, and water covered parts of U.S. Highway 45 south of Watson to the Clay County line." +115227,691840,TENNESSEE,2017,April,Strong Wind,"HENRY",2017-04-02 22:45:00,CST-6,2017-04-02 23:45:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Several large trees were knocked down. Power and utility poles were also knocked down. The damage was mostly from Henry north into Paris." +115298,704688,ILLINOIS,2017,May,Flood,"EFFINGHAM",2017-05-11 01:30:00,CST-6,2017-05-11 06:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0016,-88.7996,38.9128,-88.8071,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Effingham County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed near Mason and Edgewood, and water covered parts of U.S. Highway 45 south of Watson to the Clay County line. An additional 0.50 to 0.75 inch of rain during the early morning hours of May 11th kept flood waters from receding until daybreak." +115298,704692,ILLINOIS,2017,May,Flash Flood,"JASPER",2017-05-10 23:00:00,CST-6,2017-05-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9887,-88.3637,38.8508,-88.3615,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Jasper County. Rainfall amounts ranged from 1.75 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed near Bogota, Sainte Marie, and West Liberty, and water covered parts of Illinois Route 130 between Newton and West Liberty." +114469,686435,COLORADO,2017,May,Hail,"PROWERS",2017-05-10 17:21:00,MST-7,2017-05-10 17:26:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-102.12,38.1,-102.12,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686436,COLORADO,2017,May,Hail,"BACA",2017-05-10 17:26:00,MST-7,2017-05-10 17:31:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-102.58,37.1,-102.58,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686438,COLORADO,2017,May,Hail,"BACA",2017-05-10 17:15:00,MST-7,2017-05-10 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-102.43,37.09,-102.43,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686440,COLORADO,2017,May,Hail,"PROWERS",2017-05-10 17:38:00,MST-7,2017-05-10 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-102.13,38.06,-102.13,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +114469,686445,COLORADO,2017,May,Hail,"OTERO",2017-05-10 15:05:00,MST-7,2017-05-10 15:10:00,0,0,0,0,0.00K,0,0.00K,0,37.6779,-103.5665,37.6779,-103.5665,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","" +117548,706939,WASHINGTON,2017,May,Thunderstorm Wind,"THURSTON",2017-05-04 15:00:00,PST-8,2017-05-04 20:00:00,0,0,0,0,700.00K,700000,0.00K,0,46.9146,-122.6239,46.9146,-122.6239,"A severe weather pattern produced several severe thunderstorms in Thurston and Lewis Counties on the afternoon of the 4th. Wet microbursts produced wind gusts up to 60 mph, knocking down trees and limbs, and knocking power out for over 20,000 customers.","Severe thunderstorm wind gusts peaked around 70 mph during the event between 3 and 5 PM, knocking down trees and power lines leaving nearly 50,000 without power. Several homes had trees fall on them." +114107,686015,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 18:29:00,EST-5,2017-05-01 18:29:00,0,0,0,0,6.00K,6000,0.00K,0,41.3096,-76.7847,41.3096,-76.7847,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph and knocked down numerous trees west of Huntersville." +114469,686479,COLORADO,2017,May,Flash Flood,"PUEBLO",2017-05-10 15:00:00,MST-7,2017-05-10 21:00:00,0,0,0,0,100.00K,100000,0.00K,0,38.1167,-105.0496,38.0708,-104.9687,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","Very heavy rain on the Junkins burn scar caused significant flash flooding along North Creek into the Beulah Valley. North Creek Road and adjoining driveways were washed out. Several residents were stranded on their property, but there were no injuries or loss of life." +114520,686756,TEXAS,2017,May,Thunderstorm Wind,"MADISON",2017-05-11 23:30:00,CST-6,2017-05-11 23:40:00,0,0,0,0,10.00K,10000,,NaN,30.9459,-95.9044,30.9126,-95.8638,"Severe thunderstorms produced wind damage as they developed ahead of a cold front.","Downed and uprooted trees stretched from the Madisonville Junior High School area southeastward for a couple miles in and around Pee Dee Lane." +115701,695287,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:07:00,CST-6,2017-05-16 20:07:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-94.16,42.51,-94.16,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported multiple tree limbs down along with a few transformers throughout town. Power out in many locations." +113197,677186,KENTUCKY,2017,March,Thunderstorm Wind,"METCALFE",2017-03-27 16:03:00,CST-6,2017-03-27 16:03:00,0,0,0,0,5.00K,5000,0.00K,0,37.1388,-85.7219,37.1503,-85.7223,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Two outbuildings along Iron Mountain Rd west of Center were partially collapsed by thunderstorm winds." +112887,674389,KENTUCKY,2017,March,Hail,"FRANKLIN",2017-03-01 03:37:00,EST-5,2017-03-01 03:37:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-84.88,38.19,-84.88,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Franklin County Emergency Manager reported hail 1 inch in diameter." +112887,674390,KENTUCKY,2017,March,Hail,"BULLITT",2017-03-01 07:00:00,EST-5,2017-03-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-85.55,38.07,-85.55,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +112887,674391,KENTUCKY,2017,March,Thunderstorm Wind,"BUTLER",2017-03-01 00:35:00,CST-6,2017-03-01 00:35:00,0,0,0,0,25.00K,25000,0.00K,0,37.19,-86.88,37.19,-86.88,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Butler County Emergency Manager reported structural damage to a boat dock on a pond. Also the severe thunderstorm winds resulted in large diameter trees snapped and uprooted along Highway 70 and Witaker Road." +114409,685835,COLORADO,2017,February,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-02-03 19:00:00,MST-7,2017-02-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving Pacific trough brought significant snowfall to the mountains of northwest Colorado.","Generally 4 to 8 inches of snow fell across the area." +114409,685837,COLORADO,2017,February,Winter Weather,"FLATTOP MOUNTAINS",2017-02-03 21:00:00,MST-7,2017-02-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving Pacific trough brought significant snowfall to the mountains of northwest Colorado.","Generally 3 to 5 inches of snow fell across the area." +114410,685843,COLORADO,2017,February,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-02-06 23:00:00,MST-7,2017-02-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Generally 3 to 7 inches of snow fell across the area." +114410,685846,COLORADO,2017,February,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-02-06 10:00:00,MST-7,2017-02-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Generally 4 to 8 inches of snow fell across the area. Locally higher amounts included 16 inches at the Vail Mountain SNOTEL site. Wind gusts of 20 to 45 mph resulted in areas of blowing and drifting snow. Interstate 70 was closed over Vail Pass for a portion of the storm, and other travel restrictions were established due to the adverse weather conditions." +112887,674392,KENTUCKY,2017,March,Thunderstorm Wind,"GRAYSON",2017-03-01 01:07:00,CST-6,2017-03-01 01:07:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-86.29,37.48,-86.29,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported numerous trees down in the area due to severe thunderstorm winds." +114410,685841,COLORADO,2017,February,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-06 19:00:00,MST-7,2017-02-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Generally 10 to 20 inches of snow fell across the area. Locally higher amounts included 22 inches at the Butte Mountain SNOTEL site. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow. Even stronger winds were measured at the highest elevations, with a peak gust of 69 mph near Monarch Pass. Highway 50 over Monarch Pass was closed for a period of time." +114410,685853,COLORADO,2017,February,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-02-07 06:00:00,MST-7,2017-02-08 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front trekked across western Colorado and produced significant to heavy snowfall in most mountain areas. The snowfall was enhanced by a renewed push of Pacific moisture into the area during the latter half of the storm.","Generally 3 to 6 inches of snow fell across the area. Locally higher amounts included 12 inches at the Lost Dog SNOTEL site. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow. Locally stronger winds included a peak gust of 58 mph at Steamboat Lake State Park." +114412,685866,COLORADO,2017,February,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-02-13 07:00:00,MST-7,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again resulted in areas of dense fog across some northwest and west-central Colorado valleys.","Dense fog occurred across much of the Central Yampa River Basin as visibilities dropped down to a quarter mile or less." +114412,685868,COLORADO,2017,February,Dense Fog,"UPPER GUNNISON RIVER VALLEY",2017-02-13 00:00:00,MST-7,2017-02-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again resulted in areas of dense fog across some northwest and west-central Colorado valleys.","Dense fog occurred across portions of the Upper Gunnison River Valley as visibilities dropped down to a quarter mile or less." +114412,685867,COLORADO,2017,February,Dense Fog,"LOWER YAMPA RIVER BASIN",2017-02-13 08:00:00,MST-7,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again resulted in areas of dense fog across some northwest and west-central Colorado valleys.","Dense fog occurred in portions of the Lower Yampa River Basin as visibilities dropped down to a quarter mile or less." +114415,685899,COLORADO,2017,February,Dense Fog,"ANIMAS RIVER BASIN",2017-02-13 19:30:00,MST-7,2017-02-14 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Trapped low level moisture again produced areas of dense fog in some western Colorado valleys.","Dense fog occurred intermittently across portions of the Animas River Basin as visibilities dropped down to a quarter mile or less." +113671,680363,COLORADO,2017,January,Dense Fog,"ANIMAS RIVER BASIN",2017-01-01 01:30:00,MST-7,2017-01-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed in the Four Corners region as low level moisture remained trapped under a surface-based inversion.","Dense fog occurred across portions of the Animas River Basin as visibilities dropped down to a quarter mile." +113671,680364,COLORADO,2017,January,Dense Fog,"SAN JUAN RIVER BASIN",2017-01-01 03:30:00,MST-7,2017-01-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog formed in the Four Corners region as low level moisture remained trapped under a surface-based inversion.","Dense fog occurred across portions of the San Juan River Basin as visibilities dropped down to a quarter mile." +114105,683273,COLORADO,2017,January,Dense Fog,"LOWER YAMPA RIVER BASIN",2017-01-14 08:00:00,MST-7,2017-01-14 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist airmass resulted in the formation of dense fog in some western Colorado valleys.","CDOT webcams in the indicated dense fog along Highway 40 between Maybell and Dinosaur." +115643,694834,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-04-06 11:41:00,EST-5,2017-04-06 11:46:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 35 to 48 knots were reported at Hooper Island." +114111,683524,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 21:10:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4728,-92.6379,31.4727,-92.6364,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","A video posted to the KALB-TV Facebook page showed a portion of Nellie Ryan Road washed out southeast of Colfax." +114111,683528,LOUISIANA,2017,April,Flash Flood,"LA SALLE",2017-04-02 22:40:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5096,-92.2618,31.8159,-92.3593,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Numerous roads were flooded and closed throughout LaSalle Parish." +113691,680501,COLORADO,2017,January,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-01-07 19:00:00,MST-7,2017-01-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 12 to 30 inches were measured across the area. Locally higher amounts included 43 inches at the Tower SNOTEL site." +113691,680503,COLORADO,2017,January,Winter Storm,"GRAND AND BATTLEMENT MESAS",2017-01-08 02:00:00,MST-7,2017-01-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 12 to 30 inches were measured across the area." +113691,680509,COLORADO,2017,January,Winter Storm,"FLATTOP MOUNTAINS",2017-01-07 19:00:00,MST-7,2017-01-10 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 15 to 30 inches were measured across the area." +113691,680515,COLORADO,2017,January,Winter Storm,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-01-08 06:00:00,MST-7,2017-01-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 12 to 30 inches were measured across the area. Locally higher amounts included 33 inches over Weminuche Pass." +113691,680518,COLORADO,2017,January,Winter Storm,"UPPER GUNNISON RIVER VALLEY",2017-01-06 19:00:00,MST-7,2017-01-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area." +113691,680520,COLORADO,2017,January,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-01-07 21:00:00,MST-7,2017-01-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Generally 20 to 30 inches of snow fell across the region. Locally higher amounts included 58 inches at Schofield Pass." +113691,680507,COLORADO,2017,January,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-07 10:00:00,MST-7,2017-01-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 10 to 20 inches were measured across the area. Locally higher amounts included 25 inches at the Ivanhoe SNOTEL site. Interstate 70 was closed early in the event between Vail and Vail Pass due to the adverse weather conditions and vehicle accidents." +113691,680506,COLORADO,2017,January,Winter Weather,"ROAN AND TAVAPUTS PLATEAUS",2017-01-07 19:00:00,MST-7,2017-01-10 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of around 10 inches were measured." +113387,678444,TEXAS,2017,March,High Wind,"ECTOR",2017-03-23 20:30:00,CST-6,2017-03-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Strong winds blew a power pole down in Odessa." +113387,678446,TEXAS,2017,March,High Wind,"MIDLAND",2017-03-23 15:30:00,CST-6,2017-03-23 18:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-46 mph, and a gust to 56 mph, occurred at the Midland ASOS." +113387,678447,TEXAS,2017,March,High Wind,"GLASSCOCK",2017-03-23 16:40:00,CST-6,2017-03-23 22:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-42 mph, and a gust to 54 mph, occurred at the St. Lawrence Mesonet." +113387,678450,TEXAS,2017,March,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-03-23 16:25:00,CST-6,2017-03-24 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Strong southwest to west winds occurred at McDonald Observatory in the Davis Mountains on the 23rd to the 24th. Wing gusts as high as 72 mph were recorded." +113387,678451,TEXAS,2017,March,High Wind,"PECOS",2017-03-23 17:50:00,CST-6,2017-03-23 19:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-42 mph, and a gust to 52 mph, occurred at the Coyanosa Mesonet." +113387,678457,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-23 16:52:00,MST-7,2017-03-24 12:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds occurred at the Pinery RAWS site. Gusts as high as 71 mph were recorded." +113387,678458,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-23 13:51:00,MST-7,2017-03-24 13:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-67 mph, and a gusts as high as 83 mph, occurred at the Guadalupe Pass ASOS." +113388,678460,NEW MEXICO,2017,March,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-03-23 13:00:00,MST-7,2017-03-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over southeastern New Mexico and resulted in widespread strong, westerly winds.","" +113387,678462,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-23 17:44:00,MST-7,2017-03-24 14:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-50 mph, and gusts as high as 68 mph, occurred at the Pine Springs Mesonet." +113391,678463,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-26 12:52:00,MST-7,2017-03-26 16:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moving over the region resulted in high winds in the Guadalupe Mountains.","" +112859,713844,NEW JERSEY,2017,March,Coastal Flood,"EASTERN CAPE MAY",2017-03-14 06:30:00,EST-5,2017-03-14 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Widespread roadway flooding accompanied the morning high tide in the coastal communities of Cape May county which led to road closures. George Redding Bridge into Wildwood was closed. Moderate beach erosion also occurred in Ocean City and Wildwood. ||Ocean city gauge reached 6.92 ft, moderate flooding begins at 6.5 ft. |Sea Isle gauge reached 6.98 ft, moderate flooding begins at 6.9 feet." +112859,713845,NEW JERSEY,2017,March,Coastal Flood,"WESTERN CAPE MAY",2017-03-14 06:30:00,EST-5,2017-03-14 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Widespread roadway flooding accompanied the morning high tide in the coastal communities of Cape May county which led to road closures. George Redding Bridge into Wildwood was closed. Moderate beach erosion also occurred in Ocean City and Wildwood. Ocean city gauge reached 6.92 ft, moderate flooding begins at 6.5 ft. Sea Isle gauge reached 6.98 ft, moderate flooding begins at 6.9 feet." +112859,713846,NEW JERSEY,2017,March,Coastal Flood,"MIDDLESEX",2017-03-14 08:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","The tide gauge at Perth Amboy reached 8.43 ft, moderate flooding begins at 8.2 feet." +112887,674495,KENTUCKY,2017,March,Thunderstorm Wind,"TRIMBLE",2017-03-01 06:32:00,EST-5,2017-03-01 06:32:00,0,0,0,0,250.00K,250000,0.00K,0,38.56,-85.29,38.56,-85.29,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Trimble County Emergency Manager reported that almost every house on Smith Lane was damaged. The severe thunderstorm winds resulted in most locations without power in the county. There were also many other buildings, mobile homes, and greenhouses damaged due to the thunderstorms." +112955,674931,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 17:59:00,CST-6,2017-02-28 17:59:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-91.53,41.55,-91.53,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Quarter sized hail was reported by a trained spotter. Hail could be heard over the phone." +112955,674933,IOWA,2017,February,Hail,"CEDAR",2017-02-28 18:26:00,CST-6,2017-02-28 18:26:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-91.23,41.64,-91.23,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A trained spotter reported quarter size hail." +114479,686491,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 15:15:00,CST-6,2017-03-09 15:18:00,0,0,0,0,,NaN,,NaN,38.37,-93.77,38.37,-93.77,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686492,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 15:17:00,CST-6,2017-03-09 15:18:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-93.75,38.37,-93.75,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686493,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 15:25:00,CST-6,2017-03-09 15:26:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-93.54,38.31,-93.54,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114479,686494,MISSOURI,2017,March,Hail,"HENRY",2017-03-09 15:25:00,CST-6,2017-03-09 15:27:00,0,0,0,0,0.00K,0,0.00K,0,38.25,-93.54,38.25,-93.54,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +112887,674468,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:20:00,EST-5,2017-03-01 07:20:00,0,0,0,0,50.00K,50000,0.00K,0,38.34,-84.57,38.34,-84.57,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Scott County Emergency Manager reported that severe thunderstorm winds turned over a semi truck on Interstate 75. Also, multiple outbuildings were flattened along with several trees down." +112887,674462,KENTUCKY,2017,March,Thunderstorm Wind,"TAYLOR",2017-03-01 08:04:00,EST-5,2017-03-01 08:04:00,0,0,0,0,20.00K,20000,0.00K,0,37.37,-85.3,37.37,-85.3,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","County officials reported that severe thunderstorm winds brought down power lines onto a house in north central Taylor County." +122022,730683,VIRGINIA,2017,December,Winter Weather,"WESTERN LOUISA",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and two inches across the county. Zion Crossroads (1 NNE) reported 1.3 inches of snow." +112887,674483,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:16:00,CST-6,2017-03-01 07:16:00,0,0,0,0,100.00K,100000,0.00K,0,36.99,-86.42,36.99,-86.42,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported that multiple structures were damaged on Cemetery Road." +112887,674485,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:11:00,CST-6,2017-03-01 07:11:00,0,0,0,0,25.00K,25000,0.00K,0,36.91,-86.56,36.91,-86.56,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported that severe thunderstorm winds flattened a barn." +112887,674486,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:21:00,CST-6,2017-03-01 07:21:00,0,0,0,0,50.00K,50000,0.00K,0,37.04,-86.25,37.04,-86.25,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Multiple structures were damaged due to severe thunderstorm winds." +112955,674935,IOWA,2017,February,Hail,"VAN BUREN",2017-02-28 19:15:00,CST-6,2017-02-28 19:22:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-91.8,40.7,-91.8,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported pea to dime size hail." +112955,674936,IOWA,2017,February,Hail,"LEE",2017-02-28 19:28:00,CST-6,2017-02-28 19:38:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-91.61,40.78,-91.61,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Law enforcement reported quarter size hail falling for a 10 minute period." +112955,674937,IOWA,2017,February,Hail,"HENRY",2017-02-28 19:40:00,CST-6,2017-02-28 19:46:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-91.41,40.88,-91.41,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported pea to nickel size hail for a 6 minute long period." +121208,725612,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:36:00,EST-5,2017-10-15 15:36:00,0,0,0,0,10.00K,10000,0.00K,0,42.49,-78.48,42.49,-78.48,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725614,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 15:40:00,EST-5,2017-10-15 15:40:00,0,0,0,0,5.00K,5000,0.00K,0,42.87,-77.88,42.87,-77.88,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported wires downed by thunderstorm winds." +118620,712602,WISCONSIN,2017,July,Hail,"MILWAUKEE",2017-07-15 22:45:00,CST-6,2017-07-15 22:45:00,0,0,0,0,0.00K,0,0.00K,0,42.9752,-88.0474,42.9752,-88.0474,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +121208,725615,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:44:00,EST-5,2017-10-15 15:44:00,0,0,0,0,10.00K,10000,0.00K,0,42.74,-78.14,42.74,-78.14,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +114301,685071,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-07 00:00:00,CST-6,2017-03-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.01,-93.1,36.01,-93.1,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A few large trees were downed." +114301,685072,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-07 00:06:00,CST-6,2017-03-07 00:06:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-93.05,36.02,-93.05,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees and power lines were blown down. Multiple trees were down on the road between Hasty and Carver." +114301,685073,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-07 00:09:00,CST-6,2017-03-07 00:09:00,0,0,0,0,0.00K,0,0.00K,0,36.04,-93.02,36.04,-93.02,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees and power lines were downed." +114301,685075,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-07 00:23:00,CST-6,2017-03-07 00:23:00,0,0,0,0,100.00K,100000,0.00K,0,36.03,-92.8,36.03,-92.8,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A house was destroyed with many trees and power lines down in St. Joe." +114301,685076,ARKANSAS,2017,March,Thunderstorm Wind,"NEWTON",2017-03-07 00:06:00,CST-6,2017-03-07 00:06:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-93.05,36.02,-93.05,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees were down in Hasty." +114301,685077,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-07 00:23:00,CST-6,2017-03-07 00:23:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-92.81,36.06,-92.81,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees were downed." +114301,685080,ARKANSAS,2017,March,Thunderstorm Wind,"BOONE",2017-03-07 00:46:00,CST-6,2017-03-07 00:46:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-92.98,36.37,-92.98,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Two trees were up rooted 4 miles north northeast of Bergman." +114301,685143,ARKANSAS,2017,March,Tornado,"NEWTON",2017-03-06 23:38:00,CST-6,2017-03-07 00:15:00,1,0,0,0,200.00K,200000,0.00K,0,35.9252,-93.388,36.023,-92.94,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","An EF-2 tornado cut a 36.7 mile path across Newton and Searcy counties. The damage included trees being uprooted and snapped. Several residences were damaged. The post office at Parthenon was destroyed. Maximum winds with this tornado were 120 mph. This tornado touched down north of Mossville in Newton County, and lifted east northeast of Saint Joe in Searcy County. At Parthenon, several homes were damaged. Outbuildings were damaged or destroyed. The post office was destroyed. A residence was destroyed north of Vendor. North of Saint Joe, a family of five (two adults and 3 small children) heard the tornado warning, went into a storm shelter before the tornado hit. Their manufactured home was completely destroyed. The damage was likely not survivable. Also, north of Saint Joe, trees and power lines were blown down. Outbuildings were damaged. A residence had significant damage. There was one minor injury." +114961,689591,ILLINOIS,2017,April,Flash Flood,"WHITE",2017-04-30 10:40:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-88.07,38.1732,-88.0468,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","A creek in Crossville quickly overtopped its banks." +114961,689702,ILLINOIS,2017,April,Flash Flood,"JACKSON",2017-04-30 05:30:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-89.5,37.63,-89.33,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Many roads were closed around the county, mainly smaller back roads." +114625,687698,CALIFORNIA,2017,March,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-03-31 09:00:00,PST-8,2017-03-31 12:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Breezy north winds developed behind a departing low pressure system, bringing down multiple trees in the Sacramento metro area.","A gust to 44 MPH was reported at 11:49 AM at Sacramento Executive Airport. In Citrus Heights very large oak tree, estimated to be nearly 400 years old and 19 feet around, came crashing down on a truck and car. This downed tree almost hit a man and his son." +114327,690202,KENTUCKY,2017,April,Strong Wind,"TODD",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690203,KENTUCKY,2017,April,Strong Wind,"MUHLENBERG",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690204,KENTUCKY,2017,April,Strong Wind,"HOPKINS",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114305,684822,LOUISIANA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-26 16:40:00,CST-6,2017-04-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-92.88,32.47,-92.88,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","A large tree was downed across the road at the intersection of State Highway 797 and Hwy. 147." +114324,685010,MISSOURI,2017,April,Hail,"SCOTT",2017-04-03 14:28:00,CST-6,2017-04-03 14:28:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-89.52,37.25,-89.52,"Diurnal heating and cold 500 mb temperatures around minus 18 degrees Celsius promoted the development of isolated to scattered thunderstorms during the afternoon. Surface dew points were generally in the 50's, and instability became sufficient for locally intense storms as mixed-layer capes approached 1000 j/kg. A 500 mb trough axis over the Plains moved northeast across the Lower Ohio Valley in the afternoon, providing enough cold air aloft for the generation of storms with hail.","" +114441,686232,MISSOURI,2017,April,Hail,"CAPE GIRARDEAU",2017-04-28 12:35:00,CST-6,2017-04-28 12:35:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-89.68,37.32,-89.68,"Isolated severe storms with large hail occurred during the afternoon and evening of the 28th. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. An isolated severe storm occurred during the afternoon, followed by a lull. Clusters of storms developed near the warm front during the evening. A few of these storms acquired supercell characteristics. Isolated large hail was the only type of severe weather observed with these storms, which were elevated north of a warm front.","" +113710,680685,MARYLAND,2017,February,Hail,"ST. MARY'S",2017-02-25 16:24:00,EST-5,2017-02-25 16:24:00,0,0,0,0,,NaN,,NaN,38.2414,-76.5602,38.2414,-76.5602,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Half dollar sized hail was reported near Callaway." +113710,680686,MARYLAND,2017,February,Thunderstorm Wind,"HARFORD",2017-02-25 15:36:00,EST-5,2017-02-25 15:36:00,0,0,0,0,,NaN,,NaN,39.5889,-76.4142,39.5889,-76.4142,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Wind damage was reported to a barn." +113710,680687,MARYLAND,2017,February,Thunderstorm Wind,"ST. MARY'S",2017-02-25 15:43:00,EST-5,2017-02-25 15:43:00,0,0,0,0,,NaN,,NaN,38.462,-76.706,38.462,-76.706,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A tree fell on power lines near the intersection of New Market Turner Road and Flora Corner Road." +113870,683293,TEXAS,2017,April,Thunderstorm Wind,"PANOLA",2017-04-02 12:15:00,CST-6,2017-04-02 12:15:00,0,0,0,0,0.00K,0,0.00K,0,32.1603,-94.3394,32.1603,-94.3394,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Several trees were blown down." +113623,682931,WISCONSIN,2017,April,Hail,"PIERCE",2017-04-15 19:15:00,CST-6,2017-04-15 19:15:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-92.6,44.77,-92.6,"A few thunderstorms developed across the Twin Cities metro area during the afternoon of Saturday, April 15th. When the storms moved into Wisconsin, one of the storms became severe briefly and produced quarter size hail between River Falls and Ellsworth.","" +112444,680047,FLORIDA,2017,February,Thunderstorm Wind,"CLAY",2017-02-07 22:08:00,EST-5,2017-02-07 22:35:00,0,0,0,0,,NaN,,NaN,29.7857,-82.0316,30.1667,-81.7077,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","An extensive wind damage event occurred across Clay county associated with several long tracked severe downbursts. One downburst was the rear-flank downdraft of a tornadic supercell that produced an EF1 tornado in Lawtey, just west of the western Clay county line. As the RFD descended, a severe downburst raced across the northern tier o Clay county from about 10:08 pm local time through 10:35 pm local time which caused widespread wind damage to structures in Middleburg, Doctor's Inlet, Doctor's Lake, Fleming Island, and Orange Park. Another storm within the squall line impacted Keystone Heights where a wind gust of 50 mph was measured at 10:15 pm by the AWOS at the Keystone Airport. Peak wind gusts were estimated between 70-80 mph per Storm Surveys. Below is a timeline of wind damage reports across Clay county as reported to the NWS for this wind event. ||At 10:08 pm, Emergency Management reported multiple homes with trees down on them near Keystone Heights. At 10:15 pm, the general public reported numerous trees and power lines were blown down along State Road 100 and Twin Lakes Road, about 2 miles SE of Keystone Heights. There was also a report of a roof blown off of a home. Also around 10:15 pm, a NWS storm spotter about 6 miles NNE of Middleburg reported a large live oak tree was blown down and a small gazebo was destroyed. There was also small hail observed, but size was not reported. At 10:15, the public reported tree tops were snapped and damage near Asbury Lake with small hail (unknown size). At 10:20 pm, a HAM radio operator located 3 miles NE of Lakeside reported a tree was blown down and partially blocked Doctor's Lake Drive in Orange Park. A storm survey of this area later revealed extensive large tree damage and structural damage to homes, some uninhabitable due to the extent of damage. Many trees were over 1 ft in diameter, which included large live oaks and water oaks. Around this time, a spotter later relayed fence damage, a flag pole blown down and tree limb damage in Lakeside with wind gusts estimated at 70 mph. At 10:20 pm, a HAM radio operator about 5 miles SE of Lakeside reported another large tree was blown down which partially blocked the Woodlands Subdivision on Fleming Island. Around the same time, a large pine tree was reported blown down by the media along Cornell Road in Middleburg. Around this time, a spotter in Middleburg estimated 60 mph wind gusts. This tree damaged power lines. Another report from the media around this time indicated a tree was blown down on a home along Main Street about 3 miles ENE of Middleburg. At 10:25 pm, the media reported extensive tree down, fence damage, and patio furniture debris at the intersection of Kingsley Avenue and Doctor's Lake Drive in Orange Park Florida. At this same time, a NWS employee was driving into work along Highway 17 between Pace Island on Fleming Island and the Doctor's Lake Bridge. The employee experienced very strong westerly wind gusts of 60-70 mph. At 10:25 pm, the public reported tops of trees blown down and hail of unknown size about 6 miles SW of Lakeside. At 10:27 pm, tree damage was reported in Orange Park along U.S. Highway 17 between Stowe and Milwaukee Avenues.||There was one injury reported in Clay county with this event. A shelter was opened for residents. Extensive damage to homes occurred in Keystone Heights, Clay Hill and Orange Park. There was damage to homes in Fleming Island Plantation, including shingle damage, and wind damage to Fleming Island High School and Thunderbolt Elementary had street signs damage and large posts blown over." +113902,682199,CALIFORNIA,2017,February,Flood,"TEHAMA",2017-02-17 00:00:00,PST-8,2017-02-17 11:39:00,0,0,0,1,0.00K,0,0.00K,0,40.3086,-122.2074,40.3667,-122.1786,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Two men and a woman were trying to get to their home in a flooded area via a canoe but it tipped in the process, deputies said. Tehama County Sheriff's Boating Safety crews responded and rescued one man and a woman, however, the other man drowned." +113902,682792,CALIFORNIA,2017,February,Flood,"COLUSA",2017-02-17 02:00:00,PST-8,2017-02-18 02:00:00,0,0,0,0,7.00M,7000000,0.00K,0,39.2704,-122.197,39.2936,-122.1974,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","The town of Maxwell, CA started flooding near 2:00 am due to rain in the last day causing local creeks to rise. The Colusa County Sheriff's Office posted a voluntary evacuation notice at 8:30 am, with some people evacuated by boat. Interstate 5 near Maxwell was under a foot of water, causing travel disruption. |Water inundated most of the homes in a 9-block area in Maxwell. Damage to an elementary school, a sheriff's substation, roads and 78 homes could total $7 million, according to the Colusa County Office of Emergency Services." +116522,700698,TEXAS,2017,May,Hail,"TAYLOR",2017-05-22 19:35:00,CST-6,2017-05-22 19:39:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","" +113020,675556,VIRGINIA,2017,February,Winter Weather,"WESTERN HIGHLAND",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 3.5 inches in Hightown." +113021,675557,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN GRANT",2017-02-15 20:00:00,EST-5,2017-02-16 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 4.6 inches at Bayard." +113021,675558,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN PENDLETON",2017-02-15 20:00:00,EST-5,2017-02-16 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 3.0 inches at Circleville." +113680,680445,ATLANTIC NORTH,2017,February,Marine Hail,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-02-25 15:32:00,EST-5,2017-02-25 15:32:00,0,0,0,0,,NaN,,NaN,38.7765,-76.5552,38.7765,-76.5552,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Penny sized hail was reported in Deale." +113680,680446,ATLANTIC NORTH,2017,February,Marine Hail,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-02-25 15:35:00,EST-5,2017-02-25 15:35:00,0,0,0,0,,NaN,,NaN,38.6948,-76.5337,38.6948,-76.5337,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Quarter sized hail was reported at Chesapeake Beach." +113680,680453,ATLANTIC NORTH,2017,February,Marine Hail,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-02-25 16:20:00,EST-5,2017-02-25 16:20:00,0,0,0,0,,NaN,,NaN,38.3235,-76.815,38.3235,-76.815,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Half-dollar sized hail was reported at Redgate." +113713,680731,MARYLAND,2017,February,Thunderstorm Wind,"ANNE ARUNDEL",2017-02-12 23:10:00,EST-5,2017-02-12 23:10:00,0,0,0,0,,NaN,,NaN,39.1282,-76.7357,39.1282,-76.7357,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Multiple trees were down near Fort Meade." +113713,680733,MARYLAND,2017,February,Thunderstorm Wind,"ANNE ARUNDEL",2017-02-12 23:12:00,EST-5,2017-02-12 23:12:00,0,0,0,0,,NaN,,NaN,39.1282,-76.7358,39.1282,-76.7358,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees were down blocking one lane along Maryland Route 175 at Disney Road." +113894,682217,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-08 10:00:00,PST-8,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.41,-121.26,38.4132,-121.2614,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Green Rd. in Wilton flooded due to levee over topping. Evacuations were ordered for low lying portions of Wilton and Point Pleasant." +113894,682218,CALIFORNIA,2017,February,Flood,"BUTTE",2017-02-08 12:00:00,PST-8,2017-02-09 12:00:00,0,0,0,0,2.37M,2370000,0.00K,0,39.74,-121.5,39.7424,-121.4832,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","HWY 70 was closed from Jarbo Gap in Butte County to Greenville Wye in Plumas County due to flooding." +118067,709622,NEW MEXICO,2017,August,Flood,"HARDING",2017-08-23 05:05:00,MST-7,2017-08-25 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4366,-103.5317,35.4387,-103.5067,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","Ute Creek above Logan reached minor flood stage of 7 feet at 600 am MDT on the 23rd and periodically remained above minor flood stage through 300 am MDT on the 25th. The river crested at 8.67 feet with a discharge of 3,964 cfs at 945 am MDT on the 23rd." +119058,716751,KANSAS,2017,July,Thunderstorm Wind,"WYANDOTTE",2017-07-22 21:00:00,CST-6,2017-07-22 21:05:00,0,0,0,0,,NaN,,NaN,39.11,-94.76,39.11,-94.76,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Significant damage to a few homes occurred when trees fell onto them following 80 mph winds through the area. Two of the homes were destroyed, and 11 others received lesser damage. Several other homes received minor damage. Damage estimates from this event are unknown." +117444,706319,TEXAS,2017,June,Thunderstorm Wind,"COKE",2017-06-23 17:59:00,CST-6,2017-06-23 17:59:00,0,0,0,0,0.00K,0,0.00K,0,32.04,-100.25,32.04,-100.25,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","A West Texas Mesonet site measured a wind gust of 60 mph." +117444,706320,TEXAS,2017,June,Thunderstorm Wind,"COKE",2017-06-23 18:17:00,CST-6,2017-06-23 18:17:00,0,0,0,0,0.00K,0,0.00K,0,31.89,-100.3,31.89,-100.3,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","A Stripes store clerk reported a wind gust of 60 mph." +115349,694598,ALABAMA,2017,April,Tornado,"BARBOUR",2017-04-05 09:53:00,CST-6,2017-04-05 09:55:00,0,0,0,0,0.00K,0,0.00K,0,31.7706,-85.1428,31.7743,-85.1336,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","This tornado began in extreme southeastern Barbour near Sandy Creek Drive and then crossed into Henry County, Alabama. The tornado continued northeast and crossed a small sliver of Barbour County before entering Clay County, Georgia." +117444,706321,TEXAS,2017,June,Thunderstorm Wind,"IRION",2017-06-23 19:00:00,CST-6,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-100.81,31.3,-100.81,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","A West Texas Mesonet site measured a wind gust of 75 mph." +117443,706306,TEXAS,2017,June,Thunderstorm Wind,"NOLAN",2017-06-15 19:26:00,CST-6,2017-06-15 19:26:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.41,32.47,-100.41,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","A wind gust of 60 mph was reported." +117443,706307,TEXAS,2017,June,Thunderstorm Wind,"NOLAN",2017-06-15 19:34:00,CST-6,2017-06-15 19:34:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-100.53,32.35,-100.53,"A cold front triggered a line of thunderstorms. This line began producing damaging thunderstorms winds near Roby, resulting in damage. As the line of storms moved south and southeast it continued to produce damaging downburst winds across the Big Country.","A wind gust of 58 mph was reported at a West Texas Mesonet site." +114664,687748,MISSOURI,2017,April,Flash Flood,"PERRY",2017-04-29 03:00:00,CST-6,2017-04-29 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.8505,-89.8559,37.6232,-89.5331,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Highway 51 was closed at McBride Hill due to a mudslide. Portions of State Highways A, C, E, and M were also closed across the southern and eastern parts of the county. A co-operative observer measured a 24-hour total of 4.59 inches at the Perryville water plant." +114664,690289,MISSOURI,2017,April,Flash Flood,"CAPE GIRARDEAU",2017-04-29 03:00:00,CST-6,2017-04-29 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,37.57,-89.78,37.5,-89.73,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Floodwaters stranded multiple persons in northern Cape Girardeau County. Fire and rescue agencies from throughout the county were dispatched to assist with the water rescues. No injuries were reported." +114664,689667,MISSOURI,2017,April,Flood,"PERRY",2017-04-29 08:00:00,CST-6,2017-04-29 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,37.83,-89.83,37.65,-89.53,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","The overnight flash flooding transitioned to a longer duration flooding situation. Eight residences were evacuated as a result of flooding from the morning heavy rain." +114505,686651,MISSOURI,2017,April,Tornado,"NEW MADRID",2017-04-30 01:52:00,CST-6,2017-04-30 01:56:00,0,0,0,0,60.00K,60000,0.00K,0,36.7772,-89.58,36.8302,-89.5489,"Lines of strong to severe thunderstorms moved northeastward, producing isolated microbursts and a tornado. The storms were located in a region of strong wind shear very close to a warm front. The storms intercepted an easterly wind flow of marginally unstable air to the north of the front, which extended from the Missouri bootheel northeast along the Ohio River Valley.","The peak intensity of this tornado occurred just off U.S. Highway 61/62 on County Road 840, where a house was very heavily damaged. The house sustained the loss of the entire roof structure and part of one exterior wall. Estimated wind speeds at the house were near 125 mph. Elsewhere, two barns lost most of their roofs. A couple of small sheds were blown down. Several trees were uprooted. The tornado began about one-half mile north of Matthews and lifted one mile south of Sikeston." +116496,700574,MISSOURI,2017,June,Hail,"SCOTLAND",2017-06-17 18:21:00,CST-6,2017-06-17 18:21:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-92.17,40.46,-92.17,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","" +113616,684125,GEORGIA,2017,April,Thunderstorm Wind,"IRWIN",2017-04-05 19:57:00,EST-5,2017-04-05 19:57:00,0,0,0,0,0.00K,0,0.00K,0,31.62,-83.05,31.62,-83.05,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down onto Vickers Road." +115976,697032,COLORADO,2017,April,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-04-25 02:00:00,MST-7,2017-04-26 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist disturbance which swung through the bottom of a slow moving upper level trough produced significant snowfall in the mountains of southwest Colorado.","Snowfall amounts of 3 to 6 inches were measured across the area. Locally higher amounts included 9 inches on Highway 550 at the Avalanche Monument." +115976,697034,COLORADO,2017,April,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-04-25 06:00:00,MST-7,2017-04-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist disturbance which swung through the bottom of a slow moving upper level trough produced significant snowfall in the mountains of southwest Colorado.","Snowfall amounts of 3 to 5 inches were measured across the area." +115976,697037,COLORADO,2017,April,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-04-25 00:00:00,MST-7,2017-04-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist disturbance which swung through the bottom of a slow moving upper level trough produced significant snowfall in the mountains of southwest Colorado.","Snowfall amounts of 3 to 5 inches were measured across the area. Locally higher amounts included 8 inches at Schofield Pass and 6 inches at Gothic." +113620,743509,TEXAS,2017,March,Tornado,"GLASSCOCK",2017-03-28 18:22:00,CST-6,2017-03-28 18:25:00,0,0,0,0,0.00K,0,0.00K,0,31.6466,-101.8029,31.6727,-101.732,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","Trained spotters viewed and took images of a tornado that developed two miles east of the community of Midkiff along Farm to Market Road 2401 and continued northeastward into open fields in extreme southwest portions of Glasscock County. The tornado was narrow, perhaps 50 to 75 yards in width. No damage was found with this tornado, which travelled along a path for approximately 5.5 miles. After being viewed by a damage survey team, this tornado was rated as an EF-0." +116262,698969,WYOMING,2017,April,Winter Storm,"SIERRA MADRE RANGE",2017-04-27 05:00:00,MST-7,2017-04-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 13 inches of snow." +116262,698970,WYOMING,2017,April,Heavy Snow,"UPPER NORTH PLATTE RIVER BASIN",2017-04-27 14:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","The La Prele Creek SNOTEL site (elevation 8375 ft) estimated 12 inches of snow." +120877,723725,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-26 02:36:00,PST-8,2017-11-26 04:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind struck some zones on the coast and in the north interior.","Lopez Island recorded sustained wind of 45 mph." +122077,730805,COLORADO,2017,December,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-12-29 02:24:00,MST-7,2017-12-29 08:02:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds developed in the Front Range mountains and foothills. Peak wind gust reports included: 98 mph, 2 miles south-southeast of Gold Hill, 91 mph, 3 miles south of Gold Hill; 89 mph near Aspen Springs; 86 mph, 4 miles east-northeast of Nederland; 83 mph, 3 miles southwest of Jefferson; 78 mph near Dumont; 77 mph near Rocky Flats; with 75 mph near Aspen Springs.","" +120877,723726,WASHINGTON,2017,November,High Wind,"NORTH COAST",2017-11-26 02:20:00,PST-8,2017-11-26 04:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind struck some zones on the coast and in the north interior.","DESW1 recorded sustained wind of 58 mph or more, which corresponds to 58 mph gusts over the land." +120878,723727,WASHINGTON,2017,November,High Wind,"ADMIRALTY INLET AREA",2017-11-19 10:45:00,PST-8,2017-11-19 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three zones in the northwest interior had high wind.","KNUW recorded 40 mph sustained wind, gusting to 59 mph. Coupeville recorded 41 mph sustained wind. Cama Beach recorded 40 mph sustained wind, gusting to 64 mph." +112571,671634,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:31:00,EST-5,2017-02-25 16:31:00,0,0,0,0,,NaN,,NaN,40.79,-75.34,40.79,-75.34,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several trees and wires downed due to thunderstorm winds." +122078,730806,COLORADO,2017,December,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-12-30 12:54:00,MST-7,2017-12-30 13:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong wind gusts occurred in the Front Range mountains and foothills. Peak wind reports included 99 mph near Berthoud Pass and 83 mph near Glen Haven.","" +122078,730807,COLORADO,2017,December,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-12-30 12:54:00,MST-7,2017-12-30 13:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong wind gusts occurred in the Front Range mountains and foothills. Peak wind reports included 99 mph near Berthoud Pass and 83 mph near Glen Haven.","" +116884,702750,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:29:00,CST-6,2017-05-16 15:29:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-100.62,35.19,-100.62,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +112571,671637,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:38:00,EST-5,2017-02-25 16:38:00,0,0,0,0,,NaN,,NaN,40.78,-75.27,40.78,-75.27,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Trees downed onto wires due to thunderstorm winds at Sullivan trail road between Belfast road and Church road." +112571,671639,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:30:00,EST-5,2017-02-25 16:30:00,0,0,0,0,,NaN,,NaN,40.79,-75.34,40.79,-75.34,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","A tree fell onto a barn, a horse died on Creamery road. Trees down on Keller Road, Gold Mill Road, Jacobsburg Drive, Parkland Drive and Renaldi Drive." +112571,671640,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 15:55:00,EST-5,2017-02-25 15:55:00,0,0,0,0,,NaN,,NaN,40.56,-75.98,40.56,-75.98,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","A measured 60 mph gust." +116884,702751,TEXAS,2017,May,Hail,"DONLEY",2017-05-16 15:29:00,CST-6,2017-05-16 15:29:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-100.74,35.12,-100.74,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702752,TEXAS,2017,May,Hail,"DONLEY",2017-05-16 15:30:00,CST-6,2017-05-16 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-100.73,35.11,-100.73,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116091,699122,WISCONSIN,2017,May,Thunderstorm Wind,"VERNON",2017-05-17 18:51:00,CST-6,2017-05-17 18:51:00,0,0,0,0,4.00K,4000,0.00K,0,43.45,-90.76,43.45,-90.76,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down over the southeast part of Vernon County." +112571,671620,PENNSYLVANIA,2017,February,Thunderstorm Wind,"CARBON",2017-02-25 16:06:00,EST-5,2017-02-25 16:06:00,0,0,0,0,,NaN,,NaN,40.82,-75.67,40.82,-75.67,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Trees down throughout the county particularly from Parryville and points northeast." +112571,671622,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 16:07:00,EST-5,2017-02-25 16:07:00,0,0,0,0,,NaN,,NaN,40.52,-75.78,40.52,-75.78,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","A roof of a medivac hanger was blown off and hit a house in a mobile home park due to thunderstorm winds. Power outages as well." +112571,671624,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 16:09:00,EST-5,2017-02-25 16:09:00,0,0,0,0,,NaN,,NaN,40.44,-75.89,40.44,-75.89,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Yard fencing was blown off due to thunderstorm winds." +116091,699123,WISCONSIN,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-17 19:07:00,CST-6,2017-05-17 19:07:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-90.67,43.51,-90.67,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 65 mph wind gust occurred in Viola." +116091,699124,WISCONSIN,2017,May,Thunderstorm Wind,"VERNON",2017-05-17 19:12:00,CST-6,2017-05-17 19:12:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-90.42,43.59,-90.42,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 65 mph wind gust occurred north of Yuba." +116091,699125,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 19:17:00,CST-6,2017-05-17 19:17:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-90.78,43.8,-90.78,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 60 mph wind gust occurred in Melvina." +116951,703364,TEXAS,2017,May,Hail,"SHERMAN",2017-05-27 20:26:00,CST-6,2017-05-27 20:26:00,0,0,0,0,0.00K,0,0.00K,0,36.11,-102.06,36.11,-102.06,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703365,TEXAS,2017,May,Hail,"HUTCHINSON",2017-05-27 20:33:00,CST-6,2017-05-27 20:33:00,0,0,0,0,0.00K,0,0.00K,0,36.04,-101.21,36.04,-101.21,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703366,TEXAS,2017,May,Hail,"SHERMAN",2017-05-27 20:35:00,CST-6,2017-05-27 20:35:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-102.04,36.19,-102.04,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116951,703391,TEXAS,2017,May,High Wind,"OCHILTREE",2017-05-27 21:35:00,CST-6,2017-05-27 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +120506,723217,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 14:58:00,MST-7,2017-10-22 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the military site 13 miles SE of Belt." +120506,723216,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 15:58:00,MST-7,2017-10-22 15:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the military site 11 miles W of Grass Range." +120506,723218,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 16:52:00,MST-7,2017-10-22 16:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at a mesonet site 7 miles SE of Hilger." +112317,669995,NEW JERSEY,2017,February,High Wind,"EASTERN CAPE MAY",2017-02-13 11:15:00,EST-5,2017-02-13 11:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","Electrical pole knocked down at Landis and 28th." +112317,669990,NEW JERSEY,2017,February,High Wind,"SUSSEX",2017-02-13 16:30:00,EST-5,2017-02-13 16:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds blew through the area after a cold frontal passage, enough to lead to downed trees and wires during the day of the 13th and from a severe squall line early on the 13th. Temperatures were also cold enough with the main low pressure system along the front to produce a wintry mix across northern portions of the state.||In terms of freezing rain across northern portions of the state, accumulations were generally light with .05 inches in Warren Twp, .01 inches At the Sussex ASOS, .03 inches at the Somerset airport and .09 inches in Jefferson Twp. The highest total was near Randolph twp at .25 inches. Snow accumulations averaged around an inch in Morris County and from 1-3 inches in Sussex county. ||Further south, a squall line of thunderstorms moved through resulting in some wind damage around midnight on the 13th. A 57 mph thunderstorm wind gust was measured at the Morris NJWXNET site just before midnight on the 13th. A 52 mph thunderstorm wind gust was reported a few minutes later near the Port Norris NJWXNET site.||Winds behind the front were also gusty. Top gusts were 51 mph at the Atlantic City ASOS, 46 mph in Jobstown, 57 mph in Wissoming, 54 mph at the Cape May COOP, 50 mph in Port Norris, 56 mph in Wenonah, 49 mph near Hughnot, 45 mph in Wantage and 54 mph at the Maxwell field ASOS.||Several thousand power outages were reported with some lasting 24 hours in Sussex and Morris counties.","A tree fell onto route 613 in Byram Twp." +112571,671909,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:40:00,EST-5,2017-02-25 16:40:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-75.27,40.74,-75.27,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Traffic lights were blown down at the Tatamy interchange on route 33." +114517,686729,TEXAS,2017,May,Hail,"HOUSTON",2017-05-03 15:45:00,CST-6,2017-05-03 15:45:00,0,0,0,0,,NaN,,NaN,31.36,-95.33,31.36,-95.33,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","This storm produced quarter sized hail." +112572,671646,NEW JERSEY,2017,February,Thunderstorm Wind,"SALEM",2017-02-25 16:55:00,EST-5,2017-02-25 16:55:00,0,0,0,0,,NaN,,NaN,39.48,-75.47,39.48,-75.47,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Several trees downed due to thunderstorm winds." +112572,671647,NEW JERSEY,2017,February,Thunderstorm Wind,"WARREN",2017-02-25 16:55:00,EST-5,2017-02-25 16:55:00,0,0,0,0,,NaN,,NaN,40.97,-74.88,40.97,-74.88,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","A tree was downed due to thunderstorm winds on Route 94 near CR659 and Spring valley Road." +112932,674728,TENNESSEE,2017,March,Hail,"MARION",2017-03-01 01:05:00,CST-6,2017-03-01 01:05:00,0,0,0,0,,NaN,,NaN,35.07,-85.63,35.07,-85.63,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Quarter sized hail was reported at Jasper." +114517,686730,TEXAS,2017,May,Hail,"MADISON",2017-05-03 16:35:00,CST-6,2017-05-03 16:35:00,0,0,0,0,,NaN,,NaN,30.93,-95.85,30.93,-95.85,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Golf ball sized hail was reported between the Madisonville and Midway areas." +114517,686732,TEXAS,2017,May,Hail,"MADISON",2017-05-03 16:40:00,CST-6,2017-05-03 16:40:00,0,0,0,0,,NaN,,NaN,30.9655,-95.8828,30.9655,-95.8828,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Nickel sized hail was reported near the intersection of Interstate 45 and Highway 21." +112932,674733,TENNESSEE,2017,March,Hail,"MARION",2017-03-01 14:02:00,CST-6,2017-03-01 14:02:00,0,0,0,0,,NaN,,NaN,35.06,-85.63,35.06,-85.63,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Golf ball sized hail was reported at Jasper." +114875,689161,TEXAS,2017,May,Thunderstorm Wind,"POLK",2017-05-23 18:18:00,CST-6,2017-05-23 18:18:00,0,0,0,0,0.00K,0,0.00K,0,30.7264,-94.9663,30.7264,-94.9663,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Trees were downed on FM 350 South." +114875,689162,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-23 18:25:00,CST-6,2017-05-23 18:25:00,0,0,0,0,0.00K,0,0.00K,0,29.5,-95.92,29.5,-95.92,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","A trampoline was wrapped around a light pole and fences were downed." +112932,674734,TENNESSEE,2017,March,Hail,"HAMILTON",2017-03-01 15:25:00,EST-5,2017-03-01 15:25:00,0,0,0,0,,NaN,,NaN,35.07,-85.26,35.07,-85.26,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Quarter sized hail was reported at Chattanooga." +114875,689164,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-23 18:30:00,CST-6,2017-05-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.403,-95.8377,29.403,-95.8377,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Numerous large trees were downed." +114875,689165,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-23 18:31:00,CST-6,2017-05-23 18:31:00,0,0,0,0,0.00K,0,0.00K,0,29.52,-95.81,29.52,-95.81,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","This wind gust was measured by an observer." +114875,689159,TEXAS,2017,May,Thunderstorm Wind,"AUSTIN",2017-05-23 17:54:00,CST-6,2017-05-23 18:10:00,0,0,0,0,1.00M,1000000,,NaN,29.7594,-96.1505,29.7645,-96.1918,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Severe thunderstorms moved rapidly across the Sealy area, and a very intense and wet microburst produced significant wind damage to trees, structures and utility poles. Wind gusts may have exceeded 80 to 100 mph. The most significant damage began along or just northwest of Interstate 10 a few miles west of Sealy and moved in an approximate two mile wide swath south of the Interstate toward Highway 36. Damage included an 18 wheeler truck blown over, car windows blown out and part of a roof blown off at Sealy High School." +114875,689160,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-23 18:15:00,CST-6,2017-05-23 18:15:00,0,0,0,0,30.00K,30000,0.00K,0,29.679,-95.9788,29.679,-95.9788,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","Large tree limbs, fences and power lines were downed. There was also some roof damage." +114875,689166,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-23 18:50:00,CST-6,2017-05-23 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,29.5032,-95.4591,29.5032,-95.4591,"Severe thunderstorms developed along and ahead of a cold front and produced damaging winds and large hail. Significant downburst wind damage occurred near Sealy with an estimated 100 mph wind.","A large tree limb was downed on top of an SUV on Masterson Street near the Disney Street intersection." +116145,701898,ARKANSAS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 23:30:00,CST-6,2017-05-18 23:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.5,-93.83,35.5,-93.83,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind blew down trees and power lines." +116145,701900,ARKANSAS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 23:40:00,CST-6,2017-05-18 23:40:00,0,0,0,0,4.00K,4000,0.00K,0,35.5,-93.83,35.5,-93.83,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind blew over a trailer and damaged vehicles due to flying debris." +116145,701901,ARKANSAS,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-18 23:45:00,CST-6,2017-05-18 23:45:00,0,0,0,0,0.00K,0,0.00K,0,35.4681,-93.8312,35.4681,-93.8312,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Strong thunderstorm wind blew down trees in Webb City." +116144,701587,OKLAHOMA,2017,May,Thunderstorm Wind,"MCINTOSH",2017-05-18 21:15:00,CST-6,2017-05-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,35.3032,-95.6571,35.3032,-95.6571,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The Oklahoma Mesonet station near Eufaula measured 66 mph thunderstorm wind gusts." +116144,701588,OKLAHOMA,2017,May,Thunderstorm Wind,"PITTSBURG",2017-05-18 21:15:00,CST-6,2017-05-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,35.0942,-95.8869,35.0942,-95.8869,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind blew down a large tree onto the Indian Nation Turnpike, resulting in southbound traffic being diverted." +114819,688685,MINNESOTA,2017,May,Thunderstorm Wind,"GOODHUE",2017-05-17 19:20:00,CST-6,2017-05-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-92.86,44.41,-92.86,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +114819,688684,MINNESOTA,2017,May,Thunderstorm Wind,"BROWN",2017-05-17 15:02:00,CST-6,2017-05-17 15:02:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-94.38,44.17,-94.38,"An area of low pressure moved from Nebraska, northeast across southern Minnesota, and into west central Wisconsin during the afternoon of Wednesday, May 17th. Storms developed during the afternoon in northern Iowa and quickly moved northward into southern Minnesota by mid afternoon. A few storms produced large hail near Fairmont and Albert Lea before transitioning into heavy rainfall by the early evening. Two areas of training thunderstorms affecting areas of Mankato, and the northern suburbs of the Twin Cities, but no significant flooding occurred. There were also a few severe wind gusts that occurred in southern Minnesota.","" +114534,689209,MINNESOTA,2017,May,Hail,"RICE",2017-05-16 14:20:00,CST-6,2017-05-16 14:20:00,0,0,0,0,0.00K,0,0.00K,0,44.32,-93.29,44.32,-93.29,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +114534,689233,MINNESOTA,2017,May,Hail,"GOODHUE",2017-05-16 14:27:00,CST-6,2017-05-16 14:47:00,0,0,0,0,250.00K,250000,0.00K,0,44.4965,-92.9012,44.4132,-93.066,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","Several reports of very large hail, up to 2.5 inches in diameter, fell from west of Dennison, to near Cannon Falls. There were reports of hail damage to siding, cars and roofs in this swath of large hail." +114534,689242,MINNESOTA,2017,May,Hail,"DAKOTA",2017-05-16 15:06:00,CST-6,2017-05-16 15:16:00,0,0,0,0,250.00K,250000,0.00K,0,44.7927,-93.1264,44.83,-93.06,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","A swath of large hail, up to golf ball size, fell from Eagan, northeast through Inver Grove Heights. There were several reports of hail damage to vehicles, roofs and siding." +116144,701920,OKLAHOMA,2017,May,Flash Flood,"CHEROKEE",2017-05-19 21:30:00,CST-6,2017-05-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9063,-94.988,35.9054,-94.9609,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of numerous roads were flooded and closed across town." +116144,702219,OKLAHOMA,2017,May,Flash Flood,"OKFUSKEE",2017-05-19 21:30:00,CST-6,2017-05-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,35.3783,-96.378,35.3735,-96.3634,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 48 were flooded south of I-40." +116620,704030,GEORGIA,2017,May,Tornado,"WILCOX",2017-05-23 13:00:00,EST-5,2017-05-23 13:03:00,0,0,0,0,500.00K,500000,,NaN,31.8956,-83.5756,31.8993,-83.5492,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 100 MPH and a maximum path width of 50 yards began in a pecan orchard south of Bowen Road and east of Worley Road where it quickly intensified with wind speeds of 100 mph. At least 100 pecan trees were snapped and shredded along a narrow, 30 yard wide, path with no damage on either side. The tornado traveled east-northeast and weakened slightly snapping several more trees. A 400ft section of a large chicken house was destroyed west of Highway 159 and a few more trees were blown down before the tornado lifted just east of the intersection of Bowen Road and Highway 159. No injuries were reported. [05/23/17: Tornado #3, County #1/1, EF-1, Wilcox, 2017:074]." +116620,704071,GEORGIA,2017,May,Lightning,"FLOYD",2017-05-23 19:05:00,EST-5,2017-05-23 19:05:00,0,0,0,0,25.00K,25000,,NaN,34.2597,-85.1752,34.2597,-85.1752,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported a structure fire resulting from a lightning strike on North 5th Avenue Southwest." +116620,704075,GEORGIA,2017,May,Lightning,"FLOYD",2017-05-23 19:05:00,EST-5,2017-05-23 19:05:00,0,0,0,0,2.00K,2000,,NaN,34.268,-85.1514,34.268,-85.1514,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported a power pole struck by lightning on Stevens Street." +116620,704077,GEORGIA,2017,May,Lightning,"FLOYD",2017-05-23 19:10:00,EST-5,2017-05-23 19:10:00,0,0,0,0,1.00K,1000,,NaN,34.1782,-85.1785,34.1782,-85.1785,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported damage from a lightning strike on West Point Road." +116312,703193,INDIANA,2017,May,Tornado,"BOONE",2017-05-20 18:40:00,EST-5,2017-05-20 18:41:00,0,0,0,0,20.00K,20000,,NaN,40.134,-86.6956,40.1338,-86.6941,"Scattered thunderstorms developed over west central and north central Indiana Saturday evening along a northward-moving warm front. A couple of the storms became severe with numerous wall clouds and funnel clouds. One storm produced a brief tornado in the town of Forest in northeast Clinton County, causing significant damage to a fire station and a pole barn. Another storm produced a brief tornado in Boone County. The tornadic threat transitioned to a heavy rain and flash flooding threat in the Howard County area. Widespread flash flooding was reported in the Kokomo area with many roads impassible and some water rescues.","A brief EF-1 tornado touched down west of Thorntown in Boone County. Winds estimated at 90 mph damaged a barn by removing a large section of roof and tossing it several hundred yards into a field. One of the barn's walls collapsed." +116312,703268,INDIANA,2017,May,Tornado,"CLINTON",2017-05-20 19:40:00,EST-5,2017-05-20 19:46:00,0,0,0,0,40.00K,40000,,NaN,40.3602,-86.3514,40.3749,-86.3318,"Scattered thunderstorms developed over west central and north central Indiana Saturday evening along a northward-moving warm front. A couple of the storms became severe with numerous wall clouds and funnel clouds. One storm produced a brief tornado in the town of Forest in northeast Clinton County, causing significant damage to a fire station and a pole barn. Another storm produced a brief tornado in Boone County. The tornadic threat transitioned to a heavy rain and flash flooding threat in the Howard County area. Widespread flash flooding was reported in the Kokomo area with many roads impassible and some water rescues.","An EF-1 tornado briefly touched down in Forest, Indiana. The approximate 95 mph tornado winds caused significant damage to a fire station and a nearby pole barn. Some roof damage also occurred to a home." +116597,701465,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-05-03 18:06:00,CST-6,2017-05-03 18:06:00,0,0,0,0,0.00K,0,0.00K,0,30.2343,-88.028,30.2343,-88.028,"A line of thunderstorms moved across the marine area and produced high winds.","C-Man station at Fort Morgan." +116597,701466,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-05-03 18:43:00,CST-6,2017-05-03 18:43:00,0,0,0,0,0.00K,0,0.00K,0,30.2445,-87.7055,30.2445,-87.7055,"A line of thunderstorms moved across the marine area and produced high winds.","Gulf Shores weatherflow site within one mile of the coast." +116597,701467,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-05-03 18:57:00,CST-6,2017-05-03 18:57:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-87.45,30.34,-87.45,"A line of thunderstorms moved across the marine area and produced high winds.","Mill Point weatherflow site within one mile of the coast." +117013,703790,NEW YORK,2017,May,Thunderstorm Wind,"STEUBEN",2017-05-01 16:20:00,EST-5,2017-05-01 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,42.27,-77.61,42.27,-77.61,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines." +117013,703794,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-01 17:40:00,EST-5,2017-05-01 17:50:00,0,0,0,0,3.00K,3000,0.00K,0,42.71,-76.42,42.71,-76.42,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines." +117013,703796,NEW YORK,2017,May,Thunderstorm Wind,"CHEMUNG",2017-05-01 18:01:00,EST-5,2017-05-01 18:11:00,0,0,0,0,10.00K,10000,0.00K,0,42.09,-76.81,42.09,-76.81,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on a house and produced structural damage." +113254,677667,TENNESSEE,2017,January,Winter Weather,"HENRY",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677668,TENNESSEE,2017,January,Winter Weather,"GIBSON",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113254,677669,TENNESSEE,2017,January,Winter Weather,"CROCKETT",2017-01-06 05:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +112953,674906,ILLINOIS,2017,February,Hail,"ROCK ISLAND",2017-02-28 20:35:00,CST-6,2017-02-28 20:35:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-90.76,41.42,-90.76,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported dime size hail through social media." +115298,704693,ILLINOIS,2017,May,Flood,"JASPER",2017-05-11 01:30:00,CST-6,2017-05-11 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.9887,-88.3637,38.8508,-88.3615,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Jasper County. Rainfall amounts ranged from 1.75 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed near Bogota, Sainte Marie, and West Liberty, and water covered parts of Illinois Route 130 between Newton and West Liberty. An additional 0.50 to 0.75 inch of rain during the early morning hours of May 11th kept flood waters from receding until early in the afternoon." +115298,704695,ILLINOIS,2017,May,Flash Flood,"CLAY",2017-05-10 22:30:00,CST-6,2017-05-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6833,-88.6967,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Clay County. Rainfall amounts ranged from 1.50 to 2.00 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed from Bible Grove through Ingraham to Sailor Springs and Louisville. Parts of U.S. Highway 45 were covered with water from Louisville to the Effingham County line." +115298,704700,ILLINOIS,2017,May,Flash Flood,"RICHLAND",2017-05-10 23:00:00,CST-6,2017-05-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7311,-88.2576,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Richland County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed from Wakefield through Dundas to Olney. The heaviest rain occurred near Dundas, where IL Route 130 was closed." +114469,686480,COLORADO,2017,May,Flash Flood,"PUEBLO",2017-05-10 15:20:00,MST-7,2017-05-10 21:00:00,0,0,0,0,400.00K,400000,0.00K,0,38.2275,-104.8425,38.1854,-104.8137,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","Strong storms producing very heavy rain, which caused flash flooding and road washouts between Beulah and the Pueblo Reservoir. Flowing water well over 6 inches deep was widespread, with some standing water reported to be near 3 feet deep." +114469,693454,COLORADO,2017,May,Funnel Cloud,"LAS ANIMAS",2017-05-10 12:30:00,MST-7,2017-05-10 12:40:00,0,0,0,0,0.00K,0,0.00K,0,37.0401,-103.9004,37.0748,-103.9185,"Numerous strong to severe storms occurred, producing hail up to the size of golf balls and strong winds. Areas of very heavy rain occurred across portions of Custer, Pueblo, Otero, Bent, and Prowers Counties. The Junkins burn scar was especially hard hit, with 3 to 6 inches of rain, causing a significant flash flood along North Creek into the Beulah Valley. There were numerous road washouts in western Pueblo County.","A large funnel cloud occurred. Close up eyewitnesses reported they did not see a dust whirl on the ground." +114537,686917,MINNESOTA,2017,May,Hail,"RAMSEY",2017-05-16 04:42:00,CST-6,2017-05-16 04:47:00,0,0,0,0,0.00K,0,0.00K,0,45.0784,-93.151,45.1131,-93.083,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","A swath of large hail occurred between Shoreview and North Oaks where up to ping pong size hail was reported." +115284,692118,TENNESSEE,2017,April,Flash Flood,"CARROLL",2017-04-19 13:20:00,CST-6,2017-04-19 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.1247,-88.5198,36.1226,-88.5202,"Slow moving thunderstorms with high hourly rainfall rates persisted over portions of west Tennessee during the afternoon of April 19th.","US 79 and South Main streets were closed due to flooding. Motorist was starnded in several feet of water. Two water rescues were conducted." +115531,693617,TENNESSEE,2017,April,Thunderstorm Wind,"LAKE",2017-04-30 01:45:00,CST-6,2017-04-30 01:50:00,0,0,0,0,60.00K,60000,0.00K,0,36.38,-89.48,36.381,-89.4538,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Trees and power lines down. A few farm sheds and old buildings damaged." +115531,693619,TENNESSEE,2017,April,Thunderstorm Wind,"HENRY",2017-04-30 03:25:00,CST-6,2017-04-30 03:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.3307,-88.2819,36.3301,-88.2652,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Trees down near intersection of India and Mcintosh road." +115531,693624,TENNESSEE,2017,April,Thunderstorm Wind,"TIPTON",2017-04-30 07:51:00,CST-6,2017-04-30 07:55:00,0,0,0,0,0.00K,0,0.00K,0,35.591,-89.6292,35.5926,-89.6163,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree limbs down on Anderson Road to the northeast of Covington." +115531,693792,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:30:00,CST-6,2017-04-30 10:35:00,0,0,0,0,50.00K,50000,0.00K,0,35.1132,-89.8728,35.1201,-89.856,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree down on a house on Sweetbrier Road near Shady Grove Road." +114572,687134,WISCONSIN,2017,May,Hail,"BAYFIELD",2017-05-16 18:35:00,CST-6,2017-05-16 18:35:00,0,0,0,0,,NaN,,NaN,46.56,-91.4,46.56,-91.4,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +114679,687867,IOWA,2017,May,Heavy Rain,"CRAWFORD",2017-05-10 01:00:00,CST-6,2017-05-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-95.35,42.02,-95.35,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","Trained spotter reported heavy rainfall of 1.03 inches." +114788,688778,NEBRASKA,2017,May,Hail,"DAWSON",2017-05-10 00:00:00,CST-6,2017-05-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-99.73,40.78,-99.73,"A few small storms produced low-end severe hail during the late afternoon and early evening hours on this Tuesday. Late in the afternoon, a few small primarily single-cell low-top thunderstorms began forming over north central Kansas. Around 6 PM CST, two of these storms progressed across the state line and into south central Nebraska. They were joined by a few other storms through 9 PM. These storms produced small (sub-severe) hail in several locations along the Webster-Franklin County border. However, just after 8 PM, severe hail was reported between the towns of Campbell and Riverton. The largest hail observed was the size of half dollars. The tops of these storms were not much higher than 30,000 ft. Between 9 and 11 PM, the coverage of storms increased in an east-west broken line across south central Nebraska, just north of the state line. The result was a transition to multi-cell convective mode. In addition, a small line segment of storms was approaching the western end of this line from northwest Kansas. The east-west oriented line gradually lifted north while the Kansas line segment moved in from the west. Other small storms initiated and/or moved in from Kansas, as a result of the low-level jet, with all of this activity eventually congealing into a mostly sub-severe mesoscale convective system. There was a single report of 1 inch hail in the town of Lexington at midnight. Between midnight and 3:30 AM on the 10th, an embedded line segment of storms became oriented from southwest to northeast along the northern border of Hamilton County and it moved very little. This resulted in a narrow corridor of heavy rainfall between 2.50 and 3.25.||All of this thunderstorm activity formed along and north of a quasi-stationary front near the Nebraska-Kansas border, and ahead of a low pressure system making its way through the Desert Southwest. In the upper-levels, the flow was from the southwest, with a ridge over the Mississippi Valley and a low advancing slowly through Arizona. When the initial storms developed, the environment was characterized by temperatures in the upper 70s with dewpoints in the middle to upper 50s. Mid-level lapse rates were poor, resulting in MLCAPE around 1000 J/kg. As the boundary layer stabilized, MUCAPE remained no greater than 1000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +115095,690803,VERMONT,2017,May,Thunderstorm Wind,"LAMOILLE",2017-05-31 14:40:00,EST-5,2017-05-31 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,44.48,-72.7,44.48,-72.7,"An unseasonably cold upper atmospheric air mass with lots of wind energy interacted with a marginally unstable air mass and mid-atmospheric disturbance to produce thunderstorms in eastern NY that intensified as they moved across Vermont during the afternoon of May 31st. Scattered wind damage occurred as well as some reports of hail up to 1 inch in diameter.","A few trees down along Route 108 near Town Farm Lane." +115096,701539,OKLAHOMA,2017,May,Hail,"OSAGE",2017-05-11 15:25:00,CST-6,2017-05-11 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,36.67,-96.33,36.67,-96.33,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +116147,701992,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,20.00K,20000,0.00K,0,36.7934,-94.85,36.7934,-94.85,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +115531,693797,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:40:00,CST-6,2017-04-30 10:50:00,0,0,0,0,,NaN,0.00K,0,35.2574,-89.8184,35.2626,-89.8009,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree uprooted on Shadowlawn drive between Old Brownsville Road and the Bartlett Freshman Academy." +115531,693798,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:40:00,CST-6,2017-04-30 10:50:00,0,0,0,0,,NaN,0.00K,0,35.2267,-89.8664,35.2267,-89.8664,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Multiple large oak trees uprooted." +120506,721965,MONTANA,2017,October,High Wind,"HILL",2017-10-22 10:37:00,MST-7,2017-10-22 10:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the Havre Airport (KHVR)." +114511,686748,IOWA,2017,April,Hail,"PLYMOUTH",2017-04-15 19:24:00,CST-6,2017-04-15 19:27:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-96.19,42.58,-96.19,"Large hail was produced across portions of northwest Iowa as thunderstorms moved out of southeast South Dakota and northeast Nebraska. Overall, the storms impacted a very small area.","As far as could be determined, the hail caused minimal damage." +114511,686743,IOWA,2017,April,Hail,"PLYMOUTH",2017-04-15 19:05:00,CST-6,2017-04-15 19:10:00,0,0,0,0,,NaN,0.00K,0,42.62,-96.29,42.62,-96.29,"Large hail was produced across portions of northwest Iowa as thunderstorms moved out of southeast South Dakota and northeast Nebraska. Overall, the storms impacted a very small area.","Hail up to the size of golf balls occurred with the storm resulting in a few broken windshields." +114108,704785,COLORADO,2017,January,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-01-14 18:00:00,MST-7,2017-01-16 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent low-level moisture lingered in portions of central and north-west Colorado which led to another round of dense fog.","Dense fog occurred intermittently across portions of the upper Yampa River Basin as visibilities dropped to a quarter mile or less." +114108,683276,COLORADO,2017,January,Dense Fog,"UPPER GUNNISON RIVER VALLEY",2017-01-14 22:00:00,MST-7,2017-01-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent low-level moisture lingered in portions of central and north-west Colorado which led to another round of dense fog.","Dense fog occurred across portions of the upper Gunnison River Valley as visibilities dropped to a quarter mile or less." +114379,704788,COLORADO,2017,January,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-01-16 22:30:00,MST-7,2017-01-17 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lingering low-level moisture stuck under a strong inversion resulted in the formation of dense fog in some northwest Colorado valleys.","Dense fog occurred intermittently across portions of the upper Yampa River Basin as visibilities dropped to a quarter mile or less." +120506,721967,MONTANA,2017,October,High Wind,"HILL",2017-10-22 11:25:00,MST-7,2017-10-22 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust measured by a spotter in Havre." +120506,721968,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 10:58:00,MST-7,2017-10-22 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust measured at a Military site in Fergus County." +120506,721969,MONTANA,2017,October,High Wind,"EASTERN TETON",2017-10-22 11:20:00,MST-7,2017-10-22 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust measured by a spotter near Power." +114379,685404,COLORADO,2017,January,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-01-17 16:00:00,MST-7,2017-01-18 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lingering low-level moisture stuck under a strong inversion resulted in the formation of dense fog in some northwest Colorado valleys.","Dense fog occurred across portions of the central Yampa River Basin as visibilities dropped to a quarter mile or less." +114539,686932,COLORADO,2017,February,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-02-18 22:30:00,MST-7,2017-02-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist low pressure system produced significant snowfall in some mountain locations within western Colorado mainly above the 9000 foot level.","Snowfall amounts of 2 to 5 inches were measured across the area. Locally higher amounts included 10 inches near Crested Butte." +114539,686933,COLORADO,2017,February,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-02-17 19:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist low pressure system produced significant snowfall in some mountain locations within western Colorado mainly above the 9000 foot level.","Generally 4 to 8 inches of snow fell across the area." +114539,686934,COLORADO,2017,February,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-02-18 09:30:00,MST-7,2017-02-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist low pressure system produced significant snowfall in some mountain locations within western Colorado mainly above the 9000 foot level.","Generally 2 to 4 inches of snow fell across the area. Interstate 70 was closed at times in the Vail Pass area as hazardous driving conditions resulted in multiple vehicle accidents." +114540,686931,UTAH,2017,February,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-02-18 17:00:00,MST-7,2017-02-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist low pressure system produced significant snowfall in the La Sal and Abajo Mountains.","Snowfall amounts of 4 to 8 inches were measured across the area. Locally higher amounts included 11 inches at the Camp Jackson SNOTEL site. Gusty winds to 40 mph accompanied the snowfall and resulted in areas of blowing and drifting snow." +113691,680505,COLORADO,2017,January,Winter Storm,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-01-08 07:00:00,MST-7,2017-01-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 6 to 18 inches were measured across the area. Highway 550 over Red Mountain Pass was closed midday on January 9th due to adverse conditions." +114111,699686,LOUISIANA,2017,April,Tornado,"CALDWELL",2017-04-02 15:17:00,CST-6,2017-04-02 15:19:00,0,0,0,0,0.00K,0,0.00K,0,32.0597,-91.9371,32.065,-91.9315,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","A National Weather Service Storm Survey determined that an EF1 tornado first touched down in extreme eastern Caldwell Parish, east southeast of Columbia, Louisiana. The storm snapped and/or uprooted several trees along its path before crossing the Boeuf River and moving into Franklin Parish, Louisiana." +113691,680517,COLORADO,2017,January,Winter Weather,"UPPER YAMPA RIVER BASIN",2017-01-08 07:00:00,MST-7,2017-01-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent and moist southwest flow brought significant to heavy snowfall to the mountains and some higher elevation valleys in western Colorado.","Snowfall amounts of 5 to 9 inches were measured mostly from the Steamboat Springs area to Clark." +114100,683262,COLORADO,2017,January,Dense Fog,"GRAND VALLEY",2017-01-12 07:00:00,MST-7,2017-01-12 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual moisture from a departing storm system resulted in areas of dense fog forming along the Grand Valley.","Dense fog dropped visibilities to a quarter mile or less in the western portion of the zone, including the Interstate 70 corridor from Mack to Grand Junction." +114101,683267,COLORADO,2017,January,Dense Fog,"DEBEQUE TO SILT CORRIDOR",2017-01-13 03:00:00,MST-7,2017-01-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abundance of low-level moisture over snow-covered valley floors resulted in the formation of dense fog in portions of the Grand Valley and up the Colorado River Valley to the Silt area.","Dense fog occurred in some locations as visibilities dropped down to a quarter mile or less." +114101,683268,COLORADO,2017,January,Dense Fog,"GRAND VALLEY",2017-01-13 06:00:00,MST-7,2017-01-13 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abundance of low-level moisture over snow-covered valley floors resulted in the formation of dense fog in portions of the Grand Valley and up the Colorado River Valley to the Silt area.","Dense fog occurred across portions of the Grand Valley, mainly west of 25 Road, as visibilities dropped to a quarter mile or less." +114108,683275,COLORADO,2017,January,Dense Fog,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-15 00:00:00,MST-7,2017-01-15 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent low-level moisture lingered in portions of central and north-west Colorado which led to another round of dense fog.","Dense fog occurred across portions of central Colorado mountains as visibilities dropped to a quarter mile or less." +114108,683277,COLORADO,2017,January,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-01-15 06:00:00,MST-7,2017-01-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent low-level moisture lingered in portions of central and north-west Colorado which led to another round of dense fog.","Dense fog was reported 10 miles west of Slater in Moffat County as visibilities dropped to a quarter mile or less." +114108,683278,COLORADO,2017,January,Dense Fog,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-01-14 20:00:00,MST-7,2017-01-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent low-level moisture lingered in portions of central and north-west Colorado which led to another round of dense fog.","Dense fog occurred intermittently across portions of the Uncompahgre River Basin as visibilities dropped to a quarter mile or less." +114380,685405,COLORADO,2017,January,Dense Fog,"ANIMAS RIVER BASIN",2017-01-19 05:30:00,MST-7,2017-01-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abundance of low-level moisture remained trapped under a strong inversion which led to another round of dense fog in some southwest Colorado valleys.","Dense fog occurred across portions of the Animas River Basin as visibilities dropped to a quarter mile or less." +120506,721975,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 11:43:00,MST-7,2017-10-22 11:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","DOT site 5 miles east-southeast of Denton." +120506,721976,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 11:57:00,MST-7,2017-10-22 11:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Great Falls International Airport (KGTF)." +120506,721977,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 12:58:00,MST-7,2017-10-22 12:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Military site 7 miles northeast of Denton." +120506,721978,MONTANA,2017,October,High Wind,"TOOLE",2017-10-22 12:13:00,MST-7,2017-10-22 12:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Gust measured at the Port of Sweetgrass on Interstate 15." +120506,723202,MONTANA,2017,October,High Wind,"LIBERTY",2017-10-22 12:42:00,MST-7,2017-10-22 12:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Mesonet site 14 miles NNW of Joplin." +120506,723203,MONTANA,2017,October,High Wind,"TOOLE",2017-10-22 11:30:00,MST-7,2017-10-22 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Crooked Coulee Mesonet site." +113257,677648,MISSOURI,2017,January,Winter Weather,"PEMISCOT",2017-01-06 05:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +117483,706569,IOWA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-29 20:15:00,CST-6,2017-06-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-93.62,43.23,-93.62,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Forest City AWOS recorded a 63 mph wind gust." +117483,706577,IOWA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-29 20:40:00,CST-6,2017-06-29 20:40:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-92.92,42.11,-92.92,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Marshalltown AWOS recorded a 59 mph wind gust." +113306,678114,DELAWARE,2017,March,Flood,"NEW CASTLE",2017-03-31 14:45:00,EST-5,2017-03-31 15:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6385,-75.7353,39.6462,-75.74,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","The Christina River at Coochs Bridge reached flood stage at 3:45 pm." +113307,678176,NEW JERSEY,2017,March,Flood,"MIDDLESEX",2017-03-31 14:00:00,EST-5,2017-03-31 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.433,-74.3898,40.4424,-74.3977,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues.","Route 18 flooded northbound near Arthur Lane." +112859,677308,NEW JERSEY,2017,March,Heavy Rain,"CUMBERLAND",2017-03-14 08:31:00,EST-5,2017-03-14 08:31:00,0,0,0,0,,NaN,,NaN,39.3,-75.18,39.3,-75.18,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy rain from nor'easter." +121981,730469,VIRGINIA,2017,December,Winter Storm,"WESTERN KING WILLIAM",2017-12-08 15:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county." +112859,677309,NEW JERSEY,2017,March,Heavy Rain,"ATLANTIC",2017-03-14 08:47:00,EST-5,2017-03-14 08:47:00,0,0,0,0,,NaN,,NaN,39.54,-74.88,39.54,-74.88,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy rain from Nor'Easter." +112859,677311,NEW JERSEY,2017,March,Heavy Rain,"CUMBERLAND",2017-03-14 12:15:00,EST-5,2017-03-14 12:15:00,0,0,0,0,,NaN,,NaN,39.45,-75.03,39.45,-75.03,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy Rain from Nor'Easter." +121981,730485,VIRGINIA,2017,December,Winter Storm,"GOOCHLAND",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Crozier reported 4.0 inches of snow." +121981,730488,VIRGINIA,2017,December,Winter Storm,"LUNENBURG",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Lunenburg reported 3.5 inches of snow." +121981,730497,VIRGINIA,2017,December,Winter Storm,"NORTHUMBERLAND",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Lottsburg (2 NNE) and Avalon (1 ESE) reported 3.0 inches of snow." +112955,674926,IOWA,2017,February,Hail,"KEOKUK",2017-02-28 17:18:00,CST-6,2017-02-28 17:18:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-92.24,41.44,-92.24,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Emergency management reported quarter size hail." +112955,674927,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 17:22:00,CST-6,2017-02-28 17:22:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-91.61,41.74,-91.61,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Dime size hail was reported by a spotter." +112887,674487,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:20:00,CST-6,2017-03-01 07:20:00,0,0,0,0,25.00K,25000,0.00K,0,36.91,-86.25,36.91,-86.25,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported trees down and houses damaged on Jack Johnson Road due to severe thunderstorm winds." +112887,674488,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:20:00,CST-6,2017-03-01 07:20:00,0,0,0,0,50.00K,50000,0.00K,0,36.94,-86.21,36.94,-86.21,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported multiple structures damaged near 292 Martinsville Road due to severe thunderstorm winds." +112887,675650,KENTUCKY,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 06:37:00,EST-5,2017-03-01 06:37:00,0,0,0,0,100.00K,100000,0.00K,0,38.21,-85.75,38.21,-85.75,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A trained spotter reported power poles bent over along Crittenden Drive." +112887,675648,KENTUCKY,2017,March,Thunderstorm Wind,"OLDHAM",2017-03-01 06:25:00,EST-5,2017-03-01 06:25:00,0,0,0,0,0.00K,0,0.00K,0,38.41,-85.57,38.41,-85.57,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported several large trees down at a residence." +117483,706558,IOWA,2017,June,Funnel Cloud,"WRIGHT",2017-06-29 16:24:00,CST-6,2017-06-29 16:24:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-93.56,42.56,-93.56,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Public reported a funnel cloud looking north of the truck stop near I-35 and Highway 20 interchange." +117483,706559,IOWA,2017,June,Funnel Cloud,"FRANKLIN",2017-06-29 16:42:00,CST-6,2017-06-29 16:42:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-93.43,42.59,-93.43,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Local fire department reported a brief funnel cloud near Popejoy." +112859,677312,NEW JERSEY,2017,March,Heavy Rain,"OCEAN",2017-03-14 12:19:00,EST-5,2017-03-14 12:19:00,0,0,0,0,,NaN,,NaN,39.69,-74.14,39.69,-74.14,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy Rainfall from Nor'Easter." +114481,686497,KANSAS,2017,March,Hail,"WYANDOTTE",2017-03-24 09:45:00,CST-6,2017-03-24 09:46:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-94.81,39.14,-94.81,"Isolated to scattered thunderstorms produced some marginally strong storms, with one hail report up to 1 inch.","" +114483,686498,MISSOURI,2017,March,Hail,"JACKSON",2017-03-29 18:05:00,CST-6,2017-03-29 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-94.24,38.92,-94.24,"Scattered thunderstorms produced a few severe hail reports in western Missouri and eastern Kansas.","" +112859,677313,NEW JERSEY,2017,March,Heavy Rain,"CUMBERLAND",2017-03-14 16:53:00,EST-5,2017-03-14 16:53:00,0,0,0,0,,NaN,,NaN,39.3,-75.18,39.3,-75.18,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Heavy Rainfall from Nor'Easter." +112859,678381,NEW JERSEY,2017,March,Strong Wind,"NORTHWESTERN BURLINGTON",2017-03-14 09:50:00,EST-5,2017-03-14 09:50:00,0,0,0,0,0.01K,10,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Downed trees and branches due to snow and ice in Cooperstown and Morrestown." +114482,686501,KANSAS,2017,March,Hail,"JOHNSON",2017-03-29 19:24:00,CST-6,2017-03-29 19:24:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-94.74,38.85,-94.74,"Scattered thunderstorms produced a few severe hail reports in western Missouri and eastern Kansas.","" +114482,686504,KANSAS,2017,March,Hail,"JOHNSON",2017-03-29 16:29:00,CST-6,2017-03-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-94.81,38.89,-94.81,"Scattered thunderstorms produced a few severe hail reports in western Missouri and eastern Kansas.","" +116778,702278,VERMONT,2017,July,Thunderstorm Wind,"RUTLAND",2017-07-01 14:07:00,EST-5,2017-07-01 14:07:00,0,0,0,0,2.00K,2000,0.00K,0,43.46,-73.1,43.46,-73.1,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Several branches down and a tree partially uprooted due to strong winds and saturated soils." +116183,703404,GULF OF MEXICO,2017,May,Marine Hail,"PT O'CONNOR TO ARANSAS PASS",2017-05-23 19:10:00,CST-6,2017-05-23 19:13:00,0,0,0,0,0.00K,0,0.00K,0,28.0922,-97.2112,28.0881,-97.201,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Nickel sized hail was reported near Bayside." +116183,703406,GULF OF MEXICO,2017,May,Marine Hail,"PT O'CONNOR TO ARANSAS PASS",2017-05-23 19:15:00,CST-6,2017-05-23 19:25:00,0,0,0,0,0.00K,0,0.00K,0,28.0644,-97.1518,28.0828,-97.0807,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Ping pong ball sized hail was reported west of Rockport." +116183,703437,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-23 19:45:00,CST-6,2017-05-23 19:50:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5797,-97.212,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","NOS site at Bob Hall Pier measured a gust to 35 knots." +116183,703439,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 20:12:00,CST-6,2017-05-23 20:12:00,0,0,0,0,0.00K,0,0.00K,0,27.484,-97.318,27.484,-97.318,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at South Bird Island measured a gust to 34 knots." +116183,703440,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 20:24:00,CST-6,2017-05-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at Baffin Bay measured a gust to 40 knots." +116183,703436,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-23 19:29:00,CST-6,2017-05-23 19:50:00,0,0,0,0,0.00K,0,0.00K,0,27.8259,-97.0506,27.8197,-97.0326,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Port Aransas C-MAN station measured a gust to 42 knots." +116418,700060,TEXAS,2017,May,Hail,"JONES",2017-05-10 20:00:00,CST-6,2017-05-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6255,-99.76,32.6255,-99.76,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","The public reported golf ball size hail 4 miles east of Hawley." +116418,700062,TEXAS,2017,May,Hail,"TAYLOR",2017-05-10 20:00:00,CST-6,2017-05-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.27,-99.97,32.27,-99.97,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","A National Weather Service Cooperative Observer reported quarter size hail mixed with lots of nickel size hail about 8 miles southwest of View." +116418,700063,TEXAS,2017,May,Hail,"TAYLOR",2017-05-10 21:33:00,CST-6,2017-05-10 21:33:00,0,0,0,0,0.00K,0,0.00K,0,32.21,-99.8,32.21,-99.8,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","The public reported quarter size hail mixed with pea size hail." +116418,700683,TEXAS,2017,May,Thunderstorm Wind,"CALLAHAN",2017-05-10 20:54:00,CST-6,2017-05-10 20:57:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-99.49,32.44,-99.49,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","A trained spotter estimated a thunderstorm wind gust to near 60 mph." +116418,700684,TEXAS,2017,May,Hail,"MCCULLOCH",2017-05-11 03:47:00,CST-6,2017-05-11 03:58:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-99.33,31.2,-99.33,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","A trained spotter reported lots of golf ball sized hail, along with pea size hail." +116420,700722,TEXAS,2017,May,Thunderstorm Wind,"FISHER",2017-05-19 09:15:00,CST-6,2017-05-19 09:18:00,0,0,0,0,0.00K,0,0.00K,0,32.6921,-100.38,32.6921,-100.38,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Law enforcement reported large branches down over the roadways." +116420,700692,TEXAS,2017,May,Thunderstorm Wind,"THROCKMORTON",2017-05-19 06:05:00,CST-6,2017-05-19 06:08:00,0,0,0,0,0.00K,0,0.00K,0,33.01,-99.05,33.01,-99.05,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A member of the public estimated a thunderstorm wind gust to 60 mph in Woodson." +116420,700122,TEXAS,2017,May,Hail,"COLEMAN",2017-05-19 18:26:00,CST-6,2017-05-19 18:26:00,0,0,0,0,0.00K,0,0.00K,0,31.7335,-99.2649,31.7335,-99.2649,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Softball size hail was reported near Santa Anna." +114156,688544,MAINE,2017,March,Blizzard,"LINCOLN",2017-03-14 13:00:00,EST-5,2017-03-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688546,MAINE,2017,March,Blizzard,"COASTAL WALDO",2017-03-14 14:00:00,EST-5,2017-03-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114301,685145,ARKANSAS,2017,March,Tornado,"SEARCY",2017-03-07 00:15:00,CST-6,2017-03-07 00:27:00,0,0,0,0,200.00K,200000,0.00K,0,36.023,-92.94,36.0574,-92.7534,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","An EF-2 tornado cut a 36.7 mile path across Newton and Searcy counties. The damage included trees being uprooted and snapped. Several residences were damaged. The post office at Parthenon was destroyed. Maximum winds with this tornado were 120 mph. This tornado touched down north of Mossville in Newton County, and lifted east northeast of Saint Joe in Searcy County. At Parthenon, several homes were damaged. Outbuildings were damaged or destroyed. The post office was destroyed. A residence was destroyed north of Vendor. North of Saint Joe, a family of five (two adults and 3 small children) heard the tornado warning, went into a storm shelter before the tornado hit. Their manufactured home was completely destroyed. The damage was likely not survivable. Also, north of Saint Joe, trees and power lines were blown down. Outbuildings were damaged. A residence had significant damage. There was one minor injury." +114339,685272,ARKANSAS,2017,March,Thunderstorm Wind,"WHITE",2017-03-24 23:01:00,CST-6,2017-03-24 23:01:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-91.64,35.28,-91.64,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","Powerlines and trees were reported down after a line of severe thunderstorms moved through." +114404,685803,ILLINOIS,2017,April,Hail,"WILLIAMSON",2017-04-16 14:56:00,CST-6,2017-04-16 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.6432,-88.93,37.6432,-88.93,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. However, steepening low-level lapse rates with diurnal heating and around 25 to 30 knots of mid-level wind flow promoted isolated damaging winds in the strongest cells.","" +114304,684789,TEXAS,2017,April,Hail,"SMITH",2017-04-26 12:36:00,CST-6,2017-04-26 12:36:00,0,0,0,0,0.00K,0,0.00K,0,32.49,-95.4,32.49,-95.4,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684790,TEXAS,2017,April,Thunderstorm Wind,"SMITH",2017-04-26 12:38:00,CST-6,2017-04-26 12:38:00,0,0,0,0,0.00K,0,0.00K,0,32.38,-95.36,32.38,-95.36,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Wind speeds was estimated by law enforcement." +114327,690205,KENTUCKY,2017,April,Strong Wind,"WEBSTER",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690206,KENTUCKY,2017,April,Strong Wind,"MCLEAN",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114304,684800,TEXAS,2017,April,Thunderstorm Wind,"MARION",2017-04-26 14:15:00,CST-6,2017-04-26 14:15:00,0,0,0,0,0.00K,0,0.00K,0,32.81,-94.34,32.81,-94.34,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Trees were downed across FM Road 1324 north of Jefferson." +114441,686237,MISSOURI,2017,April,Hail,"CAPE GIRARDEAU",2017-04-28 12:42:00,CST-6,2017-04-28 12:42:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-89.53,37.3,-89.53,"Isolated severe storms with large hail occurred during the afternoon and evening of the 28th. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. An isolated severe storm occurred during the afternoon, followed by a lull. Clusters of storms developed near the warm front during the evening. A few of these storms acquired supercell characteristics. Isolated large hail was the only type of severe weather observed with these storms, which were elevated north of a warm front.","Nickel-size hail was reported at Interstate 55 and Kings Highway." +114441,686241,MISSOURI,2017,April,Hail,"CAPE GIRARDEAU",2017-04-28 20:54:00,CST-6,2017-04-28 20:54:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-89.53,37.3,-89.53,"Isolated severe storms with large hail occurred during the afternoon and evening of the 28th. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. An isolated severe storm occurred during the afternoon, followed by a lull. Clusters of storms developed near the warm front during the evening. A few of these storms acquired supercell characteristics. Isolated large hail was the only type of severe weather observed with these storms, which were elevated north of a warm front.","" +114419,685955,MISSOURI,2017,April,Hail,"CARTER",2017-04-26 11:06:00,CST-6,2017-04-26 11:06:00,0,0,0,0,0.00K,0,0.00K,0,37,-91.02,37,-91.02,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","" +114275,684613,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-10 19:05:00,CST-6,2017-04-10 19:05:00,0,0,0,0,0.00K,0,0.00K,0,34.0023,-95.0944,34.0023,-95.0944,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Isolated strong thunderstorms developed during the afternoon ahead of the front and upper trough over Southeast Oklahoma, with penny size hail reported in Southwest McCurtain County near the Millerton and Valliant communities. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Penny size hail fell in Valliant." +113710,680688,MARYLAND,2017,February,Thunderstorm Wind,"CHARLES",2017-02-25 15:10:00,EST-5,2017-02-25 15:10:00,0,0,0,0,,NaN,,NaN,38.5486,-76.9469,38.5486,-76.9469,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A wind gust of 60 mph was reported." +113710,680689,MARYLAND,2017,February,Thunderstorm Wind,"CHARLES",2017-02-25 15:19:00,EST-5,2017-02-25 15:19:00,0,0,0,0,0.00K,0,0.00K,0,38.634,-76.927,38.634,-76.927,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A wind gust of 64 mph was reported." +113709,680692,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:29:00,EST-5,2017-02-25 14:29:00,0,0,0,0,,NaN,,NaN,38.4681,-77.4763,38.4681,-77.4763,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Golf ball sized hail was reported at Courthouse Road." +113709,680693,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:32:00,EST-5,2017-02-25 14:32:00,0,0,0,0,,NaN,,NaN,38.3672,-77.4993,38.3672,-77.4993,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Falmouth." +113819,682182,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-02 07:00:00,PST-8,2017-02-03 07:27:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.5,38.76,-120.5,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 0.34 of rain measured over 24 hours." +113819,682183,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-02 07:00:00,PST-8,2017-02-03 07:56:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-122.36,41.06,-122.36,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 1.98 of rain measured over 24 hours." +113902,682793,CALIFORNIA,2017,February,Flood,"TEHAMA",2017-02-17 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1932,-122.2139,40.1915,-122.2136,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flooding issues on Paynes Creek Slough caused Kaer Ave. to be impassable." +113902,682795,CALIFORNIA,2017,February,Flood,"TEHAMA",2017-02-17 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-122.09,39.9229,-122.0441,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flooding in the Corning-Vina area with the Woodson RV Park evacuated." +113902,682800,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-20 02:00:00,PST-8,2017-02-21 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-121.45,38.6752,-121.4605,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flooding from Dry Creek in Rio Linda from around 6th St. to Cherry Lane to Rio Linda Blvd, causing road closures. Voluntary evacuation of homes in the area." +113870,681924,TEXAS,2017,April,Thunderstorm Wind,"SHELBY",2017-04-02 10:48:00,CST-6,2017-04-02 10:48:00,0,0,0,0,0.00K,0,0.00K,0,31.8044,-94.1699,31.8044,-94.1699,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Several trees were blown down in Center." +113713,680734,MARYLAND,2017,February,Thunderstorm Wind,"ANNE ARUNDEL",2017-02-12 23:30:00,EST-5,2017-02-12 23:30:00,0,0,0,0,,NaN,,NaN,38.9191,-76.5267,38.9191,-76.5267,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Multiple trees were down along the 3500 Block of Loch Haven Drive." +113713,680735,MARYLAND,2017,February,Thunderstorm Wind,"CALVERT",2017-02-12 23:37:00,EST-5,2017-02-12 23:37:00,0,0,0,0,,NaN,,NaN,38.7629,-76.6571,38.7629,-76.6571,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down near the intersection of Routes 4 and 260." +113713,680737,MARYLAND,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:02:00,EST-5,2017-02-12 22:02:00,0,0,0,0,,NaN,,NaN,39.645,-77.468,39.645,-77.468,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 68 mph was reported in the Catoctin Mountains." +113713,680738,MARYLAND,2017,February,Thunderstorm Wind,"CARROLL",2017-02-12 22:35:00,EST-5,2017-02-12 22:35:00,0,0,0,0,,NaN,,NaN,39.5788,-77.0077,39.5788,-77.0077,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 60 mph was reported at the Emergency Operations Center in Westminster." +113713,680739,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:44:00,EST-5,2017-02-12 22:44:00,0,0,0,0,,NaN,,NaN,39.249,-77.232,39.249,-77.232,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported." +113713,680740,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:49:00,EST-5,2017-02-12 22:49:00,0,0,0,0,,NaN,,NaN,39.1758,-77.1981,39.1758,-77.1981,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 59 mph was reported." +113713,680741,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,39.136,-77.216,39.136,-77.216,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 61 mph was reported in Gaithersburg." +114961,689583,ILLINOIS,2017,April,Flash Flood,"HAMILTON",2017-04-30 05:05:00,CST-6,2017-04-30 16:00:00,0,0,0,0,6.00K,6000,0.00K,0,37.9865,-88.429,38.1055,-88.4482,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","The community of Broughton was isolated by high water. Highway 142 was closed from south of Dale to the Saline County line. Numerous secondary roads were covered by water. A couple of homes received minor flood damage in the Mcleansboro area." +113616,684099,GEORGIA,2017,April,Thunderstorm Wind,"MITCHELL",2017-04-03 13:00:00,EST-5,2017-04-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-84.17,31.2,-84.17,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down on Highway 19 north of Lewis Collins Road." +113616,684100,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:05:00,EST-5,2017-04-03 13:05:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-83.95,31.55,-83.95,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in the Woodcrest area." +113620,680946,TEXAS,2017,March,Thunderstorm Wind,"MARTIN",2017-03-28 18:23:00,CST-6,2017-03-28 18:24:00,0,0,0,0,0.00K,0,0.00K,0,32.2168,-101.8,32.2168,-101.8,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Martin County and produced a 60 mph wind gust six miles north of Stanton." +115206,695935,OKLAHOMA,2017,May,Hail,"STEPHENS",2017-05-27 19:02:00,CST-6,2017-05-27 19:02:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-98.09,34.61,-98.09,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695936,OKLAHOMA,2017,May,Hail,"STEPHENS",2017-05-27 19:04:00,CST-6,2017-05-27 19:04:00,0,0,0,0,0.00K,0,0.00K,0,34.52,-97.96,34.52,-97.96,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Spotter reported the hail was covering his yard." +115206,695937,OKLAHOMA,2017,May,Hail,"GRADY",2017-05-27 19:12:00,CST-6,2017-05-27 19:12:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-97.96,34.78,-97.96,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695938,OKLAHOMA,2017,May,Hail,"STEPHENS",2017-05-27 19:13:00,CST-6,2017-05-27 19:13:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.92,34.5,-97.92,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695939,OKLAHOMA,2017,May,Hail,"COMANCHE",2017-05-27 19:18:00,CST-6,2017-05-27 19:18:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-98.35,34.6,-98.35,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695940,OKLAHOMA,2017,May,Hail,"SEMINOLE",2017-05-27 19:22:00,CST-6,2017-05-27 19:22:00,0,0,0,0,0.00K,0,0.00K,0,34.96,-96.75,34.96,-96.75,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695941,OKLAHOMA,2017,May,Hail,"COAL",2017-05-27 19:27:00,CST-6,2017-05-27 19:27:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-96.48,34.42,-96.48,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695942,OKLAHOMA,2017,May,Hail,"COMANCHE",2017-05-27 19:27:00,CST-6,2017-05-27 19:27:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-98.35,34.6,-98.35,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +113616,684112,GEORGIA,2017,April,Thunderstorm Wind,"LOWNDES",2017-04-03 16:12:00,EST-5,2017-04-03 16:12:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-83.32,30.69,-83.32,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down." +114961,690146,ILLINOIS,2017,April,Flood,"MASSAC",2017-04-30 00:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-88.63,37.1292,-88.6394,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Minor flooding occurred along the Ohio River as the month ended. Low-lying woods and fields near the river were under water. Portions of Fort Massac State Park were flooded, prompting the closure of the riverfront area of the park." +113620,681080,TEXAS,2017,March,Thunderstorm Wind,"REAGAN",2017-03-28 18:50:00,CST-6,2017-03-28 18:50:00,0,0,0,0,,NaN,,NaN,31.6353,-101.63,31.6353,-101.63,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Reagan County and produced a 61 mph wind gust five miles southwest of St. Lawrence." +113620,681081,TEXAS,2017,March,Hail,"TERRELL",2017-03-28 19:30:00,CST-6,2017-03-28 19:35:00,0,0,0,0,,NaN,,NaN,30.15,-102.4,30.15,-102.4,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +114417,690722,ILLINOIS,2017,April,Flood,"ALEXANDER",2017-04-27 21:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37,-89.18,36.9802,-89.14,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","The Ohio River rose above flood stage. Through the end of April, the flooding was mostly minor. The river continued rising beyond the end of the month." +113616,684114,GEORGIA,2017,April,Thunderstorm Wind,"LOWNDES",2017-04-03 16:24:00,EST-5,2017-04-03 16:24:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-83.28,30.85,-83.28,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down." +113616,684115,GEORGIA,2017,April,Thunderstorm Wind,"CLAY",2017-04-05 10:48:00,EST-5,2017-04-05 10:48:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-85.1,31.77,-85.1,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Multiple trees were blown down." +114111,683510,LOUISIANA,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-02 15:20:00,CST-6,2017-04-02 15:20:00,0,0,0,0,0.00K,0,0.00K,0,32.5153,-92.1196,32.5153,-92.1196,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Numerous trees down all over Monroe." +114111,683511,LOUISIANA,2017,April,Tornado,"LA SALLE",2017-04-02 15:22:00,CST-6,2017-04-02 15:28:00,0,0,0,0,225.00K,225000,0.00K,0,31.7365,-92.0389,31.7757,-92.0082,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","This EF-2 tornado, with maximum estimated winds between 110-120 mph touched down along Rock Hill Hunting Road, snapping numerous trees. As it moved northeast along Highway 459, it snapped power poles as well as numerous trees. An extensive number of trees were snapped or uprooted along Grady and Lolita Roads. Several home suffered roof damage, and a few outbuildings were damaged or destroyed. A mobile home lost its awning along Grady Road. This tornado continued into Catahoula Parish, where additional damage was found in and northeast of the Aimwell community." +113586,679931,MASSACHUSETTS,2017,February,Drought,"WESTERN HAMPDEN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation in the Wastern Hampden County through February 7. On February 7, this was reduced to the Severe Drought (D2) designation for the remainder of the month." +112727,675813,ATLANTIC NORTH,2017,March,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-03-02 06:41:00,EST-5,2017-03-02 06:41:00,0,0,0,0,,NaN,,NaN,40.0374,-74.0503,40.0374,-74.0503,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +116884,702753,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:34:00,CST-6,2017-05-16 15:34:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-100.62,35.19,-100.62,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +112571,671611,PENNSYLVANIA,2017,February,Hail,"BERKS",2017-02-25 15:20:00,EST-5,2017-02-25 15:20:00,0,0,0,0,,NaN,,NaN,40.43,-76.11,40.43,-76.11,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Quarter size hail was measured." +112571,671613,PENNSYLVANIA,2017,February,Hail,"BERKS",2017-02-25 15:54:00,EST-5,2017-02-25 15:54:00,0,0,0,0,,NaN,,NaN,40.43,-76.11,40.43,-76.11,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Quarter size hail was measured." +112571,671614,PENNSYLVANIA,2017,February,Hail,"BERKS",2017-02-25 16:15:00,EST-5,2017-02-25 16:15:00,0,0,0,0,,NaN,,NaN,40.33,-75.64,40.33,-75.64,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Penny size hail was measured." +116884,702754,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:36:00,CST-6,2017-05-16 15:36:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-100.62,35.19,-100.62,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702755,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:36:00,CST-6,2017-05-16 15:36:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-100.6,35.23,-100.6,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116348,699624,MONTANA,2017,May,High Wind,"EASTERN TETON",2017-05-24 14:15:00,MST-7,2017-05-24 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level shortwave moved across southern Canada while an area of low pressure rapidly strengthened in the lee of the Rockies. As the surface low moved into Canada, it dragged a strong cold front across the area. All of this combined to bring a period of high winds to portions of central and Southwest Montana.","Peak wind gust measured by a local trained spotter." +113978,682605,SOUTH DAKOTA,2017,March,Heavy Snow,"KINGSBURY",2017-03-12 17:00:00,CST-6,2017-03-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Six plus inches of snow fell across the northern half of the county, mainly north of South Dakota Highway 14. Northwest winds of 20 to 35 mph caused widespread blowing and drifting, which impacted travel across the county." +113978,682608,SOUTH DAKOTA,2017,March,Heavy Snow,"BROOKINGS",2017-03-12 17:00:00,CST-6,2017-03-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Six to eight inches of snow fell across the county creating travel hazards. A few schools were delayed Monday morning due to the snowfall. Besides the snow, northwest winds of 20 to 30 mph caused quite a bit of blowing and drifting snow impacting travel across the county." +113978,682609,SOUTH DAKOTA,2017,March,Heavy Snow,"MOODY",2017-03-12 17:00:00,CST-6,2017-03-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Six to eight inches of snow fell across the county creating travel hazards. A few schools were delayed Monday morning due to the snowfall. Besides the snow, northwest winds of 20 to 30 mph caused quite a bit of blowing and drifting snow impacting travel across the county." +113978,682637,SOUTH DAKOTA,2017,March,Winter Weather,"BEADLE",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +116091,699128,WISCONSIN,2017,May,Thunderstorm Wind,"JUNEAU",2017-05-17 19:37:00,CST-6,2017-05-17 19:37:00,0,0,0,0,2.00K,2000,0.00K,0,43.88,-90.27,43.88,-90.27,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down in Hustler." +116091,699127,WISCONSIN,2017,May,Thunderstorm Wind,"JUNEAU",2017-05-17 19:35:00,CST-6,2017-05-17 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,43.8,-90.08,43.8,-90.08,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Several trees and power lines were blown down in Mauston." +116091,699130,WISCONSIN,2017,May,Thunderstorm Wind,"ADAMS",2017-05-17 19:43:00,CST-6,2017-05-17 19:43:00,0,0,0,0,2.00K,2000,0.00K,0,43.82,-89.71,43.82,-89.71,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down in Easton." +116091,699131,WISCONSIN,2017,May,Hail,"ADAMS",2017-05-17 20:05:00,CST-6,2017-05-17 20:05:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-89.74,44.11,-89.74,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","" +116952,703367,OKLAHOMA,2017,May,Hail,"CIMARRON",2017-05-27 18:14:00,CST-6,2017-05-27 18:14:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-102.8,36.56,-102.8,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703368,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-27 18:48:00,CST-6,2017-05-27 18:48:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-101.9,36.99,-101.9,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703369,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-27 18:55:00,CST-6,2017-05-27 18:55:00,0,0,0,0,,NaN,,NaN,36.92,-101.9,36.92,-101.9,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Late report of golf ball size hail reported via Facebook. Time estimated by radar." +116952,703370,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-27 19:45:00,CST-6,2017-05-27 19:45:00,0,0,0,0,,NaN,,NaN,36.86,-101.21,36.86,-101.21,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Baseball size hail reported with numerous windows broken and damage to property." +112571,671635,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:35:00,EST-5,2017-02-25 16:35:00,0,0,0,0,,NaN,,NaN,40.81,-75.26,40.81,-75.26,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several trees and wires downed due to thunderstorm winds." +112571,671641,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 15:56:00,EST-5,2017-02-25 15:56:00,0,0,0,0,,NaN,,NaN,40.38,-75.97,40.38,-75.97,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Measured 61 mph wind gust." +112571,671642,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 16:00:00,EST-5,2017-02-25 16:00:00,0,0,0,0,,NaN,,NaN,40.35,-75.9,40.35,-75.9,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Measured wind gust." +112571,671616,PENNSYLVANIA,2017,February,Hail,"PHILADELPHIA",2017-02-25 17:14:00,EST-5,2017-02-25 17:14:00,0,0,0,0,,NaN,,NaN,40.02,-75.21,40.02,-75.21,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Penny size hail was measured." +112571,671618,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 15:50:00,EST-5,2017-02-25 15:50:00,0,0,0,0,,NaN,,NaN,40.33,-76.08,40.33,-76.08,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Five trees were downed and a part of a barn roof was torn off." +112571,671617,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 15:50:00,EST-5,2017-02-25 15:50:00,0,0,0,0,,NaN,,NaN,40.32,-76.02,40.32,-76.02,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several trees snapped and uprooted due to thunderstorm winds." +116186,703498,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:00:00,CST-6,2017-05-29 02:18:00,0,0,0,0,0.00K,0,0.00K,0,27.832,-97.486,27.8324,-97.4755,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","TCOON site at Nueces Bay measured a gust to 52 knots." +116186,703500,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 01:55:00,CST-6,2017-05-29 02:05:00,0,0,0,0,0.00K,0,0.00K,0,27.867,-97.323,27.8594,-97.3138,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Weatherflow site at Sunset Lake Park in Portland measured a gust to 42 knots." +116186,703502,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 01:54:00,CST-6,2017-05-29 01:54:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","TCOON site at Baffin Bay measured a gust to 38 knots." +112571,671619,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BERKS",2017-02-25 16:05:00,EST-5,2017-02-25 16:05:00,0,0,0,0,,NaN,,NaN,40.46,-75.82,40.46,-75.82,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several power poles and trees were downed due to thunderstorm winds. A barn roof was blown off." +116186,703503,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:18:00,CST-6,2017-05-29 02:36:00,0,0,0,0,0.00K,0,0.00K,0,27.484,-97.318,27.484,-97.318,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","TCOON site at South Bird Island measured a gust to 48 knots." +116186,703507,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:37:00,CST-6,2017-05-29 02:52:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.5902,-97.2863,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Weatherflow site southeast of Waldron Field measured gusts to 34 knots." +116186,703513,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-29 02:36:00,CST-6,2017-05-29 02:54:00,0,0,0,0,0.00K,0,0.00K,0,27.6428,-97.2585,27.634,-97.237,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","TCOON site at Packery Channel measured a gust to 38 knots." +114877,689170,TEXAS,2017,May,Thunderstorm Wind,"FORT BEND",2017-05-22 05:00:00,CST-6,2017-05-22 05:03:00,0,0,0,0,100.00K,100000,0.00K,0,29.6014,-95.5485,29.6014,-95.5485,"Morning storms became severe and produced wind damage, some flooding and two tornadoes.","Wind damage occurred along the Joann Street area and included a construction company and nursery, with significant damage to an awning and a metal roof. There were also downed trees. Damage was pushed toward thew northeast." +114877,689171,TEXAS,2017,May,Tornado,"BRAZORIA",2017-05-22 08:35:00,CST-6,2017-05-22 08:37:00,0,0,0,0,200.00K,200000,0.00K,0,29.2211,-95.48,29.2235,-95.4797,"Morning storms became severe and produced wind damage, some flooding and two tornadoes.","An EF0 tornado damaged a porch roof in back of a home, destroyed a pump house and damaged a trailer, and knocked over several trees." +114877,689172,TEXAS,2017,May,Tornado,"GALVESTON",2017-05-22 10:45:00,CST-6,2017-05-22 10:46:00,0,0,0,0,20.00K,20000,0.00K,0,29.2281,-94.8957,29.2281,-94.8957,"Morning storms became severe and produced wind damage, some flooding and two tornadoes.","An EF0 tornado damaged a Holiday Inn along Termini-San Luis Pass Road. Damage included blown out windows and lattice damage. Witnesses indicated this was a waterspout that moved onshore." +115102,690880,TEXAS,2017,May,Rip Current,"GALVESTON",2017-05-31 18:00:00,CST-6,2017-05-31 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was a rip current fatality off the Galveston Island beach.","A 20 year old male drowned near 63rd Street and Seawall Blvd." +115481,702504,TEXAS,2017,May,Flash Flood,"HOUSTON",2017-05-28 19:10:00,CST-6,2017-05-28 21:10:00,0,0,0,0,0.00K,0,0.00K,0,31.3461,-95.5021,31.2486,-95.4866,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","High rainfall accumulation from slow moving storms lead to the flooding of numerous streets within Crockett. There were multiple road closures in and around Crockett. Sections of 4th and 6th streets, East Goliad, the East and South Loop, Highway 19 south and Highway 7 east were some of the reported road closures due to inundating flood water." +116145,702206,ARKANSAS,2017,May,Flash Flood,"SEBASTIAN",2017-05-20 05:00:00,CST-6,2017-05-20 07:15:00,0,0,0,0,0.00K,0,0.00K,0,35.3733,-94.1344,35.3307,-94.1001,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Several roads were flooded in and around Lavaca." +112571,671627,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LEHIGH",2017-02-25 16:15:00,EST-5,2017-02-25 16:15:00,0,0,0,0,,NaN,,NaN,40.75,-75.61,40.75,-75.61,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several reports of downed power lines and trees along with roof damage." +112571,671628,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LEHIGH",2017-02-25 16:23:00,EST-5,2017-02-25 16:23:00,0,0,0,0,,NaN,,NaN,40.52,-75.55,40.52,-75.55,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","A roof was blown off an apartment building due to thunderstorm winds. All occupants were evacuated and had to seek housing elsewhere." +116145,702211,ARKANSAS,2017,May,Flood,"SEBASTIAN",2017-05-20 07:15:00,CST-6,2017-05-21 07:45:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-94.18,35.307,-94.1654,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","Portions of Highway 252 were closed due to flooding." +116149,702021,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 20:27:00,CST-6,2017-05-27 20:27:00,0,0,0,0,2.00K,2000,0.00K,0,36.4611,-94.1533,36.4611,-94.1533,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down power lines northwest of Pea Ridge." +116149,702022,ARKANSAS,2017,May,Thunderstorm Wind,"BENTON",2017-05-27 20:55:00,CST-6,2017-05-27 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1878,-94.54,36.1878,-94.54,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down trees." +116144,701589,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 21:20:00,CST-6,2017-05-18 21:20:00,0,0,0,0,0.00K,0,0.00K,0,35.9418,-95.8877,35.9418,-95.8877,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to 60 mph." +116144,701591,OKLAHOMA,2017,May,Thunderstorm Wind,"MUSKOGEE",2017-05-18 21:30:00,CST-6,2017-05-18 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.748,-95.6405,35.748,-95.6405,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The Oklahoma Mesonet station south of Haskell measured 67 mph thunderstorm wind gusts." +114534,689244,MINNESOTA,2017,May,Hail,"LE SUEUR",2017-05-16 15:50:00,CST-6,2017-05-16 15:50:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-93.73,44.39,-93.73,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +114534,689248,MINNESOTA,2017,May,Hail,"WASHINGTON",2017-05-16 15:25:00,CST-6,2017-05-16 15:35:00,0,0,0,0,250.00K,250000,0.00K,0,44.88,-93,44.946,-92.8621,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","Another continuous swath of large hail, up to golf ball size, fell from Newport to near the intersection of I-94 and Highway 95." +114534,689250,MINNESOTA,2017,May,Hail,"RICE",2017-05-16 16:40:00,CST-6,2017-05-16 16:55:00,0,0,0,0,100.00K,100000,0.00K,0,44.3458,-93.4788,44.426,-93.3035,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","There were several reports of large hail, up to 2 inches in diameter, that fell from southwest of Shieldsville, northeast to near Millersville along I-35. The Shieldsville area had hail damage to roofs and siding." +114534,689253,MINNESOTA,2017,May,Hail,"RICE",2017-05-16 17:00:00,CST-6,2017-05-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-93.24,44.4,-93.24,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +114534,689254,MINNESOTA,2017,May,Hail,"GOODHUE",2017-05-16 17:53:00,CST-6,2017-05-16 17:53:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-92.54,44.57,-92.54,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +114534,702120,MINNESOTA,2017,May,Hail,"GOODHUE",2017-05-16 18:00:00,CST-6,2017-05-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,44.5652,-92.5319,44.5652,-92.5319,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","" +116144,701921,OKLAHOMA,2017,May,Flash Flood,"OKMULGEE",2017-05-19 22:05:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.6066,-95.8525,35.6068,-95.8366,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 62 were flooded and closed east of Morris." +116144,701922,OKLAHOMA,2017,May,Flash Flood,"MAYES",2017-05-19 22:19:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2052,-95.1793,36.1878,-95.1826,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Several roads in and around Locust Grove were flooded and closed." +116620,704078,GEORGIA,2017,May,Lightning,"FLOYD",2017-05-23 19:10:00,EST-5,2017-05-23 19:10:00,0,0,0,0,10.00K,10000,,NaN,34.2208,-85.1658,34.2208,-85.1658,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported a structure fire caused by lightning on Holly Street Southeast." +116620,704079,GEORGIA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-23 12:10:00,EST-5,2017-05-23 12:15:00,0,0,0,0,2.00K,2000,,NaN,32.07,-84.2,32.07,-84.2,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Sumter County 911 center reported power lines blown down on Sylvan Road." +116620,704109,GEORGIA,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-23 13:04:00,EST-5,2017-05-23 13:20:00,0,0,0,0,2.00K,2000,,NaN,32.3841,-83.6211,32.3469,-83.5751,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Houston County 911 center reported trees blown down on Old Mount Olive Road near Highway 341 and near the intersection of Barrett Road and Highway 341." +116620,704114,GEORGIA,2017,May,Thunderstorm Wind,"WILCOX",2017-05-23 13:10:00,EST-5,2017-05-23 13:20:00,0,0,0,0,3.00K,3000,,NaN,31.9394,-83.4417,31.9394,-83.4417,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Wilcox County Emergency Manager reported a few trees blown down around Highway 215 and American Legion Road." +116620,704118,GEORGIA,2017,May,Thunderstorm Wind,"DODGE",2017-05-23 13:42:00,EST-5,2017-05-23 13:57:00,0,0,0,0,3.00K,3000,,NaN,32.29,-83.11,32.29,-83.11,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Dodge County Emergency Manager reported a few trees blown down and a dog shelter damaged in Plainfield." +116312,704448,INDIANA,2017,May,Flash Flood,"HOWARD",2017-05-20 21:30:00,EST-5,2017-05-21 01:30:00,0,0,0,0,100.00K,100000,0.00K,0,40.4277,-86.1207,40.4258,-86.1214,"Scattered thunderstorms developed over west central and north central Indiana Saturday evening along a northward-moving warm front. A couple of the storms became severe with numerous wall clouds and funnel clouds. One storm produced a brief tornado in the town of Forest in northeast Clinton County, causing significant damage to a fire station and a pole barn. Another storm produced a brief tornado in Boone County. The tornadic threat transitioned to a heavy rain and flash flooding threat in the Howard County area. Widespread flash flooding was reported in the Kokomo area with many roads impassible and some water rescues.","Due to thunderstorm heavy rainfall, a report of multiple accidents and cars stuck in flood waters came in via Kokomo 911 scanner. Multiple road were deemed impassible. ||Indiana Heights in Southern Kokomo was reportedly completely flooded in some areas, especially in the area between Chippewa Lane and Tomahawk Boulevard. The flooding was reported to be to the point that it was over the sidewalks, into some of the yards ��� water was just below the mailboxes at a lot of places.||Indiana 26 was closed down for about two hours between Park Road and Indiana 931 because of flooding.||Tow trucks were sent to an area on East Boulevard Street and the plaza near the Indiana 931 and Boulevard Street intersection, where cars needed to be pulled from high waters. There was also standing water in the Chrysler parking lot." +117013,703797,NEW YORK,2017,May,Thunderstorm Wind,"ONEIDA",2017-05-01 18:40:00,EST-5,2017-05-01 18:50:00,0,0,0,0,3.00K,3000,0.00K,0,43.23,-75.49,43.23,-75.49,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked trees over." +117013,703799,NEW YORK,2017,May,Thunderstorm Wind,"TIOGA",2017-05-01 18:45:00,EST-5,2017-05-01 18:55:00,0,0,0,0,7.00K,7000,0.00K,0,42.1,-76.26,42.1,-76.26,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and uprooted several trees in the area." +117013,703800,NEW YORK,2017,May,Thunderstorm Wind,"BROOME",2017-05-01 18:47:00,EST-5,2017-05-01 18:57:00,0,0,0,0,12.00K,12000,0.00K,0,42.1,-76.06,42.1,-76.06,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines. This thunderstorm also hit a transformer by lightning." +117013,703801,NEW YORK,2017,May,Thunderstorm Wind,"BROOME",2017-05-01 18:52:00,EST-5,2017-05-01 19:02:00,0,0,0,0,6.00K,6000,0.00K,0,42.08,-76.05,42.08,-76.05,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines near Four Corners area." +116818,702492,INDIANA,2017,May,Hail,"LAWRENCE",2017-05-19 13:22:00,EST-5,2017-05-19 13:24:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-86.54,38.97,-86.54,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702507,INDIANA,2017,May,Thunderstorm Wind,"MADISON",2017-05-19 13:30:00,EST-5,2017-05-19 13:30:00,2,0,0,0,25.00K,25000,0.00K,0,40.0393,-85.7474,40.0393,-85.7474,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","This damaging thunderstorm wind gust was estimated at 65 mph. Two 53-foot trailers were on their side. The driver and passenger of one semi truck with an attached 53-foot trailer on the side sustained minor injuries. Two port-o-lets were blown over. One fiberglass light pole was blown over as well.This occurred near 73rd Street and Layton Avenue." +116818,702817,INDIANA,2017,May,Hail,"OWEN",2017-05-19 12:30:00,EST-5,2017-05-19 12:32:00,0,0,0,0,,NaN,,NaN,39.21,-86.87,39.21,-86.87,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702820,INDIANA,2017,May,Hail,"OWEN",2017-05-19 12:50:00,EST-5,2017-05-19 12:52:00,0,0,0,0,,NaN,,NaN,39.29,-86.77,39.29,-86.77,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702830,INDIANA,2017,May,Hail,"MONROE",2017-05-19 12:50:00,EST-5,2017-05-19 12:52:00,0,0,0,0,,NaN,,NaN,39.17,-86.54,39.17,-86.54,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702832,INDIANA,2017,May,Hail,"MONROE",2017-05-19 12:52:00,EST-5,2017-05-19 12:54:00,0,0,0,0,,NaN,,NaN,39.24,-86.62,39.24,-86.62,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +115298,704696,ILLINOIS,2017,May,Flood,"CLAY",2017-05-11 01:30:00,CST-6,2017-05-11 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6833,-88.6967,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Clay County. Rainfall amounts ranged from 1.50 to 2.00 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed from Bible Grove through Ingraham to Sailor Springs and Louisville. Parts of U.S. Highway 45 were covered with water from Louisville to the Effingham County line. An additional 0.50 to 0.75 inch of rain during the early morning hours of May 11th kept flood waters from receding until the early afternoon." +112932,674753,TENNESSEE,2017,March,Thunderstorm Wind,"SEVIER",2017-03-01 15:37:00,EST-5,2017-03-01 15:37:00,0,0,0,0,,NaN,,NaN,35.89,-83.58,35.89,-83.58,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Several trees were reported down across the county." +115298,704701,ILLINOIS,2017,May,Flood,"RICHLAND",2017-05-11 01:30:00,CST-6,2017-05-11 19:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7311,-88.2576,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Richland County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed from Wakefield through Dundas to Olney. The heaviest rain occurred near Dundas, where IL Route 130 was closed. An additional 0.50 to 0.75 inch of rain during the early morning hours of May 11th kept flood waters from receding until early evening." +116321,699474,LOUISIANA,2017,May,Tornado,"IBERVILLE",2017-05-12 08:01:00,CST-6,2017-05-12 08:02:00,0,0,0,0,10.00K,10000,0.00K,0,30.163,-91.148,30.164,-91.146,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A weak tornado touched down in the White Castle community. Large tree limbs were snapped, a small tree was snapped and minor roof damage occurred. Damage path was slightly over one tenth mile and width of approximately 40 yards. Maximum wind speed estimated around 75 mph." +114571,687123,WISCONSIN,2017,May,Flood,"ASHLAND",2017-05-16 16:00:00,CST-6,2017-05-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,46.1941,-90.3313,46.1713,-90.5273,"Northwest Wisconsin had multiple rounds of heavy rain over several days, causing saturated soils, rising creek and river levels, and flooding. The town of Glidden in southern Ashland County was hit especially hard when the East Fork of the Chippewa River flooded part of the town. The upper part of the river basin of the river received about 4 to 6 of rain late Monday into early Tuesday, followed by additional rounds of rain through early Thursday. In total, the basin and Glidden area had about 5 to 8 from Monday through early Thursday. The town of the Glidden had flooding, including homes in the town. Many roads within town, and some county roads near town, were closed because of the water.","Multiple rounds of heavy rain caused the East Fork of the Chippewa River to flood parts of Glidden. Much of the town was under water, flooding homes and low-lying areas in town. County Highway N, east of town, was closed, and many other roads in the area town were closed due to flooding." +114790,688884,NEBRASKA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-15 19:18:00,CST-6,2017-05-15 19:18:00,0,0,0,0,25.00K,25000,0.00K,0,40.33,-99.03,40.33,-99.03,"A couple small multicell thunderstorm clusters produced severe winds on this Monday evening. Isolated thunderstorms initiated over northwest Kansas during the late afternoon hours. As additional storms developed, multicell clusters formed. The first cluster crossed into Furnas County around 6 pm CST. Over the following three hours, it continued moving east-northeast just south of Interstate 80. Along this path, multiple stations measured winds of at least 58 mph, with the highest being 64 mph near the town of Norman, which is in Kearney County. Large tree branches were also snapped off in a couple locations. This cluster produced severe outflow winds far from the heaviest precipitation. The 64 mph gust measured at Pleasanton was 25 miles north of the storms and this occurred with significant blowing dust over portions of Buffalo County. A gustnado was also reported just south of Hastings, much closer to the most intense part of the storms. This cluster rapidly weakened once it moved east of Highway 281. Meanwhile, the second cluster moved into Furnas County just after 7 pm CST, and it followed an almost identical track to the first. This cluster did not produce nearly as much severe weather. Grand Island experienced severe wind gusts from both clusters - 58 mph with the first, and 74 mph with the second. These gusts were separated by 90 minutes.||These storms initially formed just south of a quasi-stationary front that extended from near Imperial to Omaha. In the upper-levels, southwest flow was over the Plains with a deep trough was over the West and a ridge over the Mississippi River Valley. There was a subtle shortwave trough moving across the Central Plains. Immediately prior to the thunderstorms moving in, temperatures were in the upper 80s with dewpoints in the middle to upper 50s. Mid-level lapse rates were steep (8 deg C/km), resulting in MLCAPE of 2000-2500 J/kg. Effective deep layer shear was between 35 and 40 kt.","Multiple trees were downed in town. Wind gusts were estimated, a nearby mesonet station recorded a gust of 63 MPH." +115091,690938,ILLINOIS,2017,May,Hail,"IROQUOIS",2017-05-26 16:01:00,CST-6,2017-05-26 16:01:00,0,0,0,0,0.00K,0,0.00K,0,40.5909,-88.0407,40.5909,-88.0407,"Scattered thunderstorms developed over portions of central Illinois, including a cyclic supercell that produced large hail and damaging winds.","Half dollar size hail was reported on Route 45 south of Buckley." +115122,691002,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-05-29 20:25:00,CST-6,2017-05-29 20:25:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"A strong thunderstorm produced gusty winds over the near shore waters during the evening of May 29th.","Observing station located on platform on Racine Reef measured a wind gust of 35 knots as the thunderstorm passed by." +116147,702003,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 18:57:00,CST-6,2017-05-27 18:57:00,0,0,0,0,5.00K,5000,0.00K,0,36.57,-95.22,36.57,-95.22,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116874,702680,OHIO,2017,May,Thunderstorm Wind,"WYANDOT",2017-05-29 21:05:00,EST-5,2017-05-29 21:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.83,-83.28,40.7801,-83.2365,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Thunderstorm winds downed at least 4 trees in the Upper Sandusky area." +113254,677676,TENNESSEE,2017,January,Winter Weather,"SHELBY",2017-01-06 02:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +121982,730529,MARYLAND,2017,December,Winter Storm,"WICOMICO",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and seven inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals ranged between three inches and seven inches across the county. Salisbury and Delmar reported 7.0 inches of snow. Parsonsburg (2 WNW) reported 5.7 inches of snow. Pittsville reported 4.0 inches of snow." +113254,677677,TENNESSEE,2017,January,Winter Weather,"FAYETTE",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +113254,677678,TENNESSEE,2017,January,Winter Weather,"HARDEMAN",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two to three inches of snow fell." +121982,730530,MARYLAND,2017,December,Winter Storm,"SOMERSET",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and seven inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals ranged between three inches and five inches across the county. Princess Anne (4 WSW) reported 5.0 inches of snow. Oriole (2 E) reported 3.9 inches of snow. Deal Island reported 3.1 inches of snow." +121981,730440,VIRGINIA,2017,December,Winter Storm,"CAROLINE",2017-12-08 15:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Ruther Glen (2 ENE) reported 5.0 inches of snow. Dawn (1 S) reported 4.6 inches of snow. Burress Corner (3 NNW) reported 4.0 inches of snow." +112887,674432,KENTUCKY,2017,March,Thunderstorm Wind,"BOURBON",2017-03-01 04:25:00,EST-5,2017-03-01 04:25:00,0,0,0,0,30.00K,30000,0.00K,0,38.2,-84.04,38.2,-84.04,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Bourbon County Emergency Manager reported that severe thunderstorm winds destroyed a barn." +122022,731310,VIRGINIA,2017,December,Winter Weather,"GLOUCESTER",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and two inches across the county." +122022,731318,VIRGINIA,2017,December,Winter Weather,"NORTHAMPTON",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and two inches across the county." +122022,731323,VIRGINIA,2017,December,Winter Weather,"JAMES CITY",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and two inches across the county." +115205,698104,TEXAS,2017,May,Hail,"CLAY",2017-05-22 22:00:00,CST-6,2017-05-22 22:30:00,0,0,0,0,0.00K,0,0.00K,0,33.9223,-98.3133,33.9223,-98.3133,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","Hailed for about 30 minutes. Covered the ground to a depth of 12 inches and stripped trees and shrubs of leaves. Hail was nickel to quarter size." +115202,698402,OKLAHOMA,2017,May,Flash Flood,"SEMINOLE",2017-05-19 23:00:00,CST-6,2017-05-20 00:00:00,0,0,0,1,5.00K,5000,0.00K,0,34.9235,-96.5418,34.9143,-96.5421,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Indirect fatality due to blunt force from a washed out 6' tin horn on NS3630 about 1/4 to 1/2 South of EW 1440. Car was traveling at a high rate of speed. It looked like water never went across road. Debris clogged the tin horn." +113254,677680,TENNESSEE,2017,January,Winter Weather,"CHESTER",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two inches of snow fell." +115206,695945,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-27 19:49:00,CST-6,2017-05-27 19:49:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-96.41,34.37,-96.41,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695946,OKLAHOMA,2017,May,Hail,"POTTAWATOMIE",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-96.78,35.13,-96.78,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695947,OKLAHOMA,2017,May,Hail,"MCCLAIN",2017-05-27 20:05:00,CST-6,2017-05-27 20:05:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-97.48,35.01,-97.48,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695948,OKLAHOMA,2017,May,Hail,"MCCLAIN",2017-05-27 20:07:00,CST-6,2017-05-27 20:07:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-97.45,34.99,-97.45,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695949,OKLAHOMA,2017,May,Hail,"POTTAWATOMIE",2017-05-27 20:07:00,CST-6,2017-05-27 20:07:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-96.78,35.13,-96.78,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695950,OKLAHOMA,2017,May,Hail,"COAL",2017-05-27 20:13:00,CST-6,2017-05-27 20:13:00,0,0,0,0,0.00K,0,0.00K,0,34.53,-96.22,34.53,-96.22,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695951,OKLAHOMA,2017,May,Hail,"MCCLAIN",2017-05-27 20:13:00,CST-6,2017-05-27 20:13:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-97.37,35.03,-97.37,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695952,OKLAHOMA,2017,May,Hail,"MCCLAIN",2017-05-27 20:15:00,CST-6,2017-05-27 20:15:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-97.39,34.99,-97.39,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +113255,677638,ARKANSAS,2017,January,Winter Weather,"MISSISSIPPI",2017-01-06 04:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +115206,695953,OKLAHOMA,2017,May,Hail,"CLEVELAND",2017-05-27 20:31:00,CST-6,2017-05-27 20:31:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-97.17,35.12,-97.17,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695954,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-27 20:31:00,CST-6,2017-05-27 20:31:00,0,0,0,0,0.00K,0,0.00K,0,34.58,-97.35,34.58,-97.35,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695955,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-27 20:32:00,CST-6,2017-05-27 20:32:00,0,0,0,0,0.00K,0,0.00K,0,34.53,-97.4,34.53,-97.4,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695956,OKLAHOMA,2017,May,Hail,"COAL",2017-05-27 20:53:00,CST-6,2017-05-27 20:53:00,0,0,0,0,0.00K,0,0.00K,0,34.53,-96.2,34.53,-96.2,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +116781,702296,VERMONT,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 13:36:00,EST-5,2017-07-08 13:40:00,0,0,0,0,100.00K,100000,0.00K,0,44.2,-72.51,44.2,-72.51,"A cold front moved across a relatively unstable air mass in Vermont during the afternoon of July 8th. Scattered thunderstorms developed and moved across the state with a few producing isolated damaging winds.","Significant damage to three buildings and one roof destroyed. Numerous trees down." +116781,702297,VERMONT,2017,July,Thunderstorm Wind,"CALEDONIA",2017-07-08 13:58:00,EST-5,2017-07-08 13:59:00,0,0,0,0,10.00K,10000,0.00K,0,44.31,-72.14,44.31,-72.14,"A cold front moved across a relatively unstable air mass in Vermont during the afternoon of July 8th. Scattered thunderstorms developed and moved across the state with a few producing isolated damaging winds.","Numerous trees down." +116183,703414,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:10:00,CST-6,2017-05-23 19:15:00,0,0,0,0,0.00K,0,0.00K,0,27.832,-97.486,27.8349,-97.468,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at Nueces Bay measured a gust to 37 knots." +116778,706052,VERMONT,2017,July,Flash Flood,"RUTLAND",2017-07-01 16:00:00,EST-5,2017-07-01 18:30:00,0,0,0,0,1.25M,1250000,100.00K,100000,43.3096,-72.9307,43.3208,-73.2406,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged local roads and washed out culverts throughout southwest Rutland County. Flood waters rose into farm fields and rendered vegetable crops unusable." +116778,706054,VERMONT,2017,July,Flash Flood,"WINDSOR",2017-07-01 16:30:00,EST-5,2017-07-01 18:30:00,0,0,0,0,75.00K,75000,0.00K,0,43.5103,-72.5001,43.5023,-72.3972,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged local roads in Windsor and Weathersfield." +116778,706055,VERMONT,2017,July,Flash Flood,"WINDSOR",2017-07-01 15:30:00,EST-5,2017-07-01 17:15:00,0,0,0,0,3.20M,3200000,0.00K,0,43.7265,-72.7938,43.8466,-72.8629,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flash flooding damaged roads across northern Windsor County. Flowing water covered Route 132 in Sharon, and multiple residences were cut off by high water and damaged roads throughout the area. Residences along Sargent Road in Norwich were damaged." +116183,703415,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:27:00,CST-6,2017-05-23 19:34:00,0,0,0,0,0.00K,0,0.00K,0,27.7238,-97.3406,27.7249,-97.3245,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Weatherflow site at Poenisch Park on Corpus Christi Bay measured a gust to 38 knots." +116183,703418,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:35:00,CST-6,2017-05-23 19:58:00,0,0,0,0,0.00K,0,0.00K,0,27.7194,-97.3128,27.682,-97.3021,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Corpus Christi Naval Air Station ASOS measured a gust to 43 knots." +116183,703421,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:40:00,CST-6,2017-05-23 19:50:00,0,0,0,0,0.00K,0,0.00K,0,27.6577,-97.2551,27.634,-97.237,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at Packery Channel measured a gust to 39 knots." +116183,703422,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:35:00,CST-6,2017-05-23 19:40:00,0,0,0,0,0.00K,0,0.00K,0,27.8088,-97.1384,27.8083,-97.0853,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","Mustang Beach Airport AWOS in Port Aransas measured a gust to 42 knots." +116183,703427,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:29:00,CST-6,2017-05-23 19:34:00,0,0,0,0,0.00K,0,0.00K,0,27.8513,-97.1233,27.834,-97.0727,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site in Port Aransas measured a gust to 44 knots." +116171,698256,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 16:05:00,CST-6,2017-05-21 16:05:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-99.44,27.5,-99.44,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser estimated wind gusts to 70 mph." +117316,705590,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:05:00,CST-6,2017-06-17 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-92.87,40.72,-92.87,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Trained spotter reported jagged very large hail that was potentially 3-4 inches in diameter. Numerous leaves stripped off trees and small branches down due to the hail." +117316,705591,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:05:00,CST-6,2017-06-17 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-92.87,40.74,-92.87,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Trained spotter reported half dollar sized hail." +114156,688541,MAINE,2017,March,Blizzard,"COASTAL CUMBERLAND",2017-03-14 11:30:00,EST-5,2017-03-14 19:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688542,MAINE,2017,March,Blizzard,"SAGADAHOC",2017-03-14 12:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688545,MAINE,2017,March,Blizzard,"KNOX",2017-03-14 13:56:00,EST-5,2017-03-14 16:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +115708,695662,VIRGINIA,2017,May,Flood,"GREENE",2017-05-05 05:15:00,EST-5,2017-05-05 17:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3329,-78.4461,38.3333,-78.4469,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Octonia Road was closed near South River Road and water was over the bridge." +115708,695663,VIRGINIA,2017,May,Flood,"GREENE",2017-05-05 05:15:00,EST-5,2017-05-05 17:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2987,-78.4865,38.2988,-78.4923,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Mutton Hollow Road was closed near Dyke Road due to high water." +113308,678301,PENNSYLVANIA,2017,March,Flood,"CHESTER",2017-03-31 17:47:00,EST-5,2017-03-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0045,-75.7046,40.0054,-75.702,"Low pressure with an occluding frontal boundary moved through the region. With this system periods of heavy rain fell on the 31st. The heavy rain led to localized flooding issues. Gusty winds in Chester county also resulted in some downed trees and wires.","The East Branch rose above flood stage at Downington." +114156,688547,MAINE,2017,March,Blizzard,"ANDROSCOGGIN",2017-03-14 15:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +120506,723204,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 13:07:00,MST-7,2017-10-22 13:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Dearborn site." +115708,695670,VIRGINIA,2017,May,Flood,"ALBEMARLE",2017-05-05 12:08:00,EST-5,2017-05-05 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,38.1357,-78.3946,38.1309,-78.3939,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","There was a vehicle trapped in water overflowing from Preddy Creek onto Watts Passage. A water rescue was being conducted." +115708,696101,VIRGINIA,2017,May,Flood,"ALBEMARLE",2017-05-05 07:15:00,EST-5,2017-05-05 07:30:00,0,0,0,0,0.00K,0,0.00K,0,38.0974,-78.5907,38.1019,-78.5921,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Mechums River at White Hall exceeded their flood stage of 11 feet. Yards were flooded near the river." +120506,723205,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 13:52:00,MST-7,2017-10-22 13:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Lewistown Airport." +115749,695687,MARYLAND,2017,May,Flash Flood,"MONTGOMERY",2017-05-25 17:46:00,EST-5,2017-05-25 20:15:00,0,0,0,0,5.00K,5000,0.00K,0,39.18,-77.06,39.1804,-77.0621,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","There was one to two feet of water flowing near the 3600 Block of Brookeville Road. There was a car trapped in three to four feet of flowing water at Georgia Avenue and Brookeville Road. Reddy Branch was out of its banks." +115749,695689,MARYLAND,2017,May,Flash Flood,"MONTGOMERY",2017-05-25 19:00:00,EST-5,2017-05-25 20:15:00,0,0,0,0,0.00K,0,0.00K,0,39.1938,-77.0392,39.1922,-77.0421,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","There were two feet of water flowing across the 1900 Block of Brighton Dam Road." +115750,695697,VIRGINIA,2017,May,Flood,"ROCKINGHAM",2017-05-25 08:52:00,EST-5,2017-05-25 15:21:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-78.91,38.3419,-78.913,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","The stream gauge on North River at Burketown exceeded their flood stage of 11 feet and peaked at 12.32 at 11:30 EST. Fairview Road began to flood near the gauge location." +112955,674928,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 17:30:00,CST-6,2017-02-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Another storm impacting Iowa City brought nickel size hail. The time of this has been estimated by radar data." +116778,702279,VERMONT,2017,July,Thunderstorm Wind,"WINDSOR",2017-07-01 16:00:00,EST-5,2017-07-01 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.44,-72.43,43.44,-72.43,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Several trees downed due to winds and saturated soils at Mount Ascutney State Park." +116781,702292,VERMONT,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 13:20:00,EST-5,2017-07-08 13:20:00,0,0,0,0,2.00K,2000,0.00K,0,44.34,-72.75,44.34,-72.75,"A cold front moved across a relatively unstable air mass in Vermont during the afternoon of July 8th. Scattered thunderstorms developed and moved across the state with a few producing isolated damaging winds.","Tree and several large branches downed by thunderstorm winds." +116781,702293,VERMONT,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 13:25:00,EST-5,2017-07-08 13:25:00,0,0,0,0,2.00K,2000,0.00K,0,44.2,-72.64,44.2,-72.64,"A cold front moved across a relatively unstable air mass in Vermont during the afternoon of July 8th. Scattered thunderstorms developed and moved across the state with a few producing isolated damaging winds.","Tree and several large branches downed by thunderstorm winds, blocking Route 12 in Riverton." +116518,700686,TEXAS,2017,May,Thunderstorm Wind,"HASKELL",2017-05-16 23:00:00,CST-6,2017-05-16 23:04:00,0,0,0,0,0.00K,0,0.00K,0,33.1802,-99.7622,33.1802,-99.7622,"A dryline interacting with an unstable atmosphere resulted in the development of a few severe thunderstorms.","" +116518,700688,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-16 22:46:00,CST-6,2017-05-16 22:50:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-100.72,31.67,-100.72,"A dryline interacting with an unstable atmosphere resulted in the development of a few severe thunderstorms.","" +116781,702294,VERMONT,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 13:30:00,EST-5,2017-07-08 13:32:00,0,0,0,0,20.00K,20000,0.00K,0,44.27,-72.57,44.27,-72.57,"A cold front moved across a relatively unstable air mass in Vermont during the afternoon of July 8th. Scattered thunderstorms developed and moved across the state with a few producing isolated damaging winds.","Numerous trees and large branches downed by thunderstorm winds." +121208,725602,NEW YORK,2017,October,Thunderstorm Wind,"CHAUTAUQUA",2017-10-15 15:08:00,EST-5,2017-10-15 15:08:00,0,0,0,0,10.00K,10000,0.00K,0,42.28,-79.25,42.28,-79.25,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees down by thunderstorm winds." +113585,679925,MASSACHUSETTS,2017,February,Strong Wind,"EASTERN PLYMOUTH",2017-02-13 08:00:00,EST-5,2017-02-13 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","Tree down on high tension wires on Leavitt Street in Hull at 1:55 PM." +113585,679926,MASSACHUSETTS,2017,February,Strong Wind,"WESTERN HAMPSHIRE",2017-02-13 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","A barn collapsed on Goss Road, and a tree was down on a house on route 112. Reported at 1:58 PM." +114321,685004,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-30 00:45:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,31.907,-93.0881,31.907,-93.0881,"A strong, closed upper level low pressure system drifted east across the Texas Panhandle and into Western Oklahoma April 29th and the early morning hours of April 30th. Very strong southerly winds transported rich tropical moisture from the Gulf of Mexico across much of EastCentral Texas, North Louisiana, Southwest Arkansas, and Eastern Oklahoma, with much above normal temperatures returning north across the warm sector as far north as Southern and Eastern Oklahoma. This helped to enhance the instability over these areas, where strong wind shear and deep layer forcing increased well ahead of the upper low over the Interstate 35 corridor of Northcentral Texas. Meanwhile, a shortwave trough ejected northeast across Southeast Texas and Northcentral Louisiana ahead of the closed low during the late morning through the afternoon hours, with scattered strong to severe thunderstorms developing over portions of Deep East Texas which spread northeast and intensified across Northcentral Louisiana. One isolated supercell was responsible for extensive wind damage across these areas, while even spawning an isolated tornado over Central Natchitoches Parish just northwest of Natchitoches. Scattered showers and thunderstorms later developed near and east of the DFW Metroplex during the afternoon of the 29th, which spread east into East Texas by late afternoon and early evening. These storms gradually weakened as they entered the Ark-La-Tex, although sporadic wind and hail damage was observed across portions of extreme Southeast Oklahoma, Southwest Arkansas, and Northwest Louisiana. These storms intensified a bit during the early morning hours of April 30th, with more concentrated reports of trees and power lines being blown down over portions of Northcentral Louisiana, and even an isolated tornado over Eastern Winn Parish. These storms exiting the region prior to daybreak on April 30th.","A large tree was blown down on Campti Bayou Road." +114394,685627,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 09:58:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-121.4,38.5995,-121.4005,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","CHP reported roadway flooding at Fulton Ave and Arden Way, Sacramento." +114394,685631,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 11:05:00,0,0,0,0,0.00K,0,0.00K,0,38.5933,-121.3822,38.5979,-121.3813,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Roadway flooding reported by CHP at Watt Ave. and Arden Way, Sacramento." +114394,685636,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 11:08:00,0,0,0,0,0.00K,0,0.00K,0,38.5971,-121.4403,38.5974,-121.443,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Roadway flooding reported by CHP at Exposition and Response Rd., Sacramento." +114348,685239,ARKANSAS,2017,March,Heavy Snow,"BOONE",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three point five inches (3.5) of snow was measured in Bergman in Boone County." +114348,685241,ARKANSAS,2017,March,Heavy Snow,"FULTON",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three point five inches (3.5) of snow was measured in Glencoe and Salem in Fulton County." +114704,688003,UTAH,2017,March,High Wind,"GRAND FLAT AND ARCHES",2017-03-05 21:30:00,MST-7,2017-03-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some eastern Utah valleys.","Wind gusts 40 to 50 mph were measured across the area with a peak gust of 59 mph at the Bryson Canyon automated station." +114705,688017,COLORADO,2017,March,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-03-06 09:00:00,MST-7,2017-03-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Snowfall amounts of 2 to 5 inches were measured across the area. Wind gusts 30 to 40 mph resulted in heavy blowing snow and reduced visibility." +114304,684801,TEXAS,2017,April,Thunderstorm Wind,"RUSK",2017-04-26 14:25:00,CST-6,2017-04-26 14:25:00,0,0,0,0,0.00K,0,0.00K,0,32.29,-94.61,32.29,-94.61,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Trees were downed across County Road 2142." +114352,685225,ARKANSAS,2017,March,Flood,"WOODRUFF",2017-03-28 23:40:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.249,-91.2367,35.2849,-91.2243,"Heavy rain brought flooding to the Cache River and White River at the end of the month.","Heavy rain brought flooding to the Cache River again on March 28 through the end of the month." +114352,685229,ARKANSAS,2017,March,Flood,"WOODRUFF",2017-03-28 13:06:00,CST-6,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.2955,-91.4179,35.2283,-91.4032,"Heavy rain brought flooding to the Cache River and White River at the end of the month.","Heavy rain brought flooding to the White River on March 28 through the end of the month." +114350,685219,ARKANSAS,2017,March,Flood,"WOODRUFF",2017-03-10 14:00:00,CST-6,2017-03-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2739,-91.2421,35.2543,-91.2514,"Heavy rain brought some flooding to northeast Arkansas...on the Cache River. The flooding was from March 10 to 19 before more flooding at the end of the month.","Heavy rain brought flooding to the Cache River." +114418,685928,KENTUCKY,2017,April,Hail,"CARLISLE",2017-04-26 18:17:00,CST-6,2017-04-26 18:17:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-89.02,36.87,-89.02,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","" +114276,684638,TEXAS,2017,April,Tornado,"RUSK",2017-04-10 18:37:00,CST-6,2017-04-10 18:42:00,0,0,0,0,25.00K,25000,0.00K,0,32.2758,-94.9854,32.2755,-94.9688,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","This is a continuation of the EF-0 tornado from eastern Smith County that touched down just west of the Overton city limits. This tornado intensified to an EF-1 as it crossed into the Overton community in Western Rusk County, with maximum estimated winds between 95-105 mph. Several trees were snapped and uprooted with some minor shingle damage occurring to one home. The most concentrated damage was found near the Overton School complex and in the adjacent cemetery along Farm to Market Road 850 before lifting along County Road 128." +114276,684634,TEXAS,2017,April,Tornado,"SMITH",2017-04-10 18:35:00,CST-6,2017-04-10 18:37:00,0,0,0,0,0.00K,0,0.00K,0,32.2782,-94.9999,32.2758,-94.9854,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","An EF-0 tornado with maximum estimated winds around 75 mph touched down along County Road 223 just west of the Overton city limits near the Smith/Rusk county line, where it uprooted a few small trees. This tornado moved into the city of Overton in Rusk County, where it intensified to an EF-1 with maximum estimated winds of 95-105 mph." +113819,682184,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-03 07:00:00,PST-8,2017-02-04 07:09:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 1.36 of rain measured over 24 hours." +113819,682186,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-05 07:00:00,PST-8,2017-02-06 07:19:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 0.84 of rain measured over 24 hours." +113819,682188,CALIFORNIA,2017,February,Heavy Rain,"BUTTE",2017-02-06 15:00:00,PST-8,2017-02-06 15:16:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-121.54,39.48,-121.54,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 1.00 measured over 24 hours, 1.55 at Kelly Ridge, 1.73 at Oroville Dam." +113894,682225,CALIFORNIA,2017,February,Flood,"CALAVERAS",2017-02-09 14:00:00,PST-8,2017-02-10 14:00:00,0,0,0,0,7.01M,7010000,0.00K,0,38.41,-120.55,38.4103,-120.5584,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","East and west bound SR-26 were closed from Iris Way to the North Fork Mokelumne River Bridge due to flooding and a slope failure." +115199,694594,OKLAHOMA,2017,May,Thunderstorm Wind,"LOGAN",2017-05-17 00:20:00,CST-6,2017-05-17 00:20:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-97.49,35.86,-97.49,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115202,695004,OKLAHOMA,2017,May,Flash Flood,"MURRAY",2017-05-19 20:30:00,CST-6,2017-05-19 23:30:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-96.86,34.5551,-96.835,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Flood waters were over highway 1." +115822,696106,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 19:05:00,EST-5,2017-05-18 19:05:00,0,0,0,0,,NaN,,NaN,38.79,-77.299,38.79,-77.299,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree was down near Burke Common Road and Robert Commons Lane." +115822,696107,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 19:05:00,EST-5,2017-05-18 19:05:00,0,0,0,0,,NaN,,NaN,38.783,-77.339,38.783,-77.339,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree was down at Chapel Road and Yates ford Road." +113870,681926,TEXAS,2017,April,Hail,"SHELBY",2017-04-02 10:50:00,CST-6,2017-04-02 10:50:00,0,0,0,0,0.00K,0,0.00K,0,31.8073,-94.1641,31.8073,-94.1641,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Quarter size hail fell in Center." +115202,695009,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 21:09:00,CST-6,2017-05-20 00:09:00,0,0,0,0,0.00K,0,0.00K,0,34.3498,-96.7245,34.3487,-96.7169,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Roads was flooded just south of Reagan." +115202,695011,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-19 21:23:00,CST-6,2017-05-19 21:23:00,0,0,0,0,0.00K,0,0.00K,0,34.35,-96.72,34.35,-96.72,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,695013,OKLAHOMA,2017,May,Flash Flood,"JEFFERSON",2017-05-19 21:25:00,CST-6,2017-05-20 00:25:00,0,0,0,0,0.00K,0,0.00K,0,34.161,-98.0049,34.1617,-97.9888,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Minor roads and back roads were flooded." +113870,681927,TEXAS,2017,April,Thunderstorm Wind,"SMITH",2017-04-02 11:53:00,CST-6,2017-04-02 11:53:00,0,0,0,0,0.00K,0,0.00K,0,32.1573,-95.438,32.1573,-95.438,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Trees were blown down in the Emerald Bay subdivision." +113894,682205,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-06 08:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-122.39,40.59,-122.39,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 4.35 of rain measured over 24 hours in Redding." +113894,682206,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-06 09:00:00,PST-8,2017-02-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-122.36,41.06,-122.36,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 2.64 of rain measured over 24 hours in Sims." +113894,682207,CALIFORNIA,2017,February,Flood,"BUTTE",2017-02-06 09:00:00,PST-8,2017-02-07 09:45:00,0,0,0,0,0.00K,0,0.00K,0,39.5296,-121.478,39.5219,-121.4873,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Damage to Orvoville Spillway due to flood releases." +112887,675685,KENTUCKY,2017,March,Thunderstorm Wind,"MERCER",2017-03-01 07:55:00,EST-5,2017-03-01 07:55:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-84.83,37.81,-84.83,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +112887,675687,KENTUCKY,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-01 07:10:00,CST-6,2017-03-01 07:10:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-86.48,36.73,-86.48,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A trained spotter reported 55 to 60 mph winds which knocked out power in the area." +112887,675702,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 09:14:00,EST-5,2017-03-01 09:14:00,0,0,0,0,75.00K,75000,0.00K,0,37.67,-84.42,37.67,-84.42,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Madison County emergency manager reported several barns were flattened due to severe thunderstorm winds." +112887,675704,KENTUCKY,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-01 08:11:00,CST-6,2017-03-01 08:11:00,0,0,0,0,50.00K,50000,0.00K,0,36.67,-86.54,36.67,-86.54,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Simpson County emergency manager reported multiple power poles down along Tyree Chapel Road at Hendricks Road." +114961,689585,ILLINOIS,2017,April,Flash Flood,"SALINE",2017-04-30 05:05:00,CST-6,2017-04-30 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,37.9033,-88.4781,37.8391,-88.4798,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Water levels around Harrisburg continued to rise even after the rain ceased. Many businesses in Harrisburg were threatened, and a fast-food restaurant and a large retail store closed due to the flooding. Dozens of volunteers sandbagged businesses and homes. Travel was hampered by the flooding. Highway 142 was closed due to high water north of Eldorado to the Hamilton County line. Numerous city streets in Harrisburg, as well as county roads outside the city, were under varying amounts of water." +115512,693550,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 00:20:00,MST-7,2017-04-08 02:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 08/0105 MST." +115512,693553,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-08 00:00:00,MST-7,2017-04-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 08/0035 MST." +115512,693587,WYOMING,2017,April,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-04-08 03:55:00,MST-7,2017-04-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The wind sensor at the Saratoga Airport measured sustained winds of 40 mph or higher." +114443,686249,INDIANA,2017,April,Hail,"VANDERBURGH",2017-04-29 02:24:00,CST-6,2017-04-29 02:32:00,0,0,0,0,,NaN,0.00K,0,38.07,-87.5484,38.07,-87.53,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Hail slightly larger than golf balls fell at McCutchanville. The hail size was estimated from a photo. Quarter-size hail was reported on U.S. Highway 41 north of the Evansville airport." +114443,687742,INDIANA,2017,April,Flash Flood,"PIKE",2017-04-29 06:45:00,EST-5,2017-04-29 09:00:00,0,0,0,0,100.00K,100000,0.00K,0,38.25,-87.25,38.35,-87.25,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","A trained spotter near Stendal measured 8.32 inches of rain in 12 hours. Excessive runoff from hilly farm fields made driving impossible on some county roads. Ponds and creeks were out of their banks. State Highway 61 was closed between State Route 64 and Spurgeon. Numerous county roads were impassable." +121195,725854,MONTANA,2017,November,Heavy Snow,"GALLATIN",2017-11-01 09:20:00,MST-7,2017-11-01 09:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","MDOT reported an over sized load blocking driving lane along I-90 11 miles east of Bozeman." +114418,685950,KENTUCKY,2017,April,Thunderstorm Wind,"GRAVES",2017-04-26 18:40:00,CST-6,2017-04-26 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.8588,-88.5601,36.92,-88.52,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","About a mile north of Symsonia, a few trees were uprooted. One of the trees was down on a home. Several miles south-southwest of Symsonia, numerous trees were snapped and uprooted near the intersection of Kentucky Highways 131 and 301." +121195,725853,MONTANA,2017,November,Heavy Snow,"NORTH ROCKY MOUNTAIN FRONT",2017-11-01 19:50:00,MST-7,2017-11-01 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","MDOT reported severe driving conditions along US-89 from St. Mary to the Canadian line." +114417,690723,ILLINOIS,2017,April,Flood,"PULASKI",2017-04-28 21:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-89.08,37.1004,-89.1455,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","The Ohio River rose above flood stage. Through the end of April, the flooding was mostly minor. The river continued rising beyond the end of the month." +114512,686739,SOUTH DAKOTA,2017,April,Hail,"CLAY",2017-04-15 18:46:00,CST-6,2017-04-15 18:48:00,0,0,0,0,0.00K,0,0.00K,0,42.86,-97.1,42.86,-97.1,"Large hail fell from widely scattered thunderstorms that developed over the area early during the evening hours. Overall, the storms impacted a small portion of the area.","Mostly pea size hail, but also had some nickel sized." +113620,680950,TEXAS,2017,March,Thunderstorm Wind,"BORDEN",2017-03-28 18:30:00,CST-6,2017-03-28 18:31:00,0,0,0,0,0.00K,0,0.00K,0,32.9338,-101.6249,32.9338,-101.6249,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Borden County and produced a 60 mph wind gust sixteen miles northwest of Gail." +113620,680987,TEXAS,2017,March,Thunderstorm Wind,"GLASSCOCK",2017-03-28 18:45:00,CST-6,2017-03-28 18:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6291,-101.5481,31.6291,-101.5481,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Glasscock County and produced a 66 mph wind gust four miles southwest of St. Lawrence." +113620,681043,TEXAS,2017,March,Thunderstorm Wind,"REAGAN",2017-03-28 18:45:00,CST-6,2017-03-28 18:45:00,0,0,0,0,,NaN,,NaN,31.6353,-101.63,31.6353,-101.63,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Reagan County and produced a 66 mph wind gust five miles southwest of St. Lawrence." +113620,681079,TEXAS,2017,March,Thunderstorm Wind,"GLASSCOCK",2017-03-28 18:45:00,CST-6,2017-03-28 18:45:00,0,0,0,0,,NaN,,NaN,31.7779,-101.6084,31.7779,-101.6084,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Glasscock County and produced a 65 mph wind gust nine miles southwest of Garden City." +114111,683304,LOUISIANA,2017,April,Thunderstorm Wind,"CALDWELL",2017-04-02 14:55:00,CST-6,2017-04-02 14:55:00,0,0,0,0,0.00K,0,0.00K,0,32.0456,-92.065,32.0456,-92.065,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Numerous trees were blown down. A car was destroyed by a falling tree. A barn was also destroyed." +116026,697317,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 14:05:00,MST-7,2017-04-10 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, wit a peak gust of 67 mph at 09/2155 MST." +116026,697318,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 16:35:00,MST-7,2017-04-09 19:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 09/1720 MST." +116026,697319,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 14:00:00,MST-7,2017-04-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 09/1400 MST." +116026,697320,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE",2017-04-09 16:30:00,MST-7,2017-04-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 09/1745 MST." +116026,697321,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-04-09 17:30:00,MST-7,2017-04-09 18:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 0 mph or higher, with a peak gust of 58 mph at 09/1810 MST." +116026,697322,WYOMING,2017,April,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-04-09 12:40:00,MST-7,2017-04-09 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, wit a peak gust of 60 mph at 09/1245 MST." +116026,697323,WYOMING,2017,April,High Wind,"CENTRAL LARAMIE COUNTY",2017-04-09 14:30:00,MST-7,2017-04-09 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 09/1615 MST." +116026,697325,WYOMING,2017,April,High Wind,"CENTRAL LARAMIE COUNTY",2017-04-09 12:58:00,MST-7,2017-04-09 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher." +113620,681085,TEXAS,2017,March,Thunderstorm Wind,"MITCHELL",2017-03-28 19:50:00,CST-6,2017-03-28 19:51:00,0,0,0,0,50.00K,50000,0.00K,0,32.3064,-100.8041,32.3064,-100.8041,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Mitchell County and produced wind damage seven miles south southeast of Colorado City. Near Lake Champion at CR 121/119 at Highway 208 there was significant damage observed to trees including eight inch diameter tree limbs down, two trees broken, and one uprooted. There was roof damage observed on multiple structures as well as a damaged utility trailer. The time of the damage was estimated from radar and the wind speed was estimated from the damage. The cost of damage is a very rough estimate." +114111,683518,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 18:07:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5243,-92.7196,31.5681,-92.404,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Numerous roads were flooded and closed across the southern part of Grant Parish." +114111,683294,LOUISIANA,2017,April,Hail,"CADDO",2017-04-02 09:43:00,CST-6,2017-04-02 09:43:00,0,0,0,0,0.00K,0,0.00K,0,32.5567,-93.769,32.5567,-93.769,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Penny/dime size hail fell on Interstate 220 at the Red River." +116496,700573,MISSOURI,2017,June,Hail,"SCOTLAND",2017-06-17 18:20:00,CST-6,2017-06-17 18:20:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-92.17,40.46,-92.17,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","" +112727,675812,ATLANTIC NORTH,2017,March,Marine High Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-03-02 07:33:00,EST-5,2017-03-02 07:33:00,0,0,0,0,,NaN,,NaN,39.5877,-74.3187,39.5877,-74.3187,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +112955,674938,IOWA,2017,February,Hail,"HENRY",2017-02-28 19:49:00,CST-6,2017-02-28 19:49:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-91.41,40.88,-91.41,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report of quarter size hail was received." +112955,674939,IOWA,2017,February,Hail,"HENRY",2017-02-28 19:52:00,CST-6,2017-02-28 19:52:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-91.45,40.83,-91.45,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report of 1.5 inch diameter hail was received through social media." +112955,674940,IOWA,2017,February,Hail,"DES MOINES",2017-02-28 19:55:00,CST-6,2017-02-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,40.86,-91.31,40.86,-91.31,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report of 1.5 inch diameter hail was received through social media." +116884,702757,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:45:00,CST-6,2017-05-16 15:45:00,0,0,0,0,,NaN,,NaN,35.19,-100.61,35.19,-100.61,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702758,TEXAS,2017,May,Hail,"GRAY",2017-05-16 15:50:00,CST-6,2017-05-16 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-100.57,35.23,-100.57,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702759,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:09:00,CST-6,2017-05-16 16:09:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-100.35,34.9,-100.35,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +115202,694985,OKLAHOMA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-19 19:33:00,CST-6,2017-05-19 19:33:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-96.82,34.4,-96.82,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","No damage reported." +115202,694986,OKLAHOMA,2017,May,Hail,"PONTOTOC",2017-05-19 19:40:00,CST-6,2017-05-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-96.84,34.63,-96.84,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,694987,OKLAHOMA,2017,May,Flash Flood,"MURRAY",2017-05-19 19:55:00,CST-6,2017-05-19 22:55:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-96.94,34.4753,-96.9423,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,694995,OKLAHOMA,2017,May,Flash Flood,"SEMINOLE",2017-05-19 20:05:00,CST-6,2017-05-19 23:05:00,0,0,0,0,0.00K,0,0.00K,0,35.225,-96.6701,35.2337,-96.6698,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Seminole PD had closed Milt Phillips." +115202,694998,OKLAHOMA,2017,May,Flash Flood,"MURRAY",2017-05-19 20:14:00,CST-6,2017-05-19 23:14:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-97.13,34.4892,-97.1271,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Highway 77 near McLec Industrial Drive south of Davis was flooded with 6 to 8 inches water across the entire road." +112730,675530,NEW JERSEY,2017,March,High Wind,"MIDDLESEX",2017-03-02 05:00:00,EST-5,2017-03-02 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Several large branches downed due to wind." +115202,695000,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-19 20:26:00,CST-6,2017-05-19 20:26:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-96.83,34.4,-96.83,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +116091,699221,WISCONSIN,2017,May,Thunderstorm Wind,"JUNEAU",2017-05-17 19:30:00,CST-6,2017-05-17 19:30:00,0,0,0,0,25.00K,25000,0.00K,0,43.74,-90.11,43.74,-90.11,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A barn was destroyed south of Mauston." +116091,699517,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 17:07:00,CST-6,2017-05-17 17:07:00,0,0,0,0,2.00K,2000,0.00K,0,43.98,-90.51,43.98,-90.51,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Several large trees were blown down in Tomah." +116091,699518,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 16:42:00,CST-6,2017-05-17 16:42:00,0,0,0,0,2.00K,2000,0.00K,0,43.94,-90.81,43.94,-90.81,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Several large trees were blown down in Sparta." +116091,699977,WISCONSIN,2017,May,Tornado,"TREMPEALEAU",2017-05-17 16:21:00,CST-6,2017-05-17 16:25:00,0,0,0,0,60.00K,60000,0.00K,0,44.0965,-91.192,44.1021,-91.1721,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An EF-1 tornado moved across far southeast Trempealeau County and damaged trees and farm buildings. One barn was destroyed, part of a metal roof was taken off an outbuilding and a tree was knocked over onto the roof of a mobile home." +116952,703371,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-27 19:45:00,CST-6,2017-05-27 19:45:00,0,0,0,0,,NaN,,NaN,36.86,-101.21,36.86,-101.21,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Estimated wind gust of 70 MPH." +116952,703372,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-101.23,36.86,-101.23,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703373,OKLAHOMA,2017,May,Hail,"TEXAS",2017-05-27 19:53:00,CST-6,2017-05-27 19:53:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-101.12,36.75,-101.12,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703374,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-27 20:09:00,CST-6,2017-05-27 20:09:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-100.85,36.76,-100.85,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +112571,671615,PENNSYLVANIA,2017,February,Hail,"LEHIGH",2017-02-25 16:30:00,EST-5,2017-02-25 16:30:00,0,0,0,0,,NaN,,NaN,40.59,-75.48,40.59,-75.48,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Penny size hail was measured." +112571,671630,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LEHIGH",2017-02-25 16:23:00,EST-5,2017-02-25 16:23:00,0,0,0,0,,NaN,,NaN,40.6,-75.72,40.6,-75.72,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several power poles downed due to thunderstorm winds." +112571,671631,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LEHIGH",2017-02-25 16:25:00,EST-5,2017-02-25 16:25:00,0,0,0,0,,NaN,,NaN,40.59,-75.48,40.59,-75.48,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several trees downed in West Allentown due to thunderstorm winds." +112571,671633,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:30:00,EST-5,2017-02-25 16:30:00,0,0,0,0,,NaN,,NaN,40.8,-75.31,40.8,-75.31,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Numerous trees, power lines and telephone poles down due to thunderstorm winds. Some of the trees were blown onto homes and a barn. A tractor trailer was also overturned due to the wind and moved 30 feet." +112887,675689,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 08:30:00,EST-5,2017-03-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-84.15,37.72,-84.15,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","" +115206,695973,OKLAHOMA,2017,May,Flash Flood,"POTTAWATOMIE",2017-05-27 22:24:00,CST-6,2017-05-28 01:24:00,0,0,0,0,0.00K,0,0.00K,0,35.4515,-96.6704,35.4303,-96.6715,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Water was over highway 99." +115206,698581,OKLAHOMA,2017,May,Lightning,"MURRAY",2017-05-27 21:30:00,CST-6,2017-05-27 21:30:00,1,0,0,0,0.00K,0,0.00K,0,34.43,-97.15,34.43,-97.15,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","A man was struck by lightning near Turner Falls. His clothes were blown from his body and he suffered severe burns, temporary paralysis, and hearing loss." +115196,700763,OKLAHOMA,2017,May,Tornado,"COTTON",2017-05-10 19:36:00,CST-6,2017-05-10 19:41:00,0,0,0,0,0.00K,0,0.00K,0,34.34,-98.63,34.33,-98.6,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","Storm chasers observed and photographed a tornado in far northwestern Cotton County. No damage was reported and the specific path is estimated." +115198,700764,OKLAHOMA,2017,May,Tornado,"PAYNE",2017-05-11 14:13:00,CST-6,2017-05-11 14:13:00,0,0,0,0,0.00K,0,0.00K,0,35.9698,-97.0427,35.9698,-97.0427,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","Storm spotters and chasers observed a brief tornado just southwest of Perkins. No damage was reported from this tornado." +115199,700767,OKLAHOMA,2017,May,Tornado,"BECKHAM",2017-05-16 17:08:00,CST-6,2017-05-16 17:11:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-99.92,35.07,-99.9,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","The Erick Fire Department and storm chasers observed a tornado south of the entrance to Sandy Sanders Wildlife Management Area on State Highway 30. No damage was reported." +120506,723212,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 15:42:00,MST-7,2017-10-22 15:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak gust at the DOT sensor 5 miles ESE of Denton." +116144,703481,OKLAHOMA,2017,May,Tornado,"PITTSBURG",2017-05-18 20:46:00,CST-6,2017-05-18 20:54:00,0,0,0,0,30.00K,30000,0.00K,0,34.8051,-96.0686,34.827,-95.9269,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed north of Ashland and moved east-northeast, snapping or uprooting numerous trees, damaging an outbuilding, damaging a home, and snapping power poles. Based on this damage, maximum estimated wind in the tornado was 95 to 105 mph." +116145,701892,ARKANSAS,2017,May,Hail,"SEBASTIAN",2017-05-18 23:11:00,CST-6,2017-05-18 23:11:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-94.42,35.38,-94.42,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","" +120506,723213,MONTANA,2017,October,High Wind,"FERGUS",2017-10-22 15:58:00,MST-7,2017-10-22 15:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the military site 8 miles SW of Winifred." +116149,702038,ARKANSAS,2017,May,Thunderstorm Wind,"SEBASTIAN",2017-05-27 22:52:00,CST-6,2017-05-27 22:52:00,0,0,0,0,0.00K,0,0.00K,0,35.3456,-94.3409,35.3456,-94.3409,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","Strong thunderstorm wind uprooted large trees near Phoenix Avenue and Massard Road on the southeast side of Fort Smith." +116149,702068,ARKANSAS,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-27 23:00:00,CST-6,2017-05-27 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.464,-94.3567,35.464,-94.3567,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area ahead of the front, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. A tornado and damaging wind gusts occurred with the strongest storms as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down trees near I-40 and Highway 59." +115093,701500,OKLAHOMA,2017,May,Thunderstorm Wind,"ROGERS",2017-05-03 01:30:00,CST-6,2017-05-03 01:30:00,0,0,0,0,0.00K,0,0.00K,0,36.5743,-95.7452,36.5743,-95.7452,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","The Oklahoma Mesonet station near Talala measured 82 mph thunderstorm wind gusts." +115093,701502,OKLAHOMA,2017,May,Flash Flood,"WASHINGTON",2017-05-03 05:37:00,CST-6,2017-05-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-95.93,36.7995,-95.9434,"An organized area of strong to severe thunderstorms developed during the early morning hours of the 3rd, as a strong low level jet transported moist and unstable air over a stationary frontal boundary located across east central Oklahoma and west central Arkansas. The strongest storms produced hail up to quarter size, wind gusts to 82 mph, and some locally heavy rainfall.","Several roads were flooded in and around Dewey." +115096,701514,OKLAHOMA,2017,May,Thunderstorm Wind,"CREEK",2017-05-10 20:55:00,CST-6,2017-05-10 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.0844,-96.5846,36.0844,-96.5846,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down several trees." +116144,703492,OKLAHOMA,2017,May,Tornado,"WAGONER",2017-05-18 21:30:00,CST-6,2017-05-18 21:36:00,0,0,0,0,25.00K,25000,0.00K,0,35.7882,-95.6194,35.835,-95.5523,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This tornado developed just east of the Arkansas River, south of Redbird and southeast of Haskell. The tornado destroyed a center-pivot irrigation system and snapped several power poles and trees as it moved northeast. The Oklahoma Mesonet station southwest of Porter measured 82 mph gusts as the tornado passed the site toward the end of its life cycle. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +116144,701593,OKLAHOMA,2017,May,Thunderstorm Wind,"MUSKOGEE",2017-05-18 21:44:00,CST-6,2017-05-18 21:44:00,0,0,0,0,0.00K,0,0.00K,0,35.6634,-95.1983,35.6634,-95.1983,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs." +114534,703352,MINNESOTA,2017,May,Hail,"RICE",2017-05-16 16:15:00,CST-6,2017-05-16 16:20:00,0,0,0,0,0.00K,0,0.00K,0,44.4703,-93.4457,44.4813,-93.4183,"Thunderstorms developed during the late afternoon over southeastern and east central Minnesota. The thunderstorms transitioned into a well-organized quasi-linear line of thunderstorms during the evening. There were numerous reports of quarter-sized, and up to 2.5 inch diameter size hail near Cannon Falls, and Faribault.","The city of Lonsdale had hail, up to nickel size, fall for 5 minutes." +116982,703551,WISCONSIN,2017,May,Thunderstorm Wind,"EAU CLAIRE",2017-05-17 19:35:00,CST-6,2017-05-17 19:37:00,0,0,0,0,100.00K,100000,0.00K,0,44.6597,-91.2508,44.6764,-91.2388,"A line of thunderstorms that moved from southeast Minnesota, into west central Wisconsin, produced a swath of damage in southern Eau Claire County west of Augusta, near Young Road and County Road VV. An outbuilding was destroyed and several trees blown down.","Severe straight line winds produced damage to a outbuilding, pole barn, and a house near County Road V and VV, west of Augusta." +114537,686909,MINNESOTA,2017,May,Hail,"STEELE",2017-05-15 21:08:00,CST-6,2017-05-15 21:25:00,0,0,0,0,0.00K,0,0.00K,0,44.0334,-93.3069,44.1434,-93.0552,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","Several reports of large hail occurred in Steele County between the southwest part of Owatonna, northeast to north of the Rice Lake State Park. The largest hail stone was golf ball size." +114537,686913,MINNESOTA,2017,May,Hail,"BLUE EARTH",2017-05-15 21:13:00,CST-6,2017-05-15 21:13:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-93.79,43.97,-93.79,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +114537,686914,MINNESOTA,2017,May,Hail,"WASECA",2017-05-15 22:09:00,CST-6,2017-05-15 22:09:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-93.71,44.12,-93.71,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +116144,701923,OKLAHOMA,2017,May,Flash Flood,"OKMULGEE",2017-05-19 22:47:00,CST-6,2017-05-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.709,-95.9916,35.7141,-95.8239,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 75A were flooded and closed between Preston and Beggs. Portions of Hectorville Road were also flooded and closed." +116144,701924,OKLAHOMA,2017,May,Flash Flood,"SEQUOYAH",2017-05-19 22:57:00,CST-6,2017-05-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,35.6035,-95.0648,35.6036,-95.0714,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 10A were flooded and closed north of Gore." +116620,704122,GEORGIA,2017,May,Thunderstorm Wind,"WHEELER",2017-05-23 14:18:00,EST-5,2017-05-23 14:28:00,0,0,0,0,1.00K,1000,,NaN,31.9972,-82.6431,31.9972,-82.6431,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Wheeler County Emergency Manager reported a tree blown down near the intersection of Highway 19 and St. Paul Church Road." +116620,704125,GEORGIA,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-23 13:04:00,EST-5,2017-05-23 13:20:00,0,0,0,0,2.00K,2000,,NaN,32.3841,-83.6211,32.3469,-83.5751,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Houston County 911 center reported trees blown down on Old Mount Olive Road near Highway 341 and near the intersection of Barrett Road and Highway 341." +116620,704136,GEORGIA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-23 19:05:00,EST-5,2017-05-23 19:30:00,0,0,0,0,25.00K,25000,,NaN,34.195,-85.1587,34.3722,-85.0977,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Floyd County Emergency Manager reported trees blown down from around Highway 101 and the 101 Spur to Highway 411 and Chateau Drive Southeast, Wadsworth Street Northeast, Old Dalton Road and Highway 140 at Thomas Bluff Road Northeast. One tree fell on a home on Wadsworth Street Northeast, no injuries were reported." +116620,704137,GEORGIA,2017,May,Thunderstorm Wind,"FORSYTH",2017-05-23 20:40:00,EST-5,2017-05-23 20:55:00,0,0,0,0,3.00K,3000,,NaN,34.2066,-84.1682,34.3035,-84.1022,"A surface cold front and mid-level short wave associated with a large, deep upper-level trough over the central U.S. swept through the region. Moderate instability combined with strong deep-layer shear to produce scattered severe thunderstorms and isolated tornadoes across north and central Georgia. Deep, rich moisture resulted in very heavy rainfall as well, producing isolated reports of flash flooding.","The Forsyth County Emergency Manager reported trees blown down from around Chamblee Gap Road and Kelly Mill Road to Highway 9 north of Oak Grove Circle." +115726,695458,ALABAMA,2017,April,Thunderstorm Wind,"BLOUNT",2017-04-22 17:00:00,CST-6,2017-04-22 17:01:00,0,0,0,0,0.00K,0,0.00K,0,34.1112,-86.4023,34.1112,-86.4023,"A upper level short wave trof approached north Alabama on the afternoon of April 22nd. An intense line of thunderstorms developed over northern Mississippi and tracked eastward across north Alabama, producing sporadic wind damage.","Several trees uprooted at the intersection of Webb Circle and County Road 14." +115726,695462,ALABAMA,2017,April,Thunderstorm Wind,"BLOUNT",2017-04-22 16:50:00,CST-6,2017-04-22 16:51:00,0,0,0,0,0.00K,0,0.00K,0,34.1614,-86.4787,34.1614,-86.4787,"A upper level short wave trof approached north Alabama on the afternoon of April 22nd. An intense line of thunderstorms developed over northern Mississippi and tracked eastward across north Alabama, producing sporadic wind damage.","Several trees uprooted along Highway 278 in the town of Brooksville." +115726,695465,ALABAMA,2017,April,Thunderstorm Wind,"BLOUNT",2017-04-22 16:56:00,CST-6,2017-04-22 16:57:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-86.5,34.07,-86.5,"A upper level short wave trof approached north Alabama on the afternoon of April 22nd. An intense line of thunderstorms developed over northern Mississippi and tracked eastward across north Alabama, producing sporadic wind damage.","Several trees uprooted along County Road 26 in the Royal Community." +117013,703805,NEW YORK,2017,May,Thunderstorm Wind,"TIOGA",2017-05-01 19:05:00,EST-5,2017-05-01 19:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.07,-76.17,42.07,-76.17,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees which caused structural damage on a house." +115727,695482,ALABAMA,2017,April,Tornado,"PIKE",2017-04-27 10:25:00,CST-6,2017-04-27 10:35:00,0,0,0,0,0.00K,0,0.00K,0,31.8349,-85.931,31.8677,-85.8571,"A pre-frontal trough moved into Central Alabama on Tuesday night, April 26th. This boundary slowly pushed southward and was accompanied by some showers and thunderstorms. The east to west boundary drifted into south central Alabama on the morning of April 27th. The combination of shear, lift along the boundary, increased low level moisture and instability produced by insolation was just enough to spin up a few weak tornadoes.","NWS Meteorologists surveyed damage in central Pike County just northeast of the city of Troy and determined the damage was consistent with an EF1 tornado, with maximum sustained winds near 95 mph. The tornado formed just south of the intersection of Highway 29 and Radio Station Road. The tornado snapped and uprooted dozens of trees as it moved through residential areas south of Highway 29, damaging or destroying several outbuildings and causing minor shingle and overhang damage to homes. In addition, a mobile home was flipped over onto its roof just before Thomas Road, but did not appear to be well-anchored. The tornado crossed Highway 29 just west of the Dunn community. As the tornado crossed County Road 7757, one large hardwood tree was snapped and another was uprooted, falling on a home. The tornado paralleled County Road 7761, continuing to snap and uproot dozens of additional softwood and hardwood trees. A poorly built shed was completely destroyed near the intersection with CR 7759 with tin lofted well downstream. Tree damage began to diminish farther northeast and the tornado dissipated before reaching Highway 223." +115733,695519,ALABAMA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-30 10:30:00,CST-6,2017-04-30 10:31:00,0,0,0,0,0.00K,0,0.00K,0,33.05,-88.33,33.05,-88.33,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","A church near the intersection of Highway 87 and County Road 32 sustained damage to its roof." +117013,703807,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:15:00,EST-5,2017-05-01 19:25:00,0,0,0,0,12.00K,12000,0.00K,0,42.53,-75.52,42.53,-75.52,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in the cities of Preston, New Berlin, Oxford, and Guilford." +117013,703808,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:17:00,EST-5,2017-05-01 19:27:00,0,0,0,0,5.00K,5000,0.00K,0,42.68,-75.5,42.68,-75.5,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines at the intersection of route 12 and 80. This intersection was also flooded." +117013,703812,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:30:00,EST-5,2017-05-01 19:40:00,0,0,0,0,3.00K,3000,0.00K,0,42.62,-75.34,42.62,-75.34,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked trees over on Shacktown mountain road." +116818,702845,INDIANA,2017,May,Hail,"MONROE",2017-05-19 13:00:00,EST-5,2017-05-19 13:02:00,0,0,0,0,,NaN,,NaN,39.18,-86.54,39.18,-86.54,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","This report was received via Facebook." +116818,702850,INDIANA,2017,May,Hail,"MONROE",2017-05-19 13:14:00,EST-5,2017-05-19 13:16:00,0,0,0,0,,NaN,,NaN,39.15,-86.57,39.15,-86.57,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702855,INDIANA,2017,May,Hail,"RANDOLPH",2017-05-19 13:47:00,EST-5,2017-05-19 13:49:00,0,0,0,0,,NaN,,NaN,40.12,-85.2,40.12,-85.2,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +116818,702859,INDIANA,2017,May,Hail,"BARTHOLOMEW",2017-05-19 13:56:00,EST-5,2017-05-19 13:58:00,0,0,0,0,,NaN,,NaN,39.2,-85.93,39.2,-85.93,"Two waves of showers and thunderstorms moved through central Indiana from the west during the late morning and early afternoon of May the 19th. One small hail report came from the first wave of storms. The second wave intensified as it moved into the center portion of the state causing multiple reports of large hail and one damaging wind report.","" +117098,704481,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 13:35:00,EST-5,2017-05-28 13:36:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-84.77,41.35,-84.77,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117098,704482,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 13:48:00,EST-5,2017-05-28 13:49:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-84.77,41.35,-84.77,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117098,704483,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 14:04:00,EST-5,2017-05-28 14:05:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-84.77,41.35,-84.77,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +115298,704704,ILLINOIS,2017,May,Flash Flood,"CRAWFORD",2017-05-11 00:00:00,CST-6,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9481,-87.9469,38.8499,-87.9458,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Crawford County. Rainfall amounts ranged from 1.50 to 2.00 inches during the late evening of May 10th into the early morning of May 11th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed, particularly from Green Brier to Landes, where the heaviest rainfall occurred." +115298,704705,ILLINOIS,2017,May,Flood,"CRAWFORD",2017-05-11 03:00:00,CST-6,2017-05-11 06:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9481,-87.9469,38.8499,-87.9458,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in southern Crawford County. Rainfall amounts ranged from 1.50 to 2.00 inches during the late evening of May 10th into the early morning of May 11th in areas where ditches were already full of water and soils were saturated. Numerous rural roads were closed, particularly from Green Brier to Landes, where the heaviest rainfall occurred. An additional 0.50 inch of rain during the early morning hours of May 11th kept flood waters from receding until daybreak." +116833,702564,MINNESOTA,2017,May,Hail,"ST. LOUIS",2017-05-26 14:35:00,CST-6,2017-05-26 14:35:00,0,0,0,0,,NaN,,NaN,47.39,-93,47.39,-93,"A line of thunderstorms across the northeastern Minnesota produced hail from pea to penny size.","" +116833,702596,MINNESOTA,2017,May,Hail,"ST. LOUIS",2017-05-26 15:02:00,CST-6,2017-05-26 15:02:00,0,0,0,0,,NaN,,NaN,47.01,-92.62,47.01,-92.62,"A line of thunderstorms across the northeastern Minnesota produced hail from pea to penny size.","" +114572,687124,WISCONSIN,2017,May,Hail,"WASHBURN",2017-05-16 16:30:00,CST-6,2017-05-16 16:30:00,0,0,0,0,,NaN,,NaN,45.74,-92.03,45.74,-92.03,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +114572,687125,WISCONSIN,2017,May,Hail,"WASHBURN",2017-05-16 16:34:00,CST-6,2017-05-16 16:34:00,0,0,0,0,,NaN,,NaN,45.81,-92.01,45.81,-92.01,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","The hail ranged in size from peas to quarters." +114572,687126,WISCONSIN,2017,May,Hail,"WASHBURN",2017-05-16 16:39:00,CST-6,2017-05-16 16:39:00,0,0,0,0,,NaN,,NaN,45.82,-91.89,45.82,-91.89,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","There multiple reports of pea to nickel sized hail in Spooner." +114572,687127,WISCONSIN,2017,May,Hail,"WASHBURN",2017-05-16 16:42:00,CST-6,2017-05-16 16:42:00,0,0,0,0,,NaN,,NaN,45.89,-92.01,45.89,-92.01,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +114572,687128,WISCONSIN,2017,May,Hail,"SAWYER",2017-05-16 16:51:00,CST-6,2017-05-16 16:51:00,0,0,0,0,,NaN,,NaN,46.01,-91.36,46.01,-91.36,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","There were dime to ping pong ball sized hail." +117183,704849,COLORADO,2017,May,Flash Flood,"KIT CARSON",2017-05-26 20:56:00,MST-7,2017-05-26 20:56:00,0,0,0,0,0.00K,0,0.00K,0,39.49,-102.82,39.4899,-102.823,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","CoCoRaHS site observer reported 1.22 inches of rain in the past 2 hours with unusual levels of flooding in the area." +117183,704850,COLORADO,2017,May,Hail,"YUMA",2017-05-26 17:15:00,MST-7,2017-05-26 17:15:00,0,0,0,0,,NaN,,NaN,39.66,-102.59,39.66,-102.59,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","Storm chaser measured 1.25 inch diameter hail." +115238,691875,PENNSYLVANIA,2017,May,Hail,"HUNTINGDON",2017-05-30 12:13:00,EST-5,2017-05-30 12:13:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-78.1,40.56,-78.1,"Modest instability and significant shear combined to produce a round of severe weather across western and portions of central Pennsylvania during the afternoon of May 30, 2017. Storms initiated shortly after midday along and just west of the Allegheny Front, and quickly evolved into discrete supercells. Low clouds and easterly flow over the middle and lower Susquehanna Valley prevented the storms from surviving as they progressed eastward into the more stable airmass.","A severe thunderstorm produced hail up to the size of quarters that covered the ground near Alexandria." +113013,675613,PENNSYLVANIA,2017,March,High Wind,"EASTERN MONTGOMERY",2017-03-02 06:00:00,EST-5,2017-03-02 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High winds occurred across Eastern Pennsylvania as the pressure gradient tightened behind a frontal system. Over-sized vehicles were banned on several roads. Several hundred power outages were reported.","Fallen tree on SEPTA train line." +116621,704236,GEORGIA,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-24 22:02:00,EST-5,2017-05-24 22:20:00,0,0,0,0,7.00K,7000,,NaN,32.1301,-82.5278,32.1218,-82.4624,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Montgomery County Emergency Manager reported trees and power lines blown down from McGregor Alston Road to the Buckhorn Creek area." +117091,704442,LAKE MICHIGAN,2017,May,Marine Thunderstorm Wind,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-05-18 01:40:00,EST-5,2017-05-18 01:40:00,0,0,0,0,0.00K,0,0.00K,0,45.2174,-85.5409,45.2174,-85.5409,"Several clusters of strong thunderstorms produced gusty winds over portions of northern Lake Michigan, ahead of a cold front.","Gust measured in Grand Traverse Light." +117093,704433,LAKE HURON,2017,May,Marine Thunderstorm Wind,"PRESQUE ISLE LIGHT TO STURGEON POINT MI INC THUNDER BAY NATIONAL MARINE SANCTUARY",2017-05-18 03:12:00,EST-5,2017-05-18 03:12:00,0,0,0,0,0.00K,0,0.00K,0,45.0551,-83.4192,45.0551,-83.4192,"Several clusters of thunderstorms produced gusty winds over parts of northern Lake Huron, ahead of a cold front.","Gust measured at the Alpena Airport." +112932,674752,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-01 15:30:00,EST-5,2017-03-01 15:30:00,0,0,0,0,,NaN,,NaN,35.07,-85.26,35.07,-85.26,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Numerous trees and power lines were reported down across Hamilton County." +112953,674904,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 20:12:00,CST-6,2017-02-28 20:12:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-90.04,41.17,-90.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Emergency management reported quarter size hail." +121946,730107,MISSISSIPPI,2017,December,Flash Flood,"DE SOTO",2017-12-22 14:30:00,CST-6,2017-12-22 18:30:00,0,0,0,0,50.00K,50000,0.00K,0,34.8924,-90.0494,34.8581,-90.0501,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Highway 51 in Hernando closed due to flooding and flash flood waters washed out part of Nesbit and Tulane roads. Both roads are closed." +116171,698213,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 15:27:00,CST-6,2017-05-21 15:44:00,0,0,0,0,50.00K,50000,0.00K,0,27.595,-99.5023,27.6042,-99.4761,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Spotters reported street signs, brick fence posts, and power lines blown down across the northern part of Laredo." +116171,698219,TEXAS,2017,May,Hail,"WEBB",2017-05-21 15:44:00,CST-6,2017-05-21 15:48:00,0,0,0,0,25.00K,25000,0.00K,0,27.4791,-99.4709,27.4791,-99.4709,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Half dollar sized hail occurred in south central Laredo reported through social media." +116171,698223,TEXAS,2017,May,Hail,"WEBB",2017-05-21 15:44:00,CST-6,2017-05-21 15:51:00,0,0,0,0,25.00K,25000,0.00K,0,27.5,-99.44,27.5,-99.44,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser reported golf ball sized hail on the east side of Laredo." +116183,703429,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-23 19:46:00,CST-6,2017-05-23 19:50:00,0,0,0,0,0.00K,0,0.00K,0,27.8513,-97.1233,27.834,-97.0727,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site in Port Aransas measured a gust to 36 knots." +116171,698243,TEXAS,2017,May,Flash Flood,"WEBB",2017-05-21 16:01:00,CST-6,2017-05-21 16:15:00,0,0,0,0,100.00K,100000,0.00K,0,27.57,-99.48,27.5838,-99.5149,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Cars were half submerged under water in parts of Laredo. Report was received through social media." +116171,698248,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 15:56:00,CST-6,2017-05-21 16:03:00,0,0,0,0,25.00K,25000,0.00K,0,27.51,-99.39,27.51,-99.39,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser estimated wind gusts to 70 mph east of Laredo." +116171,698259,TEXAS,2017,May,Hail,"WEBB",2017-05-21 16:04:00,CST-6,2017-05-21 16:07:00,0,0,0,0,0.00K,0,0.00K,0,27.55,-99.48,27.55,-99.48,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Ham radio operator reported quarter sized hail at the Laredo International Airport." +116171,698272,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 16:15:00,CST-6,2017-05-21 16:15:00,0,0,0,1,0.00K,0,0.00K,0,27.55,-99.48,27.55,-99.48,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Fourteen year old boy was electrocuted after picking up a live power line that was downed in the storm." +120506,721974,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-22 11:58:00,MST-7,2017-10-22 11:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Military site 6 miles east of Geyser." +115708,695366,VIRGINIA,2017,May,Flood,"WAYNESBORO (C)",2017-05-05 09:07:00,EST-5,2017-05-05 11:45:00,0,0,0,0,0.00K,0,0.00K,0,38.0552,-78.8781,38.08,-78.8705,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on South River at Dooms exceeded the 11 foot flood stage and peaked at 11.23 feet at 10:15 EST. At this level, agricultural flooding was occurring near the river. Livestock should have been moved to higher ground. Flooding was also occurring in the City of Waynesboro to the south." +120506,721970,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 11:58:00,MST-7,2017-10-22 11:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at a military site in Cascade County." +115708,695373,VIRGINIA,2017,May,Flood,"MADISON",2017-05-05 09:38:00,EST-5,2017-05-05 22:15:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-78.1,38.3449,-78.0998,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Robinson River at Locust Dale exceeded their flood stage of 11 feet and peaked at 15.38 feet at 14:45 EST. Multiple spots on Route 721 were flooded, along with other nearby low lying land. Access may affected some residents." +115708,695374,VIRGINIA,2017,May,Flood,"CULPEPER",2017-05-05 10:38:00,EST-5,2017-05-06 00:20:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-77.97,38.5899,-77.9788,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Hazel River at Rixeyville exceeded their flood stage of 16 feet and peaked at 19.66 feet at 17:30 EST. Low lying agricultural land near the river began to flood." +115708,695376,VIRGINIA,2017,May,Flood,"FAUQUIER",2017-05-06 00:24:00,EST-5,2017-05-06 10:23:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-77.81,38.5288,-77.812,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Rappahannock River at Remington exceeded their flood stage of 15 feet and peaked at 16.53 feet at 5:00 EST. Tin Pot Run Road and Sumerduck Road near Remington were flooded." +115708,695664,VIRGINIA,2017,May,Flood,"RAPPAHANNOCK",2017-05-05 06:40:00,EST-5,2017-05-05 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-78.15,38.71,-78.1522,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Tiger Valley Road was closed due to flooding." +115708,695665,VIRGINIA,2017,May,Flood,"RAPPAHANNOCK",2017-05-05 06:51:00,EST-5,2017-05-05 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-78.17,38.7349,-78.1874,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Six to twelve inches of water was flowing over Harris Hollow Road in several places." +115708,695666,VIRGINIA,2017,May,Flood,"FAIRFAX",2017-05-05 07:36:00,EST-5,2017-05-05 11:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9255,-77.2632,38.9278,-77.2662,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Old Courthouse Road was closed near Besley Road due to high water." +115708,695667,VIRGINIA,2017,May,Flood,"FAIRFAX",2017-05-05 07:37:00,EST-5,2017-05-05 11:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8755,-77.441,38.8747,-77.4425,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Park Meadow Road was closed near Westfields Boulevard due to high water." +115708,695669,VIRGINIA,2017,May,Flood,"SHENANDOAH",2017-05-05 09:34:00,EST-5,2017-05-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7615,-78.7131,38.7572,-78.7104,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Water was flowing over Garber Road between Kibler Road and Graveltown Road." +116687,701749,WYOMING,2017,May,Hail,"LARAMIE",2017-05-26 17:00:00,MST-7,2017-05-26 17:03:00,0,0,0,0,0.00K,0,0.00K,0,41.2992,-104.82,41.2992,-104.82,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Quarter size hail was reported north of Cheyenne." +116687,701750,WYOMING,2017,May,Hail,"LARAMIE",2017-05-26 17:45:00,MST-7,2017-05-26 17:48:00,0,0,0,0,0.00K,0,0.00K,0,41.1611,-104.7796,41.1611,-104.7796,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Quarter size hail was reported near Sheridan Street and Windmill Road in Cheyenne." +112953,674911,ILLINOIS,2017,February,Thunderstorm Wind,"MERCER",2017-02-28 20:45:00,CST-6,2017-02-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,41.3099,-90.5126,41.3099,-90.5126,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report of several 4 inch diameter tree branches down along the highway just south of Sherrard, Illinois was received." +122217,731638,ARKANSAS,2017,December,Drought,"RANDOLPH",2017-12-01 00:00:00,CST-6,2017-12-12 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of December and fueled the spread of moderate (D2) drought conditions over parts of East Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions continued across the county." +122022,731329,VIRGINIA,2017,December,Winter Weather,"LANCASTER",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county. Urbanna (6 NNE) reported 3.0 inches of snow. Lancaster reported 2.5 inches of snow." +113330,678187,MISSISSIPPI,2017,February,Hail,"UNION",2017-02-08 17:20:00,CST-6,2017-02-08 17:25:00,0,0,0,0,0.00K,0,0.00K,0,34.4677,-89.1688,34.4677,-89.1688,"A stray thunderstorm reached severe strength during the late afternoon hours of February 8th in northeast Mississippi.","Hail fell at the West Union Attendance Center. Report relayed VIA Broadcast Media." +113326,678185,MISSISSIPPI,2017,February,Hail,"PONTOTOC",2017-02-07 17:40:00,CST-6,2017-02-07 17:45:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-89,34.25,-89,"A few severe thunderstorms producing hail developed late in the afternoon across Mississippi ahead of a passing cold front.","" +113326,678186,MISSISSIPPI,2017,February,Hail,"PONTOTOC",2017-02-07 17:55:00,CST-6,2017-02-07 18:05:00,0,0,0,0,,NaN,0.00K,0,34.201,-88.949,34.1999,-88.9398,"A few severe thunderstorms producing hail developed late in the afternoon across Mississippi ahead of a passing cold front.","Hail of quarter to golf-ball size fell along highway 342 in the Black Zion Community." +122022,731332,VIRGINIA,2017,December,Winter Weather,"MIDDLESEX",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +115531,693793,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:35:00,CST-6,2017-04-30 10:40:00,0,0,0,0,,NaN,0.00K,0,35.2553,-89.8306,35.2637,-89.8179,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large trees down on Old Brownsville Road and Oak Road in Bartlett." +113254,677681,TENNESSEE,2017,January,Winter Weather,"MCNAIRY",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two to three inches of snow fell." +113254,677682,TENNESSEE,2017,January,Winter Weather,"HARDIN",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two to three inches of snow fell." +113255,677628,ARKANSAS,2017,January,Winter Weather,"RANDOLPH",2017-01-06 04:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +116185,703450,TEXAS,2017,May,Flash Flood,"NUECES",2017-05-29 02:15:00,CST-6,2017-05-29 02:55:00,0,0,0,0,0.00K,0,0.00K,0,27.65,-97.37,27.6714,-97.3959,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Cimarron Boulevard and Airline Road were impassable along with portions of Rodd Field Road in Corpus Christi." +113255,677629,ARKANSAS,2017,January,Winter Weather,"CLAY",2017-01-06 04:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113255,677631,ARKANSAS,2017,January,Winter Weather,"LAWRENCE",2017-01-06 03:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +114392,685624,COLORADO,2017,January,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-01-19 21:00:00,MST-7,2017-01-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 4 to 8 inches were measured across the area. Locally higher amounts included 15 inches the Lone Cone SNOTEL site and 20 inches on Red Mountain Pass." +114392,685625,COLORADO,2017,January,Winter Storm,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-01-19 08:00:00,MST-7,2017-01-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 10 to 20 inches of snow fell across the area. Locally higher amounts included 32 inches at the Black Mesa and Mancos SNOTEL sites." +114392,685628,COLORADO,2017,January,Winter Storm,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-01-19 14:00:00,MST-7,2017-01-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 4 to 10 inches were measured across the area. Locally higher amounts included 16 inches near Yellow Jacket." +114392,685632,COLORADO,2017,January,Winter Storm,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-01-19 11:00:00,MST-7,2017-01-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 12 to 24 inches were measured above the 8000 foot level, with lesser amounts below that elevation." +114392,685634,COLORADO,2017,January,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-01-19 19:00:00,MST-7,2017-01-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Generally 5 to 10 inches of snow fell across the area. Locally higher amounts included 13 inches at the Rabbit Ears Pass SNOTEL site." +114392,685635,COLORADO,2017,January,Winter Weather,"PARADOX VALLEY / LOWER DOLORES RIVER BASIN",2017-01-19 15:30:00,MST-7,2017-01-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 3 to 7 inches were measured across the area with the heaviest snowfall reported near Paradox." +114392,685637,COLORADO,2017,January,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-01-19 09:00:00,MST-7,2017-01-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area." +112887,674433,KENTUCKY,2017,March,Thunderstorm Wind,"TRIMBLE",2017-03-01 06:20:00,EST-5,2017-03-01 06:20:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-85.41,38.73,-85.41,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey team concluded that straight line winds occurred intermittently just south of the Ohio River from 2 miles west of Milton to 2.5 miles east of Milton. A mobile home park was damaged with multiple hardwood trees snapped, and a few un-anchored mobile homes slid off their piers. Winds were estimated between 70 and 75 mph at this location. Further east of Milton, the damage was more significant with large outbuildings either heavily damaged or destroyed. Large hardwood trees were snapped and uprooted. Debris was scattered 200 to 300 yards downwind. Maximum winds there were estimated to be 80 to 90 mph." +113197,677199,KENTUCKY,2017,March,Thunderstorm Wind,"GARRARD",2017-03-27 18:15:00,EST-5,2017-03-27 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.8142,-84.7021,37.8142,-84.7021,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","The Garrard County emergency manager reported that severe thunderstorm winds partially tore off a roof to a barn on Brenda Way." +114322,685007,ILLINOIS,2017,April,Hail,"ALEXANDER",2017-04-03 14:20:00,CST-6,2017-04-03 14:20:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-89.48,37.29,-89.48,"Diurnal heating and cold 500 mb temperatures around minus 19 degrees Celsius promoted the development of isolated to scattered thunderstorms during the afternoon. Surface dew points were generally in the 50's, and instability became sufficient for locally intense storms as mixed-layer capes approached 1000 j/kg. A 500 mb trough axis over the Plains moved northeast across the Lower Ohio Valley in the afternoon, providing enough cold air aloft for the generation of storms with hail.","" +113819,682187,CALIFORNIA,2017,February,Heavy Rain,"SHASTA",2017-02-06 07:00:00,PST-8,2017-02-06 07:19:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-122.36,41.06,-122.36,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 1.84 of rain measured over 24 hours." +113713,680717,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:50:00,EST-5,2017-02-12 22:50:00,0,0,0,0,,NaN,,NaN,39.1285,-77.3432,39.1285,-77.3432,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Darnestown Road west of Whites Ferry Road was blocked due to a fallen tree." +113713,680727,MARYLAND,2017,February,Thunderstorm Wind,"BALTIMORE",2017-02-12 23:05:00,EST-5,2017-02-12 23:05:00,0,0,0,0,,NaN,,NaN,39.3787,-76.4465,39.3787,-76.4465,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on Maryland Route 43 at Interstate 95." +114328,685061,INDIANA,2017,April,Hail,"GIBSON",2017-04-05 14:25:00,CST-6,2017-04-05 14:25:00,0,0,0,0,0.00K,0,0.00K,0,38.3134,-87.68,38.3134,-87.68,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southwest Indiana. Hail up to the size of dimes accompanied the strongest storm.","" +114394,685630,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 10:50:00,0,0,0,0,0.00K,0,0.00K,0,38.5607,-121.4672,38.5606,-121.4665,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","CHP reported roadway flooding at US 50E and 34th Street off-ramp." +114301,685086,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:35:00,CST-6,2017-03-07 03:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.2,-92.2,35.2,-92.2,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","There was a report of trees down and a roof blown off." +115025,690278,MISSOURI,2017,April,Dense Fog,"PERRY",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690279,MISSOURI,2017,April,Dense Fog,"RIPLEY",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690280,MISSOURI,2017,April,Dense Fog,"SCOTT",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690281,MISSOURI,2017,April,Dense Fog,"STODDARD",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690282,MISSOURI,2017,April,Dense Fog,"WAYNE",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +114403,685802,KENTUCKY,2017,April,Thunderstorm Wind,"MCCRACKEN",2017-04-16 14:37:00,CST-6,2017-04-16 14:37:00,0,0,0,0,1.00K,1000,0.00K,0,37.0684,-88.8028,37.0684,-88.8028,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. However, steepening low-level lapse rates with diurnal heating and around 25 to 30 knots of mid-level wind flow promoted isolated damaging winds in the strongest cells.","A wind gust to 70 mph was measured at a residence just north of the U.S. Highway 60 intersection with Highway 996. A tree was uprooted at the residence." +114705,688030,COLORADO,2017,March,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-03-05 06:00:00,MST-7,2017-03-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Generally 4 to 8 inches of snow fell across the area. Winds gusted 40 to 50 mph with a peak measured gust of 63 mph which resulted in extensive blowing snow and reduced visibility." +114705,688026,COLORADO,2017,March,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-05 10:00:00,MST-7,2017-03-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Generally 4 to 8 inches of snow fell across the area with 11 inches measured at the Beartown SNOTEL site. Winds gusted 40 to 50 mph with a peak measured gust of 119 mph which resulted in widespread blowing and drifting snow." +114705,688016,COLORADO,2017,March,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-03-05 16:30:00,MST-7,2017-03-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Generally 4 to 8 inches of snow fell across the area with 10 inches measured northeast of Sawpit. Winds gusted 50 to 60 mph with a peak measured gust of 107 mph which resulted in widespread blowing and drifting snow." +114705,688015,COLORADO,2017,March,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-03-05 18:30:00,MST-7,2017-03-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Snowfall amounts of 2 to 5 inches were measured across the area. Winds gusted 45 to 55 mph with a peak measured gust of 78 mph which resulted in extensive blowing snow and reduced visibility." +114705,688014,COLORADO,2017,March,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-03-05 19:00:00,MST-7,2017-03-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Snowfall amounts of 1 to 3 inches were measured across the area. Sustained winds of 40 to 50 mph with peak gusts of 50 to 60 mph resulted in extensive blowing snow and reduced visibility. Travelers reported near blizzard conditions over Monarch Pass and Schofield Pass." +114327,690188,KENTUCKY,2017,April,Strong Wind,"BALLARD",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114418,685929,KENTUCKY,2017,April,Tornado,"HICKMAN",2017-04-26 18:12:00,CST-6,2017-04-26 18:20:00,0,0,0,0,425.00K,425000,0.00K,0,36.6334,-88.9223,36.6717,-88.8166,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","This tornado began about 4.6 miles southeast of Clinton. The path crossed very close to the intersection of Highways 58 and 307, where the community of Fulgham is located. Peak winds were estimated near 95 mph. Three dozen homes and outbuildings received minor to moderate damage, consisting primarily of loss of shingles, siding, and trim. One home lost about a third of its roof, and another home had the back porch blown off. Several smaller outbuildings or garages were destroyed. A large chicken house lost one-quarter of its roof. Kentucky Highway 307 was closed by downed trees and power lines north of Highway 58. Hundreds of trees and tree limbs were blown down. Four eyewitnesses reported seeing the tornado near Fulgham. Most of the damage was concentrated around and just north of Fulgham. The tornado weakened somewhat as it crossed into Graves County, and the damage track became more intermittent there. The tornado crossed into Graves County about one mile north of where Highway 58 crosses the county line." +114440,686230,ILLINOIS,2017,April,Hail,"SALINE",2017-04-28 23:07:00,CST-6,2017-04-28 23:07:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-88.65,37.68,-88.65,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","" +114304,684812,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:45:00,CST-6,2017-04-26 15:45:00,0,0,0,0,0.00K,0,0.00K,0,31.24,-94.65,31.24,-94.65,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Hail fell in the Bald Hill community." +114304,684814,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:50:00,CST-6,2017-04-26 15:50:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-94.67,31.16,-94.67,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Hail fell at the intersection of FM Road 58 and FM Road 1818 in the Beulah community." +113894,682600,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-10 16:35:00,PST-8,2017-02-11 16:35:00,0,0,0,0,0.00K,0,0.00K,0,38.42,-121.21,38.4084,-121.2646,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Three levees along the Cosumnes River were breached Friday night at Pear Lane, allowing flood waters into the Wilton area. Localized flooding closed Green Road and others nearby roads as waters into Dillard Road. Several roads remained closed through the night, according to the Sacramento County Office of Emergency Services." +116134,698139,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-05-03 23:30:00,CST-6,2017-05-03 23:30:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Brazos Platform AWOS measured a gust to 39 knots." +116420,700112,TEXAS,2017,May,Hail,"RUNNELS",2017-05-19 14:39:00,CST-6,2017-05-19 14:39:00,0,0,0,0,0.00K,0,0.00K,0,32.01,-100.05,32.01,-100.05,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Quarter size hail was reported by a storm chaser." +116420,700114,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 15:00:00,CST-6,2017-05-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.3888,-100.4279,31.3888,-100.4279,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700115,TEXAS,2017,May,Hail,"RUNNELS",2017-05-19 15:32:00,CST-6,2017-05-19 15:32:00,0,0,0,0,0.00K,0,0.00K,0,31.84,-99.95,31.84,-99.95,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Golf ball size hail was reported by the public on U.S. Highway 83." +116420,700117,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 15:58:00,CST-6,2017-05-19 15:58:00,0,0,0,0,0.00K,0,0.00K,0,31.4231,-100.4827,31.4231,-100.4827,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +113676,704746,COLORADO,2017,January,Winter Weather,"UPPER YAMPA RIVER BASIN",2017-01-02 22:00:00,MST-7,2017-01-03 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front brought a quick shot of significant to heavy snowfall to the northwest Colorado mountains and also to the Central Yampa River Basin.","Snowfall amounts of 6 to 12 inches were measured across the area. Locally higher amounts included 18 inches at Clark." +113902,682918,CALIFORNIA,2017,February,Strong Wind,"NORTHERN SAN JOAQUIN VALLEY",2017-02-17 06:00:00,PST-8,2017-02-17 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","A tree fell on and damaged a home on the 58000 block of Portage Place, Stockton.. There was a 52 mph wind gust reported at Stockton Metropolitan Airport, with strong winds continuing through the morning into the afternoon." +115512,693588,WYOMING,2017,April,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-04-08 07:00:00,MST-7,2017-04-08 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Skyline measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 08/0800 MST." +115512,693589,WYOMING,2017,April,High Wind,"LARAMIE VALLEY",2017-04-08 10:00:00,MST-7,2017-04-08 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher." +115512,693590,WYOMING,2017,April,High Wind,"LARAMIE VALLEY",2017-04-08 11:25:00,MST-7,2017-04-08 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed through the valleys and foothills surrounding the Snowy Range mountain range. Wind gusts of 60 to 70 mph were common.","The UPR sensor at Rock River measured a peak wind gust of 64 mph." +115128,691020,CALIFORNIA,2017,April,Hail,"PLACER",2017-04-07 18:13:00,PST-8,2017-04-07 18:18:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-121.29,38.76,-121.29,"A storm system brought wind damage to trees, thunderstorms with hail, and snow accumulating down into the foothills of the Sierra and Coastal Range.","Photo of penny size hail in Roseville from photo on Twitter." +115128,693033,CALIFORNIA,2017,April,Heavy Snow,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-04-07 07:30:00,PST-8,2017-04-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought wind damage to trees, thunderstorms with hail, and snow accumulating down into the foothills of the Sierra and Coastal Range.","At Kingvale, there was a 24 hour total of 12.0 of snow by 7:30 am on the 8th, storm total of 17 by 4:00 pm. Northstar Ski Resort reported 13.0 of snow and Squaw Valley reported 12.0. Wet snow was also reported at elevations as low as Placerville (1800 ft), with around an inch at Pollock Pines (3700 ft). Major travel problems were caused on I80 by the extensive snow covered area, with chain controls and long delays reported. Caltrans closed off eastbound I80 for several hours the night of the 8th following a collision." +115202,695054,OKLAHOMA,2017,May,Thunderstorm Wind,"JOHNSTON",2017-05-19 22:14:00,CST-6,2017-05-19 22:14:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-96.5,34.42,-96.5,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","No damage reported." +115202,695055,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-19 22:17:00,CST-6,2017-05-19 22:17:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-96.49,34.42,-96.49,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,695057,OKLAHOMA,2017,May,Flash Flood,"COAL",2017-05-19 22:20:00,CST-6,2017-05-20 01:20:00,0,0,0,0,0.00K,0,0.00K,0,34.6039,-96.4146,34.616,-96.4145,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Flooding was reported at the intersection of highway 48 and highway 3." +117444,706318,TEXAS,2017,June,Thunderstorm Wind,"STERLING",2017-06-23 17:48:00,CST-6,2017-06-23 17:48:00,0,0,0,0,0.00K,0,0.00K,0,31.83,-101.06,31.83,-101.06,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","A Texas Tech West Texas Mesonet site near Sterling City measured a wind gust of 77 mph." +115202,695059,OKLAHOMA,2017,May,Hail,"COAL",2017-05-19 22:27:00,CST-6,2017-05-19 22:27:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-96.44,34.49,-96.44,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,695062,OKLAHOMA,2017,May,Flash Flood,"COAL",2017-05-19 22:40:00,CST-6,2017-05-20 01:40:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-96.42,34.4794,-96.4443,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","County road 1750 near Clarita was flooded." +115202,695065,OKLAHOMA,2017,May,Hail,"COAL",2017-05-19 22:47:00,CST-6,2017-05-19 22:47:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-96.46,34.47,-96.46,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,695067,OKLAHOMA,2017,May,Flash Flood,"GARVIN",2017-05-19 23:13:00,CST-6,2017-05-20 02:13:00,0,0,0,0,0.00K,0,0.00K,0,34.789,-96.9695,34.788,-96.9477,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Flooding continued with barricaded roads in and around Stratford." +115203,695080,TEXAS,2017,May,Hail,"CLAY",2017-05-19 13:28:00,CST-6,2017-05-19 13:28:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-98.26,33.63,-98.26,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695081,TEXAS,2017,May,Hail,"BAYLOR",2017-05-19 13:37:00,CST-6,2017-05-19 13:37:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-99.23,33.71,-99.23,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695083,TEXAS,2017,May,Hail,"WICHITA",2017-05-19 14:43:00,CST-6,2017-05-19 14:43:00,0,0,0,0,0.00K,0,0.00K,0,34.11,-98.54,34.11,-98.54,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695084,TEXAS,2017,May,Hail,"WICHITA",2017-05-19 14:44:00,CST-6,2017-05-19 14:44:00,0,0,0,0,0.00K,0,0.00K,0,34.08,-98.56,34.08,-98.56,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695085,TEXAS,2017,May,Hail,"WICHITA",2017-05-19 14:45:00,CST-6,2017-05-19 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.08,-98.56,34.08,-98.56,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695086,TEXAS,2017,May,Thunderstorm Wind,"WICHITA",2017-05-19 14:45:00,CST-6,2017-05-19 14:45:00,0,0,0,0,10.00K,10000,0.00K,0,34.09,-98.56,34.09,-98.56,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Large tree limbs downed. Resident lost 3 windows due to hail and tree limbs. Also, major hail damage to vehicles." +115203,695087,TEXAS,2017,May,Hail,"CLAY",2017-05-19 18:13:00,CST-6,2017-05-19 18:13:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-98.03,33.82,-98.03,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115203,695088,TEXAS,2017,May,Hail,"ARCHER",2017-05-19 22:16:00,CST-6,2017-05-19 22:16:00,0,0,0,0,0.00K,0,0.00K,0,33.63,-98.46,33.63,-98.46,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115206,695933,OKLAHOMA,2017,May,Hail,"PONTOTOC",2017-05-27 18:57:00,CST-6,2017-05-27 18:57:00,0,0,0,0,0.00K,0,0.00K,0,34.8683,-96.8247,34.8683,-96.8247,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695934,OKLAHOMA,2017,May,Hail,"STEPHENS",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.52,-97.96,34.52,-97.96,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +112887,675705,KENTUCKY,2017,March,Thunderstorm Wind,"SIMPSON",2017-03-01 08:12:00,CST-6,2017-03-01 08:12:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-86.47,36.68,-86.47,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Simpson County emergency manager reported large trees down across Round Pond Road." +112887,675706,KENTUCKY,2017,March,Thunderstorm Wind,"CLINTON",2017-03-01 08:28:00,CST-6,2017-03-01 08:28:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-85.14,36.69,-85.14,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","State officials reported trees down in the area." +114111,683305,LOUISIANA,2017,April,Thunderstorm Wind,"WINN",2017-04-02 15:00:00,CST-6,2017-04-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8568,-92.4309,31.8568,-92.4309,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Several trees were blown down onto Highway 84." +113616,684080,GEORGIA,2017,April,Thunderstorm Wind,"MITCHELL",2017-04-03 12:36:00,EST-5,2017-04-03 12:36:00,0,0,0,0,3.00K,3000,0.00K,0,31.37,-84.16,31.37,-84.16,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down in Baconton." +113616,684082,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,0.00K,0,0.00K,0,31.6026,-84.1883,31.6026,-84.1883,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down on 12th Avenue." +113616,684085,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,0.00K,0,0.00K,0,31.6101,-84.1786,31.6101,-84.1786,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Wind damage occurred to the roof of a building off of Temple Ave." +113620,680532,TEXAS,2017,March,Hail,"MIDLAND",2017-03-28 17:35:00,CST-6,2017-03-28 17:40:00,0,0,0,0,,NaN,,NaN,31.6642,-102.131,31.6642,-102.131,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116026,697328,WYOMING,2017,April,High Wind,"EAST LARAMIE COUNTY",2017-04-09 14:10:00,MST-7,2017-04-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Gun Barrel measured sustained winds of 40 mph or higher." +113620,680534,TEXAS,2017,March,Hail,"MIDLAND",2017-03-28 17:50:00,CST-6,2017-03-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.042,-102.1239,32.042,-102.1239,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680669,TEXAS,2017,March,Hail,"CRANE",2017-03-28 13:21:00,CST-6,2017-03-28 13:26:00,0,0,0,0,,NaN,,NaN,31.154,-102.35,31.154,-102.35,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680671,TEXAS,2017,March,Hail,"CRANE",2017-03-28 17:55:00,CST-6,2017-03-28 18:00:00,0,0,0,0,,NaN,,NaN,31.2842,-102.35,31.2842,-102.35,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +114111,683519,LOUISIANA,2017,April,Flash Flood,"CALDWELL",2017-04-02 18:50:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,32.1082,-92.0769,32.1067,-92.0753,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Portions of Highway 165 in Columbia was barricaded due to flash flooding." +116262,698971,WYOMING,2017,April,Winter Storm,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-04-27 14:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","Six to twelve inches of snow fell over the mountains." +116262,698973,WYOMING,2017,April,Winter Storm,"NORTH LARAMIE RANGE",2017-04-27 14:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","The La Prele Creek SNOTEL site (elevation 8375 ft) estimated 12 inches of snow." +116262,698974,WYOMING,2017,April,Winter Storm,"SHIRLEY BASIN",2017-04-27 14:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","Six and a half inches of snow was measured at Shirley Basin." +114111,683295,LOUISIANA,2017,April,Hail,"CALDWELL",2017-04-02 11:15:00,CST-6,2017-04-02 11:15:00,0,0,0,0,0.00K,0,0.00K,0,32.1056,-92.0745,32.1056,-92.0745,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Half dollar size hail fell in Downtown Columbia." +115206,695927,OKLAHOMA,2017,May,Hail,"MURRAY",2017-05-27 18:35:00,CST-6,2017-05-27 18:35:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-96.98,34.51,-96.98,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Relayed via Twitter." +115206,695928,OKLAHOMA,2017,May,Hail,"PONTOTOC",2017-05-27 18:37:00,CST-6,2017-05-27 18:37:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-96.89,34.77,-96.89,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695929,OKLAHOMA,2017,May,Hail,"MURRAY",2017-05-27 18:37:00,CST-6,2017-05-27 18:37:00,0,0,0,0,0.00K,0,0.00K,0,34.54,-96.98,34.54,-96.98,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695930,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-27 18:45:00,CST-6,2017-05-27 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-96.96,34.8,-96.96,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695931,OKLAHOMA,2017,May,Hail,"PONTOTOC",2017-05-27 18:45:00,CST-6,2017-05-27 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-96.79,34.87,-96.79,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695932,OKLAHOMA,2017,May,Hail,"JOHNSTON",2017-05-27 18:49:00,CST-6,2017-05-27 18:49:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-96.82,34.4,-96.82,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +113978,682638,SOUTH DAKOTA,2017,March,Winter Weather,"LAKE",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113978,682639,SOUTH DAKOTA,2017,March,Winter Weather,"MINNEHAHA",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113978,682640,SOUTH DAKOTA,2017,March,Winter Weather,"LINCOLN",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Three to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113978,682641,SOUTH DAKOTA,2017,March,Winter Weather,"TURNER",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Two to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +113978,682642,SOUTH DAKOTA,2017,March,Winter Weather,"MINER",2017-03-12 16:00:00,CST-6,2017-03-13 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major winter storm took aim on portions of eastern South Dakota and resulted in a band of 4 to 8 inches of snow by the time it left the area. Strong northwest winds also caused travel issues with reduced visibility as the snow was falling.","Two to five inches of snow fell across the county. Strong northwest winds of 20 to 35 mph caused minor travel impacts due to the reduced visibility." +116884,702760,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:15:00,CST-6,2017-05-16 16:15:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-100.21,34.85,-100.21,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702761,TEXAS,2017,May,Tornado,"WHEELER",2017-05-16 16:16:00,CST-6,2017-05-16 16:17:00,0,0,0,0,,NaN,,NaN,35.31,-100.38,35.311,-100.379,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Brief tornado touched down and caused tree damage and damage to a powerline off of County Road 9 in rural Wheeler County." +116884,702762,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:24:00,CST-6,2017-05-16 16:24:00,0,0,0,0,,NaN,,NaN,35.02,-100.23,35.02,-100.23,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116770,702258,WISCONSIN,2017,May,Flood,"CRAWFORD",2017-05-30 03:00:00,CST-6,2017-05-30 04:00:00,0,0,0,1,50.00K,50000,0.00K,0,43.3923,-91.1805,43.3902,-91.178,"Persistent high flows along the Mississippi River caused a section of State Highway 82 to wash out south of De Soto. A person driving east from Lansing, Iowa unknowingly drove into the washed out area and drowned when the vehicle became submerged in the water.","One person drowned when he unknowingly drove his vehicle into a section of washed out road south of De Soto. Persistent high flows along the Mississippi River caused a portion of State Highway 82 to wash out." +115202,694804,OKLAHOMA,2017,May,Hail,"TILLMAN",2017-05-19 14:20:00,CST-6,2017-05-19 14:20:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-98.69,34.23,-98.69,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +116091,699979,WISCONSIN,2017,May,Thunderstorm Wind,"VERNON",2017-05-17 18:45:00,CST-6,2017-05-17 18:45:00,0,0,0,0,30.00K,30000,0.00K,0,43.46,-91.02,43.46,-91.02,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A barn was destroyed when it was blown off its foundation west of Liberty Pole." +115202,694805,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-19 14:29:00,CST-6,2017-05-19 14:29:00,0,0,0,0,0.00K,0,0.00K,0,34.71,-97.22,34.71,-97.22,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,694806,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-19 15:01:00,CST-6,2017-05-19 15:01:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-97.49,34.23,-97.49,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,694807,OKLAHOMA,2017,May,Hail,"POTTAWATOMIE",2017-05-19 16:50:00,CST-6,2017-05-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-96.96,35.15,-96.96,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115202,694977,OKLAHOMA,2017,May,Thunderstorm Wind,"GARVIN",2017-05-19 17:14:00,CST-6,2017-05-19 17:14:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.17,34.5,-97.17,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","No damage reported." +116091,699986,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:19:00,CST-6,2017-05-17 16:19:00,0,0,0,0,15.00K,15000,0.00K,0,44.0943,-91.2185,44.0943,-91.2185,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A farm outbuilding was destroyed west of Galesville." +116091,699988,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:20:00,CST-6,2017-05-17 16:20:00,0,0,0,0,15.00K,15000,0.00K,0,44.0961,-91.2067,44.0961,-91.2067,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A section of a large barn was destroyed east of Galesville. Part of the destroyed roof was blown about a quarter mile away." +116091,699989,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:22:00,CST-6,2017-05-17 16:22:00,0,0,0,0,50.00K,50000,0.00K,0,44.1018,-91.1879,44.1018,-91.1879,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","East of Galesville, a large metal grain bin was flattened and moved several hundred yards." +116952,703375,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-27 20:10:00,CST-6,2017-05-27 20:10:00,0,0,0,0,,NaN,,NaN,36.9,-100.98,36.9,-100.98,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Estimated winds of 70 MPH." +116952,703376,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-27 20:13:00,CST-6,2017-05-27 20:13:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.82,36.62,-100.82,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Baseball size hail reported with damage to windows and vehicles." +116952,703377,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:17:00,CST-6,2017-05-27 20:17:00,0,0,0,0,,NaN,,NaN,36.62,-100.82,36.62,-100.82,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Powerlines down with power out in the area. Some damage to property due to winds." +116952,703378,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:22:00,CST-6,2017-05-27 20:22:00,0,0,0,0,,NaN,,NaN,36.63,-100.68,36.63,-100.68,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Numerous downed powerlines due to straight line winds." +120506,723214,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-22 15:52:00,MST-7,2017-10-22 15:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the East Glacier DOT sensor." +120506,723215,MONTANA,2017,October,High Wind,"HILL",2017-10-22 15:53:00,MST-7,2017-10-22 15:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the Havre Airport (KHVR)." +114517,686733,TEXAS,2017,May,Hail,"BURLESON",2017-05-03 17:00:00,CST-6,2017-05-03 17:00:00,0,0,0,0,,NaN,,NaN,30.5324,-96.6962,30.5324,-96.6962,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Quarter to golf ball sized hail was reported in the Caldwell area." +112730,675531,NEW JERSEY,2017,March,High Wind,"CAMDEN",2017-03-02 06:00:00,EST-5,2017-03-02 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A large tree was blown off and smashed a fence." +112730,675532,NEW JERSEY,2017,March,High Wind,"SUSSEX",2017-03-02 06:30:00,EST-5,2017-03-02 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A large tree fell onto a house and fence." +112727,675714,ATLANTIC NORTH,2017,March,Marine High Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-03-02 07:35:00,EST-5,2017-03-02 07:35:00,0,0,0,0,,NaN,,NaN,39.6,-74.33,39.6,-74.33,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +116144,703504,OKLAHOMA,2017,May,Tornado,"MUSKOGEE",2017-05-18 21:45:00,CST-6,2017-05-18 21:46:00,0,0,0,0,0.00K,0,0.00K,0,35.8073,-95.3392,35.8133,-95.3324,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the first segment of a three segment tornado. In Muskogee County, the tornado snapped and uprooted numerous trees. The tornado continued into Wagoner County. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +116144,703506,OKLAHOMA,2017,May,Tornado,"WAGONER",2017-05-18 21:46:00,CST-6,2017-05-18 21:51:00,0,0,0,0,0.00K,0,0.00K,0,35.8133,-95.3324,35.8843,-95.2652,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the second segment of a three segment tornado. In Wagoner County, this tornado snapped and uprooted numerous trees. The tornado continued into Cherokee County. Based on this damage, maximum estimated wind in this segment of the tornado was 95 to 105 mph." +115096,701516,OKLAHOMA,2017,May,Thunderstorm Wind,"PAWNEE",2017-05-10 21:05:00,CST-6,2017-05-10 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.1882,-96.491,36.1882,-96.491,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +115096,701518,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-10 21:45:00,CST-6,2017-05-10 21:45:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-95.85,36.27,-95.85,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +115096,701517,OKLAHOMA,2017,May,Thunderstorm Wind,"CREEK",2017-05-10 21:35:00,CST-6,2017-05-10 21:35:00,0,0,0,0,0.00K,0,0.00K,0,36,-96.0642,36,-96.0642,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +115096,701519,OKLAHOMA,2017,May,Thunderstorm Wind,"WAGONER",2017-05-10 22:35:00,CST-6,2017-05-10 22:35:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-95.38,35.97,-95.38,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind uprooted a tree and snapped large tree limbs." +114667,687768,KENTUCKY,2017,May,Flash Flood,"ALLEN",2017-05-19 08:00:00,CST-6,2017-05-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-86.23,36.7705,-86.1931,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","Nearly 5 inches of rain was observed by the Kentucky Mesonet station near Scottsville. There were numerous reports of flooding." +114667,687770,KENTUCKY,2017,May,Flash Flood,"ALLEN",2017-05-19 08:17:00,CST-6,2017-05-19 08:17:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-86.2,36.7566,-86.1922,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","The Allen County COOP Observer reported flash flooding in Scottsville. There were many roads closed due to high water." +114667,687772,KENTUCKY,2017,May,Flash Flood,"ALLEN",2017-05-19 08:40:00,CST-6,2017-05-19 08:40:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-86.2,36.761,-86.1774,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","The Allen County Emergency Manager reported numerous roads closed throughout the county due to flash flooding." +114667,687774,KENTUCKY,2017,May,Flash Flood,"HART",2017-05-21 16:56:00,CST-6,2017-05-21 16:56:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-85.92,37.1902,-85.9019,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","Local law enforcement reported that Kentucky Highway 218 was blocked by high water west of US 31W." +114667,687775,KENTUCKY,2017,May,Hail,"OHIO",2017-05-19 15:07:00,CST-6,2017-05-19 15:07:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-86.92,37.46,-86.92,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","" +114667,687776,KENTUCKY,2017,May,Hail,"BUTLER",2017-05-20 15:20:00,CST-6,2017-05-20 15:20:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-86.7,37.22,-86.7,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","Trained spotters reported dime sized hail." +114667,687779,KENTUCKY,2017,May,Thunderstorm Wind,"GRAYSON",2017-05-20 16:00:00,CST-6,2017-05-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-86.24,37.39,-86.24,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","A trained spotter reported a 10 inch diameter tree limb snapped off due to severe thunderstorm winds." +114537,686915,MINNESOTA,2017,May,Hail,"LE SUEUR",2017-05-15 22:37:00,CST-6,2017-05-15 22:37:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-93.56,44.22,-93.56,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +114537,686920,MINNESOTA,2017,May,Hail,"ANOKA",2017-05-16 04:55:00,CST-6,2017-05-16 04:55:00,0,0,0,0,0.00K,0,0.00K,0,45.19,-93.21,45.19,-93.21,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +114537,686921,MINNESOTA,2017,May,Hail,"ANOKA",2017-05-16 05:05:00,CST-6,2017-05-16 05:05:00,0,0,0,0,0.00K,0,0.00K,0,45.32,-93.2,45.32,-93.2,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +114537,686922,MINNESOTA,2017,May,Hail,"ANOKA",2017-05-16 05:10:00,CST-6,2017-05-16 05:10:00,0,0,0,0,0.00K,0,0.00K,0,45.39,-93.19,45.39,-93.19,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","" +116144,701925,OKLAHOMA,2017,May,Flash Flood,"PITTSBURG",2017-05-20 00:30:00,CST-6,2017-05-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-95.72,34.9253,-95.7291,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Severe flooding was reported in Krebs with several roads under water and flood waters threatening homes." +116144,701926,OKLAHOMA,2017,May,Flash Flood,"CREEK",2017-05-20 00:40:00,CST-6,2017-05-20 02:00:00,0,0,0,0,30.00K,30000,0.00K,0,36,-96.1,35.9949,-96.1004,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Severe flooding was reported in Sapulpa. Several inches of flood water inundated a home." +115308,692288,ALABAMA,2017,April,Drought,"LAMAR",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115308,692289,ALABAMA,2017,April,Drought,"PICKENS",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115308,692290,ALABAMA,2017,April,Drought,"JEFFERSON",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115308,692291,ALABAMA,2017,April,Drought,"SHELBY",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +121578,727718,CALIFORNIA,2017,November,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-11-25 11:00:00,PST-8,2017-11-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weakening ridge of high pressure set the stage for a shallow marine layer to infiltrate coastal areas. This brought dense fog to the coast of San Diego and Orange Counties on the 25th and 26th, minor impacts were reported at San Diego International.","A bank of dense fog moved across the coastal waters and up the coast, reducing visibility to 1/4 mile or less at the beaches." +121578,727720,CALIFORNIA,2017,November,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-11-25 19:00:00,PST-8,2017-11-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weakening ridge of high pressure set the stage for a shallow marine layer to infiltrate coastal areas. This brought dense fog to the coast of San Diego and Orange Counties on the 25th and 26th, minor impacts were reported at San Diego International.","Dense fog with a visibility of 1/4 mile or less formed along the coast. Fog with a visibility of 1/4 mile or less was reported continuously at Mcclellan Palomar Airport between 1920 PST on the 25th and 0910 PST on the 26th. Fog lingered through 1000 PST at Montgomery Field and Oceanside Municipal Airport. A period of visibility below 1/4 mile impacted San Diego International around 0700 PST, 20 flights were delayed." +117013,703810,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:25:00,EST-5,2017-05-01 19:35:00,0,0,0,0,10.00K,10000,0.00K,0,42.46,-75.6,42.46,-75.6,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over, uprooted and sheared trees just north of the village of Oxford." +117013,703813,NEW YORK,2017,May,Thunderstorm Wind,"STEUBEN",2017-05-01 16:15:00,EST-5,2017-05-01 16:25:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-77.7,42.25,-77.7,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 51 knots." +117013,703814,NEW YORK,2017,May,Thunderstorm Wind,"ONONDAGA",2017-05-01 17:55:00,EST-5,2017-05-01 18:05:00,0,0,0,0,5.00K,5000,0.00K,0,43,-75.98,43,-75.98,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines in Manlius and in north Syracuse." +117013,703815,NEW YORK,2017,May,Thunderstorm Wind,"BROOME",2017-05-01 18:50:00,EST-5,2017-05-01 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.03,-76.02,42.03,-76.02,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in Vestal Center." +117098,704484,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 14:18:00,EST-5,2017-05-28 14:19:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-84.52,41.41,-84.52,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117098,704486,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 14:25:00,EST-5,2017-05-28 14:26:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-84.44,41.34,-84.44,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117098,704487,OHIO,2017,May,Hail,"PUTNAM",2017-05-28 17:54:00,EST-5,2017-05-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-84.04,41.02,-84.04,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117098,704488,OHIO,2017,May,Thunderstorm Wind,"HENRY",2017-05-28 14:56:00,EST-5,2017-05-28 14:57:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-84.13,41.39,-84.13,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","The public estimated wind gusts to 60 mph." +117098,704489,OHIO,2017,May,Thunderstorm Wind,"FULTON",2017-05-28 15:39:00,EST-5,2017-05-28 15:40:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-84.21,41.65,-84.21,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","The public estimated wind gusts to 60 mph." +117098,704490,OHIO,2017,May,Thunderstorm Wind,"FULTON",2017-05-28 15:48:00,EST-5,2017-05-28 15:49:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-84.13,41.67,-84.13,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","A trained spotter measured wind gusts to 60 mph." +116316,699454,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-05-04 01:42:00,CST-6,2017-05-04 01:42:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A wind gust of 81 knots or 93 mph was recorded at the NOAA Pilot Station C-MAN station. Anemometer height is 23.9 meters above the water." +116317,699400,LOUISIANA,2017,May,Thunderstorm Wind,"TERREBONNE",2017-05-03 21:49:00,CST-6,2017-05-03 21:49:00,0,0,0,0,0.00K,0,0.00K,0,29.38,-90.72,29.38,-90.72,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","A Weatherflow observation tower near Dulac reported a 67 mph wind gust." +116144,701595,OKLAHOMA,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-18 22:05:00,CST-6,2017-05-18 22:05:00,0,0,0,0,2.00K,2000,0.00K,0,35.7843,-94.9255,35.7843,-94.9255,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind blew down trees and power poles on Highway 82 and Carters Landing Road." +116186,703523,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-29 03:22:00,CST-6,2017-05-29 03:40:00,0,0,0,0,0.00K,0,0.00K,0,27.8259,-97.0506,27.8233,-97.0436,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Port Aransas C-MAN station measured a gust to 43 knots." +115298,704708,ILLINOIS,2017,May,Flash Flood,"LAWRENCE",2017-05-11 00:00:00,CST-6,2017-05-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8487,-87.9075,38.6858,-87.9094,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Lawrence County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th and very early morning of May 11th in areas where ditches were already full of water and soils were saturated. Numerous rural roads from Chauncey toward Birds, through Lawrenceville to Sumner were closed due to flooding. Several streets in Lawrenceville were also flooded during the morning hours." +115298,704709,ILLINOIS,2017,May,Flood,"LAWRENCE",2017-05-11 03:00:00,CST-6,2017-05-11 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8487,-87.9075,38.6858,-87.9094,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","The third heavy rain event to occur in less than two weeks resulted in rapid flash flooding in northern Lawrence County. Rainfall amounts ranged from 2.00 to 2.50 inches during the late evening of May 10th and very early morning of May 11th in areas where ditches were already full of water and soils were saturated. Numerous rural roads from Chauncey toward Birds, through Lawrenceville to Sumner were closed due to flooding. Several streets in Lawrenceville were also flooded during the morning hours. An additional 0.50 to 0.75 inch of rain during the early morning hours of May 11th kept flood waters from receding until early afternoon." +114996,690007,MINNESOTA,2017,May,Thunderstorm Wind,"TODD",2017-05-28 17:29:00,CST-6,2017-05-28 17:29:00,0,0,0,0,0.00K,0,0.00K,0,46.01,-94.86,46.01,-94.86,"The afternoon of Sunday, May 28th, thunderstorms began to develop across central and west central Minnesota. Most of the activity was isolated and only a few lightning strikes were noted on regional lightning data. These storms were high based and due to an inverted sounding, some of the activity produced wind gusts of 40 to 50 mph as the storms collapsed and moved east. There was one report of a tree blown down near Long Prairie.","A four inch diameter tree was blown down near Long Prairie." +114572,687129,WISCONSIN,2017,May,Hail,"ASHLAND",2017-05-16 17:30:00,CST-6,2017-05-16 17:30:00,0,0,0,0,,NaN,,NaN,46.39,-90.73,46.39,-90.73,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +114572,687130,WISCONSIN,2017,May,Hail,"BURNETT",2017-05-16 17:37:00,CST-6,2017-05-16 17:37:00,0,0,0,0,,NaN,,NaN,46.06,-92.1,46.06,-92.1,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +114572,687131,WISCONSIN,2017,May,Hail,"PRICE",2017-05-16 18:02:00,CST-6,2017-05-16 18:02:00,0,0,0,0,,NaN,,NaN,45.48,-90.58,45.48,-90.58,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","The relayed by the Price County Sheriff." +114572,687132,WISCONSIN,2017,May,Hail,"BAYFIELD",2017-05-16 18:20:00,CST-6,2017-05-16 18:20:00,0,0,0,0,,NaN,,NaN,46.78,-91.38,46.78,-91.38,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","A post office employee reported half dollar sized hail with enough on the ground to scoop up with his hands." +114572,687133,WISCONSIN,2017,May,Hail,"PRICE",2017-05-16 18:26:00,CST-6,2017-05-16 18:26:00,0,0,0,0,,NaN,,NaN,45.45,-90.29,45.45,-90.29,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","" +115727,695477,ALABAMA,2017,April,Tornado,"BULLOCK",2017-04-27 08:13:00,CST-6,2017-04-27 08:14:00,0,0,0,0,0.00K,0,0.00K,0,32.2325,-85.9988,32.2334,-85.9973,"A pre-frontal trough moved into Central Alabama on Tuesday night, April 26th. This boundary slowly pushed southward and was accompanied by some showers and thunderstorms. The east to west boundary drifted into south central Alabama on the morning of April 27th. The combination of shear, lift along the boundary, increased low level moisture and instability produced by insolation was just enough to spin up a few weak tornadoes.","NWS Meteorologists surveyed damage in far western Bullock County and determined the damage was consistent with an EF0 tornado, with maximum sustained winds of 75 mph. |This tornado began in far eastern Montgomery County and crossed into Bullock County just south of the intersection of Stowers Road and County Road 37. The tornado lifted near County Road 37." +115733,695524,ALABAMA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-30 10:54:00,CST-6,2017-04-30 10:55:00,0,0,0,0,0.00K,0,0.00K,0,33.13,-88.15,33.13,-88.15,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Roof damage to building in downtown Aliceville." +121753,728813,PENNSYLVANIA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 19:24:00,EST-5,2017-11-05 19:24:00,0,0,0,0,0.50K,500,0.00K,0,40.8707,-80.2701,40.8707,-80.2701,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees and wires down at Argonne Blvd and Dover Ln." +121753,728814,PENNSYLVANIA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 19:24:00,EST-5,2017-11-05 19:24:00,0,0,0,0,2.00K,2000,0.00K,0,41.02,-80.22,41.02,-80.22,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Member of the public reported shingles missing off of a roof, window blown out of the upstairs of a house, and the railing blown off a front porch." +121753,728815,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BEAVER",2017-11-05 19:27:00,EST-5,2017-11-05 19:27:00,0,0,0,0,0.25K,250,0.00K,0,40.6897,-80.4321,40.6897,-80.4321,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manage reported a tree down along West Willowbrook Dr." +117183,704851,COLORADO,2017,May,Hail,"YUMA",2017-05-26 17:50:00,MST-7,2017-05-26 17:50:00,0,0,0,0,,NaN,,NaN,39.68,-102.41,39.68,-102.41,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","Storm chaser reported one inch diameter hail." +117183,704852,COLORADO,2017,May,Hail,"KIT CARSON",2017-05-26 20:21:00,MST-7,2017-05-26 20:21:00,0,0,0,0,,NaN,,NaN,39.34,-102.11,39.34,-102.11,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","" +117183,704853,COLORADO,2017,May,Hail,"KIT CARSON",2017-05-26 21:23:00,MST-7,2017-05-26 21:23:00,0,0,0,0,,NaN,,NaN,39.27,-103,39.27,-103,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","" +117183,704855,COLORADO,2017,May,Tornado,"YUMA",2017-05-26 17:45:00,MST-7,2017-05-26 17:45:00,0,0,0,0,,NaN,,NaN,39.58,-102.29,39.58,-102.29,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","Tornado location is radar estimated. Observed to the northwest of NWS employee positioned just east of the KS/CO state line and three miles north of HWY 24." +115535,693668,FLORIDA,2017,May,Flood,"DUVAL",2017-05-24 10:55:00,EST-5,2017-05-24 12:55:00,0,0,0,0,0.00K,0,0.00K,0,30.3256,-81.7011,30.3264,-81.7008,"A front across SE GA gradually shifted south across NE Florida through the day. Very high moisture content and deep layer SW flow ahead of the front combined with elevated instability fueled scattered strong to severe storms and locally heavy rainfall.","Water was up to 2 feet deep in some areas along the McCoy's Creek basin between Nixon Street and Fitzgerald Street along McCoy Creek Blvd." +115549,693780,NEW MEXICO,2017,May,Hail,"EDDY",2017-05-22 17:03:00,MST-7,2017-05-22 17:08:00,0,0,0,0,,NaN,,NaN,32.4311,-104.2617,32.4311,-104.2617,"An upper level trough moved over the region from the Rocky Mountains and provided an increase in lift. There was good instability, moisture, and wind shear across the area. These conditions resulted in thunderstorms developing with large hail and strong winds across southeast New Mexico and West Texas.","" +115568,693955,KANSAS,2017,May,Hail,"RAWLINS",2017-05-09 19:37:00,CST-6,2017-05-09 19:37:00,0,0,0,0,0.00K,0,0.00K,0,39.7786,-101.3914,39.7786,-101.3914,"Strong to severe thunderstorms moved north across Northwest Kansas in the evening. The largest hail size reported was golf ball north of Ruleton. Near McDonald there was so much hail on Highway 36 a vehicle slid into the ditch. The strongest wind gust that occurred with the storms was 65 MPH at the Oberlin airport.","Emergency manager and local fire department reported mainly dimes and nickels with a few quarters mixed in. A vehicle slid off due to fog and hail covering the road at the Rawlins/Cheyenne county line." +115570,693987,KANSAS,2017,May,Hail,"SHERMAN",2017-05-10 15:33:00,MST-7,2017-05-10 15:33:00,0,0,0,0,0.00K,0,0.00K,0,39.3132,-101.6316,39.3132,-101.6316,"Strong to severe slow moving thunderstorms moved northerly across Northwest Kansas. Large hail up to golf ball size was reported across Northwest Kansas, with the largest stone reported north of Winona. The slow moving storms produced wide spread heavy across Northwest Kansas. The prolonged rainfall caused the Smokey River in far western Logan County to flood several county roads. Flooding also occurred south of Edson in Sherman county where small streams at the headwaters of the South Fork of the Sappa or the North Fork of the Smokey flooded county roads. The most pronounced flooding occurred in Gove County where over four inches of heavy rainfall flooded Grinnell. The water in Grinnell was higher than car tires and was carrying logs through town. A motorist in Grinnell drove into a flooded roadway and had to be rescued. The flood waters then traveled down Big Creek, causing Big Creek to go out of its banks. Due to the heavy rainfall of three to seven inches occurring over the west half of Gove County along Big Creek from Grinnell to south of Grainfield, flood waters in Big Creek continue across the rest of the county, flooding county roads that crossed it. The flood waters were within five feet of the bottom of the bridge on the Gove/Trego County line the evening of the 11th.","" +116625,704314,GEORGIA,2017,May,Thunderstorm Wind,"WILKES",2017-05-29 17:20:00,EST-5,2017-05-29 17:40:00,0,0,0,0,10.00K,10000,,NaN,33.79,-82.76,33.7338,-82.7195,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Wilkes County Emergency Manager reported trees blown down from south of Tignall to Washington. A tree fell on a car on Tignall Road striking a car, no injuries were reported. In Washington trees were blown down on Pope Street, Orchard Street, Alexander Avenue and Barnett Street." +117098,704485,OHIO,2017,May,Hail,"DEFIANCE",2017-05-28 14:20:00,EST-5,2017-05-28 14:21:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-84.47,41.33,-84.47,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail (0.25-1.50���). Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +112572,671653,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:14:00,EST-5,2017-02-25 17:14:00,0,0,0,0,,NaN,,NaN,41.28,-74.65,41.28,-74.65,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","A large pine tree was uprooted due to thunderstorm winds." +112572,671677,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:17:00,EST-5,2017-02-25 17:17:00,0,0,0,0,,NaN,,NaN,41.24,-74.55,41.24,-74.55,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Two metal barn roofs were torn off due to thunderstorm winds." +112572,671678,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:14:00,EST-5,2017-02-25 17:14:00,0,0,0,0,,NaN,,NaN,41.2,-74.61,41.2,-74.61,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Measured wind gust." +116803,702367,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Crow Creek SNOTEL site (elevation 8330 ft) estimated 17 inches of snow." +116803,702380,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer four miles southeast of Buford measured 32 inches of snow." +116803,702368,WYOMING,2017,May,Winter Storm,"NORTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Windy Peak SNOTEL site (elevation 7900 ft) estimated 12 inches of snow." +116803,702381,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer 20 miles southwest of Wheatland measured 20.6 inches of snow." +116171,698253,TEXAS,2017,May,Hail,"WEBB",2017-05-21 15:55:00,CST-6,2017-05-21 16:05:00,0,0,0,0,100.00K,100000,0.00K,0,27.5,-99.35,27.5,-99.35,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Storm chaser reported tennis ball sized hail east of Laredo." +112308,673113,NEW JERSEY,2017,February,Winter Weather,"EASTERN OCEAN",2017-02-09 11:43:00,EST-5,2017-02-09 11:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 3.2 inches were measured in Brick Township during the morning of Feb 9." +112308,673116,NEW JERSEY,2017,February,Winter Weather,"SOUTHEASTERN BURLINGTON",2017-02-09 11:54:00,EST-5,2017-02-09 11:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts were generally less than three inches across southeastern Burlington County." +112932,674755,TENNESSEE,2017,March,Thunderstorm Wind,"SEVIER",2017-03-01 15:42:00,EST-5,2017-03-01 15:42:00,0,0,0,0,,NaN,,NaN,35.89,-83.58,35.89,-83.58,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","The siding was removed from a tractor supply company." +112932,674756,TENNESSEE,2017,March,Thunderstorm Wind,"BRADLEY",2017-03-01 15:45:00,EST-5,2017-03-01 15:45:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-84.84,35.23,-84.84,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees and power lines were reported down on Eagle Drive." +112932,685314,TENNESSEE,2017,March,Flash Flood,"ANDERSON",2017-03-01 14:27:00,EST-5,2017-03-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1345,-84.13,36.1098,-84.1427,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Creek out of its banks on Gamble Farm." +112932,674757,TENNESSEE,2017,March,Thunderstorm Wind,"HAMILTON",2017-03-01 15:45:00,EST-5,2017-03-01 15:45:00,0,0,0,0,,NaN,,NaN,35.07,-85.26,35.07,-85.26,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","A light pole was downed and a tent was blown across a street on the University of Tennessee-Chattanooga campus." +115708,695661,VIRGINIA,2017,May,Flood,"NELSON",2017-05-05 03:37:00,EST-5,2017-05-05 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.7021,-78.9967,37.7043,-78.9945,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Rose Mill Road was closed between route 56 and route 151 due to flooding from local creek." +116584,701097,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-19 18:46:00,EST-5,2017-05-19 19:06:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A warm and humid air mass led to the development of thunderstorms. Some thunderstorms mixed down gusty winds from aloft.","Wind gusts up to 46 knots were reported at Tolly Point and Thomas Point Lighthouse." +116687,701666,WYOMING,2017,May,Thunderstorm Wind,"CARBON",2017-05-26 13:25:00,MST-7,2017-05-26 13:25:00,0,0,0,0,0.00K,0,0.00K,0,41.81,-107.2,41.81,-107.2,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","The wind sensor at the Rawlins Airport measured a peak gust of 64 mph." +121946,730105,MISSISSIPPI,2017,December,Flash Flood,"TUNICA",2017-12-22 12:46:00,CST-6,2017-12-22 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.6808,-90.3435,34.6682,-90.343,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Dulaney and Josephine roads are closed due to high water. Surrounding fields are also flooded." +116687,701752,WYOMING,2017,May,Thunderstorm Wind,"LARAMIE",2017-05-26 17:55:00,MST-7,2017-05-26 17:57:00,0,0,0,0,0.00K,0,0.00K,0,41.1001,-104.8176,41.1001,-104.8176,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Wind gusts were estimated as high as 60 mph just west of South Greeley." +116687,701753,WYOMING,2017,May,Hail,"LARAMIE",2017-05-26 17:50:00,MST-7,2017-05-26 17:53:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-104.1,41.42,-104.1,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Quarter size hail was observed at Albin." +116687,701755,WYOMING,2017,May,Hail,"LARAMIE",2017-05-26 18:40:00,MST-7,2017-05-26 18:41:00,0,0,0,0,0.00K,0,0.00K,0,41.0445,-104.3523,41.0445,-104.3523,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Golf ball size hail was observed near Carpenter." +116185,703451,TEXAS,2017,May,Lightning,"NUECES",2017-05-29 02:30:00,CST-6,2017-05-29 02:30:00,0,0,0,0,1.00M,1000000,0.00K,0,27.697,-97.3394,27.697,-97.3394,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Lightning struck a town home on McArdle Road in Corpus Christi. The fire destroyed the town home and led to 5 additional town homes catching on fire." +116185,703452,TEXAS,2017,May,Lightning,"SAN PATRICIO",2017-05-29 02:30:00,CST-6,2017-05-29 02:30:00,0,0,0,0,50.00K,50000,0.00K,0,27.9,-97.15,27.9,-97.15,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Lightning struck Aransas Pass water supply infrastructure. This led to water pumps failing and cutting off the water supply to Aransas Pass." +116185,703454,TEXAS,2017,May,Hail,"WEBB",2017-05-28 18:12:00,CST-6,2017-05-28 18:12:00,0,0,0,0,0.00K,0,0.00K,0,28.0745,-99.6996,28.0745,-99.6996,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Picture of golf ball sized hail received through social media." +112953,674905,ILLINOIS,2017,February,Hail,"BUREAU",2017-02-28 20:35:00,CST-6,2017-02-28 20:35:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-89.28,41.53,-89.28,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +116864,702645,NEW YORK,2017,July,Thunderstorm Wind,"CLINTON",2017-07-20 11:55:00,EST-5,2017-07-20 11:55:00,0,0,0,0,20.00K,20000,0.00K,0,44.99,-73.45,44.99,-73.45,"A few scattered thunderstorms developed across northern NY and northern VT. Most were heavy rain producers, but one storm brought localized damaging winds to the town of Champlain with snapped, uprooted softwoods and damage to an old, open aired barn and tipping over a non-functional tractor trailer bed on uneven wet soils.","Several trees snapped or uprooted on saturated soils. Damage to open air barn and an unused old tractor trailer bed tipped over on wet soil." +116778,706046,VERMONT,2017,July,Flash Flood,"ADDISON",2017-07-01 14:53:00,EST-5,2017-07-01 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,43.7894,-73.3288,43.7934,-73.2806,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Flood waters covered a portion of Route 22A." +114392,685640,COLORADO,2017,January,Winter Weather,"FLATTOP MOUNTAINS",2017-01-20 01:00:00,MST-7,2017-01-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river event brought a series of storms to the region which resulted in heavy to significant snowfall for the mountains and some valleys in western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area." +112887,674438,KENTUCKY,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 07:45:00,EST-5,2017-03-01 07:45:00,0,0,0,0,20.00K,20000,0.00K,0,38.28,-84.56,38.28,-84.56,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Amateur radio operators reported that severe thunderstorm winds resulted in a semi truck being overturned near mile marker 129 on Interstate 75." +114214,684143,ARKANSAS,2017,March,Thunderstorm Wind,"SHARP",2017-03-01 02:57:00,CST-6,2017-03-01 02:57:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-91.62,36.07,-91.62,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Several trees were down around evening shade." +114339,685264,ARKANSAS,2017,March,Thunderstorm Wind,"SALINE",2017-03-24 21:44:00,CST-6,2017-03-24 21:44:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-92.59,34.56,-92.59,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","A line of thunderstorms blew limbs down along Congo Road." +112887,674440,KENTUCKY,2017,March,Thunderstorm Wind,"EDMONSON",2017-03-01 06:53:00,CST-6,2017-03-01 06:53:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-86.1,37.19,-86.1,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Officials at Mammoth Cave National Park reported numerous trees down." +112887,674428,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 04:02:00,EST-5,2017-03-01 04:02:00,0,0,0,0,50.00K,50000,0.00K,0,38.11,-84.53,38.11,-84.53,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported 2 large trees down, a fence snapped at the posts, and siding damage due to severe thunderstorm winds." +112887,674430,KENTUCKY,2017,March,Thunderstorm Wind,"BOURBON",2017-03-01 04:17:00,EST-5,2017-03-01 04:17:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-84.25,38.21,-84.25,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Bourbon County Emergency Manager reported numerous trees down across the area due to severe thunderstorms." +117444,706316,TEXAS,2017,June,Thunderstorm Wind,"SCHLEICHER",2017-06-23 20:00:00,CST-6,2017-06-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-100.6,30.87,-100.6,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","There were reports of trees blown down in Eldorado." +114775,688413,MISSOURI,2017,April,Flash Flood,"STODDARD",2017-04-29 23:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-89.95,37.0152,-89.9478,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Highway K was closed due to water over the roadway between Highways M and BB." +114111,683522,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 21:10:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.524,-92.7092,31.5247,-92.7071,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Water entered a couple of homes in Colfax." +113680,680468,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-02-25 16:09:00,EST-5,2017-02-25 16:09:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 40 knots were reported at North Bay." +114443,689642,INDIANA,2017,April,Flood,"POSEY",2017-04-29 08:00:00,CST-6,2017-04-29 13:00:00,0,0,0,0,15.00K,15000,0.00K,0,38.13,-87.93,38.1462,-87.8944,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Following the flash flooding that occurred during the early morning hours, flooding of some roads lingered into the early afternoon hours. A water rescue was conducted near the intersection of Highways 66 and 69 near New Harmony, where the road was closed. A house basement wall collapsed a couple miles east of New Harmony." +116180,698344,TEXAS,2017,May,Thunderstorm Wind,"SAN PATRICIO",2017-05-23 18:54:00,CST-6,2017-05-23 18:54:00,0,0,0,0,50.00K,50000,0.00K,0,28.0301,-97.6784,28.03,-97.67,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Images were submitted through social media of large trees blown down and storage sheds flipped over near West Sinton." +121208,725605,NEW YORK,2017,October,Thunderstorm Wind,"GENESEE",2017-10-15 15:16:00,EST-5,2017-10-15 15:16:00,0,0,0,0,5.00K,5000,0.00K,0,43.06,-78.27,43.06,-78.27,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725606,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:16:00,EST-5,2017-10-15 15:16:00,0,0,0,0,10.00K,10000,0.00K,0,42.71,-78.45,42.71,-78.45,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725607,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:18:00,EST-5,2017-10-15 15:18:00,0,0,0,0,8.00K,8000,0.00K,0,42.87,-78.28,42.87,-78.28,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725616,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:48:00,EST-5,2017-10-15 15:48:00,0,0,0,0,10.00K,10000,0.00K,0,42.16,-78.98,42.16,-78.98,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725625,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:54:00,EST-5,2017-10-15 15:54:00,0,0,0,0,10.00K,10000,0.00K,0,42.72,-78.01,42.72,-78.01,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +116134,698060,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:30:00,CST-6,2017-05-03 22:36:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4271,-96.4184,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Port O'Connor TCOON site measured gusts to 35 knots." +116134,698061,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:01:00,CST-6,2017-05-03 22:05:00,0,0,0,0,0.00K,0,0.00K,0,28.122,-96.802,28.1244,-96.8184,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Matagorda Island RAWS site measured gusts to 34 knots." +116134,698062,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:00:00,CST-6,2017-05-03 22:05:00,0,0,0,0,0.00K,0,0.00K,0,28.132,-97.034,28.132,-97.034,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","NERRS mesonet site at Copano Bay East measured a gust to 38 knots." +114417,685921,ILLINOIS,2017,April,Hail,"JEFFERSON",2017-04-26 14:14:00,CST-6,2017-04-26 14:17:00,0,0,0,0,0.00K,0,0.00K,0,38.2799,-88.9212,38.32,-88.9,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","" +114301,685081,ARKANSAS,2017,March,Thunderstorm Wind,"IZARD",2017-03-07 01:12:00,CST-6,2017-03-07 01:12:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-92.14,36.19,-92.14,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","One tree was down across the road northwest of Pineville." +114301,685082,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:19:00,CST-6,2017-03-07 03:19:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.44,35.09,-92.44,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A power pole was down in Conway." +114301,685083,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:20:00,CST-6,2017-03-07 03:20:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-92.44,35.09,-92.44,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Several trees were downed." +114301,685084,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:25:00,CST-6,2017-03-07 03:25:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-92.37,35.19,-92.37,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A large cedar tree snapped in half and fell ten feet away from the base of the tree." +114301,685085,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:30:00,CST-6,2017-03-07 03:30:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-92.27,35.17,-92.27,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees were down in Holland." +114301,685087,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:40:00,CST-6,2017-03-07 03:40:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-92.26,35.08,-92.26,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A spotter estimated 60 mph winds and tree limbs down 3 miles west of Vilonia." +114301,685088,ARKANSAS,2017,March,Thunderstorm Wind,"LONOKE",2017-03-07 04:08:00,CST-6,2017-03-07 04:08:00,0,0,0,0,10.00K,10000,0.00K,0,35.03,-91.95,35.03,-91.95,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A few fences were blown over in Ward." +114301,685089,ARKANSAS,2017,March,Thunderstorm Wind,"LONOKE",2017-03-07 04:16:00,CST-6,2017-03-07 04:16:00,0,0,0,0,0.00K,0,0.00K,0,35,-92.02,35,-92.02,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A large tree was down in Cabot." +114327,685057,KENTUCKY,2017,April,Hail,"DAVIESS",2017-04-05 13:20:00,CST-6,2017-04-05 13:20:00,0,0,0,0,0.00K,0,0.00K,0,37.7524,-86.88,37.7524,-86.88,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690189,KENTUCKY,2017,April,Strong Wind,"MCCRACKEN",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690190,KENTUCKY,2017,April,Strong Wind,"CARLISLE",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690191,KENTUCKY,2017,April,Strong Wind,"HICKMAN",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114440,687740,ILLINOIS,2017,April,Flash Flood,"GALLATIN",2017-04-28 23:47:00,CST-6,2017-04-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-88.17,37.7021,-88.1722,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Numerous locations along Illinois Highway 13 were nearly impassable due to flash flooding. A trained spotter near Ridgway received 5.36 inches of rain in the previous 24 hours." +114440,687744,ILLINOIS,2017,April,Flash Flood,"WHITE",2017-04-29 04:00:00,CST-6,2017-04-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-88.34,38.17,-88.07,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","A section of U.S. Highway 45 on the north side of Enfield was closed due to high water over the roadway. A street in the city of Carmi was closed due to flooding, and warning signs were placed on several other city streets due to water flowing over them. In Crossville, a creek was flowing out of its banks across a roadway. A trained spotter in Carmi measured 5.35 inches of rain in the previous 24 hours." +114965,689606,KENTUCKY,2017,April,Flash Flood,"BALLARD",2017-04-30 11:46:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0536,-88.9117,37.1095,-88.9295,"Localized flooding developed after a series of weakening thunderstorm complexes crossed western Kentucky during the night of the 29th and morning of the 30th. These storms occurred near a surface front which sagged southward across the region during the evening, then returned north as a warm front the following morning.","A trained spotter near La Center reported some roads were underwater, and ponds and creeks were overflowing." +114327,690207,KENTUCKY,2017,April,Strong Wind,"UNION",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114305,684823,LOUISIANA,2017,April,Hail,"BIENVILLE",2017-04-26 16:45:00,CST-6,2017-04-26 16:45:00,0,0,0,0,0.00K,0,0.00K,0,32.24,-92.88,32.24,-92.88,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Hail fell in the Lucky and Friendship communities." +114305,684824,LOUISIANA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-26 16:55:00,CST-6,2017-04-26 16:55:00,0,0,0,0,0.00K,0,0.00K,0,32.7,-92.66,32.7,-92.66,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Trees were downed on Hamilton Road in Dubach." +114419,685956,MISSOURI,2017,April,Hail,"NEW MADRID",2017-04-26 17:42:00,CST-6,2017-04-26 17:42:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-89.62,36.6,-89.62,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","" +113709,680694,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:36:00,EST-5,2017-02-25 14:36:00,0,0,0,0,,NaN,,NaN,38.4612,-77.4618,38.4612,-77.4618,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Roseville." +113709,680695,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:37:00,EST-5,2017-02-25 14:37:00,0,0,0,0,,NaN,,NaN,38.4652,-77.4077,38.4652,-77.4077,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported at the intersectin of VA Route 610 and Interstate 95." +113709,680696,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:40:00,EST-5,2017-02-25 14:40:00,0,0,0,0,,NaN,,NaN,38.4822,-77.3869,38.4822,-77.3869,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near the Aquia Harbor." +113870,681918,TEXAS,2017,April,Thunderstorm Wind,"NACOGDOCHES",2017-04-02 09:30:00,CST-6,2017-04-02 09:30:00,0,0,0,0,0.00K,0,0.00K,0,31.6851,-94.876,31.6851,-94.876,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Trees were blown down." +113870,681922,TEXAS,2017,April,Hail,"SHELBY",2017-04-02 10:45:00,CST-6,2017-04-02 10:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7915,-94.1813,31.7915,-94.1813,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Quarter size hail fell in Center." +112444,670374,FLORIDA,2017,February,Tornado,"BRADFORD",2017-02-07 22:00:00,EST-5,2017-02-07 22:01:00,0,2,0,0,0.00K,0,0.00K,0,30.046,-82.0734,30.0479,-82.0559,"A pre-frontal squall line raced eastward across NE Florida and SE Georgia during the late evening hours producing wind damage across the Suwannee River Valley. A strong embedded storm produced a brief EF1 tornado in Lawtey, then the rear-flank downdraft descended and the resultant outflow cut-off the tornado circulation and produced a derecho wind event with winds of 60-80 mph that raced across northern Clay county, southern Duval county and northern St. Johns county between 10 pm and 11 pm on Feb. 7th. Another very weak and brief tornado was reported in central St. Johns county associated with another storm cells embedded within the squall line. Very cold upper level temperatures aided in strong downburst formation as well as dry air in the mid levels. The cold pool produced a 23 deg temperature drop between 10 pm and 1030 pm in Keystone Heights Florida.","The Lawtey Elementary School experienced wind damage to the roof. The school was closed the following day due to wind damage. There were also numerous trees and power lines blown down and damaged in the area.||Local broadcast media relayed a report that 2 people were injured in Lawtey when part of a building fell on them." +113676,680374,COLORADO,2017,January,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-01-01 22:00:00,MST-7,2017-01-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and associated cold front brought a quick shot of significant to heavy snowfall to the northwest Colorado mountains and also to the Central Yampa River Basin.","Generally 6 to 15 inches of snow accumulated across the area. Locally heavier amounts included 23 inches at the Elk River SNOTEL site." +113713,680706,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 23:10:00,EST-5,2017-02-12 23:10:00,0,0,0,0,,NaN,,NaN,39.0045,-77.0776,39.0045,-77.0776,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on Maryland 185 and Interstate 495." +113713,680707,MARYLAND,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-12 21:35:00,EST-5,2017-02-12 21:35:00,0,0,0,0,,NaN,,NaN,39.7126,-78.189,39.7126,-78.189,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down blocking one lane on Interstate 70." +113713,680709,MARYLAND,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-12 22:08:00,EST-5,2017-02-12 22:08:00,0,0,0,0,,NaN,,NaN,39.4868,-77.6999,39.4868,-77.6999,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on Maryland 845 and Antietam Drive." +113902,682802,CALIFORNIA,2017,February,Flood,"SHASTA",2017-02-20 02:07:00,PST-8,2017-02-21 02:07:00,0,0,0,0,200.00K,200000,0.00K,0,40.93,-121.93,40.9259,-121.9339,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Several large trees blocking Big Bend Road." +113680,680454,ATLANTIC NORTH,2017,February,Marine Hail,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-02-25 15:18:00,EST-5,2017-02-25 15:18:00,0,0,0,0,,NaN,,NaN,39.2422,-76.6099,39.2422,-76.6099,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Penny sized hail was reported at Brooklyn Park." +113680,680457,ATLANTIC NORTH,2017,February,Marine Hail,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-02-25 14:56:00,EST-5,2017-02-25 15:04:00,0,0,0,0,,NaN,,NaN,38.5987,-77.1632,38.5987,-77.1632,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Penny sized hail was reported at Indian Head." +113680,680458,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-02-25 14:47:00,EST-5,2017-02-25 14:58:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts up to 50 knots were reported at Quantico." +113680,680460,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-02-25 15:17:00,EST-5,2017-02-25 15:19:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts up to 40 knots were reported at Reagan National Airport and Nationals Park." +114326,685054,ILLINOIS,2017,April,Tornado,"WILLIAMSON",2017-04-05 13:10:00,CST-6,2017-04-05 13:11:00,0,0,0,0,35.00K,35000,0.00K,0,37.7004,-89.1492,37.7005,-89.1473,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southeast Illinois. Surface dew points in the 50's spread northeastward beneath cold mid-level temperatures aloft. The atmosphere became sufficiently unstable for severe storms, with capes approaching 1000 j/kg. Wind fields aloft were quite strong as a belt of 80-knot winds at 500 mb progressed northeast into the Tennessee Valley. The strong wind shear facilitated several severe storms, including a brief tornado.","A brief EF-1 tornado touched down, damaging two residences and taking down a few trees. The first residence received minor shingle damage, and there was substantial roof damage at the second residence. Insulation and building debris was blown several hundred yards. The small tornado was captured on security camera video at a very close distance, less than 50 yards away. Peak winds were estimated near 105 mph. A trained spotter reported a rotating wall cloud south of Carbondale shortly before the tornado occurred." +113388,678440,NEW MEXICO,2017,March,High Wind,"CENTRAL LEA COUNTY",2017-03-23 16:12:00,MST-7,2017-03-23 18:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over southeastern New Mexico and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-42 mph occurred at the Hobbs Mesonet." +113387,678441,TEXAS,2017,March,High Wind,"DAWSON",2017-03-23 14:50:00,CST-6,2017-03-23 20:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","An extended period of sustained southwest to west winds of 40-47 mph occurred at the Welch Mesonet." +113387,678442,TEXAS,2017,March,High Wind,"MARTIN",2017-03-23 15:37:00,CST-6,2017-03-23 19:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-42 mph, and a gust to 55 mph, occurred at the Tarzan Mesonet." +113387,678443,TEXAS,2017,March,High Wind,"HOWARD",2017-03-23 12:37:00,CST-6,2017-03-23 21:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough moved over west Texas and resulted in widespread strong, westerly winds.","Sustained southwest to west winds of 40-46 mph, and a gust to 55 mph, occurred at the Lomax Mesonet." +118067,709623,NEW MEXICO,2017,August,Flash Flood,"HARDING",2017-08-22 06:00:00,MST-7,2017-08-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0686,-103.9883,36.0713,-103.9564,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","Rancher reported 5 inches of rainfall. Water was running off Mesa Quitaras and flooding everywhere. Carrizo Creek is running like a river." +120346,721062,GEORGIA,2017,September,Thunderstorm Wind,"PICKENS",2017-09-05 16:45:00,EST-5,2017-09-05 17:00:00,0,0,0,0,5.00K,5000,,NaN,34.4738,-84.4383,34.4738,-84.4383,"Thunderstorms developing along a cold front that pushed into north Georgia during the afternoon produced isolated reports wind damage across northwest and north-central Georgia.","The Pickens County 911 center reported trees and power lines blown down around Old Federal Road, McEntire Place and N. Main Street in Jasper." +120346,721063,GEORGIA,2017,September,Thunderstorm Wind,"CHEROKEE",2017-09-05 17:05:00,EST-5,2017-09-05 17:25:00,0,0,0,0,8.00K,8000,,NaN,34.2374,-84.6186,34.3768,-84.3233,"Thunderstorms developing along a cold front that pushed into north Georgia during the afternoon produced isolated reports wind damage across northwest and north-central Georgia.","The Cherokee County Emergency Manager reported trees and power lines blown down across the western and northern portions of the county. Some locations include Fincher Road near Oakwind Parkway, around the intersections of Hornage Road with Bethany Road and Howell Bridge Road, and around Revis Mountain Road and Revis Mountain Parkway." +120346,721064,GEORGIA,2017,September,Thunderstorm Wind,"DAWSON",2017-09-05 17:40:00,EST-5,2017-09-05 17:55:00,0,0,0,0,20.00K,20000,,NaN,34.4211,-84.1185,34.3644,-84.0375,"Thunderstorms developing along a cold front that pushed into north Georgia during the afternoon produced isolated reports wind damage across northwest and north-central Georgia.","The Dawson County 911 center reported numerous reports of trees and power lines blown down across the city of Dawsonville extending east and southeast to around the intersection of Highways 53 and 19. A sign was blown off of an overpass on Highway 19 and struck a vehicle, no injuries were reported." +114775,690139,MISSOURI,2017,April,Flood,"WAYNE",2017-04-29 08:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-90.52,37.2145,-90.517,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","A record-breaking flood began on the St. Francis River on the 30th. The river rose rapidly above flood stage, climbing about 27 feet in 30 hours. The river exceeded its highest level on record around midday on the 30th. The old record was established in 1982. The river crested about one foot above the 1982 record as the month of April was closing out. Numerous roads were closed." +112887,674471,KENTUCKY,2017,March,Thunderstorm Wind,"HENRY",2017-03-01 06:38:00,EST-5,2017-03-01 06:38:00,0,0,0,0,75.00K,75000,0.00K,0,38.55,-85.2,38.55,-85.2,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local Fire Department reported that several barns sustained structural damage or were destroyed due to severe thunderstorm winds. There was also major roof damage on newer construction homes along with large uprooted trees. The highest concentration of damage was on Jones Road near State Road 55." +113620,680525,TEXAS,2017,March,Hail,"GLASSCOCK",2017-03-28 15:50:00,CST-6,2017-03-28 15:55:00,0,0,0,0,,NaN,,NaN,31.67,-101.347,31.67,-101.347,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680526,TEXAS,2017,March,Hail,"REAGAN",2017-03-28 16:00:00,CST-6,2017-03-28 16:05:00,0,0,0,0,,NaN,,NaN,31.5592,-101.58,31.5592,-101.58,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680527,TEXAS,2017,March,Hail,"GLASSCOCK",2017-03-28 17:09:00,CST-6,2017-03-28 17:14:00,0,0,0,0,,NaN,,NaN,31.6598,-101.488,31.6598,-101.488,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680528,TEXAS,2017,March,Hail,"ECTOR",2017-03-28 17:15:00,CST-6,2017-03-28 17:20:00,0,0,0,0,,NaN,,NaN,31.8233,-102.383,31.8233,-102.383,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +113620,680529,TEXAS,2017,March,Hail,"ECTOR",2017-03-28 17:17:00,CST-6,2017-03-28 17:22:00,0,0,0,0,,NaN,,NaN,31.85,-102.37,31.85,-102.37,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +116262,698976,WYOMING,2017,April,Winter Storm,"SOUTH LARAMIE RANGE",2017-04-28 03:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","Six to twelve inches of snow was observed from Buford west to the Interstate 80 summit." +116262,698977,WYOMING,2017,April,Winter Storm,"CONVERSE COUNTY LOWER ELEVATIONS",2017-04-27 18:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","Six inches of snow was measured four miles west-southwest of Douglas." +116262,698978,WYOMING,2017,April,Winter Storm,"NIOBRARA COUNTY",2017-04-27 18:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent spring storm brought periods of moderate to heavy snowfall and strong westerly winds to portions of southeast Wyoming. Snow totals ranged from six to fifteen inches.","Six inches of snow was measured 11 miles north-northwest of Lance Creek." +114214,684218,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-01 03:55:00,CST-6,2017-03-01 03:55:00,0,0,0,0,0.00K,0,0.00K,0,35.2338,-92.3879,35.2338,-92.3879,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","The wind tore a metal roof off a barn...removed structure from porch and threw it into the trees...tore part of siding off of house...and picked up and blew trampoline and basketball goal into the tree line. Winds were estimated over 70 mph." +114214,684131,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-01 02:12:00,CST-6,2017-03-01 02:12:00,0,0,0,0,50.00K,50000,0.00K,0,35.91,-92.64,35.91,-92.64,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Damage was reported in and around Marshall. Roof, tree, and building damage was reported. The county barn was reported demolished." +114716,688061,COLORADO,2017,April,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-04-01 00:00:00,MST-7,2017-04-01 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in some of the western Colorado mountains.","This event which began late on March 30th generally produced 3 to 6 inches of snow across the area with locally up to 14 inches measured at the Beartown SNOTEL site. Wind gusts of 25 to 35 mph produced areas of blowing and drifting snow. Peak ridgetop winds of 72 mph were measured on Eagle Mountain. Chain laws were in effect over the mountain passes during this snowfall event." +114717,688058,UTAH,2017,April,Winter Storm,"EASTERN UINTA MOUNTAINS",2017-04-01 00:00:00,MST-7,2017-04-01 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall in the eastern Utah mountains.","This event which began late on March 30th produced snowfall amounts of 9 to 14 inches across the area. Wind gusts of 25 to 35 mph produced some areas of blowing and drifting snow." +114717,688059,UTAH,2017,April,Winter Weather,"TAVAPUTS PLATEAU",2017-04-01 00:00:00,MST-7,2017-04-01 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall in the eastern Utah mountains.","This event which began on March 31st produced around 5 inches of snow. Wind gusts of 25 to 35 mph produced some areas of blowing and drifting snow." +115148,691237,COLORADO,2017,April,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-04-03 12:00:00,MST-7,2017-04-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific upper level trough worked through western Colorado and brought significant to heavy snowfall to many mountain areas as well as some higher valleys. The brunt of this storm tracked south and allowed the heavier snow to fall over the San Juan Mountains.","Generally 5 to 9 inches of snow fell across the area with up to 12 inches reported at the Weminche Creek SNOTEL site. Wind gusts of 25 to 40 mph produced some areas of blowing and drifting snow." +116832,702559,MINNESOTA,2017,May,Hail,"CARLTON",2017-05-15 01:37:00,CST-6,2017-05-15 01:37:00,0,0,0,0,,NaN,,NaN,46.73,-92.49,46.73,-92.49,"Thunderstorms dropped hail near Cloquet, MN during the wee hours of the morning on May 15th. There were reports of hail about the size of pennies and nickels.","" +115201,694798,TEXAS,2017,May,Hail,"WICHITA",2017-05-18 17:13:00,CST-6,2017-05-18 17:13:00,0,0,0,0,0.00K,0,0.00K,0,34.06,-98.92,34.06,-98.92,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694799,TEXAS,2017,May,Hail,"WICHITA",2017-05-18 17:51:00,CST-6,2017-05-18 17:51:00,0,0,0,0,0.00K,0,0.00K,0,33.86,-98.83,33.86,-98.83,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694800,TEXAS,2017,May,Hail,"ARCHER",2017-05-18 19:15:00,CST-6,2017-05-18 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-98.81,33.65,-98.81,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694801,TEXAS,2017,May,Hail,"ARCHER",2017-05-18 19:15:00,CST-6,2017-05-18 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-98.9,33.75,-98.9,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115201,694802,TEXAS,2017,May,Hail,"CLAY",2017-05-18 20:16:00,CST-6,2017-05-18 20:16:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-98.37,33.71,-98.37,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +112955,674941,IOWA,2017,February,Funnel Cloud,"SCOTT",2017-02-28 15:35:00,CST-6,2017-02-28 15:37:00,0,0,0,0,0.00K,0,0.00K,0,41.6335,-90.7504,41.6335,-90.7504,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Emergency management, spotters, and public all reported a funnel cloud over half way to the ground. No damage was noted with this funnel, and no touchdown was witnessed, but numerous photos were posted to social media of this funnel." +115202,694803,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-19 08:54:00,CST-6,2017-05-19 08:54:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-97.88,36.4,-97.88,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +116884,702763,TEXAS,2017,May,Tornado,"WHEELER",2017-05-16 16:25:00,CST-6,2017-05-16 16:44:00,0,0,0,0,,NaN,,NaN,35.37,-100.29,35.46,-100.17,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Multiple reports of a tornado from NWS Employee and storm chasers. This tornado touched down around 525 pm CDT 5 miles south southwest of wheeler. The tornado moved northeast and was on the ground for approximately 9.1 miles and around 19 minutes." +116884,702764,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:26:00,CST-6,2017-05-16 16:26:00,0,0,0,0,0.00K,0,0.00K,0,34.91,-100.35,34.91,-100.35,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702765,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:30:00,CST-6,2017-05-16 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-100.22,35.01,-100.22,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116697,701762,WISCONSIN,2017,May,Hail,"ONEIDA",2017-05-28 14:13:00,CST-6,2017-05-28 14:13:00,0,0,0,0,0.00K,0,0.00K,0,45.85,-89.06,45.85,-89.06,"Scattered thunderstorms that moved across northern Wisconsin produced quarter size hail in Oneida County.","A thunderstorm produced quarter size hail as it passed near Three Lakes." +116171,698319,TEXAS,2017,May,Thunderstorm Wind,"WEBB",2017-05-21 15:28:00,CST-6,2017-05-21 15:44:00,0,0,0,0,20.00M,20000000,0.00K,0,27.6004,-99.5173,27.5742,-99.4725,"Scattered thunderstorms developed over northeast Mexico during the afternoon of the 21st as an upper level disturbance moved across northern Mexico. An intense thunderstorm moved across the Rio Grande into the city of Laredo. Extensive wind damage occurred in the northern parts of Laredo from 80 to 95 mph wind gusts. Five homes were destroyed while around 50 single family and multi-family homes received major damage. Minor damage occurred to around 150 single family and multi-family homes. Major damage occurred to five businesses. Hail from golf ball to baseball size inflicted damage to roofs and cars across the city. After heavy rainfall with this storm, a second storm early in the evening produced heavy rainfall that led to flash flooding in the city.","Damage survey in connection with a severe thunderstorm revealed straight-line wind damage along a line around 5 miles in length and 1 mile in width across northwest Laredo. The damage was from west of the intersection of Interstate 69W and Mines Road to the intersection of east Del Mar Boulevard and McPherson Road. Damage was widespread through this area with numerous large tree limbs snapped, shingle damage to homes, dozens of utility poles bent or broken. The most significant damage occurred at the U.S. Customs facility near World Trade Bridge #3 and to homes in the Villas San Agustin neighborhood. At the U.S. Customs facility, several tractor trailers were overturned, and extensive damage occurred to the metal roof of this facility with several air conditioners blown off. Wind gusts were estimated to be between 80 and 95 mph. The World Trade Bridge was closed to commercial cargo traffic for nearly a week. Within the Villas San Agustin subdivision, 4 new homes that were under construction, slid off their foundations and collapsed. Debris from these properties impacted several nearby homes causing extensive damage. Numerous homes in this subdivision lost shingles. Laredo Fire Station #9, located near Interstate 69 and Mines Road, lost its metal roof. Farther southeast, in the Dominion Del Mar, Terra Hills, and Northview subdivisions, numerous large tree limbs were broken, utility poles were bent or broken and a cement wall under construction at the Laredo Fire Department was toppled." +115206,695957,OKLAHOMA,2017,May,Thunderstorm Wind,"MURRAY",2017-05-27 21:09:00,CST-6,2017-05-27 21:09:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-97.12,34.5,-97.12,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","No damage reported." +115206,695958,OKLAHOMA,2017,May,Thunderstorm Wind,"CARTER",2017-05-27 21:17:00,CST-6,2017-05-27 21:17:00,0,0,0,0,0.00K,0,0.00K,0,34.33,-97.14,34.33,-97.14,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","No damage reported." +116091,699990,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-17 16:26:00,CST-6,2017-05-17 16:26:00,0,0,0,0,10.00K,10000,0.00K,0,44.1107,-91.162,44.1107,-91.162,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","East of Galesville, a portion of a large tree was blown down. As the tree came down, it damaged the roof of a house." +116091,700364,WISCONSIN,2017,May,Thunderstorm Wind,"LA CROSSE",2017-05-17 16:06:00,CST-6,2017-05-17 16:06:00,0,0,0,0,8.00K,8000,0.00K,0,43.93,-91.25,43.93,-91.25,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A roof was blown off a garage in Midway." +116091,700365,WISCONSIN,2017,May,Thunderstorm Wind,"LA CROSSE",2017-05-17 19:18:00,CST-6,2017-05-17 19:20:00,0,0,0,0,70.00K,70000,0.00K,0,43.909,-91.0408,43.9411,-91.016,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A path of straight line wind damage was found from the east of Lake Neshonoc to northwest of Bangor. Approximately 250 trees were damaged or uprooted, a barn was destroyed, another barn lost part of its roof and there was minor damage to a house and garage." +116091,700551,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 17:10:00,CST-6,2017-05-17 17:10:00,0,0,0,0,2.00K,2000,0.00K,0,43.9702,-90.5155,43.9702,-90.5155,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","An estimated 65 mph wind gust occurred on the west side of Tomah that damaged signs near the fairgrounds." +116952,703379,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:29:00,CST-6,2017-05-27 20:29:00,0,0,0,0,,NaN,,NaN,36.62,-100.63,36.62,-100.63,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Numerous downed powerlines due to straight line winds." +116952,703380,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:30:00,CST-6,2017-05-27 20:30:00,0,0,0,0,,NaN,,NaN,36.62,-100.63,36.62,-100.63,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Late report...18-wheeler truck blown over due to thunderstorm winds." +116952,703381,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-27 20:33:00,CST-6,2017-05-27 20:33:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.52,36.62,-100.52,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703382,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:33:00,CST-6,2017-05-27 20:33:00,0,0,0,0,,NaN,,NaN,36.62,-100.52,36.62,-100.52,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Trees and powerlines downed due to thunderstorm wind gust." +112727,675811,ATLANTIC NORTH,2017,March,Marine High Wind,"SANDY HOOK TO MANASQUAN INLET NJ OUT 20NM",2017-03-02 07:35:00,EST-5,2017-03-02 07:35:00,0,0,0,0,,NaN,,NaN,40.44,-73.99,40.44,-73.99,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +112727,675712,ATLANTIC NORTH,2017,March,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-03-01 15:42:00,EST-5,2017-03-01 15:42:00,0,0,0,0,,NaN,,NaN,38.6749,-75.0545,38.6749,-75.0545,"An unseasonably warm and very moist air mass was conducive to maintaining a line of thunderstorms as they moved eastward across the coastal waters, despite sea surface temperatures in the low to mid-40s. Although there was little in the way of lightning associated with these storms, wind gusts ranged from 49 MPH at Dewey Beach, DE to 60 MPH at Ocean City, NJ during the afternoon hours of March 1st. High winds continued behind the front on the 2nd.","Weatherflow site." +112859,678373,NEW JERSEY,2017,March,Blizzard,"SUSSEX",2017-03-14 05:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","KFWN ASOS, Snowfall was a foot across the county." +112859,678370,NEW JERSEY,2017,March,Blizzard,"MORRIS",2017-03-14 05:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","KMMU ASOS. Snowfall over a foot across the county." +116144,703514,OKLAHOMA,2017,May,Tornado,"WAGONER",2017-05-18 21:48:00,CST-6,2017-05-18 22:04:00,0,0,0,0,200.00K,200000,0.00K,0,35.915,-95.3299,36.0748,-95.2395,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","This is the first segment of a two segment tornado. In Wagoner County, this tornado developed southeast of Wagoner in the lowlands of Fort Gibson Lake. It moved northeast uprooting numerous trees, damaging homes, and destroying outbuildings north of Highway 51. The tornado then moved over Fort Gibson Lake and back onshore northeast of Wagoner where trees were uprooted and snapped, several boat docks were destroyed, and homes were damaged. It moved back over Fort Gibson Lake and then across the far northeastern portion of Wagoner County where trees were uprooted and snapped. The tornado continued into Mayes County. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +116145,703519,ARKANSAS,2017,May,Tornado,"BENTON",2017-05-18 23:07:00,CST-6,2017-05-18 23:09:00,0,0,0,0,40.00K,40000,0.00K,0,36.3207,-94.2529,36.3412,-94.2275,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across northwestern Arkansas during the late evening hours. The storms produced a tornado, damaging wind, and hail up to quarter size as they moved across northwestern Arkansas.||A couple additional rounds of thunderstorms on the 19th through the early morning hours of the 20th resulted in isolated flooding to develop across portions of northwest Arkansas.","This tornado damaged the roofs of a number of homes, uprooted trees, snapped numerous large tree limbs, and blew down several power poles. Based on this damage, maximum estimated wind in the tornado was 80 to 85 mph." +115096,701520,OKLAHOMA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-10 22:55:00,CST-6,2017-05-10 22:55:00,0,0,0,0,5.00K,5000,0.00K,0,36.4099,-94.9819,36.4099,-94.9819,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind uprooted several trees, one of which fell onto a camper." +115096,701523,OKLAHOMA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-10 23:05:00,CST-6,2017-05-10 23:05:00,0,0,0,0,0.00K,0,0.00K,0,36.4215,-94.797,36.4215,-94.797,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down trees." +115096,701532,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-11 13:00:00,CST-6,2017-05-11 13:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1169,-95.8143,36.1169,-95.8143,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +115096,701531,OKLAHOMA,2017,May,Hail,"WAGONER",2017-05-11 13:00:00,CST-6,2017-05-11 13:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.16,-95.75,36.16,-95.75,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +114667,687794,KENTUCKY,2017,May,Thunderstorm Wind,"SPENCER",2017-05-20 18:18:00,EST-5,2017-05-20 18:18:00,0,0,0,0,50.00K,50000,0.00K,0,38.03,-85.39,38.03,-85.39,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","The National Weather Service in conjunction with Spencer County Emergency Management conducted a damage survey near Highway 44 and Carl Monroe Road 2 to 3 miles west of Taylorsville. The survey found a narrow path of straight line wind damage with estimated winds between 75 and 85 MPH. The most significant damage occurred at the path start on Carl Monroe Road where the second level of a cinder block farm building was removed. Roofing material and cinder block debris was scattered to the ENE 100-200 yards downwind. A two-story home also suffered damage in this area with the removal of siding, soffit, and shingles. Debris shattered a window, and a dead-bolted door was blown open after the storm door was ripped off. Several large limbs were ripped out of a tree and tossed across Carl Monroe Road.||Wind damage continued east while paralleling just south of Highway 44 where 3 more hardwood trees were broken or uprooted. Several large hardwood trees were uprooted in the Elk Creek Bottom. Continuing east, wind took shingles off of a home and damaged several trees. Damage ceased 2 miles west of Taylorsville with a final downed tree along Highway 44.||The event lasted 1 to 2 minutes and occurred on the leading edge of a gust front. Many residents noted that no rain was occurring at the time of the event, bur rain started a few minutes later. This matches the radar presentation. All debris was scattered in a divergent ENE to NE direction." +114667,687795,KENTUCKY,2017,May,Thunderstorm Wind,"HARRISON",2017-05-20 20:43:00,EST-5,2017-05-20 20:43:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-84.24,38.34,-84.24,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","The Harrison County emergency manager reported trees down across KY 1940 near Eals Lane." +114667,687766,KENTUCKY,2017,May,Flash Flood,"ALLEN",2017-05-19 07:40:00,CST-6,2017-05-19 07:40:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-86.23,36.7458,-86.2102,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","Over 4 inches of rain fell in a short period which resulted in numerous reports of flooding." +114667,687778,KENTUCKY,2017,May,Thunderstorm Wind,"BUTLER",2017-05-20 15:35:00,CST-6,2017-05-20 15:35:00,0,0,0,0,10.00K,10000,0.00K,0,37.24,-86.45,37.24,-86.45,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across central Kentucky.","The public relayed a photo of a large tree down onto a car due to severe thunderstorm winds." +114537,702124,MINNESOTA,2017,May,Lightning,"RICE",2017-05-15 12:00:00,CST-6,2017-05-15 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,44.47,-93.17,44.47,-93.17,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","Lightning struck a home on the 1500 block of Lindberg Court Monday afternoon in Northfield. Northfield Area Fire and Rescue Service firefighters responded to the home around 1 p.m. Monday to extinguish the fire that started as a result of the strike.||The homeowner was inside the residence at the time of the strike, but no injuries were reported. Lightning struck the chimney liner on the roof, and followed that down to the mechanical room where it ignited storage items.||There was also smoke damage throughout the home." +114537,702125,MINNESOTA,2017,May,Lightning,"WASHINGTON",2017-05-16 03:30:00,CST-6,2017-05-16 03:30:00,0,0,0,0,450.00K,450000,0.00K,0,44.9076,-92.9143,44.9076,-92.9143,"Monday afternoon thunderstorms, and associated lightning strikes, caused damage to a home in Northfield. Another thunderstorm early Tuesday morning, and associated lightning strike, caused damage to a home in Woodbury. ||Isolated thunderstorms developed Monday evening in far southern Minnesota along an outflow boundary from earlier convection in Iowa. These storms became locally severe, producing occasional large hail near Waseca to Owatonna. Additional thunderstorms developed during the pre dawn hours around the Twin Cities, a few storms dropped up to ping pong size hail near Shoreview.","A home in Woodbury was struck by lightning and caused enough damage to make the home unlivable. No injuries were reported as the homeowner was not at home." +116942,703321,MINNESOTA,2017,May,Hail,"BLUE EARTH",2017-05-08 18:52:00,CST-6,2017-05-08 18:52:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-93.86,44.08,-93.86,"Scattered thunderstorms developed during the late afternoon in south central Minnesota, and moved east-southeast and produced a few hail stones up to nickel size in some areas.","" +116942,703322,MINNESOTA,2017,May,Hail,"BLUE EARTH",2017-05-08 18:35:00,CST-6,2017-05-08 18:35:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-93.95,44.08,-93.95,"Scattered thunderstorms developed during the late afternoon in south central Minnesota, and moved east-southeast and produced a few hail stones up to nickel size in some areas.","" +116753,702126,WISCONSIN,2017,May,Lightning,"CHIPPEWA",2017-05-15 13:30:00,CST-6,2017-05-15 13:30:00,0,0,0,0,60.00K,60000,0.00K,0,44.9195,-91.3192,44.9195,-91.3192,"Chippewa Falls fire crews reported a lightning strike caused $60,000 worth of damage to a home in the Town of Lafayette, Monday afternoon. No one was hurt in that fire, but the home did suffer fire, smoke and heat damage.","Chippewa Falls fire crews said that a lightning strike caused $60,000 worth of damage to a home in the Town of Lafayette Monday afternoon." +116144,702221,OKLAHOMA,2017,May,Flood,"OKFUSKEE",2017-05-20 02:00:00,CST-6,2017-05-20 18:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3788,-96.3628,35.3874,-96.3661,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Highway 48 was flooded and closed one mile south of I-40 at the Canadian River Bridge." +116144,702227,OKLAHOMA,2017,May,Flood,"OKMULGEE",2017-05-20 02:00:00,CST-6,2017-05-20 18:45:00,0,0,0,0,0.00K,0,0.00K,0,35.8389,-95.8755,35.8395,-96.0053,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Several roads were flooded and closed across northern Okmulgee County near Liberty and Hectorville." +116094,697780,FLORIDA,2017,May,Tornado,"PALM BEACH",2017-05-02 16:30:00,EST-5,2017-05-02 16:35:00,0,0,0,0,0.00K,0,,NaN,26.74,-80.61,26.74,-80.61,"A mid to upper level low pressure system moved over South Florida. A cold front was also moving down the state and stalling out across the Lake Okeechobee region. Afternoon thunderstorms developed along the front and sea breezes. One of these thunderstorms became severe and produced a brief tornado.","Broadcast media relayed a video of a brief tornado touchdown between Belle Glade and Pahokee. The tornado remained over an open field with no damage reported and therefore no official rating given." +116621,704139,GEORGIA,2017,May,Tornado,"WHITFIELD",2017-05-24 08:45:00,EST-5,2017-05-24 08:49:00,0,0,0,0,20.00K,20000,,NaN,34.8186,-84.9512,34.8299,-84.9263,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 90 MPH and a maximum path width of 200 yards touched down northeast of Dalton west of Highway 71 (Cleveland Highway), snapping and uprooting several trees between 3rd Street and West Hill View Drive as it moved to the northeast. The tornado continued northeast and produced the most significant damage along the south end of Lynn Drive where numerous large trees were snapped or uprooted in a 200 yard wide path. A camper was also rolled about 20 yards away from its original location near Lynn Drive. Several more trees were found snapped near |Creekwood Lane Northeast just before the tornado lifted. No injuries were reported. [05/24/17: Tornado #1, County #1/1, EF-1, Whitfield, 2017:075]." +116621,704145,GEORGIA,2017,May,Tornado,"GORDON",2017-05-24 09:47:00,EST-5,2017-05-24 09:48:00,0,0,0,0,10.00K,10000,,NaN,34.5847,-84.9251,34.5871,-84.9212,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 75 MPH and a maximum path width of 70 yards touched down east of Resaca between Swan Drive Northeast and Fite Bend Road Northeast where several large trees were snapped or uprooted. The tornado moved northeast across a wheat field and into a small wooded area where it snapped a few large tree branches before lifting as it approached the Conasauga River. No injuries were reported. [05/24/17: Tornado #2, County #1/1, EF-0, Gordon, 2017:076]." +117013,703816,NEW YORK,2017,May,Thunderstorm Wind,"BROOME",2017-05-01 18:50:00,EST-5,2017-05-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-75.98,42.2,-75.98,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 52 knots." +117013,703826,NEW YORK,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-01 19:56:00,EST-5,2017-05-01 20:06:00,0,0,0,0,12.00K,12000,0.00K,0,42.28,-74.91,42.28,-74.91,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees and power lines." +117016,703819,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-01 19:05:00,EST-5,2017-05-01 19:15:00,0,0,0,0,10.00K,10000,0.00K,0,41.96,-75.75,41.96,-75.75,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and caused structural damage to a roof in Halstead." +117016,703820,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-01 19:10:00,EST-5,2017-05-01 19:20:00,0,0,0,0,5.00K,5000,0.00K,0,41.99,-75.72,41.99,-75.72,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees near Honey Hollow Road." +117097,704475,INDIANA,2017,May,Hail,"NOBLE",2017-05-28 14:38:00,EST-5,2017-05-28 14:39:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-85.28,41.42,-85.28,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117097,704476,INDIANA,2017,May,Hail,"WABASH",2017-05-28 17:30:00,EST-5,2017-05-28 17:31:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-85.81,40.77,-85.81,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117097,704477,INDIANA,2017,May,Hail,"WABASH",2017-05-28 17:54:00,EST-5,2017-05-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-85.67,40.8,-85.67,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117097,704478,INDIANA,2017,May,Hail,"HUNTINGTON",2017-05-28 18:27:00,EST-5,2017-05-28 18:28:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-85.49,40.78,-85.49,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117097,704479,INDIANA,2017,May,Hail,"ALLEN",2017-05-28 19:37:00,EST-5,2017-05-28 19:38:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-85.15,41.06,-85.15,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +117097,704480,INDIANA,2017,May,Hail,"ALLEN",2017-05-28 19:54:00,EST-5,2017-05-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-85.14,41.07,-85.14,"A cold front caught up to a subtle warm front over northeast IN and northwest OH during the mid afternoon to early evening hours. A few thunderstorms became severe with many containing marginally severe hail. Heavy rain/training led to localized flooding, especially in the areas already impacted by recent heavy rainfall/flooding-Wabash/Maumee River Basins.","" +116321,699473,LOUISIANA,2017,May,Tornado,"EAST BATON ROUGE",2017-05-12 08:01:00,CST-6,2017-05-12 08:03:00,1,0,0,0,,NaN,0.00K,0,30.4345,-91.0662,30.4368,-91.0573,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A weak tornado touched down on an intermittent path along Hammond Highway from near Cedarcrest Avenue to Sherwood Forest Drive. Several powers lines were blown down, several small trees were also snapped and a tree was blown onto a house. A pickup truck being blown over at a convenience station was captured on security camera video. The driver suffered minor injuries. The tornado was rated EF1 with a maximum wind speed estimated around 90 mph. Path width approximately 30 yards wide and path length about 0.6 miles long." +116321,699495,LOUISIANA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-12 09:49:00,CST-6,2017-05-12 09:49:00,0,0,0,0,,NaN,0.00K,0,29.9927,-90.2619,29.9927,-90.2619,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","An awning and outdoor shed was blown over on the grounds of the airport. Several automobiles in a nearby lot were damaged. A few downed tree limbs were also reported in the area. Event time was based on radar. The nearby automated weather instrument (KMSY - ASOS) at the airport also recorded a 43 knot wind gust about that time." +116321,699494,LOUISIANA,2017,May,Thunderstorm Wind,"ST. BERNARD",2017-05-12 10:36:00,CST-6,2017-05-12 10:36:00,0,0,0,0,,NaN,0.00K,0,29.85,-89.7,29.85,-89.7,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Minor structural damage was reported with some damage to power poles and power lines in the Shell Beach area . A few small trees were also snapped or uprooted." +116321,699477,LOUISIANA,2017,May,Tornado,"ST. TAMMANY",2017-05-12 15:35:00,CST-6,2017-05-12 15:37:00,0,0,0,0,,NaN,0.00K,0,30.4469,-90.2206,30.4409,-90.2265,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","A weak tornado produced tree damage was reported in the vicinity of Rainford Oaks Boulevard. Large limbs were blown down and several trees were snapped midway up. A large tree fell through a home. The tornado was rated EF0 with an estimated maximum wind speed of 75 mph. Path width was about 20 yards wide with a path length approximately 0.50 miles long. Event time was estimated by radar." +116757,702138,ALABAMA,2017,May,Flash Flood,"MOBILE",2017-05-20 19:30:00,CST-6,2017-05-20 23:30:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-88.07,30.8166,-88.0896,"Heavy rains caused flooding in southwest Alabama.","Heavy rain caused street flooding around Saraland. Several roads were blocked off." +117077,704409,MINNESOTA,2017,May,High Wind,"SWIFT",2017-05-28 16:53:00,CST-6,2017-05-28 16:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The afternoon of Sunday, May 28th, showers begun to develop across central and west central Minnesota. Some of the showers in west central Minnesota produced wind gusts above 50 mph.||A few wind gusts were less than 58 mph: |Morris Airport, 47 knots (54 mph). |Appleton Airport, 46 knots (53 mph).|Olivia Airport, 43 knots (49 mph).|Glenwood Airport, 42 knots (48 mph). |Montevideo Airport, 42 knots (48 mph). |Willmar Airport, 41 knots (47 mph).","The Benson airport measured a wind gust of 51 knots." +114996,690008,MINNESOTA,2017,May,Thunderstorm Wind,"STEARNS",2017-05-28 17:20:00,CST-6,2017-05-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,45.71,-94.93,45.71,-94.93,"The afternoon of Sunday, May 28th, thunderstorms began to develop across central and west central Minnesota. Most of the activity was isolated and only a few lightning strikes were noted on regional lightning data. These storms were high based and due to an inverted sounding, some of the activity produced wind gusts of 40 to 50 mph as the storms collapsed and moved east. There was one report of a tree blown down near Long Prairie.","" +112571,671625,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LEHIGH",2017-02-25 16:11:00,EST-5,2017-02-25 16:11:00,0,0,0,0,,NaN,,NaN,40.75,-75.62,40.75,-75.62,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several reports of downed power lines, poles and trees along with roof damage due to thunderstorm winds." +115739,695601,ILLINOIS,2017,May,Hail,"CHAMPAIGN",2017-05-18 21:45:00,CST-6,2017-05-18 21:50:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-88.45,39.93,-88.45,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","" +115739,695603,ILLINOIS,2017,May,Hail,"CHRISTIAN",2017-05-19 05:33:00,CST-6,2017-05-19 05:38:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-89.38,39.65,-89.38,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","" +115745,695632,ILLINOIS,2017,May,Hail,"PEORIA",2017-05-26 13:52:00,CST-6,2017-05-26 13:57:00,0,0,0,0,0.00K,0,0.00K,0,40.6941,-89.586,40.6941,-89.586,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +114572,687135,WISCONSIN,2017,May,Thunderstorm Wind,"PRICE",2017-05-17 18:40:00,CST-6,2017-05-17 18:40:00,0,0,0,0,,NaN,,NaN,45.68,-90.39,45.68,-90.39,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","A couple trees, about 6 to 8 in diameter, were knocked down by the thunderstorm's winds in Phillips along Avon Avenue." +114572,702553,WISCONSIN,2017,May,Hail,"BAYFIELD",2017-05-16 18:20:00,CST-6,2017-05-16 18:20:00,0,0,0,0,,NaN,,NaN,46.77,-91.39,46.77,-91.39,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","There was a photograph of numerous large hailstones, the largest being 1.8 inches in diameter." +114572,690928,WISCONSIN,2017,May,Tornado,"PRICE",2017-05-16 17:56:00,CST-6,2017-05-16 18:10:00,0,0,0,0,,NaN,,NaN,45.4079,-90.6784,45.3916,-90.4919,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","A supercell thunderstorm tracked across northwest Wisconsin during the late afternoon and early evening of 5/16/2017. The storm produced a strong, 83-mile-long track tornado which affected 4 Wisconsin counties (Polk, Barron, Rusk, and Price). The tornado developed at 4:42 pm over southeastern Polk County, east of Clear Lake, then moved east-northeastward across southern Barron County, and then east across southern Rusk counties into southwest Price County. The tornado tore across the Prairie Lake Estate 50-unit mobile home park halfway between Chetek and Cameron in Barron County. Dozens of mobile homes were destroyed and damaged from high-end EF-2 wind speeds. About a couple dozen people were injured, one seriously, and one adult man lost his life. The most intense damage was north of the Village of Conrath in Rusk County. A family home was completely destroyed down to the foundation, which resulted in an EF rating of 3 (140 mph). The remainder of the tornado's path ranged from EF0 to EF1 with mainly tree damage and occasional structural damage. The damage in Price County, along the last miles of its track, was EF0. The tornado dissipated at 7:10 pm. The tornado lasted 2 hours and 28 minutes.||As of June 2017, this was Wisconsin's longest tracked tornado on record since modern National Weather Service tornado records were established in 1950." +115727,695490,ALABAMA,2017,April,Tornado,"BARBOUR",2017-04-27 15:18:00,CST-6,2017-04-27 15:22:00,0,0,0,0,0.00K,0,0.00K,0,31.9209,-85.5103,31.925,-85.4908,"A pre-frontal trough moved into Central Alabama on Tuesday night, April 26th. This boundary slowly pushed southward and was accompanied by some showers and thunderstorms. The east to west boundary drifted into south central Alabama on the morning of April 27th. The combination of shear, lift along the boundary, increased low level moisture and instability produced by insolation was just enough to spin up a few weak tornadoes.","NWS Meteorologists surveyed damage in central Barbour County and determined the damage was consistent with an EF0 tornado, with maximum sustained winds of 65 mph. The tornado touched down in a wooded area between Williams Spur and County Road 51, just northwest of the city of Clayton. The tornado caused sporadic tree damage, mostly branches. Some of the areas were completely inaccessible. Two hunters filmed the tornado as it went by." +121753,728807,PENNSYLVANIA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 19:15:00,EST-5,2017-11-05 19:15:00,0,0,0,0,2.50K,2500,0.00K,0,40.9938,-80.329,40.9938,-80.329,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees and wires down at Butler and John Street." +121753,728809,PENNSYLVANIA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 19:20:00,EST-5,2017-11-05 19:20:00,0,0,0,0,2.50K,2500,0.00K,0,40.8629,-80.3293,40.8629,-80.3293,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported several trees laid flat in one direction at golf course off of State Route 18." +117183,705035,COLORADO,2017,May,Flash Flood,"YUMA",2017-05-26 22:47:00,MST-7,2017-05-26 22:47:00,0,0,0,0,0.00K,0,0.00K,0,39.6757,-102.1796,39.6757,-102.1716,"On the afternoon of May 26, 2017, a lone supercell moved across the southern portions of Yuma County and the far northeastern corner of Kit Carson County in eastern Colorado. This cell produced several brief tornadoes as well as hail up to 1.25 inches in diameter. The supercell formed ahead of a theta-e axis that moved from northwest to southeast late in the afternoon. Further west, along the axis, another line of strong thunderstorms developed and moved through southern Yuma County and all of Kit Carson Counties early during the evening hours. These storms produced another round of severe weather with hail and flash flooding reported.","Road washed out at the intersection of county road 7 and county road KK." +116752,702121,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-26 19:00:00,MST-7,2017-05-26 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4816,-101.6844,39.4817,-101.6761,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Prolonged heavy rainfall caused water to washout part of CR 74 east of the CR 74/CR 21 intersection." +116752,702122,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-26 19:30:00,MST-7,2017-05-26 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4995,-101.6064,39.4994,-101.6064,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Prolonged heavy rainfall caused water to washout part of CR 75.2 east of the CR 25/CR 75.2 intersection. The large amount of water also created a hole in the road near the ditch." +121753,728816,PENNSYLVANIA,2017,November,Thunderstorm Wind,"BEAVER",2017-11-05 19:38:00,EST-5,2017-11-05 19:38:00,0,0,0,0,0.50K,500,0.00K,0,40.64,-80.31,40.64,-80.31,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Emergency manager reported a tree and wires down along Bennett Blvd." +116752,702123,KANSAS,2017,May,Flash Flood,"SHERMAN",2017-05-26 19:30:00,MST-7,2017-05-26 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5118,-101.5722,39.5118,-101.5724,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Prolonged heavy rainfall caused water to washout part of CR 75.2 west of the CR 28/CR 75.2 intersection." +116752,705036,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 19:37:00,MST-7,2017-05-26 19:37:00,0,0,0,0,,NaN,,NaN,39.55,-101.99,39.55,-101.99,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Trained storm spotter reported 1.25 inch diameter hail." +114981,694101,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:09:00,CST-6,2017-05-28 00:09:00,0,0,0,0,0.20K,200,0.00K,0,34.88,-87.43,34.88,-87.43,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down by thunderstorm winds at CR 76 at CR 33." +115580,694105,MICHIGAN,2017,May,Thunderstorm Wind,"MONROE",2017-05-28 16:20:00,EST-5,2017-05-28 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-83.63,41.78,-83.63,"A collapsing thunderstorm produced localized wind damage near Temperance.","Multiple power lines were reported down." +115243,694677,MISSOURI,2017,May,Hail,"CHRISTIAN",2017-05-11 15:44:00,CST-6,2017-05-11 15:44:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-93.48,37.08,-93.48,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","" +115701,695263,IOWA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-16 18:45:00,CST-6,2017-05-16 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-95.34,41.9,-95.34,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported wind gusts up to 70 mph." +112572,671680,NEW JERSEY,2017,February,Thunderstorm Wind,"GLOUCESTER",2017-02-25 17:20:00,EST-5,2017-02-25 17:20:00,0,0,0,0,,NaN,,NaN,39.77,-75.06,39.77,-75.06,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Measured wind gust." +112572,671910,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:08:00,EST-5,2017-02-25 17:08:00,0,0,0,0,,NaN,,NaN,41.15,-74.75,41.15,-74.75,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","Several large trees were snapped and uprooted." +112308,673106,NEW JERSEY,2017,February,High Wind,"EASTERN CAPE MAY",2017-02-09 12:31:00,EST-5,2017-02-09 12:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region, with a measured gust to 60 MPH in Cape May, NJ at 12:31 PM on Feb 9." +116687,701673,WYOMING,2017,May,Thunderstorm Wind,"CARBON",2017-05-26 13:30:00,MST-7,2017-05-26 13:30:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-107.0518,41.78,-107.0518,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","The WYDOT sensor three miles east of Sinclair measured a peak wind gust of 64 mph." +116687,701688,WYOMING,2017,May,Thunderstorm Wind,"ALBANY",2017-05-26 14:45:00,MST-7,2017-05-26 14:45:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-105.98,41.78,-105.98,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","A wind gust estimated at 65 mph was reported three miles north of Rock River." +116687,701748,WYOMING,2017,May,Hail,"LARAMIE",2017-05-26 15:04:00,MST-7,2017-05-26 15:10:00,0,0,0,0,0.00K,0,0.00K,0,41.2813,-104.07,41.2813,-104.07,"Thunderstorms produced large hail and strong winds across portions of south central and southeast Wyoming.","Marble to quarter size hail accumulated two inches deep. The wind-driven hail stripped trees and a wheat field." +116420,700690,TEXAS,2017,May,Thunderstorm Wind,"BROWN",2017-05-18 18:39:00,CST-6,2017-05-18 18:43:00,0,0,0,0,0.00K,0,0.00K,0,31.99,-99.13,31.99,-99.13,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A trained spotter reported power lines, power poles and large trees were blown down by damaging thunderstorm winds." +116420,700157,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 16:05:00,CST-6,2017-05-19 16:05:00,0,0,0,0,0.00K,0,0.00K,0,31.4301,-100.4595,31.4301,-100.4595,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700102,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:17:00,CST-6,2017-05-19 14:17:00,0,0,0,0,0.00K,0,0.00K,0,31.31,-100.58,31.31,-100.58,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,702503,TEXAS,2017,May,Tornado,"BROWN",2017-05-18 18:41:00,CST-6,2017-05-18 18:55:00,0,0,0,0,0.00K,0,0.00K,0,32.0353,-99.1185,32.0571,-99.0786,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A National Weather Service damage survey indicated an EF-1 tornado with highest wind speeds around 107 mph moved east along FM 2940 and then curved to the north across an oil field. The tornado damaged several homes along FM 2940 just east of Cross Cut. It lifted a significant amount of roof decking off one of the homes and destroyed the inside sheet rock. This tornado also blew out large overhead garage doors. The twister removed shingles from other residences and mostly destroyed small sheds. The tornado also snapped numerous Oak and Mesquite tree trunks and tree limbs. Debris was blown over 250 yards. Amateur radio operators from Brownwood also reported this tornado." +116420,702512,TEXAS,2017,May,Tornado,"BROWN",2017-05-18 19:38:00,CST-6,2017-05-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,31.942,-98.8591,31.9509,-98.8931,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A National Weather Storm Survey team found evidence of an EF1 tornado with wind speeds of about 107 mph, which began about 3 miles southeast of May, Texas in Hogg Mountain. It moved southeast, then northeast and then turned back to the northwest and west. Because it was nearly stationary, the tornado appeared to rotate with the parent mesocyclone. The tornado uprooted many trees, snapped many tree trunks and branches of large Oak trees. The tornado tore off a roof of a mobile home, destroyed a chicken coop, damaged outdoor furniture, ripped off sheet metal from a barn and tossed it for over 100 yards. As the tornado continued to move west across County Road 478, it became about a half mile wide as it uprooted large Oak trees and snapped some tree trunks. Eyewitness accounts and a photograph indicated this tornado had multiple vortices." +112661,672662,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 14:15:00,EST-5,2017-02-25 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-75.9,41.17,-75.9,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112661,672663,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 14:25:00,EST-5,2017-02-25 14:25:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-75.86,41.18,-75.86,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112661,672665,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 14:30:00,EST-5,2017-02-25 14:30:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-75.8,41.29,-75.8,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112661,672666,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 14:35:00,EST-5,2017-02-25 14:35:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-75.78,41.35,-75.78,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112728,675514,DELAWARE,2017,March,Thunderstorm Wind,"KENT",2017-03-01 14:57:00,EST-5,2017-03-01 14:57:00,0,0,0,0,,NaN,,NaN,38.92,-75.57,38.92,-75.57,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of Delaware. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At the Dover, DE Air Force Base, a wind gust of 76 MPH was recorded during the afternoon hours of March 1st. Behind the front wind gusts continued through the 2nd with Dover AFB recording a gust of 48 mph and Wilmington airport recording a gust of 47 mph during the morning hours.","Trees downed in Harrington onto a road." +112728,675516,DELAWARE,2017,March,Thunderstorm Wind,"KENT",2017-03-01 14:58:00,EST-5,2017-03-01 14:58:00,0,0,0,0,,NaN,,NaN,39.13,-75.47,39.13,-75.47,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of Delaware. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At the Dover, DE Air Force Base, a wind gust of 76 MPH was recorded during the afternoon hours of March 1st. Behind the front wind gusts continued through the 2nd with Dover AFB recording a gust of 48 mph and Wilmington airport recording a gust of 47 mph during the morning hours.","Measured thunderstorm wind gust." +112730,675525,NEW JERSEY,2017,March,Thunderstorm Wind,"CAPE MAY",2017-03-01 15:25:00,EST-5,2017-03-01 15:25:00,0,0,0,0,,NaN,,NaN,39.08,-74.82,39.08,-74.82,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A tree was taken down due to thunderstorm winds on Goshen road." +115446,693242,CALIFORNIA,2017,May,High Wind,"SE KERN CTY DESERT",2017-05-17 07:15:00,PST-8,2017-05-17 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave trough dropped south into the area on the afternoon of the 16th. This system produced some light showers mainly over the Southern Sierra Nevada. However, the main impact from this system was a period of strong winds across the Kern County Mountains and Deserts from the afternoon of the 16th through the evening of the 17th as there were several reports of wind gusts exceeding 60 mph prompting the issuance of a High Wind Warning for the Kern County Mountains and Deserts during the morning of the 17th.","The Mesonet station 1 E California City reported a peak wind gust of 60 mph." +115822,696098,VIRGINIA,2017,May,Hail,"FREDERICK",2017-05-18 17:32:00,EST-5,2017-05-18 17:32:00,0,0,0,0,,NaN,,NaN,39.0183,-78.2329,39.0183,-78.2329,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported along Buckhorn Road." +115822,696099,VIRGINIA,2017,May,Hail,"LOUDOUN",2017-05-18 18:42:00,EST-5,2017-05-18 18:42:00,0,0,0,0,,NaN,,NaN,38.9219,-77.5553,38.9219,-77.5553,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +115822,696100,VIRGINIA,2017,May,Hail,"PRINCE WILLIAM",2017-05-18 18:57:00,EST-5,2017-05-18 18:57:00,0,0,0,0,,NaN,,NaN,38.8239,-77.6116,38.8239,-77.6116,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +115822,696102,VIRGINIA,2017,May,Thunderstorm Wind,"CLARKE",2017-05-18 17:46:00,EST-5,2017-05-18 17:46:00,0,0,0,0,,NaN,,NaN,39.12,-77.85,39.12,-77.85,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Three trees were down." +113902,682796,CALIFORNIA,2017,February,Flood,"TEHAMA",2017-02-17 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,40.0302,-122.1016,40.0389,-122.1138,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flooding with evacuations in 2 RV parks." +112887,674427,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 04:00:00,EST-5,2017-03-01 04:00:00,0,0,0,0,4.50M,4500000,0.00K,0,38.13,-84.52,38.13,-84.52,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey team in conjunction with the University of Kentucky College of Agriculture Food and Environment determined that 70 to 80 mph straight line winds across the Spindletop area of northern Fayette County. Very strong winds 50 feet off the ground hit over 10 agricultural barns causing significant damage to roofs and side panels. The debris pattern was spread downwind and eastward at least 1/2 mile. Several power poles were knocked over and several trees snapped and uprooted. The majority of the damage orginated on the southwest corners of the barns and pushed out to the northeast. The overall damage path extended 3 miles and had a maximum width of 1/2 mile. The duration of the thunderstorm event was approximately 3 minutes. Damage to the UK agricultural facilities was estimated to be in excess of 4 million dollars." +113680,680441,ATLANTIC NORTH,2017,February,Marine Hail,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-02-25 14:42:00,EST-5,2017-02-25 14:42:00,0,0,0,0,,NaN,,NaN,38.5429,-77.3019,38.5429,-77.3019,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Quarter sized hail was reported nearby." +113713,680736,MARYLAND,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-12 21:56:00,EST-5,2017-02-12 21:56:00,0,0,0,0,,NaN,,NaN,39.7105,-77.729,39.7105,-77.729,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 60 mph was reported." +113715,680748,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:30:00,EST-5,2017-02-12 22:30:00,0,0,0,0,,NaN,,NaN,39.0914,-78.2698,39.0914,-78.2698,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto a house along the 1600 Block of Marlboro Road." +113715,680754,VIRGINIA,2017,February,Thunderstorm Wind,"FAIRFAX",2017-02-12 23:12:00,EST-5,2017-02-12 23:12:00,0,0,0,0,,NaN,,NaN,38.939,-77.1336,38.939,-77.1336,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down near the George Washington Parkway and VA 123." +120876,723723,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-28 04:16:00,PST-8,2017-11-28 07:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on Lopez Island.","Lopez Island recorded 49 mph sustained wind." +120875,723722,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-14 10:22:00,PST-8,2017-11-14 12:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Brief high wind occurred on Lopez Island.","Lopez Island had sustained wind of 44 mph." +120877,723724,WASHINGTON,2017,November,High Wind,"WESTERN WHATCOM COUNTY",2017-11-26 01:37:00,PST-8,2017-11-26 04:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind struck some zones on the coast and in the north interior.","Ferndale recorded a gust of 72 mph, and had gusts of 58 mph or greater for 2.5 hours. KBLI recorded a gust of 59 mph." +114111,683523,LOUISIANA,2017,April,Flash Flood,"GRANT",2017-04-02 21:10:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5083,-92.7112,31.6067,-92.7068,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","At least 25 roads were flooded or closed across the central and southern sections of Grant Parish." +114543,686949,COLORADO,2017,February,Winter Storm,"ANIMAS RIVER BASIN",2017-02-27 18:00:00,MST-7,2017-02-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 4 to 8 inches of snow fell across the area. Locally higher amounts included 9 inches just north of Bayfield." +114775,690133,MISSOURI,2017,April,Flood,"BUTLER",2017-04-30 05:00:00,CST-6,2017-04-30 23:59:00,0,0,1,0,20.00K,20000,0.00K,0,36.75,-90.4,36.715,-90.365,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","The Black River rose rapidly above flood stage on the 30th, climbing about 14 feet in 18 hours. The flooding reached the major category as the month was closing out. A drowning occurred when a vehicle was swept off a county road outside of Harviell. The drowning victim was a 69-year-old woman, whose body was found inside her vehicle on May 2. The Black River continued rising beyond the end of the month." +114543,686945,COLORADO,2017,February,Winter Weather,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-02-27 23:00:00,MST-7,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 1 to 6 inches of snow fell across the area. Locally higher amounts included 10 inches at Dolores." +112887,674429,KENTUCKY,2017,March,Thunderstorm Wind,"FAYETTE",2017-03-01 04:15:00,EST-5,2017-03-01 04:15:00,0,0,0,0,100.00K,100000,0.00K,0,38.1,-84.48,38.1,-84.48,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local officials reported that numerous outbuildings belonging to the University of Kentucky were significantly damaged at Newtown Pike and Interstate 65." +112887,674431,KENTUCKY,2017,March,Thunderstorm Wind,"BOURBON",2017-03-01 04:18:00,EST-5,2017-03-01 04:18:00,0,0,0,0,25.00K,25000,0.00K,0,38.22,-84.24,38.22,-84.24,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Bourbon County Emergency Manager reported that severe thunderstorm winds destroyed an old barn." +115809,695994,AMERICAN SAMOA,2017,April,Strong Wind,"TUTUILA",2017-04-03 09:00:00,SST-11,2017-04-04 20:00:00,0,0,0,0,50.00K,50000,3.00K,3000,NaN,NaN,NaN,NaN,"A very active monsoonal trough generated strong northerly winds across American Samoa. The Weather Service Office in Tafuna recorded maximum sustained winds of 31 knots with gusts up to 45 knots. Damages to large trees, plantations, power-lines, and several roofs of homes and private businesses were impacted by these strong winds. No injuries or fatalities reported.","A very active monsoonal trough generated strong northerly winds across American Samoa. The Weather Service Office in Tafuna recorded maximum sustained winds of 31 knots with gusts up to 45 knots. Damages to large trees, plantations, power-lines, and several roofs of homes and private businesses were impacted by these strong winds. No injuries or fatalities reported." +121208,725626,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 15:55:00,EST-5,2017-10-15 15:55:00,0,0,0,0,15.00K,15000,0.00K,0,42.91,-77.75,42.91,-77.75,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725627,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 15:57:00,EST-5,2017-10-15 15:57:00,0,0,0,0,6.00K,6000,0.00K,0,42.77,-77.9,42.77,-77.9,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported wires downed by thunderstorm winds." +121208,725628,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:58:00,EST-5,2017-10-15 15:58:00,0,0,0,0,10.00K,10000,0.00K,0,42.63,-78.05,42.63,-78.05,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +116134,698063,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:06:00,CST-6,2017-05-03 22:24:00,0,0,0,0,0.00K,0,0.00K,0,28.1144,-97.0244,28.1144,-97.0244,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","TCOON site at Copano Bay measured gusts to 38 knots." +116134,698064,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:12:00,CST-6,2017-05-03 22:36:00,0,0,0,0,0.00K,0,0.00K,0,28.024,-97.048,28.0211,-97.0442,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","NOS site at Rockport measured a gust to 47 knots." +116134,698065,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:23:00,CST-6,2017-05-03 22:26:00,0,0,0,0,0.00K,0,0.00K,0,27.896,-97.1394,27.8868,-97.1329,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Weatherflow mesonet site at Aransas Pass measured a gust to 38 knots." +116134,698069,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 22:30:00,CST-6,2017-05-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,27.8397,-97.0727,27.8382,-97.0896,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Port Aransas TCOON site measured a gust to 43 knots." +116420,700084,TEXAS,2017,May,Hail,"CALLAHAN",2017-05-18 18:11:00,CST-6,2017-05-18 18:11:00,0,0,0,0,0.00K,0,0.00K,0,32.1127,-99.1678,32.1127,-99.1678,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700090,TEXAS,2017,May,Hail,"CALLAHAN",2017-05-18 18:16:00,CST-6,2017-05-18 18:16:00,0,0,0,0,0.00K,0,0.00K,0,32.13,-99.17,32.13,-99.17,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116134,698082,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 22:54:00,CST-6,2017-05-03 23:12:00,0,0,0,0,0.00K,0,0.00K,0,27.6456,-97.2417,27.634,-97.237,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","TCOON site at Packery Channel measured a gust to 41 knots." +116134,698085,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 23:36:00,CST-6,2017-05-03 23:42:00,0,0,0,0,0.00K,0,0.00K,0,27.6456,-97.2417,27.634,-97.237,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","TCOON site at Packery Channel measured a gust to 38 knots." +116420,700098,TEXAS,2017,May,Hail,"THROCKMORTON",2017-05-19 10:00:00,CST-6,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-99.18,33.18,-99.18,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700099,TEXAS,2017,May,Hail,"THROCKMORTON",2017-05-19 10:02:00,CST-6,2017-05-19 10:02:00,0,0,0,0,0.00K,0,0.00K,0,33.1779,-99.1691,33.1779,-99.1691,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700100,TEXAS,2017,May,Hail,"THROCKMORTON",2017-05-19 10:17:00,CST-6,2017-05-19 10:17:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-98.99,33.27,-98.99,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700118,TEXAS,2017,May,Hail,"CONCHO",2017-05-19 17:25:00,CST-6,2017-05-19 17:25:00,0,0,0,0,0.00K,0,0.00K,0,31.4963,-99.897,31.4963,-99.897,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Baseball size hail was reported by a trained spotter near Paint Rock." +116185,703445,TEXAS,2017,May,Thunderstorm Wind,"DUVAL",2017-05-29 01:10:00,CST-6,2017-05-29 01:10:00,0,0,0,0,25.00K,25000,0.00K,0,27.76,-98.24,27.76,-98.24,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Wind caused damage to a roof at a park. A fence at a tennis court was damaged. A brick wall collapsed at a museum." +116185,703446,TEXAS,2017,May,Thunderstorm Wind,"JIM WELLS",2017-05-29 01:12:00,CST-6,2017-05-29 01:12:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-98.04,27.74,-98.04,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Alice Municipal Airport ASOS measured a gust to 70 mph." +116185,703447,TEXAS,2017,May,Thunderstorm Wind,"JIM WELLS",2017-05-29 01:24:00,CST-6,2017-05-29 01:24:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-98.04,27.74,-98.04,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Alice Municipal Airport ASOS measured a gust to 62 mph." +116185,703449,TEXAS,2017,May,Flash Flood,"NUECES",2017-05-29 02:10:00,CST-6,2017-05-29 02:50:00,0,0,0,0,0.00K,0,0.00K,0,27.71,-97.37,27.7,-97.3816,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Flood waters covered the roadways along South Padre Island Drive at Everhart Road and Staples Street." +114986,689922,MAINE,2017,March,Heavy Snow,"SOUTHERN OXFORD",2017-03-31 13:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113256,677653,MISSISSIPPI,2017,January,Winter Weather,"DE SOTO",2017-01-06 02:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About two to three inches of snow fell." +113256,677656,MISSISSIPPI,2017,January,Winter Weather,"TATE",2017-01-06 02:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell over northern Tate County." +113256,677657,MISSISSIPPI,2017,January,Winter Weather,"MARSHALL",2017-01-06 02:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","Up to three inches fell over northern Marshall County." +113256,677658,MISSISSIPPI,2017,January,Winter Weather,"BENTON",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell over northern Benton County." +113256,677659,MISSISSIPPI,2017,January,Winter Weather,"TIPPAH",2017-01-06 03:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell over northern Tippah County." +114301,685090,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-07 00:23:00,CST-6,2017-03-07 00:23:00,0,0,0,0,100.00K,100000,0.00K,0,36.03,-92.8,36.03,-92.8,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A second home in Saint Joe has been reported as destroyed by the sheriff's office." +114301,685092,ARKANSAS,2017,March,Thunderstorm Wind,"BOONE",2017-03-07 00:40:00,CST-6,2017-03-07 00:40:00,0,0,0,0,0.00K,0,0.00K,0,36.31,-93.01,36.31,-93.01,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Several trees were uprooted." +114301,685094,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-07 02:33:00,CST-6,2017-03-07 02:33:00,0,0,0,0,150.00K,150000,0.00K,0,36.03,-92.8,36.03,-92.8,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","A house was destroyed with many trees and power lines down in St. Joe." +114348,685221,ARKANSAS,2017,March,Winter Weather,"SHARP",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three inches of snow was measured in Sidney in Sharp County." +114304,684792,TEXAS,2017,April,Hail,"SMITH",2017-04-26 12:40:00,CST-6,2017-04-26 12:40:00,0,0,0,0,0.00K,0,0.00K,0,32.36,-95.34,32.36,-95.34,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684793,TEXAS,2017,April,Hail,"SMITH",2017-04-26 13:35:00,CST-6,2017-04-26 13:35:00,0,0,0,0,0.00K,0,0.00K,0,32.15,-95.12,32.15,-95.12,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114327,690208,KENTUCKY,2017,April,Strong Wind,"HENDERSON",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690209,KENTUCKY,2017,April,Strong Wind,"DAVIESS",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +115019,690223,ILLINOIS,2017,April,Strong Wind,"ALEXANDER",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115019,690224,ILLINOIS,2017,April,Strong Wind,"UNION",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115019,690225,ILLINOIS,2017,April,Strong Wind,"JACKSON",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +114419,685958,MISSOURI,2017,April,Thunderstorm Wind,"PERRY",2017-04-26 12:35:00,CST-6,2017-04-26 12:35:00,0,0,0,0,0.00K,0,0.00K,0,37.8209,-89.9718,37.8209,-89.9718,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","A trained spotter estimated a wind gust to 65 mph." +114419,687738,MISSOURI,2017,April,Flash Flood,"NEW MADRID",2017-04-26 19:35:00,CST-6,2017-04-26 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7368,-89.5578,36.7461,-89.5139,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","Flooding was reported along Highway 80 near Interstate 55. The road was not closed. A trained spotter measured 3.25 inches in about three hours near East Prairie in Mississippi County." +114419,690118,MISSOURI,2017,April,Flood,"WAYNE",2017-04-27 05:00:00,CST-6,2017-04-28 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-90.52,37.22,-90.526,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Isolated strong wind gusts and dime to nickel-size hail accompanied small bowing lines of storms. Heavy rainfall caused minor flooding of the St. Francis River.","Minor flooding of the St. Francis River occurred. Low-lying woods and fields were flooded. This was the predecessor of a much bigger flood that occurred at the start of May." +113709,680697,VIRGINIA,2017,February,Hail,"PRINCE WILLIAM",2017-02-25 14:42:00,EST-5,2017-02-25 14:42:00,0,0,0,0,,NaN,,NaN,38.5457,-77.3146,38.5457,-77.3146,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported in Triangle." +113709,680698,VIRGINIA,2017,February,Hail,"STAFFORD",2017-02-25 14:48:00,EST-5,2017-02-25 14:48:00,0,0,0,0,,NaN,,NaN,38.4474,-77.3696,38.4474,-77.3696,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Arkendale." +113709,680699,VIRGINIA,2017,February,Hail,"KING GEORGE",2017-02-25 15:08:00,EST-5,2017-02-25 15:08:00,0,0,0,0,,NaN,,NaN,38.3393,-77.057,38.3393,-77.057,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported near Dahlgren." +113709,680700,VIRGINIA,2017,February,Thunderstorm Wind,"ALBEMARLE",2017-02-25 13:06:00,EST-5,2017-02-25 13:06:00,0,0,0,0,,NaN,,NaN,37.9038,-78.6669,37.9038,-78.6669,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A tree was down onto power lines along Cowan Road." +113819,682189,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-05 07:00:00,PST-8,2017-02-06 07:09:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","There were 1.23 of rain measured over 24 hours at Pacific House." +113870,681920,TEXAS,2017,April,Hail,"SHELBY",2017-04-02 10:40:00,CST-6,2017-04-02 10:40:00,0,0,0,0,0.00K,0,0.00K,0,31.7953,-94.1803,31.7953,-94.1803,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Ping pong ball size hail fell in Center, per KSLA-TV." +113902,682803,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-20 02:30:00,PST-8,2017-02-21 02:30:00,0,0,0,0,0.00K,0,0.00K,0,38.6447,-121.3439,38.6477,-121.3409,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Winding Way closed from Valhalla Dr. to Walnut Ave. due to flooding of Arcade Creek." +113902,682804,CALIFORNIA,2017,February,Flood,"PLACER",2017-02-20 03:45:00,PST-8,2017-02-21 03:45:00,0,0,0,0,0.00K,0,0.00K,0,38.7347,-121.3663,38.7348,-121.3636,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Dry Creek flooding blocking Walerga Rd. near intersection with PFE Rd." +113902,682805,CALIFORNIA,2017,February,Flood,"TEHAMA",2017-02-20 05:30:00,PST-8,2017-02-21 05:30:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-122.18,40.0821,-122.1804,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flores Ave. was closed due to flooding." +113902,682839,CALIFORNIA,2017,February,High Wind,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-02-20 22:45:00,PST-8,2017-02-20 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Preliminary Mesowest data from the summit of Ward Mountain in the northern Sierra at Squaw Valley ski resort showed a gust to 199 mph (SUMAM Mesowest station, elevation 8643 ft). The gust occurred between 10:45 and 11:00 pm PST on Monday, February 20, 2017. This wind gust is being considered by NCEI as potentially the strongest wind gust on record in California. Reports from the ski resort indicate some 3 foot wide trees were downed, as well as some broken windows. |A nearby station had a gust to 193mph, at Sierra Crest(SIBSV Mesowest station, elevation 8700 ft)." +113902,682923,CALIFORNIA,2017,February,Strong Wind,"NORTHERN SAN JOAQUIN VALLEY",2017-02-17 06:00:00,PST-8,2017-02-17 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","There was a 52 mph wind gust reported at Stockton Metropolitan Airport, with strong winds continuing through the morning into the afternoon. Wind blew a tree down into the road, blocking travel." +113902,682924,CALIFORNIA,2017,February,Flash Flood,"SAN JOAQUIN",2017-02-20 16:00:00,PST-8,2017-02-21 22:00:00,0,0,0,0,500.00K,500000,0.00K,0,37.7791,-121.3018,37.7431,-121.3007,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","A levee breach 5-10 feet wide occurred along the San Joaquin River, 6 miles south of Lathrop. An evacuation was ordered by San Joaquin OES for south of Woodward Ave., west of Union Rd., and north of Mortensen. |Most of the areas affected are rural-agricultural areas.|As of approximately 21:00, the levee breach was plugged with rock and soil. Rip rap was applied on the waterside for wave wash protection. There were 10 structures were located near the inundation area." +113680,680462,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"EASTERN BAY",2017-02-25 16:18:00,EST-5,2017-02-25 16:18:00,0,0,0,0,,NaN,,NaN,38.9185,-76.2004,38.9185,-76.2004,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 35 knots were reported at Prospect Bay." +113680,680463,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-02-25 16:18:00,EST-5,2017-02-25 16:18:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts in excess of 30 knots were reported at Piney Point." +113713,680742,MARYLAND,2017,February,Thunderstorm Wind,"ANNE ARUNDEL",2017-02-12 23:14:00,EST-5,2017-02-12 23:14:00,0,0,0,0,,NaN,,NaN,39.165,-76.625,39.165,-76.625,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 59 mph was reported." +113713,680743,MARYLAND,2017,February,Thunderstorm Wind,"PRINCE GEORGE'S",2017-02-12 23:28:00,EST-5,2017-02-12 23:28:00,0,0,0,0,,NaN,,NaN,38.8313,-76.8703,38.8313,-76.8703,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 72 mph was reported at Andrews Air Force Base." +113715,680745,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:15:00,EST-5,2017-02-12 22:15:00,0,0,0,0,,NaN,,NaN,39.2576,-78.3352,39.2576,-78.3352,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on Sand Mine Road." +113715,680746,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:20:00,EST-5,2017-02-12 22:20:00,0,0,0,0,,NaN,,NaN,39.2074,-78.3086,39.2074,-78.3086,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees and power lines were down along the 1200 of Block Mountain Road." +113715,680747,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:25:00,EST-5,2017-02-12 22:25:00,0,0,0,0,,NaN,,NaN,39.2013,-78.3253,39.2013,-78.3253,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on the Witch Hazel Trail." +114326,685056,ILLINOIS,2017,April,Thunderstorm Wind,"WHITE",2017-04-05 14:33:00,CST-6,2017-04-05 14:34:00,0,0,0,0,60.00K,60000,0.00K,0,38.1,-88.33,38.1,-88.33,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southeast Illinois. Surface dew points in the 50's spread northeastward beneath cold mid-level temperatures aloft. The atmosphere became sufficiently unstable for severe storms, with capes approaching 1000 j/kg. Wind fields aloft were quite strong as a belt of 80-knot winds at 500 mb progressed northeast into the Tennessee Valley. The strong wind shear facilitated several severe storms, including a brief tornado.","A downburst with peak winds estimated near 90 mph tracked through Enfield from southwest to northeast. Dozens of trees and large limbs were blown down, primarily within the city limits. Some minor roof damage occurred at several houses, an apartment building, and a school. A section of the covering of the school roof, approximately 60 to 100 feet in length, was blown off. Power lines were down. A carport was blown away and wrapped around a tree. A large tarp was torn off a very large grain pile. The most intense tree damage was in the city park, where several large hardwood trees up to four feet in diameter were uprooted. The damage path extended from the western city limit to the eastern city limit, a distance of about 1.2 miles. The width of the microburst averaged 600 yards." +114404,685804,ILLINOIS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-16 14:15:00,CST-6,2017-04-16 14:15:00,0,0,0,0,8.00K,8000,0.00K,0,37.6631,-88.895,37.6631,-88.895,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. However, steepening low-level lapse rates with diurnal heating and around 25 to 30 knots of mid-level wind flow promoted isolated damaging winds in the strongest cells.","Several trees were blown down, and a few shingles were off of homes." +112887,674494,KENTUCKY,2017,March,Thunderstorm Wind,"BULLITT",2017-03-01 06:58:00,EST-5,2017-03-01 06:58:00,0,0,0,0,55.00K,55000,0.00K,0,38.1,-85.46,38.1,-85.46,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Bullitt County Emergency Manager reported damage to barns and outbuildings. A gas pump station was also damaged by the severe thunderstorm winds." +121196,725849,MONTANA,2017,November,Heavy Snow,"CASCADE",2017-11-03 17:02:00,MST-7,2017-11-03 17:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Twitter report of 2 semis stuck on the I-15 southbound ramp in Great Falls." +121196,725847,MONTANA,2017,November,Heavy Snow,"JEFFERSON",2017-11-03 10:20:00,MST-7,2017-11-03 10:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Social media report from MDOT of a jack-knifed semi truck on I-90 on Homestake Pass." +115288,692157,DISTRICT OF COLUMBIA,2017,April,Hail,"DISTRICT OF COLUMBIA",2017-04-21 16:02:00,EST-5,2017-04-21 16:02:00,0,0,0,0,,NaN,,NaN,38.9533,-77.0012,38.9533,-77.0012,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115204,695101,OKLAHOMA,2017,May,Hail,"COTTON",2017-05-22 20:50:00,CST-6,2017-05-22 20:50:00,0,0,0,0,0.00K,0,0.00K,0,34.21,-98.48,34.21,-98.48,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","Copious amounts of hail covering the interstate up to one inch deep." +115205,695103,TEXAS,2017,May,Hail,"CLAY",2017-05-22 21:51:00,CST-6,2017-05-22 21:51:00,0,0,0,0,0.00K,0,0.00K,0,33.96,-98.17,33.96,-98.17,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115290,692168,VIRGINIA,2017,April,Thunderstorm Wind,"FREDERICK",2017-04-30 15:38:00,EST-5,2017-04-30 15:38:00,0,0,0,0,,NaN,,NaN,39.2441,-78.3885,39.2441,-78.3885,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down in the 1600 Block of Carpers Pike." +115288,692158,DISTRICT OF COLUMBIA,2017,April,Hail,"DISTRICT OF COLUMBIA",2017-04-21 16:07:00,EST-5,2017-04-21 16:07:00,0,0,0,0,,NaN,,NaN,38.9017,-76.9886,38.9017,-76.9886,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115288,692159,DISTRICT OF COLUMBIA,2017,April,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-04-21 15:58:00,EST-5,2017-04-21 15:58:00,0,0,0,0,0.00K,0,0.00K,0,38.9533,-77.0012,38.9533,-77.0012,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","There was damage to roof shingles of a house at the 300 Block of Hamilton Street Northeast." +115205,695104,TEXAS,2017,May,Thunderstorm Wind,"CLAY",2017-05-22 21:25:00,CST-6,2017-05-22 21:25:00,0,0,0,0,0.00K,0,0.00K,0,34.04,-98.21,34.04,-98.21,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","Power lines downed on highway 79 between Patrolia and Byers." +115205,695105,TEXAS,2017,May,Thunderstorm Wind,"CLAY",2017-05-22 21:55:00,CST-6,2017-05-22 21:55:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-98.04,33.81,-98.04,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","Power poles downed. Time estimated by radar." +115206,695919,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 17:41:00,CST-6,2017-05-27 17:41:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.33,34.18,-97.33,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115206,695920,OKLAHOMA,2017,May,Hail,"CARTER",2017-05-27 17:46:00,CST-6,2017-05-27 17:46:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.31,34.18,-97.31,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +121753,729017,PENNSYLVANIA,2017,November,Flood,"BEAVER",2017-11-06 06:35:00,EST-5,2017-11-06 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-80.24,40.7504,-80.1932,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Connoquenessing Creek near Zelienople, PA exceeded flood stage of 10.0 feet causing localized flooding to the town. In addition several roads along Brush Creek were flooded including Brush Creek Road and Snyder Drive." +114111,683299,LOUISIANA,2017,April,Thunderstorm Wind,"GRANT",2017-04-02 13:45:00,CST-6,2017-04-02 13:45:00,0,0,0,0,0.00K,0,0.00K,0,31.524,-92.4092,31.524,-92.4092,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Several trees were blown down in Pollock." +113620,680531,TEXAS,2017,March,Thunderstorm Wind,"WINKLER",2017-03-28 17:23:00,CST-6,2017-03-28 17:23:00,0,0,0,0,,NaN,,NaN,31.7705,-103.1741,31.7705,-103.1741,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Winkler County and produced a 61 mph wind gust at the Wink ASOS site." +114111,683512,LOUISIANA,2017,April,Thunderstorm Wind,"GRANT",2017-04-02 15:30:00,CST-6,2017-04-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.6098,-92.5424,31.6098,-92.5424,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Several trees were blown down on Highway 167 north of Dry Prong." +113616,684086,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,0.00K,0,0.00K,0,31.6046,-84.1791,31.6046,-84.1791,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down at 1206 Whispering Pines Road." +113616,684087,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,10.00K,10000,0.00K,0,31.59,-84.1708,31.59,-84.1708,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A power pole was blown down onto a car on North Harding Street." +113616,684089,GEORGIA,2017,April,Thunderstorm Wind,"LEE",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,15.00K,15000,0.00K,0,31.6119,-84.1944,31.6119,-84.1944,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down onto a house off of Stuart Road." +113616,684090,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,15.00K,15000,0.00K,0,31.6074,-84.1981,31.6074,-84.1981,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down onto a home on Doncaster Road." +116832,702560,MINNESOTA,2017,May,Hail,"CARLTON",2017-05-15 01:38:00,CST-6,2017-05-15 01:38:00,0,0,0,0,,NaN,,NaN,46.73,-92.49,46.73,-92.49,"Thunderstorms dropped hail near Cloquet, MN during the wee hours of the morning on May 15th. There were reports of hail about the size of pennies and nickels.","" +116748,702114,MAINE,2017,May,Flood,"SOMERSET",2017-05-02 00:45:00,EST-5,2017-05-03 05:30:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-69.72,44.7729,-69.7095,"Rainfall of around 1 inch was enough to raise the Kennebec River at Skowhegan, which was already high due to April snowmelt, to just above flood stage (flood stage 35,000 cfs). The river crested at 36,956 cfs resulting in minor flooding.","Rainfall of around 1 inch was enough to raise the Kennebec River at Skowhegan, which was already high due to April snowmelt, to just above flood stage (flood stage 35,000 cfs). The river crested at 36,956 cfs resulting in minor flooding." +116844,702582,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"GEORGETOWN",2017-05-29 21:43:00,EST-5,2017-05-29 21:44:00,0,0,0,0,5.00K,5000,0.00K,0,33.6984,-79.329,33.7,-79.3225,"Mid-level vorticity impulses embedded in enhanced southwest flow tapped surface based and elevated instability to produce widespread thunderstorms in two distinct waves, one late evening and another overnight. The environment was characterized by modest mixed layer CAPE values and relatively high shear which helped to organize and intensify the convection.","Three trees were reported down on farm properties along S Holland Boulevard and County Rd. 22-45." +115305,692271,NEVADA,2017,May,Strong Wind,"LAS VEGAS VALLEY",2017-05-06 11:30:00,PST-8,2017-05-06 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low dove south through California and then moved slowly across the Desert Southwest. Ahead of the low, strong south to southwest winds occurred; later, thunderstorms developed under the low center.","Strong winds downed a power pole and a tree branch." +115305,692272,NEVADA,2017,May,Strong Wind,"NORTHEAST CLARK",2017-05-06 16:00:00,PST-8,2017-05-06 16:00:00,2,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low dove south through California and then moved slowly across the Desert Southwest. Ahead of the low, strong south to southwest winds occurred; later, thunderstorms developed under the low center.","Strong winds tossed several canopy tents at a carnival in Mesquite, injuring two people." +115305,692274,NEVADA,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-08 18:45:00,PST-8,2017-05-08 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.9199,-114.1667,37.9199,-114.1667,"An upper level low dove south through California and then moved slowly across the Desert Southwest. Ahead of the low, strong south to southwest winds occurred; later, thunderstorms developed under the low center.","" +115306,692277,NEVADA,2017,May,Strong Wind,"LAS VEGAS VALLEY",2017-05-18 17:00:00,PST-8,2017-05-18 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Utah brought strong north winds to southern Nevada.","Strong winds downed a large tree onto several cars in Las Vegas." +115307,692280,CALIFORNIA,2017,May,Strong Wind,"WESTERN MOJAVE DESERT",2017-05-25 14:35:00,PST-8,2017-05-25 14:35:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A trough passing by to the north brought isolated strong winds to southeast California.","Strong winds downed a power line onto a vehicle 2 miles SW of Trona, starting a small fire." +116884,702766,TEXAS,2017,May,Hail,"WHEELER",2017-05-16 16:34:00,CST-6,2017-05-16 16:34:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-100.38,35.44,-100.38,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702767,TEXAS,2017,May,Hail,"WHEELER",2017-05-16 16:38:00,CST-6,2017-05-16 16:38:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-100.28,35.44,-100.28,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702768,TEXAS,2017,May,Thunderstorm Wind,"WHEELER",2017-05-16 16:40:00,CST-6,2017-05-16 16:40:00,0,0,0,0,,NaN,,NaN,35.41,-100.24,35.41,-100.24,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Multiple power poles snapped, power lines down, and trees down on highway 83." +116903,702948,WISCONSIN,2017,May,Hail,"MANITOWOC",2017-05-15 20:30:00,CST-6,2017-05-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-87.69,44.1,-87.69,"Thunderstorms that moved across east central Wisconsin produced heavy rain and isolated large hail.","A thunderstorms produced penny size hail as it passed through the Manitowoc area." +115199,700769,OKLAHOMA,2017,May,Tornado,"BECKHAM",2017-05-16 17:23:00,CST-6,2017-05-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-99.85,35.12,-99.83,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","An NWS employee observed a tornado from an occluded mesocyclone to the south-southeast of Erick. The tornado was observed for about two minutes. No damage was reported and the specific path is estimated." +115200,700772,OKLAHOMA,2017,May,Tornado,"JACKSON",2017-05-18 13:02:00,CST-6,2017-05-18 13:05:00,0,0,0,0,0.00K,0,0.00K,0,34.677,-99.594,34.684,-99.587,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Oklahoma City televisions stations broadcast a tornado northwest of Duke. No damage was reported and the specific location is estimated." +116091,702270,WISCONSIN,2017,May,Thunderstorm Wind,"VERNON",2017-05-17 18:48:00,CST-6,2017-05-17 18:48:00,0,0,0,0,30.00K,30000,0.00K,0,43.4699,-90.9929,43.4699,-90.9929,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down southwest of Viroqua. Some of these trees landed on houses." +116091,702275,WISCONSIN,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-17 18:20:00,CST-6,2017-05-17 18:20:00,0,0,0,0,30.00K,30000,0.00K,0,43.0532,-91.1448,43.0532,-91.1448,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Trees were blown down on the north side of Prairie du Chien. Some of these trees landed on houses and cars. Some roof damage also occurred in the strong winds." +116091,702277,WISCONSIN,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-17 18:24:00,CST-6,2017-05-17 18:24:00,0,0,0,0,50.00K,50000,0.00K,0,43.0881,-91.1299,43.0881,-91.1299,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A couple of machine sheds were blown down north of Prairie du Chien." +116091,702295,WISCONSIN,2017,May,Flood,"TREMPEALEAU",2017-05-17 14:05:00,CST-6,2017-05-19 17:35:00,0,0,0,0,0.00K,0,0.00K,0,44.2719,-91.4832,44.2671,-91.4778,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains pushed the Trempealeau River out of its banks in Arcadia. The river crested a foot and a half above the flood state at 9.5 feet." +116952,703383,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:41:00,CST-6,2017-05-27 20:41:00,0,0,0,0,,NaN,,NaN,36.51,-100.38,36.51,-100.38,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Broken windows in house and cars." +116952,703384,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-27 20:48:00,CST-6,2017-05-27 20:48:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-100.44,36.53,-100.44,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703385,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:55:00,CST-6,2017-05-27 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703386,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:55:00,CST-6,2017-05-27 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-100.53,36.8,-100.53,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +115201,702895,TEXAS,2017,May,Tornado,"WICHITA",2017-05-18 15:48:00,CST-6,2017-05-18 15:50:00,0,0,0,0,0.00K,0,0.00K,0,34.121,-98.929,34.129,-98.911,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A tornado was observed by spotters north of Electra and Haynesville(Punkin Center) that lasted about 2 minutes. No damage is known to have occurred with this tornado." +115203,702901,TEXAS,2017,May,Tornado,"ARCHER",2017-05-19 17:00:00,CST-6,2017-05-19 17:02:00,0,0,0,0,0.00K,0,0.00K,0,33.549,-98.467,33.553,-98.46,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","A tornado was observed southwest of Windthorst by the Windthorst Fire Department and a university chase team. No damage was reported and the location is estimated." +115199,706244,OKLAHOMA,2017,May,Thunderstorm Wind,"MCCLAIN",2017-05-16 23:40:00,CST-6,2017-05-16 23:40:00,0,0,0,0,0.00K,0,0.00K,0,34.971,-97.652,34.971,-97.652,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Two homes suffered roof damage (one was still under construction), and several trees were damaged south of Dibble." +114479,686484,MISSOURI,2017,March,Hail,"BATES",2017-03-09 11:38:00,CST-6,2017-03-09 11:38:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-94.59,38.26,-94.59,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +116147,703526,OKLAHOMA,2017,May,Tornado,"OKFUSKEE",2017-05-27 19:20:00,CST-6,2017-05-27 19:26:00,0,0,0,0,0.00K,0,0.00K,0,35.6012,-96.5336,35.605,-96.4973,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Storm chasers observed a tornado over open country for about six minutes. An NWS ground survey team was unable to find any damage from the tornado, mainly due to the fact the tornado was over terrain that was inaccessible by roads. Storm chaser photos and video did show some debris occasionally in the tornadic circulation, most likely from trees." +115200,700775,OKLAHOMA,2017,May,Tornado,"DEWEY",2017-05-18 15:11:00,CST-6,2017-05-18 15:11:00,0,0,0,0,0.00K,0,0.00K,0,36.127,-99.022,36.127,-99.022,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Storm chasers and broadcast media reported the first of a family of tornadoes across northwestern Oklahoma. No damage was reported. The specific location is estimated but based on triangulation of numerous observers." +115256,691948,HAWAII,2017,May,High Surf,"NIIHAU",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691949,HAWAII,2017,May,High Surf,"KAUAI WINDWARD",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691950,HAWAII,2017,May,High Surf,"KAUAI LEEWARD",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691951,HAWAII,2017,May,High Surf,"OAHU SOUTH SHORE",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115096,701537,OKLAHOMA,2017,May,Hail,"OSAGE",2017-05-11 15:20:00,CST-6,2017-05-11 15:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.6678,-96.3332,36.6678,-96.3332,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115096,701538,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-11 15:20:00,CST-6,2017-05-11 15:20:00,0,0,0,0,3.00K,3000,0.00K,0,36.4144,-96.3945,36.4144,-96.3945,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down several trees, snapped large tree limbs, and damaged the roof of a home." +115096,701540,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-11 15:33:00,CST-6,2017-05-11 15:33:00,0,0,0,0,0.00K,0,0.00K,0,36.5086,-96.2464,36.5086,-96.2464,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +116143,701556,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-17 02:37:00,CST-6,2017-05-17 02:37:00,0,0,0,0,0.00K,0,0.00K,0,36.1722,-95.8838,36.1722,-95.8838,"Severe thunderstorms developed along a dry line across the eastern Texas Panhandle during the afternoon of the 16th. These storms moved across western and central Oklahoma during the afternoon and evening hours. By the time these thunderstorms moved into northeastern Oklahoma during the early morning hours of the 17th, they had evolved into a solid line of storms. The strongest storms within this line produced damaging wind gusts.","A storm spotter measured thunderstorm wind gusts to 66 mph. Large tree limbs were snapped by this wind." +114377,686690,KENTUCKY,2017,May,Hail,"WASHINGTON",2017-05-11 14:45:00,EST-5,2017-05-11 14:45:00,0,0,0,0,50.00K,50000,0.00K,0,37.69,-85.22,37.69,-85.22,"A stationary boundary draped across central Kentucky combined with a warm and unstable air mass fueled afternoon thunderstorms. The strongest storm produced hail up to golf ball size in diameter.","Local broadcast media received multiple reports of golf ball sized hail." +114377,686691,KENTUCKY,2017,May,Hail,"BOYLE",2017-05-11 15:19:00,EST-5,2017-05-11 15:19:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-84.99,37.62,-84.99,"A stationary boundary draped across central Kentucky combined with a warm and unstable air mass fueled afternoon thunderstorms. The strongest storm produced hail up to golf ball size in diameter.","" +114815,688665,KENTUCKY,2017,May,Hail,"CUMBERLAND",2017-05-24 12:10:00,CST-6,2017-05-24 12:10:00,0,0,0,0,50.00K,50000,0.00K,0,36.79,-85.51,36.79,-85.51,"A compact low pressure system moved from middle Tennessee to central Kentucky during the afternoon hours May 24. Marginal instability developed in the afternoon and evening hours ahead of this low across south central Kentucky and the Bluegrass region. Isolated strong to severe thunderstorms tracked across portions of the area where reports of large hail and damaging winds were received.","" +114815,688667,KENTUCKY,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-24 12:10:00,CST-6,2017-05-24 12:10:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-85.37,36.79,-85.37,"A compact low pressure system moved from middle Tennessee to central Kentucky during the afternoon hours May 24. Marginal instability developed in the afternoon and evening hours ahead of this low across south central Kentucky and the Bluegrass region. Isolated strong to severe thunderstorms tracked across portions of the area where reports of large hail and damaging winds were received.","Local law enforcement reported trees down in the area." +114666,687796,INDIANA,2017,May,Flash Flood,"WASHINGTON",2017-05-19 17:47:00,EST-5,2017-05-19 17:47:00,0,0,0,0,40.00K,40000,0.00K,0,38.6,-86.1,38.6008,-86.087,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","Several inches of rain fell in a very short time period which resulted in significant flash flooding across many portions of Washington County. Multiple high water rescues were reported across the county due to flash flooding." +114666,687797,INDIANA,2017,May,Flash Flood,"WASHINGTON",2017-05-19 17:58:00,EST-5,2017-05-19 17:58:00,0,0,0,0,0.00K,0,0.00K,0,38.6215,-86.0775,38.6282,-86.0605,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","Local law enforcement reported that State Road 56 east of Salem was closed due to high water." +114827,689536,WISCONSIN,2017,May,Hail,"POLK",2017-05-16 15:20:00,CST-6,2017-05-16 15:40:00,0,0,0,0,500.00K,500000,0.00K,0,45.3318,-92.1746,45.2725,-92.4171,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","There was a swath of very large hail, up to baseball size, that fell from southwest of Amery, northeast to Clayton. Numerous photos from social media provided how large the hail became." +114827,689538,WISCONSIN,2017,May,Hail,"BARRON",2017-05-16 15:40:00,CST-6,2017-05-16 16:13:00,0,0,0,0,500.00K,500000,0.00K,0,45.332,-92.1681,45.3984,-91.8542,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","There was a swath of very large hail, up to 3 inches in diameter, that occurred from east of Clayton, to Barron." +116144,702224,OKLAHOMA,2017,May,Flood,"PITTSBURG",2017-05-20 04:00:00,CST-6,2017-05-21 07:45:00,0,0,0,0,0.00K,0,0.00K,0,34.8627,-95.5947,34.8514,-95.5836,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 63 were flooded and closed from Bache Road to Haileyville." +116144,702225,OKLAHOMA,2017,May,Flood,"PITTSBURG",2017-05-20 04:00:00,CST-6,2017-05-21 07:45:00,0,0,0,0,0.00K,0,0.00K,0,34.9577,-95.8516,34.9567,-95.8582,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Portions of Highway 270 were flooded and closed west of the Indian Nation Turnpike." +116621,704146,GEORGIA,2017,May,Tornado,"GORDON",2017-05-24 09:50:00,EST-5,2017-05-24 09:51:00,0,0,0,0,30.00K,30000,,NaN,34.5984,-84.8888,34.6017,-84.8849,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that the same thunderstorm that produced a brief tornado east of Resaca, produced another brief tornado northeast of |Resaca along Nicklesville Road. The EF0 tornado with maximum wind speeds of 75 MPH and a maximum path width of 90 yards, damaged the roof of a home and a small barn and snapped or uprooted several large trees. No injuries were reported. [05/24/17: Tornado #3, County #1/1, EF-0, Gordon, 2017:077]." +116621,704148,GEORGIA,2017,May,Tornado,"GILMER",2017-05-24 10:16:00,EST-5,2017-05-24 10:17:00,0,0,0,0,8.00K,8000,,NaN,34.7295,-84.6111,34.7302,-84.6099,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that the thunderstorm that produced two brief tornadoes in Gordon County produced another brief tornado in Gilmer County northwest of Ellijay. The EF0 tornado, with maximum wind speeds of 70 MPH and a maximum path width of 30 yards, touched down southwest of Rodgers Creek Road and moved northeast for less than a tenth of a mile, crossing the road and snapping or uprooting several large trees on either side of the road. No injuries were reported. [05/24/17: Tornado # 4, County #1/1, EF-0, Gilmer, 2017:078]." +116621,704153,GEORGIA,2017,May,Tornado,"FANNIN",2017-05-24 10:43:00,EST-5,2017-05-24 10:44:00,0,0,0,0,7.00K,7000,,NaN,34.8801,-84.2944,34.8812,-84.2924,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that the thunderstorm that produced brief tornadoes in Gordon and Gilmer Counties produced one more brief, weak tornado in Fannin County on the northeast side of Blue Ridge. The EF0 tornado with maximum wind speeds 75 MPH and a maximum path width of 35 yards began just east of Highway 76 between McClure Way and McKinney Road. Several large trees were snapped or uprooted. No injuries were reported. [05/24/17: Tornado # 5, County #1/1, EF-0, Fannin, 2017:079]." +116621,704209,GEORGIA,2017,May,Thunderstorm Wind,"CHATTOOGA",2017-05-24 09:20:00,EST-5,2017-05-24 09:25:00,0,0,0,0,1.00K,1000,,NaN,34.4611,-85.1928,34.4611,-85.1928,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Chattooga County 911 center reported a tree blown down at the intersection of Little Sand Mountain Road and Haywood Valley Road." +116597,701786,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-05-03 19:08:00,CST-6,2017-05-03 19:08:00,0,0,0,0,0.00K,0,0.00K,0,30.3533,-87.3176,30.3533,-87.3176,"A line of thunderstorms moved across the marine area and produced high winds.","Pensacola Nas." +121578,727721,CALIFORNIA,2017,November,Dense Fog,"ORANGE COUNTY COASTAL",2017-11-25 12:40:00,PST-8,2017-11-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weakening ridge of high pressure set the stage for a shallow marine layer to infiltrate coastal areas. This brought dense fog to the coast of San Diego and Orange Counties on the 25th and 26th, minor impacts were reported at San Diego International.","A bank of dense fog with near zero visibility rolled up the Orange County coast, impacting mainly the beaches." +121606,727825,CALIFORNIA,2017,November,Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Temperatures ranged from the upper 80's at the beaches to the upper 90's several miles inland. San Diego reached 92 degrees, the latest 90 degree temperature on record for a calendar year." +113468,679250,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN PLYMOUTH",2017-02-09 10:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Nine to seventeen inches of snow fell on Eastern Plymouth County." +115308,692292,ALABAMA,2017,April,Drought,"ST. CLAIR",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115308,692293,ALABAMA,2017,April,Drought,"CALHOUN",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115308,692294,ALABAMA,2017,April,Drought,"CLEBURNE",2017-04-01 00:00:00,CST-6,2017-04-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of central Alabama eased the drought conditions.","Significant rainfall during early April lowered the drought intensity to a D1 category." +115310,692298,ALABAMA,2017,April,Thunderstorm Wind,"SUMTER",2017-04-03 02:48:00,CST-6,2017-04-03 02:49:00,0,0,0,0,0.00K,0,0.00K,0,32.43,-88.38,32.43,-88.38,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several trees uprooted and power lines downed near the intersection of U.S. Highway 80 and 4th Street North in the city of Cuba." +115310,692299,ALABAMA,2017,April,Thunderstorm Wind,"SUMTER",2017-04-03 02:50:00,CST-6,2017-04-03 02:51:00,0,0,0,0,0.00K,0,0.00K,0,32.4591,-88.3432,32.4591,-88.3432,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several trees uprooted and power lines downed near the intersection of Highway 11 and Wallace Road. Numerous trees reported uprooted and widespread power outages across Sumter County." +115310,692300,ALABAMA,2017,April,Thunderstorm Wind,"SUMTER",2017-04-03 02:52:00,CST-6,2017-04-03 02:53:00,1,0,0,0,0.00K,0,0.00K,0,32.3998,-88.271,32.3998,-88.271,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Tree fell onto vehicle causing injury to driver." +113468,679251,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHERN BRISTOL",2017-02-09 10:45:00,EST-5,2017-02-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Nine to fourteen inches of snow fell on Southern Bristol County." +117013,703792,NEW YORK,2017,May,Thunderstorm Wind,"STEUBEN",2017-05-01 16:42:00,EST-5,2017-05-01 16:52:00,0,0,0,0,2.00K,2000,0.00K,0,42.45,-77.18,42.45,-77.18,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked down power lines." +117013,703793,NEW YORK,2017,May,Thunderstorm Wind,"SCHUYLER",2017-05-01 17:14:00,EST-5,2017-05-01 17:24:00,0,0,0,0,7.00K,7000,0.00K,0,42.32,-76.72,42.32,-76.72,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which damaged a trailer and created localized power outages." +117013,703795,NEW YORK,2017,May,Thunderstorm Wind,"CHEMUNG",2017-05-01 17:57:00,EST-5,2017-05-01 18:07:00,0,0,0,0,10.00K,10000,0.00K,0,42.09,-76.81,42.09,-76.81,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and power lines which blocked roadways." +117013,703789,NEW YORK,2017,May,Lightning,"TIOGA",2017-05-01 18:40:00,EST-5,2017-05-01 18:41:00,0,0,0,0,2.00K,2000,0.00K,0,42.07,-76.17,42.07,-76.17,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","Lightning struck a tree." +115739,704711,ILLINOIS,2017,May,Flash Flood,"MORGAN",2017-05-19 02:00:00,CST-6,2017-05-19 08:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7374,-90.0262,39.6275,-90.1667,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","Heavy rain of 3.00 to 5.00 inches from the late evening of May 18th through the early morning of May 19th produced flash flooding in eastern Morgan County. Numerous rural roads were closed from Alexander to Rees to Franklin. Illinois Route 104 from Rees to Franklin was also closed in spots. The flooding subsided in most areas around 8:30 am." +115739,704712,ILLINOIS,2017,May,Flash Flood,"SANGAMON",2017-05-19 03:45:00,CST-6,2017-05-19 08:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8104,-89.6431,39.7196,-89.9843,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","Heavy rain of 2.00 to 4.00 inches from the late evening of May 18th through the early morning of May 19th produced flash flooding across Sangamon County, mainly along and just south of I-72. The heaviest rain was southwest of New Berlin, near the Morgan County line, and from the east side of Springfield toward Mechanicsburg. Numerous rural roads were closed and several city streets in Springfield were flooded. Heavy rain and ponded water on I-55 on the east edge of Springfield resulted in numerous car accidents during the early morning commute." +114572,703191,WISCONSIN,2017,May,Funnel Cloud,"PRICE",2017-05-16 18:46:00,CST-6,2017-05-16 18:46:00,0,0,0,0,0.00K,0,0.00K,0,45.45,-90.11,45.45,-90.11,"Thunderstorms developed across northwest Wisconsin during the late afternoon and evening of Tuesday May 16th. The storms dropped hail up to the size of golf balls. A very strong supercell thunderstorm, which tracked across northern Wisconsin (mainly south of NWS Duluth's forecast area) and developed a EF-3 tornado which hit Chetek, WI, tracked across southern Price County. A funnel cloud was reported with the storm when it moved across southern Price County.","A trained weather spotter reported a funnel cloud moving along 102 toward Spirit, Wisconsin. The storm associated with the funnel cloud was the same storm that produced the tornado that traveled across 4 Wisconsin counties (Polk, Barron, Rusk, and Price)." +116923,703179,WISCONSIN,2017,May,Hail,"IRON",2017-05-28 13:00:00,CST-6,2017-05-28 13:05:00,0,0,0,0,0.00K,0,0.00K,0,46.11,-89.95,46.11,-89.95,"A cluster of thunderstorms moved across the region during the late morning and early afternoon producing small hail (pea to dime size) with the exception of a thunderstorm across Iron County, Wisconsin where larger size hail of pennies were reported.","A member of the public called in reporting pea to dime size hail." +116616,701371,GEORGIA,2017,May,Thunderstorm Wind,"HALL",2017-05-04 21:30:00,EST-5,2017-05-04 21:35:00,0,0,0,0,50.00K,50000,,NaN,34.1288,-83.9447,34.1288,-83.9447,"A weakly unstable but strongly sheared atmosphere accompanying a deep upper-level low and associated strong cold front resulted in a few severe thunderstorms in north Georgia with damaging winds and two isolated tornadoes.","The Hall County Emergency Manager reported that an 80 foot Oak tree was blown down on a house on Chatuge Drive. Several other, smaller, trees were damaged on this street as well. No injuries were reported." +116616,701374,GEORGIA,2017,May,Thunderstorm Wind,"GWINNETT",2017-05-04 21:44:00,EST-5,2017-05-04 21:50:00,0,0,0,0,5.00K,5000,,NaN,33.9872,-84.1766,34.1118,-83.9706,"A weakly unstable but strongly sheared atmosphere accompanying a deep upper-level low and associated strong cold front resulted in a few severe thunderstorms in north Georgia with damaging winds and two isolated tornadoes.","The Gwinnett County Emergency Manager reported trees blown down on power lines in northern Gwinnett County including along Berkeley Lake Road and on Friar Tuck Lane." +116618,701385,GEORGIA,2017,May,Thunderstorm Wind,"BANKS",2017-05-18 15:39:00,EST-5,2017-05-18 15:44:00,0,0,0,0,1.00K,1000,,NaN,34.3334,-83.4985,34.3334,-83.4985,"Afternoon heating combined with a moderately moist and unstable air mass resulted in an isolated report of wind damage in northeast Georgia.","The Banks County 911 center reported a tree blown down onto Athens Street near the Historic Homer Highway." +117181,704846,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-05-05 09:35:00,EST-5,2017-05-05 09:35:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Deep cyclonic southwesterly flow helped produce numerous showers and scattered thunderstorms across the southeast Gulf of Mexico, however only isolated gale-force wind gusts were recorded northwest of Key West.","A wind gust of 40 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +121753,728811,PENNSYLVANIA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 19:20:00,EST-5,2017-11-05 19:20:00,0,0,0,0,2.50K,2500,0.00K,0,41.044,-80.2562,41.044,-80.2562,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported trees down at George Washington and Eastbrook Harlansburg Road." +121753,728812,PENNSYLVANIA,2017,November,Thunderstorm Wind,"MERCER",2017-11-05 19:20:00,EST-5,2017-11-05 19:20:00,0,0,0,0,2.50K,2500,0.00K,0,41.44,-80.21,41.44,-80.21,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and wires down." +116752,705037,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 19:00:00,MST-7,2017-05-26 19:00:00,0,0,0,0,,NaN,,NaN,39.47,-101.87,39.47,-101.87,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Delayed report, caused extensive damage to wheat crop." +116752,705038,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 19:25:00,MST-7,2017-05-26 19:25:00,0,0,0,0,,NaN,,NaN,39.42,-101.62,39.42,-101.62,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705039,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 19:30:00,MST-7,2017-05-26 19:30:00,0,0,0,0,,NaN,,NaN,39.45,-101.58,39.45,-101.58,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705040,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:07:00,CST-6,2017-05-26 21:07:00,0,0,0,0,,NaN,,NaN,39.35,-101.34,39.35,-101.34,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705041,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:19:00,CST-6,2017-05-26 21:19:00,0,0,0,0,,NaN,,NaN,39.37,-101.22,39.37,-101.22,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705042,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 20:32:00,MST-7,2017-05-26 20:32:00,0,0,0,0,,NaN,,NaN,39.5,-101.63,39.5,-101.63,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +115950,696778,NORTH CAROLINA,2017,May,Thunderstorm Wind,"DURHAM",2017-05-11 20:15:00,EST-5,2017-05-11 20:15:00,0,0,0,0,0.00K,0,0.00K,0,35.9821,-78.8782,35.9821,-78.8782,"One severe cluster produced scattered wind damage along a northwest to southeast wind swath extending from Orange county to Johnston County.","One tree was blown down at the 1900 block of Angier Avenue." +115236,697207,IOWA,2017,May,Hail,"CLAYTON",2017-05-15 18:22:00,CST-6,2017-05-15 18:22:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-91.39,43.05,-91.39,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Half dollar sized hail fell in Monona." +115944,697617,MASSACHUSETTS,2017,May,Thunderstorm Wind,"ESSEX",2017-05-18 21:55:00,EST-5,2017-05-18 21:55:00,0,0,0,0,2.00K,2000,0.00K,0,42.5007,-70.9522,42.5007,-70.9522,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 955 PM EST, a tree was reported down on wires on Lynn Street at Bowen Road." +116091,697764,WISCONSIN,2017,May,Hail,"MONROE",2017-05-17 16:45:00,CST-6,2017-05-17 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-90.81,43.94,-90.81,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","" +114156,688548,MAINE,2017,March,Blizzard,"KENNEBEC",2017-03-14 14:29:00,EST-5,2017-03-14 20:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688549,MAINE,2017,March,Blizzard,"INTERIOR WALDO",2017-03-14 15:00:00,EST-5,2017-03-14 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +115750,695698,VIRGINIA,2017,May,Flood,"AUGUSTA",2017-05-25 14:15:00,EST-5,2017-05-26 03:48:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-78.86,38.249,-78.8666,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","The stream gauge at Middle River at Grottoes exceeded their flood stage of 12 feet and peaked at 13.06 feet at 00:15 EST. Fields along the river began to flood. Livestock should have been moved to higher ground." +115749,695691,MARYLAND,2017,May,Flood,"MONTGOMERY",2017-05-25 18:11:00,EST-5,2017-05-26 02:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1757,-77.1013,39.1732,-77.0989,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","The 4900 Block of MD-108 Olney Laytonsville Road was closed due to high water." +115749,695692,MARYLAND,2017,May,Flood,"MONTGOMERY",2017-05-25 20:27:00,EST-5,2017-05-26 02:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1811,-77.0602,39.1806,-77.0623,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","Flooding continued after flash flooding ended. ||There was one to two feet of water flowing near the 3600 Block of Brookeville Road. There was a car trapped in three to four feet of flowing water at Georgia Avenue and Brookeville Road. Reddy Branch was out of its banks." +115749,695693,MARYLAND,2017,May,Flood,"MONTGOMERY",2017-05-25 20:27:00,EST-5,2017-05-26 02:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1935,-77.0398,39.1943,-77.0404,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","Flooding continued after flash flooding ended. There were two feet of water flowing across the 1900 Block of Brighton Dam Road." +115822,696096,VIRGINIA,2017,May,Hail,"SHENANDOAH",2017-05-18 17:12:00,EST-5,2017-05-18 17:12:00,0,0,0,0,,NaN,,NaN,39.0141,-78.3633,39.0141,-78.3633,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +115822,696103,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 18:58:00,EST-5,2017-05-18 18:58:00,0,0,0,0,,NaN,,NaN,38.819,-77.46,38.819,-77.46,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree was down at Mount Olive and Compton Road." +115822,696105,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 18:59:00,EST-5,2017-05-18 18:59:00,0,0,0,0,,NaN,,NaN,38.8128,-77.4498,38.8128,-77.4498,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree was down at Old Centerville Road and Ravenscar Court." +117483,706578,IOWA,2017,June,Thunderstorm Wind,"BLACK HAWK",2017-06-29 21:00:00,CST-6,2017-06-29 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-92.31,42.46,-92.31,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Iowa DOT RWIS station recorded a 58 mph wind gust." +117610,707249,IOWA,2017,June,Hail,"STORY",2017-06-19 12:45:00,CST-6,2017-06-19 12:45:00,0,0,0,0,0.00K,0,0.00K,0,42.0157,-93.6241,42.0157,-93.6241,"A few small storms popped up in the afternoon hours. One storm produced penny size hail in the Ames area.","" +116522,700693,TEXAS,2017,May,Hail,"FISHER",2017-05-22 17:55:00,CST-6,2017-05-22 17:59:00,0,0,0,0,0.00K,0,0.00K,0,32.85,-100.26,32.85,-100.26,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","" +116522,700694,TEXAS,2017,May,Hail,"TAYLOR",2017-05-22 19:23:00,CST-6,2017-05-22 19:27:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","A trained spotter reported quarter size hail near the Abilene Christian University campus in Abilene." +113197,686290,KENTUCKY,2017,March,Thunderstorm Wind,"MERCER",2017-03-27 18:12:00,EST-5,2017-03-27 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.8693,-84.8278,37.848,-84.7948,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Thunderstorm winds blew down several trees along Harvey Pike 10 to 12 miles northeast of Harrodsburg." +112887,674396,KENTUCKY,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 03:28:00,EST-5,2017-03-01 03:28:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-85.71,38.27,-85.71,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Local broadcast media reported that two trees were blown down on Mellwood Avenue east of downtown Louisville." +114301,685079,ARKANSAS,2017,March,Thunderstorm Wind,"SEARCY",2017-03-07 00:25:00,CST-6,2017-03-07 00:25:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-92.78,36.05,-92.78,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees and power lines were blown down near Highway 374 and North Tomahawk Road." +114343,685193,ARKANSAS,2017,March,Tornado,"POPE",2017-03-29 18:23:00,CST-6,2017-03-29 18:27:00,0,0,0,0,0.00K,0,0.00K,0,35.5487,-93.0177,35.5739,-92.9869,"Severe thunderstorms moved through Arkansas on March 29, 2017 with mainly large hail and damaging winds.","There was a report of a rain-wrapped tornado on Gunter Mountain Road west northwest of Hector. Mainly tree damage was noted in remote Pope County. No structures were affected. Trained spotters and Pope county deputies reported a very brief touchdown." +114440,687739,ILLINOIS,2017,April,Flash Flood,"SALINE",2017-04-28 22:52:00,CST-6,2017-04-29 07:00:00,0,0,0,0,30.00K,30000,0.00K,0,37.74,-88.55,37.82,-88.43,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Widespread flash flooding of streets occurred throughout the Harrisburg area, including about 10 square blocks that were impassable in the city. A trained spotter in Eldorado measured 5.25 inches in the overnight storms." +114132,683531,ARKANSAS,2017,April,Thunderstorm Wind,"UNION",2017-04-02 13:10:00,CST-6,2017-04-02 13:10:00,0,0,0,0,0.00K,0,0.00K,0,33.2154,-92.9211,33.2154,-92.9211,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana and extreme Southcentral Arkansas. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Several trees were blown down." +115822,696108,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 19:27:00,EST-5,2017-05-18 19:27:00,0,0,0,0,,NaN,,NaN,38.7366,-77.1779,38.7366,-77.1779,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree eight inches in diameter was down in the 6800 Block of Bulkley Road." +115822,696109,VIRGINIA,2017,May,Thunderstorm Wind,"PRINCE WILLIAM",2017-05-18 19:30:00,EST-5,2017-05-18 19:30:00,0,0,0,0,,NaN,,NaN,38.6356,-77.2621,38.6356,-77.2621,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Trees were down." +115822,696111,VIRGINIA,2017,May,Hail,"LOUDOUN",2017-05-18 18:42:00,EST-5,2017-05-18 18:42:00,0,0,0,0,,NaN,,NaN,38.9199,-77.5248,38.9199,-77.5248,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported at Pamplin Terrace." +115822,696114,VIRGINIA,2017,May,Hail,"FREDERICK",2017-05-18 17:30:00,EST-5,2017-05-18 17:30:00,0,0,0,0,,NaN,,NaN,39.0095,-78.2956,39.0095,-78.2956,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","Quarter sized hail was reported." +116134,698059,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:00:00,CST-6,2017-05-03 22:06:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4271,-96.4184,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Port O'Connor TCOON site measured gusts to 36 knots." +116420,700075,TEXAS,2017,May,Hail,"COLEMAN",2017-05-18 16:08:00,CST-6,2017-05-18 16:08:00,0,0,0,0,0.00K,0,0.00K,0,31.95,-99.58,31.95,-99.58,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700076,TEXAS,2017,May,Hail,"CALLAHAN",2017-05-18 16:20:00,CST-6,2017-05-18 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.34,-99.56,32.34,-99.56,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700077,TEXAS,2017,May,Hail,"CALLAHAN",2017-05-18 16:28:00,CST-6,2017-05-18 16:28:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-99.5,32.4,-99.5,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700093,TEXAS,2017,May,Hail,"BROWN",2017-05-18 18:27:00,CST-6,2017-05-18 18:27:00,0,0,0,0,0.00K,0,0.00K,0,32.03,-99.13,32.03,-99.13,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700094,TEXAS,2017,May,Hail,"NOLAN",2017-05-18 21:01:00,CST-6,2017-05-18 21:01:00,0,0,0,0,0.00K,0,0.00K,0,32.09,-100.32,32.09,-100.32,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700096,TEXAS,2017,May,Hail,"NOLAN",2017-05-19 08:10:00,CST-6,2017-05-19 08:10:00,0,0,0,0,0.00K,0,0.00K,0,32.4773,-100.4006,32.4773,-100.4006,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700097,TEXAS,2017,May,Hail,"NOLAN",2017-05-19 08:15:00,CST-6,2017-05-19 08:15:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.41,32.47,-100.41,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700106,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:25:00,CST-6,2017-05-19 14:25:00,0,0,0,0,0.00K,0,0.00K,0,31.3707,-100.4948,31.3707,-100.4948,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700107,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:35:00,CST-6,2017-05-19 14:35:00,0,0,0,0,0.00K,0,0.00K,0,31.4331,-100.5143,31.4331,-100.5143,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Two inch diameter hail was reported by a National Weather Service Employee." +122022,730678,VIRGINIA,2017,December,Winter Weather,"MECKLENBURG",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and three inches across the county. South Hill reported 3.0 inches of snow." +122022,731313,VIRGINIA,2017,December,Winter Weather,"ACCOMACK",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one half inch and two inches across the county. Wallops Island (WAL) reported 1.3 inches of snow." +121981,730449,VIRGINIA,2017,December,Winter Storm,"CUMBERLAND",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county." +116420,700110,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:38:00,CST-6,2017-05-19 14:38:00,0,0,0,0,0.00K,0,0.00K,0,31.3874,-100.4233,31.3874,-100.4233,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116180,698339,TEXAS,2017,May,Thunderstorm Wind,"BEE",2017-05-23 18:21:00,CST-6,2017-05-23 18:25:00,0,0,0,0,15.00K,15000,0.00K,0,28.3668,-97.7952,28.36,-97.79,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Beeville Municipal Airport AWOS measured a gust to 81 mph. Damage occurred to a couple of storage buildings at the airport." +120506,723206,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 13:58:00,MST-7,2017-10-22 13:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Malmstrom Air Force Base." +120506,723207,MONTANA,2017,October,High Wind,"EASTERN GLACIER",2017-10-22 13:56:00,MST-7,2017-10-22 13:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Cut Bank Airport." +121981,730463,VIRGINIA,2017,December,Winter Storm,"EASTERN HANOVER",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Mechanicsville reported 5.0 inches of snow. Atlee reported 3.0 inches of snow." +121981,730464,VIRGINIA,2017,December,Winter Storm,"WESTERN HANOVER",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Beaverdam (4 ESE) reported 5.0 inches of snow. Hewlett reported 4.2 inches of snow. Montpelier (5 E) reported 4.0 inches of snow." +113255,677633,ARKANSAS,2017,January,Winter Weather,"GREENE",2017-01-06 04:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one inch of snow fell." +113255,677637,ARKANSAS,2017,January,Winter Weather,"CRAIGHEAD",2017-01-06 03:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +112955,674914,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 15:55:00,CST-6,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.49,41.66,-91.49,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A trained spotter reported around penny size hail." +112955,674915,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 15:55:00,CST-6,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A trained spotter reported 1.25 diameter hail." +112955,674916,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 15:57:00,CST-6,2017-02-28 15:57:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reports dime to nickel size hail covering the ground on the southeast side of Iowa City." +121981,730465,VIRGINIA,2017,December,Winter Storm,"WESTERN HENRICO",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Laurel reported 5.0 inches of snow. Short Pump (2 NNE) reported 4.1 inches of snow. Glen Allen (5 W) reported 3.5 inches of snow." +113255,677639,ARKANSAS,2017,January,Winter Weather,"POINSETT",2017-01-06 03:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +113255,677640,ARKANSAS,2017,January,Winter Weather,"CROSS",2017-01-06 02:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +113255,677641,ARKANSAS,2017,January,Winter Weather,"CRITTENDEN",2017-01-06 02:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +113255,677642,ARKANSAS,2017,January,Winter Weather,"ST. FRANCIS",2017-01-06 01:00:00,CST-6,2017-01-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +113255,677643,ARKANSAS,2017,January,Winter Weather,"LEE",2017-01-06 01:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell." +113255,677644,ARKANSAS,2017,January,Winter Weather,"PHILLIPS",2017-01-06 01:00:00,CST-6,2017-01-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance combined with a reinforcing cold front to produce a swath of light snow across much of the Mid-South during the morning hours of January 6, 2017. One to three inches of snow was reported north of a Helena-West Helena, Arkansas to Corinth, Mississippi line.","About one to two inches of snow fell across northern Phillips County." +116340,699898,VIRGINIA,2017,May,Thunderstorm Wind,"PORTSMOUTH (C)",2017-05-05 07:57:00,EST-5,2017-05-05 07:57:00,0,0,0,0,1.00K,1000,0.00K,0,36.81,-76.29,36.81,-76.29,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Wind gust of 50 knots (58 mph) was measured at South Norfolk Jordan Bridge." +116340,699896,VIRGINIA,2017,May,Thunderstorm Wind,"HENRICO",2017-05-05 19:20:00,EST-5,2017-05-05 19:20:00,0,0,1,0,10.00K,10000,0.00K,0,37.56,-77.33,37.56,-77.33,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Large tree limb was downed onto a vehicle on Confederate Run Court." +115749,695690,MARYLAND,2017,May,Flood,"MONTGOMERY",2017-05-25 18:10:00,EST-5,2017-05-26 02:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1651,-77.0904,39.1641,-77.0898,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Temperatures and moisture increased across the region during the afternoon and showers and thunderstorms formed. This activity led to heavy rainfall that led to flooding.","The 18700 Block of Olney Mill Road was closed between Winding Strone Circle and Random Ridge Circle due to high water." +116518,700687,TEXAS,2017,May,Hail,"HASKELL",2017-05-16 19:08:00,CST-6,2017-05-16 19:12:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-99.86,33.32,-99.86,"A dryline interacting with an unstable atmosphere resulted in the development of a few severe thunderstorms.","" +116803,707720,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer two miles north-northeast of Cheyenne measured 11.8 inches of snow." +121981,730498,VIRGINIA,2017,December,Winter Storm,"NOTTOWAY",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and six inches across the county. Nottoway reported 3.0 inches of snow." +121981,730499,VIRGINIA,2017,December,Winter Storm,"POWHATAN",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Holly Hills (1 WNW) reported 4.0 inches of snow. Powhatan reported 3.0 inches of snow." +121981,730525,VIRGINIA,2017,December,Winter Storm,"PRINCE EDWARD",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and six inches across the county. Farmville reported 5.0 inches of snow." +116803,707721,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer five miles northeast of Cheyenne measured 18.3 inches of snow." +116803,707723,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Seventeen inches of snow was measured two miles north of Cheyenne." +121981,730527,VIRGINIA,2017,December,Winter Storm,"WESTMORELAND",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Montross (5 ESE) reported 3.2 inches of snow." +115202,695038,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 21:30:00,CST-6,2017-05-20 00:30:00,0,0,0,0,0.00K,0,0.00K,0,34.2615,-96.7744,34.2508,-96.7661,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Water was over highway 1." +121982,730528,MARYLAND,2017,December,Winter Storm,"DORCHESTER",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and seven inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals ranged between three inches and seven inches across the county. Cambridge (3 S) reported 7.0 inches of snow. Vienna (5 WNW) reported 3.5 inches of snow. Linkwood (2 SE) reported 3.5 inches of snow." +114348,685222,ARKANSAS,2017,March,Winter Weather,"CLEBURNE",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three inches of snow was measured in Heber Springs in Cleburne County." +114394,685639,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 11:10:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-121.36,38.6607,-121.3608,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","More than half an inch of rain fell within 15 minutes, flooding roadway at Madison Ave. and I80. Lots of freeway spin-outs." +114394,685641,CALIFORNIA,2017,March,Funnel Cloud,"STANISLAUS",2017-03-21 12:35:00,PST-8,2017-03-21 12:40:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-120.86,37.48,-120.86,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Funnel cloud reported briefly visible from West Linwood Ave., Turlock, CA." +114394,685643,CALIFORNIA,2017,March,Funnel Cloud,"STANISLAUS",2017-03-21 12:05:00,PST-8,2017-03-21 12:10:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-120.85,37.55,-120.85,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Trained spotter reported 2 brief funnel clouds north of Turlock. No touchdown reported." +114394,685647,CALIFORNIA,2017,March,Lightning,"STANISLAUS",2017-03-21 12:00:00,PST-8,2017-03-21 12:00:00,0,0,0,0,200.00K,200000,0.00K,0,37.77,-120.85,37.77,-120.85,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Lightning hit a tree in Oakdale, CA, causing a fire in nearby electrical transformer and resulting in a power outage. Three homes and a few vehicles were reported damaged." +114348,685243,ARKANSAS,2017,March,Heavy Snow,"INDEPENDENCE",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Five inches of snow was measured five miles southeast of Cave City in Independence County." +114348,685249,ARKANSAS,2017,March,Heavy Snow,"IZARD",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Four point eight inches (4.8) of snow was measured in Calico Rock in Izard County." +114705,688018,COLORADO,2017,March,Winter Weather,"FLATTOP MOUNTAINS",2017-03-06 01:00:00,MST-7,2017-03-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced moderate snow accumulations along with very gusty winds and blowing snow.","Snowfall amounts of 2 to 5 inches were measured across the area. Wind gusts 40 to 50 mph resulted in widespread blowing and drifting snow." +114707,688033,COLORADO,2017,March,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-22 18:00:00,MST-7,2017-03-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist Pacific storm moved into the Great Basin and produced moderate to heavy snowfall accumulations across the southern and central mountains of western Colorado.","Snowfall amounts of 6 to 12 inches were measured across the area with up to 20 inches reported at the Red Mountain Pass SNOTEL site." +114304,684802,TEXAS,2017,April,Hail,"HARRISON",2017-04-26 14:40:00,CST-6,2017-04-26 14:40:00,0,0,0,0,0.00K,0,0.00K,0,32.39,-94.34,32.39,-94.34,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684803,TEXAS,2017,April,Hail,"CHEROKEE",2017-04-26 14:54:00,CST-6,2017-04-26 14:54:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-94.93,31.48,-94.93,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114288,684670,ARKANSAS,2017,April,Flash Flood,"SEVIER",2017-04-11 01:00:00,CST-6,2017-04-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0897,-94.4618,34.0949,-94.1515,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas, but additional strong thunderstorms producing very heavy rainfall developed during the late evening through the early morning hours on April 11th over Sevier County Arkansas, with rainfall amounts of 4-8+ inches recorded. The NWS cooperative observer in Dequeen recorded 8.72 inches of rain from the late evening on April 10th to the early morning hours on April 11th. Extensive flash flooding was observed in Dequeen and Northern Sevier County before diminishing by daybreak.","High water rescues were needed from homes in Dequeen and throughout Sevier County. Numerous road closures were necessary due to flash flooding, including Tall Pine Drive, Rockefeller Avenue, North 9th Street, 5th Street and DeQueen Avenue, 13th Street and Coulter Avenue, amongst other roads near the Sevier County Fairgrounds." +114301,684780,ARKANSAS,2017,March,Hail,"NEWTON",2017-03-06 23:48:00,CST-6,2017-03-06 23:48:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-93.25,36.03,-93.25,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684782,ARKANSAS,2017,March,Hail,"NEWTON",2017-03-07 00:00:00,CST-6,2017-03-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.01,-93.1,36.01,-93.1,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684785,ARKANSAS,2017,March,Hail,"BOONE",2017-03-09 19:55:00,CST-6,2017-03-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-93.18,36.47,-93.18,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684804,ARKANSAS,2017,March,Hail,"MARION",2017-03-09 20:50:00,CST-6,2017-03-09 20:50:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-92.67,36.17,-92.67,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684807,ARKANSAS,2017,March,Hail,"SEARCY",2017-03-09 21:02:00,CST-6,2017-03-09 21:02:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-92.55,36.05,-92.55,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684815,ARKANSAS,2017,March,Hail,"STONE",2017-03-09 21:30:00,CST-6,2017-03-09 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-92.11,35.87,-92.11,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114301,684817,ARKANSAS,2017,March,Hail,"INDEPENDENCE",2017-03-09 21:50:00,CST-6,2017-03-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-91.79,35.82,-91.79,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +113819,682193,CALIFORNIA,2017,February,Winter Storm,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-02-03 07:00:00,PST-8,2017-02-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two wet storms brought heavy rain and some high mountain snow, along with gusty winds. The heavy rain in addition to the wet precipitation in January brought saturated ground and elevated reservoirs. Many roads, including significant highways such as Interstate 80 and Highway 49, were shut down due to mudslides. Other significant impacts include numerous accidents due to slippery roads from snow and rain.","Caltrans measured 21 of new snow at Soda Springs. Alpine Ski Resort had 20, Sierra at Tahoe 14, Boreal 12. Snow caused travel difficulties on I80." +113804,681364,MARYLAND,2017,February,High Wind,"CHARLES",2017-02-13 08:49:00,EST-5,2017-02-13 08:49:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 58 mph was recorded near Northwood." +113804,682278,MARYLAND,2017,February,High Wind,"WASHINGTON",2017-02-12 21:35:00,EST-5,2017-02-12 21:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A tree was down near Hancock and a wind gust of 60 m poh was reported at the Hagerstown Airport." +113804,682262,MARYLAND,2017,February,High Wind,"CARROLL",2017-02-12 22:35:00,EST-5,2017-02-12 22:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 60 mph was measured at Westminster. Trees and power lines were reported down across the county." +113804,682267,MARYLAND,2017,February,High Wind,"NORTHWEST MONTGOMERY",2017-02-12 22:49:00,EST-5,2017-02-12 22:49:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 61 mph was measured at Gaithersburg. Trees were down across the county." +113804,682275,MARYLAND,2017,February,High Wind,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-02-12 22:49:00,EST-5,2017-02-12 22:49:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Trees were down across the county." +113804,682270,MARYLAND,2017,February,High Wind,"NORTHERN BALTIMORE",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were several reports of trees down in the Cockeysville area." +113870,681934,TEXAS,2017,April,Tornado,"SAN AUGUSTINE",2017-04-02 12:56:00,CST-6,2017-04-02 13:06:00,0,0,0,0,50.00K,50000,0.00K,0,31.2699,-94.3315,31.3208,-94.2419,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","An EF-1 tornado with maximum winds estimated between 100-110 mph initially touched down as a waterspout over Sam Rayburn Reservoir in Southwest San Augustine County near the Nacogdoches County line. This waterspout moved ashore at the Jackson Hill Marina on FM 2851 as a tornado, intensifying as it mowed through a grove of trees in front of the marina convenience store. This was where the tornado was the strongest, with numerous trees snapped and uprooted. Security cameras at the Jackson Hill Marina captured this tornado as it moved ashore. This tornado crossed Highway 147 at the intersection of FM 3185 near a cemetery, and remained on the ground as it crossed Highway 83 on the east side of Broaddus. There was where several trees were snapped and uprooted near the Trinity Baptist Church in Broaddus. One very large hardwood tree was uprooted but bore the brunt of the winds, minimizing the roof damage at the church. However, a covered canopy between the new addition of the church and an older building collapsed as winds accelerated between these two buildings. The tornado remained on the ground but weakened as it crossed FM 2558 before lifting on County Road 319 northeast of Broaddus." +113715,680749,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:30:00,EST-5,2017-02-12 22:30:00,0,0,0,0,,NaN,,NaN,39.1249,-78.2484,39.1249,-78.2484,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees were down along the 4500 Block of Middle Road." +113715,680750,VIRGINIA,2017,February,Thunderstorm Wind,"WINCHESTER (C)",2017-02-12 22:33:00,EST-5,2017-02-12 22:33:00,0,0,0,0,,NaN,,NaN,39.1846,-78.1397,39.1846,-78.1397,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down along the 2300 Block of Route 7." +113715,680751,VIRGINIA,2017,February,Thunderstorm Wind,"WINCHESTER (C)",2017-02-12 22:36:00,EST-5,2017-02-12 22:36:00,0,0,0,0,,NaN,,NaN,39.1449,-78.1729,39.1449,-78.1729,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto a house in the 100 Block of Dots Way." +113715,680752,VIRGINIA,2017,February,Thunderstorm Wind,"LOUDOUN",2017-02-12 22:53:00,EST-5,2017-02-12 22:53:00,0,0,0,0,,NaN,,NaN,39.0414,-77.481,39.0414,-77.481,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Several reports of trees were down in the Ashburn Area." +113894,682208,CALIFORNIA,2017,February,Heavy Rain,"SACRAMENTO",2017-02-06 07:00:00,PST-8,2017-02-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-121.28,38.58,-121.28,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.20 of rain measured over 24 hours in Sacramento." +114961,689588,ILLINOIS,2017,April,Flash Flood,"WILLIAMSON",2017-04-30 05:28:00,CST-6,2017-04-30 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,37.8144,-88.9034,37.7107,-88.9003,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Numerous roads were closed, including Highway 37 south of Johnston City. Some homes in Marion were flooded. The American Red Cross opened a shelter in Marion, where 22 evacuees spent the night." +112887,675647,KENTUCKY,2017,March,Thunderstorm Wind,"TRIMBLE",2017-03-01 06:23:00,EST-5,2017-03-01 06:23:00,0,0,0,0,250.00K,250000,0.00K,0,38.56,-85.4,38.56,-85.4,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey found an intermittent swath of straight line winds occurred from just east of Wises Landing in Trimble County east to the intersection of US 421 and Highway 316. There were two areas of more intense damage where 70-80 mph winds occurred. The first was along Gills Ridge Road where 2 large barns sustained serious roof damage and were shifted slightly. The second was along Smith Lane where several outbuildings were completely destroyed, and debris was scattered 200 to 250 yards downwind. Several homes sustained shingle and siding damage. Numerous large trees were also snapped and uprooted. Damage in this area was consistent with wind speeds between 65 and 80 mph." +114418,685952,KENTUCKY,2017,April,Thunderstorm Wind,"MCCRACKEN",2017-04-26 18:37:00,CST-6,2017-04-26 18:40:00,0,0,0,0,3.00K,3000,0.00K,0,37.0095,-88.6956,37.08,-88.63,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","In Paducah, shingles were blown off a roof and one-inch tree limbs were broken. A wind gust to 70 mph was estimated by an off-duty weather service employee a couple miles southwest of Lone Oak." +114418,685948,KENTUCKY,2017,April,Thunderstorm Wind,"LIVINGSTON",2017-04-26 18:53:00,CST-6,2017-04-26 19:02:00,0,0,0,0,15.00K,15000,0.00K,0,37.0801,-88.3345,37.11,-88.2729,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","A number of downed trees and power lines were reported throughout the county, mostly in the southern part between Smithland and Grand Rivers. Kentucky Highway 453 was restricted to one lane at the intersection of Highway 1889 due to several downed trees and power lines. The county rescue squad and area fire departments assisted with clearing trees from a number of roadways." +115290,692169,VIRGINIA,2017,April,Thunderstorm Wind,"FREDERICK",2017-04-30 15:37:00,EST-5,2017-04-30 15:37:00,0,0,0,0,,NaN,,NaN,39.266,-78.3827,39.266,-78.3827,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Several trees were snapped and uprooted near the intersection of Hollow Road and Parishville Road." +115290,692170,VIRGINIA,2017,April,Thunderstorm Wind,"FREDERICK",2017-04-30 15:38:00,EST-5,2017-04-30 15:38:00,0,0,0,0,,NaN,,NaN,39.252,-78.378,39.252,-78.378,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Two large trees were uprooted off Gold Orchard Road." +115290,692171,VIRGINIA,2017,April,Thunderstorm Wind,"FREDERICK",2017-04-30 15:44:00,EST-5,2017-04-30 15:44:00,0,0,0,0,,NaN,,NaN,39.265,-78.334,39.265,-78.334,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down on either side of Highway 50 just north of Gore." +113618,680134,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-04-03 18:04:00,EST-5,2017-04-03 18:04:00,0,0,0,0,0.00K,0,0.00K,0,30.13,-85.71,30.13,-85.71,"Strong storms on April 3rd resulted in wind gusts exceeding 34 knots along the Bay county beaches.","Wxflow site XSTA measured a thunderstorm wind gust of 42 mph." +113618,680135,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-04-03 18:12:00,EST-5,2017-04-03 18:12:00,0,0,0,0,0.00K,0,0.00K,0,30.152,-85.667,30.152,-85.667,"Strong storms on April 3rd resulted in wind gusts exceeding 34 knots along the Bay county beaches.","Site PACF1 measured a thunderstorm wind gust of 44 mph." +113618,680136,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-04-03 18:18:00,EST-5,2017-04-03 18:18:00,0,0,0,0,0.00K,0,0.00K,0,30.213,-85.88,30.213,-85.88,"Strong storms on April 3rd resulted in wind gusts exceeding 34 knots along the Bay county beaches.","Site PCBF1 measured a thunderstorm wind gust of 39 mph." +113618,680137,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-04-03 18:30:00,EST-5,2017-04-03 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.213,-85.88,30.213,-85.88,"Strong storms on April 3rd resulted in wind gusts exceeding 34 knots along the Bay county beaches.","Site PCBF1 measured a thunderstorm wind gust of 42 mph." +113616,680139,GEORGIA,2017,April,Tornado,"WORTH",2017-04-03 13:10:00,EST-5,2017-04-03 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-83.9,31.72,-83.9,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Video relayed by WALB-TV showed a weak tornado over farmland near Doles. No damage was reported." +114111,683300,LOUISIANA,2017,April,Thunderstorm Wind,"OUACHITA",2017-04-02 14:30:00,CST-6,2017-04-02 14:30:00,0,0,0,0,0.00K,0,0.00K,0,32.5208,-92.3638,32.5208,-92.3638,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","The sign at the Sonic restaurant was blown down." +115155,691246,COLORADO,2017,April,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-04-26 18:00:00,MST-7,2017-04-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast but strong Pacific trough and associated cold front brought a quick shot of significant to heavy snow to most mountain areas of western Colorado, with the northern mountains having received the greatest amounts.","Snowfall amounts of 3 to 5 inches were measured across the area." +115155,691247,COLORADO,2017,April,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-04-26 09:00:00,MST-7,2017-04-28 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast but strong Pacific trough and associated cold front brought a quick shot of significant to heavy snow to most mountain areas of western Colorado, with the northern mountains having received the greatest amounts.","Generally 4 to 8 inches of snow fell across the area." +115155,691248,COLORADO,2017,April,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-04-26 21:00:00,MST-7,2017-04-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast but strong Pacific trough and associated cold front brought a quick shot of significant to heavy snow to most mountain areas of western Colorado, with the northern mountains having received the greatest amounts.","Generally 4 to 10 inches of snow fell across the area." +115155,691250,COLORADO,2017,April,Winter Weather,"FLATTOP MOUNTAINS",2017-04-27 01:00:00,MST-7,2017-04-28 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast but strong Pacific trough and associated cold front brought a quick shot of significant to heavy snow to most mountain areas of western Colorado, with the northern mountains having received the greatest amounts.","Snowfall amounts of 6 to 8 inches were measured across the area." +113616,684066,GEORGIA,2017,April,Thunderstorm Wind,"QUITMAN",2017-04-03 11:00:00,EST-5,2017-04-03 11:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.88,-85.01,31.88,-85.01,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Several trees and power lines were blown down." +113616,684068,GEORGIA,2017,April,Hail,"LOWNDES",2017-04-03 11:06:00,EST-5,2017-04-03 11:06:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-83.28,30.85,-83.28,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113616,684069,GEORGIA,2017,April,Thunderstorm Wind,"QUITMAN",2017-04-03 11:08:00,EST-5,2017-04-03 11:08:00,0,0,0,0,3.00K,3000,0.00K,0,31.88,-85.11,31.88,-85.11,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Power lines were blown down onto a truck. Trees were down on Highway 39 and 82." +114111,683513,LOUISIANA,2017,April,Thunderstorm Wind,"UNION",2017-04-02 15:46:00,CST-6,2017-04-02 15:46:00,0,0,0,0,0.00K,0,0.00K,0,32.7866,-92.4899,32.7866,-92.4899,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Trees were blown down blocking the entrance of the Lake D'Arbonne State Park." +113607,680066,FLORIDA,2017,February,Wildfire,"FLAGLER",2017-02-15 00:15:00,EST-5,2017-02-15 00:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire caused some road closures in western Flagler County.","A wildfire was up to 435 acres burned and 60% containment. It caused portions of State Road 11 to close between Haw Creek and County Road 304." +116028,697342,WYOMING,2017,April,Winter Storm,"SOUTH LARAMIE RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate to heavy snowfall over the southern Laramie Range. Snow amounts ranged from six to twelve inches.","A foot of snow was measured four miles southeast of Buford." +116028,697343,WYOMING,2017,April,Winter Storm,"SOUTH LARAMIE RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate to heavy snowfall over the southern Laramie Range. Snow amounts ranged from six to twelve inches.","Eight inches of snow was observed at Curt Gowdy State Park." +116028,697344,WYOMING,2017,April,Winter Storm,"SOUTH LARAMIE RANGE",2017-04-20 17:00:00,MST-7,2017-04-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist easterly upslope winds produced a period of moderate to heavy snowfall over the southern Laramie Range. Snow amounts ranged from six to twelve inches.","The Crow Creek SNOTEL site (elevation 8330 ft) estimated 12 inches of snow." +113616,684091,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:42:00,EST-5,2017-04-03 12:42:00,0,0,0,0,3.00K,3000,0.00K,0,31.57,-84.17,31.57,-84.17,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A shed was flipped over." +113616,684094,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:48:00,EST-5,2017-04-03 12:48:00,0,0,0,0,2.00K,2000,0.00K,0,31.52,-84.13,31.52,-84.13,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A boat was flipped at the marine dealer on Radium Springs Road." +113616,684097,GEORGIA,2017,April,Thunderstorm Wind,"DOUGHERTY",2017-04-03 12:52:00,EST-5,2017-04-03 12:52:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-84.1,31.48,-84.1,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in Putney." +113616,684098,GEORGIA,2017,April,Thunderstorm Wind,"MITCHELL",2017-04-03 13:00:00,EST-5,2017-04-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-84.05,31.37,-84.05,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down on Frazier Road." +113616,684101,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:05:00,EST-5,2017-04-03 13:05:00,0,0,0,0,0.00K,0,0.00K,0,31.57,-83.97,31.57,-83.97,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down along Mossy Oaks Drive." +116209,698578,NEVADA,2017,May,Heat,"LAS VEGAS VALLEY",2017-05-25 12:00:00,PST-8,2017-05-25 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"One person died on the outskirts of Las Vegas due to heat related causes.","One man died of heat related causes on the southern outskirts of the Las Vegas Valley." +116848,702607,NORTH CAROLINA,2017,May,Thunderstorm Wind,"PENDER",2017-05-29 23:10:00,EST-5,2017-05-29 23:11:00,0,0,0,0,25.00K,25000,0.00K,0,34.6845,-78.0492,34.6853,-78.0471,"Mid-level vorticity impulses embedded in enhanced southwest flow tapped surface based and elevated instability to produce widespread thunderstorms in two distinct waves, one late evening and another overnight. The environment was characterized by modest mixed layer CAPE values and relatively high shear which helped to organize and intensify the convection.","Two houses reportedly sustained partial roof damage as did a couple out-houses. Trees were reported down. The damage occurred in the 5000 block of Englishtown Rd. The Pender County Emergency Manager determined the damage was the result of straight line thunderstorm winds. The time was estimated based on radar data." +116848,702611,NORTH CAROLINA,2017,May,Hail,"BRUNSWICK",2017-05-30 02:02:00,EST-5,2017-05-30 02:04:00,0,0,0,0,0.20K,200,0.00K,0,34.1803,-78.121,34.1803,-78.121,"Mid-level vorticity impulses embedded in enhanced southwest flow tapped surface based and elevated instability to produce widespread thunderstorms in two distinct waves, one late evening and another overnight. The environment was characterized by modest mixed layer CAPE values and relatively high shear which helped to organize and intensify the convection.","Hail was measured to the size of three-quarters of an inch." +113616,684102,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:06:00,EST-5,2017-04-03 13:06:00,0,0,0,0,50.00K,50000,0.00K,0,31.53,-83.83,31.53,-83.83,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Tree and power lines were blown down with reports of some trees falling on homes. Damage cost was estimated." +113616,684104,GEORGIA,2017,April,Thunderstorm Wind,"WORTH",2017-04-03 13:08:00,EST-5,2017-04-03 13:08:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-83.91,31.55,-83.91,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down along Old State Route 50." +116736,702080,MAINE,2017,May,Thunderstorm Wind,"SOMERSET",2017-05-18 20:45:00,EST-5,2017-05-18 20:49:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-69.72,44.77,-69.72,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire. A few isolated severe thunderstorms made it into western Maine late in the event and produced wind damage.","A severe thunderstorm downed trees on East Ridge, Maldon Mills and Molunkus Roads in Skowhegan." +116736,702084,MAINE,2017,May,Thunderstorm Wind,"ANDROSCOGGIN",2017-05-18 21:40:00,EST-5,2017-05-18 21:45:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-70.26,44.02,-70.26,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire. A few isolated severe thunderstorms made it into western Maine late in the event and produced wind damage.","A severe thunderstorm downed trees in Danville Junction." +116884,702769,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 16:44:00,CST-6,2017-05-16 16:44:00,0,0,0,0,0.00K,0,0.00K,0,35.02,-100.09,35.02,-100.09,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702770,TEXAS,2017,May,Tornado,"COLLINGSWORTH",2017-05-16 16:45:00,CST-6,2017-05-16 16:46:00,0,0,0,0,,NaN,,NaN,35.02,-100.05,35.021,-100.045,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Tornado reported on the ground by storm chasers in the area." +116884,702771,TEXAS,2017,May,Thunderstorm Wind,"WHEELER",2017-05-16 16:50:00,CST-6,2017-05-16 16:50:00,0,0,0,0,,NaN,,NaN,35.44,-100.17,35.44,-100.17,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Four telephone poles broken off at ground. Three to four trees also damaged." +116091,702298,WISCONSIN,2017,May,Flood,"TREMPEALEAU",2017-05-18 10:00:00,CST-6,2017-05-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains pushed the Trempealeau River out of its banks in Dodge. The river crested almost three feet above the flood stage at 11.98 feet." +115200,700776,OKLAHOMA,2017,May,Tornado,"CUSTER",2017-05-18 15:20:00,CST-6,2017-05-18 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.5095,-98.6749,35.5095,-98.6749,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","The Weatherford Fire Department confirmed a tornado about 2 miles southeast of Weatherford. No damage was reported." +112730,675533,NEW JERSEY,2017,March,High Wind,"WESTERN MONMOUTH",2017-03-02 06:34:00,EST-5,2017-03-02 06:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Tree downed onto Squankum-Yellowbrook Rd." +115200,700784,OKLAHOMA,2017,May,Tornado,"MAJOR",2017-05-18 15:31:00,CST-6,2017-05-18 15:36:00,0,0,0,0,0.00K,0,0.00K,0,36.312,-98.961,36.349,-98.955,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","This tornado moved into Major County from Woodward County and continued moving north-northeast before dissipating." +115200,702470,OKLAHOMA,2017,May,Tornado,"WASHITA",2017-05-18 15:40:00,CST-6,2017-05-18 15:40:00,0,0,0,0,0.00K,0,0.00K,0,35.309,-98.846,35.309,-98.846,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Storm chasers observed a tornado east of Cordell and north of Cloud Chief. The tornado was brief and no damage was reported." +116091,702300,WISCONSIN,2017,May,Flood,"JACKSON",2017-05-18 00:10:00,CST-6,2017-05-19 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.3063,-90.8339,44.3043,-90.8307,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains pushed the Black River out of its banks in Black River Falls. The river crested almost three feet above the flood stage at 49.73 feet." +116091,702304,WISCONSIN,2017,May,Flood,"TREMPEALEAU",2017-05-19 19:15:00,CST-6,2017-05-22 00:55:00,0,0,0,0,0.00K,0,0.00K,0,44.0591,-91.2846,44.0636,-91.3066,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains pushed the Black River out of its banks near Galesville. The river crested almost a foot and a half above the flood stage at 13.39 feet." +116091,702310,WISCONSIN,2017,May,Flood,"JUNEAU",2017-05-20 14:20:00,CST-6,2017-05-23 02:05:00,0,0,0,0,0.00K,0,0.00K,0,44.0265,-90.0727,44.0275,-90.0707,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains pushed the Yellow River out of its banks in Necedah. The river crested around a foot and a half above the flood stage at 16.59 feet." +116952,703387,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 20:56:00,CST-6,2017-05-27 20:56:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.1,36.62,-100.1,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","Late report...18-wheeler blown over due to thunderstorm winds." +116952,703388,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 21:05:00,CST-6,2017-05-27 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-100.53,36.8,-100.53,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703389,OKLAHOMA,2017,May,Thunderstorm Wind,"BEAVER",2017-05-27 21:20:00,CST-6,2017-05-27 21:20:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +116952,703390,OKLAHOMA,2017,May,Thunderstorm Wind,"TEXAS",2017-05-29 19:30:00,CST-6,2017-05-29 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-101.6,36.6,-101.6,"Shortwave trough over south central CO tracked southeast across the northern Panhandles. Large scale forcing allowed for storms to develop over the mountains to the west and continued to track east. Post frontal stratus deck continued to erode with|daytime heating which resulted in steep mid level laps rates for sufficient MLCAPE values 500-1500 J/kg along with effective shear values of 40-50 kts. This provided support for isolated to scattered supercells capable of producing large hail and damaging winds up to 75 mph around sunset. Several reports of up to baseball size hail and numerous damaging wind reports were the result across the northern TX Panhandle and all across the OK Panhandle.","" +112730,675534,NEW JERSEY,2017,March,High Wind,"EASTERN OCEAN",2017-03-02 06:50:00,EST-5,2017-03-02 06:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A NJWXNET measured gust during a high wind event." +112730,675535,NEW JERSEY,2017,March,High Wind,"WESTERN OCEAN",2017-03-02 07:00:00,EST-5,2017-03-02 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A 60 ft tree fell onto two school buses." +112926,674664,ARKANSAS,2017,January,Strong Wind,"LAWRENCE",2017-01-10 02:00:00,CST-6,2017-01-10 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Strong south winds developed across the Midsouth ahead of a storm system in the Plains through most of the day on January 10th. The highest gusts were seen in northeast Arkansas.","Trees down on roads in northern portion of Lawrence County." +115256,691953,HAWAII,2017,May,High Surf,"MOLOKAI LEEWARD",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691952,HAWAII,2017,May,High Surf,"WAIANAE COAST",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +113842,681729,KANSAS,2017,March,Hail,"NEOSHO",2017-03-09 09:46:00,CST-6,2017-03-09 09:46:00,0,0,0,0,,NaN,,NaN,37.67,-95.46,37.67,-95.46,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +113842,681730,KANSAS,2017,March,Hail,"WOODSON",2017-03-09 10:00:00,CST-6,2017-03-09 10:00:00,0,0,0,0,,NaN,,NaN,37.87,-95.74,37.87,-95.74,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +113842,681731,KANSAS,2017,March,Hail,"WOODSON",2017-03-09 10:10:00,CST-6,2017-03-09 10:10:00,0,0,0,0,,NaN,,NaN,37.9169,-95.556,37.9169,-95.556,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +113842,681732,KANSAS,2017,March,Hail,"ALLEN",2017-03-09 10:38:00,CST-6,2017-03-09 10:38:00,0,0,0,0,,NaN,,NaN,37.93,-95.4,37.93,-95.4,"A cluster of elevated supercells developed during the morning hours of March 9th, 2017 across southeast Kansas. Hail as large as golfballs fell across Woodson and Allen counties. The hail covered the ground in Allen county, Kansas. Snow plows were called out to clear the highways.","" +115256,691954,HAWAII,2017,May,High Surf,"LANAI MAKAI",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691955,HAWAII,2017,May,High Surf,"KAHOOLAWE",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691956,HAWAII,2017,May,High Surf,"MAUI LEEWARD WEST",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691957,HAWAII,2017,May,High Surf,"WINDWARD HALEAKALA",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115096,701542,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-11 15:40:00,CST-6,2017-05-11 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.8405,-96.4278,36.8405,-96.4278,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","The Oklahoma Mesonet station east-southeast of Foraker measured 63 mph thunderstorm wind gusts." +115096,701543,OKLAHOMA,2017,May,Thunderstorm Wind,"OSAGE",2017-05-11 16:01:00,CST-6,2017-05-11 16:01:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-96.05,36.25,-96.05,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","An amateur radio operator measured thunderstorm wind gusts to 75 mph." +115096,701553,OKLAHOMA,2017,May,Thunderstorm Wind,"ROGERS",2017-05-11 16:54:00,CST-6,2017-05-11 16:54:00,0,0,0,0,5.00K,5000,0.00K,0,36.3225,-95.6508,36.3225,-95.6508,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind uprooted a tree, snapped numerous large tree limbs, and snapped power poles along Blue Starr Drive and Clubhouse Road on the northwest side of Claremore." +115096,701547,OKLAHOMA,2017,May,Thunderstorm Wind,"MAYES",2017-05-11 17:32:00,CST-6,2017-05-11 17:32:00,0,0,0,0,0.00K,0,0.00K,0,36.3145,-95.32,36.3145,-95.32,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","Thunderstorm wind gusted to near 70 mph north of Pryor." +114666,687798,INDIANA,2017,May,Hail,"HARRISON",2017-05-19 13:40:00,EST-5,2017-05-19 13:40:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-86.25,38.26,-86.25,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","The hail nearly covered the ground." +114666,687799,INDIANA,2017,May,Hail,"HARRISON",2017-05-19 13:45:00,EST-5,2017-05-19 13:45:00,0,0,0,0,50.00K,50000,0.00K,0,38.34,-86.22,38.34,-86.22,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","" +114666,687800,INDIANA,2017,May,Hail,"CRAWFORD",2017-05-20 16:05:00,EST-5,2017-05-20 16:05:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-86.36,38.21,-86.36,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","" +114666,687801,INDIANA,2017,May,Hail,"CRAWFORD",2017-05-20 16:09:00,EST-5,2017-05-20 16:09:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-86.32,38.2,-86.32,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","" +114666,687802,INDIANA,2017,May,Hail,"CRAWFORD",2017-05-20 16:13:00,EST-5,2017-05-20 16:13:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-86.33,38.26,-86.33,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","A trained spotter also reported a funnel cloud but it stayed aloft and didn't drop down." +114827,689542,WISCONSIN,2017,May,Hail,"BARRON",2017-05-16 16:15:00,CST-6,2017-05-16 16:20:00,0,0,0,0,0.00K,0,0.00K,0,45.4064,-91.7799,45.4156,-91.7273,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","Several reports of very large hail occurred around Cameron, the largest was tennis ball size." +116144,701597,OKLAHOMA,2017,May,Thunderstorm Wind,"CHEROKEE",2017-05-18 22:15:00,CST-6,2017-05-18 22:15:00,0,0,0,0,0.00K,0,0.00K,0,35.9402,-94.8174,35.9402,-94.8174,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs northeast of Eldon." +116147,701991,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 17:20:00,CST-6,2017-05-27 17:20:00,0,0,0,0,20.00K,20000,0.00K,0,36.7943,-94.7253,36.7943,-94.7253,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701993,OKLAHOMA,2017,May,Hail,"OSAGE",2017-05-27 17:30:00,CST-6,2017-05-27 17:30:00,0,0,0,0,10.00K,10000,0.00K,0,36.74,-96.18,36.74,-96.18,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701994,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 17:45:00,CST-6,2017-05-27 17:45:00,0,0,0,0,25.00K,25000,0.00K,0,36.8,-94.73,36.8,-94.73,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701995,OKLAHOMA,2017,May,Hail,"WASHINGTON",2017-05-27 17:51:00,CST-6,2017-05-27 17:51:00,0,0,0,0,10.00K,10000,0.00K,0,36.7556,-96.0187,36.7556,-96.0187,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701997,OKLAHOMA,2017,May,Hail,"NOWATA",2017-05-27 18:16:00,CST-6,2017-05-27 18:16:00,0,0,0,0,20.00K,20000,0.00K,0,36.7,-95.63,36.7,-95.63,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,701998,OKLAHOMA,2017,May,Hail,"NOWATA",2017-05-27 18:22:00,CST-6,2017-05-27 18:22:00,0,0,0,0,5.00K,5000,0.00K,0,36.6855,-95.63,36.6855,-95.63,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116621,704158,GEORGIA,2017,May,Tornado,"LAURENS",2017-05-24 13:05:00,EST-5,2017-05-24 13:10:00,0,0,0,0,25.00K,25000,,NaN,32.5133,-82.9802,32.5329,-82.9489,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 240 yards touched down just off |Valambrosia Road where it downed a few trees. The tornado moved northeast crossing Clover Leaf Lane where it blew some metal trim off of a mobile home and collapsed a small metal carport. The debris was strewn in the wooded area behind the mobile home and several pine trees were uprooted at this location. As the tornado crossed Irish Lane, a number of hardwood and softwood trees were uprooted. The tornado continued northeastward, downing between 20 and 40 trees on the railroad tracks near Moore Station Road. Further northeast, trees were intermittently snapped or uprooted. The tornado lifted near Fairview Park Hospital on Industrial Boulevard where the tops were blown out of a couple of pine trees. No injuries were reported. [05/24/17: Tornado #6, County #1/1, EF-0, Laurens, 2017:080]." +116621,704176,GEORGIA,2017,May,Tornado,"TOOMBS",2017-05-24 22:09:00,EST-5,2017-05-24 22:16:00,0,0,0,0,50.00K,50000,,NaN,32.2002,-82.3925,32.2214,-82.3251,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 440 yards touched down in a residential section of southeast Vidalia between Laurel Drive and Maple Drive. The tornado moved east-northeast crossing Highway 280 where it damaged the roofs of several businesses bent a large flag pole near Brantley's Marine and Guns. The tornado continued moving east-northeast snapping or uprooting numerous trees until ending just north of the city of Lyons along U.S. Highway 1. No injuries were reported. [05/24/17: Tornado #7, County #1/1, EF-1, Toombs, 2017:081]." +116621,704212,GEORGIA,2017,May,Thunderstorm Wind,"MURRAY",2017-05-24 09:55:00,EST-5,2017-05-24 10:05:00,0,0,0,0,2.00K,2000,,NaN,34.629,-84.8682,34.61,-84.8536,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Murray County 911 center reported trees blown down near the intersection of Highway 225 and Henry Gallman Road and on Mashburn Road." +116621,704215,GEORGIA,2017,May,Thunderstorm Wind,"GORDON",2017-05-24 10:15:00,EST-5,2017-05-24 10:25:00,0,0,0,0,3.00K,3000,,NaN,34.5432,-84.7072,34.5432,-84.7072,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Gordon County 911 center reported trees blown down around the intersection of Highway 411 and Pack Road." +121606,727826,CALIFORNIA,2017,November,Heat,"SAN DIEGO COUNTY VALLEYS",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Temperatures in the valleys were in the mid to upper 90's. El Cajon reported a high of 98 degrees. This is the cities second highest November temperature on record." +121606,727827,CALIFORNIA,2017,November,Heat,"COACHELLA VALLEY",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Temperatures in the Coachella Valley topped out in the mid 90's. Palm Springs reached 96 degrees, the highest temperatures on record for this late in the year." +117092,704440,INDIANA,2017,May,Flood,"VIGO",2017-05-04 11:13:00,EST-5,2017-05-04 13:00:00,0,0,0,0,0.25K,250,0.00K,0,39.4708,-87.3797,39.4704,-87.3798,"A front and an a low pressure system brought heavy rain to central Indiana for the second time in a week. Some areas received more than 2 inches of rain once again. This lead to road closures due to high water as well as new & prolonged flooding of area streams and rivers. Some water rescues were performed as well.","Minor street and yard flooding observed in and near this location. This report was obtained via Twitter." +117092,704443,INDIANA,2017,May,Flood,"HAMILTON",2017-05-04 15:30:00,EST-5,2017-05-04 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.9788,-86.0561,39.9788,-86.0541,"A front and an a low pressure system brought heavy rain to central Indiana for the second time in a week. Some areas received more than 2 inches of rain once again. This lead to road closures due to high water as well as new & prolonged flooding of area streams and rivers. Some water rescues were performed as well.","Rainfall of 2.55 inches was observed in the area, along with numerous flooded roads." +115310,692301,ALABAMA,2017,April,Flash Flood,"JEFFERSON",2017-04-03 06:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3847,-86.8114,33.3859,-86.8073,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Heavy rainfall caused flash flooding along portions of I-459 near the Riverchase Galleria." +115310,692303,ALABAMA,2017,April,Flash Flood,"JEFFERSON",2017-04-03 06:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.5,-86.82,33.4975,-86.8176,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Vehicles flooded near the intersection of 6th Avenue South and 6th Street." +121606,727828,CALIFORNIA,2017,November,Heat,"ORANGE COUNTY INLAND",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Temperatures reached into the mid and upper 90's. Anaheim recorded the hottest temperature in the country on this day with a reading of 100 degrees." +121606,727829,CALIFORNIA,2017,November,Heat,"ORANGE COUNTY COASTAL",2017-11-22 11:00:00,PST-8,2017-11-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A highly anomalous ridge of high pressure and light offshore winds brought record breaking heat to the region on the 22nd and 23rd. Just inland from the coast temperatures reached into the low to upper 90's, with Anaheim topping out at 100 degrees on the 22nd. The impact was low, though media coverage was high due to the Thanksgiving Holiday.","Afternoon high temperatures topped out in the upper 80's and mid 90's." +113585,679919,MASSACHUSETTS,2017,February,Strong Wind,"WESTERN MIDDLESEX",2017-02-13 11:00:00,EST-5,2017-02-13 19:00:00,0,0,0,0,16.00K,16000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","A tree and two poles were downed in Lincoln at 1210 pm on route 117 near Lincoln Road." +115310,692304,ALABAMA,2017,April,Flash Flood,"JEFFERSON",2017-04-03 06:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4529,-86.8164,33.4554,-86.8098,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Heavy rainfall caused flooding across Lakeshore Road near Greensprings Highway." +115310,692305,ALABAMA,2017,April,Thunderstorm Wind,"ELMORE",2017-04-03 07:06:00,CST-6,2017-04-03 07:07:00,0,0,0,0,0.00K,0,0.00K,0,32.5115,-86.3248,32.5115,-86.3248,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several trees uprooted and power lines downed on house along Pecan Grove Road." +115310,692306,ALABAMA,2017,April,Thunderstorm Wind,"PIKE",2017-04-03 08:05:00,CST-6,2017-04-03 08:06:00,0,0,0,0,0.00K,0,0.00K,0,31.8105,-86.139,31.8105,-86.139,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Several trees uprooted and power lines downed along Highway 29." +115310,692307,ALABAMA,2017,April,Thunderstorm Wind,"PIKE",2017-04-03 08:20:00,CST-6,2017-04-03 08:22:00,0,0,0,0,0.00K,0,0.00K,0,31.7948,-85.9517,31.7948,-85.9517,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","George Wallace Drive in the city of Troy closed due to numerous trees uprooted. Numerous trees uprooted across the city of Troy." +113585,679921,MASSACHUSETTS,2017,February,High Wind,"BARNSTABLE",2017-02-13 08:00:00,EST-5,2017-02-13 23:00:00,0,0,0,0,12.00K,12000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","The main power lines were down on Botero Road in Dennis at 12:31 PM. A light pole was blown down on Koon Hollow Beach in Wellfleet at 12:44 PM. A tree was down on route 6A west of Tugman Road in Brewster at 1:09 PM. A large tree and wires were down on George Ryder Road in Chatham at 3:20 PM. A tree and wires were down on Strawberry Lane and a tree blocking Driftwood Lane in Yarmouth at 4 PM." +113585,679922,MASSACHUSETTS,2017,February,Strong Wind,"WESTERN PLYMOUTH",2017-02-13 08:00:00,EST-5,2017-02-13 20:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","A tree and wires were downed on Plain Street in Hanover at 12:48 PM." +116311,702511,INDIANA,2017,May,Thunderstorm Wind,"VIGO",2017-05-10 21:30:00,EST-5,2017-05-10 21:30:00,0,0,0,0,100.00K,100000,,NaN,39.42,-87.41,39.42,-87.41,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Trees were downed in and near this location due to damaging thunderstorm wind gusts. There were reports of some trees on homes and vehicles. Also, WTHI-TV reported that a large business sign was lifted of its structure and tossed about 20 feet into the business' roof." +117013,703791,NEW YORK,2017,May,Thunderstorm Wind,"STEUBEN",2017-05-01 16:29:00,EST-5,2017-05-01 16:39:00,0,0,0,0,1.00K,1000,0.00K,0,42.32,-77.66,42.32,-77.66,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked trees over which blocked roadways." +117013,703806,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:10:00,EST-5,2017-05-01 19:20:00,0,0,0,0,15.00K,15000,0.00K,0,42.45,-75.56,42.45,-75.56,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and caused a large number of trees to be uprooted." +117013,703809,NEW YORK,2017,May,Thunderstorm Wind,"CHENANGO",2017-05-01 19:18:00,EST-5,2017-05-01 19:28:00,0,0,0,0,100.00K,100000,0.00K,0,42.55,-75.49,42.55,-75.49,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees. The National Weather Service in Binghamton, New York conducted a storm survey and found microburst winds ranging between 90 to 100 mph. At least 100 healthy trees were snapped or uprooted around the city of Norwich reservoir along route 23." +117013,703811,NEW YORK,2017,May,Thunderstorm Wind,"OTSEGO",2017-05-01 19:25:00,EST-5,2017-05-01 19:35:00,0,0,0,0,3.00K,3000,0.00K,0,42.47,-75.32,42.47,-75.32,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced damaging winds." +115739,704714,ILLINOIS,2017,May,Flash Flood,"CHRISTIAN",2017-05-19 03:30:00,CST-6,2017-05-19 08:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8202,-89.2402,39.7682,-89.3292,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","Heavy rain of 2.50 to 4.00 inches from the late evening of May 18th through the early morning of May 19th produced flash flooding in extreme northern Christian County. Numerous rural roads were closed from Mt. Auburn toward the Sangamon River to the Macon County line. The flooding subsided in most areas before 9:00 am." +115739,704715,ILLINOIS,2017,May,Flash Flood,"MACON",2017-05-19 03:00:00,CST-6,2017-05-19 08:45:00,0,0,0,0,0.00K,0,0.00K,0,39.872,-89.2181,39.8122,-89.2172,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","Heavy rain of 3.00 to 5.50 inches from the late evening of May 18th through the early morning of May 19th produced flash flooding in central and southern Macon County. Streets were flooded in Decatur and numerous rural roads were flooded from Decatur to Oakley and east toward the Piatt County line. The flooding subsided in most areas before 9:00 am." +117181,704847,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-05-05 09:15:00,EST-5,2017-05-05 09:15:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Deep cyclonic southwesterly flow helped produce numerous showers and scattered thunderstorms across the southeast Gulf of Mexico, however only isolated gale-force wind gusts were recorded northwest of Key West.","A wind gust of 37 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +112578,671699,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-02-25 18:15:00,EST-5,2017-02-25 18:15:00,0,0,0,0,,NaN,,NaN,38.7885,-75.1341,38.7885,-75.1341,"An unseasonably warm airmass led to thunderstorms over land. However, ocean temperatures were much colder and dense fog was present on the waters. This limited the degree of high winds but a few higher wind gusts were reported near Lewes and Dewey Beach.","Weatherflow measured gust in a thunderstorm." +112571,671643,PENNSYLVANIA,2017,February,Thunderstorm Wind,"DELAWARE",2017-02-25 16:48:00,EST-5,2017-02-25 16:48:00,0,0,0,0,,NaN,,NaN,39.88,-75.52,39.88,-75.52,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Measured wind gust." +112571,671908,PENNSYLVANIA,2017,February,Thunderstorm Wind,"NORTHAMPTON",2017-02-25 16:35:00,EST-5,2017-02-25 16:35:00,0,0,0,0,,NaN,,NaN,40.83,-75.32,40.83,-75.32,"Several days of record warmth came to an end with a frontal passage. Abnormally high moisture and instability was present ahead of the front. This led to a line of showers and thunderstorms ahead of the front that produced damaging winds and hail during the late afternoon hours. Thousands of people lost power and the hardest hit regions were from Berks county northward into the Lehigh Valley. Philadelphia International had a ground stop during the storms with numerous flight delays.","Several trees downed with one hitting a house on Sullivan trail." +116752,705043,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:33:00,CST-6,2017-05-26 21:33:00,0,0,0,0,,NaN,,NaN,39.36,-101.06,39.36,-101.06,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705044,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:36:00,CST-6,2017-05-26 21:36:00,0,0,0,0,,NaN,,NaN,39.39,-101.05,39.39,-101.05,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705045,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:42:00,CST-6,2017-05-26 21:42:00,0,0,0,0,,NaN,,NaN,39.45,-101.05,39.45,-101.05,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705046,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:43:00,CST-6,2017-05-26 21:43:00,0,0,0,0,,NaN,,NaN,39.36,-101.03,39.36,-101.03,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705047,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:47:00,CST-6,2017-05-26 21:47:00,0,0,0,0,,NaN,,NaN,39.39,-101.05,39.39,-101.05,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705048,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 21:48:00,CST-6,2017-05-26 21:48:00,0,0,0,0,,NaN,,NaN,39.39,-101.05,39.39,-101.05,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Wind driven 1.0 inch hail shattered the back of a car window. Winds estimated at 75 to 80 mph." +116089,697777,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-17 17:08:00,CST-6,2017-05-17 17:08:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-92.87,42.96,-92.87,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","A 60 mph wind gust occurred in Marble Rock." +116101,697816,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-05-05 11:24:00,EST-5,2017-05-05 11:24:00,0,0,0,0,,NaN,,NaN,25.73,-80.16,25.73,-80.16,"A cold front moving through the region combined with southerly winds bringing plenty of moisture to the region allowed showers and thunderstorm to develop over South Florida waters. A few of these storms produced gusty winds over the waters.","A marine thunderstorm wind gust of 42 mph / 36 knots was recorded by the C-MAN station VAKF1 located just south of Virginia Key at 1224 PM EDT." +115177,697836,MISSOURI,2017,May,Hail,"CAMDEN",2017-05-27 16:45:00,CST-6,2017-05-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-92.74,38.02,-92.74,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +116108,697851,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-05-01 22:15:00,EST-5,2017-05-01 22:19:00,0,0,0,0,,NaN,0.00K,0,32.7666,-79.8194,32.7666,-79.8194,"A line of thunderstorms developed ahead of an approaching cold front. This line of thunderstorms pushed to the South Carolina coast and produced strong wind gusts.","The Weatherflow site on Sullivans Island at Station 28.5 measured a 36 knot wind gust." +116113,697876,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 13:30:00,EST-5,2017-05-01 13:30:00,0,0,0,0,15.00K,15000,0.00K,0,41.88,-79.97,41.88,-79.97,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds downed a large tree. The tree landed on a house causing some damage." +116114,697889,TEXAS,2017,May,Hail,"COMAL",2017-05-28 19:06:00,CST-6,2017-05-28 19:06:00,0,0,0,0,,NaN,,NaN,29.75,-98.45,29.75,-98.45,"Thunderstorms developed along a cold front. Some of these storms produced severe hail and damaging wind gusts.","A thunderstorm produced hail up to half dollar size in Bulverde." +120878,723729,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-19 09:46:00,PST-8,2017-11-19 14:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three zones in the northwest interior had high wind.","Lopez Island recorded 41 mph sustained wind." +120878,723728,WASHINGTON,2017,November,High Wind,"WESTERN WHATCOM COUNTY",2017-11-19 10:05:00,PST-8,2017-11-19 15:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three zones in the northwest interior had high wind.","Ferndale recorded a 61 mph gust. A CWOP near Bellingham recorded 41 mph sustained wind, gusting to 59 mph." +120812,723452,ARKANSAS,2017,November,Hail,"CRAWFORD",2017-11-06 06:35:00,CST-6,2017-11-06 06:35:00,0,0,0,0,5.00K,5000,0.00K,0,35.48,-94.23,35.48,-94.23,"Strong to severe thunderstorms developed across portions of northwestern Arkansas during the early morning hours of the 6th, to the north of a cold front that had pushed into northern Texas and Louisiana. The strongest storms produced large hail.","" +113870,681930,TEXAS,2017,April,Thunderstorm Wind,"PANOLA",2017-04-02 12:20:00,CST-6,2017-04-02 12:20:00,0,0,0,0,0.00K,0,0.00K,0,32.1694,-94.2969,32.1694,-94.2969,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Straight line winds from a severe thunderstorms with wind speeds of around 120 mph moved northeast across the Panola County Airport, which caused an 80 ft long metal support beam that was 8x8 inches to be lifted up with the metal roofing and tossed onto the adjacent street and grassy lot behind the hanger. The back metal wall was supported by six to eight 4x4 inch by eight foot steel beams anchored in concrete, which were uprooted. Three ulta-light planes and another small engine plane inside the hanger were tied down and undamaged." +113680,680461,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-02-25 16:08:00,EST-5,2017-02-25 16:13:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 36 to 47 knots were reported at Black Walnut Harbor." +114543,686954,COLORADO,2017,February,Winter Storm,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-02-27 12:00:00,MST-7,2017-02-28 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Generally 8 to 20 inches of snow fell across the area. Wind gusts of 20 to 35 mph produced areas of blowing and drifting snow on the higher elevation roads going up to the mountain passes. Even stronger winds were measured on ridgetops which included 59 mph at the top of Telluride Ski Area." +114111,683507,LOUISIANA,2017,April,Tornado,"LA SALLE",2017-04-02 15:18:00,CST-6,2017-04-02 15:20:00,0,0,0,0,600.00K,600000,0.00K,0,31.7476,-92.1618,31.7627,-92.1563,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","This EF-2 tornado, with maximum estimated winds of 125-135 mph, touched down from the same tornadic supercell that produced the EF-2 tornado that hit the Rogers, Belah, and Trout communities. This tornado touched down just west of Highway 127, before tracking north northeast, snapping and uprooting numerous trees. There was widespread damage just east of Highway 127 to Highway 503 and Jack Lee Road. Several homes sustained damage due to flying debris and falling trees, including at least one mobile home that was nearly destroyed by falling trees. One well constructed home lost its supports for the carport, collapsing the carport on top of two vehicles. Another well-built home which sat atop of a peer and beam structure lifted and shifted nearly 10 feet off of the peer and beam structure. A third well-built home along Jack Lee Road lost its roof, with only four brick walls remaining. The snapped power poles and the damage to the well-built homes justified the EF-2 rating. Some roads remained impassable at the time of the survey." +116522,700707,TEXAS,2017,May,Thunderstorm Wind,"TOM GREEN",2017-05-22 23:03:00,CST-6,2017-05-22 23:05:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.29,31.37,-100.29,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","The Wall Mesonet measured a wind gust of 60 mph." +116522,700725,TEXAS,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-23 19:23:00,CST-6,2017-05-23 19:26:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","A trained spotter estimated a 60 mph wind gust near the Abilene Christian University campus in Abilene." +116420,700066,TEXAS,2017,May,Hail,"COLEMAN",2017-05-18 15:48:00,CST-6,2017-05-18 15:48:00,0,0,0,0,0.00K,0,0.00K,0,31.99,-99.62,31.99,-99.62,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A trained spotter reported half dollar size hail in Novice." +116420,700073,TEXAS,2017,May,Hail,"COLEMAN",2017-05-18 15:52:00,CST-6,2017-05-18 15:52:00,0,0,0,0,0.00K,0,0.00K,0,31.9704,-99.6426,31.9704,-99.6426,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700078,TEXAS,2017,May,Hail,"SHACKELFORD",2017-05-18 16:31:00,CST-6,2017-05-18 16:31:00,0,0,0,0,0.00K,0,0.00K,0,32.4736,-99.5739,32.4736,-99.5739,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700080,TEXAS,2017,May,Hail,"COLEMAN",2017-05-18 16:35:00,CST-6,2017-05-18 16:35:00,0,0,0,0,0.00K,0,0.00K,0,32.02,-99.48,32.02,-99.48,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Golf ball size was reported by a trained spotter on the south side of Lake Coleman." +116420,700081,TEXAS,2017,May,Hail,"BROWN",2017-05-18 18:04:00,CST-6,2017-05-18 18:04:00,0,0,0,0,0.00K,0,0.00K,0,32.03,-99.13,32.03,-99.13,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +121948,730109,TENNESSEE,2017,December,Flash Flood,"CROCKETT",2017-12-22 15:56:00,CST-6,2017-12-22 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.8812,-89.2302,35.8654,-89.2267,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Flooded roadway at SR 189 and Pugh road as well as SR 189 and Old Mounds road southeast of Friendship." +121948,730111,TENNESSEE,2017,December,Flash Flood,"MADISON",2017-12-23 02:10:00,CST-6,2017-12-23 04:10:00,0,0,0,0,0.00K,0,0.00K,0,35.6784,-88.9086,35.6639,-88.9108,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Several roads closed and impassible near Highway 412 and Bells Highway road." +116943,703335,VIRGINIA,2017,May,Thunderstorm Wind,"HAMPTON (C)",2017-05-31 18:53:00,EST-5,2017-05-31 18:53:00,0,0,0,0,1.00K,1000,0.00K,0,37.07,-76.32,37.07,-76.32,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Tree was downed." +116943,703336,VIRGINIA,2017,May,Thunderstorm Wind,"HAMPTON (C)",2017-05-31 19:01:00,EST-5,2017-05-31 19:01:00,0,0,0,0,1.00K,1000,0.00K,0,37.07,-76.32,37.07,-76.32,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Numerous branches and large limbs were downed." +122022,730684,VIRGINIA,2017,December,Winter Weather,"EASTERN CHESTERFIELD",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county. Chesterfield (3 SSW) reported 3.0 inches of snow. Meadowville (2 WSW) reported 1.0 inch of snow." +122022,730686,VIRGINIA,2017,December,Winter Weather,"EASTERN HENRICO",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county. Varina reported 3.0 inches of snow. Elko reported 2.8 inches of snow." +122022,730687,VIRGINIA,2017,December,Winter Weather,"EASTERN KING AND QUEEN",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +122022,730688,VIRGINIA,2017,December,Winter Weather,"EASTERN KING WILLIAM",2017-12-08 15:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +122022,730689,VIRGINIA,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between two inches and four inches across the county." +116180,698346,TEXAS,2017,May,Thunderstorm Wind,"SAN PATRICIO",2017-05-23 19:09:00,CST-6,2017-05-23 19:09:00,0,0,0,0,25.00K,25000,0.00K,0,27.98,-97.37,27.98,-97.37,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Images were submitted of a radio tower damaged and partially blown down east of Taft." +112953,674908,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 20:52:00,CST-6,2017-02-28 20:52:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-90.28,41.35,-90.28,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported dime size hail." +112953,674909,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 20:52:00,CST-6,2017-02-28 20:52:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-90.28,41.35,-90.28,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported dime size hail." +112953,674910,ILLINOIS,2017,February,Hail,"BUREAU",2017-02-28 21:40:00,CST-6,2017-02-28 21:40:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-89.55,41.32,-89.55,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A citizen reported 1.25 inch diameter hail. The time of this report was determined from radar data." +116180,698345,TEXAS,2017,May,Thunderstorm Wind,"SAN PATRICIO",2017-05-23 19:08:00,CST-6,2017-05-23 19:08:00,0,0,0,0,20.00K,20000,0.00K,0,27.98,-97.39,27.98,-97.39,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Numerous trees were damaged in Taft." +121208,725617,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:49:00,EST-5,2017-10-15 15:49:00,0,0,0,0,8.00K,8000,0.00K,0,43.12,-77.64,43.12,-77.64,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds near Genesee and Vixette Streets." +116241,698866,VIRGINIA,2017,May,Dense Fog,"WESTERN LOUDOUN",2017-05-28 01:35:00,EST-5,2017-05-28 05:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116241,698867,VIRGINIA,2017,May,Dense Fog,"CLARKE",2017-05-28 01:35:00,EST-5,2017-05-28 05:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116241,698868,VIRGINIA,2017,May,Dense Fog,"FREDERICK",2017-05-28 01:35:00,EST-5,2017-05-28 05:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116241,698865,VIRGINIA,2017,May,Dense Fog,"WARREN",2017-05-28 01:35:00,EST-5,2017-05-28 05:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +122022,731337,VIRGINIA,2017,December,Winter Weather,"NEW KENT",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +122022,731338,VIRGINIA,2017,December,Winter Weather,"CHARLES CITY",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county." +122022,731341,VIRGINIA,2017,December,Winter Weather,"PRINCE GEORGE",2017-12-08 14:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one half inch and three inches of snow across eastern, southeast, and south central Virginia.","Snowfall totals ranged between one inch and three inches across the county. Hopewell (1 NE) reported 3.0 inches of snow. Petersburg reported 2.5 inches of snow. Richard Bland (2 SSE) reported 2.8 inches of snow. Garysville (3 S) reported 1.5 inches of snow." +122021,730616,MARYLAND,2017,December,Winter Weather,"MARYLAND BEACHES",2017-12-08 15:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between one inch and four inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals ranged between one half inch and two inches across the county. Ocean City reported 2.0 inches of snow." +121208,725618,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 15:50:00,EST-5,2017-10-15 15:50:00,0,0,0,0,,NaN,0.00K,0,43.12,-77.68,43.12,-77.68,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","" +112953,674943,ILLINOIS,2017,February,Tornado,"BUREAU",2017-02-28 21:43:00,CST-6,2017-02-28 21:46:00,0,0,0,0,0.00K,0,0.00K,0,41.4151,-89.2608,41.4233,-89.2171,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","National Weather Service storm survey team reported damage along a path, mainly to trees. A farm shed was also completely destroyed along the path. The estimated peak winds were 70 mph." +112955,674912,IOWA,2017,February,Hail,"CLINTON",2017-02-28 15:55:00,CST-6,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.79,-90.28,41.79,-90.28,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported dime to quarter size hail." +112955,674913,IOWA,2017,February,Hail,"JOHNSON",2017-02-28 15:55:00,CST-6,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-91.55,41.65,-91.55,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported estimated penny size hail on the west side of Iowa City." +118620,712603,WISCONSIN,2017,July,Hail,"GREEN LAKE",2017-07-15 20:40:00,CST-6,2017-07-15 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-88.95,43.97,-88.95,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +116420,700119,TEXAS,2017,May,Hail,"COLEMAN",2017-05-19 17:38:00,CST-6,2017-05-19 17:48:00,0,0,0,0,0.00K,0,0.00K,0,31.68,-99.43,31.68,-99.43,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700105,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:24:00,CST-6,2017-05-19 14:24:00,0,0,0,0,0.00K,0,0.00K,0,31.3707,-100.4948,31.3707,-100.4948,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Quarter size hail was reported at the National Weather Service Office in San Angelo." +116420,700149,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 19:56:00,CST-6,2017-05-19 19:56:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-100.55,31.16,-100.55,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Quarter size hail was reported by a National Weather Service employee." +116522,700705,TEXAS,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-23 06:10:00,CST-6,2017-05-23 06:13:00,0,0,0,0,0.00K,0,0.00K,0,32.24,-99.97,32.24,-99.97,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","A camper at Coronado's Camp reported several large trees blown down with hail ranging from pea to marble size." +116418,700057,TEXAS,2017,May,Hail,"TAYLOR",2017-05-10 19:37:00,CST-6,2017-05-10 19:37:00,0,0,0,0,0.00K,0,0.00K,0,32.46,-99.86,32.46,-99.86,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","The public reported quarter size hail 1 mile northeast of Tye." +116803,707722,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Ten inches of snow was measured two miles west of Cheyenne." +116076,697670,MINNESOTA,2017,May,Thunderstorm Wind,"NOBLES",2017-05-16 03:50:00,CST-6,2017-05-16 03:55:00,0,0,0,0,,NaN,,NaN,43.6381,-95.7956,43.6381,-95.7956,"Severe thunderstorms produced strong winds in portions of southwest Minnesota during the early morning hours of the 16th.","Wind gust measured by Minnesota Department of Transportation automated weather station along Interstate 90." +112887,674434,KENTUCKY,2017,March,Thunderstorm Wind,"OLDHAM",2017-03-01 06:22:00,EST-5,2017-03-01 06:22:00,0,0,0,0,50.00K,50000,0.00K,0,38.44,-85.59,38.44,-85.59,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Storm Survey concluded that straight line winds resulted in numerous trees were snapped over a fairly wide area, though the swath of damage was riddled with many trees that withstood the wind. The most concentrated damage was along Buckhorn Lane where a row of trees lining the road were blown down. Another concentrated area was at the end of Secretariat Drive, next to a wide-open field where several trees fell around a property. One tree fell into a garage door, causing both a branch to poke through the 2nd floor siding into the house and damaging the back side of a car." +116803,707696,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer 21 miles west-southwest of Cheyenne measured 32 inches of snow." +116803,707690,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Fifteen inches of snow was measured eight miles west of FE Warren AFB on Happy Jack Road. Snow drifts were two to four feet." +116803,707718,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Sixteen inches of snow was measured ten miles north of Cheyenne." +116949,703351,CALIFORNIA,2017,May,Flood,"MARIPOSA",2017-05-02 00:00:00,PST-8,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.7198,-119.6748,37.7202,-119.6665,"Due to rapid runoff from winter snow, the Merced River at Pohono Bridge was above flood stage for much of the month. The flooding prompted the closures of several campgrounds in Yosemite National Park.","The Merced River at Pohono Bridge exceeded it's flood stage at 10 feet on May 2 and remained above flood stage through May 13. Flood stage was exceeded again between May 22 and May 25 and between May 28 through the end of the month." +115202,695044,OKLAHOMA,2017,May,Flash Flood,"JOHNSTON",2017-05-19 21:30:00,CST-6,2017-05-20 00:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4064,-96.4785,34.3145,-96.6907,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Multiple roads in Bromide/Connerville area were not passable. Road access to Camp Bond washed out with debris." +121981,730526,VIRGINIA,2017,December,Winter Storm,"RICHMOND",2017-12-08 15:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Kennard reported 5.0 inches of snow." +114156,688493,MAINE,2017,March,Heavy Snow,"ANDROSCOGGIN",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114394,685662,CALIFORNIA,2017,March,Thunderstorm Wind,"TUOLUMNE",2017-03-21 13:00:00,PST-8,2017-03-21 13:30:00,0,0,0,0,1.00M,1000000,0.00K,0,38.0271,-120.2419,38.0258,-120.2401,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","An NWS storm survey team determined straight line winds from a micro-burst associated with a severe thunderstorm caused damage in Twain Harte, CA Numerous trees were brought down, and a home was damaged. Winds gusted to an estimated 105 mpg. Significant wind damage was done along Twain Harte Rd. with many trees and power lines knocked down as a severe thunderstorm passed through. A woman was briefly trapped in a damaged vehicle by a falling tree, and was rescued by the fire department. The woman was not injured." +114394,687143,CALIFORNIA,2017,March,Hail,"TUOLUMNE",2017-03-21 14:25:00,PST-8,2017-03-21 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-120.23,37.83,-120.23,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","A photo on Twitter showed large hail in Groveland, estimated to be 1.25 in diameter." +114607,687357,CALIFORNIA,2017,March,Heavy Rain,"EL DORADO",2017-03-24 07:00:00,PST-8,2017-03-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"A winter storm brought around a foot of snow to Sierra passes, with some delays and chain controls at times over mountain roads.","There was 0.79 inches of rain measured over 24 hours." +114707,688031,COLORADO,2017,March,Winter Storm,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-03-23 09:00:00,MST-7,2017-03-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist Pacific storm moved into the Great Basin and produced moderate to heavy snowfall accumulations across the southern and central mountains of western Colorado.","Generally 6 to 16 inches of snow fell across the area. Locally higher amounts included 20 inches at a location just south-southwest of Telluride." +114707,688032,COLORADO,2017,March,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-03-23 09:00:00,MST-7,2017-03-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist Pacific storm moved into the Great Basin and produced moderate to heavy snowfall accumulations across the southern and central mountains of western Colorado.","Snowfall amounts of 4 to 7 inches were measured across the area." +114709,688034,UTAH,2017,March,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-03-22 20:00:00,MST-7,2017-03-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist Pacific storm moved into the Great Basin and produced moderate to heavy snowfall accumulations across the Eastern Uinta Mountains.","Snowfall amounts of 6 to 12 inches were measured across the area with up to 16 inches at the Mosby Mountain SNOTEL site." +114710,688035,COLORADO,2017,March,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-25 20:00:00,MST-7,2017-03-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving and vigorous Pacific storm tracked across the area and produced significant snowfall accumulations in the San Juan Mountains.","Generally 3 to 6 inches of snow fell across the area with up to 8 inches measured at the Mancos SNOTEL site." +114710,688036,COLORADO,2017,March,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-03-25 21:00:00,MST-7,2017-03-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving and vigorous Pacific storm tracked across the area and produced significant snowfall accumulations in the San Juan Mountains.","Generally 4 to 8 inches of snow fell across the area with locally higher amounts of 11 and 12 inches measured at Monument Pass and at Telluride Ski Area, respectively." +114711,688041,COLORADO,2017,March,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-27 10:00:00,MST-7,2017-03-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front pushed through the region and produced moderate to heavy snowfall accumulations across the southwestern Colorado mountains.","Generally 7 to 14 inches of snow fell across the area." +114327,690192,KENTUCKY,2017,April,Strong Wind,"FULTON",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114418,685930,KENTUCKY,2017,April,Tornado,"GRAVES",2017-04-26 18:20:00,CST-6,2017-04-26 18:30:00,0,0,0,0,75.00K,75000,0.00K,0,36.6717,-88.8166,36.6844,-88.7112,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","The tornado crossed from Hickman County into Graves County about one mile north of Highway 58. The tornado weakened somewhat as it crossed into Graves County, where the damage track became more intermittent. Peak winds in the Graves County portion of the track were estimated just above 80 mph. Most of the damage was concentrated in Hickman County. Much of the structural damage in the Graves County portion of the path was along Highway 339, where a barn was heavily damaged. Otherwise, the damage along the Graves County portion of the track consisted mostly of some uprooted trees and broken branches. Trees were uprooted along U.S. Highway 45 near Pryorsburg. Four eyewitnesses reported seeing the tornado near Fulgham in Hickman County." +114418,685951,KENTUCKY,2017,April,Thunderstorm Wind,"GRAVES",2017-04-26 18:37:00,CST-6,2017-04-26 18:37:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-88.63,36.73,-88.63,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","A trained spotter estimated a wind gust to 65 mph." +114418,685954,KENTUCKY,2017,April,Thunderstorm Wind,"CRITTENDEN",2017-04-26 19:21:00,CST-6,2017-04-26 19:21:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-88.08,37.33,-88.08,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","Emergency management personnel estimated winds gusted from 60 to 65 mph." +114439,686226,ILLINOIS,2017,April,Hail,"JACKSON",2017-04-28 21:10:00,CST-6,2017-04-28 21:10:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-89.22,37.72,-89.22,"Clusters of storms developed just north of a surface warm front and intensified during the evening. One of these storms produced isolated large hail. The warm front extended from the Missouri bootheel northeast along the Ohio River.","" +114301,684821,ARKANSAS,2017,March,Hail,"INDEPENDENCE",2017-03-09 22:23:00,CST-6,2017-03-09 22:23:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-91.42,35.6,-91.42,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","" +114304,684816,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:55:00,CST-6,2017-04-26 15:55:00,0,0,0,0,0.00K,0,0.00K,0,31.28,-94.58,31.28,-94.58,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684818,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:55:00,CST-6,2017-04-26 15:55:00,0,0,0,0,0.00K,0,0.00K,0,31.28,-94.58,31.28,-94.58,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +113894,682602,CALIFORNIA,2017,February,Flood,"LAKE",2017-02-09 16:52:00,PST-8,2017-02-10 16:52:00,0,0,0,0,7.00M,7000000,0.00K,0,39.028,-122.9132,39.0565,-122.9114,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Flooding of Clear Lake brought the closure of multiple roads. Lakeshore Boulevard was closed due to flooding between Lange Street and Giselman Street, Other strees closed included Esplanade Street, K Street, Konoctie Avenue, and Lupoyoma Avenue. Clear Lake���s level stayed in flood stage for a month and led to mandatory evacuations in parts of the city of Lakeport. Lake County Public Works Director said early assessments suggested damage to county-maintained roads ranged between $5 million and $7 million." +113894,682603,CALIFORNIA,2017,February,Flood,"SAN JOAQUIN",2017-02-09 17:00:00,PST-8,2017-02-10 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,38.15,-121.27,38.1486,-121.2672,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Flood waters were reported in several homes in Acampo." +113894,682209,CALIFORNIA,2017,February,Heavy Rain,"BUTTE",2017-02-06 16:38:00,PST-8,2017-02-07 16:38:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-121.54,39.48,-121.54,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.75 of rain measured over 24 hours in Oroville." +113894,682210,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-06 07:00:00,PST-8,2017-02-07 16:38:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.5,38.76,-120.5,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.76 of rain measured at Pacific House between 0700-1600." +119077,715148,NEW MEXICO,2017,September,Hail,"UNION",2017-09-17 18:15:00,MST-7,2017-09-17 18:16:00,0,0,0,0,0.00K,0,0.00K,0,36.94,-103.56,36.94,-103.56,"A back door frontal boundary sagged southwest across eastern New Mexico and recharged low level moisture westward to the east slopes of the central mountain chain. Meanwhile, an upper level speed max shifted quickly northeast across the state and interacted with instability along the frontal boundary. Showers and storm erupted over the eastern plains and became strong to locally severe, mainly over the northeast plains. The largest hail report was from Union County where pennies fell 20 miles northeast of Des Moines.","" +119058,716752,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 21:05:00,CST-6,2017-07-22 21:08:00,0,0,0,0,,NaN,,NaN,38.99,-94.76,38.99,-94.76,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Two trees over 1 foot in diameter were snapped at the base." +114961,689589,ILLINOIS,2017,April,Flash Flood,"PERRY",2017-04-30 05:35:00,CST-6,2017-04-30 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,38.0236,-89.1211,38.0532,-89.1928,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","A well-traveled county road was closed from east of Du Quoin to the Franklin County line. In addition, a portion of Route 3 was closed just east of U.S. Highway 51, a few miles north of Du Quoin. Many smaller back roads were closed. A rural road near Pinckneyville was washed out. In the city of Pinckneyville, a street was closed due to several feet of water." +114418,685993,KENTUCKY,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-26 18:53:00,CST-6,2017-04-26 18:59:00,0,0,0,0,2.00K,2000,0.00K,0,37.03,-88.35,37.03,-88.35,"Temperatures warmed into the 80's ahead of a line of thunderstorms over northwest Tennessee and the Missouri Bootheel. The line of storms became severe as it moved rapidly northeast across the Purchase area of western Kentucky. The storms formed ahead of a cold front that extended southward from a low pressure center over the St. Louis area. A combination of moderate instability, sufficient wind shear, and steep low-level lapse rates supported locally damaging winds and an isolated tornado with these storms.","Several large tree limbs were blown down." +114325,685011,MISSOURI,2017,April,Thunderstorm Wind,"PERRY",2017-04-05 01:00:00,CST-6,2017-04-05 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.72,-89.87,37.72,-89.87,"A large complex of showers and thunderstorms moved eastward across Missouri. An isolated short line of intense thunderstorms along the leading edge of this complex produced damaging winds in Perryville. The storms developed in advance of a 500 mb low over Kansas. The complex of storms was aided by a moderately strong southwest low-level flow at 850 mb, which provided sufficient moisture and instability for the stronger storms.","A street sign and some tree limbs were blown down. One entire tree was blown down." +114961,690152,ILLINOIS,2017,April,Flood,"JACKSON",2017-04-29 07:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.7618,-89.3662,37.7558,-89.3671,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","Through the end of April, flooding along the Big Muddy River was mostly minor to moderate. However, this was the beginning of a major flood along the Big Muddy River. The river continued rising beyond the end of the month." +115155,691249,COLORADO,2017,April,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-04-26 06:00:00,MST-7,2017-04-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast but strong Pacific trough and associated cold front brought a quick shot of significant to heavy snow to most mountain areas of western Colorado, with the northern mountains having received the greatest amounts.","Generally 8 to 18 inches of snow were measured across the area." +115158,691262,COLORADO,2017,April,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-04-28 16:00:00,MST-7,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low pressure system centered over the San Juan Mountains advected plenty of moisture northwards which resulted in many mountain locations having received significant late season snowfall.","Generally 3 to 6 inches of snow fell across the area with up to 7 inches measured at the Red Mountain Pass SNOTEL site." +115158,691260,COLORADO,2017,April,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-04-28 17:00:00,MST-7,2017-04-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low pressure system centered over the San Juan Mountains advected plenty of moisture northwards which resulted in many mountain locations having received significant late season snowfall.","Snowfall amounts of 3 to 6 inches were measured across the area with up to 9 inches reported by a spotter 7 miles northeast of Sawpit." +115158,691261,COLORADO,2017,April,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-04-28 20:00:00,MST-7,2017-04-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low pressure system centered over the San Juan Mountains advected plenty of moisture northwards which resulted in many mountain locations having received significant late season snowfall.","Snowfall amounts of 3 to 5 inches were measured across the area which resulted in many roads that became snowpacked overnight." +111484,671800,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-02 22:05:00,EST-5,2017-01-02 22:05:00,0,0,0,0,0.00K,0,0.00K,0,31.52,-84.36,31.52,-84.36,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","The Georgia Automated Environmental Monitoring site at Ducker measured a wind gust of 60 mph." +114111,683306,LOUISIANA,2017,April,Thunderstorm Wind,"NATCHITOCHES",2017-04-02 15:00:00,CST-6,2017-04-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9194,-92.9925,31.9194,-92.9925,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Several trees were blown down on Clear Lake Road. Several additional trees were also blown down around Black Lake." +114214,684209,ARKANSAS,2017,March,Thunderstorm Wind,"INDEPENDENCE",2017-03-01 03:13:00,CST-6,2017-03-01 03:13:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-91.41,35.63,-91.41,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","A personal weather instrument recorded a wind gust of 61 mph." +114276,684666,TEXAS,2017,April,Flash Flood,"RUSK",2017-04-10 20:45:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3682,-94.803,32.3657,-94.803,"A cold front stalled northwest of the Four-State Region over Western Arkansas, Southeast Oklahoma, and North Texas, while a moist and unstable air mass developed ahead of the front during the afternoon and evening of April 10th. Cooling aloft associated with the approach of an upper level trough led to lowering freezing and -20C levels throughout the evening. Several severe thunderstorms with large hail (half-dollar to golfball size) and occasional damaging winds developed later during the evening, mainly over Northeast Texas. Localized flash flooding was also observed as well. The best instability shifted to the southwest of the region overnight, resulting in the thunderstorms weakening late.","Flooding was reported on County Road 2015 east of Kilgore." +113622,682055,WISCONSIN,2017,April,Thunderstorm Wind,"BARRON",2017-04-09 20:28:00,CST-6,2017-04-09 20:30:00,0,0,0,0,350.00K,350000,0.00K,0,45.5402,-92.0236,45.5418,-92.0202,"Thunderstorms developed during the late afternoon and early evening in the southern Twin Cities metro area. These storms moved eastward into west central Wisconsin and briefly became severe near Spring Valley where quarter size hail fell. Another storm in Barron County, in Cumberland, had properties which received minor damage to roofs, with two properties sustaining significant damage with 40% shingle damage. One home had a tree fall on it which considerable damage to their roof. Most of these storms were locally strong and produced non-severe hail and wind gusts as they continued to propagate eastward across west central Wisconsin during the late evening.","Several properties received minor damage to roofs, with two properties sustaining significant damage with 40% of their shingles damage. One home had a tree fall on it which caused considerable damage to their roof." +114111,683520,LOUISIANA,2017,April,Flash Flood,"CALDWELL",2017-04-02 18:50:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,32.0815,-92.2113,32.084,-92.21,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Portions of Highway 126 west of Grayson was flooded and closed." +114111,683521,LOUISIANA,2017,April,Flash Flood,"CALDWELL",2017-04-02 18:50:00,CST-6,2017-04-03 02:15:00,0,0,0,0,0.00K,0,0.00K,0,31.9863,-92.2659,32.0171,-92.2474,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Portions of Highway 506 near and west of the Kelly community was flooded and closed." +114111,683296,LOUISIANA,2017,April,Tornado,"LA SALLE",2017-04-02 13:53:00,CST-6,2017-04-02 14:04:00,0,0,0,0,100.00K,100000,0.00K,0,31.5788,-92.2513,31.6561,-92.226,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","An EF-2 tornado with maximum winds estimated between 115-125 mph touched down along White Sulphur Springs Road, primarily snapping and uprooting trees. However, several outbuildings lost siding or portions of their roofs, an d several homes along Hurricane Creek Road and Searcy Eden Road had roof damage. The EF-2 damage was found in two locations...the first being along White Sulphur Springs Road where power poles were snapped in two. The second area was where an oil derrick toppled along Highway 8. The metal was severely bent, and a concrete anchor block was pulled out of the ground. A second and very rusty oil derrick not only collapsed, but crumbled as well." +114111,683298,LOUISIANA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-02 14:25:00,CST-6,2017-04-02 14:25:00,0,0,0,0,0.00K,0,0.00K,0,32.5271,-92.6319,32.5271,-92.6319,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","A tree was blown down on a house. Trees and power lines were also reported down across the parish." +116749,702115,NEW HAMPSHIRE,2017,May,Flood,"COOS",2017-05-02 17:15:00,EST-5,2017-05-06 16:34:00,0,0,0,0,0.00K,0,0.00K,0,44.3919,-71.1591,44.3932,-71.1438,"Rainfall of around 1 inch was enough to raise the already swollen Androscoggin River at Gorham (flood stage 8.00 ft), to just over flood stage. The river crested at 8.32 feet resulting in minor flooding.","Rainfall of around 1 inch was enough to raise the already swollen Androscoggin River at Gorham (flood stage 8.00 ft), to just above flood stage. The river crested at 8.32 feet resulting in minor flooding." +116821,702515,UTAH,2017,May,Flood,"WEBER",2017-05-06 13:00:00,MST-7,2017-05-13 21:00:00,0,0,0,0,20.00K,20000,0.00K,0,41.249,-111.7481,41.2613,-111.665,"Warming temperatures in the first half of May led to rapid snowmelt, causing flooding along the South Fork of the Ogden River.","Extensive snowmelt caused the South Fork of the Ogden River to exceed flood stage east of the Pineview Reservoir and the town of Huntsville, with flows at the Pineview Reservoir gauge peaking near 1200 cfs. Much of the flooding was mitigated by sandbagging efforts, but minor damage was reported to cabins and lawns near the river." +116874,702679,OHIO,2017,May,Hail,"LUCAS",2017-05-29 17:21:00,EST-5,2017-05-29 17:21:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-83.7,41.72,-83.7,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Penny sized hail was observed." +116874,702681,OHIO,2017,May,Thunderstorm Wind,"HURON",2017-05-29 21:46:00,EST-5,2017-05-29 21:46:00,0,0,0,0,2.00K,2000,0.00K,0,41.05,-82.73,41.05,-82.73,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Thunderstorm winds downed a few large tree limbs." +116874,702683,OHIO,2017,May,Thunderstorm Wind,"LORAIN",2017-05-29 23:33:00,EST-5,2017-05-29 23:36:00,0,0,0,0,5.00K,5000,0.00K,0,41.28,-82.07,41.3129,-82.0037,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Thunderstorm winds downed a tree near Grafton and another just east of Eaton Estates. Power outages were reported in the area." +116874,702685,OHIO,2017,May,Thunderstorm Wind,"CUYAHOGA",2017-05-29 22:58:00,EST-5,2017-05-29 22:58:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-81.63,41.38,-81.63,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Thunderstorm winds downed a couple of trees." +116874,702686,OHIO,2017,May,Thunderstorm Wind,"CUYAHOGA",2017-05-29 22:50:00,EST-5,2017-05-29 22:52:00,0,0,0,0,1.00K,1000,0.00K,0,41.38,-81.77,41.4,-81.72,"A cold front moved across the Upper Ohio Valley late on May 29th. A broken line of showers and thunderstorms developed in advance of the front. A couple of the thunderstorms became severe.","Thunderstorm winds downed large tree limbs in Parma Heights and Parma." +116884,702772,TEXAS,2017,May,Tornado,"COLLINGSWORTH",2017-05-16 16:50:00,CST-6,2017-05-16 16:51:00,0,0,0,0,,NaN,,NaN,35.02,-100.05,35.02,-100.01,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Tornado reported on the ground by storm chasers in the area." +116884,702773,TEXAS,2017,May,Hail,"WHEELER",2017-05-16 17:09:00,CST-6,2017-05-16 17:09:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-100.04,35.57,-100.04,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","" +116884,702774,TEXAS,2017,May,Hail,"COLLINGSWORTH",2017-05-16 20:16:00,CST-6,2017-05-16 20:16:00,0,0,0,0,0.00K,0,0.00K,0,34.91,-100.24,34.91,-100.24,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Late report. Mostly dime to a few quarter size hail." +116091,702312,WISCONSIN,2017,May,Flood,"ADAMS",2017-05-19 13:00:00,CST-6,2017-05-21 07:20:00,0,0,0,0,0.00K,0,0.00K,0,43.8638,-89.9582,43.8654,-89.9542,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Runoff from heavy rains caused the operators of the Castle Rock Dam to release above normal amounts of water. The flow peaked at 36,613 cubic feet per second (cfs) and flood stage is considered to be 30,000 cfs." +116091,699074,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-17 18:31:00,CST-6,2017-05-17 18:31:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-90.56,42.93,-90.56,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","A 71 mph wind gust occurred east of Stitzer." +115728,703226,ILLINOIS,2017,May,Flash Flood,"CHRISTIAN",2017-05-04 07:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6112,-89.5344,39.3504,-89.5314,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern Christian County. Officials reported that most roads were impassable and numerous creeks rapidly flooded." +116656,701404,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"MARION",2017-05-05 03:06:00,EST-5,2017-05-05 03:07:00,0,0,0,0,1.00K,1000,0.00K,0,34.2068,-79.174,34.2068,-79.174,"Powerful low pressure moved across Kentucky and caused severe weather. Clusters of thunderstorms developed during the evening hours and persisted overnight. The atmosphere was moderately unstable and strongly sheared.","A large tree was reported down off of U.S. 76 near Harbor Rd. The time was estimated based on radar data." +116129,698052,NORTH CAROLINA,2017,May,Tornado,"SAMPSON",2017-05-23 15:38:00,EST-5,2017-05-23 16:17:00,1,0,0,0,1.50M,1500000,0.00K,0,35,-78.64,35.0469,-78.404,"A significant impulse ejected northeast, moving atop a quasi-stationary wavy frontal zones that extended from the Deep South into the Carolinas. A surface wave and|a 40 to 50 kt low-level jet accompanied the impulse. A low-topped supercell developed|along the surface wave and produced an EF-1 tornado in Sampson County. The EF-1 tornado produced non-continuous damage along a 13 mile path from Autryville to just NE of Salemburg.","At approximately 4:38 PM EDT, a tornado touched down just west of |highway 24 on the west side of Autryville, where it produced tree |damage as well as destroying one mobile home and taking the roof off |of another near Mills Street and East Clinton Street. The tornado |then briefly lifted before descending again near the Autryville |Volunteer Fire Department, which was severely damaged as the garage doors |blew in, and ripped a large portion of roof off. Two of their fire engines and one fire truck were covered in rubble. The tornado lifted then touched down again on the northeast side of Autryville, near Johnson Tanner Lane, where several homes were |damaged. The tornado lifted again, doing little additional damage until touching down again near McGee Church Road, where it destroyed a vacant turkey house and snapped numerous trees and power poles. It then dissipated at approximately 5:17 PM EDT. There were no fatalities and only one minor injury reported." +116884,702756,TEXAS,2017,May,Tornado,"DONLEY",2017-05-16 15:39:00,CST-6,2017-05-16 15:50:00,0,0,0,0,,NaN,,NaN,35.16,-100.65,35.18,-100.647,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Tornado on the ground observed by NWS Employee." +114785,692987,KANSAS,2017,May,Hail,"MARION",2017-05-18 16:00:00,CST-6,2017-05-18 16:01:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-96.89,38.09,-96.89,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +121682,728344,NEW YORK,2017,October,Coastal Flood,"MONROE",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +114628,687519,KANSAS,2017,March,Hail,"HARVEY",2017-03-24 16:24:00,CST-6,2017-03-24 16:25:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.51,38,-97.51,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","" +119057,716729,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:45:00,CST-6,2017-07-22 21:48:00,0,0,0,0,,NaN,,NaN,38.9024,-94.3184,38.9024,-94.3184,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A 6 inch limb was snapped off of a live, healthy tree near Highway 50 and Blackwell." +111484,672354,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:30:00,EST-5,2017-01-02 22:30:00,0,0,0,0,0.00K,0,0.00K,0,31.5711,-83.9731,31.5711,-83.9731,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down near 200 Henry Road." +111484,672356,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:32:00,EST-5,2017-01-02 22:32:00,0,0,0,0,5.00K,5000,0.00K,0,31.5555,-83.8835,31.5555,-83.8835,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","The under-skirting of a home was pushed under a home on Ramblewood Drive." +116978,703533,TEXAS,2017,May,Coastal Flood,"NUECES",2017-05-29 07:30:00,CST-6,2017-05-29 08:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"After the storms moved offshore into the Gulf of Mexico, strong pressure falls were observed over South Texas, with strong pressure rises noted over the Gulf waters. This produced strong easterly winds across the Coastal Bend and adjacent waters. Wind gusts ranged from 50 to 60 mph. As a result, brief but significant coastal flooding occurred over portions of the Middle Texas coast.","Port Aransas C-MAN station measured a tide level of 2.63 feet above MSL. Water was driven up to the dunes. Significant impacts occurred to Memorial Day weekend campers along the beach in Port Aransas." +116978,703535,TEXAS,2017,May,Coastal Flood,"NUECES",2017-05-29 07:40:00,CST-6,2017-05-29 08:40:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"After the storms moved offshore into the Gulf of Mexico, strong pressure falls were observed over South Texas, with strong pressure rises noted over the Gulf waters. This produced strong easterly winds across the Coastal Bend and adjacent waters. Wind gusts ranged from 50 to 60 mph. As a result, brief but significant coastal flooding occurred over portions of the Middle Texas coast.","NOS gauge at Bob Hall Pier measured tide levels at 3 feet above MSL. Water was driven well into the dunes. Recreational vehicles and campers became stranded and partially inundated with sand and water on the beach at North Padre Island." +121682,728346,NEW YORK,2017,October,Coastal Flood,"NORTHERN CAYUGA",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +115256,691958,HAWAII,2017,May,High Surf,"LEEWARD HALEAKALA",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691959,HAWAII,2017,May,High Surf,"KONA",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +115256,691960,HAWAII,2017,May,High Surf,"SOUTH BIG ISLAND",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +121208,725669,NEW YORK,2017,October,Thunderstorm Wind,"LEWIS",2017-10-15 17:23:00,EST-5,2017-10-15 17:23:00,0,0,0,0,8.00K,8000,0.00K,0,43.79,-75.49,43.79,-75.49,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121217,725733,NEW YORK,2017,October,High Wind,"NIAGARA",2017-10-30 07:00:00,EST-5,2017-10-30 09:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +115256,691961,HAWAII,2017,May,High Surf,"BIG ISLAND NORTH AND EAST",2017-05-27 09:00:00,HST-10,2017-05-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere produced surf of 6 to 12 feet along the south-facing shores of all the islands. In combination with unusually high tides, the surf inundated some south-shore areas. Lifeguards and other ocean safety officials were kept busy with providing advice to beach-goers and performing rescues of individuals caught in the rough surf. However, no serious injuries were reported. The costs of any damages were not available.","" +116980,703539,INDIANA,2017,May,Flash Flood,"ALLEN",2017-05-24 20:33:00,EST-5,2017-05-24 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9179,-85.0738,40.9227,-84.804,"An upper level system interacted with an unstable environment, causing the development of thunderstorms. High precipitable water values and training of several thunderstorms cause a narrow swath of intense rainfall. This subsequently caused rapid water rises in rural and urban areas, resulting in numerous road closures as well as some rescues from stranded vehicles. Portions of Allen and Adams county were impacted the greatest.","Local media reported several roads within the city of Fort Wayne, New Haven and some rural locations southeast of Fort Wayne had several inches of flowing water over the roads. A few rescues by motorists stranded in high water in Fort Wayne. No injuries were reported." +116143,701555,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-17 02:28:00,CST-6,2017-05-17 02:28:00,0,0,0,0,0.00K,0,0.00K,0,36.0776,-95.95,36.0776,-95.95,"Severe thunderstorms developed along a dry line across the eastern Texas Panhandle during the afternoon of the 16th. These storms moved across western and central Oklahoma during the afternoon and evening hours. By the time these thunderstorms moved into northeastern Oklahoma during the early morning hours of the 17th, they had evolved into a solid line of storms. The strongest storms within this line produced damaging wind gusts.","Strong thunderstorm wind blew down a large tree." +116143,701557,OKLAHOMA,2017,May,Thunderstorm Wind,"ROGERS",2017-05-17 02:40:00,CST-6,2017-05-17 02:40:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-95.77,36.24,-95.77,"Severe thunderstorms developed along a dry line across the eastern Texas Panhandle during the afternoon of the 16th. These storms moved across western and central Oklahoma during the afternoon and evening hours. By the time these thunderstorms moved into northeastern Oklahoma during the early morning hours of the 17th, they had evolved into a solid line of storms. The strongest storms within this line produced damaging wind gusts.","Strong thunderstorm wind blew down several trees." +116144,701560,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 19:12:00,CST-6,2017-05-18 19:12:00,0,0,0,0,0.00K,0,0.00K,0,36.1211,-96.12,36.1211,-96.12,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to near 60 mph south of Sand Springs." +114176,683845,KENTUCKY,2017,May,Thunderstorm Wind,"CLINTON",2017-05-04 17:31:00,CST-6,2017-05-04 17:31:00,0,0,0,0,25.00K,25000,0.00K,0,36.69,-85.14,36.69,-85.14,"A compact but strong low pressure system crossed through south central Kentucky during the late afternoon hours May 4. Very limited instability but sufficient wind shear resulted in a narrow line of strong to marginally severe thunderstorms. This resulted in sporadic wind damage reports.","State officials reported that severe thunderstorm winds blew off a portion of a metal roof of a business." +114666,687803,INDIANA,2017,May,Hail,"CLARK",2017-05-20 17:35:00,EST-5,2017-05-20 17:35:00,0,0,0,0,25.00K,25000,0.00K,0,38.49,-85.67,38.49,-85.67,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","Hail ranged in size from nickels to half dollar in diameter." +114666,687804,INDIANA,2017,May,Tornado,"CRAWFORD",2017-05-19 15:22:00,EST-5,2017-05-19 15:24:00,0,0,0,0,250.00K,250000,0.00K,0,38.217,-86.493,38.22,-86.491,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","A NWS Storm Survey found all of the damage along Old Union Chapel Rd off of Hwy 62 near T&T Auto. The tornado formed in an open pasture southwest of Chapel Rd. It knocked over several cedar trees and split several sections on some maple trees before striking a barn near the road. Winds in this area were estimated at 80-85 mph. The eastern edge door of the barn was blown out and with significant roof damage above the door. Several pieces of the barn roof along with many pieces of a wood pile next to the barn were thrown 125 yards downwind into the auto body shop vehicle lot area. This smashed out several vehicle windows. Winds here were estimated at 90 mph. A single-wide trailer took roof damage along its entrance. An old RV had its roof removed and large sections of debris was thrown downwind about 100 yards. A bed of a pickup truck, not attached, was picked up and thrown 150 yards down wind into a field. Another RV was tipped over on its side. Winds here estimated at 80-85 mph. The very back of the auto shop had its roof damaged. There were 3 trees knocked down or snapped northeast of the shop and no damage was observed beyond 150 yards northeast of it. Several witnesses observed the tornado, and there is video evidence as well. There were reports of a tornado near the 86 mile marker on I-64, but no damage was observed." +114666,687813,INDIANA,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-19 15:20:00,EST-5,2017-05-19 15:20:00,0,0,0,0,25.00K,25000,0.00K,0,38.23,-86.5,38.23,-86.5,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","The Crawford County emergency manager reported that severe thunderstorm winds blew off a porch from a mobile home and damaged a metal outbuilding." +114827,689563,WISCONSIN,2017,May,Tornado,"POLK",2017-05-16 15:42:00,CST-6,2017-05-16 15:44:00,0,0,0,0,0.00K,0,0.00K,0,45.2529,-92.1619,45.2551,-92.1562,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","A powerful thunderstorm tracked across northwest Wisconsin during the the early evening of 05/16/17. The tornado produced a strong, long track tornado that first developed over southeastern Polk County, 5 miles south of Clayton. It damaged a couple farmsteads in Polk County then tracked mostly eastward across southern Barron and southern Rusk counties." +116147,702000,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-27 18:40:00,CST-6,2017-05-27 18:40:00,0,0,0,0,10.00K,10000,0.00K,0,36.5358,-95.4322,36.5358,-95.4322,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702001,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-27 18:45:00,CST-6,2017-05-27 18:45:00,0,0,0,0,10.00K,10000,0.00K,0,36.54,-95.43,36.54,-95.43,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702002,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 18:47:00,CST-6,2017-05-27 18:47:00,0,0,0,0,5.00K,5000,0.00K,0,36.62,-95.3241,36.62,-95.3241,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702004,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.5381,-95.2214,36.5381,-95.2214,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702006,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 19:13:00,CST-6,2017-05-27 19:13:00,0,0,0,0,5.00K,5000,0.00K,0,36.5247,-95.0242,36.5247,-95.0242,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702007,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 19:15:00,CST-6,2017-05-27 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.54,-95.22,36.54,-95.22,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116621,704223,GEORGIA,2017,May,Thunderstorm Wind,"FANNIN",2017-05-24 10:37:00,EST-5,2017-05-24 10:57:00,0,0,0,0,5.00K,5000,,NaN,34.8977,-84.3789,34.8891,-84.2232,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Fannin County Emergency Manager reported trees blown down from around Sunrock Mountain Road and Tennis Court Road around Loving Road and Highway 515." +116621,704229,GEORGIA,2017,May,Thunderstorm Wind,"UNION",2017-05-24 14:12:00,EST-5,2017-05-24 14:20:00,0,0,0,0,1.00K,1000,,NaN,34.8583,-83.8943,34.8583,-83.8943,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Union County 911 center reported a tree blown down near the Shining Light Baptist church on Trackrock Gap Road." +116621,704232,GEORGIA,2017,May,Thunderstorm Wind,"PUTNAM",2017-05-24 17:32:00,EST-5,2017-05-24 17:40:00,0,0,0,0,1.00K,1000,0.00K,0,33.2627,-83.3012,33.2627,-83.3012,"Another strong short wave and surface cold front, associated with the large and deep upper-level trough over the central U.S., swept through the region bringing more scattered severe thunderstorms and isolated tornadoes to north and central Georgia.","The Putnam County 911 center reported a tree blown down at the intersection of Pea Ridge Road Southeast and Clopton Drive Southeast." +116104,697843,FLORIDA,2017,May,Wildfire,"HENDRY",2017-05-13 16:37:00,EST-5,2017-05-14 10:00:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"Drier then normal conditions across South Florida as well as breezy conditions allowed for a wildfire to begin and spread in Hendry County. 2 homes were evacuated with one home reporting damage.","Hendry County Emergency management reported a wildfire of 400 acres. The wildfire caused 2 homes to be evacuated and one home damaged." +116120,697927,FLORIDA,2017,May,Rip Current,"COASTAL PALM BEACH COUNTY",2017-05-16 15:53:00,EST-5,2017-05-16 15:53:00,2,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong east wind and a incoming swell brought an elevated risk of rip currents to Atlantic coast beaches. A man drowned caught in a rip current at Palm Beach. Two others were injured and taken to the hospital trying to help.","A rip current at the 100 block of South Ocean Boulevard in Palm Beach killed one person and injured two others. A man was in distress caught in a rip current when another man attempted to rescue him. A police officer arrived and was able to pull both men out of the water. One man was unresponsive and was pronounced dead. The other man and the police officer were taken to local hospital and later released. The beach was unguarded at the time." +116124,697984,FLORIDA,2017,May,Thunderstorm Wind,"BROWARD",2017-05-24 19:07:00,EST-5,2017-05-24 19:07:00,0,0,0,0,,NaN,,NaN,26.04,-80.41,26.04,-80.41,"Plenty of tropical moisture combined with a frontal squall line brought thunderstorms to South Florida. Some of these thunderstorms in the squall line produced gusty winds knocking over a few trees in Broward County.","An off duty NWS employee reported multiple medium sized trees down on 196 Ave between Griffin Road and Sheridan Street due to thunderstorms." +121755,728835,OHIO,2017,November,Thunderstorm Wind,"HARRISON",2017-11-05 20:50:00,EST-5,2017-11-05 20:50:00,0,0,0,0,2.50K,2500,0.00K,0,40.43,-81.19,40.43,-81.19,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down." +121755,728836,OHIO,2017,November,Thunderstorm Wind,"NOBLE",2017-11-05 20:55:00,EST-5,2017-11-05 20:55:00,0,0,0,0,2.00K,2000,0.00K,0,39.81,-81.47,39.81,-81.47,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Local highway department reported some trees down around Sarahsville." +112356,673332,ALABAMA,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-22 13:18:00,CST-6,2017-01-22 13:18:00,0,0,0,0,5.00K,5000,0.00K,0,31.15,-85.17,31.15,-85.17,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Widespread trees and power lines were blown down." +117100,704505,OREGON,2017,May,Hail,"COLUMBIA",2017-05-04 18:05:00,PST-8,2017-05-04 18:15:00,0,0,0,0,,NaN,,NaN,45.8408,-123.2154,45.8408,-123.2154,"A strong upper-level trough generated enough instability for a few severe thunderstorms to develop across NW Oregon.","Received picture via Twitter of hail around 1 inch in diameter from Timber road SW of Vernonia." +121755,728837,OHIO,2017,November,Tornado,"COLUMBIANA",2017-11-05 19:18:00,EST-5,2017-11-05 19:19:00,0,0,0,0,10.00K,10000,0.00K,0,40.6809,-80.5909,40.6752,-80.5788,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","The National Weather Service in Pittsburgh PA confirmed a tornado near Calcutta in Columbiana County Ohio on November 5th. The tornado was estimated to be an EF1 which produced mostly tree damage to hardwood and softwood trees. The tornado started near Vernon Dell Tractor and moved eastward into the town of Calcutta. There|were several trees that fell behind the YMCA. The roof top cooling units on the YMCA were ripped off." +121755,729018,OHIO,2017,November,Flood,"NOBLE",2017-11-06 06:24:00,EST-5,2017-11-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-81.47,39.8107,-81.4652,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","County official reported flooding at the intersection of Routes 146 and 147 near Shenandoah High School." +121822,729248,MISSOURI,2017,December,Hail,"SCOTLAND",2017-12-04 16:45:00,CST-6,2017-12-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-92.01,40.32,-92.01,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th. This brought a cold front to along the Mississippi River by early evenings. Ahead of this cold front, scattered showers and thunderstorms moving northeastward across northeast Missouri. One of these storms produced damaging winds as it moved across Clark County. This storm also produced a tornado that caused EF-2 damage near the Highway 27 and 61 interchange before crossing the Des Moines River and moving into Iowa. One person was injured when the tornado hit a tractor trailer.","A public report was relayed by broadcast media. The time of the event was estimated based on radar." +117016,703817,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BRADFORD",2017-05-01 18:35:00,EST-5,2017-05-01 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,41.57,-76.44,41.57,-76.44,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in the area." +117016,703818,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-01 19:05:00,EST-5,2017-05-01 19:15:00,0,0,0,0,3.00K,3000,0.00K,0,41.88,-75.73,41.88,-75.73,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds which damaged power lines. Lightning caused a pole to catch on fire." +117016,703821,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-01 19:17:00,EST-5,2017-05-01 19:27:00,0,0,0,0,6.00K,6000,0.00K,0,41.96,-75.58,41.96,-75.58,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over power lines which landed on a car with occupants inside." +117016,703822,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-01 19:20:00,EST-5,2017-05-01 19:30:00,0,0,0,0,20.00K,20000,0.00K,0,41.93,-75.6,41.93,-75.6,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees which fell on two houses." +115739,704717,ILLINOIS,2017,May,Flash Flood,"PIATT",2017-05-19 02:00:00,CST-6,2017-05-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9523,-88.7455,39.8094,-88.746,"Low pressure tracking along a stationary frontal boundary brought several rounds of showers and thunderstorms to central Illinois from the evening of May 18th into the morning of May 19th. A few cells produced hail as large as quarters: however, the main impact was locally heavy rainfall. Rain amounts of 3 to 6 inches were common in a corridor from near Jacksonville northeastward through Springfield and Decatur to Champaign. Due to excessive rainfall rates, flash flooding occurred in many locations. Several underpasses and viaducts were flooded in Springfield and Decatur, while high water stranded a vehicle on a county road between Cerro Gordo and Bement in Piatt County.","Heavy rain of 3.00 to 6.00 inches from the late evening of May 18th through the early morning of May 19th produced flash flooding in central Piatt County. Numerous rural roads were closed from Cerro Gordo through Milmine toward Bement. A vehicle was stranded in the flood waters just north of Route 105, about 3 miles east of Cerro Gordo. No injuries were reported. The flooding subsided in most areas around 9:00 am." +115745,695630,ILLINOIS,2017,May,Tornado,"VERMILION",2017-05-26 16:53:00,CST-6,2017-05-26 16:54:00,0,0,0,0,45.00K,45000,0.00K,0,40.3299,-87.6387,40.3278,-87.6339,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","A tornado touched down at 5:53PM CDT 2.2 miles northwest of Alvin. It tracked southeastward and quickly dissipated by 5:54PM CDT. The tornado snapped a tree, did minor damage to the roof and siding of a house, broke an attic window, and blew the siding off a garage." +115745,695633,ILLINOIS,2017,May,Hail,"TAZEWELL",2017-05-26 14:01:00,CST-6,2017-05-26 14:06:00,0,0,0,0,0.00K,0,0.00K,0,40.6267,-89.5491,40.6267,-89.5491,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +122063,730717,COLORADO,2017,December,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-12-23 02:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream produced considerable snow and blowing snow in the northern Colorado mountains. The heaviest snowfall occurred in the mountains north of the Interstate 70 Corridor. Storm totals included: 22.5 inches, 9 miles east-northeast of Steamboat Springs; 19.5 inches, 9 miles south-southeast of Spicer; 16.5 inches, 4 miles southeast of Mount Zirkel; 15 inches, 5 miles west of Berthoud Falls and 7 miles south-southeast of Cameron Pass; 12 inches near Loveland Pass, 3 miles north-northeast of Mount Audobon, 6 miles east of Cameron Pass, 9 miles east of Glendevey and 8 miles south-southeast of Rand; 10.5 inches, 4 miles south of Longs Peak and 11 miles south of Rabbit Ears Pass; with 6 to 10 inches elsewhere.||Strong winds with gusts ranging from 60 to 80 mph above timberline produced blowing and drifting snow, icy conditions with near zero visibility. The extreme weather conditions, numerous accidents and busy holiday travel forced the extended closure of Interstate 70 in both directions approaching the Eisenhower/Johnson Tunnel. Westbound I-70 was closed from Morrison Road to the tunnel and eastbound was closed at Vail, and from the Silverthorne exit to the tunnel. US 40 from I-70 over Berthoud Pass to Winter Park was also closed because of extreme conditions and crashes. The closures started late in the afternoon of the 23rd and did not re-open until the following morning. According to CDOT, the Eisenhower Johnson Memorial Tunnel also lost power. Consequently, there was no control over the lights on the highway or the digital message boards. Temporary shelters had to be opened for stranded travelers.","Storm totals ranged from 10 to 15 inches." +116752,705049,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 20:54:00,MST-7,2017-05-26 20:54:00,0,0,0,0,,NaN,,NaN,39.35,-101.71,39.35,-101.71,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705050,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 20:55:00,MST-7,2017-05-26 20:55:00,0,0,0,0,,NaN,,NaN,39.35,-101.71,39.35,-101.71,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705051,KANSAS,2017,May,Hail,"SHERMAN",2017-05-26 21:01:00,MST-7,2017-05-26 21:01:00,0,0,0,0,,NaN,,NaN,39.41,-101.71,39.41,-101.71,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705052,KANSAS,2017,May,Hail,"SHERIDAN",2017-05-26 23:12:00,CST-6,2017-05-26 23:12:00,0,0,0,0,,NaN,,NaN,39.43,-100.35,39.43,-100.35,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705053,KANSAS,2017,May,Hail,"THOMAS",2017-05-26 23:28:00,CST-6,2017-05-26 23:28:00,0,0,0,0,,NaN,,NaN,39.36,-100.72,39.36,-100.72,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705054,KANSAS,2017,May,Tornado,"SHERIDAN",2017-05-26 22:35:00,CST-6,2017-05-26 22:35:00,0,0,0,0,,NaN,,NaN,39.41,-100.51,39.41,-100.51,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Farmer reported a brief tornado. Report relayed by Sheridan County Sheriff's Office." +115177,697932,MISSOURI,2017,May,Hail,"BARRY",2017-05-27 18:00:00,CST-6,2017-05-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.87,36.68,-93.87,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697957,MISSOURI,2017,May,Hail,"MILLER",2017-05-27 19:55:00,CST-6,2017-05-27 19:55:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-92.29,38.03,-92.29,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +116137,698066,NEBRASKA,2017,May,Hail,"HAYES",2017-05-15 21:24:00,CST-6,2017-05-15 21:24:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-101.27,40.38,-101.27,"Isolated thunderstorms occurred in Hayes County and Holt County during the late evening hours in on May 15th. Quarter size hail was reported in Hayes County, with damage occurring to siding at a home 2 miles west of Hamlet. Another isolated thunderstorm in Holt County produced quarter size hail, 1 mile east of Ewing.","General public reported hail up to quarter size, located 2 miles west of Hamlet." +116168,698297,IOWA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-17 16:43:00,CST-6,2017-05-17 16:43:00,0,0,0,0,0.00K,0,0.00K,0,42.69,-92.94,42.69,-92.94,"After a cold front stalled out across northwest Iowa the previous night, much of Iowa was firmly within the warm sector of an approaching surface low. As a result, winds were strong out of the south, helping keep dew points in the mid to upper 60s. While temperatures were only in the 70s, with the relatively high dew points SBCAPE values were able to eclipse 2000 J/kg in an uncapped environment. Storms began to initiate in the early afternoon, primarily producing funnel clouds and hail. As a weak boundary ahead of the parent cold front moved through, storms organized linearly and became primary wind gust and damaging wind producers as they traveled north/northeast.","Trained spotter reported wind gusts to 60 mph." +114653,698484,MISSOURI,2017,May,Thunderstorm Wind,"POLK",2017-05-19 15:24:00,CST-6,2017-05-19 15:24:00,0,0,0,0,2.00K,2000,0.00K,0,37.43,-93.59,37.43,-93.59,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Multiple trees were blown down and a garage was damaged." +114198,698517,MISSOURI,2017,May,Flood,"JASPER",2017-05-03 13:30:00,CST-6,2017-05-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-94.45,37.1767,-94.4604,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway D was closed at Center Creek." +114543,686944,COLORADO,2017,February,Winter Storm,"CENTRAL YAMPA RIVER BASIN",2017-02-27 15:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Heavy snow fell across the Central Yampa River Basin with up to 10 inches measured in Craig and about 14 inches near Maybell. Other locations in the area, including Meeker and Hayden, received lesser amounts of snow." +114543,686948,COLORADO,2017,February,Winter Storm,"SAN JUAN RIVER BASIN",2017-02-27 17:30:00,MST-7,2017-02-28 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and complex winter storm brought widespread snow to many mountains and higher elevation valleys within western Colorado. Moisture involved with this storm was carried to the region by an atmospheric river. ||The strong cold front with this storm moved very slowly southward across across western Colorado, while abundant moisture streamed northeast over the top of the cold air and resulted in a persistent band of heavy snowfall along and just south of the front. The cold front slowly sagged into the Interstate 70 Corridor early on February 28th, and then reached the southern border of Colorado Tuesday night, February 28th. Snowfall amounts exceeded 3 feet in a few mountain locations.","Widespread snowfall amounts of 8 to 12 inches were measured in the Pagosa Springs area." +115156,691255,COLORADO,2017,April,Frost/Freeze,"GRAND VALLEY",2017-04-28 02:30:00,MST-7,2017-04-28 06:30:00,0,0,0,0,0.00K,0,5.00K,5000,NaN,NaN,NaN,NaN,"Skies quickly cleared behind a departing low pressure system which resulted in overnight lows which plummeted below freezing in the west-central Colorado valleys.","Over half of the forecast zone had minimum temperatures down to 24 to 32 degrees F. The fruit growing areas in Palisade recorded minimum temperatures down to 28 degrees which resulted in some minor crop losses. The Grand Junction Regional Airport's overnight low of 24 degrees set a new record minimum for April 28th, beating the previous record of 25 degrees which was set in 1991." +117459,706433,COLORADO,2017,March,Avalanche,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-03-26 12:30:00,MST-7,2017-03-26 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense winter storm produced a large amount of high density snowfall which resulted in an unstable snowpack over portions of the San Juan Mountains. The Red Mountain Pass area received 18 inches of the high density snow within a 26 hour period that preceded an avalanche which came down onto Highway 550 on March 26th.","An avalanche came down onto Highway 550 and covered the road up to three feet deep. The highway was closed at that location for several hours as road crews cleared snow off the highway." +117461,706441,COLORADO,2017,January,Avalanche,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-01-10 02:40:00,MST-7,2017-01-10 02:45:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A heavy snowfall event resulted in an unstable snowpack and subsequent avalanche in the Vail Pass area.","An avalanche came down onto Interstate 70 in the Narrows area, about four miles west of the Vail Pass summit. The avalanche initially came down onto the westbound lanes and then spread across the eastbound lanes, with the westbound lanes covered up to 15 feet deep. Three semi trucks were struck by the avalanche. I-70 was closed for about ten hours due to the avalanche and related cleanup activities." +116420,700074,TEXAS,2017,May,Hail,"RUNNELS",2017-05-18 15:29:00,CST-6,2017-05-18 15:29:00,0,0,0,0,0.00K,0,0.00K,0,31.8747,-99.7765,31.8747,-99.7765,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116185,703522,TEXAS,2017,May,Thunderstorm Wind,"NUECES",2017-05-29 03:30:00,CST-6,2017-05-29 03:30:00,0,0,0,0,0.00K,0,0.00K,0,27.8397,-97.0727,27.8397,-97.0727,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","TCOON site at Port Aransas measured a gust to 58 mph." +116184,703403,TEXAS,2017,May,Rip Current,"NUECES",2017-05-28 15:15:00,CST-6,2017-05-28 15:15:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 35 year old man visiting Padre Island drowned on the afternoon of the 28th. Emergency crews were sent to Beach Marker 230 near Bob Hall Pier. The man was transported to Bay Area Hospital in Corpus Christi where he was pronounced dead.","A 35 year old man visiting Padre Island drowned in a rip current on the afternoon of the 28th. Emergency crews were sent to Beach Marker 230 near Bob Hall Pier. The man was pronounced dead at Bay Area Hospital in Corpus Christi." +116180,698331,TEXAS,2017,May,Thunderstorm Wind,"BEE",2017-05-23 18:08:00,CST-6,2017-05-23 18:12:00,0,0,0,0,100.00K,100000,0.00K,0,28.5507,-97.9103,28.5458,-97.893,"During the late afternoon on the 23rd, severe thunderstorms developed across south central Texas to the south and southwest of San Antonio. These severe thunderstorms developed due to a strong jet stream, a late season cold front, and a very unstable airmass along with the presence of strong wind shear. These severe thunderstorms continued to strengthen as they moved rapidly southeastward into South Texas during the evening of the 23rd. These severe thunderstorms eventually congealed into a squall line as they moved into the Coastal Bend and eventually offshore during the late evening hours. Widespread tree damage occurred across central portions of Bee County.","Pictures relayed through social media of significant property damage near Mineral." +111484,673295,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:45:00,EST-5,2017-01-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6733,-83.8354,31.6733,-83.8354,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Jodie Hobby Road." +120818,723494,OHIO,2017,November,Tornado,"HURON",2017-11-05 17:02:00,EST-5,2017-11-05 17:03:00,0,0,0,0,200.00K,200000,0.00K,0,41.1033,-82.6929,41.1106,-82.687,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down about a mile west of Steuben on the south side of State Route 162. The tornado moved north and damaged a couple large grain bins. The bins were caved in on their south facing sides. Towers on the top of the bins were toppled in different directions. A semi truck near the bins was knocked over. The tornado then crossed State Route 162 and damaged a home and a barn. The house lost a section of roofing which was found scattered to the south of the house. The tornado damaged another small grain bin before lifting over open farmland. This tornado was on the ground for just over a half mile." +112953,674901,ILLINOIS,2017,February,Hail,"WHITESIDE",2017-02-28 16:59:00,CST-6,2017-02-28 16:59:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-89.69,41.8,-89.69,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported dime size hail." +111484,673298,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:50:00,EST-5,2017-01-02 22:50:00,0,0,0,0,10.00K,10000,0.00K,0,31.5737,-83.8543,31.5737,-83.8543,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","The roof to a screened in porch was blown off along Highway 313 North. Damage cost was estimated." +111484,673300,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:54:00,EST-5,2017-01-02 22:54:00,0,0,0,0,0.00K,0,0.00K,0,31.7887,-83.6624,31.7887,-83.6624,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Alberson Road." +116239,698860,WEST VIRGINIA,2017,May,Dense Fog,"HAMPSHIRE",2017-05-27 23:27:00,EST-5,2017-05-28 05:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116239,698861,WEST VIRGINIA,2017,May,Dense Fog,"MORGAN",2017-05-27 23:27:00,EST-5,2017-05-28 05:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116239,698862,WEST VIRGINIA,2017,May,Dense Fog,"BERKELEY",2017-05-27 23:27:00,EST-5,2017-05-28 05:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116239,698863,WEST VIRGINIA,2017,May,Dense Fog,"EASTERN MINERAL",2017-05-27 23:27:00,EST-5,2017-05-28 05:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116239,698864,WEST VIRGINIA,2017,May,Dense Fog,"JEFFERSON",2017-05-27 23:27:00,EST-5,2017-05-28 05:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure caused mainly clear skies and light winds. This allowed for areas of dense fog to develop.","Visibility was estimated to be around one-quarter mile based on observations nearby." +116420,700128,TEXAS,2017,May,Hail,"BROWN",2017-05-19 19:02:00,CST-6,2017-05-19 19:02:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-99.13,31.7,-99.13,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700152,TEXAS,2017,May,Hail,"MENARD",2017-05-19 22:36:00,CST-6,2017-05-19 22:36:00,0,0,0,0,0.00K,0,0.00K,0,30.92,-99.79,30.92,-99.79,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Golf ball size was reported by law enforcement in Menard." +116420,700160,TEXAS,2017,May,Hail,"CONCHO",2017-05-19 17:08:00,CST-6,2017-05-19 17:08:00,0,0,0,0,0.00K,0,0.00K,0,31.5205,-99.9419,31.5205,-99.9419,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116420,700691,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 14:35:00,CST-6,2017-05-19 14:39:00,0,0,0,0,0.00K,0,0.00K,0,31.44,-100.46,31.44,-100.46,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A National Weather Service employee reported golf ball size hail mixed with quarter size hail on the southwest side of San Angelo in the Lower Bluffs' Subdivision." +116420,702505,TEXAS,2017,May,Tornado,"BROWN",2017-05-18 19:04:00,CST-6,2017-05-18 19:06:00,0,0,0,0,0.00K,0,0.00K,0,32.011,-98.9605,32.0088,-98.9539,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A trained amateur radio spotter reported a tornado just northwest of May." +116420,702508,TEXAS,2017,May,Tornado,"RUNNELS",2017-05-19 14:23:00,CST-6,2017-05-19 14:25:00,0,0,0,0,0.00K,0,0.00K,0,31.97,-99.99,31.97,-99.9895,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A trained spotter photographed a pencil thin tornado that touched down briefly just west of Winters." +114983,689889,NEW HAMPSHIRE,2017,March,Heavy Snow,"BELKNAP",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +116420,700146,TEXAS,2017,May,Hail,"BROWN",2017-05-19 19:25:00,CST-6,2017-05-19 19:25:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-98.99,31.72,-98.99,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Golf ball size hail was reported by the emergency manager just north of Brownwood. Also, there was a thunderstorm wind gust of 55 mph." +114156,688539,MAINE,2017,March,Blizzard,"INTERIOR YORK",2017-03-14 14:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116418,700058,TEXAS,2017,May,Hail,"JONES",2017-05-10 19:55:00,CST-6,2017-05-10 19:55:00,0,0,0,0,0.00K,0,0.00K,0,32.63,-99.81,32.63,-99.81,"Combination of an outflow boundary interacting with a dryline, and strong mid and high level winds resulted in the development of a few supercells mostly along and north of Interstate 20. These storms resulted in a few large hail reports and an isolated damaging thunderstorm wind report.","The Jones County Sheriff's office reported quarter size hail just north of Hawley." +116803,707714,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Nine inches of snow was measured three miles north-northwest of Cheyenne." +116803,707719,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Eight inches of snow was measured two miles east of Cheyenne." +116803,707717,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Nine inches of snow was measured five miles northeast of Cheyenne." +119145,716279,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 04:30:00,EST-5,2017-07-15 04:30:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-76.62,36.96,-76.62,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.85 inches was measured at Smithfield (1 SSW)." +116185,703520,TEXAS,2017,May,Thunderstorm Wind,"NUECES",2017-05-29 02:00:00,CST-6,2017-05-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,27.832,-97.486,27.832,-97.486,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","TCOON site at Nueces Bay measured a gust to 60 mph." +116134,698071,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-05-03 22:45:00,CST-6,2017-05-03 22:45:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Brazos Platform AWOS measured a gust to 39 knots." +119145,716290,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 05:00:00,EST-5,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-76.21,36.78,-76.21,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.54 inches was measured at Chesapeake (8.6 NE)." +119145,716307,VIRGINIA,2017,July,Heavy Rain,"HAMPTON (C)",2017-07-15 05:00:00,EST-5,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-76.32,37.07,-76.32,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.03 inches was measured at Hampton (1.9 NW)." +119145,716309,VIRGINIA,2017,July,Heavy Rain,"SUFFOLK (C)",2017-07-15 05:00:00,EST-5,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.53,36.89,-76.53,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.90 inches was measured at Hobson (1 WSW)." +115822,696110,VIRGINIA,2017,May,Thunderstorm Wind,"PRINCE WILLIAM",2017-05-18 19:24:00,EST-5,2017-05-18 19:24:00,0,0,0,0,,NaN,,NaN,38.613,-77.368,38.613,-77.368,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A wind gust of 66 mph was reported at Forest Park High School." +116134,698058,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 21:36:00,CST-6,2017-05-03 21:37:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4271,-96.4184,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Port O'Connor TCOON site measured a gust to 35 knots." +114156,688494,MAINE,2017,March,Heavy Snow,"COASTAL CUMBERLAND",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116803,707716,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","A foot of snow was measured three miles northwest of Burns." +115822,696104,VIRGINIA,2017,May,Thunderstorm Wind,"FAIRFAX",2017-05-18 19:05:00,EST-5,2017-05-18 19:05:00,0,0,0,0,,NaN,,NaN,38.7987,-77.325,38.7987,-77.325,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms became severe due to the instability and stronger winds aloft.","A tree was down at Burke Center Parkway and Ox Road." +114156,688497,MAINE,2017,March,Heavy Snow,"INTERIOR CUMBERLAND",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688501,MAINE,2017,March,Heavy Snow,"KNOX",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116420,700079,TEXAS,2017,May,Hail,"COLEMAN",2017-05-18 16:32:00,CST-6,2017-05-18 16:32:00,0,0,0,0,0.00K,0,0.00K,0,31.996,-99.372,31.996,-99.372,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Tennis ball size hail was reported by a storm chaser. Also, a windshield was broken by the large hail." +116420,700689,TEXAS,2017,May,Thunderstorm Wind,"COLEMAN",2017-05-18 16:48:00,CST-6,2017-05-18 16:52:00,0,0,0,0,0.00K,0,0.00K,0,32.02,-99.48,32.02,-99.48,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","A trained spotter reported damage to carports and canopies of residences at Lake Coleman. Roof shingle damage was also reported." +112882,674344,INDIANA,2017,March,Thunderstorm Wind,"DUBOIS",2017-03-01 01:47:00,EST-5,2017-03-01 01:47:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-86.91,38.3,-86.91,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported trees down across Highway 64." +116340,704450,VIRGINIA,2017,May,Tornado,"SOUTHAMPTON",2017-05-05 18:55:00,EST-5,2017-05-05 19:07:00,0,0,0,0,4.00K,4000,0.00K,0,36.9321,-76.9175,36.9807,-76.8803,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Tornado first touched down just north of Route 460 along Crumpler road (VA-618) just north of the town of Ivor in northern Southampton County. The tornado continued north northeast, crossing adjacent Warrique Road and Aberdeen Road. The survey team found several trees uprooted along this route, with chunks of asphalt from |nearby road construction found to be scattered in the field. The tornado continued north northeast into Surry county." +116340,704453,VIRGINIA,2017,May,Tornado,"DINWIDDIE",2017-05-05 06:09:00,EST-5,2017-05-05 06:12:00,0,0,0,0,38.00K,38000,0.00K,0,37.1887,-77.6428,37.2188,-77.6246,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Information obtained from the Dinwiddie county emergency manager and the Virginia Department of Forestry suggests a tornado touched down in timberland in northern Dinwiddie county. The tornado first touched down north of Route 460, to the west northwest of Sutherland, then tracked north northeast, ending near Namozine Road.|Extensive damage to trees occurred along the path, with no damage to structures." +116186,703524,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS OUT 20NM",2017-05-29 03:28:00,CST-6,2017-05-29 03:32:00,0,0,0,0,0.00K,0,0.00K,0,27.837,-97.039,27.837,-97.039,"The squall line, that formed over South Texas during the evening hours of the 28th, moved across the coastal waters during the early morning hours of the 29th. Wind gusts were generally between 40 and 50 knots.","Aransas Pass C-MAN station measured a gust to 38 knots." +114775,690137,MISSOURI,2017,April,Flood,"RIPLEY",2017-04-30 03:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-90.8477,36.6062,-90.8358,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","A record-breaking flood began on the Current River on the 30th. The river rose rapidly above flood stage, climbing about 20 feet in 24 hours. The river exceeded its highest level on record around midday on the 30th. The old record was established in 1904. The river continued rising further above the record during the night of the 30th. Roads and bridges were closed, and many buildings were flooded in Doniphan. The river continued rising at the end of April." +114301,685095,ARKANSAS,2017,March,Thunderstorm Wind,"FAULKNER",2017-03-07 03:35:00,CST-6,2017-03-07 03:35:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-92.2,35.2,-92.2,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Trees were down in Enola." +114301,684797,ARKANSAS,2017,March,Hail,"MARION",2017-03-09 20:45:00,CST-6,2017-03-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-92.69,36.23,-92.69,"A storm system brought severe thunderstorms and three tornadoes on March 6-9, 2017.","Pea to nickel sized hail covered the ground in the area." +114327,690193,KENTUCKY,2017,April,Strong Wind,"GRAVES",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690194,KENTUCKY,2017,April,Strong Wind,"MARSHALL",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690195,KENTUCKY,2017,April,Strong Wind,"CALLOWAY",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114327,690196,KENTUCKY,2017,April,Strong Wind,"LIVINGSTON",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114442,686244,INDIANA,2017,April,Hail,"POSEY",2017-04-28 18:48:00,CST-6,2017-04-28 18:48:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-87.78,38.1,-87.78,"Clusters of storms developed just north of a surface warm front and intensified during the evening. A few of the storms acquired supercell characteristics. Isolated large hail and damaging wind was observed with a couple of these storms. The storms occurred just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River.","" +114443,687743,INDIANA,2017,April,Flash Flood,"POSEY",2017-04-29 06:56:00,CST-6,2017-04-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.9941,-88.0074,38.1725,-87.8645,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Numerous roads were underwater in the western part of the county. Water rescues were conducted just west of Mt. Vernon. A trained spotter in Poseyville measured 7.10 inches in the past 12 hours." +114650,687652,INDIANA,2017,April,Flood,"VANDERBURGH",2017-04-16 14:25:00,CST-6,2017-04-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-87.55,38.0417,-87.5349,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. Some of the storms produced locally heavy rain.","Street flooding was reported along the Lloyd Expressway in Evansville. Many low-lying roadways in the southern end of the county were flooded." +114440,688112,ILLINOIS,2017,April,Flood,"WHITE",2017-04-29 08:00:00,CST-6,2017-04-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-88.07,38.1584,-88.3548,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Following the flash flooding during the early morning hours, some road flooding lingered into the early afternoon hours. Illinois Route 1 was flooded and impassable between Carmi and Crossville. U.S. Route 45 remained flooded near Enfield. Several streets in Carmi were flooded." +114974,689762,MISSOURI,2017,April,Flood,"STODDARD",2017-04-22 06:00:00,CST-6,2017-04-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-89.92,37.0089,-89.9597,"A warm front aloft stalled over southeast Missouri, resulting in widespread rain and isolated thunderstorms. Rainfall totals of 2 to 3 inches were common over a 36-hour period. This caused some flooding of creeks and a small river.","Flooding of the upper Castor River closed Highway BB just north of Highway M." +114305,684825,LOUISIANA,2017,April,Hail,"JACKSON",2017-04-26 17:15:00,CST-6,2017-04-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-92.72,32.35,-92.72,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114305,684826,LOUISIANA,2017,April,Hail,"LINCOLN",2017-04-26 17:05:00,CST-6,2017-04-26 17:05:00,0,0,0,0,0.00K,0,0.00K,0,32.53,-92.71,32.53,-92.71,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. Several instances of wind damage were also noted across North Louisiana. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114326,685052,ILLINOIS,2017,April,Hail,"SALINE",2017-04-05 13:21:00,CST-6,2017-04-05 13:21:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-88.62,37.83,-88.62,"Scattered storms increased during the afternoon as solar heating destabilized the atmosphere. A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. Storms increased along and near a warm front that extended east-southeast from the low into southeast Illinois. Surface dew points in the 50's spread northeastward beneath cold mid-level temperatures aloft. The atmosphere became sufficiently unstable for severe storms, with capes approaching 1000 j/kg. Wind fields aloft were quite strong as a belt of 80-knot winds at 500 mb progressed northeast into the Tennessee Valley. The strong wind shear facilitated several severe storms, including a brief tornado.","" +113870,681928,TEXAS,2017,April,Thunderstorm Wind,"PANOLA",2017-04-02 12:03:00,CST-6,2017-04-02 12:03:00,0,0,0,0,0.00K,0,0.00K,0,32.0889,-94.4073,32.0889,-94.4073,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","A roof was damaged on a home, a horse barn was damaged, power lines were downed, and trees were snapped about 5 miles east of the Clayton community." +113713,680710,MARYLAND,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:25:00,EST-5,2017-02-12 22:25:00,0,0,0,0,,NaN,,NaN,39.4282,-77.4356,39.4282,-77.4356,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees were down just west of Frederick." +114786,688524,KANSAS,2017,May,Tornado,"KINGMAN",2017-05-19 15:22:00,CST-6,2017-05-19 15:23:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-98.42,37.5428,-98.4185,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Brief touchdown over open country." +114786,688525,KANSAS,2017,May,Tornado,"KINGMAN",2017-05-19 16:10:00,CST-6,2017-05-19 16:12:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-98.11,37.6836,-98.1065,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Tornado moved over open country." +114786,688526,KANSAS,2017,May,Tornado,"RENO",2017-05-19 16:32:00,CST-6,2017-05-19 16:34:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-97.94,37.7591,-97.9352,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Tornado moved over open country and caused no damage." +113713,680711,MARYLAND,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:25:00,EST-5,2017-02-12 22:25:00,0,0,0,0,,NaN,,NaN,39.5321,-77.311,39.5321,-77.311,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees were down in Woodsboro." +113713,680713,MARYLAND,2017,February,Thunderstorm Wind,"CARROLL",2017-02-12 22:30:00,EST-5,2017-02-12 22:30:00,0,0,0,0,0.00K,0,0.00K,0,39.625,-77.0871,39.625,-77.0871,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down on a house on Tyrone Road." +113713,680714,MARYLAND,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:31:00,EST-5,2017-02-12 22:31:00,0,0,0,0,,NaN,,NaN,39.3853,-77.1939,39.3853,-77.1939,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Trees were down near Mount Airy." +113713,680715,MARYLAND,2017,February,Thunderstorm Wind,"CARROLL",2017-02-12 22:34:00,EST-5,2017-02-12 22:34:00,0,0,0,0,,NaN,,NaN,39.5663,-77.0146,39.5663,-77.0146,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto a house on Fenby Farm Road." +113713,680716,MARYLAND,2017,February,Thunderstorm Wind,"HARFORD",2017-02-12 22:49:00,EST-5,2017-02-12 22:49:00,0,0,0,0,,NaN,,NaN,39.7089,-76.3458,39.7089,-76.3458,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down in Whiteford." +113713,680718,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:50:00,EST-5,2017-02-12 22:50:00,0,0,0,0,,NaN,,NaN,39.1733,-77.2535,39.1733,-77.2535,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell on to a house which trapped occupants on Hottinger Circle." +113713,680719,MARYLAND,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-12 22:53:00,EST-5,2017-02-12 22:53:00,0,0,0,0,,NaN,,NaN,39.1415,-77.0891,39.1415,-77.0891,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree fell onto a house near Olney. No injuries were reported." +113680,680464,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-02-25 15:48:00,EST-5,2017-02-25 15:48:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts in excess of 30 knots were reported Baltimore Key Bridge." +114404,685805,ILLINOIS,2017,April,Thunderstorm Wind,"WHITE",2017-04-16 15:45:00,CST-6,2017-04-16 15:45:00,0,0,0,0,7.00K,7000,0.00K,0,37.98,-88.32,37.98,-88.32,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. However, steepening low-level lapse rates with diurnal heating and around 25 to 30 knots of mid-level wind flow promoted isolated damaging winds in the strongest cells.","A resident reported some shingle and siding damage to a house. There was also a three to four-foot diameter tree that was down." +119058,716753,KANSAS,2017,July,Thunderstorm Wind,"WYANDOTTE",2017-07-22 21:30:00,CST-6,2017-07-22 21:33:00,0,0,0,0,0.00K,0,0.00K,0,39.09,-94.63,39.09,-94.63,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large trees of unknown size or condition were blocking area roads after strong thunderstorm winds came through the area. Nearby damage of homes and estimated wind speed of 80 mph were used to estimate the wind in this area." +119058,716755,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 20:56:00,CST-6,2017-07-22 20:59:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.69,39.01,-94.69,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A 70 mph wind gust was reported by a trained spotter near Merriam." +121208,725658,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:36:00,EST-5,2017-10-15 16:36:00,0,0,0,0,15.00K,15000,0.00K,0,42.96,-77.06,42.96,-77.06,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725659,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 16:42:00,EST-5,2017-10-15 16:42:00,0,0,0,0,10.00K,10000,0.00K,0,42.08,-78.43,42.08,-78.43,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725660,NEW YORK,2017,October,Thunderstorm Wind,"OSWEGO",2017-10-15 16:44:00,EST-5,2017-10-15 16:44:00,0,0,0,0,10.00K,10000,0.00K,0,43.32,-76.58,43.32,-76.58,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725631,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 16:00:00,EST-5,2017-10-15 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.2,-77.43,43.2,-77.43,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Meadow Drive." +114961,690148,ILLINOIS,2017,April,Flood,"ALEXANDER",2017-04-29 10:30:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.22,-89.47,37.1768,-89.4476,"Significant flooding developed after two thunderstorm complexes crossed southern Illinois, bringing 72-hour rainfall totals to nearly one foot in isolated locations. A large complex of thunderstorms moved southeast across southern Illinois during the evening hours of the 29th. These storms occurred near a surface cold front which sagged southward across southern Illinois during the evening. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 11.27 inches at a television station in Carterville (Williamson County). A co-operative observer at Carbondale measured 10.37 inches over the three-day period. In West Frankfort (Franklin County), a Cocorahs observer measured 10.16 inches. North of the Ohio River counties, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.75 inches at Ridgway (Gallatin County), 9.34 inches at Marion, 8.75 inches at West Frankfort (Franklin County), and 8.75 inches at Du Quoin (Perry County). Lesser amounts were reported in far southern counties bordering the Ohio River.","The Mississippi River rose above flood stage at the end of the month. Through the end of April, the flooding was mostly minor to moderate. However, this was the start of major flooding along the river. The river continued rising past the end of the month." +111482,671774,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9334,-85.8165,30.9352,-85.8242,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Willoughby Lane was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671775,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9624,-85.7854,30.9437,-85.7789,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Esker Martin Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +116026,697296,WYOMING,2017,April,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-04-09 11:10:00,MST-7,2017-04-09 17:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Deer Creek measured sustained winds of 40 mph or higher." +116026,697297,WYOMING,2017,April,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-04-09 14:15:00,MST-7,2017-04-09 15:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The wind sensor at the Converse County Airport measured sustained winds of 40 mph or higher." +116026,697298,WYOMING,2017,April,High Wind,"NIOBRARA COUNTY",2017-04-09 16:00:00,MST-7,2017-04-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","A wind sensor 10 miles west-northwest of Van Tassell measured sustained winds of 40 mph or higher." +116026,697299,WYOMING,2017,April,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-04-09 12:00:00,MST-7,2017-04-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 09/1450 MST." +116026,697300,WYOMING,2017,April,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-04-09 12:15:00,MST-7,2017-04-09 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","A wind sensor in Wheatland measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 09/1415 MST." +116026,697301,WYOMING,2017,April,High Wind,"EAST PLATTE COUNTY",2017-04-09 12:45:00,MST-7,2017-04-09 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 09/1315 MST." +116026,697302,WYOMING,2017,April,High Wind,"GOSHEN COUNTY",2017-04-09 15:20:00,MST-7,2017-04-09 15:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The wind sensor at the Torrington Airport measured a peak gust of 58 mph." +116026,697303,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 12:25:00,MST-7,2017-04-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 09/1310 MST." +114214,684133,ARKANSAS,2017,March,Thunderstorm Wind,"CONWAY",2017-03-01 02:15:00,CST-6,2017-03-01 02:15:00,0,0,0,0,20.00K,20000,0.00K,0,35.4,-92.82,35.4,-92.82,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Trees were down and there was damage to homes in Jerusalem and Cleveland." +114214,684158,ARKANSAS,2017,March,Thunderstorm Wind,"INDEPENDENCE",2017-03-01 03:05:00,CST-6,2017-03-01 03:05:00,0,0,0,0,10.00K,10000,0.00K,0,35.7,-91.62,35.7,-91.62,"A strong storm system brought a line of thunderstorms with several tornadoes on March 1, 2017.","Trees and power lines were down. A tree was reported on a house." +121287,726069,INDIANA,2017,December,Winter Weather,"PULASKI",2017-12-24 10:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +115148,691239,COLORADO,2017,April,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-04-03 18:00:00,MST-7,2017-04-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific upper level trough worked through western Colorado and brought significant to heavy snowfall to many mountain areas as well as some higher valleys. The brunt of this storm tracked south and allowed the heavier snow to fall over the San Juan Mountains.","Snowfall amounts of 5 to 10 inches were measured across the area." +114716,688062,COLORADO,2017,April,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-04-01 00:00:00,MST-7,2017-04-01 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in some of the western Colorado mountains.","This event which began late on March 31st produced 3 to 7 inches of snow across the area." +115148,691240,COLORADO,2017,April,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-04-03 22:00:00,MST-7,2017-04-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific upper level trough worked through western Colorado and brought significant to heavy snowfall to many mountain areas as well as some higher valleys. The brunt of this storm tracked south and allowed the heavier snow to fall over the San Juan Mountains.","Generally 4 to 9 inches of snow fell across the area. Travel was negatively impacted along Interstate 70 during the event, especially near Vail Pass which was temporarily closed due to a jackknifed truck on the snowpacked road." +115153,691242,COLORADO,2017,April,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-04-19 21:00:00,MST-7,2017-04-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Pacific storm and associated cold front moved through northwest Colorado and produced heavy snowfall in the mountains.","Snowfall amounts of 5 to 10 inches were measured across the area with locally up to 13 inches at the Rabbit Ears Pass SNOTEL site." +115154,691245,COLORADO,2017,April,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-04-24 14:00:00,MST-7,2017-04-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms brought a quick shot of heavy snow to the northern and central mountains of western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area with up to 13 inches at the Tower SNOTEL site." +115154,691244,COLORADO,2017,April,Winter Weather,"FLATTOP MOUNTAINS",2017-04-24 19:00:00,MST-7,2017-04-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of storms brought a quick shot of heavy snow to the northern and central mountains of western Colorado.","Generally 4 to 8 inches of snow fell across the area." +115148,691238,COLORADO,2017,April,Winter Weather,"SAN JUAN RIVER BASIN",2017-04-03 19:00:00,MST-7,2017-04-04 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific upper level trough worked through western Colorado and brought significant to heavy snowfall to many mountain areas as well as some higher valleys. The brunt of this storm tracked south and allowed the heavier snow to fall over the San Juan Mountains.","Snowfall amounts of 6 to 8 inches were measured across the Pagosa Springs area." +116819,702495,WYOMING,2017,May,Hail,"UINTA",2017-05-08 15:33:00,MST-7,2017-05-08 15:33:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-111.04,41.25,-111.04,"A strong thunderstorm formed in far southwest Wyoming on May 8, producing large hail across the area.","Nickel-sized hail was reported along Interstate 80 near the Utah/Wyoming border." +116815,702483,UTAH,2017,May,Thunderstorm Wind,"WEBER",2017-05-06 13:55:00,MST-7,2017-05-06 14:05:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-112.33,41.15,-112.33,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The Fremont Island - Miller Hill sensor recorded a very strong wind gust of 91 mph." +116827,702543,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-24 15:40:00,MST-7,2017-05-24 15:40:00,0,0,0,0,0.00K,0,0.00K,0,40.0461,-113.2081,40.0461,-113.2081,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","The Callao Gate sensor in the U.S. Army Dugway Proving Ground mesonet recorded a peak wind gust of 70 mph." +116827,702539,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-24 16:30:00,MST-7,2017-05-24 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-113.24,40.74,-112.62,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","A strong thunderstorm went through the U.S. Army Dugway Proving Ground mesonet, producing maximum recorded wind gusts of 73 mph at the Salt Flats sensor, 69 mph at the Target R sensor, 62 mph at North Salt Flats, and 59 mph at Causeway. A 68 mph wind gust was also recorded at the UDOT I-80 @ mp 78 sensor." +116827,702545,UTAH,2017,May,Thunderstorm Wind,"SALT LAKE",2017-05-24 16:50:00,MST-7,2017-05-24 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.6373,-111.9042,40.6373,-111.9042,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","The UDOT I15/I215 SB sensor recorded a peak wind gust of 58 mph." +116827,702548,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-24 19:20:00,MST-7,2017-05-24 19:20:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-112.62,40.74,-112.62,"Thunderstorms formed ahead of an approaching cold front on May 24, and these storms produced widespread strong wind gusts due to a dry low-level airmass.","The UDOT I-80 @ mp 78 sensor recorded a maximum wind gust of 75 mph." +116087,697737,OHIO,2017,May,Thunderstorm Wind,"MAHONING",2017-05-01 12:52:00,EST-5,2017-05-01 12:57:00,0,0,0,0,150.00K,150000,0.00K,0,41.0302,-80.708,41.0255,-80.6489,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm downburst winds estimated to be as much as 70 mph downed many trees in Boardman. Some of the worst damage was on Cherrywood Drive on the northwest side of the city. A home in the that neighborhood was damaged by a fallen tree. There were also dozens of trees reported down in nearby Mill Creek Park. Scattered power outages were reported throughout Boardman." +116884,702775,TEXAS,2017,May,Tornado,"WHEELER",2017-05-16 15:53:00,CST-6,2017-05-16 15:54:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-100.49,35.2301,-100.489,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Tornado observed by storm chaser." +116886,702778,TEXAS,2017,May,Hail,"HEMPHILL",2017-05-18 13:45:00,CST-6,2017-05-18 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-100.39,35.89,-100.39,"A residual dryline boundary was draped across portions of the eastern Panhandles. To the east of that dryline across the far eastern TX Panhandle, SBCAPE of 2000-3000 J/kg along with effective shear of 40-50 kts produced an environment for supercell development with large hail. The mid level 30-40 kts ahead of the Pacific front off to the west pushed the developing supercells quickly to the east over the OK state line storms that developed in the eastern TX Panhandle which kept activity in the Panhandles short lived. Reports of hail up to 1.5 was reported in the far eastern TX Panhandle.","" +116886,702780,TEXAS,2017,May,Hail,"HEMPHILL",2017-05-18 13:50:00,CST-6,2017-05-18 13:50:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-100.38,35.91,-100.38,"A residual dryline boundary was draped across portions of the eastern Panhandles. To the east of that dryline across the far eastern TX Panhandle, SBCAPE of 2000-3000 J/kg along with effective shear of 40-50 kts produced an environment for supercell development with large hail. The mid level 30-40 kts ahead of the Pacific front off to the west pushed the developing supercells quickly to the east over the OK state line storms that developed in the eastern TX Panhandle which kept activity in the Panhandles short lived. Reports of hail up to 1.5 was reported in the far eastern TX Panhandle.","" +116886,702779,TEXAS,2017,May,Hail,"HEMPHILL",2017-05-18 13:47:00,CST-6,2017-05-18 13:47:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-100.38,35.91,-100.38,"A residual dryline boundary was draped across portions of the eastern Panhandles. To the east of that dryline across the far eastern TX Panhandle, SBCAPE of 2000-3000 J/kg along with effective shear of 40-50 kts produced an environment for supercell development with large hail. The mid level 30-40 kts ahead of the Pacific front off to the west pushed the developing supercells quickly to the east over the OK state line storms that developed in the eastern TX Panhandle which kept activity in the Panhandles short lived. Reports of hail up to 1.5 was reported in the far eastern TX Panhandle.","Pea to nickel size hail." +112887,675675,KENTUCKY,2017,March,Thunderstorm Wind,"HARRISON",2017-03-01 07:55:00,EST-5,2017-03-01 07:55:00,2,0,0,0,300.00K,300000,0.00K,0,38.42,-84.24,38.42,-84.24,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Harrison County emergency manager reported a mobile home was destroyed due to severe thunderstorm winds. This resulted in 2 minor injuries. Another mobile home and a barn had its roofs blown off. There were numerous trees and utility poles down in the area." +112887,675676,KENTUCKY,2017,March,Thunderstorm Wind,"JESSAMINE",2017-03-01 07:57:00,EST-5,2017-03-01 07:57:00,0,0,0,0,25.00K,25000,0.00K,0,37.84,-84.68,37.84,-84.68,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Jessamine County emergency manager reported numerous trees down across roadways. A roof was blown off a sun room off a residence." +115365,692689,ARKANSAS,2017,April,Thunderstorm Wind,"ARKANSAS",2017-04-29 16:55:00,CST-6,2017-04-29 16:55:00,0,0,1,0,0.00K,0,0.00K,0,34.3,-91.33,34.3,-91.33,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several large trees downed. One tree fell on a mobile home and a woman inside was killed." +121544,727442,PENNSYLVANIA,2017,November,Thunderstorm Wind,"CRAWFORD",2017-11-05 19:00:00,EST-5,2017-11-05 19:00:00,0,0,0,0,15.00K,15000,0.00K,0,41.67,-80.43,41.67,-80.43,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A tornado was reported near Erie and strong winds downed many trees across the area.","Thunderstorm winds downed several large trees." +115728,703232,ILLINOIS,2017,May,Flash Flood,"SHELBY",2017-05-04 06:30:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6539,-88.8102,39.6113,-89.0239,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 2.00 to 3.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across much of Shelby County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Parts of Illinois Route 128 were closed north and south of Shelbyville, and Illinois Route 32 was closed north of Windsor." +116655,701399,SOUTH CAROLINA,2017,May,Tornado,"DARLINGTON",2017-05-04 20:37:00,EST-5,2017-05-04 20:44:00,0,0,0,0,80.00K,80000,0.00K,0,34.2296,-80.0709,34.2595,-80.069,"Powerful low pressure moved across Kentucky and created an environment favorable for tornado development. Clusters of thunderstorms developed during the evening hours and persisted overnight. The atmosphere was moderately unstable and strongly sheared.","A survey conducted by the National Weather Service concluded an EF1 tornado with winds to 95 mph first touched down along Fisherman Road, north of Andrews Mill Road where winds estimated up to 80 mph uprooted a few large trees which fell onto a garage. The tornado lifted and then touched down again near Mineral Springs St. where it damaged several trees as it moved north across Oates Highway. After crossing Oates Highway, the tornado caused significant roof and awning damage to a home on Dudley Drive. A tin carport at this location was blown a few hundred yards. As the tornado continued north, the most significant damage occurred to two mobile homes on Philadelphia St. One home was destroyed while the other sustained heavy damage. Although four occupants were inside the destroyed home at the time, none were injured. The tornado crossed E 7 Pines St. and into a wooded area before dissipating." +114785,692988,KANSAS,2017,May,Hail,"HARVEY",2017-05-18 16:05:00,CST-6,2017-05-18 16:06:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.56,38,-97.56,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114740,688274,WISCONSIN,2017,May,Tornado,"ONEIDA",2017-05-16 19:12:00,CST-6,2017-05-16 19:13:00,0,0,0,0,0.00K,0,0.00K,0,45.4706,-89.3634,45.4708,-89.3565,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","A brief tornado uprooted several hundred pine trees (DI 28, DOD 3) just north of Highway Q near the Oneida County/Langlade County line, about 9.5 miles west-southwest of Pelican Lake. The EF0 tornado was on the ground for less than a minute and had an average width of 100 yards." +114628,687526,KANSAS,2017,March,Hail,"MCPHERSON",2017-03-24 16:57:00,CST-6,2017-03-24 16:58:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-97.52,38.2,-97.52,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","" +114631,687554,KANSAS,2017,March,Thunderstorm Wind,"COWLEY",2017-03-26 19:45:00,CST-6,2017-03-26 19:48:00,0,0,0,0,10.00K,10000,0.00K,0,37.22,-96.72,37.22,-96.72,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","The emergency manager reported that approximately 10 power poles were snapped along Kansas Highway 15. The time of the event was based on other reports." +114638,687587,KANSAS,2017,March,Flood,"HARVEY",2017-03-29 04:55:00,CST-6,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-97.31,37.9776,-97.28,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","Flooding occurred at the Southeast 60th Rd and Spencer intersection. A creek overflowed. The resulting flood covered both roads, The report was received via social media." +121682,728345,NEW YORK,2017,October,Coastal Flood,"WAYNE",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121682,728347,NEW YORK,2017,October,Coastal Flood,"OSWEGO",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +114517,686735,TEXAS,2017,May,Hail,"BURLESON",2017-05-03 17:37:00,CST-6,2017-05-03 17:37:00,0,0,0,0,,NaN,,NaN,30.3852,-96.5621,30.3852,-96.5621,"Severe thunderstorms developed along and ahead of a cold front and produced large hail.","Nickel sized hail was reported." +114785,693003,KANSAS,2017,May,Thunderstorm Wind,"GREENWOOD",2017-05-18 19:08:00,CST-6,2017-05-18 19:09:00,0,0,0,0,0.00K,0,0.00K,0,37.91,-96.41,37.91,-96.41,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported by a trained spotter." +116803,702355,WYOMING,2017,May,Winter Storm,"SNOWY RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 16.8 inches of snow." +116803,702365,WYOMING,2017,May,Winter Storm,"SNOWY RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 20 inches of snow." +116803,702357,WYOMING,2017,May,Winter Storm,"SNOWY RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 12 inches of snow." +116985,703582,PUERTO RICO,2017,May,Flash Flood,"MAUNABO",2017-05-11 17:11:00,AST-4,2017-05-11 19:15:00,0,0,0,0,1000.00K,1000000,0.00K,0,18.01,-65.9249,18.012,-65.9281,"The proximity of a mid-upper level trough and a surface shortwave trough with abundant moisture provided favorable environmental conditions for the development of thunderstorms and widespread showers over the region.||May-11/12z TJSJ sounding showed west-northwest steering wind flow under 10 knots and precipitable at 1.64 inches. Soils were saturated due to previous rain events, and a Flash Flood Watch was issued for that afternoon.","The combination of a mid to upper-level trough and a surface trough with abundant moisture result in scattered to numerous showers across the region. ||As a result, Emergency managers reported Rio Maunabo out of its banks, flood waters along sector Garona Bo. Tumbao." +116985,703590,PUERTO RICO,2017,May,Thunderstorm Wind,"PONCE",2017-05-11 14:56:00,AST-4,2017-05-11 17:30:00,0,0,0,0,1000.00K,1000000,0.00K,0,18.0378,-66.5465,18.0378,-66.5465,"The proximity of a mid-upper level trough and a surface shortwave trough with abundant moisture provided favorable environmental conditions for the development of thunderstorms and widespread showers over the region.||May-11/12z TJSJ sounding showed west-northwest steering wind flow under 10 knots and precipitable at 1.64 inches. Soils were saturated due to previous rain events, and a Flash Flood Watch was issued for that afternoon.","Heavy persistent rains affected the area for around 3 hours, then a strong thunderstorm moved over Ponce producing strong winds across the region. General public called the office to report fallen trees at Cotto Laurel in Ponce near San Cristobal Hospital." +116985,703589,PUERTO RICO,2017,May,Hail,"JUANA DIAZ",2017-05-11 14:56:00,AST-4,2017-05-11 15:45:00,0,0,0,0,500.00K,500000,,NaN,18.0313,-66.5364,18.0447,-66.5464,"The proximity of a mid-upper level trough and a surface shortwave trough with abundant moisture provided favorable environmental conditions for the development of thunderstorms and widespread showers over the region.||May-11/12z TJSJ sounding showed west-northwest steering wind flow under 10 knots and precipitable at 1.64 inches. Soils were saturated due to previous rain events, and a Flash Flood Watch was issued for that afternoon.","Special weather statements was issued to alert the public about a strong thunderstorm that was affecting that region. The public and social media posts reported a hail event near Sector Aguilita at Juana Diaz." +116985,703592,PUERTO RICO,2017,May,Funnel Cloud,"JUNCOS",2017-05-11 15:39:00,AST-4,2017-05-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2445,-65.9404,18.2445,-65.9404,"The proximity of a mid-upper level trough and a surface shortwave trough with abundant moisture provided favorable environmental conditions for the development of thunderstorms and widespread showers over the region.||May-11/12z TJSJ sounding showed west-northwest steering wind flow under 10 knots and precipitable at 1.64 inches. Soils were saturated due to previous rain events, and a Flash Flood Watch was issued for that afternoon.","Public reported a Funnel cloud at Barrio Mamey in Juncos. It was associated with a thunderstorm affecting the region at around 3:39 pm." +116144,701562,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 19:25:00,CST-6,2017-05-18 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-96.12,36.15,-96.12,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts of 72 mph were measured." +116144,701566,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 19:45:00,CST-6,2017-05-18 19:45:00,0,0,0,0,0.00K,0,0.00K,0,36.322,-95.8486,36.322,-95.8486,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs near E 116th Street N and N Garnett Road." +114176,683846,KENTUCKY,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-04 17:08:00,CST-6,2017-05-04 17:08:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-85.43,36.8,-85.43,"A compact but strong low pressure system crossed through south central Kentucky during the late afternoon hours May 4. Very limited instability but sufficient wind shear resulted in a narrow line of strong to marginally severe thunderstorms. This resulted in sporadic wind damage reports.","" +114666,687807,INDIANA,2017,May,Tornado,"JEFFERSON",2017-05-20 18:10:00,EST-5,2017-05-20 18:11:00,0,0,0,0,75.00K,75000,0.00K,0,38.789,-85.426,38.789,-85.423,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","A small tornado touched down just north of West Galway Trail N in a tree line behind some houses. The tornado uprooted and snapped trees as it moved east. An eyewitness reported seeing a black mass with debris moving horizontally. The tornado covered his house in fallen trees. As it crossed Paper Mill Road, the inflow winds into the tornado pulled off siding from nearby houses and moved light objects several hundred feet. A camper parked on the southern edge of the path rolled three times toward the center of circulation and was destroyed. After crossing the road it struck an abandoned farm house and did more tree damage. There was no more evidence of damage after the tornado passed east of the farmhouse." +114666,687814,INDIANA,2017,May,Thunderstorm Wind,"CLARK",2017-05-20 17:15:00,EST-5,2017-05-20 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-85.75,38.4,-85.75,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","Local law enforcement reported that downed trees were blocking a roadway." +114666,687815,INDIANA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-20 18:09:00,EST-5,2017-05-20 18:09:00,0,0,0,0,25.00K,25000,0.00K,0,38.7958,-85.436,38.7958,-85.436,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","The Jefferson County emergency manager reported trees and power lines down on State Road 7 near Dawson Smith Road." +114666,687816,INDIANA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-20 18:11:00,EST-5,2017-05-20 18:11:00,0,0,0,0,35.00K,35000,0.00K,0,38.77,-85.41,38.77,-85.41,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","A trained spotter reported severe thunderstorm wind damage to the awning over a fuel station." +114827,689564,WISCONSIN,2017,May,Tornado,"BARRON",2017-05-16 15:44:00,CST-6,2017-05-16 16:38:00,25,0,1,0,10.10M,10100000,0.00K,0,45.2551,-92.1562,45.3923,-91.5413,"Severe thunderstorms developed along a warm-front in Southern Minnesota during the afternoon. During the late-afternoon and evening, storms continued to progress eastward and develop over Northwestern Wisconsin. One supercell developed a long-track tornado that traveled 83 miles from 5 miles south of Clayton, WI to 13 miles southeast of Hawkins, WI. This is likely the longest single tornado track in Wisconsin since records began being kept in 1950, as a couple events in May 1953 were very likely multiple tornadoes. There were also numerous reports of very large hail, up to 3 inches in diameter that occurred in a long swath from southwest to Amery, to near Cameron. ||Based on damage assessments through the state of Wisconsin, the total number of residential homes affected in Barron County alone was 160. Of those affected, 75 had minor damage, 45 had major damage, and 40 were destroyed. Total estimated damages were 5.1 million dollars. The total number of businesses affected in Barron County was 6. Of those, 2 had minor damage, and 4 were destroyed. Total estimated damages were 5.0 million dollars. This includes six barns at a Jennie-O turkey farm, located off of Highway SS and north of Highway OO near Chetek's Prairie Lake Estates mobile park, where some were destroyed. There were approximately 25,000 birds lost in the tornado.||In Rusk County, the total number of residential homes was 27. Of those affected, 21 had minor damage, 3 had major damage, and 1 was destroyed. Total estimated damages were $420,000 dollars.","The tornado first developed over southeastern Polk County, then tracked mostly east-northeast across southern Barron before moving into Rusk County and eventually Price County. In Barron County, the tornado hit numerous farmsteads, devastating barns and other outbuildings. The hardest hit area in Barron County was just north of Chetek, WI, where high-end EF2 damage was found. A number of mobile homes were completely demolished, and this is where the one fatality occurred. After that, several turkey barns were leveled, and then multiple homes were hit hard near Prairie Lake, especially those on the eastern shore." +116147,702008,OKLAHOMA,2017,May,Hail,"DELAWARE",2017-05-27 19:30:00,CST-6,2017-05-27 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.593,-94.7686,36.593,-94.7686,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702015,OKLAHOMA,2017,May,Hail,"OKFUSKEE",2017-05-27 19:53:00,CST-6,2017-05-27 19:53:00,0,0,0,0,25.00K,25000,0.00K,0,35.5933,-96.3864,35.5933,-96.3864,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702014,OKLAHOMA,2017,May,Hail,"OKFUSKEE",2017-05-27 19:53:00,CST-6,2017-05-27 19:53:00,0,0,0,0,25.00K,25000,0.00K,0,35.6007,-96.4078,35.6007,-96.4078,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702017,OKLAHOMA,2017,May,Hail,"OKFUSKEE",2017-05-27 19:54:00,CST-6,2017-05-27 19:54:00,0,0,0,0,25.00K,25000,0.00K,0,35.6,-96.2478,35.6,-96.2478,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702019,OKLAHOMA,2017,May,Hail,"TULSA",2017-05-27 20:15:00,CST-6,2017-05-27 20:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.1602,-96.0055,36.1602,-96.0055,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702018,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-27 19:57:00,CST-6,2017-05-27 19:57:00,0,0,0,0,0.00K,0,0.00K,0,36.1048,-96.1173,36.1048,-96.1173,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Thunderstorm wind gusts were estimated to near 60 mph on Highway 97 near W 41st Street in Sand Springs." +117059,704149,FLORIDA,2017,May,Drought,"GLADES",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 117 new fires were reported by the Florida Forest Service, resulting in 43,500 acres burned. Crop production slowed as a result of the very dry conditions.","Although more rain fell in May compared to the previous months across SW Florida, it was still too sporadic to alleviate drought conditions. Northern Glades County was in D3 (Extreme Drought) status while the southern part the county remained in D2 (severe drought) conditions. A burn ban was in effect for the entire county.||Two wildfires in Glades County burned about 6,000 acres in the middle of the month, damaging three outbuildings and a pickup truck." +117059,704150,FLORIDA,2017,May,Drought,"HENDRY",2017-05-01 00:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 117 new fires were reported by the Florida Forest Service, resulting in 43,500 acres burned. Crop production slowed as a result of the very dry conditions.","Although more rain fell in May compared to the previous months across SW Florida, it was still too sporadic to alleviate drought conditions. Hendry County remained in D2 (severe drought) conditions. A burn ban was in effect for the entire county.||A wildfire near Clewiston in the middle of the month burned about 400 acres and led to the evacuation of 2 homes and damage to one home." +116623,704277,GEORGIA,2017,May,Thunderstorm Wind,"CATOOSA",2017-05-27 22:16:00,EST-5,2017-05-27 22:30:00,0,0,0,0,1.00K,1000,,NaN,34.9073,-85.1775,34.9073,-85.1775,"A weakening mid-level wave approaching north Georgia from the Tennessee Valley brought isolated severe thunderstorms to far north Georgia late in the evening.","The Catoosa County 911 center reported a tree blown down near the intersection of Three Notch Road and Buster Ridge Lane." +116623,704282,GEORGIA,2017,May,Thunderstorm Wind,"MURRAY",2017-05-27 22:30:00,EST-5,2017-05-27 22:40:00,0,0,0,0,1.00K,1000,,NaN,34.8987,-84.7595,34.8987,-84.7595,"A weakening mid-level wave approaching north Georgia from the Tennessee Valley brought isolated severe thunderstorms to far north Georgia late in the evening.","The Murray County 911 center reported a tree blown down on Mantooth Road south of Halls Chapel Road." +116624,704289,GEORGIA,2017,May,Lightning,"DOUGLAS",2017-05-28 04:50:00,EST-5,2017-05-28 04:50:00,0,0,0,0,10.00K,10000,,NaN,33.7172,-84.731,33.7172,-84.731,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Douglas County Emergency Manager reported a house fire caused by a lightning strike on Forest Hill Drive." +112356,673314,ALABAMA,2017,January,Flash Flood,"COFFEE",2017-01-21 21:45:00,CST-6,2017-01-22 02:30:00,0,0,0,0,0.00K,0,0.00K,0,31.4067,-86.0448,31.4035,-86.0545,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Flooding was reported on East Davis and Claxton Roads. The roads were reported to be impassible." +112356,673315,ALABAMA,2017,January,Hail,"DALE",2017-01-21 22:14:00,CST-6,2017-01-21 22:14:00,0,0,0,0,0.00K,0,0.00K,0,31.44,-85.64,31.44,-85.64,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter sized hail was reported in Ozark." +112356,673316,ALABAMA,2017,January,Hail,"HENRY",2017-01-21 22:24:00,CST-6,2017-01-21 22:24:00,0,0,0,0,0.00K,0,0.00K,0,31.5402,-85.178,31.5402,-85.178,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Quarter sized hail was reported on County Road 57." +112356,673317,ALABAMA,2017,January,Flash Flood,"COFFEE",2017-01-21 22:31:00,CST-6,2017-01-22 02:30:00,0,0,0,0,0.00K,0,0.00K,0,31.2877,-85.8623,31.2789,-85.8734,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Flooding was reported on Geneva Highway with one car reported to be stuck." +112356,673318,ALABAMA,2017,January,Flash Flood,"DALE",2017-01-21 23:19:00,CST-6,2017-01-22 02:30:00,0,0,0,0,0.00K,0,0.00K,0,31.4502,-85.652,31.44,-85.657,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Flooding near residential homes was reported in Ozark. Radar estimated some areas of 1 hour rainfall amounts around 3 inches." +112356,673327,ALABAMA,2017,January,Thunderstorm Wind,"HENRY",2017-01-22 00:10:00,CST-6,2017-01-22 00:10:00,0,0,0,0,0.00K,0,0.00K,0,31.57,-85.1,31.57,-85.1,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down along Highway 10 East." +111484,672362,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,0.00K,0,0.00K,0,31.6335,-83.9551,31.6335,-83.9551,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Hillhouse Road." +111484,672364,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,3.00K,3000,0.00K,0,31.4777,-83.7849,31.4777,-83.7849,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A power line was blown down on Highway 256 just east of Cotton Road." +112356,673328,ALABAMA,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-22 02:05:00,CST-6,2017-01-22 02:05:00,0,0,0,0,0.00K,0,0.00K,0,31.18,-85.23,31.18,-85.23,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down in Ashford." +112356,673329,ALABAMA,2017,January,Thunderstorm Wind,"DALE",2017-01-22 12:10:00,CST-6,2017-01-22 12:50:00,0,0,0,0,5.00K,5000,0.00K,0,31.44,-85.6909,31.47,-85.45,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There were widespread reports of trees and power lines down across Dale county." +112356,673330,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-22 12:36:00,CST-6,2017-01-22 12:36:00,0,0,0,0,0.00K,0,0.00K,0,31.0449,-85.537,31.0449,-85.537,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Several trees were blown down near State Highway 103 and County Road 49." +111484,673271,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,15.00K,15000,0.00K,0,31.706,-83.9043,31.706,-83.9043,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A roof was blown off a farm house on Cleo Boyd Road. Damage cost was estimated." +111484,673275,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,0.00K,0,0.00K,0,31.615,-83.897,31.615,-83.897,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down onto Harris Road." +111484,673274,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,10.00K,10000,0.00K,0,31.7038,-83.9046,31.7038,-83.9046,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Structural damage was reported at the Charity Grove Church. Damage cost was estimated." +111484,673276,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,3.00K,3000,0.00K,0,31.6656,-83.9353,31.6656,-83.9353,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down on Ausby Road." +117016,703824,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LUZERNE",2017-05-01 22:10:00,EST-5,2017-05-01 22:20:00,0,0,0,0,3.00K,3000,0.00K,0,41.25,-75.88,41.25,-75.88,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and uprooted trees in Wilkes-Barre Township." +117016,703823,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LACKAWANNA",2017-05-01 22:35:00,EST-5,2017-05-01 22:45:00,0,0,0,0,5.00K,5000,0.00K,0,41.37,-75.53,41.37,-75.53,"A warm front lifted north across the region Monday morning which created an unstable air mass across the state of New York and Pennsylvania. By late Monday afternoon, a cold front moved into western New York and Pennsylvania which produced a line of thunderstorms. As the thunderstorms moved east, coverage became widespread and a major severe weather outbreak ensued for central New York and northeast Pennsylvania. Some of the thunderstorms produced winds between 70 and 100 mph. Numerous trees were knocked down and there were widespread power outages some of which lasted for several days.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds which produced considerable damage to a barn on Reservoir road north of Moscow." +121826,729262,ILLINOIS,2017,December,Thunderstorm Wind,"WARREN",2017-12-04 18:33:00,CST-6,2017-12-04 18:33:00,0,0,0,0,2.00K,2000,0.00K,0,40.67,-90.65,40.67,-90.65,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th. This brought a cold front across the Mississippi River and into western Illinois during the early evening hours. An isolated thunderstorm produced knocked down a power pole near Swan Creek in Warren County.","The fire department reported a power pole down from thunderstorm winds." +117017,703836,NEW YORK,2017,May,Thunderstorm Wind,"STEUBEN",2017-05-18 17:40:00,EST-5,2017-05-18 17:50:00,0,0,0,0,3.00K,3000,0.00K,0,42.37,-77.52,42.37,-77.52,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees on a power line." +117026,703873,PENNSYLVANIA,2017,May,Thunderstorm Wind,"SUSQUEHANNA",2017-05-31 18:55:00,EST-5,2017-05-31 19:05:00,0,0,0,0,5.00K,5000,0.00K,0,41.85,-75.69,41.85,-75.69,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees on interstate 81 at mile marker 220." +117026,703878,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WAYNE",2017-05-31 19:24:00,EST-5,2017-05-31 19:34:00,0,0,0,0,10.00K,10000,0.00K,0,41.8,-75.19,41.8,-75.19,"Showers and thunderstorms developed within a very unstable environment Wednesday afternoon ahead of an advancing cold front. As the storms moved east, several became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and power lines. There were multiple power outages across the area." +115745,695634,ILLINOIS,2017,May,Hail,"FULTON",2017-05-26 14:05:00,CST-6,2017-05-26 14:10:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-90.03,40.57,-90.03,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695636,ILLINOIS,2017,May,Hail,"TAZEWELL",2017-05-26 14:08:00,CST-6,2017-05-26 14:13:00,0,0,0,0,0.00K,0,0.00K,0,40.6079,-89.4579,40.6079,-89.4579,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695635,ILLINOIS,2017,May,Hail,"TAZEWELL",2017-05-26 14:06:00,CST-6,2017-05-26 14:11:00,0,0,0,0,0.00K,0,0.00K,0,40.6433,-89.5079,40.6433,-89.5079,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695637,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:26:00,CST-6,2017-05-26 16:31:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.88,40.47,-87.88,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +121825,729260,IOWA,2017,December,Thunderstorm Wind,"LEE",2017-12-04 17:33:00,CST-6,2017-12-04 17:33:00,0,0,0,0,10.00K,10000,0.00K,0,40.42,-91.4,40.42,-91.4,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th brought a cold front to along the Mississippi River by early evening. Ahead of this cold front, scattered showers and thunderstorms developed and moved northeastward from Missouri into southeastern Iowa. One of these storms produced a tornado that touched down southwest of Wayland Missouri and crossed the Des Moines River into Keokuk County Iowa. The tornado damaged trees before lifting shortly after crossing the river. The storm also produced some damaging winds as it moved across the city of Keokuk.","Broadcast media relayed a report that a patio roof was removed by the winds, taking with it part of the roof of the house. The time of the event was based on radar analysis and eyewitness reports." +111484,673285,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:43:00,EST-5,2017-01-02 22:43:00,0,0,0,0,3.00K,3000,0.00K,0,31.6463,-83.8749,31.6463,-83.8749,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down on Sawyer Road." +111484,673289,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:44:00,EST-5,2017-01-02 22:44:00,0,0,0,0,10.00K,10000,0.00K,0,31.6966,-83.8607,31.6966,-83.8607,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down with roof damage on Howard Drive. Damage cost was estimated." +111484,673288,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:43:00,EST-5,2017-01-02 22:43:00,0,0,0,0,0.00K,0,0.00K,0,31.6906,-83.8831,31.6906,-83.8831,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Numerous trees were blown down on Highway 313." +116752,705055,KANSAS,2017,May,Tornado,"SHERIDAN",2017-05-26 22:45:00,CST-6,2017-05-26 22:45:00,0,0,0,0,,NaN,,NaN,39.43,-100.44,39.43,-100.44,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Chaser reported a rotating wall cloud with a visible debris swirl on the ground." +116752,705056,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-26 19:00:00,MST-7,2017-05-26 19:00:00,0,0,0,0,,NaN,,NaN,39.35,-101.78,39.35,-101.78,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","NWS Goodland employee reported a 63 mph wind gust." +116752,705058,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-26 19:23:00,MST-7,2017-05-26 19:23:00,0,0,0,0,,NaN,,NaN,39.5,-101.63,39.5,-101.63,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","NWS Goodland employee reported a 60 mph wind gusts as well as large amounts of dime sized hail." +116752,705059,KANSAS,2017,May,Thunderstorm Wind,"SHERMAN",2017-05-26 19:40:00,MST-7,2017-05-26 19:40:00,0,0,0,0,,NaN,,NaN,39.5,-101.63,39.5,-101.63,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","NWS Goodland employee reported 60 mph wind gusts as well as large amounts of nickel and dime sized hail." +116752,705060,KANSAS,2017,May,Thunderstorm Wind,"THOMAS",2017-05-26 22:50:00,CST-6,2017-05-26 22:50:00,0,0,0,0,,NaN,,NaN,39.39,-101.05,39.39,-101.05,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116089,698627,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-17 17:11:00,CST-6,2017-05-17 17:11:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-92.74,43.08,-92.74,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 60 mph gust occurred just northwest of Charles City." +116210,698650,GEORGIA,2017,May,Thunderstorm Wind,"BRYAN",2017-05-04 16:13:00,EST-5,2017-05-04 16:14:00,0,0,0,0,,NaN,0.00K,0,31.83,-81.3,31.83,-81.3,"A strong line of thunderstorms developed in the afternoon hours well ahead of a cold front to the west. Large scale forcing was strong and the near storm environment was supportive of severe thunderstorms, with some embedded supercell thunderstorms. Damaging wind gusts occurred as well as a tornado in the Garden City area of Chatham County.","Local media relayed a report of a large tree down on Belfast Pines Drive." +116091,699251,WISCONSIN,2017,May,Thunderstorm Wind,"MONROE",2017-05-17 16:31:00,CST-6,2017-05-17 16:31:00,0,0,0,0,3.00K,3000,0.00K,0,43.77,-90.86,43.77,-90.86,"Two lines of severe thunderstorms moved across western Wisconsin during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced damaging winds, but also dropped one tornado. An EF-1 tornado moved across southern Trempealeau County east of Galesville and damaged farm buildings and trees. Trees were blown down on houses and cars in Strum (Trempealeau County), winds were measured at 80 mph in Patch Grove (Grant County) with numerous barns and outbuildings destroyed.","Several large trees were blown down west of Cashton." +116134,698070,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 22:35:00,CST-6,2017-05-03 22:40:00,0,0,0,0,0.00K,0,0.00K,0,27.8083,-97.0853,27.806,-97.115,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Mustang Beach Airport AWOS in Port Aransas site measured a gust to 46 knots." +116134,698072,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-05-03 22:55:00,CST-6,2017-05-03 22:55:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Mustang Island Platform AWOS measured a gust to 42 knots." +116134,698073,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-03 22:06:00,CST-6,2017-05-03 22:12:00,0,0,0,0,0.00K,0,0.00K,0,28.0965,-97.0575,28.0837,-97.0467,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Rockport-Aransas County Airport ASOS measured a gust to 42 knots." +116134,698075,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 22:45:00,CST-6,2017-05-03 22:50:00,0,0,0,0,0.00K,0,0.00K,0,27.725,-97.3397,27.7238,-97.3406,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Weatherflow mesonet site at Poenisch Park on Corpus Christi Bay measured a gust to 40 knots." +116134,698079,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 22:53:00,CST-6,2017-05-03 23:16:00,0,0,0,0,0.00K,0,0.00K,0,27.7118,-97.2968,27.7,-97.297,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Corpus Christi Naval Air Station ASOS measured a gust to 40 knots." +112854,675817,NEW JERSEY,2017,March,Winter Weather,"GLOUCESTER",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Spotters measured 2-3 inches of snow on grass in several locations." +116134,698088,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 23:02:00,CST-6,2017-05-03 23:07:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.5893,-97.287,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Weatherflow Hurrnet site east of Waldron Field measured a gust to 34 knots." +116134,698089,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 23:42:00,CST-6,2017-05-03 23:45:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.5893,-97.287,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Weatherflow Hurrnet site east of Waldron Field measured a gust to 35 knots." +116134,698090,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 23:12:00,CST-6,2017-05-04 00:00:00,0,0,0,0,0.00K,0,0.00K,0,27.484,-97.318,27.484,-97.318,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","TCOON site South Bird Island measured gusts to 39 knots." +116134,698093,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-03 22:54:00,CST-6,2017-05-03 23:18:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5798,-97.2142,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","NOS site at Bob Hall Pier measured a gust to 40 knots." +116134,698094,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-03 23:48:00,CST-6,2017-05-03 23:54:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5798,-97.2142,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","NOS site at Bob Hall Pier measured a gust to 37 knots." +116134,698095,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-05-03 23:48:00,CST-6,2017-05-04 00:06:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","TCOON site Baffin Bay measured a gust to 37 knots." +116420,700155,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 15:59:00,CST-6,2017-05-19 15:59:00,0,0,0,0,0.00K,0,0.00K,0,31.444,-100.4787,31.444,-100.4787,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Quarter size hail was reported by the public at H.E.B." +116420,700159,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 16:42:00,CST-6,2017-05-19 16:42:00,0,0,0,0,0.00K,0,0.00K,0,31.49,-100.26,31.49,-100.26,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Golf ball size hail was reported by the public around Veribest." +116420,700724,TEXAS,2017,May,Flash Flood,"FISHER",2017-05-19 09:30:00,CST-6,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,32.7532,-100.375,32.7413,-100.3684,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Law enforcement reported flash flooding in Roby." +116185,703443,TEXAS,2017,May,Lightning,"LA SALLE",2017-05-28 22:15:00,CST-6,2017-05-28 22:15:00,0,0,0,0,50.00K,50000,0.00K,0,28.46,-99.14,28.46,-99.14,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Lightning caused a fire at a storage facility along Highway 97." +116420,702510,TEXAS,2017,May,Tornado,"COLEMAN",2017-05-19 18:27:00,CST-6,2017-05-19 18:29:00,0,0,0,0,0.00K,0,0.00K,0,31.5601,-99.2855,31.5601,-99.2841,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Two trained spotters reported this tornado in open rural country that briefly touched down. One of the spotter's noted debris was thrown into the air and the other spotter reported the tornado was on the ground." +114153,683616,NEW HAMPSHIRE,2017,March,Heavy Snow,"MERRIMACK",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683617,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN CARROLL",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683618,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN COOS",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683619,NEW HAMPSHIRE,2017,March,Heavy Snow,"NORTHERN GRAFTON",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683620,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN CARROLL",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683621,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN COOS",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683622,NEW HAMPSHIRE,2017,March,Heavy Snow,"SOUTHERN GRAFTON",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683623,NEW HAMPSHIRE,2017,March,Heavy Snow,"STRAFFORD",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683624,NEW HAMPSHIRE,2017,March,Heavy Snow,"SULLIVAN",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114153,683625,NEW HAMPSHIRE,2017,March,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-03-14 04:00:00,EST-5,2017-03-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of New Hampshire with high winds leading to blizzard or near blizzard conditions across much of central and southern portions of the State. High winds and/or heavy wet snow downed trees and created numerous power outages across southeastern portions of the State.| |Snow began around 4 am in the southwestern corner of the State on the 14th and spread rapidly northeast. By 11 am, snow was falling throughout the entire state. The snow became very heavy throughout the State during the late morning and afternoon. Winds also increased during the afternoon leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portsmouth (12:58 pm ��� 4:58 pm), Concord (1:51 pm ��� 5:17 pm), and Laconia (3:05 pm ��� 6:10 pm). The heaviest snow tapered off in southern and central sections of the State during the late afternoon and evening, but persisted in northern and mountain areas overnight. Gusty winds and blowing snow persisted into the overnight for the entire State.||Snowfall amounts across New Hampshire ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour. The heavy snow combined with the strong winds lead to whiteout conditions in many areas. Some of the stronger wind gusts across New Hampshire included 82 mph at the Isle of Shoals, 62 mph in Portsmouth, 45 mph in Laconia, 41 mph in Concord, 40 mph in Manchester, 38 mph in Whitefield and Rochester, and 37 mph in Keene. ||In the Seacoast area, the strong winds combined with heavy wet snow to cause numerous power outages. Farther inland, across Belknap and Carrol Counties, the strong winds downed trees onto roads and wires leading to blocked roads and power outages. Particularly hard hit was a section of Route 109 in the Town of Tuftonboro where downed trees snapped utility poles and brought down wires.","" +114983,689895,NEW HAMPSHIRE,2017,March,Heavy Snow,"MERRIMACK",2017-03-31 06:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114156,688538,MAINE,2017,March,Blizzard,"COASTAL YORK",2017-03-14 13:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +115143,691197,ARIZONA,2017,May,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-05-26 07:40:00,MST-7,2017-05-26 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large trough of low pressure moved across Arizona with breezy to locally windy conditions.","The Springerville airport reported wind gust over 58 MPH from around 740 AM to 850 AM. The peak wind gust of 69 MPH was reported at 835 AM." +120818,723502,OHIO,2017,November,Thunderstorm Wind,"LORAIN",2017-11-05 17:33:00,EST-5,2017-11-05 17:33:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-82.3,41.27,-82.3,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An automated sensor measured a 59 mph thunderstorm wind gust." +114156,688540,MAINE,2017,March,Blizzard,"INTERIOR CUMBERLAND",2017-03-14 14:00:00,EST-5,2017-03-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +120818,723507,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:25:00,EST-5,2017-11-05 16:25:00,0,0,0,0,50.00K,50000,0.00K,0,41.0295,-83.2929,41.0295,-83.2929,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed around a dozen utility poles southeast of New Riegel along State Route 587." +112882,674360,INDIANA,2017,March,Thunderstorm Wind,"CLARK",2017-03-01 06:15:00,EST-5,2017-03-01 06:15:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-85.55,38.52,-85.55,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","Trained spotters reported that severe thunderstorm winds snapped or uprooted trees in the area." +112882,674361,INDIANA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 06:27:00,EST-5,2017-03-01 06:27:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-85.38,38.74,-85.38,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported that a large tree split in half due to severe thunderstorm winds." +116134,698092,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-05-03 22:30:00,CST-6,2017-05-03 23:20:00,0,0,0,0,0.00K,0,0.00K,0,27.8259,-97.0506,27.8191,-97.0388,"Scattered thunderstorms along a cold front moved through the coastal waters of the Middle Texas coast during the late evening hours of the 3rd and early morning hours of the 4th. Wind gusts were generally in the range from 35 to 45 knots.","Port Aransas C-MAN station measured a gust to 46 knots." +116420,700127,TEXAS,2017,May,Hail,"TOM GREEN",2017-05-19 18:32:00,CST-6,2017-05-19 18:32:00,0,0,0,0,0.00K,0,0.00K,0,31.4082,-100.1802,31.4082,-100.1802,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","Half dollar size hail was reported by the public near Mereta." +116803,707682,WYOMING,2017,May,Winter Storm,"SHIRLEY BASIN",2017-05-18 02:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Six inches of snow was measured at Shirley Basin." +112882,674338,INDIANA,2017,March,Hail,"WASHINGTON",2017-03-01 01:01:00,EST-5,2017-03-01 01:01:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-86.26,38.65,-86.26,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","Local law enforcement reported hail up to 3/4 inch in diameter." +116803,707724,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Thirteen inches of snow was observed at Cheyenne." +115709,695674,MARYLAND,2017,May,Flood,"ANNE ARUNDEL",2017-05-05 09:40:00,EST-5,2017-05-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0751,-76.8306,39.0727,-76.8295,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","Brock Bridge Road was closed due to high water near Laurel Bowie Road." +117505,706700,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-05-25 18:30:00,EST-5,2017-05-25 18:30:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"Low pressure and an associated cold front moved across the Mid-Atlantic region during the day on May 25th. Warm and humid conditions led to showers and thunderstorms. Some thunderstorms produced gusty winds and large hail.","A wind gust of 38 knots was reported at Martin State." +114156,688508,MAINE,2017,March,Heavy Snow,"CENTRAL SOMERSET",2017-03-14 08:00:00,EST-5,2017-03-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688503,MAINE,2017,March,Heavy Snow,"NORTHERN FRANKLIN",2017-03-14 08:00:00,EST-5,2017-03-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688498,MAINE,2017,March,Heavy Snow,"INTERIOR WALDO",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688502,MAINE,2017,March,Heavy Snow,"LINCOLN",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688507,MAINE,2017,March,Heavy Snow,"SOUTHERN OXFORD",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688528,MAINE,2017,March,Heavy Snow,"SOUTHERN SOMERSET",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +115828,696146,VIRGINIA,2017,May,Thunderstorm Wind,"MADISON",2017-05-19 15:17:00,EST-5,2017-05-19 15:17:00,0,0,0,0,,NaN,,NaN,38.3475,-78.2703,38.3475,-78.2703,"A warm and humid air mass led to the development of thunderstorms. A few thunderstorms became severe due to stronger winds aloft.","Trees were down in the area." +116581,701070,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-05-05 08:20:00,EST-5,2017-05-05 08:20:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Potomac Point Lookout." +116581,701072,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-05-05 08:23:00,EST-5,2017-05-05 08:23:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms developed across the waters. An unstable atmosphere caused a few thunderstorms to produce gusty winds.","A wind gust of 37 knots was reported at Thomas Point Lighthouse." +116583,701085,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-05-18 19:26:00,EST-5,2017-05-18 19:26:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"High pressure off the Atlantic coast allowed for a southerly flow to usher in warm and humid conditions. The warm and humid conditions led to an unstable atmosphere. A pressure trough acted as a lifting mechanism for showers and thunderstorms to develop. Some thunderstorms were able to mix down gusty winds from aloft.","Wind gusts in excess of 30 knots were reported at Quantico." +116803,707708,WYOMING,2017,May,Winter Storm,"LARAMIE VALLEY",2017-05-18 02:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Thirteen and a half inches of snow was measured four miles southeast of Laramie." +116803,707709,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","The NWS at Cheyenne measured 14.3 inches of snow, with 11.3 inches falling in a 24-hour period." +116803,707710,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Ten inches of snow was measured two miles east-northeast of Cheyenne." +116803,707712,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer in northwest Cheyenne measured 11.4 inches of snow." +114302,684786,OKLAHOMA,2017,April,Hail,"MCCURTAIN",2017-04-26 08:45:00,CST-6,2017-04-26 08:45:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-94.72,33.82,-94.72,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong across Southeast Oklahoma, with penny size hail having fallen near the Haworth community. These storms exited Southeast Oklahoma by late morning with the passage of the cold front.","" +114303,684787,ARKANSAS,2017,April,Hail,"SEVIER",2017-04-26 11:45:00,CST-6,2017-04-26 11:45:00,0,0,0,0,0.00K,0,0.00K,0,33.89,-94.17,33.89,-94.17,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong across Southwest Arkansas, with penny size hail having fallen near the Ben Lomond community and nickel size hail having fallen in Texarkana. These storms exited Southwest Arkansas by early afternoon with the passage of the cold front.","" +114304,684794,TEXAS,2017,April,Hail,"CASS",2017-04-26 13:45:00,CST-6,2017-04-26 13:45:00,0,0,0,0,0.00K,0,0.00K,0,33.02,-94.36,33.02,-94.36,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114304,684795,TEXAS,2017,April,Hail,"GREGG",2017-04-26 13:50:00,CST-6,2017-04-26 13:50:00,0,0,0,0,0.00K,0,0.00K,0,32.56,-94.76,32.56,-94.76,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +114974,689763,MISSOURI,2017,April,Flood,"BOLLINGER",2017-04-21 14:00:00,CST-6,2017-04-22 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2111,-90.024,37.2105,-90.0283,"A warm front aloft stalled over southeast Missouri, resulting in widespread rain and isolated thunderstorms. Rainfall totals of 2 to 3 inches were common over a 36-hour period. This caused some flooding of creeks and a small river.","Highway PP was closed due to flooding of Hawker Creek." +115019,690226,ILLINOIS,2017,April,Strong Wind,"WILLIAMSON",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115019,690227,ILLINOIS,2017,April,Strong Wind,"FRANKLIN",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115019,690228,ILLINOIS,2017,April,Strong Wind,"PERRY",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115019,690229,ILLINOIS,2017,April,Strong Wind,"JEFFERSON",2017-04-09 11:00:00,CST-6,2017-04-09 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Between a surface low pressure system over the central Plains and high pressure off the Carolina coast, strong southwest winds occurred across parts of southern Illinois. Winds gusted between 40 and 50 mph along and west of Interstate 57, including Marion and Mount Vernon. The peak wind gusts at airport sites included 49 mph at Carbondale, 43 mph at Marion, and 40 mph at Mount Vernon.","" +115025,690274,MISSOURI,2017,April,Dense Fog,"BOLLINGER",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690275,MISSOURI,2017,April,Dense Fog,"BUTLER",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +114775,688414,MISSOURI,2017,April,Flash Flood,"BUTLER",2017-04-30 01:15:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.745,-90.585,36.6863,-90.2637,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Numerous roads in the southern part of the county were impassable due to high water, including a portion of U.S. Highway 160. Flash flooding of Cane Creek resulted in swiftly flowing water over a portion of M Highway near Stringtown. An observer about seven miles northwest of Poplar Bluff measured 4.72 inches in six hours." +113894,682219,CALIFORNIA,2017,February,Heavy Rain,"PLUMAS",2017-02-08 12:00:00,PST-8,2017-02-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-120.92,39.94,-120.92,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 2.30 of rain measured over 24 hours, 6.16 over 72 hours." +113709,680701,VIRGINIA,2017,February,Thunderstorm Wind,"CHARLOTTESVILLE (C)",2017-02-25 13:22:00,EST-5,2017-02-25 13:22:00,0,0,0,0,,NaN,,NaN,38.0524,-78.4878,38.0524,-78.4878,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A tree was down at the 1500 Block of Dairy Road." +113709,680702,VIRGINIA,2017,February,Thunderstorm Wind,"ALBEMARLE",2017-02-25 13:24:00,EST-5,2017-02-25 13:24:00,0,0,0,0,,NaN,,NaN,38.0087,-78.4637,38.0087,-78.4637,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Multiple trees were down near Monticello." +113709,680704,VIRGINIA,2017,February,Thunderstorm Wind,"ORANGE",2017-02-25 13:51:00,EST-5,2017-02-25 13:51:00,0,0,0,0,,NaN,,NaN,38.243,-78.0322,38.243,-78.0322,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A large tree was down near the Orange County Landfill." +113709,680705,VIRGINIA,2017,February,Thunderstorm Wind,"PRINCE WILLIAM",2017-02-25 14:47:00,EST-5,2017-02-25 14:47:00,0,0,0,0,,NaN,,NaN,38.512,-77.3031,38.512,-77.3031,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","A wind gust of 58 mph was reported at Quantico." +113921,682289,WEST VIRGINIA,2017,February,High Wind,"BERKELEY",2017-02-12 22:19:00,EST-5,2017-02-12 22:19:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were numerous reports of trees down." +113921,682290,WEST VIRGINIA,2017,February,High Wind,"JEFFERSON",2017-02-12 22:32:00,EST-5,2017-02-12 22:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Numerous trees were down in Charles Town." +113922,682294,DISTRICT OF COLUMBIA,2017,February,High Wind,"DISTRICT OF COLUMBIA",2017-02-12 23:12:00,EST-5,2017-02-12 23:24:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 64 mph was also reported at Nationals Park. A tree was down blocking Canal road near Chain Bridge." +113870,681929,TEXAS,2017,April,Thunderstorm Wind,"NACOGDOCHES",2017-04-02 12:18:00,CST-6,2017-04-02 12:18:00,0,0,0,0,0.00K,0,0.00K,0,31.6,-94.62,31.6,-94.62,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Numerous trees were blown down." +113870,681931,TEXAS,2017,April,Hail,"PANOLA",2017-04-02 12:47:00,CST-6,2017-04-02 12:47:00,0,0,0,0,0.00K,0,0.00K,0,32.03,-94.37,32.03,-94.37,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Quarter size hail fell in Gary City." +113713,680720,MARYLAND,2017,February,Thunderstorm Wind,"BALTIMORE",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,39.4778,-76.6318,39.4778,-76.6318,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Several reports of trees were down on the Cockeysville area." +113902,682925,CALIFORNIA,2017,February,Debris Flow,"EL DORADO",2017-02-21 06:00:00,PST-8,2017-02-22 06:00:00,0,0,0,0,6.50M,6500000,0.00K,0,38.768,-120.4903,38.7617,-120.4864,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","A large sinkhole on US50 near Bridal Veil Falls Rd. closed the westbound lanes. The damage remained through the spring and requires large scale repairs, with four lanes of the road have been reduced to two, one lane in each direction.|Crews demolished the westbound lanes, and stabilized the slope down to the river and and began erecting a retaining wall that will hold up the new westbound lanes.|The process will likely take several months and could cost an estimated $6.5 million." +113902,688573,CALIFORNIA,2017,February,Winter Storm,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-02-20 07:00:00,PST-8,2017-02-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","There was 13 of new snow, 4.89 liquid equivalent over 24 hours." +113902,682794,CALIFORNIA,2017,February,Flood,"GLENN",2017-02-17 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4852,-122.2231,39.5241,-122.2254,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Flooding occurred in around the town of Willows along with portions of HWY 39 and I-5." +113902,682200,CALIFORNIA,2017,February,Flood,"GLENN",2017-02-17 07:00:00,PST-8,2017-02-17 09:05:00,0,0,1,0,0.00K,0,0.00K,0,39.7832,-122.2346,39.7758,-122.2307,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","A 45-year-old woman drowned after driving around road closures on County Road FF, and into floodwaters northwest of the town of Orland. The drowning was reported about 9:05 a.m. on the rural county road, which is prone to flooding. The woman's SUV was swept down Hambright Creek. When rescue teams responded, the water was so deep there was no sign of a vehicle, and a dive team was necessary for the recovery." +113902,682798,CALIFORNIA,2017,February,Flood,"EL DORADO",2017-02-17 12:00:00,PST-8,2017-02-18 12:00:00,0,0,0,0,500.00K,500000,0.00K,0,38.7782,-120.7484,38.7755,-120.7502,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","There was a significant hole in a roadway due to an underground culvert failure." +113902,682799,CALIFORNIA,2017,February,Funnel Cloud,"SUTTER",2017-02-18 12:55:00,PST-8,2017-02-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-121.58,38.9,-121.58,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","A funnel cloud was sited near Nicolaus. No touch down was observed, or damage reported." +113680,680465,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-02-25 15:49:00,EST-5,2017-02-25 15:54:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","A wind gust of 35 knots was reported at Gunpowder." +113680,680466,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-02-25 15:52:00,EST-5,2017-02-25 15:57:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 34 to 35 knots were reported at Hart Miller Island." +113680,680467,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-02-25 16:06:00,EST-5,2017-02-25 16:06:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 49 knots were reported at Tolchester Beach." +113680,680469,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-02-25 16:14:00,EST-5,2017-02-25 16:24:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts up to 38 knots were reported at Grove Point." +113680,680470,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-02-25 15:28:00,EST-5,2017-02-25 15:33:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","Wind gusts of 37 to 40 knots were reported at Potomac Light." +113715,680753,VIRGINIA,2017,February,Thunderstorm Wind,"FAIRFAX",2017-02-12 23:00:00,EST-5,2017-02-12 23:00:00,0,0,0,0,,NaN,,NaN,39.0102,-77.2885,39.0102,-77.2885,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Numerous trees were down across Great Falls." +114417,685918,ILLINOIS,2017,April,Thunderstorm Wind,"PERRY",2017-04-26 13:15:00,CST-6,2017-04-26 13:15:00,0,0,0,0,10.00K,10000,0.00K,0,38.08,-89.4719,38.08,-89.4719,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","Numerous trees and large limbs were blown down near Highway 154. Winds were estimated near 70 mph." +114417,685927,ILLINOIS,2017,April,Thunderstorm Wind,"JACKSON",2017-04-26 13:35:00,CST-6,2017-04-26 13:35:00,0,0,0,0,1.00K,1000,0.00K,0,37.8212,-89.3948,37.8212,-89.3948,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","A tree was down across the road." +114417,685919,ILLINOIS,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-26 14:00:00,CST-6,2017-04-26 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.0819,-89.1004,38.0819,-89.1004,"Short lines of thunderstorms developed ahead of a cold front that extended from the Chicago area southwest across the eastern Ozark Mountains of south central Missouri. Filtered sunshine allowed some warming and destabilization to occur ahead of developing thunderstorms over southeast Missouri. Organized storm structures evolved in an environment of moderate instability and rather strong deep-layer wind shear. Locally damaging winds accompanied small bowing lines of storms, especially north and west of the Marion/Carbondale area. A succession of thunderstorm complexes contributed to minor flooding along the Ohio River by the end of the month.","An overturned semi and trailer was reported along Highway 154." +114786,688527,KANSAS,2017,May,Tornado,"RENO",2017-05-19 16:37:00,CST-6,2017-05-19 16:39:00,0,0,0,0,0.00K,0,0.00K,0,37.6839,-97.8442,37.6925,-97.8398,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Brief touchdown over open country." +114786,688530,KANSAS,2017,May,Tornado,"CHASE",2017-05-19 18:48:00,CST-6,2017-05-19 18:49:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-96.58,38.4014,-96.5765,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Brief touchdown over open country." +118067,709628,NEW MEXICO,2017,August,Flash Flood,"CHAVES",2017-08-24 20:00:00,MST-7,2017-08-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.99,-104.36,32.9819,-104.3519,"A subtropical wave lifted north from Mexico and stalled out over the northwest corner of New Mexico on the 22nd. This allowed an extended fetch of abundant atmospheric moisture to surge north across central and eastern New Mexico. An area of rain and thunderstorms developed during the predawn hours over the Ute Creek drainage around Harding County. Several ranchers reported between four and five inches of rainfall in less than six hours. This large area of rainfall generated an extended period of flooding along the drainage basin, resulting in closure of several county roads. This rainfall took 24 to 48 hours to flow downstream and flood the river gage on Ute Creek above Logan. The river was periodically above flood stage between 6 am on the 23rd and 3 am on the 25th. A couple thunderstorms across the area became strong to severe as well. Nickel size hail was reported in Clovis and half dollar size hail near Milagro. More heavy rainfall over Chaves County produced flash flooding along the Walnut Creek drainage south of Lake Arthur on the 24th.","NM-2 closed between mile markers 6 and 8 due to flooding over the roadway." +114775,688412,MISSOURI,2017,April,Flash Flood,"CARTER",2017-04-29 17:47:00,CST-6,2017-04-30 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,36.93,-90.75,36.8252,-90.71,"Significant flooding developed after two more thunderstorm complexes dumped heavy rain, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. The storms occurred near a surface cold front which sagged southward across southern Missouri during the evening. This deluge of heavy rain brought flash flooding to the Ozark foothills. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms caused considerable flash flooding. They also accelerated rises in area rivers, which were already above flood stage in some cases. The rainfall total for the three-day period from April 28 to April 30 was 12.25 inches at Ellsinore in Carter County from the public. A public report of 12.01 inches was received from Old Appleton, near the Perry / Cape Girardeau County line. In Perryville (Perry County), a Cocorahs observer measured 9.87 inches. North and west of a line from Dexter to Sikeston, there were numerous reports of rainfall in the 5 to 10 inch range, including 9.60 inches at Williamsville (Wayne County), 9.21 inches at Patterson (Wayne County), 8.90 inches at Van Buren (Carter County), 7.76 inches at Marble Hill, 6.54 inches at Poplar Bluff, and 5.65 inches at the Cape Girardeau riverfront. Lesser amounts were reported in far southeast counties bordering western Kentucky.","Flash flooding of creeks was reported throughout the county. Emergency management officials conducted evacuations of residents near creeks in parts of Fremont. Numerous water rescues were conducted, especially from around Van Buren to Fremont. About five miles south of Ellsinore, Highway K was closed north of Highway B due to flooding." +116026,697305,WYOMING,2017,April,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-04-09 12:35:00,MST-7,2017-04-09 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of high winds impacted east-central and southeast Wyoming. Frequent wind gusts of 60 to 70 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 09/1300 MST." +111484,671792,GEORGIA,2017,January,Thunderstorm Wind,"RANDOLPH",2017-01-02 21:38:00,EST-5,2017-01-02 21:38:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-84.89,31.67,-84.89,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A few trees were blown down in southwestern Randolph county." +111484,671794,GEORGIA,2017,January,Thunderstorm Wind,"TERRELL",2017-01-02 22:00:00,EST-5,2017-01-02 22:00:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-84.44,31.77,-84.44,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tree was blown down along Highway 82." +111482,671768,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-02 19:58:00,CST-6,2017-01-02 19:58:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-85.16,30.87,-85.16,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Greenwood area." +111482,671770,FLORIDA,2017,January,Flood,"WALTON",2017-01-01 19:00:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-86.23,30.8806,-86.221,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Water was over the north bound lane of Highway 2 near Gus Andrews Road with barricades in place. This was due to a long duration of moderate to heavy rainfall." +111482,671769,FLORIDA,2017,January,Flood,"WALTON",2017-01-01 13:20:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.8,-86.23,30.8044,-86.2294,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Rayley Road just south of Williams Road was closed due to flooding, likely from a local creek overflowing in the area. This was due to a long duration of moderate to heavy rainfall." +116113,697893,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 13:40:00,EST-5,2017-05-01 13:40:00,0,0,0,0,15.00K,15000,0.00K,0,41.9,-79.85,41.9,-79.85,"An area of strong low pressure moved over the western Great Lakes on May 1st. An occluded front from this low swept east across northern Ohio causing a line of showers and thunderstorms to develop. The line then intensified and moved into western Pennsylvania. Segments of this line became severe with several reports of 60 mph or greater winds reported. Many trees were downed by these storms.","Thunderstorm winds toppled a large tree on State Route 97 between Murray and Kimball Hill Road. A parked car was smashed by the tree." +111484,671804,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,25.00K,25000,0.00K,0,31.57,-83.85,31.57,-83.85,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Three trees were blown down onto a house near Sylvester. Damage cost was estimated." +111484,671806,GEORGIA,2017,January,Thunderstorm Wind,"LEE",2017-01-02 22:30:00,EST-5,2017-01-02 22:30:00,0,0,0,0,0.00K,0,0.00K,0,31.65,-84.09,31.65,-84.09,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Scattered trees were blown down in southeastern Lee county." +111484,671805,GEORGIA,2017,January,Thunderstorm Wind,"THOMAS",2017-01-02 22:28:00,EST-5,2017-01-02 22:28:00,0,0,0,0,3.00K,3000,0.00K,0,31.06,-84.09,31.06,-84.09,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Power lines were blown down near Meigs." +116002,701962,NORTH CAROLINA,2017,May,Tornado,"GRANVILLE",2017-05-05 04:21:00,EST-5,2017-05-05 04:22:00,0,0,0,0,100.00K,100000,0.00K,0,36.365,-78.559,36.3792,-78.553,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","At approximately 5:21 AM EDT, a tornado developed in a heavily wooded area just north of Winding Oak Road, where it produced extensive tree damage consisting of uprooted hardwood trees and snapped softwood trees. The tornado moved northeast, crossing some open fields and then caused a concentrated area of damage to two |nearby homes near 6639 Horner Siding Road. The majority of the structural damage at this location was a result of fallen trees onto homes and outbuildings. Additionally, there was some minor siding damage to one of the homes and the roof of an outbuilding was blown off. The tornado crossed Horner Siding Road where it quickly dissipated in an open field at approximately 5:22 AM EDT. There were no fatalities or injuries. Monetary damages were estimated." +116309,702713,ALABAMA,2017,May,Flash Flood,"LOWNDES",2017-05-20 19:15:00,CST-6,2017-05-21 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3257,-86.6258,32.0011,-86.6781,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several roads across the eastern portion of the county were under water and impassable, including Count Road 33." +116883,702733,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 13:30:00,CST-6,2017-05-16 13:30:00,0,0,0,0,,NaN,,NaN,36.62,-100.82,36.62,-100.82,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Late report. Estimated at least golf ball size hail based on damage to trees, dents in cars, and house damage." +116886,702781,TEXAS,2017,May,Hail,"HEMPHILL",2017-05-18 13:50:00,CST-6,2017-05-18 13:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-100.38,35.9,-100.38,"A residual dryline boundary was draped across portions of the eastern Panhandles. To the east of that dryline across the far eastern TX Panhandle, SBCAPE of 2000-3000 J/kg along with effective shear of 40-50 kts produced an environment for supercell development with large hail. The mid level 30-40 kts ahead of the Pacific front off to the west pushed the developing supercells quickly to the east over the OK state line storms that developed in the eastern TX Panhandle which kept activity in the Panhandles short lived. Reports of hail up to 1.5 was reported in the far eastern TX Panhandle.","" +116886,702782,TEXAS,2017,May,Hail,"HEMPHILL",2017-05-18 13:52:00,CST-6,2017-05-18 13:52:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-100.37,35.9,-100.37,"A residual dryline boundary was draped across portions of the eastern Panhandles. To the east of that dryline across the far eastern TX Panhandle, SBCAPE of 2000-3000 J/kg along with effective shear of 40-50 kts produced an environment for supercell development with large hail. The mid level 30-40 kts ahead of the Pacific front off to the west pushed the developing supercells quickly to the east over the OK state line storms that developed in the eastern TX Panhandle which kept activity in the Panhandles short lived. Reports of hail up to 1.5 was reported in the far eastern TX Panhandle.","" +111484,671808,GEORGIA,2017,January,Thunderstorm Wind,"COLQUITT",2017-01-02 22:45:00,EST-5,2017-01-02 22:45:00,0,0,0,0,3.00K,3000,0.00K,0,31.1433,-83.8109,31.1433,-83.8109,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tree was blown down across a home with power lines also down on Walter Murphy Road. Damage cost was estimated." +111482,671776,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9784,-85.7883,30.9421,-85.7906,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Roping Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +116302,699262,ALABAMA,2017,May,Strong Wind,"JEFFERSON",2017-05-04 05:20:00,CST-6,2017-05-04 05:25:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A Wake Low produced winds of 35 to 50 mph occurred across a portion of north central Alabama during the pre-dawn hours on May 4th, resulting in minor damage.","Several large trees uprooted along Valley Street. Several vehicles damage with one vehicle sustaining heavy damage." +116302,699263,ALABAMA,2017,May,Strong Wind,"ETOWAH",2017-05-04 05:20:00,CST-6,2017-05-04 05:25:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A Wake Low produced winds of 35 to 50 mph occurred across a portion of north central Alabama during the pre-dawn hours on May 4th, resulting in minor damage.","Portion of roof blown off home on Louie Dunn Road in the town of Glencoe." +116309,699288,ALABAMA,2017,May,Lightning,"JEFFERSON",2017-05-20 15:15:00,CST-6,2017-05-20 15:16:00,0,0,0,0,100.00K,100000,0.00K,0,33.47,-87.08,33.47,-87.08,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Lightning struck a home in the Willow Bend Subdivision and the structure burnt to the ground." +116309,702712,ALABAMA,2017,May,Thunderstorm Wind,"ELMORE",2017-05-20 18:05:00,CST-6,2017-05-20 18:06:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-85.9,32.54,-85.9,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several trees uprooted in the town of Tallassee." +116309,699290,ALABAMA,2017,May,Thunderstorm Wind,"TALLAPOOSA",2017-05-20 18:05:00,CST-6,2017-05-20 18:06:00,0,0,0,0,0.00K,0,0.00K,0,32.56,-85.82,32.56,-85.82,"A very moist air mass surged northward into central Alabama during the day on May 20th. Precipitable water values rose above 2 inches and surface dewpoints climbed into the lower 70s. An upper level trough approached the area from the west and provided the necessary lift to produce widespread showers and thunderstorms. A few severe storms produced wind damage, but flash flooding was the dominate hazard from this system.","Several trees uprooted around the town of Tallassee." +116882,702730,ALABAMA,2017,May,Flash Flood,"CALHOUN",2017-05-30 13:05:00,CST-6,2017-05-30 14:45:00,0,0,0,0,0.00K,0,0.00K,0,33.7993,-86.0282,33.7994,-86.0226,"A weak surface front was stationary across north Alabama. Showers and thunderstorms developed along the boundary during the heating of the day. A few storms produced heavy rainfall along with large hail and damaging winds.","Video from Social Media showed high, fast-moving water flowing across Spring Road." +116655,701400,SOUTH CAROLINA,2017,May,Tornado,"DARLINGTON",2017-05-04 21:07:00,EST-5,2017-05-04 21:10:00,1,0,0,0,60.00K,60000,0.00K,0,34.357,-80.0505,34.3695,-80.0504,"Powerful low pressure moved across Kentucky and created an environment favorable for tornado development. Clusters of thunderstorms developed during the evening hours and persisted overnight. The atmosphere was moderately unstable and strongly sheared.","A survey conducted by the National Weather Service concluded an EF1 tornado with winds to 100 mph first touched down south of Swift Creek Rd. and damaged a few trees before overturning a RV trailer where one occupant was injured. A mobile home was destroyed in this area and a utility trailer was flipped. Numerous trees were snapped or uprooted as the tornado continued north across Swift Creek Rd. It was in this area where several homes sustained damage to siding and awnings and one business was also damaged. The tornado continued across Hartland Dr. and lifted in a stand of trees after crossing S Marquis Highway." +116655,701403,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"DARLINGTON",2017-05-04 21:05:00,EST-5,2017-05-04 21:06:00,0,0,0,0,25.00K,25000,0.00K,0,34.3239,-80.0431,34.3238,-80.0416,"Powerful low pressure moved across Kentucky and created an environment favorable for tornado development. Clusters of thunderstorms developed during the evening hours and persisted overnight. The atmosphere was moderately unstable and strongly sheared.","A survey conducted by the National Weather Service noted straight line wind damage near the intersection of East Bobo Newsom Highway and S 4th St. A metal building sustained moderate damage. A billboard and a few trees were also damaged. An empty tractor trailer was blown over while traveling on East Bobo Newsom Highway. This occurred just before and to the south of a tornado touchdown." +116658,701405,NORTH CAROLINA,2017,May,Thunderstorm Wind,"PENDER",2017-05-05 04:29:00,EST-5,2017-05-05 04:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.5433,-78.011,34.5433,-78.011,"Powerful low pressure moved across Kentucky and caused severe weather. Clusters of thunderstorms developed during the evening hours and persisted overnight. The atmosphere was moderately unstable and strongly sheared.","A large tree was reported down along Highway 53 near Pender High School." +115728,703244,ILLINOIS,2017,May,Flash Flood,"PIATT",2017-05-04 08:00:00,CST-6,2017-05-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.0007,-88.4636,39.8942,-88.575,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern Piatt County. Officials reported that most roads were impassable and numerous creeks rapidly flooded." +114740,696398,WISCONSIN,2017,May,Hail,"LINCOLN",2017-05-16 19:15:00,CST-6,2017-05-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,45.454,-89.763,45.454,-89.763,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Nickel size hail fell on Highway 86 just west of Tomahawk." +114740,696399,WISCONSIN,2017,May,Hail,"ONEIDA",2017-05-16 19:15:00,CST-6,2017-05-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-89.35,45.63,-89.35,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Nickel size hail fell east of Rhinelander." +114740,696400,WISCONSIN,2017,May,Hail,"ONEIDA",2017-05-16 19:30:00,CST-6,2017-05-16 19:30:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-89.11,45.5,-89.11,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Hail that was at least 2 inches in diameter fell at Pelican Lake." +114740,696401,WISCONSIN,2017,May,Hail,"ONEIDA",2017-05-16 19:35:00,CST-6,2017-05-16 19:35:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-89.09,45.56,-89.09,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Quarter size hail fell southeast of Monico." +114740,696403,WISCONSIN,2017,May,Hail,"MARATHON",2017-05-16 20:20:00,CST-6,2017-05-16 20:20:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-89.96,45.04,-89.96,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Quarter size hail fell east of Athens." +116606,704455,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:25:00,CST-6,2017-05-18 20:28:00,0,0,0,0,,NaN,,NaN,39.23,-94.79,39.23,-94.79,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +114785,692989,KANSAS,2017,May,Hail,"ELLSWORTH",2017-05-18 16:18:00,CST-6,2017-05-18 16:19:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-98.41,38.59,-98.41,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692990,KANSAS,2017,May,Hail,"ELLSWORTH",2017-05-18 16:43:00,CST-6,2017-05-18 16:44:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-98.17,38.68,-98.17,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692991,KANSAS,2017,May,Hail,"ELLSWORTH",2017-05-18 16:47:00,CST-6,2017-05-18 16:48:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-98.16,38.71,-98.16,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692992,KANSAS,2017,May,Hail,"ELLSWORTH",2017-05-18 16:55:00,CST-6,2017-05-18 16:56:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-98.12,38.74,-98.12,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692993,KANSAS,2017,May,Thunderstorm Wind,"RICE",2017-05-18 17:01:00,CST-6,2017-05-18 17:02:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.2,38.35,-98.2,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported by the Emergency Manager." +114785,692994,KANSAS,2017,May,Thunderstorm Wind,"RENO",2017-05-18 16:58:00,CST-6,2017-05-18 16:59:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-97.94,38.03,-97.94,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","A power pole was blown down." +119730,720419,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 17:24:00,PST-8,2017-09-03 17:24:00,0,0,0,0,10.00K,10000,0.00K,0,35.43,-119.04,35.43,-119.04,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a downed tree from thunderstorm winds on Airport Dr. and West China Grade loop in Bakersfield." +119125,720481,FLORIDA,2017,September,Tornado,"FLAGLER",2017-09-10 23:20:00,EST-5,2017-09-10 23:30:00,0,0,0,0,,NaN,0.00K,0,29.6455,-81.21,29.66,-81.2766,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This tornado touchdown in northern Flagler county just south of Marineland. Damage was limited to trees. Structural damage was not reported. A tornado debris signature was detected along the path. The tornado remained over the Pellicer Creek Conservation Area before dissipating just west of Interstate 95." +121287,726080,INDIANA,2017,December,Winter Weather,"DE KALB",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726083,INDIANA,2017,December,Winter Weather,"WHITLEY",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726081,INDIANA,2017,December,Winter Weather,"LAGRANGE",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121288,726084,OHIO,2017,December,Winter Weather,"PAULDING",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow created difficult travel December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121288,726085,OHIO,2017,December,Winter Weather,"DEFIANCE",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow created difficult travel December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121288,726086,OHIO,2017,December,Winter Weather,"FULTON",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow created difficult travel December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121288,726087,OHIO,2017,December,Winter Weather,"HENRY",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow created difficult travel December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121288,726088,OHIO,2017,December,Winter Weather,"WILLIAMS",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow created difficult travel December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121291,726093,INDIANA,2017,December,Lake-Effect Snow,"LA PORTE",2017-12-31 12:00:00,CST-6,2017-12-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense lake effect snow band settled into LaPorte County during the afternoon and early evening hours of December 31st. Whiteout conditions and amounts in excess of a foot were reported.","A heavy lake effect snow band produced whiteout conditions and snowfall totals of 7 to 14 inches. There was a report of 14.0 inches near La Porte. Snowfall rates of 2 to 3 inches per hours were experienced within this snow band. These conditions led to difficult travel conditions and an accident on the toll road involving at least 20 vehicles." +116144,701567,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:08:00,CST-6,2017-05-18 20:08:00,0,0,0,0,0.00K,0,0.00K,0,36.039,-95.9849,36.039,-95.9849,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","The ASOS at Tulsa R L Jones Riverside Airport measured 60 mph thunderstorm wind gusts." +116144,701569,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:30:00,CST-6,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.0559,-96.0051,36.0559,-96.0051,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to 70 mph." +114666,687817,INDIANA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-20 18:12:00,EST-5,2017-05-20 18:12:00,0,0,0,0,50.00K,50000,0.00K,0,38.78,-85.39,38.78,-85.39,"An extremely warm, moist, and unstable air mass resided over the lower Ohio Valley during the middle of May. As a series of strong weather systems passed through the region, rounds of strong to severe thunderstorms developed and tracked across southern Indiana. Several inches of rain fell in a very short time resulting in a significant flash flood event for Washington County, Indiana. There were 2 confirmed tornadoes, one in Crawford County and another in Jefferson County, Indiana.","A trained spotter reported roof damage to a consignment shop." +115140,691147,KENTUCKY,2017,May,Flash Flood,"TAYLOR",2017-05-27 18:35:00,EST-5,2017-05-27 18:35:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.35,37.356,-85.3329,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Local law enforcement reported widespread flash flooding across the county." +115140,691148,KENTUCKY,2017,May,Flash Flood,"TAYLOR",2017-05-27 19:05:00,EST-5,2017-05-27 19:05:00,0,0,0,0,40.00K,40000,0.00K,0,37.35,-85.35,37.3546,-85.3391,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","The Taylor County emergency manager reported three water rescues in Campbellsville." +115140,691150,KENTUCKY,2017,May,Flash Flood,"GREEN",2017-05-27 18:25:00,CST-6,2017-05-27 18:25:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-85.5,37.2328,-85.5054,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","Trained spotters reported roads closed due to high water." +116144,701600,OKLAHOMA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-18 22:25:00,CST-6,2017-05-18 22:25:00,0,0,0,0,0.00K,0,0.00K,0,36.2134,-94.9131,36.2134,-94.9131,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind uprooted trees and snapped large tree limbs." +116144,701601,OKLAHOMA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-18 22:44:00,CST-6,2017-05-18 22:44:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-94.63,36.19,-94.63,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to 60 mph." +116147,702025,OKLAHOMA,2017,May,Thunderstorm Wind,"OKFUSKEE",2017-05-27 20:45:00,CST-6,2017-05-27 20:45:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-96.3,35.43,-96.3,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew down trees in Okemah." +116147,702028,OKLAHOMA,2017,May,Thunderstorm Wind,"OKMULGEE",2017-05-27 21:09:00,CST-6,2017-05-27 21:09:00,0,0,0,0,0.00K,0,0.00K,0,35.5821,-95.9147,35.5821,-95.9147,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","The Oklahoma Mesonet station southeast of Okmulgee measured 60 mph thunderstorm wind gusts." +116147,702029,OKLAHOMA,2017,May,Thunderstorm Wind,"OKMULGEE",2017-05-27 21:25:00,CST-6,2017-05-27 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.6065,-95.8581,35.6065,-95.8581,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew down trees, some of which blocked roads in and around Morris." +116147,702031,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 22:05:00,CST-6,2017-05-27 22:05:00,0,0,0,0,15.00K,15000,0.00K,0,36.6634,-95.27,36.6634,-95.27,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702032,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 22:08:00,CST-6,2017-05-27 22:08:00,0,0,0,0,25.00K,25000,0.00K,0,36.65,-95.15,36.65,-95.15,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702033,OKLAHOMA,2017,May,Thunderstorm Wind,"MUSKOGEE",2017-05-27 22:15:00,CST-6,2017-05-27 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,35.5106,-95.1308,35.5106,-95.1308,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind damaged the roof of a home." +116624,704290,GEORGIA,2017,May,Lightning,"DOUGLAS",2017-05-28 04:55:00,EST-5,2017-05-28 04:55:00,0,0,0,0,10.00K,10000,,NaN,33.8,-84.67,33.8,-84.67,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Douglas County Emergency Manager reported a house fire caused by a lightning strike on Joanna Street." +116624,704291,GEORGIA,2017,May,Lightning,"COBB",2017-05-28 05:00:00,EST-5,2017-05-28 05:00:00,0,0,0,0,10.00K,10000,,NaN,33.8103,-84.5856,33.8103,-84.5856,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Cobb County 911 center reported a house fire caused by a lightning strike near the intersection of Megcole Way and Graham Court." +116624,704292,GEORGIA,2017,May,Thunderstorm Wind,"CHATTOOGA",2017-05-28 02:09:00,EST-5,2017-05-28 02:20:00,0,0,0,0,5.00K,5000,,NaN,34.55,-85.29,34.5566,-85.2876,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Chattooga County 911 center reported trees an power lines blown down along Highway 27 around Mountain View Road and Scenic Hill Road." +116624,704293,GEORGIA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-28 03:40:00,EST-5,2017-05-28 04:15:00,0,0,0,0,15.00K,15000,,NaN,34.1848,-85.3625,34.31,-85.08,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Floyd County Emergency Manager and the 911 center reported numerous trees and power lines blown down across the county from the Cave Spring area northeast across Rome to near Shannon. Location include Ward Mountain Road at Barron Road, Maple Road at Teat Street, Padlock Mountain Road at Rehab Drive, Cunningham Road, Friday Road, Lakewood Road, and East 2nd Street." +116624,704294,GEORGIA,2017,May,Thunderstorm Wind,"HARALSON",2017-05-28 04:19:00,EST-5,2017-05-28 04:35:00,0,0,0,0,10.00K,10000,,NaN,33.8101,-85.2208,33.7827,-85.1023,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Haralson County 911 center reported numerous trees and power lines blown down across the county from northwest through southeast of Buchanan. Locations include Morgan Road at McBrayer Road, around the intersection of Jacksonville Road and Old Jacksonville Circle, Highway 120 and Jacksonville Road, McWhorter Circle, Alabama Avenue at Valley Run Drive, and around the intersection of Morgan Road and Cashtown Road." +117092,704444,INDIANA,2017,May,Flood,"MONROE",2017-05-05 07:10:00,EST-5,2017-05-06 00:30:00,0,1,0,0,35.00K,35000,10.00K,10000,39.2902,-86.434,39.2811,-86.4351,"A front and an a low pressure system brought heavy rain to central Indiana for the second time in a week. Some areas received more than 2 inches of rain once again. This lead to road closures due to high water as well as new & prolonged flooding of area streams and rivers. Some water rescues were performed as well.","A trained spotter reported flooding over several roads in northern Monroe County due to thunderstorm heavy rainfall. ||Also, WISH-TV reported that the Monroe County dive team responded to two separate calls related to flooded roads. The first call was at Anderson and Bean Blossom Roads at 7:30 AM when they responded to a call of a vehicle mostly submerged in flood water. The driver, a 53-year-old woman, was out of the vehicle and safe by the time they arrived. Dive team members observed a second car driving into flood waters after clearing the first scene. They proceeded to push the two occupants to more shallow waters before placing them in a squad car for safety.||Additionally, the Bartholomew County Sheriff���s Office says its water rescue team pulled a woman from an overturned, submerged car at about 1:30 AM Saturday south of Columbus. It says she was transported to a hospital with minor injuries. No details on location or why the car overturned." +111483,670350,ALABAMA,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-02 19:37:00,CST-6,2017-01-02 19:46:00,0,0,4,0,100.00K,100000,0.00K,0,31.1095,-85.4856,31.1514,-85.3671,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An NWS Survey Team determined that some damage in the Rehobeth area was caused by strong straight line winds on the southern flank of a tornado just to the north. Damage consisted of numerous large trees snapped or uprooted. One mobile home was split by a large tree, resulting in four fatalities. The damage pattern along this path was not convergent and was noticeably south of the path of the tornado vortex. Damage cost was estimated." +111483,671734,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:35:00,CST-6,2017-01-02 19:35:00,0,0,0,0,2.00K,2000,0.00K,0,31.13,-85.51,31.13,-85.51,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","The back porch awning of a house was damaged in Malvern." +111483,671736,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:02:00,CST-6,2017-01-02 19:02:00,0,0,0,0,0.00K,0,0.00K,0,31.11,-86.04,31.11,-86.04,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Samson area." +121825,729261,IOWA,2017,December,Tornado,"LEE",2017-12-04 17:26:00,CST-6,2017-12-04 17:28:00,0,0,0,0,0.00K,0,0.00K,0,40.4014,-91.5,40.4142,-91.4888,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th brought a cold front to along the Mississippi River by early evening. Ahead of this cold front, scattered showers and thunderstorms developed and moved northeastward from Missouri into southeastern Iowa. One of these storms produced a tornado that touched down southwest of Wayland Missouri and crossed the Des Moines River into Keokuk County Iowa. The tornado damaged trees before lifting shortly after crossing the river. The storm also produced some damaging winds as it moved across the city of Keokuk.","An NWS Storm Survey team found that an EF-2 tornado touched down in an open field southwest of Wayland, Missouri damaging trees and breaking windows. The tornado then moved east northeast over rural areas damaging trees. As the tornado approached Highway 27, it strengthened, causing EF-2 damage to power poles. The tornado hit a DOT facility, destroying doors and a salt shelter. When the tornado crossed the highway, a semi was overturned, causing one injury. The tornado crossed the Des Moines River into Lee County Iowa where it caused EF-1 damage to trees before lifting about 1.1 miles north northeast of the river. The peak estimated winds along its entire path were 115 MPH." +112356,673311,ALABAMA,2017,January,Thunderstorm Wind,"COFFEE",2017-01-21 09:23:00,CST-6,2017-01-21 09:23:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-85.93,31.55,-85.93,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Four trees were blown down in the northern part of Coffee county." +112356,673312,ALABAMA,2017,January,Thunderstorm Wind,"DALE",2017-01-21 09:52:00,CST-6,2017-01-21 09:52:00,0,0,0,0,25.00K,25000,0.00K,0,31.4509,-85.6296,31.4509,-85.6296,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree fell on a car on Matthews Ave. Damage cost was estimated." +112356,673313,ALABAMA,2017,January,Thunderstorm Wind,"DALE",2017-01-21 10:00:00,CST-6,2017-01-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,31.6086,-85.432,31.6086,-85.432,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A tree was blown down on County Road 68." +117101,704548,WASHINGTON,2017,May,Hail,"SKAMANIA",2017-05-04 15:00:00,PST-8,2017-05-04 15:10:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-121.86,45.78,-121.86,"A strong upper-level trough generated enough instability for a severe thunderstorm to develop in SW Washington.","A trained spotter reported 1.25 inch hail 5 miles NNW of Carson, OR." +115298,692213,ILLINOIS,2017,May,Tornado,"MACON",2017-05-10 18:49:00,CST-6,2017-05-10 18:50:00,0,0,0,0,8.00K,8000,0.00K,0,39.9516,-88.8247,39.9522,-88.8229,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","A tornado briefly touched down near the Argenta exit from I-72 at mile marker 150 at 7:49 PM CDT. Several pine trees were snapped before the tornado dissipated at 7:50 PM CDT." +111484,672363,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,10.00K,10000,0.00K,0,31.5662,-83.8475,31.5662,-83.8475,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down onto a house on Boyd Road." +111484,672365,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,3.00K,3000,0.00K,0,31.6538,-83.9047,31.6245,-83.8761,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down on Blue Springs Road from Church Road to Jewel Crowe Road." +115298,695484,ILLINOIS,2017,May,Hail,"SCHUYLER",2017-05-10 16:25:00,CST-6,2017-05-10 16:30:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-90.77,40.12,-90.77,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","" +115298,695485,ILLINOIS,2017,May,Hail,"SCHUYLER",2017-05-10 16:45:00,CST-6,2017-05-10 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-90.57,40.12,-90.57,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","" +115298,695486,ILLINOIS,2017,May,Hail,"MORGAN",2017-05-10 17:33:00,CST-6,2017-05-10 17:38:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-90.25,39.8,-90.25,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","" +115745,695638,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:35:00,CST-6,2017-05-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.7271,40.47,-87.7271,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695640,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:40:00,CST-6,2017-05-26 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4555,-87.78,40.4555,-87.78,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695639,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:43:00,CST-6,2017-05-26 16:47:00,0,0,0,0,325.00K,325000,0.00K,0,40.4585,-87.7279,40.4585,-87.7279,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Hail lasted for 4 minutes and broke windshields." +115745,695641,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 17:25:00,CST-6,2017-05-26 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.1812,-87.5531,40.1812,-87.5531,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +122062,730714,COLORADO,2017,December,High Wind,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-12-08 09:32:00,MST-7,2017-12-08 11:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds occurred near the Cheyenne and Palmer Ridges. Peak wind reports included: 63 mph at Hugo, 61 mph, 6 miles southwest of Carr and 3 miles south of Cedar Point; 59 mph, 7 miles north of Rockport; with 58 mph at Limon Municipal Airport.","" +122062,730715,COLORADO,2017,December,High Wind,"N & NE ELBERT COUNTY BELOW 6000 FEET / N LINCOLN COUNTY",2017-12-08 09:32:00,MST-7,2017-12-08 11:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds occurred near the Cheyenne and Palmer Ridges. Peak wind reports included: 63 mph at Hugo, 61 mph, 6 miles southwest of Carr and 3 miles south of Cedar Point; 59 mph, 7 miles north of Rockport; with 58 mph at Limon Municipal Airport.","" +122063,730716,COLORADO,2017,December,Winter Storm,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-12-23 02:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream produced considerable snow and blowing snow in the northern Colorado mountains. The heaviest snowfall occurred in the mountains north of the Interstate 70 Corridor. Storm totals included: 22.5 inches, 9 miles east-northeast of Steamboat Springs; 19.5 inches, 9 miles south-southeast of Spicer; 16.5 inches, 4 miles southeast of Mount Zirkel; 15 inches, 5 miles west of Berthoud Falls and 7 miles south-southeast of Cameron Pass; 12 inches near Loveland Pass, 3 miles north-northeast of Mount Audobon, 6 miles east of Cameron Pass, 9 miles east of Glendevey and 8 miles south-southeast of Rand; 10.5 inches, 4 miles south of Longs Peak and 11 miles south of Rabbit Ears Pass; with 6 to 10 inches elsewhere.||Strong winds with gusts ranging from 60 to 80 mph above timberline produced blowing and drifting snow, icy conditions with near zero visibility. The extreme weather conditions, numerous accidents and busy holiday travel forced the extended closure of Interstate 70 in both directions approaching the Eisenhower/Johnson Tunnel. Westbound I-70 was closed from Morrison Road to the tunnel and eastbound was closed at Vail, and from the Silverthorne exit to the tunnel. US 40 from I-70 over Berthoud Pass to Winter Park was also closed because of extreme conditions and crashes. The closures started late in the afternoon of the 23rd and did not re-open until the following morning. According to CDOT, the Eisenhower Johnson Memorial Tunnel also lost power. Consequently, there was no control over the lights on the highway or the digital message boards. Temporary shelters had to be opened for stranded travelers.","Storm totals ranged from 16 to 22.5 inches." +116752,705061,KANSAS,2017,May,Thunderstorm Wind,"SHERIDAN",2017-05-26 23:23:00,CST-6,2017-05-26 23:23:00,0,0,0,0,,NaN,,NaN,39.19,-100.69,39.19,-100.69,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","Public report of an estimated 80 mph wind gust." +116752,705062,KANSAS,2017,May,Thunderstorm Wind,"SHERIDAN",2017-05-26 23:37:00,CST-6,2017-05-26 23:37:00,0,0,0,0,,NaN,,NaN,39.41,-100.41,39.41,-100.41,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","" +116752,705063,KANSAS,2017,May,Thunderstorm Wind,"GOVE",2017-05-27 00:20:00,CST-6,2017-05-27 00:20:00,0,0,0,0,,NaN,,NaN,39.07,-100.27,39.07,-100.27,"A supercell, moving out of eastern Yuma and Kit Carson county in Colorado, crossed into Kansas during the evening of May 26th. The supercell produced large hail, damaging wind gusts, and several reports of tornadoes. Following this storm were two more lines of severe storms aligned with a theta-e axis that moved from west to east through the evening, producing additional hail, damaging wind gusts, and flash flooding.","EM reported zero visibility due to blowing dust along with nickel sized hail." +116759,703505,OHIO,2017,May,Thunderstorm Wind,"PAULDING",2017-05-18 15:29:00,EST-5,2017-05-18 15:31:00,0,0,0,0,0.00K,0,0.00K,0,41.2244,-84.5158,41.225,-84.4961,"Cold front/pre-frontal trough entered the area during the late afternoon and evening hours. Thunderstorms moved into northwestern Ohio out of Indiana. Paulding county was hardest hit with 3 different rounds of storms causing extensive damage to power poles.","Isolated damage was found along a roughly one mile path starting near the intersection of County Road 224 and 133. An older pole barn was impacted by the winds, causing it fall onto itself and mainly roofing debris being carried roughly a|third of a mile. Several 2 by 4 boards were found embedded in the ground in various directions. Along this same path a garage door was pushed in with a few pieces of roofing thrown east to northwest of the intersection of County Roads 224 and 139. A 5th wheel trailer was rolled several times, landing in a pond. Outside of this path, near the intersection of County Roads 218 and 133, two garage doors were pushed in. One of the buildings had its north and south walls pushed outward. ||While the boards in the ground, as well as damage to structures south of the destroyed barn may suggest some weak rotation, damage in the area was not conclusive enough to classify a small area of damage as possibly tornadic." +117247,705200,LOUISIANA,2017,May,Tornado,"LAFOURCHE",2017-05-30 13:36:00,CST-6,2017-05-30 13:36:00,0,0,0,0,0.00K,0,,NaN,29.47,-90.2335,29.47,-90.2335,"An upper level disturbance moving across the region combined with a weak surface boundary to produce isolated severe thunderstorms and a couple of tornadoes along the southeast Louisiana coast.","Several reports and videos were taken of a tornado over marsh east of Galliano. Lack of access and no discernible damage prevented the NWS from assigning an EF scale rating." +115096,701525,OKLAHOMA,2017,May,Hail,"ROGERS",2017-05-11 06:32:00,CST-6,2017-05-11 06:32:00,0,0,0,0,10.00K,10000,0.00K,0,36.3345,-95.6,36.3345,-95.6,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115887,701628,WISCONSIN,2017,May,Thunderstorm Wind,"VILAS",2017-05-17 19:34:00,CST-6,2017-05-17 19:34:00,0,0,0,0,0.00K,0,0.00K,0,46.14,-89.63,46.14,-89.63,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Thunderstorm winds downed small to medium size tree limbs north of Boulder Junction." +116147,702009,OKLAHOMA,2017,May,Hail,"OKFUSKEE",2017-05-27 19:39:00,CST-6,2017-05-27 19:39:00,0,0,0,0,10.00K,10000,0.00K,0,35.6302,-96.3874,35.6302,-96.3874,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +111484,673291,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:45:00,EST-5,2017-01-02 22:45:00,0,0,0,0,100.00K,100000,0.00K,0,31.7031,-83.8601,31.7031,-83.8601,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Damage on Highway 32 East consisted of roof damage, pool damage, outbuilding damage, and vehicle damage. Damage cost was estimated." +112730,675540,NEW JERSEY,2017,March,High Wind,"WARREN",2017-03-02 08:00:00,EST-5,2017-03-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Several downed trees and wires." +112953,674890,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 16:20:00,CST-6,2017-02-28 16:20:00,0,0,0,0,,NaN,0.00K,0,41.17,-90.02,41.17,-90.02,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reports a mix of quarter to half dollar size hail." +120818,723499,OHIO,2017,November,Thunderstorm Wind,"ASHLAND",2017-11-05 17:15:00,EST-5,2017-11-05 17:30:00,0,0,0,0,25.00K,25000,0.00K,0,40.87,-82.3,40.87,-82.3,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed a few trees and large limbs across Ashland County. Around 100 homes lost power as a result of the downed trees." +115708,695375,VIRGINIA,2017,May,Flood,"NELSON",2017-05-05 09:24:00,EST-5,2017-05-05 10:25:00,0,0,0,0,0.00K,0,0.00K,0,37.8249,-78.7737,37.8399,-78.7864,"Low pressure was located across the Tennessee Valley while a strong low level jet transported moisture into the Mid-Atlantic. Showers and thunderstorms led to heavy rain across northern and central Virginia leading to scattered flooding mainly from rivers and creeks over flowing.","The stream gauge on Rockfish River at Greenfield exceeded their flood stage of 12 feet and peaked at 12.08 feet at 10:00 EST. Water began to cover a portion of Route 617 near the river. Nearby fields were also flooded." +116420,700101,TEXAS,2017,May,Hail,"RUNNELS",2017-05-19 14:13:00,CST-6,2017-05-19 14:13:00,0,0,0,0,0.00K,0,0.00K,0,31.9519,-99.9857,31.9519,-99.9857,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +116185,703448,TEXAS,2017,May,Lightning,"NUECES",2017-05-29 02:00:00,CST-6,2017-05-29 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,27.6681,-97.3841,27.6681,-97.3841,"Scattered thunderstorms formed along the Rio Grande in Webb County during the evening hours of the 28th. The storms grew into a complex line that moved east southeast into the Coastal Bend down into Deep South Texas through the rest of the evening hours into the early morning hours of the 30th. Strong winds and isolated flooding occurred over portions of the Coastal Bend. The thunderstorms were prolific lightning producers. Lightning caused property damage in Corpus Christi and Aransas Pass.","Lightning struck a home on Citrus Valley Drive in Corpus Christi. The house caught on fire. An elderly woman had to be rescued." +116803,702384,WYOMING,2017,May,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","An observer eight miles southwest of Wheatland measured 13.5 inches of snow." +116803,707689,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Fourteen inches of snow was measured at Horse Creek. Snow drifts were two to four feet." +118676,712956,GUAM,2017,May,Drought,"MARSHALL ISLANDS",2017-05-01 00:00:00,GST10,2017-05-31 00:00:00,0,0,0,0,0.00K,0,50.00K,50000,NaN,NaN,NaN,NaN,"Dry weather prevails across parts of Micronesia. The rainfall has been so light that drought conditions persist across many islands.","The Experimental Drought Assessment of the U.S. Drought Monitor showed that Utirik in the Northern Marshall Islands remained in short term extreme drought (Drought Level 3 of 4). The Drought Monitor indicated worsening conditions for Wotje and Kwajalein(Ebeye) in the Northern Marshall Islands as they increased to severe drought (Drought Level 2 of 4).||Rainfall amounts illustrate the dry conditions as Utirik saw only 1.15 inches of rainfall during the month as opposed to the usual 4.25 inches. Wotje saw similar conditions with 1.14 inches compared to the average May rainfall of 4.92 inches. Kwajalein/Ebeye had 5.20 inches as opposed to the average of 6.61 inches.||Other locations over the Marshalls also attest to the dry conditions. Alingalaplap faired slightly worse as the observed May rainfall was 2.23 inches compared to the average of 10.78 inches. Jaluit saw 2.03 inches compared to 10.85 inches and Majuro saw 4.93 inches compared to 9.86 inches." +120818,723503,OHIO,2017,November,Thunderstorm Wind,"WAYNE",2017-11-05 17:41:00,EST-5,2017-11-05 17:41:00,0,0,0,0,7.00K,7000,0.00K,0,40.7693,-81.9706,40.7693,-81.9706,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed several trees southwest of Wooster." +112346,669804,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-07 13:25:00,EST-5,2017-01-07 13:25:00,0,0,0,0,0.00K,0,0.00K,0,26.09,-80.1,26.09,-80.1,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of of 45 MPH/ 39 knots was measured by a WxFlow site XPEG located in Port Everglades at an elevation of 135 feet." +117293,705488,ALASKA,2017,April,Blizzard,"CENTRAL BEAUFORT SEA COAST",2017-04-05 12:45:00,AKST-9,2017-04-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed between a 1030 mb high pressure center over the eastern Arctic and a 962 mb low pressure center over the Gulf of Alaska on April 5th through noon on the 6th. High winds occurred over some interior summits, and blizzard conditions with local high winds occurred on the North Slope. ||Zone 203: Blizzard conditions were reported at Deadhorse and Kuparuk. Wind gusts at the Deadhorse ASOS reached 51 mph (44 kt).","" +116183,703412,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-05-23 19:36:00,CST-6,2017-05-23 19:36:00,0,0,0,0,0.00K,0,0.00K,0,28.1144,-97.0244,28.1144,-97.0244,"The squall line of storms, that moved through the Coastal Bend, moved through the coastal waters of the Middle Texas coast during the evening hours. The storms produced wind gusts from 40 to 50 knots and hail ranging in size from nickels to ping pong balls.","TCOON site at Copano Bay measured a gust to 34 knots." +114156,688505,MAINE,2017,March,Heavy Snow,"SAGADAHOC",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116803,707704,WYOMING,2017,May,Winter Storm,"NORTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Two feet of snow was observed seven mikes east of Garrett." +116803,707705,WYOMING,2017,May,Winter Storm,"SOUTH LARAMIE RANGE",2017-05-17 21:00:00,MST-7,2017-05-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","A foot of snow was observed 12 miles east-northeast of Bosler." +116803,707707,WYOMING,2017,May,Winter Storm,"LARAMIE VALLEY",2017-05-18 02:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Eight inches of snow was measured at Laramie." +116803,707706,WYOMING,2017,May,Winter Storm,"LARAMIE VALLEY",2017-05-18 02:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Fourteen inches of snow was observed 11 miles southwest of Laramie." +117581,707084,IOWA,2017,March,Hail,"O'BRIEN",2017-03-23 10:28:00,CST-6,2017-03-23 10:29:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-95.82,42.95,-95.82,"Scattered thunderstorms developed in extreme southeast South Dakota and moved into portions of northwest Iowa and became severe.","" +112882,674339,INDIANA,2017,March,Hail,"DUBOIS",2017-03-01 01:45:00,EST-5,2017-03-01 01:45:00,0,0,0,0,0.00K,0,0.00K,0,38.25,-86.96,38.25,-86.96,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A trained spotter reported hail 1 inch in diameter. The observer also measured a 60 mph wind gust." +112882,674340,INDIANA,2017,March,Hail,"DUBOIS",2017-03-01 01:54:00,EST-5,2017-03-01 01:54:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-86.96,38.27,-86.96,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A trained spotter reported 60 mph wind gusts, measured with an anemometer." +112882,674342,INDIANA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 01:05:00,EST-5,2017-03-01 01:05:00,0,0,0,0,0.00K,0,0.00K,0,38.6735,-86.1677,38.6735,-86.1677,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","Local broadcast media reported numerous trees down where North Highland Road becomes North Rush Creek Road." +114348,685223,ARKANSAS,2017,March,Winter Weather,"VAN BUREN",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Two point eight (2.8) inches of snow was measured in Botkinburg in Van Buren County." +114348,685230,ARKANSAS,2017,March,Winter Weather,"JOHNSON",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Two inches of snow was measured 2 miles south of Ozone in Johnson County." +114607,687481,CALIFORNIA,2017,March,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-03-24 08:00:00,PST-8,2017-03-25 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought around a foot of snow to Sierra passes, with some delays and chain controls at times over mountain roads.","There were 7 of new snowfall over 24 hours in Kingvale, 9 at Bear Valley and at Sierra at Tahoe ski resorts." +114607,687482,CALIFORNIA,2017,March,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-03-26 08:00:00,PST-8,2017-03-27 05:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought around a foot of snow to Sierra passes, with some delays and chain controls at times over mountain roads.","There was 4 of new snowfall over 24 hours at at Sierra at Tahoe Ski Resort." +114348,685252,ARKANSAS,2017,March,Heavy Snow,"BAXTER",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Four inches of snow was measured at KTLO radio station in Mountain Home in Baxter County." +114348,685255,ARKANSAS,2017,March,Heavy Snow,"STONE",2017-03-11 09:00:00,CST-6,2017-03-11 22:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed to the south across Arkansas on March 10th, and it started turning cooler and dried out. Data showed storm systems forming along the front, and pulling moisture back into the region on the 11th.||As moisture returned, showers started popping up during the morning of the 11th. Temperatures were only in the 30s and 40s. In the northern two to three rows of counties, the atmosphere cooled aloft in the afternoon. Given mostly subfreezing air overhead and a lack of melting, rain changed to snow and was heavy at times.||More than four inches of snow piled up at a few locations in the north. At Cave City (Sharp County), 5.0 inches was measured, with 4.8 inches at Calico Rock (Izard County), 4.0 inches at Mountain Home (Baxter County) and Swifton (Jackson County), 3.8 inches near Jonesboro (Craighead County) and Snow (Marion County), and 3.5 inches at Batesville (Independence County), Bergman (Boone County), Onia (Stone County), and Salem (Fulton County).||This snowfall caused hazardous travel conditions all across northern Arkansas.","Three point five inches (3.5) of snow was measured in Onia in Stone County." +114711,688039,COLORADO,2017,March,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-03-27 19:30:00,MST-7,2017-03-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front pushed through the region and produced moderate to heavy snowfall accumulations across the southwestern Colorado mountains.","Snowfall amounts of 6 to 12 inches were measured across the area." +114711,688040,COLORADO,2017,March,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-03-27 22:00:00,MST-7,2017-03-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front pushed through the region and produced moderate to heavy snowfall accumulations across the southwestern Colorado mountains.","Generally 6 to 12 inches of snow fell across the area." +115025,690276,MISSOURI,2017,April,Dense Fog,"CAPE GIRARDEAU",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +115025,690277,MISSOURI,2017,April,Dense Fog,"CARTER",2017-04-19 02:00:00,CST-6,2017-04-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Along and northwest of a line from Dexter to Sikeston, widespread dense fog formed for a few hours around sunrise. The dense fog reduced visibility to one-quarter mile or less. The dense fog occurred in a region of light winds and humid air.","" +114304,684806,TEXAS,2017,April,Hail,"ANGELINA",2017-04-26 15:00:00,CST-6,2017-04-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.42,-94.94,31.42,-94.94,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","Hail was reported in the Redtown community near Pollock." +114304,684808,TEXAS,2017,April,Hail,"SHELBY",2017-04-26 15:05:00,CST-6,2017-04-26 15:05:00,0,0,0,0,0.00K,0,0.00K,0,31.91,-94.4,31.91,-94.4,"An upper level trough dug across the Southern Plains during the morning hours of April 26th, resulting in a moderately strong low level jet developing from Central Texas northeast across much of the Ark-La-Tex region. This aided in warmer temperatures, increased low level moisture, and hence greater surface instability returning to the area ahead of an associated cold front that shifted southeast into the region shortly after daybreak. Lapse rates aloft also steepened ahead of the approaching upper level trough and cold front, with scattered showers and thunderstorms developing from mid and late morning across Southeast Oklahoma, Southwest Arkansas, and extreme Northeast Texas, across the remainder of East Texas and North Louisiana during the afternoon. Given the adequate instability and shear in place, some of these storms became strong or severe, with large hail the primary result. A few instances of wind damage were also noted across East Texas. These storms weakened as they moved out of the area during the early evening with the passage of the cold front.","" +113894,682220,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-09 07:30:00,PST-8,2017-02-10 07:30:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.5,38.76,-120.5,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 3.65 measured over 24 hours at Pacific House." +113894,682221,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-09 07:00:00,PST-8,2017-02-10 07:45:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.23,38.78,-120.23,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.49 of rain measured at Kyburz, 24 hour total." +113680,705819,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-02-25 17:00:00,EST-5,2017-02-25 17:00:00,0,0,1,0,,NaN,,NaN,38.3121,-76.4285,38.3121,-76.4285,"A potent cold front passed through the waters on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. A line of showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft.","A boat capsized resulting in a fatality." +113804,682273,MARYLAND,2017,February,High Wind,"SOUTHEAST HARFORD",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A tree was down in Jarrettsville." +113804,682274,MARYLAND,2017,February,High Wind,"NORTHWEST HOWARD",2017-02-12 22:55:00,EST-5,2017-02-12 22:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Trees were down across the county." +113804,682271,MARYLAND,2017,February,High Wind,"SOUTHERN BALTIMORE",2017-02-12 22:58:00,EST-5,2017-02-12 22:58:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were several reports of trees down in the Towson area." +113804,682259,MARYLAND,2017,February,High Wind,"ANNE ARUNDEL",2017-02-12 23:10:00,EST-5,2017-02-12 23:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Multiple trees were down near Fort Meade." +113804,682260,MARYLAND,2017,February,High Wind,"CALVERT",2017-02-12 23:37:00,EST-5,2017-02-12 23:37:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A tree was down near Route 4 and 269 near Dunkirk." +113804,682272,MARYLAND,2017,February,High Wind,"NORTHWEST HARFORD",2017-02-12 22:49:00,EST-5,2017-02-12 22:49:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A tree was down in Whiteford." +113804,682276,MARYLAND,2017,February,High Wind,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-02-12 23:05:00,EST-5,2017-02-12 23:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Trees were down across the county." +113902,682920,CALIFORNIA,2017,February,Strong Wind,"CARQUINEZ STRAIT AND DELTA",2017-02-17 06:00:00,PST-8,2017-02-17 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Fallen tree limbs blocked North Orchard Ave., Vacaville for several hours. There was a 40 mph wind gust reported at Vacaville Nut Tree Airport, with strong winds through the morning and afternoon." +113977,682611,CALIFORNIA,2017,February,Flood,"BUTTE",2017-02-12 16:10:00,PST-8,2017-02-13 16:10:00,0,0,0,0,549.00M,549000000,0.00K,0,39.0276,-121.5346,39.5452,-121.4872,"Additional heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases. Reduced releases at Oroville Dam resulted in the use of the emergency spillway for the first time in the dam's history. A portion of the emergency spillway began to show signs of failure which resulted in NWS Sacramento to issue a Flash Flood Warning for potential dam failure and the Oroville Sheriff to issue mandatory large scale evacuations. The emergency spillway was utilized because the main spillway had damage that required reduced flows through it. Several levee breaks also brought local evacuations.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A mass evacuation of over 180000 people located downstream of Oroville Dam was ordered for a possible flash flood, due to the projected near failure of the emergency spillway. The emergency spillway was used when the main spillway was discovered to have suffered severe erosion during releases back on and around February 7th. Releases from Lake Oroville had been increased due to rising lake levels due to inflow from heavy rains.||A presidential disaster declaration provided $274 million for emergency response costs from Feb. 7 though the end of May. The money targeted stabilizing the emergency and main spillways, as well as debris removal and work on the downed Hyatt Powerplant. A bid for long term repairs to the spillway was accepted at $275 million. Together, these total $549 million, though final costs could be much higher." +113715,680755,VIRGINIA,2017,February,Thunderstorm Wind,"FAIRFAX",2017-02-12 23:14:00,EST-5,2017-02-12 23:14:00,0,0,0,0,,NaN,,NaN,38.873,-77.2433,38.873,-77.2433,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","Numerous trees were down in Merrifield and the Falls Church area." +113715,680756,VIRGINIA,2017,February,Thunderstorm Wind,"FAIRFAX",2017-02-12 23:20:00,EST-5,2017-02-12 23:20:00,0,0,0,0,,NaN,,NaN,38.8434,-77.2006,38.8434,-77.2006,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down blocking a portion of Annandale Road and Wayne Road." +113715,680757,VIRGINIA,2017,February,Thunderstorm Wind,"FREDERICK",2017-02-12 22:23:00,EST-5,2017-02-12 22:23:00,0,0,0,0,,NaN,,NaN,39.1505,-78.1465,39.1505,-78.1465,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 58 mph as reported." +113715,680758,VIRGINIA,2017,February,Thunderstorm Wind,"LOUDOUN",2017-02-12 22:33:00,EST-5,2017-02-12 22:33:00,0,0,0,0,,NaN,,NaN,39.286,-77.598,39.286,-77.598,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported near Lovettsville." +113715,680759,VIRGINIA,2017,February,Thunderstorm Wind,"LOUDOUN",2017-02-12 23:05:00,EST-5,2017-02-12 23:05:00,0,0,0,0,,NaN,,NaN,38.96,-77.4502,38.96,-77.4502,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 58 mph was reported at Dulles International Airport." +113715,680760,VIRGINIA,2017,February,Thunderstorm Wind,"ARLINGTON",2017-02-12 23:21:00,EST-5,2017-02-12 23:21:00,0,0,0,0,,NaN,,NaN,38.8472,-77.0345,38.8472,-77.0345,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 66 mph was reported at Reagan National Airport." +113716,680761,DISTRICT OF COLUMBIA,2017,February,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-02-12 23:12:00,EST-5,2017-02-12 23:12:00,0,0,0,0,,NaN,,NaN,38.9303,-77.112,38.9303,-77.112,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A tree was down blocking Canal Road Northwest near the Chain Bridge." +113716,680762,DISTRICT OF COLUMBIA,2017,February,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-02-12 23:24:00,EST-5,2017-02-12 23:24:00,0,0,0,0,,NaN,,NaN,38.874,-77.007,38.874,-77.007,"A strong cold front passed through during the evening hours of the 13th. A line of showers developed along the front and they were able to mix down strong winds from aloft.","A wind gust of 64 mph was reported at Nationals Park." +112882,674345,INDIANA,2017,March,Thunderstorm Wind,"DUBOIS",2017-03-01 05:28:00,EST-5,2017-03-01 05:28:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-87.04,38.27,-87.04,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported numerous large trees blown down and snapped due to severe thunderstorm winds." +115468,693391,WYOMING,2017,April,Winter Weather,"SIERRA MADRE RANGE",2017-04-24 17:00:00,MST-7,2017-04-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced gusty westerly winds to 40 mph and moderate snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from 5 to 10 inches.","The Old Battle SNOTEL site (elevation 10000 ft) estimated ten inches of snow." +115468,693392,WYOMING,2017,April,Winter Weather,"SIERRA MADRE RANGE",2017-04-24 17:00:00,MST-7,2017-04-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced gusty westerly winds to 40 mph and moderate snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from 5 to 10 inches.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated six inches of snow." +115468,693393,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-24 17:00:00,MST-7,2017-04-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced gusty westerly winds to 40 mph and moderate snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from 5 to 10 inches.","The North French Creek SNOTEL site (elevation 10130 ft) estimated seven inches of snow." +115468,693394,WYOMING,2017,April,Winter Weather,"SNOWY RANGE",2017-04-24 17:00:00,MST-7,2017-04-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system produced gusty westerly winds to 40 mph and moderate snowfall over the Snowy and Sierra Madre mountains. Snow totals ranged from 5 to 10 inches.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated six inches of snow." +112882,674346,INDIANA,2017,March,Thunderstorm Wind,"ORANGE",2017-03-01 05:38:00,EST-5,2017-03-01 05:38:00,0,0,0,0,75.00K,75000,0.00K,0,38.6734,-86.3753,38.6715,-86.3679,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A NWS Storm Survey team found that thunderstorm winds destroyed an outbuilding approximately 1/2 mile northwest of Leipsic. The damaging winds continued into the community, scattering debris from the outbuilding and damaging several homes in town. The winds winds tore part of the roof off one home, fanning debris to the east. The estimated time of the event was 1 minute." +111484,673304,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:56:00,EST-5,2017-01-02 22:56:00,0,0,0,0,0.00K,0,0.00K,0,31.705,-83.5201,31.705,-83.5201,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Kendrick Road." +111484,673303,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:56:00,EST-5,2017-01-02 22:56:00,0,0,0,0,0.00K,0,0.00K,0,31.7778,-83.637,31.7778,-83.637,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Hopewell Road." +111484,673305,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 23:00:00,EST-5,2017-01-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7967,-83.5974,31.7967,-83.5974,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Amboy Farms Road." +120960,724029,MISSOURI,2017,December,Hail,"BENTON",2017-12-04 16:49:00,CST-6,2017-12-04 16:49:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-93.33,38.39,-93.33,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +120960,724030,MISSOURI,2017,December,Hail,"MORGAN",2017-12-04 17:05:00,CST-6,2017-12-04 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.44,-92.99,38.44,-92.99,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +114339,685204,ARKANSAS,2017,March,Tornado,"PULASKI",2017-03-24 22:20:00,CST-6,2017-03-24 22:21:00,6,0,0,0,350.00K,350000,0.00K,0,34.9262,-92.2479,34.9279,-92.247,"A line of strong to severe thunderstorms with a few tornadoes moved through the state on the evening of March 24th and early morning of the 25th.","The tornado touched down just south of the Pulaski/Faulkner County line, south of Frenchman Mountain Road around Lowridge road. This tornado destroyed 4 mobile homes and damaged others. 6 People were injured, with 3 people being hospitalized." +120960,724032,MISSOURI,2017,December,Hail,"BARRY",2017-12-04 17:46:00,CST-6,2017-12-04 17:46:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-93.96,36.64,-93.96,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","There was a picture on social media of half dollar size hail south of Exeter near Wayne, Missouri." +120960,724033,MISSOURI,2017,December,Hail,"GREENE",2017-12-04 17:52:00,CST-6,2017-12-04 17:52:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-93.58,37.32,-93.58,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +120960,724034,MISSOURI,2017,December,Hail,"GREENE",2017-12-04 18:06:00,CST-6,2017-12-04 18:06:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-93.26,37.25,-93.26,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +111484,670337,GEORGIA,2017,January,Tornado,"DOUGHERTY",2017-01-02 22:32:00,EST-5,2017-01-02 22:35:00,0,0,0,0,0.00K,0,0.00K,0,31.6417,-84.0093,31.6465,-83.9934,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado touched down just inside the Dougherty County line along Cordele Road before moving east-northeast into Worth County. The tornado lifted just east of Highway 313. A strongly convergent signature was noted in the tree damage which supports the designation as a tornado. Max winds were estimated at 105 mph." +111484,670339,GEORGIA,2017,January,Tornado,"EARLY",2017-01-02 21:12:00,EST-5,2017-01-02 21:19:00,0,0,0,0,500.00K,500000,0.00K,0,31.2767,-85.0086,31.3053,-84.9432,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF2 tornado with max winds estimated at 115 mph touched down on Damascus Hilton Road just east of Zion Road and moved NE toward Cedar Springs Road. At the intersection of Cedar Springs Road and Hightower Road, two residences were significantly damaged, with a portion of the roof deck removed. Additionally several farm buildings were damaged or destroyed in the area. The tornado then turned more to the east and eventually lifted when reaching Old Lucile Road. Damage further east on Rock Bluff Road near the intersection of Highway 39 was consistent with straight line wind damage with winds near 80 to 90 mph. Damage cost was estimated." +111484,673306,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 23:00:00,EST-5,2017-01-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,31.842,-83.6043,31.842,-83.6043,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on John Pate Road." +114111,683301,LOUISIANA,2017,April,Tornado,"LA SALLE",2017-04-02 14:52:00,CST-6,2017-04-02 15:12:00,0,0,0,0,1.00M,1000000,0.00K,0,31.5115,-92.2521,31.6977,-92.1741,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","An EF-2 tornado with maximum estimated winds between 125-135 mph touched down south southwest of the Rogers community along Walker Ferry Road, snapping and uprooting trees as well as power poles along Highway 127. As this tornadic supercell moved to the north northeast, it cut a clear path through the forest to the Belah community, snapping and uprooting the mature trees and bending the young trees. The Belah community suffered widespread damage, with snapped and uprooted trees as well as snapped power poles. Several cars and homes were damaged by falling trees as well as flying debris. Several homes as well as the local school had roof damage. The EF-2 damage not only occurred in the Belah community, where several power poles were snapped in either two or three pieces, but also in Trout, where a boat business collapsed in on itself. Between the Belah community and Trout, the tornado cut another clear path through the forest, snapping and uprooting more trees. This tornado appeared to have lifted just north of Highway 84 in Trout." +115158,691258,COLORADO,2017,April,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-04-28 21:00:00,MST-7,2017-04-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low pressure system centered over the San Juan Mountains advected plenty of moisture northwards which resulted in many mountain locations having received significant late season snowfall.","Up to 8 inches of snow fell at the Porphyry Creek SNOTEL site, with lesser amounts elsewhere within the zone. Strong winds accompanied snow showers with a peak wind gust of 52 mph measured at Monarch Pass which led to periods of blowing snow." +115158,691259,COLORADO,2017,April,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-04-28 23:00:00,MST-7,2017-04-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low pressure system centered over the San Juan Mountains advected plenty of moisture northwards which resulted in many mountain locations having received significant late season snowfall.","Snowfall amounts of 2 to 4 inches were measured across the area with caused many roads to become snowpacked overnight." +114111,683514,LOUISIANA,2017,April,Thunderstorm Wind,"GRANT",2017-04-02 17:10:00,CST-6,2017-04-02 17:10:00,0,0,0,0,0.00K,0,0.00K,0,31.4939,-92.3438,31.4939,-92.3438,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","A tree was blown down on a home on Walker Ferry Road near the Grant/LaSalle Parish line." +114111,683515,LOUISIANA,2017,April,Hail,"GRANT",2017-04-02 17:05:00,CST-6,2017-04-02 17:05:00,0,0,0,0,0.00K,0,0.00K,0,31.5248,-92.4087,31.5248,-92.4087,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, an deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana. The majority of these tornado touchdowns were focused across Grant, Winn, Caldwell, and LaSalle Parishes, resulting in numerous snapped/uprooted trees, and damage to multiple homes across these areas. Fortunately, no injuries or fatalities occurred from these tornadoes.","Quarter size hail fell in Pollock. Report from the KALB-TV Facebook page." +111482,671766,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-02 19:49:00,CST-6,2017-01-02 19:49:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-85.37,30.79,-85.37,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Cottondale area." +111482,671764,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-02 19:30:00,CST-6,2017-01-02 19:30:00,0,0,0,0,0.00K,0,0.00K,0,30.95,-85.51,30.95,-85.51,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Graceville area." +111482,671767,FLORIDA,2017,January,Thunderstorm Wind,"JACKSON",2017-01-02 19:56:00,CST-6,2017-01-02 19:56:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-85.18,30.83,-85.18,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","" +111484,671791,GEORGIA,2017,January,Thunderstorm Wind,"DECATUR",2017-01-02 21:37:00,EST-5,2017-01-02 21:42:00,0,0,0,0,100.00K,100000,0.00K,0,30.92,-84.61,30.9223,-84.5931,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Damage to a farm equipment dealer and automobile dealer in the West Bainbridge area was determined to be associated with straight line winds around 80 mph. Trees were also blown down in West Bainbridge including Donald Dr, Hawk St, Dennard St, Miller Ave, Bethel Road, Newton Road, Spring Creek Road, Hales Landing, and John Sam Road. Damage cost was estimated." +116876,702707,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SAMPSON",2017-05-29 21:40:00,EST-5,2017-05-29 22:19:00,12,0,0,0,3.50M,3500000,0.00K,0,35.076,-78.464,35.115,-78.17,"A cluster of storm tracked across portions of Sampson County late during the evening producing widespread damage. Numerous homes and buildings were damaged along with widespread power outages. Monetary damages were estimated.","A large, 5 mile, north to south swath of straight line wind damage occurred across |northern Sampson County North Carolina. All damage observed was consistently west to east oriented, unambiguously indicating that damage resulted from straight line winds. ||At approximately 10:40 PM EDT, a macroburst occurred northeast of Salemburg, destroying numerous turkey houses near the intersection of Tyndall Bridge Road and High House Road east of Highway 242. Tin roofs of the turkey houses were scattered downwind, and approximately 16,000 turkeys were killed. Winds near the center of |this damage were estimated at 80-90 mph. Damaging winds progressed eastward toward and beyond U.S. 421, with a continued 5 mile north to south swath of winds in excess of 70 mph. Several structures and trees were damaged or destroyed in this corridor. A mobile home resting on cinder blocks was rolled off of its foundation and onto a car on U.S. 421 near Woodside Lane. Another significant damage point, potentially associated with a second macroburst or microburst, was found near Basstown Road between Highway 421 and U.S. 701. Here, several trees were snapped halfway up their trunks, and hundreds of trees were downed or damaged. Winds were estimated at 80-90 mph, surrounded by a large area of 70-80 mph winds. Wind damage continued eastward over U.S. 701, including a tree that fell on a car and trapped two occupants. Damaging winds continued across I-40 before exiting Sampson County into Duplin County at approximately 11:19 PM EDT. There were no fatalities but 12 injuries reported. Monetary damages were estimated." +116883,702734,OKLAHOMA,2017,May,Hail,"BEAVER",2017-05-16 13:30:00,CST-6,2017-05-16 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.84,36.62,-100.84,"An active day of severe weather across central and eastern TX and OK Panhandles. An upper low analyzed near Las Vegas, NV in the morning opened as it bottoms out over srn NM in the afternoon before lifting and deepening again as it ejected over the Panhandles later that evening. Dryline slowly mixed east early afternoon on the 16th and with the more significant synoptic forcing hanging back and fairly meridional flow aloft. Mid to upper 60s dewpts were present over the eastern half of the Panhandles and with the exception of the very western edge of the deep sfc moisture, these dewpts did not mix out much through the day. Some standards parameters across the eastern Panhandles in particular included 400-600 m^2/s^2 Helicity with 3000-4000 J/kg of SBCAPE. This environment lead to numerous very large hail reports and several tornadoes, with one or two being long tracked over several miles.","Ping pong to Tennis ball size hail." +111482,671771,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9737,-85.7573,30.9747,-85.7531,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Paulk Road was closed due to flooding at the bridge of Highway 177. This was due to a long duration of moderate to heavy rainfall." +116882,702731,ALABAMA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-30 14:58:00,CST-6,2017-05-30 14:59:00,0,0,0,0,0.00K,0,0.00K,0,33.41,-86.86,33.41,-86.86,"A weak surface front was stationary across north Alabama. Showers and thunderstorms developed along the boundary during the heating of the day. A few storms produced heavy rainfall along with large hail and damaging winds.","A few trees uprooted in the Bluff Park Community." +116882,702732,ALABAMA,2017,May,Hail,"JEFFERSON",2017-05-30 14:58:00,CST-6,2017-05-30 14:59:00,0,0,0,0,0.00K,0,0.00K,0,33.4,-86.86,33.4,-86.86,"A weak surface front was stationary across north Alabama. Showers and thunderstorms developed along the boundary during the heating of the day. A few storms produced heavy rainfall along with large hail and damaging winds.","" +116060,697550,WISCONSIN,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-16 19:50:00,CST-6,2017-05-16 19:50:00,0,0,0,0,5.00K,5000,0.00K,0,45.08,-90.31,45.08,-90.31,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Power poles and lines were blown down near Stetsonville." +116089,698636,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-17 17:45:00,CST-6,2017-05-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-91.99,43.3,-91.99,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 70 mph wind gust occurred in Ridgeway." +116090,702250,MINNESOTA,2017,May,Hail,"WABASHA",2017-05-17 18:54:00,CST-6,2017-05-17 18:54:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-92.55,44.28,-92.55,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","Up to walnut sized hail fell in Mazeppa." +115728,703245,ILLINOIS,2017,May,Flood,"PIATT",2017-05-04 14:45:00,CST-6,2017-05-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.0007,-88.4636,39.8942,-88.575,"Another round of heavy rainfall occurred across central and southeast Illinois on May 4th, as an area of low pressure tracked from the Texas panhandle to southwest Indiana. Rainfall with this particular system was heaviest across south-central Illinois, with many locations along and south of I-72 receiving 1.5 to 2.5 inches. 6-day rainfall totals from April 29-May 4 ranged from 4 to 7 inches. Cooperative weather observers measured 7.26 in Newton (Jasper County), 7.07 at the Shelbyville Dam (Shelby County), 6.44 in Neoga (Cumberland County), 6.25 in Pana (Christian County), 6.01 in Casey (Marshall County), 5.93 3 miles southwest of Effingham (Effingham County), and 5.55 in Tuscola (Douglas County). Due to this second bout of heavy rain occurring on top of already saturated soils, widespread flash flooding occurred along and south of a Danville to Taylorville line on May 4th...with areal flooding persisting in many locations through May 6th.","Heavy rainfall of 1.50 to 2.00 inches during the early morning hours of May 4th, on already saturated ground, resulted in flash flooding across southern Piatt County. Officials reported that most roads were impassable and numerous creeks rapidly flooded. Additional rainfall of 0.50 to 1.00 inch later in the day May 4th into May 5th caused creeks and roads to stay flooded for nearly 24 hours. Flood waters subsided by the afternoon on May 5th." +114337,686977,TEXAS,2017,May,Hail,"BAILEY",2017-05-09 21:47:00,CST-6,2017-05-09 21:51:00,0,0,0,0,120.00K,120000,0.00K,0,34.2193,-102.7369,34.219,-102.7175,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","Copious amounts of hail up to golf ball size caused various degrees of damage to vehicles and roofing shingles, mainly across southern sections of Muleshoe." +114337,688341,TEXAS,2017,May,Flash Flood,"BAILEY",2017-05-09 19:25:00,CST-6,2017-05-09 23:45:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-102.63,34.3,-102.85,"Scattered supercell thunderstorms developed in the High Plains of eastern New Mexico this afternoon, before spreading northeast into the western South Plains of Texas accompanied by very large hail at times. Some of these storms acquired low-level rotation and resulted in small, brief tornadoes over open land. Also, repeated storms in portions of Bailey County resulted in several inches of rain through the evening. The ensuing flash flood forced the Texas Department of Transportation to close some rural roads, mainly south of Muleshoe (Bailey County) where water and mud flowing over roads made travel impossible.","Multiple rounds of thunderstorms affected northeast Bailey County this evening and produced up to 3.78 inches of rainfall as measured by a Texas Tech University West Texas Mesonet station near Muleshoe. Texas Department of Transportation closed some rural roads south of Muleshoe due to water and mudflows breaching fields." +114740,696404,WISCONSIN,2017,May,Hail,"MARATHON",2017-05-16 20:47:00,CST-6,2017-05-16 20:47:00,0,0,0,0,0.00K,0,0.00K,0,45.03,-89.63,45.03,-89.63,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Quarter size hail fell north of Wausau." +114740,696407,WISCONSIN,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-16 19:20:00,CST-6,2017-05-16 19:20:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-89.66,45.34,-89.66,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Thunderstorm winds downed several trees around Irma." +114740,696408,WISCONSIN,2017,May,Thunderstorm Wind,"LANGLADE",2017-05-16 19:40:00,CST-6,2017-05-16 19:40:00,0,0,0,0,0.00K,0,0.00K,0,45.42,-89.34,45.42,-89.34,"Thunderstorms developed near a warm front that was draped across central and northeast Wisconsin. Some of the storms produced large hail, damaging winds and heavy rain in parts of central and north central Wisconsin. A brief tornado uprooted several hundred pine trees south of Rhinelander. Winds from the storms downed trees in Langlade County and hail that was at least 2 inches in diameter fell at Pelican Lake (Oneida Co.). Rainfall totals of 1 to 2 inches were common with the storms.","Thunderstorm winds downed at least a dozen trees east of Parrish." +115887,696410,WISCONSIN,2017,May,Hail,"WOOD",2017-05-17 17:48:00,CST-6,2017-05-17 17:48:00,0,0,0,0,0.00K,0,0.00K,0,44.25,-89.88,44.25,-89.88,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Quarter size hail fell southeast of Nekoosa." +115887,696413,WISCONSIN,2017,May,Hail,"WOOD",2017-05-17 17:52:00,CST-6,2017-05-17 17:52:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-89.88,44.31,-89.88,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Nickel to quarter size hail fell near Nekoosa." +115887,696414,WISCONSIN,2017,May,Hail,"WOOD",2017-05-17 18:00:00,CST-6,2017-05-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-89.74,44.4,-89.74,"Low pressure tracking northeast from the Missouri Valley brought several rounds of thunderstorms and heavy rain to northeast Wisconsin during the afternoon and evening hours of May 17th. Three distinct rounds of activity brought damaging winds as high as 80 mph and hail as large as an inch in diameter.","Penny size hail fell east of Wisconsin Rapids, and winds downed several 1 to 2 inch diameter tree branches throughout town." +116606,704457,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:22:00,CST-6,2017-05-18 20:24:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-94.76,39.23,-94.76,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704456,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:20:00,CST-6,2017-05-18 20:23:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-94.74,39.21,-94.74,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704458,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:27:00,CST-6,2017-05-18 20:27:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.7,39.24,-94.7,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704459,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:30:00,CST-6,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-94.77,39.34,-94.77,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116606,704461,MISSOURI,2017,May,Hail,"PLATTE",2017-05-18 20:35:00,CST-6,2017-05-18 20:35:00,0,0,0,0,0.00K,0,0.00K,0,39.36,-94.78,39.36,-94.78,"On the afternoon of May 18, 2017 a large upper trough ejected into the plains and caused a widespread outbreak of severe weather across the states of Kansas and Missouri. While no tornadoes were reported with this activity, these storms produced numerous large hail stones and strong wind gusts. The largest hail stone reported this day in EAX's portion of Missouri was 1.75 inches. There were also several reports of strong winds in the 70 to 80 mph range, with mostly minor tree and structural damage as a result of these winds.","" +116522,700700,TEXAS,2017,May,Hail,"CALLAHAN",2017-05-22 20:22:00,CST-6,2017-05-22 20:27:00,0,0,0,0,0.00K,0,0.00K,0,32.21,-99.35,32.21,-99.35,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","A National Weather Service Cooperative Observer reported hail covering the ground, with the largest being quarter size." +116522,700701,TEXAS,2017,May,Thunderstorm Wind,"TAYLOR",2017-05-22 19:35:00,CST-6,2017-05-22 19:36:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"An unstable airmass coupled with moderate wind shear resulted in the development of a few severe thunderstorms. These storms produced large hail and damaging thunderstorm winds across portions of West Central Texas.","The Abilene Regional Airport ASOS measured a 62 mph wind gust." +111482,671777,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9587,-85.9927,30.9436,-85.9797,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Morrison Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671778,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9804,-85.7798,30.9602,-85.7931,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Grover Lewis Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671779,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9604,-85.807,30.9606,-85.8136,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Pope Lane was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +121292,726096,MICHIGAN,2017,December,Lake-Effect Snow,"BERRIEN",2017-12-31 09:00:00,EST-5,2017-12-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intense lake effect snow band settled into far southwest Berrien County during the afternoon and early evening hours of December 31st. Whiteout conditions and amounts in excess of 6 inches were reported.","A heavy lake effect snow band produced whiteout conditions and snowfall totals of 5 to 10 inches in far southwest Berrien County. Snowfall rates of 2 to 3 inches per hours were experienced within this snow band. These conditions led to difficult travel conditions and numerous accidents." +121540,727416,ATLANTIC SOUTH,2017,December,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-12-27 09:14:00,EST-5,2017-12-27 09:14:00,0,0,0,0,,NaN,,NaN,26.12,-80.1,26.12,-80.1,"A convergence band that developed over the local Atlantic waters lead to the development of showers east of Fort Lauderdale. A waterspout developed along this band during the mid morning hours.","Pilot reported a funnel cloud associated with an area of showers located 3 miles east of Fort Lauderdale." +117003,703720,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM 5NM N OF PT MANSFIELD TO BAFFIN BAY TX",2017-05-03 23:48:00,CST-6,2017-05-04 01:12:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","TCOON site at Baffin Bay reported peak thunderstorm wind gust of 37 knots at 2348 CST." +117003,703722,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-05-04 01:36:00,CST-6,2017-05-04 02:36:00,0,0,0,0,0.00K,0,0.00K,0,26.262,-97.285,26.262,-97.285,"A line of strong thunderstorms developed ahead of a strong late season cold front that pushed south across the lower Texas coastal waters. These thunderstorms produced numerous gusts in excess of 34 knots.","Realitos TCOON site reported peak thunderstorm wind gust of 37 knots at 0154 CST." +117008,703735,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"WATERS FROM BAFFIN BAY TO PT MANSFIELD TX EXT FROM 20 TO 60NM",2017-05-29 03:46:00,CST-6,2017-05-29 03:46:00,0,0,0,0,0.00K,0,0.00K,0,26.968,-96.694,26.968,-96.694,"An intense line of bowing convection ahead of a cold front, moved east southeast across the lower Texas coastal waters. These storms produced winds in excess of 34 knots.","Buoy 42020 reported peak thunderstorm wind gust of 34 knots at 0346 CST." +116147,703531,OKLAHOMA,2017,May,Tornado,"OKFUSKEE",2017-05-27 19:55:00,CST-6,2017-05-27 20:02:00,0,0,0,0,0.00K,0,0.00K,0,35.5657,-96.4238,35.5607,-96.4146,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Storm chasers observed a tornado over open country. An NWS storm survey team found no damage associated with the tornado, mainly due to the fact it remained over terrain that was inaccessible by road. An unmanned aircraft system (UAS) piloted by researchers from the Oklahoma State University flew the suspected area where the tornado occurred but data obtained were inconclusive." +116144,701572,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:30:00,CST-6,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.0723,-95.9759,36.0723,-95.9759,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs near E 63rd Street and S Peoria Avenue." +116144,701571,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-18 20:30:00,CST-6,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-95.95,36.15,-95.95,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Thunderstorm wind gusts were estimated to 65 mph. Large tree limbs were snapped by this wind." +115140,691149,KENTUCKY,2017,May,Flash Flood,"CASEY",2017-05-27 19:14:00,EST-5,2017-05-27 19:14:00,0,0,0,0,50.00K,50000,0.00K,0,37.29,-85.1,37.2936,-85.098,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","The Casey Emergency Manager reported that Highway 70 was closed to mudslides." +115140,691151,KENTUCKY,2017,May,Flash Flood,"TAYLOR",2017-05-27 20:09:00,EST-5,2017-05-27 20:09:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.35,37.3618,-85.3527,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","The Taylor County emergency manager reported numerous roads closed in the city due to high water. Highway 210 and Highway 658 were closed due to high water." +115140,691152,KENTUCKY,2017,May,Flash Flood,"CASEY",2017-05-27 20:28:00,EST-5,2017-05-27 20:28:00,0,0,0,0,40.00K,40000,0.00K,0,37.32,-84.93,37.3307,-84.9172,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","The Casey County Emergency Manager reported water rescues due to high water across numerous roads. Many roads across the county were closed due to the flash flooding." +115140,691155,KENTUCKY,2017,May,Flash Flood,"CLINTON",2017-05-27 20:33:00,CST-6,2017-05-27 20:33:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-85.14,36.7016,-85.1265,"Warm and humid conditions developed across much of the lower Ohio Valley during the last week of May 2017. A complex of storm systems passed through the region, sparking widespread showers and thunderstorms. Severe thunderstorms developed during the afternoon and evening hours on May 27, producing flash flooding, large hail, and damaging winds. Flash flooding was intense enough to issue a Flash Flood Emergency in Taylor and Casey counties in Kentucky. Estimated radar rainfall estimates were 4-6 in a relatively short period of time, which caused the flash flooding.","State officials reported high water across roadways." +116144,701905,OKLAHOMA,2017,May,Hail,"WAGONER",2017-05-19 17:23:00,CST-6,2017-05-19 17:23:00,0,0,0,0,5.00K,5000,0.00K,0,35.958,-95.3797,35.958,-95.3797,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","" +116144,701907,OKLAHOMA,2017,May,Thunderstorm Wind,"TULSA",2017-05-19 18:30:00,CST-6,2017-05-19 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2282,-95.9689,36.2282,-95.9689,"A slow-moving, strong upper level storm system moved from the Central Rockies into the Central Plains on the 18th and 19th. A dry line sharpened ahead of this system across western Oklahoma by early afternoon on the 18th, as a frontal boundary over northern Oklahoma shifted north into Kansas as a warm front. Warm, very moist, and very unstable air was in place east of the dry line and south of the warm front, and thunderstorms erupted across western Oklahoma during the early afternoon near the dry line. These storms evolved into a line by the time they moved into and across eastern Oklahoma during the evening hours. The storms produced multiple tornadoes, damaging wind, and hail up to half dollar size as they moved across eastern Oklahoma.||Another round of thunderstorms developed and moved across eastern Oklahoma during the morning hours of the 19th. No severe weather occurred with these storms but locally heavy rainfall did occur. As a cold front pushed into the area during the afternoon hours, another round of strong to severe thunderstorms developed. Hail up to half dollar size and damaging wind occurred with the strongest storms. Several widespread rainfall events over the past couple days set the stage for this event to evolve into flash flooding during the evening of the 19th through the morning hours of the 20th.","Strong thunderstorm wind snapped large tree limbs at E 51st Street N and N St. Louis Avenue." +116147,701989,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 16:40:00,CST-6,2017-05-27 16:40:00,0,0,0,0,25.00K,25000,0.00K,0,36.8755,-94.8776,36.8755,-94.8776,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702034,OKLAHOMA,2017,May,Thunderstorm Wind,"SEQUOYAH",2017-05-27 22:30:00,CST-6,2017-05-27 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.4583,-94.7871,35.4583,-94.7871,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew down a tree onto a home." +116147,702035,OKLAHOMA,2017,May,Hail,"CRAIG",2017-05-27 22:33:00,CST-6,2017-05-27 22:33:00,0,0,0,0,25.00K,25000,0.00K,0,36.8,-95.07,36.8,-95.07,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702039,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 22:55:00,CST-6,2017-05-27 22:55:00,0,0,0,0,10.00K,10000,0.00K,0,36.88,-94.88,36.88,-94.88,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +116147,702072,OKLAHOMA,2017,May,Thunderstorm Wind,"LE FLORE",2017-05-27 23:00:00,CST-6,2017-05-27 23:00:00,0,0,0,0,0.00K,0,0.00K,0,34.8417,-94.6321,34.8417,-94.6321,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","Strong thunderstorm wind blew down trees." +116147,702077,OKLAHOMA,2017,May,Hail,"OTTAWA",2017-05-27 23:15:00,CST-6,2017-05-27 23:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.9978,-94.6268,36.9978,-94.6268,"Strong to severe thunderstorms developed during the late afternoon hours of the 27th along and ahead of a cold front that was moving into eastern Oklahoma. Very unstable air over the area, combined with strong deep-layer wind shear, resulted in widespread severe weather to develop. Several tornadoes, hail up to softball size, and damaging wind gusts occurred with the strongest storms.","" +117042,703977,TEXAS,2017,May,Hail,"ZAPATA",2017-05-21 16:55:00,CST-6,2017-05-21 17:01:00,0,0,0,0,,NaN,,NaN,27.1101,-99.4282,27.1101,-99.4282,"The combination of a weak diffuse front in the vicinity and the passage of a shortwave led to the development of strong to severe thunderstorms that moved across the ranchlands and brush country. Storms produced periods of large hail, gusty winds, and heavy rainfall.","Employee at Pepe's Grocery Store in San Ygnacio relayed customer report of hail the size of golf balls 5 miles NNE of San Ygnacio." +116624,704296,GEORGIA,2017,May,Thunderstorm Wind,"COBB",2017-05-28 04:35:00,EST-5,2017-05-28 05:00:00,0,0,0,0,10.00K,10000,,NaN,34.0472,-84.6922,33.9828,-84.3905,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Cobb County 911 center reported numerous trees and power lines blown down across the northern half of the county from Acworth across Kennesaw to East Cobb. Locations include Logan Road at Cherokee Street, Lilac Court and East Springs Meadow Drive, Beaumont Drive Northwest and Stilesboro Road, Battle Drive and Cobb International Boulevard, Johnson Ferry Road at Hampton Farms Drive, and Old Orchard Trail at Woodland Path." +116624,704297,GEORGIA,2017,May,Thunderstorm Wind,"PAULDING",2017-05-28 04:30:00,EST-5,2017-05-28 04:55:00,0,0,0,0,10.00K,10000,,NaN,33.8208,-84.9377,33.9746,-84.7413,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Paulding County 911 center reported numerous trees and power lines blown down across the county from southwest through northeast of Dallas. Locations include Mulberry Rock Road at Harmony Road and at New Georgia Road, Glenn Eagles Way at Dallas Nebo Road, East Paulding Drive and Crow Circle, and Highway 92 at Due West Road." +116624,704301,GEORGIA,2017,May,Thunderstorm Wind,"COBB",2017-05-28 04:45:00,EST-5,2017-05-28 05:05:00,0,0,0,0,25.00K,25000,,NaN,33.8303,-84.7166,33.8203,-84.4881,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Cobb County 911 center reported numerous trees and power lines blown down across the southern half of the county from west of Austell across Austell and Mableton to near the Chattahoochee River. Locations include Stout Parkway and Cobalt Drive, Muirwood Drive and Muirwood Court, Concord Road and Norton Place Southeast, Old Alabama Road at Bettina Court where a tree fell on a house, and Elmwood Drive at Elmwood Circle. No injuries were reported." +116624,704303,GEORGIA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-28 04:47:00,EST-5,2017-05-28 05:10:00,0,0,0,0,5.00K,5000,,NaN,33.6332,-84.8306,33.7372,-84.6671,"A series of short waves traversing the region through the west to southwesterly upper-level flow, combined with a stalled frontal boundary across north and central Georgia, led to several days of unsettled weather with numerous reports of wind damage and isolated reports of large hail each day.","The Douglas County Emergency Manager reported trees blown down across the county from north of Fairplay to east of Douglasville. Location include Highway 5 at Sweetwater Drive and Lee Road at Old Lee Road." +111483,670345,ALABAMA,2017,January,Tornado,"HOUSTON",2017-01-02 19:46:00,CST-6,2017-01-02 19:51:00,0,0,0,0,100.00K,100000,0.00K,0,31.1818,-85.37,31.184,-85.3274,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado with max winds near 100 mph touched down along E. Cottonwood Road SE of Dothan, AL. The tornado traveled east for approx. 2.5 miles along McCallister Road before lifting near Rosewood Dr. One home had its roof removed. Others had significant shingle damage which supported the EF1 rating. Damage cost was estimated." +116826,702534,INDIANA,2017,May,Hail,"KNOX",2017-05-18 16:45:00,EST-5,2017-05-18 16:47:00,0,0,0,0,,NaN,,NaN,38.55,-87.56,38.55,-87.56,"Scattered thunderstorms moved east across southern portions of Indiana during the late afternoon hours of May the 18th. One of the storms intensified over Knox County dropping a combination of small and severe-sized hail.","" +116826,702537,INDIANA,2017,May,Hail,"KNOX",2017-05-18 16:57:00,EST-5,2017-05-18 16:59:00,0,0,0,0,,NaN,,NaN,38.61,-87.55,38.61,-87.55,"Scattered thunderstorms moved east across southern portions of Indiana during the late afternoon hours of May the 18th. One of the storms intensified over Knox County dropping a combination of small and severe-sized hail.","This report was relayed by the Knox County Emergency Manager." +117017,703827,NEW YORK,2017,May,Hail,"CAYUGA",2017-05-18 15:50:00,EST-5,2017-05-18 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.98,-76.57,42.98,-76.57,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A severe thunderstorm developed over the area and produced golf ball sized hail." +117017,703829,NEW YORK,2017,May,Hail,"ONONDAGA",2017-05-18 17:05:00,EST-5,2017-05-18 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,43.24,-76.14,43.24,-76.14,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A severe thunderstorm developed over the area and produced half dollar sized hail." +117017,703831,NEW YORK,2017,May,Thunderstorm Wind,"CAYUGA",2017-05-18 16:21:00,EST-5,2017-05-18 16:31:00,0,0,0,0,4.00K,4000,0.00K,0,42.71,-76.42,42.71,-76.42,"Showers and thunderstorms developed in a very unstable environment Thursday afternoon along a pre-frontal trough. The trough was aligned north-south across the state of New York and Pennsylvania ahead of an advancing cold front. The thunderstorms quickly developed into a line and moved east. Some of the storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a large tree, several large branches and power lines on the ground." +111484,672355,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:30:00,EST-5,2017-01-02 22:30:00,0,0,0,0,10.00K,10000,0.00K,0,31.5125,-83.9204,31.5125,-83.9204,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Several power poles were blown down on Spring Flats Road." +111484,672357,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:33:00,EST-5,2017-01-02 22:33:00,0,0,0,0,0.00K,0,0.00K,0,31.6042,-83.9369,31.6042,-83.9369,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Pearson Road at Woodcrest Road." +115298,695487,ILLINOIS,2017,May,Hail,"MORGAN",2017-05-10 17:35:00,CST-6,2017-05-10 17:40:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-90.23,39.8,-90.23,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","" +115298,695489,ILLINOIS,2017,May,Thunderstorm Wind,"MASON",2017-05-10 17:15:00,CST-6,2017-05-10 17:20:00,0,0,0,0,50.00K,50000,0.00K,0,40.3,-90.07,40.3,-90.07,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Numerous trees were blown down." +115298,695491,ILLINOIS,2017,May,Thunderstorm Wind,"MASON",2017-05-10 17:20:00,CST-6,2017-05-10 17:25:00,0,0,0,0,65.00K,65000,0.00K,0,40.15,-90.02,40.15,-90.02,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Irrigation pivots were flipped and twisted. Numerous trees were blown down and a 50-60 foot tall pine tree was snapped." +115298,695492,ILLINOIS,2017,May,Thunderstorm Wind,"MORGAN",2017-05-10 17:25:00,CST-6,2017-05-10 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,39.8345,-90.37,39.8345,-90.37,"A cluster of strong to severe thunderstorms developed in advance of an area of low pressure across southeast Iowa during the afternoon of May 10th. The storms then developed into a squall line and raced east-southeast along a warm front draped across central Illinois during the late afternoon and early evening. One tornado touched down along the line just south of Argenta in Macon County, while widespread wind damage was reported primarily along and south of I-72. Heavy rainfall of 1.5 to 2.5 inches aggravated ongoing flooding across southeast Illinois, where numerous roads were closed due to high water south of I-70.","Several trees and power lines were blown down." +115745,695642,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:58:00,CST-6,2017-05-26 17:03:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-87.67,40.38,-87.67,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","" +115745,695645,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 16:48:00,CST-6,2017-05-26 16:53:00,0,0,0,0,65.00K,65000,0.00K,0,40.38,-87.76,40.38,-87.76,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Wind-driven hail did extensive damage to the siding and roof of a house." +115745,695644,ILLINOIS,2017,May,Hail,"VERMILION",2017-05-26 17:00:00,CST-6,2017-05-26 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.71,40.47,-87.71,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Hail drifts of 1.5 to 3 feet deep due to flooding were reported west of Hoopeston." +115745,695647,ILLINOIS,2017,May,Thunderstorm Wind,"TAZEWELL",2017-05-26 14:07:00,CST-6,2017-05-26 14:12:00,0,0,0,0,100.00K,100000,0.00K,0,40.6314,-89.4675,40.6286,-89.4319,"Supercell thunderstorms developed in the vicinity of a warm front draped along the I-74 corridor during the afternoon and early evening of May 26th. The hardest hit area was northern Vermilion County...where powerful cells produced a tornado, damaging winds, and extremely large hail. An EF-1 tornado touched down northwest of Alvin, damaging trees, the roof and siding of a house, and a garage. Meanwhile, 80-90mph winds produced nearly $3 million worth of tree and property damage in Rossville. Very large hail up to the size of tennis balls were reported in Rankin. In addition, extreme rainfall rates caused flash flooding in Hoopeston.","Numerous trees and power lines were blown down on the north side of Morton north of I-74 from Lakeland Road eastward to Tennessee Avenue." +112356,673007,ALABAMA,2017,January,Tornado,"HENRY",2017-01-22 13:02:00,CST-6,2017-01-22 13:14:00,0,0,0,0,100.00K,100000,0.00K,0,31.3377,-85.2515,31.3706,-85.1662,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","An EF1 tornado tracked across southern Henry County, snapping and uprooting numerous trees, destroying a mobile home, and causing minor roof damage to a few structures. Max winds were estimated at 110 mph. Damage cost was estimated." +111484,672358,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:34:00,EST-5,2017-01-02 22:34:00,0,0,0,0,10.00K,10000,0.00K,0,31.5658,-83.8334,31.5658,-83.8334,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tree hit the side of a house on Lakeside Drive." +111484,672360,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,10.00K,10000,0.00K,0,31.5654,-83.8536,31.5654,-83.8536,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Two trees were blown down onto a house on Steve Lane." +111484,672359,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:34:00,EST-5,2017-01-02 22:34:00,0,0,0,0,0.00K,0,0.00K,0,31.626,-84.0079,31.626,-84.0079,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down near Worthy and Rich Roads." +111484,672361,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:35:00,0,0,0,0,3.00K,3000,0.00K,0,31.5631,-83.8456,31.5631,-83.8456,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A power pole was snapped near 200 Strangward Road." +111483,671737,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:10:00,CST-6,2017-01-02 19:10:00,0,0,0,0,0.00K,0,0.00K,0,31.03,-85.87,31.03,-85.87,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Geneva area." +116192,698410,MISSOURI,2017,May,Flood,"BUTLER",2017-05-01 00:00:00,CST-6,2017-05-04 09:00:00,0,0,1,0,2.50M,2500000,100.00K,100000,36.75,-90.4,36.6026,-90.2819,"Record or near-record flooding occurred after a succession of thunderstorm complexes dumped heavy rain in late April, bringing three-day rainfall totals up to a foot in isolated locations. A large complex of thunderstorms moved southeast across southeast Missouri during the evening hours of the 29th. During the overnight hours through the early morning of the 30th, an even larger complex of thunderstorms dumped widespread very heavy rain. This complex occurred along the same front, which moved back north as a warm front across southeast Missouri. These storms accelerated rises in area rivers, which were already above flood stage in some cases.","Major flooding occurred on the Black River as the month began. At the Poplar Bluff river gage, the river crested at 21.96 feet late on the morning of the 1st. This crest was only a few inches below the record crest of 22.15 feet, set in March of 2008. The main levee from Poplar Bluff to the Qulin area was under extreme stress. One section of levee broke in the vicinity of County Road 608, requiring eight houses to be evacuated. The levee was overtopped in more than a dozen spots. The part of the levee protecting Poplar Bluff, including the downtown area, was overtopped in a couple of places. Police and firefighters went door-to-door on the south side of Poplar Bluff advising residents of a levee breach just outside the city limits. Some homes in the flood plain were flooded, mostly in rural areas south of Poplar Bluff. Areas of south central Butler County were evacuated. A total of about 54 homes were damaged, and two were destroyed. About 10 businesses were damaged. A Red Cross shelter at the Black River Coliseum sheltered about 80 residents. There were two fatalities as a result of the river flooding. The first drowning victim was a 69-year-old woman, whose body was recovered from inside her vehicle on May 2 but who actually drowned on April 30. Her vehicle was swept off a county road outside of Harviell. The second drowning involved a 60-year-old man, whose truck was washed off Route 53 into a ditch near County Road 618. Most area schools were closed during the crisis. Grain bins were flooded, though some of the crop was removed before the flooding could damage it. Numerous state and county roads were closed, including Highway 53. Parts of Qulin were flooded. Between Qulin and Neelyville, residents of the Coon Island area were evacuated. In the Neelyville area, about a half dozen or so people were evacuated by boat. Damage to public property alone was estimated at nearly two million dollars." +114628,687508,KANSAS,2017,March,Hail,"SEDGWICK",2017-03-24 15:56:00,CST-6,2017-03-24 15:59:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-97.52,37.89,-97.52,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","The report was received via KWCH Channel 12." +114784,688491,KANSAS,2017,May,Tornado,"BARTON",2017-05-16 19:14:00,CST-6,2017-05-16 19:41:00,2,0,0,0,658.00K,658000,0.00K,0,38.2613,-98.987,38.546,-98.7999,"A cyclic supercell thunderstorm produced a long track tornado across portions of Barton county, Kansas. The tornado initially touched down 3 miles west of Larned, Kansas (See NWS Dodge City, Kansas narrative for more information on the initial touchdown), traveling northeast, near Pawnee Rock, Kansas to 3 miles west of Great Bend, Kansas to just west of Hoisington, Kansas. The tornado was on the ground for 27 miles with damage rated from EF0 to a high end EF3 (3 miles west of Great Bend, Kansas). Two minor injuries were reported. Another minor tornado touchdown occurred in open country.","This long track tornado moved in from Pawnee County. Law Enforcement reported the tornado just south of the county line near Pawnee Rock and then followed it as it moved to the NE. The tornado moved through the west side of Pawnee Rock causing sporadic EF1 and isolated EF2 damage to several homes and one school type facility. The tornado continued to move to the NNE causing EF2 damage to a couple of homes on West Barton County Road. One residence was a mobile home that lost the far east side of the structure and all roofing material. One injury was noted at that location as they did not seek shelter. The home just to the west lost the east half of structure with the occupants seeking refuge in the basement. Of note, a Ford F-150 was thrown or rolled approximately 75 to hundred yards away from its original location. Further to the NE, the tornado strengthened considerably as noted by complete destruction of an 1890 farm house. With the age of the home and no anchoring being present due to the structure resting on cinder blocks along with a lack of debarking, a higher rating could not be justified though the amount of devastation to the structure itself pointed towards a possible higher rating. Three occupants sought refuge in the basement and were unharmed. The next door neighbor's home was also considerably damaged with all of the structure being demolished except for one corner section. The tornado then continued to the NE over open country damaging trees and power lines along the way before dissipating NW of Hoisington. A total of 44 parcels were affected. Ten homes were deemed total losses. The estimated property value losses were estimated at $658,000." +114156,688504,MAINE,2017,March,Heavy Snow,"NORTHERN OXFORD",2017-03-14 08:00:00,EST-5,2017-03-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116420,700130,TEXAS,2017,May,Hail,"BROWN",2017-05-19 19:15:00,CST-6,2017-05-19 19:15:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-99.04,31.67,-99.04,"On May 18, a dryline clashed with a very unstable atmosphere to produce a long lived supercell, spawning several tornadoes, large hail and damaging thunderstorm wind reports. On May 19, a southward moving front triggered numerous severe storms as it clashed with a very unstable airmass, resulting in reports of large hail, damaging winds and tornadoes. A few of these tornadoes damaged some homes in northern Brown County on May 18.","" +114156,688495,MAINE,2017,March,Heavy Snow,"COASTAL WALDO",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688496,MAINE,2017,March,Heavy Snow,"COASTAL YORK",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688499,MAINE,2017,March,Heavy Snow,"INTERIOR YORK",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688500,MAINE,2017,March,Heavy Snow,"KENNEBEC",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +114156,688506,MAINE,2017,March,Heavy Snow,"SOUTHERN FRANKLIN",2017-03-14 08:00:00,EST-5,2017-03-15 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the central U.S. on the morning of the 13th intensified rapidly as it moved east to the Delmarva Peninsula by the morning of the 14th, and then continued to intensify as it moved northeast along the East Coast through the morning of the 15th. The storm brought heavy snow to all of western Maine with high winds leading to blizzard or near blizzard conditions from the coast to the mountains. High winds and/or heavy wet snow downed trees and created numerous power outages across coastal York County. ||Snow began around 9 am in the southwestern corner of the State on the 14th and spread northeast during the day. By 4 pm, snow was falling across all of western Maine. The snow became very heavy during the afternoon and evening. Winds also increased during the afternoon and evening leading to blizzard conditions in parts of the State. The following reporting sites officially observed more than 3 hours of blizzard conditions: Portland (12:30 pm ��� 8:51 pm), Augusta (3:29 pm ��� 9:53 pm), Rockland (2:56 pm to 5:56 pm and Waterville (4:56 pm to 8:35 pm). The heaviest snow tapered off in southwestern Maine during the evening, and ended across the reminder of western Maine by midnight.. Gusty winds and blowing snow persisted into the overnight for the entire State. ||Snowfall amounts across western Maine ranged from about 12 to 20 inches. Much of the snow in any given area fell during about a six-hour window with weather spotters reporting snowfall rates of 2 to 3 inches per hour.","" +116803,707692,WYOMING,2017,May,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Nine inches of snow was measured nine miles west-southwest of Rock River." +116803,707693,WYOMING,2017,May,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Eleven and a half inches of snow was measured 18 miles south of Rock River." +116803,707694,WYOMING,2017,May,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Seven inches of snow was measured just southwest of Elk Mountain." +116803,707695,WYOMING,2017,May,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-05-18 00:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Ten inches of snow was observed at Arlington." +112730,675541,NEW JERSEY,2017,March,High Wind,"WESTERN MONMOUTH",2017-03-02 08:38:00,EST-5,2017-03-02 08:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Downed power lines and lights on route 33." +112953,674885,ILLINOIS,2017,February,Hail,"HANCOCK",2017-02-28 15:40:00,CST-6,2017-02-28 15:40:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-90.97,40.6,-90.97,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A hail swath of quarter size hail was reported by a spotter to be 3 to 4 miles long along Highway 94." +118499,712001,MICHIGAN,2017,May,Thunderstorm Wind,"ROSCOMMON",2017-05-18 01:45:00,EST-5,2017-05-18 01:45:00,0,0,0,0,40.00K,40000,0.00K,0,44.4512,-84.7317,44.4512,-84.7317,"A line of thunderstorms crossed northern lower Michigan. One storm within the line became severe, bringing wind damage to the Higgins Lake area.","About 35 large trees were downed." +118550,712211,NEVADA,2017,March,Heavy Snow,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-03-04 22:00:00,PST-8,2017-03-05 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Cold low pressure dropped from the Gulf of Alaska on the 3rd into Nevada on the 5th, bringing heavy snow to the northern Sierra and far western Nevada.","Isolated snowfall amounts between 17 and 19 inches fell above 5000 feet west of Carson City on the 5th, with around 12 inches in Virginia City. Four to six inches of snow fell on the north and west sides of Reno, as well as near Carson City and east of Highway 395 in the Minden-Johnson Lane area. Six to 8 inches of snow was reported in the north valleys of Reno. Lesser snowfall amounts up to 3 inches fell in Sparks and in southeast Reno." +116803,707688,WYOMING,2017,May,Winter Storm,"EAST PLATTE COUNTY",2017-05-18 09:00:00,MST-7,2017-05-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific storm system produced significant snowfall for elevations above 5000 feet in southeast Wyoming. Interstates 25 and 80 were closed for several hours due to adverse winter driving conditions. Gusty north to northeast winds to 35 mph and the heavy, wet snow toppled many trees and limbs, some onto power lines. There were scattered power outages reported. Cheyenne set a record 24-hour snowfall with 11.3 inches, and a two-day total of 14.3 inches. Totals from the snowstorm ranged from six to 32 inches, heaviest for elevations above 8500 feet.","Six inches of snow was measured five miles south of Guernsey." +114650,687651,INDIANA,2017,April,Flood,"GIBSON",2017-04-16 16:50:00,CST-6,2017-04-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2639,-87.6822,38.2816,-87.68,"Clusters and short lines of thunderstorms developed during the afternoon hours along a pre-frontal trough extending from northeast to southwest across the Lower Ohio Valley. The air mass was weakly unstable, with mixed-layer cape values generally around 1000 j/kg or less. Some of the storms produced locally heavy rain.","A trained spotter reported three to four inches of water covering a street intersection in town." +114663,687747,KENTUCKY,2017,April,Flash Flood,"HENDERSON",2017-04-29 01:42:00,CST-6,2017-04-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8493,-87.5821,37.8462,-87.5658,"During the evening, clusters of storms developed along and just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","A storm chaser reported seven inches of water flowing across Alternate U.S. Highway 41 in town. Smaller vehicles were having difficulty passing through. A trained spotter in Henderson measured 3.0 inches of rain from the storms." +114443,686247,INDIANA,2017,April,Hail,"VANDERBURGH",2017-04-28 22:54:00,CST-6,2017-04-28 23:03:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-87.6602,37.98,-87.55,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall. Flash flooding occurred during the overnight hours of the 28th, along with an isolated severe storm over Evansville that produced large hail.","Dime-size hail was reported along a path from six miles west of Evansville into the city of Evansville." +114701,687983,COLORADO,2017,March,High Wind,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-03-05 21:00:00,MST-7,2017-03-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front tracked through the area and produced substantial wind gusts in some western Colorado valleys and mountains.","Wind gusts 45 to 55 mph were measured across the area with a peak gust of 78 mph at The Crown RAWS station." +114712,688038,UTAH,2017,March,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-03-27 13:00:00,MST-7,2017-03-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front pushed through the region and produced moderate to heavy snowfall accumulations across the eastern Utah mountains.","Generally 4 to 6 inches of snow fell across the area. Locally higher amounts included 21 inches at the Hickerson Park SNOTEL site." +114712,688037,UTAH,2017,March,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-03-27 20:00:00,MST-7,2017-03-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level Pacific trough and associated cold front pushed through the region and produced moderate to heavy snowfall accumulations across the eastern Utah mountains.","Snowfall amounts of 5 to 10 inches were measured across the area." +114714,688051,COLORADO,2017,March,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-03-30 14:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in some western Colorado mountain areas.","Generally 3 to 6 inches of snow fell across the area with up to 14 inches at the Beartown SNOTEL site." +114714,688045,COLORADO,2017,March,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-03-30 22:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in some western Colorado mountain areas.","Snowfall amounts of 4 to 6 inches were measured across the area." +114715,688052,UTAH,2017,March,Winter Storm,"EASTERN UINTA MOUNTAINS",2017-03-30 17:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in the eastern Utah mountains.","Snowfall amounts of 9 to 14 inches were measured across the area." +114715,688054,UTAH,2017,March,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-03-30 18:00:00,MST-7,2017-03-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in the eastern Utah mountains.","Snowfall amounts of 5 to 7 inches were measured across the area." +114715,688055,UTAH,2017,March,Winter Weather,"TAVAPUTS PLATEAU",2017-03-30 20:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong wraparound moisture associated with a late season winter storm produced significant snowfall accumulations in the eastern Utah mountains.","Snowfall amounts around 5 inches were measured." +114327,690197,KENTUCKY,2017,April,Strong Wind,"CRITTENDEN",2017-04-05 13:30:00,CST-6,2017-04-05 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure center between St. Louis, MO and Quincy, IL tracked east-northeastward during the afternoon. A warm front extended east-southeast from the low into the lower Ohio Valley. Behind the warm front, strong southwest winds gusted between 40 and 50 mph at times. Scattered thunderstorms increased during the afternoon as solar heating destabilized the atmosphere. Along the warm front, the strongest storm produced hail up to dime-size. Some of the peak wind gusts outside of thunderstorms included 48 mph at Owensboro, 44 mph at Hopkinsville and Paducah, and and 43 mph at Murray.","" +114506,686661,ILLINOIS,2017,April,Hail,"JACKSON",2017-04-29 18:08:00,CST-6,2017-04-29 18:08:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-89.23,37.82,-89.23,"A large complex of thunderstorms moved southeast across southern Illinois. A few strong storms along the leading edge of the complex produced hail up to the size of dimes. The storms occurred near a surface front which sagged southward across southern Illinois into the Lower Ohio Valley.","" +114506,686662,ILLINOIS,2017,April,Hail,"JEFFERSON",2017-04-29 17:34:00,CST-6,2017-04-29 17:34:00,0,0,0,0,0.00K,0,0.00K,0,38.3345,-88.9,38.3345,-88.9,"A large complex of thunderstorms moved southeast across southern Illinois. A few strong storms along the leading edge of the complex produced hail up to the size of dimes. The storms occurred near a surface front which sagged southward across southern Illinois into the Lower Ohio Valley.","" +114394,685613,CALIFORNIA,2017,March,Funnel Cloud,"PLACER",2017-03-22 13:25:00,PST-8,2017-03-22 13:30:00,0,0,0,0,0.00K,0,0.00K,0,38.83,-121.33,38.83,-121.33,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","A funnel cloud was briefly spotted west of Rocklin. No touchdown was observed." +117523,707807,NEW MEXICO,2017,August,Hail,"LINCOLN",2017-08-09 13:10:00,MST-7,2017-08-09 13:15:00,0,0,0,0,0.00K,0,0.00K,0,34.17,-105.35,34.17,-105.35,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Marble to nickel size hail for up to five minutes. Ground was covered." +114394,685615,CALIFORNIA,2017,March,Heavy Rain,"SACRAMENTO",2017-03-21 08:30:00,PST-8,2017-03-21 09:35:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-121.48,38.52,-121.48,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Very heavy rain with standing water was reported on roads in South Sacramento, including on Highway 99." +114394,685617,CALIFORNIA,2017,March,Flood,"SACRAMENTO",2017-03-21 09:00:00,PST-8,2017-03-21 10:05:00,0,0,0,0,0.00K,0,0.00K,0,38.5628,-121.4476,38.5617,-121.4483,"Strong storms developed behind a cold front, bringing abundant rain and severe weather, including a damaging micro-burst and large hail in the foothills.","Roadway flooding reported in eastern Sacramento at Folsom Blvd and 47th St." +113710,680677,MARYLAND,2017,February,Hail,"BALTIMORE",2017-02-25 15:25:00,EST-5,2017-02-25 15:25:00,0,0,0,0,,NaN,,NaN,39.3833,-76.5125,39.3833,-76.5125,"A potent cold front passed through the area on the 25th. Southerly winds ahead of the boundary ushered in unusually warm and humid conditions for this time of year which led to some instability. Showers and thunderstorms developed, and this convection was able to pull down strong winds from aloft and also produce hail.","Quarter sized hail was reported at the intersection of Route 43 and Walter Boulevard." +113804,682264,MARYLAND,2017,February,High Wind,"CENTRAL AND SOUTHEAST HOWARD",2017-02-12 22:58:00,EST-5,2017-02-12 22:58:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","There were ten reports of trees down across the county." +113804,681365,MARYLAND,2017,February,High Wind,"FREDERICK",2017-02-12 22:02:00,EST-5,2017-02-13 01:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","Wind gusts of 61 to 68 mph were measured near Flint. Trees were down across the county." +113803,681366,VIRGINIA,2017,February,High Wind,"CENTRAL VIRGINIA BLUE RIDGE",2017-02-13 01:40:00,EST-5,2017-02-13 01:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure rapidly intensified as it moved up the New England coast. A strong pressure gradient between the low and high pressure over the Midwest caused high winds.","A wind gust of 63 mph was reported at Wintergreen." +113894,682806,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-10 12:00:00,PST-8,2017-02-10 12:45:00,0,0,0,0,0.00K,0,0.00K,0,38.3574,-121.3463,38.3579,-121.3443,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","A freight train carrying food products derailed Friday afternoon near Elk Grove in Sacramento County, sending 22 train cars into the Cosumnes River near Highway 99, according to the Cosumnes Fire Department. A levy on the river nearby had broken, eroding the material under the railroad trestle the train went over, apparently causing the derailment." +113902,682921,CALIFORNIA,2017,February,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-02-17 06:00:00,PST-8,2017-02-17 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Storms brought additional rain and widespread flooding and debris flows, as well as mountain snow.","Wind brought down trees and tree branches, knocking down power lines and causing outages. There was a 44 mph wind gust reported at Sacramento Executive Airport, with strong winds through the morning and afternoon." +113019,675554,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN MINERAL",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold and moist air moving over the mountains caused snow along and west of the Allegheny Front.","Snowfall totaled up to 3.0 inches near Kitzmiller." +113125,676679,COLORADO,2017,January,Ice Storm,"ANIMAS RIVER BASIN",2017-01-09 04:15:00,MST-7,2017-01-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally mild Pacific storm system produced rainfall which fell into some western Colorado valleys where trapped air with temperatures below freezing resulted in the formation of freezing rain.","Freezing rain resulted in ice buildup on roads and other surfaces, mainly along and south of Highway 160 in La Plata County. At least two dozen vehicles slid off the road or were involved in accidents. Highway 160 from Durango to Hesperus Hill was closed for a few hours due to the icy road surface where even the CDOT trucks were unable to gain traction to treat the road." +113870,681914,TEXAS,2017,April,Hail,"CHEROKEE",2017-04-02 08:15:00,CST-6,2017-04-02 08:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4902,-94.9425,31.4902,-94.9425,"A strong upper level trough shifted east across Northern Mexico and into the Big Bend area of Southwest Texas during the early morning hours of April 2nd, before lifting northeast into North Texas during the afternoon. Meanwhile, a deepening surface low over North Texas allowed for warm, moist, and unstable air to stream north across East Texas and North Louisiana just south of a warm front as it stalled near the Interstate 20 corridor. Very strong wind shear and steepening lapse rates ahead of the ejecting upper level trough resulted in strong deep layer forcing for widespread strong to severe thunderstorms across East Texas south of Interstate 20, as well as much of Northcentral Louisiana. Numerous reports of wind damage and a few large hail reports were received across these areas, with several tornadoes (some strong) also having touched down across portions of Deep East Texas, Western and Central Louisiana.","Quarter size hail fell in Wells per the KTRE-TV Facebook page." +113017,675547,WEST VIRGINIA,2017,February,Winter Weather,"WESTERN GRANT",2017-02-01 06:00:00,EST-5,2017-02-01 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Cold air flowing over the mountains caused snow showers for locations along and west of the Allegheny Front.","Snowfall totaled up to 3.0 inches in Bayard." +113894,682211,CALIFORNIA,2017,February,Heavy Rain,"SACRAMENTO",2017-02-06 07:00:00,PST-8,2017-02-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-121.28,38.58,-121.28,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.20 of rain measured over 24 hours in Sacramento, between 0700-0700." +113894,682212,CALIFORNIA,2017,February,Heavy Rain,"EL DORADO",2017-02-07 07:00:00,PST-8,2017-02-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-120.5,38.76,-120.5,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","There were 1.25 of rain measured over 24 hours in Pacific House from 0700-1400." +113894,682213,CALIFORNIA,2017,February,Flood,"SACRAMENTO",2017-02-08 08:00:00,PST-8,2017-02-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6042,-121.5152,38.6094,-121.4878,"Storms brought a range of significant weather impacts to northern interior California. The first storm was very wet and warm, the second not quite as wet but cooler with lower snow levels. Both storms brought strong, damaging winds. The heavy rain brought widespread flooding of small streams and rivers, with some flooding of main stem rivers. Wet conditions from previous storms brought saturated ground and elevated reservoirs, with flood control releases.|There was also mountain snow many feet deep, and damaging winds, with numerous trees down on roads, vehicles, and homes. Many roads, including major highways such as Interstate 80, were shut down due to mudslides, heavy snow, flooding, washouts or avalanche suppression. Other significant impacts include numerous accidents due to slippery roads, evacuations and rescues due to flooding.","Discovery Park in Sacramento was flooded, with water about 8 feet deep." +114440,687745,ILLINOIS,2017,April,Flash Flood,"JACKSON",2017-04-29 04:04:00,CST-6,2017-04-29 08:00:00,0,0,0,0,100.00K,100000,0.00K,0,37.7507,-89.1812,37.62,-89.2,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","More than 150 students on the campus of Southern Illinois University were evacuated to other buildings after a dormitory was flooded. Another campus building sustained minor basement flooding. Widespread street flooding occurred, especially in the more densely populated sections of Carbondale. The eastbound lanes of Route 13 were closed in Carbondale due to high water. Nearly every road in one large neighborhood was impassable. Much of the community of Makanda was flooded, where a newly constructed bridge in the middle of town was completely underwater." +119569,717453,NEW MEXICO,2017,September,Thunderstorm Wind,"QUAY",2017-09-23 19:30:00,MST-7,2017-09-23 19:32:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-103.12,35.11,-103.12,"Moisture surged northward into eastern New Mexico as a potent upper level low pressure system deepened over the western United States. A large mass of rain with numerous thunderstorms developed over eastern New Mexico during the early morning hours then shifted northeast across the region through the afternoon. Very heavy rainfall, small hail, and gusty winds impacted much of the eastern plains well into the night. A mesonet site within eastern Quay County reported a 62 mph wind gust from one of the stronger storms.","Peak wind gust to 62 mph at Endee." +119568,717446,NEW MEXICO,2017,September,Thunderstorm Wind,"CURRY",2017-09-22 14:41:00,MST-7,2017-09-22 14:43:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-103.21,34.43,-103.21,"Southwest flow developed over New Mexico as an upper level trough began deepening over the western United States. A dry slot within the base of the upper trough generated windy conditions across much of the state. A dry line that set up over extreme eastern New Mexico generated a broken line of thunderstorms around the Caprock region. A fast-moving storm that shifted across Curry County produced a peak wind gust to 63 mph at Barry Elementary School. Other locations across Clovis also picked up small hail and heavy rainfall.","Peak wind gust to 63 mph at Barry Elementary." +119519,717244,FLORIDA,2017,September,Lightning,"HILLSBOROUGH",2017-09-01 15:30:00,EST-5,2017-09-01 15:30:00,0,0,0,0,50.00K,50000,0.00K,0,28.0611,-82.4376,28.0611,-82.4376,"Afternoon thunderstorms continuing into the evening produced areas of heavy rain, gusty winds and numerous lightning strikes. One individual on the beach was struck by lightning while portions of the Tampa Bay Area had flooding issues when heavy rain fell over already saturated ground.","Hillsborough County Emergency Management officials reported damage to an apartment building that was likely caused by a lightning strike. A total of 38 residents were displaced because of the fire. No injuries were reported." +114440,687746,ILLINOIS,2017,April,Flash Flood,"WILLIAMSON",2017-04-29 04:41:00,CST-6,2017-04-29 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,37.82,-88.93,37.7409,-88.8856,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","Numerous roads on the northwest side of Herrin were completely flooded and impassable. Water rescues were executed in town. In Marion, numerous roads and at least a few buildings were flooded. In Crainville, a large sinkhole opened up, forcing the evacuation of two homes. The road to the spillway at Devils Kitchen Lake was closed." +114440,688115,ILLINOIS,2017,April,Flood,"FRANKLIN",2017-04-29 08:00:00,CST-6,2017-04-29 17:00:00,0,0,0,0,40.00K,40000,0.00K,0,38.01,-88.92,38.0094,-88.8983,"During the evening, clusters of storms developed just north of a surface warm front that extended from the Missouri bootheel northeastward along the Ohio River. The warm front became stationary, and the area of storms tracked northeast across the same areas through the overnight and early morning hours. The repeated bouts of heavy-rain producing storms lasted 8 to 12 hours, resulting in excessive rainfall.","There was extensive flooding of a neighborhood in the northeast part of Benton from heavy rain during the overnight and early morning hours. Homes on two streets were flooded. In West Frankfort, residents of an apartment complex were evacuated. A co-operative observer near Plumfield measured 4.10 inches of rain in the previous 24 hours." +119145,716311,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 05:00:00,EST-5,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-76.75,36.99,-76.75,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.93 inches was measured at Comet." +119145,716315,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 05:30:00,EST-5,2017-07-15 05:30:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-76.34,36.75,-76.34,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.81 inches was measured at Deep Creek." +119145,716316,VIRGINIA,2017,July,Heavy Rain,"SUFFOLK (C)",2017-07-15 05:30:00,EST-5,2017-07-15 05:30:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-76.83,36.69,-76.83,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.00 inches was measured at Elwood." +119145,716317,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 05:30:00,EST-5,2017-07-15 05:30:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.63,36.97,-76.63,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.41 inches was measured at Smithfield (1 SW)." +119145,716318,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 05:50:00,EST-5,2017-07-15 05:50:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-76.73,36.81,-76.73,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 5.55 inches was measured at Windsor." +115117,691231,INDIANA,2017,May,Thunderstorm Wind,"SWITZERLAND",2017-05-20 18:35:00,EST-5,2017-05-20 18:37:00,0,0,0,0,3.00K,3000,0.00K,0,38.8356,-85.1791,38.8356,-85.1791,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","Trees were downed across Liter Road." +115117,691232,INDIANA,2017,May,Thunderstorm Wind,"SWITZERLAND",2017-05-20 18:37:00,EST-5,2017-05-20 18:39:00,0,0,0,0,3.00K,3000,0.00K,0,38.9139,-85.201,38.9139,-85.201,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","Trees were downed along Waterloo Road. A portion of State Route 129 near the Ripley County line was also block by a downed tree." +115117,691233,INDIANA,2017,May,Thunderstorm Wind,"RIPLEY",2017-05-20 18:39:00,EST-5,2017-05-20 18:41:00,0,0,0,0,1.00K,1000,0.00K,0,38.9434,-85.2037,38.9434,-85.2037,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","A couple of trees were downed in Cross Plains." +115117,691234,INDIANA,2017,May,Thunderstorm Wind,"SWITZERLAND",2017-05-20 18:56:00,EST-5,2017-05-20 18:58:00,0,0,0,0,2.00K,2000,0.00K,0,38.79,-85.04,38.79,-85.04,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","Trees were downed along Plum Creek Road." +115117,691235,INDIANA,2017,May,Flash Flood,"SWITZERLAND",2017-05-20 19:40:00,EST-5,2017-05-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-85.11,38.7501,-85.1093,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","Water was flowing across part of State Route 129." +115117,691236,INDIANA,2017,May,Flash Flood,"SWITZERLAND",2017-05-20 19:45:00,EST-5,2017-05-20 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-84.99,38.7999,-84.9267,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled outflow boundary situated across the Ohio Valley.","Water was reported flowing across a portion of Markland Pike and along Log Lick Road, including near the intersection with Bethel Ridge Road." +114196,683975,OHIO,2017,May,Thunderstorm Wind,"HIGHLAND",2017-05-01 07:33:00,EST-5,2017-05-01 07:33:00,0,0,0,0,5.00K,5000,0.00K,0,39.14,-83.66,39.14,-83.66,"A narrow axis of showers with embedded thunderstorms developed along a cold front as it pushed east through the region during the morning hours.","Several houses along Miller Lane sustained some minor roof and siding damage. Several trees were also downed." +113841,681746,MONTANA,2017,February,Winter Storm,"WEST GLACIER REGION",2017-02-09 09:00:00,MST-7,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After the heavy snow event which left several feet of snow across portions of northwest Montana, emergency managers reported numerous roofs were exceeding load capacity and were in danger of collapse, especially in Libby, MT. Heavy, wet snow Wednesday evening and overnight transitioned to freezing rain on Feb. 9. Heavy snow and rain added weight to roofs that were already stressed. Snow along Highway 2 from Essex to Marias Pass lead to road closures due to avalanche danger.","US Hwy 2 from Essex to East Glacier, MT was closed during this event due to the threat of avalanches with 6 inches of new snow on top of the 30 to 50 inches of snow earlier in the week. An avalanche did occur between Essex and Devils Creek spilling over US-2 in the morning. The Montana Dep. of Transportation listed US-2 with Severe driving conditions during the day." +113841,681749,MONTANA,2017,February,Winter Storm,"FLATHEAD/MISSION VALLEYS",2017-02-09 02:00:00,MST-7,2017-02-09 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After the heavy snow event which left several feet of snow across portions of northwest Montana, emergency managers reported numerous roofs were exceeding load capacity and were in danger of collapse, especially in Libby, MT. Heavy, wet snow Wednesday evening and overnight transitioned to freezing rain on Feb. 9. Heavy snow and rain added weight to roofs that were already stressed. Snow along Highway 2 from Essex to Marias Pass lead to road closures due to avalanche danger.","Many reports of freezing rain came in during the morning hours of Feb. 9. A trained spotter in Bigfork, MT sent images of 0.13 of ice accretion on his vehicle. Another spotter in Columbia Falls, MT sent an image of completely glazed roads. Airport crews were unable to clear runways at Glacier Park International and the airport was temporary closed until late morning. The Montana Department of Transportation issued Severe Driving Conditions for portions of the Flathead and Mission Valley for 5 hours during the morning of Feb. 9. Highway patrol reported at least 15 slide-off accidents during this time-frame." +113841,681751,MONTANA,2017,February,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-02-09 04:00:00,MST-7,2017-02-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After the heavy snow event which left several feet of snow across portions of northwest Montana, emergency managers reported numerous roofs were exceeding load capacity and were in danger of collapse, especially in Libby, MT. Heavy, wet snow Wednesday evening and overnight transitioned to freezing rain on Feb. 9. Heavy snow and rain added weight to roofs that were already stressed. Snow along Highway 2 from Essex to Marias Pass lead to road closures due to avalanche danger.","Freezing rain lead to Severe Driving Conditions being issued for the Missoula and Bitterroot Valley during the morning hours. School buses were delayed by 2 hours." +113841,682499,MONTANA,2017,February,Avalanche,"WEST GLACIER REGION",2017-02-09 09:00:00,MST-7,2017-02-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After the heavy snow event which left several feet of snow across portions of northwest Montana, emergency managers reported numerous roofs were exceeding load capacity and were in danger of collapse, especially in Libby, MT. Heavy, wet snow Wednesday evening and overnight transitioned to freezing rain on Feb. 9. Heavy snow and rain added weight to roofs that were already stressed. Snow along Highway 2 from Essex to Marias Pass lead to road closures due to avalanche danger.","A 200 foot wide avalanche occurred between Essex and Devils Creek spilling over US-2 to a depth of 8 inches. This caused the Montana Dep. of Transportation to close to the road because of the avalanche danger." +112880,674321,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-28 02:11:00,HST-10,2017-02-28 08:15:00,0,0,0,0,0.00K,0,0.00K,0,22.1627,-159.6712,21.9648,-159.3752,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112840,674719,MISSOURI,2017,February,Hail,"STONE",2017-02-28 15:57:00,CST-6,2017-02-28 15:57:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-93.49,36.85,-93.49,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674785,MISSOURI,2017,February,Hail,"TEXAS",2017-02-28 17:16:00,CST-6,2017-02-28 17:16:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-92.13,37.14,-92.13,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +119519,717243,FLORIDA,2017,September,Lightning,"PINELLAS",2017-09-01 20:36:00,EST-5,2017-09-01 20:36:00,1,0,0,0,0.00K,0,0.00K,0,27.7028,-82.7375,27.7028,-82.7375,"Afternoon thunderstorms continuing into the evening produced areas of heavy rain, gusty winds and numerous lightning strikes. One individual on the beach was struck by lightning while portions of the Tampa Bay Area had flooding issues when heavy rain fell over already saturated ground.","A 16 year old was struck by lightning in Saint Pete Beach. He was transported to a local hospital and later released." +115932,696633,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-04-30 20:03:00,CST-6,2017-04-30 20:03:00,0,0,0,0,0.00K,0,0.00K,0,29.0581,-89.3043,29.0581,-89.3043,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Weatherflow East Bay Tower (XEBT) measured a wind gust of 55.1 mph." +115932,696639,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-04-30 19:42:00,CST-6,2017-04-30 19:42:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Petit Bois Island WLON site (PTBM6) reported a wind gust of 36 knots." +115932,696642,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-04-30 21:06:00,CST-6,2017-04-30 21:06:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Petit Bois Island WLON site (PTBM6) reported a wind gust of 37 knots." +115932,696647,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-04-30 17:42:00,CST-6,2017-04-30 18:12:00,0,0,0,0,0.00K,0,0.00K,0,30.343,-88.511,30.343,-88.511,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Port of Pascagoula Range A Rear WLON site (RARM6) reported several wind gusts greater than 34 knots. The highest gust was measured at 41kts at 18:06 CST." +115932,696652,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-04-30 18:54:00,CST-6,2017-04-30 19:12:00,0,0,0,0,0.00K,0,0.00K,0,30.343,-88.511,30.343,-88.511,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Port of Pascagoula, Range A Rear WLON site (RARM6) reported several wind gusts greater than 34 knots. The maximum wind gust was 43 knots which also coincided with a sustained wind of 34 knots at 19:06 CST." +115352,692624,TEXAS,2017,April,Heavy Rain,"JIM HOGG",2017-04-11 19:25:00,CST-6,2017-04-11 21:05:00,0,0,0,0,0.00K,0,0.00K,0,27.32,-98.68,27.32,-98.68,"Showers and thunderstorms developed across the region along leftover boundaries from prior convection earlier in the day. Some of this activity produced periods of heavy rainfall across Hebbronville, ranging from 1.5 to 2.6 inches. This heavy rainfall led to some standing water in low lying intersections in the city.","Jim Hogg County Sheriffs Office reported flooding at the intersections of Linar and Smith, Mesquite and Smith, and Viggie and Smith." +115352,692625,TEXAS,2017,April,Heavy Rain,"JIM HOGG",2017-04-11 19:20:00,CST-6,2017-04-11 21:05:00,0,0,0,0,0.00K,0,0.00K,0,27.3191,-98.6773,27.3191,-98.6773,"Showers and thunderstorms developed across the region along leftover boundaries from prior convection earlier in the day. Some of this activity produced periods of heavy rainfall across Hebbronville, ranging from 1.5 to 2.6 inches. This heavy rainfall led to some standing water in low lying intersections in the city.","COOP observer in Hebbronville reported 2.60 inches of rain." +112362,670038,FLORIDA,2017,February,Thunderstorm Wind,"BAY",2017-02-07 16:19:00,CST-6,2017-02-07 16:19:00,0,0,0,0,0.00K,0,0.00K,0,30.3583,-85.7956,30.3583,-85.7956,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","" +112362,670039,FLORIDA,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-07 16:20:00,CST-6,2017-02-07 16:20:00,0,0,0,0,0.00K,0,0.00K,0,30.4957,-85.7037,30.4957,-85.7037,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down onto Turkey Run Road near Greenhead." +112362,670040,FLORIDA,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-07 16:24:00,CST-6,2017-02-07 16:24:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-85.68,30.44,-85.68,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down in the Crystal Lake area." +112362,670041,FLORIDA,2017,February,Thunderstorm Wind,"JACKSON",2017-02-07 16:33:00,CST-6,2017-02-07 16:33:00,0,0,0,0,0.00K,0,0.00K,0,30.84,-85.3456,30.84,-85.3456,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down near the intersection of SR-73 and US-231." +112362,670042,FLORIDA,2017,February,Thunderstorm Wind,"JACKSON",2017-02-07 16:42:00,CST-6,2017-02-07 16:42:00,0,0,0,0,0.00K,0,0.00K,0,30.7972,-85.2156,30.7972,-85.2156,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down near Caverns Road and Bales Drive." +112362,670044,FLORIDA,2017,February,Thunderstorm Wind,"JACKSON",2017-02-07 16:42:00,CST-6,2017-02-07 16:42:00,0,0,0,0,0.00K,0,0.00K,0,30.77,-85.23,30.77,-85.23,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down on a house in Marianna." +112362,670048,FLORIDA,2017,February,Thunderstorm Wind,"BAY",2017-02-07 16:45:00,CST-6,2017-02-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,30.1715,-85.6624,30.1715,-85.6624,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down at 13th Street and Jenks Ave." +112362,670049,FLORIDA,2017,February,Thunderstorm Wind,"BAY",2017-02-07 16:45:00,CST-6,2017-02-07 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.19,-85.62,30.05,-85.42,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Numerous power lines were blown down across Bay county." +112362,670050,FLORIDA,2017,February,Thunderstorm Wind,"JACKSON",2017-02-07 16:50:00,CST-6,2017-02-07 16:50:00,0,0,0,0,0.00K,0,0.00K,0,30.7104,-85.1848,30.7104,-85.1848,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down near Rocky Creek Road and the SR-71 intersection." +112579,673001,PENNSYLVANIA,2017,February,Thunderstorm Wind,"YORK",2017-02-25 15:00:00,EST-5,2017-02-25 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.86,-76.71,39.86,-76.71,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced winds estimated near 60 mph and knocked down trees near Loganville." +113321,678158,OKLAHOMA,2017,February,Drought,"CHOCTAW",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678159,OKLAHOMA,2017,February,Drought,"OSAGE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678160,OKLAHOMA,2017,February,Drought,"PAWNEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +114375,693316,VIRGINIA,2017,April,Flood,"SCOTT",2017-04-23 10:00:00,EST-5,2017-04-23 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.659,-82.58,36.6466,-82.53,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Flooding caused numerous road closures in the Gate City area." +116095,697783,MICHIGAN,2017,April,Hail,"LEELANAU",2017-04-10 10:31:00,EST-5,2017-04-10 10:31:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-85.72,45.06,-85.72,"An area of showers and thunderstorms crossed northern Michigan, ahead of an area of low pressure in Wisconsin. A bit of hail resulted.","" +116096,697784,LAKE MICHIGAN,2017,April,Marine Hail,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-04-10 10:30:00,EST-5,2017-04-10 10:30:00,0,0,0,0,0.00K,0,0.00K,0,45.0711,-85.7325,45.0711,-85.7325,"An area of showers and thunderstorms crossed northern Lake Michigan, ahead of low pressure in Wisconsin.","" +116097,697785,MICHIGAN,2017,April,Hail,"GRAND TRAVERSE",2017-04-20 04:20:00,EST-5,2017-04-20 04:20:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-85.54,44.58,-85.54,"Warm and moist air pushed into northern Michigan, ahead of an intensifying upper level disturbance. A few early-morning storms became severe in northwest lower Michigan.","" +116097,697786,MICHIGAN,2017,April,Thunderstorm Wind,"MANISTEE",2017-04-20 03:20:00,EST-5,2017-04-20 03:22:00,0,0,0,0,16.00K,16000,0.00K,0,44.24,-86.33,44.274,-86.2538,"Warm and moist air pushed into northern Michigan, ahead of an intensifying upper level disturbance. A few early-morning storms became severe in northwest lower Michigan.","A number of trees and utility poles were downed in and near the city of Manistee. A gust of 68 mph was measured at Manistee Blacker Airport." +116098,697788,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-04-20 03:18:00,EST-5,2017-04-20 03:18:00,0,0,0,0,0.00K,0,0.00K,0,44.2669,-86.3368,44.2669,-86.3368,"Showers and thunderstorms crossed northern Lake Michigan early on the 20th, bringing severe winds to the Manistee area.","Wind damage occurred in the city of Manistee, and Manistee Blacker Airport measured a gust of 68 mph." +116098,697789,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-04-20 03:27:00,EST-5,2017-04-20 03:27:00,0,0,0,0,0.00K,0,0.00K,0,44.3671,-86.2729,44.3671,-86.2729,"Showers and thunderstorms crossed northern Lake Michigan early on the 20th, bringing severe winds to the Manistee area.","A 39 mph gust was measured along Portage Lake." +114766,688400,PUERTO RICO,2017,April,Heavy Rain,"MOROVIS",2017-04-02 21:26:00,AST-4,2017-04-02 21:26:00,0,0,0,0,0.00K,0,0.00K,0,18.3422,-66.4138,18.3377,-66.4123,"A band of moisture associated with an old frontal boundary enhanced shower activity over interior PR resulting in the issuance of flood advisories for that area.","Official from 911 and Morovis Management Agency to report 10 people stranded near Quebrada El Almendro in Morovis due to heavy rains and runoff from afternoon rainfall." +116815,702506,UTAH,2017,May,Thunderstorm Wind,"WEBER",2017-05-06 14:10:00,MST-7,2017-05-06 14:10:00,0,0,0,0,60.00K,60000,0.00K,0,41.2196,-112.099,41.2196,-112.099,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","Strong thunderstorm winds caused significant damage to several outbuildings at the Wight Fresh Turkey Farm. Some of the structures were blown down completely, while others sustained major damage to support posts and tin roofs. Damage across the entire farm was estimated at $60,000." +115481,702493,TEXAS,2017,May,Thunderstorm Wind,"BURLESON",2017-05-28 19:24:00,CST-6,2017-05-28 19:34:00,0,0,0,0,25.00K,25000,0.00K,0,30.5281,-96.7145,30.5281,-96.7145,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Severe thunderstorm winds caused barn and residential home damage, flipped over camper trailers, downed power lines and tree damage. Reports were of major barn damage with debris from the barn striking and damaging a nearby home. A 100 year old oak tree was blown down in the town of Caldwell. The location of the majority of damage was west of the town of Caldwell and in western potions of Burleson County, but specific locations are unknown." +115481,702498,TEXAS,2017,May,Hail,"BURLESON",2017-05-28 19:24:00,CST-6,2017-05-28 19:24:00,0,0,0,0,0.00K,0,0.00K,0,30.5278,-96.6973,30.5278,-96.6973,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","The hail was reported in the Caldwell area." +116089,697739,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-17 15:04:00,CST-6,2017-05-17 15:04:00,0,0,0,0,0.00K,0,0.00K,0,43.26,-92.05,43.26,-92.05,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 60 mph wind gust occurred southwest of Ridgeway." +116089,697740,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-17 15:08:00,CST-6,2017-05-17 15:08:00,0,0,0,0,1.00K,1000,0.00K,0,42.8,-91.54,42.8,-91.54,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Large tree branches were blown down in Volga." +112653,672568,TEXAS,2017,February,Hail,"WOOD",2017-02-27 16:53:00,CST-6,2017-02-27 16:53:00,0,0,0,0,0.00K,0,0.00K,0,32.8476,-95.526,32.8476,-95.526,"A moderately unstable airmass developed across a portion of the Southern Plains late in the afternoon on the 27th. A stationary front situated across Northern Texas dipping south and east into Northeast Texas and Central Louisiana was the dividing line between the much more unstable air to the south of the boundary and a cooler more stable atmosphere across the Middle Red River Valley of Southeast Oklahoma, Southwest Arkansas and Northern Louisiana. With increasing southwest flow aloft across the Southern Plains, a weak disturbance was present in this flow and provided the lift necessary for isolated strong to severe thunderstorms across Northern and Northeast Texas. Strong mid level winds resulted in these storms becoming discrete supercells as they moved into Northeast Texas during the late afternoon and early evening hours of the 27th. These storms produced mostly small hail but at the peak of its intensity, a supercell thunderstorm produced golfball sized hail over Lake Fork Reservoir in Wood County.","Golf ball size hail was reported by fishermen on Lake Fork." +112653,672569,TEXAS,2017,February,Hail,"CAMP",2017-02-27 17:45:00,CST-6,2017-02-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,33.0348,-95.0932,33.0348,-95.0932,"A moderately unstable airmass developed across a portion of the Southern Plains late in the afternoon on the 27th. A stationary front situated across Northern Texas dipping south and east into Northeast Texas and Central Louisiana was the dividing line between the much more unstable air to the south of the boundary and a cooler more stable atmosphere across the Middle Red River Valley of Southeast Oklahoma, Southwest Arkansas and Northern Louisiana. With increasing southwest flow aloft across the Southern Plains, a weak disturbance was present in this flow and provided the lift necessary for isolated strong to severe thunderstorms across Northern and Northeast Texas. Strong mid level winds resulted in these storms becoming discrete supercells as they moved into Northeast Texas during the late afternoon and early evening hours of the 27th. These storms produced mostly small hail but at the peak of its intensity, a supercell thunderstorm produced golfball sized hail over Lake Fork Reservoir in Wood County.","Penny size hail fell on Highway 21 near the Lake Bob Sandlin bridge." +115722,695444,OHIO,2017,April,Hail,"PUTNAM",2017-04-20 16:35:00,EST-5,2017-04-20 16:36:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-84.2,40.99,-84.2,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","" +115721,695445,MICHIGAN,2017,April,Hail,"ST. JOSEPH",2017-04-20 15:12:00,EST-5,2017-04-20 15:13:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-85.63,41.95,-85.63,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","" +115721,695446,MICHIGAN,2017,April,Hail,"ST. JOSEPH",2017-04-20 15:20:00,EST-5,2017-04-20 15:21:00,0,0,0,0,0.00K,0,0.00K,0,41.94,-85.63,41.94,-85.63,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","" +115721,695447,MICHIGAN,2017,April,Thunderstorm Wind,"BRANCH",2017-04-20 16:15:00,EST-5,2017-04-20 16:16:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-85.02,41.97,-85.02,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","Trees were snapped or uprooted." +115723,695448,INDIANA,2017,April,Hail,"ALLEN",2017-04-20 13:54:00,EST-5,2017-04-20 13:55:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-85.1,41.18,-85.1,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","" +115723,695449,INDIANA,2017,April,Thunderstorm Wind,"ELKHART",2017-04-20 13:13:00,EST-5,2017-04-20 13:14:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-85.84,41.6,-85.84,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","Local media reported several downed tree branches in the area as well as a section of a wooden privacy fence." +115766,695785,OHIO,2017,April,Thunderstorm Wind,"WILLIAMS",2017-04-26 21:10:00,EST-5,2017-04-26 21:11:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-84.55,41.68,-84.55,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Local newspapers reported a few down power lines." +113771,681132,E PACIFIC,2017,February,Marine Strong Wind,"SAN MATEO PT TO MEXICAN BDR 30 TO 60NM",2017-02-17 19:50:00,PST-8,2017-02-17 23:50:00,0,0,0,0,0.00K,0,0.00K,0,32.491,-118.035,32.491,-118.035,"A deepening surface cyclone brought gale force winds and high seas to the coastal waters as it moved inland from the west.","The San Clemente Basin Buoy reported wind gusts in excess of 34 kts for 4 hours with a peak gust of 37 kts." +113771,681133,E PACIFIC,2017,February,Marine High Wind,"SAN MATEO PT TO MEXICAN BDR OUT 30NM",2017-02-17 12:00:00,PST-8,2017-02-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3949,-117.6196,33.3949,-117.6196,"A deepening surface cyclone brought gale force winds and high seas to the coastal waters as it moved inland from the west.","Southerly winds ahead of a cold front produced 34 to 52 kt wind gusts over the inshore waters. A peak gust of 52 kts occurred at San Clemente Pier." +113915,682540,IDAHO,2017,February,Flood,"FRANKLIN",2017-02-05 04:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,1.72M,1720000,0.00K,0,42.42,-111.72,42.2188,-112.0891,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A major warmup beginning early in the month created extensive snow melt from record winter snows and massive sheet flooding. Many homes received extensive damage but the main problem in the county was extensive road damage. Many roads and bridges washed out and had to be closed. Many culverts also washed out and 28 were determined to be in need of major repair. Flooding to wells and septic systems in personal homes caused contamination of water in many cases. The state of Idaho declared Franklin County a disaster area." +113915,682543,IDAHO,2017,February,Flood,"FREMONT",2017-02-05 10:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,131.00K,131000,0.00K,0,44.7895,-111.33,44.5,-111.7358,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A February warmup caused mainly road damage to Fremont County with some minor flooding." +113915,682550,IDAHO,2017,February,Flood,"JEFFERSON",2017-02-05 12:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,2.43M,2430000,0.00K,0,44,-112.22,43.93,-112.6506,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A significant warmup in February caused massive sheet flooding from snowfall accumulation from December and January. Extensive damage occurred to homes and especially road damage. The state declared Jefferson County a disaster area due to the magnitude of the damage. Road flooding occurred near Roberts on the 11th and 12th, but extreme flooding commenced after the 19th mainly west of Interstate 15. 600 North was closed from 2450 East to 2300 East. 400 North was closed from 2400 East to 1800 East. 2300 East was closed from County Line to 400 North. 2100 East was closed from County Line to 400 North. 2600 East was closed from 200 North to 400 North and 1800 East was closed from 400 North to 1200 North. Water on some roads reached levels that caused automobiles to float. Road crews described some roads similar to waterfalls." +113586,679934,MASSACHUSETTS,2017,February,Drought,"EASTERN FRANKLIN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in southwestern Franklin County through the month of February." +121208,725650,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:25:00,EST-5,2017-10-15 16:25:00,0,0,0,0,15.00K,15000,0.00K,0,42.56,-77.7,42.56,-77.7,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Morey Avenue." +121208,725661,NEW YORK,2017,October,Thunderstorm Wind,"OSWEGO",2017-10-15 16:46:00,EST-5,2017-10-15 16:46:00,0,0,0,0,12.00K,12000,0.00K,0,43.4,-76.48,43.4,-76.48,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725662,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:50:00,EST-5,2017-10-15 16:50:00,0,0,0,0,10.00K,10000,0.00K,0,42.82,-77.13,42.82,-77.13,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725663,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:52:00,EST-5,2017-10-15 16:52:00,0,0,0,0,10.00K,10000,0.00K,0,42.82,-77.13,42.82,-77.13,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725651,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:27:00,EST-5,2017-10-15 16:27:00,0,0,0,0,12.00K,12000,0.00K,0,42.56,-77.7,42.56,-77.7,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Park Avenue." +112706,672948,VERMONT,2017,February,Winter Storm,"EASTERN FRANKLIN",2017-02-15 13:00:00,EST-5,2017-02-16 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to ten inches of snow fell across the region." +112706,672950,VERMONT,2017,February,Winter Storm,"ORLEANS",2017-02-15 14:00:00,EST-5,2017-02-16 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to ten inches of snow fell across the region." +121208,725653,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:30:00,EST-5,2017-10-15 16:30:00,0,0,0,0,8.00K,8000,0.00K,0,42.9,-77.4,42.9,-77.4,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +114087,683169,NEW YORK,2017,February,Thunderstorm Wind,"ST. LAWRENCE",2017-02-25 12:45:00,EST-5,2017-02-25 13:00:00,0,0,0,0,25.00K,25000,0.00K,0,44.42,-75.47,44.42,-75.47,"A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across northern New York during the afternoon of February 25th. Yet, a strong cold front moved through during the afternoon hours and developed several lines of strong to severe thunderstorms that impacted much of New York and portions of western, southern New England...including portions of northern New York with some wind damage in the form of downed trees and power outages.","Numerous reports of trees and powerlines down from thunderstorm winds from near Gouverneur to DeKalb." +114087,683172,NEW YORK,2017,February,Thunderstorm Wind,"ESSEX",2017-02-25 17:00:00,EST-5,2017-02-25 17:35:00,0,0,0,0,20.00K,20000,0.00K,0,43.83,-73.73,43.83,-73.73,"A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across northern New York during the afternoon of February 25th. Yet, a strong cold front moved through during the afternoon hours and developed several lines of strong to severe thunderstorms that impacted much of New York and portions of western, southern New England...including portions of northern New York with some wind damage in the form of downed trees and power outages.","Strong winds associated with convective showers caused scattered tree damage and power outages from Schroon Lake to Ticonderoga." +113981,682612,CALIFORNIA,2017,February,Flash Flood,"LOS ANGELES",2017-02-11 15:04:00,PST-8,2017-02-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3952,-118.4166,34.3919,-118.4172,"Heavy showers and isolated thunderstorms generated heavy rain across the burn scar of the Sand Fire. Mud and debris flows were reported across Sand Canyon and Iron Canyon Roads.","Heavy showers and isolated thunderstorms generated mud and debris flow around the Sand Fire burn scar. Mud and debris flows were reported across Sand Canyon Road and Iron Canyon Road." +113640,680239,NEBRASKA,2017,April,Hail,"JEFFERSON",2017-04-09 19:31:00,CST-6,2017-04-09 19:31:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-97.35,40.32,-97.35,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680240,NEBRASKA,2017,April,Hail,"SALINE",2017-04-09 19:51:00,CST-6,2017-04-09 19:51:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-97.03,40.43,-97.03,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +120960,724040,MISSOURI,2017,December,Thunderstorm Wind,"BENTON",2017-12-04 16:39:00,CST-6,2017-12-04 16:39:00,0,0,0,0,1.00K,1000,0.00K,0,38.31,-93.39,38.31,-93.39,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","A metal carport was blown down and damaged." +114887,689210,ARIZONA,2017,April,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-04-08 16:15:00,MST-7,2017-04-08 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving across the Great Basin and Arizona brought windy conditions to much of northern Arizona. High southwest winds hit areas northeast of the White Mountains.","The Springerville Airport ASOS reported a peak wind gust of 59 MPH at 425 PM MST." +113503,679469,MISSOURI,2017,February,Hail,"WASHINGTON",2017-02-28 15:25:00,CST-6,2017-02-28 15:40:00,0,0,0,0,0.00K,0,0.00K,0,38.0016,-90.869,37.9918,-90.6962,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +120960,724041,MISSOURI,2017,December,Thunderstorm Wind,"ST. CLAIR",2017-12-04 16:48:00,CST-6,2017-12-04 16:48:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-93.62,37.89,-93.62,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","There was a picture on social media of a tree snapped in Collins." +120960,724042,MISSOURI,2017,December,Thunderstorm Wind,"MCDONALD",2017-12-04 17:15:00,CST-6,2017-12-04 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-94.33,36.61,-94.33,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","Three trees were blown down on Big Sugar Creek Road east of Pineville." +120960,724043,MISSOURI,2017,December,Thunderstorm Wind,"GREENE",2017-12-04 17:55:00,CST-6,2017-12-04 17:55:00,0,0,0,0,10.00K,10000,0.00K,0,37.29,-93.43,37.29,-93.43,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","A NWS storm survey revealed that straight line winds between 75 and 80 mph damaged multiple trees, ripped shingles off several homes, and damaged a pole barn on the southwest side of Willard." +120960,724044,MISSOURI,2017,December,Thunderstorm Wind,"GREENE",2017-12-04 18:05:00,CST-6,2017-12-04 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.28,-93.46,37.28,-93.46,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","Several power lines were blown down." +120960,724045,MISSOURI,2017,December,Thunderstorm Wind,"GREENE",2017-12-04 18:05:00,CST-6,2017-12-04 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,37.29,-93.44,37.29,-93.44,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","There was damage to a barn." +113503,679474,MISSOURI,2017,February,Hail,"JEFFERSON",2017-02-28 15:55:00,CST-6,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,38.042,-90.4985,38.042,-90.4985,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679477,MISSOURI,2017,February,Hail,"LINCOLN",2017-02-28 16:07:00,CST-6,2017-02-28 16:11:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-90.8,39.1682,-90.769,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679482,MISSOURI,2017,February,Hail,"CRAWFORD",2017-02-28 16:12:00,CST-6,2017-02-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-91.28,37.8517,-91.2742,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Golfball sized hail caused extensive siding and roof damage to several homes in Cherryville." +113504,679484,ILLINOIS,2017,February,Hail,"JERSEY",2017-02-28 16:18:00,CST-6,2017-02-28 16:18:00,0,0,0,0,0.00K,0,0.00K,0,39.0131,-90.3415,39.0131,-90.3415,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679487,MISSOURI,2017,February,Hail,"WASHINGTON",2017-02-28 16:45:00,CST-6,2017-02-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,38.1636,-90.8215,38.1237,-90.8,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +112433,681976,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 08:24:00,PST-8,2017-02-21 10:24:00,0,0,0,0,0.00K,0,0.00K,0,37.1915,-121.6912,37.1913,-121.6919,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Flooding reported at NB 101 and Coyote Creek Golf Dr." +112433,681984,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 09:39:00,PST-8,2017-02-21 11:39:00,0,0,0,0,0.00K,0,0.00K,0,37.1943,-121.6967,37.1939,-121.6972,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Breach in Coyote Canal along Coyote Creek. Flooding just east of 101." +112433,681986,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 10:02:00,PST-8,2017-02-21 12:02:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-121.86,37.3188,-121.8588,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Multiple homes flooded in the San Jose Nordale area at Senter and Phelan." +112433,681991,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 10:08:00,PST-8,2017-02-21 12:08:00,0,0,0,0,0.00K,0,0.00K,0,37.3648,-121.8913,37.3647,-121.8916,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Flooding reported at Oakland Rd and Commercial St in San Jose." +112433,681992,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 12:36:00,PST-8,2017-02-21 14:36:00,0,0,0,0,0.00K,0,0.00K,0,37.1929,-121.6973,37.1925,-121.6965,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","HWY 101 flooding near Coyote Creek." +112433,681994,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-20 05:40:00,PST-8,2017-02-20 07:40:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-122.7248,38.0195,-122.7243,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Sir Francis Drake Blvd currently closed in both directions near Samuel P Taylor Park due to mudslide and large trees in the roadway." +112433,681995,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-20 05:45:00,PST-8,2017-02-20 07:45:00,0,0,0,0,0.00K,0,0.00K,0,36.971,-121.8733,36.9707,-121.8735,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Slow lane of NB SR 1 is blocked by mudslide near Freedom Blvd." +112433,681996,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 07:36:00,PST-8,2017-02-20 07:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking Rogge Rd." +112433,681997,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 07:36:00,PST-8,2017-02-20 07:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree and wires in Castroville Blvd between Paradise and Archer." +113743,684732,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-09 20:26:00,PST-8,2017-02-09 21:26:00,0,0,0,0,0.00K,0,0.00K,0,36.8086,-121.6229,36.8084,-121.6233,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mud/dirt/rocks across Crazy Horse Cyn Rd at Wild Horse Rd." +113521,679542,ILLINOIS,2017,February,Flood,"GALLATIN",2017-02-01 00:00:00,CST-6,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-88.13,37.6942,-88.1289,"Some residual minor flooding on the Wabash and Ohio Rivers ended on the first day of the month as conditions dried out.","Minor flooding ended on the Ohio River in the Shawneetown area. The minor flooding began in January. Some low-lying fields and woodlands were underwater." +113521,679543,ILLINOIS,2017,February,Flood,"WHITE",2017-02-01 00:00:00,CST-6,2017-02-01 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.0354,-88.041,38.0287,-88.0108,"Some residual minor flooding on the Wabash and Ohio Rivers ended on the first day of the month as conditions dried out.","Minor flooding on the Wabash River ended shortly after midnight. The flooding began in January. Some low-lying fields were underwater." +113522,679544,INDIANA,2017,February,Flood,"POSEY",2017-02-01 00:00:00,CST-6,2017-02-01 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.1011,-87.93,38.1227,-87.9456,"Some residual minor flooding on the Wabash River ended on the first day of the month as conditions dried out.","Minor flooding on the Wabash River ended shortly after midnight. The flooding began in January. Some low-lying fields and woods near the river were underwater." +113528,679582,ILLINOIS,2017,February,Strong Wind,"ALEXANDER",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679583,ILLINOIS,2017,February,Strong Wind,"GALLATIN",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679584,ILLINOIS,2017,February,Strong Wind,"HARDIN",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679585,ILLINOIS,2017,February,Strong Wind,"JACKSON",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +121208,725630,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 16:00:00,EST-5,2017-10-15 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.05,-77.51,43.05,-77.51,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Thornell Road." +121208,725632,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:02:00,EST-5,2017-10-15 16:02:00,0,0,0,0,8.00K,8000,0.00K,0,42.98,-77.41,42.98,-77.41,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725598,NEW YORK,2017,October,Thunderstorm Wind,"ERIE",2017-10-15 14:54:00,EST-5,2017-10-15 14:54:00,0,0,0,0,15.00K,15000,0.00K,0,42.91,-78.7,42.91,-78.7,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Thunderstorm winds knocked over a large tree onto a house in Depew." +121208,725633,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 16:03:00,EST-5,2017-10-15 16:03:00,0,0,0,0,10.00K,10000,0.00K,0,43.08,-77.5,43.08,-77.5,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds near Mitchell Road and Route 31." +121208,725634,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:05:00,EST-5,2017-10-15 16:05:00,0,0,0,0,7.00K,7000,0.00K,0,42.72,-77.88,42.72,-77.88,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725635,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 16:05:00,EST-5,2017-10-15 16:05:00,0,0,0,0,8.00K,8000,0.00K,0,43.09,-77.47,43.09,-77.47,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Crystal Spring Lane." +121208,725636,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:06:00,EST-5,2017-10-15 16:06:00,0,0,0,0,8.00K,8000,0.00K,0,42.82,-77.67,42.82,-77.67,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725670,NEW YORK,2017,October,Thunderstorm Wind,"LEWIS",2017-10-15 17:25:00,EST-5,2017-10-15 17:25:00,0,0,0,0,10.00K,10000,0.00K,0,43.84,-75.44,43.84,-75.44,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725671,NEW YORK,2017,October,Thunderstorm Wind,"LEWIS",2017-10-15 17:29:00,EST-5,2017-10-15 17:29:00,0,0,0,0,10.00K,10000,0.00K,0,43.78,-75.44,43.78,-75.44,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement report trees and wires downed by thunderstorm winds." +114786,693010,KANSAS,2017,May,Thunderstorm Wind,"RENO",2017-05-19 16:35:00,CST-6,2017-05-19 16:36:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-97.91,38.07,-97.91,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","A nine inch diameter tree limb was blown down." +114786,693011,KANSAS,2017,May,Hail,"HARVEY",2017-05-19 18:00:00,CST-6,2017-05-19 18:01:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-97.34,38.04,-97.34,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","" +114786,693012,KANSAS,2017,May,Thunderstorm Wind,"RENO",2017-05-19 15:50:00,CST-6,2017-05-19 15:51:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-98.35,37.87,-98.35,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Relayed via Emergency Manager." +114786,693013,KANSAS,2017,May,Thunderstorm Wind,"RENO",2017-05-19 17:02:00,CST-6,2017-05-19 17:03:00,0,0,0,0,0.00K,0,0.00K,0,38.14,-97.77,38.14,-97.77,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Reported via trained spotter." +114786,693014,KANSAS,2017,May,Thunderstorm Wind,"HARVEY",2017-05-19 18:00:00,CST-6,2017-05-19 18:01:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-97.34,38.04,-97.34,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Reported via storm chaser." +112308,673110,NEW JERSEY,2017,February,Winter Weather,"WESTERN MONMOUTH",2017-02-09 23:01:00,EST-5,2017-02-09 23:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 7.0 inches were measured in Holmdel during the evening of Feb 9." +112840,674777,MISSOURI,2017,February,Hail,"TEXAS",2017-02-28 17:15:00,CST-6,2017-02-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-92.12,37.27,-92.12,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","This report was from social media near Bado, Missouri." +114785,688520,KANSAS,2017,May,Tornado,"BARTON",2017-05-18 15:30:00,CST-6,2017-05-18 15:31:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.82,38.3512,-98.8187,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Brief touchdown over open country." +114785,688521,KANSAS,2017,May,Tornado,"BARTON",2017-05-18 16:23:00,CST-6,2017-05-18 16:24:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-98.85,38.3923,-98.8474,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Brief touchdown over open country." +114785,688522,KANSAS,2017,May,Tornado,"BARTON",2017-05-18 16:49:00,CST-6,2017-05-18 16:51:00,0,0,0,0,0.00K,0,0.00K,0,38.38,-98.83,38.3872,-98.8231,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Rope tornado reported over open country." +112840,674786,MISSOURI,2017,February,Hail,"WRIGHT",2017-02-28 17:17:00,CST-6,2017-02-28 17:17:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-92.26,37.13,-92.26,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674793,MISSOURI,2017,February,Hail,"VERNON",2017-02-28 23:00:00,CST-6,2017-02-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.51,37.84,-94.51,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674796,MISSOURI,2017,February,Hail,"VERNON",2017-02-28 23:06:00,CST-6,2017-02-28 23:06:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-94.37,37.83,-94.37,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674797,MISSOURI,2017,February,Hail,"VERNON",2017-02-28 23:15:00,CST-6,2017-02-28 23:15:00,0,0,0,0,0.00K,0,0.00K,0,37.9,-94.23,37.9,-94.23,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +113076,676307,WYOMING,2017,February,High Wind,"LANDER FOOTHILLS",2017-02-09 18:32:00,MST-7,2017-02-10 00:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","High wind blew for several hours in Sinks Canyon State Park. The weather station had several gusts over 58 mph including a maximum of 69 mph." +113076,676308,WYOMING,2017,February,High Wind,"WIND RIVER BASIN",2017-02-09 17:46:00,MST-7,2017-02-10 00:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","The RAWS site at Sharpnose, 3 miles outside of Hudson, had several wind gusts past 58 mph, including a maximum gust of 73 mph." +113683,682143,NEBRASKA,2017,April,Hail,"DODGE",2017-04-15 18:59:00,CST-6,2017-04-15 18:59:00,0,0,0,0,0.00K,0,0.00K,0,41.7716,-96.4926,41.7716,-96.4926,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682145,NEBRASKA,2017,April,Hail,"BURT",2017-04-15 19:11:00,CST-6,2017-04-15 19:11:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-96.36,41.78,-96.36,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682146,NEBRASKA,2017,April,Hail,"BURT",2017-04-15 19:28:00,CST-6,2017-04-15 19:28:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-96.22,41.78,-96.22,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682147,NEBRASKA,2017,April,Hail,"BURT",2017-04-15 19:22:00,CST-6,2017-04-15 19:22:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-96.22,41.7,-96.22,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682148,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-15 19:29:00,CST-6,2017-04-15 19:29:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-95.83,40.13,-95.83,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682149,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-15 19:40:00,CST-6,2017-04-15 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-95.74,40.13,-95.74,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682150,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-15 20:05:00,CST-6,2017-04-15 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.07,-95.6,40.07,-95.6,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682159,NEBRASKA,2017,April,Thunderstorm Wind,"CUMING",2017-04-15 18:40:00,CST-6,2017-04-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-96.71,41.84,-96.71,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682160,NEBRASKA,2017,April,Thunderstorm Wind,"BURT",2017-04-15 19:11:00,CST-6,2017-04-15 19:11:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-96.36,41.78,-96.36,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682162,NEBRASKA,2017,April,Tornado,"OTOE",2017-04-15 15:58:00,CST-6,2017-04-15 16:11:00,0,0,0,0,0.00K,0,0.00K,0,40.7086,-96.1268,40.7007,-96.1007,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","A tornado was observed from development to dissipation via live stream from storm chasers in the area. The tornado moved very slowly over open county and caused no damage. The tornado was highly visible due to the relatively high cloud bases associated with the supercell and was reported from several miles away from numerous sources." +113440,678908,OHIO,2017,February,Winter Weather,"PREBLE",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage west of West Alexandria measured an inch of snow. A spotter and a CoCoRaHS observer in and around Eaton both measured 0.9 inches." +113440,678909,OHIO,2017,February,Winter Weather,"ROSS",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","A CoCoRaHS observer located 4 miles south of Chillicothe measured 0.7 inches of snow." +113440,678910,OHIO,2017,February,Winter Weather,"UNION",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage near Marysville measured 3.5 inches of snow." +113440,678911,OHIO,2017,February,Winter Weather,"WARREN",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage south of Lebanon measured an inch of snow. A CoCoRaHS observer north of Maineville measured 0.7 inches of snow." +113253,677604,NEW YORK,2017,February,Winter Storm,"EASTERN ALBANY",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +112693,672858,MASSACHUSETTS,2017,February,Heavy Snow,"NORTHERN BERKSHIRE",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. Storm total snowfall of 8 to 16 inches was observed from the wee hours through the early afternoon hours of February 9.","" +112693,672859,MASSACHUSETTS,2017,February,Heavy Snow,"SOUTHERN BERKSHIRE",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. Storm total snowfall of 8 to 16 inches was observed from the wee hours through the early afternoon hours of February 9.","" +112694,672860,VERMONT,2017,February,Heavy Snow,"BENNINGTON",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. Storm total snowfall of 8 to 14 inches was observed from the wee hours through the early afternoon hours of February 9.","" +112694,672861,VERMONT,2017,February,Heavy Snow,"EASTERN WINDHAM",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. Storm total snowfall of 8 to 14 inches was observed from the wee hours through the early afternoon hours of February 9.","" +112694,672862,VERMONT,2017,February,Heavy Snow,"WESTERN WINDHAM",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. Storm total snowfall of 8 to 14 inches was observed from the wee hours through the early afternoon hours of February 9.","" +113260,677654,VERMONT,2017,February,Winter Storm,"EASTERN WINDHAM",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. The snowfall diminished Sunday evening, except over the higher terrain areas of the Greens, where accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon. ||In total, 7 to 12 inches of snowfall occurred through most of the local area, with up to 20 over the higher terrain of the Green Mountains.","" +113447,679132,WYOMING,2017,February,High Wind,"LANDER FOOTHILLS",2017-02-20 13:35:00,MST-7,2017-02-21 15:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","A 63 mph wind gust was measured at the Lander airport. A maximum wind gust of 65 mph was recorded at the weather station on the North Fork of the Popo Agie River." +113447,679134,WYOMING,2017,February,High Wind,"CODY FOOTHILLS",2017-02-22 02:45:00,MST-7,2017-02-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","An 80 mph gust was recorded 5 miles WNW of Clark." +113447,679135,WYOMING,2017,February,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-02-20 09:00:00,MST-7,2017-02-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","Heavy snow fell in portions of the Teton Mountains. The highest amount recorded was 13 inches at Granite Creek." +113447,679136,WYOMING,2017,February,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-02-20 13:00:00,MST-7,2017-02-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","Heavy snow fell in portions of the Salt and Wyoming Range. The highest amounts recorded was 15 inches at Blind Bull Summit." +113025,675589,IOWA,2017,February,Blizzard,"KOSSUTH",2017-02-23 20:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675586,IOWA,2017,February,Blizzard,"SAC",2017-02-24 00:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675587,IOWA,2017,February,Blizzard,"CRAWFORD",2017-02-24 00:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113282,677887,KENTUCKY,2017,February,Thunderstorm Wind,"CALLOWAY",2017-02-28 22:55:00,CST-6,2017-02-28 22:55:00,0,0,0,0,15.00K,15000,0.00K,0,36.62,-88.329,36.62,-88.329,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","A power pole was down on a building on the west side of Murray. There was also minor roof damage to a structure." +113282,677885,KENTUCKY,2017,February,Thunderstorm Wind,"TRIGG",2017-02-28 23:07:00,CST-6,2017-02-28 23:07:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-87.72,36.97,-87.72,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","A trained spotter reported a wind gust to 60 mph." +113236,677519,MISSOURI,2017,February,Hail,"MISSISSIPPI",2017-02-28 22:46:00,CST-6,2017-02-28 22:46:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-89.38,36.78,-89.38,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","" +113448,679149,OHIO,2017,April,Tornado,"CLARK",2017-04-05 17:58:00,EST-5,2017-04-05 17:59:00,0,0,0,0,50.00K,50000,0.00K,0,39.9358,-83.9143,39.9363,-83.9123,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Widespread wind damage was observed west of Springfield in the|Tecumseh Trails Subdivision and along North Tecumseh Road north|of New Carlisle Pike. Several homes in the Tecumseh Trails|subdivision sustained roof damage indicative of 75 to 80 mph |winds. However, all of the debris was scattered in a northerly to |northeasterly direction, with no ground based evidence of a |tornado apparent. There was no evidence of light mud nor debris |splatter in the downwind facing side of the homes. However, the |wind damage was significant, resulting in a large section of roof |removed from one home, with other homes in the area sustaining |smaller sections of roof damage. There was additional tree damage|along New Carlisle Pike, including damage to a fence caused by |damaged trees. ||Where tornado damage was evident was further east along North |Tecumseh Road. Roof and siding damage was sustained by several |homes. One home had clear debris splatter on the north facing side|of the home, as well as splatter and damage on an eastward facing|porch. This strongly suggests winds traveling in an opposite |direction of the north to northeastward moving storm and provides |evidence of tornadic damage. ||The storm traveling through this area of Clark County had|significant winds producing widespread tree and roof damage.|Nearly all of the damage surveyed was pretty clearly in a|northerly to northeasterly direction, indicating strong straight|line wind damage. Damage caused by the brief tornado touchdown |along North Tecumseh Road was similar in magnitude to the |strongest straight line wind damage nearby. ||Through witness accounts, it is estimated that the tornado was on|the ground a very brief time, likely less than 1 minute." +113448,679150,OHIO,2017,April,Thunderstorm Wind,"BUTLER",2017-04-05 16:44:00,EST-5,2017-04-05 16:49:00,0,0,0,0,5.00K,5000,0.00K,0,39.51,-84.75,39.51,-84.75,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Numerous trees were knocked down in Oxford Township." +113448,679151,OHIO,2017,April,Thunderstorm Wind,"PREBLE",2017-04-05 17:06:00,EST-5,2017-04-05 17:09:00,0,0,0,0,1.00K,1000,0.00K,0,39.65,-84.53,39.65,-84.53,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","One tree was knocked down." +113448,679152,OHIO,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 17:18:00,EST-5,2017-04-05 17:21:00,0,0,0,0,3.00K,3000,0.00K,0,39.73,-84.4,39.73,-84.4,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tin roof of a barn was pulled back." +113448,679270,OHIO,2017,April,Thunderstorm Wind,"CLARK",2017-04-05 17:55:00,EST-5,2017-04-05 18:00:00,0,0,0,0,0.50K,500,0.00K,0,39.9,-83.93,39.9,-83.93,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Several large tree limbs were knocked down near Enon Road." +113808,681442,ALABAMA,2017,February,Drought,"RANDOLPH",2017-02-01 00:00:00,CST-6,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of east central Alabama eased the drought conditions.","Significant rainfall during the month of February lowered the drought intensity to a D1 category." +113808,681435,ALABAMA,2017,February,Drought,"TALLADEGA",2017-02-01 00:00:00,CST-6,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of east central Alabama eased the drought conditions.","Significant rainfall during the month of February lowered the drought intensity to a D1 category." +113809,681445,ALABAMA,2017,February,Drought,"SUMTER",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113809,681446,ALABAMA,2017,February,Drought,"GREENE",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113809,681447,ALABAMA,2017,February,Drought,"HALE",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113809,681448,ALABAMA,2017,February,Drought,"LAMAR",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113809,681449,ALABAMA,2017,February,Drought,"MARION",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113809,681450,ALABAMA,2017,February,Drought,"WINSTON",2017-02-21 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall and above normal temperatures brought a few counties back to D2 status.","Below normal rainfall and above normal temperatures caused the drought intensity to change from a D1 to a D2 status." +113810,681453,ALABAMA,2017,February,Drought,"JEFFERSON",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures caused the drought intensity to increase from D2 to D3." +113810,681454,ALABAMA,2017,February,Drought,"PICKENS",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures caused the drought intensity to increase from D2 to D3." +112993,675289,NORTH DAKOTA,2017,January,High Wind,"PIERCE",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for southwestern Pierce County based on the Denhoff NDDOT site report in Sheridan County." +112993,675290,NORTH DAKOTA,2017,January,High Wind,"WELLS",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for western Wells County based on the Denhoff NDDOT site report in Sheridan County." +112993,675291,NORTH DAKOTA,2017,January,High Wind,"KIDDER",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for western Kidder County based on the Long Lake RAWS report in Burleigh County." +112993,675292,NORTH DAKOTA,2017,January,High Wind,"EMMONS",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for northern Emmons County based on the Long Lake RAWS report in Burleigh County." +112993,675293,NORTH DAKOTA,2017,January,High Wind,"FOSTER",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for southern Foster County based on the Medina NDDOT site report in Stutsman County." +112993,675294,NORTH DAKOTA,2017,January,High Wind,"LOGAN",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for northern Logan County based on the Medina NDDOT site report in Stutsman County." +112993,675295,NORTH DAKOTA,2017,January,High Wind,"LA MOURE",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for northern LaMoure County based on the Medina NDDOT site report in Stutsman County." +112993,675285,NORTH DAKOTA,2017,January,High Wind,"STARK",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for eastern Stark County based on the Morton County report." +120818,723484,OHIO,2017,November,Tornado,"ASHLAND",2017-11-05 17:29:00,EST-5,2017-11-05 17:33:00,0,0,0,0,150.00K,150000,0.00K,0,40.7853,-82.3035,40.79,-82.265,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF0 tornado touched down in rural Ashland County near the intersection of U.S. Route 30 and State Route 511. Some hardwood trees at that location were either toppled or damage. The tornado then intensified to EF1 strength as it continued east northeast across open farmland. A farm wagon was tossed and destroyed by the tornado and a cow was thrown and sustained a broken leg. The tornado heavily damaged a home along State Route 60 about a third of a mile north of U.S. 30. The house lost about half of its roof and had a brick chimney toppled. Some windows were blown out and the house lost siding on all four sides. An adjacent car port was leveled and a large overhead door in a nearby garage was blown in. The 90 year old occupant of the house was not injured. After striking the house, the tornado weakened and eventually lifted just east of State Route 60. The damage path from this tornado was just over two miles in length." +114660,687720,KANSAS,2017,April,Hail,"CHAUTAUQUA",2017-04-25 18:16:00,CST-6,2017-04-25 18:17:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-96.08,37.21,-96.08,"A couple of marginally severe thunderstorms produced some quarter-sized hail in Chautauqua, Elk and Montgomery Counties in the evening. There were only 3 reports, one in each county and each 1 inch in diameter.","This was a delayed report received via Face Book." +114660,687721,KANSAS,2017,April,Hail,"ELK",2017-04-25 18:30:00,CST-6,2017-04-25 18:31:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-96.3,37.32,-96.3,"A couple of marginally severe thunderstorms produced some quarter-sized hail in Chautauqua, Elk and Montgomery Counties in the evening. There were only 3 reports, one in each county and each 1 inch in diameter.","This was also a delayed report received via Face Book. The time of the event was estimated from radar." +113103,676441,SOUTH DAKOTA,2017,January,Heavy Snow,"JONES",2017-01-24 09:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +113103,676440,SOUTH DAKOTA,2017,January,Heavy Snow,"STANLEY",2017-01-24 09:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +114784,692976,KANSAS,2017,May,Hail,"LINCOLN",2017-05-17 06:02:00,CST-6,2017-05-17 06:03:00,0,0,0,0,0.00K,0,0.00K,0,39.15,-98.4,39.15,-98.4,"A cyclic supercell thunderstorm produced a long track tornado across portions of Barton county, Kansas. The tornado initially touched down 3 miles west of Larned, Kansas (See NWS Dodge City, Kansas narrative for more information on the initial touchdown), traveling northeast, near Pawnee Rock, Kansas to 3 miles west of Great Bend, Kansas to just west of Hoisington, Kansas. The tornado was on the ground for 27 miles with damage rated from EF0 to a high end EF3 (3 miles west of Great Bend, Kansas). Two minor injuries were reported. Another minor tornado touchdown occurred in open country.","" +113103,676442,SOUTH DAKOTA,2017,January,Heavy Snow,"SULLY",2017-01-24 10:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +113103,676444,SOUTH DAKOTA,2017,January,Heavy Snow,"HUGHES",2017-01-24 09:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +113103,676446,SOUTH DAKOTA,2017,January,Heavy Snow,"LYMAN",2017-01-24 09:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +113103,676447,SOUTH DAKOTA,2017,January,Heavy Snow,"HYDE",2017-01-24 10:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +111786,666741,ARIZONA,2017,January,Winter Storm,"WHITE MOUNTAINS OF GRAHAM AND GREENLEE COUNTIES",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Heavy snow occurred in the higher elevations of Graham and Greenlee Coutnies along with strong winds. The Hannagan Meadow SNOTEL received about 18 inches of snow." +111786,666742,ARIZONA,2017,January,Winter Storm,"GALIURO AND PINALENO MOUNTAINS",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","The higher elevations of the Galiuro and Pianelo mountains received heavy snow and strong winds. Estimates on Mt. Graham are of snow amounts around 2 feet." +111786,666743,ARIZONA,2017,January,Winter Storm,"SANTA CATALINA AND RINCON MOUNTAINS",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Very heavy snow and strong damaging winds occurred on the Santa Catalina and Rincon Mountains. Numerous trees were toppled over along Catalina Highway near Mt. Lemmon. Additionally, one felled tree damaged a cable line on one of Ski Valley's ski lifts. Power was lost to most of the mountain for nearly 48 hours, and several communication and broadcast transmission towers were inoperable for several hours before backup generators functioned properly. Reports of 18 to 24 inches of snow were common. At lower elevations, rain caused rock slides that blocked portions of Catalina Highway and damaged guard rails." +111786,666744,ARIZONA,2017,January,Winter Storm,"CHIRICAHUA MOUNTAINS",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Heavy snow and strong winds occurred on the higher elevations of the Chiricahua Mountains." +111786,666745,ARIZONA,2017,January,Winter Storm,"DRAGOON/MULE/HUACHUCA AND SANTA RITA MOUNTAINS",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Heavy snow and strong winds occurred on the higher elevations of the Huachuca and Santa Rita mountains." +113872,681937,KENTUCKY,2017,April,Flood,"WHITLEY",2017-04-23 07:30:00,EST-5,2017-04-23 07:40:00,0,0,0,0,0.00K,0,0.00K,0,36.7465,-84.1627,36.7465,-84.1634,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","Local media relayed a report of a man rescued unharmed from the Cumberland River near Williamsburg as high waters carried him downstream 30 yards." +113872,681938,KENTUCKY,2017,April,Flood,"WHITLEY",2017-04-23 13:10:00,EST-5,2017-04-23 15:10:00,0,0,0,0,0.00K,0,0.00K,0,36.7069,-84.135,36.7075,-84.1321,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A Skywarn spotter observed water about three inches deep flowing over Tackett Creek Road south of Williamsburg." +113872,681940,KENTUCKY,2017,April,Flood,"BELL",2017-04-23 15:50:00,EST-5,2017-04-23 19:20:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-83.9319,36.59,-83.9299,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A citizen reported water across Kentucky Highway 190 west of Pruden." +113157,676862,WASHINGTON,2017,January,Blizzard,"MOSES LAKE AREA",2017-01-10 14:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass invaded the region creating windy conditions over the Columbia Basin. Sustained northeast winds of 25 to 30 mph with gusts as high as 40 mph created blowing and drifting snow with low visibility in the Moses lake area and Waterville Plateau during the afternoon and evening of January 10th. Numerous cars had to be abandoned in snow drifts overnight and some roads were closed through the night. In the Palouse region several vehicles were stranded in drifting snow along Highway 27 between Fairfield and Tekoa. Heavy equipment dispatched to clear the road also became temporarily stuck.","The Grant County Sheriff reported areas of near zero visibility and many vehicles stuck in snow drifts on county roads and state routes in the Quincy and Winchester area. The ASOS observations from nearby Moses Lake Airport and Ephrata Airport reported 25 to 30 mph sustained winds with gusts to 35 mph during this time frame." +113157,676864,WASHINGTON,2017,January,Blizzard,"WATERVILLE PLATEAU",2017-01-10 14:00:00,PST-8,2017-01-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass invaded the region creating windy conditions over the Columbia Basin. Sustained northeast winds of 25 to 30 mph with gusts as high as 40 mph created blowing and drifting snow with low visibility in the Moses lake area and Waterville Plateau during the afternoon and evening of January 10th. Numerous cars had to be abandoned in snow drifts overnight and some roads were closed through the night. In the Palouse region several vehicles were stranded in drifting snow along Highway 27 between Fairfield and Tekoa. Heavy equipment dispatched to clear the road also became temporarily stuck.","Highway 2 in Douglas County was closed due to blowing and drifting snow and poor visibility between Waterville and Coulee City. The Douglas RAWS observation site reported sustained winds of 25 to 30 mph with gusts near 40 mph during this time frame." +115702,695331,IDAHO,2017,April,Flood,"BANNOCK",2017-04-04 01:00:00,MST-7,2017-04-25 04:00:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-112.43,42.8291,-112.4858,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","The Portneuf River continued to flood through much of April with the gauge in Pocatello above flood stage much of the month and occasionally to moderate flooding stage. Sacajawea Park was under water for much of the month. Some flooding continued also in the Inkom area from the river with the area between BlackRock and Inkom off Portneuf road, and the subdivision off of Leo Lane." +115702,695341,IDAHO,2017,April,Flood,"CARIBOU",2017-04-04 02:00:00,MST-7,2017-04-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,43.0524,-111.37,42.98,-111.4689,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","Flooding subsided in April with only minor flooding continuing mainly field sheet flooding in the bird refuge in Wayan." +115702,695531,IDAHO,2017,April,Flood,"BLAINE",2017-04-01 00:01:00,MST-7,2017-04-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,43.3312,-114.4403,43.28,-114.4694,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","Continued releases from Magic Reservoir closed West Magic Road due to flooding on the 1st and 2nd and only short openings on the 3rd through the 5th to allow residents of West Magic Village to get to work. By the end of the first week of April residents had open travel access to the West Magic Village." +113161,676955,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-01-17 08:00:00,PST-8,2017-01-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer at Stehekin measured 10 inches of new snow accumulation." +113161,676957,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-01-17 08:00:00,PST-8,2017-01-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","The observer at Holden Village measured 11.5 inches of new snow accumulation." +113161,676964,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-01-17 08:00:00,PST-8,2017-01-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Seven inches of new snow accumulation was recorded near Leavenworth. Some sleet and freezing rain was also noted during the event." +112668,677116,IDAHO,2017,January,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-01-07 12:00:00,PST-8,2017-01-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","Five inches of new snow accumulation was reported 14 miles southwest of Avery." +112668,677117,IDAHO,2017,January,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-01-07 15:00:00,PST-8,2017-01-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","The Silver Mountain Ski Resort reported 13 inches of new snow while the Lookout Pass Ski Resort reported 21 inches." +112668,677118,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-07 15:00:00,PST-8,2017-01-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","A spotter near Moyie Springs measured 4 inches of new snow accumulation." +112668,677119,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-07 17:00:00,PST-8,2017-01-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","Four inches of new snow accumulation was measured at Oldtown." +112668,677120,IDAHO,2017,January,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-01-07 15:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","An observer at Prichard measured 6 inches of new snow accumulation." +113191,677121,WASHINGTON,2017,January,Heavy Snow,"WASHINGTON PALOUSE",2017-01-07 14:00:00,PST-8,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","A spotter reported 4 inches of new snow at Palouse." +113214,677346,TEXAS,2017,January,Frost/Freeze,"HIDALGO",2017-01-07 03:45:00,CST-6,2017-01-07 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","The COOP site in Edinburg and Santa Rosa reported lows of 29 degrees. The La Joya COOP site reported a low of 27 degrees. The COOP site in McAllen reported a low of 31 degrees. The COOP sites in San Manuel and McCook reported low temperatures of 28 degrees. The ASOS site at McAllen Miller International Airport reported freezing temperatures for n hour, with a low of 32 degrees. The AWOS site at the Weslaco Airport (KT65) reported freezing temperatures for 6 hours, with a low of 29 degrees. Santa Ana Remote Automated Weather System (LWRT2) reported freezing temperatures for 5 hours, with a low of 30 degrees. The AWOS at Edinburg Airport (KEBG) reported freezing temperatures for 3 hours, with a low of 30 degrees." +121099,724990,VERMONT,2017,December,Winter Storm,"LAMOILLE",2017-12-12 07:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 10 inches of snow fell across Lamoille county." +121099,724992,VERMONT,2017,December,Winter Storm,"WASHINGTON",2017-12-12 07:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 12 inches of snow fell across Washington county, including 12 inches in Waterbury, Waitsfield and Northfield." +121099,724995,VERMONT,2017,December,Winter Storm,"WESTERN RUTLAND",2017-12-12 07:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 5 to 12 inches of snow fell across Rutland county. Some specific reports include; 19 inches at Killington resort, 13 inches in Wallingford, 12 inches in Brandon and Middletown Springs and 9 inches in Rutland." +121099,724996,VERMONT,2017,December,Winter Storm,"EASTERN RUTLAND",2017-12-12 07:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 5 to 12 inches of snow fell across Rutland county. Some specific reports include; 19 inches at Killington resort, 13 inches in Wallingford, 12 inches in Brandon and Middletown Springs and 9 inches in Rutland." +121099,724998,VERMONT,2017,December,Winter Storm,"EASTERN ADDISON",2017-12-12 07:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 5 to 12 inches of snow fell across Addison county with Hancock reporting 12 inches and South Lincoln reporting 13 inches." +121099,725002,VERMONT,2017,December,Winter Storm,"WINDSOR",2017-12-12 08:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 8 to 16 inches of snow fell across Windsor county, including 17 inches in Rochester, 16 inches in Pomfret, 14 inches in Hartland, Ludlow and Andover." +121099,725005,VERMONT,2017,December,Winter Weather,"EASTERN CHITTENDEN",2017-12-12 08:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 8 inches fell across Chittenden county with a few isolated higher reports with the snow falling over a longer duration time frame." +121099,725006,VERMONT,2017,December,Winter Weather,"WESTERN CHITTENDEN",2017-12-12 08:00:00,EST-5,2017-12-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 8 inches fell across Chittenden county with a few isolated higher reports with the snow falling over a longer duration time frame." +121822,729255,MISSOURI,2017,December,Tornado,"CLARK",2017-12-04 17:13:00,CST-6,2017-12-04 17:26:00,1,0,0,0,100.00K,100000,4.00K,4000,40.3779,-91.6274,40.4014,-91.5,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th. This brought a cold front to along the Mississippi River by early evenings. Ahead of this cold front, scattered showers and thunderstorms moving northeastward across northeast Missouri. One of these storms produced damaging winds as it moved across Clark County. This storm also produced a tornado that caused EF-2 damage near the Highway 27 and 61 interchange before crossing the Des Moines River and moving into Iowa. One person was injured when the tornado hit a tractor trailer.","An NWS Storm Survey team found that an EF-2 tornado touched down in an open field southwest of Wayland, Missouri damaging trees and breaking windows. The tornado then moved east northeast over rural areas damaging trees. As the tornado approached Highway 27, it strengthened, causing EF-2 damage to power poles. The tornado hit a DOT facility, destroying doors and a salt shelter. When the tornado crossed the highway, a semi was overturned, causing one injury. The tornado crossed the Des Moines River into Iowa where it lifted. The peak estimated winds were 115 MPH." +113055,676370,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-22 15:30:00,PST-8,2017-01-22 17:30:00,0,0,2,0,10.00K,10000,0.00K,0,33.4296,-117.1505,33.414,-117.1649,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A swift water rescue team pulled a man from a submerged car in a small creek near Old Highway 395 and 5th St. in Rainbow. A young boy, also in the car, was swept down stream before rescuers arrived. The boys body was recovered on the 26th." +113089,676354,E PACIFIC,2017,January,Marine Strong Wind,"SAN MATEO PT TO MEXICAN BDR 30 TO 60NM",2017-01-20 11:50:00,PST-8,2017-01-20 16:50:00,0,0,0,0,0.01K,10,0.00K,0,32.491,-118.035,32.491,-118.035,"A strong surface front brought strong squalls, choppy seas, and gale force winds to the Southern California Bight on the 20th of January.","The San Clemente Basin Buoy reported wind gusts in excess of 34 knots for 5 hours, with a peak gust of 40 kt." +113110,676480,CALIFORNIA,2017,January,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-01-31 05:15:00,PST-8,2017-01-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure suppressed the marine layer, allowing a bank of dense fog to roll into San Diego International on the evening of the 31st. Numerous flight cancellations and delays occurred.","A bank of dense fog dropped visibility at San Diego International from 10 miles to 1/4 mile in just 15 minutes in between 1715 and 1730PST. The fog had a significant impact on the evening flight schedule, forcing 75 cancellations, 39 delays and 29 diversions to LAX. Fog remained dense with a visibility of 1/4 mile or less through 0845PST on the 1st of February." +113213,677344,TENNESSEE,2017,January,Winter Weather,"MARSHALL",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A Facebook report showed 2 inches of snow measured in Lewisburg." +113213,677351,TENNESSEE,2017,January,Winter Weather,"SUMNER",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Two Facebook reports indicated 0.5 inch of snow fell in Westmoreland and Gallatin." +113213,677364,TENNESSEE,2017,January,Winter Weather,"WILSON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","The official measurement at NWS Nashville was 0.5 inches of snow." +113213,677387,TENNESSEE,2017,January,Winter Weather,"DEKALB",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","The COOP observer in Smithville measured 0.5 inch of snow." +113213,677372,TENNESSEE,2017,January,Winter Weather,"PICKETT",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","CoCoRaHS and COOP reports showed 0.8 to 1.0 inch of snow measured 3 miles south-southwest of Byrdstown and in Byrdstown." +115429,693098,NORTH CAROLINA,2017,April,Thunderstorm Wind,"RANDOLPH",2017-04-03 16:15:00,EST-5,2017-04-03 16:15:00,0,0,0,0,1.00K,1000,0.00K,0,35.85,-79.99,35.85,-79.99,"A cold pool dominated squall line moved through Central North Carolina during the early evening hours of April 3rd. A few isolated storms within the line became severe, producing damaging straight line winds.","A power line was blown down at the intersection of Liberty Church Drive and Meadowbrook Drive." +115429,693099,NORTH CAROLINA,2017,April,Thunderstorm Wind,"RICHMOND",2017-04-03 16:45:00,EST-5,2017-04-03 16:45:00,0,0,0,0,30.00K,30000,1.50K,1500,35,-79.76,35,-79.76,"A cold pool dominated squall line moved through Central North Carolina during the early evening hours of April 3rd. A few isolated storms within the line became severe, producing damaging straight line winds.","A mobile home was overturned and a large tree was blown down by thunderstorm winds. No one was in the home at the time." +115304,692830,NEW MEXICO,2017,June,Hail,"MORA",2017-06-06 13:30:00,MST-7,2017-06-06 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.99,-105.37,35.99,-105.37,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Three to four inches of hail accumulated near Cleveland." +116775,702271,TEXAS,2017,June,Hail,"WILLIAMSON",2017-06-05 15:46:00,CST-6,2017-06-05 15:46:00,0,0,0,0,0.00K,0,0.00K,0,30.56,-97.84,30.56,-97.84,"An upper level short wave trough initiated isolated thunderstorms one of which produced large hail.","" +115700,695239,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:07:00,CST-6,2017-04-29 18:07:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-93.2,30.3,-93.2,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A former NWS employee reported half dollar size hail in Moss Bluff." +115700,695240,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:10:00,CST-6,2017-04-29 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-93.2,30.33,-93.2,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A NWS meteorologist reported golf ball size hail in Moss Bluff." +115700,695241,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:10:00,CST-6,2017-04-29 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-93.2,30.34,-93.2,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +113708,694030,KANSAS,2017,April,Hail,"POTTAWATOMIE",2017-04-15 07:40:00,CST-6,2017-04-15 07:41:00,0,0,0,0,,NaN,,NaN,39.48,-96.46,39.48,-96.46,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Dime to quarter size hail reported." +113708,694031,KANSAS,2017,April,Hail,"RILEY",2017-04-15 17:55:00,CST-6,2017-04-15 17:56:00,0,0,0,0,,NaN,,NaN,39.53,-96.76,39.53,-96.76,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694032,KANSAS,2017,April,Hail,"MARSHALL",2017-04-15 17:02:00,CST-6,2017-04-15 17:03:00,0,0,0,0,,NaN,,NaN,39.61,-96.76,39.61,-96.76,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694033,KANSAS,2017,April,Hail,"RILEY",2017-04-15 18:14:00,CST-6,2017-04-15 18:15:00,0,0,0,0,,NaN,,NaN,39.52,-96.87,39.52,-96.87,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +115860,696295,NEW YORK,2017,April,Flood,"BROOME",2017-04-06 10:35:00,EST-5,2017-04-09 15:30:00,0,0,0,0,25.00K,25000,0.00K,0,42.0506,-75.8129,42.0575,-75.7885,"Rain and melting snow swelled rivers and streams around Central New York during the first week in April. The Susquehanna River flooded in many areas with levels reaching moderate flood stage at Conklin and Vestal. The lake level on Cayuga Lake at Ithaca also reached the moderate flood stage causing high water problems with docks along the lake shore.","Moderate flooding occurred along the Susquehanna River near Conklin, NY. The river crested at 15.11 feet on April 7th at 4:00 AM." +115860,696298,NEW YORK,2017,April,Flood,"BROOME",2017-04-06 20:10:00,EST-5,2017-04-09 08:35:00,0,0,0,0,40.00K,40000,0.00K,0,42.0771,-76.115,42.0585,-76.1085,"Rain and melting snow swelled rivers and streams around Central New York during the first week in April. The Susquehanna River flooded in many areas with levels reaching moderate flood stage at Conklin and Vestal. The lake level on Cayuga Lake at Ithaca also reached the moderate flood stage causing high water problems with docks along the lake shore.","Moderate flooding occurred along the Susquehanna River near Vestal, NY. The river crested at 21.99 feet on April 7th at 11:30 AM." +115867,696339,NEW YORK,2017,April,Flood,"YATES",2017-04-20 22:20:00,EST-5,2017-04-21 00:00:00,0,0,0,0,2.00K,2000,0.00K,0,42.7,-77.27,42.7096,-77.2608,"An area of moderate to heavy rain, with embedded thunderstorms, moved through Central New York causing areas of common urban flooding and ponding of water in a few locations.","Water was reported on several roads in Middlesex." +115867,696344,NEW YORK,2017,April,Flood,"CAYUGA",2017-04-20 22:35:00,EST-5,2017-04-21 00:15:00,0,0,0,0,2.00K,2000,0.00K,0,42.7605,-76.4592,42.7612,-76.4353,"An area of moderate to heavy rain, with embedded thunderstorms, moved through Central New York causing areas of common urban flooding and ponding of water in a few locations.","Water was reported to be ponding in several locations of Rockefeller Road." +115867,696345,NEW YORK,2017,April,Flood,"CAYUGA",2017-04-20 22:30:00,EST-5,2017-04-21 00:00:00,0,0,0,0,4.00K,4000,0.00K,0,42.7239,-76.3845,42.7324,-76.4525,"An area of moderate to heavy rain, with embedded thunderstorms, moved through Central New York causing areas of common urban flooding and ponding of water in a few locations.","Water was reported over several town and village streets in, and near Moravia." +115858,696274,NEW YORK,2017,April,High Wind,"NIAGARA",2017-04-04 14:08:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696275,NEW YORK,2017,April,High Wind,"ORLEANS",2017-04-04 14:20:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +113156,676855,NEW YORK,2017,January,High Wind,"SOUTHEAST SUFFOLK",2017-01-23 15:00:00,EST-5,2017-01-24 09:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure passed just south and east of Long Island.","The highest wind gust of 69 mph occurred at 115 am on the 24th near Mecox Bay. At 158 am on the 24th, a wind gust of 62 mph was reported near Napeague. At 105 am, a 62 mph gust occurred near Hampton Bays. At 415 pm on the 23rd, a wind gust of 62 mph was observed near Montauk Highway over the southeast fork. A 60 mph gust was measured near Hither Hills at 113 am on the 24th. Sag Harbor observed a wind gust of 57 mph at 549 pm on the 23rd. The broadcast media reported a road closed due to fallen power lines on Henry Road in Southhampton at 8 am on the 24th." +113167,676927,NEW JERSEY,2017,January,Strong Wind,"HUDSON",2017-01-23 13:00:00,EST-5,2017-01-23 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure passed just south and east of Long Island.","A CO-OP observer measured a wind gust up to 55 mph at 155 pm. This occurred in Harrison." +113167,676928,NEW JERSEY,2017,January,Strong Wind,"EASTERN ESSEX",2017-01-23 13:00:00,EST-5,2017-01-23 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure passed just south and east of Long Island.","A 52 mph gust was measured at Newark International Airport at 154 pm." +113159,676859,CONNECTICUT,2017,January,High Wind,"SOUTHERN NEW LONDON",2017-01-23 15:00:00,EST-5,2017-01-24 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure passed south and east of Long Island.","At Groton New London Airport, a measured gust up to 61 mph occurred at 259 am on the 24th. A measured sustained wind speed of 43 mph was observed at 3 am on the 24th. Near Mystic, a wind gust at a mesonet station reached 59 mph at 1241 am on the 24th. A tree was knocked down in Franklin at 419 pm on the 23rd. The tree blocked Route 32, which was reported via social media. In Waterford, Route 58 was closed due to a tree which fell and took down power lines and a pole at 140 am on the 24th. This was reported on social media. Also, the public reported a tree down on a telephone pole at Perry and Anita Streets at 710 pm on the 23rd in Waterford." +113123,676637,NEW YORK,2017,January,Coastal Flood,"NORTHEAST SUFFOLK",2017-01-24 06:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Nor'easter impacted successive high tide cycles with widespread minor to locally moderate coastal flooding on the evening of 1/23 and widespread moderate to locally major coastal flooding the morning of 1/24. ||Thirty six hours of east northeast gale to storm force winds helped build surge values to 3 to 4 feet above astronomical tides for the 1/24 morning high tide cycle. This caused widespread moderate to locally major coastal flooding along the southern and eastern bays and beachfront communities of Long Island. Coastal communities across the rest of the Tri-State area mainly experienced minor impacts.||Coastal flood watches, warnings and advisories were issued and IDSS performed well in advance to warn coastal community residents of the potential impacts.||In addition, widespread beach and dune erosion occurred at Atlantic ocean beaches from elevated waters levels and an east to west sweep of 8 to 12 feet of surf Monday into Tuesday.","The USGS tidal gauge on the Peconic River at Riverhead recorded a peak water level of 6.6 ft. MLLW at 748 am EST. The moderate coastal flood threshold of 6.1 ft. MLLW was exceeded from 618am to 930am EST. The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +113734,680853,CALIFORNIA,2017,February,High Surf,"ORANGE COUNTY COASTAL",2017-02-17 16:00:00,PST-8,2017-02-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Lifeguards reported sets of 8-12 ft at Laguna Beach and 10-15 ft at San Clemente Beach. Sets near 10 ft were also reported in Newport Beach." +113734,681048,CALIFORNIA,2017,February,Thunderstorm Wind,"ORANGE",2017-02-17 17:30:00,PST-8,2017-02-17 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,33.5323,-117.77,33.5449,-117.7343,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Roughly 20 trees were downed by convective winds in Laguna Beach. The nearby Laguna Beach mesonet station measured a peak gust of 67 mph at 1737PST." +113734,681031,CALIFORNIA,2017,February,Flood,"SAN BERNARDINO",2017-02-17 17:40:00,PST-8,2017-02-17 18:40:00,0,0,0,0,15.00K,15000,0.00K,0,34.4054,-117.4868,34.4039,-117.4869,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","A jeep was submerged in a large sink hole at the intersection of Cedar St. and Chateau Rd. No water rescues required." +113734,681044,CALIFORNIA,2017,February,Flash Flood,"ORANGE",2017-02-17 18:00:00,PST-8,2017-02-17 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.7393,-117.9326,33.7407,-117.9353,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Flood waters from the Wintersburg Channel exceeded the channels banks, producing flooding in a mobile home park." +111484,673293,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:45:00,EST-5,2017-01-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7114,-83.8451,31.7114,-83.8451,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Eric Alred Road." +111484,673297,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:49:00,EST-5,2017-01-02 22:49:00,0,0,0,0,3.00K,3000,0.00K,0,31.7675,-83.808,31.7675,-83.808,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tree was blown down onto a power line on Highway 33 South of Gleaton Road." +121544,727475,PENNSYLVANIA,2017,November,Flash Flood,"ERIE",2017-11-05 20:01:00,EST-5,2017-11-05 22:00:00,0,0,0,0,40.00K,40000,0.00K,0,42.22,-79.77,42.1645,-79.8967,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A tornado was reported near Erie and strong winds downed many trees across the area.","Strong storms with torrential rainfall moved over portions of Erie County during the evening of the 5th. By 800 pm, reports came in of significant flooding in North East. Most of the downtown district had flood waters over a foot deep with numerous businesses and homes seeing flooding in their basements and about a half dozen with water in their first floor. The flooding was the result of torrential rainfall with rainfall rates estimated over 5 inches per hour." +113554,679809,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 08:35:00,MST-7,2017-04-12 08:45:00,0,0,0,0,0.00K,0,0.00K,0,33.13,-104.53,33.13,-104.53,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Hail up to the size of quarters at the Roswell Correctional Facility." +112854,675819,NEW JERSEY,2017,March,Winter Weather,"MERCER",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Spotters measured 2-4 inches of snow throughout the county." +113554,679811,NEW MEXICO,2017,April,Hail,"MORA",2017-04-12 14:30:00,MST-7,2017-04-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-105.21,35.98,-105.21,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Hail accumulated 10 inches deep along State Road 442. Plows were dispatched to clear the roadway." +113701,680606,NEW MEXICO,2017,April,Thunderstorm Wind,"UNION",2017-04-17 18:40:00,MST-7,2017-04-17 18:57:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-103.15,36.45,-103.15,"A shallow moist airmass over northeastern New Mexico combined with afternoon heating and a upper level jet streak crossing over the area to produce isolated late day thunderstorms. Low level winds surging toward a thunderstorm immediately north of Clayton produced a peak wind gust to 59 mph.","" +113903,682191,NEW MEXICO,2017,April,Hail,"UNION",2017-04-20 21:50:00,MST-7,2017-04-20 21:58:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-103.99,36.78,-103.99,"A severe thunderstorm developed near the Capulin National Monument and moved east northeast through Union County during the late evening hours of the 20th. Many residents reported lots of pea size hail with several larger stones. Frequent, intense cloud to ground lightning and heavy rain also occurred with this storm.","Pea to quarter size occurred at the Capulin National Monument." +114376,685393,NEW MEXICO,2017,April,High Wind,"CENTRAL HIGHLANDS",2017-04-27 12:00:00,MST-7,2017-04-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies and a deepening lee trough over the plains generated windy conditions across much of New Mexico. The strongest winds occurred in the area from near Albuquerque across the Sandia Mountains into the high plains. West to northwest wind gusts peaked near 60 mph across this area. A band of virga showers just north of the Albuquerque area enhanced these strong winds and resulted in a peak wind gust to 66 mph at the Sunport. Colder temperatures and sufficient moisture across northern New Mexico also resulted in several inches of snow with this system over the San Juan Mountains.","Clines Corners." +113943,682344,VIRGINIA,2017,February,Thunderstorm Wind,"CAMPBELL",2017-02-25 12:40:00,EST-5,2017-02-25 12:40:00,0,0,0,0,1.00K,1000,0.00K,0,37.42,-79.19,37.42,-79.19,"A band of showers and thunderstorms ahead of a cold front re-developed during the afternoon of February 25th. One of these storms reached severe levels and brought down a couple of trees in the central Piedmont.","Thunderstorm winds split part of a tree near Lynchburg which then damaged a chain link fence." +113943,682341,VIRGINIA,2017,February,Thunderstorm Wind,"AMHERST",2017-02-25 12:52:00,EST-5,2017-02-25 12:52:00,0,0,0,0,0.50K,500,0.00K,0,37.7101,-79.089,37.7101,-79.089,"A band of showers and thunderstorms ahead of a cold front re-developed during the afternoon of February 25th. One of these storms reached severe levels and brought down a couple of trees in the central Piedmont.","Thunderstorm winds brought down several large tree limbs on Indian Valley Road." +113945,682516,VIRGINIA,2017,February,High Wind,"BATH",2017-02-13 00:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","A few trees were blown down by strong winds across Bath county, mainly after midnight." +113945,682515,VIRGINIA,2017,February,High Wind,"ALLEGHANY",2017-02-13 00:00:00,EST-5,2017-02-13 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Scattered trees were blown down across Alleghany county, mainly after midnight." +113945,682518,VIRGINIA,2017,February,High Wind,"ROANOKE",2017-02-12 21:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Winds blew down two trees in the City of Salem at Craig Avenue and 12 O'clock Knob Road during the evening of the 12th. Later, winds blew down a tree on Route 636 just northwest of Stewartsville." +113945,682514,VIRGINIA,2017,February,High Wind,"CRAIG",2017-02-12 20:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Several trees were blown down along Dicks Creek Road between the town of Maggie and Craig Springs Camp. Another tree was blown down on Johns Creek Road near Maggie." +113945,682519,VIRGINIA,2017,February,High Wind,"BOTETOURT",2017-02-13 00:00:00,EST-5,2017-02-13 04:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Scattered trees were blown down by strong winds across Botetourt county around and after midnight." +112242,669740,SOUTH DAKOTA,2017,February,Winter Weather,"FALL RIVER",2017-02-07 14:00:00,MST-7,2017-02-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669741,SOUTH DAKOTA,2017,February,Winter Weather,"OGLALA LAKOTA",2017-02-07 15:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669742,SOUTH DAKOTA,2017,February,Winter Weather,"JACKSON",2017-02-07 18:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669743,SOUTH DAKOTA,2017,February,Winter Weather,"BENNETT",2017-02-07 17:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669744,SOUTH DAKOTA,2017,February,Winter Weather,"MELLETTE",2017-02-07 19:00:00,CST-6,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669745,SOUTH DAKOTA,2017,February,Winter Weather,"TODD",2017-02-07 19:00:00,CST-6,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669746,SOUTH DAKOTA,2017,February,Winter Weather,"TRIPP",2017-02-07 20:00:00,CST-6,2017-02-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669747,SOUTH DAKOTA,2017,February,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-02-07 18:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +113999,682788,MAINE,2017,February,Blizzard,"INTERIOR WALDO",2017-02-13 10:30:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682789,MAINE,2017,February,Blizzard,"KENNEBEC",2017-02-13 10:53:00,EST-5,2017-02-13 16:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682790,MAINE,2017,February,Blizzard,"KNOX",2017-02-13 09:50:00,EST-5,2017-02-13 14:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682791,MAINE,2017,February,Blizzard,"LINCOLN",2017-02-13 09:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113752,681032,MAINE,2017,February,Flood,"OXFORD",2017-02-26 02:21:00,EST-5,2017-02-26 03:12:00,0,0,0,0,0.00K,0,0.00K,0,44.6745,-70.5981,44.6709,-70.5909,"Extremely warm temperatures for the time of year combined with .50-1.00 inches of rain causing rapid snowmelt resulting in ice jam formation on the Swift River at Roxbury (flood stage 7.00 ft), which crested at 8.94 feet. Only a brief period of minor flooding resulted from this ice jam.","Rapid snowmelt and rainfall of .50-1.00 inches resulted in an ice jam on the Swift River at Roxbury (flood stage 7.00 ft). Only a brief period of minor flooding resulted before the river crested at 8.94 feet." +112663,673176,NEW MEXICO,2017,February,High Wind,"CENTRAL HIGHLANDS",2017-02-28 00:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Clines Corners reported peak wind gusts up to 64 mph with sustained winds as high as 50 mph for several hours." +112663,673187,NEW MEXICO,2017,February,High Wind,"EASTERN LINCOLN COUNTY",2017-02-28 08:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Columbia Scientific Balloon Facility Transwestern Pump Station reported peak wind gusts up to 68 mph with sustained winds up to 53 mph for several hours." +113952,682420,OREGON,2017,February,Flood,"TILLAMOOK",2017-02-09 10:15:00,PST-8,2017-02-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,45.7042,-123.7582,45.7011,-123.7552,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Nehalem River near Foss to flood. The river crested at 18.36 feet, which is 3.36 feet above flood stage." +112554,671469,MINNESOTA,2017,February,Winter Storm,"BLUE EARTH",2017-02-23 19:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 6 to 13 inches of snow that fell late Thursday afternoon, through Friday morning. The heaviest totals were near Mapleton which received 13 inches." +114595,687283,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 21:30:00,CST-6,2017-04-09 21:30:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-93.2,43.07,-93.2,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to half dollar sized hail. This is a delayed report." +114595,687287,IOWA,2017,April,Hail,"CLARKE",2017-04-09 22:59:00,CST-6,2017-04-09 22:59:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-93.63,41.08,-93.63,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to quarter sized hail. This is a delayed report." +116340,704449,VIRGINIA,2017,May,Tornado,"DINWIDDIE",2017-05-05 05:51:00,EST-5,2017-05-05 05:55:00,0,0,0,0,440.00K,440000,40.00K,40000,36.9747,-77.776,37.0052,-77.7652,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Tornado tracked from Brunswick county into Dinwiddie county. The tornado continued north northeast into Dinwiddie county along Old White Oak Road. It crossed Old White Oak road near Route 40, then continued north northeast before a visible damage path |ended just north of Lew Jones Road. Numerous trees were uprooted or sheared off, and there was significant damage to a few homes and one large shed was destroyed. Also, there was extensive crop damage, as well as damage to farm equipment and land damage." +114334,699646,ARKANSAS,2017,May,Hail,"HOT SPRING",2017-05-03 10:08:00,CST-6,2017-05-03 10:08:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-92.75,34.42,-92.75,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","" +114334,699647,ARKANSAS,2017,May,Flash Flood,"GARLAND",2017-05-03 10:40:00,CST-6,2017-05-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-93.06,34.4772,-93.0697,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Flash flooding was reported in downtown Hot Springs across all lanes of traffic." +119145,716319,VIRGINIA,2017,July,Heavy Rain,"ACCOMACK",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-75.37,37.93,-75.37,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.08 inches was measured at Chincoteague (1 SW)." +113841,681741,MONTANA,2017,February,Winter Storm,"KOOTENAI/CABINET REGION",2017-02-08 21:00:00,MST-7,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After the heavy snow event which left several feet of snow across portions of northwest Montana, emergency managers reported numerous roofs were exceeding load capacity and were in danger of collapse, especially in Libby, MT. Heavy, wet snow Wednesday evening and overnight transitioned to freezing rain on Feb. 9. Heavy snow and rain added weight to roofs that were already stressed. Snow along Highway 2 from Essex to Marias Pass lead to road closures due to avalanche danger.","Freezing rain prompted a local official in Eureka, MT to encourage all to stay at home during the evening of Feb. 8 unless there was an emergency. Public reports mentioned several cars in ditches along US-93 south of Eureka, MT. Fortine and Eureka schools were open on a 2 hour delay on Feb. 9. with no bus service. Plow crews reported being unable to keep up with sanding area highways given the large areal coverage of freezing rain. Trained spotters reported 8 inches of new snow in Bull Lake, MT, while other spotters reported 5 to 6 inches of snow in Libby, MT. Power went out in Bull Lake for 6 hours during the early morning hours of Feb. 9. The Bull Lake Fire Chief's basement was flooded with 6 of water due to the fact that the snow-pack was so deep and the falling rain had no where to go." +114064,683086,ALASKA,2017,February,Blizzard,"PRIBILOF ISLANDS",2017-02-13 17:53:00,AKST-9,2017-02-14 19:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moving into Bristol Bay brought strong northeasterly flow and snowshowers to the Bering Sea, along with several fronts moving through SouthCentral Alaska. This caused blizzard conditions in the Pribilof Islands, blizzard conditions in the Kuskokwim Delta, and heavy snowfall along the Edgerton Highway.","Saint Paul reported winds to 41 knots and visibilities below 1/4 mile between 5:53 p.m. and 7:53 p.m." +119145,716320,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-76.41,36.79,-76.41,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.65 inches was measured at Bowers Hill." +119145,716322,VIRGINIA,2017,July,Heavy Rain,"NORFOLK (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-76.29,36.86,-76.29,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.70 inches was measured at Ghent." +119145,716324,VIRGINIA,2017,July,Heavy Rain,"SUFFOLK (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-76.66,36.74,-76.66,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.50 inches was measured at Kilby (1 WNW)." +114064,683087,ALASKA,2017,February,Heavy Snow,"COPPER RIVER BASIN",2017-02-13 08:08:00,AKST-9,2017-02-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moving into Bristol Bay brought strong northeasterly flow and snowshowers to the Bering Sea, along with several fronts moving through SouthCentral Alaska. This caused blizzard conditions in the Pribilof Islands, blizzard conditions in the Kuskokwim Delta, and heavy snowfall along the Edgerton Highway.","A traveler along the Edgerton Highway reported 21 inches of snowfall. This was confirmed by the Department of Transportation." +114064,683091,ALASKA,2017,February,Blizzard,"ALASKA PENINSULA",2017-02-14 08:25:00,AKST-9,2017-02-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moving into Bristol Bay brought strong northeasterly flow and snowshowers to the Bering Sea, along with several fronts moving through SouthCentral Alaska. This caused blizzard conditions in the Pribilof Islands, blizzard conditions in the Kuskokwim Delta, and heavy snowfall along the Edgerton Highway.","Observations at Toksook Bay reported winds gusting as high as 57 mph with reduced visibility for 15 hours." +114068,683102,ALASKA,2017,February,Blizzard,"ALASKA PENINSULA",2017-02-21 14:21:00,AKST-9,2017-02-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 954 mb low transited the Western Aleutians and brought a front through the Bering Sea. A triple-point low formed along this front. Southeasterly flow ahead of the triple point low caused blizzard conditions for the Pribilof Islands, the Kuskokwim Delta, and Bristol Bay.","Toksook Bay reported a peak of winds to 47 mph and over 6 hours of blizzard conditions. Blizzard conditions were also reported at Mekoryuk on Nunivak Island." +113007,675453,VERMONT,2017,February,Flood,"ADDISON",2017-02-25 20:00:00,EST-5,2017-02-26 08:00:00,0,0,0,0,30.00K,30000,0.00K,0,44.0402,-73.4307,44.1889,-73.3657,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises and flood area roads. The occupants of a vehicle stalled in flood waters were rescued on Route 116 in Bristol. Water covered portions of Route 7 near River Road in New Haven, and Route 17 was flooded in Addison." +115353,692626,TEXAS,2017,April,Hail,"BROOKS",2017-04-17 19:00:00,CST-6,2017-04-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,26.93,-98.13,26.93,-98.13,"Thunderstorm clusters developed across the ranchlands and the brush country during the afternoon and evening hours as a short wave rounded the base of a weak 500 mb trough developing over South Texas. Some of these storms became severe and produced quarter to half dollar size hail.","Quarter size hail reported in Encino." +115353,692627,TEXAS,2017,April,Hail,"HIDALGO",2017-04-17 16:45:00,CST-6,2017-04-17 16:45:00,0,0,0,0,,NaN,0.00K,0,26.9328,-98.9578,26.9328,-98.9578,"Thunderstorm clusters developed across the ranchlands and the brush country during the afternoon and evening hours as a short wave rounded the base of a weak 500 mb trough developing over South Texas. Some of these storms became severe and produced quarter to half dollar size hail.","Public reported 1.5 inch hail near FM 2687 and Chihuahua in Zapata County." +115353,692628,TEXAS,2017,April,Hail,"BROOKS",2017-04-17 16:45:00,CST-6,2017-04-17 16:45:00,0,0,0,0,,NaN,0.00K,0,27.2245,-98.1234,27.2245,-98.1234,"Thunderstorm clusters developed across the ranchlands and the brush country during the afternoon and evening hours as a short wave rounded the base of a weak 500 mb trough developing over South Texas. Some of these storms became severe and produced quarter to half dollar size hail.","Skywarn Spotter reported quarter size hail in Falfurrias." +119145,716325,VIRGINIA,2017,July,Heavy Rain,"SUFFOLK (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-76.67,36.74,-76.67,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.77 inches was measured at Kilby (2 WNW)." +115354,692629,GULF OF MEXICO,2017,April,Marine Strong Wind,"LAGUNA MADRE FROM 5NM N OF PT MANSFIELD TO BAFFIN BAY TX",2017-04-30 03:30:00,CST-6,2017-04-30 03:30:00,0,0,0,0,20.00K,20000,0.00K,0,26.7714,-97.4671,26.7714,-97.4671,"Strong and gusty winds, some to gale force, developed behind a cold front that pushed across the lower Texas coastal waters during the early morning hours. The strong winds capsized an 18 foot boat in shallow water, 15 miles north of Port Mansfield.","Media reported an 18 foot boat capsized 15 miles north of Port Mansfield in 3 feet of water. The four occupants were rescued by helicopter and taken to Port Isabel-Cameron County Airport. No injuries reported. Wind gusts estimated." +115011,690093,UTAH,2017,April,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-04-01 00:00:00,MST-7,2017-04-01 00:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The easterly downslope wind event in northern Utah that began on March 31 continued into April 1. Note that this event began in March.","The sensor at the University of Utah William Browning Building recorded a maximum wind gust of 58 mph." +115011,690096,UTAH,2017,April,High Wind,"NORTHERN WASATCH FRONT",2017-04-01 00:00:00,MST-7,2017-04-01 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The easterly downslope wind event in northern Utah that began on March 31 continued into April 1. Note that this event began in March.","Strong easterly downslope winds developed in the northern Wasatch Front late on March 31. Peak recorded wind gusts included 68 mph at the US-89 at Park Lane sensor, 62 mph in Farmington, and 61 mph in Centerville. Note that this event began in March." +115598,694276,UTAH,2017,April,High Wind,"CACHE VALLEY/UTAH",2017-04-13 17:25:00,MST-7,2017-04-13 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","The Logan-Cache Airport ASOS recorded a maximum wind gust of 66 mph. In addition, winds caused a power outage in Hyde Park and Smithfield, with over 3,000 customers losing power." +112921,674639,INDIANA,2017,January,Thunderstorm Wind,"MARION",2017-01-10 19:36:00,EST-5,2017-01-10 19:36:00,0,0,0,0,,NaN,0.00K,0,39.72,-86.29,39.72,-86.29,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","A 62 mph thunderstorm wind gust was measured in this location." +113703,680610,TENNESSEE,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-05 19:30:00,EST-5,2017-04-05 19:30:00,0,0,0,0,,NaN,,NaN,35.07,-85.26,35.07,-85.26,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","Several trees and road signs were reported down across the county." +113703,680611,TENNESSEE,2017,April,Thunderstorm Wind,"KNOX",2017-04-05 20:22:00,EST-5,2017-04-05 20:22:00,0,0,0,0,,NaN,,NaN,35.97,-83.95,35.97,-83.95,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","A few trees were reported down in Knoxville and the surrounding area." +113703,680612,TENNESSEE,2017,April,Thunderstorm Wind,"KNOX",2017-04-05 20:42:00,EST-5,2017-04-05 20:42:00,0,0,0,0,,NaN,,NaN,36.06,-83.69,36.06,-83.69,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","Trees and power lines were reported down around Rush Strong School." +113703,680613,TENNESSEE,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-05 20:46:00,EST-5,2017-04-05 20:46:00,0,0,0,0,,NaN,,NaN,36.07,-83.67,36.07,-83.67,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","Several trees were reported down." +114094,683214,TEXAS,2017,April,Flash Flood,"COMAL",2017-04-17 14:30:00,CST-6,2017-04-17 16:15:00,0,0,0,0,0.00K,0,0.00K,0,29.7871,-98.3726,29.8033,-98.3589,"A short wave trough moved through a broad upper level trough and generated thunderstorms. Some of these storms produced sub-severe hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that caused flash flooding closing parts of Smithson Valley Rd." +113703,680608,TENNESSEE,2017,April,Hail,"MARION",2017-04-05 17:06:00,CST-6,2017-04-05 17:06:00,0,0,0,0,,NaN,,NaN,35.17,-85.54,35.17,-85.54,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","Quarter size hail was reported." +113703,680609,TENNESSEE,2017,April,Hail,"SEQUATCHIE",2017-04-05 17:30:00,CST-6,2017-04-05 17:30:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","Nickel to quarter size hail was reported." +113321,678161,OKLAHOMA,2017,February,Drought,"TULSA",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678162,OKLAHOMA,2017,February,Drought,"ROGERS",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678163,OKLAHOMA,2017,February,Drought,"CREEK",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +115705,695346,PUERTO RICO,2017,April,Flash Flood,"CAROLINA",2017-04-17 08:30:00,AST-4,2017-04-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4312,-66.0084,18.4296,-66.0107,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Emergency managers reported that Ave. Los Angeles, near Bebo's restaurant was impassable." +115705,696500,PUERTO RICO,2017,April,Flash Flood,"COMERIO",2017-04-17 17:30:00,AST-4,2017-04-17 22:30:00,0,0,0,0,0.00K,0,0.00K,0,18.2376,-66.2065,18.2378,-66.2093,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Road PR-172,KM 5.2 at Millares sector in Vega Redonda was impassable and close due to a creek out of its banks." +115705,696501,PUERTO RICO,2017,April,Heavy Rain,"COMERIO",2017-04-17 17:30:00,AST-4,2017-04-17 22:30:00,0,0,0,0,0.00K,0,0.00K,0,18.22,-66.22,18.1948,-66.2493,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Several mudslides were reported at roads PR-779.PR-167,PR-172 and PR-774." +115705,696502,PUERTO RICO,2017,April,Flood,"ISABELA",2017-04-17 19:30:00,AST-4,2017-04-18 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4191,-66.926,18.421,-66.9167,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Urban flooding was reported at Bo. Guayabo at PR-113,KM 4.2." +115917,696505,PUERTO RICO,2017,April,Rip Current,"NORTHWEST",2017-04-18 11:11:00,AST-4,2017-04-18 11:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hazardous marine conditions affected the north coast of Puerto Rico. Dangerous rip current occurred along the north facing beaches of Puerto Rico.","One Boy and one girl were swept away by Rip Currents in Montones beach at Barrio Bajuras. They were rescued." +115918,696506,PUERTO RICO,2017,April,Heavy Rain,"AGUADA",2017-04-25 15:10:00,AST-4,2017-04-25 15:10:00,0,0,0,0,0.00K,0,0.00K,0,18.3781,-67.1835,18.3766,-67.2036,"Daytime heating combined with low level moisture produced scattered showers with thunderstorms across the northwest section of Puerto Rico.","A weather observer reported 1.80 inches of rainfall." +115556,693901,INDIANA,2017,April,Strong Wind,"ELKHART",2017-04-06 14:30:00,EST-5,2017-04-06 14:31:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Deepening low pressure tracked across the Great Lakes, bringing with it gusty winds, as well as areas of thunderstorms. While severe weather was expected, damage that occurred was the result of the strong gradient winds along the lake shore areas of Lake Michigan where numerous reports of trees, tree limbs and power lines down were received from county officials.","A large tree was uprooted by strong winds, falling onto a manufactured home. Several trunks broke through a portion of wall and a door. No one was injured." +116089,698635,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-17 17:25:00,CST-6,2017-05-17 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,43.07,-92.15,43.07,-92.15,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Trees were blown down in Lawler." +116089,698637,IOWA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-17 17:42:00,CST-6,2017-05-17 17:42:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-92.03,43.06,-92.03,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 58 mph wind gust occurred in Waucoma." +116089,698645,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-17 18:00:00,CST-6,2017-05-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-91.26,42.74,-91.26,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 70 mph wind gust occurred in Garber." +116089,700209,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-17 17:53:00,CST-6,2017-05-17 17:53:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-91.4,42.64,-91.4,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","A 70 mph wind gust occurred in Edgewood." +112653,672570,TEXAS,2017,February,Hail,"CAMP",2017-02-27 17:55:00,CST-6,2017-02-27 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.9905,-95.0836,32.9905,-95.0836,"A moderately unstable airmass developed across a portion of the Southern Plains late in the afternoon on the 27th. A stationary front situated across Northern Texas dipping south and east into Northeast Texas and Central Louisiana was the dividing line between the much more unstable air to the south of the boundary and a cooler more stable atmosphere across the Middle Red River Valley of Southeast Oklahoma, Southwest Arkansas and Northern Louisiana. With increasing southwest flow aloft across the Southern Plains, a weak disturbance was present in this flow and provided the lift necessary for isolated strong to severe thunderstorms across Northern and Northeast Texas. Strong mid level winds resulted in these storms becoming discrete supercells as they moved into Northeast Texas during the late afternoon and early evening hours of the 27th. These storms produced mostly small hail but at the peak of its intensity, a supercell thunderstorm produced golfball sized hail over Lake Fork Reservoir in Wood County.","Dime size hail covered the ground in Leesburg." +112653,672575,TEXAS,2017,February,Hail,"CAMP",2017-02-27 18:10:00,CST-6,2017-02-27 18:10:00,0,0,0,0,0.00K,0,0.00K,0,32.996,-94.9657,32.996,-94.9657,"A moderately unstable airmass developed across a portion of the Southern Plains late in the afternoon on the 27th. A stationary front situated across Northern Texas dipping south and east into Northeast Texas and Central Louisiana was the dividing line between the much more unstable air to the south of the boundary and a cooler more stable atmosphere across the Middle Red River Valley of Southeast Oklahoma, Southwest Arkansas and Northern Louisiana. With increasing southwest flow aloft across the Southern Plains, a weak disturbance was present in this flow and provided the lift necessary for isolated strong to severe thunderstorms across Northern and Northeast Texas. Strong mid level winds resulted in these storms becoming discrete supercells as they moved into Northeast Texas during the late afternoon and early evening hours of the 27th. These storms produced mostly small hail but at the peak of its intensity, a supercell thunderstorm produced golfball sized hail over Lake Fork Reservoir in Wood County.","Dime size hail fell in Pittsburg." +113665,680340,TENNESSEE,2017,February,Thunderstorm Wind,"LOUDON",2017-02-25 03:00:00,EST-5,2017-02-25 03:00:00,0,0,0,0,,NaN,,NaN,35.8,-84.27,35.8,-84.27,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","Two trees were reported down across the county." +113665,680341,TENNESSEE,2017,February,Thunderstorm Wind,"BLOUNT",2017-02-25 03:15:00,EST-5,2017-02-25 03:15:00,0,0,0,0,,NaN,,NaN,35.85,-83.95,35.85,-83.95,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","Approximately one quarter of a roof was removed from a building." +113665,680342,TENNESSEE,2017,February,Thunderstorm Wind,"HAMBLEN",2017-02-25 03:47:00,EST-5,2017-02-25 03:47:00,0,0,0,0,,NaN,,NaN,36.16,-83.41,36.16,-83.41,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","Several trees were blown down and a barn was damaged." +115764,695789,INDIANA,2017,April,Hail,"ALLEN",2017-04-26 20:10:00,EST-5,2017-04-26 20:11:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-85.14,41.12,-85.14,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","" +115764,695790,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 19:50:00,EST-5,2017-04-26 19:51:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-85.62,40.7,-85.62,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Local fire officials reported power lines down across the roadway." +115764,695786,INDIANA,2017,April,Hail,"GRANT",2017-04-26 19:15:00,EST-5,2017-04-26 19:16:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-85.7,40.6,-85.7,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","" +115764,695787,INDIANA,2017,April,Hail,"GRANT",2017-04-26 19:15:00,EST-5,2017-04-26 19:16:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-85.72,40.63,-85.72,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","" +115764,695788,INDIANA,2017,April,Hail,"GRANT",2017-04-26 20:05:00,EST-5,2017-04-26 20:06:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-85.67,40.58,-85.67,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Hail damage was reported to a van, as well as a house." +115764,695791,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 19:50:00,EST-5,2017-04-26 19:51:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-85.38,40.96,-85.38,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Law enforcement officials reported power lines down across local roadways." +115764,695792,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 19:55:00,EST-5,2017-04-26 19:56:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-85.5,40.88,-85.5,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","A trained spotter reported a one foot diameter tree limb was blown down." +115764,695793,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 20:00:00,EST-5,2017-04-26 20:01:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-85.45,40.89,-85.45,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Law enforcement officials reported a 10 inch healthy tree was blown down across a road." +115764,695794,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 20:00:00,EST-5,2017-04-26 20:01:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-85.38,40.9,-85.38,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Power lines were reported down across local roads." +113915,682553,IDAHO,2017,February,Flood,"LINCOLN",2017-02-05 08:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,2.15M,2150000,0.00K,0,42.8072,-114.5676,42.7576,-113.78,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A significant warmup caused massive sheet flooding in Lincoln County beginning early in the month and continuing through the end. Significant damage occurred to private homes and especially roadways. The state declared Lincoln county a disaster area. Many roads were closed by the 11th with water over roadways from east of Shoshone to the Minidoka County line. The town of Kimana had significant flooding as well. Some of the road closures were 200 East Highway 24, 270 South between 650-750 East, 330S between 750 and 850, 70 South, 600 North and 1200 North." +113915,682554,IDAHO,2017,February,Flood,"MADISON",2017-02-06 10:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,148.00K,148000,0.00K,0,43.9234,-111.88,43.75,-111.9101,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","The combination of very cold temperatures and extensive snowfall in December and January with a rapid warmup in February caused sheet flooding and some road damage throughout the county. The property damage in Madison County was very limited compared to other counties in the region." +113915,682556,IDAHO,2017,February,Flood,"ONEIDA",2017-02-05 08:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,278.00K,278000,0.00K,0,42.37,-112.4,42.33,-112.9916,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Significant warmup in February caused extensive sheet flooding mainly over fields but also some flooding on back roads causing extensive damage. A lot of the roadway damage was due to a very cold and snowy winter as well." +115764,695795,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 20:02:00,EST-5,2017-04-26 20:03:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-85.5,40.88,-85.5,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Trained spotters reported trees were blown down across the road." +115764,695796,INDIANA,2017,April,Thunderstorm Wind,"ALLEN",2017-04-26 20:19:00,EST-5,2017-04-26 20:20:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-85.06,41.14,-85.06,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Wind gusts to 65 mph were estimated with sustained winds of 50 to 55 mph lasting at least 2 minutes." +113586,679935,MASSACHUSETTS,2017,February,Drought,"EASTERN FRANKLIN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in Eastern Franklin County through the month of February." +114786,688535,KANSAS,2017,May,Tornado,"KINGMAN",2017-05-19 15:53:00,CST-6,2017-05-19 15:54:00,0,0,0,0,0.00K,0,0.00K,0,37.4666,-98.2811,37.4707,-98.2784,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","Minor damage to a metal barn." +114786,693008,KANSAS,2017,May,Thunderstorm Wind,"HARPER",2017-05-19 09:50:00,CST-6,2017-05-19 09:51:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-97.88,37.15,-97.88,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","A road sign was blown down." +113586,679936,MASSACHUSETTS,2017,February,Drought,"SOUTHERN WORCESTER",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor continued a Severe Drought (D2) designation in the extreme western part of Southern Worcester County through the month of February." +113982,682613,CALIFORNIA,2017,February,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-02-12 07:55:00,PST-8,2017-02-12 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage, strong north to northeast winds developed across the mountains of Ventura and Los Angeles counties. Wind gusts up to 71 MPH were reported.","Strong north to northeast winds developed across the mountains of Los Angeles county. Some reported wind gusts from local RAWS stations include Camp Nine (gust 71 MPH) and Chilao (gust 62 MPH)." +113982,682614,CALIFORNIA,2017,February,High Wind,"VENTURA COUNTY MOUNTAINS",2017-02-12 07:55:00,PST-8,2017-02-12 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage, strong north to northeast winds developed across the mountains of Ventura and Los Angeles counties. Wind gusts up to 71 MPH were reported.","Strong north to northeast winds developed across the mountains of Ventura county. Wind gusts in excess of 60 MPH were reported." +111484,670343,GEORGIA,2017,January,Tornado,"EARLY",2017-01-02 21:34:00,EST-5,2017-01-02 21:41:00,0,0,0,0,100.00K,100000,0.00K,0,31.369,-84.7196,31.4099,-84.6618,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF2 tornado with max winds near 120 mph touched down just west of Highway 45 north of Billy Newberry Road. The tornado lifted just north of Newton Road. There was significant tree damage along with some structural damage along the periphery of the path. Damage was estimated." +111484,671790,GEORGIA,2017,January,Thunderstorm Wind,"DECATUR",2017-01-02 21:25:00,EST-5,2017-01-02 21:25:00,0,0,0,0,2.00K,2000,0.00K,0,30.86,-84.73,30.86,-84.73,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A survey team found a small area of damage to trees and outbuildings in western Decatur county consistent with straight line winds around 80 mph." +113983,682623,CALIFORNIA,2017,February,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-02-17 08:06:00,PST-8,2017-02-17 09:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The RAWS sensor at Tepusquet reported southerly winds with gusts to 63 MPH." +113983,682625,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ AND ANACAPA ISLANDS",2017-02-17 13:05:00,PST-8,2017-02-17 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The sensor at Santa Cruz Island reported southerly winds with gusts to 74 MPH." +113983,682627,CALIFORNIA,2017,February,High Wind,"CATALINA AND SANTA BARBARA ISLANDS",2017-02-17 15:22:00,PST-8,2017-02-17 16:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The RAWS sensor at Catalina Island reported southerly wind gusts to 60 MPH." +113458,679212,CALIFORNIA,2017,February,Drought,"KERN CTY MTNS",2017-02-01 00:00:00,PST-8,2017-02-09 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The remaining central California drought areas in Kern County were finally terminated during the month of February, 2017. Bakersfield received slightly above normal precipitation with 1.46 during the month. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and further reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions with only a small area in southwestern Kern county having the Extreme (D3) category left along with parts of the Kern County Desert areas. The month ended with no areas of central California Interior with a D3 Extreme drought category.","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +113458,679213,CALIFORNIA,2017,February,Drought,"SE KERN CTY DESERT",2017-02-01 00:00:00,PST-8,2017-02-02 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The remaining central California drought areas in Kern County were finally terminated during the month of February, 2017. Bakersfield received slightly above normal precipitation with 1.46 during the month. Above normal precipitation amounts did allow for continued improvement on drought conditions with an increase in soil moisture and further reservoir recharge. ||The U.S. Drought Monitor continued to report drought conditions with only a small area in southwestern Kern county having the Extreme (D3) category left along with parts of the Kern County Desert areas. The month ended with no areas of central California Interior with a D3 Extreme drought category.","Persistent drought conditions continued to be reported. However, wetting rainfall during the month did lessen the short term impacts across the area." +113990,682683,CALIFORNIA,2017,February,Flash Flood,"MARIPOSA",2017-02-10 22:00:00,PST-8,2017-02-10 22:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2956,-120.1499,37.2905,-120.151,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","Mariposa Dam reached capacity and was being over-topped. Army Corps of Engineers was releasing water down the emergency spillway." +113503,679508,MISSOURI,2017,February,Hail,"ST. LOUIS",2017-02-28 17:15:00,CST-6,2017-02-28 17:20:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-90.3,38.5085,-90.3289,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679490,MISSOURI,2017,February,Hail,"JEFFERSON",2017-02-28 16:55:00,CST-6,2017-02-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.1608,-90.6976,38.3988,-90.3825,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","A wide swath of large hail, up to golfball size, fell across portions of Jefferson County from Fletcher north northeast to just north of Hillsboro and just south of Arnold." +113503,679509,MISSOURI,2017,February,Hail,"ST. LOUIS (C)",2017-02-28 17:18:00,CST-6,2017-02-28 17:24:00,0,0,0,0,0.00K,0,0.00K,0,38.5605,-90.2819,38.5761,-90.228,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Large hail up to the size of golfballs fell across the far southern portions of the city, in the Carondelet area." +113503,679510,MISSOURI,2017,February,Hail,"CRAWFORD",2017-02-28 17:15:00,CST-6,2017-02-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.9078,-91.4202,37.9078,-91.4202,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679511,MISSOURI,2017,February,Hail,"WASHINGTON",2017-02-28 17:23:00,CST-6,2017-02-28 17:23:00,0,0,0,0,0.00K,0,0.00K,0,38.0197,-90.7553,38.0197,-90.7553,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679512,MISSOURI,2017,February,Hail,"JEFFERSON",2017-02-28 17:25:00,CST-6,2017-02-28 17:25:00,0,0,0,0,0.00K,0,0.00K,0,38.2021,-90.4796,38.2021,-90.4796,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +112433,681998,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-20 08:36:00,PST-8,2017-02-20 10:36:00,0,0,0,0,0.00K,0,0.00K,0,36.6243,-121.6809,36.6242,-121.6815,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud 1 ft deep over both lanes of River Rd at HWY 68." +112433,682000,CALIFORNIA,2017,February,High Wind,"SANTA LUCIA MOUNTAINS AND LOS PADRES NATIONAL FOREST",2017-02-20 08:55:00,PST-8,2017-02-20 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree and wires down over HWY 1 at mm47." +112433,682005,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-20 09:00:00,PST-8,2017-02-20 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.1525,-122.4489,38.1517,-122.4495,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide partially blocking south bound lane SR121 at SR37." +112433,682006,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 10:17:00,PST-8,2017-02-20 12:17:00,0,0,0,0,0.00K,0,0.00K,0,37.2017,-121.9803,37.2014,-121.981,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud and rocks blocking Limekin Canyon Rd at Soda Springs Rd." +112433,682007,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-20 10:30:00,PST-8,2017-02-20 12:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8186,-121.6323,36.8185,-121.6326,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud, dirt, and trees in slow lane HWY101 at Crazy Horse Canyon Rd." +112433,682008,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-20 12:37:00,PST-8,2017-02-20 12:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree blown down across all lanes of Carmel Way at 17 mile Dr." +112433,682009,CALIFORNIA,2017,February,Debris Flow,"SAN BENITO",2017-02-20 13:21:00,PST-8,2017-02-20 15:21:00,0,0,0,0,0.00K,0,0.00K,0,36.8617,-121.5823,36.8616,-121.5827,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud and rocks blocking fast lane of Hwy 101 west connection to Hwy 156." +112433,682010,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-20 15:20:00,PST-8,2017-02-20 17:20:00,0,0,0,0,0.00K,0,0.00K,0,36.8739,-121.7444,36.8738,-121.7447,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide blocking entire road at Garin and Elkhorn." +112433,682011,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-20 15:49:00,PST-8,2017-02-20 17:49:00,0,0,0,0,0.00K,0,0.00K,0,38.488,-122.6604,38.4879,-122.6603,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud is flowing across roadway blocking northbound lanes Calistoga Rd near Joaquin Dr." +113528,679586,ILLINOIS,2017,February,Strong Wind,"JOHNSON",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679587,ILLINOIS,2017,February,Strong Wind,"MASSAC",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679588,ILLINOIS,2017,February,Strong Wind,"POPE",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679589,ILLINOIS,2017,February,Strong Wind,"PULASKI",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679590,ILLINOIS,2017,February,Strong Wind,"SALINE",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679591,ILLINOIS,2017,February,Strong Wind,"UNION",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +113528,679592,ILLINOIS,2017,February,Strong Wind,"WILLIAMSON",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph along and south of a line from Carbondale and Marion to Harrisburg. Peak measured wind gusts included 40 mph at the airports near Carbondale and Harrisburg, and 41 mph at the Williamson County airport near Marion.","" +121682,728342,NEW YORK,2017,October,Coastal Flood,"NIAGARA",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +112591,671851,COLORADO,2017,February,High Wind,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-02-21 04:30:00,MST-7,2017-02-21 05:30:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"Strong winds knocked a huge tree into a house in Loveland. No one was injured after the tree fell into the house, which included a 10-week-old baby. The house suffered extensive damage and the family was displaced.","" +112598,671905,NEW MEXICO,2017,February,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-02-07 02:00:00,MST-7,2017-02-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe Mountains.","" +112597,671899,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-07 12:51:00,MST-7,2017-02-07 22:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe and Davis Mountains.","" +112597,671901,TEXAS,2017,February,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-02-07 08:15:00,CST-6,2017-02-07 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe and Davis Mountains.","" +112597,671896,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-06 04:38:00,MST-7,2017-02-07 05:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe and Davis Mountains.","" +112597,671898,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-06 12:52:00,MST-7,2017-02-07 00:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe and Davis Mountains.","" +112597,671900,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-06 20:23:00,MST-7,2017-02-07 03:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The passage of an upper level trough over the southern Rocky Mountains resulted in high winds in the Guadalupe and Davis Mountains.","" +112603,671913,TEXAS,2017,February,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-02-17 08:35:00,CST-6,2017-02-17 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds affected the Guadalupe and Davis Mountains, and Van Horn area, in the wake of a passing upper trough.","" +112603,671914,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-17 10:38:00,MST-7,2017-02-17 11:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds affected the Guadalupe and Davis Mountains, and Van Horn area, in the wake of a passing upper trough.","" +112579,672302,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LANCASTER",2017-02-25 15:35:00,EST-5,2017-02-25 15:35:00,0,0,0,0,5.00M,5000000,0.00K,0,40.2058,-76.3013,40.2959,-76.1694,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A microburst produced straight line winds of 70 to 90 mph, producing a 9 mile path of wind damage that was about 1/2 a mile in width." +114785,692980,KANSAS,2017,May,Flood,"SALINE",2017-05-18 18:00:00,CST-6,2017-05-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.858,-97.711,38.7285,-97.7385,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Nuisance street flooding in Salina was noted." +114785,692981,KANSAS,2017,May,Hail,"BARTON",2017-05-18 15:38:00,CST-6,2017-05-18 15:39:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.81,38.36,-98.81,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692982,KANSAS,2017,May,Hail,"BARTON",2017-05-18 15:40:00,CST-6,2017-05-18 15:41:00,0,0,0,0,0.00K,0,0.00K,0,38.64,-98.96,38.64,-98.96,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Hail was covering the ground." +114785,692983,KANSAS,2017,May,Hail,"BARTON",2017-05-18 15:41:00,CST-6,2017-05-18 15:42:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.81,38.36,-98.81,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692984,KANSAS,2017,May,Hail,"BARTON",2017-05-18 15:43:00,CST-6,2017-05-18 15:44:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.81,38.36,-98.81,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692985,KANSAS,2017,May,Hail,"RICE",2017-05-18 15:43:00,CST-6,2017-05-18 15:44:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-98.46,38.46,-98.46,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +114785,692986,KANSAS,2017,May,Hail,"SEDGWICK",2017-05-18 15:45:00,CST-6,2017-05-18 15:46:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-97.66,37.87,-97.66,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","" +112840,674798,MISSOURI,2017,February,Hail,"BENTON",2017-02-28 23:22:00,CST-6,2017-02-28 23:22:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-93.49,38.32,-93.49,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674799,MISSOURI,2017,February,Hail,"VERNON",2017-02-28 23:42:00,CST-6,2017-02-28 23:42:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-94.29,37.66,-94.29,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674800,MISSOURI,2017,February,Hail,"ST. CLAIR",2017-02-28 23:45:00,CST-6,2017-02-28 23:45:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-93.7,38.05,-93.7,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674801,MISSOURI,2017,February,Hail,"ST. CLAIR",2017-02-28 23:53:00,CST-6,2017-02-28 23:53:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-93.67,38.02,-93.67,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Quarter size hail covered Highway 13 south of Osceola." +112840,674805,MISSOURI,2017,February,Thunderstorm Wind,"CHRISTIAN",2017-02-28 16:10:00,CST-6,2017-02-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-93.28,36.93,-93.28,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Trained spotter estimated wind gusts up to 60 mph." +113101,676740,WYOMING,2017,February,Flood,"FREMONT",2017-02-10 05:00:00,MST-7,2017-02-11 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.803,-108.6527,42.806,-108.6572,"During the night of February 9th, strong Chinook winds developed over the eastern Slope of the Wind River Mountains. Temperatures climbed into the 50s as a result. These warm temperatures and strong winds brought rapid snowmelt of a deep snow pack and ice jams that produced flooding around portions of the Lander Foothills and Wind River Basin. In Lander, areas bordering Squaw Creek saw rapid increases in water levels. Water surrounded the Baldwin Creek Elementary School and flooded the Lander Museum and a few other local businesses. Some homes along Smith Road were evacuated. Rapid runoff and ice jams also caused flooding along the Little Popo Agie River. Homes in the flood prone areas of Lyons Valley flooded. The ice jams also caused rapid water rises and flooding in the northern and western portions of Hudson, where many homes and roads were flooded.","Chinook winds caused rapid snow melt in the Lander Foothills that brought rapid snow melt. The warm temperatures caused rapid snow melt that rapidly increased river levels. In addition, the frozen Little Popo Agie river broke up rapidly and ice jams caused flooding of the flood prone areas in Lyons Valley. Several homes and farms in the low lying areas experienced flooding and several side roads were flooded with a few washed out." +113101,676742,WYOMING,2017,February,Flood,"FREMONT",2017-02-10 05:00:00,MST-7,2017-02-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,43.0081,-108.3826,43.0099,-108.3801,"During the night of February 9th, strong Chinook winds developed over the eastern Slope of the Wind River Mountains. Temperatures climbed into the 50s as a result. These warm temperatures and strong winds brought rapid snowmelt of a deep snow pack and ice jams that produced flooding around portions of the Lander Foothills and Wind River Basin. In Lander, areas bordering Squaw Creek saw rapid increases in water levels. Water surrounded the Baldwin Creek Elementary School and flooded the Lander Museum and a few other local businesses. Some homes along Smith Road were evacuated. Rapid runoff and ice jams also caused flooding along the Little Popo Agie River. Homes in the flood prone areas of Lyons Valley flooded. The ice jams also caused rapid water rises and flooding in the northern and western portions of Hudson, where many homes and roads were flooded.","A combination of rapid snow melt from a chinook wind and ice jams caused the Little Wind River near Riverton to rise to 10.8 feet, 2.8 feet above flood stage. The water for the most part remained in low lying areas and caused little damage." +113119,676535,NEW HAMPSHIRE,2017,February,Heavy Snow,"CHESHIRE",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676536,NEW HAMPSHIRE,2017,February,Heavy Snow,"COASTAL ROCKINGHAM",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113683,682153,NEBRASKA,2017,April,Thunderstorm Wind,"MADISON",2017-04-15 17:15:00,CST-6,2017-04-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-97.6,41.91,-97.6,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","There were 3 center pivots reported blown over by the strong winds." +113683,682157,NEBRASKA,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-15 19:25:00,CST-6,2017-04-15 19:25:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-96.18,41.67,-96.18,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","A barn was reported destroyed. As well as broken tree lines and two center pivots overturned by the strong winds." +113683,682158,NEBRASKA,2017,April,Thunderstorm Wind,"BURT",2017-04-15 19:23:00,CST-6,2017-04-15 19:23:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-96.22,41.7,-96.22,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","A grain solo was reported destroyed by the strong winds." +113685,682163,IOWA,2017,April,Hail,"MILLS",2017-04-15 15:57:00,CST-6,2017-04-15 15:57:00,0,0,0,0,0.00K,0,0.00K,0,41,-95.85,41,-95.85,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113900,683012,NEBRASKA,2017,April,Hail,"SALINE",2017-04-19 16:16:00,CST-6,2017-04-19 16:16:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-97.02,40.63,-97.02,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683013,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-19 16:25:00,CST-6,2017-04-19 16:25:00,0,0,0,0,0.00K,0,0.00K,0,40.8202,-96.7005,40.8202,-96.7005,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683014,NEBRASKA,2017,April,Hail,"SALINE",2017-04-19 16:25:00,CST-6,2017-04-19 16:25:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-97.23,40.41,-97.23,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683020,NEBRASKA,2017,April,Hail,"JEFFERSON",2017-04-19 16:51:00,CST-6,2017-04-19 16:51:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-97.08,40.19,-97.08,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113901,683022,IOWA,2017,April,Hail,"SHELBY",2017-04-19 18:40:00,CST-6,2017-04-19 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-95.48,41.73,-95.48,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113901,683023,IOWA,2017,April,Hail,"SHELBY",2017-04-19 18:48:00,CST-6,2017-04-19 18:48:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-95.34,41.78,-95.34,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113901,683021,IOWA,2017,April,Hail,"HARRISON",2017-04-19 06:14:00,CST-6,2017-04-19 06:14:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-95.95,41.52,-95.95,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113253,677606,NEW YORK,2017,February,Winter Storm,"SOUTHERN SARATOGA",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677605,NEW YORK,2017,February,Winter Storm,"EASTERN SCHENECTADY",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113259,677649,MASSACHUSETTS,2017,February,Winter Storm,"NORTHERN BERKSHIRE",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of Western Massachusetts, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Berkshires, where accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon. ||In total, 7 to 12 inches of snowfall occurred through most of western Massachusetts, with lesser totals over southern portions where sleet occurred.","" +113259,677650,MASSACHUSETTS,2017,February,Winter Weather,"SOUTHERN BERKSHIRE",2017-02-12 05:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of Western Massachusetts, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Berkshires, where accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon. ||In total, 7 to 12 inches of snowfall occurred through most of western Massachusetts, with lesser totals over southern portions where sleet occurred.","" +113260,677652,VERMONT,2017,February,Winter Storm,"BENNINGTON",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. The snowfall diminished Sunday evening, except over the higher terrain areas of the Greens, where accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon. ||In total, 7 to 12 inches of snowfall occurred through most of the local area, with up to 20 over the higher terrain of the Green Mountains.","" +113258,677645,CONNECTICUT,2017,February,Winter Weather,"NORTHERN LITCHFIELD",2017-02-12 05:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of Northwest Connecticut which cut down snowfall totals. The snowfall diminished Sunday evening. In total, 3 to 7 inches of snow and sleet occurred across Northwest Connecticut.","" +113447,679137,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-02-20 22:00:00,MST-7,2017-02-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","Heavy snow fell in portions of the Wind River Mountains. The highest amount recorded was 14 inches at the Little Warm River SNOTEL." +113312,679155,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-14 08:48:00,CST-6,2017-02-14 08:51:00,0,0,0,0,0.00K,0,0.00K,0,27.6425,-97.2398,27.6346,-97.237,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Packery Channel measured a gust to 34 knots." +113451,679168,TENNESSEE,2017,February,Hail,"FENTRESS",2017-02-08 16:01:00,CST-6,2017-02-08 16:01:00,0,0,0,0,0.00K,0,0.00K,0,36.4601,-84.9392,36.4601,-84.9392,"Scattered strong to severe thunderstorms developed across Middle Tennessee during the afternoon hours on February 8. A few reports of large hail were received.","Penny to quarter size hail was reported 2 miles north of Jamestown." +113451,679170,TENNESSEE,2017,February,Hail,"FENTRESS",2017-02-08 16:02:00,CST-6,2017-02-08 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.4725,-84.9467,36.4725,-84.9467,"Scattered strong to severe thunderstorms developed across Middle Tennessee during the afternoon hours on February 8. A few reports of large hail were received.","Quarter size hail was reported 3 miles north of Jamestown." +113452,679171,TENNESSEE,2017,February,Hail,"PICKETT",2017-02-24 22:01:00,CST-6,2017-02-24 22:01:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-85.13,36.57,-85.13,"Scattered strong to severe thunderstorms affected eastern parts of Middle Tennessee during the late evening hours on February 24. A few reports of large hail were received from Cookeville to Byrdstown.","" +113452,679172,TENNESSEE,2017,February,Hail,"PUTNAM",2017-02-24 22:15:00,CST-6,2017-02-24 22:15:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-85.5,36.17,-85.5,"Scattered strong to severe thunderstorms affected eastern parts of Middle Tennessee during the late evening hours on February 24. A few reports of large hail were received from Cookeville to Byrdstown.","" +113452,679173,TENNESSEE,2017,February,Hail,"PUTNAM",2017-02-24 22:18:00,CST-6,2017-02-24 22:18:00,0,0,0,0,0.00K,0,0.00K,0,36.199,-85.5,36.199,-85.5,"Scattered strong to severe thunderstorms affected eastern parts of Middle Tennessee during the late evening hours on February 24. A few reports of large hail were received from Cookeville to Byrdstown.","" +113025,675591,IOWA,2017,February,Blizzard,"CALHOUN",2017-02-24 00:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675594,IOWA,2017,February,Blizzard,"WEBSTER",2017-02-24 01:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675592,IOWA,2017,February,Blizzard,"CARROLL",2017-02-24 01:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113282,678847,KENTUCKY,2017,February,Tornado,"GRAVES",2017-02-28 22:35:00,CST-6,2017-02-28 22:42:00,0,0,0,0,35.00K,35000,0.00K,0,36.5021,-88.5311,36.5494,-88.4877,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","This weak tornado formed along the Tennessee state line, then tracked northeast across the southeast corner of Graves County. It passed through farmland and wooded areas. Many trees were snapped or uprooted. There was minor damage to barn roofs. Peak winds were estimated near 75 mph. The tornado continued into Calloway County." +113282,678853,KENTUCKY,2017,February,Tornado,"CALLOWAY",2017-02-28 22:42:00,CST-6,2017-02-28 22:47:00,0,0,0,0,35.00K,35000,0.00K,0,36.5494,-88.4877,36.6,-88.43,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","This weak tornado crossed from Graves County into Calloway County. The path was through farmlands and woods. Many trees were downed, and some barn roofs received minor damage. Peak winds were estimated near 75 mph." +113282,678868,KENTUCKY,2017,February,Tornado,"TRIGG",2017-02-28 23:28:00,CST-6,2017-02-28 23:38:00,0,0,0,0,300.00K,300000,0.00K,0,36.7365,-87.8813,36.801,-87.7488,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","The tornado formed a few miles east of Lake Barkley, then tracked northeast. The tornado lifted well southeast of Cadiz. Hundreds of trees were snapped or uprooted, and one grain bin was destroyed. There was major structural damage to numerous barns. Many homes received minor to moderate siding or roof damage. Peak winds were estimated near 105 mph." +111483,670349,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:35:00,CST-6,2017-01-02 19:37:00,0,0,0,0,0.00K,0,0.00K,0,31.1067,-85.503,31.1095,-85.4856,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An NWS Survey Team determined that some damage in the Rehobeth area was caused by strong straight line winds on the southern flank of a tornado just to the north. Damage consisted of numerous large trees snapped or uprooted. One mobile home was split by a large tree, resulting in four fatalities in Houston county. The damage pattern along this path was not convergent and was noticeably south of the path of the tornado vortex. This damage extended from far eastern Geneva county into Houston county." +111483,671732,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 18:57:00,CST-6,2017-01-02 18:57:00,0,0,0,0,3.00K,3000,0.00K,0,31.08,-86.1,31.08,-86.1,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Power lines were blown down in the western part of Geneva county." +115234,691857,WISCONSIN,2017,May,Hail,"JUNEAU",2017-05-15 13:37:00,CST-6,2017-05-15 13:37:00,0,0,0,0,0.00K,0,0.00K,0,43.74,-90.27,43.74,-90.27,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","" +113448,679271,OHIO,2017,April,Thunderstorm Wind,"CLERMONT",2017-04-05 18:01:00,EST-5,2017-04-05 18:06:00,0,0,0,0,5.00K,5000,0.00K,0,39.05,-84.05,39.05,-84.05,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Numerous trees were knocked down throughout the county, especially in the Williamsburg area." +113448,679273,OHIO,2017,April,Thunderstorm Wind,"CLARK",2017-04-05 18:04:00,EST-5,2017-04-05 18:09:00,0,0,0,0,5.00K,5000,0.00K,0,39.97,-83.87,39.97,-83.87,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","The public reported damage to a barn on Johnson Road." +113448,679274,OHIO,2017,April,Thunderstorm Wind,"BROWN",2017-04-05 18:06:00,EST-5,2017-04-05 18:11:00,0,0,0,0,0.50K,500,0.00K,0,39.03,-83.92,39.03,-83.92,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Several branches were reported knocked down." +113448,679278,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:11:00,EST-5,2017-04-05 18:16:00,0,0,0,0,25.00K,25000,0.00K,0,39.08,-83.85,39.08,-83.85,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A trailer home on Beltz Road was completely destroyed by high winds." +113448,679279,OHIO,2017,April,Thunderstorm Wind,"BROWN",2017-04-05 18:12:00,EST-5,2017-04-05 18:17:00,0,0,0,0,6.00K,6000,0.00K,0,39.02,-83.93,39.02,-83.93,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree fell onto a roof of a home on Holiday Drive. Other trees were reported down in the vicinity." +113448,679282,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:15:00,EST-5,2017-04-05 18:20:00,0,0,0,0,45.00K,45000,0.00K,0,39.09,-83.81,39.09,-83.81,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","At a farm property on New Market Road, a collection of grain bins was heavily damaged, with one bin pulled down completely." +113448,679285,OHIO,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 17:37:00,EST-5,2017-04-05 17:42:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-84.22,39.9,-84.22,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679286,OHIO,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 17:43:00,EST-5,2017-04-05 17:48:00,0,0,0,0,0.00K,0,0.00K,0,39.88,-84.19,39.88,-84.19,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679287,OHIO,2017,April,Thunderstorm Wind,"GREENE",2017-04-05 17:45:00,EST-5,2017-04-05 17:48:00,0,0,0,0,0.00K,0,0.00K,0,39.83,-84.05,39.83,-84.05,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679288,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:30:00,EST-5,2017-04-05 18:33:00,0,0,0,0,1.00K,1000,0.00K,0,39.13,-83.56,39.13,-83.56,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was knocked down near Berrysville Road." +113810,681455,ALABAMA,2017,February,Drought,"FAYETTE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681456,ALABAMA,2017,February,Drought,"WALKER",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681457,ALABAMA,2017,February,Drought,"BLOUNT",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681458,ALABAMA,2017,February,Drought,"BIBB",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681459,ALABAMA,2017,February,Drought,"ST. CLAIR",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681460,ALABAMA,2017,February,Drought,"ETOWAH",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681461,ALABAMA,2017,February,Drought,"CHEROKEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681462,ALABAMA,2017,February,Drought,"CALHOUN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +113810,681463,ALABAMA,2017,February,Drought,"CLEBURNE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D2." +112993,675287,NORTH DAKOTA,2017,January,High Wind,"SIOUX",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for northern Sioux County based on the Morton County report." +112993,675286,NORTH DAKOTA,2017,January,High Wind,"GRANT",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for northeastern Grant County based on the Morton County report." +112929,674677,NORTH DAKOTA,2017,January,Heavy Snow,"MORTON",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Locations near Crown Butte Reservoir received 14 inches of snow." +112929,674678,NORTH DAKOTA,2017,January,Heavy Snow,"BURLEIGH",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Wilton received 14 inches of snow." +112929,674679,NORTH DAKOTA,2017,January,Heavy Snow,"SHERIDAN",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Goodrich received 11 inches of snow." +114660,687722,KANSAS,2017,April,Hail,"MONTGOMERY",2017-04-25 18:50:00,CST-6,2017-04-25 18:51:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-95.88,37.24,-95.88,"A couple of marginally severe thunderstorms produced some quarter-sized hail in Chautauqua, Elk and Montgomery Counties in the evening. There were only 3 reports, one in each county and each 1 inch in diameter.","" +113392,678464,KENTUCKY,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-05 20:55:00,EST-5,2017-04-05 20:55:00,0,0,0,0,1.00K,1000,0.00K,0,38.19,-82.69,38.19,-82.69,"A low pressure system moved up the Ohio River Valley on the 5th. Severe thunderstorms formed across Kentucky during the afternoon, moving through northeastern Kentucky that evening.","Several trees were blown down." +114784,692977,KANSAS,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-16 17:54:00,CST-6,2017-05-16 17:55:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-98.39,39.1,-98.39,"A cyclic supercell thunderstorm produced a long track tornado across portions of Barton county, Kansas. The tornado initially touched down 3 miles west of Larned, Kansas (See NWS Dodge City, Kansas narrative for more information on the initial touchdown), traveling northeast, near Pawnee Rock, Kansas to 3 miles west of Great Bend, Kansas to just west of Hoisington, Kansas. The tornado was on the ground for 27 miles with damage rated from EF0 to a high end EF3 (3 miles west of Great Bend, Kansas). Two minor injuries were reported. Another minor tornado touchdown occurred in open country.","Reported on Highway 18." +113392,678466,KENTUCKY,2017,April,Thunderstorm Wind,"CARTER",2017-04-05 20:50:00,EST-5,2017-04-05 20:50:00,0,0,0,0,2.00K,2000,0.00K,0,38.33,-82.95,38.33,-82.95,"A low pressure system moved up the Ohio River Valley on the 5th. Severe thunderstorms formed across Kentucky during the afternoon, moving through northeastern Kentucky that evening.","Several trees were downed by thunderstorm winds." +113392,678468,KENTUCKY,2017,April,Thunderstorm Wind,"GREENUP",2017-04-05 20:50:00,EST-5,2017-04-05 20:50:00,0,0,0,0,0.50K,500,0.00K,0,38.5,-82.9,38.5,-82.9,"A low pressure system moved up the Ohio River Valley on the 5th. Severe thunderstorms formed across Kentucky during the afternoon, moving through northeastern Kentucky that evening.","A tree was blown down as a thunderstorm moved through." +113392,678469,KENTUCKY,2017,April,Thunderstorm Wind,"BOYD",2017-04-05 20:55:00,EST-5,2017-04-05 20:55:00,0,0,0,0,0.50K,500,0.00K,0,38.48,-82.68,38.48,-82.68,"A low pressure system moved up the Ohio River Valley on the 5th. Severe thunderstorms formed across Kentucky during the afternoon, moving through northeastern Kentucky that evening.","Thunderstorm winds downed a tree in Westwood." +113392,678471,KENTUCKY,2017,April,Thunderstorm Wind,"CARTER",2017-04-05 20:30:00,EST-5,2017-04-05 20:30:00,0,0,0,0,2.00K,2000,0.00K,0,38.3,-83.17,38.3,-83.17,"A low pressure system moved up the Ohio River Valley on the 5th. Severe thunderstorms formed across Kentucky during the afternoon, moving through northeastern Kentucky that evening.","Several trees were blown down in the Olive Hill area." +113537,679672,WEST VIRGINIA,2017,April,Hail,"CABELL",2017-04-11 17:54:00,EST-5,2017-04-11 17:54:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-82.44,38.39,-82.44,"Showers and thunderstorms, associated with a cold front moving through the Ohio River Valley, moved across Ohio and Kentucky on the 11th. Overall the storms were not overly strong, however one storm pulsed up as it moved into West Virginia during the evening.","" +113103,676449,SOUTH DAKOTA,2017,January,Heavy Snow,"HAND",2017-01-24 10:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +113103,676450,SOUTH DAKOTA,2017,January,Heavy Snow,"BUFFALO",2017-01-24 09:00:00,CST-6,2017-01-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area moving across the region brought heavy snow to central South Dakota from the morning of the 24th to the morning of the 25th. Six to 10 inches of snowfall occurred across the region. Interstate-90 was closed from 6 pm on the 24th to 7 am on the 25th with no travel advised on other roads across the region. Some snowfall amounts include, 6 inches at Pierre, Onida, Gann Valley, and Murdo; 7 inches at Kennebec; 8 inches at Ree Heights and Miller; 10 inches at Highmore.","" +112701,672886,NEW JERSEY,2017,January,Winter Weather,"EASTERN UNION",2017-01-07 08:30:00,EST-5,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing locally heavy snow to portions of northeast New Jersey.","The Newark Airport Contract Observer reported snowfall of 5.8 inches. A trained spotter in Roselle reported snowfall of 5.4 inches." +112701,672887,NEW JERSEY,2017,January,Winter Weather,"HUDSON",2017-01-07 08:30:00,EST-5,2017-01-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure developed across the southeast coast early on January 7, 2017 and deepened as it tracked off the coast. The low tracked south and east of the 40��N/70��W benchmark. Despite the low tracking this far east, the Tri-State area was located in the right entrance region of a strong upper level jet streak. This allowed for snow to expand well to the northwest of the low bringing locally heavy snow to portions of northeast New Jersey.","The COOP Observer in Harrison reported 4.8 inches of snowfall. A trained spotter in Hoboken reported 5.6 inches of snowfall." +113106,676461,SOUTH DAKOTA,2017,January,High Wind,"CORSON",2017-01-30 10:00:00,CST-6,2017-01-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area in southern Canada and a high pressure area over the inter-mountain region brought high winds to parts of northern South Dakota for a short period of time. Northwest winds of 30 to 40 mph with gusts up to 60 mph occurred.","" +113106,676462,SOUTH DAKOTA,2017,January,High Wind,"CAMPBELL",2017-01-30 11:00:00,CST-6,2017-01-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area in southern Canada and a high pressure area over the inter-mountain region brought high winds to parts of northern South Dakota for a short period of time. Northwest winds of 30 to 40 mph with gusts up to 60 mph occurred.","" +111786,666746,ARIZONA,2017,January,Winter Storm,"BABOQUIVARI MOUNTAINS",2017-01-20 12:00:00,MST-7,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Heavy snow and strong winds occurred on the higher elevations of the Baboquivari Mountains including Kitt Peak." +111786,666747,ARIZONA,2017,January,High Wind,"TUCSON METRO AREA",2017-01-21 00:00:00,MST-7,2017-01-21 02:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","Wind damage due to strong winds occurred in the Tucson Metro area. Tree damage constituted the majority of the wind damage, including substantial tree damage at Agua Caliente Park. Additionally, a power pole was blown down in Marana." +111786,666748,ARIZONA,2017,January,High Wind,"UPPER SAN PEDRO RIVER VALLEY",2017-01-21 01:00:00,MST-7,2017-01-21 03:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm impacted southeast Arizona on January 20th and 21st. This storm resulted in very heavy snow across area mountain ranges, especially over 7000 feet in elevation with some locations seeing in excess of 2 feet of snow. Strong winds caused damage at both high and lower elevations including the Tucson metro area.","A recorded gust to 67 MPH occurred at Muleshoe Ranch in Cochise County. A small shed was blown over in Sierra Vista." +113139,676660,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-01-07 10:30:00,PST-8,2017-01-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system brought widespread snow to the Pacific Northwest. Also significant ice accumulated in southeast Washington.","Measured 8 inches of snow on the 8th for a storm total snow fall of 14 inches, 2 miles east of Cle Elum in Kittitas county." +112744,673400,COLORADO,2017,January,Winter Storm,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-01-08 11:00:00,MST-7,2017-01-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level jet stream brought period of heavy snow and high winds to the north central mountain. Storm totals included: 51 inches, 16 miles west-southwest of Walden; 45 inches at Arapaho Basin Ski Area; 41.5 inches in Breckenridge and Loveland Ski Area; 40 inches near Silverthorne; 39 inches at Copper Mountain Ski Area; 30 inches at Eldora and Winter Park Ski Areas; with 22 inches near Frisco. Strong winds also accompanied the storm systems with gusts ranging from 50 to 70 mph above timberline. In Breckenridge, the accumulation of heavy snow caused the roof of the Ten-Mile-Room in Breckenridge to collapse. The flat roof of the convention center, built in 1972, covered nearly 4,500 square feet.","Storm totals included 51 inches, 16 miles west-southwest of Walden." +113872,681943,KENTUCKY,2017,April,Flood,"LETCHER",2017-04-23 17:56:00,EST-5,2017-04-23 20:26:00,0,0,0,0,0.00K,0,0.00K,0,37.2467,-82.7669,37.2473,-82.7725,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A citizen observed numerous portions of Kentucky Highway 7 throughout Letcher County with water over the roadway." +113872,681944,KENTUCKY,2017,April,Flood,"BELL",2017-04-23 18:10:00,EST-5,2017-04-23 21:10:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-83.53,36.9301,-83.5377,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A trained spotter reported water flowing over Kentucky Highway 2011 in Beverly." +113872,681946,KENTUCKY,2017,April,Flood,"HARLAN",2017-04-23 18:22:00,EST-5,2017-04-23 21:22:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-83.46,36.8615,-83.4603,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","Law enforcement observed shallow water flowing over Kentucky Highway 221 near the intersection with Kentucky Highway 1780 near Tacky Town." +115702,695534,IDAHO,2017,April,Flood,"LINCOLN",2017-04-01 00:01:00,MST-7,2017-04-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8072,-114.5676,42.7432,-113.78,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","Releases form the Magic Reservoir the last two days of March continued into the first week of April and some field flooding along the Big Wood River continued including a washed out bridge on personal property. The man was blocked in his home for a few days." +113488,679360,WISCONSIN,2017,April,Hail,"PRICE",2017-04-09 21:00:00,CST-6,2017-04-09 21:00:00,0,0,0,0,,NaN,,NaN,45.64,-90.33,45.64,-90.33,"A couple severe thunderstorms tracked across Price County, in northwest Wisconsin, during the evening of Sunday April 9th. The storms produced hail up to the size of quarters and strong wind gusts.","Most of the hailstones were around one half of an inch in diameter." +112953,674882,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 15:20:00,CST-6,2017-02-28 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-90.04,41.17,-90.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +112953,674883,ILLINOIS,2017,February,Hail,"HANCOCK",2017-02-28 15:25:00,CST-6,2017-02-28 15:25:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-91.12,40.6,-91.12,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported pea size hail increasing to the size of quarters during a two minute long hail storm." +112953,674884,ILLINOIS,2017,February,Hail,"HANCOCK",2017-02-28 15:37:00,CST-6,2017-02-28 15:37:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-90.97,40.58,-90.97,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A citizen reported 1.25 diameter hail." +115702,695343,IDAHO,2017,April,Flood,"MADISON",2017-04-02 03:00:00,MST-7,2017-04-26 05:00:00,0,0,0,0,0.00K,0,0.00K,0,43.9234,-111.88,43.75,-111.9101,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","Madison County declared a flood emergency. Action was taken to help mitigate river bank erosion. Erosion occurred due to the high runoff. Some flooding occurred 6 miles east of Lorenzo Highway near Twin Bridges. Over 300 truck loads of riprap rock was delivered to the Sunnydell irrigation canal along the Snake River upstream of Archer Road in the attempt at erosion mitigation. More work was done at the Roth location along the Heise-Roberts levee 1 mile upstream of the Lorenzo Bridge." +113161,676969,WASHINGTON,2017,January,Winter Storm,"EAST SLOPES NORTHERN CASCADES",2017-01-17 07:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Precipitation initially began as freezing rain leaving 0.12 inches of ice accumulation. Then the freezing rain turned to snow during the afternoon with 6 inches of snow accumulation overnight." +113161,676970,WASHINGTON,2017,January,Winter Storm,"WENATCHEE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","A mix of snow and sleet and and a thin layer of ice from freezing rain was reported at East Wenatchee." +113191,677122,WASHINGTON,2017,January,Heavy Snow,"SPOKANE AREA",2017-01-07 14:00:00,PST-8,2017-01-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","A member of the public reported an estimated 4.5 inches of new snow at Cheney." +113191,677123,WASHINGTON,2017,January,Heavy Snow,"SPOKANE AREA",2017-01-07 16:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","Four inches of new snow accumulation was measured three miles south of Spokane." +113191,677124,WASHINGTON,2017,January,Heavy Snow,"WATERVILLE PLATEAU",2017-01-07 15:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","A member of the public reported 7 inches of new snow accumulation at Waterville." +113191,677125,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN VALLEY",2017-01-07 20:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","A member of the public measured 4.5 inches of new snow at Brewster." +121099,725009,VERMONT,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-12 08:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 7 inches fell across Franklin county." +121099,725011,VERMONT,2017,December,Winter Weather,"GRAND ISLE",2017-12-12 08:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 7 inches fell across Grand Isle county." +121099,725012,VERMONT,2017,December,Winter Weather,"WESTERN ADDISON",2017-12-12 08:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 7 inches fell across western Addison county." +121295,726102,NEW YORK,2017,December,Winter Weather,"EASTERN CLINTON",2017-12-22 07:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121099,725016,VERMONT,2017,December,Winter Storm,"ORLEANS",2017-12-12 08:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 10 inches of snow fell across Orleans county with Morgan reporting 13 inches." +121295,726103,NEW YORK,2017,December,Winter Weather,"WESTERN CLINTON",2017-12-22 07:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121295,726104,NEW YORK,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-22 07:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 4 to 7 inches occurred." +121295,726105,NEW YORK,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-22 07:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 4 to 7 inches occurred." +121295,726106,NEW YORK,2017,December,Winter Weather,"NORTHERN FRANKLIN",2017-12-22 06:00:00,EST-5,2017-12-22 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121295,726107,NEW YORK,2017,December,Winter Weather,"SOUTHERN FRANKLIN",2017-12-22 06:00:00,EST-5,2017-12-22 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121295,726108,NEW YORK,2017,December,Winter Weather,"SOUTHWESTERN ST. LAWRENCE",2017-12-22 05:00:00,EST-5,2017-12-22 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121295,726109,NEW YORK,2017,December,Winter Weather,"NORTHERN ST. LAWRENCE",2017-12-22 05:00:00,EST-5,2017-12-22 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121295,726110,NEW YORK,2017,December,Winter Weather,"SOUTHEASTERN ST. LAWRENCE",2017-12-22 05:00:00,EST-5,2017-12-22 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to New York during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 3 to 7 inches of snow fell across northern NY. The timing and intensity of the snowfall lead to dozens of vehicle accidents.","Snow accumulations of 3 to 6 inches occurred." +121294,726112,VERMONT,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 6 inches occurred." +113050,675847,CALIFORNIA,2017,January,Heavy Rain,"SAN DIEGO",2017-01-09 08:25:00,PST-8,2017-01-09 08:35:00,0,0,0,1,,NaN,,NaN,33.4103,-117.208,33.4103,-117.208,"A series of troughs and associated Pacific fronts swung through the region between the 5th and 9th of January, bringing largely beneficial rains, high elevation snow, and strong inland winds. Rainfall west of the mountains caused some minor urban flooding, but overall impacts were limited by low rain rates over an extended period. Rain totals ranged from 6-7 inches along the coastal slopes to 1-2 inches near the coast. Peak westerly wind gusts along the desert slopes were mostly in the 45-65 mph range, though a surfacing mountain wave in Burns Canyon produced a very impressive 107 mph wind gust.","An 80 ft oak tree fell on a mini van killing the driver. Saturated soils were likely an influencing factor. Winds were light at the time." +113053,675854,CALIFORNIA,2017,January,Heavy Snow,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-12 05:00:00,PST-8,2017-01-13 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","A 24 hour snowfall of 10-18 inches was reported in Big Bear Lake, with 22 inches at the top of Big Bear resort as of 0900PST on the 13th. Other 24 hours snowfall reports from the area included 14-16 inches in Running Springs and Green Valley Lake, 15 inches in Arrorbear Lake, 10 inches at the end of Mt. Baldy Rd., and 7 inches in Forest Falls, Angelus Oaks and Blue Jay. Light snow continued after 0900PST on the 13th, but impacts and accumulations were minimal." +113053,676356,CALIFORNIA,2017,January,Coastal Flood,"SAN DIEGO COUNTY COASTAL AREAS",2017-01-12 07:30:00,PST-8,2017-01-12 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","Lifeguards reported minor tidal overflow into low lying streets and parking lots in Imperial Beach and Oceanside (the Strand) with a high tide near 7 ft and 2-4 ft surf." +113085,676338,CALIFORNIA,2017,January,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-01-27 06:00:00,PST-8,2017-01-27 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","The mesonet station at Sill Hill reported high winds with a peak gust of 75 mph between 0610 and 0620PST." +113213,677343,TENNESSEE,2017,January,Winter Weather,"WARREN",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports indicated 1.5 to 2.5 inches of snow fell across the county with highest amounts measured in Rock Island." +113055,677793,CALIFORNIA,2017,January,Strong Wind,"ORANGE COUNTY INLAND",2017-01-20 09:00:00,PST-8,2017-01-21 06:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Numerous trees were downed in the Orange County valleys by a combination of strong winds and saturated soils. Peak wind gusts at local mesonet stations during the period were in the 35-50 mph range." +115433,693114,NORTH CAROLINA,2017,April,Thunderstorm Wind,"FORSYTH",2017-04-06 01:25:00,EST-5,2017-04-06 01:25:00,0,0,0,0,1.00K,1000,0.50K,500,36.02,-80.07,36.02,-80.07,"On the early morning of April 6th, showers and thunderstorms moved into Central NC from the southwest. A few of the storms became severe as a result of strong dynamic forcing and steep lapse rates combined with the high surface dew points. The severe storms produced quarter size hail and a long swath of damaging winds.","A tree was blown down on power lines near the intersection of Hillside Drive and Mowery Drive." +115433,693115,NORTH CAROLINA,2017,April,Hail,"GUILFORD",2017-04-06 04:45:00,EST-5,2017-04-06 04:56:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-79.67,36.06,-79.61,"On the early morning of April 6th, showers and thunderstorms moved into Central NC from the southwest. A few of the storms became severe as a result of strong dynamic forcing and steep lapse rates combined with the high surface dew points. The severe storms produced quarter size hail and a long swath of damaging winds.","Dime to quarter size hail fell along a swath from southeast of Climax to southeast of McLeansville." +115433,693116,NORTH CAROLINA,2017,April,Hail,"DURHAM",2017-04-06 06:35:00,EST-5,2017-04-06 06:45:00,0,0,0,0,0.00K,0,0.00K,0,36.04,-78.9,35.97,-78.87,"On the early morning of April 6th, showers and thunderstorms moved into Central NC from the southwest. A few of the storms became severe as a result of strong dynamic forcing and steep lapse rates combined with the high surface dew points. The severe storms produced quarter size hail and a long swath of damaging winds.","Dime to quarter size hail fell in Durham." +113273,677846,IDAHO,2017,January,Winter Storm,"CARIBOU HIGHLANDS",2017-01-22 12:00:00,MST-7,2017-01-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Extremely heavy snowfall caused hazardous travel and school shutdowns in the Caribou Highlands. Snowfall reports from COOP observers were: 6.5 inches in Bone, 19 inches in Downey, 8.5 inches in Swan Valley, and 11 inches in McCammon. Interstate 15 was closed on the evening of the 23rd for a short time near Downey due to a traffic accident. SNOTEL amounts were 25 inches at Sedgwick Peak, 10 inches at Sheep Mountain, 16 inches at Somsen Ranch, and 19 inches at Wildhorse Divide. Marsh Valley School District 21 and North Gem School District 149 were closed on the 23rd and 24th. All Caribou County Schools were closed on the 23rd and 24th as well." +113273,677833,IDAHO,2017,January,Winter Storm,"LOWER SNAKE RIVER PLAIN",2017-01-22 20:00:00,MST-7,2017-01-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Another in a series of winter storms brought extremely heavy snow and strong winds to the Lower Snake River Plain. The following snow amounts were reported by COOP observers, spotters, and NWS employees: Aberdeen 15 inches, American Falls 9.5 inches, Fort Hall 7 inches, Pocatello benches 15 to 25 inches, Pocatello NWS office 13.4 inches, Chubbuck 14 inches, downtown Pocatello 9 inches. The 8.6 inches at the Pocatello NWS office on the 23rd was a single day record for the month of January. Highway 26 was closed 5 miles west of Blackfoot on the 23rd and 24th due to the snow and high winds. Aberdeen schools were sent home early on the 23rd and were closed on the 24th. Pocatello-Chubbuck School District 25, American Falls School District 381, Blackfoot School District 55, Snake River School District 52 and Shoshone-Bannock Schools were all closed on the 24th. Idaho State University closed classes on the 24th. Pocatello City and non-essential Bannock County offices were also closed on the 24th. The Pocatello NWS office set a record for total January snowfall with this storm with a monthly total of 32.2 inches." +115693,695209,TEXAS,2017,April,Flash Flood,"HARDIN",2017-04-02 18:36:00,CST-6,2017-04-02 18:36:00,0,0,0,0,0.00K,0,0.00K,0,30.2807,-94.3595,30.2014,-94.3243,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","The stream gauge on Black Creek indicated flooding. The department of highways also reported water over FM 1293." +115693,695211,TEXAS,2017,April,Hail,"JASPER",2017-04-02 14:00:00,CST-6,2017-04-02 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-93.96,30.46,-93.96,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115693,695212,TEXAS,2017,April,Thunderstorm Wind,"JASPER",2017-04-02 13:49:00,CST-6,2017-04-02 13:49:00,0,0,0,0,0.00K,0,0.00K,0,30.91,-93.98,30.91,-93.98,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","A large oak tree was uprooted during a thunderstorm in Jasper. The picture was posted to social media." +115700,695242,LOUISIANA,2017,April,Hail,"VERNON",2017-04-29 18:50:00,CST-6,2017-04-29 18:50:00,0,0,0,0,0.00K,0,0.00K,0,30.94,-92.94,30.94,-92.94,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The public reported quarter size hail at Strothers Country Store." +115700,695243,LOUISIANA,2017,April,Hail,"ALLEN",2017-04-29 18:53:00,CST-6,2017-04-29 18:53:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-93.04,30.52,-93.04,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +115700,695244,LOUISIANA,2017,April,Hail,"ALLEN",2017-04-29 19:52:00,CST-6,2017-04-29 19:52:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-92.76,30.62,-92.76,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +112225,673919,KANSAS,2017,January,Ice Storm,"JEWELL",2017-01-15 00:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673934,NEBRASKA,2017,January,Ice Storm,"NUCKOLLS",2017-01-15 03:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673935,NEBRASKA,2017,January,Ice Storm,"THAYER",2017-01-15 03:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673930,NEBRASKA,2017,January,Ice Storm,"CLAY",2017-01-15 04:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,24.00K,24000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673931,NEBRASKA,2017,January,Ice Storm,"FILLMORE",2017-01-15 04:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673933,NEBRASKA,2017,January,Ice Storm,"YORK",2017-01-15 05:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673937,NEBRASKA,2017,January,Ice Storm,"HAMILTON",2017-01-15 05:00:00,CST-6,2017-01-16 19:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673941,NEBRASKA,2017,January,Winter Storm,"FURNAS",2017-01-15 05:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673924,NEBRASKA,2017,January,Ice Storm,"HARLAN",2017-01-15 06:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +115858,696276,NEW YORK,2017,April,High Wind,"MONROE",2017-04-04 14:45:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696277,NEW YORK,2017,April,High Wind,"NORTHERN ERIE",2017-04-04 15:33:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696278,NEW YORK,2017,April,High Wind,"GENESEE",2017-04-04 14:20:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696279,NEW YORK,2017,April,High Wind,"WYOMING",2017-04-04 16:36:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696280,NEW YORK,2017,April,High Wind,"CHAUTAUQUA",2017-04-04 15:54:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115858,696281,NEW YORK,2017,April,High Wind,"SOUTHERN ERIE",2017-04-04 16:02:00,EST-5,2017-04-04 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds followed the passage of a cold front across the area. The winds increased during the afternoon hours and evening hours of April 4th. Wind gusts as high as 59 mph were measured. The strong winds downed trees and power lines throughout the region. A portion of Route 19 in Warsaw was closed by downed trees and wires.","" +115956,696844,NEW YORK,2017,April,Flood,"MONROE",2017-04-06 23:00:00,EST-5,2017-04-08 12:45:00,0,0,0,0,10.00K,10000,0.00K,0,43.1,-77.9,43.0784,-77.8944,"The month of April began on a wet note following a wet March. Several areas creeks reached flood stage. Irondequoit Creek in Monroe county peaked at 9.44 feet at 9:45 AM EST on the 7th. Flooding occurred at Ellison Park and along Blossom Road with additional flooding along Allen Creek. The Black River at Watertown crested at 10.48 feet on the 8th at 11:15 AM EST. Flood stage is 10 feet. Farmland flooding was reported in the Flats with some minor flooding to riverfront properties in Dexter. In Cayuga County, Seneca Creek at Port Byron crested at 380.61 feet on the 8th at 9:30 AM EST. Properties along Cross Lake became inundated including a restaurant on Route 34 and Riverside Campground. In the town of Montezuma a culvert was washed out on Freher Road. Black Creek at Churchville, in Monroe County, crested at 6.76 feet on the 8th at 8:30 AM EST.","" +113123,676569,NEW YORK,2017,January,Coastal Flood,"SOUTHERN NASSAU",2017-01-23 17:00:00,EST-5,2017-01-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Nor'easter impacted successive high tide cycles with widespread minor to locally moderate coastal flooding on the evening of 1/23 and widespread moderate to locally major coastal flooding the morning of 1/24. ||Thirty six hours of east northeast gale to storm force winds helped build surge values to 3 to 4 feet above astronomical tides for the 1/24 morning high tide cycle. This caused widespread moderate to locally major coastal flooding along the southern and eastern bays and beachfront communities of Long Island. Coastal communities across the rest of the Tri-State area mainly experienced minor impacts.||Coastal flood watches, warnings and advisories were issued and IDSS performed well in advance to warn coastal community residents of the potential impacts.||In addition, widespread beach and dune erosion occurred at Atlantic ocean beaches from elevated waters levels and an east to west sweep of 8 to 12 feet of surf Monday into Tuesday.","The USGS tidal gauge in Hudson Bay at Freeport recorded a peak water level of 5.8 ft. MLLW at 600 pm EST. The moderate coastal flood threshold of 5.8 ft. MLLW was reached from 548pm to 618pm EST. The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +113123,676630,NEW YORK,2017,January,Coastal Flood,"SOUTHWEST SUFFOLK",2017-01-24 04:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Nor'easter impacted successive high tide cycles with widespread minor to locally moderate coastal flooding on the evening of 1/23 and widespread moderate to locally major coastal flooding the morning of 1/24. ||Thirty six hours of east northeast gale to storm force winds helped build surge values to 3 to 4 feet above astronomical tides for the 1/24 morning high tide cycle. This caused widespread moderate to locally major coastal flooding along the southern and eastern bays and beachfront communities of Long Island. Coastal communities across the rest of the Tri-State area mainly experienced minor impacts.||Coastal flood watches, warnings and advisories were issued and IDSS performed well in advance to warn coastal community residents of the potential impacts.||In addition, widespread beach and dune erosion occurred at Atlantic ocean beaches from elevated waters levels and an east to west sweep of 8 to 12 feet of surf Monday into Tuesday.","The USGS tidal gauge in Great South Bay at Lindenhurst recorded a peak water level of 4.3 ft. MLLW at 636 am EST. The major coastal flood threshold of 4.3 ft. MLLW was reached from 612am to 724am EST. The moderate coastal flood threshold of 3.8 ft. MLLW was reached from 418am to 912am EST. The moderate and major coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +121208,725609,NEW YORK,2017,October,Thunderstorm Wind,"GENESEE",2017-10-15 15:23:00,EST-5,2017-10-15 15:23:00,0,0,0,0,5.00K,5000,0.00K,0,43.08,-78.05,43.08,-78.05,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725610,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:30:00,EST-5,2017-10-15 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.24,-79.03,42.24,-79.03,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +113381,678654,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:41:00,CST-6,2017-02-20 01:41:00,0,0,0,0,10.00K,10000,0.00K,0,31.23,-96.32,31.23,-96.32,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","An amateur radio operator reported that a barn and a shop were destroyed by thunderstorm winds on County Road 431." +113772,681157,CALIFORNIA,2017,February,High Wind,"OWENS VALLEY",2017-02-06 15:42:00,PST-8,2017-02-06 15:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak storm system passing by brought isolated downslope winds to the Owens Valley.","This gust occurred 4 miles NW of Independence." +113773,681158,CALIFORNIA,2017,February,High Wind,"OWENS VALLEY",2017-02-09 14:39:00,PST-8,2017-02-09 14:42:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A passing trough brought high downslope winds to the Owens Valley.","The peak gust occurred 4 miles NW of Independence. At almost the same time, a big rig was blown over on Highway 395 near Pearsonville." +113774,681162,CALIFORNIA,2017,February,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-02-17 02:00:00,PST-8,2017-02-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought heavy snow to the eastern slopes of the Sierra.","Twenty one inches of snow fell in Aspendell." +113775,681164,NEVADA,2017,February,Heavy Snow,"SPRING MOUNTAINS",2017-02-17 22:00:00,PST-8,2017-02-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought heavy snow to the mountains of southern Nevada, and isolated heavy rain to the lower elevations.","Twenty two inches of snow fell on Mount Charleston." +113775,681167,NEVADA,2017,February,Flash Flood,"CLARK",2017-02-18 13:00:00,PST-8,2017-02-18 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.0591,-115.4327,36.0519,-115.4639,"A strong low pressure system brought heavy snow to the mountains of southern Nevada, and isolated heavy rain to the lower elevations.","The Red Rock Scenic Loop and the access roads to Bonnie Springs Ranch and Spring Mountain State Park were all closed due to flooding." +113776,681170,CALIFORNIA,2017,February,Heavy Snow,"EASTERN SIERRA SLOPES OF INYO COUNTY",2017-02-20 08:00:00,PST-8,2017-02-21 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passing by to the north brought a period of heavy snow to the eastern slopes of the Sierra.","Ten inches of snow fell in Aspendell." +113938,682328,COLORADO,2017,February,Wildfire,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-02-27 12:30:00,MST-7,2017-02-28 12:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"An accidental human caused wildfire rapidly spread in the Hanover area. A few hundred people were evacuated and school was canceled the following day as mop up ended. The grassland wildfire scorched just under 3300 acres. A few vehicles, and abandoned outbuildings and abandoned small mobile home were destroyed. No humans were injured in the blaze.","" +114376,685394,NEW MEXICO,2017,April,High Wind,"ALBUQUERQUE METRO AREA",2017-04-27 12:50:00,MST-7,2017-04-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies and a deepening lee trough over the plains generated windy conditions across much of New Mexico. The strongest winds occurred in the area from near Albuquerque across the Sandia Mountains into the high plains. West to northwest wind gusts peaked near 60 mph across this area. A band of virga showers just north of the Albuquerque area enhanced these strong winds and resulted in a peak wind gust to 66 mph at the Sunport. Colder temperatures and sufficient moisture across northern New Mexico also resulted in several inches of snow with this system over the San Juan Mountains.","Albuquerque Sunport reported a peak wind gust to 66 mph. Blowing dust reduced the visibility to six miles." +113983,682624,CALIFORNIA,2017,February,High Wind,"SAN MIGUEL AND SANTA ROSA ISLANDS",2017-02-17 13:13:00,PST-8,2017-02-17 14:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The sensor at Santa Rosa Island reported southerly winds with gusts to 76 MPH." +113945,682520,VIRGINIA,2017,February,High Wind,"ROCKBRIDGE",2017-02-13 00:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Strong winds brought down a few trees across Rockbridge county around and just after midnight." +113945,682510,VIRGINIA,2017,February,High Wind,"BLAND",2017-02-13 00:50:00,EST-5,2017-02-13 05:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Strong winds brought trees down on Wilderness Creek Road and Grapefield Road." +112639,672404,INDIANA,2017,February,Thunderstorm Wind,"CLARK",2017-02-24 18:17:00,EST-5,2017-02-24 18:17:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-85.78,38.54,-85.78,"After a string of record breaking warm February days, a potent cold front marched through southern Indiana during the late afternoon and evening hours February 24. An isolated severe thunderstorms developed which produced damaging winds.","A trained spotter measured a 52 knot gust with a handheld anemometer at the Henryville exit off I-65." +113950,682568,ARKANSAS,2017,February,Tornado,"WHITE",2017-02-28 19:07:00,CST-6,2017-02-28 19:09:00,1,0,0,0,70.00K,70000,0.00K,0,35.22,-91.68,35.2299,-91.671,"Two tornadoes were noted in White County on February 28, 2017.","This tornado was rated EF2 with winds estimated at 115 MPH. There was damage to several homes as well as small shops and outbuildings. Some homes had exterior walls collapsed." +112640,672400,KENTUCKY,2017,February,Hail,"HENRY",2017-02-24 08:26:00,EST-5,2017-02-24 08:26:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-85.26,38.4,-85.26,"After a string of record breaking warm February days, a potent cold front marched through central Kentucky during the late afternoon and evening hours February 24. Isolated severe thunderstorms developed which produced large hail.","" +112640,672401,KENTUCKY,2017,February,Hail,"MADISON",2017-02-24 22:50:00,EST-5,2017-02-24 22:50:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-84.29,37.58,-84.29,"After a string of record breaking warm February days, a potent cold front marched through central Kentucky during the late afternoon and evening hours February 24. Isolated severe thunderstorms developed which produced large hail.","" +112242,669748,SOUTH DAKOTA,2017,February,Winter Weather,"SOUTHERN MEADE CO PLAINS",2017-02-07 19:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669749,SOUTH DAKOTA,2017,February,Winter Weather,"HERMOSA FOOTHILLS",2017-02-07 17:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112544,674028,SOUTH DAKOTA,2017,February,Winter Weather,"NORTHERN BLACK HILLS",2017-02-23 08:00:00,MST-7,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674029,SOUTH DAKOTA,2017,February,Winter Weather,"NORTHERN FOOT HILLS",2017-02-23 09:00:00,MST-7,2017-02-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674030,SOUTH DAKOTA,2017,February,Winter Weather,"RAPID CITY",2017-02-23 05:00:00,MST-7,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674031,SOUTH DAKOTA,2017,February,Winter Storm,"SOUTHERN FOOT HILLS",2017-02-23 03:00:00,MST-7,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674032,SOUTH DAKOTA,2017,February,Winter Storm,"CENTRAL BLACK HILLS",2017-02-23 03:00:00,MST-7,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674033,SOUTH DAKOTA,2017,February,Winter Storm,"SOUTHERN BLACK HILLS",2017-02-23 03:00:00,MST-7,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +113751,681030,NEW HAMPSHIRE,2017,February,Flood,"GRAFTON",2017-02-24 20:12:00,EST-5,2017-02-25 06:03:00,0,0,0,0,0.00K,0,0.00K,0,44.2942,-71.6666,44.2862,-71.6524,"Extremely warm temperatures for the time of year combined with 0.50-1.00 inches of rain to produce rapid snow melt resulting in ice jam formation on the Ammonoosuc and Pemigewasset Rivers. A parking lot at Plymouth State University was flooded damaging 48 automobiles.","Rapid snowmelt and rainfall of .50-1.00 inches resulted in an ice jam on the Ammonoosic River at Bethlehem (flood stage 8.00 ft), which crested at 8.78 feet." +113751,681028,NEW HAMPSHIRE,2017,February,Flood,"GRAFTON",2017-02-26 01:55:00,EST-5,2017-02-26 22:47:00,0,0,0,0,100.00K,100000,0.00K,0,43.7613,-71.6864,43.761,-71.6865,"Extremely warm temperatures for the time of year combined with 0.50-1.00 inches of rain to produce rapid snow melt resulting in ice jam formation on the Ammonoosuc and Pemigewasset Rivers. A parking lot at Plymouth State University was flooded damaging 48 automobiles.","Rain and rapid snowmelt resulted on an ice jam on the Pemigewasset River at Plymouth (flood stage 13.0 ft), which flooded a parking lot at Plymouth State University. 48 automobiles where damaged by the high water. The river crested at 15.01 feet." +114595,687275,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 20:14:00,CST-6,2017-04-09 20:14:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-93.38,43.14,-93.38,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported hail ranging from dime to quarters in size." +114595,687279,IOWA,2017,April,Hail,"WORTH",2017-04-09 20:35:00,CST-6,2017-04-09 20:35:00,0,0,0,0,0.00K,0,0.00K,0,43.28,-93.12,43.28,-93.12,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Local fire department employee reported up to quarter sized hail 2 N of Plymouth." +113979,682801,NORTH CAROLINA,2017,February,Thunderstorm Wind,"BRUNSWICK",2017-02-15 12:16:00,EST-5,2017-02-15 12:17:00,0,0,0,0,3.00K,3000,0.00K,0,33.9442,-78.4342,33.9442,-78.4342,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","A carport was heavily damaged." +113979,682807,NORTH CAROLINA,2017,February,Thunderstorm Wind,"BRUNSWICK",2017-02-15 12:25:00,EST-5,2017-02-15 12:26:00,0,0,0,0,5.00K,5000,0.00K,0,34.01,-78,34.01,-78,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","Trees were reported down." +112663,673190,NEW MEXICO,2017,February,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-02-28 06:30:00,MST-7,2017-02-28 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Sierra Blanca Regional Airport reported peak wind gusts as high as 78 mph for several hours. An observer near Nogal reported peak wind gusts up to 61 mph. Power outages were reported across much of the area around Ruidoso." +112663,673192,NEW MEXICO,2017,February,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-02-28 06:30:00,MST-7,2017-02-28 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Sierra Blanca Regional Airport reported sustained winds as high as 63 mph for several hours." +113952,682421,OREGON,2017,February,Flood,"TILLAMOOK",2017-02-09 06:45:00,PST-8,2017-02-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,45.479,-123.7259,45.4754,-123.7291,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Wilson River near Tillamook to flood. The river crested at 15.76 feet, which is 3.76 feet above flood stage." +112554,671470,MINNESOTA,2017,February,Winter Storm,"FARIBAULT",2017-02-23 17:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 6 to 9 inches of snow that fell Thursday afternoon, through Friday afternoon. The heaviest totals were near Winnebago which received 9 inches." +114595,687289,IOWA,2017,April,Hail,"MARION",2017-04-09 23:30:00,CST-6,2017-04-09 23:30:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-93.02,41.23,-93.02,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to quarter sized hail." +114595,687290,IOWA,2017,April,Hail,"MARION",2017-04-09 23:31:00,CST-6,2017-04-09 23:31:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-93.01,41.27,-93.01,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to quarter sized hail." +119145,716326,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-76.1,36.67,-76.1,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.11 inches was measured at Mount Pleasant (3 SE)." +119145,716327,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-75.99,36.75,-75.99,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.57 inches was measured at Sigma (1 NNW)." +119145,716328,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-76.14,36.78,-76.14,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.66 inches was measured at Gallups Corner (1 SSW)." +119145,716329,VIRGINIA,2017,July,Heavy Rain,"LANCASTER",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-76.52,37.72,-76.52,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.00 inch was measured at Mollusk (1 ESE)." +114087,683168,NEW YORK,2017,February,Thunderstorm Wind,"ST. LAWRENCE",2017-02-25 13:16:00,EST-5,2017-02-25 13:16:00,0,0,0,0,25.00K,25000,0.00K,0,44.65,-75.05,44.65,-75.05,"A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across northern New York during the afternoon of February 25th. Yet, a strong cold front moved through during the afternoon hours and developed several lines of strong to severe thunderstorms that impacted much of New York and portions of western, southern New England...including portions of northern New York with some wind damage in the form of downed trees and power outages.","Partial roof torn off old, abandoned building as well as some downed tree branches." +113007,675447,VERMONT,2017,February,Flood,"FRANKLIN",2017-02-25 14:00:00,EST-5,2017-02-26 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.8946,-72.5777,44.8852,-73.1376,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","River rises on the Missisquoi River due to rain and snow melt led to ice break up. Ice jams on the Missisquoi flooded Marvin Road near Richford, Route 78 near East Highgate, and Waugh Farm Road near Swanton." +113007,675448,VERMONT,2017,February,Flood,"ORLEANS",2017-02-25 18:30:00,EST-5,2017-02-26 08:00:00,0,0,0,0,15.00K,15000,0.00K,0,44.7597,-72.4803,45,-72.4948,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises and flood area roads. Route 242 in Jay was covered in water, and a culvert was washed out on Eagle Point Road in Derby. The Barton River at Coventry VT went into flood and remained above flood stage through the afternoon of February 28." +113270,677768,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:41:00,EST-5,2017-02-25 18:41:00,0,0,0,0,,NaN,,NaN,42.18,-73.41,42.18,-73.41,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Trees and wires were down on Route 41." +113270,677770,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:49:00,EST-5,2017-02-25 18:49:00,0,0,0,0,,NaN,,NaN,42.52,-73.19,42.52,-73.19,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Trees were down at Whitney's Farm on Route 8." +113282,677884,KENTUCKY,2017,February,Hail,"CALLOWAY",2017-02-28 22:45:00,CST-6,2017-02-28 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-88.32,36.62,-88.32,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","" +113312,678951,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 07:50:00,CST-6,2017-02-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,28.132,-97.034,28.132,-97.034,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","NOS site at Copano Bay East measured a gust to 46 knots." +113312,679157,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-02-14 10:15:00,CST-6,2017-02-14 10:15:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Mustang Island Platform AWOS measured a gust to 36 knots." +115598,695803,UTAH,2017,April,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-04-13 11:30:00,MST-7,2017-04-13 20:25:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","Maximum recorded wind gusts included 82 mph at the Great Salt Lake Marina, 78 mph at SR-201 at I-80, 75 mph at the Point of the Mountain sensor, 73 mph at Vernon Hill, 71 mph at Flight Park South, 69 mph at the University of Utah, and numerous other reports in the 50-64 mph range. Large trees were knocked over and fell onto houses in Murray and Magna, and fence damage was also reported across the area. A trampoline became airborne in South Jordan and landed in an adjacent street. About 7,300 homes in the Salt Lake Valley lost power. At the Salt Lake City International Airport, more than two dozen flights were diverted to other airports across the region due to the strong winds. The Great Salt Lake Marina was also temporarily closed down due to safety concerns with the winds." +115598,695804,UTAH,2017,April,High Wind,"WEST CENTRAL UTAH",2017-04-13 15:50:00,MST-7,2017-04-13 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","The U.S. 6 at Eureka sensor reported a peak wind gust of 65 mph, while the Clearspot sensor recorded a maximum gust of 60 mph." +115842,696210,UTAH,2017,April,High Wind,"SANPETE/SEVIER VALLEYS",2017-04-23 17:40:00,MST-7,2017-04-23 17:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Pacific storm system moved into Utah starting April 23, bringing heavy snow to Utah's northern mountains, and strong gusty winds to southwest Utah.","The Interstate 70 at Salina sensor recorded a maximum wind gust of 62 mph." +115842,696211,UTAH,2017,April,High Wind,"SOUTHWEST UTAH",2017-04-23 16:55:00,MST-7,2017-04-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Pacific storm system moved into Utah starting April 23, bringing heavy snow to Utah's northern mountains, and strong gusty winds to southwest Utah.","The ASOS at the Milford Municipal Airport/Ben and Judy Briscoe Field recorded a peak wind gust of 60 mph." +115062,690857,OKLAHOMA,2017,April,Hail,"OSAGE",2017-04-16 19:39:00,CST-6,2017-04-16 19:39:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-96.01,36.73,-96.01,"Strong to severe thunderstorms developed over northeastern Oklahoma during the evening hours of the 16th, as a cold front moved into the area from the north. The strongest storms produced hail up to ping pong ball size and damaging wind as they moved south across the region.","" +115062,690860,OKLAHOMA,2017,April,Hail,"DELAWARE",2017-04-16 21:14:00,CST-6,2017-04-16 21:14:00,0,0,0,0,0.00K,0,0.00K,0,36.6583,-94.7067,36.6583,-94.7067,"Strong to severe thunderstorms developed over northeastern Oklahoma during the evening hours of the 16th, as a cold front moved into the area from the north. The strongest storms produced hail up to ping pong ball size and damaging wind as they moved south across the region.","" +115065,690905,OKLAHOMA,2017,April,Hail,"CREEK",2017-04-25 19:59:00,CST-6,2017-04-25 19:59:00,0,0,0,0,0.00K,0,0.00K,0,35.7634,-96.5768,35.7634,-96.5768,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +113058,676023,MISSISSIPPI,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-21 03:14:00,CST-6,2017-01-21 03:14:00,0,0,0,0,35.00K,35000,0.00K,0,31.56,-89.5,31.56,-89.5,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Multiple trees were blown down across the county. These included: a trees down across Highway 49 about 1.5 miles south of the Highway 590 intersection; trees were down on Cold Springs Road, Kelly Creek Road, Evergreen Church Road near Ray Harvey Road, and Three Notch Road near Wilson Road and Williams Road." +114672,687842,TENNESSEE,2017,April,Thunderstorm Wind,"BLOUNT",2017-04-17 14:40:00,EST-5,2017-04-17 14:40:00,0,0,0,0,,NaN,,NaN,35.82,-84.02,35.82,-84.02,"Two thunderstorms developed in the vicinity of a low pressure system across Central East Tennessee generating some hail and a little wind damage.","In the town of Louisville along Mentor Road, two separate trees split with half of each tree falling due to convective wind. One tree fell on a storage building damaging the structure. Other tree limbs also fell in the area." +113158,677060,IDAHO,2017,January,Flood,"CARIBOU",2017-01-09 02:00:00,MST-7,2017-01-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.7779,-111.87,42.72,-111.9488,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Extensive sheet flooding in fields and street flooding in Bancroft." +114675,687845,TENNESSEE,2017,April,Hail,"KNOX",2017-04-22 16:22:00,EST-5,2017-04-22 16:22:00,0,0,0,0,,NaN,,NaN,36.03,-83.95,36.03,-83.95,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Quarter sized hail was reported." +113703,680614,TENNESSEE,2017,April,Thunderstorm Wind,"COCKE",2017-04-05 21:20:00,EST-5,2017-04-05 21:20:00,0,0,0,0,,NaN,,NaN,36.12,-83.14,36.12,-83.14,"A surface trough moved into the Southern Appalachian region generating only a few severe thunderstorms; due to a weakly unstable environment with moderately weak wind shear. The storms were concentrated in Central East Tennessee.","A few trees were reported down along Glendale Road." +114672,687834,TENNESSEE,2017,April,Hail,"ROANE",2017-04-17 17:50:00,EST-5,2017-04-17 17:50:00,0,0,0,0,,NaN,,NaN,35.87,-84.68,35.87,-84.68,"Two thunderstorms developed in the vicinity of a low pressure system across Central East Tennessee generating some hail and a little wind damage.","One inch hail was reported." +113321,678164,OKLAHOMA,2017,February,Drought,"OKFUSKEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678165,OKLAHOMA,2017,February,Drought,"OKMULGEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678166,OKLAHOMA,2017,February,Drought,"WAGONER",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +115719,695431,OHIO,2017,April,Hail,"ALLEN",2017-04-19 17:13:00,EST-5,2017-04-19 17:14:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-83.95,40.76,-83.95,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +115719,695433,OHIO,2017,April,Hail,"PAULDING",2017-04-19 19:20:00,EST-5,2017-04-19 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-84.73,41.2,-84.73,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","Emergency management officials reported two inch diameter hail, which caused some window and siding damage." +115719,695434,OHIO,2017,April,Thunderstorm Wind,"PAULDING",2017-04-19 19:45:00,EST-5,2017-04-19 19:46:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-84.58,41.14,-84.58,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","Emergency management officials reported trees were blown down, with some minor structure damage. A small shed was blown away." +113717,680764,TEXAS,2017,February,Heavy Rain,"ZAPATA",2017-02-19 19:45:00,CST-6,2017-02-19 20:30:00,0,0,0,0,0.00K,0,0.00K,0,27.0659,-99.4331,27.0659,-99.4331,"A line of thunderstorms developed over the Mexican plateau and pushed across Zapata County. These storms produced torrential rainfall, especially over northwest Zapata County, where a few cars became stranded on US Highway 83.","An estimated two of inches of rain fell in less than an hour across northwest Zapata County, resulting in ponding of water on roadways. Zapata County Sheriff's Office reported several cars stranded on US Highway 83, north of San Ygnacio." +113737,680860,TEXAS,2017,February,Drought,"KENEDY",2017-02-08 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"While rain fell across the coastal counties and the eastern Valley, little rain fell further inland, continuing dry conditions, and allowing for Severe (D2) drought conditions to spread west.","Rainfall during the first week of February allowed for slight improvements in drought conditions for Kenedy County. The rainfall eliminated Severe (D2) drought conditions in the SW corner of Kenedy County and pared back the Severe (D2) drought conditions in NE Kenedy County." +115556,693896,INDIANA,2017,April,High Wind,"LA PORTE",2017-04-05 18:15:00,CST-6,2017-04-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepening low pressure tracked across the Great Lakes, bringing with it gusty winds, as well as areas of thunderstorms. While severe weather was expected, damage that occurred was the result of the strong gradient winds along the lake shore areas of Lake Michigan where numerous reports of trees, tree limbs and power lines down were received from county officials.","County dispatch reported that there were several reports of tree, tree limbs, and/or power lines down, mainly in northern parts of the county." +115719,695435,OHIO,2017,April,Thunderstorm Wind,"DEFIANCE",2017-04-19 19:16:00,EST-5,2017-04-19 19:17:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-84.77,41.26,-84.77,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","A trained spotter reported an 18 inch diameter tree was blown down." +116089,702509,IOWA,2017,May,Tornado,"WINNESHIEK",2017-05-17 17:50:00,CST-6,2017-05-17 17:51:00,0,0,0,0,2.00K,2000,0.00K,0,43.3512,-91.9043,43.3541,-91.904,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","A brief EF-0 tornado touched down northeast of Ridgeway. The tornado only produced some tree damage." +116090,697741,MINNESOTA,2017,May,Hail,"WINONA",2017-05-17 15:23:00,CST-6,2017-05-17 15:23:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-91.94,44.07,-91.94,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","" +116090,697746,MINNESOTA,2017,May,Tornado,"WABASHA",2017-05-17 15:29:00,CST-6,2017-05-17 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,44.1631,-92.1789,44.1678,-92.1684,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","An EF-0 tornado produced spotty damage in Plainview. The backside of a metal shed was blown down, part of roof was taken off a storage building and the batting cage at a baseball field was destroyed." +116090,697749,MINNESOTA,2017,May,Hail,"WINONA",2017-05-17 15:55:00,CST-6,2017-05-17 15:55:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-91.47,43.9,-91.47,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","Quarter sized hail fell north of New Hartford." +113665,680343,TENNESSEE,2017,February,Thunderstorm Wind,"HAMBLEN",2017-02-25 03:51:00,EST-5,2017-02-25 03:51:00,0,0,0,0,,NaN,,NaN,36.18,-83.38,36.18,-83.38,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","A few trees were reported down across the western part of Hamblen county." +113665,680344,TENNESSEE,2017,February,Thunderstorm Wind,"HAMBLEN",2017-02-25 04:07:00,EST-5,2017-02-25 04:07:00,0,0,0,0,,NaN,,NaN,36.21,-83.2,36.21,-83.2,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","Several trees were reported down across southeastern parts of Hamblen County." +113665,680345,TENNESSEE,2017,February,Thunderstorm Wind,"KNOX",2017-02-25 03:22:00,EST-5,2017-02-25 03:22:00,0,0,0,0,,NaN,,NaN,36,-83.93,36,-83.93,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","A 61 mph convective wind gust was measured at a CWOP site on Sharp's Ridge." +113959,682462,NEW YORK,2017,February,Lake-Effect Snow,"OSWEGO",2017-02-01 01:00:00,EST-5,2017-02-02 03:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved from the Great Lakes to New England January 31st to early on February 1st, producing widespread light synoptic snow across the area. In the wake of this system, increasing westerly flow and cold air crossing Lake Ontario allowed lake effect snow to develop by the early morning hours of the 1st. The snow intensified across the Tug Hill and dropped about two feet of snow with snowfall rates approaching three inches per hour. During the evening hours the lake effect band drifted over the south shore of Lake Ontario dropping a few inches of additional snow. Specific snowfall reports included: 22 inches at Redfield; 18 inches at Osceola; 17 inches at Pulaski and Constableville; 15 inches at Highmarket; 12 inches at Lacona, Mannsville and Worth; 11 inches at Glenfield; and 8 inches at Minetto and Fulton.","" +113959,682464,NEW YORK,2017,February,Lake-Effect Snow,"JEFFERSON",2017-02-01 01:00:00,EST-5,2017-02-02 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved from the Great Lakes to New England January 31st to early on February 1st, producing widespread light synoptic snow across the area. In the wake of this system, increasing westerly flow and cold air crossing Lake Ontario allowed lake effect snow to develop by the early morning hours of the 1st. The snow intensified across the Tug Hill and dropped about two feet of snow with snowfall rates approaching three inches per hour. During the evening hours the lake effect band drifted over the south shore of Lake Ontario dropping a few inches of additional snow. Specific snowfall reports included: 22 inches at Redfield; 18 inches at Osceola; 17 inches at Pulaski and Constableville; 15 inches at Highmarket; 12 inches at Lacona, Mannsville and Worth; 11 inches at Glenfield; and 8 inches at Minetto and Fulton.","" +115764,696792,INDIANA,2017,April,Thunderstorm Wind,"HUNTINGTON",2017-04-26 19:55:00,EST-5,2017-04-26 19:57:00,0,0,0,0,0.00K,0,0.00K,0,40.8901,-85.3846,40.8901,-85.3846,"A cold front moved across the area, interacting with an moderately unstable and highly sheared environment to produce numerous thunderstorms. Some of the storms produced large hail and damaging winds.","Emergency management officials reported isolated structural damage along East County Road 400 North, between the 3000 block and 6000 block. Siding on a church was blown off, shingles on the corner of a home were removed, steel barn doors were blown off and a older, already partially collapsed barn was completely knocked down." +113986,682651,MASSACHUSETTS,2017,April,Lightning,"PLYMOUTH",2017-04-28 07:29:00,EST-5,2017-04-28 07:29:00,0,0,0,0,3.00K,3000,0.00K,0,41.7021,-70.767,41.7021,-70.767,"Early morning showers and thunderstorms occurred across far southeastern Massachusetts and the adjacent coastal waters.","Lightning struck a house on Main Street, causing damage to the electrical system. Some smoke was observed in the house." +115767,695797,INDIANA,2017,April,Hail,"LA PORTE",2017-04-10 06:35:00,CST-6,2017-04-10 06:36:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-86.92,41.35,-86.92,"A frontal boundary sparked isolated thunderstorms that moved in from Lake Michigan and over parts of northwestern Indiana. The strongest storms produced marginally severe hail.","" +115767,695798,INDIANA,2017,April,Hail,"CASS",2017-04-10 08:38:00,EST-5,2017-04-10 08:39:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-86.35,40.76,-86.35,"A frontal boundary sparked isolated thunderstorms that moved in from Lake Michigan and over parts of northwestern Indiana. The strongest storms produced marginally severe hail.","" +115767,695799,INDIANA,2017,April,Hail,"CASS",2017-04-10 08:39:00,EST-5,2017-04-10 08:40:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-86.36,40.75,-86.36,"A frontal boundary sparked isolated thunderstorms that moved in from Lake Michigan and over parts of northwestern Indiana. The strongest storms produced marginally severe hail.","" +113986,682654,MASSACHUSETTS,2017,April,Lightning,"NANTUCKET",2017-04-28 10:00:00,EST-5,2017-04-28 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,41.2712,-70.1017,41.2712,-70.1017,"Early morning showers and thunderstorms occurred across far southeastern Massachusetts and the adjacent coastal waters.","The Nantucket Mirror newspaper reported two lightning strikes that caused damage. The first strike was to a home on Friendship lane, causing a small portion of the wall to be blown out and the flashing near the chimney to be bent upward. The second strike was to the Nantucket High School, causing a gymnasium window to be broken." +115607,694393,MASSACHUSETTS,2017,April,Strong Wind,"WESTERN FRANKLIN",2017-04-16 18:05:00,EST-5,2017-04-16 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers leading well ahead of a cold front moved across Southern New England the evening of the 16th. These showers drew strong winds down to the surface in gusts as they moved across the region. Winds of 40 to 50 mph were measured.","A tree was brought down near the intersection of Alexander Road and Greenfield Road in Leyden." +115607,694396,MASSACHUSETTS,2017,April,Strong Wind,"EASTERN FRANKLIN",2017-04-16 18:21:00,EST-5,2017-04-16 18:21:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers leading well ahead of a cold front moved across Southern New England the evening of the 16th. These showers drew strong winds down to the surface in gusts as they moved across the region. Winds of 40 to 50 mph were measured.","A tree was brought down on wires on Chapman Street in Greenfield." +113915,682560,IDAHO,2017,February,Flood,"POWER",2017-02-05 07:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,329.00K,329000,0.00K,0,42.37,-113.0159,42.78,-112.4356,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A warmup in February caused extensive sheet flooding throughout Power County damaging roads and closing many of them in the 8th through 12th time period. Teh Interstate 86 exit 44 for Seagull Bay was closed due to water on the roadway along with several county roads as well." +113915,682562,IDAHO,2017,February,Flood,"TETON",2017-02-06 08:00:00,MST-7,2017-02-28 20:00:00,0,0,0,0,90.00K,90000,0.00K,0,43.92,-111.15,43.87,-111.4102,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Some minor sheet flooding occurred at low elevations along with some road damage aided in part by the cold and snowy winter after the warmup in February." +112881,674330,WYOMING,2017,February,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-02-01 01:00:00,MST-7,2017-02-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This a continuation of the January 31st storm. A moist Pacific flow and a potent upper level system brought heavy snow to portions of western and northern Wyoming. The heaviest snow fell in northwestern Wyoming, especially in the Absarokas where 22 inches of new snow fell at the Beartooth Lake SNOTEL site. Up to 18 inches of snow fell in Yellowstone Park. In the lower elevations East of the Divide, the highest amounts fell along the northern border. In Park County, Wapati picked up 13 inches of new snow. Almost 9 inches fell northwest of Shell in Big Horn County. Amounts dropped off significantly further south. In DuBois, a narrow band of very heavy snow developed and dropped 16 inches of new snow.","Rangers at Yellowstone National Park measured 18 inches of new snow at the east entrance to the Park and 13 inches at the Old Faithful Ranger Station." +113586,679937,MASSACHUSETTS,2017,February,Drought,"NORTHERN WORCESTER",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor maintained a Severe Drought (D2) designation in western and northern parts of Northern Worcester County through the month of February." +113586,679938,MASSACHUSETTS,2017,February,Drought,"NORTHWEST MIDDLESEX COUNTY",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in Northwest Middlesex County through the month of February." +113170,676951,ALABAMA,2017,February,Thunderstorm Wind,"MOBILE",2017-02-07 13:33:00,CST-6,2017-02-07 13:35:00,0,0,0,0,2.00K,2000,0.00K,0,30.85,-88.07,30.85,-88.07,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","Winds estimated at 70 mph snapped a large tree." +112310,673122,PENNSYLVANIA,2017,February,Winter Weather,"LOWER BUCKS",2017-02-09 10:19:00,EST-5,2017-02-09 10:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 4.6 inches were measured in Lower Makefield Township on the morning of Feb 9." +114785,688523,KANSAS,2017,May,Tornado,"SALINE",2017-05-18 17:31:00,CST-6,2017-05-18 17:33:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-97.67,38.8033,-97.6654,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Rain wrapped tornado that briefly touched down over open country." +116565,700930,TEXAS,2017,June,Thunderstorm Wind,"WARD",2017-06-12 16:45:00,CST-6,2017-06-12 16:45:00,0,0,0,0,,NaN,,NaN,31.58,-102.9,31.58,-102.9,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved through Monahans and the public estimated a wind gust of 60 mph." +116565,700937,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-12 17:14:00,CST-6,2017-06-12 17:14:00,0,0,0,0,,NaN,,NaN,31.9712,-102.3197,31.9712,-102.3197,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved through Odessa and produced a 68 mph wind gust at Odessa Schlemeyer Airport ASOS." +112310,673123,PENNSYLVANIA,2017,February,Winter Weather,"UPPER BUCKS",2017-02-09 10:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 6.5 inches were measured in Upper Black Eddy Township on the morning of Feb 9." +113983,682631,CALIFORNIA,2017,February,High Wind,"SANTA CLARITA VALLEY",2017-02-17 13:56:00,PST-8,2017-02-17 14:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Strong southerly winds were reported in the Santa Clarita Valley. Some wind gusts from local RAWS stations include: Saugus (gust 66 MPH) and Newhall Pass (gust 61 MPH)." +113983,682630,CALIFORNIA,2017,February,High Wind,"SANTA MONICA MOUNTAINS RECREATION AREA",2017-02-17 14:56:00,PST-8,2017-02-17 15:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The RAWS sensor at Malibu Hills reported southerly wind gusts to 59 MPH." +113983,682648,CALIFORNIA,2017,February,High Wind,"SANTA BARBARA COUNTY CENTRAL COAST",2017-02-17 06:15:00,PST-8,2017-02-17 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","The RAWS sensor at Lompoc Hills reported southerly wind gusts to 59 MPH." +113983,682649,CALIFORNIA,2017,February,Winter Storm,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-02-18 05:00:00,PST-8,2017-02-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Winter storm conditions developed across the mountains of Los Angeles county. At the resort level, 12 to 24 inches of snow accumulated. Additionally, southerly winds gusting to 70 MPH were reported." +113990,682687,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-10 14:46:00,PST-8,2017-02-10 14:46:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-119.96,37.5752,-119.9527,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported large boulders in the roadway on both lanes of Highway 140 near Bug Hostle and Octagon southeast of Briceburg." +113990,682688,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-10 15:57:00,PST-8,2017-02-10 15:57:00,0,0,0,0,5.00K,5000,0.00K,0,37.23,-120.25,37.2327,-120.2488,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported a vehicle stuck in large amount of water and mud on Cunningham Road near Santa Fe Avenue in LeGrand." +113990,682694,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-10 22:32:00,PST-8,2017-02-10 22:32:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-120.18,37.2541,-120.1918,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported roadway flooding on White Rock Road northeast of LeGrand." +113990,682698,CALIFORNIA,2017,February,Heavy Snow,"S SIERRA MTNS",2017-02-10 09:14:00,PST-8,2017-02-11 09:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","COOP station at Tuolumne Meadows reported a measured 24 hour snowfall of 12 inches in Tuolumne County at an elevation of 8,694 feet. Also reported a snow depth of 126 inches." +113504,679513,ILLINOIS,2017,February,Hail,"ST. CLAIR",2017-02-28 17:25:00,CST-6,2017-02-28 17:29:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-90.2,38.57,-90.17,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679515,ILLINOIS,2017,February,Hail,"MONROE",2017-02-28 17:40:00,CST-6,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2255,-90.2329,38.3056,-89.9931,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","A swath of large hail, up to golfball size, fell across Monroe County between Maeystown and Hecker." +113504,679516,ILLINOIS,2017,February,Thunderstorm Wind,"MONROE",2017-02-28 18:00:00,CST-6,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-90,38.3054,-89.9892,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorms winds blew down a large tree across a road in town." +113504,679517,ILLINOIS,2017,February,Hail,"MONROE",2017-02-28 17:55:00,CST-6,2017-02-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.1609,-90.2594,38.1609,-90.2594,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679522,ILLINOIS,2017,February,Thunderstorm Wind,"MADISON",2017-02-28 17:35:00,CST-6,2017-02-28 17:36:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-90,38.7131,-90.07,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew down several trees and power lines in Collinsville and just south of Pontoon Beach. One house sustained siding damage from the winds." +113504,679523,ILLINOIS,2017,February,Hail,"MADISON",2017-02-28 17:35:00,CST-6,2017-02-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,38.6829,-90.0185,38.8007,-89.7755,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","A wide swath of large hail, up to two inches in diameter, fell across Madison County from the Collinsville/Pontoon Beach area northeastward through Maryville, Glen Carbon, Edwardsville, Troy and Marine." +112433,682012,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 15:50:00,PST-8,2017-02-20 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree and powerline down across roadway NB1 just north of Swanton." +112433,682013,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:04:00,PST-8,2017-02-20 16:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking at least one lane 8240 E Zayante Rd." +112433,682014,CALIFORNIA,2017,February,High Wind,"MOUNTAINS OF SAN BENITO COUNTY AND INTERIOR MONTEREY COUNTY INCLUDING PINNACLES NATIONAL PARK",2017-02-20 16:04:00,PST-8,2017-02-20 16:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Pine tree 3 feet in diameter blocking all lanes SR25 near Willow Creek Rd." +112433,682015,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-20 16:08:00,PST-8,2017-02-20 16:13:00,0,0,0,0,0.00K,0,0.00K,0,37.6287,-121.8028,37.6285,-121.8028,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Slide blocking at least one lane EB 84 just west of Vallecitos." +112433,682016,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:10:00,PST-8,2017-02-20 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking both lanes Capitola Rd near 7th Ave." +112433,682017,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:16:00,PST-8,2017-02-20 16:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down 30 ft blocking road near 7150 Croy Rd." +112433,682019,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-20 16:17:00,PST-8,2017-02-20 16:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking half of roadway Robinson Canyon Rd near Carmel Valley Rd." +112433,682356,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:21:00,PST-8,2017-02-20 16:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down on power lines possible fire blocking traffic on southbound 17 near La Madrona Dr of ramp." +112433,682357,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:27:00,PST-8,2017-02-20 16:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Redwood tree down across entire roadway Ralston Ridge near Bear Creek Rd." +113529,679593,ILLINOIS,2017,February,Dense Fog,"ALEXANDER",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679594,ILLINOIS,2017,February,Dense Fog,"HARDIN",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679595,ILLINOIS,2017,February,Dense Fog,"JOHNSON",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679597,ILLINOIS,2017,February,Dense Fog,"MASSAC",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679598,ILLINOIS,2017,February,Dense Fog,"POPE",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679599,ILLINOIS,2017,February,Dense Fog,"PULASKI",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679600,ILLINOIS,2017,February,Dense Fog,"UNION",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113529,679601,ILLINOIS,2017,February,Dense Fog,"WILLIAMSON",2017-02-19 01:00:00,CST-6,2017-02-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Marion southward and southeastward. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +121682,728348,NEW YORK,2017,October,Coastal Flood,"JEFFERSON",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +114628,687516,KANSAS,2017,March,Hail,"HARVEY",2017-03-24 16:18:00,CST-6,2017-03-24 16:19:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.51,38,-97.51,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","Most of the hail was pea to dime-sized, but a few were quarter-sized." +114628,687517,KANSAS,2017,March,Hail,"HARVEY",2017-03-24 16:22:00,CST-6,2017-03-24 16:25:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.51,38,-97.51,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","" +112635,672384,IOWA,2017,February,Blizzard,"OSCEOLA",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672385,IOWA,2017,February,Blizzard,"SIOUX",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672386,IOWA,2017,February,Blizzard,"O'BRIEN",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672388,IOWA,2017,February,Blizzard,"DICKINSON",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 4 to 7 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672389,IOWA,2017,February,Blizzard,"CLAY",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672390,IOWA,2017,February,Blizzard,"BUENA VISTA",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672391,IOWA,2017,February,Blizzard,"CHEROKEE",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112730,675529,NEW JERSEY,2017,March,High Wind,"NORTHWESTERN BURLINGTON",2017-03-02 03:28:00,EST-5,2017-03-02 03:28:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Downed tree onto a highway." +112658,672652,FLORIDA,2017,February,Wildfire,"POLK",2017-02-15 12:00:00,EST-5,2017-02-18 08:00:00,0,0,0,0,1.10M,1100000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions and breezy winds allowed a wildfire to spread through southeastern Polk County, destroying numerous homes and outbuildings.","A wildfire started on the 15th, and quickly spread due to dry conditions and breezy winds. The fire caused 500 homes to be evacuated on the evening of the 15th, and Highways 630 and 60 were temporarily closed. The fire eventually burned 5500 acres around Indian Lake Estates and River Ranch Hunt Club in southeastern Polk County. Polk County Fire Rescue reported that 10 mobile homes, 2 single family homes, and more than 100 camp structures and outbuildings were destroyed by the fire." +112840,674806,MISSOURI,2017,February,Thunderstorm Wind,"CHRISTIAN",2017-02-28 16:10:00,CST-6,2017-02-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-93.28,36.96,-93.28,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Trained spotter estimated wind gusts up to 60 mph." +112840,674811,MISSOURI,2017,February,Thunderstorm Wind,"BARTON",2017-02-28 23:45:00,CST-6,2017-02-28 23:45:00,0,0,0,0,25.00K,25000,0.00K,0,37.49,-94.26,37.49,-94.26,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","A roof was completely removed for a residential home. Debris was blown eastward into multiple trees in the backyard." +112850,674209,MONTANA,2017,February,Winter Storm,"BEAVERHEAD",2017-02-20 17:59:00,MST-7,2017-02-20 17:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist, west-southwesterly upslope flow triggered periods of snow, heavy at times, along the MT/ID portion of the Continental Divide. For the second time in the same week, wet accumulating snow resulted in the closure of Monida Pass along I-15.","MT DOT reported closure of Monida Pass along Interstate 15 due to accumulating snow." +112849,674208,MONTANA,2017,February,Winter Storm,"BEAVERHEAD",2017-02-19 03:30:00,MST-7,2017-02-19 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist and southerly upslope flow generated periods of snow, heavy at times, along the MT/ID portion of the Continental Divide. Some of this snow spilled-over into the immediate lee of the divide. Wet, accumulating snow closed Monida Pass along I-15 for a time on February 19th.","MT DOT reported closure of Monida Pass along Interstate 15 due to accumulating snow." +112863,674229,HAWAII WATERS,2017,February,Waterspout,"MAUI COUNTY LEEWARD WATERS",2017-02-02 11:30:00,HST-10,2017-02-02 11:30:00,0,0,0,0,0.00K,0,0.00K,0,21.0861,-157.042,21.0864,-157.0456,"A weak waterspout was captured on a photo by a member of the public. The image was forwarded to the weather office from KHON-TV. There were no reports of significant injuries or property damage.","" +113119,676537,NEW HAMPSHIRE,2017,February,Heavy Snow,"EASTERN HILLSBOROUGH",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676538,NEW HAMPSHIRE,2017,February,Heavy Snow,"INTERIOR ROCKINGHAM",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676539,NEW HAMPSHIRE,2017,February,Heavy Snow,"MERRIMACK",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676540,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN CARROLL",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676541,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN CARROLL",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676542,NEW HAMPSHIRE,2017,February,Heavy Snow,"STRAFFORD",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113119,676544,NEW HAMPSHIRE,2017,February,Heavy Snow,"SULLIVAN",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +114785,693004,KANSAS,2017,May,Thunderstorm Wind,"SALINE",2017-05-18 17:32:00,CST-6,2017-05-18 17:33:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-97.68,38.79,-97.68,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Tremendous tree damage with a 2 foot diameter tree uprooted. Shingles were blown off of a house and several power poles were down across the road." +114785,693005,KANSAS,2017,May,Thunderstorm Wind,"GREENWOOD",2017-05-18 19:25:00,CST-6,2017-05-18 19:26:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-96.16,37.98,-96.16,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Power lines are down with some minor tree damage. Power outages were noted city wide." +114785,693006,KANSAS,2017,May,Thunderstorm Wind,"BUTLER",2017-05-18 17:30:00,CST-6,2017-05-18 17:31:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-96.9,37.54,-96.9,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported by a trained spotter." +114785,693007,KANSAS,2017,May,Thunderstorm Wind,"MCPHERSON",2017-05-18 17:30:00,CST-6,2017-05-18 17:31:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-97.91,38.28,-97.91,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported by an NWS coop observer." +115188,691677,KANSAS,2017,May,Hail,"RUSSELL",2017-05-25 20:28:00,CST-6,2017-05-25 20:32:00,0,0,0,0,0.00K,0,0.00K,0,38.86,-98.97,38.86,-98.97,"Severe thunderstorms that developed over the Western Plains evolved into a convective complex of storms as they surged east toward Central Kansas late that evening. One thunderstorm that moved east into Russell County, Kansas was especially powerful as it produced 2.00 and 2.25 inch diameter hail as well as 60 to 70 mph winds.","The hail was reported along I-70. The time of the event is approximated from radar." +112789,673737,OREGON,2017,February,Frost/Freeze,"SOUTH CENTRAL OREGON COAST",2017-02-24 00:00:00,PST-8,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold air mass brought freezing temperatures to some coastal areas of southern Oregon.","Reported low temperatures along the coast ranged from 31 to 34 degrees." +113296,677956,MICHIGAN,2017,February,Lightning,"MONROE",2017-02-24 04:38:00,EST-5,2017-02-24 04:38:00,0,0,0,0,25.00K,25000,0.00K,0,41.9403,-83.4638,41.9403,-83.4638,"Lightning struck a house in the early morning hours of February 24th.","A house fire was reported due to a lightning strike, causing extensive damage in the attic. A hole was also observed in the roof." +113317,678147,OKLAHOMA,2017,February,Hail,"WASHINGTON",2017-02-28 23:10:00,CST-6,2017-02-28 23:10:00,0,0,0,0,0.00K,0,0.00K,0,36.9434,-95.93,36.9434,-95.93,"Strong to severe thunderstorms developed over northeastern Oklahoma during the late evening hours of the 28th, along and ahead of a cold front that moved into the area. The thunderstorms organized into lines as they moved across eastern Oklahoma and northwestern Arkansas during the late evening hours of February 28th and early morning hours of March 1st. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +112810,674880,TEXAS,2017,February,Thunderstorm Wind,"WILLIAMSON",2017-02-20 00:28:00,CST-6,2017-02-20 00:28:00,2,0,0,0,0.00K,0,0.00K,0,30.61,-97.32,30.61,-97.32,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 115 mph that significantly damaged a metal building system, at least 10 homes, at least a dozen farm buildings, mobile homes, and RVs north of Thrall. A couple suffered minor injuries when their RV was blown over. Most of the damage was caused by 60 to 65 mph wind gusts." +114387,689059,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 11:50:00,EST-5,2017-05-05 11:50:00,0,0,0,0,0.00K,0,0.00K,0,40.2226,-74.0053,40.2262,-74.0319,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Route 66 was flooded with an estimated 1-2 feet of water." +115188,691679,KANSAS,2017,May,Thunderstorm Wind,"RUSSELL",2017-05-25 20:22:00,CST-6,2017-05-25 20:23:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-99.02,38.88,-99.02,"Severe thunderstorms that developed over the Western Plains evolved into a convective complex of storms as they surged east toward Central Kansas late that evening. One thunderstorm that moved east into Russell County, Kansas was especially powerful as it produced 2.00 and 2.25 inch diameter hail as well as 60 to 70 mph winds.","The time of the event is based on radar." +115188,691680,KANSAS,2017,May,Thunderstorm Wind,"RUSSELL",2017-05-25 20:37:00,CST-6,2017-05-25 20:40:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-98.82,38.87,-98.82,"Severe thunderstorms that developed over the Western Plains evolved into a convective complex of storms as they surged east toward Central Kansas late that evening. One thunderstorm that moved east into Russell County, Kansas was especially powerful as it produced 2.00 and 2.25 inch diameter hail as well as 60 to 70 mph winds.","The 57-knot wind was measured by the ASOS at Russell Airport." +115408,692946,MISSOURI,2017,April,High Wind,"CASS",2017-04-29 23:50:00,CST-6,2017-04-30 00:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","After a round of thunderstorms winds picked up in a possible wake low situation. There were multiple reports of tree limbs snapped and power lines down across the city and some damage to the windows of a drug store in town. The NWS office in Pleasant Hill reported winds of 50 to 60 mph. The lack of convection at the time of the reports gives credence to this event not being part of the thunderstorms themselves, rather as part of a wake low as they departed." +113253,677607,NEW YORK,2017,February,Winter Storm,"EASTERN RENSSELAER",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677608,NEW YORK,2017,February,Winter Storm,"EASTERN GREENE",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113260,677655,VERMONT,2017,February,Winter Storm,"WESTERN WINDHAM",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. The snowfall diminished Sunday evening, except over the higher terrain areas of the Greens, where accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon. ||In total, 7 to 12 inches of snowfall occurred through most of the local area, with up to 20 over the higher terrain of the Green Mountains.","" +113258,677646,CONNECTICUT,2017,February,Winter Weather,"SOUTHERN LITCHFIELD",2017-02-12 05:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy at times during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of Northwest Connecticut which cut down snowfall totals. The snowfall diminished Sunday evening. In total, 3 to 7 inches of snow and sleet occurred across Northwest Connecticut.","" +113262,677697,NEW YORK,2017,February,Thunderstorm Wind,"HERKIMER",2017-02-25 14:00:00,EST-5,2017-02-25 14:00:00,0,0,0,0,,NaN,,NaN,43.11,-74.86,43.11,-74.86,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A power outage was observed." +113262,677698,NEW YORK,2017,February,Thunderstorm Wind,"MONTGOMERY",2017-02-25 15:25:00,EST-5,2017-02-25 15:25:00,0,0,0,0,,NaN,,NaN,42.93,-74.64,42.93,-74.64,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Downed power lines." +113452,679174,TENNESSEE,2017,February,Hail,"PUTNAM",2017-02-24 22:30:00,CST-6,2017-02-24 22:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2444,-85.4719,36.2444,-85.4719,"Scattered strong to severe thunderstorms affected eastern parts of Middle Tennessee during the late evening hours on February 24. A few reports of large hail were received from Cookeville to Byrdstown.","Nickel size hail was reported near the Bangham Community Center." +113452,679175,TENNESSEE,2017,February,Hail,"OVERTON",2017-02-24 22:33:00,CST-6,2017-02-24 22:33:00,0,0,0,0,0.00K,0,0.00K,0,36.3279,-85.3534,36.3279,-85.3534,"Scattered strong to severe thunderstorms affected eastern parts of Middle Tennessee during the late evening hours on February 24. A few reports of large hail were received from Cookeville to Byrdstown.","Quarter size hail reported 4 miles SSW of Livingston." +113450,679158,TENNESSEE,2017,February,Hail,"CHEATHAM",2017-02-07 04:30:00,CST-6,2017-02-07 04:30:00,0,0,0,0,0.00K,0,0.00K,0,36.328,-87.1276,36.328,-87.1276,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","A Facebook report indicated brief pea to nickel size hail fell 5 miles northwest of Ashland City." +113450,679159,TENNESSEE,2017,February,Tornado,"HOUSTON",2017-02-07 09:16:00,CST-6,2017-02-07 09:17:00,0,0,0,0,15.00K,15000,0.00K,0,36.279,-87.5748,36.2797,-87.5659,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","National Weather Service personnel along with Houston County Emergency Management determined a brief EF0 tornado touched down in the Yellow Creek community approximately 7.2 miles ESE of Erin. This small, weak tornado moved ENE across Highway 49 where it snapped numerous trees that fell northward and blocked the highway. Other trees on the north side of the highway were snapped towards the south and east. The tornado then struck a home causing minor exterior damage including a blown out window. The most significant damage was to outbuildings near the home, including a collapsed carport, a destroyed shed, and other outbuildings. Debris and outdoor objects were thrown in all directions in a clearly convergent pattern, with debris blown several hundred yards across fields to the ENE. Homeowners also witnessed the tornado as it passed their home. The tornado then struck a second home on Ellis Mills Road causing minor exterior damage and blowing out a window, destroyed a nearby shed and snapped several more trees. The tornado apparently lifted just east of Ellis Mills Road." +113025,675593,IOWA,2017,February,Blizzard,"GREENE",2017-02-24 01:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675598,IOWA,2017,February,Blizzard,"CERRO GORDO",2017-02-24 01:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675599,IOWA,2017,February,Blizzard,"WRIGHT",2017-02-24 01:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113282,679646,KENTUCKY,2017,February,High Wind,"MARSHALL",2017-02-28 21:00:00,CST-6,2017-02-28 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","A wind gust to 65 mph was measured atop a hill overlooking the interchange of Interstate 24 and Interstate 69, near Calvert City. These strong gradient winds were not associated with thunderstorms or any convective precipitation." +113282,679647,KENTUCKY,2017,February,Strong Wind,"MCCRACKEN",2017-02-28 20:30:00,CST-6,2017-02-28 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","" +113282,679648,KENTUCKY,2017,February,Strong Wind,"HOPKINS",2017-02-28 22:00:00,CST-6,2017-02-28 23:45:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","" +113586,679932,MASSACHUSETTS,2017,February,Drought,"EASTERN HAMPSHIRE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in Eastern Hampshire County through the month of February." +115234,691858,WISCONSIN,2017,May,Hail,"JUNEAU",2017-05-15 14:05:00,CST-6,2017-05-15 14:05:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-90.08,43.8,-90.08,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","" +112356,673310,ALABAMA,2017,January,Thunderstorm Wind,"DALE",2017-01-22 12:35:00,CST-6,2017-01-22 12:35:00,0,0,0,0,0.00K,0,0.00K,0,31.26,-85.71,31.26,-85.71,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down in the Clayhatchee area." +115234,697263,WISCONSIN,2017,May,Hail,"GRANT",2017-05-15 18:43:00,CST-6,2017-05-15 18:43:00,0,0,0,0,0.00K,0,0.00K,0,43,-91.05,43,-91.05,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","" +115234,697403,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:03:00,CST-6,2017-05-15 19:03:00,0,0,0,0,50.00K,50000,0.00K,0,42.69,-90.71,42.69,-90.71,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","An estimated 65 mph wind gust occurred in Potosi. Trees were blown down and windows shattered by the winds. Some of the trees landed on houses and several campers in a campground were also damaged." +113448,679289,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:29:00,EST-5,2017-04-05 18:34:00,0,0,0,0,1.00K,1000,0.00K,0,39.17,-83.61,39.17,-83.61,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was knocked down along Green Road." +113448,679290,OHIO,2017,April,Thunderstorm Wind,"ROSS",2017-04-05 18:53:00,EST-5,2017-04-05 18:57:00,0,0,0,0,0.50K,500,0.00K,0,39.31,-83.24,39.31,-83.24,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A branch was knocked down along Lower Twin Road." +113448,679291,OHIO,2017,April,Thunderstorm Wind,"PICKAWAY",2017-04-05 19:32:00,EST-5,2017-04-05 19:36:00,0,0,0,0,2.00K,2000,0.00K,0,39.51,-82.79,39.51,-82.79,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Several trees were knocked down in Saltcreek Township." +113448,679292,OHIO,2017,April,Thunderstorm Wind,"PIKE",2017-04-05 19:19:00,EST-5,2017-04-05 19:24:00,0,0,0,0,2.00K,2000,0.00K,0,39.18,-83.18,39.18,-83.18,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Several trees were knocked down in the western part of the county, including on Davis Rd., Greenridge Rd. and along State Route 220." +113448,679293,OHIO,2017,April,Thunderstorm Wind,"DELAWARE",2017-04-05 19:13:00,EST-5,2017-04-05 19:17:00,0,0,0,0,5.00K,5000,0.00K,0,40.37,-82.98,40.37,-82.98,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Numerous trees were reported knocked down." +113448,679294,OHIO,2017,April,Thunderstorm Wind,"DELAWARE",2017-04-05 19:13:00,EST-5,2017-04-05 19:18:00,0,0,0,0,5.00K,5000,0.00K,0,40.39,-82.95,40.39,-82.95,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A piece of aluminum siding was pulled from a house facade and a boat on a trailer was pushed across the yard damaging a couple of cars." +113448,679295,OHIO,2017,April,Thunderstorm Wind,"CLINTON",2017-04-05 18:27:00,EST-5,2017-04-05 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.24,-83.79,39.24,-83.79,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Numerous shingles were peeled from the roof of a house." +113697,681773,OHIO,2017,April,Flash Flood,"CLERMONT",2017-04-16 18:35:00,EST-5,2017-04-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0885,-84.2372,39.089,-84.238,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported over the intersection of Ohio Route 32 and Old State Route 74." +113697,681800,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-16 18:45:00,EST-5,2017-04-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1284,-84.6254,39.1285,-84.6248,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported over the road at the 5500 block of Antoninus Drive." +113697,681811,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-16 19:45:00,EST-5,2017-04-16 21:00:00,0,0,0,0,0.50K,500,0.00K,0,39.11,-84.63,39.1105,-84.6303,"Thunderstorms with very heavy rain developed ahead of a cold front.","Car was stuck in high water on Rapid Run Road." +113815,681474,MICHIGAN,2017,February,Thunderstorm Wind,"BERRIEN",2017-02-24 07:32:00,EST-5,2017-02-24 07:33:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-86.61,41.85,-86.61,"A line of strong to severe thunderstorms developed during the overnight hours across Wisconsin and Illinois and moved east across Lake Michigan, reaching the western parts of lower Michigan close to sunrise. Wind damage was reported as the line came onshore.","Emergency management officials reported a eight inch diameter tree blown down into phone lines." +113815,681475,MICHIGAN,2017,February,Thunderstorm Wind,"BERRIEN",2017-02-24 07:44:00,EST-5,2017-02-24 07:45:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-86.49,42.1,-86.49,"A line of strong to severe thunderstorms developed during the overnight hours across Wisconsin and Illinois and moved east across Lake Michigan, reaching the western parts of lower Michigan close to sunrise. Wind damage was reported as the line came onshore.","A large tree, greater than a foot in diameter, fell across a local road." +113818,682569,INDIANA,2017,February,Hail,"HUNTINGTON",2017-02-28 18:20:00,EST-5,2017-02-28 18:21:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-85.47,40.96,-85.47,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682570,INDIANA,2017,February,Hail,"HUNTINGTON",2017-02-28 18:29:00,EST-5,2017-02-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-85.4,40.99,-85.4,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682572,INDIANA,2017,February,Hail,"NOBLE",2017-02-28 18:35:00,EST-5,2017-02-28 18:36:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-85.26,41.42,-85.26,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +112929,674680,NORTH DAKOTA,2017,January,Heavy Snow,"MCLEAN",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Underwood received 11.5 inches of snow." +112929,674682,NORTH DAKOTA,2017,January,Heavy Snow,"EMMONS",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Linton received 10 inches of snow." +112929,674681,NORTH DAKOTA,2017,January,Heavy Snow,"STUTSMAN",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Jamestown received 10 inches of snow." +112929,674683,NORTH DAKOTA,2017,January,Heavy Snow,"LA MOURE",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Locations near Edgeley received 10 inches of snow." +112929,674684,NORTH DAKOTA,2017,January,Heavy Snow,"MERCER",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Hazen received 10 inches of snow." +113537,679674,WEST VIRGINIA,2017,April,Hail,"CABELL",2017-04-11 18:00:00,EST-5,2017-04-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.41,-82.43,38.41,-82.43,"Showers and thunderstorms, associated with a cold front moving through the Ohio River Valley, moved across Ohio and Kentucky on the 11th. Overall the storms were not overly strong, however one storm pulsed up as it moved into West Virginia during the evening.","" +114015,682832,WEST VIRGINIA,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-29 00:30:00,EST-5,2017-04-29 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,38.71,-81.1,38.71,-81.1,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. These storms were fueled by strong southerly flow from a low level jet, and produced isolated wind damage and hail across the Middle Ohio River Valley overnight into the 29th.","Two pine trees were blown down, as well as some smaller twigs and branches." +114016,682833,KENTUCKY,2017,April,Lightning,"GREENUP",2017-04-29 02:50:00,EST-5,2017-04-29 02:50:00,0,0,0,0,1.00K,1000,0.00K,0,38.55,-82.74,38.55,-82.74,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. The storms persisted through the night.","A house was hit by lightning. No significant damage occurred." +113899,691064,MISSOURI,2017,April,Flash Flood,"BARTON",2017-04-26 00:00:00,CST-6,2017-04-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,37.5294,-94.5688,37.5302,-94.5731,"Severe storms hit the Missouri Ozarks.","The low water bridge into the campground at Prairie State Park was flooded." +113899,691065,MISSOURI,2017,April,Flash Flood,"TANEY",2017-04-26 09:00:00,CST-6,2017-04-26 11:00:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-92.8439,36.5587,-92.8465,"Severe storms hit the Missouri Ozarks.","State Highway 125 was closed due to flooding." +113899,691066,MISSOURI,2017,April,Thunderstorm Wind,"MCDONALD",2017-04-25 23:40:00,CST-6,2017-04-25 23:40:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-94.48,36.55,-94.48,"Severe storms hit the Missouri Ozarks.","Several trees were blown down near Noel." +113899,691067,MISSOURI,2017,April,Thunderstorm Wind,"MCDONALD",2017-04-25 23:39:00,CST-6,2017-04-25 23:39:00,0,0,0,0,20.00K,20000,0.00K,0,36.54,-94.49,36.54,-94.49,"Severe storms hit the Missouri Ozarks.","A tree fell on to a house and car. There were no injuries." +113899,691068,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:19:00,CST-6,2017-04-26 00:19:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-93.93,36.91,-93.93,"Severe storms hit the Missouri Ozarks.","A tree was blown down in Monett at Lincoln and Dunn Street." +113899,691069,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:24:00,CST-6,2017-04-26 00:24:00,0,0,0,0,5.00K,5000,0.00K,0,36.68,-93.86,36.68,-93.86,"Severe storms hit the Missouri Ozarks.","There were multiple reprots of trees and power lines blown down in the Cassville area." +113899,691070,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:20:00,CST-6,2017-04-26 00:20:00,0,0,0,0,2.00K,2000,0.00K,0,36.67,-93.94,36.67,-93.94,"Severe storms hit the Missouri Ozarks.","Several trees and power lines were blown down in the Exeter area." +113899,691071,MISSOURI,2017,April,Thunderstorm Wind,"GREENE",2017-04-26 00:55:00,CST-6,2017-04-26 00:55:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-93.29,37.21,-93.29,"Severe storms hit the Missouri Ozarks.","There were multiple trees blown down across the Springfield area and Greene County. A few roadways were blocked due to fallen trees." +112726,673103,TEXAS,2017,January,Ice Storm,"ROBERTS",2017-01-14 18:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","" +112726,673105,TEXAS,2017,January,Ice Storm,"WHEELER",2017-01-14 21:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,188.00K,188000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","" +113106,676463,SOUTH DAKOTA,2017,January,High Wind,"MCPHERSON",2017-01-30 12:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area in southern Canada and a high pressure area over the inter-mountain region brought high winds to parts of northern South Dakota for a short period of time. Northwest winds of 30 to 40 mph with gusts up to 60 mph occurred.","" +113106,676465,SOUTH DAKOTA,2017,January,High Wind,"BROWN",2017-01-30 13:30:00,CST-6,2017-01-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area in southern Canada and a high pressure area over the inter-mountain region brought high winds to parts of northern South Dakota for a short period of time. Northwest winds of 30 to 40 mph with gusts up to 60 mph occurred.","" +112744,673401,COLORADO,2017,January,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-01-08 11:00:00,MST-7,2017-01-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level jet stream brought period of heavy snow and high winds to the north central mountain. Storm totals included: 51 inches, 16 miles west-southwest of Walden; 45 inches at Arapaho Basin Ski Area; 41.5 inches in Breckenridge and Loveland Ski Area; 40 inches near Silverthorne; 39 inches at Copper Mountain Ski Area; 30 inches at Eldora and Winter Park Ski Areas; with 22 inches near Frisco. Strong winds also accompanied the storm systems with gusts ranging from 50 to 70 mph above timberline. In Breckenridge, the accumulation of heavy snow caused the roof of the Ten-Mile-Room in Breckenridge to collapse. The flat roof of the convention center, built in 1972, covered nearly 4,500 square feet.","Storm totals included: 20 inches at Joe Wright and Lake Irene, with 19 inches at Willow Park SNOTEL." +112744,673402,COLORADO,2017,January,Winter Storm,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-01-08 11:00:00,MST-7,2017-01-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level jet stream brought period of heavy snow and high winds to the north central mountain. Storm totals included: 51 inches, 16 miles west-southwest of Walden; 45 inches at Arapaho Basin Ski Area; 41.5 inches in Breckenridge and Loveland Ski Area; 40 inches near Silverthorne; 39 inches at Copper Mountain Ski Area; 30 inches at Eldora and Winter Park Ski Areas; with 22 inches near Frisco. Strong winds also accompanied the storm systems with gusts ranging from 50 to 70 mph above timberline. In Breckenridge, the accumulation of heavy snow caused the roof of the Ten-Mile-Room in Breckenridge to collapse. The flat roof of the convention center, built in 1972, covered nearly 4,500 square feet.","Storm totals included: 45 inches at Arapaho Basin Ski Area; 41.5 inches at Breckenridge and Loveland Ski Areas; 40 inches near Silverthorne; 39 inches at Copper Mountain Ski Area; with 30 inches at Eldora and Winter Park Ski Areas. The roof of the Ten-Mile-Room in Breckenridge also collapsed under the weight of the heavy snowfall." +114226,684245,HAWAII,2017,April,High Surf,"WINDWARD HALEAKALA",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +113142,676663,OREGON,2017,January,Heavy Snow,"CENTRAL OREGON",2017-01-10 00:15:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 13 inches, 3 miles northwest of Bend in Deschutes county." +114228,684254,HAWAII,2017,April,High Surf,"NIIHAU",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684255,HAWAII,2017,April,High Surf,"KAUAI WINDWARD",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +113872,681951,KENTUCKY,2017,April,Flood,"LETCHER",2017-04-23 19:00:00,EST-5,2017-04-23 21:30:00,0,0,0,0,0.00K,0,0.00K,0,37.1373,-82.86,37.1377,-82.8618,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A local media outlet relayed a report of water completely covering a portion of Kentucky Highway 15 near Dry Fork." +113872,681952,KENTUCKY,2017,April,Flood,"LESLIE",2017-04-23 20:00:00,EST-5,2017-04-23 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-83.25,37.0804,-83.2492,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","A broadcast media affiliate sent along a report of high water causing the closure of Kentucky Highway 699 in Cutshin." +114510,686706,TEXAS,2017,April,Hail,"LA SALLE",2017-04-11 15:50:00,CST-6,2017-04-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,28.46,-99.22,28.4286,-99.2302,"On the afternoon of April 11th, a slow moving cold front pushed into south central Texas. As daytime heating occurred, scattered thunderstorms developed along the boundary from the Texas Hill Country to south central Texas. Some of these storms brought much cooler air to the surface, and allowed the frontal boundary to move southeast into South Texas. ||The leading edge of the thunderstorms reached northern La Salle County during the early afternoon hours as daytime heating created strong instability and eliminated the cap on the atmosphere. Severe storms tracked slowly south through the Brush Country into the early evening hours. The storms produced large hail ranging in size from quarters to tennis balls. Locally heavy rainfall produced flash flooding in Laredo also.","Video was submitted of hail falling near Cotulla. Hail was measured to the size of half dollars." +113156,676902,NEW YORK,2017,January,High Wind,"SOUTHERN QUEENS",2017-01-24 00:00:00,EST-5,2017-01-24 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure passed just south and east of Long Island.","At JFK International Airport, a sustained wind of 40 mph was observed at 141 am on the 24th." +113156,676910,NEW YORK,2017,January,High Wind,"KINGS (BROOKLYN)",2017-01-23 21:00:00,EST-5,2017-01-23 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure passed just south and east of Long Island.","In Crown Heights at 1008 pm on the 23rd, sustained winds of 41 mph were measured." +113156,676916,NEW YORK,2017,January,High Wind,"NORTHEAST SUFFOLK",2017-01-23 14:00:00,EST-5,2017-01-24 07:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure passed just south and east of Long Island.","A mesonet nearby in Napeague reported a gust to 62 mph at 158 am on the 24th. Another mesonet station reported a gust to 52 mph in Cutchogue at 418 pm on the 23rd. A trained spotter reported a downed large tree in Orient at Old Farm Road and Orchard Street at 7 am on the 24th. In Riverhead, law enforcement reported a downed utility pole on East Main Street and Union Avenue at 5 pm on the 23rd." +121544,727471,PENNSYLVANIA,2017,November,Flash Flood,"ERIE",2017-11-05 19:48:00,EST-5,2017-11-05 23:00:00,0,0,2,0,270.00K,270000,0.00K,0,42.11,-80.1542,42.0677,-80.2455,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A tornado was reported near Erie and strong winds downed many trees across the area.","Warm humid air over the region supported strong thunderstorms and torrential rainfall. A rain gauge network in Mill Creek Township measured an instantaneous rainfall rate of over 7 inches per hour around 630 pm. The storms produced a measured 3.85 inches of rainfall in the Erie/Mill Creek area. The intensity of the rainfall ultimately overwhelmed storm drainage systems causing significant overland flooding. In Mill Creek some roads were reported to have as much as five feet of water with numerous water rescues conducted. Some structures sustained damage and the Mill Creek Fire Department had to evacuate. The most significant damage occurred in on East 30th Street in Erie where a basement wall collapsed from the water pooling on the outside, trapping and ultimately drowning two residents. The flooding was likely exasperated by the poor drainage, but ultimately it was the torrential nature of the rainfall that caused the damages." +113161,676971,WASHINGTON,2017,January,Winter Storm,"WENATCHEE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Several reports from social media indicated one tenth to two tenths of and inch of ice accumulation in and around the Wenatchee area and near Chelan. Two to locally 4 inches of snow accumulation was also noted." +113161,676977,WASHINGTON,2017,January,Winter Storm,"UPPER COLUMBIA BASIN",2017-01-17 08:00:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Precipitation began as freezing rain with an unspecified layer of ice accumulation during the day of the 17th. The freezing rain turned to snow with 5 inches of accumulation overnight into the morning of the 18th." +113191,677126,WASHINGTON,2017,January,Heavy Snow,"WENATCHEE AREA",2017-01-07 16:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","Four inches of new snow accumulation was measured 10 miles southwest of Wenatchee." +113191,677128,WASHINGTON,2017,January,Heavy Snow,"WENATCHEE AREA",2017-01-07 20:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system brought heavy snow to the western Columbia Basin near the Cascades and to the northeastern basin from the Spokane area to the Palouse region on January 7th through the morning of the 8th. Generally 3 to 5 inches affected the Wenatchee area, the Waterville Plateau and the Okanogan Valley. The adjacent Cascades received similar accumulations but these amounts are not uncommon for the mountainous areas. Over the eastern areas widespread heavy snow occurred over Idaho but the border regions of far eastern Washington were also affected with a general 2 to 5 inches of accumulation under the edge of the heavier accumulation shield.","Four inches of new snow accumulation was measured at Rock Island." +113097,677133,NORTH CAROLINA,2017,January,Winter Weather,"STANLY",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to near 1 inch across the north." +113097,677134,NORTH CAROLINA,2017,January,Winter Weather,"ANSON",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to near 1 inch across the north." +121294,726111,VERMONT,2017,December,Winter Weather,"GRAND ISLE",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 6 inches occurred." +121294,726113,VERMONT,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 6 inches occurred." +121294,726114,VERMONT,2017,December,Winter Weather,"ORLEANS",2017-12-22 09:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 5 inches occurred." +121294,726115,VERMONT,2017,December,Winter Weather,"ESSEX",2017-12-22 09:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 5 inches occurred." +121294,726116,VERMONT,2017,December,Winter Weather,"WESTERN RUTLAND",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 5 inches occurred." +121294,726117,VERMONT,2017,December,Winter Weather,"EASTERN RUTLAND",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snow accumulations of 3 to 5 inches occurred." +121294,726119,VERMONT,2017,December,Winter Storm,"CALEDONIA",2017-12-22 10:00:00,EST-5,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 8 inches were reported." +121294,726120,VERMONT,2017,December,Winter Storm,"LAMOILLE",2017-12-22 09:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 8 inches were reported." +121294,726122,VERMONT,2017,December,Winter Storm,"EASTERN ADDISON",2017-12-22 08:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 8 inches were reported." +121294,726123,VERMONT,2017,December,Winter Storm,"EASTERN CHITTENDEN",2017-12-22 08:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 10 inches were reported." +121294,726124,VERMONT,2017,December,Winter Storm,"ORANGE",2017-12-22 09:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 6 to 10 inches were reported." +121294,726125,VERMONT,2017,December,Winter Storm,"WASHINGTON",2017-12-22 09:00:00,EST-5,2017-12-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 6 to 12 inches were reported." +121294,726126,VERMONT,2017,December,Winter Storm,"WESTERN ADDISON",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 9 inches were reported." +121294,726127,VERMONT,2017,December,Winter Storm,"WESTERN CHITTENDEN",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 9 inches were reported." +121294,726128,VERMONT,2017,December,Winter Storm,"WINDSOR",2017-12-22 08:00:00,EST-5,2017-12-22 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm system moved from the Ohio River Valley across southern New England and brought snow to Vermont during the morning commute on December 22nd and ending shortly after the evening commute. A widespread 5 to 10 inches of snow fell across central VT. The timing and intensity of the snowfall lead to hundreds of vehicle accidents and blocked highways for several hours.","Snowfall amounts of 5 to 10 inches were reported." +122063,730720,COLORADO,2017,December,Winter Weather,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-12-23 02:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream produced considerable snow and blowing snow in the northern Colorado mountains. The heaviest snowfall occurred in the mountains north of the Interstate 70 Corridor. Storm totals included: 22.5 inches, 9 miles east-northeast of Steamboat Springs; 19.5 inches, 9 miles south-southeast of Spicer; 16.5 inches, 4 miles southeast of Mount Zirkel; 15 inches, 5 miles west of Berthoud Falls and 7 miles south-southeast of Cameron Pass; 12 inches near Loveland Pass, 3 miles north-northeast of Mount Audobon, 6 miles east of Cameron Pass, 9 miles east of Glendevey and 8 miles south-southeast of Rand; 10.5 inches, 4 miles south of Longs Peak and 11 miles south of Rabbit Ears Pass; with 6 to 10 inches elsewhere.||Strong winds with gusts ranging from 60 to 80 mph above timberline produced blowing and drifting snow, icy conditions with near zero visibility. The extreme weather conditions, numerous accidents and busy holiday travel forced the extended closure of Interstate 70 in both directions approaching the Eisenhower/Johnson Tunnel. Westbound I-70 was closed from Morrison Road to the tunnel and eastbound was closed at Vail, and from the Silverthorne exit to the tunnel. US 40 from I-70 over Berthoud Pass to Winter Park was also closed because of extreme conditions and crashes. The closures started late in the afternoon of the 23rd and did not re-open until the following morning. According to CDOT, the Eisenhower Johnson Memorial Tunnel also lost power. Consequently, there was no control over the lights on the highway or the digital message boards. Temporary shelters had to be opened for stranded travelers.","Storm totals ranged from 6 to 12 inches. Interstate 70 and other roadways were closed for several hours due to the high traffic volume and hazardous road conditions." +113053,675856,CALIFORNIA,2017,January,Heavy Snow,"RIVERSIDE COUNTY MOUNTAINS",2017-01-12 12:00:00,PST-8,2017-01-13 09:00:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","Spotters in Idyllwild reported 9-10 inches of snow in 21 hours, ending at 0900PST on the 13th. The majority of the snow fell between 1200 and 2200PST on the 12th. Some power outages were also reported." +113053,675851,CALIFORNIA,2017,January,Flood,"ORANGE",2017-01-12 12:30:00,PST-8,2017-01-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.601,-117.8682,33.6433,-117.8737,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","Minor street flooding from Newport Beach to Fountain Valley. A tree was uprooted near the Orange County Fairgrounds, likely due to a combination of saturated soil and gusty winds." +111484,673292,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:45:00,EST-5,2017-01-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.6875,-83.8484,31.6875,-83.8484,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Abrams Road." +113055,677684,CALIFORNIA,2017,January,Winter Weather,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-18 18:00:00,PST-8,2017-01-19 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A spotter in Moonridge reported 6-8 inches of new snow over a 7 hour period. Elsewhere, 3-5 inches was reported in Big Bear Lake and 3 inches at the end Mt. Baldy Rd., Arrowbear Lake, Green Valley Lake and Running Springs." +113213,677363,TENNESSEE,2017,January,Winter Weather,"PUTNAM",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports showed 0.7 to 1.75 inches of snow measured in Cookeville and 6 miles north of Cookeville." +113213,677327,TENNESSEE,2017,January,Winter Weather,"MAURY",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports indicated 2 to 2.5 inches of snow fell across Maury County. The highest amount was measured in Culleoka." +113213,677345,TENNESSEE,2017,January,Winter Weather,"DAVIDSON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Several reports across the county indicated that 0.5 to 1.5 inches of snow fell with highest amounts in the southwest part of the county." +113213,677347,TENNESSEE,2017,January,Winter Weather,"DICKSON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Facebook reports indicate that 1 to 1.5 inches of snow fell across the county with the highest amount measured in Montgomery Bell State Park." +113213,677385,TENNESSEE,2017,January,Winter Weather,"COFFEE",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports indicated 0.5 to 1.5 inches of snow fell in Coffee County with the highest amount measured in Manchester." +113213,677350,TENNESSEE,2017,January,Winter Weather,"WILLIAMSON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Social media reports indicated 1.5 to 1.75 inches of snow fell across Williamson County." +115433,693117,NORTH CAROLINA,2017,April,Hail,"CUMBERLAND",2017-04-06 07:10:00,EST-5,2017-04-06 07:10:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-78.7,35.07,-78.7,"On the early morning of April 6th, showers and thunderstorms moved into Central NC from the southwest. A few of the storms became severe as a result of strong dynamic forcing and steep lapse rates combined with the high surface dew points. The severe storms produced quarter size hail and a long swath of damaging winds.","" +116928,703227,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 16:49:00,CST-6,2017-06-16 16:49:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-91.64,44.16,-91.64,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Quarter sized hail fell northeast of Fountain City." +116928,703276,WISCONSIN,2017,June,Hail,"GRANT",2017-06-16 20:45:00,CST-6,2017-06-16 20:45:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-90.7,43.14,-90.7,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","" +113284,677888,ALASKA,2017,January,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-01-07 01:00:00,AKST-9,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough moving across the Arctic North Slope coupled with a 1052 mb high pressure center over the interior created a strong pressure gradient over the eastern North Slope, providing strong winds and blizzard conditions on January 7th 2017. |||Zone 204: Blizzard conditions were observed at the Point Thomson AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow on January 7th 2017. A peak wind of 38 kt (44 mph) was reported.","" +115700,695245,LOUISIANA,2017,April,Hail,"ALLEN",2017-04-29 19:55:00,CST-6,2017-04-29 19:55:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-92.76,30.62,-92.76,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +114387,689070,NEW JERSEY,2017,May,Heavy Rain,"OCEAN",2017-05-05 19:00:00,EST-5,2017-05-05 19:00:00,0,0,0,0,,NaN,,NaN,39.93,-74.3,39.93,-74.3,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches was measured." +114387,689071,NEW JERSEY,2017,May,Heavy Rain,"OCEAN",2017-05-05 19:00:00,EST-5,2017-05-05 19:00:00,0,0,0,0,,NaN,,NaN,40.12,-74.35,40.12,-74.35,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches was measured." +112225,673920,KANSAS,2017,January,Ice Storm,"SMITH",2017-01-15 00:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673925,NEBRASKA,2017,January,Ice Storm,"FRANKLIN",2017-01-15 06:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673926,NEBRASKA,2017,January,Ice Storm,"WEBSTER",2017-01-15 06:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673942,NEBRASKA,2017,January,Winter Storm,"GOSPER",2017-01-15 06:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673943,NEBRASKA,2017,January,Winter Storm,"PHELPS",2017-01-15 06:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673928,NEBRASKA,2017,January,Ice Storm,"KEARNEY",2017-01-15 07:00:00,CST-6,2017-01-16 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673945,NEBRASKA,2017,January,Winter Storm,"BUFFALO",2017-01-15 07:00:00,CST-6,2017-01-16 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673929,NEBRASKA,2017,January,Ice Storm,"ADAMS",2017-01-15 09:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673936,NEBRASKA,2017,January,Ice Storm,"HALL",2017-01-15 09:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +115956,696845,NEW YORK,2017,April,Flood,"JEFFERSON",2017-04-07 11:15:00,EST-5,2017-04-09 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,44,-76.05,44.0079,-76.0305,"The month of April began on a wet note following a wet March. Several areas creeks reached flood stage. Irondequoit Creek in Monroe county peaked at 9.44 feet at 9:45 AM EST on the 7th. Flooding occurred at Ellison Park and along Blossom Road with additional flooding along Allen Creek. The Black River at Watertown crested at 10.48 feet on the 8th at 11:15 AM EST. Flood stage is 10 feet. Farmland flooding was reported in the Flats with some minor flooding to riverfront properties in Dexter. In Cayuga County, Seneca Creek at Port Byron crested at 380.61 feet on the 8th at 9:30 AM EST. Properties along Cross Lake became inundated including a restaurant on Route 34 and Riverside Campground. In the town of Montezuma a culvert was washed out on Freher Road. Black Creek at Churchville, in Monroe County, crested at 6.76 feet on the 8th at 8:30 AM EST.","" +115956,696846,NEW YORK,2017,April,Flood,"CAYUGA",2017-04-07 08:15:00,EST-5,2017-04-12 23:00:00,0,0,0,0,75.00K,75000,0.00K,0,43.1361,-76.5816,43.0704,-76.5706,"The month of April began on a wet note following a wet March. Several areas creeks reached flood stage. Irondequoit Creek in Monroe county peaked at 9.44 feet at 9:45 AM EST on the 7th. Flooding occurred at Ellison Park and along Blossom Road with additional flooding along Allen Creek. The Black River at Watertown crested at 10.48 feet on the 8th at 11:15 AM EST. Flood stage is 10 feet. Farmland flooding was reported in the Flats with some minor flooding to riverfront properties in Dexter. In Cayuga County, Seneca Creek at Port Byron crested at 380.61 feet on the 8th at 9:30 AM EST. Properties along Cross Lake became inundated including a restaurant on Route 34 and Riverside Campground. In the town of Montezuma a culvert was washed out on Freher Road. Black Creek at Churchville, in Monroe County, crested at 6.76 feet on the 8th at 8:30 AM EST.","" +115971,696999,NEW YORK,2017,April,Flood,"ERIE",2017-04-20 20:09:00,EST-5,2017-04-20 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.7471,-78.8393,42.7453,-78.834,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +113056,676007,LOUISIANA,2017,January,Thunderstorm Wind,"CONCORDIA",2017-01-02 12:10:00,CST-6,2017-01-02 12:10:00,0,0,0,0,15.00K,15000,0.00K,0,31.63,-91.47,31.63,-91.47,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This brought additional severe storms during some of the afternoon.","Several trees and powerlines were blown down. A door was ripped off of a fire station." +113123,676636,NEW YORK,2017,January,Coastal Flood,"SOUTHEAST SUFFOLK",2017-01-24 06:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Nor'easter impacted successive high tide cycles with widespread minor to locally moderate coastal flooding on the evening of 1/23 and widespread moderate to locally major coastal flooding the morning of 1/24. ||Thirty six hours of east northeast gale to storm force winds helped build surge values to 3 to 4 feet above astronomical tides for the 1/24 morning high tide cycle. This caused widespread moderate to locally major coastal flooding along the southern and eastern bays and beachfront communities of Long Island. Coastal communities across the rest of the Tri-State area mainly experienced minor impacts.||Coastal flood watches, warnings and advisories were issued and IDSS performed well in advance to warn coastal community residents of the potential impacts.||In addition, widespread beach and dune erosion occurred at Atlantic ocean beaches from elevated waters levels and an east to west sweep of 8 to 12 feet of surf Monday into Tuesday.","The USGS tidal gauge on the Peconic River at Riverhead recorded a peak water level of 6.6 ft. MLLW at 748 am EST. The moderate coastal flood threshold of 6.1 ft. MLLW was exceeded from 618am to 930am EST. The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +113123,676572,NEW YORK,2017,January,Coastal Flood,"SOUTHERN NASSAU",2017-01-24 04:00:00,EST-5,2017-01-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving Nor'easter impacted successive high tide cycles with widespread minor to locally moderate coastal flooding on the evening of 1/23 and widespread moderate to locally major coastal flooding the morning of 1/24. ||Thirty six hours of east northeast gale to storm force winds helped build surge values to 3 to 4 feet above astronomical tides for the 1/24 morning high tide cycle. This caused widespread moderate to locally major coastal flooding along the southern and eastern bays and beachfront communities of Long Island. Coastal communities across the rest of the Tri-State area mainly experienced minor impacts.||Coastal flood watches, warnings and advisories were issued and IDSS performed well in advance to warn coastal community residents of the potential impacts.||In addition, widespread beach and dune erosion occurred at Atlantic ocean beaches from elevated waters levels and an east to west sweep of 8 to 12 feet of surf Monday into Tuesday.","The USGS tidal gauge in Hudson Bay at Freeport recorded a peak water level of 6.4 ft. MLLW at 518 am EST. The moderate coastal flood threshold of 5.8 ft. MLLW was exceeded from 330 to 654 am EST. The USGS tidal gauge at East Rockaway Inlet at Atlantic Beach recorded a peak water level of 7.3 ft. MLLW at 442 am EST. The moderate coastal flood threshold of 7.0 ft. MLLW was exceeded from 418 to 554 am EST. The USGS tidal gauge at Reynold Channel at Point Lookout Inlet recorded a peak water level of 6.8 ft. MLLW at 518 am EST. The moderate coastal flood threshold of 6.6 ft. MLLW was exceeded from 406 to 606 am EST.The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +113381,679939,TEXAS,2017,February,Thunderstorm Wind,"MILAM",2017-02-20 00:35:00,CST-6,2017-02-20 00:35:00,0,0,0,0,5.00K,5000,0.00K,0,30.62,-97.2,30.62,-97.2,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Thunderstorms damaged grain silos and a grain elevator in Thorndale. Several street signs, trees, and structures were also damaged." +113635,680278,IDAHO,2017,February,Avalanche,"EASTERN LEMHI COUNTY",2017-02-04 14:30:00,MST-7,2017-02-04 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of central Idaho. Multiple snow slides were reported in Lemhi county during this event.","Warm weather and rain helped prime conditions for multiple snow slides that covered roads in Lemhi county. The Idaho Transportation Department reported one 100 ft wide and 10 ft high snow slide on Hwy 93 north of Salmon, ID that completely blocked the road for 1.5 hours. Four other smaller slides caused roads to be reduced to one lane, and heavy equipment was needed to clear snow." +113844,682536,MONTANA,2017,February,Heavy Rain,"MISSOULA",2017-02-09 06:00:00,MST-7,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,46.7766,-114.4307,46.7398,-114.5288,"A warm and moist southwest flow pattern set up over the Northern Rockies during the second week of February. Significant rain and warming temperatures combined with the abundant low elevation snow to cause widespread ponding and flooding in fields and on roadways. The Bitterroot Valley near Corvallis, MT saw the most widespread areal flooding. Interstate 90 was also impacted for several hours as water ponded to a depth of 3 feet in a low spot on the roadway near Saltese, MT.","An NWS employee reported water ponding on Hwy 12 leading up to Lolo Pass. Snow berms along the road from previous snow events caused a 3-inch deep flow of rainwater on the road surface." +113810,681452,ALABAMA,2017,February,Cold/Wind Chill,"SHELBY",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D3." +113810,681451,ALABAMA,2017,February,Drought,"TUSCALOOSA",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Below normal rainfall totals and above normal temperatures across north central Alabama maintained the severe to extreme drought conditions.","Below normal rainfall and above normal temperatures maintained the drought intensity at D3." +121208,725599,NEW YORK,2017,October,Thunderstorm Wind,"ERIE",2017-10-15 14:56:00,EST-5,2017-10-15 14:56:00,0,0,0,0,8.00K,8000,0.00K,0,42.8,-78.76,42.8,-78.76,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Thunderstorm winds blew down trees on Minden Drive." +121208,725600,NEW YORK,2017,October,Thunderstorm Wind,"CHAUTAUQUA",2017-10-15 14:58:00,EST-5,2017-10-15 14:58:00,0,0,0,0,5.00K,5000,0.00K,0,42.38,-79.23,42.38,-79.23,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees down by thunderstorm winds." +119519,717241,FLORIDA,2017,September,Thunderstorm Wind,"CHARLOTTE",2017-09-01 19:09:00,EST-5,2017-09-01 19:09:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-82.08,26.96,-82.08,"Afternoon thunderstorms continuing into the evening produced areas of heavy rain, gusty winds and numerous lightning strikes. One individual on the beach was struck by lightning while portions of the Tampa Bay Area had flooding issues when heavy rain fell over already saturated ground.","A WeatherFlow station near Port Charlotte measured a peak wind gust of 60 mph, 52 knots." +112933,674723,COLORADO,2017,February,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-02-06 18:00:00,MST-7,2017-02-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather system produced heavy snow and gusty winds over portions of the Continental Divide. Snow amounts across the higher elevations of Chaffee and Lake Counties were well over 8 inches, including the 17 inches near the summit of Monarch Pass.","" +112933,674724,COLORADO,2017,February,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-02-06 18:00:00,MST-7,2017-02-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather system produced heavy snow and gusty winds over portions of the Continental Divide. Snow amounts across the higher elevations of Chaffee and Lake Counties were well over 8 inches, including the 17 inches near the summit of Monarch Pass.","" +112938,674772,COLORADO,2017,February,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-02-23 10:00:00,MST-7,2017-02-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather system generated high winds across the southern I-25 corridor includings the Walsenburg and Trinidad areas. Winds gusted over 60 mph.","" +112938,674773,COLORADO,2017,February,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-02-23 10:00:00,MST-7,2017-02-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather system generated high winds across the southern I-25 corridor includings the Walsenburg and Trinidad areas. Winds gusted over 60 mph.","" +113950,682567,ARKANSAS,2017,February,Tornado,"WHITE",2017-02-28 19:03:00,CST-6,2017-02-28 19:05:00,4,0,0,0,50.00K,50000,0.00K,0,35.19,-91.73,35.2018,-91.7104,"Two tornadoes were noted in White County on February 28, 2017.","This tornado was rated EF1 with winds estimated at 110 MPH. The tornado tracked 1.5 miles and had a width of 120 yards. There were four injuries." +113432,682365,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:36:00,CST-6,2017-02-07 15:38:00,0,0,0,0,25.00K,25000,0.00K,0,30.5414,-86.4587,30.5414,-86.4587,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","Winds estimated at 70 mph caused structural damage to both Edge Elementary School and an Okaloosa County School district building." +113432,681742,FLORIDA,2017,February,Thunderstorm Wind,"SANTA ROSA",2017-02-07 15:20:00,CST-6,2017-02-07 15:22:00,0,0,0,0,10.00K,10000,0.00K,0,30.4,-86.9371,30.4,-86.9371,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","Winds estimated at 70 mph downed several trees in the road with one falling on a home. A fence was also damaged." +113432,681747,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:35:00,CST-6,2017-02-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.509,-86.53,30.509,-86.53,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","" +113843,681740,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CHOCTAWHATCHEE BAY",2017-02-07 15:35:00,CST-6,2017-02-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.3939,-86.5928,30.3939,-86.5928,"Strong thunderstorms moved across the marine area and produced high winds.","Weatherflow station in Fort Walton Beach." +113843,681739,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-02-07 15:07:00,CST-6,2017-02-07 15:07:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.22,30.38,-87.22,"Strong thunderstorms moved across the marine area and produced high winds.","Recorded by a weatherflow station in Pensacola Bay." +113843,681738,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-02-07 14:57:00,CST-6,2017-02-07 14:57:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-87.45,30.34,-87.45,"Strong thunderstorms moved across the marine area and produced high winds.","Recorded by a weatherflow station in Perdido Bay." +113843,681737,GULF OF MEXICO,2017,February,Waterspout,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-02-07 14:26:00,CST-6,2017-02-07 14:26:00,0,0,0,0,0.00K,0,0.00K,0,30.2189,-87.9891,30.2189,-87.9891,"Strong thunderstorms moved across the marine area and produced high winds.","" +112640,672402,KENTUCKY,2017,February,Hail,"JEFFERSON",2017-02-28 07:20:00,EST-5,2017-02-28 07:20:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-85.59,38.26,-85.59,"After a string of record breaking warm February days, a potent cold front marched through central Kentucky during the late afternoon and evening hours February 24. Isolated severe thunderstorms developed which produced large hail.","" +112640,672403,KENTUCKY,2017,February,Hail,"BULLITT",2017-02-28 07:28:00,EST-5,2017-02-28 07:28:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-85.68,38.06,-85.68,"After a string of record breaking warm February days, a potent cold front marched through central Kentucky during the late afternoon and evening hours February 24. Isolated severe thunderstorms developed which produced large hail.","" +113983,682656,CALIFORNIA,2017,February,Flash Flood,"VENTURA",2017-02-17 17:00:00,PST-8,2017-02-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.2133,-118.9001,34.2068,-118.9008,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Heavy rain generated flash flooding in Ventura county near the community of Thousand Oak. In Wildwood Creek, there men were rescued from the water when the creek flooded." +113983,682657,CALIFORNIA,2017,February,Flash Flood,"VENTURA",2017-02-17 17:02:00,PST-8,2017-02-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,34.2178,-118.9871,34.214,-118.9898,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Heavy rain generated flash flooding in Ventura county near the community of Camarillo. The heavy rain caused Conejo Creek to overflow its banks, flooding acres of agricultural land." +113983,682655,CALIFORNIA,2017,February,Flash Flood,"LOS ANGELES",2017-02-17 17:00:00,PST-8,2017-02-17 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4115,-118.4287,34.4039,-118.4245,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Heavy rain generated flash flooding as well as mud and debris flows in Los Angeles county around the Sand Fire burn scar. Significant mud and debris flows were reported. Twenty homes were evacuated and a two inch gas pipe snapped." +112544,674034,SOUTH DAKOTA,2017,February,Winter Weather,"CUSTER CO PLAINS",2017-02-23 04:00:00,MST-7,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674035,SOUTH DAKOTA,2017,February,Winter Weather,"PENNINGTON CO PLAINS",2017-02-23 06:00:00,MST-7,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674036,SOUTH DAKOTA,2017,February,Winter Storm,"FALL RIVER",2017-02-23 01:00:00,MST-7,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674037,SOUTH DAKOTA,2017,February,Winter Weather,"OGLALA LAKOTA",2017-02-23 02:00:00,MST-7,2017-02-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674038,SOUTH DAKOTA,2017,February,Winter Weather,"JACKSON",2017-02-23 07:00:00,MST-7,2017-02-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674039,SOUTH DAKOTA,2017,February,Winter Weather,"BENNETT",2017-02-23 03:00:00,MST-7,2017-02-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674040,SOUTH DAKOTA,2017,February,Winter Weather,"MELLETTE",2017-02-23 05:00:00,CST-6,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +113534,679654,SOUTH CAROLINA,2017,February,Tornado,"HORRY",2017-02-15 11:30:00,EST-5,2017-02-15 11:40:00,0,0,0,0,997.00K,997000,0.00K,0,33.9429,-79.0012,33.9543,-78.9165,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","A survey conducted by the National Weather Service concluded an EF-1 tornado first touched down near Adrian Highway, just east of Sabrina Lane and caused some minor tree damage. The tornado then moved nearly parallel to Adrian Highway and caused extensive tree damage and damage to numerous farm buildings and sheds. Power lines were also reportedly down in the area. As the tornado continued to move east, just east of Hucks Road, it snapped dozens of trees. Two homes sustained damage in this area, one of which had windows blown out. The tornado crossed Johnson Shelly Road and stayed just north of New Dawn Lane causing dozens of snapped trees. Near the intersection of New Dawn Lane and Highway 19, a small barn was destroyed and a large shed was completely damaged. The tornado continued east and crossed New Home Circle where it nearly toppled a single wide trailer and caused damage to a couple other trailers. The tornado lifted in a field just west of Gause Road after being on the ground for about 10 minutes and just under 5 miles. The tornado had estimated maximum winds of 110 mph." +114595,687278,IOWA,2017,April,Hail,"WORTH",2017-04-09 20:27:00,CST-6,2017-04-09 20:27:00,0,0,0,0,0.00K,0,0.00K,0,43.26,-93.21,43.26,-93.21,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Emergency manager relayed reports of quarter sized hail just south of Manly on Highway 65." +113979,682808,NORTH CAROLINA,2017,February,Thunderstorm Wind,"BRUNSWICK",2017-02-15 12:17:00,EST-5,2017-02-15 12:18:00,0,0,0,0,20.00K,20000,0.00K,0,33.9763,-78.3802,33.9743,-78.3766,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","A survey conducted by the National Weather Service found evidence of a microburst with winds of 60 to 70 mph, mainly near the Shallotte Fire Training center. The damage occurred over a broad, but short swath. There was damage observed to a large number of vinyl fences in the community near the fire station." +113979,682809,NORTH CAROLINA,2017,February,Thunderstorm Wind,"NEW HANOVER",2017-02-15 12:30:00,EST-5,2017-02-15 12:31:00,0,0,0,0,1.00K,1000,0.00K,0,34.1395,-77.8901,34.1395,-77.8901,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","A large pine tree was reportedly snapped at the base." +112663,673193,NEW MEXICO,2017,February,High Wind,"ESTANCIA VALLEY",2017-02-28 08:30:00,MST-7,2017-02-28 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Moriarty Airport reported peak wind gusts up to 58 mph with sustained winds as high as 48 mph for several hours." +112663,673196,NEW MEXICO,2017,February,High Wind,"SOUTHWEST MOUNTAINS",2017-02-28 08:00:00,MST-7,2017-02-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Observer at Fence Lake reported sustained winds as high as 52 mph for a couple hours. The Magdalenda Ridge Observatory reported a peak wind gust up to 84 mph around 10,000 feet during this period." +113952,682422,OREGON,2017,February,Flood,"COLUMBIA",2017-02-09 10:30:00,PST-8,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,45.8076,-123.2839,45.8062,-123.2831,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Upper Nehalem River near Vernonia to flood. The river crested at 12.77 feet, which is 0.77 feet above flood stage." +112554,671471,MINNESOTA,2017,February,Winter Storm,"FREEBORN",2017-02-23 17:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 9 to 13 inches of snow that fell Thursday afternoon, through Friday afternoon. The heaviest totals were near Albert Lea which received 13 inches." +114595,687291,IOWA,2017,April,Hail,"MARION",2017-04-09 23:31:00,CST-6,2017-04-09 23:31:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-93.1,41.32,-93.1,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Law enforcement reported quarter sized hail." +114595,687292,IOWA,2017,April,Hail,"MARION",2017-04-09 23:32:00,CST-6,2017-04-09 23:32:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-93.04,41.36,-93.04,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported half dollar sized hail." +116340,699872,VIRGINIA,2017,May,Thunderstorm Wind,"NOTTOWAY",2017-05-05 05:05:00,EST-5,2017-05-05 05:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.18,-78.13,37.18,-78.13,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Numerous trees were downed." +116340,699873,VIRGINIA,2017,May,Thunderstorm Wind,"AMELIA",2017-05-05 05:25:00,EST-5,2017-05-05 05:25:00,0,0,0,0,2.00K,2000,0.00K,0,37.34,-77.98,37.34,-77.98,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed along Genito Road and Route 360." +113007,675449,VERMONT,2017,February,Flood,"LAMOILLE",2017-02-26 01:00:00,EST-5,2017-02-26 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,44.6884,-72.7934,44.7727,-72.7492,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises and flood area roads. Route 118 in Belvidere flooded, and a car stalled in flood waters but the occupants made it to safety. In Cambridge, the Lamoille at Jeffersonville exceeded flood stage and water flooded one lane of Route 15 at the Wrong Way Bridge in Cambridge Village." +116340,699875,VIRGINIA,2017,May,Thunderstorm Wind,"CHESTERFIELD",2017-05-05 06:25:00,EST-5,2017-05-05 06:25:00,0,0,0,0,2.00K,2000,0.00K,0,37.38,-77.51,37.38,-77.51,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed at Hickory Road and River Road." +116340,699876,VIRGINIA,2017,May,Thunderstorm Wind,"HENRICO",2017-05-05 06:45:00,EST-5,2017-05-05 06:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.6,-77.42,37.6,-77.42,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed near Overton Road and Galaxie Road." +116340,699880,VIRGINIA,2017,May,Thunderstorm Wind,"NEW KENT",2017-05-05 06:50:00,EST-5,2017-05-05 06:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.51,-77.14,37.51,-77.14,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed along Interstate 64 at Mile marker 206." +114334,699648,ARKANSAS,2017,May,Flash Flood,"CLARK",2017-05-03 14:21:00,CST-6,2017-05-03 14:21:00,0,0,0,0,0.00K,0,0.00K,0,34.1,-93.25,34.1003,-93.2396,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","The Clark County OEM reported flash flooding south of Arkadelphia near Hollywood on Highway 26." +113007,675450,VERMONT,2017,February,Flood,"CHITTENDEN",2017-02-26 06:00:00,EST-5,2017-02-26 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.5069,-73.2304,44.5311,-73.2377,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises and flood area roads. Pettingill Road in Essex was flooded by the Browns River. The Winooski at Essex Junction river gage exceeded flood stage, and flood waters from the Winooski covered Pine Island Road in Colchester and approached North Williston Road in Essex. Forest and farm land along the river in Burlington's Intervale were flooded." +113503,679664,MISSOURI,2017,February,Thunderstorm Wind,"ST. FRANCOIS",2017-02-28 19:08:00,CST-6,2017-02-28 19:08:00,0,0,0,0,0.00K,0,0.00K,0,37.6821,-90.6148,37.6821,-90.6148,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew off some roofing from a building on the southeast side of Iron Mountain Lake." +113621,680162,TEXAS,2017,February,Hail,"JOHNSON",2017-02-27 10:30:00,CST-6,2017-02-27 10:30:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-97.12,32.42,-97.12,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A trained spotter reported ping pong ball sized hail just south of the town of Venus." +116060,700548,WISCONSIN,2017,May,Flash Flood,"JACKSON",2017-05-16 22:30:00,CST-6,2017-05-17 00:30:00,0,0,0,0,10.00K,10000,0.00K,0,44.45,-91.14,44.4502,-91.1477,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Runoff from heavy rain pushed Pigeon Creek out of its banks and washed out a road near York." +116062,697544,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-16 21:34:00,CST-6,2017-05-16 21:34:00,0,0,0,0,10.00K,10000,0.00K,0,43,-92.94,43,-92.94,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","Lots of trees and power lines were blown down across the western sections of Floyd County." +116062,697548,IOWA,2017,May,Thunderstorm Wind,"MITCHELL",2017-05-16 22:04:00,CST-6,2017-05-16 22:04:00,0,0,0,0,2.00K,2000,0.00K,0,43.28,-92.85,43.28,-92.85,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","Trees were blown down between Osage and Mitchell." +115065,690911,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-25 21:45:00,CST-6,2017-04-25 21:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1871,-95.8967,36.1871,-95.8967,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690914,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-25 21:55:00,CST-6,2017-04-25 21:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1049,-96.1387,36.1049,-96.1387,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690917,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-25 22:37:00,CST-6,2017-04-25 22:37:00,0,0,0,0,0.00K,0,0.00K,0,36.3089,-95.3165,36.3089,-95.3165,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690920,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-25 23:08:00,CST-6,2017-04-25 23:08:00,0,0,0,0,0.00K,0,0.00K,0,35.3845,-95.7,35.3845,-95.7,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690926,OKLAHOMA,2017,April,Hail,"MUSKOGEE",2017-04-25 23:35:00,CST-6,2017-04-25 23:35:00,0,0,0,0,0.00K,0,0.00K,0,35.5764,-95.4752,35.5764,-95.4752,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690927,OKLAHOMA,2017,April,Hail,"PITTSBURG",2017-04-26 05:48:00,CST-6,2017-04-26 05:48:00,0,0,0,0,0.00K,0,0.00K,0,34.6074,-95.7131,34.6074,-95.7131,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690929,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-26 07:01:00,CST-6,2017-04-26 07:01:00,0,0,0,0,0.00K,0,0.00K,0,34.8952,-94.6051,34.8952,-94.6051,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +113055,675904,CALIFORNIA,2017,January,Thunderstorm Wind,"SAN DIEGO",2017-01-20 13:05:00,PST-8,2017-01-20 13:35:00,0,0,0,0,,NaN,,NaN,33.3673,-117.5043,33.4212,-117.3669,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A severe squall produced 60-70 mph wind gusts over northern Camp Pendleton. A peak gust of 70 mph was measured at Mateo Ridge with an additional 64 mph gust recorded at Case Springs." +113055,676201,CALIFORNIA,2017,January,Flash Flood,"SAN BERNARDINO",2017-01-23 17:15:00,PST-8,2017-01-23 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.9522,-117.6473,33.9508,-117.6541,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Highway 83 between Pine Ave. and Highway 71 closed due to flooding along Chino Creek." +113321,678167,OKLAHOMA,2017,February,Drought,"CHEROKEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678168,OKLAHOMA,2017,February,Drought,"ADAIR",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678170,OKLAHOMA,2017,February,Drought,"MCINTOSH",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678169,OKLAHOMA,2017,February,Drought,"MUSKOGEE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113737,680859,TEXAS,2017,February,Drought,"BROOKS",2017-02-08 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"While rain fell across the coastal counties and the eastern Valley, little rain fell further inland, continuing dry conditions, and allowing for Severe (D2) drought conditions to spread west.","While rain fell across the far southeast corner of Brooks County and improved Severe (D2) drought conditions there, slightly further west (west of Highway 281), a narrow strip of Severe (D2) drought conditions developed along the southern county border, where rainfall largely missed the area." +113737,680861,TEXAS,2017,February,Drought,"HIDALGO",2017-02-08 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"While rain fell across the coastal counties and the eastern Valley, little rain fell further inland, continuing dry conditions, and allowing for Severe (D2) drought conditions to spread west.","While rain fell across the far northeast corner of Hidalgo County and improved Severe (D2) drought conditions there, slightly further west Severe (D2) drought conditions developed over north central to northwest Hidalgo County, where the rain did not fall." +113719,680768,TEXAS,2017,February,Funnel Cloud,"JEFFERSON",2017-02-02 15:40:00,CST-6,2017-02-02 15:41:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-94.25,29.92,-94.25,"Scattered thunderstorms during the afternoon of the 2nd produced a report of a funnel cloud.","The Jefferson County PD reported a funnel cloud near Fannett. Multiple pictures were also posted to social media." +113720,680769,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-02-14 18:55:00,CST-6,2017-02-14 18:55:00,0,0,0,0,0.00K,0,0.00K,0,28.63,-91.49,28.63,-91.49,"A pair of high wind gusts was produced by a strong thunderstorm in the gulf waters.","KEIR reported a wind gust of 45 knots with a passing storm." +113720,680770,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-02-14 19:06:00,CST-6,2017-02-14 19:06:00,0,0,0,0,0.00K,0,0.00K,0,28.48,-91.44,28.48,-91.44,"A pair of high wind gusts was produced by a strong thunderstorm in the gulf waters.","A wind gust of 45 MPH was recorded on a platform." +113722,680772,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-02-20 14:42:00,CST-6,2017-02-20 14:42:00,0,0,0,0,0.00K,0,0.00K,0,29.59,-92.9,29.59,-92.9,"A short wave moved into the region during the 20th. Scattered storms developed over the gulf waters and two became strong.","Workers on a platform in East Cameron Block 14 reported a wind gust of around 45 MPH." +113722,680773,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-02-21 12:55:00,CST-6,2017-02-21 12:55:00,0,0,0,0,0.00K,0,0.00K,0,29.28,-92.45,29.28,-92.45,"A short wave moved into the region during the 20th. Scattered storms developed over the gulf waters and two became strong.","A wind gust of 40 MPH was estimated on a platform in Vermilion Block 78." +116825,702535,UTAH,2017,May,Flood,"UTAH",2017-05-13 13:00:00,MST-7,2017-05-19 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.3591,-111.584,40.3251,-111.663,"Planned releases at Deer Creek Dam led to flooding along the Provo River.","The Provo River exceeded flood stage after a planned release from Deer Creek Dam, which was necessary to make space in the upstream reservoir in anticipation of spring snow melt. Flows peaked at 1905 cfs on May 17, before gradually decreasing through the week. The flood waters undercut the Provo River Trail near Canyon Glen Park, causing the Utah County Sheriff to close the trail, but otherwise damage was minimal due to planning and mitigation." +113960,682472,NEW YORK,2017,February,Lake-Effect Snow,"OSWEGO",2017-02-02 14:00:00,EST-5,2017-02-04 12:00:00,0,0,0,0,34.00K,34000,0.00K,0,NaN,NaN,NaN,NaN,"A single band of lake effect snow developed on a cold, westerly wind. This produced a period of heavy snow across southern Oswego County and the far northern end of Cayuga County from Fair Haven to Fulton. The band of snow then moved northward to the Tug Hill region during the evening of the 2nd and remained in place overnight, slowly intensifying as cold air deepened over Lake Ontario. During the day on February 3rd, the lake effect snow focused on the Tug Hill Plateau and remained in place through the day and evening. This phase of the event dropped the heaviest snow across the Tug Hill, with snowfall rates of around 3 inches per hour for much of the day, producing an additional 3 feet of accumulation in the most persistent bands. Heavy snow also fell in a narrow strip across the lower elevations close to the lake, from Pulaski to Mannsville along the interstate 81 corridor. Lake snows moved back south into southern Oswego and far northern Cayuga counties on the evening of the 3rd with additional heavy snow. Finally, on the 4th winds became more westerly again, carrying moderate to heavy lake effect snow back north across the Tug Hill Plateau with additional accumulations. The lake effect snow then weakened by late in the day on the 4th. Specific snowfall reports included: 54 inches at Redfield; 38 inches at Lacona: 32 inches at Osceola; 24 inches at Pulaski; 20 inches at Fulton and Constableville; 19 inches at Highmarket and Fairhaven; 17 inches at Bennetts Bridge; 15 inches at Minetto and Hooker; 12 inches at Palermo and Oswego; 11 inches at Sterling; and 10 inches at Croghan.","" +113959,682465,NEW YORK,2017,February,Lake-Effect Snow,"LEWIS",2017-02-01 01:00:00,EST-5,2017-02-02 03:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved from the Great Lakes to New England January 31st to early on February 1st, producing widespread light synoptic snow across the area. In the wake of this system, increasing westerly flow and cold air crossing Lake Ontario allowed lake effect snow to develop by the early morning hours of the 1st. The snow intensified across the Tug Hill and dropped about two feet of snow with snowfall rates approaching three inches per hour. During the evening hours the lake effect band drifted over the south shore of Lake Ontario dropping a few inches of additional snow. Specific snowfall reports included: 22 inches at Redfield; 18 inches at Osceola; 17 inches at Pulaski and Constableville; 15 inches at Highmarket; 12 inches at Lacona, Mannsville and Worth; 11 inches at Glenfield; and 8 inches at Minetto and Fulton.","" +113964,682493,NEW YORK,2017,February,Heavy Snow,"OSWEGO",2017-02-12 08:00:00,EST-5,2017-02-13 10:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought heavy snow to the north country. Snow began across the region during the morning hours of Saturday the 12th and continued through the late morning of Sunday the 13th. The heavy, wet snow slowed travel however impact was minimized by the weekend timing of the storm. Specific snowfall reports included: 18 inches at Osceola; 14 inches at Constantia; 13 inches at Croghan and Oswego; 12 inches at Beaver Falls; 11 inches at Harrisville and Pulaski: 10 inches at Watertown; 9 inches at Constableville, Highmarket and Mexico; and 8 inches at Theresa.","" +115280,692103,WASHINGTON,2017,April,Flash Flood,"ASOTIN",2017-04-13 04:00:00,PST-8,2017-04-13 10:00:00,0,0,0,0,1.50M,1500000,0.00K,0,46.0588,-117.2403,46.0555,-117.2404,"A privately owned dam holding a small pond failed on April 13th causing a flash flood which heavily damaged a section of Highway 129 between Fields Spring State Park and the Grand Ronde River. A bridge across Rattlesnake Creek was also destroyed.","A Flash Flood closed Highway 129 near where Rattlesnake Creek meets the Grande Ronde River. The road was closed for three hours and then opened up to one lane of traffic." +115281,692105,WASHINGTON,2017,April,Flood,"SPOKANE",2017-04-01 00:00:00,PST-8,2017-04-03 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,47.7135,-117.5304,47.6249,-117.4164,"Heavy rain and snow melt during the month of March caused the Spokane River to crest above Flood Stage in March. The river slowly receded but remained above Flood Stage through the first few days of April. Inundation was mostly limited to park land and fields in the river bottom but a few homes and businesses experienced basement and yard flooding during this event.","The USGS Spokane River Gage at Spokane recorded the Spokane River continuing to achieve Minor Flood level through the first few days of April. The river receded to below the Flood Stage of 27.0 feet at 5:15 PM PST on April 3rd." +115607,694436,MASSACHUSETTS,2017,April,Strong Wind,"SOUTHEAST MIDDLESEX",2017-04-16 20:04:00,EST-5,2017-04-16 20:04:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers leading well ahead of a cold front moved across Southern New England the evening of the 16th. These showers drew strong winds down to the surface in gusts as they moved across the region. Winds of 40 to 50 mph were measured.","At 804 PM EST, a tree and wires were brought down on a car on Day Street in Newton." +115274,692063,IDAHO,2017,April,Flood,"BENEWAH",2017-04-01 00:00:00,PST-8,2017-04-05 06:15:00,0,0,0,0,100.00K,100000,0.00K,0,47.3514,-116.7174,47.2886,-116.3411,"Heavy rain and snow melt caused the St. Joe River to flood beginning in the month of March. The river remained above Minor Flood Stage at St. Maries through the early part of April, although the upper reaches of the river at Calder dropped below Flood Stage by the end of March. ||Extensive flooding of fields and bottom lands along the river and basement flooding of a few homes and businesses in and near St. Maries continued through the first week of April.","The USGS St. Joe River Gage at St. Maries recorded a Minor Flood on the St. Joe River during the first week of April. The river receded to below the Flood Stage of 32.5 feet at 6:15 AM PST on April 5th and continued to fall through the rest of the month." +115413,693036,CALIFORNIA,2017,April,Heavy Rain,"MARIPOSA",2017-04-17 23:55:00,PST-8,2017-04-18 05:55:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A low pressure system moved into Central California on the afternoon of the 16th then stalled over the area on the 17th before moving out on the 18th. A cold front associated with this system brought scattered thunderstorms on the afternoon of the 18th. Snow was mainly confined to elevations above 8000 feet, but several locations in the Southern Sierra Nevada and adjacent foothills reported 48 hour rainfall totals between 1 and 2.5 inches. Several inches of new snowfall fell at elevations above 9000 feet. Most of the San Joaquin Valley and Kern County Mountains received between a quarter and half an inch of rain from this event.","A trained spotter reported heavy rainfall in Ponderosa Basin on the morning of April 18th." +112881,674331,WYOMING,2017,February,Winter Storm,"ABSAROKA MOUNTAINS",2017-02-01 00:00:00,MST-7,2017-02-01 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This a continuation of the January 31st storm. A moist Pacific flow and a potent upper level system brought heavy snow to portions of western and northern Wyoming. The heaviest snow fell in northwestern Wyoming, especially in the Absarokas where 22 inches of new snow fell at the Beartooth Lake SNOTEL site. Up to 18 inches of snow fell in Yellowstone Park. In the lower elevations East of the Divide, the highest amounts fell along the northern border. In Park County, Wapati picked up 13 inches of new snow. Almost 9 inches fell northwest of Shell in Big Horn County. Amounts dropped off significantly further south. In DuBois, a narrow band of very heavy snow developed and dropped 16 inches of new snow.","Several locations of the Absaroka Mountains received over a foot of new snow. The highest amounts included 24 inches at Pahaska and 22 inches at the Beartooth Lake SNOTEL site." +112881,674524,WYOMING,2017,February,Winter Storm,"CODY FOOTHILLS",2017-02-01 00:00:00,MST-7,2017-02-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This a continuation of the January 31st storm. A moist Pacific flow and a potent upper level system brought heavy snow to portions of western and northern Wyoming. The heaviest snow fell in northwestern Wyoming, especially in the Absarokas where 22 inches of new snow fell at the Beartooth Lake SNOTEL site. Up to 18 inches of snow fell in Yellowstone Park. In the lower elevations East of the Divide, the highest amounts fell along the northern border. In Park County, Wapati picked up 13 inches of new snow. Almost 9 inches fell northwest of Shell in Big Horn County. Amounts dropped off significantly further south. In DuBois, a narrow band of very heavy snow developed and dropped 16 inches of new snow.","Heavy snow fell in northern portions of the Cody Foothills. The highest amount was in Wapati where 13 inches of new snow fell. Around Cody, amounts generally ranged from 3 to 7 inches. Snowfall amounts dropped off rapidly further south." +112881,674526,WYOMING,2017,February,Winter Weather,"UPPER WIND RIVER BASIN",2017-02-01 03:00:00,MST-7,2017-02-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This a continuation of the January 31st storm. A moist Pacific flow and a potent upper level system brought heavy snow to portions of western and northern Wyoming. The heaviest snow fell in northwestern Wyoming, especially in the Absarokas where 22 inches of new snow fell at the Beartooth Lake SNOTEL site. Up to 18 inches of snow fell in Yellowstone Park. In the lower elevations East of the Divide, the highest amounts fell along the northern border. In Park County, Wapati picked up 13 inches of new snow. Almost 9 inches fell northwest of Shell in Big Horn County. Amounts dropped off significantly further south. In DuBois, a narrow band of very heavy snow developed and dropped 16 inches of new snow.","A narrow band of heavy snow fell near Dubois. There were numerous reports of a foot of new snow with a maximum amount of 16 inches. Snowfall amounts fell rapidly further southeast with little snow reported at Crowheart." +113170,676975,ALABAMA,2017,February,Thunderstorm Wind,"BALDWIN",2017-02-07 13:50:00,CST-6,2017-02-07 13:52:00,0,0,0,0,2.00K,2000,0.00K,0,30.8186,-87.8515,30.8186,-87.8515,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","Winds estimated at 60 mph downed trees on County Road 39." +113170,676978,ALABAMA,2017,February,Hail,"BALDWIN",2017-02-07 14:50:00,CST-6,2017-02-07 14:52:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-87.6,30.42,-87.6,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","" +113170,677001,ALABAMA,2017,February,Tornado,"COVINGTON",2017-02-07 15:23:00,CST-6,2017-02-07 15:24:00,1,0,0,0,100.00K,100000,0.00K,0,31.3141,-86.4634,31.3147,-86.4548,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","A tornado moved across an area on the east side of Andalusia which affected two residential areas and a campground. The tornado caused shingle damage to several roofs, downed several trees, and overturned several campers and RVs. One individual suffered minor injuries. Damage also occurred to a large metal storage building at the Covington County Water Authority. Numerous water pipes from the water facility were tossed by the tornado." +113432,678723,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:34:00,CST-6,2017-02-07 15:40:00,0,0,0,0,250.00K,250000,0.00K,0,30.3949,-86.586,30.3945,-86.4964,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","A severe thunderstorm moved across Okaloosa Island and Destin, which produced areas of straight line wind damage along and near U.S. Highway 98. Several building were damaged in and around Destin with significant roof damage to a few condos and businesses. An EMS vehicle was damaged on Okaloosa Island with one injury. Numerous trees and power lines were downed. Three gas stations pumps were blown over at a gas station in Destin. There were two wind measurements at Okaloosa Pier and on Choctawhatchee Bay that recorded wind gusts of 87 mph. Several land based stations recorded wind gusts in excess of 60 mph." +113432,678953,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:34:00,CST-6,2017-02-07 15:37:00,0,0,0,0,100.00K,100000,0.00K,0,30.5268,-86.4939,30.5369,-86.4421,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","A severe thunderstorm moved across Niceville and produced a corridor of straight line wind damage from winds of 70-90 mph from near the intersection of Highway 85 and Lewis Street to near Mile Marker 12 on Highway 293. Numerous trees and power lines were downed along the path with some landing on vehicles. Several downed trees caused damage to homes in the area. A church suffered roof damage and some damage to brick facade." +113432,681744,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 14:24:00,CST-6,2017-02-07 14:26:00,0,0,0,0,10.00K,10000,0.00K,0,30.75,-86.6,30.75,-86.6,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","Winds estimated at 70 mph downed a tree on a house." +113432,682374,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:39:00,CST-6,2017-02-07 15:41:00,0,0,0,0,0.00K,0,0.00K,0,30.3523,-86.4425,30.3523,-86.4425,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","Measured from a weatherflow station." +113432,682414,FLORIDA,2017,February,Thunderstorm Wind,"OKALOOSA",2017-02-07 15:35:00,CST-6,2017-02-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,30.643,-86.5485,30.643,-86.5485,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","" +114012,682826,GEORGIA,2017,February,Drought,"RABUN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After a couple of relatively wet months, the longer term trend of dry weather resumed in February, with most areas reporting monthly rainfall of 1 to 2 inches below normal. Nevertheless, the improvement brought about by the late 2016/early 2017 rainfall continued through the month, with drought conditions becoming increasingly confined to the mountains and immediate foothills. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +114012,682827,GEORGIA,2017,February,Drought,"HABERSHAM",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After a couple of relatively wet months, the longer term trend of dry weather resumed in February, with most areas reporting monthly rainfall of 1 to 2 inches below normal. Nevertheless, the improvement brought about by the late 2016/early 2017 rainfall continued through the month, with drought conditions becoming increasingly confined to the mountains and immediate foothills. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +114012,682828,GEORGIA,2017,February,Drought,"STEPHENS",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"After a couple of relatively wet months, the longer term trend of dry weather resumed in February, with most areas reporting monthly rainfall of 1 to 2 inches below normal. Nevertheless, the improvement brought about by the late 2016/early 2017 rainfall continued through the month, with drought conditions becoming increasingly confined to the mountains and immediate foothills. Levels remained well below normal on all streams while reservoirs were several feet below target elevations. All communities continued to observe at least voluntary water restrictions, while mandatory restrictions continued in a few mountain and foothills communities.","" +113640,680249,NEBRASKA,2017,April,Hail,"JOHNSON",2017-04-09 20:40:00,CST-6,2017-04-09 20:40:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-96.34,40.46,-96.34,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680251,NEBRASKA,2017,April,Hail,"CASS",2017-04-09 20:55:00,CST-6,2017-04-09 20:55:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-95.92,40.81,-95.92,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113983,682652,CALIFORNIA,2017,February,Flash Flood,"SANTA BARBARA",2017-02-17 14:30:00,PST-8,2017-02-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4313,-119.8432,34.4238,-119.8437,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Heavy rain generated flash flooding at Santa Barbara airport. The airport was evacuated due to the flooding." +113983,682650,CALIFORNIA,2017,February,Winter Storm,"VENTURA COUNTY MOUNTAINS",2017-02-18 05:00:00,PST-8,2017-02-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Winter storm conditions developed across the mountains of Ventura county. At the resort level, 8 to 16 inches of snow accumulated. Additionally, southerly winds gusting to 70 MPH were reported." +113983,682653,CALIFORNIA,2017,February,Flash Flood,"VENTURA",2017-02-17 14:30:00,PST-8,2017-02-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.3113,-119.3535,34.3101,-119.3517,"A powerful winter storm moved across Southwestern California, bringing heavy rain and snow, strong winds and flash flooding to the area. Rainfall amounts ranged from 2 to 6 inches across coastal areas with up to around 10 inches in the local mountains. This heavy rain produced numerous reports of flash flooding as well as mud and debris flows. In the local mountains, snowfall totals between 1 and 2 feet were reported at the resort level. Strong southerly winds accompanied the storm with wind gusts up to around 70 MPH reported in some areas.","Heavy rain generated flash flooding as well as mud and debris flows in Ventura county. Highway 101 was closed in both directions near the Solimar burn area due to mud and debris flows." +112771,673641,KENTUCKY,2017,February,Hail,"MORGAN",2017-02-25 00:10:00,EST-5,2017-02-25 00:10:00,0,0,0,0,,NaN,,NaN,37.89,-83.44,37.89,-83.44,"Strong thunderstorms produced dime to nickel size hail across portions of eastern Kentucky on February 25, 2017.","" +112771,673642,KENTUCKY,2017,February,Hail,"MCCREARY",2017-02-25 00:30:00,EST-5,2017-02-25 00:30:00,0,0,0,0,,NaN,,NaN,36.74,-84.48,36.74,-84.48,"Strong thunderstorms produced dime to nickel size hail across portions of eastern Kentucky on February 25, 2017.","" +112771,673643,KENTUCKY,2017,February,Hail,"ELLIOTT",2017-02-25 00:31:00,EST-5,2017-02-25 00:31:00,0,0,0,0,,NaN,,NaN,38.1,-83.11,38.1,-83.11,"Strong thunderstorms produced dime to nickel size hail across portions of eastern Kentucky on February 25, 2017.","" +112771,673644,KENTUCKY,2017,February,Hail,"OWSLEY",2017-02-25 00:41:00,EST-5,2017-02-25 00:41:00,0,0,0,0,,NaN,,NaN,37.37,-83.77,37.37,-83.77,"Strong thunderstorms produced dime to nickel size hail across portions of eastern Kentucky on February 25, 2017.","" +113990,682700,CALIFORNIA,2017,February,Debris Flow,"TUOLUMNE",2017-02-10 05:20:00,PST-8,2017-02-10 05:20:00,0,0,0,0,0.00K,0,0.00K,0,37.5702,-119.9364,37.5632,-119.9336,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported a rock slide due to heavy rainfall on Highway 140 east of Ferguson Bridge about 5 miles north northwest of Midpines." +113990,682702,CALIFORNIA,2017,February,Debris Flow,"KERN",2017-02-11 10:29:00,PST-8,2017-02-11 10:29:00,0,0,0,0,0.00K,0,0.00K,0,34.8338,-118.871,34.8291,-118.8522,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported 5 to 6 football sized rocks in the southbound lane of Interstate 5 near Lebec." +113990,682704,CALIFORNIA,2017,February,Debris Flow,"FRESNO",2017-02-11 10:31:00,PST-8,2017-02-11 10:31:00,0,0,0,0,0.00K,0,0.00K,0,36.8062,-119.3971,36.7956,-119.3795,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported a debris flow blocking both lanes on east Trimmer Springs Road near Piedra Road in Piedra." +113990,682705,CALIFORNIA,2017,February,Debris Flow,"KERN",2017-02-11 10:46:00,PST-8,2017-02-11 10:46:00,0,0,0,0,0.00K,0,0.00K,0,34.9558,-119.4681,34.9786,-119.4468,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported large boulders blocking westbound lanes from heavy rainfall of Highway 33 near Soda Lake Road about 13 miles south of Taft." +113503,679653,MISSOURI,2017,February,Hail,"JEFFERSON",2017-02-28 17:55:00,CST-6,2017-02-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.1384,-90.3152,38.1384,-90.3152,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679655,ILLINOIS,2017,February,Hail,"ST. CLAIR",2017-02-28 18:11:00,CST-6,2017-02-28 18:11:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-89.87,38.32,-89.87,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679657,ILLINOIS,2017,February,Hail,"MONROE",2017-02-28 18:25:00,CST-6,2017-02-28 18:25:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-90.15,38.33,-90.15,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679658,ILLINOIS,2017,February,Hail,"RANDOLPH",2017-02-28 18:13:00,CST-6,2017-02-28 18:14:00,0,0,0,0,0.00K,0,0.00K,0,38.2031,-90.0021,38.22,-89.98,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,679663,MISSOURI,2017,February,Tornado,"REYNOLDS",2017-02-28 18:40:00,CST-6,2017-02-28 18:48:00,0,0,0,0,,NaN,,NaN,37.4409,-90.9138,37.4737,-90.846,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","A tornado touched down along Horse Shoe Ranch Road with minor tree damage noted. It continued north northeast and caused damage to many trees and a camper on a property north of Horse Shoe Ranch Road. This damage was rated EF1 due to the number and size of trees that were snapped off, blown over and tops shredded. The tornado then continued to Missouri Highway 21 where some trees were topped and blown over. The tornado lifted about a mile east northeast of this location. The tornado was rated EF1 with a path length of 4.36 miles and max path width of 80 yards." +112433,682358,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 16:28:00,PST-8,2017-02-20 18:28:00,0,0,0,0,0.00K,0,0.00K,0,37.4926,-122.3865,37.4923,-122.3864,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Rocks and mud coming down fast into west bound lane of SR 92W near Pilarcitos Creek Rd." +112433,682359,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:28:00,PST-8,2017-02-20 16:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down across entire roadway NR 23920 Summit Rd." +112433,682360,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 16:29:00,PST-8,2017-02-20 16:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down on power line. Power line on fire near 25080 Soquel San Jose Rd." +112433,682361,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-20 16:31:00,PST-8,2017-02-20 18:31:00,0,0,0,0,0.00K,0,0.00K,0,37.0411,-122.229,37.0409,-122.2288,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Slide blocking NB lane of HWY1 near Scott Creek." +112433,682362,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 16:40:00,PST-8,2017-02-20 18:40:00,0,0,0,0,0.00K,0,0.00K,0,37.2545,-122.3735,37.2541,-122.3737,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Debris flow blocking part of roadway near Cloverdale Rd and Pescadero Creek Rd." +112433,682363,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-20 16:40:00,PST-8,2017-02-20 18:40:00,0,0,0,0,0.00K,0,0.00K,0,36.8035,-121.6642,36.8031,-121.6641,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Heavy mud slide about 3 feet deep blocking one lane near 18222 Moro Rd." +112433,682364,CALIFORNIA,2017,February,High Wind,"EAST BAY INTERIOR VALLEYS",2017-02-20 16:50:00,PST-8,2017-02-20 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking eastbound lanes touching power lines Boulevard Way near Kinney Dr." +112433,682366,CALIFORNIA,2017,February,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-02-20 16:50:00,PST-8,2017-02-20 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Large redwood tree fell blocking all traffic. Roadway shut down at Old Summit Rd near Melody Lane." +112433,682367,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 16:52:00,PST-8,2017-02-20 16:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking at least one lane US101 near Exit 342." +113530,679602,INDIANA,2017,February,Dense Fog,"POSEY",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Interstate 64 southward, including the Evansville area. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted through the early morning hours of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113530,679603,INDIANA,2017,February,Dense Fog,"SPENCER",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Interstate 64 southward, including the Evansville area. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted through the early morning hours of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113530,679604,INDIANA,2017,February,Dense Fog,"VANDERBURGH",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Interstate 64 southward, including the Evansville area. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted through the early morning hours of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113530,679605,INDIANA,2017,February,Dense Fog,"WARRICK",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less from Interstate 64 southward, including the Evansville area. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted through the early morning hours of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679635,MISSOURI,2017,February,Dense Fog,"BOLLINGER",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679636,MISSOURI,2017,February,Dense Fog,"BUTLER",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679637,MISSOURI,2017,February,Dense Fog,"CAPE GIRARDEAU",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679638,MISSOURI,2017,February,Dense Fog,"CARTER",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +114638,687598,KANSAS,2017,March,Flood,"MARION",2017-03-29 07:10:00,CST-6,2017-03-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-97.12,38.17,-97.1092,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","Water covered a bridge on Nighthawk Rd. in Peabody. The road was closed. Peabody City Park was flooded." +114638,687602,KANSAS,2017,March,Flood,"MARION",2017-03-29 07:10:00,CST-6,2017-03-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2511,-97.1,38.2502,-97.1423,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","Nighthawk Road was flooded from 120th to 130th Streets." +114785,692995,KANSAS,2017,May,Thunderstorm Wind,"RICE",2017-05-18 17:13:00,CST-6,2017-05-18 17:14:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-98.13,38.35,-98.13,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","A semi truck was blown over on Highway 56." +114785,692996,KANSAS,2017,May,Thunderstorm Wind,"SALINE",2017-05-18 17:21:00,CST-6,2017-05-18 17:22:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.62,38.82,-97.62,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported at mile post 250 on Interstate 70." +114785,692997,KANSAS,2017,May,Thunderstorm Wind,"SALINE",2017-05-18 17:26:00,CST-6,2017-05-18 17:27:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.65,38.82,-97.65,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported by a trained spotter." +114785,692998,KANSAS,2017,May,Thunderstorm Wind,"HARVEY",2017-05-18 17:21:00,CST-6,2017-05-18 17:22:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-97.27,38.06,-97.27,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","An official observation." +112635,672392,IOWA,2017,February,Blizzard,"IDA",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112636,672377,OHIO,2017,February,Hail,"LAWRENCE",2017-02-25 01:05:00,EST-5,2017-02-25 01:05:00,0,0,0,0,0.00K,0,0.00K,0,38.56,-82.59,38.56,-82.59,"Following a day of record breaking high temperatures on February 24, a very strong cold front crossed the middle Ohio River Valley shortly after midnight on the 25th with a line of showers and thunderstorms. One stronger cell boiled up as it crossed the Ohio River from northeast Kentucky into Lawrence County in Southeast Ohio. It produced brief large hail.","Deputy reported half dollar size hail near Kitts Hill." +112636,672376,OHIO,2017,February,Hail,"LAWRENCE",2017-02-25 01:00:00,EST-5,2017-02-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5,-82.64,38.5,-82.64,"Following a day of record breaking high temperatures on February 24, a very strong cold front crossed the middle Ohio River Valley shortly after midnight on the 25th with a line of showers and thunderstorms. One stronger cell boiled up as it crossed the Ohio River from northeast Kentucky into Lawrence County in Southeast Ohio. It produced brief large hail.","" +112635,672382,IOWA,2017,February,Blizzard,"LYON",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672380,IOWA,2017,February,Blizzard,"WOODBURY",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112635,672387,IOWA,2017,February,Blizzard,"PLYMOUTH",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 4 to 8 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112533,671186,SOUTH DAKOTA,2017,February,Blizzard,"MOODY",2017-02-23 16:00:00,CST-6,2017-02-23 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow and very strong winds of 30 to 45 mph creating widespread blizzard conditions. Many areas reported visibilities below a half mile.","Snowfall of 3 to 5 inches combined with strong winds of 40 to 45 mph created blizzard conditions with visibilities below a half mile." +112245,673261,PENNSYLVANIA,2017,February,Winter Storm,"COLUMBIA",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Columbia County." +112245,673263,PENNSYLVANIA,2017,February,Winter Storm,"TIOGA",2017-02-09 02:35:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Tioga County." +119519,717240,FLORIDA,2017,September,Thunderstorm Wind,"LEVY",2017-09-01 18:45:00,EST-5,2017-09-01 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,29.26,-82.7,29.26,-82.7,"Afternoon thunderstorms continuing into the evening produced areas of heavy rain, gusty winds and numerous lightning strikes. One individual on the beach was struck by lightning while portions of the Tampa Bay Area had flooding issues when heavy rain fell over already saturated ground.","The Levy County 911 call center reported a tree had fallen on power lines near SE 42 Court and County Road 326. Time was estimated by radar." +112245,673268,PENNSYLVANIA,2017,February,Winter Storm,"SCHUYLKILL",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 9 inches of snow across Schuylkill County." +112864,674230,HAWAII,2017,February,Strong Wind,"OAHU KOOLAU",2017-02-05 09:00:00,HST-10,2017-02-05 17:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +112864,674231,HAWAII,2017,February,Strong Wind,"OLOMANA",2017-02-05 09:00:00,HST-10,2017-02-05 17:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +112864,674232,HAWAII,2017,February,Strong Wind,"OAHU SOUTH SHORE",2017-02-05 09:00:00,HST-10,2017-02-05 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +112864,674233,HAWAII,2017,February,Strong Wind,"MAUI LEEWARD WEST",2017-02-05 17:00:00,HST-10,2017-02-05 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +112864,674234,HAWAII,2017,February,Heavy Rain,"HONOLULU",2017-02-06 11:16:00,HST-10,2017-02-06 13:13:00,0,0,0,0,0.00K,0,0.00K,0,21.4634,-158.0486,21.2971,-157.6957,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +113119,676546,NEW HAMPSHIRE,2017,February,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +113126,676586,MAINE,2017,February,Heavy Snow,"COASTAL CUMBERLAND",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113124,676575,NEW HAMPSHIRE,2017,February,Heavy Snow,"BELKNAP",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676576,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN CARROLL",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676577,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN COOS",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +120818,723485,OHIO,2017,November,Tornado,"ASHLAND",2017-11-05 17:23:00,EST-5,2017-11-05 17:25:00,0,0,0,0,50.00K,50000,0.00K,0,41.0285,-82.3162,41.0327,-82.3056,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF0 tornado touched down about a half mile west of Nova. The tornado knocked over or uprooted many trees along it's path. The tornado damaged the roof of a store on the west end of Nova. A farm supply store along the railroad tracks on the north end of the town lost a section of roofing. A nearby grain bin was also damaged. The tornado lifted just after crossing State Route 511. The damage path for this storm was just over a half mile in length." +113344,678240,MAINE,2017,February,Heavy Snow,"COASTAL WASHINGTON",2017-02-01 08:00:00,EST-5,2017-02-01 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure developed across the Gulf of Maine during the morning of the 1st. The low moved along the coast through the afternoon then exited across the maritimes during the evening. Snow developed during the morning of the 1st and persisted into the evening. Warning criteria snow accumulations occurred during the early evening.","Storm total snow accumulations generally ranged from 5 to 10 inches...with local totals up to around 12 inches." +113348,678263,MAINE,2017,February,Blizzard,"SOUTHERN PENOBSCOT",2017-02-13 08:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations generally ranged from 20 to 30 inches...with local totals up to around 35 inches. Blizzard conditions also occurred." +113348,678264,MAINE,2017,February,Blizzard,"INTERIOR HANCOCK",2017-02-13 08:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 15 to 25 inches. Blizzard conditions also occurred." +113348,678265,MAINE,2017,February,Blizzard,"CENTRAL WASHINGTON",2017-02-13 08:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 20 to 30 inches. Blizzard conditions also occurred." +113348,678268,MAINE,2017,February,Blizzard,"COASTAL HANCOCK",2017-02-13 08:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 15 to 25 inches. Blizzard conditions also occurred." +113348,678270,MAINE,2017,February,Blizzard,"COASTAL WASHINGTON",2017-02-13 08:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 20 to 35 inches. Blizzard conditions also occurred." +113348,678271,MAINE,2017,February,Winter Storm,"CENTRAL PISCATAQUIS",2017-02-12 18:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations generally ranged from 15 to 25 inches...with local totals up to around 30 inches." +113348,678272,MAINE,2017,February,Winter Storm,"CENTRAL PENOBSCOT",2017-02-12 18:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 20 to 30 inches." +113348,678273,MAINE,2017,February,Winter Storm,"SOUTHERN PISCATAQUIS",2017-02-12 18:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 20 to 30 inches." +113348,678274,MAINE,2017,February,Winter Storm,"NORTHERN WASHINGTON",2017-02-12 18:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 15 to 25 inches." +113348,678275,MAINE,2017,February,Winter Storm,"NORTHERN PISCATAQUIS",2017-02-12 20:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 18 to 24 inches." +120818,723491,OHIO,2017,November,Thunderstorm Wind,"HURON",2017-11-05 16:57:00,EST-5,2017-11-05 16:57:00,0,0,0,0,0.00K,0,0.00K,0,41.0791,-82.7384,41.0791,-82.7384,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed several trees along Egypt Road east of Nivers Road." +113253,677609,NEW YORK,2017,February,Winter Storm,"SOUTHERN HERKIMER",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677610,NEW YORK,2017,February,Winter Storm,"NORTHERN FULTON",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +112692,672856,CONNECTICUT,2017,February,Heavy Snow,"SOUTHERN LITCHFIELD",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. ||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9.","" +113262,677700,NEW YORK,2017,February,Thunderstorm Wind,"FULTON",2017-02-25 15:47:00,EST-5,2017-02-25 15:47:00,0,0,0,0,,NaN,,NaN,43,-74.47,43,-74.47,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees were blown down on wires." +113262,677701,NEW YORK,2017,February,Thunderstorm Wind,"FULTON",2017-02-25 15:47:00,EST-5,2017-02-25 15:47:00,0,0,0,0,,NaN,,NaN,43.03,-74.46,43.03,-74.46,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Fifteen trees were uprooted." +113262,677702,NEW YORK,2017,February,Thunderstorm Wind,"FULTON",2017-02-25 15:48:00,EST-5,2017-02-25 15:48:00,0,0,0,0,,NaN,,NaN,43.07,-74.37,43.07,-74.37,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees were blown down on wires." +113312,678949,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 07:58:00,CST-6,2017-02-14 08:44:00,0,0,0,0,0.00K,0,0.00K,0,28.0949,-97.0604,28.0837,-97.0467,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Rockport-Aransas County Airport ASOS measured a gust to 43 knots." +113450,679167,TENNESSEE,2017,February,Hail,"MONTGOMERY",2017-02-07 21:11:00,CST-6,2017-02-07 21:11:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-87.38,36.45,-87.38,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","Nickel size hail was reported in Round Pond." +113450,679166,TENNESSEE,2017,February,Hail,"STEWART",2017-02-07 21:00:00,CST-6,2017-02-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-87.68,36.5,-87.68,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","Hail between nickel and quarter size was reported in Indian Mound." +113450,679160,TENNESSEE,2017,February,Thunderstorm Wind,"DAVIDSON",2017-02-07 09:54:00,CST-6,2017-02-07 09:54:00,0,0,0,0,1.00K,1000,0.00K,0,36.0915,-86.9877,36.0915,-86.9877,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","A tree was reported blown down at Newsom Station Road and Highway 70." +113450,679161,TENNESSEE,2017,February,Thunderstorm Wind,"WILLIAMSON",2017-02-07 10:08:00,CST-6,2017-02-07 10:08:00,0,0,0,0,1.00K,1000,0.00K,0,35.92,-86.9,35.92,-86.9,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","A tree was blown down in Franklin." +113450,679162,TENNESSEE,2017,February,Thunderstorm Wind,"DAVIDSON",2017-02-07 10:16:00,CST-6,2017-02-07 10:16:00,0,0,0,0,1.00K,1000,0.00K,0,36.1179,-86.7214,36.1179,-86.7214,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","A tree was blown down on Old Glenrose Avenue between I-24 and Briley Parkway." +113025,675600,IOWA,2017,February,Blizzard,"HAMILTON",2017-02-24 01:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675601,IOWA,2017,February,Blizzard,"FRANKLIN",2017-02-24 01:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113067,676165,MINNESOTA,2017,February,Winter Storm,"MOWER",2017-02-23 17:00:00,CST-6,2017-02-24 20:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","COOP and volunteer snow observers reported 7 to 9 inches of snow across Mower County. The highest reported total was 9.5 in Grand Meadow. In addition, wind gusts of 30 to 40 mph created drifting snow and caused dangerous travel conditions." +113067,676157,MINNESOTA,2017,February,Winter Storm,"FILLMORE",2017-02-23 18:00:00,CST-6,2017-02-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","COOP and volunteer snow observers reported 3 to 8 inches of snow across Fillmore County. The highest reported total was 8.1 inches near the town of Fillmore. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113282,679649,KENTUCKY,2017,February,Strong Wind,"CHRISTIAN",2017-02-28 22:00:00,CST-6,2017-02-28 23:45:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Isolated severe thunderstorms developed across western Kentucky during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The supercell storms awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A couple of tornadoes were produced in southwest Kentucky, along with a few reports of hail and damaging wind. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of gusts from 40 to 50 mph, and an isolated gradient wind gust to 65 mph was measured on a hill near Calvert City in Marshall County.","" +113236,677517,MISSOURI,2017,February,Funnel Cloud,"BOLLINGER",2017-02-28 21:48:00,CST-6,2017-02-28 21:48:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-89.98,37.36,-89.98,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","A funnel cloud was reported by emergency management near Highways JJ and M." +113236,677518,MISSOURI,2017,February,Hail,"CAPE GIRARDEAU",2017-02-28 22:05:00,CST-6,2017-02-28 22:05:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-89.65,37.5,-89.65,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","" +113236,677520,MISSOURI,2017,February,Thunderstorm Wind,"WAYNE",2017-02-28 20:38:00,CST-6,2017-02-28 20:38:00,0,0,0,0,15.00K,15000,0.00K,0,37.17,-90.72,37.17,-90.72,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","A storage shed at a lumber yard was heavily damaged. Several trees and power lines were down. Scattered power outages occurred." +114059,683040,VERMONT,2017,April,Winter Storm,"CALEDONIA",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 5 to 10 inches of a heavy, wet snow fell across the region, some specific totals include; 10 inches in Peacham, 9 inches in Sutton, Groton and Sheffield, 8 inches in St. Johnsbury with 7 inches in Lyndonville, Walden and Danville." +114059,683041,VERMONT,2017,April,Winter Storm,"WASHINGTON",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 6 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 13 inches in Fayston, 11 inches in Waitsfield, 9 inches in Worcester, 8 inches in Middlesex, 7 inches in Cabot, Berlin with 6 inches in Waterbury and Montpelier." +114059,683042,VERMONT,2017,April,Winter Storm,"ORANGE",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 6 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 12 inches in Braintree and East Randolph, 10 inches in Tunbridge and Strafford, 8 inches in Vershire, 7 inches in West Fairlee and 6 inches in Williamstown." +115234,697404,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:11:00,CST-6,2017-05-15 19:11:00,0,0,0,0,0.50K,500,0.00K,0,42.81,-90.65,42.81,-90.65,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","Debris was blown across a highway southeast of Lancaster." +115234,697405,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:20:00,CST-6,2017-05-15 19:20:00,0,0,0,0,50.00K,50000,0.00K,0,42.6,-90.43,42.6,-90.43,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","A wind gust of 68 mph occurred in Cuba City. The roof of a private school was blown off by the winds." +115234,697406,WISCONSIN,2017,May,Hail,"GRANT",2017-05-15 19:23:00,CST-6,2017-05-15 19:23:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-90.43,42.97,-90.43,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","" +115234,697407,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:23:00,CST-6,2017-05-15 19:23:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-90.43,42.97,-90.43,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","An estimated 60 mph wind gust occurred in Montfort." +115234,697428,WISCONSIN,2017,May,Hail,"BUFFALO",2017-05-15 20:45:00,CST-6,2017-05-15 20:45:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-91.7,44.12,-91.7,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","" +113747,680960,ARKANSAS,2017,February,Thunderstorm Wind,"BAXTER",2017-02-07 00:50:00,CST-6,2017-02-07 00:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.28,-92.49,36.28,-92.49,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","A dumpster was rolled through a wooden privacy fence in Gassville." +113747,680963,ARKANSAS,2017,February,Hail,"BAXTER",2017-02-07 00:51:00,CST-6,2017-02-07 00:51:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-92.29,36.34,-92.29,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","" +113747,680969,ARKANSAS,2017,February,Hail,"NEWTON",2017-02-07 01:09:00,CST-6,2017-02-07 01:09:00,0,0,0,0,0.00K,0,0.00K,0,36.0069,-93.1878,36.0069,-93.1878,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","Quarter size hail was reported in Jasper." +113747,680971,ARKANSAS,2017,February,Hail,"PULASKI",2017-02-07 03:52:00,CST-6,2017-02-07 03:52:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-92.51,34.78,-92.51,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","" +113747,680974,ARKANSAS,2017,February,Thunderstorm Wind,"SALINE",2017-02-07 04:00:00,CST-6,2017-02-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-92.69,34.72,-92.69,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","Large trees and power lines were reported down by the 911 call center." +113747,680976,ARKANSAS,2017,February,Thunderstorm Wind,"PULASKI",2017-02-07 05:20:00,CST-6,2017-02-07 05:20:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-92.17,34.92,-92.17,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","Trees were downed on Old Jacksonville Highway and Maddox Road." +113747,680984,ARKANSAS,2017,February,Hail,"LONOKE",2017-02-07 05:25:00,CST-6,2017-02-07 05:25:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-92.02,34.97,-92.02,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","" +113747,680986,ARKANSAS,2017,February,Heavy Rain,"PULASKI",2017-02-07 05:58:00,CST-6,2017-02-07 05:58:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-92.15,34.92,-92.15,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","In the last 6 hours, 2.45 inches of rain was measured. There was also a 51 mph gust measured at 520 am CST." +113747,680982,ARKANSAS,2017,February,Flash Flood,"PULASKI",2017-02-07 05:25:00,CST-6,2017-02-07 07:25:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-92.24,34.8895,-92.244,"Severe thunderstorms on Feb. 7, 2017 brought damaging winds, large hail and heavy rains to parts of central and north Arkansas.","Street flooding occurred. Almost 3 inches of rain was measured." +113697,681813,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-16 20:10:00,EST-5,2017-04-16 21:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.1028,-84.6577,39.1035,-84.6575,"Thunderstorms with very heavy rain developed ahead of a cold front.","Bender Road was closed due to a landslide." +113818,682571,INDIANA,2017,February,Hail,"ALLEN",2017-02-28 18:34:00,EST-5,2017-02-28 18:35:00,0,0,0,0,0.00K,0,0.00K,0,41,-85.28,41,-85.28,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682573,INDIANA,2017,February,Hail,"DE KALB",2017-02-28 18:37:00,EST-5,2017-02-28 18:38:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-85.13,41.51,-85.13,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682574,INDIANA,2017,February,Hail,"STEUBEN",2017-02-28 18:40:00,EST-5,2017-02-28 18:41:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-85.09,41.53,-85.09,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682575,INDIANA,2017,February,Hail,"STEUBEN",2017-02-28 18:48:00,EST-5,2017-02-28 18:49:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-85.01,41.57,-85.01,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682576,INDIANA,2017,February,Hail,"ALLEN",2017-02-28 18:50:00,EST-5,2017-02-28 18:51:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-85,41.04,-85,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +112929,674685,NORTH DAKOTA,2017,January,Heavy Snow,"OLIVER",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Center received 10 inches of snow." +112929,674686,NORTH DAKOTA,2017,January,Heavy Snow,"FOSTER",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Carrington received nine inches of snow." +112929,674687,NORTH DAKOTA,2017,January,Heavy Snow,"STARK",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Gladstone received 8.5 inches of snow." +112929,674688,NORTH DAKOTA,2017,January,Heavy Snow,"WELLS",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Harvey received eight inches of snow." +112929,674690,NORTH DAKOTA,2017,January,Heavy Snow,"HETTINGER",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","New England received seven inches of snow." +113899,691072,MISSOURI,2017,April,Thunderstorm Wind,"TANEY",2017-04-26 00:55:00,CST-6,2017-04-26 00:55:00,0,0,0,0,5.00K,5000,0.00K,0,36.64,-93.22,36.64,-93.22,"Severe storms hit the Missouri Ozarks.","There were multiple power lines and trees blown down in the Branson area. Some trees blocked roadways." +113899,691073,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:29:00,CST-6,2017-04-26 00:29:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-93.76,36.55,-93.76,"Severe storms hit the Missouri Ozarks.","Numerous trees were blown down in the Eagle Rock area." +113899,691074,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:38:00,CST-6,2017-04-26 00:38:00,0,0,0,0,10.00K,10000,0.00K,0,36.64,-93.63,36.64,-93.63,"Severe storms hit the Missouri Ozarks.","A tree was blown down on to a house. There were no injuries." +113899,691075,MISSOURI,2017,April,Hail,"OZARK",2017-04-26 08:20:00,CST-6,2017-04-26 08:20:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-92.34,36.53,-92.34,"Severe storms hit the Missouri Ozarks.","A trained spotter reported quarter size hail and estimated wind gusts up to 65 mph." +113899,691076,MISSOURI,2017,April,Hail,"HOWELL",2017-04-26 08:58:00,CST-6,2017-04-26 08:58:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-91.85,36.73,-91.85,"Severe storms hit the Missouri Ozarks.","" +113899,691077,MISSOURI,2017,April,Hail,"HOWELL",2017-04-26 08:56:00,CST-6,2017-04-26 08:56:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-92.03,36.7,-92.03,"Severe storms hit the Missouri Ozarks.","" +113899,691078,MISSOURI,2017,April,Thunderstorm Wind,"HOWELL",2017-04-26 09:00:00,CST-6,2017-04-26 09:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.73,-91.85,36.73,-91.85,"Severe storms hit the Missouri Ozarks.","Several power poles were blown over in the West Plains area." +113899,691079,MISSOURI,2017,April,Thunderstorm Wind,"HOWELL",2017-04-26 09:05:00,CST-6,2017-04-26 09:05:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-91.8,36.71,-91.8,"Severe storms hit the Missouri Ozarks.","A tree was blown down across State Highway ZZ." +113899,691081,MISSOURI,2017,April,Thunderstorm Wind,"HOWELL",2017-04-26 09:05:00,CST-6,2017-04-26 09:05:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-91.79,36.86,-91.79,"Severe storms hit the Missouri Ozarks.","Several trees were blown down on Highway 17 about six miles north of Highway 160." +113899,691082,MISSOURI,2017,April,Thunderstorm Wind,"OZARK",2017-04-26 08:20:00,CST-6,2017-04-26 08:20:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-92.32,36.53,-92.32,"Severe storms hit the Missouri Ozarks.","A tree was blown down across County Road 541." +113899,691083,MISSOURI,2017,April,Flood,"NEWTON",2017-04-26 10:30:00,CST-6,2017-04-26 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-94.15,37.0498,-94.1508,"Severe storms hit the Missouri Ozarks.","A flood prone location flooded at Newton Road and Terrier Road." +113899,691084,MISSOURI,2017,April,Thunderstorm Wind,"STONE",2017-04-26 00:50:00,CST-6,2017-04-26 00:50:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-93.57,36.91,-93.57,"Severe storms hit the Missouri Ozarks.","Several trees were blown down across northeastern portions of Stone County." +113899,691085,MISSOURI,2017,April,Thunderstorm Wind,"STONE",2017-04-26 00:50:00,CST-6,2017-04-26 00:50:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-93.42,36.63,-93.42,"Severe storms hit the Missouri Ozarks.","Several trees were blown down across the southern portions of Stone County." +113106,676466,SOUTH DAKOTA,2017,January,High Wind,"ROBERTS",2017-01-30 12:20:00,CST-6,2017-01-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area in southern Canada and a high pressure area over the inter-mountain region brought high winds to parts of northern South Dakota for a short period of time. Northwest winds of 30 to 40 mph with gusts up to 60 mph occurred.","" +113049,675835,SOUTH DAKOTA,2017,January,Extreme Cold/Wind Chill,"DEWEY",2017-01-01 18:00:00,CST-6,2017-01-02 21:00:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A couple became stranded northeast of Eagle Butte on Jan 1st in snow and low visibility when their vehicle went into the ditch. It was very cold when the couple decided to walk to safety with both of them freezing to death. A command center was set up with a large search and rescue operation occurring. Multiple search parties along with a helicopter were dispatched. The woman was located within 48 hours while the man was not located until nearly a month later.","" +112896,674503,LOUISIANA,2017,January,Tornado,"BEAUREGARD",2017-01-02 10:06:00,CST-6,2017-01-02 10:07:00,0,0,0,0,25.00K,25000,0.00K,0,30.5732,-93.5343,30.5725,-93.5294,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down at the Mystic Baptist Church. Part of the|metal roof was peeled off and several trees were snapped. The peak winds were estimated at 90 MPH." +112896,674510,LOUISIANA,2017,January,Tornado,"BEAUREGARD",2017-01-02 10:17:00,CST-6,2017-01-02 10:18:00,0,0,0,0,50.00K,50000,0.00K,0,30.5618,-93.4362,30.5638,-93.4161,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down along Highway 27 north of Oretta, blowing|down several trees. It moved across a wooded field and snapped|several trees along Foster Tee and North Foster Road. Some of the|trees landed on homes and caused damage. A barn/garage had part of|its metal roof ripped off. The estimated peak wind was 105 MPH." +112896,674504,LOUISIANA,2017,January,Tornado,"BEAUREGARD",2017-01-02 10:30:00,CST-6,2017-01-02 10:34:00,0,0,0,0,150.00K,150000,0.00K,0,30.4543,-93.2502,30.461,-93.2049,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down south of Ragley, damaging near two dozen homes.|Most of the damage was to roofing material, although some homes|had trees land on them. Several garages and outbuildings were|also damaged or destroyed. Along US Highway 171, several power|poles were blown down with debris on the highway. The peak winds were estimated at 110 MPH." +112896,674514,LOUISIANA,2017,January,Thunderstorm Wind,"ALLEN",2017-01-02 10:44:00,CST-6,2017-01-02 10:44:00,0,0,0,0,20.00K,20000,0.00K,0,30.52,-93.04,30.52,-93.04,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","Numerous trees were downed and a building was damaged in Reeves." +113142,676665,OREGON,2017,January,Heavy Snow,"NORTH CENTRAL OREGON",2017-01-10 04:00:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 7 inches at Dufur, in Wasco county." +114228,684256,HAWAII,2017,April,High Surf,"KAUAI LEEWARD",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +113142,676670,OREGON,2017,January,Heavy Snow,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-01-10 11:31:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 7.3 inches, 2 northwest of Pendleton in Umatilla county." +113142,676671,OREGON,2017,January,Heavy Snow,"LOWER COLUMBIA BASIN",2017-01-10 11:11:00,PST-8,2017-01-11 09:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 4.5 inches at Echo, in Umatilla county. Elevation 640 feet." +113143,676673,WASHINGTON,2017,January,Heavy Snow,"EASTERN COLUMBIA RIVER GORGE",2017-01-10 10:00:00,PST-8,2017-01-11 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moving across southern Oregon produced heavy snow across portions of central and northeast Oregon. Also heavy snow fell over portions of the Columbia River Gorge in both Oregon and Washington.","Measured snow fall of 11 inches at White Salmon, in Klickitat county. Elevation of 813 feet." +114228,684257,HAWAII,2017,April,High Surf,"OAHU SOUTH SHORE",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684258,HAWAII,2017,April,High Surf,"MOLOKAI WINDWARD",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684259,HAWAII,2017,April,High Surf,"MOLOKAI LEEWARD",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684260,HAWAII,2017,April,High Surf,"LANAI MAKAI",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684261,HAWAII,2017,April,High Surf,"KAHOOLAWE",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114510,686716,TEXAS,2017,April,Hail,"WEBB",2017-04-11 18:33:00,CST-6,2017-04-11 18:35:00,0,0,0,0,50.00K,50000,0.00K,0,27.4886,-99.3071,27.4886,-99.3071,"On the afternoon of April 11th, a slow moving cold front pushed into south central Texas. As daytime heating occurred, scattered thunderstorms developed along the boundary from the Texas Hill Country to south central Texas. Some of these storms brought much cooler air to the surface, and allowed the frontal boundary to move southeast into South Texas. ||The leading edge of the thunderstorms reached northern La Salle County during the early afternoon hours as daytime heating created strong instability and eliminated the cap on the atmosphere. Severe storms tracked slowly south through the Brush Country into the early evening hours. The storms produced large hail ranging in size from quarters to tennis balls. Locally heavy rainfall produced flash flooding in Laredo also.","Video submitted of tennis ball sized hail near Laredo Rachettes. Large tree limbs were broken also." +114510,686721,TEXAS,2017,April,Flash Flood,"WEBB",2017-04-11 19:10:00,CST-6,2017-04-11 19:29:00,0,0,0,0,100.00K,100000,0.00K,0,27.59,-99.5,27.5869,-99.5217,"On the afternoon of April 11th, a slow moving cold front pushed into south central Texas. As daytime heating occurred, scattered thunderstorms developed along the boundary from the Texas Hill Country to south central Texas. Some of these storms brought much cooler air to the surface, and allowed the frontal boundary to move southeast into South Texas. ||The leading edge of the thunderstorms reached northern La Salle County during the early afternoon hours as daytime heating created strong instability and eliminated the cap on the atmosphere. Severe storms tracked slowly south through the Brush Country into the early evening hours. The storms produced large hail ranging in size from quarters to tennis balls. Locally heavy rainfall produced flash flooding in Laredo also.","Intersections at Shiloh Drive and San Dario Avenue, at Mines Road and Las Cruces Drive, and Atlanta and Racho Viejo Drives were under water with cars stranded." +115567,693950,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-04-11 15:06:00,CST-6,2017-04-11 15:42:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4126,-96.4325,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Port O'Connor TCOON site measured a gust to 47 knots." +115567,693953,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-04-11 16:35:00,CST-6,2017-04-11 17:35:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Brazos Platform AWOS measured a gust to 41 knots." +112346,669806,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-01-07 13:53:00,EST-5,2017-01-07 13:53:00,0,0,0,0,0.00K,0,0.00K,0,25.71,-80.21,25.71,-80.21,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 42 MPH / 37 knots was measured by the WxFlow site XDIN in Biscayne Bay." +113160,676892,NEW YORK,2017,January,Strong Wind,"NORTHERN NASSAU",2017-01-23 08:00:00,EST-5,2017-01-24 03:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure passed south and east of Long Island.","In New Hyde Park at 340 pm, a trained spotter reported a wind gust up to 51 mph. This occurred on the 23rd. Earlier in the day, a 50 mph wind gust was measured at a mesonet station near Glen Cove at 918 am. A trained spotter reported a tree down on a house in North Merrick at 2 am on the 24th. At 249 pm, a trained spotter reported a tree down on a property on Viola Drive in Glen Cove. In New Hyde Park at 9 pm on the 23rd, a Parkway Sign was knocked down by exit 25 on the Northern State Parkway by a trained spotter." +112730,675542,NEW JERSEY,2017,March,High Wind,"MORRIS",2017-03-02 09:46:00,EST-5,2017-03-02 09:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","Power lines downed in Mt.Lakes area that closed route 46." +113161,676981,WASHINGTON,2017,January,Winter Storm,"EAST SLOPES NORTHERN CASCADES",2017-01-17 07:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Seven inches of snow mixed with sleet was reported in Leavenworth." +113161,676983,WASHINGTON,2017,January,Winter Storm,"EAST SLOPES NORTHERN CASCADES",2017-01-17 17:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a tenth of an inch of ice accumulation followed by two inches of snow accumulation on top of the ice near Tum Tum." +113161,676985,WASHINGTON,2017,January,Ice Storm,"UPPER COLUMBIA BASIN",2017-01-17 09:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An estimated two tenths of an inch of ice accumulation was noted at Hartline." +113097,677137,NORTH CAROLINA,2017,January,Winter Weather,"CUMBERLAND",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged less than a 0.50 of an inch. There was also a 0.10 of an inch of ice from freezing rain." +113097,677129,NORTH CAROLINA,2017,January,Winter Weather,"LEE",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged around 1.0 inch across the county. There was also 0.10 of an inch of ice from freezing rain." +113097,677141,NORTH CAROLINA,2017,January,Winter Weather,"WAYNE",2017-01-07 05:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to 2.0 inches across the north. There was also a trace of ice from freezing rain." +114988,689947,MAINE,2017,April,Heavy Snow,"COASTAL YORK",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +121297,726129,VERMONT,2017,December,Winter Storm,"ORANGE",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A widespread 5 to 9 inches of snow fell." +121297,726130,VERMONT,2017,December,Winter Storm,"WESTERN RUTLAND",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A widespread 5 to 9 inches of snow fell." +121297,726131,VERMONT,2017,December,Winter Storm,"WINDSOR",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A widespread 5 to 9 inches of snow fell." +121297,726132,VERMONT,2017,December,Winter Weather,"CALEDONIA",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726133,VERMONT,2017,December,Winter Weather,"EASTERN ADDISON",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726135,VERMONT,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726138,VERMONT,2017,December,Winter Weather,"GRAND ISLE",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726139,VERMONT,2017,December,Winter Weather,"LAMOILLE",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726141,VERMONT,2017,December,Winter Weather,"WASHINGTON",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726147,VERMONT,2017,December,Winter Weather,"ORLEANS",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121298,726148,NEW YORK,2017,December,Winter Storm,"SOUTHWESTERN ST. LAWRENCE",2017-12-25 01:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A widespread 5 to 9 inches of snow fell." +121298,726149,NEW YORK,2017,December,Winter Weather,"EASTERN CLINTON",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726150,NEW YORK,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726151,NEW YORK,2017,December,Winter Weather,"NORTHERN FRANKLIN",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726152,NEW YORK,2017,December,Winter Weather,"NORTHERN ST. LAWRENCE",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726153,NEW YORK,2017,December,Winter Weather,"SOUTHEASTERN ST. LAWRENCE",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726154,NEW YORK,2017,December,Winter Weather,"SOUTHERN FRANKLIN",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121298,726155,NEW YORK,2017,December,Winter Weather,"WESTERN CLINTON",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121445,727002,ALASKA,2017,December,High Wind,"CENTRAL ALEUTIANS",2017-12-18 00:48:00,AKST-9,2017-12-19 00:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved northeastward through the western Bering Sea, bringing a strong front across the Aleutians and onto the mainland. Southwest flow and overrunning created a heavy snow event for the northern Susitna Valley.","Atka Island reported gusts to 75 mph." +121445,727003,ALASKA,2017,December,Heavy Snow,"SUSITNA VALLEY",2017-12-19 00:00:00,AKST-9,2017-12-19 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 944 mb low moved northeastward through the western Bering Sea, bringing a strong front across the Aleutians and onto the mainland. Southwest flow and overrunning created a heavy snow event for the northern Susitna Valley.","The observer at Chulitna River observed 9 inches of snowfall." +121447,727007,ALASKA,2017,December,High Wind,"BRISTOL BAY",2017-12-21 17:46:00,AKST-9,2017-12-22 10:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northward from the Gulf of Alaska to cross the Alaska Peninsula. It intensified to 976 mb as it did so, enhancing gap winds through the ranges. This caused high winds in southwest Alaska and the north side of the Alaska Peninsula.","Port Heiden airport observed a gust to 84 mph." +115464,693378,FLORIDA,2017,April,Rip Current,"VOLUSIA",2017-04-15 13:30:00,EST-5,2017-04-15 14:30:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Choppy surf and strong rip currents affected two children, resulting in one injury and a fatality.","An 8-year-old boy was caught in a strong rip current and pulled seaward at New Smyrna Beach. His 11-year-old sister attempted to rescue him and was also caught in the rip current. A bystander rescue the girl and returned her to shore, where she was transported to a hospital to treat her injuries. The body of the boy was recovered about a mile away on April 20. The fatality was a result of drowning." +113055,677672,CALIFORNIA,2017,January,Heavy Snow,"RIVERSIDE COUNTY MOUNTAINS",2017-01-18 20:00:00,PST-8,2017-01-19 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Rangers at the Long Valley Ranger Station reported 12 inches of new snow at 8,400 ft over a 13 hour period." +113055,677688,CALIFORNIA,2017,January,Heavy Snow,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-20 02:30:00,PST-8,2017-01-21 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Very heavy snows were reported by San Bernardino County Public Works over a 24 hour period. Chain restrictions were widespread above 4,000 ft. Snow amounts ranged from a trace to 1 ft between 4,000 and 5,500 ft, while locations above 5,500 ft reported 1 to 2.5 ft of new snow. Some local totals included 31 inches in Green Valley Lake, 27 inches at Mt. Baldy, 20-27 inches in Big Bear Lake, 26 inches in Running Springs and Arrowbear Lake, 16 inches in Barton Flats, 15 inches in Angelus Oaks, and 11 inches in Wrightwood." +113213,677359,TENNESSEE,2017,January,Winter Weather,"OVERTON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports indicated 0.75 to 1.1 inch of snow fell in Overton county with highest amount measured 2 miles north-northwest of Livingston." +115433,693118,NORTH CAROLINA,2017,April,Thunderstorm Wind,"STANLY",2017-04-06 04:00:00,EST-5,2017-04-06 04:15:00,0,0,0,0,0.00K,0,10.00K,10000,35.21,-80.43,35.4,-80.11,"On the early morning of April 6th, showers and thunderstorms moved into Central NC from the southwest. A few of the storms became severe as a result of strong dynamic forcing and steep lapse rates combined with the high surface dew points. The severe storms produced quarter size hail and a long swath of damaging winds.","Numerous trees were blown down along a swath from Stanfield to Badin, several of which were blocking roads." +115868,696385,NORTH CAROLINA,2017,April,Flash Flood,"WAKE",2017-04-25 07:55:00,EST-5,2017-04-25 08:55:00,0,0,0,0,2.00K,2000,0.00K,0,35.6477,-78.7429,35.6422,-78.7462,"A Flash Flood Watch was issued in advance of an abnormally deep upper level low moving over Central North Carolina. The trough became negatively tilted, pulling deep, moist air from the southwest into the region. The moist southwesterly flow overrunning a cold pool at the surface produced a prolonged period of moderate to heavy rain, which resulted in widespread areal flooding across the region. However, only isolated Flash Flooding occurred.","Flash flooding resulted in a water rescue at the intersection of Johnson Pond Road and Bells Lake Road." +115868,696386,NORTH CAROLINA,2017,April,Flash Flood,"WAKE",2017-04-25 09:35:00,EST-5,2017-04-25 09:55:00,0,0,0,0,2.00K,2000,0.00K,0,35.7294,-78.8247,35.7155,-78.8461,"A Flash Flood Watch was issued in advance of an abnormally deep upper level low moving over Central North Carolina. The trough became negatively tilted, pulling deep, moist air from the southwest into the region. The moist southwesterly flow overrunning a cold pool at the surface produced a prolonged period of moderate to heavy rain, which resulted in widespread areal flooding across the region. However, only isolated Flash Flooding occurred.","Flash flooding resulted in a water rescue near the intersection of Ten-Ten Road and US-1." +113237,677889,ALASKA,2017,January,Blizzard,"NORTHERN ARCTIC COAST",2017-01-04 00:00:00,AKST-9,2017-01-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure over northwest Alaska coupled with low pressure over the Arctic created strong winds over the north slope of alaska on January 4th through the early morning hours of the 5th.||Zone 201: Blizzard conditions were observed at the Wainwright ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 48 kt (55 mph) at the Wainwright ASOS.||Zone 202: Blizzard conditions were observed at the Barrow ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 46 kt (53 mph) at the Barrow ASOS.||zone 204: Blizzard conditions likely at Point Thompson AWOS. Observations were disrupted.","" +113237,677522,ALASKA,2017,January,Blizzard,"WESTERN ARCTIC COAST",2017-01-04 04:33:00,AKST-9,2017-01-05 03:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure over northwest Alaska coupled with low pressure over the Arctic created strong winds over the north slope of alaska on January 4th through the early morning hours of the 5th.||Zone 201: Blizzard conditions were observed at the Wainwright ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 48 kt (55 mph) at the Wainwright ASOS.||Zone 202: Blizzard conditions were observed at the Barrow ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 46 kt (53 mph) at the Barrow ASOS.||zone 204: Blizzard conditions likely at Point Thompson AWOS. Observations were disrupted.","" +117364,705833,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:48:00,EST-5,2017-06-23 13:48:00,0,0,0,0,1.00K,1000,0.00K,0,42.8077,-70.8643,42.8077,-70.8643,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","AT 148 PM EST, a tree was down on wires on Lime Street in Newburyport." +113288,677911,WEST VIRGINIA,2017,January,Winter Weather,"WESTERN TUCKER",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +117373,705871,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 14:56:00,EST-5,2017-06-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-71.99,42.24,-71.99,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 256 PM EST, an amateur radio operator reported nickel-size hail at Spencer." +115700,695246,LOUISIANA,2017,April,Hail,"JEFFERSON DAVIS",2017-04-30 01:00:00,CST-6,2017-04-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-92.66,30.22,-92.66,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +115700,695247,LOUISIANA,2017,April,Hail,"JEFFERSON DAVIS",2017-04-30 01:14:00,CST-6,2017-04-30 01:14:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-92.69,30.31,-92.69,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","" +115700,695249,LOUISIANA,2017,April,Thunderstorm Wind,"ACADIA",2017-04-30 11:23:00,CST-6,2017-04-30 11:23:00,0,0,0,0,5.00K,5000,0.00K,0,30.4,-92.21,30.4,-92.21,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Images on social media indicated damage to the Church Point High School baseball stadium. Damage included damage to a fence, field lights, aluminum roofing, and some nearby tree limbs." +112225,673921,KANSAS,2017,January,Ice Storm,"ROOKS",2017-01-15 00:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673938,NEBRASKA,2017,January,Ice Storm,"MERRICK",2017-01-15 11:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673939,NEBRASKA,2017,January,Ice Storm,"POLK",2017-01-15 11:00:00,CST-6,2017-01-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673944,NEBRASKA,2017,January,Winter Storm,"DAWSON",2017-01-15 12:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673946,NEBRASKA,2017,January,Winter Storm,"SHERMAN",2017-01-15 14:00:00,CST-6,2017-01-16 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673940,NEBRASKA,2017,January,Ice Storm,"NANCE",2017-01-15 15:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673947,NEBRASKA,2017,January,Winter Storm,"HOWARD",2017-01-15 14:00:00,CST-6,2017-01-16 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673948,NEBRASKA,2017,January,Winter Storm,"VALLEY",2017-01-15 17:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +112224,673949,NEBRASKA,2017,January,Winter Storm,"GREELEY",2017-01-15 17:00:00,CST-6,2017-01-16 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. This was the most significant ice storm, for south central Nebraska, since December 2006. The amounts and impacts were not as significant as that event, but this event covered a much larger area. Ice amounts within the Ice Storm Warning area were generally 0.25-0.5, with locally higher amounts. Amounts within the Winter Storm Warning were generally 0.10-0.25. If any higher amounts occurred, they were the exception. It all began just before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening, across all of south central Nebraska. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, reached the state line with Kansas by 4 AM CST Monday. This east-west oriented band lifted north, affecting nearly all of south central Nebraska through midday. As the morning progressed, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||Portions of Interstate 80 were closed due to semi-truck accidents during the morning hours of the Sunday. There were probably many more accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. The regional airports in Grand Island and Kearney were both closed. Melted precipitation amounts were significant, with most of the region receiving at least 0.50, with an embedded area of 0.75 to more than 1.25. The highest amount was 1.30 at Clay Center. Grand Island and Hastings both set daily precipitation records for Monday.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +113075,676294,LOUISIANA,2017,January,Hail,"CATAHOULA",2017-01-21 19:21:00,CST-6,2017-01-21 19:47:00,0,0,0,0,40.00K,40000,0.00K,0,31.5633,-91.9857,31.6272,-91.8201,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Large hail and damaging winds occurred in Louisiana during the evening.","A swath of large hail fell across Catahoula Parish. Half dollar size hail fell near Archie. 1.75 to 3.5 inch hail fell around Jonesville, with the largest occurring just off Highway 84." +113075,676499,LOUISIANA,2017,January,Tornado,"MOREHOUSE",2017-01-21 21:04:00,CST-6,2017-01-21 21:23:00,0,0,0,0,145.00K,145000,0.00K,0,32.8212,-91.7873,32.8882,-91.657,"A couple of rounds of severe weather affected the ArkLaMiss region early in the morning of the 21st, and again during the evening hours of the 21st. Large hail and damaging winds occurred in Louisiana during the evening.","This tornado touched down along Highway 165 where a few power poles were snapped and some trees were snapped just east of the highway. The tornado continued northeast along Highway 165, bending power poles on a tree line before crossing Son Olive Road. Mt. Olive Missionary Baptist Church sustained roof damage,|as did a home just west of there. Some of the roof was blown off the church, with tin visible in the field just northeast of the road. A TV antenna was bent at a home just west of there. The tornado continued northeast before crossing Bailey Store Road,|where tree damage occurred. It then took more of an east-northeast path before crossing Honeysuckle Lane and Bonne Idee Road. Here the tornado caused roof damage to a home and uprooted and snapped multiple trees, with tin and debris scattered along in the field just to the east. The tornado then crossed Highway|599 where an antenna was collapsed, many large hardwood trees were snapped and uprooted and all were blown to the northeast. A shed building roof was also collapsed at this location. The tornado was at its widest, around 300 yards wide, near this location. It continued east-northeast before hitting a house near the intersection|of Highway 599 and Homer McDaniel Road. Here roof damage occurred, tin was blown around, a large metal and PVC tank were blown over. A few large cypress hardwood trees were snapped and blown across the road. It then crossed Homer McDaniel Road where a tree was snapped then crossed near Horace Hill Road where a power pole was broken near the base. The tornado continued east-northeast briefly in the field before lifting. The maximum estimated winds were 105 mph." +113022,675575,MISSISSIPPI,2017,January,Tornado,"JEFFERSON",2017-01-02 13:02:00,CST-6,2017-01-02 13:05:00,0,0,0,0,50.00K,50000,0.00K,0,31.6671,-90.9352,31.6998,-90.8813,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down along Perth Road and tracked northeast across Highway 28 in central Jefferson County. Damage was only to trees with many limbs broken and a couple dozen snapped or uprooted trees. After crossing Highway 28, the tornado mainly tracked just to the south of Old 20 Road for a couple of miles before dissipating. Maximum estimated winds were 85 mph." +113453,679176,ALASKA,2017,January,Blizzard,"LOWER KOBUK & NOATAK VALLEYS",2017-01-30 10:25:00,AKST-9,2017-01-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system brought strong southerly winds and snow creating blizzard conditions for the upslope areas of kobuk and noatak valleys and the bering strait.||Zone 207: low visibility and blowing snow reported at the Kivalina ASOS. Peak wind of 56 mph (49 kt).||Zone 208: low visibility and blowing snow reported at the red dog mine SAWRS. Peak wind of 36 mph (32 kt).||Zone 211: low visibility and blowing snow reported at the Nome ASOS. Peak wind of 46 mph (40 kt).||zone 213: blizzard conditions at Wales. Gust of 62 kt (71 mph) reported at the Wales AWOS.","" +113453,679177,ALASKA,2017,January,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-01-30 04:00:00,AKST-9,2017-01-30 08:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system brought strong southerly winds and snow creating blizzard conditions for the upslope areas of kobuk and noatak valleys and the bering strait.||Zone 207: low visibility and blowing snow reported at the Kivalina ASOS. Peak wind of 56 mph (49 kt).||Zone 208: low visibility and blowing snow reported at the red dog mine SAWRS. Peak wind of 36 mph (32 kt).||Zone 211: low visibility and blowing snow reported at the Nome ASOS. Peak wind of 46 mph (40 kt).||zone 213: blizzard conditions at Wales. Gust of 62 kt (71 mph) reported at the Wales AWOS.","" +113453,679183,ALASKA,2017,January,Blizzard,"CHUKCHI SEA COAST",2017-01-30 06:27:00,AKST-9,2017-01-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system brought strong southerly winds and snow creating blizzard conditions for the upslope areas of kobuk and noatak valleys and the bering strait.||Zone 207: low visibility and blowing snow reported at the Kivalina ASOS. Peak wind of 56 mph (49 kt).||Zone 208: low visibility and blowing snow reported at the red dog mine SAWRS. Peak wind of 36 mph (32 kt).||Zone 211: low visibility and blowing snow reported at the Nome ASOS. Peak wind of 46 mph (40 kt).||zone 213: blizzard conditions at Wales. Gust of 62 kt (71 mph) reported at the Wales AWOS.","" +113453,679184,ALASKA,2017,January,Blizzard,"SRN SEWARD PENINSULA COAST",2017-01-30 01:00:00,AKST-9,2017-01-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system brought strong southerly winds and snow creating blizzard conditions for the upslope areas of kobuk and noatak valleys and the bering strait.||Zone 207: low visibility and blowing snow reported at the Kivalina ASOS. Peak wind of 56 mph (49 kt).||Zone 208: low visibility and blowing snow reported at the red dog mine SAWRS. Peak wind of 36 mph (32 kt).||Zone 211: low visibility and blowing snow reported at the Nome ASOS. Peak wind of 46 mph (40 kt).||zone 213: blizzard conditions at Wales. Gust of 62 kt (71 mph) reported at the Wales AWOS.","" +113571,679851,ALASKA,2017,January,High Wind,"NERN P.W. SND",2017-01-06 05:56:00,AKST-9,2017-01-06 21:16:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High pressure over the western mainland and a weak trough over the North Gulf Coast caused channeling through northerly passes, bringing strong gap winds to Prince William Sound.","Dispatcher reported widespread minor wind damage across Valdez. Multiple light poles have been blown over or damaged...multiple buildings with siding removed and several other structures across town damaged or destroyed. Hurricane force wind gusts have been observed since 17z." +113881,682020,ALABAMA,2017,February,Tornado,"MONTGOMERY",2017-02-07 13:42:00,CST-6,2017-02-07 13:43:00,0,0,0,0,0.00K,0,0.00K,0,32.2737,-86.053,32.2748,-86.05,"A deep upper level trough moved through the Tennessee Valley. The associated surface low pressure system moved northeastward from the Central Plains into the Great Lakes. The system had a strong low level jet, while the upper level jet remained displaced to the north and west. A large complex of storms developed and swept through Central Alabama during the day on Tuesday, February 7, 2017. A few stronger storms developed along a bowing line segment during the late morning and into the early afternoon hours.","National Weather Service meteorologists surveyed damage south of the Pike Road community in Montgomery County and determined that the damage was consistent with an EF0 tornado, with maximum sustained winds near 70 mph.||This tornado occurred on private property near Mockingbird Lane and adjacent to London Road, mainly on pasture lands. The tornado uprooted and snapped several hard and softwood trees that were consistently observed to be convergent. A small garden shed along the path was also heavily damaged." +121208,725638,NEW YORK,2017,October,Thunderstorm Wind,"MONROE",2017-10-15 16:06:00,EST-5,2017-10-15 16:06:00,0,0,0,0,15.00K,15000,0.00K,0,43.1,-77.44,43.1,-77.44,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Photos of a tree blown down onto a house and car were posted on social media." +121208,725640,NEW YORK,2017,October,Thunderstorm Wind,"WAYNE",2017-10-15 16:10:00,EST-5,2017-10-15 16:10:00,0,0,0,0,10.00K,10000,0.00K,0,43.21,-77.27,43.21,-77.27,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +112941,674774,COLORADO,2017,February,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-02-27 12:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and gusty winds, primarily across the Continental Divide. A couple of the higher snow amounts were 23 inches near the summit of Monarch Pass, and 33 inches of the white stuff near the summit of Wolf Creek Pass.","" +112941,674775,COLORADO,2017,February,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-02-27 12:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and gusty winds, primarily across the Continental Divide. A couple of the higher snow amounts were 23 inches near the summit of Monarch Pass, and 33 inches of the white stuff near the summit of Wolf Creek Pass.","" +112941,674776,COLORADO,2017,February,Winter Storm,"WESTERN CHAFFEE COUNTY BETWEEN 9000 & 11000 FT",2017-02-27 12:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and gusty winds, primarily across the Continental Divide. A couple of the higher snow amounts were 23 inches near the summit of Monarch Pass, and 33 inches of the white stuff near the summit of Wolf Creek Pass.","" +112941,674779,COLORADO,2017,February,Winter Storm,"LA GARITA MOUNTAINS ABOVE 10000 FT",2017-02-27 12:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and gusty winds, primarily across the Continental Divide. A couple of the higher snow amounts were 23 inches near the summit of Monarch Pass, and 33 inches of the white stuff near the summit of Wolf Creek Pass.","" +112941,674780,COLORADO,2017,February,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-02-27 12:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system generated heavy snow and gusty winds, primarily across the Continental Divide. A couple of the higher snow amounts were 23 inches near the summit of Monarch Pass, and 33 inches of the white stuff near the summit of Wolf Creek Pass.","" +115971,697006,NEW YORK,2017,April,Flood,"GENESEE",2017-04-20 21:00:00,EST-5,2017-04-20 23:00:00,0,0,0,0,30.00K,30000,0.00K,0,43.0016,-78.2694,42.9735,-78.2563,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +113960,682473,NEW YORK,2017,February,Lake-Effect Snow,"JEFFERSON",2017-02-02 14:00:00,EST-5,2017-02-04 03:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A single band of lake effect snow developed on a cold, westerly wind. This produced a period of heavy snow across southern Oswego County and the far northern end of Cayuga County from Fair Haven to Fulton. The band of snow then moved northward to the Tug Hill region during the evening of the 2nd and remained in place overnight, slowly intensifying as cold air deepened over Lake Ontario. During the day on February 3rd, the lake effect snow focused on the Tug Hill Plateau and remained in place through the day and evening. This phase of the event dropped the heaviest snow across the Tug Hill, with snowfall rates of around 3 inches per hour for much of the day, producing an additional 3 feet of accumulation in the most persistent bands. Heavy snow also fell in a narrow strip across the lower elevations close to the lake, from Pulaski to Mannsville along the interstate 81 corridor. Lake snows moved back south into southern Oswego and far northern Cayuga counties on the evening of the 3rd with additional heavy snow. Finally, on the 4th winds became more westerly again, carrying moderate to heavy lake effect snow back north across the Tug Hill Plateau with additional accumulations. The lake effect snow then weakened by late in the day on the 4th. Specific snowfall reports included: 54 inches at Redfield; 38 inches at Lacona: 32 inches at Osceola; 24 inches at Pulaski; 20 inches at Fulton and Constableville; 19 inches at Highmarket and Fairhaven; 17 inches at Bennetts Bridge; 15 inches at Minetto and Hooker; 12 inches at Palermo and Oswego; 11 inches at Sterling; and 10 inches at Croghan.","" +113962,682482,NEW YORK,2017,February,Lake-Effect Snow,"CHAUTAUQUA",2017-02-15 14:00:00,EST-5,2017-02-16 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"While this event included some noteworthy lake snow accumulations the impacts were minimized by the extended time frame of the event and the location of the heaviest snows away from highly populated areas. The event unfolded on Wednesday the 15th as a strong cold front passed through the region. The front itself helped to generate a couple inches of synoptic snow for many areas, then as the cold air deepened in the wake of the front during the afternoon, lake effect snows developed. The snow was exclusively lake effect in nature by Wednesday evening for sites east of Lake Erie. A closer look at the lake effect downwind of Lake Erie reveals that the accumulating lake snows were not only enhanced by the orographic lift provided by the Chautauqua Ridge but were fed by streamers off Lake Huron. The peak of the lake snows occurred early Thursday morning, then during the course of the day, a subtle backing of the steering flow broke down the contributions of the upstream lake connections. Specific snowfall reports included: 17 inches at Perrysburg; 14 inches at Colden; 12 inches at New Albion; 11 inches at Warsaw and Little Valley; 10 inches at Varysburg and Sardinia, Colden, Springville and Forestville; and 9 inches at Glenwood, Randolph and Cassadaga.","" +112948,674976,WYOMING,2017,February,Winter Storm,"JACKSON HOLE",2017-02-03 16:00:00,MST-7,2017-02-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","Heavy snow fell in portions of Jackson Valley. Some of the highest amounts included 12 inches near Wilson and 10 inches near Teton Village." +112977,675109,WYOMING,2017,February,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-02-06 01:00:00,MST-7,2017-02-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow fell through much of Yellowstone. The highest amount recorded was 18 inches at the Two Oceans Plateau SNOTEL site." +112547,671438,TEXAS,2017,February,High Wind,"LUBBOCK",2017-02-23 13:55:00,CST-6,2017-02-23 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds sustained from 25 to 35 mph developed over much of the South Plains late this morning and continued through sunset. One high wind gust to 60 mph was measured by a Texas Tech University West Texas mesonet station southwest of Wolfforth. Blowing dust also accompanied these winds, but visibilities at Lubbock International Airport remained at or above six miles.","" +113987,682659,CALIFORNIA,2017,February,Flash Flood,"MARIPOSA",2017-02-07 14:18:00,PST-8,2017-02-07 14:18:00,0,0,0,0,0.00K,0,0.00K,0,37.5577,-119.9705,37.562,-119.9711,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported road impassable due to roadway flooding from heavy rainfall and creek overflow on Colorado Road just south of Briceburg." +112544,674041,SOUTH DAKOTA,2017,February,Winter Storm,"TODD",2017-02-23 03:00:00,CST-6,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674042,SOUTH DAKOTA,2017,February,Winter Storm,"TRIPP",2017-02-23 03:00:00,CST-6,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674043,SOUTH DAKOTA,2017,February,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-02-23 07:00:00,MST-7,2017-02-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674044,SOUTH DAKOTA,2017,February,Winter Weather,"SOUTHERN MEADE CO PLAINS",2017-02-23 08:00:00,MST-7,2017-02-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112544,674045,SOUTH DAKOTA,2017,February,Winter Weather,"HERMOSA FOOTHILLS",2017-02-23 07:00:00,MST-7,2017-02-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central Plains, bringing snow to southern South Dakota. The heaviest snow developed over the eastern slopes of the Black Hills and across far southern South Dakota during the daytime hours, where amounts of four to eight inches were reported, with localized amounts near 12 inches.","" +112545,674046,WYOMING,2017,February,Winter Storm,"SOUTH CAMPBELL",2017-02-23 03:00:00,MST-7,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central High Plains, bringing snow to much of northeastern Wyoming. The heaviest snow fell across southern Campbell and Weston Counties during the morning and afternoon hours, where four to eight inches of accumulation was reported, with amounts increasing from north to south.","" +112545,674047,WYOMING,2017,February,Winter Storm,"WESTON",2017-02-23 04:00:00,MST-7,2017-02-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system tracked across the Central High Plains, bringing snow to much of northeastern Wyoming. The heaviest snow fell across southern Campbell and Weston Counties during the morning and afternoon hours, where four to eight inches of accumulation was reported, with amounts increasing from north to south.","" +112338,681491,TEXAS,2017,February,Tornado,"WHARTON",2017-02-14 07:40:00,CST-6,2017-02-14 07:45:00,0,0,0,0,10.00K,10000,,NaN,29.334,-96.09,29.3351,-96.08,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-0 tornado touched just west of the intersection of North Richmond Street and Highway 59 Business along the north side of town and continued east for about a mile. A broad swath of uprooted and damaged trees and downed power lines around 200 yards in width continued to near County Road 135. Tree fall damage was mostly towards the west-northwest with a few along the left portion of the track falling towards the southeast in a convergent pattern. Nearly all the damage was along the right side of the track which is consistent with a fast moving, weak tornado. Separate swath of damage to homes and trees about 1 to 2 miles away near the Junior High School seemed more consistent with a microburst to the right of the tornado track. Estimated peak winds were 75 mph." +112338,681498,TEXAS,2017,February,Tornado,"FORT BEND",2017-02-14 08:21:00,CST-6,2017-02-14 08:25:00,0,0,0,0,1.00M,1000000,,NaN,29.541,-95.7149,29.5345,-95.7063,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-2 tornado's damage path began in the southern portion of Brazos Village on the north side of FM 762 where roofs suffered minor damage and fences were blown down. The path continued east southeastward across FM 762 with more significant damage in the northern portion of Bridlewood Estates. A large abandoned grain dryer was severely damaged and several large metal silos were completely destroyed. One house on the southeast side of the silos had sections of the roof completely removed on both the north and south facing sides. The tornado continued on an east southeast track across the subdivision. The most severe damage was to a large anchored garage which was completely destroyed with debris pushed off to the south southeast. A pickup truck in the driveway was moved and a car inside the garage was lifted and ended up on top of the debris pile. The house directly across the street suffered damage as the front porch and associated supports shifted with the anchored porch columns pushed inward toward the house. Windows were blown out and a wrought iron metal fence concreted into the ground was heavily damaged. Several other roofs in this stretch were damaged along with many fences and trees downed. Aerial drone footage showed well defined path but nonuniform damage. Eyewitnesses from just north of the grain dryer saw strong west to east winds ripping apart the structure but noted winds from north to south when looking west suggesting a large circulation. All features were rain wrapped. Estimated peak winds were 115 mph." +112338,681492,TEXAS,2017,February,Tornado,"MATAGORDA",2017-02-14 08:15:00,CST-6,2017-02-14 08:20:00,6,0,0,0,900.00K,900000,,NaN,29.0227,-95.8997,29.0284,-95.872,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-1 tornado touched down on the west side of Van Vleck and moved east- northeast through a residential area. It crossed Highway 35 and then dissipated soon after. There was significant damage to two houses, and there were also trunks of hardwood trees snapped. Estimated peak winds were 100 mph." +112663,673198,NEW MEXICO,2017,February,High Wind,"LOWER RIO GRANDE VALLEY",2017-02-28 09:45:00,MST-7,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Numerous White Sands Missile Range sites reported peak wind gusts between 58 and 63 mph for a few hours. High sustained winds as high as 44 mph were also reported around Socorro." +112663,673203,NEW MEXICO,2017,February,High Wind,"NORTHEAST HIGHLANDS",2017-02-28 10:30:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","A public weather station north of Tecolotito reported a peak wind gust to 68 mph. The Las Vegas Municipal Airport reported sustained winds as high as 45 mph during this period." +113952,682423,OREGON,2017,February,Flood,"LANE",2017-02-09 15:45:00,PST-8,2017-02-09 17:45:00,0,0,0,0,0.00K,0,0.00K,0,44.0613,-123.882,44.0637,-123.8792,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Siuslaw River near Mapleton to flood. The river crested at 18.01 feet, which is 0.01 feet above flood stage." +112554,671472,MINNESOTA,2017,February,Winter Storm,"GOODHUE",2017-02-23 19:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 12 to 16 inches of snow that fell Thursday evening, through Friday afternoon. The heaviest totals were near Kenyon which received 16 inches." +114595,687293,IOWA,2017,April,Hail,"MARION",2017-04-09 23:35:00,CST-6,2017-04-09 23:35:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-92.98,41.37,-92.98,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Public reported quarter sized hail measured at Red Rock Dam at 535z. This report is a delayed report and came from KCCI social media." +114595,687294,IOWA,2017,April,Hail,"MAHASKA",2017-04-10 00:02:00,CST-6,2017-04-10 00:02:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-92.65,41.47,-92.65,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Public report of half dollar sized hail via KCCI on social media." +113525,679554,NEBRASKA,2017,February,Winter Storm,"VALLEY",2017-02-23 16:00:00,CST-6,2017-02-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 7.5 inches occurred 5 miles southwest of Elyria; 7.0 inches occurred in Ord, and 5.2 inches in Arcadia. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681074,NEBRASKA,2017,February,Winter Storm,"GREELEY",2017-02-23 16:00:00,CST-6,2017-02-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 7.5 inches occurred in Greeley; 7.5 inches occurred 8 miles north northeast of Scotia; 7.0 inches fell 4 miles east of Scotia; and 5.0 inches fell in Spalding. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681078,NEBRASKA,2017,February,Winter Storm,"SHERMAN",2017-02-23 16:00:00,CST-6,2017-02-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 5.2 inches occurred in Loup City; 4.7 inches occurred two miles northwest of Rockville. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681134,NEBRASKA,2017,February,Winter Storm,"NANCE",2017-02-23 16:00:00,CST-6,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 4.0 inches occurred nine miles northeast of Palmer; 4.0 inches occurred 2 miles west of Genoa; and 2.8 inches fell in Belgrade. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681135,NEBRASKA,2017,February,Winter Storm,"HOWARD",2017-02-23 16:00:00,CST-6,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 5.0 inches occurred in Dannebrog; 4.3 inches occurred in St. Paul. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113007,675451,VERMONT,2017,February,Flood,"CALEDONIA",2017-02-25 21:00:00,EST-5,2017-02-26 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,44.2045,-72.2649,44.5921,-72.0874,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises and flood area roads. The river rises also broke up river ice, and ice jams developed on the Passumpsic River and its tributaries, as well as the Wells River. In Lyndonville, an ice jam at the confluence of the East and West Branches of the Passumpsic ant Miller Run flooded Route 122 and one lane of Route 5. An ice jam on the Moose River at Routes 2 and 18 flooded the road, and a jam on the Wells River flooded Route 302 in Groton. High water was also reported on Route 5 in East Ryegate. A jam forced the Passumpsic at Passumpsic river gage to moderate flood stage, but no flood impacts were observed at the remote gage location." +113007,675452,VERMONT,2017,February,Flood,"ORANGE",2017-02-25 20:00:00,EST-5,2017-02-26 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.1611,-72.4162,44.0556,-72.0887,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Rainfall and snowmelt combined to create river rises, breaking up ice cover and leading to ice jams. Route 110 in Tunbridge was flooded and chunks of ice were reported flowing down the road. An ice jam on the Waits River closed portions of Route 25 between Bradford and Corinth, and threatened homes." +114121,683375,WASHINGTON,2017,February,Flood,"YAKIMA",2017-02-10 04:39:00,PST-8,2017-02-11 12:57:00,0,0,0,0,0.00K,0,0.00K,0,46.5398,-120.8881,46.5258,-120.8907,"Ice jam on the north fork of the Ahtanum Creek caused flooding in central Yakima county.","After a brief warm up on 2/9/2017, an ice jam formed and broke loose on the North Fork of the Ahtanum Creek in central Yakima county. The ice moved downstream damaging five homes with water and structural damage. One family was displaced." +112433,683475,CALIFORNIA,2017,February,Flash Flood,"SAN BENITO",2017-02-20 13:45:00,PST-8,2017-02-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9469,-121.4256,36.939,-121.4212,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Pacheco Creek near Dunneville gauge above flood stage." +113734,681058,CALIFORNIA,2017,February,Flash Flood,"SAN BERNARDINO",2017-02-17 16:50:00,PST-8,2017-02-17 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.3246,-117.4044,34.3227,-117.3923,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","California Highway Patrol reported water across all lanes of Highway 138 near Summit Valley Rd." +113756,681106,CALIFORNIA,2017,February,Flood,"ORANGE",2017-02-27 13:00:00,PST-8,2017-02-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8199,-116.7533,32.8201,-116.7533,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Via Viejas road was flooded with a foot of water from Viejas Creek." +113742,681160,CALIFORNIA,2017,February,Debris Flow,"NAPA",2017-02-07 02:30:00,PST-8,2017-02-07 04:30:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-122.5985,38.5799,-122.5978,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud/rocks on Petrified Forest Rd/SR128." +113742,681202,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-08 04:25:00,PST-8,2017-02-08 06:25:00,0,0,0,0,0.00K,0,0.00K,0,37.0022,-122.1804,37.0019,-122.1815,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud and rocks on road. Bonny Doon Rd/SR1." +112433,681635,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-20 16:47:00,PST-8,2017-02-20 18:47:00,0,0,0,0,0.00K,0,0.00K,0,36.94,-121.43,36.9404,-121.4292,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded Shore Rd near Perry Ct." +115065,690930,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-26 07:01:00,CST-6,2017-04-26 07:01:00,0,0,0,0,0.00K,0,0.00K,0,34.9509,-94.6383,34.9509,-94.6383,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115066,690959,ARKANSAS,2017,April,Hail,"WASHINGTON",2017-04-26 00:39:00,CST-6,2017-04-26 00:39:00,0,0,0,0,0.00K,0,0.00K,0,36.0805,-94.1758,36.0805,-94.1758,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115098,691501,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-28 21:50:00,CST-6,2017-04-28 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.2338,-94.6687,35.2338,-94.6687,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691503,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-28 22:05:00,CST-6,2017-04-28 22:05:00,0,0,0,0,0.00K,0,0.00K,0,35.3543,-94.4369,35.3543,-94.4369,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691506,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-28 22:20:00,CST-6,2017-04-28 22:20:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-95.55,35.41,-95.55,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +113022,676484,MISSISSIPPI,2017,January,Tornado,"SMITH",2017-01-02 14:43:00,CST-6,2017-01-02 14:44:00,0,0,0,0,45.00K,45000,0.00K,0,31.859,-89.3335,31.8597,-89.317,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down near County Road 33B in Smith County and continued to the east before crossing County Road 5 and County Road 713(entering Jasper County), where many large trees were snapped and downed and some minor roof damage occurred to some homes along the path. The tornado continued to the east-northeast along County Road 10, snapping and downing more trees. The tornado finally lifted near Highway 15. The total path length was 3.9 miles, with about a mile of that in Smith County. The maximum estimated wind speed for the entire track was 105 mph, which rates the tornado as an EF1. The maximum width for the tornado was 275 yards." +114675,687852,TENNESSEE,2017,April,Thunderstorm Wind,"KNOX",2017-04-22 16:35:00,EST-5,2017-04-22 16:35:00,0,0,0,0,,NaN,,NaN,36.06,-83.69,36.06,-83.69,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","A few trees were reported down around the Strawberry Plains area and points south to near Interstate 40." +114675,687854,TENNESSEE,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-22 17:18:00,EST-5,2017-04-22 17:18:00,0,0,0,0,,NaN,,NaN,35.38,-85.11,35.38,-85.11,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","A tree was reported down on a home in Sale Creek." +114675,687848,TENNESSEE,2017,April,Hail,"KNOX",2017-04-22 16:25:00,EST-5,2017-04-22 16:25:00,0,0,0,0,,NaN,,NaN,35.97,-83.95,35.97,-83.95,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Golf ball sized hail was reported in Knoxville as well as several locations in the surrounding vicinity." +114675,687851,TENNESSEE,2017,April,Hail,"JEFFERSON",2017-04-22 17:15:00,EST-5,2017-04-22 17:15:00,0,0,0,0,,NaN,,NaN,35.99,-83.38,35.99,-83.38,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Quarter sized hail was reported." +114675,687855,TENNESSEE,2017,April,Thunderstorm Wind,"RHEA",2017-04-22 17:18:00,EST-5,2017-04-22 17:18:00,0,0,0,0,,NaN,,NaN,35.49,-85.01,35.49,-85.01,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Several trees were reported down across the southern end of Rhea County." +114675,687856,TENNESSEE,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-22 17:30:00,EST-5,2017-04-22 17:30:00,0,0,0,0,,NaN,,NaN,35.38,-85.11,35.38,-85.11,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Multiple trees and power lines were reported down across the northwest portion of Hamilton County. Additionally, nine homes were damaged in this area." +113321,678171,OKLAHOMA,2017,February,Drought,"SEQUOYAH",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678172,OKLAHOMA,2017,February,Drought,"PITTSBURG",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678173,OKLAHOMA,2017,February,Drought,"HASKELL",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113321,678174,OKLAHOMA,2017,February,Drought,"LATIMER",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +116565,700938,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-12 17:15:00,CST-6,2017-06-12 17:15:00,0,0,0,0,,NaN,,NaN,31.85,-102.37,31.85,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved through Odessa and the public reported a wind gust measurement of 72 mph." +121217,725735,NEW YORK,2017,October,High Wind,"MONROE",2017-10-30 07:00:00,EST-5,2017-10-30 16:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +116565,700945,TEXAS,2017,June,Hail,"ECTOR",2017-06-12 17:15:00,CST-6,2017-06-12 17:20:00,0,0,0,0,,NaN,,NaN,31.85,-102.37,31.85,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +116565,700947,TEXAS,2017,June,Hail,"ECTOR",2017-06-12 17:15:00,CST-6,2017-06-12 17:20:00,0,0,0,0,,NaN,,NaN,31.8767,-102.357,31.8767,-102.357,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","Report was located at Permian High School." +116565,700951,TEXAS,2017,June,Hail,"ECTOR",2017-06-12 17:18:00,CST-6,2017-06-12 17:23:00,0,0,0,0,,NaN,,NaN,31.7921,-102.37,31.7921,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +116090,698639,MINNESOTA,2017,May,Thunderstorm Wind,"MOWER",2017-05-17 17:56:00,CST-6,2017-05-17 17:56:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-92.49,43.71,-92.49,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","An estimated 60 mph wind gust occurred east of Grand Meadow." +116090,698640,MINNESOTA,2017,May,Thunderstorm Wind,"FILLMORE",2017-05-17 17:56:00,CST-6,2017-05-17 17:56:00,0,0,0,0,0.00K,0,0.00K,0,43.69,-92.39,43.69,-92.39,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","An estimated 60 mph wind gust occurred in Spring Valley." +116090,698641,MINNESOTA,2017,May,Hail,"FILLMORE",2017-05-17 18:00:00,CST-6,2017-05-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-92.27,43.71,-92.27,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","" +116090,699060,MINNESOTA,2017,May,Thunderstorm Wind,"OLMSTED",2017-05-17 18:21:00,CST-6,2017-05-17 18:21:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-92.48,44.01,-92.48,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","A 64 mph wind gust occurred in Rochester." +116090,699075,MINNESOTA,2017,May,Hail,"HOUSTON",2017-05-17 18:31:00,CST-6,2017-05-17 18:31:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-91.57,43.76,-91.57,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","Quarter sized hail fell in Houston." +113960,682474,NEW YORK,2017,February,Lake-Effect Snow,"LEWIS",2017-02-02 14:00:00,EST-5,2017-02-04 03:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A single band of lake effect snow developed on a cold, westerly wind. This produced a period of heavy snow across southern Oswego County and the far northern end of Cayuga County from Fair Haven to Fulton. The band of snow then moved northward to the Tug Hill region during the evening of the 2nd and remained in place overnight, slowly intensifying as cold air deepened over Lake Ontario. During the day on February 3rd, the lake effect snow focused on the Tug Hill Plateau and remained in place through the day and evening. This phase of the event dropped the heaviest snow across the Tug Hill, with snowfall rates of around 3 inches per hour for much of the day, producing an additional 3 feet of accumulation in the most persistent bands. Heavy snow also fell in a narrow strip across the lower elevations close to the lake, from Pulaski to Mannsville along the interstate 81 corridor. Lake snows moved back south into southern Oswego and far northern Cayuga counties on the evening of the 3rd with additional heavy snow. Finally, on the 4th winds became more westerly again, carrying moderate to heavy lake effect snow back north across the Tug Hill Plateau with additional accumulations. The lake effect snow then weakened by late in the day on the 4th. Specific snowfall reports included: 54 inches at Redfield; 38 inches at Lacona: 32 inches at Osceola; 24 inches at Pulaski; 20 inches at Fulton and Constableville; 19 inches at Highmarket and Fairhaven; 17 inches at Bennetts Bridge; 15 inches at Minetto and Hooker; 12 inches at Palermo and Oswego; 11 inches at Sterling; and 10 inches at Croghan.","" +113960,682475,NEW YORK,2017,February,Lake-Effect Snow,"NORTHERN CAYUGA",2017-02-02 02:00:00,EST-5,2017-02-02 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A single band of lake effect snow developed on a cold, westerly wind. This produced a period of heavy snow across southern Oswego County and the far northern end of Cayuga County from Fair Haven to Fulton. The band of snow then moved northward to the Tug Hill region during the evening of the 2nd and remained in place overnight, slowly intensifying as cold air deepened over Lake Ontario. During the day on February 3rd, the lake effect snow focused on the Tug Hill Plateau and remained in place through the day and evening. This phase of the event dropped the heaviest snow across the Tug Hill, with snowfall rates of around 3 inches per hour for much of the day, producing an additional 3 feet of accumulation in the most persistent bands. Heavy snow also fell in a narrow strip across the lower elevations close to the lake, from Pulaski to Mannsville along the interstate 81 corridor. Lake snows moved back south into southern Oswego and far northern Cayuga counties on the evening of the 3rd with additional heavy snow. Finally, on the 4th winds became more westerly again, carrying moderate to heavy lake effect snow back north across the Tug Hill Plateau with additional accumulations. The lake effect snow then weakened by late in the day on the 4th. Specific snowfall reports included: 54 inches at Redfield; 38 inches at Lacona: 32 inches at Osceola; 24 inches at Pulaski; 20 inches at Fulton and Constableville; 19 inches at Highmarket and Fairhaven; 17 inches at Bennetts Bridge; 15 inches at Minetto and Hooker; 12 inches at Palermo and Oswego; 11 inches at Sterling; and 10 inches at Croghan.","" +115421,693050,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-26 20:14:00,PST-8,2017-04-26 20:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong northwest flow aloft brought a series of shortwave troughs north of Central California between the 26th and 28th of April. The first of these systems produced a strong pressure gradient over Central California during the afternoon and evening of the 26th resulting in a period of increased winds over the Kern County Mountains and Deserts with widespread gusts between 45 and 55 mph and a few wind prone areas reporting gusts between 65 and 80 mph.","The Jawbone Canyon RAWS reported a peak wind gust of 76 mph." +115422,693051,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-27 16:14:00,PST-8,2017-04-27 16:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of gusty northerly winds occurred over Central California on the afternoon and evening of the 27th as a shortwave trough pushed dropped through the Pacific Northwest and into the Great Basin. Some strong gusts were observed for the second consecutive day in wind prone areas of the Kern County Mountains, and widespread gusts between 35 and 40 mph were observed in the San Joaquin Valley.","The Jawbone Canyon RAWS reported a peak wind gust of 71 mph." +115421,693046,CALIFORNIA,2017,April,High Wind,"SE KERN CTY DESERT",2017-04-26 14:39:00,PST-8,2017-04-26 14:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong northwest flow aloft brought a series of shortwave troughs north of Central California between the 26th and 28th of April. The first of these systems produced a strong pressure gradient over Central California during the afternoon and evening of the 26th resulting in a period of increased winds over the Kern County Mountains and Deserts with widespread gusts between 45 and 55 mph and a few wind prone areas reporting gusts between 65 and 80 mph.","The Mesonet station in Boron reported a peak wind gust of 60 mph." +115421,693049,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-26 14:27:00,PST-8,2017-04-26 14:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong northwest flow aloft brought a series of shortwave troughs north of Central California between the 26th and 28th of April. The first of these systems produced a strong pressure gradient over Central California during the afternoon and evening of the 26th resulting in a period of increased winds over the Kern County Mountains and Deserts with widespread gusts between 45 and 55 mph and a few wind prone areas reporting gusts between 65 and 80 mph.","The Bird Springs Pass RAWS reported a peak wind gust of 80 mph." +115422,693052,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-27 17:27:00,PST-8,2017-04-27 17:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of gusty northerly winds occurred over Central California on the afternoon and evening of the 27th as a shortwave trough pushed dropped through the Pacific Northwest and into the Great Basin. Some strong gusts were observed for the second consecutive day in wind prone areas of the Kern County Mountains, and widespread gusts between 35 and 40 mph were observed in the San Joaquin Valley.","The Bird Springs Pass RAWS reported a peak wind gust of 80 mph." +115422,693053,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-27 17:39:00,PST-8,2017-04-27 17:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another period of gusty northerly winds occurred over Central California on the afternoon and evening of the 27th as a shortwave trough pushed dropped through the Pacific Northwest and into the Great Basin. Some strong gusts were observed for the second consecutive day in wind prone areas of the Kern County Mountains, and widespread gusts between 35 and 40 mph were observed in the San Joaquin Valley.","The Mesonet Station 13 ENE of Lebec on the South Slope of the Tehachapi Mountains reported a peak wind gust of 58 mph." +112948,674870,WYOMING,2017,February,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-02-03 12:00:00,MST-7,2017-02-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","Heavy snow fell in portions of Yellowstone Park. The highest amount recorded was 14 inches at the East Entrance to the park." +112948,674871,WYOMING,2017,February,Winter Storm,"ABSAROKA MOUNTAINS",2017-02-03 12:00:00,MST-7,2017-02-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","Heavy snow fell in portions of the Absarokas. The highest amount recorded was 14 inches at the Beartooth Lake SNOTEL." +112948,674977,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-02-03 19:00:00,MST-7,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","A combination of snow, blowing snow and strong wind caused the closure of Wyoming Route 28 over South Pass for several hours." +113170,682415,ALABAMA,2017,February,Thunderstorm Wind,"BALDWIN",2017-02-07 15:55:00,CST-6,2017-02-07 15:55:00,0,0,0,0,0.00K,0,0.00K,0,30.3201,-87.6608,30.3201,-87.6608,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","" +113170,682416,ALABAMA,2017,February,Hail,"MOBILE",2017-02-07 16:00:00,CST-6,2017-02-07 16:02:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-88.12,30.25,-88.12,"Severe thunderstorms rapidly developed ahead of an approaching strong cold front. Thunderstorms produced large hail, damaging winds and a tornado.","" +113432,682417,FLORIDA,2017,February,Lightning,"SANTA ROSA",2017-02-07 16:53:00,CST-6,2017-02-07 16:53:00,0,0,0,0,10.00K,10000,0.00K,0,30.35,-87.15,30.35,-87.15,"Severe thunderstorms developed ahead of an approaching cold front and produced wind damage.","Lightning strike resulted in smoke damage." +113953,682418,MISSISSIPPI,2017,February,Hail,"STONE",2017-02-27 15:50:00,CST-6,2017-02-27 15:50:00,0,0,0,0,0.00K,0,0.00K,0,30.7533,-89.1429,30.7533,-89.1429,"A severe storm produced large hail in southeast Mississippi.","" +113640,680252,NEBRASKA,2017,April,Hail,"JOHNSON",2017-04-09 20:55:00,CST-6,2017-04-09 20:55:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-96.16,40.51,-96.16,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680253,NEBRASKA,2017,April,Hail,"NEMAHA",2017-04-09 22:08:00,CST-6,2017-04-09 22:08:00,0,0,0,0,0.00K,0,0.00K,0,40.3248,-95.6763,40.3248,-95.6763,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680254,NEBRASKA,2017,April,Hail,"PAWNEE",2017-04-09 22:08:00,CST-6,2017-04-09 22:08:00,0,0,0,0,0.00K,0,0.00K,0,40.101,-96.142,40.101,-96.142,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680256,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-09 22:40:00,CST-6,2017-04-09 22:40:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-95.83,40.15,-95.83,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113683,682063,NEBRASKA,2017,April,Hail,"CASS",2017-04-15 15:56:00,CST-6,2017-04-15 15:56:00,0,0,0,0,0.00K,0,0.00K,0,40.9911,-95.9106,40.9911,-95.9106,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +114034,682971,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-02-15 18:21:00,EST-5,2017-02-15 18:21:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Scattered showers and thunderstorms developed in advanced of a cold front progressing southeast across the Gulf of Mexico. Isolated gale-force wind gusts were observed over open water west of Key West.","A wind gust of 35 knots was measured at Pulaski Shoal Light." +114034,682974,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-02-15 19:23:00,EST-5,2017-02-15 19:23:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Scattered showers and thunderstorms developed in advanced of a cold front progressing southeast across the Gulf of Mexico. Isolated gale-force wind gusts were observed over open water west of Key West.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +113683,682061,NEBRASKA,2017,April,Hail,"CASS",2017-04-15 15:44:00,CST-6,2017-04-15 15:44:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-96.28,40.93,-96.28,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +112772,673646,KENTUCKY,2017,February,Hail,"PULASKI",2017-02-24 23:46:00,EST-5,2017-02-24 23:46:00,0,0,0,0,,NaN,,NaN,36.99,-84.6,36.99,-84.6,"Strong thunderstorms produced dime to nickel size hail on February 24, 2017.","" +112771,673648,KENTUCKY,2017,February,Hail,"OWSLEY",2017-02-25 00:41:00,EST-5,2017-02-25 00:41:00,0,0,0,0,,NaN,,NaN,37.37,-83.78,37.37,-83.78,"Strong thunderstorms produced dime to nickel size hail across portions of eastern Kentucky on February 25, 2017.","" +112279,672727,ALABAMA,2017,February,Hail,"MORGAN",2017-02-08 19:17:00,CST-6,2017-02-08 19:17:00,0,0,0,0,,NaN,,NaN,34.36,-87.05,34.36,-87.05,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Quarter-sized hail was reported." +112279,672728,ALABAMA,2017,February,Hail,"MORGAN",2017-02-08 19:20:00,CST-6,2017-02-08 19:20:00,0,0,0,0,,NaN,,NaN,34.41,-87.08,34.41,-87.08,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Penny-sized hail was reported near Danville." +112279,672729,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:15:00,CST-6,2017-02-08 19:15:00,0,0,0,0,,NaN,,NaN,34.46,-86.87,34.46,-86.87,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","A barn and shed were destroyed and power lines were knocked down on Blackwood Drive. Time estimated by radar." +112279,672730,ALABAMA,2017,February,Hail,"MORGAN",2017-02-08 19:24:00,CST-6,2017-02-08 19:24:00,0,0,0,0,,NaN,,NaN,34.39,-86.86,34.39,-86.86,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Hail up to nickel-sized covered the ground, in some spots up to two inches deep." +112279,672731,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:16:00,CST-6,2017-02-08 19:16:00,0,0,0,0,,NaN,,NaN,34.39,-86.85,34.39,-86.85,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Trees were knocked down into the roadway." +112279,672732,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:16:00,CST-6,2017-02-08 19:16:00,0,0,0,0,,NaN,,NaN,34.46,-86.86,34.46,-86.86,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","In the Falkville and New Center areas, siding was blown off, sheds were knocked down, underpinning was torn from mobile homes and hail damage was reported. Relayed through social media. Time estimated by radar." +112279,672733,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:16:00,CST-6,2017-02-08 19:16:00,0,0,0,0,,NaN,,NaN,34.4,-86.86,34.4,-86.86,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Trees were knocked down." +112279,672734,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:16:00,CST-6,2017-02-08 19:16:00,0,0,0,0,,NaN,,NaN,34.46,-86.88,34.46,-86.88,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","Trees knocked down at end of roadway." +113993,682706,CALIFORNIA,2017,February,Flash Flood,"KERN",2017-02-17 18:32:00,PST-8,2017-02-17 18:32:00,0,0,0,0,0.00K,0,0.00K,0,35.2984,-117.965,35.3432,-117.6361,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Kern County Roads reported mud and flash flooding along Redrock Randsburg Road and Garlock Road between State Route 14 and US Highway 395. Roadway was closed at 1920 PST." +113993,682707,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 16:16:00,PST-8,2017-02-17 16:16:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-118.44,35.13,-118.4526,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported roadway flooding at Woodford Tehachapi Road and White Pine Drive in Tehachapi. Both lanes were flooded due to heavy rainfall." +113993,682708,CALIFORNIA,2017,February,Flood,"TULARE",2017-02-17 16:42:00,PST-8,2017-02-17 16:42:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-119.33,36.326,-119.3284,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding on State Route 198 near South Demaree Street in Visalia due to heavy rainfall." +113993,682709,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 17:50:00,PST-8,2017-02-17 17:50:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-118.98,35.0889,-118.9754,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported northbound State Route 99 near Copus Road north of Mettler covered in mud and water due to heavy rainfall." +113993,682710,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 18:02:00,PST-8,2017-02-17 18:02:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-118.4,35.1042,-118.3944,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding on Tehachapi Willow Springs Road just south of State Route 58 in Tehachapi." +113993,682711,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 18:09:00,PST-8,2017-02-17 18:09:00,0,0,0,0,0.00K,0,0.00K,0,35.59,-118.52,35.5902,-118.5168,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported large boulders in roadway on Kern Canyon Road near Borel Road west of Bodfish." +113504,679667,ILLINOIS,2017,February,Thunderstorm Wind,"ST. CLAIR",2017-02-28 17:35:00,CST-6,2017-02-28 17:35:00,0,0,0,0,0.00K,0,0.00K,0,38.5267,-90.0019,38.5267,-90.0019,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew down a utility pole on the northwest side of town." +113503,679681,MISSOURI,2017,February,Tornado,"MADISON",2017-02-28 19:16:00,CST-6,2017-02-28 19:22:00,0,0,0,0,,NaN,,NaN,37.5777,-90.4997,37.6015,-90.4242,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","A tornado touched down near Madison County Road 535 just north of intersection with Madison County Road 524 causing EF0 tree damage. It moved east northeast crossing Highway 72 west of Madison County 9534 with minor tree damage noted. It continued northeast to a cemetery where more trees were topped and snapped. Several of the gravestones were either moved or knocked over. The tornado continued northeast across Missouri Highway K causing tree damage and structural damage to a large hay barn. This damage was also rated EF0. The tornado lifted near Madison County Road 529. Overall the tornado was rated EF0 with a path length of 4.44 miles and maximum path width of 50 yards." +113503,679685,MISSOURI,2017,February,Thunderstorm Wind,"MONROE",2017-02-28 20:30:00,CST-6,2017-02-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-91.73,39.65,-91.73,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,679706,ILLINOIS,2017,February,Tornado,"RANDOLPH",2017-02-28 20:12:00,CST-6,2017-02-28 20:18:00,0,0,0,0,,NaN,,NaN,37.8222,-89.7124,37.8371,-89.6619,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","The tornado moved out of Perry County (MO-WFO Paducah's forecast area) across the Mississippi River into far southern Randolph County (IL) south of Rockwood. The tornado caused damage to trees and snapped 7 power poles on IL Route 3. It continued to move to the northeast, causing extensive tree damage along Gun Club Road. The damage was rated EF2. The tornado continued northeast into Jackson County (IL) which is serviced by National Weather Service Paducah. This segment of the tornado (Randolph County) was rated EF2 with a path length of 2.94 miles and a max path width of 700 yards. No injuries or deaths were reported in Randolph County. The entire tornado was rated EF4. It's path length was 50 miles with a max path width of 1056 yards (0.6 of a mile). One death and 12 injuries were reported with this tornado." +112433,682368,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 16:55:00,PST-8,2017-02-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking at least one lane US101 south near Crazy Horse Canyon on ramp." +112433,682370,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-20 17:02:00,PST-8,2017-02-20 17:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","" +112433,682372,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 17:02:00,PST-8,2017-02-20 17:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down in roadway of Aguajito Rd near Viejo Rd." +112433,682373,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-20 17:21:00,PST-8,2017-02-20 19:21:00,0,0,0,0,0.00K,0,0.00K,0,37.7744,-122.158,37.7741,-122.1587,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud blocking sb lane and sink hole also in area on nb side. Roadway reportedly falling apart." +112433,682376,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 17:25:00,PST-8,2017-02-20 19:25:00,0,0,0,0,0.00K,0,0.00K,0,37.2023,-121.9926,37.2015,-121.9926,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Highway 17 southbound shut down due to rock slide just north of Lexington Reservoir." +112433,682378,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 17:28:00,PST-8,2017-02-20 19:28:00,0,0,0,0,0.00K,0,0.00K,0,37.3198,-122.2745,37.3196,-122.2745,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","SR 84 near La Honda Rd mud slide blocking east bound lanes." +112433,682380,CALIFORNIA,2017,February,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-02-20 17:32:00,PST-8,2017-02-20 17:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","" +112433,682382,CALIFORNIA,2017,February,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-02-20 17:32:00,PST-8,2017-02-20 17:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Large tree down blocking multiple lanes." +112433,682383,CALIFORNIA,2017,February,Debris Flow,"NAPA",2017-02-20 17:34:00,PST-8,2017-02-20 19:34:00,0,0,0,0,0.00K,0,0.00K,0,38.3635,-122.2657,38.3633,-122.2658,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Rocks blocking roadway Atlas Peak Rd near Westgate Dr." +113532,679639,MISSOURI,2017,February,Dense Fog,"MISSISSIPPI",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679640,MISSOURI,2017,February,Dense Fog,"NEW MADRID",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679641,MISSOURI,2017,February,Dense Fog,"PERRY",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679642,MISSOURI,2017,February,Dense Fog,"RIPLEY",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679643,MISSOURI,2017,February,Dense Fog,"SCOTT",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679644,MISSOURI,2017,February,Dense Fog,"STODDARD",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +113532,679645,MISSOURI,2017,February,Dense Fog,"WAYNE",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog, which persisted for much of the morning of the 19th. High pressure centered over Kentucky was associated with light winds and mostly clear skies.","" +112252,669386,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-02-07 21:42:00,EST-5,2017-02-07 21:42:00,0,0,0,0,0.00K,0,0.00K,0,29.14,-83.03,29.14,-83.03,"A line of strong to severe thunderstorms ahead of an approaching frontal boundary produced widespread gusty winds over the Gulf Waters.","The buoy at Cedar Key, CKYF1, measured a wind gust of 35 knots, 40 mph." +115188,691681,KANSAS,2017,May,Thunderstorm Wind,"RUSSELL",2017-05-25 21:06:00,CST-6,2017-05-25 21:09:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-98.52,39.02,-98.52,"Severe thunderstorms that developed over the Western Plains evolved into a convective complex of storms as they surged east toward Central Kansas late that evening. One thunderstorm that moved east into Russell County, Kansas was especially powerful as it produced 2.00 and 2.25 inch diameter hail as well as 60 to 70 mph winds.","The trained spotter estimated 60 to 70 mph winds that were breaking off branches of unknown diameters." +115408,692941,MISSOURI,2017,April,Flood,"BATES",2017-04-29 12:40:00,CST-6,2017-04-29 14:40:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-94.22,38.4327,-94.2022,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","A truck was forced off HWY 15504 due to flooding from nearby creeks." +112533,671187,SOUTH DAKOTA,2017,February,Blizzard,"MINNEHAHA",2017-02-23 15:00:00,CST-6,2017-02-23 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow and very strong winds of 30 to 45 mph creating widespread blizzard conditions. Many areas reported visibilities below a half mile.","Snowfall of 4 to 8 inches combined with strong winds of 40 to 45 mph created blizzard conditions with visibilities below a half mile." +112533,671188,SOUTH DAKOTA,2017,February,Blizzard,"LINCOLN",2017-02-23 15:00:00,CST-6,2017-02-24 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow and very strong winds of 30 to 45 mph creating widespread blizzard conditions. Many areas reported visibilities below a half mile.","Snowfall of 4 to 8 inches combined with strong winds of 40 to 45 mph created blizzard conditions with visibilities below a half mile." +112537,672410,SOUTH DAKOTA,2017,February,Winter Storm,"YANKTON",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 12 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall." +112537,672411,SOUTH DAKOTA,2017,February,Winter Storm,"BON HOMME",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall." +112537,672412,SOUTH DAKOTA,2017,February,Winter Storm,"HUTCHINSON",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall." +112537,672414,SOUTH DAKOTA,2017,February,Winter Storm,"DOUGLAS",2017-02-23 12:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 6 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall." +112245,673266,PENNSYLVANIA,2017,February,Winter Storm,"NORTHERN CLINTON",2017-02-09 02:35:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 5 to 7 inches of snow across Northern Clinton County." +112245,673269,PENNSYLVANIA,2017,February,Winter Storm,"SOUTHERN CLINTON",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Southern Clinton County." +112245,673264,PENNSYLVANIA,2017,February,Winter Storm,"NORTHERN LYCOMING",2017-02-09 02:35:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Northern Lycoming County." +112245,673272,PENNSYLVANIA,2017,February,Winter Storm,"CAMBRIA",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 11 inches of snow across Cambria County." +112867,674249,HAWAII,2017,February,Strong Wind,"OAHU SOUTH SHORE",2017-02-11 11:15:00,HST-10,2017-02-11 11:15:00,3,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","A 40 X 100-foot tent collapsed at Kapiolani Community College as gusty winds struck the area. Three individuals were injured." +112864,674235,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-06 17:26:00,HST-10,2017-02-06 20:08:00,0,0,0,0,0.00K,0,0.00K,0,20.8987,-156.6719,20.8133,-156.3059,"A front brought gusty southwest winds and periods of heavy rain to the island chain. The winds downed power lines that resulted in more than 25,000 customers losing electricity for a time in Oahu's windward side. They also toppled trees and damaged roofs in the area and on other islands. In Maui County, a ferry between Lanai and Lahaina on Maui was halted because of rough seas from the winds, and two sailboats ran aground. There were no reports of serious injuries, however.","" +112867,674250,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-10 23:20:00,HST-10,2017-02-11 10:40:00,0,0,0,0,0.00K,0,0.00K,0,22.1167,-159.7028,21.9597,-159.3718,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","" +112867,674252,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-11 16:03:00,HST-10,2017-02-11 16:39:00,0,0,0,0,0.00K,0,0.00K,0,20.9103,-157.0358,20.7652,-156.8559,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","" +112867,674253,HAWAII,2017,February,Flash Flood,"MAUI",2017-02-11 19:20:00,HST-10,2017-02-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,20.7691,-156.459,20.7691,-156.4587,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","South Kihei Road on Maui was closed between Wailana Place and Kaonoulu Street because of two feet of water on the roadway." +112867,674254,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-11 15:59:00,HST-10,2017-02-12 00:21:00,0,0,0,0,0.00K,0,0.00K,0,20.9848,-156.6431,20.7074,-156.0622,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","" +113124,676578,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN GRAFTON",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676579,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN CARROLL",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676581,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN COOS",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676582,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN GRAFTON",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113124,676583,NEW HAMPSHIRE,2017,February,Heavy Snow,"STRAFFORD",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113348,678277,MAINE,2017,February,Winter Storm,"SOUTHEAST AROOSTOOK",2017-02-12 20:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 18 to 30 inches." +113348,678278,MAINE,2017,February,Winter Storm,"NORTHEAST AROOSTOOK",2017-02-12 22:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 5 to 12 inches." +113373,678394,ALASKA,2017,February,Blizzard,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-02-11 06:00:00,AKST-9,2017-02-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","All reports are from Alaska State DOT. At 0800 on 2/11 moderate snow with the visibility 400 FT and 25 MPH wind. At noon on 2/11 white out conditions in the pass. |The road was closed due to avalanches. At 2/12 at 0800 the storm total new snowfall was 17 inches. The road was closed most of the day on 2/12. Impact was snow removal and transportation stopped." +113373,678395,ALASKA,2017,February,Winter Storm,"CAPE FAIRWEATHER TO CAPE SUCKLING COASTAL AREA",2017-02-10 14:37:00,AKST-9,2017-02-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Storm total for Yakutat on this event was 18 inches new snow." +113373,678398,ALASKA,2017,February,Winter Storm,"MISTY FJORDS",2017-02-11 04:56:00,AKST-9,2017-02-12 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Storm total snow 10.5 inches measured on 2/12 by the Hyder COOP. Snow changed to rain shrinking the snowpack making snow removal an awful mess." +113373,678399,ALASKA,2017,February,High Wind,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-02-11 12:00:00,AKST-9,2017-02-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","While the road was having a blizzard, Skagway got some strong wind. Gusts in the 50s and 60s MPH all day on 2/11 through the night." +113253,677611,NEW YORK,2017,February,Winter Storm,"SOUTHERN FULTON",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677612,NEW YORK,2017,February,Winter Storm,"MONTGOMERY",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +112692,672857,CONNECTICUT,2017,February,Heavy Snow,"NORTHERN LITCHFIELD",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island. ||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9.","" +113262,677708,NEW YORK,2017,February,Thunderstorm Wind,"FULTON",2017-02-25 15:56:00,EST-5,2017-02-25 15:56:00,0,0,0,0,,NaN,,NaN,43.01,-74.22,43.01,-74.22,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees were blown onto wires." +113262,677710,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:15:00,EST-5,2017-02-25 17:15:00,0,0,0,0,,NaN,,NaN,42.72,-73.76,42.72,-73.76,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed." +113262,677712,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:21:00,EST-5,2017-02-25 17:21:00,0,0,0,0,,NaN,,NaN,42.74,-73.94,42.74,-73.94,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A downed tree was reported." +113450,679164,TENNESSEE,2017,February,Thunderstorm Wind,"WILSON",2017-02-07 10:35:00,CST-6,2017-02-07 10:35:00,0,0,0,0,1.00K,1000,0.00K,0,36.2307,-86.587,36.2307,-86.587,"Several rounds of strong to severe thunderstorms affected parts of Middle Tennessee throughout the day on February 7. Scattered storms first developed early in the morning across northwest Middle Tennessee with a few reports of hail, then a QLCS moved across all of Middle Tennessee later in the morning producing several reports of wind damage and one confirmed tornado. Additional storms with large hail affected northwest Middle Tennessee during the evening hours.","A tree was snapped in the yard of a home on Saundersville Road just west of Matterhorn Road." +113445,678944,VERMONT,2017,February,Winter Weather,"BENNINGTON",2017-02-15 09:00:00,EST-5,2017-02-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers developed along a cold front on February 15 across Southern Vermont. After a lull in the snowfall during the evening, northwest winds behind the front brought a long period of persistent upslope snow showers from the early morning hours through much of the day on February 16. Snowfall totals were very elevation-dependent, ranging from just an inch at low elevations, all the way to 17 inches at around 2000 feet elevation.","" +113445,678945,VERMONT,2017,February,Winter Weather,"WESTERN WINDHAM",2017-02-15 09:00:00,EST-5,2017-02-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers developed along a cold front on February 15 across Southern Vermont. After a lull in the snowfall during the evening, northwest winds behind the front brought a long period of persistent upslope snow showers from the early morning hours through much of the day on February 16. Snowfall totals were very elevation-dependent, ranging from just an inch at low elevations, all the way to 17 inches at around 2000 feet elevation.","" +113446,678946,NEW YORK,2017,February,Winter Weather,"NORTHERN HERKIMER",2017-02-15 12:00:00,EST-5,2017-02-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers developed along a cold front on February 15 across the Adirondacks. After a lull in the snowfall during the evening, northwest winds behind the front brought a long period of persistent lake-enhanced snow showers from the early morning hours through much of the day on February 16. Snowfall totals ranged from a few inches up to 9 inches.","" +113446,678947,NEW YORK,2017,February,Winter Weather,"HAMILTON",2017-02-15 12:00:00,EST-5,2017-02-16 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers developed along a cold front on February 15 across the Adirondacks. After a lull in the snowfall during the evening, northwest winds behind the front brought a long period of persistent lake-enhanced snow showers from the early morning hours through much of the day on February 16. Snowfall totals ranged from a few inches up to 9 inches.","" +113067,676169,MINNESOTA,2017,February,Winter Storm,"OLMSTED",2017-02-23 18:00:00,CST-6,2017-02-24 20:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","COOP and volunteer snow observers reported 10 to 13 inches of snow across Olmsted County. The highest reported total was 13.6 inches north of Byron. In addition, winds gusts of 30 to 40 mph created drifting snow and caused dangerous travel conditions." +113067,676177,MINNESOTA,2017,February,Winter Storm,"WABASHA",2017-02-23 19:15:00,CST-6,2017-02-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","COOP and volunteer snow observers reported 10 to 15 inches of snow across Wabasha County. The highest reported total was 15 inches in Zumbro Falls. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113067,676199,MINNESOTA,2017,February,Winter Storm,"WINONA",2017-02-23 21:00:00,CST-6,2017-02-24 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","COOP and volunteer snow observers reported 7 to 11 inches of snow across Winona County. The highest reported total was 11 inches in Whitewater State Park. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113502,679455,IOWA,2017,February,Winter Storm,"FLOYD",2017-02-23 19:00:00,CST-6,2017-02-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to northeast Iowa. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Iowa DOT advised against travel and placed two bans in effect for parts of northeast Iowa on the 24th.","COOP and volunteer snow observers reported 4 to 6 inches of snow across Floyd County. The highest reported total was 6 inches in Charles City. In addition, wind gusts of 35 to 45 mph created drifting snow and caused dangerous travel conditions." +113236,679650,MISSOURI,2017,February,Strong Wind,"CAPE GIRARDEAU",2017-02-28 21:30:00,CST-6,2017-02-28 23:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","" +113231,677466,ILLINOIS,2017,February,Funnel Cloud,"WILLIAMSON",2017-02-28 22:56:00,CST-6,2017-02-28 22:56:00,0,0,0,0,0.00K,0,0.00K,0,37.7995,-88.9041,37.7995,-88.9041,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","The funnel cloud was observed by a trained spotter." +113231,677467,ILLINOIS,2017,February,Hail,"FRANKLIN",2017-02-28 21:00:00,CST-6,2017-02-28 21:04:00,0,0,0,0,,NaN,0.00K,0,38,-88.9384,38.0145,-88.92,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","This large hail was associated with the supercell that produced a strong tornado in Jackson and western Franklin Counties. Hailstones were slightly larger than baseballs on the north side of Benton. Quarter-size hail fell on the west side of Benton." +114059,683044,VERMONT,2017,April,Winter Storm,"EASTERN RUTLAND",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 8 to 12 inches of a heavy, wet snow fell across the region, some specific totals include; 13 inches in Killington, 12 inches in Pittsfield and 8 inches in Chittenden." +114059,683045,VERMONT,2017,April,Winter Storm,"ESSEX",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 5 to 10 inches of a heavy, wet snow fell across the region, some specific totals include; 10 inches in Lunenberg, 9 inches in Island Pond and Maidstone, 8 inches in Granby with 7 inches in Concord and Averill." +114059,683043,VERMONT,2017,April,Winter Storm,"WINDSOR",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 8 to 16 inches of a heavy, wet snow fell across the region, some specific totals include; 16 inches in Rochester, 15 inches in Woodstock, 14 inches in Ludlow and Proctorsville, 13 inches in Hartland and Pomfret, 12 inches in Bethel and Windsor and 10 inches in Tyson. Some scattered power outages resulted from the snow loading on trees and power lines." +115234,697408,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:25:00,CST-6,2017-05-15 19:25:00,0,0,0,0,0.50K,500,0.00K,0,42.53,-90.44,42.53,-90.44,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","An estimated 60 mph wind gust blew down small tree branches in Hazel Green." +115234,702166,WISCONSIN,2017,May,Lightning,"LA CROSSE",2017-05-15 12:30:00,CST-6,2017-05-15 12:30:00,0,0,0,0,250.00K,250000,0.00K,0,43.9712,-91.2693,43.9712,-91.2693,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","A fire at a care facility in Holmen was started by a lightning strike. The fire was trapped between the ceiling and roof with the building sustaining substantial water and fire damage. All the residents of the care facility were safely evacuated." +115234,702234,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:22:00,CST-6,2017-05-15 19:22:00,0,0,0,0,5.00K,5000,0.00K,0,42.7362,-90.4379,42.7362,-90.4379,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","A semitrailer was tipped over in Platteville." +113381,680712,TEXAS,2017,February,Thunderstorm Wind,"FALLS",2017-02-20 01:20:00,CST-6,2017-02-20 01:20:00,0,0,0,0,5.00K,5000,0.00K,0,31.1729,-96.725,31.1729,-96.725,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Newspaper article reported roof damage to residential structure approximated 4.6 miles SE in Reagan, TX." +113457,681059,COLORADO,2017,February,Winter Weather,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113457,681060,COLORADO,2017,February,Winter Weather,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113457,681061,COLORADO,2017,February,Winter Weather,"N DOUGLAS COUNTY BELOW 6000 FEET / DENVER / W ADAMS & ARAPAHOE COUNTIES / E BROOMFIELD COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113457,681062,COLORADO,2017,February,Winter Weather,"C & S WELD COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113457,681063,COLORADO,2017,February,Winter Weather,"C & E ADAMS & ARAPAHOE COUNTIES",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113818,682577,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-28 21:40:00,EST-5,2017-02-28 21:41:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-86.16,41.73,-86.16,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682578,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-28 21:55:00,EST-5,2017-02-28 21:56:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-86.25,41.63,-86.25,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682579,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-28 22:00:00,EST-5,2017-02-28 22:01:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-86.18,41.64,-86.18,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682580,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-28 22:00:00,EST-5,2017-02-28 22:01:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-86.17,41.66,-86.17,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682582,INDIANA,2017,February,Hail,"ELKHART",2017-02-28 22:30:00,EST-5,2017-02-28 22:31:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-85.71,41.68,-85.71,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +112929,674689,NORTH DAKOTA,2017,January,Heavy Snow,"BOWMAN",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Bowman received seven inches of snow." +112929,674691,NORTH DAKOTA,2017,January,Heavy Snow,"SLOPE",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Locations southwest of New England received seven inches of snow." +112929,674862,NORTH DAKOTA,2017,January,Heavy Snow,"BOTTINEAU",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Bottineau received six inches of snow." +112929,674863,NORTH DAKOTA,2017,January,Heavy Snow,"GRANT",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Pretty Rock received 10 inches of snow." +112929,674864,NORTH DAKOTA,2017,January,Heavy Snow,"DUNN",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Marshall received eight inches of snow." +113899,691088,MISSOURI,2017,April,Flood,"HOWELL",2017-04-26 10:30:00,CST-6,2017-04-26 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.6658,-92.0548,36.6689,-92.0656,"Severe storms hit the Missouri Ozarks.","State Highway K was closed due to flooding." +113102,676432,TEXAS,2017,January,Strong Wind,"NUECES",2017-01-22 10:00:00,CST-6,2017-01-22 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed over South Texas the night of January 21st through the daytime of January 22nd after the passage of a cold front. The surface low associated with the front was unusually deep this far south and created a very strong pressure gradient over the region. As daytime heating progressed, stronger winds several thousand feet off the surface mixed down to the surface. The morning sounding at Corpus Christi showed a wind of 60 knots (around 70 mph) 3000 feet above the surface! As a result, winds gusted over 50 mph for some locations across the Coastal Bend, while gusts greater than 40 mph occurred across the rest of south Texas. Several wildfires occurred in the afternoon across the Coastal Bend but were contained to less than 100 acres.","Downed power lines caused a small grass fire on the southwest side of Corpus Christi." +113102,676433,TEXAS,2017,January,Strong Wind,"NUECES",2017-01-22 11:00:00,CST-6,2017-01-22 11:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed over South Texas the night of January 21st through the daytime of January 22nd after the passage of a cold front. The surface low associated with the front was unusually deep this far south and created a very strong pressure gradient over the region. As daytime heating progressed, stronger winds several thousand feet off the surface mixed down to the surface. The morning sounding at Corpus Christi showed a wind of 60 knots (around 70 mph) 3000 feet above the surface! As a result, winds gusted over 50 mph for some locations across the Coastal Bend, while gusts greater than 40 mph occurred across the rest of south Texas. Several wildfires occurred in the afternoon across the Coastal Bend but were contained to less than 100 acres.","Parts of a roof were blown off a residence on Hazel Drive in central Corpus Christi." +113899,691086,MISSOURI,2017,April,Hail,"OZARK",2017-04-26 08:15:00,CST-6,2017-04-26 08:15:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-92.22,36.77,-92.22,"Severe storms hit the Missouri Ozarks.","" +113899,691087,MISSOURI,2017,April,Thunderstorm Wind,"OZARK",2017-04-26 01:35:00,CST-6,2017-04-26 01:35:00,0,0,0,0,1.00K,1000,0.00K,0,36.75,-92.61,36.75,-92.61,"Severe storms hit the Missouri Ozarks.","A barn was blown down on County Road 840." +113899,691089,MISSOURI,2017,April,Thunderstorm Wind,"OZARK",2017-04-26 08:35:00,CST-6,2017-04-26 08:35:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-92.14,36.65,-92.14,"Severe storms hit the Missouri Ozarks.","A few trees were blown down across a road." +113899,691090,MISSOURI,2017,April,Flood,"OZARK",2017-04-26 11:15:00,CST-6,2017-04-26 14:15:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-92.4,36.5414,-92.3964,"Severe storms hit the Missouri Ozarks.","State Highway T was closed due to flooding." +113899,691091,MISSOURI,2017,April,Flood,"OZARK",2017-04-26 11:15:00,CST-6,2017-04-26 14:15:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-92.4,36.5414,-92.3964,"Severe storms hit the Missouri Ozarks.","State Highway T was closed due to flooding." +112896,674511,LOUISIANA,2017,January,Tornado,"BEAUREGARD",2017-01-02 10:30:00,CST-6,2017-01-02 10:32:00,0,0,0,0,20.00K,20000,0.00K,0,30.5567,-93.3157,30.556,-93.2378,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down in a rural area south of Longville, snapping|pine trees along the way. One barn had part of its metal roof pulled|off. The estimate peak wind was 105 MPH." +112896,674515,LOUISIANA,2017,January,Thunderstorm Wind,"ALLEN",2017-01-02 11:00:00,CST-6,2017-01-02 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.87,-92.79,30.87,-92.79,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A picture of a barn with the roof removed was received through social media." +112896,674512,LOUISIANA,2017,January,Tornado,"RAPIDES",2017-01-02 11:06:00,CST-6,2017-01-02 11:07:00,0,0,0,0,50.00K,50000,0.00K,0,31.3704,-92.5896,31.3727,-92.5808,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down along Boogaerts Road, removing part of|the roof of a single-wide mobile home. A carport was tipped over,|and several trees were snapped. Two other homes received minor|damage from flying debris. The estimated peak wind was 105 MPH." +112896,674516,LOUISIANA,2017,January,Thunderstorm Wind,"ALLEN",2017-01-02 11:15:00,CST-6,2017-01-02 11:15:00,0,0,0,0,15.00K,15000,0.00K,0,30.62,-92.73,30.62,-92.73,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","Several trees were reported down along Highway 26." +112896,674505,LOUISIANA,2017,January,Tornado,"EVANGELINE",2017-01-02 11:30:00,CST-6,2017-01-02 11:31:00,0,0,0,0,75.00K,75000,0.00K,0,30.6231,-92.4694,30.6234,-92.4604,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado briefly touched down on L D Verrette Lane, damaging|three homes. All three had roof damage, with partial metal roofing|material removed. The peak winds were estimated at 75 MPH." +112896,674506,LOUISIANA,2017,January,Tornado,"RAPIDES",2017-01-02 11:31:00,CST-6,2017-01-02 11:33:00,0,0,0,0,250.00K,250000,0.00K,0,31.0325,-92.3705,31.0334,-92.3468,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down along Lloyds Bridge Road, damaging several|homes and large barns. Debris was strewn across the adjacent fields. The estimated peak wind was 110 MPH." +113097,676692,NORTH CAROLINA,2017,January,Winter Storm,"FORSYTH",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts of 8 to 11 inches fell across the county." +113097,676699,NORTH CAROLINA,2017,January,Winter Storm,"RANDOLPH",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from 2 inches across southern portions of the county to 5 inches across the north." +113097,676700,NORTH CAROLINA,2017,January,Winter Storm,"ALAMANCE",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from 3 inches across southern portions of the county to 8 inches across the north." +113097,676702,NORTH CAROLINA,2017,January,Winter Storm,"PERSON",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from 5 inches across southern portions of the county to 10 inches across the north." +113097,676713,NORTH CAROLINA,2017,January,Winter Storm,"WARREN",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 2 inches across southeastern portions of the county to 12 inches across the northwest." +115567,693954,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-04-11 16:35:00,CST-6,2017-04-11 17:35:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Mustang Island Platform AWOS measured a gust to 44 knots." +115567,693969,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-04-11 16:00:00,CST-6,2017-04-11 16:36:00,0,0,0,0,0.00K,0,0.00K,0,28.227,-96.796,28.2191,-96.7916,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Aransas Wildlife Refuge TCOON site measured a gust to 39 knots." +115567,693971,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-04-11 17:00:00,CST-6,2017-04-11 17:12:00,0,0,0,0,0.00K,0,0.00K,0,28.0837,-97.0467,28.0949,-97.0658,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Rockport Aransas County Airport ASOS measured a gust to 37 knots." +115567,693981,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-04-11 16:54:00,CST-6,2017-04-11 17:18:00,0,0,0,0,0.00K,0,0.00K,0,28.024,-97.048,28.0202,-97.0422,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","NOS site at Rockport measured a gust to 36 knots." +115567,694006,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:31:00,CST-6,2017-04-11 18:46:00,0,0,0,0,0.00K,0,0.00K,0,27.6372,-97.2868,27.6367,-97.2802,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Weatherflow site at Laguna Shores near Flour Bluff measured a gust to 43 knots." +112854,675816,NEW JERSEY,2017,March,Winter Weather,"CAMDEN",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","A spotter measured 1.8 inches of snow in Lindenwold." +113160,676880,NEW YORK,2017,January,Strong Wind,"NORTHWEST SUFFOLK",2017-01-23 20:00:00,EST-5,2017-01-24 06:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure passed south and east of Long Island.","The mesonet station at Eatons Neck reported a wind gust up to 54 mph at 1030 pm on the 23rd. At 6 am on the 24th, a large tree was knocked down along the side of an apartment building at Lake Point Drive and Picasso Way. This was reported by the public. In Melville, a trained spotter reported a large branch blocking Beamont Drive at 413 pm on the 23rd." +112854,675818,NEW JERSEY,2017,March,Winter Weather,"HUNTERDON",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Spotters measured 2-4 inches throughout the county." +112953,674891,ILLINOIS,2017,February,Hail,"WHITESIDE",2017-02-28 16:22:00,CST-6,2017-02-28 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-90.04,41.88,-90.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported a mix of pea to dime size hail." +112953,674894,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 16:23:00,CST-6,2017-02-28 16:26:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-89.93,41.24,-89.93,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +113161,676986,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN VALLEY",2017-01-17 12:00:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An estimated 5 to 6 inches of snow was reported from Omak." +113161,676989,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN HIGHLANDS",2017-01-17 13:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer measured 5.1 inches of new snow at Wauconda." +113161,676992,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN HIGHLANDS",2017-01-17 13:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer measured 5.6 inches of snow near Malo." +113200,677201,PENNSYLVANIA,2017,January,Thunderstorm Wind,"MERCER",2017-01-12 13:56:00,EST-5,2017-01-12 13:56:00,0,0,0,0,2.00K,2000,0.00K,0,41.26,-80.48,41.26,-80.48,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported trees down on Shadow Drive." +113200,678233,PENNSYLVANIA,2017,January,Thunderstorm Wind,"BEAVER",2017-01-12 14:24:00,EST-5,2017-01-12 14:24:00,0,0,0,0,0.50K,500,0.00K,0,40.75,-80.51,40.75,-80.51,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported a tree down." +113200,678234,PENNSYLVANIA,2017,January,Thunderstorm Wind,"BUTLER",2017-01-12 14:30:00,EST-5,2017-01-12 14:30:00,0,0,0,0,0.50K,500,0.00K,0,41.1207,-79.8938,41.1207,-79.8938,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported a large tree down on State Route 308." +113200,678236,PENNSYLVANIA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-12 15:45:00,EST-5,2017-01-12 15:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.94,-78.98,40.94,-78.98,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported one tree down on power lines." +113200,678244,PENNSYLVANIA,2017,January,Thunderstorm Wind,"FOREST",2017-01-12 14:26:00,EST-5,2017-01-12 14:26:00,0,0,0,0,0.50K,500,0.00K,0,41.44,-79.34,41.44,-79.34,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported a tree down near Golinza." +113200,678261,PENNSYLVANIA,2017,January,Thunderstorm Wind,"CLARION",2017-01-12 14:32:00,EST-5,2017-01-12 14:32:00,0,0,0,0,0.50K,500,0.00K,0,41.18,-79.66,41.18,-79.66,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported a tree down." +121298,726156,NEW YORK,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-25 02:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 3 to 7 inches of snow fell across northern New York.","A general 3 to 5 inches of snow fell." +121330,726339,KENTUCKY,2017,December,Flood,"BREATHITT",2017-12-23 10:22:00,EST-5,2017-12-23 11:42:00,0,0,0,0,0.00K,0,0.00K,0,37.5375,-83.3003,37.5367,-83.3003,"A prolonged period of light to moderate rainfall accompanied a slow-moving cold front, beginning on the afternoon of December 22 and lasting into the afternoon on December 23. This caused sporadic road closures during the morning of the 23rd as high water inundated low spots on a few area roadways.","The department of highways reported high water blocking a portion of Kentucky Highway 1098 southeast of Jackson." +121330,726340,KENTUCKY,2017,December,Flood,"ROCKCASTLE",2017-12-23 08:30:00,EST-5,2017-12-23 11:15:00,0,0,0,0,0.00K,0,0.00K,0,37.4028,-84.416,37.4006,-84.4244,"A prolonged period of light to moderate rainfall accompanied a slow-moving cold front, beginning on the afternoon of December 22 and lasting into the afternoon on December 23. This caused sporadic road closures during the morning of the 23rd as high water inundated low spots on a few area roadways.","Local emergency management reported high water forcing the closure of several streets in Brodhead, including Church Street and Burton Lane." +121112,725088,ATLANTIC SOUTH,2017,December,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-12-09 05:53:00,EST-5,2017-12-09 05:53:00,0,0,0,0,0.00K,0,0.00K,0,27.656,-80.376,27.656,-80.376,"A squall line with embedded thunderstorms moved off the central Florida coast. One of the thunderstorms produced strong winds as it moved from the mainland near Vero Beach to the Indian River.","The Vero Beach Airport ASOS (KVRB) observed a peak wind gust of 34 knots from the south-southwest as a strong thunderstorm exited the mainland and spread across the Indian River." +121440,726977,ALASKA,2017,December,Heavy Snow,"COPPER RIVER BASIN",2017-12-05 10:00:00,AKST-9,2017-12-06 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated warm front moved northward over Prince William Sound and the Copper River Basin. Overrunning brought extremely heavy snow to Thompson Pass, and a rain snow mix caused difficult travel through the Copper River Basin.","Eureka Lodge reported 14 inches of snowfall in 24 hours." +121442,726989,ALASKA,2017,December,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-12-11 06:25:00,AKST-9,2017-12-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 966mb low pressure system moved northward from the Gulf of Alaska to cross the Kenai Peninsula. The associated front rapidly moved onshore, causing winds to increase along the southern Gulf Coast.","Mesonet stations on the Upper Hillside reported close to 80 mph wind gusts." +121442,726991,ALASKA,2017,December,High Wind,"SERN P.W. SND",2017-12-10 23:35:00,AKST-9,2017-12-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 966mb low pressure system moved northward from the Gulf of Alaska to cross the Kenai Peninsula. The associated front rapidly moved onshore, causing winds to increase along the southern Gulf Coast.","Cordova Boat Harbor recorded two hours with gusts over 75 knots." +121447,727009,ALASKA,2017,December,High Wind,"BRISTOL BAY",2017-12-21 17:46:00,AKST-9,2017-12-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northward from the Gulf of Alaska to cross the Alaska Peninsula. It intensified to 976 mb as it did so, enhancing gap winds through the ranges. This caused high winds in southwest Alaska and the north side of the Alaska Peninsula.","The airport at Cape Newenham observed wind gusts to 85 mph." +121447,727011,ALASKA,2017,December,High Wind,"KUSKOKWIM DELTA",2017-12-21 17:46:00,AKST-9,2017-12-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved northward from the Gulf of Alaska to cross the Alaska Peninsula. It intensified to 976 mb as it did so, enhancing gap winds through the ranges. This caused high winds in southwest Alaska and the north side of the Alaska Peninsula.","Anchorage Daily News reported wind damage in Quinhagak. 85 mph winds were cited but could not be confirmed. An unfinished house blew across a road, and a utility shed blew over, trapping one person who was uninjured." +121449,727017,ALASKA,2017,December,Blizzard,"ALASKA PENINSULA",2017-12-31 04:55:00,AKST-9,2017-12-31 17:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex low pressure system over Bristol Bay brought a warm front through the Kenai Peninsula. Cold air was entrenched throughout Southcentral from a high pressure system in the Interior. This produced overrunning, which brought heavy snow and strong winds to the Kenai Peninsula.","Portage ASOS reported 12 hours of blizzard conditions. Blizzard conditions were also reported in the east end of Kachemak Bay by a spotter." +120892,723806,ALASKA,2017,December,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-12-05 09:00:00,AKST-9,2017-12-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"SE Alaska had significant warming on 12/5 with rain and in some instances heavy rain due to warm overrunning. The Klondike Highway got 4 inches of snow then freezing rain for very hazardous driving conditions on the day and evening of 12/5. No wrecks were reported but the impact was ice and snow removal.","The Klondike highway got 4 inches on new snow with freezing rain on 5/12. No wrecks were reported but the impact was snow and ice removal." +120948,723953,ALASKA,2017,December,Winter Storm,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-12-10 18:00:00,AKST-9,2017-12-11 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Warm overrunning heavy rain, but heavy snow at higher elevations Klondike Highway.","Alaska DOT measured 10 inches new snow at MP 14.8 at 0530 on 12/11. No damage or wrecks reported, but the impact was snow removal above 1500 FT." +121372,726523,KENTUCKY,2017,December,Flood,"TODD",2017-12-23 04:00:00,CST-6,2017-12-23 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-87.17,36.7109,-87.1463,"Copious amounts of moisture interacted with a cold front and an upper level disturbance to produce heavy rainfall over much of western Kentucky. The cold front moved slowly southeast across western Kentucky as the 500 mb shortwave tracked from the southern Plains to the middle Mississippi Valley.","Several roads in Guthrie were closed due to high water. Water was over Highway 181 near U.S. Highway 41 west of Guthrie. Water was also reported over Highway 848 north of Guthrie. Two to three inches of rain fell over the area in the preceding 12 hours or so." +113044,676103,VIRGINIA,2017,January,Heavy Snow,"BRUNSWICK",2017-01-06 22:00:00,EST-5,2017-01-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between three inches and twelve inches of snow across central, south central, and interior southeast Virginia.","Snowfall totals were generally between 6 inches and 10 inches across the county. Lawrenceville reported 8.5 inches of snow." +113264,677706,TENNESSEE,2017,January,Strong Wind,"ROBERTSON",2017-01-10 07:00:00,CST-6,2017-01-10 07:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty south gradient winds with peak gusts between 40 and 50 mph on January 10 caused some minor wind damage across northern Middle Tennessee.","A tree was blown down in the 9000 block of Highway 49 near Orlinda." +113264,677707,TENNESSEE,2017,January,Strong Wind,"SUMNER",2017-01-10 10:00:00,CST-6,2017-01-10 10:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty south gradient winds with peak gusts between 40 and 50 mph on January 10 caused some minor wind damage across northern Middle Tennessee.","A roof was blown off a barn in Castalian Springs." +113055,677689,CALIFORNIA,2017,January,Heavy Snow,"RIVERSIDE COUNTY MOUNTAINS",2017-01-20 03:30:00,PST-8,2017-01-21 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Rangers at the Long Valley Ranger Station reported 33 inches of new snow over a 24 hour period at 8,400 ft. Chain restrictions were required on local roadways." +113055,676272,CALIFORNIA,2017,January,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-20 07:00:00,PST-8,2017-01-20 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","The mesonet station in Burns Canyon reported wind gusts in excess of 70 mph between 1051 and 1351PST, with a peak of 99 mph between 1151 and 1251PST. Power lines were downed in Skyforest and Twin Peaks around 0930PST. A nearby mesonet station in Lake Arrowhead reported a peak gust of 50 mph between 0946 and 1001PST." +113288,677913,WEST VIRGINIA,2017,January,Winter Weather,"EASTERN PRESTON",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677915,WEST VIRGINIA,2017,January,Winter Weather,"WETZEL",2017-01-05 12:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677920,WEST VIRGINIA,2017,January,Winter Weather,"OHIO",2017-01-05 12:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113288,677919,WEST VIRGINIA,2017,January,Winter Weather,"MARSHALL",2017-01-05 12:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113238,677524,WASHINGTON,2017,January,Heavy Snow,"EASTERN STRAIT OF JUAN DE FUCA",2017-01-01 01:00:00,PST-8,2017-01-01 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Northeast low level flow associated with a Fraser outflow event produced heavy lowland snow along the Eastern Strait of Juan de Fuca.","Five CoCoRaHS stations reported heavy snow between midnight and noon of January 1, with amounts ranging from 3.5 to 7.0 inches." +113291,677923,OHIO,2017,January,Winter Weather,"MUSKINGUM",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113291,677924,OHIO,2017,January,Winter Weather,"GUERNSEY",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +115700,695252,LOUISIANA,2017,April,Thunderstorm Wind,"CALCASIEU",2017-04-30 04:00:00,CST-6,2017-04-30 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.17,-93.16,30.17,-93.16,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A mobile home was flipped in South Lake Charles. The trailer was not tied down." +115700,695253,LOUISIANA,2017,April,Thunderstorm Wind,"VERMILION",2017-04-30 04:35:00,CST-6,2017-04-30 04:35:00,0,0,0,0,0.00K,0,0.00K,0,29.97,-92.12,29.97,-92.12,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Scattered reports of trees and power lined down in Vermilion Parish." +115700,695254,LOUISIANA,2017,April,Thunderstorm Wind,"JEFFERSON DAVIS",2017-04-30 04:35:00,CST-6,2017-04-30 04:35:00,0,0,0,0,10.00K,10000,0.00K,0,30.24,-92.92,30.24,-92.92,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Scattered reports of trees and power lines down in Jefferson Davis Parish." +112225,673922,KANSAS,2017,January,Ice Storm,"OSBORNE",2017-01-15 00:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +113222,677400,TEXAS,2017,January,Wildfire,"BROOKS",2017-01-22 11:00:00,CST-6,2017-01-25 08:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A perfect storm of atmospheric and surface conditions led to the development of very dangerous fire weather conditions on January 22nd. First, two nights of subfreezing temperatures combined with very dry air on January 7th and 8th cured fine fuels (mainly grasses and brush) across the South Texas Brush Country. Second, a heat spike on January 21st brought mid to upper 90s temperatures and afternoon humidity below 10 percent in some areas. Finally, a front surged across Deep South Texas early on the 22nd, followed by wind gusts up to 50 mph, humidity crashing below 10 percent, and temperatures still warming into the 80s. A downed power line sparked a fire near the Hopper Ranch in western Brooks County, which soon grew to 8,000 acres.","An wildfire, sparked by a downed power line possibly due to 50 mph wind gusts, grew explosively to 8,000 acres in just a few hours - driven by continued 40 to 45 mph wind gusts, relative humidity crashing below 10 percent, warm temperatures into the 80s, and recently cured fine and moderate fuels (grass and brush). Multiple fire fighting units from the Rio Grande Valley to the South Texas Brush Country and Coastal Bend fought the fire, which was controlled and contained during the 24 hours that followed as lighter winds and higher humidity arrived. There were no reports of structure damage and other damage estimates were unknown as of late March." +113022,675580,MISSISSIPPI,2017,January,Tornado,"CLAIBORNE",2017-01-02 13:14:00,CST-6,2017-01-02 13:20:00,0,0,0,0,40.00K,40000,0.00K,0,31.8337,-90.8228,31.8654,-90.7352,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado started on Moss Down Lane and tracked northeast for just over 5 miles. The heaviest damage occurred where it crossed Highway 547. Here many trees were snapped and uprooted along with power lines down and damage to a few sheds. The remainder of the path consisted of damage to trees. Maximum estimated winds were 95 mph." +113022,675781,MISSISSIPPI,2017,January,Tornado,"LINCOLN",2017-01-02 13:21:00,CST-6,2017-01-02 13:22:00,0,0,0,0,25.00K,25000,0.00K,0,31.6904,-90.5888,31.6983,-90.5707,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down southwest of Norton Assink Road in northwest Lincoln County and tracked northeast into southern Copiah County. The heaviest damage was along Jackson-Liberty Road, Old Red Star Road and Shady Grove Lane. Heavy tree damage occurred at this location. Historic Sweetwater Methodist Church was damaged where it was pushed off its foundation. Moderate wall damage occurred due to this. Further northeast along the path, several sheds were damaged and some minor roof damage was noted to a few homes. The tornado crossed Sylvarena Road where more trees were down and a mobile home had the roof blown off along Brownswell Road. The tornado dissipated just to the northeast of there. Maximum estimated winds for the entire tornado path was 110mph, but max winds in Lincoln County was 105mph. Total path length was 6.8 miles and total width was 300 yards." +113022,675784,MISSISSIPPI,2017,January,Tornado,"COPIAH",2017-01-02 13:22:00,CST-6,2017-01-02 13:28:00,0,0,0,0,400.00K,400000,0.00K,0,31.6983,-90.5707,31.7354,-90.4858,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down southwest of Norton Assink Road in northwest Lincoln County and tracked northeast into southern Copiah County. The heaviest damage was along Jackson-Liberty Road, Old Red Star Road and Shady Grove Lane. Heavy tree damage occurred at this location. Historic Sweetwater Methodist Church was damaged where it was pushed off its foundation. Moderate wall damage occurred due to this. Further northeast along the path, several sheds were damaged and some minor roof damage was noted to a few homes. The tornado crossed Sylvarena Road where more trees were down and a mobile home had the roof blown off along Brownswell Road. The tornado dissipated just to the northeast of there. Maximum estimated winds for the entire tornado path, as well as in Copiah County, was 110mph. Total path length was 6.8 miles and total width was 300 yards." +113817,682598,MICHIGAN,2017,February,Tornado,"ST. JOSEPH",2017-02-28 21:38:00,EST-5,2017-02-28 21:40:00,0,0,0,0,0.00K,0,0.00K,0,41.9176,-85.4913,41.9275,-85.454,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Tornado touched down a field southwest of the intersection of M-86 and Rambadt Rd and tracked rapidly northeast, causing damage to several trees near the above intersection. One of the trees penetrated the roof of a shed and also crushed part |of a RV trailer with another RV trailer being pushed over. The tornado then crossed Truckenmiller Rd and caused roof damage to a large barn as well as a smaller outbuilding. The tornado began to weaken and track more easterly knocking over additional trees and causing shingle damage to a residence on Truckenmiller Rd west of|Nottawa Rd. The tornado then lifted before reaching Nottawa Rd. Maximum wind speeds were estimated at 90 mph." +113817,682749,MICHIGAN,2017,February,Thunderstorm Wind,"CASS",2017-02-28 21:18:00,EST-5,2017-02-28 21:19:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-85.8,41.85,-85.8,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","A trained spotter reported a large tree was blown down onto a local road." +113817,682750,MICHIGAN,2017,February,Thunderstorm Wind,"ST. JOSEPH",2017-02-28 21:25:00,EST-5,2017-02-28 21:26:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-85.45,41.93,-85.45,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Dispatch reported a tree was blown down onto a power line." +112339,669788,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-14 09:41:00,CST-6,2017-02-14 09:41:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Wind gust was measured at Surfside Beach WeatherFlow site XSRF." +112339,669789,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-02-14 10:00:00,CST-6,2017-02-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Wind gust was measured at offshore platform KBQX." +121208,725641,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:12:00,EST-5,2017-10-15 16:12:00,0,0,0,0,8.00K,8000,0.00K,0,43,-77.32,43,-77.32,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725642,NEW YORK,2017,October,Thunderstorm Wind,"WAYNE",2017-10-15 16:15:00,EST-5,2017-10-15 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.14,-77.25,43.14,-77.25,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121377,726542,MISSOURI,2017,December,Strong Wind,"SCOTT",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726543,MISSOURI,2017,December,Strong Wind,"STODDARD",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726544,MISSOURI,2017,December,Strong Wind,"WAYNE",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121379,726549,INDIANA,2017,December,Dense Fog,"GIBSON",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121379,726550,INDIANA,2017,December,Dense Fog,"PIKE",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121379,726551,INDIANA,2017,December,Dense Fog,"POSEY",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121379,726552,INDIANA,2017,December,Dense Fog,"SPENCER",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121379,726553,INDIANA,2017,December,Dense Fog,"VANDERBURGH",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121379,726554,INDIANA,2017,December,Dense Fog,"WARRICK",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed southwest Indiana. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726555,KENTUCKY,2017,December,Dense Fog,"DAVIESS",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +115971,697012,NEW YORK,2017,April,Flood,"LIVINGSTON",2017-04-20 21:50:00,EST-5,2017-04-20 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,42.9176,-77.6241,42.9225,-77.5982,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +113962,682483,NEW YORK,2017,February,Lake-Effect Snow,"CATTARAUGUS",2017-02-15 14:00:00,EST-5,2017-02-16 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"While this event included some noteworthy lake snow accumulations the impacts were minimized by the extended time frame of the event and the location of the heaviest snows away from highly populated areas. The event unfolded on Wednesday the 15th as a strong cold front passed through the region. The front itself helped to generate a couple inches of synoptic snow for many areas, then as the cold air deepened in the wake of the front during the afternoon, lake effect snows developed. The snow was exclusively lake effect in nature by Wednesday evening for sites east of Lake Erie. A closer look at the lake effect downwind of Lake Erie reveals that the accumulating lake snows were not only enhanced by the orographic lift provided by the Chautauqua Ridge but were fed by streamers off Lake Huron. The peak of the lake snows occurred early Thursday morning, then during the course of the day, a subtle backing of the steering flow broke down the contributions of the upstream lake connections. Specific snowfall reports included: 17 inches at Perrysburg; 14 inches at Colden; 12 inches at New Albion; 11 inches at Warsaw and Little Valley; 10 inches at Varysburg and Sardinia, Colden, Springville and Forestville; and 9 inches at Glenwood, Randolph and Cassadaga.","" +113962,682485,NEW YORK,2017,February,Lake-Effect Snow,"WYOMING",2017-02-15 14:00:00,EST-5,2017-02-16 13:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"While this event included some noteworthy lake snow accumulations the impacts were minimized by the extended time frame of the event and the location of the heaviest snows away from highly populated areas. The event unfolded on Wednesday the 15th as a strong cold front passed through the region. The front itself helped to generate a couple inches of synoptic snow for many areas, then as the cold air deepened in the wake of the front during the afternoon, lake effect snows developed. The snow was exclusively lake effect in nature by Wednesday evening for sites east of Lake Erie. A closer look at the lake effect downwind of Lake Erie reveals that the accumulating lake snows were not only enhanced by the orographic lift provided by the Chautauqua Ridge but were fed by streamers off Lake Huron. The peak of the lake snows occurred early Thursday morning, then during the course of the day, a subtle backing of the steering flow broke down the contributions of the upstream lake connections. Specific snowfall reports included: 17 inches at Perrysburg; 14 inches at Colden; 12 inches at New Albion; 11 inches at Warsaw and Little Valley; 10 inches at Varysburg and Sardinia, Colden, Springville and Forestville; and 9 inches at Glenwood, Randolph and Cassadaga.","" +112977,675111,WYOMING,2017,February,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-02-06 08:00:00,MST-7,2017-02-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Very heavy snow fell across the Salt and Wyoming range. The highest amount recorded was 32 inches at the Indian Creek SNOTEL. Other impressive amounts included 23 inches at the Willow Creek SNOTEL and 22 inches at Commissary Ridge." +112977,675113,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-02-06 12:00:00,MST-7,2017-02-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow occurred in much of the western slopes of the Tetons. The maximum snowfall amount was 20 inches at the Kendall Ranger Station. A combination of snow and strong wind closed South Pass for several hours as well." +113990,682697,CALIFORNIA,2017,February,Heavy Rain,"MARIPOSA",2017-02-09 07:45:00,PST-8,2017-02-10 07:45:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","Trained Spotter near Ponderosa Basin in Mariposa County reported a 24 hour rainfall total of 1.66 inches. Also reported a season total of 55.56 inches." +113990,682684,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-10 10:39:00,PST-8,2017-02-10 13:39:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-120.25,37.324,-120.2485,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported both lanes on Highway 140 near North Cunningham Road were affected from moderate to heavy rain for the previous 2 to 3 hours." +113990,682685,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-10 14:17:00,PST-8,2017-02-10 14:17:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-120.07,37.482,-120.0623,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported one lane partially blocked due to debris on Highway 140 near Mt. Bullion Cut Off Road." +113990,682686,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-10 14:22:00,PST-8,2017-02-10 14:22:00,0,0,0,0,0.00K,0,0.00K,0,37.45,-120,37.4533,-120.0009,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported a stranded vehicle on Guadalupe Creek Road near Yaqui Gulch Road with 100 feet of flood water running on both sides." +112338,681506,TEXAS,2017,February,Tornado,"FORT BEND",2017-02-14 08:27:00,CST-6,2017-02-14 08:30:00,0,0,0,0,500.00K,500000,,NaN,29.5414,-95.7016,29.5376,-95.6927,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-0 tornado touched down on the west side of Crabb River Road about a mile north of FM 762 and then crossed Crabb River Road into the Tara subdivision where several homes suffered roof, fence and tree damage. Spotty roof and tree damage continued generally eastward across the entire subdivision and into the western section of Greatwood in a well defined path. Security footage from nearby Valasquez Elementary showed very strong shifting winds near the tornado. A police officer experienced very strong winds from the west, then the passage of the small tornado south of the school suggesting perhaps a satellite tornado on the southern flank of the larger circulation may have been responsible for the more significant damage. Estimated peak winds were 80 mph." +112338,681495,TEXAS,2017,February,Tornado,"FORT BEND",2017-02-14 08:34:00,CST-6,2017-02-14 08:36:00,0,0,0,0,200.00K,200000,,NaN,29.6335,-95.5668,29.6295,-95.5626,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-0 tornado tracked southeastward through the northern part of Stafford and shattered windows in a business area just west of the intersection of FM 1092 and Mula Rd. A 400 pound AC unit was shifted on the roof. Numerous greenhouses were damaged at a nursery along FM 1092. Southeast of the nursery, metal storage buildings were damaged or destroyed. There was more spotty wind damage beyond the end of the more continuous track. An eyewitness observed swirling debris as the storm moved through. The shifting winds were also observed from a gas station security video. Estimated peak winds were 80 mph." +112338,681496,TEXAS,2017,February,Tornado,"FORT BEND",2017-02-14 08:38:00,CST-6,2017-02-14 08:41:00,0,0,0,0,150.00K,150000,,NaN,29.592,-95.5819,29.5988,-95.5719,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-0 tornado touched down near Dulles Ave north of Lexington Park Elementary but did little damage to the surrounding subdivision. A better defined damage path was found to the northeast in Brightwood Estates with several homes suffering minor damage to roofs and fences along the southwest to northeast track. Two chimneys were ripped off houses. Numerous witnesses observed swirling debris. Estimated peak winds were 80 mph." +112338,681494,TEXAS,2017,February,Tornado,"BRAZORIA",2017-02-14 08:40:00,CST-6,2017-02-14 08:45:00,0,0,0,0,100.00K,100000,,NaN,29.0364,-95.746,29.0494,-95.7263,"Several morning tornadoes developed as a storm system moved eastward across the state.","This EF-0 tornado touched down along CR 321 and then dissipated near the intersection of FM 524 and CR 321. Damage was mainly to trees and power lines. Estimated peak winds were 75 mph." +112338,681536,TEXAS,2017,February,Thunderstorm Wind,"GALVESTON",2017-02-14 09:50:00,CST-6,2017-02-14 09:50:00,0,0,0,0,4.00K,4000,0.00K,0,29.4287,-94.6896,29.4287,-94.6896,"Several morning tornadoes developed as a storm system moved eastward across the state.","Six power poles were blown down near the intersection of Highway 87 and Helen Blvd." +112663,673205,NEW MEXICO,2017,February,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-02-28 10:15:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Chupadera RAWS reported a peak wind gust up to 59 mph." +112663,673207,NEW MEXICO,2017,February,High Wind,"UPPER TULAROSA VALLEY",2017-02-28 10:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","A public weather station along U.S. Highway 54 north of Carrizozo reported a peak wind gust up to 60 mph." +112554,671473,MINNESOTA,2017,February,Winter Storm,"LE SUEUR",2017-02-23 20:00:00,CST-6,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 2 to 9 inches of snow that fell Thursday evening, through Friday morning. The heaviest totals were near the far southeast corner of the county which received 9 inches. Only a light dusting occurred in the far northwest part of the county." +115220,691794,IOWA,2017,April,Flood,"WAPELLO",2017-04-05 17:19:00,CST-6,2017-04-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-92.21,40.92,-92.2,"River flooding occurred from heavy rain along the Des Moines River at Ottumwa.","" +114605,687316,MINNESOTA,2017,April,Hail,"MOWER",2017-04-09 19:11:00,CST-6,2017-04-09 19:11:00,0,0,0,0,0.00K,0,0.00K,0,43.66,-93,43.66,-93,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","" +114605,687318,MINNESOTA,2017,April,Hail,"DODGE",2017-04-09 19:40:00,CST-6,2017-04-09 19:40:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.7,44.03,-92.7,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported east of Kasson." +113525,681136,NEBRASKA,2017,February,Winter Weather,"MERRICK",2017-02-23 16:00:00,CST-6,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.5 inches occurred four miles east northeast of St. Libory and 1.5 inches occurred in Central City. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,681137,NEBRASKA,2017,February,Winter Weather,"POLK",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 4.8 inches occurred three miles northeast of Shelby and 3.2 inches occurred in Osceola. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681139,NEBRASKA,2017,February,Winter Weather,"BUFFALO",2017-02-23 16:00:00,CST-6,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.7 inches occurred in Miller; 3.6 inches occurred at the Kearney Airport; and 3.0 inches fell in Ravenna. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,681140,NEBRASKA,2017,February,Winter Weather,"DAWSON",2017-02-23 16:00:00,CST-6,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 4.0 inches occurred six miles southwest of Lexington; 3.5 inches occurred 7 miles east of Cozad; and 3.2 inches fell one mile east of Lexington. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,681141,NEBRASKA,2017,February,Winter Weather,"HALL",2017-02-23 16:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.5 inches occurred two miles north of Cairo and 2.9 inches occurred at the Central Nebraska Regional Airport in Grand Island. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also at least a few hours of light freezing drizzle before most of the snow fell, with 0.14 inches of horizontal ice accrual measured by the Grand Island ASOS." +113525,681142,NEBRASKA,2017,February,Winter Weather,"HAMILTON",2017-02-23 16:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 2.3 inches occurred four miles north of Aurora. Snow came in two bursts.The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113007,683173,VERMONT,2017,February,Thunderstorm Wind,"ORANGE",2017-02-25 20:15:00,EST-5,2017-02-25 20:15:00,0,0,0,0,50.00K,50000,0.00K,0,43.8973,-72.2157,43.8973,-72.2157,"Warm temperatures the last week of February started snow melt, and 1/2 to 1 inch of rainfall ahead of a cold front on Saturday 2/25 caused significant river rises and ice break up. Ice jam flooding closed roads, and river flooding had minor impacts. In addition, A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across Vermont during the afternoon of February 25th. Yet, a strong cold front moved through during the evening hours and developed several lines of heavy rain showers and a few embedded thunderstorms. One particularly strong to severe thunderstorm moved across portions of the Connecticut River Valley and caused some tree and structural damage to seasonal camps on the northern portion of Lake Fairlee.","Scattered roof, tree and power line damage due to strong to severe winds in convective showers and embedded thunderstorms. The hardest hit was the Aloha foundation off Route 244 on the northern edge of Lake Fairlee." +113524,681308,NEBRASKA,2017,February,Flood,"HALL",2017-02-03 08:00:00,CST-6,2017-02-06 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.8272,-98.4045,40.8056,-98.4016,"Although it was not the only ice jam-related flooding of the winter along the Platte River in the Hall County area, the generally minor flooding that occurred between Friday the 3rd and Monday the 6th was likely the most persistent and noticeable round of the season. The initial flooding report arrived on the morning of the 3rd, as water along one of the middle channels began spilling into fields near Locust Street a short distance north of Interstate 80, covering the road leading to Camp Augustine. Over the course of the next few days, flooding receded in the Locust St. area, but worsened slightly upstream near the Interstate 80/Highway 281 interchange, where waters inundated fields and reached the parking lot of the hotel just southwest of the Interchange. The situation remained fairly steady-state until sometime late on the 6th or early on the 7th, when water receded and flows returned to normal. ||When examining temperature trends, this multi-day round of ice jamming fit a typically favorable, fluctuating pattern. Leading up to ice jam formation, temperatures from Jan. 28-31 were relatively mild, averaging over 12 degrees above normal. This was followed by an abrupt transition to colder weather Feb. 1-3, with sub-freezing highs and overnight lows averaging 17 degrees, promoting ice formation. Then from the 4th-6th, milder daytime highs of 55/41/49 allowed the ice to break up.","Ice jam flooding occurred for a few days along the middle channels of the Platte River, primarily from near the Interstate 80/Highway 281 interchange, downstream to around Locust Street. On the western edge of the flooding area, waters covered fields near the intersection of Interstate 80 and U.S. Highway 281, and reached the parking lot and access road of a nearby a restaurant and hotel. Slightly downstream, additional flooding occurred near Locust St. north of Interstate 80, where the road leading to Camp Augustine was water-covered from Feb. 3rd-4th." +112433,683500,CALIFORNIA,2017,February,Flash Flood,"ALAMEDA",2017-02-20 18:30:00,PST-8,2017-02-20 22:10:00,0,0,0,0,0.00K,0,0.00K,0,37.633,-121.8907,37.6153,-121.885,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Stream gauge on the Arroyo de la Laguna at Verona exceeded flood stage between 6:30 pm and 10 pm on February 20." +112433,681642,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 17:11:00,PST-8,2017-02-20 19:11:00,0,0,0,0,0.00K,0,0.00K,0,37.6225,-121.9065,37.6222,-121.907,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Water and mud running across roadway 2000 Kilkare Rd." +112433,681993,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 13:05:00,PST-8,2017-02-21 15:05:00,0,0,0,0,0.00K,0,0.00K,0,37.1534,-121.6525,37.1531,-121.6521,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","US101N at Cochrane Rd closed due to flooding." +112433,681999,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-20 08:36:00,PST-8,2017-02-20 10:36:00,0,0,0,0,0.00K,0,0.00K,0,36.8539,-121.7064,36.8537,-121.7065,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree and mudslide blocking whole road...Live Oak Rd at Mcginnis Rd." +113990,682693,CALIFORNIA,2017,February,Flood,"MADERA",2017-02-10 17:36:00,PST-8,2017-02-10 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37,-120.08,37.0014,-120.0664,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","California Highway Patrol reported roadway flooding on Road 26 at Avenue 17 in Madera Acres." +114018,682842,OREGON,2017,February,Heavy Rain,"MULTNOMAH",2017-02-05 05:00:00,PST-8,2017-02-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,45.484,-122.337,45.484,-122.337,"A series of fronts brought heavy rain over several days leading to several landslides across Northwest Oregon.","Multnomah County Sheriff's Office reported flooding and a sinkhole near the 31700 block of SE Pipeline Rd." +112433,683499,CALIFORNIA,2017,February,Flash Flood,"ALAMEDA",2017-02-20 09:30:00,PST-8,2017-02-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,37.5914,-121.9622,37.5845,-121.9532,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Stream gauge on Alameda Creek at Niles was above flood stage between 9:30 am on February 20 and 1:00 pm on February 21." +115098,691505,OKLAHOMA,2017,April,Hail,"SEQUOYAH",2017-04-28 22:15:00,CST-6,2017-04-28 22:15:00,0,0,0,0,0.00K,0,0.00K,0,35.3902,-94.4472,35.3902,-94.4472,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691507,OKLAHOMA,2017,April,Hail,"MUSKOGEE",2017-04-28 22:33:00,CST-6,2017-04-28 22:33:00,0,0,0,0,0.00K,0,0.00K,0,35.7355,-95.37,35.7355,-95.37,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691524,OKLAHOMA,2017,April,Hail,"CHEROKEE",2017-04-29 00:33:00,CST-6,2017-04-29 00:33:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-94.97,35.92,-94.97,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691606,OKLAHOMA,2017,April,Hail,"CHOCTAW",2017-04-29 15:00:00,CST-6,2017-04-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-95.87,34.03,-95.87,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691608,OKLAHOMA,2017,April,Hail,"PITTSBURG",2017-04-29 15:10:00,CST-6,2017-04-29 15:10:00,0,0,0,0,0.00K,0,0.00K,0,34.845,-95.5587,34.845,-95.5587,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +113200,678235,PENNSYLVANIA,2017,January,Thunderstorm Wind,"LAWRENCE",2017-01-12 14:30:00,EST-5,2017-01-12 14:30:00,0,0,0,0,0.50K,500,0.00K,0,40.9004,-80.277,40.9004,-80.277,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported a tree down on Old Pittsburgh Road." +113200,678267,PENNSYLVANIA,2017,January,Thunderstorm Wind,"CLARION",2017-01-12 14:51:00,EST-5,2017-01-12 14:51:00,0,0,0,0,0.50K,500,0.00K,0,41.15,-79.4,41.15,-79.4,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported tree down." +112362,670051,FLORIDA,2017,February,Thunderstorm Wind,"JACKSON",2017-02-07 16:50:00,CST-6,2017-02-07 16:50:00,0,0,0,0,0.00K,0,0.00K,0,30.7143,-85.1857,30.7143,-85.1857,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down near Magnolia Road and the SR-71 intersection." +112362,670052,FLORIDA,2017,February,Thunderstorm Wind,"CALHOUN",2017-02-07 16:57:00,CST-6,2017-02-07 16:57:00,0,0,1,0,0.00K,0,0.00K,0,30.58,-85.02,30.58,-85.02,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Strong winds uprooted a large tree which fell onto a person, resulting in a fatality." +112362,670053,FLORIDA,2017,February,Thunderstorm Wind,"CALHOUN",2017-02-07 16:45:00,CST-6,2017-02-07 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,30.55,-85.33,30.29,-85.09,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Several trees and power lines were blown down across Calhoun county." +112362,670054,FLORIDA,2017,February,Thunderstorm Wind,"CALHOUN",2017-02-07 17:00:00,CST-6,2017-02-07 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.44,-85.04,30.44,-85.04,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down onto a house in Blountstown. Damage was estimated." +112362,670055,FLORIDA,2017,February,Thunderstorm Wind,"GULF",2017-02-07 17:25:00,CST-6,2017-02-07 17:25:00,0,0,0,0,5.00K,5000,0.00K,0,30.11,-85.19,30.11,-85.19,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Power lines were blown down in the Wewahitchka area." +112362,670056,FLORIDA,2017,February,Thunderstorm Wind,"BAY",2017-02-07 17:30:00,CST-6,2017-02-07 17:30:00,0,0,0,0,3.00K,3000,0.00K,0,30.47,-85.42,30.47,-85.42,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A healthy pine tree was blown down onto a truck, causing damage to the truck bed. Damage cost was estimated." +113321,678175,OKLAHOMA,2017,February,Drought,"LE FLORE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +113791,681239,OKLAHOMA,2017,February,Wildfire,"LE FLORE",2017-02-08 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +113791,681240,OKLAHOMA,2017,February,Wildfire,"PUSHMATAHA",2017-02-08 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +113791,681241,OKLAHOMA,2017,February,Wildfire,"CHEROKEE",2017-02-11 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +113791,681243,OKLAHOMA,2017,February,Wildfire,"MUSKOGEE",2017-02-11 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +114785,692979,KANSAS,2017,May,Flood,"BARTON",2017-05-18 16:07:00,CST-6,2017-05-20 12:33:00,0,0,0,0,0.00K,0,0.00K,0,38.428,-98.8632,38.3267,-98.8797,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Wide spread nuisance flooding was reported across all on the county. Many roads had water crossing them, however, no threat to life or property was reported." +116090,699226,MINNESOTA,2017,May,Thunderstorm Wind,"OLMSTED",2017-05-17 18:11:00,CST-6,2017-05-17 18:11:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-92.5,43.91,-92.5,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","The automated weather observing equipment at the Rochester airport measured a wind gust of 66 mph." +116090,699516,MINNESOTA,2017,May,Hail,"WINONA",2017-05-17 15:47:00,CST-6,2017-05-17 15:47:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-91.44,43.9,-91.44,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","Quarter sized hail was reported in Nodine." +116090,699527,MINNESOTA,2017,May,Thunderstorm Wind,"WINONA",2017-05-17 15:19:00,CST-6,2017-05-17 15:19:00,0,0,0,0,2.00K,2000,0.00K,0,44.07,-91.94,44.07,-91.94,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","A few trees were blown down in Altura." +116090,699981,MINNESOTA,2017,May,Tornado,"WABASHA",2017-05-17 18:35:00,CST-6,2017-05-17 18:36:00,0,0,0,0,10.00K,10000,0.00K,0,44.1286,-92.2541,44.1324,-92.2539,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","An EF-0 tornado briefly touched down in Elgin. It produced a short path of tree and roof shingle damage." +116787,702315,MINNESOTA,2017,May,Flood,"WABASHA",2017-05-21 16:15:00,CST-6,2017-05-28 02:35:00,0,0,0,0,0.00K,0,0.00K,0,44.4055,-92.084,44.4033,-92.0601,"Runoff from several heavy rain events caused flooding to occur along the Mississippi River in late May. The river went out of its banks at Wabasha (Wabasha County) and Winona (Winona County).","Runoff from several heavy rain events pushed the Mississippi River out of its banks in Wabasha. The river crested less than a foot above the flood stage at 12.68 feet." +113960,682476,NEW YORK,2017,February,Lake-Effect Snow,"NORTHERN CAYUGA",2017-02-03 17:00:00,EST-5,2017-02-04 06:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A single band of lake effect snow developed on a cold, westerly wind. This produced a period of heavy snow across southern Oswego County and the far northern end of Cayuga County from Fair Haven to Fulton. The band of snow then moved northward to the Tug Hill region during the evening of the 2nd and remained in place overnight, slowly intensifying as cold air deepened over Lake Ontario. During the day on February 3rd, the lake effect snow focused on the Tug Hill Plateau and remained in place through the day and evening. This phase of the event dropped the heaviest snow across the Tug Hill, with snowfall rates of around 3 inches per hour for much of the day, producing an additional 3 feet of accumulation in the most persistent bands. Heavy snow also fell in a narrow strip across the lower elevations close to the lake, from Pulaski to Mannsville along the interstate 81 corridor. Lake snows moved back south into southern Oswego and far northern Cayuga counties on the evening of the 3rd with additional heavy snow. Finally, on the 4th winds became more westerly again, carrying moderate to heavy lake effect snow back north across the Tug Hill Plateau with additional accumulations. The lake effect snow then weakened by late in the day on the 4th. Specific snowfall reports included: 54 inches at Redfield; 38 inches at Lacona: 32 inches at Osceola; 24 inches at Pulaski; 20 inches at Fulton and Constableville; 19 inches at Highmarket and Fairhaven; 17 inches at Bennetts Bridge; 15 inches at Minetto and Hooker; 12 inches at Palermo and Oswego; 11 inches at Sterling; and 10 inches at Croghan.","" +113961,682478,NEW YORK,2017,February,Lake-Effect Snow,"MONROE",2017-02-09 23:00:00,EST-5,2017-02-10 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A quick-hitting but intense band of lake effect snow brought a foot to a foot and a half of snow across portions of Wayne and Cayuga counties. Lake effect snow developed behind a departing coastal nor'easter as cold air spilled across the region on a northwesterly flow. The northwesterly flow became perfectly aligned from Lake Superior across the Georgian Bay to Lake Ontario Thursday night into Friday morning. This helped to organize and lock-in an intense single band of lake effect snow that came on shore in northeast Monroe County, and centered across central Wayne County to southwestern portions of Syracuse through Friday morning. By mid-day Friday, warm air advection ahead of an approaching clipper system weakened the lake effect plume and eventually broke it up. While snowfall rates were likely over 2 to 3 inches per hour at times early Friday based on observed snowfall amounts, impacts were relatively low as the heaviest snow fell over more rural areas. Specific snowfall reports included: 18 inches at Lyons; 14 inches at Williamson; 13 inches at Marion; 12 inches at Newark, Wolcott, Sodus, Walworth and Conquest; 9 inches at Cato; and 8 inches at Webster and Ontario.","" +113640,680243,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-09 20:02:00,CST-6,2017-04-09 20:02:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-96.6,40.53,-96.6,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680245,NEBRASKA,2017,April,Hail,"SALINE",2017-04-09 20:00:00,CST-6,2017-04-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4,-96.92,40.4,-96.92,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680241,NEBRASKA,2017,April,Hail,"SALINE",2017-04-09 19:59:00,CST-6,2017-04-09 19:59:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-96.96,40.48,-96.96,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680242,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-09 20:02:00,CST-6,2017-04-09 20:02:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-96.6,40.53,-96.6,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680246,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-09 20:12:00,CST-6,2017-04-09 20:12:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-96.51,40.59,-96.51,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680248,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-09 20:17:00,CST-6,2017-04-09 20:17:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-96.51,40.6,-96.51,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +112948,674979,WYOMING,2017,February,High Wind,"CODY FOOTHILLS",2017-02-03 23:45:00,MST-7,2017-02-04 01:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","The wind sensor west of Clark had several wind gusts past 58 mph, including a maximum of 76 mph." +113555,679812,WYOMING,2017,February,Winter Storm,"LANDER FOOTHILLS",2017-02-23 00:00:00,MST-7,2017-02-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","At the Lander airport, 16 inches of snow fell. Snowfall amounts around the Lander foothills generally ranged from 9 to 18 inches." +113555,679813,WYOMING,2017,February,Winter Storm,"WIND RIVER BASIN",2017-02-23 00:00:00,MST-7,2017-02-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Heavy snow fell through portions of the Wind River Basin. At the Riverton airport, 13 inches of snow was measured with 9 to 12 inches through the city of Riverton. Further north, downsloping flow off of the Owl Creek Mountains kept accumulations lower. At Boyson Dam, there was 6 inches of snow." +113683,682065,NEBRASKA,2017,April,Hail,"PIERCE",2017-04-15 17:05:00,CST-6,2017-04-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-97.53,42.2,-97.53,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682066,NEBRASKA,2017,April,Hail,"MADISON",2017-04-15 17:10:00,CST-6,2017-04-15 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-97.78,41.75,-97.78,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682067,NEBRASKA,2017,April,Hail,"PIERCE",2017-04-15 17:18:00,CST-6,2017-04-15 17:18:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-97.45,42.11,-97.45,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682064,NEBRASKA,2017,April,Hail,"KNOX",2017-04-15 17:05:00,CST-6,2017-04-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,42.45,-97.72,42.45,-97.72,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682075,NEBRASKA,2017,April,Hail,"STANTON",2017-04-15 17:30:00,CST-6,2017-04-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-97.34,42.07,-97.34,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +114036,682979,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-02-22 15:14:00,EST-5,2017-02-22 15:14:00,0,0,0,0,0.00K,0,0.00K,0,24.8513,-80.6177,24.8513,-80.6177,"Convective rain showers developed along the southern periphery of a deep cyclonic circulation centered over the Florida Peninsula. Isolated gale-force wind gusts occurred in association with the rain showers as they moved quickly toward the east southeast offshore the Upper Florida Keys.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +114036,682982,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-02-22 16:45:00,EST-5,2017-02-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Convective rain showers developed along the southern periphery of a deep cyclonic circulation centered over the Florida Peninsula. Isolated gale-force wind gusts occurred in association with the rain showers as they moved quickly toward the east southeast offshore the Upper Florida Keys.","A wind gust of 35 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +121287,726067,INDIANA,2017,December,Winter Storm,"MARSHALL",2017-12-24 10:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 4 and 8 inches, heaviest north of US 30. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +121287,726068,INDIANA,2017,December,Winter Weather,"STARKE",2017-12-24 10:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121217,725736,NEW YORK,2017,October,High Wind,"WAYNE",2017-10-30 05:00:00,EST-5,2017-10-30 16:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +121217,725737,NEW YORK,2017,October,High Wind,"NORTHERN CAYUGA",2017-10-30 07:10:00,EST-5,2017-10-30 16:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +121217,725738,NEW YORK,2017,October,High Wind,"OSWEGO",2017-10-30 05:54:00,EST-5,2017-10-30 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +113993,682712,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 18:15:00,PST-8,2017-02-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,35.0616,-119.0041,35.0636,-118.9975,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding at State Route 166 and Interstate 5 and the on-ramp to northbound Interstate 5 near Mettler." +121217,725739,NEW YORK,2017,October,High Wind,"OSWEGO",2017-10-30 06:48:00,EST-5,2017-10-30 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +113993,682713,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 18:38:00,PST-8,2017-02-17 18:38:00,0,0,0,0,0.00K,0,0.00K,0,34.8214,-119.0111,34.823,-119.0035,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding at the intersection of Pine Road and Lockwood Valley Road near Lake of the Woods." +113993,682714,CALIFORNIA,2017,February,Flood,"TULARE",2017-02-17 22:11:00,PST-8,2017-02-17 22:11:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-119.29,36.0574,-119.2904,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding on Road 128 between State Route and Avenue 152 east of Tipton." +113993,682715,CALIFORNIA,2017,February,Flood,"KERN",2017-02-17 23:09:00,PST-8,2017-02-17 23:09:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-118.91,35.0968,-118.9096,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding across the intersection of Wheeler Ridge Road and David Road south of Meridian." +113993,682716,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-20 11:48:00,PST-8,2017-02-20 11:48:00,0,0,0,0,0.00K,0,0.00K,0,36.7285,-119.2981,36.736,-119.2901,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reports road flooding at intersection of Highway 180 and Highway 63 southwest of Squaw Valley." +113993,682717,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-20 20:34:00,PST-8,2017-02-20 20:34:00,0,0,0,0,0.00K,0,0.00K,0,37.4166,-120.8475,37.4236,-120.847,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","California Highway Patrol reported road flooding at State Route 165 and August Avenue north of Hilmar." +113503,682430,MISSOURI,2017,February,Hail,"MARION",2017-02-28 20:46:00,CST-6,2017-02-28 20:50:00,0,0,0,0,0.00K,0,0.00K,0,39.7447,-91.4248,39.7146,-91.3815,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113504,682433,ILLINOIS,2017,February,Hail,"ADAMS",2017-02-28 20:57:00,CST-6,2017-02-28 20:57:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-91.25,39.8171,-91.2351,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,682435,MISSOURI,2017,February,Thunderstorm Wind,"MADISON",2017-02-28 21:20:00,CST-6,2017-02-28 21:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3377,-90.2943,37.3382,-90.2913,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew down several large trees around town." +113504,682436,ILLINOIS,2017,February,Hail,"BROWN",2017-02-28 21:25:00,CST-6,2017-02-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9871,-90.7666,39.9319,-90.7203,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113503,682438,MISSOURI,2017,February,Hail,"BOONE",2017-02-28 23:20:00,CST-6,2017-02-28 23:20:00,0,0,0,0,0.00K,0,0.00K,0,38.9574,-92.4,38.9574,-92.4,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113742,680865,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-06 23:35:00,PST-8,2017-02-07 01:35:00,0,0,0,0,0.00K,0,0.00K,0,36.6847,-121.6741,36.6846,-121.6744,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Roll-over accident. No injuries. North Davis NE of West Market Street in Salinas. Driver hit water and went off the road." +112433,682386,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-20 17:46:00,PST-8,2017-02-20 19:46:00,0,0,0,0,0.00K,0,0.00K,0,37.6866,-121.6603,37.6857,-121.6604,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide blocking both lanes of EB Patterson Pass just east of Cross Rd." +112433,682387,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 17:46:00,PST-8,2017-02-20 19:46:00,0,0,0,0,0.00K,0,0.00K,0,37.304,-122.4052,37.3033,-122.405,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide across all lanes HWY 1 near Pomponio Beach Parking lot Rd." +112433,682388,CALIFORNIA,2017,February,Debris Flow,"CONTRA COSTA",2017-02-20 17:59:00,PST-8,2017-02-20 19:59:00,0,0,0,0,0.00K,0,0.00K,0,37.7804,-121.8329,37.7773,-121.834,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide in westbound lane of 5707 highland road." +112433,682389,CALIFORNIA,2017,February,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-02-20 18:02:00,PST-8,2017-02-20 18:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree blocking at least two lanes I280S near Lawrence Expressway off ramp." +112433,682390,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 18:04:00,PST-8,2017-02-20 18:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree and power wires down blocking all lanes on HWY 1 and Aguajito Rd off ramp." +112433,682391,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 18:04:00,PST-8,2017-02-20 18:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Live power lines on roadway now on fire on Band Rd near Sunset Rd." +112433,682392,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-20 18:05:00,PST-8,2017-02-20 20:05:00,0,0,0,0,0.00K,0,0.00K,0,37.7149,-122.106,37.7144,-122.1059,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Landslide blocking southbound lanes Lake Chabor Rd and Fairmont Dr jso mm 2.45." +112433,682393,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 18:07:00,PST-8,2017-02-20 20:07:00,0,0,0,0,0.00K,0,0.00K,0,37.5315,-122.3635,37.5314,-122.3641,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Debris falling from hillside. Westbound lane of Crystal Springs covered with large boulders." +112433,682394,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 18:08:00,PST-8,2017-02-20 18:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down in roadway with low hanging power wires." +112243,669341,OHIO,2017,February,Flood,"CUYAHOGA",2017-02-07 10:30:00,EST-5,2017-02-07 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,41.47,-81.75,41.4531,-81.6614,"Rain overspread the area following a warm frontal passage on the morning of Feb 7th. Rainfall amounts approached an inch for areas along the northern lakeshore, and a secondary swath of an inch in the Muskingum basin. Temperatures warmed to record highs around 60F with additional showers throughout the day. Rainfall totals across portions of the Huron, Black, Cuyahoga, Chagrin, and Grand Rivers reached around 1.5 inches. For the Cuyahoga, Chagrin, and Grand River basins some residual snowmelt added up to an additional quarter inch of runoff. Minor flooding occurred in all basins. The Big Creek in Cleveland, a tributary to the Cuyahoga, experienced the most notable rise to moderate flood stage over 11 feet.","The Big Creek in Cuyahoga County (drainage basin 35.3 square miles) cuts through parts of Brooklyn and Cleveland before draining into the Cuyahoga River. On the morning of the 7th radar estimated rainfall amounts between 1.5 and 1.75 inches over the Big Creek basin. Some roads adjacent to the creek were closed. Most notably, the Cleveland Metropark Zoo was closed as water flooded their parking lots and threatened the veterinary clinic and other buildings." +112245,673262,PENNSYLVANIA,2017,February,Winter Storm,"SULLIVAN",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Sullivan County." +112245,673273,PENNSYLVANIA,2017,February,Winter Storm,"SOMERSET",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 9 inches of snow across Somerset County." +112266,669463,MONTANA,2017,February,Cold/Wind Chill,"DANIELS",2017-02-08 01:30:00,MST-7,2017-02-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lingering artic air mass combined with persistent westerly gusty winds across the region to allow wind chill values to drop to -40 and below for portions of northeast Montana.","Wind chill values near -40 and colder were recorded at the Navajo MT-5 DOT site through the early morning hours." +120818,723500,OHIO,2017,November,Thunderstorm Wind,"HURON",2017-11-05 17:25:00,EST-5,2017-11-05 17:25:00,0,0,0,0,10.00K,10000,0.00K,0,41.25,-82.4,41.25,-82.4,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed a large tree. The tree landed on a parked vehicle causing some damage." +115408,692945,MISSOURI,2017,April,High Wind,"JACKSON",2017-04-29 23:40:00,CST-6,2017-04-29 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a several-day stretch at the end of April numerous rounds of rain moved through the Kansas City Metro area and areas of central Missouri. While the bulk of the flooding occurred just south of the EAX forecast area, there were still some minor flooding impacts felt across western and central Missouri. There was also high wind as a result of passing thunderstorms. A wake low produced widespread 50 to 55 mph winds across the area, with some localized reports of 60 mph wind and some minor wind damage.","After a round of thunderstorms winds picked up in a possible wake low situation. The Lee's Summit ASOS reported 50 knots. The lack of convection at the time of the reports gives credence to this event not being part of the thunderstorms themselves, rather as part of a wake low as they departed." +120818,723501,OHIO,2017,November,Thunderstorm Wind,"WAYNE",2017-11-05 17:30:00,EST-5,2017-11-05 17:30:00,0,0,0,0,15.00K,15000,0.00K,0,40.97,-82.1,40.97,-82.1,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds tore the roof off of a mobile home." +112537,672416,SOUTH DAKOTA,2017,February,Winter Storm,"GREGORY",2017-02-23 12:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 4 to 8 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall." +112537,672408,SOUTH DAKOTA,2017,February,Winter Storm,"MCCOOK",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 5 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county, especially along Interstate 90. Some local authorities were recommending no travel during the height of the snowfall." +112537,672407,SOUTH DAKOTA,2017,February,Winter Storm,"HANSON",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 5 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county, especially along Interstate 90. Some local authorities were recommending no travel during the height of the snowfall." +112537,672409,SOUTH DAKOTA,2017,February,Winter Storm,"TURNER",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 7 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to the reduced visibilities. Some local authorities were recommending no travel during the height of the snowfall." +112537,672415,SOUTH DAKOTA,2017,February,Winter Storm,"CHARLES MIX",2017-02-23 12:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow along with winds of 30 to 35 mph. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 10 inches occurred along with winds of 30 to 40 mph creating very difficult driving conditions across the county due to reduced visibility. Some local authorities were recommending no travel during the height of the snowfall. The heaviest of the snowfall occurred in southern half of the county." +112656,672634,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"TAMPA BAY",2017-02-15 16:03:00,EST-5,2017-02-15 16:03:00,0,0,0,0,0.00K,0,0.00K,0,27.8492,-82.5215,27.8492,-82.5215,"A cold front moved through the Florida Peninsula during the afternoon of the 15th, producing breezy thunderstorms along the frontal passage. One of these storms produced a marine wind gust over the Tampa Bay.","The AWOS at MacDill Air Force Base produced a 35 knot marine thunderstorm wind gust." +112245,673265,PENNSYLVANIA,2017,February,Winter Storm,"NORTHERN CENTRE",2017-02-09 02:35:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Northern Centre County." +112245,673267,PENNSYLVANIA,2017,February,Winter Storm,"CLEARFIELD",2017-02-09 02:35:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 10 inches of snow across Clearfield County." +112245,673270,PENNSYLVANIA,2017,February,Winter Storm,"SOUTHERN LYCOMING",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Southern Lycoming County." +112245,673279,PENNSYLVANIA,2017,February,Winter Storm,"MONTOUR",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Montour County." +112867,674251,HAWAII,2017,February,Flash Flood,"HONOLULU",2017-02-11 12:35:00,HST-10,2017-02-11 14:35:00,0,0,0,0,0.00K,0,0.00K,0,21.2565,-157.8124,21.2566,-157.8117,"A front moving through the state produced heavy rain and thunderstorms, flash flooding, and gusty winds. Downed power lines and trees, and ponding on roadways were almost commonplace occurrences with the system. However, there were no reports of serious injuries. The total cost of any damages was not available.","A debris flow occurred along Diamond Head Beach Road on Oahu from heavy rain. Also, one foot of water covered Kalia Road in Waikiki, and flooding occurred at Nakini Street and Kalau Place in Waimanalo. Emergency management reported, as well, that about 10 boulders were on the road near Hookui Street bridge in Papakolea." +112868,674255,HAWAII,2017,February,Strong Wind,"OLOMANA",2017-02-13 12:00:00,HST-10,2017-02-13 23:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty south and southwest winds ahead of a cold front damaged roofs, and toppled trees and power lines. Many residents in windward areas of Oahu lost power for a time. There were no reports of serious injuries. The total cost of damages was not known.","" +112870,674267,HAWAII,2017,February,High Surf,"NIIHAU",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674268,HAWAII,2017,February,High Surf,"KAUAI WINDWARD",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674269,HAWAII,2017,February,High Surf,"KAUAI LEEWARD",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674270,HAWAII,2017,February,High Surf,"OAHU NORTH SHORE",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674271,HAWAII,2017,February,High Surf,"OAHU KOOLAU",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +113124,676584,NEW HAMPSHIRE,2017,February,Heavy Snow,"SULLIVAN",2017-02-15 01:00:00,EST-5,2017-02-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to much of New Hampshire. Snowfall amounts ranged from an inch or so in southwestern New Hampshire to about 12 inches along the State's eastern border with Maine.","" +113130,676601,TEXAS,2017,February,Heavy Rain,"BRAZORIA",2017-02-17 15:15:00,CST-6,2017-02-17 15:15:00,0,0,0,0,0.00K,0,0.00K,0,28.95,-95.36,28.95,-95.36,"Training showers and thunderstorms associated with a southern plains storm system generated some heavy rainfall and a funnel cloud.","Some street flooding resulted from three inches of rain." +113130,676602,TEXAS,2017,February,Funnel Cloud,"GALVESTON",2017-02-17 16:00:00,CST-6,2017-02-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,29.48,-94.92,29.48,-94.92,"Training showers and thunderstorms associated with a southern plains storm system generated some heavy rainfall and a funnel cloud.","A funnel cloud that was sighted over the city became a waterspout when it moved into Galveston Bay." +113131,676604,TEXAS,2017,February,Thunderstorm Wind,"BURLESON",2017-02-20 01:00:00,CST-6,2017-02-20 01:00:00,0,0,0,0,0.00K,0,1.00K,1000,30.5088,-96.6135,30.5088,-96.6135,"Late night showers and thunderstorms produced some wind damage.","A large tree was downed and blocked the road near the intersection of County Road 120 and FM 3058." +113131,676605,TEXAS,2017,February,Thunderstorm Wind,"BURLESON",2017-02-20 01:00:00,CST-6,2017-02-20 01:00:00,0,0,0,0,0.00K,0,5.00K,5000,30.5018,-96.8329,30.5018,-96.8329,"Late night showers and thunderstorms produced some wind damage.","Large trees were downed and blocked parts of County Road 319." +113131,676606,TEXAS,2017,February,Thunderstorm Wind,"HOUSTON",2017-02-20 03:00:00,CST-6,2017-02-20 03:00:00,0,0,0,0,5.00K,5000,4.00K,4000,31.3045,-95.603,31.3045,-95.603,"Late night showers and thunderstorms produced some wind damage.","Power lines and trees were downed along Highway 7 between Crockett and the county line." +114947,691748,OKLAHOMA,2017,April,Thunderstorm Wind,"KAY",2017-04-04 17:05:00,CST-6,2017-04-04 17:05:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-97.06,36.88,-97.06,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","No damage reported." +114947,691749,OKLAHOMA,2017,April,Thunderstorm Wind,"KAY",2017-04-04 17:15:00,CST-6,2017-04-04 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-96.82,36.95,-96.82,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","No damage reported." +114948,691750,TEXAS,2017,April,Hail,"FOARD",2017-04-04 17:20:00,CST-6,2017-04-04 17:20:00,0,0,0,0,0.00K,0,0.00K,0,33.98,-99.72,33.98,-99.72,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, a few storms fired in western north Texas on the evening of the 4th.","" +114950,691971,OKLAHOMA,2017,April,High Wind,"CUSTER",2017-04-15 00:45:00,CST-6,2017-04-15 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Weatherford Mesonet." +114950,691972,OKLAHOMA,2017,April,High Wind,"CUSTER",2017-04-15 00:15:00,CST-6,2017-04-15 00:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Clinton awos." +114950,691973,OKLAHOMA,2017,April,High Wind,"WASHITA",2017-04-14 23:55:00,CST-6,2017-04-14 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Bessie Mesonet." +114950,691974,OKLAHOMA,2017,April,High Wind,"CUSTER",2017-04-14 23:50:00,CST-6,2017-04-14 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Butler Mesonet." +114950,691975,OKLAHOMA,2017,April,High Wind,"WASHITA",2017-04-14 23:31:00,CST-6,2017-04-14 23:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Burns Flat asos." +114950,691976,OKLAHOMA,2017,April,High Wind,"BECKHAM",2017-04-14 23:15:00,CST-6,2017-04-14 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Elk City awos." +114950,691977,OKLAHOMA,2017,April,Thunderstorm Wind,"HARMON",2017-04-15 02:05:00,CST-6,2017-04-15 02:05:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-99.83,34.67,-99.83,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","" +114950,691969,OKLAHOMA,2017,April,High Wind,"HARMON",2017-04-15 02:25:00,CST-6,2017-04-15 02:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Gould Mesonet." +114951,691978,OKLAHOMA,2017,April,Flash Flood,"JEFFERSON",2017-04-16 15:35:00,CST-6,2017-04-16 18:35:00,0,0,0,0,0.00K,0,0.00K,0,34.1485,-97.654,34.1528,-97.619,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","Three feet of standing water on highway 70." +114951,691979,OKLAHOMA,2017,April,Hail,"STEPHENS",2017-04-16 15:40:00,CST-6,2017-04-16 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-97.97,34.32,-97.97,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","" +113373,678400,ALASKA,2017,February,High Wind,"CAPE DECISION TO SALISBURY SOUND COASTAL AREA",2017-02-11 12:00:00,AKST-9,2017-02-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Sitka AML measured 76 MPH gusts during this storm. No damage was reported." +113373,678401,ALASKA,2017,February,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-02-11 13:20:00,AKST-9,2017-02-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Downtown Juneau and Douglas had strong winds on 2/11. Three sites measured gusts in the 60s MPH. No damage was reported." +113373,678402,ALASKA,2017,February,High Wind,"INNER CHANNELS FROM KUPREANOF ISLAND TO ETOLIN ISLAND",2017-02-11 12:00:00,AKST-9,2017-02-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Point Baker spotter recorded 60 to 70 MPH gusts on 2/11 with skiffs near sinking and branches down." +113373,678403,ALASKA,2017,February,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-02-11 12:00:00,AKST-9,2017-02-12 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Cape Decision (marine observation) showed extreme wind on the afternoon and evening of 2/11 with gusts up to 80 MPH. It was strange that Hydaburg only had gusts in the 40s. No damage was reported." +113373,678404,ALASKA,2017,February,High Wind,"SOUTHERN INNER CHANNELS",2017-02-11 18:00:00,AKST-9,2017-02-12 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","FAA obs at the Ketchikan tower had the roof wind peak at 58 MPH. Lincoln Island obs had plenty of gusts around 50 KT." +114951,691980,OKLAHOMA,2017,April,Flash Flood,"JEFFERSON",2017-04-16 16:18:00,CST-6,2017-04-16 19:18:00,0,0,0,0,0.00K,0,0.00K,0,34.1732,-97.9713,34.1347,-97.9541,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","Highway 70 was closed due to flooding between the towns of Waurika and Ringling." +114951,691981,OKLAHOMA,2017,April,Hail,"DEWEY",2017-04-16 20:03:00,CST-6,2017-04-16 20:03:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-98.92,36.15,-98.92,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","" +114951,691982,OKLAHOMA,2017,April,Hail,"DEWEY",2017-04-16 20:27:00,CST-6,2017-04-16 20:27:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-98.91,36.14,-98.91,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","" +114951,691983,OKLAHOMA,2017,April,Hail,"WOODWARD",2017-04-16 20:27:00,CST-6,2017-04-16 20:27:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-98.96,36.17,-98.96,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","" +114951,691984,OKLAHOMA,2017,April,Hail,"GRADY",2017-04-17 03:30:00,CST-6,2017-04-17 03:30:00,0,0,0,0,0.00K,0,0.00K,0,34.96,-98,34.96,-98,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","" +114951,691985,OKLAHOMA,2017,April,Lightning,"COAL",2017-04-17 04:28:00,CST-6,2017-04-17 04:28:00,0,0,0,0,2.00K,2000,0.00K,0,34.5,-96.22,34.5,-96.22,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","Lightning strike caused home and tree damage at a residence on US highway 75. Time is estimated based on report and radar data." +114952,691986,OKLAHOMA,2017,April,Hail,"WASHITA",2017-04-20 22:45:00,CST-6,2017-04-20 22:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-98.98,35.3,-98.98,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691987,OKLAHOMA,2017,April,Hail,"CUSTER",2017-04-20 23:08:00,CST-6,2017-04-20 23:08:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-98.7,35.53,-98.7,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691988,OKLAHOMA,2017,April,Hail,"CUSTER",2017-04-20 23:12:00,CST-6,2017-04-20 23:12:00,0,0,0,0,0.00K,0,0.00K,0,35.54,-98.69,35.54,-98.69,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691989,OKLAHOMA,2017,April,Hail,"CUSTER",2017-04-20 23:20:00,CST-6,2017-04-20 23:20:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-98.7,35.56,-98.7,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691990,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-20 23:45:00,CST-6,2017-04-20 23:45:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-98.57,34.78,-98.57,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +113253,677613,NEW YORK,2017,February,Winter Storm,"SCHOHARIE",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677614,NEW YORK,2017,February,Winter Storm,"WESTERN SCHENECTADY",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677713,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:35:00,EST-5,2017-02-25 17:35:00,0,0,0,0,,NaN,,NaN,42.72,-73.76,42.72,-73.76,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed." +113262,677715,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:40:00,EST-5,2017-02-25 17:40:00,0,0,0,0,,NaN,,NaN,42.68,-73.79,42.68,-73.79,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed at the intersection of Western Ave. and Manning Blvd." +113262,677716,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:40:00,EST-5,2017-02-25 17:40:00,0,0,0,0,,NaN,,NaN,42.69,-73.88,42.69,-73.88,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed." +113586,679933,MASSACHUSETTS,2017,February,Drought,"WESTERN HAMPSHIRE",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor had a Severe Drought (D2) designation in Western Hampshire County through the month of February." +113502,679460,IOWA,2017,February,Winter Storm,"MITCHELL",2017-02-23 19:00:00,CST-6,2017-02-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to northeast Iowa. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Iowa DOT advised against travel and placed two bans in effect for parts of northeast Iowa on the 24th.","COOP and volunteer snow observers reported up to 8 inches of snow across Mitchell County. The highest reported total was 8.4 inches in St. Ansgar. In addition, wind gusts of 35 to 45 mph created drifting snow and caused dangerous travel conditions." +113502,679459,IOWA,2017,February,Winter Storm,"HOWARD",2017-02-23 20:00:00,CST-6,2017-02-24 21:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to northeast Iowa. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Iowa DOT advised against travel and placed two bans in effect for parts of northeast Iowa on the 24th.","COOP and volunteer snow observers reported 3 to 6 inches of snow across Howard County. The highest reported total was 6.2 inches near Cresco. In addition, wind gusts of 35 to 45 mph created drifting snow and caused dangerous travel conditions." +113502,679452,IOWA,2017,February,Winter Storm,"CHICKASAW",2017-02-23 20:00:00,CST-6,2017-02-24 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to northeast Iowa. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Iowa DOT advised against travel and placed two bans in effect for parts of northeast Iowa on the 24th.","COOP and volunteer snow observers reported up to 4 inches of snow across Chickasaw County. The highest reported total was 4 inches near Ionia. In addition, wind gusts of 35 to 45 mph created drifting snow and caused dangerous travel conditions." +113502,679463,IOWA,2017,February,Winter Storm,"WINNESHIEK",2017-02-23 21:00:00,CST-6,2017-02-25 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to northeast Iowa. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Iowa DOT advised against travel and placed two bans in effect for parts of northeast Iowa on the 24th.","COOP and volunteer snow observers reported up to 4 inches of snow across Winneshiek County. In addition, wind gusts of 30 to 40 mph created drifting snow and caused dangerous travel conditions." +113231,677469,ILLINOIS,2017,February,Hail,"WHITE",2017-02-28 21:54:00,CST-6,2017-02-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-88.07,38.17,-88.07,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","This large hail was associated with the tornadic supercell that produced the strong tornado that passed south of Crossville into southwest Indiana." +113231,677472,ILLINOIS,2017,February,Hail,"JACKSON",2017-02-28 22:29:00,CST-6,2017-02-28 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-89.22,37.72,-89.22,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","" +113231,677473,ILLINOIS,2017,February,Hail,"JACKSON",2017-02-28 22:30:00,CST-6,2017-02-28 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-89.33,37.77,-89.33,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","" +113535,679656,OHIO,2017,February,Hail,"HURON",2017-02-24 19:42:00,EST-5,2017-02-24 19:42:00,0,0,0,0,0.00K,0,0.00K,0,41.259,-82.7834,41.259,-82.7834,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Quarter sized hail was observed." +114059,683047,VERMONT,2017,April,Winter Weather,"EASTERN CHITTENDEN",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches fell across Chittenden county. Some specific totals include; 8 inches in Shelburne, 7 inches at NWS office in South Burlington, 6 inches in Williston, Winooski, Hinesburg and Milton, 5 inches in Charlotte and Jericho." +114059,683048,VERMONT,2017,April,Winter Weather,"WESTERN CHITTENDEN",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches fell across Chittenden county. Some specific totals include; 8 inches in Shelburne, 7 inches at NWS office in South Burlington, 6 inches in Williston, Winooski, Hinesburg and Milton, 5 inches in Charlotte and Jericho." +114059,683049,VERMONT,2017,April,Winter Weather,"WESTERN ADDISON",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches with locally higher amounts fell across Addison county. Some specific totals include; 12 inches in south Hancock, 7 inches in Orwell, 6 inches in Ferrisburgh, Vergennes and New Haven, 5 inches in Middlebury and 3 inches in South Lincoln." +113621,680744,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 11:48:00,CST-6,2017-02-27 11:48:00,0,0,0,0,0.00K,0,0.00K,0,32.4865,-96.4129,32.4865,-96.4129,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","Trained Spotter report quarter inch hail near FM 1390 and HWY 34, approximately 2.45 ENE of Rosser." +113718,680765,TEXAS,2017,February,Drought,"KENEDY",2017-02-01 00:00:00,CST-6,2017-02-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for dry conditions to continue across Kenedy, Hidalgo, and Willacy counties. Severe (D2) drought conditions remained across the northeastern and southwestern corners of Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County.","Continued below normal rainfall allowed for Severe (D2) drought conditions to continue across the southwest and northeast corners of Kenedy County." +113718,680766,TEXAS,2017,February,Drought,"HIDALGO",2017-02-01 00:00:00,CST-6,2017-02-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for dry conditions to continue across Kenedy, Hidalgo, and Willacy counties. Severe (D2) drought conditions remained across the northeastern and southwestern corners of Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County.","Continued below normal rainfall allowed for Severe (D2) drought conditions to continue across the northeast corner of Hidalgo County." +113721,680771,TEXAS,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-20 11:30:00,CST-6,2017-02-20 11:30:00,0,0,0,0,10.00K,10000,0.00K,0,30.12,-94.11,30.12,-94.11,"A short wave moved across the region creating unsettled weather during the 20th. One storm produced damage.","A tree fell and partially damaged 2 homes and a carport and car in North Beaumont. A few other isolated trees were also reported down in the area." +113723,680774,LOUISIANA,2017,February,Thunderstorm Wind,"ALLEN",2017-02-20 14:45:00,CST-6,2017-02-20 14:45:00,0,0,0,0,3.00K,3000,0.00K,0,30.52,-92.92,30.52,-92.92,"A short wave moved across the region during the 20th. Scattered storms occurred ahead of the disturbance with an isolated storm becoming severe.","A report from local HAM radio operators indicated several trees down along Potter Road." +113621,680777,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 11:55:00,CST-6,2017-02-27 11:55:00,0,0,0,0,0.00K,0,0.00K,0,32.53,-96.32,32.53,-96.32,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A social media report showed quarter size hail in Oak Grove." +113732,680835,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY COASTAL",2017-02-15 02:00:00,PST-8,2017-02-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure helped a shallow marine layer develop over the Southern California Bight. The result was dense fog along the coast of Orange and San Diego Counties on the morning of the 15th.","John Wayne Airport and Los Alamitos Airfield reported persistent dense fog with a visibility of 1/4 mile or less." +113732,680838,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY INLAND",2017-02-15 04:00:00,PST-8,2017-02-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure helped a shallow marine layer develop over the Southern California Bight. The result was dense fog along the coast of Orange and San Diego Counties on the morning of the 15th.","A spotter reported dense fog with near zero visibility along Highway 55 near the cities of Orange and Villa Park." +113457,681064,COLORADO,2017,February,Winter Weather,"N & NE ELBERT COUNTY BELOW 6000 FEET / N LINCOLN COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113457,681065,COLORADO,2017,February,Winter Weather,"SE ELBERT COUNTY BELOW 6000 FEET / SOUTH LINCOLN COUNTY",2017-02-01 06:00:00,MST-7,2017-02-02 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Widespread freezing drizzle contributed to numerous road closures and accidents across the Denver area and over the northeast plains of Colorado. Several crashes were reported on Interstate 25, and several cities and counties went on accident alert. Up to 32 delays at Denver International Airport. Numerous school delay openings and some school and business closures were reported over northeast Colorado.","" +113707,680652,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"CP LOOKOUT TO SURF CITY NC OUT 20NM",2017-02-15 13:17:00,EST-5,2017-02-15 13:17:00,0,0,0,0,0.00K,0,0.00K,0,34.6081,-76.537,34.6081,-76.537,"Strong thunderstorms moved through the waters near the Crystal Coast and Cape Lookout vicinity. Several marine thunderstorm wind gusts were observed.","Cape Lookout C-Man Station observed a 46 knot marine thunderstorm wind gust." +113707,680665,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"CP LOOKOUT TO SURF CITY NC OUT 20NM",2017-02-15 12:08:00,EST-5,2017-02-15 12:08:00,0,0,0,0,0.00K,0,0.00K,0,34.6963,-76.6786,34.6963,-76.6786,"Strong thunderstorms moved through the waters near the Crystal Coast and Cape Lookout vicinity. Several marine thunderstorm wind gusts were observed.","Weather Flow site at Fort Macon reported a 34 knot marine thunderstorm wind gust." +113550,680846,ARIZONA,2017,February,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-02-27 12:30:00,MST-7,2017-02-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A recently disturbed plot of land along Interstate 10 near San Simon resulted in daily closures of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. On February 26th a multi-vehicle accident occurred. The following two days, the interstate was closed prior to the occurrence of any accidents. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Interstate 10 near San Simon was closed for over four hours to very low visibility in blowing dust." +113757,681090,MICHIGAN,2017,February,Hail,"WASHTENAW",2017-02-24 15:15:00,EST-5,2017-02-24 15:15:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-83.65,42.26,-83.65,"A few thunderstorms produced small hail across Saginaw and Washtenaw counties. |A thunderstorm also brought down trees in Lenawee county.","" +113757,681092,MICHIGAN,2017,February,Hail,"WASHTENAW",2017-02-24 15:16:00,EST-5,2017-02-24 15:16:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-83.7,42.2,-83.7,"A few thunderstorms produced small hail across Saginaw and Washtenaw counties. |A thunderstorm also brought down trees in Lenawee county.","" +113818,682581,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-28 22:05:00,EST-5,2017-02-28 22:06:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-86.22,41.63,-86.22,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682583,INDIANA,2017,February,Hail,"LAGRANGE",2017-02-28 22:30:00,EST-5,2017-02-28 22:31:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-85.58,41.68,-85.58,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682584,INDIANA,2017,February,Hail,"LAGRANGE",2017-02-28 22:30:00,EST-5,2017-02-28 22:31:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-85.6,41.69,-85.6,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682585,INDIANA,2017,February,Hail,"STEUBEN",2017-02-28 23:00:00,EST-5,2017-02-28 23:01:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-84.98,41.67,-84.98,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682586,INDIANA,2017,February,Hail,"STEUBEN",2017-02-28 23:00:00,EST-5,2017-02-28 23:01:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-85,41.68,-85,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +112929,674865,NORTH DAKOTA,2017,January,Heavy Snow,"LOGAN",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Napoleon received 7.5 inches of snow." +112929,674866,NORTH DAKOTA,2017,January,Heavy Snow,"DICKEY",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Oakes received seven inches of snow." +112929,674867,NORTH DAKOTA,2017,January,Heavy Snow,"KIDDER",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Steele received 9.6 inches of snow." +112929,674868,NORTH DAKOTA,2017,January,Heavy Snow,"MCHENRY",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Locations near Upham received eight inches of snow." +112929,675263,NORTH DAKOTA,2017,January,Heavy Snow,"MOUNTRAIL",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Southern Mountrail County received eight inches of snow." +113102,676431,TEXAS,2017,January,Wildfire,"SAN PATRICIO",2017-01-22 13:00:00,CST-6,2017-01-22 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed over South Texas the night of January 21st through the daytime of January 22nd after the passage of a cold front. The surface low associated with the front was unusually deep this far south and created a very strong pressure gradient over the region. As daytime heating progressed, stronger winds several thousand feet off the surface mixed down to the surface. The morning sounding at Corpus Christi showed a wind of 60 knots (around 70 mph) 3000 feet above the surface! As a result, winds gusted over 50 mph for some locations across the Coastal Bend, while gusts greater than 40 mph occurred across the rest of south Texas. Several wildfires occurred in the afternoon across the Coastal Bend but were contained to less than 100 acres.","A large fire moved across a farm around Sinton on the 22nd. The flames consumed land off of County Road 38A southwest of Sinton. A couple of farm houses and several goats were lost to the fire." +113899,691092,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-26 12:45:00,CST-6,2017-04-26 15:45:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-92.19,37.0393,-92.1888,"Severe storms hit the Missouri Ozarks.","State Highway EE was closed due to flooding." +113899,691093,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-26 00:30:00,CST-6,2017-04-26 00:30:00,0,0,0,0,10.00K,10000,0.00K,0,36.75,-93.91,36.75,-93.91,"Severe storms hit the Missouri Ozarks.","There were multiple trees blown down. At least one tree fell on to a house." +113899,691094,MISSOURI,2017,April,Thunderstorm Wind,"HOWELL",2017-04-26 09:03:00,CST-6,2017-04-26 09:03:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-91.84,36.75,-91.84,"Severe storms hit the Missouri Ozarks.","Several trees were blown down at the West Plains Golf Course." +113899,691095,MISSOURI,2017,April,Thunderstorm Wind,"MARIES",2017-04-26 02:27:00,CST-6,2017-04-26 02:27:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-91.77,38.13,-91.77,"Severe storms hit the Missouri Ozarks.","The Vichy-Rolla ASOS measured a 58 mph wind gust." +113899,691096,MISSOURI,2017,April,Thunderstorm Wind,"PULASKI",2017-04-26 02:00:00,CST-6,2017-04-26 02:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.82,-92.17,37.82,-92.17,"Severe storms hit the Missouri Ozarks.","A few power poles were blown down." +113899,691098,MISSOURI,2017,April,Thunderstorm Wind,"TANEY",2017-04-26 00:52:00,CST-6,2017-04-26 00:52:00,0,0,0,0,5.00K,5000,0.00K,0,36.58,-93.31,36.58,-93.31,"Severe storms hit the Missouri Ozarks.","A large tree was blown down on a house. Several trees were blown down at Table Rock Lake State Park. Several power lines were blown down. A couple floating docks were broke loose." +113899,691099,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-26 13:45:00,CST-6,2017-04-26 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-92.5,37.4095,-92.4949,"Severe storms hit the Missouri Ozarks.","State Highway H was closed due to flooding." +113899,691100,MISSOURI,2017,April,Flood,"WEBSTER",2017-04-26 13:15:00,CST-6,2017-04-26 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37.0991,-92.9152,37.0952,-92.9271,"Severe storms hit the Missouri Ozarks.","State Highway Z was closed due to flooding along Finley Creek." +112896,674507,LOUISIANA,2017,January,Tornado,"AVOYELLES",2017-01-02 11:44:00,CST-6,2017-01-02 11:45:00,0,0,0,0,1.00M,1000000,0.00K,0,30.9446,-92.1952,30.962,-92.1764,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado formed over Bunkie and produced widespread tree damage|across Bunkie, especially the western side of town. Two homes|were destroyed when trees landed on them and came through the roof.|At least another 70 buildings were damaged or destroyed in Bunkie. The peak estimated wind speed was 105 MPH." +112896,674518,LOUISIANA,2017,January,Thunderstorm Wind,"EVANGELINE",2017-01-02 11:45:00,CST-6,2017-01-02 11:45:00,0,0,0,0,10.00K,10000,0.00K,0,30.7,-92.28,30.7,-92.28,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A home received roof damage and many large branches were down in Ville Platte." +112896,674508,LOUISIANA,2017,January,Tornado,"AVOYELLES",2017-01-02 11:47:00,CST-6,2017-01-02 11:49:00,0,0,0,0,1.00M,1000000,0.00K,0,31.0602,-92.1408,31.0748,-92.096,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","Widespread trees were snapped or uprooted across the Hessmer|community. At least 30 buildings were damaged or destroyed.|Numerous power lines and poles were blown down along major|roads including LA Highway 114 and Main Street. A moving truck|was tipped on its side by the wind. The peak estimated wind speed was 90 MPH." +112896,674519,LOUISIANA,2017,January,Thunderstorm Wind,"AVOYELLES",2017-01-02 11:50:00,CST-6,2017-01-02 11:50:00,0,0,0,0,20.00K,20000,0.00K,0,30.95,-92.11,30.95,-92.11,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","Trees and power lines were reported down in Evergreen along Highways 361 and 29." +112896,674520,LOUISIANA,2017,January,Thunderstorm Wind,"ACADIA",2017-01-02 11:51:00,CST-6,2017-01-02 11:51:00,0,0,0,0,5.00K,5000,0.00K,0,30.46,-92.31,30.46,-92.31,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tree was reported down on the Charlene Highway." +112896,674521,LOUISIANA,2017,January,Thunderstorm Wind,"ST. LANDRY",2017-01-02 12:40:00,CST-6,2017-01-02 12:40:00,0,0,0,0,30.00K,30000,0.00K,0,30.69,-91.75,30.69,-91.75,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","Several trees were downed and several structures received roof damage in Melville." +113097,676709,NORTH CAROLINA,2017,January,Winter Storm,"ORANGE",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from 2 inches across southern portions of the county to 8 inches across the north." +113097,676715,NORTH CAROLINA,2017,January,Winter Storm,"EDGECOMBE",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 2 inches across southern portions of the county to 5 inches across the north. There was also 0.15 of an inch of ice from freezing rain." +113097,676716,NORTH CAROLINA,2017,January,Winter Storm,"NASH",2017-01-07 01:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 2 to 3 inches across the county. There was also 0.10 of an inch of ice from freezing rain." +113097,676717,NORTH CAROLINA,2017,January,Winter Storm,"FRANKLIN",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to 5 inches across the north. There was also 0.10 of an inch of ice from freezing rain across the county." +115567,693996,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:10:00,CST-6,2017-04-11 18:15:00,0,0,0,0,0.00K,0,0.00K,0,27.8083,-97.0853,27.8054,-97.1229,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Mustang Beach Airport AWOS in Port Aransas measured a gust to 39 knots." +115567,694007,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:37:00,CST-6,2017-04-11 18:47:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.5944,-97.2857,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Hurricane site southeast of Waldron Field measured a gust to 44 knots." +115567,694012,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:42:00,CST-6,2017-04-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,27.484,-97.318,27.4791,-97.3258,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","South Bird Island TCOON site measured a gust to 42 knots." +115567,694298,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 18:18:00,CST-6,2017-04-11 19:36:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Baffin Bay TCOON site measured gusts to 43 knots." +115567,694302,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-04-11 17:00:00,CST-6,2017-04-11 18:18:00,0,0,0,0,0.00K,0,0.00K,0,27.837,-97.039,27.8396,-97.0358,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Aransas Pass C-MAN station measured a gust to 45 knots." +115567,694304,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:30:00,CST-6,2017-04-11 17:54:00,0,0,0,0,0.00K,0,0.00K,0,27.832,-97.486,27.8338,-97.4835,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Nueces Bay TCOON site measured a gust to 39 knots." +113156,676897,NEW YORK,2017,January,High Wind,"NORTHERN QUEENS",2017-01-23 09:00:00,EST-5,2017-01-23 14:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure passed just south and east of Long Island.","A mesonet station 2 miles north northeast of Jamaica reported a sustained wind speed of 43 mph at 1004 am. At Laguardia Airport, a gust to 50 mph was measured at 1220 pm. A mesonet station near Jackson Heights measured a wind gust to 54 mph at 116 pm." +112854,675864,NEW JERSEY,2017,March,Winter Weather,"MORRIS",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Snowfall on grassy surfaces measured by spotters ranged from 2 to 5 inches." +112854,675863,NEW JERSEY,2017,March,Winter Weather,"WESTERN MONMOUTH",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Snowfall measured by spotters ranged from 2 to 4 inches across the county." +112854,675865,NEW JERSEY,2017,March,Winter Weather,"SOMERSET",2017-03-10 08:00:00,EST-5,2017-03-10 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary moved through New Jersey early in the morning of the 10th. As a result, rain changed to snow. The highest accumulations were across northern portions of the state with 5 inches in parts of Morris county and 5-6 inches in Sussex county. Accumulations lowered gradually further southeast into the 1-3 inch range for most areas with less at the shore. Later in the day, a few snow squalls moved through with light accumulations in Mercer and Hunderdon counties of under an inch. Lower visibility with snow squalls did result in a pedestrian accident in Delran.","Spotters measured snowfall on grass from 1 to 3 inches." +113161,676993,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN HIGHLANDS",2017-01-17 13:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer measured 4.5 inches of snow near Republic." +113161,676994,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN VALLEY",2017-01-17 15:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer measured 5 inches of new snow near Okanogan." +113161,676996,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN HIGHLANDS",2017-01-17 13:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","A person near Gifford reported an estimated 8 inches of new snow accumulation." +113200,678266,PENNSYLVANIA,2017,January,Thunderstorm Wind,"CLARION",2017-01-12 14:32:00,EST-5,2017-01-12 14:32:00,0,0,0,0,0.50K,500,0.00K,0,41.38,-79.28,41.38,-79.28,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported tree down." +113200,678269,PENNSYLVANIA,2017,January,Thunderstorm Wind,"BEAVER",2017-01-12 14:13:00,EST-5,2017-01-12 14:13:00,0,0,0,0,0.50K,500,0.00K,0,40.57,-80.31,40.57,-80.31,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported a tree down in Independence." +113200,678411,PENNSYLVANIA,2017,January,Flash Flood,"MERCER",2017-01-12 08:30:00,EST-5,2017-01-12 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.34,-80.11,41.3435,-80.1029,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported a house flooded in Stoneboro." +113200,678412,PENNSYLVANIA,2017,January,Flash Flood,"VENANGO",2017-01-12 09:30:00,EST-5,2017-01-12 12:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.4839,-79.686,41.4671,-79.6785,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported several roads flooded." +113200,678413,PENNSYLVANIA,2017,January,Flash Flood,"MERCER",2017-01-12 09:00:00,EST-5,2017-01-12 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.3627,-80.4114,41.3907,-80.4019,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State department of highways reported flooding on State Route 18 near Greenville." +113200,678414,PENNSYLVANIA,2017,January,Flash Flood,"MERCER",2017-01-12 10:00:00,EST-5,2017-01-12 12:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.34,-80.25,41.3388,-80.2832,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Department of highways reported flooding on State Route 1008, west of US-19." +113200,678415,PENNSYLVANIA,2017,January,Flood,"MERCER",2017-01-12 12:00:00,EST-5,2017-01-12 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.3,-80.43,41.3046,-80.4433,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that Shenango Park Road was flooded." +121526,727401,ALASKA,2017,December,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-12-31 21:30:00,AKST-9,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The arctic front moved north overrunning a dense and very cold arctic airmass in place over SE AK characterized by surface temperatures in the teens and single digits. A low pressure system formed offshore along the front that enhanced the overrunning and snow across the northern panhandle while warm air advection may change the precip to rain over the southern panhandle. ||Snow started up late Sun evening 12/31 and continued through early Monday morning on 1/1/18. Warming aloft changed snow to rain/freezing rain in the inner channels with ice accumulation on still cold roads and sidewalks from Juneau to Gustavus Monday 1/1 afternoon then further warming changed it to rain. Skagway and Haines stayed snow until Mon evening then strong southerly flow kicked in isolating the snow to the Haines Road and the Klondike highway for the rest of the night. ||No significant damage was reported and the impact was snow removal.","A spotter at Craig measured a peak wind of 81 MPH with numerous gusts in the 60s on the night of 12/31. No damage was reported." +121526,727403,ALASKA,2017,December,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-12-31 18:00:00,AKST-9,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The arctic front moved north overrunning a dense and very cold arctic airmass in place over SE AK characterized by surface temperatures in the teens and single digits. A low pressure system formed offshore along the front that enhanced the overrunning and snow across the northern panhandle while warm air advection may change the precip to rain over the southern panhandle. ||Snow started up late Sun evening 12/31 and continued through early Monday morning on 1/1/18. Warming aloft changed snow to rain/freezing rain in the inner channels with ice accumulation on still cold roads and sidewalks from Juneau to Gustavus Monday 1/1 afternoon then further warming changed it to rain. Skagway and Haines stayed snow until Mon evening then strong southerly flow kicked in isolating the snow to the Haines Road and the Klondike highway for the rest of the night. ||No significant damage was reported and the impact was snow removal.","Pelican got between 5 and 9 inches total from this storm. Impact was snow removal." +121526,727404,ALASKA,2017,December,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-12-31 18:00:00,AKST-9,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The arctic front moved north overrunning a dense and very cold arctic airmass in place over SE AK characterized by surface temperatures in the teens and single digits. A low pressure system formed offshore along the front that enhanced the overrunning and snow across the northern panhandle while warm air advection may change the precip to rain over the southern panhandle. ||Snow started up late Sun evening 12/31 and continued through early Monday morning on 1/1/18. Warming aloft changed snow to rain/freezing rain in the inner channels with ice accumulation on still cold roads and sidewalks from Juneau to Gustavus Monday 1/1 afternoon then further warming changed it to rain. Skagway and Haines stayed snow until Mon evening then strong southerly flow kicked in isolating the snow to the Haines Road and the Klondike highway for the rest of the night. ||No significant damage was reported and the impact was snow removal.","Haines got 8 inches total from this storm on New Years Eve Day. Heavy snow continued through 1/2. Impact was snow removal." +121526,727406,ALASKA,2017,December,Winter Storm,"EASTERN CHICHAGOF ISLAND",2017-12-31 18:00:00,AKST-9,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The arctic front moved north overrunning a dense and very cold arctic airmass in place over SE AK characterized by surface temperatures in the teens and single digits. A low pressure system formed offshore along the front that enhanced the overrunning and snow across the northern panhandle while warm air advection may change the precip to rain over the southern panhandle. ||Snow started up late Sun evening 12/31 and continued through early Monday morning on 1/1/18. Warming aloft changed snow to rain/freezing rain in the inner channels with ice accumulation on still cold roads and sidewalks from Juneau to Gustavus Monday 1/1 afternoon then further warming changed it to rain. Skagway and Haines stayed snow until Mon evening then strong southerly flow kicked in isolating the snow to the Haines Road and the Klondike highway for the rest of the night. ||No significant damage was reported and the impact was snow removal.","Hoonah got 7.4 inches of new snow overnight. Impact was snow removal and rain on top of heavy snow." +121375,726524,ILLINOIS,2017,December,Strong Wind,"ALEXANDER",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of Interstate 57, where winds gusted as high as 47 mph at the Carbondale airport.","" +121375,726525,ILLINOIS,2017,December,Strong Wind,"PULASKI",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of Interstate 57, where winds gusted as high as 47 mph at the Carbondale airport.","" +121375,726526,ILLINOIS,2017,December,Strong Wind,"UNION",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of Interstate 57, where winds gusted as high as 47 mph at the Carbondale airport.","" +121375,726527,ILLINOIS,2017,December,Strong Wind,"JACKSON",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of Interstate 57, where winds gusted as high as 47 mph at the Carbondale airport.","" +121376,726528,KENTUCKY,2017,December,Strong Wind,"MCCRACKEN",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +121376,726529,KENTUCKY,2017,December,Strong Wind,"GRAVES",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +121376,726530,KENTUCKY,2017,December,Strong Wind,"BALLARD",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +121376,726531,KENTUCKY,2017,December,Strong Wind,"CARLISLE",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +113055,675903,CALIFORNIA,2017,January,Thunderstorm Wind,"SAN DIEGO",2017-01-20 14:10:00,PST-8,2017-01-20 14:35:00,0,0,0,0,15.00K,15000,0.00K,0,33.0652,-117.2942,33.0577,-117.141,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A squall produced a short burst of 50-65 mph winds between Cardiff by the Sea and Lake Hodges. The mesonet station at Elfin Forest reported a peak wind gust of 64 mph. Tree damage was also reported." +113055,675906,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-22 16:00:00,PST-8,2017-01-22 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.3767,-117.0875,33.3902,-117.0892,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Pala Temecula Rd. was closed due to flooding and rocks in the roadway." +113055,675907,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-22 17:00:00,PST-8,2017-01-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3082,-117.024,33.2968,-117.0173,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Roadway closure due to flooding on Cole Grade Rd." +113055,676268,CALIFORNIA,2017,January,Strong Wind,"SAN DIEGO COUNTY COASTAL AREAS",2017-01-20 10:00:00,PST-8,2017-01-21 08:00:00,4,0,0,0,1.00M,1000000,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Strong winds impacted the coast over a 22 hour period. Strongest winds, with gusts in the 40-50 mph range occurred between 1300 and 1800PST on the 20th. Outside of this period, peak gusts were in the 25-35 mph range along the coast. The winds combined with saturated grounds to down hundreds of trees that fell on cars and structures. Four students were hospitalized when a large tree fell on them at Chula Vista Middle School." +113055,675925,CALIFORNIA,2017,January,Flood,"RIVERSIDE",2017-01-20 11:45:00,PST-8,2017-01-20 15:45:00,10,0,0,0,0.00K,0,0.00K,0,33.6291,-117.1965,33.629,-117.0806,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","CHP reported 6 flooded roadways in Paloma Valley with one vehicle briefly stranded." +113291,677925,OHIO,2017,January,Winter Weather,"BELMONT",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113291,677926,OHIO,2017,January,Winter Weather,"MONROE",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113291,677928,OHIO,2017,January,Winter Weather,"JEFFERSON",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113291,677929,OHIO,2017,January,Winter Weather,"COLUMBIANA",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113291,677927,OHIO,2017,January,Winter Weather,"NOBLE",2017-01-05 10:00:00,EST-5,2017-01-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +113292,677932,PENNSYLVANIA,2017,January,Winter Weather,"WESTMORELAND",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +115694,695221,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-04-11 13:18:00,CST-6,2017-04-11 13:18:00,0,0,0,0,0.00K,0,0.00K,0,29.7678,-93.3435,29.7678,-93.3435,"An isolated strong storm along the coast produced a strong wind gust at Cameron.","A wind gust of 41 MPH was recorded at the Cameron tide station." +115695,695222,LOUISIANA,2017,April,Flash Flood,"CALCASIEU",2017-04-18 13:53:00,CST-6,2017-04-18 14:53:00,0,0,0,0,10.00K,10000,0.00K,0,30.2772,-93.3894,30.293,-93.388,"An isolated thunderstorm near Sulphur produced a quick 3 inches that produced flooding of at least one structure and near by streets.","A quick 3 inches from an isolated thunderstorm produced flooding of at least 1 structure and also flooded streets near the intersection of Houston River Road and Dunne Street." +115696,695223,TEXAS,2017,April,Hail,"TYLER",2017-04-26 16:13:00,CST-6,2017-04-26 16:13:00,0,0,0,0,0.00K,0,0.00K,0,30.92,-94.6,30.92,-94.6,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","" +115696,695224,TEXAS,2017,April,Hail,"TYLER",2017-04-26 17:00:00,CST-6,2017-04-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-94.18,30.79,-94.18,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","" +115696,695225,TEXAS,2017,April,Hail,"JASPER",2017-04-26 17:15:00,CST-6,2017-04-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-94,30.85,-94,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","Pictures posted to social media indicated half dollar size hail in Springhill." +115700,695255,LOUISIANA,2017,April,Thunderstorm Wind,"ACADIA",2017-04-30 05:45:00,CST-6,2017-04-30 05:45:00,0,0,0,0,15.00K,15000,0.00K,0,30.24,-92.27,30.24,-92.27,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The roof was removed from a building in Rayne." +115700,695256,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 06:23:00,CST-6,2017-04-30 06:23:00,0,0,0,0,10.00K,10000,0.00K,0,30.49,-92.42,30.49,-92.42,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager reported of trees and power lines down in Eunice." +115700,695257,LOUISIANA,2017,April,Thunderstorm Wind,"IBERIA",2017-04-30 06:30:00,CST-6,2017-04-30 06:30:00,0,0,0,0,7.00K,7000,0.00K,0,30.01,-91.82,30.01,-91.82,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager for Iberia Parish reported down tree branches and power lines." +112225,673923,KANSAS,2017,January,Ice Storm,"MITCHELL",2017-01-15 00:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +113218,677382,TEXAS,2017,January,Drought,"KENEDY",2017-01-17 00:00:00,CST-6,2017-01-23 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions that plagued Northeast Kenedy County during December, when less than half an inch of rain fell, continued into January, resulting in drought conditions intensifying and Severe (D2) drought conditions returning to NE Kenedy County.","A general lack of rainfall allowed for drought conditions to intensify across northeastern Kenedy County by mid January, with Severe (D2) drought conditions returning to the region." +113220,677389,TEXAS,2017,January,Drought,"KENEDY",2017-01-24 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions spread into southwestern Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County. The dry conditions that developed due to below normal rainfall in December, intensified, with Severe (D2) drought conditions returning to the previously mentioned locations.","Continued below normal rainfall allowed for Severe (D2) drought conditions to develop across the southwest corner of Kenedy County and to continue across the northeast corner of the county." +113022,675762,MISSISSIPPI,2017,January,Thunderstorm Wind,"COPIAH",2017-01-02 13:30:00,CST-6,2017-01-02 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,31.83,-90.43,31.83,-90.43,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree fell onto a mobile home and split it." +113022,675750,MISSISSIPPI,2017,January,Thunderstorm Wind,"LINCOLN",2017-01-02 13:32:00,CST-6,2017-01-02 13:32:00,0,0,0,0,2.00K,2000,0.00K,0,31.43,-90.45,31.43,-90.45,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was snapped." +113022,675753,MISSISSIPPI,2017,January,Thunderstorm Wind,"SHARKEY",2017-01-02 13:42:00,CST-6,2017-01-02 13:42:00,0,0,0,0,4.00K,4000,0.00K,0,32.8,-90.93,32.8,-90.93,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","A tree was uprooted." +113022,675920,MISSISSIPPI,2017,January,Thunderstorm Wind,"MARION",2017-01-02 14:27:00,CST-6,2017-01-02 14:27:00,0,0,0,0,15.00K,15000,0.00K,0,31.18,-89.79,31.18,-89.79,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Powerlines and power poles were blown down along Highway 13 at Old River Road." +113022,675921,MISSISSIPPI,2017,January,Thunderstorm Wind,"COVINGTON",2017-01-02 14:30:00,CST-6,2017-01-02 14:30:00,0,0,0,0,20.00K,20000,0.00K,0,31.79,-89.44,31.79,-89.44,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Multiple trees were blown down along a mile long stretch of Highway 37 in far northeast Covington County." +113057,676010,MISSISSIPPI,2017,January,Thunderstorm Wind,"COPIAH",2017-01-19 06:23:00,CST-6,2017-01-19 06:23:00,0,0,0,0,20.00K,20000,0.00K,0,31.7139,-90.303,31.7139,-90.303,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","A barn was totally destroyed along Anderson Road and there was some tree debris." +121380,726575,KENTUCKY,2017,December,Dense Fog,"BALLARD",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +112339,669790,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-14 11:18:00,CST-6,2017-02-14 11:18:00,0,0,0,0,0.00K,0,0.00K,0,29.454,-94.6367,29.454,-94.6367,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Wind gust was measured in Crystal Beach." +112339,669791,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-14 11:35:00,CST-6,2017-02-14 11:35:00,0,0,0,0,0.00K,0,0.00K,0,29.18,-94.521,29.18,-94.521,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Wind gust was measured at platform KXIH (High Island 179A)." +121380,726576,KENTUCKY,2017,December,Dense Fog,"CARLISLE",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726578,KENTUCKY,2017,December,Dense Fog,"HICKMAN",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726579,KENTUCKY,2017,December,Dense Fog,"FULTON",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121381,726582,MISSOURI,2017,December,Dense Fog,"MISSISSIPPI",2017-12-19 21:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southeast Missouri, mainly along and south of U.S. Highway 60. Visibility was reduced to one-quarter mile or less from Sikeston and Poplar Bluff south. The dense fog occurred in the vicinity of a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121381,726583,MISSOURI,2017,December,Dense Fog,"NEW MADRID",2017-12-19 21:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southeast Missouri, mainly along and south of U.S. Highway 60. Visibility was reduced to one-quarter mile or less from Sikeston and Poplar Bluff south. The dense fog occurred in the vicinity of a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121381,726584,MISSOURI,2017,December,Dense Fog,"SCOTT",2017-12-19 21:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southeast Missouri, mainly along and south of U.S. Highway 60. Visibility was reduced to one-quarter mile or less from Sikeston and Poplar Bluff south. The dense fog occurred in the vicinity of a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +112339,676598,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-02-14 09:08:00,CST-6,2017-02-14 09:08:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Wind gust was measured at WeatherFlow site XMGB." +115971,697016,NEW YORK,2017,April,Flood,"ERIE",2017-04-20 23:15:00,EST-5,2017-04-21 03:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.8966,-78.6728,42.888,-78.6731,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +115971,697019,NEW YORK,2017,April,Flood,"ERIE",2017-04-21 18:45:00,EST-5,2017-04-22 07:15:00,0,0,0,0,10.00K,10000,0.00K,0,42.9685,-78.7624,42.9566,-78.7572,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +115971,697020,NEW YORK,2017,April,Flood,"LIVINGSTON",2017-04-21 08:45:00,EST-5,2017-04-21 23:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.9469,-77.7207,42.9604,-77.7544,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +113962,682486,NEW YORK,2017,February,Lake-Effect Snow,"SOUTHERN ERIE",2017-02-15 14:00:00,EST-5,2017-02-16 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"While this event included some noteworthy lake snow accumulations the impacts were minimized by the extended time frame of the event and the location of the heaviest snows away from highly populated areas. The event unfolded on Wednesday the 15th as a strong cold front passed through the region. The front itself helped to generate a couple inches of synoptic snow for many areas, then as the cold air deepened in the wake of the front during the afternoon, lake effect snows developed. The snow was exclusively lake effect in nature by Wednesday evening for sites east of Lake Erie. A closer look at the lake effect downwind of Lake Erie reveals that the accumulating lake snows were not only enhanced by the orographic lift provided by the Chautauqua Ridge but were fed by streamers off Lake Huron. The peak of the lake snows occurred early Thursday morning, then during the course of the day, a subtle backing of the steering flow broke down the contributions of the upstream lake connections. Specific snowfall reports included: 17 inches at Perrysburg; 14 inches at Colden; 12 inches at New Albion; 11 inches at Warsaw and Little Valley; 10 inches at Varysburg and Sardinia, Colden, Springville and Forestville; and 9 inches at Glenwood, Randolph and Cassadaga.","" +113844,682531,MONTANA,2017,February,Heavy Rain,"RAVALLI",2017-02-09 12:00:00,MST-7,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,46.6361,-114.1112,46.2993,-114.0645,"A warm and moist southwest flow pattern set up over the Northern Rockies during the second week of February. Significant rain and warming temperatures combined with the abundant low elevation snow to cause widespread ponding and flooding in fields and on roadways. The Bitterroot Valley near Corvallis, MT saw the most widespread areal flooding. Interstate 90 was also impacted for several hours as water ponded to a depth of 3 feet in a low spot on the roadway near Saltese, MT.","An NWS Employee reported extensive ponding in fields and near property in Corvallis, MT. The exceptionally high amount of valley snow-pack allowed for periods of moderate rain combined with relatively warm temperatures to cause unusually extensive areal flooding on Feb. 9 & 10." +113844,682529,MONTANA,2017,February,Heavy Rain,"MINERAL",2017-02-09 05:00:00,MST-7,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,47.3,-115.1,47.43,-115.65,"A warm and moist southwest flow pattern set up over the Northern Rockies during the second week of February. Significant rain and warming temperatures combined with the abundant low elevation snow to cause widespread ponding and flooding in fields and on roadways. The Bitterroot Valley near Corvallis, MT saw the most widespread areal flooding. Interstate 90 was also impacted for several hours as water ponded to a depth of 3 feet in a low spot on the roadway near Saltese, MT.","Ponding water up to 3 feet deep near Saltese, MT on I-90 lead the Montana Dept. of Transportation to close the roadway for much of the day. Antecedent heavy low-elevation snow allowed for this event, as water was unable to drain off the sides of the road. After plows cut breaks in the snow berms, ponding decreased. Roads were reopened during the evening." +112977,675115,WYOMING,2017,February,Winter Storm,"STAR VALLEY",2017-02-06 13:00:00,MST-7,2017-02-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow fell in portions of the Star Valley. Some of the heaviest amounts included 8 inches at Alpine and 6.5 inches at Afton." +112977,675118,WYOMING,2017,February,Winter Storm,"UPPER GREEN RIVER BASIN FOOTHILLS",2017-02-06 10:00:00,MST-7,2017-02-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow occurred in portions of the Upper Green River Basin Foothills. The highest amount measured was 12.5 inches, 14 miles NW of Pinedale." +113987,682660,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-07 08:58:00,PST-8,2017-02-07 08:58:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-120.49,37.2711,-120.485,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported bridge flooding over from heavy rainfall near east Mission Avenue and Los Banos Highway intersection in Merced." +113993,682721,CALIFORNIA,2017,February,High Wind,"KERN CTY MTNS",2017-02-17 07:13:00,PST-8,2017-02-17 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Grapevine Peak (GVPC1) RAWS reported a maximum wind gust of 81 mph." +113993,682722,CALIFORNIA,2017,February,High Wind,"KERN CTY MTNS",2017-02-17 09:00:00,PST-8,2017-02-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Walker Pass (ONYC1) RAWS reported a maximum wind gust of 59 mph." +113993,682723,CALIFORNIA,2017,February,High Wind,"KERN CTY MTNS",2017-02-17 11:13:00,PST-8,2017-02-17 11:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Grapevine Peak (GVPC1) RAWS reported a maximum wind gust of 97 mph." +113993,682724,CALIFORNIA,2017,February,High Wind,"SW S.J. VALLEY",2017-02-17 11:50:00,PST-8,2017-02-17 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Kettleman Hills (KTLC1) RAWS reported a maximum wind gust of 58 mph." +113993,682725,CALIFORNIA,2017,February,High Wind,"SW S.J. VALLEY",2017-02-17 12:13:00,PST-8,2017-02-17 12:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Twisselman (TWMC1) RAWS reported a maximum wind gust of 59 mph." +113993,682726,CALIFORNIA,2017,February,High Wind,"KERN CTY MTNS",2017-02-17 12:13:00,PST-8,2017-02-17 12:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Grapevine Peak (GPVC1) RAWS reported a maximum wind gust of 108 mph." +113993,682727,CALIFORNIA,2017,February,High Wind,"W CENTRAL S.J. VALLEY",2017-02-17 12:57:00,PST-8,2017-02-17 12:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Santa Rita Peak (SRTC1) RAWS reported a maximum wind gust of 66 mph." +112352,669905,NEW MEXICO,2017,February,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-02-06 05:00:00,MST-7,2017-02-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Kachina Peak at Taos Ski Valley periodically reporting high wind gusts." +112352,669911,NEW MEXICO,2017,February,High Wind,"CENTRAL HIGHLANDS",2017-02-06 11:00:00,MST-7,2017-02-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Harvey Ranch reported sustained winds of 47 mph on the 6th. Clines Corners was periodically sustained around 40 mph through the 6th and 7th." +112352,669907,NEW MEXICO,2017,February,High Wind,"QUAY COUNTY",2017-02-06 10:20:00,MST-7,2017-02-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Tucumcari airport reported peak winds between 58 and 64 mph for several hours on the 6th. Sustained winds were as strong as 41 mph." +112352,669918,NEW MEXICO,2017,February,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-02-06 11:00:00,MST-7,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Angel Fire reported periodic strong wind gusts up to 66 mph from the 6th to the 8th." +112663,673208,NEW MEXICO,2017,February,High Wind,"ALBUQUERQUE METRO AREA",2017-02-28 10:30:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Albuquerque International Airport reported high sustained winds up to 44 mph for a couple hours. Double Eagle Airport also reported high sustained winds of 40 mph." +112663,673209,NEW MEXICO,2017,February,High Wind,"ALBUQUERQUE METRO AREA",2017-02-28 10:30:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Albuquerque International Airport reported a peak wind gust up to 58 mph. The helipad on top of UNMH reported a peak wind gust up to 63 mph." +113952,682424,OREGON,2017,February,Flood,"POLK",2017-02-09 19:00:00,PST-8,2017-02-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,44.7819,-123.2369,44.7808,-123.2336,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Luckiamute River near Suver to flood. The river crested at 27.42 feet, which is 0.42 feet above flood stage." +112554,671474,MINNESOTA,2017,February,Winter Storm,"MARTIN",2017-02-23 17:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 6 to 8 inches of snow that fell Thursday afternoon, through Friday morning. The heaviest totals were near Welcome which received 8 inches." +114605,687319,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 19:49:00,CST-6,2017-04-09 19:49:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.63,44.03,-92.63,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Half dollar sized hail was reported near Byron." +114605,687320,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 20:00:00,CST-6,2017-04-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-92.51,44.09,-92.51,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","" +113525,681143,NEBRASKA,2017,February,Winter Weather,"YORK",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 4.0 inches occurred three miles west of Gresham; 3.2 inches occurred three miles north of York; and 1.9 inches fell in Bradshaw. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681144,NEBRASKA,2017,February,Winter Weather,"GOSPER",2017-02-23 16:00:00,CST-6,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 2.0 inches occurred eight miles south Elwood. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681145,NEBRASKA,2017,February,Winter Weather,"PHELPS",2017-02-23 16:00:00,CST-6,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.0 inches occurred in Holdrege. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681146,NEBRASKA,2017,February,Winter Weather,"KEARNEY",2017-02-23 17:30:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.0 inches occurred in Minden. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,681147,NEBRASKA,2017,February,Winter Weather,"ADAMS",2017-02-23 17:30:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.2 inches occurred at the National Weather Service Office near Hastings. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also a few hours of steady freezing drizzle before most of the snow fell, with one to two tenths of an inch of measured ice accrual." +113525,681148,NEBRASKA,2017,February,Winter Weather,"CLAY",2017-02-23 17:30:00,CST-6,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 3.0 inches occurred in Clay Center. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +114133,683533,MICHIGAN,2017,February,Hail,"CHIPPEWA",2017-02-23 06:30:00,EST-5,2017-02-23 06:30:00,0,0,0,0,0.00K,0,0.00K,0,45.99,-83.9,45.99,-83.9,"A line of thunderstorms crossed eastern upper Michigan on the morning of the 23rd, along an incoming cold front. One storm produced large hail.","" +114086,683161,MICHIGAN,2017,February,Hail,"CRAWFORD",2017-02-24 16:14:00,EST-5,2017-02-24 16:14:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-84.7,44.51,-84.7,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","Penny-sized hail covered the ground." +114086,683162,MICHIGAN,2017,February,Hail,"MISSAUKEE",2017-02-24 15:42:00,EST-5,2017-02-24 15:47:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-85.21,44.2502,-85.2422,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","Snow plows were utilized to clear hail-covered roads." +114086,683525,MICHIGAN,2017,February,Hail,"MISSAUKEE",2017-02-24 16:00:00,EST-5,2017-02-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-85.28,44.22,-85.28,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","" +114086,683526,MICHIGAN,2017,February,Hail,"MISSAUKEE",2017-02-24 16:19:00,EST-5,2017-02-24 16:19:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-85.24,44.17,-85.24,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","" +114086,683527,MICHIGAN,2017,February,Hail,"ALPENA",2017-02-24 16:34:00,EST-5,2017-02-24 16:34:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-83.79,45.01,-83.79,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","" +114086,683529,MICHIGAN,2017,February,Hail,"IOSCO",2017-02-24 16:48:00,EST-5,2017-02-24 16:54:00,0,0,0,0,0.00K,0,0.00K,0,44.2879,-83.4606,44.3687,-83.3365,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","" +114086,683532,MICHIGAN,2017,February,Hail,"OSCODA",2017-02-24 16:58:00,EST-5,2017-02-24 16:58:00,0,0,0,0,0.00K,0,0.00K,0,44.8,-84.05,44.8,-84.05,"This was an unusual late-winter severe thunderstorm event in northern Michigan. Storms developed north of a warm front in southern lower Michigan, and multiple storms produced large hail.","" +112361,670008,ALABAMA,2017,February,Thunderstorm Wind,"GENEVA",2017-02-07 16:15:00,CST-6,2017-02-07 16:22:00,0,0,0,0,250.00K,250000,0.00K,0,31.1,-85.59,31.13,-85.51,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Several houses and businesses were damaged in a swath from the Slocomb to Malvern area. There were numerous trees and power lines blown down, including some on houses. Winds were estimated at around 85 mph. Damage cost was estimated." +112363,670025,GEORGIA,2017,February,Thunderstorm Wind,"THOMAS",2017-02-07 19:10:00,EST-5,2017-02-07 19:10:00,0,0,0,0,10.00K,10000,0.00K,0,31.02,-83.86,31.02,-83.86,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Numerous trees and power lines were blown down in the Coolidge area." +112362,670033,FLORIDA,2017,February,Thunderstorm Wind,"WALTON",2017-02-07 15:35:00,CST-6,2017-02-07 16:05:00,0,0,0,0,5.00K,5000,0.00K,0,30.79,-86.38,30.47,-85.96,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Multiple trees and power lines were blown down across Walton county." +112772,673647,KENTUCKY,2017,February,Hail,"POWELL",2017-02-24 23:50:00,EST-5,2017-02-24 23:50:00,0,0,0,0,,NaN,,NaN,37.79,-83.71,37.79,-83.71,"Strong thunderstorms produced dime to nickel size hail on February 24, 2017.","" +112880,674315,HAWAII,2017,February,Heavy Rain,"HONOLULU",2017-02-27 14:25:00,HST-10,2017-02-27 17:41:00,0,0,0,0,0.00K,0,0.00K,0,21.4391,-158.1633,21.5809,-157.8907,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +115098,691610,OKLAHOMA,2017,April,Hail,"ADAIR",2017-04-29 16:30:00,CST-6,2017-04-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-94.63,35.82,-94.63,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115065,691669,OKLAHOMA,2017,April,Tornado,"MAYES",2017-04-25 22:33:00,CST-6,2017-04-25 22:42:00,0,0,0,0,75.00K,75000,0.00K,0,36.3725,-95.3729,36.4476,-95.3176,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A tornado destroyed a mobile home, damaged several homes, destroyed outbuildings, snapped and uprooted numerous trees, and blew down power poles. The tornado developed north of the W 450 Road and west of the N 429 Road and moved northeast until it crossed the W 420 Road. It then curved to the north until it dissipated north of the W 400 Road. Based on this damage, maximum estimated wind in the tornado was 95 to 105 mph." +115065,691670,OKLAHOMA,2017,April,Tornado,"MAYES",2017-04-25 22:34:00,CST-6,2017-04-25 22:41:00,0,0,0,0,40.00K,40000,0.00K,0,36.4,-95.3887,36.426,-95.3273,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A tornado snapped and uprooted numerous trees, destroyed outbuildings, damaged homes, and blew down power poles. The tornado developed north of the W 430 Road and west of the N 428 Road. It moved northeast until it crossed the W 420 Road, then moved more easterly until it dissipated. Based on this damage, maximum estimated wind in the tornado was 100 to 110 mph." +115065,691671,OKLAHOMA,2017,April,Tornado,"MAYES",2017-04-25 22:46:00,CST-6,2017-04-25 22:57:00,0,0,0,0,25.00K,25000,0.00K,0,36.379,-95.2087,36.4854,-95.0855,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A tornado uprooted numerous trees, blew down power poles, and destroyed several outbuildings. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +112796,673825,NEBRASKA,2017,February,Winter Storm,"ARTHUR",2017-02-23 06:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer reported 6 inches of snowfall in Arthur. Snowfall amounts ranged from 4 to 9 inches across Arthur County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673826,NEBRASKA,2017,February,Winter Storm,"MCPHERSON",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public reported 6 inches in Tryon. Snowfall amounts ranged from 4 to 9 inches across McPherson County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673828,NEBRASKA,2017,February,Winter Storm,"GARDEN",2017-02-23 06:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer reported 8.5 inches, located 10 miles northeast of Oshkosh. Snowfall amounts ranged from 6 to 10 inches across Garden County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673829,NEBRASKA,2017,February,Winter Storm,"GRANT",2017-02-23 06:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public reported 10 inches in Hyannis. Snowfall amounts ranged from 8 to 12 inches across Grant County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673830,NEBRASKA,2017,February,Winter Storm,"HOOKER",2017-02-23 06:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer in Mullen reported 13 inches of snowfall. Snowfall amounts ranged from 8 to 13 inches across Hooker County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112362,670057,FLORIDA,2017,February,Thunderstorm Wind,"GADSDEN",2017-02-07 18:08:00,EST-5,2017-02-07 18:08:00,0,0,0,0,0.00K,0,0.00K,0,30.5792,-84.8085,30.5792,-84.8085,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down and blocking Sycamore Road." +112362,670058,FLORIDA,2017,February,Thunderstorm Wind,"GADSDEN",2017-02-07 18:10:00,EST-5,2017-02-07 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.6222,-84.7996,30.6222,-84.7996,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down onto I-10 between mile markers 166 and 169." +112362,670059,FLORIDA,2017,February,Thunderstorm Wind,"LIBERTY",2017-02-07 18:26:00,EST-5,2017-02-07 18:26:00,0,0,0,0,0.00K,0,0.00K,0,30.2901,-85.0381,30.2901,-85.0381,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were reported down on Highway 379A." +112362,670060,FLORIDA,2017,February,Thunderstorm Wind,"GADSDEN",2017-02-07 18:30:00,EST-5,2017-02-07 18:30:00,0,0,0,0,3.00K,3000,0.00K,0,30.6483,-84.487,30.6483,-84.487,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Power lines were blown down along Point Milligan Road." +112362,670061,FLORIDA,2017,February,Thunderstorm Wind,"LEON",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3118,-84.3117,30.3118,-84.3117,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down across Wakulla Springs Road." +112362,670062,FLORIDA,2017,February,Thunderstorm Wind,"WAKULLA",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-84.29,30.3,-84.29,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A large tree was snapped." +112362,670063,FLORIDA,2017,February,Thunderstorm Wind,"LEON",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.436,-84.1176,30.436,-84.1176,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was reported down at Chaires Crossroads." +112362,670064,FLORIDA,2017,February,Thunderstorm Wind,"WAKULLA",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.296,-84.2698,30.296,-84.2698,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Power lines were blown down on Bob Miller Road." +112362,670065,FLORIDA,2017,February,Thunderstorm Wind,"WAKULLA",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-84.32,30.3,-84.32,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A large tree was snapped." +113791,681242,OKLAHOMA,2017,February,Wildfire,"LATIMER",2017-02-11 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +113791,681244,OKLAHOMA,2017,February,Wildfire,"SEQUOYAH",2017-02-12 10:00:00,CST-6,2017-02-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during mid February 2017. The largest wildfires occurred in Latimer County where over 1300 acres burned, Sequoyah County where over 1000 acres burned, Cherokee County where over 900 acres burned, Le Flore County where over 600 acres burned, Muskogee County where over 500 acres burned, and Pushmataha County where more than 300 acres burned. These fires burned for a number of days before they were contained.","" +113792,681245,OKLAHOMA,2017,February,Wildfire,"PITTSBURG",2017-02-23 10:00:00,CST-6,2017-02-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late February 2017. The largest wildfires occurred in Latimer County where over 1800 acres burned, Pittsburg County where over 900 acres burned, Wagoner County where over 500 acres burned, and Haskell County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113792,681246,OKLAHOMA,2017,February,Wildfire,"WAGONER",2017-02-23 10:00:00,CST-6,2017-02-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late February 2017. The largest wildfires occurred in Latimer County where over 1800 acres burned, Pittsburg County where over 900 acres burned, Wagoner County where over 500 acres burned, and Haskell County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113792,681247,OKLAHOMA,2017,February,Wildfire,"LATIMER",2017-02-24 10:00:00,CST-6,2017-02-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late February 2017. The largest wildfires occurred in Latimer County where over 1800 acres burned, Pittsburg County where over 900 acres burned, Wagoner County where over 500 acres burned, and Haskell County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +114785,693000,KANSAS,2017,May,Thunderstorm Wind,"HARVEY",2017-05-18 17:21:00,CST-6,2017-05-18 17:22:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-97.34,38.04,-97.34,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Damage to small sheds were reported on the south side of Newton. Multiple power lines are down as are several branches up to 2 inches in diameter." +114785,693001,KANSAS,2017,May,Thunderstorm Wind,"SEDGWICK",2017-05-18 17:46:00,CST-6,2017-05-18 17:47:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-97.24,37.48,-97.24,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Reported at Webb and 119th streets." +114785,693002,KANSAS,2017,May,Thunderstorm Wind,"BUTLER",2017-05-18 17:51:00,CST-6,2017-05-18 17:52:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.13,37.57,-97.13,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","Relayed by the Emergency Manager." +116787,702316,MINNESOTA,2017,May,Flood,"WINONA",2017-05-23 04:15:00,CST-6,2017-05-26 05:20:00,0,0,0,0,0.00K,0,0.00K,0,44.059,-91.6553,44.0631,-91.6396,"Runoff from several heavy rain events caused flooding to occur along the Mississippi River in late May. The river went out of its banks at Wabasha (Wabasha County) and Winona (Winona County).","Runoff from several heavy rain events pushed the Mississippi River out of its banks in Winona. The river crested almost a half foot above the flood stage at 13.44 feet." +116788,702317,WISCONSIN,2017,May,Flood,"LA CROSSE",2017-05-23 14:30:00,CST-6,2017-05-27 04:20:00,0,0,0,0,0.00K,0,0.00K,0,43.808,-91.2575,43.8104,-91.2673,"Runoff from several heavy rain events pushed the Mississippi River out of its banks across western Wisconsin in late May. The river went out of its banks in La Crosse (La Crosse County).","Runoff from several heavy rain events pushed the Mississippi River out of its banks in La Crosse. The river crested almost a half foot above the flood stage at 12.42 feet." +116790,702319,IOWA,2017,May,Flood,"CLAYTON",2017-05-24 18:00:00,CST-6,2017-05-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,43.0296,-91.1737,43.0298,-91.1719,"Runoff from several heavy rain events pushed the Mississippi River out of its banks across northeast Iowa in late May. The river went out of its banks in McGregor (Clayton County) and Guttenberg (Clayton County). The flooding at McGregor continued into early June.","Runoff from several heavy rain events pushed the Mississippi River out of its banks in McGregor. The river crested almost two feet above the flood stage at 17.81 feet. The flooding continued into early June." +116790,702321,IOWA,2017,May,Flood,"CLAYTON",2017-05-25 17:15:00,CST-6,2017-05-31 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.8205,-91.104,42.8264,-91.0825,"Runoff from several heavy rain events pushed the Mississippi River out of its banks across northeast Iowa in late May. The river went out of its banks in McGregor (Clayton County) and Guttenberg (Clayton County). The flooding at McGregor continued into early June.","Runoff from several heavy rain events pushed the Mississippi River out of its banks in Guttenberg. The river crested a little over a foot above the flood stage at 16.13 feet." +113961,682479,NEW YORK,2017,February,Lake-Effect Snow,"WAYNE",2017-02-09 23:00:00,EST-5,2017-02-10 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A quick-hitting but intense band of lake effect snow brought a foot to a foot and a half of snow across portions of Wayne and Cayuga counties. Lake effect snow developed behind a departing coastal nor'easter as cold air spilled across the region on a northwesterly flow. The northwesterly flow became perfectly aligned from Lake Superior across the Georgian Bay to Lake Ontario Thursday night into Friday morning. This helped to organize and lock-in an intense single band of lake effect snow that came on shore in northeast Monroe County, and centered across central Wayne County to southwestern portions of Syracuse through Friday morning. By mid-day Friday, warm air advection ahead of an approaching clipper system weakened the lake effect plume and eventually broke it up. While snowfall rates were likely over 2 to 3 inches per hour at times early Friday based on observed snowfall amounts, impacts were relatively low as the heaviest snow fell over more rural areas. Specific snowfall reports included: 18 inches at Lyons; 14 inches at Williamson; 13 inches at Marion; 12 inches at Newark, Wolcott, Sodus, Walworth and Conquest; 9 inches at Cato; and 8 inches at Webster and Ontario.","" +113961,682480,NEW YORK,2017,February,Lake-Effect Snow,"NORTHERN CAYUGA",2017-02-09 23:00:00,EST-5,2017-02-10 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A quick-hitting but intense band of lake effect snow brought a foot to a foot and a half of snow across portions of Wayne and Cayuga counties. Lake effect snow developed behind a departing coastal nor'easter as cold air spilled across the region on a northwesterly flow. The northwesterly flow became perfectly aligned from Lake Superior across the Georgian Bay to Lake Ontario Thursday night into Friday morning. This helped to organize and lock-in an intense single band of lake effect snow that came on shore in northeast Monroe County, and centered across central Wayne County to southwestern portions of Syracuse through Friday morning. By mid-day Friday, warm air advection ahead of an approaching clipper system weakened the lake effect plume and eventually broke it up. While snowfall rates were likely over 2 to 3 inches per hour at times early Friday based on observed snowfall amounts, impacts were relatively low as the heaviest snow fell over more rural areas. Specific snowfall reports included: 18 inches at Lyons; 14 inches at Williamson; 13 inches at Marion; 12 inches at Newark, Wolcott, Sodus, Walworth and Conquest; 9 inches at Cato; and 8 inches at Webster and Ontario.","" +113964,682494,NEW YORK,2017,February,Heavy Snow,"JEFFERSON",2017-02-12 08:00:00,EST-5,2017-02-13 10:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought heavy snow to the north country. Snow began across the region during the morning hours of Saturday the 12th and continued through the late morning of Sunday the 13th. The heavy, wet snow slowed travel however impact was minimized by the weekend timing of the storm. Specific snowfall reports included: 18 inches at Osceola; 14 inches at Constantia; 13 inches at Croghan and Oswego; 12 inches at Beaver Falls; 11 inches at Harrisville and Pulaski: 10 inches at Watertown; 9 inches at Constableville, Highmarket and Mexico; and 8 inches at Theresa.","" +113682,682057,NEBRASKA,2017,April,Hail,"BOONE",2017-04-14 20:56:00,CST-6,2017-04-14 20:56:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-98.09,41.56,-98.09,"Severe thunderstorms developed in central Nebraska on the afternoon of April 14th ahead of an area of low pressure. These thunderstorms moved east into northeast Nebraska by late in the evening. Although the majority of this activity was weakening as it moved into the area, isolated large hail did occur from one of the storms.","" +113682,682058,NEBRASKA,2017,April,Hail,"PLATTE",2017-04-14 21:45:00,CST-6,2017-04-14 21:45:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-97.69,41.7,-97.69,"Severe thunderstorms developed in central Nebraska on the afternoon of April 14th ahead of an area of low pressure. These thunderstorms moved east into northeast Nebraska by late in the evening. Although the majority of this activity was weakening as it moved into the area, isolated large hail did occur from one of the storms.","" +113640,680257,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-09 22:55:00,CST-6,2017-04-09 22:55:00,0,0,0,0,0.00K,0,0.00K,0,40.07,-95.62,40.07,-95.62,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","" +113640,680260,NEBRASKA,2017,April,Tornado,"GAGE",2017-04-09 19:51:00,CST-6,2017-04-09 19:52:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-96.76,40.5103,-96.7575,"Thunderstorms developed during the afternoon over the high Plains of northeast Colorado and southwest Nebraska ahead of a cold front. These thunderstorms tracked to the east through the evening entering southeast Nebraska. Although instability was limited, strong shear allowed for a couple of supercells to track across the area producing one short-lived tornado, and numerous reports of large hail. The thunderstorms exited the area by early morning.","A storm chaser captured photographic images of a short-lived weak tornado that occurred as a supercell crossed the surface boundary. No damage was observed in the area and the tornado quickly dissipated." +113683,682060,NEBRASKA,2017,April,Hail,"CASS",2017-04-15 15:44:00,CST-6,2017-04-15 15:44:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-95.93,40.92,-95.93,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113555,679893,WYOMING,2017,February,Winter Storm,"FLAMING GORGE",2017-02-22 20:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","A CocoRaHS observer measured 10 inches of snow at the Buckboard Marina." +113555,679895,WYOMING,2017,February,Blizzard,"EAST SWEETWATER COUNTY",2017-02-23 09:30:00,MST-7,2017-02-23 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","The Rock Springs airport had visibility drop to around a quarter of a mile and frequent wind gusts past 35 mph on February 23rd. These conditions led to nearly impossible travel conditions and closure of Interstate 80 for several hours." +113683,682077,NEBRASKA,2017,April,Hail,"CEDAR",2017-04-15 17:38:00,CST-6,2017-04-15 17:38:00,0,0,0,0,0.00K,0,0.00K,0,42.38,-97.36,42.38,-97.36,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682078,NEBRASKA,2017,April,Hail,"PLATTE",2017-04-15 17:45:00,CST-6,2017-04-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-97.54,41.62,-97.54,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +112861,674214,HAWAII,2017,February,High Surf,"NIIHAU",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674215,HAWAII,2017,February,High Surf,"KAUAI WINDWARD",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +111482,671784,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.8,-85.82,30.8021,-85.8254,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Blue Springs Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671785,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.7662,-85.9585,30.7583,-85.9447,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Valee Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671786,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-85.69,30.8695,-85.6827,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Adolph Whitaker Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +117402,706061,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:44:00,CST-6,2017-06-23 19:16:00,0,0,0,0,7.00M,7000000,0.00K,0,31.6045,-100.6375,31.159,-100.4041,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured 109 degrees. A cold front moving south across the region triggered thunderstorms. Several of these storms produced damaging thunderstorm winds. A line of storms formed just north of San Angelo and quickly began producing damaging downbursts winds across San Angelo and the Concho Valley. ||A National Weather Service Damage Survey team found evidence of downburst thunderstorm winds of 75 to 85 mph with some gusts to around 95 mph between Grape Creek and the San Angelo State Park. The downburst winds extended across San Angelo and was approximately 35 miles long and about 20 miles wide. At 7:44 PM CDT the damaging winds began near Grape Creek and snapped or fell about 24 power poles. These damaged poles were located near the baptist church on the south side of Grape Creek and they continued southeast along U.S. Highway 87. At 7:45 PM CDT, the West Texas Mesonet located just south of Grape Creek measured a 69 mph wind gust. By 7:54 PM CDT, these winds reached Mathis Field where the NWS San Angelo ASOS measured 78 mph. There was widespread roof damage across San Angelo. Lots of shingles and metal roofs were blown off, some windows were broken in homes, businesses and vehicles, a few garage doors were blown out, and many utility poles and power lines also were also blown down. Lots of trees were uprooted and large trunks were broken. A couple of hotels in downtown San Angelo, Shannon Hospital, and several apartment buildings lost some of their roofs. An apartment complex off of North Bryant near the Walmart lost a lot of roofing material. One of the walls on the north side of this apartment complex lost its brick veneer as it collapsed when the roof was slightly lifted. The ASOS at Mathis Field in San Angelo measured its last severe sustained wind of 58 mph at 8:16 PM CDT, along with a wind gust of 77 mph." +118885,714234,NEW MEXICO,2017,September,Thunderstorm Wind,"SAN MIGUEL",2017-09-14 19:59:00,MST-7,2017-09-14 20:03:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-105.14,35.66,-105.14,"An upper level trough approaching the Four Corners region forced stronger southwest winds aloft over New Mexico. This was the first significant departure from the monsoon flow pattern since much earlier in the summer. Remnant moisture across the area combined with afternoon heating and instability to produce showers and storms near the higher terrain. These storms moved quickly northeast into nearby valleys and plains during the late afternoon and evening hours. A storm near Las Vegas produced a brief severe wind gusts up to 60 mph.","Peak wind gust to 60 mph at Las Vegas." +113993,682718,CALIFORNIA,2017,February,Funnel Cloud,"TULARE",2017-02-18 17:27:00,PST-8,2017-02-18 17:27:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-118.99,36.13,-118.99,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","National Weather Service employee reported a funnel cloud near Avenue 196 and Road 276 in Porterville." +113993,682719,CALIFORNIA,2017,February,Heavy Rain,"MARIPOSA",2017-02-18 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Trained spotter report of measured 24 hour rainfall total of 2.89 inches in Ponderosa Basin." +113993,682720,CALIFORNIA,2017,February,Heavy Rain,"MARIPOSA",2017-02-20 08:00:00,PST-8,2017-02-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Trained spotter report of measured 24 hour rainfall total of 1.42 inches near Ponderosa Basin in Mariposa County. Also reported a seasonal precipitation total from July 1st of 62.93 inches." +113993,682731,CALIFORNIA,2017,February,Heavy Snow,"TULARE CTY MTNS",2017-02-17 08:00:00,PST-8,2017-02-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Trained Spotter near Ponderosa reported a measured 24 hour snowfall of 24 inches in Tulare County. Also reported a snow pack of 6 feet and 7 inches and a season total snowfall of 11 feet and 1 inch." +113993,682732,CALIFORNIA,2017,February,Heavy Snow,"S SIERRA MTNS",2017-02-19 08:00:00,PST-8,2017-02-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Tuolumne Meadows COOP Station report of a measured 24 hour snowfall of 11 inches in Tuolumne County. Also reported a snow depth of 123 inches." +113954,682427,WASHINGTON,2017,February,Flood,"WAHKIAKUM",2017-02-09 04:45:00,PST-8,2017-02-10 02:45:00,0,0,0,0,0.00K,0,0.00K,0,46.3541,-123.582,46.3547,-123.58,"A series of fronts brought moderate to heavy rainfall across Southwest Washington, resulting in flooding on several rivers across the area.","Heavy rain caused the Grays River near Rosburg to flood. The river crested at 15.57 feet, which is 3.57 feet above flood stage." +113504,682437,ILLINOIS,2017,February,Tornado,"BROWN",2017-02-28 21:33:00,CST-6,2017-02-28 21:34:00,1,0,0,0,0.00K,0,0.00K,0,39.8845,-90.6636,39.887,-90.6516,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","The tornado first touched down on the far west side of Versailles where it caused minor tree damage. The tornado traveled northeast and impacted a house which sustained roof damage. On the other side of the road, two single wide mobile home trailers were overturned. Damage at this location was rated high end EF1. Farther to the northeast, more substantial tree damage occurred. Several mature trees were topped, split and snapped at various heights above the ground. The surrounding structures sustained corresponding roof, siding and fascia damage. Damage was also rated high end EF1 along this portion of the track. The tornado continued northeast and crossed Illinois Route 99 and caused additional minor tree damage. The tornado moved northeast through the far northeast portion of town causing additional EF0 tree, roof and fascia damage to structures. The tornado dissipated as it moved out of the northeast corner of Versailles. Overall, the tornado was rated EF1 with a path length of 0.66 miles and a maximum path width of 50 yards." +113742,680866,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 00:27:00,PST-8,2017-02-07 02:27:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-122.74,38.3499,-122.7409,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Stony Point Road at Rohnert Park Expy W. road is flooded." +113742,680867,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-07 01:40:00,PST-8,2017-02-08 03:40:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-122.06,37.9402,-122.0601,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Flooding in slow lane. I680 and Monument Blvd off ramp." +113742,680868,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-07 02:19:00,PST-8,2017-02-07 04:19:00,0,0,0,0,0.00K,0,0.00K,0,37.8087,-122.3043,37.8086,-122.3044,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","On ramp to SB I880 at 7th st 3-4 ft standing water." +113742,680870,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-07 03:15:00,PST-8,2017-02-07 05:15:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-122.28,37.8,-122.2796,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","I880 and 5th st on ramp flooded." +113742,680871,CALIFORNIA,2017,February,Flood,"SAN MATEO",2017-02-07 03:40:00,PST-8,2017-02-07 05:40:00,0,0,0,0,0.00K,0,0.00K,0,37.5132,-122.2549,37.5131,-122.2547,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","US 101N and Holly St off ramp flooded." +112433,682395,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-20 18:11:00,PST-8,2017-02-20 20:11:00,0,0,0,0,0.00K,0,0.00K,0,37.8429,-122.4858,37.8431,-122.4858,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide blocking at least one lane US 101S near Robin Williams Tunnel south end." +112433,682396,CALIFORNIA,2017,February,Debris Flow,"CONTRA COSTA",2017-02-20 18:12:00,PST-8,2017-02-20 20:12:00,0,0,0,0,0.00K,0,0.00K,0,38.0039,-121.947,38.0027,-121.947,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Car sized chunk of hillside fell into southbound Bailey Rd." +112433,682397,CALIFORNIA,2017,February,High Wind,"NORTH BAY MOUNTAINS",2017-02-20 18:14:00,PST-8,2017-02-20 18:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down blocking 3/4 o the roadway SB Old Lawley Roll Rd near SR29." +112433,682398,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-20 18:22:00,PST-8,2017-02-20 18:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Power pole on fire." +112433,682399,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 18:40:00,PST-8,2017-02-20 20:40:00,0,0,0,0,0.00K,0,0.00K,0,37.2699,-122.3091,37.2698,-122.3093,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Tree down amongst slide at Pescadero Creek Rd near Loma Mar Ave." +112433,682400,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 18:49:00,PST-8,2017-02-20 20:49:00,0,0,0,0,0.00K,0,0.00K,0,37.2045,-121.8957,37.2044,-121.8959,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Slide blocking southbound lanes of Hicks Rd near Reynolds Rd." +112433,682401,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-20 19:02:00,PST-8,2017-02-20 21:02:00,0,0,0,0,0.00K,0,0.00K,0,37.7462,-121.5847,37.7456,-121.5849,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Debris flow blocking all lanes Altamont Pass Rd near Grant Line Rd." +112433,682402,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-20 19:25:00,PST-8,2017-02-20 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","A few eucalyptus trees are down across the entire roadway of Hayes Rd near Lewis Rd." +112433,682403,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 19:55:00,PST-8,2017-02-20 21:55:00,0,0,0,0,0.00K,0,0.00K,0,37.2956,-122.0839,37.2954,-122.084,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud on roadway, Stevens Canyon and Montebello Rd." +112245,673296,PENNSYLVANIA,2017,February,Winter Storm,"DAUPHIN",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 4 to 8 inches of snow from south to north across Dauphin County." +112281,669560,NEW YORK,2017,February,Winter Storm,"NORTHERN FRANKLIN",2017-02-12 10:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with up to 15 inches near Malone." +112281,669561,NEW YORK,2017,February,Winter Storm,"SOUTHERN FRANKLIN",2017-02-12 10:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with up to 15 inches near Malone." +112282,669571,VERMONT,2017,February,Winter Storm,"ORANGE",2017-02-12 12:00:00,EST-5,2017-02-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 6 to 12 inches of snowfall reported, including 11 inches in Chelsea and 9 inches in Bradford and Williamstown." +112154,668880,OREGON,2017,February,High Wind,"CURRY COUNTY COAST",2017-02-03 10:14:00,PST-8,2017-02-03 17:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to several locations in southwest Oregon, mostly along the south coast.","APRSWXNET/CWOP station E4856 at Brookings reported a gust to 60 mph at 03/1132 PST. The Flynn Prairie RAWS recorded a gust to 61 mph at 03/1813 PST and to 60 mph at 03/1713 PST." +112370,670088,CALIFORNIA,2017,February,Flood,"MODOC",2017-02-07 11:45:00,PST-8,2017-02-12 10:15:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-121.09,41.19,-121.21,"Heavy rain combined with snow melt caused flooding along the Pit River in northeast California.","The Pit River at Canby exceeded flood stage (8.5 feet) at 07/1145 PST. It exceeded moderate flood stage (9.0 feet) at 08/1515 PST and major flood stage (10.0 feet) at 09/1400 PST. The river crested at 10.61 feet from 10/0130 to 01/0230 PST. The river fell below major flood stage at 11/0300 PST, below moderate flood stage at 12/0045 PST and flood stage at 12/1000 PST." +112386,670102,OREGON,2017,February,High Wind,"SOUTH CENTRAL OREGON COAST",2017-02-08 22:01:00,PST-8,2017-02-09 02:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to part of southwest and south central Oregon.","The Long Prairie RAWS recorded a gust to 59 mph at 09/0013 PST and a gust to 66 mph at 09/0213 PST. The Port Orford NOS/NWLON recorded a gust to 58 mph at 08/2206 PST. Pacific Power reported that 742 residences lost power as of 08/2126 PST." +112373,670094,CALIFORNIA,2017,February,Flood,"SISKIYOU",2017-02-09 09:45:00,PST-8,2017-02-10 22:15:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-123.03,41.67,-122.95,"Heavy rain combined with snow melt caused flooding along the Scott River in northern California.","The Scott River near Fort Jones exceeded flood stage (15.0 feet) at 09/0945 PST. The river crested at 17.90 feet at 09/0530 PST. The river fell below flood stage at 10/2215 PST. The Scott River road was closed by flood waters at milepost 7 as of 09/0850 PST. Flooding and a mudslide was also reported in parts of Dunsmuir. Some areas of that city were evacuated." +112657,672635,FLORIDA,2017,February,Thunderstorm Wind,"SUMTER",2017-02-15 15:36:00,EST-5,2017-02-15 15:36:00,0,0,0,0,1.00K,1000,0.00K,0,28.7488,-82.0625,28.7488,-82.0625,"A line of thunderstorms developed along a cold front that passed through the Florida Peninsula on the afternoon and evening of the 15th. Some of these thunderstorms caused damaging wind gusts in Sumter County.","Emergency management in Sumter county reported that a large tree was knocked down at the corner of highways 470 and 301." +112657,672636,FLORIDA,2017,February,Thunderstorm Wind,"SUMTER",2017-02-15 15:39:00,EST-5,2017-02-15 15:39:00,0,0,0,0,5.00K,5000,0.00K,0,28.82,-82.02,28.82,-82.02,"A line of thunderstorms developed along a cold front that passed through the Florida Peninsula on the afternoon and evening of the 15th. Some of these thunderstorms caused damaging wind gusts in Sumter County.","Several trees were reported to be knocked down around Florida's Turnpike." +112670,672726,ALABAMA,2017,February,Hail,"LIMESTONE",2017-02-24 22:24:00,CST-6,2017-02-24 22:24:00,0,0,0,0,,NaN,,NaN,34.98,-86.94,34.98,-86.94,"Thunderstorms produced a few small hail reports up to the size of nickels in north Alabama.","Nickel-sized hail was reported along Highway 127 north of Elkmont. Minor damage to cars was reported." +112245,673283,PENNSYLVANIA,2017,February,Winter Storm,"SNYDER",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Snyder County." +112245,673282,PENNSYLVANIA,2017,February,Winter Storm,"UNION",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Union County." +112245,673286,PENNSYLVANIA,2017,February,Winter Storm,"MIFFLIN",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Mifflin County." +112245,673287,PENNSYLVANIA,2017,February,Winter Storm,"JUNIATA",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Juniata County." +112870,674272,HAWAII,2017,February,High Surf,"MOLOKAI WINDWARD",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674273,HAWAII,2017,February,High Surf,"MOLOKAI LEEWARD",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674274,HAWAII,2017,February,High Surf,"MAUI WINDWARD WEST",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674275,HAWAII,2017,February,High Surf,"MAUI CENTRAL VALLEY",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674276,HAWAII,2017,February,High Surf,"WINDWARD HALEAKALA",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112870,674277,HAWAII,2017,February,High Surf,"BIG ISLAND NORTH AND EAST",2017-02-19 09:00:00,HST-10,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low northwest of the state caused surf of 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, Maui, and the Big Island; and 8 to 15 feet on the west-facing shores of Molokai. No serious injuries or property damage were reported.","" +112871,674278,HAWAII,2017,February,Heavy Rain,"HAWAII",2017-02-21 16:59:00,HST-10,2017-02-21 18:59:00,0,0,0,0,0.00K,0,0.00K,0,19.7772,-155.9303,19.5211,-155.8974,"An area of cold temperatures over the isles helped generate afternoon and early evening showers and thunderstorms over the leeward mountain slopes and coastal sections on the Big Island of Hawaii. The rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of significant property damage or injuries.","" +113101,676741,WYOMING,2017,February,Flood,"FREMONT",2017-02-10 03:00:00,MST-7,2017-02-11 10:00:00,0,0,0,0,100.00K,100000,0.00K,0,42.8959,-108.6148,42.903,-108.6105,"During the night of February 9th, strong Chinook winds developed over the eastern Slope of the Wind River Mountains. Temperatures climbed into the 50s as a result. These warm temperatures and strong winds brought rapid snowmelt of a deep snow pack and ice jams that produced flooding around portions of the Lander Foothills and Wind River Basin. In Lander, areas bordering Squaw Creek saw rapid increases in water levels. Water surrounded the Baldwin Creek Elementary School and flooded the Lander Museum and a few other local businesses. Some homes along Smith Road were evacuated. Rapid runoff and ice jams also caused flooding along the Little Popo Agie River. Homes in the flood prone areas of Lyons Valley flooded. The ice jams also caused rapid water rises and flooding in the northern and western portions of Hudson, where many homes and roads were flooded.","Chinook winds caused rapid snow melt in the Lander Foothills that brought rapid snow melt. The warm temperatures caused rapid snow melt that rapidly increased river levels. In addition, the frozen Little Popo Agie and Popo Agie rivers broke up rapidly and ice jams caused flooding of the flood prone areas in Lyons Valley. Many homes in the flood prone north and west sides of towns along with surrounding low lying areas were flooded. Many of the side roads in the aforementioned areas of Hudson also saw flooding and minor wash outs." +113101,676739,WYOMING,2017,February,Flood,"FREMONT",2017-02-09 22:00:00,MST-7,2017-02-10 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,42.8351,-108.7483,42.8377,-108.7523,"During the night of February 9th, strong Chinook winds developed over the eastern Slope of the Wind River Mountains. Temperatures climbed into the 50s as a result. These warm temperatures and strong winds brought rapid snowmelt of a deep snow pack and ice jams that produced flooding around portions of the Lander Foothills and Wind River Basin. In Lander, areas bordering Squaw Creek saw rapid increases in water levels. Water surrounded the Baldwin Creek Elementary School and flooded the Lander Museum and a few other local businesses. Some homes along Smith Road were evacuated. Rapid runoff and ice jams also caused flooding along the Little Popo Agie River. Homes in the flood prone areas of Lyons Valley flooded. The ice jams also caused rapid water rises and flooding in the northern and western portions of Hudson, where many homes and roads were flooded.","Chinook winds warmed temperatures into the 50s early in the morning on the 10th and caused rapid snow melt that caused flooding in Lander. The flooding was concentrated around Baldwin Creek. Highway 287 between Lander and Fort Washakie was shut down for several hours. Water also flooded Smith Road, Main Street and Tweed Lane at times. Water surrounded some homes and forced a few evacuations. A few businesses as well as the Lander Museum experienced minor flooding during the event." +114952,691991,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-20 23:57:00,CST-6,2017-04-20 23:57:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-98.52,34.77,-98.52,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691993,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-21 00:13:00,CST-6,2017-04-21 00:13:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-98.32,34.81,-98.32,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691994,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-21 00:14:00,CST-6,2017-04-21 00:14:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-98.29,34.81,-98.29,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,691995,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-21 00:21:00,CST-6,2017-04-21 00:21:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-98.24,34.82,-98.24,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692172,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-21 01:35:00,CST-6,2017-04-21 01:35:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-97.48,35.65,-97.48,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692173,OKLAHOMA,2017,April,Hail,"CUSTER",2017-04-21 03:29:00,CST-6,2017-04-21 03:29:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-98.73,35.52,-98.73,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Reported via mping." +114952,691992,OKLAHOMA,2017,April,Hail,"COMANCHE",2017-04-20 23:57:00,CST-6,2017-04-20 23:57:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-98.35,34.83,-98.35,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692174,OKLAHOMA,2017,April,Flash Flood,"OKLAHOMA",2017-04-21 07:15:00,CST-6,2017-04-21 10:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.6638,-97.5378,35.6627,-97.5258,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Water over road at Danforth and Western. 5-6 cars stalled out." +114952,692176,OKLAHOMA,2017,April,Flash Flood,"LOGAN",2017-04-21 07:30:00,CST-6,2017-04-21 10:30:00,0,0,0,0,0.00K,0,0.00K,0,35.6803,-97.4447,35.68,-97.4401,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Road closed at Coaltrain and Covell due to high water." +114952,692177,OKLAHOMA,2017,April,Flash Flood,"CANADIAN",2017-04-21 08:00:00,CST-6,2017-04-21 11:00:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.98,35.7236,-97.9807,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","At least one city street was closed due to flash flooding between 9 and 930 am." +114952,692178,OKLAHOMA,2017,April,Thunderstorm Wind,"GRADY",2017-04-21 08:05:00,CST-6,2017-04-21 08:05:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-97.96,35.29,-97.96,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +113376,678391,PUERTO RICO,2017,February,Flood,"HATILLO",2017-02-04 20:20:00,AST-4,2017-02-04 21:30:00,0,0,0,0,0.00K,0,0.00K,0,18.4464,-66.8087,18.4577,-66.8132,"An upper disturbance located to the north of the region in combination with a surge of moisture within the prevailing trades produced locally and diurnally induced afternoon showers across portions of interior and western PR. During the late afternoon through early evening hours, the shower activity then became focused across the municipalities of North Central PR.","PR-130 and PR-492 were reported flooded." +113378,678397,WYOMING,2017,February,Flood,"BIG HORN",2017-02-10 06:00:00,MST-7,2017-02-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,44.274,-107.987,44.4947,-108.0481,"A rapid warm up following several weeks of below normal temperatures and above average snowfall led to flooding along the Big Horn River in Washakie and Big Horn Counties. The result was rapidly rising rivers due to ice jams from rivers breaking up as well as rapid snow melt. The Worland area was the hardest hit area. Over 100 homes were evacuated in low lying areas near the river in Worland as it rose to around 13.9 feet, well above flood stage. The water receded as the ice jam moved northward. Residents were allowed to return to their homes on the 14th but large ice blocks remained in neighborhoods for days afterward. The flooding then moved northward into Big Horn County. Minor flooding was reported from Basin north through Greybull. However, in these areas flooding was restricted to low lying areas and little or no property damage occurred. Over 100 National Guard members and firefighters were called in to sandbag and help shore up levees along the river.","Ice jams flowing northward out of Washakie County caused flooding in portions of Big Horn County along the Big Horn River from Manderson to Basin and north to Greybull. The flooding was mainly restricted to low lying areas along the river and caused little to no property damage." +113373,678396,ALASKA,2017,February,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-02-11 15:00:00,AKST-9,2017-02-12 00:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Strong SSW flow aloft ahead of an occluded front on 2/10 brought snow, high winds, and even blizzard conditions to the Panhandle. As the front moved onshore on 2/11, warm air overrunning very cold air at the surface caused the snow to accumulate rapidly. White Pass was closed, and snow combined with wind gusts over 60 mph caused road and marine problems throughout SE Alaska. Some locations measured over a foot of new snowfall.","Mud Bay spotter measured 16 inches storm total new snow for this event. Downtown Haines measured 13.8 inches with nearly 8 inches in 12 hours ending at 2100 AKST on 2/11. Customs didn't get very much snow. Lutak Road had a power outage for 24 hours. A 38 FT fishing vessel sank in the harbor weighted down by the snow dump. Snow removal was also a big impact." +114952,692181,OKLAHOMA,2017,April,Thunderstorm Wind,"GRADY",2017-04-21 08:15:00,CST-6,2017-04-21 08:15:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-97.92,35.03,-97.92,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692179,OKLAHOMA,2017,April,Thunderstorm Wind,"GRADY",2017-04-21 08:14:00,CST-6,2017-04-21 08:14:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-97.95,35.04,-97.95,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692182,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-21 08:22:00,CST-6,2017-04-21 08:22:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-97.59,35.41,-97.59,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692183,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-21 08:24:00,CST-6,2017-04-21 08:24:00,0,0,0,0,0.00K,0,0.00K,0,35.5681,-97.5459,35.5681,-97.5459,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Measured at Cassidy school at Penn and Britton." +114952,692185,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-21 08:32:00,CST-6,2017-04-21 08:32:00,0,0,0,0,0.00K,0,0.00K,0,35.7299,-97.4583,35.7299,-97.4583,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Measured at Armstrong college." +114952,692186,OKLAHOMA,2017,April,Flash Flood,"OKLAHOMA",2017-04-21 08:44:00,CST-6,2017-04-21 11:44:00,0,0,0,0,0.00K,0,0.00K,0,35.6782,-97.638,35.6763,-97.5692,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Water over the roadway at 206th between Rockwell and May." +114952,692187,OKLAHOMA,2017,April,Flash Flood,"LOGAN",2017-04-21 08:44:00,CST-6,2017-04-21 11:44:00,0,0,0,0,0.00K,0,0.00K,0,35.7267,-97.3736,35.7236,-97.3737,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Flooding at Douglass and Waterloo road." +114952,692188,OKLAHOMA,2017,April,Flash Flood,"OKLAHOMA",2017-04-21 08:44:00,CST-6,2017-04-21 11:44:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-97.51,35.5064,-97.5116,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Flash flooding resulted in impassable lanes of I-235 at 36th ave." +114952,692189,OKLAHOMA,2017,April,Flash Flood,"OKLAHOMA",2017-04-21 08:44:00,CST-6,2017-04-21 11:44:00,0,0,0,0,0.00K,0,0.00K,0,35.6687,-97.5445,35.6662,-97.5447,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","High water rescue at NW 192nd and Thornhill blvd." +114952,692190,OKLAHOMA,2017,April,Thunderstorm Wind,"HUGHES",2017-04-21 10:10:00,CST-6,2017-04-21 10:10:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-96.25,34.97,-96.25,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Estimated 50-60 mph gust. No damage reported." +114952,692191,OKLAHOMA,2017,April,Thunderstorm Wind,"HUGHES",2017-04-21 10:15:00,CST-6,2017-04-21 10:15:00,0,0,0,0,5.00K,5000,0.00K,0,34.9,-96.25,34.9,-96.25,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Report of a roof blown off and tree damage." +113253,677615,NEW YORK,2017,February,Winter Storm,"WESTERN ALBANY",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677616,NEW YORK,2017,February,Winter Storm,"WESTERN GREENE",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677719,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 17:45:00,EST-5,2017-02-25 17:45:00,0,0,0,0,,NaN,,NaN,42.49,-74.12,42.49,-74.12,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed." +113262,677720,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:45:00,EST-5,2017-02-25 17:45:00,0,0,0,0,,NaN,,NaN,41.85,-74.22,41.85,-74.22,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was blown down on Bone Hollow Road between Whitefield Road and Smith Lane." +113262,677721,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:45:00,EST-5,2017-02-25 17:45:00,0,0,0,0,,NaN,,NaN,41.87,-74.21,41.87,-74.21,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was blown down on Buck Road between Cherryhill Road and Mill Road." +113506,679465,WISCONSIN,2017,February,Winter Storm,"BUFFALO",2017-02-23 20:00:00,CST-6,2017-02-25 00:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed on the 24th.","COOP and volunteer snow observers reported up to 7 inches of snow across Buffalo County. The highest reported total was 7.1 inches near Alma. In addition, wind gusts of 30 to 40 mph created drifting snow and caused dangerous travel conditions." +113506,679480,WISCONSIN,2017,February,Winter Storm,"TREMPEALEAU",2017-02-23 21:00:00,CST-6,2017-02-25 02:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed on the 24th.","COOP and volunteer snow observers reported 6 to 13 inches of snow across Trempealeau County. The highest reported total was 13 inches in Osseo. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113506,679472,WISCONSIN,2017,February,Winter Storm,"CLARK",2017-02-23 22:00:00,CST-6,2017-02-25 04:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed on the 24th.","Snowfall analysis indicated 3 to 10 inches of snow fell across Clark County. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113506,679475,WISCONSIN,2017,February,Winter Storm,"JACKSON",2017-02-23 22:00:00,CST-6,2017-02-25 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed on the 24th.","COOP and volunteer snow observers reported 7 to 8 inches of snow across Jackson County. The highest reported total was 8 inches near Hatfield. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113506,679478,WISCONSIN,2017,February,Winter Storm,"TAYLOR",2017-02-24 00:00:00,CST-6,2017-02-25 04:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed on the 24th.","COOP and volunteer snow observers reported 6 to 7 inches of snow across Taylor County. The highest reported total was 7.5 inches in Medford and near Westboro. In addition, wind gusts of 25 to 35 mph created drifting snow and caused dangerous travel conditions." +113231,677474,ILLINOIS,2017,February,Hail,"WILLIAMSON",2017-02-28 22:56:00,CST-6,2017-02-28 22:56:00,0,0,0,0,,NaN,0.00K,0,37.82,-88.93,37.82,-88.93,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","Hail slightly larger than baseballs was associated with the supercell that spawned the EF-1 tornado further south in Williamson County." +113231,677489,ILLINOIS,2017,February,Tornado,"JACKSON",2017-02-28 20:18:00,CST-6,2017-02-28 20:50:00,0,0,0,0,6.00M,6000000,0.00K,0,37.8371,-89.6619,37.9392,-89.1503,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","This large tornado entered Jackson County from Randolph County near the community of Rockwood. The tornado originally began near Perryville, Missouri, where it achieved its peak intensity in the EF-4 category. The tornado crossed the entire width of Jackson County, entering the county about two miles from the Mississippi River. The tornado passed just south of Ava, clipped the southern edge of Vergennes, and then passed near the north edge of Elkville before exiting the northeast corner of the county. In Jackson County, the tornado reached a maximum intensity of EF-3 on the south end of Vergennes. Winds estimated near 145 mph destroyed a house. The wood house was not securely anchored to the foundation, and other construction details suggested wind speeds were below the EF-4 category. Elsewhere in Jackson County, the tornado passed through mainly rural farmlands and woods. Thousands of large trees were snapped and uprooted, and dozens of homes and other structures were damaged or destroyed. The tornado remained quite wide, nearly one-third of a mile at times. The average path width in Jackson County was about 600 yards. The tornado continued east-northeast into Franklin County." +114059,683051,VERMONT,2017,April,Winter Weather,"WESTERN FRANKLIN",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Franklin county. Some specific totals include; 6 inches in St. Albans, 4 inches in Richford and 3 inches in Swanton." +114059,683052,VERMONT,2017,April,Winter Weather,"WESTERN RUTLAND",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 6 inches fell in the region including; 5 inches in Sudbury and 3 to 4 inches in Rutland." +114059,683050,VERMONT,2017,April,Winter Weather,"EASTERN FRANKLIN",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Franklin county. Some specific totals include; 6 inches in St. Albans, 4 inches in Richford and 3 inches in Swanton." +113550,680843,ARIZONA,2017,February,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-02-26 12:30:00,MST-7,2017-02-26 16:15:00,0,2,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A recently disturbed plot of land along Interstate 10 near San Simon resulted in daily closures of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. On February 26th a multi-vehicle accident occurred. The following two days, the interstate was closed prior to the occurrence of any accidents. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Dust blowing across Interstate 10 reduced visibility near San Simon to near zero which resulted in three separate collisions involving a total of eight vehicles. Two minor injuries occurred. The interstate was closed for nearly four hours." +113550,680847,ARIZONA,2017,February,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-02-28 09:30:00,MST-7,2017-02-28 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A recently disturbed plot of land along Interstate 10 near San Simon resulted in daily closures of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. On February 26th a multi-vehicle accident occurred. The following two days, the interstate was closed prior to the occurrence of any accidents. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Interstate 10 was closed for over six hours near San Simon due to very low visibility in blowing dust." +113718,680858,TEXAS,2017,February,Drought,"BROOKS",2017-02-01 00:00:00,CST-6,2017-02-07 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for dry conditions to continue across Kenedy, Hidalgo, and Willacy counties. Severe (D2) drought conditions remained across the northeastern and southwestern corners of Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County.","Continued below normal rainfall allowed for Severe (D2) drought conditions to continue across the far southeast corner of Brooks County." +113718,680767,TEXAS,2017,February,Drought,"WILLACY",2017-02-01 00:00:00,CST-6,2017-02-06 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A general lack of rainfall allowed for dry conditions to continue across Kenedy, Hidalgo, and Willacy counties. Severe (D2) drought conditions remained across the northeastern and southwestern corners of Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County.","Continued below normal rainfall allowed for Severe (D2) drought conditions to continue across the northwest corner of Willacy County through the first week of February." +113737,680862,TEXAS,2017,February,Drought,"STARR",2017-02-08 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"While rain fell across the coastal counties and the eastern Valley, little rain fell further inland, continuing dry conditions, and allowing for Severe (D2) drought conditions to spread west.","Continued general lack of rainfall led to the development of Severe (D2) drought conditions across the northeast corner of Starr County by the end of the first week of February." +113757,681093,MICHIGAN,2017,February,Hail,"SAGINAW",2017-02-24 19:00:00,EST-5,2017-02-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.31,-84.16,43.31,-84.16,"A few thunderstorms produced small hail across Saginaw and Washtenaw counties. |A thunderstorm also brought down trees in Lenawee county.","" +113757,681094,MICHIGAN,2017,February,Thunderstorm Wind,"LENAWEE",2017-02-24 14:45:00,EST-5,2017-02-24 14:45:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-84.19,42.03,-84.19,"A few thunderstorms produced small hail across Saginaw and Washtenaw counties. |A thunderstorm also brought down trees in Lenawee county.","Reports of several trees down in Cambridge Township." +113758,681095,MICHIGAN,2017,February,Thunderstorm Wind,"LENAWEE",2017-02-28 23:42:00,EST-5,2017-02-28 23:42:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-84.33,41.84,-84.33,"Thunderstorm winds brought down a tree just southeast of Hudson.","A tree was reported blown down." +113766,681119,IDAHO,2017,February,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-02-17 18:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell again in the central and southeast mountains of Idaho. Several SNOTEL sites reported over 10 inches of snow.","The Stanley COOP site received 10 inches of snow. Heavy amounts at SNOTEL sites were: 13 inches at Bear Canyon and 22 inches at Smiley Mountain." +113732,680840,CALIFORNIA,2017,February,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-15 03:00:00,PST-8,2017-02-15 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure helped a shallow marine layer develop over the Southern California Bight. The result was dense fog along the coast of Orange and San Diego Counties on the morning of the 15th.","Multiple ASOS stations along the coast reported a visibility of 1/4 mile or less over a 6 hour period. San Diego International reported fog with a visibility of 1/4 mile or less between 0324PST and 0627PST with 7 delays, 2 holds for 77 minutes, 3 diversions." +113742,681161,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-07 03:15:00,PST-8,2017-02-07 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree down blocking road 5 miles NE Scotts Valley." +113742,681169,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-07 04:24:00,PST-8,2017-02-07 04:29:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree fell onto car 4 miles SE of Watsonville." +113348,678276,MAINE,2017,February,Winter Storm,"NORTHERN PENOBSCOT",2017-02-12 20:00:00,EST-5,2017-02-14 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly deepening low pressure bombed while lifting from the Mid-Atlantic coast to the Gulf of Maine from the overnight hours of the 12th into the 13th. The low then tracked southeast of Nova Scotia during the early morning hours of the 14th. Snow expanded north across the region through the afternoon and evening hours of the 12th. Snow...heavy at times...then persisted through the early morning into the afternoon of the 13th. Snowfall rates of 2 to 5 inches per hour occurred with the heavier snow bands which in some instances were near steady for several hours.|Blizzard conditions developed across Downeast areas during the morning of the 13th. Winds were sustained at speeds of 30 to 40 mph...with gusts up to around 50 mph across interior Downeast areas and up to 60 mph along the Downeast coast. Visibilities were reduced to zero with near impossible travel conditions due to the heavy snow and extensive blowing and drifting snow for hours across Washington...Hancock and southern Penobscot counties. Although winds were lighter...heavy snow rates also produced zero visibilities and near impossible travel conditions from central and southern portions of Piscataquis county...to northern and central Penobscot county into southeast Aroostook county. At the height of the storm...plows were pulled from the roads for several hours Downeast and in areas to the north due to the extremely hazardous conditions. Snow drifts of 5 to 8 feet were reported on some roads. Nearly 2000 customers...mostly across Hancock county...lost power during the storm.|Widespread blizzard conditions occurred into the afternoon of the 13th...with more localized blizzard conditions persisting into the early morning hours of the 14th. Blizzard criteria conditions were met during the late morning of the 13th. Warning criteria snow accumulations occurred across northern areas during the early morning hours of the 13th. Storm total snow accumulations of 20 to 30 inches...with local totals up to around 35 inches...were common across Downeast areas. Storm totals of 15 to 25 inches...with local totals up to around 30 inches...were common across central portions of the region. Snow totals rapidly decreased across extreme northern areas with 5 to 12 inches across northeast areas...tapering to 3 to 6 inches across northwest areas.","Storm total snow accumulations ranged from 20 to 30 inches. The roof of a bowling alley collapsed in Millinocket due to the weight of snow. The building was a total loss." +113790,681234,OKLAHOMA,2017,February,Wildfire,"LATIMER",2017-02-01 10:00:00,CST-6,2017-02-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early February 2017. The largest wildfires occurred in Haskell County where over 5200 acres burned, Latimer County where more than 1800 acres burned, Le Flore County where over 1400 acres burned, Pittsburg County where over 700 acres burned, and Adair County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113818,682587,INDIANA,2017,February,Hail,"STEUBEN",2017-02-28 23:05:00,EST-5,2017-02-28 23:06:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-84.93,41.73,-84.93,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113818,682588,INDIANA,2017,February,Thunderstorm Wind,"JAY",2017-02-28 23:30:00,EST-5,2017-02-28 23:31:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-84.86,40.35,-84.86,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. While the main bowing segments were across Lower Michigan, an supercell developed on the southern flank of the line, producing hail and damaging winds, but no tornadoes as it remained rooted in the warm sector, away from the greatest shear. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Local law enforcement reported several trees were blown down across the southeastern part of the county." +113817,682589,MICHIGAN,2017,February,Hail,"BERRIEN",2017-02-28 20:25:00,EST-5,2017-02-28 20:26:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-86.61,41.8,-86.61,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113817,682590,MICHIGAN,2017,February,Hail,"BERRIEN",2017-02-28 20:33:00,EST-5,2017-02-28 20:34:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-86.5,41.8,-86.5,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +113817,682591,MICHIGAN,2017,February,Hail,"HILLSDALE",2017-02-28 23:15:00,EST-5,2017-02-28 23:16:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-84.76,41.75,-84.76,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","" +112929,674869,NORTH DAKOTA,2017,January,Heavy Snow,"PIERCE",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Locations near Rugby received six inches of snow." +112929,675264,NORTH DAKOTA,2017,January,Heavy Snow,"ADAMS",2017-01-02 06:00:00,CST-6,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Adams County received seven inches of snow." +112929,675260,NORTH DAKOTA,2017,January,Heavy Snow,"RENVILLE",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Eastern Renville County received six inches of snow." +112929,675266,NORTH DAKOTA,2017,January,Heavy Snow,"MCINTOSH",2017-01-02 09:00:00,CST-6,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","McIntosh County received seven inches of snow." +112929,675265,NORTH DAKOTA,2017,January,Heavy Snow,"SIOUX",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Sioux County received eight inches of snow." +113899,691102,MISSOURI,2017,April,Flood,"HOWELL",2017-04-26 14:30:00,CST-6,2017-04-26 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.525,-91.7397,36.5148,-91.7411,"Severe storms hit the Missouri Ozarks.","State Highway 142 was closed due to flooding." +113899,691103,MISSOURI,2017,April,Flood,"OZARK",2017-04-26 14:15:00,CST-6,2017-04-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.7848,-92.3708,36.7807,-92.3664,"Severe storms hit the Missouri Ozarks.","State Highway 95 was closed due to flooding." +113899,691104,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-26 13:00:00,CST-6,2017-04-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9715,-92.7206,36.9633,-92.7286,"Severe storms hit the Missouri Ozarks.","State Highway Y was closed due to flooding." +113899,691105,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-26 13:00:00,CST-6,2017-04-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9589,-92.625,36.9542,-92.6226,"Severe storms hit the Missouri Ozarks.","State Highway FF was closed due to flooding." +113899,691106,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-26 13:00:00,CST-6,2017-04-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0096,-92.5183,37.0078,-92.5184,"Severe storms hit the Missouri Ozarks.","State Highway U was closed due to flooding." +113899,691107,MISSOURI,2017,April,Flood,"SHANNON",2017-04-26 16:23:00,CST-6,2017-04-26 19:23:00,0,0,0,0,0.00K,0,0.00K,0,37.0689,-91.2646,37.0688,-91.2698,"Severe storms hit the Missouri Ozarks.","MODOT reported Highway H was flooded and closed at several locations in eastern portions of Shannon County." +113899,691108,MISSOURI,2017,April,Flood,"PHELPS",2017-04-26 13:54:00,CST-6,2017-04-26 16:54:00,0,0,0,0,0.00K,0,0.00K,0,37.9009,-91.7342,37.8965,-91.7495,"Severe storms hit the Missouri Ozarks.","The low water crossing at the 10000 block of County Road 5120 was flooded and impassable." +113899,691101,MISSOURI,2017,April,Flood,"HOWELL",2017-04-26 13:30:00,CST-6,2017-04-26 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.01,36.5185,-92.0161,"Severe storms hit the Missouri Ozarks.","State Highway 142 was closed due to flooding." +113899,691110,MISSOURI,2017,April,Tornado,"STONE",2017-04-26 00:35:00,CST-6,2017-04-26 00:38:00,0,0,0,0,10.00K,10000,0.00K,0,36.5048,-93.584,36.508,-93.5521,"Severe storms hit the Missouri Ozarks.","A NWS storm survey found that a tornado continued from Barry County into extreme southwestern Stone County. The tornado was rated an EF-0 in Stone County with estimated max wind speeds up to 80 mph. Numerous trees were uprooted or blown down along the path. The tornado path ended near Highway 86 just east of Highway 39. There were some minor structural damage near the community of Carr Lane." +115162,691347,MISSOURI,2017,April,Hail,"PULASKI",2017-04-10 06:15:00,CST-6,2017-04-10 06:15:00,0,0,0,0,0.00K,0,0.00K,0,38,-92.09,38,-92.09,"An isolated storm produced a couple reports of hail across the eastern Ozarks.","" +115162,691348,MISSOURI,2017,April,Lightning,"DOUGLAS",2017-04-10 15:30:00,CST-6,2017-04-10 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.9,-92.32,36.9,-92.32,"An isolated storm produced a couple reports of hail across the eastern Ozarks.","A barn was damaged by a lightning strike near the intersection of Highway CC and County Road 256." +115162,691349,MISSOURI,2017,April,Hail,"DENT",2017-04-10 16:25:00,CST-6,2017-04-10 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-91.54,37.5,-91.54,"An isolated storm produced a couple reports of hail across the eastern Ozarks.","This report of hail was from social media." +112896,674509,LOUISIANA,2017,January,Tornado,"AVOYELLES",2017-01-02 11:51:00,CST-6,2017-01-02 11:52:00,0,0,0,0,2.50M,2500000,0.00K,0,31.0967,-92.0663,31.0967,-92.0485,"A moist and unstable air mass spread north from the gulf while a strong cold front pushed in from the west. A line of thunderstorms developed along the frontal boundary as it moved across the region. Several short lived tornadoes occurred along the leading edge of the squall line along with strong wind gusts.","A tornado touched down near the airport where one hangar and two|planes were damaged. A Wal-Mart store had some skylights shattered|and parts of the roof was damaged. Neighboring strip mall stores|also received minor facade damage and a portable fireworks shop|was destroyed. Across the street, several large trees fell on homes|and several other buildings were damaged as well. The estimated peak wind was 110 MPH." +112910,674588,LOUISIANA,2017,January,Winter Weather,"AVOYELLES",2017-01-06 10:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow layer of cold air spilled into the region behind an arctic cold front while an upper disturbance moved across Texas and Louisiana. Freezing rain, sleet, and snow developed over portion of Central Louisiana as temperatures moved to around 30. This closed some roadways and bridged around Alexandria.","Rain became freezing rain, then sleet and snow during the afternoon of the 6th. While accumulations were light, patchy ice developed on some roadways including I-49 near Bunkie and northward. The interstate was closed during the evening until the precipitation ended and temperatures rose above freezing." +112910,674587,LOUISIANA,2017,January,Winter Weather,"RAPIDES",2017-01-06 10:00:00,CST-6,2017-01-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow layer of cold air spilled into the region behind an arctic cold front while an upper disturbance moved across Texas and Louisiana. Freezing rain, sleet, and snow developed over portion of Central Louisiana as temperatures moved to around 30. This closed some roadways and bridged around Alexandria.","Light rain changed over to freezing rain then to sleet and snow through the afternoon of the 6th. Accumulations were generally very light, however ice still developed on some roadways and bridges around Alexandria and Boyce. Elevated sections of I-49 and the LA 8 bridge were closed for several hours until the precipitation ended and temperatures rose above freezing." +112910,676609,LOUISIANA,2017,January,Winter Weather,"VERNON",2017-01-06 10:00:00,CST-6,2017-01-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow layer of cold air spilled into the region behind an arctic cold front while an upper disturbance moved across Texas and Louisiana. Freezing rain, sleet, and snow developed over portion of Central Louisiana as temperatures moved to around 30. This closed some roadways and bridged around Alexandria.","Rain became freezing rain, then sleet and snow during the late morning adn afternoon of the 6th. While accumulations were light, patchy ice developed on some roadways." +112897,674522,TEXAS,2017,January,Tornado,"JASPER",2017-01-02 09:03:00,CST-6,2017-01-02 09:04:00,0,0,0,0,30.00K,30000,0.00K,0,31.0707,-94.021,31.087,-93.9824,"A line of thunderstorms moved across Southeast Texas during the morning of the 2nd with a cold front. A pair of tornadoes occurred with this line of storms.","A tornado touched down in the Rayburn Country community, blowing|down multiple trees on the golf course and surrounding properties.|The tornado ended at US Hwy 96. The estimated peak wind was 105 MPH." +113097,676718,NORTH CAROLINA,2017,January,Winter Storm,"WILSON",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow amounts ranged from 1 inch across southern portions of the county to 3 inches across the north." +113097,677130,NORTH CAROLINA,2017,January,Winter Weather,"MOORE",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to 1 inch across the north. There was also 0.10 of an inch of ice from freezing rain." +113097,677127,NORTH CAROLINA,2017,January,Winter Weather,"CHATHAM",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged around 2.0 inches across the county. There was also 0.10 of an inch of ice from freezing rain." +113097,677131,NORTH CAROLINA,2017,January,Winter Weather,"MONTGOMERY",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged averaged around 1 inch across the county." +115601,694317,TEXAS,2017,April,Hail,"BEE",2017-04-29 21:20:00,CST-6,2017-04-29 21:27:00,0,0,0,0,5.00K,5000,0.00K,0,28.65,-98,28.65,-98,"A lone supercell thunderstorm moved southeast from northern Live Oak County through Bee County into central Refugio County during the evening hours of the 29th. Hail from quarter to golf ball size was observed.","Public reported quarter sized hail in Pawnee through social media." +115601,694318,TEXAS,2017,April,Hail,"BEE",2017-04-29 21:42:00,CST-6,2017-04-29 21:45:00,0,0,0,0,5.00K,5000,0.00K,0,28.54,-97.82,28.54,-97.82,"A lone supercell thunderstorm moved southeast from northern Live Oak County through Bee County into central Refugio County during the evening hours of the 29th. Hail from quarter to golf ball size was observed.","MPING report received of half dollar sized hail in Normanna." +115601,694320,TEXAS,2017,April,Hail,"BEE",2017-04-29 21:45:00,CST-6,2017-04-29 21:50:00,0,0,0,0,5.00K,5000,0.00K,0,28.62,-97.8,28.62,-97.8,"A lone supercell thunderstorm moved southeast from northern Live Oak County through Bee County into central Refugio County during the evening hours of the 29th. Hail from quarter to golf ball size was observed.","Video was submitted of quarter to half dollar sized hail falling in Pettus." +115601,694321,TEXAS,2017,April,Hail,"BEE",2017-04-29 21:45:00,CST-6,2017-04-29 21:50:00,0,0,0,0,10.00K,10000,0.00K,0,28.57,-97.8,28.57,-97.8,"A lone supercell thunderstorm moved southeast from northern Live Oak County through Bee County into central Refugio County during the evening hours of the 29th. Hail from quarter to golf ball size was observed.","Golf ball sized hail occurred in Tuleta." +115600,694316,TEXAS,2017,April,Flash Flood,"CALHOUN",2017-04-17 13:47:00,CST-6,2017-04-17 14:12:00,0,0,0,0,0.00K,0,0.00K,0,28.68,-96.55,28.6759,-96.5564,"A slow moving thunderstorm produced flooding in the city of Point Comfort.","Water covered the roadways on Pease and Runnels Streets in Point Comfort." +115601,694322,TEXAS,2017,April,Hail,"REFUGIO",2017-04-29 22:59:00,CST-6,2017-04-29 23:04:00,0,0,0,0,10.00K,10000,0.00K,0,28.24,-97.32,28.24,-97.32,"A lone supercell thunderstorm moved southeast from northern Live Oak County through Bee County into central Refugio County during the evening hours of the 29th. Hail from quarter to golf ball size was observed.","Refugio County Sheriff received a call of golf ball sized hail falling in Woodsboro." +115768,695806,TEXAS,2017,April,Strong Wind,"WEBB",2017-04-29 09:56:00,CST-6,2017-04-29 09:56:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds behind a cold front blew down a few large trees on the Texas A&M International University campus. Peak wind gusts at Laredo International Airport was around 50 mph.","Post-frontal wind gusts blew down a few trees on the campus of Texas A&M International University." +115769,695808,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-29 23:36:00,CST-6,2017-04-29 23:37:00,0,0,0,0,0.00K,0,0.00K,0,28.024,-97.048,28.0206,-97.0419,"A strong thunderstorm moved across the coastal waters around Rockport during the early morning hours of the 30th. Wind gusts from the storms were between 35 and 40 knots.","NOS site at Rockport measured a gust to 37 knots." +115769,695809,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-29 23:48:00,CST-6,2017-04-29 23:49:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4114,-96.4298,"A strong thunderstorm moved across the coastal waters around Rockport during the early morning hours of the 30th. Wind gusts from the storms were between 35 and 40 knots.","TCOON site at Port O'Connor measured a gust to 38 knots." +113161,676998,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-01-17 11:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Seven inches of new snow was reported 12 miles southwest of Monitor." +113161,676999,WASHINGTON,2017,January,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-01-17 11:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Seven inches of new snow was reported 12 miles southwest of Monitor." +113161,677004,WASHINGTON,2017,January,Winter Storm,"WENATCHEE AREA",2017-01-17 08:00:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","A 4 inch accumulation of snow and sleet was reported from East Wenatchee. Freezing rain was also noted during the storm." +113200,678416,PENNSYLVANIA,2017,January,Flood,"MERCER",2017-01-12 10:30:00,EST-5,2017-01-12 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.48,-80.44,41.4829,-80.4572,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","The public reported that several roads were flooded in the town of Jamestown." +113200,678417,PENNSYLVANIA,2017,January,Flash Flood,"LAWRENCE",2017-01-12 10:30:00,EST-5,2017-01-12 12:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.01,-80.44,41.0155,-80.4477,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Emergency manager reported that West State Street was flooded near Edinburg." +113200,678418,PENNSYLVANIA,2017,January,Flood,"LAWRENCE",2017-01-12 10:30:00,EST-5,2017-01-12 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.9917,-80.3435,41.0064,-80.3332,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported several roads closed due to flooding. In addition, a landslide occurred on Rural Ave at Neshannock Ave." +113200,678419,PENNSYLVANIA,2017,January,Flood,"LAWRENCE",2017-01-12 14:50:00,EST-5,2017-01-12 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,41,-80.41,40.9998,-80.4052,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that Coverts Road was starting to wash out." +113200,678420,PENNSYLVANIA,2017,January,Flood,"JEFFERSON",2017-01-12 15:45:00,EST-5,2017-01-12 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,41.12,-79.19,41.1177,-79.1881,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State Route 28 at Jefferson Street flooded." +113200,678421,PENNSYLVANIA,2017,January,Flood,"JEFFERSON",2017-01-12 15:45:00,EST-5,2017-01-12 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.16,-79.08,41.1528,-79.052,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that Pickering Street at Jefferson Street was flooded and route 322 at Knox Dale road is flooded." +113200,678422,PENNSYLVANIA,2017,January,Flood,"JEFFERSON",2017-01-12 16:00:00,EST-5,2017-01-12 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,41.2149,-78.992,41.2301,-78.9441,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that route 28 was flooded in Warsaw Township." +121376,726532,KENTUCKY,2017,December,Strong Wind,"HICKMAN",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +121376,726533,KENTUCKY,2017,December,Strong Wind,"FULTON",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. The highest wind gusts were west of the Kentucky Lake region, where winds gusted as high as 46 mph at the Paducah airport.","" +121377,726534,MISSOURI,2017,December,Strong Wind,"BOLLINGER",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726535,MISSOURI,2017,December,Strong Wind,"BUTLER",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726537,MISSOURI,2017,December,Strong Wind,"CARTER",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726538,MISSOURI,2017,December,Strong Wind,"MISSISSIPPI",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726539,MISSOURI,2017,December,Strong Wind,"NEW MADRID",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726540,MISSOURI,2017,December,Strong Wind,"PERRY",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121377,726541,MISSOURI,2017,December,Strong Wind,"RIPLEY",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121380,726556,KENTUCKY,2017,December,Dense Fog,"HENDERSON",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726557,KENTUCKY,2017,December,Dense Fog,"UNION",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726558,KENTUCKY,2017,December,Dense Fog,"MCLEAN",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726559,KENTUCKY,2017,December,Dense Fog,"WEBSTER",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726560,KENTUCKY,2017,December,Dense Fog,"HOPKINS",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726561,KENTUCKY,2017,December,Dense Fog,"MUHLENBERG",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726562,KENTUCKY,2017,December,Dense Fog,"CHRISTIAN",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726563,KENTUCKY,2017,December,Dense Fog,"TODD",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726564,KENTUCKY,2017,December,Dense Fog,"CRITTENDEN",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726565,KENTUCKY,2017,December,Dense Fog,"CALDWELL",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726566,KENTUCKY,2017,December,Dense Fog,"TRIGG",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726567,KENTUCKY,2017,December,Dense Fog,"LYON",2017-12-19 23:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726569,KENTUCKY,2017,December,Dense Fog,"LIVINGSTON",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +113055,675911,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 18:00:00,PST-8,2017-01-20 21:00:00,0,0,0,0,50.00K,50000,0.00K,0,32.7603,-117.0894,32.7618,-117.0804,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Six feet of water inundated an apartment building in City Heights on 48th street. One family nearly drowned due to the flood." +121380,726571,KENTUCKY,2017,December,Dense Fog,"MARSHALL",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726572,KENTUCKY,2017,December,Dense Fog,"CALLOWAY",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726573,KENTUCKY,2017,December,Dense Fog,"GRAVES",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121380,726574,KENTUCKY,2017,December,Dense Fog,"MCCRACKEN",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed western Kentucky. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +113055,675917,CALIFORNIA,2017,January,Flood,"RIVERSIDE",2017-01-20 18:00:00,PST-8,2017-01-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.7291,-116.3232,33.6743,-116.3342,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Heavy mountain rain produced flows in the Whitewater River and Palm Canyon Creek that lead to periodic closures of low water crossings in the Coachella Valley, including: Golf Club Dr., Gene Autry Trail., Indian Canyon Dr., Vista Chino Rd., Frank Sinatra Dr., Araby Dr. and Vista Chino." +113055,675927,CALIFORNIA,2017,January,Flash Flood,"RIVERSIDE",2017-01-22 16:40:00,PST-8,2017-01-22 17:40:00,0,0,0,0,0.00K,0,0.00K,0,33.7002,-117.2068,33.7178,-117.1998,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Swift water rescue conducted near North Golf Course in Sun City." +113055,676269,CALIFORNIA,2017,January,Strong Wind,"SAN DIEGO COUNTY VALLEYS",2017-01-20 13:00:00,PST-8,2017-01-21 04:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Local mesonets reported wind gusts in the 25-40 mph range between 1300PST on the 20th and 0400PST on the 21st. Highest gusts occurred between 1400 and 1800PST. The winds combined with saturated soils to down numerous trees." +113055,675900,CALIFORNIA,2017,January,Thunderstorm Wind,"ORANGE",2017-01-20 12:45:00,PST-8,2017-01-20 13:30:00,0,0,0,0,25.00K,25000,,NaN,33.6365,-117.9602,33.745,-117.8558,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A severe squall moved from Newport Beach to Santa Ana, downing multiple trees, knocking out power to 63 homes and causing minor roof damage." +114834,688861,VIRGINIA,2017,April,Hail,"WESTMORELAND",2017-04-21 18:20:00,EST-5,2017-04-21 18:20:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-77,38.22,-77,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Half dollar size hail was reported." +114834,688863,VIRGINIA,2017,April,Hail,"WESTMORELAND",2017-04-21 18:22:00,EST-5,2017-04-21 18:22:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-76.97,38.26,-76.97,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Quarter size hail was reported." +114834,688868,VIRGINIA,2017,April,Hail,"WESTMORELAND",2017-04-21 19:09:00,EST-5,2017-04-21 19:09:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-76.72,38.12,-76.72,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Quarter size hail was reported." +113292,677933,PENNSYLVANIA,2017,January,Winter Weather,"WESTMORELAND RIDGES",2017-01-05 12:00:00,EST-5,2017-01-06 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure, with enhancement from mid level frontogenesis and the exit region of an upper level jet, supported a period of snow in the afternoon of the 5th through the early morning hours of the 6th. A general 2-4 inches of snow fell across eastern Ohio and western Pennsylvania, south of I-70. Amounts were slightly higher, in the 3-6 range over the mountains of West Virginia, Maryland, and Pennsylvania.","" +117373,705876,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 15:45:00,EST-5,2017-06-27 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-71.23,42.62,-71.23,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 345 PM EST, a trained spotter reported 1-inch diameter hail at Tewksbury." +117435,706225,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-12 10:30:00,EST-5,2017-06-12 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.51,30.34,-81.51,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","Since 11: 30 am local time, 4.43 inches was measured at Craig Airfield. Between 2 pm and 2:29 pm, 1.8 inches was measured." +117440,706297,FLORIDA,2017,June,Lightning,"ST. JOHNS",2017-06-15 18:57:00,EST-5,2017-06-15 18:57:00,0,0,0,0,0.50K,500,0.00K,0,30.01,-81.37,30.01,-81.37,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Lightning struck a tree and caught fire. Fire was extinguished by fire crews. Cost of property damage was not reported, but estimated so the event could be included in storm data." +117449,706525,ALABAMA,2017,June,Thunderstorm Wind,"ELMORE",2017-06-15 15:55:00,CST-6,2017-06-15 15:56:00,0,0,0,0,0.00K,0,0.00K,0,32.6367,-86.3262,32.6367,-86.3262,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Trees uprooted and power lines downed at Holtville High School." +117498,706626,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:21:00,EST-5,2017-06-19 14:21:00,0,0,0,0,,NaN,,NaN,38.892,-77.269,38.892,-77.269,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree branch was down near the Courthouse Road and Ware Street." +115696,695226,TEXAS,2017,April,Hail,"JASPER",2017-04-26 17:22:00,CST-6,2017-04-26 17:22:00,0,0,0,0,0.00K,0,0.00K,0,30.74,-94.03,30.74,-94.03,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","" +115696,695227,TEXAS,2017,April,Hail,"JASPER",2017-04-26 17:25:00,CST-6,2017-04-26 17:25:00,0,0,0,0,0.00K,0,0.00K,0,30.74,-94.03,30.74,-94.03,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","A picture of quarter size hail was posted to social media." +113003,677206,ARKANSAS,2017,January,Winter Weather,"POLK",2017-01-06 00:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","One to three inches of snow fell across Polk County." +113003,677207,ARKANSAS,2017,January,Winter Weather,"SCOTT",2017-01-06 00:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of one to three inches fell across Scott County." +113003,677209,ARKANSAS,2017,January,Winter Weather,"NEWTON",2017-01-06 01:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of one to three inches fell across Newton County." +113003,677210,ARKANSAS,2017,January,Winter Weather,"JOHNSON",2017-01-06 02:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of one to three inches fell across Johnson County." +113003,677211,ARKANSAS,2017,January,Winter Weather,"BOONE",2017-01-06 02:00:00,CST-6,2017-01-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across southern Boone county." +115696,695228,TEXAS,2017,April,Hail,"JASPER",2017-04-26 17:38:00,CST-6,2017-04-26 17:38:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-93.9,30.66,-93.9,"A cold front pushed across Southeast Texas during the afternoon of the 26th. Ahead of the boundary hail was reported with some storms.","" +115700,695258,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 07:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.69,-91.75,30.69,-91.75,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A tree was downed on a road in Melville." +115700,695259,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 07:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.56,-91.96,30.56,-91.96,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager reported trees and power lines down in Port Barre." +115700,695260,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 07:23:00,CST-6,2017-04-30 07:23:00,0,0,0,0,10.00K,10000,0.00K,0,30.52,-92.18,30.52,-92.18,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager for Saint Landry Parish reported numerous trees and power lines down in Lawtell." +112225,673918,KANSAS,2017,January,Ice Storm,"PHILLIPS",2017-01-15 05:00:00,CST-6,2017-01-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A widespread ice storm occurred on this Sunday and Monday. Ice amounts were generally 0.25-0.5, with locally higher amounts. An observer 7 miles north-northeast of Natoma measured 0.75. It all began just well before sunrise Sunday with scattered showers of light freezing rain and sleet. That was followed by two swaths of light freezing rain that lifted from south to north, through the day and evening. Each band was about 50 miles wide. The main, solid band of light to moderate freezing rain, associated with the deformation zone, lifted north into the region around midnight Sunday night. As the nighttime transitioned into the daytime hours Monday, the band contracted and pivoted, becoming oriented southwest-northeast. It diminished significantly and moved northeast during the afternoon, with the freezing rain ending.||There were probably many traffic accidents that were not reported. Numerous relatively short-lived power outages occurred, caused by both ice and falling tree limbs. Some tree limbs were snapped off in spots, with some as large as 8-10 in diameter. Melted precipitation amounts were significant, one to nearly 2 inches of precipitation measured.||At the surface, high pressure was over the Midwest Sunday, and it gradually drifted into New England Monday. The polar front extended from Texas, across the Gulf Coast States into the Carolina's Sunday, and it was quasi-stationary. A weak low pressure system exited New Mexico and moved into Texas, interacting with the pre-existing polar front. This low lifted north across Oklahoma and into Kansas Sunday night where it remained for most of the day Monday. In the upper-levels, split flow was over North America, with the main band of Westerlies along and just north of the Canadian border. Confluent flow was over the Northern Plains and Midwest. A small low tracked across northern Mexico and then lifted northeast into Oklahoma before opening up in the confluent flow.","" +113220,677393,TEXAS,2017,January,Drought,"WILLACY",2017-01-24 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions spread into southwestern Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County. The dry conditions that developed due to below normal rainfall in December, intensified, with Severe (D2) drought conditions returning to the previously mentioned locations.","Continued below normal rainfall allowed for Severe (D2) drought conditions to develop across the northwest corner of Willacy County." +113220,677392,TEXAS,2017,January,Drought,"HIDALGO",2017-01-24 00:00:00,CST-6,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions spread into southwestern Kenedy County, the northeast corner of Hidalgo County, and the far northwest corner of Willacy County. The dry conditions that developed due to below normal rainfall in December, intensified, with Severe (D2) drought conditions returning to the previously mentioned locations.","Continued below normal rainfall allowed for Severe (D2) drought conditions to develop across the northeast corner of Hidalgo County." +113216,677352,TEXAS,2017,January,Frost/Freeze,"STARR",2017-01-07 21:00:00,CST-6,2017-01-08 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","Falcon Lake Remote Automated Weather System (FART2) site reported freezing temperatures for over 12 hours, with a low of 26 degrees. Rio Grande City COOP site reported a low of 27 degrees." +113022,675992,MISSISSIPPI,2017,January,Thunderstorm Wind,"FORREST",2017-01-02 15:10:00,CST-6,2017-01-02 15:10:00,0,0,0,0,40.00K,40000,0.00K,0,30.98,-89.2,30.98,-89.2,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","Several homes were damaged." +113057,676490,MISSISSIPPI,2017,January,Tornado,"SIMPSON",2017-01-19 07:53:00,CST-6,2017-01-19 07:57:00,1,0,0,0,2.00M,2000000,0.00K,0,31.8672,-89.669,31.8904,-89.6546,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","This tornado touched down just east of Magee along Highway 28 at the intersection of Pine Grove Road. The tornado snapped a few trees here, then quickly grew and intensified. In the first half to 1 mile along Pine Grove Road, numerous trees were snapped and uprooted along with power lines being knocked down and some power poles snapped. Multiple homes had minor to moderate roof damage and most|of these were along the edge of the tornado. However, there were a few that were more directly in the path. These sustained heavier damage with one home completely destroyed. The roof was blown off along with most of the outer wall off. Here peak intensity was reached with winds estimated at 120 mph. Multiple sheds or large|barn type structures were heavily damaged or destroyed in this area as well. High end EF1 damage continued through the remainder of Simpson County where the tornado crossed C Stringer Road, Pine Grove Road again, and County Road 65 before moving into Smith County. Once in Smith County, most of the damage was from downed trees. The heaviest damage occurred as it crossed County Road 65 and County Road 108 where dozens of trees and several power lines were downed. A few|homes also sustained minor roof damage in this area. As the tornado crossed County Road 503, it weakened some but remained at EF1 intensity as it continued to the north-northeast and crossed County Road 114. The remainder of the damage was EF0 intensity as the tornado tracked west of Raleigh before it dissipated at Highway 35,|roughly 5 miles north of town. Maximum estimated winds were 120mph, which occurred in Simpson County. The total path length was 19.2 miles. One injury occurred." +113057,676013,MISSISSIPPI,2017,January,Flash Flood,"COPIAH",2017-01-19 08:00:00,CST-6,2017-01-19 14:00:00,0,0,0,0,40.00K,40000,0.00K,0,31.86,-90.39,31.8042,-90.3145,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","Many roads were flooded in the central and southern parts of the county." +112339,681546,GULF OF MEXICO,2017,February,Waterspout,"GALVESTON BAY",2017-02-14 10:33:00,CST-6,2017-02-14 10:33:00,0,0,0,0,0.00K,0,0.00K,0,29.279,-94.8649,29.279,-94.8649,"Marine thunderstorm wind gusts and a waterspout were produced by morning thunderstorms that developed as a storm system moved eastward across Texas.","Waterspout sighted in Offatts Bayou near Scholes International Airport." +112338,681533,TEXAS,2017,February,Thunderstorm Wind,"HARRIS",2017-02-14 08:55:00,CST-6,2017-02-14 08:55:00,0,0,0,0,2.00K,2000,0.00K,0,29.7062,-95.4338,29.7062,-95.4338,"Several morning tornadoes developed as a storm system moved eastward across the state.","Thunderstorm winds downed fences around the 3700 Bellaire Blvd. area." +112338,681541,TEXAS,2017,February,Thunderstorm Wind,"GALVESTON",2017-02-14 09:57:00,CST-6,2017-02-14 09:57:00,0,0,0,0,12.00K,12000,0.00K,0,29.38,-95.1,29.38,-95.1,"Several morning tornadoes developed as a storm system moved eastward across the state.","A couple of trees were downed (one on a house) along Avenue I between 21st Street and 24th Street." +113129,676600,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-17 17:18:00,CST-6,2017-02-17 17:18:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"Marine thunderstorm wind gusts were observed from activity that developed from a southern plains storm system.","Wind gust was measured at Galveston North Jetty PORTS site." +113129,676603,GULF OF MEXICO,2017,February,Waterspout,"GALVESTON BAY",2017-02-17 16:01:00,CST-6,2017-02-17 16:03:00,0,0,0,0,0.00K,0,0.00K,0,29.503,-94.9078,29.503,-94.9078,"Marine thunderstorm wind gusts were observed from activity that developed from a southern plains storm system.","A funnel cloud in the San Leon area became a short-lived waterspout when it moved into Galveston Bay." +113129,676599,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-17 15:06:00,CST-6,2017-02-17 15:06:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"Marine thunderstorm wind gusts were observed from activity that developed from a southern plains storm system.","Wind gust was measured at Surfside Beach WeatherFlow site XSFR." +113132,676607,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MATAGORDA BAY",2017-02-20 05:19:00,CST-6,2017-02-20 05:19:00,0,0,0,0,0.00K,0,0.00K,0,28.72,-96.25,28.72,-96.25,"Marine thunderstorm wind gusts were generated from a line of showers and thunderstorms.","Marine thunderstorm wind gust was measured at the PSX ASOS site." +113132,676610,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-02-20 05:30:00,CST-6,2017-02-20 05:30:00,0,0,0,0,0.00K,0,0.00K,0,28.422,-96.327,28.422,-96.327,"Marine thunderstorm wind gusts were generated from a line of showers and thunderstorms.","Wind gust was measured at Matagorda Bay Entrance Channel COOPS site." +113132,676611,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-02-20 09:29:00,CST-6,2017-02-20 09:29:00,0,0,0,0,0.00K,0,0.00K,0,29.4682,-94.6167,29.4682,-94.6167,"Marine thunderstorm wind gusts were generated from a line of showers and thunderstorms.","Wind gust was measured at WeatherFlow site XCRB." +113132,676608,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MATAGORDA BAY",2017-02-20 05:24:00,CST-6,2017-02-20 05:24:00,0,0,0,0,0.00K,0,0.00K,0,28.4458,-96.3955,28.4458,-96.3955,"Marine thunderstorm wind gusts were generated from a line of showers and thunderstorms.","Wind gust was measured at the Port O'Connor TCOON site." +121208,725672,NEW YORK,2017,October,Thunderstorm Wind,"LEWIS",2017-10-15 17:37:00,EST-5,2017-10-15 17:37:00,0,0,0,0,8.00K,8000,0.00K,0,43.56,-75.43,43.56,-75.43,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121217,725734,NEW YORK,2017,October,High Wind,"ORLEANS",2017-10-30 07:00:00,EST-5,2017-10-30 09:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +115971,697022,NEW YORK,2017,April,Flood,"NIAGARA",2017-04-22 11:41:00,EST-5,2017-04-23 11:00:00,0,0,0,0,15.00K,15000,0.00K,0,43.0975,-78.5001,43.0912,-78.5011,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +114559,687058,ILLINOIS,2017,April,Hail,"CHAMPAIGN",2017-04-10 06:37:00,CST-6,2017-04-10 06:42:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-88.25,39.98,-88.25,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +114559,687060,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-10 06:45:00,CST-6,2017-04-10 06:50:00,0,0,0,0,0.00K,0,0.00K,0,40.1812,-87.687,40.1812,-87.687,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +114559,687061,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-10 06:50:00,CST-6,2017-04-10 06:55:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-87.67,40.24,-87.67,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +114559,687062,ILLINOIS,2017,April,Hail,"DOUGLAS",2017-04-10 10:30:00,CST-6,2017-04-10 10:35:00,0,0,0,0,0.00K,0,0.00K,0,39.7566,-87.98,39.7566,-87.98,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +115182,691572,ILLINOIS,2017,April,Hail,"EDGAR",2017-04-28 15:50:00,CST-6,2017-04-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.52,-87.57,39.52,-87.57,"An area of low pressure tracking along a stationary frontal boundary near the Ohio River brought a round of severe thunderstorms to southeast Illinois during the afternoon of April 28th. The storms produced damaging wind gusts of 70-80 mph across southern Richland County into Lawrence County. Automated equipment at the Lawrenceville Airport measured a wind gust of 85mph at 5:12 PM CDT. As a result, numerous trees and power lines were blown down from Noble in Richland County northeastward through Lawrenceville in Lawrence County.","" +113915,682236,IDAHO,2017,February,Flood,"BANNOCK",2017-02-05 05:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,450.00K,450000,0.00K,0,42.9712,-112.5199,42.53,-112.4282,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A lot of field flooding occurred in the county as well as a house on Andrew Street in Pocatello on the 8th. Wallin Road closed on the 10th in Chubbuck due to water on the road. The Marsh Creek area had flooding as well. The Portneuf River in Pocatello reached flood stage on the 11th with flooding in Sacajawea Park. The warmup also revealed extreme damage to roads from the harsh winter as well." +113915,682525,IDAHO,2017,February,Flood,"CARIBOU",2017-02-04 10:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,427.00K,427000,0.00K,0,42.9212,-111.9499,42.72,-112.067,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A warmup in early February caused extensive sheet flooding throughout Caribou County. The main issues were extensive flooded back roads, extensive field flooding. Lots of agricultural land was affected with extensive property and road damage. Many of the road closures occurred in the Grace area with the worst flooding from the 8th through the 14th. Several houses to the south of Grace flooded and more road flooding occurred after the 19th. Caribou County did declare a county disaster." +112977,675121,WYOMING,2017,February,High Wind,"LANDER FOOTHILLS",2017-02-06 06:25:00,MST-7,2017-02-06 08:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","High winds occurred in Sinks Canyon State Park near Lander. Several wind gusts past 58 mph occurred with a maximum gust of 72 mph." +112977,675122,WYOMING,2017,February,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-06 03:50:00,MST-7,2017-02-06 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","The RAWS sites at Camp Creek and Fales Rock had several wind gusts past 58 mph, including a maximum gust of 75 mph at each site." +113987,682661,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-07 10:59:00,PST-8,2017-02-07 10:59:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-119.92,37.5277,-119.9281,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported water flowing over roadway bridge near State Route 140 and Triangle Road just south of Midpines." +113817,682751,MICHIGAN,2017,February,Thunderstorm Wind,"ST. JOSEPH",2017-02-28 21:45:00,EST-5,2017-02-28 21:46:00,0,0,0,0,0.00K,0,0.00K,0,41.94,-85.33,41.94,-85.33,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Local fire departments reported two healthy one to two foot diameter trees were damaged at Manor Rd and Palmer Street. One tree was snapped about half way up, with the other broke at the base. A tree branch landed on a vehicle. Power lines were also down in the area from tree limbs." +113997,682752,OHIO,2017,February,Hail,"PAULDING",2017-02-28 19:15:00,EST-5,2017-02-28 19:16:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-84.58,41.14,-84.58,"Isolated thunderstorms developed and became locally severe with marginally severe hail occurring.","" +115673,696889,INDIANA,2017,April,Hail,"OWEN",2017-04-28 16:37:00,EST-5,2017-04-28 16:39:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-86.69,39.3,-86.69,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","This report was received via social media." +115673,696890,INDIANA,2017,April,Hail,"MORGAN",2017-04-28 16:45:00,EST-5,2017-04-28 16:47:00,0,0,0,0,0.00K,0,0.00K,0,39.38,-86.56,39.38,-86.56,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","" +115673,696993,INDIANA,2017,April,Thunderstorm Wind,"MONROE",2017-04-28 18:12:00,EST-5,2017-04-28 18:12:00,0,0,0,0,2.00K,2000,0.00K,0,39.12,-86.57,39.12,-86.57,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","A couple trees, 1.5 feet in diameter, were downed due to damaging thunderstorm wind gusts. Power was knocked out and winds were estimated at 50 to 60 mph." +115673,696995,INDIANA,2017,April,Thunderstorm Wind,"MONROE",2017-04-28 18:12:00,EST-5,2017-04-28 18:12:00,0,0,0,0,1.25K,1250,0.00K,0,39.1,-86.52,39.1,-86.52,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Power lines were downed near this location due to damaging thunderstorm wind gusts. This report came in via social media." +115673,697002,INDIANA,2017,April,Thunderstorm Wind,"BROWN",2017-04-28 18:42:00,EST-5,2017-04-28 18:42:00,0,0,0,0,5.00K,5000,0.00K,0,39.18,-86.18,39.18,-86.18,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Trees were reported to be down in the area due to damaging thunderstorm wind gusts." +112352,669914,NEW MEXICO,2017,February,High Wind,"NORTHEAST HIGHLANDS",2017-02-06 11:00:00,MST-7,2017-02-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","A public weather station northwest of Anton Chico reported peak wind gusts up to 68 mph. The Las Vegas airport reported peak wind gusts to 60 mph." +112352,669920,NEW MEXICO,2017,February,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-02-06 11:00:00,MST-7,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Ute Park reported peak wind gusts up to 66 mph. Five large cottonwood trees were blown over around Ute Park. One tree was nearly two feet in diameter and landed over a roadway. No damage was reported to power lines." +112352,669923,NEW MEXICO,2017,February,High Wind,"GUADALUPE COUNTY",2017-02-06 12:00:00,MST-7,2017-02-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","Union Pacific Railroad weather stations reported sustained winds up to 42 mph in the area from Santa Rosa to Vaughn." +112366,670043,NEW MEXICO,2017,February,High Wind,"ALBUQUERQUE METRO AREA",2017-02-12 07:00:00,MST-7,2017-02-12 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low that slowly moved east across southern Arizona, combined with a strong area of surface high pressure that built down the Front Range of the Rockies, produced the perfect pattern for strong gap winds across central New Mexico. Record warm temperatures from the 10th and the 11th came to an abrupt end as a cold front surged southwest across the plains and through gaps of the central mountain chain early on the 12th. Peak wind gusts around 60 mph were common below Tijeras Canyon and within the Tularosa Valley. The strongest winds occurred in the area below Abo Pass where a peak gust to 88 mph was reported near U.S. Highway 60.","A large, dead cottonwood tree was blown down at Constitution and Louisiana. No property damage was reported from this fallen tree." +112663,673210,NEW MEXICO,2017,February,High Wind,"DE BACA COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Columbia Scientific Balloon Facility at Fort Sumner reported a peak wind gust up to 70 mph. Sumner Lake reported peak wind gusts up to 58 mph." +112663,673211,NEW MEXICO,2017,February,High Wind,"CHAVES COUNTY PLAINS",2017-02-28 11:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Buck Springs weather station near Mesa reported a peak wind gust up to 72 mph with sustained winds as high as 51 mph. The Bitterlakes Wildlife Refuge RAWS station reported a peak wind gust up to 64 mph. The Roswell Industrial Airpark reported a peak wind gust up to 58 mph. A semi-trailer was overturned and damaged in powerful crosswinds along U.S. Highway 285 north of Roswell." +113952,682425,OREGON,2017,February,Flood,"MARION",2017-02-06 07:00:00,PST-8,2017-02-12 11:45:00,0,0,0,0,0.00K,0,0.00K,0,45.2326,-122.751,45.233,-122.7491,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Pudding River near Aurora to flood. The river crested at 24.16 feet, which is 2.16 feet above flood stage." +112554,671475,MINNESOTA,2017,February,Winter Storm,"RICE",2017-02-23 19:00:00,CST-6,2017-02-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 4 to 12 inches of snow that fell Thursday evening, through Friday afternoon. The heaviest totals were southeast of Faribault which received 12 inches. Only an inch or two fell in the northern part of the county." +114605,687321,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 20:00:00,CST-6,2017-04-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-92.56,44.07,-92.56,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported on the northwest side of Rochester." +114605,687322,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 20:00:00,CST-6,2017-04-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-92.47,43.93,-92.47,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail fell northeast of the Rochester airport." +113525,681149,NEBRASKA,2017,February,Winter Weather,"FILLMORE",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 2.0 inches occurred in both Geneva and four miles south of Shickley. The first burst of a little snow (along with perhaps some sleet and small hail) occurred on the evening of February 23rd, and the second occurrence was during the morning and early afternoon of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681342,NEBRASKA,2017,February,Winter Weather,"FURNAS",2017-02-23 16:00:00,CST-6,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","A snowfall total of 1.3 inches fell six miles north northwest of Oxford and 1.0 inches occurred in Cambridge. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681884,NEBRASKA,2017,February,Winter Weather,"HARLAN",2017-02-23 16:00:00,CST-6,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","Snow came in two bursts and likely accumulated a total around an inch based on nearby observations. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113525,681894,NEBRASKA,2017,February,Winter Weather,"FRANKLIN",2017-02-23 16:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","Snow came in two bursts and accumulated a total of an inch in Franklin. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,682230,NEBRASKA,2017,February,Winter Weather,"WEBSTER",2017-02-23 17:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","Snow came in two bursts and accumulated a total of 2.2 inches four miles southwest of Blue Hill. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning of February 24th, accompanied by wind gusts to around 40 mph resulting in near-blizzard conditions. There was also likely up to a few hours of light freezing drizzle in between rounds of snow." +113525,682232,NEBRASKA,2017,February,Winter Weather,"NUCKOLLS",2017-02-23 17:00:00,CST-6,2017-02-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","Snow came in two bursts and accumulated a total of an 1.1 inches in Superior. The first burst of a little snow occurred on the afternoon and evening of February 23rd, and the second occurrence was during the morning and early afternoon of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +113817,682597,MICHIGAN,2017,February,Tornado,"CASS",2017-02-28 21:12:00,EST-5,2017-02-28 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.8782,-85.9497,41.8974,-85.9039,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Tornado touched down southwest of the intersection of Brownsville St and Calvin Center Road in a wooded area and then traveled rapidly northeast, just missing the Calvin Center Seventh Day Adventist Church. Several large trees were uprooted here along with chain link fence pulled from the ground. Some minor damage was noted to the church including stripped siding and shingle loss. More extensive tree and structural damage to homes was noted just northeast of here including a roof off a single wide mobile home, a garage lost part of the roof and a two story house was twisted on its foundation along with roof damage. In addition dozens of snapped/uprooted trees were observed. Additional tree damage occurred northeast toward Paradise Lake where several houses sustained minor roof and siding damage along with uprooted trees down on houses. The tornado continued through a heavily wooded swamp before dissipating south of Donnell Lake. Maximum wind speeds were estimated at 110 mph." +113993,682728,CALIFORNIA,2017,February,High Wind,"W CENTRAL S.J. VALLEY",2017-02-20 13:27:00,PST-8,2017-02-20 19:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Panoche Road (PCEC1) RAWS reported a maximum wind gust of 81 mph." +112907,674577,KENTUCKY,2017,February,Tornado,"TRIGG",2017-02-07 19:40:00,CST-6,2017-02-07 19:45:00,0,0,0,0,25.00K,25000,0.00K,0,36.8842,-87.9365,36.8772,-87.9044,"During the evening, a severe thunderstorm acquired supercell characteristics for an hour or so as it moved southeast across the Lake Barkley area of Trigg County. The storm intensified along a cold front as it pressed southeast across western Kentucky. The atmosphere became sufficiently unstable for the storm to become severe during a short timeframe around sunset. The isolated severe storm was preceded by a round of storms during the morning hours, which produced locally heavy rain. The morning storms were generated by a strong south wind flow of warm and moist air.","This weak tornado touched down along Highway 274 and lifted four miles northwest of Cadiz. The tornado occurred in a hilly scenic area adjacent to Lake Barkley. At least a dozen trees were uprooted or broken. Some of the trees landed on Highway 274. One power line was partially downed by a fallen tree. Several pieces of metal roofing from a barn were lofted into nearby woods. Peak winds were estimated near 80 mph. The tornado was witnessed by a trained spotter." +121217,725740,NEW YORK,2017,October,High Wind,"JEFFERSON",2017-10-30 07:30:00,EST-5,2017-10-30 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +121217,725741,NEW YORK,2017,October,High Wind,"LEWIS",2017-10-30 09:30:00,EST-5,2017-10-30 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure across the mid-Atlantic rapidly intensified as it tracked across central New York. The winds were especially strong along the Lake Ontario shoreline counties. The winds downed trees and power lines. Some structural damage was reported. There were reports road closures due to downed limbs and wires. Several tens of thousands were without power due to scattered outages. Wind gusts were measured to 71 mph at Oswego.","" +115066,691672,ARKANSAS,2017,April,Tornado,"CARROLL",2017-04-26 00:22:00,CST-6,2017-04-26 00:34:00,0,0,0,0,100.00K,100000,0.00K,0,36.4378,-93.8236,36.4991,-93.5974,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","This is the first segment of the three segment tornado. In Carroll County, this tornado snapped and uprooted numerous trees, damaged a number of homes, destroyed outbuildings, and blew down power poles. Based on this damage, maximum estimated wind in this segment of the tornado was 100 to 110 mph. The tornado moved into Barry County, Missouri, and eventually Stone County, Missouri, where it dissipated." +115188,691678,KANSAS,2017,May,Hail,"RUSSELL",2017-05-25 20:42:00,CST-6,2017-05-25 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98.85,38.89,-98.85,"Severe thunderstorms that developed over the Western Plains evolved into a convective complex of storms as they surged east toward Central Kansas late that evening. One thunderstorm that moved east into Russell County, Kansas was especially powerful as it produced 2.00 and 2.25 inch diameter hail as well as 60 to 70 mph winds.","Hail 2.25 inches in diameter struck the east side of town. No damage was reported." +115098,691675,OKLAHOMA,2017,April,Tornado,"SEQUOYAH",2017-04-29 15:17:00,CST-6,2017-04-29 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,35.4394,-94.7782,35.49,-94.667,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","A tornado developed southwest of Shadow Creek Country Club. It moved northeast uprooting trees, snapping power poles, and destroying outbuildings. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +115098,691673,OKLAHOMA,2017,April,Tornado,"LE FLORE",2017-04-28 21:36:00,CST-6,2017-04-28 21:51:00,0,0,0,0,150.00K,150000,0.00K,0,35.1017,-94.5783,35.2152,-94.5509,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","A tornado developed southwest of Cameron and moved generally north. It destroyed mobile homes, damaged homes, destroyed outbuildings, snapped numerous trees and power poles, uprooted numerous trees, and rolled several vehicles. Based on this damage, maximum estimated wind in the tornado was 110 to 120 mph." +115098,696944,OKLAHOMA,2017,April,Hail,"OSAGE",2017-04-29 03:45:00,CST-6,2017-04-29 03:45:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-96.036,36.37,-96.036,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +112796,673832,NEBRASKA,2017,February,Winter Storm,"CUSTER",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A CoCoRaHS observer, located 9 miles northwest of Anselmo, reported 8 inches of snowfall. Snowfall amounts ranged from 5 to 8 inches across Custer County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673833,NEBRASKA,2017,February,Winter Storm,"BLAINE",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public in Brewster reported 6 inches of snowfall. Snowfall amounts ranged from 5 to 8 inches across Blaine County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673834,NEBRASKA,2017,February,Winter Storm,"LOUP",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer in Taylor reported 7 inches of snowfall. Snowfall amounts ranged from 6 to 8 inches across Loup County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673835,NEBRASKA,2017,February,Winter Storm,"GARFIELD",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located 1 miles southwest of Burwell reported 9 inches of snowfall. Snowfall amounts ranged from 9 to 11 inches across Garfield County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673836,NEBRASKA,2017,February,Winter Storm,"WHEELER",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Bartlett, reported 10 inches of snowfall. Snowfall amounts ranged from 9 to 11 inches across Wheeler County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112362,670066,FLORIDA,2017,February,Thunderstorm Wind,"LEON",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,30.43,-84.28,30.43,-84.28,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Scattered trees and power lines were blown down in Tallahassee." +112362,670067,FLORIDA,2017,February,Thunderstorm Wind,"WAKULLA",2017-02-07 19:04:00,EST-5,2017-02-07 19:04:00,0,0,0,0,10.00K,10000,0.00K,0,30.18,-84.31,30.18,-84.31,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree fell and caused roof damage to a house. Damage cost was estimated." +112362,670068,FLORIDA,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-07 19:30:00,EST-5,2017-02-07 19:30:00,0,0,0,0,0.00K,0,0.00K,0,30.1472,-83.9751,30.1472,-83.9751,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down and blocked Highway 98." +112362,670070,FLORIDA,2017,February,Thunderstorm Wind,"TAYLOR",2017-02-07 20:00:00,EST-5,2017-02-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-83.65,30.08,-83.65,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down in the Hampton Springs area." +112362,670071,FLORIDA,2017,February,Thunderstorm Wind,"MADISON",2017-02-07 20:10:00,EST-5,2017-02-07 20:10:00,0,0,0,0,0.00K,0,0.00K,0,30.3895,-83.3301,30.3895,-83.3301,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down onto I-10 near Lee." +112362,670073,FLORIDA,2017,February,Thunderstorm Wind,"LAFAYETTE",2017-02-07 20:43:00,EST-5,2017-02-07 20:43:00,0,0,0,0,10.00K,10000,0.00K,0,29.96,-83.01,29.96,-83.01,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Roof damage occurred to a house off of Highway 27. Damage was estimated." +112396,670121,SOUTH CAROLINA,2017,February,Hail,"ORANGEBURG",2017-02-15 11:39:00,EST-5,2017-02-15 11:44:00,0,0,0,0,0.00K,0,0.00K,0,33.25,-80.82,33.25,-80.82,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","Firefighter reported dime to penny size hail in the town of Branchville. Time estimated based on radar." +112396,670122,SOUTH CAROLINA,2017,February,Hail,"ORANGEBURG",2017-02-15 11:40:00,EST-5,2017-02-15 11:45:00,0,0,0,0,0.00K,0,0.00K,0,33.24,-80.78,33.24,-80.78,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","Quarter sized hail reported at Branchville High School. Time estimated based on radar." +113792,681248,OKLAHOMA,2017,February,Wildfire,"HASKELL",2017-02-24 10:00:00,CST-6,2017-02-27 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during late February 2017. The largest wildfires occurred in Latimer County where over 1800 acres burned, Pittsburg County where over 900 acres burned, Wagoner County where over 500 acres burned, and Haskell County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113376,681238,PUERTO RICO,2017,February,Flash Flood,"HATILLO",2017-02-04 21:12:00,AST-4,2017-02-04 21:30:00,0,0,0,0,0.00K,0,0.00K,0,18.4779,-66.8058,18.4764,-66.8049,"An upper disturbance located to the north of the region in combination with a surge of moisture within the prevailing trades produced locally and diurnally induced afternoon showers across portions of interior and western PR. During the late afternoon through early evening hours, the shower activity then became focused across the municipalities of North Central PR.","Flash flooding was reported at Elena Delgado street due to Quebrada Los Rosas out of its banks. A car was swept away into the water." +113376,681254,PUERTO RICO,2017,February,Flash Flood,"HATILLO",2017-02-04 21:41:00,AST-4,2017-02-04 23:06:00,0,0,0,0,1000.00K,1000000,0.00K,0,18.4739,-66.7761,18.4736,-66.7696,"An upper disturbance located to the north of the region in combination with a surge of moisture within the prevailing trades produced locally and diurnally induced afternoon showers across portions of interior and western PR. During the late afternoon through early evening hours, the shower activity then became focused across the municipalities of North Central PR.","The proximity of a subtropical jet induced an upper level short wave trough. These features combined with a surge of surface moisture and local effects to produced widespread showers across the interior and northern sections of Puerto Rico." +113376,681464,PUERTO RICO,2017,February,Heavy Rain,"HATILLO",2017-02-04 18:00:00,AST-4,2017-02-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,18.42,-66.8,18.42,-66.8,"An upper disturbance located to the north of the region in combination with a surge of moisture within the prevailing trades produced locally and diurnally induced afternoon showers across portions of interior and western PR. During the late afternoon through early evening hours, the shower activity then became focused across the municipalities of North Central PR.","Emergency managers reported 4.59 inches of rain in Hatillo." +113497,679415,IOWA,2017,February,Flood,"BLACK HAWK",2017-02-22 07:00:00,CST-6,2017-02-26 02:03:00,0,0,0,0,10.00K,10000,0.00K,0,42.56,-92.38,42.62,-92.41,"Rainfall and snowmelt runoff led to minor flooding at the Cedar River at Cedar Falls late in the month.","The Cedar River at Cedar Falls crested at 90.02 feet on 24 February at 08:30 UTC." +113311,678144,TEXAS,2017,February,Thunderstorm Wind,"ARANSAS",2017-02-14 07:52:00,CST-6,2017-02-14 07:52:00,0,0,0,0,7.00K,7000,0.00K,0,27.9303,-97.1324,27.9303,-97.1324,"A line of thunderstorms formed along a cold front. The storms produced minor wind damage to a house northeast of Aransas Pass.","A front porch and roof were damaged at a house on Jacoby Lane." +115348,692937,MISSOURI,2017,April,Thunderstorm Wind,"SCHUYLER",2017-04-10 02:00:00,CST-6,2017-04-10 02:03:00,0,0,0,0,,NaN,,NaN,40.49,-92.37,40.49,-92.37,"Isolated to scattered thunderstorms produced some marginally severe thunderstorms. 1 to 1.5 inch hail and isolated wind damage were the only reports.","Trees, power lines, and other miscellaneous damage was reported the next day by local media." +115348,692936,MISSOURI,2017,April,Hail,"GRUNDY",2017-04-10 01:15:00,CST-6,2017-04-10 01:17:00,0,0,0,0,0.00K,0,0.00K,0,40.09,-93.62,40.09,-93.62,"Isolated to scattered thunderstorms produced some marginally severe thunderstorms. 1 to 1.5 inch hail and isolated wind damage were the only reports.","" +115406,692940,MISSOURI,2017,April,Tornado,"ATCHISON",2017-04-15 18:25:00,CST-6,2017-04-15 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.5535,-95.3809,40.5535,-95.3809,"A storm in Atchison County Missouri produced sub-severe hail and a weak and brief tornado.","A weak and brief tornado formed in Atchison County. No damage or injuries were reported as a result of this tornado." +114784,688492,KANSAS,2017,May,Tornado,"BARTON",2017-05-16 19:48:00,CST-6,2017-05-16 19:50:00,0,0,0,0,0.00K,0,0.00K,0,38.65,-98.76,38.6536,-98.7558,"A cyclic supercell thunderstorm produced a long track tornado across portions of Barton county, Kansas. The tornado initially touched down 3 miles west of Larned, Kansas (See NWS Dodge City, Kansas narrative for more information on the initial touchdown), traveling northeast, near Pawnee Rock, Kansas to 3 miles west of Great Bend, Kansas to just west of Hoisington, Kansas. The tornado was on the ground for 27 miles with damage rated from EF0 to a high end EF3 (3 miles west of Great Bend, Kansas). Two minor injuries were reported. Another minor tornado touchdown occurred in open country.","Brief touchdown over open country." +115481,702514,TEXAS,2017,May,Flash Flood,"HOUSTON",2017-05-28 21:30:00,CST-6,2017-05-29 00:30:00,0,0,0,0,0.00K,0,0.00K,0,31.14,-95.77,31.1177,-95.3764,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","There was widespread flooding across portions of Houston County including the towns of Austonio, Crockett, and Lovelady." +113964,682496,NEW YORK,2017,February,Heavy Snow,"LEWIS",2017-02-12 08:00:00,EST-5,2017-02-13 10:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought heavy snow to the north country. Snow began across the region during the morning hours of Saturday the 12th and continued through the late morning of Sunday the 13th. The heavy, wet snow slowed travel however impact was minimized by the weekend timing of the storm. Specific snowfall reports included: 18 inches at Osceola; 14 inches at Constantia; 13 inches at Croghan and Oswego; 12 inches at Beaver Falls; 11 inches at Harrisville and Pulaski: 10 inches at Watertown; 9 inches at Constableville, Highmarket and Mexico; and 8 inches at Theresa.","" +113965,682497,LAKE ONTARIO,2017,February,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-02-25 11:24:00,EST-5,2017-02-25 11:24:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"A line of thunderstorms developed ahead of a cold front during the late morning hours. As the thunderstorms crossed the eastern end of Lake Ontario wind gusts to 38 knots were measured.","" +113965,682498,LAKE ONTARIO,2017,February,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-02-25 11:36:00,EST-5,2017-02-25 11:36:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"A line of thunderstorms developed ahead of a cold front during the late morning hours. As the thunderstorms crossed the eastern end of Lake Ontario wind gusts to 38 knots were measured.","" +113966,682501,NEW YORK,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-25 12:18:00,EST-5,2017-02-25 12:18:00,0,0,0,0,35.00K,35000,0.00K,0,44.08,-75.89,44.08,-75.89,"A line of thunderstorms developed ahead of a cold front during the late morning hours. The thunderstorms crossed the north country and produced damaging wind gusts estimated to 60 mph. Just northwest of Calcium a roof and wall were damaged by winds. Trees were reported down near Theresa at the intersection of Routes 37 and 411 and on Red Lake Road. Also in Theresa, a mobile trailer home on Silver Street was damaged as it was pushed off the foundation.","A security camera video of thunderstorm winds damaging a roof and blowing down a fence was posted to social media." +113966,682502,NEW YORK,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-25 12:27:00,EST-5,2017-02-25 12:27:00,0,0,0,0,15.00K,15000,0.00K,0,44.21,-75.83,44.21,-75.83,"A line of thunderstorms developed ahead of a cold front during the late morning hours. The thunderstorms crossed the north country and produced damaging wind gusts estimated to 60 mph. Just northwest of Calcium a roof and wall were damaged by winds. Trees were reported down near Theresa at the intersection of Routes 37 and 411 and on Red Lake Road. Also in Theresa, a mobile trailer home on Silver Street was damaged as it was pushed off the foundation.","Emergency Management reported trees and wires downed by thunderstorm winds." +113966,682503,NEW YORK,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-25 12:29:00,EST-5,2017-02-25 12:29:00,0,0,0,0,20.00K,20000,0.00K,0,44.15,-75.79,44.15,-75.79,"A line of thunderstorms developed ahead of a cold front during the late morning hours. The thunderstorms crossed the north country and produced damaging wind gusts estimated to 60 mph. Just northwest of Calcium a roof and wall were damaged by winds. Trees were reported down near Theresa at the intersection of Routes 37 and 411 and on Red Lake Road. Also in Theresa, a mobile trailer home on Silver Street was damaged as it was pushed off the foundation.","Emergency management reported damage to a mobile home by thunderstorm winds." +113683,682072,NEBRASKA,2017,April,Hail,"MADISON",2017-04-15 17:15:00,CST-6,2017-04-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-97.6,41.91,-97.6,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682073,NEBRASKA,2017,April,Hail,"MADISON",2017-04-15 17:30:00,CST-6,2017-04-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.0909,-97.3684,42.0909,-97.3684,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682068,NEBRASKA,2017,April,Hail,"MADISON",2017-04-15 17:15:00,CST-6,2017-04-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-97.78,41.75,-97.78,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682071,NEBRASKA,2017,April,Hail,"MADISON",2017-04-15 17:15:00,CST-6,2017-04-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.9021,-97.6001,41.9021,-97.6001,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113555,679896,WYOMING,2017,February,Winter Storm,"EAST SWEETWATER COUNTY",2017-02-22 20:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","A trained spotter measured 8 inches of snow in Wamsutter. Southeast of Rock Springs, 11 inches of snow was measured." +113555,679897,WYOMING,2017,February,Winter Storm,"NORTHEAST JOHNSON COUNTY",2017-02-23 09:00:00,MST-7,2017-02-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","A CocoRaHS observer measured 7 inches of snow 4 miles southwest of Buffalo." +113555,679899,WYOMING,2017,February,Winter Storm,"CASPER MOUNTAIN",2017-02-22 22:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","The SNOTEL on Casper Mountain reported 17 inches of new snow." +112861,674217,HAWAII,2017,February,High Surf,"OAHU NORTH SHORE",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674216,HAWAII,2017,February,High Surf,"KAUAI LEEWARD",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674218,HAWAII,2017,February,High Surf,"OAHU KOOLAU",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674219,HAWAII,2017,February,High Surf,"OLOMANA",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674220,HAWAII,2017,February,High Surf,"MOLOKAI WINDWARD",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +111483,670347,ALABAMA,2017,January,Tornado,"HOUSTON",2017-01-02 19:37:00,CST-6,2017-01-02 19:44:00,0,0,0,0,500.00K,500000,0.00K,0,31.1292,-85.4856,31.1449,-85.3863,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tornado touched down in Geneva County near the Houston County border along Rehobeth Road before lifting after crossing US 231 just east of the National Peanut Festival Grounds in Houston county. In Geneva County, the tornado debarked and denuded several large trees and removed the roof from a home under construction. In addition, numerous trees were snapped or uprooted. In Houston County, the most significant damage occurred at the National Peanut Festival grounds. Multiple buildings were damaged or destroyed and several utility poles were snapped. This tornado was rated EF1 in Geneva county and EF2 in Houston county. Max winds in Houston county were estimated at 115 mph. Damage cost was estimated." +113920,682281,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-02-07 11:00:00,CST-6,2017-02-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.03,-90.11,30.03,-90.11,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Station NWCL1 reported a wind gust of 50 mph." +113920,682283,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-02-07 11:03:00,CST-6,2017-02-07 11:03:00,0,0,0,0,0.00K,0,0.00K,0,30.1999,-90.1231,30.1999,-90.1231,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A WeatherFlow station on the Lake Pontchartrain Causeway (XPTN) reported a wind gust of 49 mph." +119057,716730,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:47:00,CST-6,2017-07-22 21:50:00,0,0,0,0,,NaN,,NaN,39.01,-94.2,39.01,-94.2,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large trees of unknown size or condition were down." +113990,684608,CALIFORNIA,2017,February,Flash Flood,"MERCED",2017-02-10 23:59:00,PST-8,2017-02-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.2424,-120.2378,37.2891,-120.1877,"A low pressure system spread moisture into Merced County and into Yosemite Park on on the evening of February 9. This system moved southward on the morning of the 10th spreading heavy precipitation across the Yosemite Park area, the Mariposa County foothills and the rural areas of Merced County to the southeast of Merced. Some thunderstorms broke out that afternoon bringing additional heavy rainfall to the central San Joaquin Valley. Snow levels were around 8000 feet on the 10th lowering to around 6500 feet in Yosemite Park on the afternoon of the 11th in a cooler and showery airmass.","County emergency manager reported flooding in eastern Le Grand due to Mariposa Dam over topping its emergency spillway." +113954,682592,WASHINGTON,2017,February,Flood,"COWLITZ",2017-02-09 17:45:00,PST-8,2017-02-10 04:30:00,0,0,0,0,0.00K,0,0.00K,0,46.1413,-122.9173,46.1403,-122.9135,"A series of fronts brought moderate to heavy rainfall across Southwest Washington, resulting in flooding on several rivers across the area.","Heavy rain caused the Cowlitz River near Kelso to flood. The river crested at 21.6 feet, which is 0.01 feet above flood stage." +119057,716731,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:48:00,CST-6,2017-07-22 21:51:00,0,0,0,0,,NaN,,NaN,39.11,-94.44,39.11,-94.44,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large trees of unknown size or condition were down." +114018,682840,OREGON,2017,February,Heavy Rain,"CLACKAMAS",2017-02-05 05:00:00,PST-8,2017-02-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,45.3959,-122.4789,45.3959,-122.4789,"A series of fronts brought heavy rain over several days leading to several landslides across Northwest Oregon.","Broadcast Media reported a landslide closed Highway 224 near Tong Road in Damascus in both directions following a weekend of heavy rain." +114018,682841,OREGON,2017,February,Heavy Rain,"MULTNOMAH",2017-02-05 05:00:00,PST-8,2017-02-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,45.5157,-122.3617,45.5157,-122.3617,"A series of fronts brought heavy rain over several days leading to several landslides across Northwest Oregon.","Multnomah County Sheriff's Office reported that heavy rain caused a landslide on the Historic Columbia River Highway near the Stark Street Bridge." +114018,682843,OREGON,2017,February,Heavy Rain,"WASHINGTON",2017-02-05 22:00:00,PST-8,2017-02-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,45.5071,-122.719,45.5088,-122.7357,"A series of fronts brought heavy rain over several days leading to several landslides across Northwest Oregon.","Portland Bureau of Transportation reported a landslide closed 1 lane on highway 26 near the Oregon Zoo, and another landslide near Skyline Blvd." +114216,684186,WASHINGTON,2017,February,Heavy Snow,"SOUTH WASHINGTON CASCADES",2017-02-05 05:00:00,PST-8,2017-02-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow to the Washington Coast and Willapa Hills.","There were reports of snow from 18 inches at Spirit Lake SNOTEL to 25 inches at June Lake SNOTEL." +114216,684188,WASHINGTON,2017,February,Heavy Snow,"SOUTH COAST",2017-02-05 11:00:00,PST-8,2017-02-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow to the Washington Coast and Willapa Hills.","Cathlamet, WA reported 5.0 inches of snow, and 4.0 to 5.5 inches of snow was reported around Astoria just across the river in Oregon." +113742,680872,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 04:00:00,PST-8,2017-02-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-123.01,38.79,-123.0108,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Flooding US 101N and S Cloverdale Blvd." +113742,680875,CALIFORNIA,2017,February,Flood,"MARIN",2017-02-07 09:14:00,PST-8,2017-02-07 11:14:00,0,0,0,0,0.00K,0,0.00K,0,38.1611,-122.5725,38.1611,-122.5723,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Roadway flooding on Northbound Hwy101 and San Antonio Rd off ramp." +113742,680876,CALIFORNIA,2017,February,Flood,"MARIN",2017-02-07 10:12:00,PST-8,2017-02-07 12:12:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-122.53,38.0895,-122.5311,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Westbound SR-37 closed between Atherton Ave and US-101 due to flooding." +113742,680878,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 20:54:00,PST-8,2017-02-07 22:54:00,0,0,0,0,0.00K,0,0.00K,0,38.3924,-122.8375,38.3923,-122.8375,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Roadway flooding reported at Pleasant Hill Rd and Grundel Drive." +113742,680879,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-08 17:14:00,PST-8,2017-02-08 19:14:00,0,0,0,0,0.00K,0,0.00K,0,38.3248,-122.9284,38.3244,-122.9288,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Roadway flooding reported at Freestone Valley Ford Rd and SR-1." +113742,681154,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-06 20:05:00,PST-8,2017-02-06 20:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree came down onto power lines on Soquel San Jose Road near Olive Springs Road. Exact time approximated from social media post by media." +113742,681155,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-06 23:43:00,PST-8,2017-02-07 01:43:00,0,0,0,0,0.00K,0,0.00K,0,37.1255,-122.0189,37.1256,-122.0189,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud/rock/dirt on road near E Zayante Rd and lower Ellen Rd." +113742,681156,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-07 00:36:00,PST-8,2017-02-07 02:36:00,0,0,0,0,0.00K,0,0.00K,0,37.0661,-121.2186,37.0661,-121.2193,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Lots of rocks in road. SR 152 and Dinosaur Point Road." +113742,681159,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 02:22:00,PST-8,2017-02-07 04:22:00,0,0,0,0,0.00K,0,0.00K,0,38.503,-122.9974,38.503,-122.9975,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Armstrong Woods Rd/Morningside Dr." +112433,682404,CALIFORNIA,2017,February,High Wind,"SANTA LUCIA MOUNTAINS AND LOS PADRES NATIONAL FOREST",2017-02-20 19:57:00,PST-8,2017-02-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","" +112433,682405,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.0919,-122.0959,37.0918,-122.0958,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Landslide Alba Rd near HWY9. Entire roadway blocked." +112433,682406,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.5952,-122.5048,37.5951,-122.5049,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Slide on SR1 one-half mile south o Linda Mar Blvd partially blocking roadway." +112433,682407,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.1952,-122.0246,37.1953,-122.024,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Black Road is closed above Gist Road due to landslide with tree and power lines down." +112433,682408,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.2582,-122.1213,37.2583,-122.1221,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud/dirt/rock/ on HWY35 at HWY9 both directions blocked." +112433,682409,CALIFORNIA,2017,February,High Wind,"NORTH BAY MOUNTAINS",2017-02-20 22:29:00,PST-8,2017-02-20 22:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","" +112433,682410,CALIFORNIA,2017,February,Strong Wind,"SAN FRANCISCO PENINSULA COAST",2017-02-21 00:18:00,PST-8,2017-02-21 00:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","" +112433,682411,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-21 00:18:00,PST-8,2017-02-21 02:18:00,0,0,0,0,0.00K,0,0.00K,0,38.4977,-122.6541,38.4975,-122.6548,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Multiple mudslides and roadway flooding between Plum Ranch and Harville." +112433,682692,CALIFORNIA,2017,February,Debris Flow,"CONTRA COSTA",2017-02-21 04:38:00,PST-8,2017-02-21 06:38:00,0,0,0,0,0.00K,0,0.00K,0,37.8832,-121.7774,37.8828,-121.7785,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Multiple rock/mudslides reported at Deer Valley Rd and Marsh Creek Rd." +112282,669578,VERMONT,2017,February,Winter Storm,"WESTERN RUTLAND",2017-02-12 10:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 5 to 10 inches of snowfall reported, including 8 inches in Pittsford and 6 inches in Rutland." +112282,669590,VERMONT,2017,February,Winter Storm,"EASTERN ADDISON",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 5 to 10 inches of snowfall reported." +112282,669591,VERMONT,2017,February,Winter Storm,"EASTERN CHITTENDEN",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 5 to 10 inches of snowfall reported." +112392,670118,OREGON,2017,February,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-02-15 19:04:00,PST-8,2017-02-16 10:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of southwest and south central Oregon.","The Summer Lake RAWS recorded a gust to 62 mph at 15/2338 PST, a gust to 65 mph at 16/0038 PST, a gust to 63 mph at 16/0138 PST, and a gust to 65 mph at 16/0238 PST. The Summit RAWS recorded several gusts exceeding 58 mph between 15/1904 and 16/1003 PST. The peak gust was 68 mph recorded at 15/2103 PST. A spotter 1N Valley Falls recorded a gust to 83 mph at 16/0023 PST." +112397,670128,SOUTH CAROLINA,2017,February,Thunderstorm Wind,"KERSHAW",2017-02-09 02:22:00,EST-5,2017-02-09 02:27:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-80.61,34.25,-80.61,"A band of showers and thunderstorms, along a surface cold front, ahead of a strong upper short wave, moved through the area during the late night/early morning hours of 2/9/17. A few of the thunderstorms reached severe limits.","Kershaw Co Highway Dept reported trees down on US Hwy 601/US Hwy 521 in Camden." +112463,670568,MONTANA,2017,February,Flood,"MUSSELSHELL",2017-02-11 00:00:00,MST-7,2017-02-12 23:59:00,0,0,0,0,0.00K,0,0.00K,0,46.4419,-108.5322,46.4418,-108.5324,"Very cold temperatures from the middle of December through early February resulted in a solid ice cover on the Musselshell River. Much above normal temperatures during the first week of February resulted in this ice breaking apart. As the ice moved downstream, it became clogged at a meandering section of the river just to the southeast of Roundup. Three roads were closed at various times; mostly closures of just a couple hours as the water rose then receded. One family was displaced from their home as water impacted their property with contaminated water to their well and at least 3 head of cattle were lost. In addition, someone drove to a park near the Roundup Fairgrounds to walk a dog for a brief time. A half hour later, 3 feet of water was flowing across 4H Road, and the vehicle could no longer navigate. As a result, the person and the car had to be rescued.","" +112329,669719,PENNSYLVANIA,2017,February,Strong Wind,"CUMBERLAND",2017-02-12 23:40:00,EST-5,2017-02-12 23:40:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds on the backside of a powerful coastal storm produced widespread gusts between 40 and 55 mph across Central Pennsylvania during the late-evening and into the overnight hours.","A 22-year-old man died after a tree branch downed by strong winds crashed through his windshield. The man was driving on Route 944 in Silver Spring Township when the branch struck him in the chest around 2340 EST. He was taken to West Shore Hospital where he died from his injuries." +112329,670582,PENNSYLVANIA,2017,February,Strong Wind,"MIFFLIN",2017-02-12 22:00:00,EST-5,2017-02-12 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds on the backside of a powerful coastal storm produced widespread gusts between 40 and 55 mph across Central Pennsylvania during the late-evening and into the overnight hours.","Strong winds on the back side of a developing coastal storm blew out a 40-50 foot storefront window on a business on Route 22 in Lewistown." +112279,672735,ALABAMA,2017,February,Thunderstorm Wind,"MORGAN",2017-02-08 19:10:00,CST-6,2017-02-08 19:15:00,0,0,0,0,,NaN,,NaN,34.45,-86.88,34.46,-86.87,"Supercells erupted during the early evening hours along a cold front. The storms produced some hail and wind damage in parts of north central Alabama.","National Weather Service and Morgan County EMA officials determined the damage near the Hartselle area was caused by thunderstorm winds. Damage was first observed on Mayfield Road where one softwood tree was snapped and laying across the road. Damage was then observed approx. 0.7 miles to the east near the intersection of Blackwood Dr. and Kaylee Loop. Damage indicators included roof and siding damage to small farm buildings. Debris from the buildings were blown approx. 100 yards across Blackwood Dr. There was minor evidence near the Blackwood Dr. damage that would indicate a small tornado or mesovortex, but the damage assessment determined winds were below EF-0 criteria." +112675,672755,NEW YORK,2017,February,Ice Storm,"HAMILTON",2017-02-07 13:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112675,672752,NEW YORK,2017,February,Ice Storm,"SOUTHERN HERKIMER",2017-02-07 07:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112691,672843,NEW YORK,2017,February,Heavy Snow,"EASTERN COLUMBIA",2017-02-09 02:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112245,673294,PENNSYLVANIA,2017,February,Winter Storm,"PERRY",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Perry County." +112245,673290,PENNSYLVANIA,2017,February,Winter Storm,"HUNTINGDON",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 5 to 7 inches of snow across Huntingdon County." +112245,673281,PENNSYLVANIA,2017,February,Winter Storm,"NORTHUMBERLAND",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 8 inches of snow across Northumberland County." +112245,673098,PENNSYLVANIA,2017,February,Winter Storm,"SOUTHERN CENTRE",2017-02-08 22:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure formed along a stalled front just south of Pennsylvania and slid off the Mid-Atlantic coast before rapidly developing and pushing northeastward off the New England Coast. This storm produced a wide swath of 6-10 inches of snow from the Laurel Highlands east-northeastward across the Ridge and Valley region and into the Poconos. This snowfall occurred less than 24 hours after many of these same locations saw temperatures well into the 50s. Snowfall rates of 1-2 inches per hour were common at the height of the storm, and there were even reports of thunder-snow.","A winter storm produced 6 to 9 inches of snow across Southern Centre County. During the height of the storm, snowfall rates of 2 per hour were observed and a portion of I-80 in Centre County was closed due to multiple tractor trailers becoming stuck in the snow." +114952,692192,OKLAHOMA,2017,April,Hail,"JOHNSTON",2017-04-21 16:30:00,CST-6,2017-04-21 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-96.74,34.23,-96.74,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114952,692193,OKLAHOMA,2017,April,Hail,"JOHNSTON",2017-04-21 17:03:00,CST-6,2017-04-21 17:03:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-96.42,34.27,-96.42,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114953,692744,TEXAS,2017,April,Hail,"WILBARGER",2017-04-20 23:10:00,CST-6,2017-04-20 23:10:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-99.18,33.88,-99.18,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114953,692745,TEXAS,2017,April,Hail,"ARCHER",2017-04-21 00:24:00,CST-6,2017-04-21 00:24:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-98.54,33.81,-98.54,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +115381,692746,TEXAS,2017,April,Hail,"WICHITA",2017-04-17 02:35:00,CST-6,2017-04-17 02:35:00,0,0,0,0,0.00K,0,0.00K,0,33.89,-98.51,33.89,-98.51,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma and western north Texas on the evening of the 16th overnight into the 17th. No severe storms were reported in western north Texas, only .75 inch hail.","" +114954,692747,OKLAHOMA,2017,April,Hail,"NOBLE",2017-04-25 17:52:00,CST-6,2017-04-25 17:52:00,0,0,0,0,0.00K,0,0.00K,0,36.29,-97.07,36.29,-97.07,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692748,OKLAHOMA,2017,April,Hail,"NOBLE",2017-04-25 17:56:00,CST-6,2017-04-25 17:56:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-97.07,36.3,-97.07,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692750,OKLAHOMA,2017,April,Hail,"LINCOLN",2017-04-25 19:53:00,CST-6,2017-04-25 19:53:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-96.68,35.75,-96.68,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692751,OKLAHOMA,2017,April,Hail,"PAYNE",2017-04-25 20:00:00,CST-6,2017-04-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-96.7,35.98,-96.7,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692752,OKLAHOMA,2017,April,Hail,"GARVIN",2017-04-25 20:10:00,CST-6,2017-04-25 20:10:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-97.39,34.8,-97.39,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692753,OKLAHOMA,2017,April,Hail,"MCCLAIN",2017-04-25 21:00:00,CST-6,2017-04-25 21:00:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-97.6,35.26,-97.6,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692754,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:09:00,CST-6,2017-04-25 21:09:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-97.51,35.3,-97.51,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692755,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:10:00,CST-6,2017-04-25 21:10:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-97.48,35.31,-97.48,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692756,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:15:00,CST-6,2017-04-25 21:15:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-97.42,35.19,-97.42,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692758,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:25:00,CST-6,2017-04-25 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-97.41,35.19,-97.41,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692759,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:25:00,CST-6,2017-04-25 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-97.36,35.17,-97.36,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692760,OKLAHOMA,2017,April,Thunderstorm Wind,"CLEVELAND",2017-04-25 21:40:00,CST-6,2017-04-25 21:40:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-97.26,35.13,-97.26,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","Tree damage was reported near 120th avenue and Maguire road." +114954,692761,OKLAHOMA,2017,April,Hail,"HUGHES",2017-04-25 21:42:00,CST-6,2017-04-25 21:42:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-96.4,35.09,-96.4,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692762,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:43:00,CST-6,2017-04-25 21:43:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-97.18,35.23,-97.18,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692763,OKLAHOMA,2017,April,Hail,"POTTAWATOMIE",2017-04-25 21:57:00,CST-6,2017-04-25 21:57:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-96.97,35.2,-96.97,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692764,OKLAHOMA,2017,April,Hail,"PONTOTOC",2017-04-25 22:23:00,CST-6,2017-04-25 22:23:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-96.88,34.88,-96.88,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692765,OKLAHOMA,2017,April,Hail,"PONTOTOC",2017-04-25 22:25:00,CST-6,2017-04-25 22:25:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-96.88,34.77,-96.88,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692766,OKLAHOMA,2017,April,Hail,"PONTOTOC",2017-04-25 22:32:00,CST-6,2017-04-25 22:32:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-96.77,34.78,-96.77,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692767,OKLAHOMA,2017,April,Hail,"PONTOTOC",2017-04-25 22:39:00,CST-6,2017-04-25 22:39:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-96.79,34.84,-96.79,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114954,692768,OKLAHOMA,2017,April,Hail,"PONTOTOC",2017-04-25 22:40:00,CST-6,2017-04-25 22:40:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-96.81,34.77,-96.81,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114955,692776,OKLAHOMA,2017,April,Thunderstorm Wind,"KINGFISHER",2017-04-29 00:20:00,CST-6,2017-04-29 00:20:00,0,0,0,0,20.00K,20000,0.00K,0,35.9,-97.93,35.9,-97.93,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Several highway signs were blown down along US highway 81. One mile east on a section road, 15 power poles snapped off 15-20 feet above the ground. A barn was destroyed just east of the power poles, and roof damage occurred to a house near the snapped power poles." +114955,692777,OKLAHOMA,2017,April,Thunderstorm Wind,"CANADIAN",2017-04-29 00:30:00,CST-6,2017-04-29 00:30:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-98.12,35.53,-98.12,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +114955,692778,OKLAHOMA,2017,April,Hail,"CANADIAN",2017-04-29 00:41:00,CST-6,2017-04-29 00:41:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-98.12,35.6,-98.12,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692779,OKLAHOMA,2017,April,Hail,"CANADIAN",2017-04-29 00:49:00,CST-6,2017-04-29 00:49:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.98,35.73,-97.98,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692781,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 01:10:00,CST-6,2017-04-29 01:10:00,1,0,0,0,30.00K,30000,0.00K,0,35.41,-98.56,35.41,-98.56,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Double-wide mobile home was destroyed. One injury." +114955,692782,OKLAHOMA,2017,April,Hail,"CANADIAN",2017-04-29 01:12:00,CST-6,2017-04-29 01:12:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-97.75,35.69,-97.75,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692794,OKLAHOMA,2017,April,Hail,"PAYNE",2017-04-29 02:24:00,CST-6,2017-04-29 02:24:00,0,0,0,0,0.00K,0,0.00K,0,35.99,-97.04,35.99,-97.04,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692795,OKLAHOMA,2017,April,Hail,"KIOWA",2017-04-29 02:40:00,CST-6,2017-04-29 02:40:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-98.72,35.05,-98.72,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692796,OKLAHOMA,2017,April,Thunderstorm Wind,"KIOWA",2017-04-29 02:46:00,CST-6,2017-04-29 02:46:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-98.73,35.06,-98.73,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +114955,692797,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 02:52:00,CST-6,2017-04-29 02:52:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-98.49,35.01,-98.49,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692799,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 03:04:00,CST-6,2017-04-29 03:04:00,0,0,0,0,5.00K,5000,0.00K,0,35.11,-98.44,35.11,-98.44,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Small building was reported in the road on highway 9 one half mile north of Fort Cobb. Time estimated by radar." +114955,692800,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 03:04:00,CST-6,2017-04-29 03:04:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-98.44,35.11,-98.44,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +114955,692793,OKLAHOMA,2017,April,Hail,"BLAINE",2017-04-29 01:45:00,CST-6,2017-04-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-98.32,35.63,-98.32,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692801,OKLAHOMA,2017,April,Thunderstorm Wind,"KIOWA",2017-04-29 03:10:00,CST-6,2017-04-29 03:10:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-99.07,35.01,-99.07,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692803,OKLAHOMA,2017,April,Hail,"CADDO",2017-04-29 03:12:00,CST-6,2017-04-29 03:12:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-98.4,35.23,-98.4,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692804,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 03:14:00,CST-6,2017-04-29 03:14:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-98.41,35.31,-98.41,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +114955,692805,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 03:55:00,CST-6,2017-04-29 03:55:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-98.48,35.5,-98.48,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692806,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 04:00:00,CST-6,2017-04-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-98.48,35.5,-98.48,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692808,OKLAHOMA,2017,April,Thunderstorm Wind,"CANADIAN",2017-04-29 04:02:00,CST-6,2017-04-29 04:02:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.72,35.39,-97.72,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Winds of at least 60 mph reported." +114955,692810,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 04:15:00,CST-6,2017-04-29 04:15:00,0,0,0,0,3.00K,3000,0.00K,0,35.46,-97.57,35.46,-97.57,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Numerous power lines were downed across roads near interstate 40 and May avenue. Time estimated by radar." +114955,692811,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-29 04:15:00,CST-6,2017-04-29 04:15:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-97.53,35.64,-97.53,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692812,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 04:15:00,CST-6,2017-04-29 04:15:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-97.59,35.41,-97.59,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692813,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 04:20:00,CST-6,2017-04-29 04:20:00,0,0,0,0,2.00K,2000,0.00K,0,35.49,-97.56,35.49,-97.56,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Several trees were downed along NW 23rd street and there was sign damage at Shepherd mall. Time estimated by radar." +114955,692814,OKLAHOMA,2017,April,Thunderstorm Wind,"CANADIAN",2017-04-29 04:21:00,CST-6,2017-04-29 04:21:00,0,0,0,0,0.00K,0,0.00K,0,35.59,-98.12,35.59,-98.12,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +113253,677617,NEW YORK,2017,February,Winter Storm,"EASTERN RENSSELAER",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677619,NEW YORK,2017,February,Winter Storm,"NORTHERN HERKIMER",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677723,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:51:00,EST-5,2017-02-25 17:51:00,0,0,0,0,,NaN,,NaN,41.64,-74.14,41.64,-74.14,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was knocked down on Plains Road at New Hurley Road." +113262,677726,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:57:00,EST-5,2017-02-25 17:57:00,0,0,0,0,,NaN,,NaN,41.83,-74.13,41.83,-74.13,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was reported down at 26 Fairview Avenue." +113262,677727,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:57:00,EST-5,2017-02-25 17:57:00,0,0,0,0,,NaN,,NaN,41.84,-74.18,41.84,-74.18,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was reported down on Pine Bush Road between Buck Road and County Route 2." +113467,679269,CALIFORNIA,2017,February,Strong Wind,"W CENTRAL S.J. VALLEY",2017-02-01 23:13:00,PST-8,2017-02-01 23:58:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A weak cold frontal passage brought breezy to gusty winds for parts of the San Joaquin Valley and caused minor damage.","Weather station (AR808) in Los Banos reported maximum wind gusts of 34 mph and sustained winds from 10 to 22 mph between 2313 PST and 2358 PST. Also, was reported by local COOP observer that a palm tree was blown down as well as an air conditioner blown off of a roof." +113473,679297,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 13:23:00,PST-8,2017-02-03 13:23:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-119.92,36.8335,-119.912,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","Public report of heavy rain causing road ponding/flooding near Herndon Avenue and State Highway 99 in the city of Fresno in Fresno County." +113473,679298,CALIFORNIA,2017,February,Flood,"MADERA",2017-02-03 13:49:00,PST-8,2017-02-03 13:49:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-119.81,36.8822,-119.8088,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding on Avenue 9 and Childrens Boulevard near Fresno in Madera County." +113473,679300,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 14:31:00,PST-8,2017-02-03 14:31:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-119.38,37.042,-119.3852,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding near Tollhouse Road and Shaver Springs Road about 5 miles southwest of Shaver Lake in Fresno County." +113473,679301,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-03 14:36:00,PST-8,2017-02-03 14:36:00,0,0,0,0,20.00K,20000,0.00K,0,37.42,-119.86,37.4186,-119.8582,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding and a one lane road bridge washed out near Indian Peak Road and Hersch Road about 8 miles southeast of Mariposa in Mariposa County." +113473,679302,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 14:41:00,PST-8,2017-02-03 14:41:00,0,0,0,0,0.00K,0,0.00K,0,36.9788,-119.7216,36.9773,-119.7195,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road ponding/flooding near North Friant Road and Bugg Avenue near Millerton Lake in Fresno County." +113404,678538,WISCONSIN,2017,February,Winter Storm,"VILAS",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 10.2 inches was measured near Lac du Flambeau." +113404,678539,WISCONSIN,2017,February,Winter Storm,"ONEIDA",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 8.0 inches was measured near Goodnow." +113404,678540,WISCONSIN,2017,February,Winter Storm,"FOREST",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","" +113527,679574,KENTUCKY,2017,February,Strong Wind,"BALLARD",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113231,677492,ILLINOIS,2017,February,Tornado,"FRANKLIN",2017-02-28 20:50:00,CST-6,2017-02-28 20:57:00,0,0,0,0,800.00K,800000,0.00K,0,37.9392,-89.1503,37.9503,-89.0713,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","This large tornado entered Franklin County from Jackson County. The tornado originally formed near Perryville, Missouri. The most intense damage in Franklin County was located south of Mulkeytown, where the tornado was rated EF-3 based on a house that was swept clean off its foundation. Debris was thrown up to a mile downwind. The debris was shredded, with nothing larger than 2-by-4 wood pieces. However, the house was sitting on a block foundation, unattached to anything. Based on the lack of any anchors for the house, peak winds were estimated near 160 mph at this site. Most of the other damage in this rural area of Franklin County consisted of snapped trees, heavily damaged barns, and a few damaged houses. The tornado rapidly weakened from EF-3 intensity to complete dissipation during the final two miles of its path. The average path width in Franklin County was 340 yards. The total path length starting near Perryville, Missouri was nearly 50 miles. The tornado dissipated just southwest of Christopher." +113231,677521,ILLINOIS,2017,February,Tornado,"WILLIAMSON",2017-02-28 22:44:00,CST-6,2017-02-28 22:54:00,0,0,0,0,6.00K,6000,0.00K,0,37.7385,-89.0626,37.786,-88.9419,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","This tornado skipped along the path, bringing down large tree limbs from Crab Orchard Lake to Interstate 57 a few miles north of Marion. Most of the tornado track was EF-0, except for an uprooted tree or two west of Interstate 57 near Whiteash. Peak winds were estimated near 95 mph." +114059,683053,VERMONT,2017,April,Winter Weather,"GRAND ISLE",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 2 to 5 inches fell across Grand Isle county." +112649,672526,KANSAS,2017,February,Wildfire,"SHERMAN",2017-02-27 15:25:00,MST-7,2017-02-27 15:25:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the middle of the afternoon a landowner southeast of Goodland sustained injuries while lighting a barrel of trash on fire. The fire spread to nearby fields before being extinguished.","The Sherman County Rural Fire Department, Brewster Fire Department, and Goodland City Fire were called Monday afternoon to a grass fire in southeast Sherman County. The landowner added gasoline to a barrel of trash before lighting it. The gasoline caused a small explosion causing the landowner to be injured and taken to a nearby hospital. The explosion also caused the barrel to tip over, spilling the burning contents on the grass. Wind gusts of 25-30 MPH caused the fire to spread from the grass to wheat and corn stubble. A total of 150 to 170 acres were burned." +114059,683055,VERMONT,2017,April,Winter Weather,"ORLEANS",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 7 inches fell across Orleans county, including; 7 inches in Greensboro, 6 inches in Derby Center and Westfield, 5 inches in Newport and 4 inches in Barton." +113996,682747,FLORIDA,2017,April,Wildfire,"POLK",2017-04-26 18:00:00,EST-5,2017-04-26 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A mobile home fire spread as a brush fire, destroying a barn and RV.","A mobile home fire sparked a larger brush fire, that eventually burned up around 10 acres. The brush fire destroyed a barn and recreational vehicle." +113733,680839,WYOMING,2017,April,Winter Storm,"SHERIDAN FOOTHILLS",2017-04-09 12:00:00,MST-7,2017-04-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across Sheridan County Wyoming.","Snowfall of 7 to 10 inches was reported across the Story area." +113346,678242,MAINE,2017,February,Winter Storm,"CENTRAL PENOBSCOT",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 7 to 10 inches." +113346,678243,MAINE,2017,February,Winter Storm,"SOUTHERN PENOBSCOT",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 5 to 12 inches." +113697,681816,OHIO,2017,April,Flash Flood,"HOCKING",2017-04-16 20:15:00,EST-5,2017-04-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-82.42,39.5801,-82.4204,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported over a road." +113697,681828,OHIO,2017,April,Hail,"CLINTON",2017-04-16 17:00:00,EST-5,2017-04-16 17:05:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-83.98,39.29,-83.98,"Thunderstorms with very heavy rain developed ahead of a cold front.","" +113697,681831,OHIO,2017,April,Hail,"CLERMONT",2017-04-16 17:22:00,EST-5,2017-04-16 17:27:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-84.29,39.12,-84.29,"Thunderstorms with very heavy rain developed ahead of a cold front.","" +113697,681814,OHIO,2017,April,Flash Flood,"HOCKING",2017-04-16 20:15:00,EST-5,2017-04-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4982,-82.6389,39.4991,-82.6394,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported over a road." +113697,681832,OHIO,2017,April,Hail,"HAMILTON",2017-04-16 17:25:00,EST-5,2017-04-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-84.28,39.19,-84.28,"Thunderstorms with very heavy rain developed ahead of a cold front.","" +113724,681837,KENTUCKY,2017,April,Flash Flood,"CAMPBELL",2017-04-16 20:37:00,EST-5,2017-04-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0569,-84.4351,39.0564,-84.4347,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported at the intersection of River Road and Route 8." +113724,681840,KENTUCKY,2017,April,Flash Flood,"KENTON",2017-04-16 20:37:00,EST-5,2017-04-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0708,-84.5064,39.0707,-84.5069,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported at Madison Ave. and 17th Street." +113724,681841,KENTUCKY,2017,April,Thunderstorm Wind,"CAMPBELL",2017-04-16 17:47:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.1026,-84.4726,39.1026,-84.4726,"Thunderstorms with very heavy rain developed ahead of a cold front.","A tree was reported knocked down in the 800 block of Lincoln Road." +114489,686546,OHIO,2017,April,Flash Flood,"WARREN",2017-04-29 08:40:00,EST-5,2017-04-29 10:40:00,0,0,0,0,0.00K,0,0.00K,0,39.3117,-84.2925,39.3114,-84.292,"Thunderstorms trained along a warm front that was lifting through the area.","Water was reported rushing over Meadow Drive near Irwin Simpson Road." +114489,686547,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-29 08:43:00,EST-5,2017-04-29 10:43:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-84.48,39.2295,-84.4802,"Thunderstorms trained along a warm front that was lifting through the area.","Rushing water was observed in Wyoming." +114489,686548,OHIO,2017,April,Flash Flood,"BUTLER",2017-04-29 08:54:00,EST-5,2017-04-29 10:54:00,0,0,0,0,7.50K,7500,0.00K,0,39.36,-84.77,39.3615,-84.7711,"Thunderstorms trained along a warm front that was lifting through the area.","Several private bridges were washed out." +114489,686550,OHIO,2017,April,Flash Flood,"BUTLER",2017-04-29 08:54:00,EST-5,2017-04-29 10:54:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-84.58,39.42,-84.5817,"Thunderstorms trained along a warm front that was lifting through the area.","Flooding was reported along and near Main St. in Hamilton." +112929,675262,NORTH DAKOTA,2017,January,Heavy Snow,"WARD",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Southern Ward County received eight inches of snow." +112929,675261,NORTH DAKOTA,2017,January,Heavy Snow,"ROLETTE",2017-01-02 09:00:00,CST-6,2017-01-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light snow developed during the evening into the overnight hours of January 1 as an upper level wave moved through ahead of an upper level low pressure system that was moving over the Rockies. The snow briefly tapered before the low strengthened over southeast Montana. Heavier snow then developed during the morning of January 2 while the low moved into the Dakotas. The snow then tapered off from west to east late in the evening of January 2 into the early morning hours of January 3. Snow amounts were generally seven to 14 inches.","Southeastern Rolette County received six inches of snow." +114242,684366,WYOMING,2017,April,Winter Storm,"NORTHEAST JOHNSON COUNTY",2017-04-24 23:00:00,MST-7,2017-04-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed over Wyoming on April 25th. A deep east to southeasterly flow moved into Johnson County and produced substantial upslope flow that brought heavy snow to many areas. Across northern Johnson County, heavy rain changed to a heavy wet snow that continued for many hours. The snow combined with gusty winds that knocked the power out for several hours in Buffalo. Interstates 25 and 90 were also shut down during the height of the storm. Heavy snow fell in the Bighorns as well with up 18 inches of new snow. Powder River Pass was closed at the height of the storm. Around Buffalo, snowfall amounts generally ranged from 5 to 11 inches.","Rain changed to a heavy, wet snow across northern Johnson County around midnight and quickly accumulated from 5 to 11 inches. The heavy, wet snow combined with gusty winds that knocked out power to much of Buffalo for several hours. At the height of the storm, portions of Interstates 25 and 90 were closed due to winter conditions." +114242,684368,WYOMING,2017,April,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-04-24 17:00:00,MST-7,2017-04-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure passed over Wyoming on April 25th. A deep east to southeasterly flow moved into Johnson County and produced substantial upslope flow that brought heavy snow to many areas. Across northern Johnson County, heavy rain changed to a heavy wet snow that continued for many hours. The snow combined with gusty winds that knocked the power out for several hours in Buffalo. Interstates 25 and 90 were also shut down during the height of the storm. Heavy snow fell in the Bighorns as well with up 18 inches of new snow. Powder River Pass was closed at the height of the storm. Around Buffalo, snowfall amounts generally ranged from 5 to 11 inches.","Heavy snow fell across portions of the east slopes of the Bighorns. Numerous locations picked up over a foot of new snow. Some of the highest amounts included 18 inches at the Hansen Sawmill SNOTEL site and 15 inches at the Bear trap Meadow SNOTEL site." +113050,675838,CALIFORNIA,2017,January,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-08 20:51:00,PST-8,2017-01-09 04:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A series of troughs and associated Pacific fronts swung through the region between the 5th and 9th of January, bringing largely beneficial rains, high elevation snow, and strong inland winds. Rainfall west of the mountains caused some minor urban flooding, but overall impacts were limited by low rain rates over an extended period. Rain totals ranged from 6-7 inches along the coastal slopes to 1-2 inches near the coast. Peak westerly wind gusts along the desert slopes were mostly in the 45-65 mph range, though a surfacing mountain wave in Burns Canyon produced a very impressive 107 mph wind gust.","Very strong mountain wave activity surfaced along the eastern slopes of the San Bernardino Mountains over an 8 hours period. A peak gust of 107 mph was reported between 2351PST on the 8th and 0051PST on the 9th. Numerous gusts in the 80-95 mph range were also reported during this period in Burns Canyon." +113053,675849,CALIFORNIA,2017,January,Flood,"SAN BERNARDINO",2017-01-12 14:00:00,PST-8,2017-01-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0711,-117.2022,34.1325,-117.1555,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","Numerous reports of urban street flooding throughout the Inland Empire that produced significant impacts for the evening commute. The HOV lane along Interstate 60 was closed due to flooding." +113053,676357,CALIFORNIA,2017,January,Flood,"RIVERSIDE",2017-01-12 15:00:00,PST-8,2017-01-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,33.8364,-117.5208,33.9413,-117.5537,"After a brief lull in activity, a second series of troughs and Pacific fronts moved through the region between the 10th and 14th of January. Rainfall totals ranged from 0.50-1.5 inches at the coast, to 4-6 inches along the coastal slopes, to 0.25-1 inches in the deserts. Snow levels in the mountains fell as low as 4,000 ft, with up to 2 ft of new snow on the highest peaks. Strong winds occurred along the deserts slopes, though peak gusts were limited to the 45-60 mph range. Impacts ranged from minor urban flooding reported in the coast and valleys, to chain restrictions in the mountains.","Numerous reports of urban street flooding throughout the Inland Empire that produced significant impacts for the evening commute." +112897,674523,TEXAS,2017,January,Tornado,"NEWTON",2017-01-02 09:44:00,CST-6,2017-01-02 09:45:00,0,0,0,0,30.00K,30000,0.00K,0,30.5821,-93.758,30.6012,-93.7209,"A line of thunderstorms moved across Southeast Texas during the morning of the 2nd with a cold front. A pair of tornadoes occurred with this line of storms.","A tornado touched down near the Backwoods Beach community. An eyewitness|watched it move across the lakes before it snapped multiple pine trees|around the beach, blocking roads but missing the buildings. The estimated peak wind was 105 MPH." +112911,674590,TEXAS,2017,January,Tornado,"NEWTON",2017-01-18 13:40:00,CST-6,2017-01-18 13:41:00,0,0,0,0,50.00K,50000,0.00K,0,30.9883,-93.6172,30.9882,-93.607,"A warm front lifted north across the region ahead of an area of low pressure. A few storms developed over the region while this occurred, and one storm produced a brief tornado.","A tornado touched down near a field off of FM 2991 east of Burkeville,|seen by several eyewitnesses. It knocked a tree down on the edge of|the field, before moving across the field and picking up a deer feed|and watering device. As the device flew through the air, it decapitated|a deer, killing it. The tornado blew part of the tin roof off a a one|story home,and peeled back the carport on the other side of the home.|Several trees in the neighborhood were uprooted or snapped at the trunk. The peak estimated winds were 105 MPH." +111601,666251,SOUTH DAKOTA,2017,January,Winter Weather,"HARDING",2017-01-02 05:00:00,MST-7,2017-01-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666252,SOUTH DAKOTA,2017,January,Winter Weather,"PERKINS",2017-01-02 05:00:00,MST-7,2017-01-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666253,SOUTH DAKOTA,2017,January,Winter Weather,"BUTTE",2017-01-02 05:00:00,MST-7,2017-01-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666254,SOUTH DAKOTA,2017,January,Winter Weather,"NORTHERN MEADE CO PLAINS",2017-01-02 05:00:00,MST-7,2017-01-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +113097,677132,NORTH CAROLINA,2017,January,Winter Weather,"RICHMOND",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged averaged around 1 inch across the county." +113097,677136,NORTH CAROLINA,2017,January,Winter Weather,"SCOTLAND",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged less than a 0.50 of an inch. There was also trace ice from |light freezing rain." +113097,677135,NORTH CAROLINA,2017,January,Winter Weather,"SCOTLAND",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged less than a 0.50 of an inch. There was also trace ice from |light freezing rain." +113097,677138,NORTH CAROLINA,2017,January,Winter Weather,"HARNETT",2017-01-07 04:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged between a 0.50 to 1 inch. There was also a 0.10 of an inch of ice from freezing rain." +113097,677139,NORTH CAROLINA,2017,January,Winter Weather,"HARNETT",2017-01-07 05:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts averaged around 0.50 of an inch across northern portions of the county." +115769,695811,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-29 23:58:00,CST-6,2017-04-29 23:59:00,0,0,0,0,0.00K,0,0.00K,0,28.1235,-96.8239,28.122,-96.802,"A strong thunderstorm moved across the coastal waters around Rockport during the early morning hours of the 30th. Wind gusts from the storms were between 35 and 40 knots.","RAWS site at Matagorda Island measured a gust to 35 knots." +112887,675679,KENTUCKY,2017,March,Thunderstorm Wind,"LOGAN",2017-03-01 06:59:00,CST-6,2017-03-01 06:59:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-86.82,36.66,-86.82,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported approximately 30 large trees down due to severe thunderstorm winds. Two buildings sustained damage as well." +112887,675681,KENTUCKY,2017,March,Thunderstorm Wind,"MARION",2017-03-01 08:00:00,EST-5,2017-03-01 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,37.51,-85.26,37.51,-85.26,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Marion County emergency manager reported multiple barns destroyed along with sheet metal lodged in the trees." +112887,675734,KENTUCKY,2017,March,Tornado,"WARREN",2017-03-01 07:24:00,CST-6,2017-03-01 07:28:00,0,0,0,0,250.00K,250000,0.00K,0,36.906,-86.273,36.912,-86.226,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The NWS in conjunction with Warren County Emergency Management determined a high end EF-1 tornado touched down in southeastern Warren County, east of I-65 near Claypool community. Several structures, residences, and barns saw extensive damage along Cemetery Rd and Martinsville Ford Road. The tornado tracked for approximately 3 miles, was 125 yards at its widest point, and had peak estimated wind speed of 110 mph." +114987,689929,NEW HAMPSHIRE,2017,April,Heavy Snow,"BELKNAP",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689930,NEW HAMPSHIRE,2017,April,Heavy Snow,"CHESHIRE",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689931,NEW HAMPSHIRE,2017,April,Heavy Snow,"COASTAL ROCKINGHAM",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689932,NEW HAMPSHIRE,2017,April,Heavy Snow,"EASTERN HILLSBOROUGH",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113161,677005,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 14:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Four inches of new snow accumulation was reported from Chewelah." +113161,677008,WASHINGTON,2017,January,Winter Storm,"NORTHEAST MOUNTAINS",2017-01-17 12:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer in Springdale reported 5 inches of new snow accumulation which turned to a wintry mix on the morning of the 18th." +113161,677011,WASHINGTON,2017,January,Winter Storm,"NORTHEAST MOUNTAINS",2017-01-17 13:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Six inches of snow mixed with freezing rain was reported from near Rice." +113200,678423,PENNSYLVANIA,2017,January,Flood,"JEFFERSON",2017-01-12 16:20:00,EST-5,2017-01-12 17:20:00,0,0,0,0,2.00K,2000,0.00K,0,41.02,-79.2,41.0194,-79.2141,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that route 526 at Sandy Hill Road was flooded and that there was debris on the road." +113200,678424,PENNSYLVANIA,2017,January,Flood,"CLARION",2017-01-12 16:25:00,EST-5,2017-01-12 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,41.078,-79.5296,41.0742,-79.5231,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","State official reported that Huey Run Road at Cherry Run Road was flooded in Toby Township." +113200,678425,PENNSYLVANIA,2017,January,Flood,"CLARION",2017-01-12 16:15:00,EST-5,2017-01-12 17:15:00,0,0,0,0,15.00K,15000,0.00K,0,41.0733,-79.2472,41.0297,-79.2886,"Line of showers and thunderstorms crossed the Upper Ohio Valley on the 12th. Heavy rain produced flooding, especially along interstate-80 where the line of storms trained over the same area before a shortwave helped to eject the line southward.","Local 911 call center reported several roads closed and flooded basements in Hawthorne. In addition, Dewey Road in Redbank Township was completely washed away." +111828,667022,DELAWARE,2017,January,Coastal Flood,"DELAWARE BEACHES",2017-01-23 16:50:00,EST-5,2017-01-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph. Wind gusts were reported widespread in the 45-55 mph range across the state with some gusts over 55 mph. A few periods of heavy rainfall occurred. However, a dry slot moved over the state which limited any excessive rainfall. The storm also brought a strong onshore flow which resulted in extensive beach erosion and minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. In addition, the Cape May Lewes ferry was closed for the day.Quite a few schools had a early release or were closed due to the storm.","Coastal highway closed in both directions due to tidal flooding." +114988,689948,MAINE,2017,April,Heavy Snow,"INTERIOR CUMBERLAND",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +121381,726585,MISSOURI,2017,December,Dense Fog,"STODDARD",2017-12-19 21:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southeast Missouri, mainly along and south of U.S. Highway 60. Visibility was reduced to one-quarter mile or less from Sikeston and Poplar Bluff south. The dense fog occurred in the vicinity of a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121381,726586,MISSOURI,2017,December,Dense Fog,"BUTLER",2017-12-19 21:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southeast Missouri, mainly along and south of U.S. Highway 60. Visibility was reduced to one-quarter mile or less from Sikeston and Poplar Bluff south. The dense fog occurred in the vicinity of a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121412,726783,OHIO,2017,December,Winter Weather,"VINTON",2017-12-29 18:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the Middle Ohio River Valley on the 29th and 30th. Across most of southeast Ohio amounts over the 24 hour period totaled 2 to 4 inches. However, there was one stripe of higher snow amounts across Vinton, Athens, northern Meigs and southern Washington Counties where 3 to 5 inches fell. ||A trained spotter near McArthur in Vinton County measured 3.5 inches from snowfall overnight into the morning of the 30th. In Athens County, there were multiple CoCoRaHS reports of 4 to 5 inches, especially around the city of Athens. A social media report from northern Meigs County indicated 4.5 inches by the time the snow ended around noon on the 30th. In Washington County, a trained spotter near Marietta measured 4.5 inches of snow, while the cooperative observer in Newport got 4 inches.","" +121412,726784,OHIO,2017,December,Winter Weather,"MEIGS",2017-12-29 18:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the Middle Ohio River Valley on the 29th and 30th. Across most of southeast Ohio amounts over the 24 hour period totaled 2 to 4 inches. However, there was one stripe of higher snow amounts across Vinton, Athens, northern Meigs and southern Washington Counties where 3 to 5 inches fell. ||A trained spotter near McArthur in Vinton County measured 3.5 inches from snowfall overnight into the morning of the 30th. In Athens County, there were multiple CoCoRaHS reports of 4 to 5 inches, especially around the city of Athens. A social media report from northern Meigs County indicated 4.5 inches by the time the snow ended around noon on the 30th. In Washington County, a trained spotter near Marietta measured 4.5 inches of snow, while the cooperative observer in Newport got 4 inches.","" +120921,723881,CALIFORNIA,2017,December,Dense Fog,"SW S.J. VALLEY",2017-12-01 02:30:00,PST-8,2017-12-01 09:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure remained over California as December began and fog formed along the center of the San Joaquin Valley as skies remained clear and winds remained light. Areas of dense fog formed again in the San Joaquin Valley, most noticeably in Hanford where law enforcement was pacing some traffic.","Visibility below a quarter mile was reported in Hanford. California Highway Patrol was pacing traffic in State Route 198 through Hanford eastward to the Tulare County border during the morning commute. The fog completely dissipated by late morning." +121412,726785,OHIO,2017,December,Winter Weather,"WASHINGTON",2017-12-29 18:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the Middle Ohio River Valley on the 29th and 30th. Across most of southeast Ohio amounts over the 24 hour period totaled 2 to 4 inches. However, there was one stripe of higher snow amounts across Vinton, Athens, northern Meigs and southern Washington Counties where 3 to 5 inches fell. ||A trained spotter near McArthur in Vinton County measured 3.5 inches from snowfall overnight into the morning of the 30th. In Athens County, there were multiple CoCoRaHS reports of 4 to 5 inches, especially around the city of Athens. A social media report from northern Meigs County indicated 4.5 inches by the time the snow ended around noon on the 30th. In Washington County, a trained spotter near Marietta measured 4.5 inches of snow, while the cooperative observer in Newport got 4 inches.","" +120924,723889,CALIFORNIA,2017,December,Frost/Freeze,"W CENTRAL S.J. VALLEY",2017-12-05 02:00:00,PST-8,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold airmass became settled over the interior of Central California on December 4 and a hard freeze occurred on the morning of December 5 across portions of the San Joaquin Valley as minimum temperatures dropped below 28 degrees.","Several locations reported minimum temperatures below 28 degrees." +120924,723890,CALIFORNIA,2017,December,Frost/Freeze,"E CENTRAL S.J. VALLEY",2017-12-05 02:00:00,PST-8,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold airmass became settled over the interior of Central California on December 4 and a hard freeze occurred on the morning of December 5 across portions of the San Joaquin Valley as minimum temperatures dropped below 28 degrees.","Several locations reported minimum temperatures below 28 degrees." +120924,724653,CALIFORNIA,2017,December,Frost/Freeze,"SE S.J. VALLEY",2017-12-05 02:00:00,PST-8,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold airmass became settled over the interior of Central California on December 4 and a hard freeze occurred on the morning of December 5 across portions of the San Joaquin Valley as minimum temperatures dropped below 28 degrees.","Several locations reported minimum temperatures below 28 degrees." +121226,725757,CALIFORNIA,2017,December,Dense Fog,"SW S.J. VALLEY",2017-12-30 06:40:00,PST-8,2017-12-30 09:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stagnant airmass was present over the San Joaquin Valley during the morning of December 30. High clouds streamed over the area overnight, but there was enough clearing toward sunrise and winds remained light. A small area of dense fog developed in the southwestern portion of the San Joaquin Valley. At least 3 minor auto accidents were observed by commuting NWS employees.","Visibility below a quarter mile was reported in Hanford." +120960,724027,MISSOURI,2017,December,Funnel Cloud,"MCDONALD",2017-12-04 17:15:00,CST-6,2017-12-04 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-94.33,36.54,-94.33,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","There was a report of a funnel cloud south of Pineville near Jane." +120960,724028,MISSOURI,2017,December,Hail,"BENTON",2017-12-04 16:46:00,CST-6,2017-12-04 16:46:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-93.38,38.27,-93.38,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +120960,724035,MISSOURI,2017,December,Hail,"CHRISTIAN",2017-12-04 18:22:00,CST-6,2017-12-04 18:22:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-93.3,37.01,-93.3,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","" +113055,675923,CALIFORNIA,2017,January,Flash Flood,"RIVERSIDE",2017-01-22 14:30:00,PST-8,2017-01-22 19:30:00,1,0,0,0,0.00K,0,0.00K,0,33.4638,-117.1685,33.4876,-117.1149,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Rapid water rises along Temecula Creek caused flooding in south Temecula. Firefighters rescued a woman stranded on a small island in Temecula Creek. The woman was transported to the hospital with minor injuries." +113055,675930,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 14:30:00,PST-8,2017-01-20 17:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.8334,-116.9797,33.8205,-116.9618,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Widespread flooding occurred near Gilman Springs Rd. and Soboba Rd. in San Jacinto with multiple water rescues conducted." +120960,724038,MISSOURI,2017,December,Tornado,"MILLER",2017-12-04 18:18:00,CST-6,2017-12-04 18:19:00,0,0,0,0,50.00K,50000,0.00K,0,38.0386,-92.4879,38.0428,-92.482,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","A NWS storm survey revealed that an EF-0 tornado was on the ground for about 0.4 miles. The tornado damaged a house, multiple trees, and an outbuilding. The tornado was on the ground for about a minute with maximum estimated wind speeds up to 99 mph and a maximum width of 100 yards." +120960,724039,MISSOURI,2017,December,Thunderstorm Wind,"BENTON",2017-12-04 16:39:00,CST-6,2017-12-04 16:39:00,0,0,0,0,1.00K,1000,0.00K,0,38.27,-93.45,38.27,-93.45,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","A tree fell down on to a campground. There was small hail also reported." +113055,676154,CALIFORNIA,2017,January,Flood,"ORANGE",2017-01-22 15:20:00,PST-8,2017-01-22 16:30:00,0,0,0,0,30.00K,30000,0.00K,0,33.5782,-117.6353,33.5975,-117.6262,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","CHP reported 3 vehicles submerged and stuck in water on Antonio Pkwy. in Las Flores." +113055,675910,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 14:30:00,PST-8,2017-01-20 15:30:00,0,0,0,0,15.00K,15000,0.00K,0,32.7547,-117.0559,32.7557,-117.0561,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A swift water rescue to save 2 people and a dog was conducted at the intersection of University Ave. and Aragon Dr. in the neighborhood of Rolando." +113055,676375,CALIFORNIA,2017,January,High Surf,"ORANGE COUNTY COASTAL",2017-01-20 16:00:00,PST-8,2017-01-24 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Lifeguards reported 7-8 ft surf between the 20th and 24th. Surf peaked on the the 21st and 22nd with 9-10 ft sets in Huntington Beach." +113055,675914,CALIFORNIA,2017,January,Debris Flow,"SAN DIEGO",2017-01-20 16:30:00,PST-8,2017-01-20 18:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.7112,-116.3839,32.7072,-116.3794,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A mud slide blocked both lanes of Old Highway 80." +114834,688871,VIRGINIA,2017,April,Thunderstorm Wind,"LOUISA",2017-04-21 17:30:00,EST-5,2017-04-21 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.82,-77.92,37.82,-77.92,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Trees were downed." +114834,688875,VIRGINIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-21 18:20:00,EST-5,2017-04-21 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,38.19,-76.98,38.19,-76.98,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Several large trees and power lines were downed along Route 205 (Ridge Road). Partial road closures were reported." +114834,688894,VIRGINIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-21 19:09:00,EST-5,2017-04-21 19:09:00,0,0,0,0,5.00K,5000,0.00K,0,38.13,-76.73,38.13,-76.73,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Numerous large trees were downed on Skyview Drive. Patio furniture and a trampoline were also blown away." +115770,695818,NORTH CAROLINA,2017,April,Hail,"GATES",2017-04-22 15:43:00,EST-5,2017-04-22 15:43:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-76.86,36.54,-76.86,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of northeast North Carolina.","Quarter size hail was reported." +115770,695819,NORTH CAROLINA,2017,April,Thunderstorm Wind,"NORTHAMPTON",2017-04-22 14:55:00,EST-5,2017-04-22 14:55:00,0,0,0,0,2.00K,2000,0.00K,0,36.41,-77.23,36.41,-77.23,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of northeast North Carolina.","Trees were downed on Route 35." +115770,695820,NORTH CAROLINA,2017,April,Thunderstorm Wind,"HERTFORD",2017-04-22 15:20:00,EST-5,2017-04-22 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,36.5,-77,36.5,-77,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of northeast North Carolina.","Sheet metal was torn off a portion of Buckhorn Church." +115770,695821,NORTH CAROLINA,2017,April,Thunderstorm Wind,"HERTFORD",2017-04-22 15:20:00,EST-5,2017-04-22 15:20:00,0,0,0,0,2.00K,2000,0.00K,0,36.51,-77.01,36.51,-77.01,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of northeast North Carolina.","Trees were downed." +115770,695822,NORTH CAROLINA,2017,April,Hail,"HERTFORD",2017-04-22 15:20:00,EST-5,2017-04-22 15:20:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-77.01,36.51,-77.01,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of northeast North Carolina.","Quarter size hail was reported." +115797,696282,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHINCOTEAGUE TO PARRAMORE IS VA OUT 20NM",2017-04-06 11:54:00,EST-5,2017-04-06 11:54:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-75.62,37.61,-75.62,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 34 knots was measured at Wachapreague." +117618,707328,GEORGIA,2017,June,Thunderstorm Wind,"BRANTLEY",2017-06-17 16:39:00,EST-5,2017-06-17 16:39:00,0,0,0,0,0.00K,0,0.00K,0,31.23,-81.79,31.23,-81.79,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down on Highway 82." +117623,707356,FLORIDA,2017,June,Thunderstorm Wind,"FLAGLER",2017-06-30 17:50:00,EST-5,2017-06-30 17:50:00,0,0,0,0,0.50K,500,0.00K,0,29.45,-81.22,29.45,-81.22,"Sea breeze storms produced some minor wind damage in Flagler county.","Power lines were blown down along Geranium Court in Palm Coast. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +117627,707395,MICHIGAN,2017,June,Thunderstorm Wind,"HOUGHTON",2017-06-10 20:03:00,EST-5,2017-06-10 20:08:00,0,0,0,0,4.00K,4000,0.00K,0,47.24,-88.57,47.24,-88.57,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","Trees were reported down on power lines and across Highway M-203. Time of the report was estimated from radar." +117071,707740,WISCONSIN,2017,June,Thunderstorm Wind,"ROCK",2017-06-28 18:20:00,CST-6,2017-06-28 18:20:00,0,0,0,0,50.00K,50000,0.00K,0,42.636,-89.353,42.575,-88.817,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Widespread tree damage was reported across southern Rock county. In northern Beloit, a 12 inch branch was snapped off of a tree." +117071,707749,WISCONSIN,2017,June,Thunderstorm Wind,"KENOSHA",2017-06-28 19:55:00,CST-6,2017-06-28 19:55:00,0,0,0,0,10.00K,10000,0.00K,0,42.5074,-87.8228,42.5074,-87.8228,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several 3 to 5 inch branches were taken off of trees as a squall line moved through the area." +117697,707765,TEXAS,2017,June,Hail,"EL PASO",2017-06-27 13:37:00,MST-7,2017-06-27 13:37:00,0,0,0,0,0.00K,0,0.00K,0,32.9085,-107.5685,32.9085,-107.5685,"Good low level moisture remained over the region with morning dew points over 60F and a boundary continued to remain near the Rio Grande Valley. A weak upper level trough helped to trigger afternoon thunderstorms which produced heavy rain in northwest Sierra county which produced hail up to the size of dimes.","" +117771,708057,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"HURON ISLANDS TO MARQUETTE MI",2017-06-15 15:20:00,EST-5,2017-06-15 15:25:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-87.68,46.84,-87.68,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Big Bay Light station." +113003,677212,ARKANSAS,2017,January,Winter Weather,"MARION",2017-01-06 02:00:00,CST-6,2017-01-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts near a half an inch fell across southern Marion county." +113003,677213,ARKANSAS,2017,January,Winter Weather,"BAXTER",2017-01-06 02:00:00,CST-6,2017-01-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts near a half an inch fell across southern Baxter county." +113003,677214,ARKANSAS,2017,January,Winter Weather,"YELL",2017-01-06 02:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 3 inches fell across Yell County." +113003,677215,ARKANSAS,2017,January,Winter Weather,"POPE",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 3 inches fell across Pope County." +113003,677216,ARKANSAS,2017,January,Winter Weather,"MONTGOMERY",2017-01-06 02:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 2 inches fell across Montgomery County." +113003,677217,ARKANSAS,2017,January,Winter Weather,"PIKE",2017-01-06 02:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to 1 inch fell across Pike County." +115700,695261,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 07:23:00,CST-6,2017-04-30 07:23:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-92.06,30.62,-92.06,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager for Saint Landry Parish reported numerous trees and power lines down in Washington." +115700,695266,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-30 07:23:00,CST-6,2017-04-30 07:23:00,0,0,0,0,10.00K,10000,0.00K,0,30.41,-92.07,30.41,-92.07,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","The emergency manager of Saint Landry Parish reported numerous trees and power lines down in Sunset." +115700,695286,LOUISIANA,2017,April,Thunderstorm Wind,"ALLEN",2017-04-30 00:30:00,CST-6,2017-04-30 00:31:00,0,0,0,0,15.00K,15000,0.00K,0,30.8049,-92.6153,30.8049,-92.6153,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","One large tree dropped in yard and a long porch attached to house was lifted damaging the house too. Attached garage lost its roof." +113216,677353,TEXAS,2017,January,Frost/Freeze,"ZAPATA",2017-01-07 20:00:00,CST-6,2017-01-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","Zapata AWOS (KAPY) reported freezing temperatures for over 12 hours with a low of 22 degrees." +113216,677356,TEXAS,2017,January,Frost/Freeze,"BROOKS",2017-01-07 21:30:00,CST-6,2017-01-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","Brooks County Airport (KBKS) AWOS site reported freezing temperatures for 11 hours, with a low of 25 degrees. The COOP site in Falfurrias reported a low of 16 degrees." +113216,677358,TEXAS,2017,January,Frost/Freeze,"JIM HOGG",2017-01-07 19:30:00,CST-6,2017-01-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","Hebbronville Airport AWOS (KHBV) site reporting freezing temperatures for over 12 hours, with a low of 22 degrees. Hebbronville Remote Automated Weather System (HVLT2) reported freezing temperatures for over 12 hours, with a low of 22 degrees." +113216,677365,TEXAS,2017,January,Frost/Freeze,"KENEDY",2017-01-07 20:30:00,CST-6,2017-01-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","The COOP site in Armstrong reported a low temperature of 20 degrees and the Sarita COOP site reported a low of 21 degrees." +113216,677375,TEXAS,2017,January,Frost/Freeze,"HIDALGO",2017-01-07 19:45:00,CST-6,2017-01-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lighter winds and remaining dry air under clear skies, along with radiational cooling, allowed for another night of freezing temperatures across the ranchlands and portions of the Rio Grande Valley.","Santa Ana Remote Automated Weather System (LWRT2) reported freezing temperatures for 9 hours, with a low of 28 degrees. The AWOS site at the Weslaco Airport (KT65) reported freezing temperatures for over 3 hours, with a low of 31 degrees. The AWOS site at the Edinburg Airport (KEBG) reported freezing temperatures for over 9 hours, with a low of 28 degrees. The San Manuel COOP site reported a low of 25 degrees." +113708,694034,KANSAS,2017,April,Hail,"RILEY",2017-04-15 18:24:00,CST-6,2017-04-15 18:25:00,0,0,0,0,,NaN,,NaN,39.53,-96.81,39.53,-96.81,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694035,KANSAS,2017,April,Hail,"RILEY",2017-04-15 18:53:00,CST-6,2017-04-15 18:54:00,0,0,0,0,,NaN,,NaN,39.53,-96.81,39.53,-96.81,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113057,676491,MISSISSIPPI,2017,January,Tornado,"SMITH",2017-01-19 07:57:00,CST-6,2017-01-19 08:36:00,0,0,0,0,300.00K,300000,0.00K,0,31.8904,-89.6546,32.1127,-89.5132,"Anomoulsly high moisture content was present across the region as an upper disturbance moved through the area. This resulted in some flash flooding in addition to some severe storms. A dam break occurred, which resulted in some flooding across Franklin County in addition to heavy rain.","This tornado touched down just east of Magee along Highway 28 at the intersection of Pine Grove Road. The tornado snapped a few trees here, then quickly grew and intensified. In the first half to 1 mile along Pine Grove Road, numerous trees were snapped and uprooted along with power lines being knocked down and some power poles snapped. Multiple homes had minor to moderate roof damage and most of these were along the edge of the tornado. However, there were a few that were more directly in the path. These sustained heavier damage with one home completely destroyed. The roof was blown off along with most of the outer wall off. Here peak intensity was reached with winds estimated at 120 mph. Multiple sheds or large|barn type structures were heavily damaged or destroyed in this area as well. High end EF1 damage continued through the remainder of Simpson County where the tornado crossed C Stringer Road, Pine Grove Road again, and County Road 65 before moving into Smith County. Once in Smith County, most of the damage was from downed trees. The heaviest damage occurred as it crossed County Road 65 and County Road 108 where dozens of trees and several power lines were downed. A few|homes also sustained minor roof damage in this area. As the tornado crossed County Road 503, it weakened some but remained at EF1 intensity as it continued to the north-northeast and crossed County Road 114. The remainder of the damage was EF0 intensity as the tornado tracked west of Raleigh before it dissipated at Highway 35,|roughly 5 miles north of town. Maximum estimated winds were 120mph, which occurred in Simpson County. The total path length was 19.2 miles. One injury occurred in Simpson County. Total path width was 500 yards." +113058,676495,MISSISSIPPI,2017,January,Tornado,"LAMAR",2017-01-21 03:35:00,CST-6,2017-01-21 03:47:00,0,0,0,0,300.00K,300000,700.00K,700000,31.1855,-89.4799,31.2738,-89.3478,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","This tornado began along Purvis-Oloh Road, about 5 miles west northwest of Purvis. It tracked northeast across portions of Lamar County causing mainly tree damage, uprooting and snapping softwood and hardwood trees. It caused some minor to moderate structural damage as well. The tornado crossed Old Highway 11, continuing to cause mainly tree damage, although at least a few structures were also damaged. The tornado began to gain strength as it reached Slade Road, where some homes received roof damage. As the tornado crossed Sullivan Kilrain Road, additional homes received significant roof and structural damage, especially on Carter Circle and Tatum Camp Road. Comprehensive assessments from Lamar County emergency management officials count 26 homes in the county being destroyed or with major damage and 52 homes receiving minor damage. The tornado continued to gain strength as it crossed into Forrest County. There it struck a subdivision along Nellwood Drive, Lakeland Drive and Crestwood Drive and caused significant damage to many homes. Several homes received significant roof and structural damage. One home sustained significant damage and also was the site of one of the fatalities. As the tornado continued to track northeast, it caused extensive tree damage and powerline damage. It struck a church along Helveston Road, which suffered damage to the top floor. As the tornado approached William Cary College, it intensified to EF3 strength, causing damage to numerous buildings on campus. The tornado then affected a mobile home park, where it downed trees and caused damage to mobile homes. Here, two more fatalities occurred. It then caused structural damage to several homes, churches and businesses on James Street and Alcorn Road. Another|fatality occurred on Alcorn Road, when a tree fell on a home. The tornado continued to track northeast, crossing the Leaf River and headed into Petal. Here the tornado got very wide and continued to cause EF2 type damage to businesses along Main Street and into the neighborhoods on the southern side of the city. Extensive tree|damage occurred and countless homes had minor to major roof damage in the neighborhood south of Hillcrest Loop. As the tornado reached Sun Circle, it intensified to EF3 strength again and caused significant damage to a few homes as well as moderate damage to many homes in the neighborhood. Beyond the subdivision along Sun Circle, the tornado caused tree damage again before reaching Evelyn Gandy|Parkway. It caused structural damage to an AT&T store by lifting the roof of the strip mall. It caused additional roof damage to several homes and a church along the Parkway as well as along Springridge Road and Corinth Road. As the tornado tore across Shawnee Trail, it caused impressive tree damage, which included snapping and uprooting hardwood and softwood trees. As the tornado tracked just south of|HDR Lane, it took down two metal electrical transmission lines. The tornado then destroyed a house along Macedonia Road, as well as causing additional roof to other homes and taking down numerous trees. Additional impressive tree damage occurred along Old Richton Road and Tyroby Lane. The tornado continued to down trees as it|tracked across Old Richton Road into Perry County. Comprehensive assessments from Forrest County emergency management officials count 499 homes in the county being destroyed or with major damage and 632 homes receiving minor damage.||The tornado path length in just Lamar and Forrest counties was 24.2 miles, although the entire path of the tornado in total was 31.3 miles. Along the entire tornado path the total number of homes destroyed or receiving major damage is estimated to be 531 with the number of homes having minor damage estimated at 689. Maximum estimated winds were 145 mph. The maximum path width was 900 yards, which occurred in the Petal area of Forrest County. This tornado affected a large number of forested areas. Approximately 1570 forested acres were damaged, with 1453 acres being privately owned. In total, 4320 acres were damaged from this tornado. The total economic impact was $410,784 in Lamar, Forrest and Perry counties. 777 total acres were damaged in Lamar County, and 400 in Forrest." +113206,678531,WASHINGTON,2017,January,Ice Storm,"NORTHWEST BLUE MOUNTAINS",2017-01-17 21:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region.","Accumulated ice of .5 inches, 1 mile west-southwest of Ski Bluewood in Columbia county." +115971,697004,NEW YORK,2017,April,Flood,"ERIE",2017-04-20 20:25:00,EST-5,2017-04-20 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.9079,-78.7033,42.909,-78.6958,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +112433,681597,CALIFORNIA,2017,February,Flood,"SANTA CRUZ",2017-02-20 13:31:00,PST-8,2017-02-20 15:31:00,0,0,0,0,0.00K,0,0.00K,0,36.9339,-121.86,36.9338,-121.86,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded on San Andreas Road at Marea Ave." +112679,672790,MONTANA,2017,February,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-02-01 00:00:00,MST-7,2017-02-01 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of moderate to heavy snow caused slick roads and a high volume of accidents across west-central and southwest Montana.","The Hamilton AWOS reported up to 4 hours of quarter mile or less visibility due to moderate and heavy snow. A trained spotter reported 8 to 10 inches of snow in Hamilton. The combination of heavy snow and warm road surfaces during the afternoon led to icy road conditions during the evening commute." +115971,697001,NEW YORK,2017,April,Flood,"ERIE",2017-04-20 20:20:00,EST-5,2017-04-20 23:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.8999,-78.5979,42.8802,-78.6007,"Several rounds of thunderstorms brought one to three inches of rain to the area in just a couple of hours. This resulted in ponding of water on area roadways. Several roads were closed by flood waters. Several basements were reported flooded in Alden. In addition, several of the faster-rising area creeks reached flood stage. At Lancaster, Cayuga Creek crested at 8.44 feet at 01:15 AM EST on the 21st. Flood stage is 8 feet. Ellicott Creek at Williamsville crested at 8.75 feet at 01:15 AM EST on the 22nd. Flood stage is 8 feet. The Genesee River at Avon crested at 33.72 feet at 4:30 PM EST on the 21st. Flood stage is 33 feet. It was the first time Avon reach flood stage since 2005. Debris flowing in Tonawanda creek jammed near Royalton. Water backed up because of the log jam and Foote Road between Ditch and Wolcottsville Road was closed.","" +114559,687057,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-10 06:35:00,CST-6,2017-04-10 06:40:00,0,0,0,0,0.00K,0,0.00K,0,40.1735,-87.841,40.1735,-87.841,"A cluster of thunderstorms developed across east-central Illinois during the morning of April 10th. Due to ample cold air aloft, many of the storms produced large hail...with the largest stones up to the size of golf balls being reported south of Collison in Vermilion County.","" +121682,728343,NEW YORK,2017,October,Coastal Flood,"ORLEANS",2017-10-01 00:00:00,EST-5,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +114164,683675,WASHINGTON,2017,April,High Wind,"CENTRAL COAST",2017-04-07 10:21:00,PST-8,2017-04-07 15:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","The KHQM ASOS recorded high wind over several hours, including sustained wind of 46 mph and a peak gust of 66 mph. A weather spotter near Pacific Beach recorded a 60 mph gust. The Westport tide gauge also had a 60 mph gust." +114164,683676,WASHINGTON,2017,April,High Wind,"NORTH COAST",2017-04-07 10:20:00,PST-8,2017-04-07 18:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","Destruction Island C-MAN recorded sustained wind of 50 KT or greater over several hours. This translates to gusts of 58 mph or greater over the mainland." +113759,681097,IDAHO,2017,February,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-02-03 12:00:00,MST-7,2017-02-04 14:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"Ten to 30 inches of snow fell in the central mountains with heavy high elevation snow in the Upper Snake River Highlands too.","The following snow amounts fell at SNOTEL sites: Chocolate Gulch 9 inches, Dollarhide Summit 11 inches, Garfield Ranger Station 8 inches, Galena 10 inches, Hyndman 16 inches, Lost Wood Divide 26 inches, Swede Peak 12 inches, and Vienna Mine 20 inches.|A historic barn roof collapsed in Ketchum prior to the storm due to the heavy snow accumulation of snow through the entire winter and not clearing roofs." +113912,682231,IDAHO,2017,February,Avalanche,"BIG AND LITTLE WOOD RIVER REGION",2017-02-19 14:25:00,MST-7,2017-02-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A motorist was hit with an avalanche on Highway 75 on February 19th. It hit just south of Cherry Creek and buried her car. It was 40 feet wide and 6 feet deep. The car was freed in an hour and a half.","A motorist was hit with an avalanche on Highway 75 on February 19th. It hit just south of Chaerry Creek and buried her car. It was 40 feet wide and 6 feet deep. The car was freed in an hour and a half." +113769,681127,IDAHO,2017,February,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-02-20 08:00:00,MST-7,2017-02-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of very wet Pacific systems again brought heavy snow to the mountains of central and southeast Idaho with widespread amounts from 10 to as much as 40 inches.","The Crab Creek SNOTEL received 15 inches of snow with 26 inches reported at White Elephant. Interstate 15 was closed for several hours on the 20th from Dubois to the Montana border." +114164,683678,WASHINGTON,2017,April,High Wind,"WESTERN WHATCOM COUNTY",2017-04-07 19:32:00,PST-8,2017-04-07 21:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","The KBLI ASOS recorded sustained wind of 40 mph, gusting to 61 mph. A CWOP site just southwest of Bellingham recorded sustained wind of 44 mph, gusting to 63 mph." +114164,683680,WASHINGTON,2017,April,High Wind,"SAN JUAN",2017-04-04 12:04:00,PST-8,2017-04-07 14:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","Lopez Island recorded sustained wind of 41 mph, gusting to 65 mph." +113915,682481,IDAHO,2017,February,Flood,"BINGHAM",2017-02-04 04:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,917.00K,917000,0.00K,0,43.43,-112.82,42.95,-112.85,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Sheet flooding from extensive snowmelt from excessive winter snow began early in the month and continued through the month. Several homes received extensive flooding damage mainly in the Shelley area. The depth of water in the sheet flooding reached as high as two feet in some areas. The worst of the flooding was from the 7th through the 15th. Ferry Butte and Riverton Roads had to be closed. In the Shelley area also the roadway on 1200 N between 1150 E and 1200 E and from 1200 E to 1150 N also had to be closed. Further flooding occurred after the 20th with several road closures in Aberdeen, Blackfoot, Shelley and Springfield. A County disaster declaration was declared for the county as well." +114376,685395,NEW MEXICO,2017,April,Winter Weather,"SAN JUAN MOUNTAINS",2017-04-27 01:00:00,MST-7,2017-04-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies and a deepening lee trough over the plains generated windy conditions across much of New Mexico. The strongest winds occurred in the area from near Albuquerque across the Sandia Mountains into the high plains. West to northwest wind gusts peaked near 60 mph across this area. A band of virga showers just north of the Albuquerque area enhanced these strong winds and resulted in a peak wind gust to 66 mph at the Sunport. Colder temperatures and sufficient moisture across northern New Mexico also resulted in several inches of snow with this system over the San Juan Mountains.","SNOTEL sites across the high terrain of eastern Rio Arriba County reported a quick burst of heavy snowfall with amounts between 6 and 11 inches in just 7 hours." +113971,682563,HAWAII,2017,February,High Wind,"BIG ISLAND SUMMIT",2017-02-05 14:00:00,HST-10,2017-02-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds began the afternoon of Feb. 5th and continued through the afternoon of Feb. 11th. Winds were strongest early in the morning of Feb 8th and Feb 11th.","The winds reached High Wind Warning threshold at 2 PM on the 5th, and continued at Warning levels through 5 PM on the 11th. The peak measured wind gust was 99 mph at 2 AM HST on the 8th." +115670,695118,INDIANA,2017,April,Hail,"HENDRICKS",2017-04-20 15:38:00,EST-5,2017-04-20 15:40:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-86.54,39.89,-86.54,"Thunderstorms developed across central Indiana during the afternoon, and many storms produced gusty winds and hail up to nickel size. One of the storms produced a tornado in Decatur County.","This report originated from the county emergency manager." +115670,695119,INDIANA,2017,April,Thunderstorm Wind,"PUTNAM",2017-04-20 15:56:00,EST-5,2017-04-20 15:56:00,0,0,0,0,15.00K,15000,,NaN,39.5243,-86.8151,39.5243,-86.8151,"Thunderstorms developed across central Indiana during the afternoon, and many storms produced gusty winds and hail up to nickel size. One of the storms produced a tornado in Decatur County.","Three or four tree were blown down on Down Boy Way in Cloverdale. One of the trees is dead and fell into a mobile home, coming to rest halfway to the floor." +112977,676035,WYOMING,2017,February,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-07 15:50:00,MST-7,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","High winds were recorded in many locations through the Green and Rattlesnake Range. The windiest spot was Camp Creek where a maximum wind gust of 94 mph was recorded." +112977,676036,WYOMING,2017,February,High Wind,"SOUTH LINCOLN COUNTY",2017-02-07 19:10:00,MST-7,2017-02-07 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","The Kemmerer airport had a maximum wind gust of 59 mph." +113987,682662,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-07 11:31:00,PST-8,2017-02-07 11:31:00,0,0,0,0,100.00K,100000,0.00K,0,37.09,-119.4417,37.093,-119.4399,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported road closure due to a bridge collapse from heavy rainfall near Sugarloaf Road and Auberry Road just northeast of Meadow Lakes." +115673,697007,INDIANA,2017,April,Hail,"DECATUR",2017-04-28 19:13:00,EST-5,2017-04-28 19:15:00,0,0,0,0,,NaN,,NaN,39.28,-85.48,39.28,-85.48,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Hail was reported to be covering the ground." +115673,697010,INDIANA,2017,April,Thunderstorm Wind,"BARTHOLOMEW",2017-04-28 19:13:00,EST-5,2017-04-28 19:13:00,0,0,0,0,5.00K,5000,0.00K,0,39.2,-85.87,39.2,-85.87,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Estimated 50 to 60 mph thunderstorm wind gusts downed trees near this location. Pea sized hail was also observed." +115673,697134,INDIANA,2017,April,Thunderstorm Wind,"BARTHOLOMEW",2017-04-28 18:59:00,EST-5,2017-04-28 18:59:00,0,0,0,0,10.00K,10000,,NaN,39.1886,-85.743,39.1886,-85.743,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Damaging thunderstorm wind gusts took out a barn and downed trees near this location." +114595,687268,IOWA,2017,April,Hail,"WEBSTER",2017-04-09 19:18:00,CST-6,2017-04-09 19:18:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-94.14,42.62,-94.14,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to nickel sized hail as the storm quickly developed. Hail was very brief." +114595,687269,IOWA,2017,April,Hail,"WEBSTER",2017-04-09 19:20:00,CST-6,2017-04-09 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-94.18,42.58,-94.18,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Coop observer reported half dollar sized hail. This is a delayed report." +114595,687273,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 20:04:00,CST-6,2017-04-09 20:04:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-93.37,43.14,-93.37,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Emergency manager relayed a report of nickel sized hail in Clear Lake." +112352,669924,NEW MEXICO,2017,February,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-02-07 03:00:00,MST-7,2017-02-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful jet stream over the Pacific Ocean shifted east across the southwest United States and focused strong west to northwest winds over New Mexico for several days in early February. Strong winds developed in the higher terrain of the Sangre de Cristo Mountains during the early morning of the 6th before spreading into adjacent highlands and plains through the afternoon. Periodic strong winds impacted this area through the 8th. The strongest wind gusts averaged 60 to 70 mph. Meanwhile, widespread windy conditions across the remainder of central and eastern New Mexico produced gusts between 45 and 55 mph for several days.","The top of Sandia Peak Tram reported peak wind gusts up to 71 mph on the 7th. Wind gusts were hovering in the 45 to 55 mph range for several days around this time." +112366,670045,NEW MEXICO,2017,February,High Wind,"ALBUQUERQUE METRO AREA",2017-02-12 05:45:00,MST-7,2017-02-12 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low that slowly moved east across southern Arizona, combined with a strong area of surface high pressure that built down the Front Range of the Rockies, produced the perfect pattern for strong gap winds across central New Mexico. Record warm temperatures from the 10th and the 11th came to an abrupt end as a cold front surged southwest across the plains and through gaps of the central mountain chain early on the 12th. Peak wind gusts around 60 mph were common below Tijeras Canyon and within the Tularosa Valley. The strongest winds occurred in the area below Abo Pass where a peak gust to 88 mph was reported near U.S. Highway 60.","Albuquerque Sunport reported periodic sustained winds up to 41 mph for several hours on the morning of the 12th." +112366,670046,NEW MEXICO,2017,February,High Wind,"LOWER RIO GRANDE VALLEY",2017-02-12 07:00:00,MST-7,2017-02-12 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low that slowly moved east across southern Arizona, combined with a strong area of surface high pressure that built down the Front Range of the Rockies, produced the perfect pattern for strong gap winds across central New Mexico. Record warm temperatures from the 10th and the 11th came to an abrupt end as a cold front surged southwest across the plains and through gaps of the central mountain chain early on the 12th. Peak wind gusts around 60 mph were common below Tijeras Canyon and within the Tularosa Valley. The strongest winds occurred in the area below Abo Pass where a peak gust to 88 mph was reported near U.S. Highway 60.","A public weather station directly below Abo Pass at Tierra Grande reported a peak wind gust to 88 mph. A nearby station southwest of Abo Pass at Burris Ranch Airport reported a peak wind to 60 mph." +112384,670109,NEW MEXICO,2017,February,Winter Storm,"NORTHEAST HIGHLANDS",2017-02-12 20:00:00,MST-7,2017-02-14 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow-moving upper level low pressure system that tracked east along the borderland pumped abundant moisture over a cold front that shifted southwest across New Mexico. Rain and snow impacted the state in two rounds. The first impulse delivered moderate snowfall over the northern and western high terrain and parts of the Rio Grande Valley on the 12th. The second impulse focused more over eastern New Mexico as the upper level disturbance exited into the plains states on the 13th. The record warmth that preceded this system on the 10th and 11th limited snowfall impacts significantly over much of the area.","Snowfall amounts ranged from 4 to 6 inches around Las Vegas." +112663,673212,NEW MEXICO,2017,February,High Wind,"ROOSEVELT COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Dora mesonet site reported a peak wind gust up to 72 mph. The Melrose Bombing Range reported a peak wind gust to 67 mph. An observer in Portales reported a peak wind gust to 61 mph. Blowing dust reduced the visibility to as low as 2 miles." +112663,673213,NEW MEXICO,2017,February,High Wind,"UNION COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","A public weather station near Sedan reported peak wind gusts up to 63 mph with sustained winds as high as 49 mph. The Clayton Municipal Airport reported a peak wind gust up to 58 mph." +113952,682426,OREGON,2017,February,Flood,"YAMHILL",2017-02-10 14:30:00,PST-8,2017-02-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,45.2046,-123.1832,45.2058,-123.181,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the South Yamhill River near McMinnville to flood. The river crested at 50.15 feet, which is 0.15 feet above flood stage." +112554,671476,MINNESOTA,2017,February,Winter Storm,"STEELE",2017-02-23 18:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 12 to 14 inches of snow that fell late Thursday afternoon, through Friday afternoon. The heaviest totals were near Owatonna which received 14 inches." +114605,687323,MINNESOTA,2017,April,Hail,"WABASHA",2017-04-09 20:17:00,CST-6,2017-04-09 20:17:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-92.37,44.22,-92.37,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported in Hammond." +114605,687324,MINNESOTA,2017,April,Hail,"WABASHA",2017-04-09 20:38:00,CST-6,2017-04-09 20:38:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-92.15,44.14,-92.15,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail fell south of Plainview." +113525,682691,NEBRASKA,2017,February,Winter Weather,"THAYER",2017-02-23 17:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During a winter that featured well-below normal snowfall and little in the way of high-impact weather across most of this 24-county South Central Nebraska area, this roughly 24-hour, multi-faceted event qualified as one of the more notable round of the season, featuring near-blizzard conditions and problematic icing. In terms of snow totals, counties along and north of Highway 92 bore the brunt of this storm with a fairly widespread coverage of 4-8���, including NWS Cooperative Observer reports of 7.5��� at Greeley, 7��� at Ord, 5.2��� at Arcadia and Loup City, 4.8��� near Shelby and 4.3��� in St. Paul. Southward from there, lesser totals of generally 2-4��� prevailed along and near the Interstate 80 and Highway 6 corridors, including 4��� near Lexington, 3.6��� at Kearney, 3.3��� at Hastings, 3��� in Holdrege and Minden and 2.9��� in Grand Island. Closer to the Kansas border, snowfall averaged only 1-2���, including 1.7��� at Hebron and 1.5��� at Red Cloud. However, despite the fact that the majority of South Central Nebraska did not see truly heavy snow totals, those numbers only tell a part of the this storm���s story, as various areas also experienced one or more of the following: impactful ice accretion from steady freezing drizzle, at least a few hours of blowing snow and near white-out conditions, thunderstorms producing sleet/graupel and even small hail. ||Breaking down timing/impacts in greater detail, wintry precipitation first got underway on the afternoon of Thursday the 23rd as scattered rain showers gradually mixed with and changed over to snow, initially affecting roughly the northwest half of South Central Nebraska. Then during the evening, while snow temporarily ended/diminished in northwestern counties, a new area of convectively-enhanced precipitation blossomed in southeastern zones, especially southeast of a Red Cloud-York line. Between 6-10 PM, many places within this area reported brief, intense thunder snow, sleet/graupel or even small hail. Once this evening band of convective precipitation exited eastward, the majority of South Central Nebraska (except for some far northern counties) experienced a multiple-hour lull in snow that lasted well beyond midnight, thanks to the invasion of a mid-level dry slot. Unfortunately though, this dry slot allowed steady freezing drizzle to take ���center stage��� for several hours, slickening roadways across many counties. In places such as Hastings and Grand Island, ice accretion totaled as much as one to two tenths of an inch. As the late-night wore on, freezing drizzle gradually ended from northwest-to-southeast as snow and blowing snow gradually filled back in, driven by northerly winds sustained at generally 20-30 MPH and gusting up to around 40 MPH. By sunrise on Friday the 24th, the main snow band stretched across the heart of South Central Nebraska (including the Tri Cities), while in its wake snow had pretty much ended in northern counties such as Valley/Greeley. Over the course of the morning and early afternoon, this snow band continued sliding southeast through the remainder of South Central Nebraska, resulting in at least brief, near-blizzard conditions with its passage. In central communities such as Hastings and Grand Island, measurable snow largely ended by 11 AM-noon, while it was closer to 2 PM before accumulating flakes vacated far southeast locations such as Hebron. While pockets of blowing snow lingered through late afternoon, conditions improved area-wide by evening as winds gradually diminished. ||In the mid-upper levels, this winter storm was driven by the gradual passage of a broad, large-scale trough axis, with the primary 700-millibar low pressure center tracking from the CO/WY border on the morning of the 23rd, to central Nebraska by evening and reaching central Iowa by mid-day on the 24th. During this same time frame, a strong surface low pressure system with a magnitude of generally 992-996 millibars tracked from southeast Colorado and across the KS/OK border before swinging northeast across Missouri and Illinois, with a tight pressure gradient on its north/northwest side driving the strong north winds across South Central Nebraska. From a temperature perspective, this system brought to a screeching halt a remarkable stretch of well-above normal warmth that had dominated the preceding two weeks. In fact, both Grand Island and Hastings notched their warmest two-week February stretch on record between the 10th-23rd, including six days that exceeded 70 degrees.","Snow came in two bursts and accumulated totals of 2.2 inches at Hubbell and 1.7 inches at Hebron. The first burst of a little snow (along with perhaps some sleet and small hail) occurred on the evening of February 23rd, and the second occurrence was during the morning and early afternoon of February 24th, accompanied by wind gusts to around 40 mph resulting in brief, near-blizzard conditions. There was also perhaps a short interlude of light freezing drizzle." +111484,671801,GEORGIA,2017,January,Thunderstorm Wind,"DECATUR",2017-01-02 21:40:00,EST-5,2017-01-02 21:40:00,0,0,0,0,3.00K,3000,0.00K,0,30.7295,-84.6962,30.7295,-84.6962,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Power lines were blown down in southwestern Decatur county." +111484,671802,GEORGIA,2017,January,Thunderstorm Wind,"GRADY",2017-01-02 22:10:00,EST-5,2017-01-02 22:10:00,0,0,0,0,5.00K,5000,0.00K,0,31.0105,-84.2061,31.0105,-84.2061,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Several power lines were blown down north of Cairo. Damage cost was estimated." +111484,671803,GEORGIA,2017,January,Thunderstorm Wind,"GRADY",2017-01-02 22:14:00,EST-5,2017-01-02 22:14:00,0,0,0,0,5.00K,5000,0.00K,0,31.0355,-84.1756,31.0355,-84.1756,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down in the Macedonia Church area. Damage cost was estimated." +113993,682729,CALIFORNIA,2017,February,High Wind,"S SIERRA MTNS",2017-02-20 15:00:00,PST-8,2017-02-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Crane Flat (CNFC1) RAWS reported a maximum wind gust of 58 mph." +113993,682730,CALIFORNIA,2017,February,High Wind,"TULARE CTY MTNS",2017-02-20 16:10:00,PST-8,2017-02-20 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of strong low pressure systems accompanied with tropical moisture influxes brought strong winds, heavy rainfall, flooding, debris flows, funnel cloud reports, and high elevation snows to the central California region. Precipitation was enhanced at times by orographical lifting.","Bear Peak (BPKC1) RAWS reported a maximum wind gust of 58 mph." +114215,684173,OREGON,2017,February,High Wind,"CENTRAL OREGON COAST",2017-02-05 16:08:00,PST-8,2017-02-05 19:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow and high winds to the Oregon Coast.","The Dunes RAWS weather station saw gusts peak up to 60 mph, while a weather station at Yachats saw winds gust up to 58 mph." +114215,684176,OREGON,2017,February,Heavy Snow,"NORTHERN OREGON COAST",2017-02-05 11:00:00,PST-8,2017-02-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow and high winds to the Oregon Coast.","Snow totaling up to 5.5 inches were observed along the North Oregon Coast." +114215,684182,OREGON,2017,February,Heavy Snow,"LOWER COLUMBIA",2017-02-05 11:00:00,PST-8,2017-02-06 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow and high winds to the Oregon Coast.","There were reports of 6 to 11.5 inches of snow in the Lower Columbia region around Rainier, Deer Island, Clatskanie, and across the river in Kelso, WA and Longview, WA." +114215,684184,OREGON,2017,February,Heavy Snow,"COAST RANGE OF NW OREGON",2017-02-05 08:00:00,PST-8,2017-02-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow and high winds to the Oregon Coast.","At higher elevations, the Saddle Mountain SNOTEL reported 25 inches of snow. Lower in the Coast Range there were reports of 12 inches at Sunset Summit, 7 inches in Mist, and 6 inches in Vernonia." +114217,684193,OREGON,2017,February,Winter Storm,"UPPER HOOD RIVER VALLEY",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","CoCoRaHS observers reported 0.3 to 0.4 inches of ice on top of 3 to 6 inches of snow." +113231,677471,ILLINOIS,2017,February,Hail,"JACKSON",2017-02-28 22:18:00,CST-6,2017-02-28 22:18:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-89.5,37.63,-89.5,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","" +113381,678659,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:45:00,CST-6,2017-02-20 01:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.23,-96.3,31.23,-96.3,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Leon County Sheriff's Department reported that a barn ended up in the middle of Highway 7 near Marquez." +114825,688726,MISSISSIPPI,2017,April,Hail,"AMITE",2017-04-02 17:38:00,CST-6,2017-04-02 17:38:00,0,0,0,0,0.00K,0,0.00K,0,31.066,-90.8882,31.066,-90.8882,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Dime to penny size hail reported near Unity Church along Mississippi Highway 569." +114825,688727,MISSISSIPPI,2017,April,Thunderstorm Wind,"PEARL RIVER",2017-04-03 03:52:00,CST-6,2017-04-03 03:52:00,0,0,0,0,0.00K,0,0.00K,0,30.6775,-89.5733,30.6775,-89.5733,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Multiple trees were blown down near Mile Marker 18 on Interstate 59 near McNeil." +115098,697023,OKLAHOMA,2017,April,Flash Flood,"LATIMER",2017-04-29 18:00:00,CST-6,2017-04-29 23:15:00,0,0,1,0,0.00K,0,0.00K,0,34.9474,-95.4836,34.9507,-95.3304,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Several roads west of Wilburton were flooded. Highbridge Road was severely flooded at Beaver Creek. A woman drove into flood waters there, was washed downstream, and drowned." +115064,697229,ARKANSAS,2017,April,Flash Flood,"MADISON",2017-04-21 06:00:00,CST-6,2017-04-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-93.92,36.05,-93.52,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Widespread heavy rainfall across the southern portion of the county resulted in flooding that damaged numerous roads." +115064,697230,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-21 06:00:00,CST-6,2017-04-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-94.32,36.08,-94.42,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Heavy rainfall resulted in portions of several roads to be flooded." +115065,697255,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-25 22:33:00,CST-6,2017-04-25 22:33:00,0,0,0,0,0.00K,0,0.00K,0,36.3083,-95.4266,36.3083,-95.4266,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115879,696366,WASHINGTON,2017,April,High Wind,"SOUTH COAST",2017-04-07 07:15:00,PST-8,2017-04-07 16:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to southwest Washington, bringing down many trees across the area.","Weather stations recorded wind gusts up to 60 to 77 mph, with the highest gusts recorded at Cape Disappointment." +115879,696367,WASHINGTON,2017,April,High Wind,"SOUTHWEST INTERIOR",2017-04-07 07:01:00,PST-8,2017-04-07 10:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to southwest Washington, bringing down many trees across the area.","The Abernathy RAWS site recorded sustained winds up to 42 mph, with gusts up to 69 mph." +112796,673838,NEBRASKA,2017,February,Winter Storm,"BOYD",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Lynch, reported 12 inches of snowfall. Snowfall amounts ranged from 10 to 13 inches across Boyd County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across Boyd County." +112796,673839,NEBRASKA,2017,February,Winter Storm,"KEYA PAHA",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Springview, reported 10.5 inches of snowfall. Snowfall amounts ranged from 9 to 12 inches across Keya Paha County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across Keya Paha County." +112796,673840,NEBRASKA,2017,February,Winter Storm,"ROCK",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Newport, reported 9 inches of snowfall. Snowfall amounts ranged from 8 to 10 inches across Rock County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across Rock County." +112796,673841,NEBRASKA,2017,February,Winter Storm,"BROWN",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Ainsworth, reported 8 inches of snowfall. Snowfall amounts ranged from 8 to 10 inches across Brown County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across Brown County." +112396,670123,SOUTH CAROLINA,2017,February,Hail,"ORANGEBURG",2017-02-15 12:00:00,EST-5,2017-02-15 12:05:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-80.43,33.3,-80.43,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","Public reported half dollar size hail, south of Holly Hill, at a business on Gardner Blvd/Hwy 453. Time estimated based on radar." +112396,670124,SOUTH CAROLINA,2017,February,Thunderstorm Wind,"CLARENDON",2017-02-15 10:55:00,EST-5,2017-02-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,33.5,-80.4,33.5,-80.4,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","Clarendon County dispatch reported trees down on Dingle Pond Rd." +112396,670125,SOUTH CAROLINA,2017,February,Thunderstorm Wind,"BARNWELL",2017-02-15 11:03:00,EST-5,2017-02-15 11:08:00,0,0,0,0,,NaN,,NaN,33.31,-81.35,33.31,-81.35,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","Trees were reported down, mainly in the vicinity of Reynolds Rd and Ashleigh Rd, about 5 miles SSE of Elko." +112396,670126,SOUTH CAROLINA,2017,February,Thunderstorm Wind,"ORANGEBURG",2017-02-15 11:53:00,EST-5,2017-02-15 11:58:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-80.48,33.49,-80.48,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","DOT reported a tree down on Hwy 6 in Santee near the Santee Golf Course." +112396,670127,SOUTH CAROLINA,2017,February,Thunderstorm Wind,"ORANGEBURG",2017-02-15 10:26:00,EST-5,2017-02-15 10:31:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-80.86,33.46,-80.86,"A band of thunderstorms rolled through the region during the morning and early afternoon. Weak instability and strong shear contributed to some of the thunderstorms producing strong gusty winds and large hail.","ASOS at Orangeburg Municipal Airport observed a peak wind gust of 54 knots, or 62 MPH, at 1026 EST." +113556,680545,OKLAHOMA,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-19 20:22:00,CST-6,2017-02-19 20:22:00,0,0,0,0,5.00K,5000,0.00K,0,34.17,-98,34.17,-98,"A line of storms formed out ahead of a cold front across Oklahoma on the evening of the 19th, and moved eastward.","Winds caused roof damage and 2-inch tree limbs downed." +113556,680546,OKLAHOMA,2017,February,Thunderstorm Wind,"CANADIAN",2017-02-19 21:45:00,CST-6,2017-02-19 21:45:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.81,35.39,-97.81,"A line of storms formed out ahead of a cold front across Oklahoma on the evening of the 19th, and moved eastward.","Trees downed blocking roadway." +113556,680548,OKLAHOMA,2017,February,Thunderstorm Wind,"COMANCHE",2017-02-19 20:25:00,CST-6,2017-02-19 20:25:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-98.41,34.66,-98.41,"A line of storms formed out ahead of a cold front across Oklahoma on the evening of the 19th, and moved eastward.","Measured at the army air station." +113557,680549,OKLAHOMA,2017,February,Thunderstorm Wind,"HUGHES",2017-02-28 23:40:00,CST-6,2017-02-28 23:40:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-96.19,34.82,-96.19,"Storms formed out ahead of a cold front surging southeast across Oklahoma late on the 28th.","Nickel hail was reported as well. No damage reported." +113617,680132,NORTH CAROLINA,2017,February,Hail,"PERSON",2017-02-25 15:00:00,EST-5,2017-02-25 15:11:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-78.99,36.48,-78.86,"A line of thunderstorms developed along a residual surface trough east of the Appalachians. The southern most storm of the line produced isolated wind damage and some penny to nickel size hail as it moved through Person County during the afternoon.","Penny to nickel size hail was reported in a few locations between Roxboro and Bethel Hill." +113449,679163,TEXAS,2017,February,Thunderstorm Wind,"WEBB",2017-02-19 20:00:00,CST-6,2017-02-19 20:10:00,0,0,0,0,25.00K,25000,0.00K,0,27.534,-99.4909,27.5333,-99.4701,"A potent upper level disturbance combined with abundant moisture to produce a line of thunderstorms over northeast Mexico in the afternoon. The line of severe storms moved eastward across the Rio Grande into Laredo during the evening hours. The storms produced wind gusts between 70 and 80 mph. Winds damaged a public works building near the airport along with sporadic tree damage around town.","Several trees were blown down along Bustamante Street." +113449,679165,TEXAS,2017,February,Thunderstorm Wind,"WEBB",2017-02-19 20:10:00,CST-6,2017-02-19 20:15:00,0,0,0,0,0.00K,0,0.00K,0,27.54,-99.46,27.54,-99.46,"A potent upper level disturbance combined with abundant moisture to produce a line of thunderstorms over northeast Mexico in the afternoon. The line of severe storms moved eastward across the Rio Grande into Laredo during the evening hours. The storms produced wind gusts between 70 and 80 mph. Winds damaged a public works building near the airport along with sporadic tree damage around town.","Laredo International Airport AWOS measured a gust to 76 mph." +113449,679169,TEXAS,2017,February,Thunderstorm Wind,"WEBB",2017-02-19 20:05:00,CST-6,2017-02-19 20:10:00,0,0,0,0,75.00K,75000,0.00K,0,27.55,-99.48,27.5475,-99.4711,"A potent upper level disturbance combined with abundant moisture to produce a line of thunderstorms over northeast Mexico in the afternoon. The line of severe storms moved eastward across the Rio Grande into Laredo during the evening hours. The storms produced wind gusts between 70 and 80 mph. Winds damaged a public works building near the airport along with sporadic tree damage around town.","Video from KGNS-TV showed damage to the Laredo Public Works Department building just to the west of the airport. The roof was blown off the building. A tower was blown over also." +113481,680540,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-20 05:02:00,CST-6,2017-02-20 05:10:00,0,0,0,0,0.00K,0,0.00K,0,27.599,-97.3045,27.603,-97.2924,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","Weatherflow Hurrnet site southeast of Waldron Field measured a gust to 43 knots." +113481,680541,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-20 05:12:00,CST-6,2017-02-20 05:14:00,0,0,0,0,0.00K,0,0.00K,0,27.5865,-97.2551,27.598,-97.2353,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","Weatherflow mesonet site on North Padre Island measured a gust to 42 knots." +113481,680542,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-20 05:18:00,CST-6,2017-02-20 05:27:00,0,0,0,0,0.00K,0,0.00K,0,28.4138,-96.4256,28.4458,-96.3955,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","TCOON site at Port O'Connor measured a gust to 38 knots." +120818,723793,OHIO,2017,November,Tornado,"WAYNE",2017-11-05 17:52:00,EST-5,2017-11-05 17:53:00,0,0,0,0,75.00K,75000,0.00K,0,40.7822,-81.9204,40.7823,-81.9166,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down at the Secrest Arboretum on the south side of Wooster. The tornado tore half the roof off of the Frederick Rice historical home with debris thrown north-northwest through southeast. East of the home, trees were snapped and uprooted in a convergent pattern. A couple greenhouses were also damaged. This tornado was on the ground for less than a quarter mile and was no more than 50 yards in width." +115718,695436,INDIANA,2017,April,Hail,"DE KALB",2017-04-19 19:07:00,EST-5,2017-04-19 19:08:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.92,41.28,-84.92,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +115718,695437,INDIANA,2017,April,Hail,"ALLEN",2017-04-19 19:16:00,EST-5,2017-04-19 19:17:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-84.89,41.26,-84.89,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +115718,695438,INDIANA,2017,April,Hail,"DE KALB",2017-04-19 19:17:00,EST-5,2017-04-19 19:18:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.92,41.28,-84.92,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +115718,695439,INDIANA,2017,April,Hail,"DE KALB",2017-04-19 19:20:00,EST-5,2017-04-19 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.91,41.28,-84.91,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","Law enforcement officials reported some roof damage to a few structures as a result of the hail." +115718,695440,INDIANA,2017,April,Hail,"ALLEN",2017-04-19 19:27:00,EST-5,2017-04-19 19:28:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-84.81,41.26,-84.81,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +115718,695441,INDIANA,2017,April,Thunderstorm Wind,"DE KALB",2017-04-19 19:20:00,EST-5,2017-04-19 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.83,41.28,-84.83,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","Law enforcement reported roofing from a barn was blown off. Several power lines were also reported down, but unknown if from the wind or debris falling on them." +113966,682504,NEW YORK,2017,February,Thunderstorm Wind,"JEFFERSON",2017-02-25 12:31:00,EST-5,2017-02-25 12:31:00,0,0,0,0,10.00K,10000,0.00K,0,44.2276,-75.7911,44.2276,-75.7911,"A line of thunderstorms developed ahead of a cold front during the late morning hours. The thunderstorms crossed the north country and produced damaging wind gusts estimated to 60 mph. Just northwest of Calcium a roof and wall were damaged by winds. Trees were reported down near Theresa at the intersection of Routes 37 and 411 and on Red Lake Road. Also in Theresa, a mobile trailer home on Silver Street was damaged as it was pushed off the foundation.","Emergency management reported trees down on Red Lake Road in Theresa." +116089,697743,IOWA,2017,May,Thunderstorm Wind,"ALLAMAKEE",2017-05-17 15:26:00,CST-6,2017-05-17 15:26:00,0,0,0,0,0.00K,0,0.00K,0,43.31,-91.48,43.31,-91.48,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 60 mph wind gust occurred north of Waukon." +116089,697742,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-17 15:27:00,CST-6,2017-05-17 15:27:00,0,0,0,0,20.00K,20000,0.00K,0,42.99,-91.37,42.99,-91.37,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","North of Farmersburg, trees and power lines were blown down. Some house damage occurred from trees falling on them." +116089,697747,IOWA,2017,May,Hail,"ALLAMAKEE",2017-05-17 15:33:00,CST-6,2017-05-17 15:33:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-91.15,43.2,-91.15,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","" +113683,682079,NEBRASKA,2017,April,Hail,"STANTON",2017-04-15 17:46:00,CST-6,2017-04-15 17:46:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-97.33,41.87,-97.33,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682084,NEBRASKA,2017,April,Hail,"WAYNE",2017-04-15 17:57:00,CST-6,2017-04-15 17:57:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-97.23,42.27,-97.23,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682082,NEBRASKA,2017,April,Hail,"WAYNE",2017-04-15 17:56:00,CST-6,2017-04-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-97.25,42.26,-97.25,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682088,NEBRASKA,2017,April,Hail,"WAYNE",2017-04-15 18:05:00,CST-6,2017-04-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-97.16,42.26,-97.16,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113555,679898,WYOMING,2017,February,Winter Storm,"NATRONA COUNTY LOWER ELEVATIONS",2017-02-22 23:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Heavy snow fell across portions of Natrona County. The heaviest snow fell in the western portions of Natrona County where Powder River picked up 13 inches of new snow. Amounts around the city of Casper generally ranged from 4 to 8 inches with 9.4 at the Natrona County airport. Much less snow fell in northern Natrona County where only 1 inch of snow fell at Midwest." +113555,679900,WYOMING,2017,February,Blizzard,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-23 08:00:00,MST-7,2017-02-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","The weather sensor at Beaver Rim along Highway 28 reported visibility below a quarter of a mile and frequent wind gusts over 35 mph for several hours on the morning of February 23rd." +113951,682350,ARKANSAS,2017,February,Hail,"CLEVELAND",2017-02-27 15:15:00,CST-6,2017-02-27 15:15:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-92,33.75,-92,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682351,ARKANSAS,2017,February,Hail,"DESHA",2017-02-27 16:30:00,CST-6,2017-02-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-91.26,33.9,-91.26,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682352,ARKANSAS,2017,February,Thunderstorm Wind,"GARLAND",2017-02-28 17:00:00,CST-6,2017-02-28 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.67,-93,34.67,-93,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","Trees fell on a house." +112861,674221,HAWAII,2017,February,High Surf,"MOLOKAI LEEWARD",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674222,HAWAII,2017,February,High Surf,"MAUI WINDWARD WEST",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674223,HAWAII,2017,February,High Surf,"MAUI LEEWARD WEST",2017-02-01 00:00:00,HST-10,2017-02-02 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674224,HAWAII,2017,February,High Surf,"MAUI CENTRAL VALLEY",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674225,HAWAII,2017,February,High Surf,"WINDWARD HALEAKALA",2017-02-01 00:00:00,HST-10,2017-02-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +113920,682287,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-02-07 11:10:00,CST-6,2017-02-07 11:10:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","New Orleans Lakefront Airport (KNEW) reported a wind gust of 48 knots." +113920,682292,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-02-07 13:18:00,CST-6,2017-02-07 13:18:00,0,0,0,0,0.00K,0,0.00K,0,30.343,-88.511,30.343,-88.511,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Station RARM6 reported a wind gust of 34 knots." +113920,682295,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-02-07 14:54:00,CST-6,2017-02-07 14:54:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Station PTBM6 reported a wind gust of 41 knots." +113920,682297,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-02-07 15:42:00,CST-6,2017-02-07 15:42:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Station PTBM6 reported a wind gust of 36 knots." +113929,682321,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA OUT 20 NM",2017-02-14 21:00:00,CST-6,2017-02-14 21:00:00,0,0,0,0,0.00K,0,0.00K,0,28.867,-90.483,28.867,-90.483,"Isolated strong storms developed over the coastal waters adjacent to Southeast Louisiana and Mississippi.","South Timbalier Block 52 (SPLL1) reported a wind gust of 38 knots." +113930,682322,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-02-21 00:00:00,CST-6,2017-02-21 00:00:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Scattered strong storms affected the coastal waters adjacent to southeast Louisiana and Mississippi.","Pilot's Station East (PSTL1) reported a wind gust of 42 knots." +113930,682324,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"BRETON SOUND",2017-02-21 00:00:00,CST-6,2017-02-21 00:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5858,-89.6061,29.5858,-89.6061,"Scattered strong storms affected the coastal waters adjacent to southeast Louisiana and Mississippi.","The USGS Northeast Bay Gardene site reported a wind gust of 34 knots." +113930,682325,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-02-21 00:17:00,CST-6,2017-02-21 00:17:00,0,0,0,0,0.00K,0,0.00K,0,29.0581,-89.3043,29.0581,-89.3043,"Scattered strong storms affected the coastal waters adjacent to southeast Louisiana and Mississippi.","The WeatherFlow East Bay Tower (XEBT) reported a wind gust of 36 mph at 12:17am and 12:22am." +113930,682326,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-02-21 02:24:00,CST-6,2017-02-21 02:24:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"Scattered strong storms affected the coastal waters adjacent to southeast Louisiana and Mississippi.","Petit Bois Island C-Man (PTBM6) reported a wind gust of 41 knots at 2:24am and 38 knots at 2:30am." +120818,723682,OHIO,2017,November,Thunderstorm Wind,"HANCOCK",2017-11-05 16:05:00,EST-5,2017-11-05 16:08:00,0,0,0,0,500.00K,500000,0.00K,0,41.052,-83.6791,41.0706,-83.6271,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A thunderstorm downburst produced wind gusts in excess of 80 mph and caused a three mile long damage path across the northwest and north ends of Findlay. The damage path began in an industrial park off of Westfield Drive just west of Interstate 75. Warehouse and factory buildings in the area sustained varying amounts of roof and wall damage. In some instances cinder block walls gave way after the roofs above them were torn away or damaged. A restaurant at a shopping plaza near Interstate 75 was also damaged. The damage path continued northeast across the interstate. Several light poles at the athletic fields at Findlay High School were toppled. One of the poles landed on a parked vehicle and a second struck the high school. The high school sustained some roof damage and also had several windows blown out. From the high school, the damage path continued down Trenton Avenue. Another restaurant sustained major damage after an exterior wall was heavily damaged. Right down the street, a mobile home was destroyed and several others damaged. Two travel trailers parked nearby were overturned and destroyed. One of those was blown into a garage causing a cinder block wall to collapse. A roof was blown off of a detached garage. Several large hardwood trees were snapped near the intersection of Trenton Avenue and Main Street. More snapped or uprooted trees were observed in the neighborhood around East Melrose Avenue. A couple mobile homes along Melrose Avenue were shifted from their foundations and a three story apartment building along Crystal Avenue lost a section of roofing. An industrial building nearby was also heavily damaged after part of the roof was torn off and a wall partially collapsed. Scattered power outages were reported across the area." +114216,684189,WASHINGTON,2017,February,Heavy Snow,"LOWER COLUMBIA",2017-02-05 11:00:00,PST-8,2017-02-06 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow to the Washington Coast and Willapa Hills.","There were reports of 6 to 11.5 inches of snow in the Lower Columbia region around Kelso, Longview, Lexington, and across the river in Rainier, OR and Clatskanie, OR." +114216,684190,WASHINGTON,2017,February,Heavy Snow,"SOUTHWEST INTERIOR",2017-02-05 08:00:00,PST-8,2017-02-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow to the Washington Coast and Willapa Hills.","A nearby station at Pe Ell recorded 9 inches of snow." +114216,684191,WASHINGTON,2017,February,Heavy Snow,"SOUTHERN WASHINGTON CASCADE FOOTHILLS",2017-02-05 05:00:00,PST-8,2017-02-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated cold front brought impactful snow to the Washington Coast and Willapa Hills.","Silverlake, WA reported 9.5 inches of snow." +114218,684202,WASHINGTON,2017,February,High Wind,"SOUTH COAST",2017-02-09 00:00:00,PST-8,2017-02-09 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","Weather station at Cape Disappointment recorded sustained winds up to 45 mph with gusts up to 55 mph." +114218,684203,WASHINGTON,2017,February,High Wind,"SOUTH WASHINGTON CASCADES",2017-02-09 15:00:00,PST-8,2017-02-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","The Three Corners Rock RAWS station recorded sustained wind up to 52 mph with wind gusts up to 79 mph." +121099,724988,VERMONT,2017,December,Winter Storm,"ESSEX",2017-12-12 08:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 10 inches of snow fell across Essex county." +114218,684205,WASHINGTON,2017,February,Winter Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","CoCoRaHs observers in the area recorded 0.3 to 0.4 inches of ice on top of 3 to 6 inches of snow, except 0.5 inches of ice was recorded by a spotter in Underwood." +113742,681163,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-07 03:31:00,PST-8,2017-02-07 05:31:00,0,0,0,0,0.00K,0,0.00K,0,37.0963,-122.0982,37.0957,-122.0977,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Rockslide sb lane SR9 between Boulder Creek and Brookdale." +113742,681165,CALIFORNIA,2017,February,High Wind,"NORTH BAY MOUNTAINS",2017-02-07 03:48:00,PST-8,2017-02-07 03:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree blocking all lanes. Reported 5 miles N of Calistoga." +113742,681166,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-07 04:12:00,PST-8,2017-02-07 04:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree down blocking road 5 miles NE of Scotts Valley." +113742,681172,CALIFORNIA,2017,February,High Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-02-07 04:50:00,PST-8,2017-02-07 04:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Wind gust of 59 mph recorded by Mt. Diablo Raws." +113742,681174,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-07 04:53:00,PST-8,2017-02-07 06:53:00,0,0,0,0,0.00K,0,0.00K,0,37.0022,-122.0321,37.0023,-122.0321,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud covering NB lane of Graham Hill Road." +113742,681175,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO PENINSULA COAST",2017-02-07 04:58:00,PST-8,2017-02-07 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree in slow lane 5 miles NNW of Burlingame." +113742,681176,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-07 04:58:00,PST-8,2017-02-07 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Large tree limb covering road 1 mile SSE of Boulder Creek." +113742,681178,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO PENINSULA COAST",2017-02-07 05:24:00,PST-8,2017-02-07 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Trained spotter reported wind gust of 61 mph 1 mile S of Sausalito." +113742,681181,CALIFORNIA,2017,February,High Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-02-07 05:28:00,PST-8,2017-02-07 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Gust of 62 mph measured at Rose Peak." +113742,681182,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-07 05:29:00,PST-8,2017-02-07 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Gust of 66 mph measured at Atlas Peak." +112433,682695,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-21 04:38:00,PST-8,2017-02-21 06:38:00,0,0,0,0,0.00K,0,0.00K,0,37.6906,-121.6653,37.6896,-121.6649,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mudslide reported at wb Patterson Pass." +112433,682696,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-21 07:46:00,PST-8,2017-02-21 09:46:00,0,0,0,0,0.00K,0,0.00K,0,37.5829,-122.5092,37.5829,-122.5095,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mudslide reported across NB 1 so tunnel near San Francisco." +112433,682699,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-21 09:21:00,PST-8,2017-02-21 11:21:00,0,0,0,0,0.00K,0,0.00K,0,37.044,-122.1502,37.044,-122.1498,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mud slide reported at Bonny Doon Road and Pine Flat Road." +112433,682701,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-21 09:49:00,PST-8,2017-02-21 11:49:00,0,0,0,0,0.00K,0,0.00K,0,38.0151,-122.6328,38.0144,-122.6336,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mudslide has shut down both directions of Sir Francis Drake Blvd between San Geronimo Valley Rd in Woodacre and Olema Road in Fairfax." +112433,682703,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-21 16:44:00,PST-8,2017-02-21 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Three trees down on HWY 236 near China Grade Road blocking all lanes." +113743,682735,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-09 15:16:00,PST-8,2017-02-09 17:16:00,0,0,0,0,0.00K,0,0.00K,0,37.191,-121.9932,37.1911,-121.9933,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Roadway flooded SR17 and Bear Creek Rd offframp." +113743,682736,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-09 15:33:00,PST-8,2017-02-09 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.7445,-121.6573,36.7443,-121.6575,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Roadway flooding at intersection of Harrison and Sala Rd." +113743,682740,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-09 15:36:00,PST-8,2017-02-09 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.1106,-121.6835,37.1106,-121.6838,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Entire roadway flooded at Oak Glen Ave and Green Acres Ln." +113743,682743,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-09 16:02:00,PST-8,2017-02-09 18:02:00,0,0,0,0,0.00K,0,0.00K,0,36.5823,-121.8996,36.5822,-121.8999,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Lots of standing water on northbound SR1/Soledad Dr onramp." +112282,669592,VERMONT,2017,February,Winter Storm,"EASTERN FRANKLIN",2017-02-12 12:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 5 to 10 inches of snowfall reported." +112282,669565,VERMONT,2017,February,Winter Storm,"CALEDONIA",2017-02-12 13:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 10 to 16 inches of snowfall reported, including 16 inches in Walden, 13-15 inches in Sutton." +112282,669593,VERMONT,2017,February,Winter Storm,"EASTERN RUTLAND",2017-02-12 10:00:00,EST-5,2017-02-13 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 5 to 10 inches of snowfall reported." +112254,669393,FLORIDA,2017,February,Thunderstorm Wind,"LEVY",2017-02-07 21:38:00,EST-5,2017-02-07 21:38:00,0,0,0,0,1.00K,1000,0.00K,0,29.47,-82.89,29.47,-82.89,"A squall line ahead of an approaching frontal boundary contained an embedded area of severe storms that moved through Levy County. Winds were the biggest hazard associated with the line and areas of wind damage were reported throughout the county.","The Levy County Sheriffs Office reported several trees down across roads in the Chiefland area. Additionally, a private citizen in Chiefland sent pictures of a tree and several large branches down." +112474,670624,TEXAS,2017,February,Thunderstorm Wind,"GREGG",2017-02-20 04:15:00,CST-6,2017-02-20 04:15:00,0,0,0,0,0.00K,0,0.00K,0,32.5624,-94.8069,32.5624,-94.8069,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Trees and power lines were downed in several locations across Northwest Longview, including the 100 block of Tracy Lynn Street." +112254,669392,FLORIDA,2017,February,Thunderstorm Wind,"LEVY",2017-02-07 21:42:00,EST-5,2017-02-07 21:42:00,0,0,0,0,10.00K,10000,0.00K,0,29.42,-82.58,29.42,-82.58,"A squall line ahead of an approaching frontal boundary contained an embedded area of severe storms that moved through Levy County. Winds were the biggest hazard associated with the line and areas of wind damage were reported throughout the county.","Roof damage was reported to a radio transmitter building in Bronson. This subsequently caused damage to the backup transmitter. Time was estimated from radar." +112254,669394,FLORIDA,2017,February,Thunderstorm Wind,"LEVY",2017-02-07 21:55:00,EST-5,2017-02-07 21:55:00,0,0,0,0,45.00K,45000,0.00K,0,29.42,-82.64,29.42,-82.64,"A squall line ahead of an approaching frontal boundary contained an embedded area of severe storms that moved through Levy County. Winds were the biggest hazard associated with the line and areas of wind damage were reported throughout the county.","Levy County Emergency Management reported damage to a mobile home in Bronson. Wind is believed to have peeled off the roof of the mobile home. Time of occurrence was estimated by radar." +112533,672405,SOUTH DAKOTA,2017,February,Blizzard,"CLAY",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow and very strong winds of 30 to 45 mph creating widespread blizzard conditions. Many areas reported visibilities below a half mile.","Snowfall of 6 to 10 inches combined with strong winds of 40 to 45 mph created widespread blizzard conditions with visibilities below a half mile. Local authorities were recommending no travel due to road and weather conditions." +112675,672756,NEW YORK,2017,February,Ice Storm,"NORTHERN FULTON",2017-02-07 13:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112675,672757,NEW YORK,2017,February,Ice Storm,"SOUTHERN FULTON",2017-02-07 07:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112675,672758,NEW YORK,2017,February,Ice Storm,"MONTGOMERY",2017-02-07 07:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112335,669773,MONTANA,2017,February,High Wind,"BEARTOOTH FOOTHILLS",2017-02-09 18:22:00,MST-7,2017-02-09 18:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients along the Upper Yellowtone and Upper Stillwater Valleys resulted in strong winds across the Livingston and Nye areas.","A wind gust of 67 mph was reported in Fishtail." +112336,669774,WYOMING,2017,February,High Wind,"SHERIDAN FOOTHILLS",2017-02-09 23:18:00,MST-7,2017-02-09 23:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds associated with a mountain wave descended down the east side of the Big Horn Mountains. This resulted in strong wind gusts along the Sheridan Foothills.","A wind gust of 60 mph was recorded at the Sheridan Airport." +112746,673459,MONTANA,2017,February,Heavy Snow,"NORTH ROCKY MOUNTAIN FRONT",2017-02-05 11:54:00,MST-7,2017-02-05 11:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific Moisture and westerly upslope flow aloft resulted in periods of snow, heavy at times, along the western aspects of the Coninental Divide. Some of this upslope snow spilled-over to the immediate lee of the Rocky Mountain Front. In addition, a surface ridge of high pressure building southward from the Canadian Prairies was accompanied by moist, stable, and easterly upslope flow in the low-levels east of the Rocky Mountain Front. Accordingly, additional upslope snow, heavy at times, occurred along the Rocky Mountain Front and spread eastward over the plains of Glacier County, including Browning, as the easterly low-level upslope flow was likely blocked. By the time this snowstorm concluded on Feb 7th, some locations along the Rocky Mountain Front had set new four-day snowfall records. Four-day snowfall totals ranged from 10.5 inches at the Cut Bank CoCoRaHS station to a record 64 inches in St. Mary.","Trained spotter in East Glacier Park measured 31 inches of new snow in less than 48-hours and reported travel was likely impossible along side roads in town." +112747,673463,MONTANA,2017,February,High Wind,"EASTERN GLACIER",2017-02-10 09:56:00,MST-7,2017-02-10 11:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","Cut Bank ASOS reported sustained wind of at least 40 mph from 0956 through 1156 MST." +115481,702462,TEXAS,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-28 17:29:00,CST-6,2017-05-28 17:29:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-95.18,31.36,-95.18,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Numerous trees were downed in severe thunderstorm winds near the town of Kennard." +115481,702464,TEXAS,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-28 18:25:00,CST-6,2017-05-28 18:25:00,0,0,0,0,8.00K,8000,0.00K,0,31.3907,-95.144,31.3907,-95.144,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Severe thunderstorm winds downed a tree and power line on top of a vehicle in the town of Ratcliff within the Davy Crockett National Forest." +115481,702468,TEXAS,2017,May,Thunderstorm Wind,"BRAZOS",2017-05-28 18:53:00,CST-6,2017-05-28 18:53:00,0,0,0,0,0.00K,0,0.00K,0,30.6711,-96.4671,30.6711,-96.4671,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","A tree was blown down and blocking a roadway." +112903,674552,MONTANA,2017,February,Dense Fog,"WESTERN ROOSEVELT",2017-02-19 19:30:00,MST-7,2017-02-20 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With near calm or light easterly winds, plentiful surface moisture easily formed into a large area of dense fog across portions of northeast Montana.","Visibility dropped to a quarter of a mile or less from the evening of the 19th to the early morning of the 20th, especially near Poplar." +112903,674555,MONTANA,2017,February,Dense Fog,"SHERIDAN",2017-02-20 00:15:00,MST-7,2017-02-20 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With near calm or light easterly winds, plentiful surface moisture easily formed into a large area of dense fog across portions of northeast Montana.","Visibility dropped to a quarter of a mile or less during the early morning hours of the 20th across portions of Sheridan County." +112903,674556,MONTANA,2017,February,Dense Fog,"DANIELS",2017-02-19 20:00:00,MST-7,2017-02-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With near calm or light easterly winds, plentiful surface moisture easily formed into a large area of dense fog across portions of northeast Montana.","Visibility dropped to a quarter of a mile or less during the late evening of the 19th across portions of Daniels County." +112903,674557,MONTANA,2017,February,Dense Fog,"CENTRAL AND SOUTHERN VALLEY",2017-02-19 17:42:00,MST-7,2017-02-19 20:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With near calm or light easterly winds, plentiful surface moisture easily formed into a large area of dense fog across portions of northeast Montana.","Visibility dropped to a quarter of a mile or less during the evening hours of the 19th across portions of central and southern Valley County." +112903,676116,MONTANA,2017,February,Dense Fog,"EASTERN ROOSEVELT",2017-02-19 20:30:00,MST-7,2017-02-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With near calm or light easterly winds, plentiful surface moisture easily formed into a large area of dense fog across portions of northeast Montana.","Surrounding surface reports and MDT road reports showed dense fog across eastern Roosevelt County through the Missouri River valley. Due to lack of visibility sensor in the area, times are estimated." +112908,674579,ILLINOIS,2017,February,Hail,"JOHNSON",2017-02-07 16:35:00,CST-6,2017-02-07 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.3688,-88.8356,37.3688,-88.8356,"A few strong storms developed along a cold front as it moved southeast across southern Illinois. The atmosphere became sufficiently unstable for the storms to produce hail during a short timeframe around sunset.","" +112917,674606,MISSOURI,2017,February,Hail,"PERRY",2017-02-28 02:37:00,CST-6,2017-02-28 02:37:00,0,0,0,0,,NaN,0.00K,0,37.85,-89.83,37.85,-89.83,"Ahead of a low pressure center over the central Plains, clusters of thunderstorms developed in a strong southerly wind flow of warm and humid air. The storms were fed by a moderate amount of elevated instability, with most-unstable capes over 1000 j/kg. One of the storms briefly intensified to severe levels, producing golf-ball size hail.","The golf-ball size hail occurred near U.S. Highway 51 North and Highway H." +115590,694176,OKLAHOMA,2017,April,Drought,"WOODS",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694177,OKLAHOMA,2017,April,Drought,"WOODWARD",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694178,OKLAHOMA,2017,April,Drought,"MAJOR",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694179,OKLAHOMA,2017,April,Drought,"DEWEY",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694180,OKLAHOMA,2017,April,Drought,"KAY",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694181,OKLAHOMA,2017,April,Drought,"GARFIELD",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694182,OKLAHOMA,2017,April,Drought,"NOBLE",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694183,OKLAHOMA,2017,April,Drought,"KINGFISHER",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694184,OKLAHOMA,2017,April,Drought,"LOGAN",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694185,OKLAHOMA,2017,April,Drought,"PAYNE",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694186,OKLAHOMA,2017,April,Drought,"CANADIAN",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694187,OKLAHOMA,2017,April,Drought,"OKLAHOMA",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694188,OKLAHOMA,2017,April,Drought,"LINCOLN",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694189,OKLAHOMA,2017,April,Drought,"MCCLAIN",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694190,OKLAHOMA,2017,April,Drought,"CLEVELAND",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694191,OKLAHOMA,2017,April,Drought,"POTTAWATOMIE",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +121297,726142,VERMONT,2017,December,Winter Weather,"WESTERN ADDISON",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726143,VERMONT,2017,December,Winter Weather,"WESTERN CHITTENDEN",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +115590,694192,OKLAHOMA,2017,April,Drought,"SEMINOLE",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694194,OKLAHOMA,2017,April,Drought,"ATOKA",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694195,OKLAHOMA,2017,April,Drought,"BRYAN",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +114952,694203,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-21 07:15:00,CST-6,2017-04-21 07:15:00,0,0,0,0,0.00K,0,0.00K,0,35.187,-97.4565,35.187,-97.4565,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +114955,694270,OKLAHOMA,2017,April,Thunderstorm Wind,"CANADIAN",2017-04-29 04:17:00,CST-6,2017-04-29 04:17:00,0,0,0,0,0.00K,0,0.00K,0,35.3769,-97.7419,35.3769,-97.7419,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Measured by Davis station." +114955,694278,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 04:15:00,CST-6,2017-04-29 04:15:00,0,0,0,0,30.00K,30000,0.00K,0,35.4787,-97.5257,35.4787,-97.5257,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Wind damage across the State Fair Park included: an arch blown down, a cell tower down, a light pole down, 30-50 trees uprooted or down, two overhead doors damaged, possible damage to roof on the shop, and powerlines down all around including transmission lines. Time estimated by radar." +121297,726144,VERMONT,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121297,726146,VERMONT,2017,December,Winter Weather,"EASTERN CHITTENDEN",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121208,725611,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:30:00,EST-5,2017-10-15 15:30:00,0,0,0,0,8.00K,8000,0.00K,0,42.33,-78.87,42.33,-78.87,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725613,NEW YORK,2017,October,Thunderstorm Wind,"WYOMING",2017-10-15 15:40:00,EST-5,2017-10-15 15:40:00,0,0,0,0,10.00K,10000,0.00K,0,42.53,-78.43,42.53,-78.43,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +112953,674897,ILLINOIS,2017,February,Hail,"WHITESIDE",2017-02-28 16:44:00,CST-6,2017-02-28 16:44:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-89.82,41.91,-89.82,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported hail up to the size of quarters." +112953,674898,ILLINOIS,2017,February,Hail,"WHITESIDE",2017-02-28 16:54:00,CST-6,2017-02-28 16:54:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-89.69,41.8,-89.69,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +112953,674900,ILLINOIS,2017,February,Hail,"WHITESIDE",2017-02-28 16:58:00,CST-6,2017-02-28 16:58:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-89.64,41.8,-89.64,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported hail slightly larger than golf balls." +113407,678609,WYOMING,2017,February,Flood,"FREMONT",2017-02-21 16:00:00,MST-7,2017-02-22 05:00:00,0,0,1,0,10.00K,10000,0.00K,0,43.0534,-108.3767,43.0547,-108.342,"On February 21st temperatures warmed into the 50s across much of the Wind River Basin, this, combined with rain led to rapid melting of snow and led to flooding of ditches along roads as well as sheet flooding across portions of Fremont County north of Riverton. A pickup truck along Honor Farm Road was submerged almost up to its roof. In addition, a 33-year old man fell into the water and floated away. His deputy sheriff fell found has body a half a mile from where he fell in, partially submerged and hung up in debris.","Law enforcement reported flooding ditches and sheet flooding north of Riverton on the evening of February 21st. A 33-year old man fell into the flood waters and drowned. A Coroners report noted that the man was under the influence of alcohol, marijuana, amphetamines and anti-depressants." +112880,674316,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-27 15:22:00,HST-10,2017-02-27 16:05:00,0,0,0,0,0.00K,0,0.00K,0,21.9679,-159.6883,22.2161,-159.4569,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +113253,677620,NEW YORK,2017,February,Winter Storm,"HAMILTON",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677621,NEW YORK,2017,February,Winter Storm,"NORTHERN WARREN",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677729,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:57:00,EST-5,2017-02-25 17:57:00,0,0,0,0,,NaN,,NaN,41.85,-74.14,41.85,-74.14,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was reported down on Legget Road near the intersection with State Route 209." +113262,677730,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:58:00,EST-5,2017-02-25 17:58:00,0,0,0,0,,NaN,,NaN,41.84,-74.09,41.84,-74.09,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed along with poles and wires, requiring an 8-hour road closure." +113262,677732,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 18:02:00,EST-5,2017-02-25 18:02:00,0,0,0,0,,NaN,,NaN,41.82,-73.98,41.82,-73.98,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was reported down on Old Post Road at Swarterkill Road." +113473,679303,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-03 14:41:00,PST-8,2017-02-03 14:41:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-119.79,37.4667,-119.79,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding in several locations near Triangle Road and State Route 49 about 9 miles southeast of Midpines in Mariposa County." +113473,679304,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-03 14:45:00,PST-8,2017-02-03 14:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.46,-119.8,37.4585,-119.797,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported vehicle stuck in flood waters near Paso Pass Road and Stumpfield Mountain Road about 9 miles southeast of Midpines in mariposa County." +113473,679305,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-03 14:56:00,PST-8,2017-02-03 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.85,37.4697,-119.8403,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding on Italian Creek Road 6 miles southeast of Midpines in Mariposa County." +113473,679306,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 16:28:00,PST-8,2017-02-03 16:28:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-119.71,36.9253,-119.7031,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported roadway flooding on Reno Road and Auberry Road intersection just north of Gordon in Fresno County." +113473,679307,CALIFORNIA,2017,February,Flood,"MADERA",2017-02-03 16:30:00,PST-8,2017-02-03 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0079,-119.7901,37.0183,-119.7881,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported roadway flooding on State Route 41 near Road 145 just southwest of Indian Springs in Madera County." +113473,679308,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 17:01:00,PST-8,2017-02-03 17:01:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-119.62,37.0086,-119.6085,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reports roadway flooding on the intersection of Harbour Drive and Millerton Road with about 6 to 8 inches of standing water just south of Millerton Lake in Fresno County." +113473,679309,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 17:10:00,PST-8,2017-02-03 17:10:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-119.72,36.9017,-119.7072,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported roadway flooding near Copper Avenue and Auberry Road about 5 miles north northwest of Clovis in Fresno County." +113404,678541,WISCONSIN,2017,February,Winter Storm,"FLORENCE",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 8 inches was measured near Spread Eagle." +113404,678551,WISCONSIN,2017,February,Winter Storm,"LINCOLN",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","" +113404,678552,WISCONSIN,2017,February,Winter Storm,"LANGLADE",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 8.5 inches was measured at Summit Lake." +113231,677523,ILLINOIS,2017,February,Tornado,"WHITE",2017-02-28 21:55:00,CST-6,2017-02-28 22:08:00,1,0,1,0,2.00M,2000000,0.00K,0,38.137,-88.1148,38.1797,-87.9474,"Isolated supercell thunderstorms moved into southern Illinois during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced two long-track strong tornadoes, the first of which originated in Perry County, Missouri and tracked almost 50 miles before dissipating. The second strong tornado formed in the Wabash Valley and crossed into southwest Indiana. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes.","The tornado touched down between Crossville and Carmi, quickly strengthening to EF-3 intensity before crossing Illinois Route 1. The tornado track stayed northeast of Carmi, in relatively sparsely populated farmland. In White County, 35 structures were damaged or destroyed. At least several of those were homes. Just west of Highway 1, several vehicles were rolled over and moved, and a single-wide mobile home was destroyed. Near where the tornado crossed Route 1, an older house was moved three feet off its foundation. The house did not appear to be bolted to the foundation. Most of the second floor was removed. A double-wide mobile home was destroyed in the same area near Route 1. The width of the damage path was about 300 yards along Route 1. Just south of Crossville on County Road 1675E, a vehicle was rolled about 30 yards, and a house was destroyed. Some walls of the house collapsed, and most of the roof came off. Peak winds at this location were estimated near 150 mph. The sole fatality occurred south of Crossville, where an elderly man was caught outdoors when the tornado struck. The man was found in a farm field about 40 yards from his house. His wife was inside in the house, and she received scrapes and bruises. Another EF-3 damage location was east of Crossville, where a vehicle was moved about 30 yards and an old house was partially destroyed. The average path width was about 300 yards in White County. The tornado continued across the Wabash River into Posey County, Indiana." +113476,679320,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-02-07 23:33:00,EST-5,2017-02-07 23:34:00,0,0,0,0,,NaN,,NaN,31.4,-80.87,31.4,-80.87,"A mid/upper level shortwave tracked over the Southeast and adjacent coastal waters, helping produce a few showers and thunderstorms during the evening hours.","Buoy 41008 recorded a 40 mph wind gust with a passing thunderstorm." +113519,679536,WISCONSIN,2017,February,Flood,"WOOD",2017-02-21 10:00:00,CST-6,2017-02-23 11:06:00,0,0,0,0,50.00K,50000,0.00K,0,44.4433,-90.1348,44.4404,-90.1284,"Much warmer than normal temperatures from February 17th to the 22nd caused rapid snow melt and ice jams on rivers, especially across central Wisconsin. High temperatures there were in the 50s to lower 60s each day, while overnight lows remained near or above freezing. ||Seven rivers across central Wisconsin exceeded flood stage. The flooding was minor in most cases, impacting low, agricultural, and wooded land adjacent to the rivers. The exception was the Yellow River which crested just below moderate flood stage at Babcock, and due to ice jams, crested just above moderate flood stage at Pittsville. |The ice became lodged in the thick wooded areas along the river. A region between Pittsville and Dexterville along Highway 80 experienced the worst of the flooding.","An ice jam on the Yellow River caused flooding of basements and the ground floors of homes near the river, mainly from Pittsville to Dexterville. Property damage totals included in this report are only a rough estimate." +113478,679328,SOUTH CAROLINA,2017,February,Hail,"BERKELEY",2017-02-15 12:25:00,EST-5,2017-02-15 12:26:00,0,0,0,0,,NaN,,NaN,33.31,-80,33.31,-80,"Strong thunderstorms developed along/ahead of an approaching cold front as it encountered increasingly moist and unstable conditions over the Southeast United States.","A local television station reported ping pong ball size hail near Bonneau Beach. Video also showed quarter size hail at Bonn Grocery." +113478,679329,SOUTH CAROLINA,2017,February,Hail,"BERKELEY",2017-02-15 12:29:00,EST-5,2017-02-15 12:30:00,0,0,0,0,,NaN,,NaN,33.26,-79.88,33.26,-79.88,"Strong thunderstorms developed along/ahead of an approaching cold front as it encountered increasingly moist and unstable conditions over the Southeast United States.","A trained spotter reported golf ball size hail." +113970,682681,MONTANA,2017,April,High Wind,"LIVINGSTON AREA",2017-04-07 13:30:00,MST-7,2017-04-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients along the Beartooth Absaroka and Red Lodge Foothills combined with strong winds aloft resulted in high wind gusts across these areas.","A wind gust of 75 mph was recorded at the west Livingston DOT sensor." +113970,682682,MONTANA,2017,April,High Wind,"RED LODGE FOOTHILLS",2017-04-07 12:00:00,MST-7,2017-04-07 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients along the Beartooth Absaroka and Red Lodge Foothills combined with strong winds aloft resulted in high wind gusts across these areas.","A wind gust of 63 mph was recorded at the Roscoe Hill DOT sensor." +113992,682689,WYOMING,2017,April,Winter Storm,"SHERIDAN FOOTHILLS",2017-04-25 01:00:00,MST-7,2017-04-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper low over central Wyoming brought a deep upslope flow and dynamic cooling to the Big Horn Mountains and the Sheridan Foothills. This resulted in heavy, wet snow across these areas. Roads and schools across the area were closed. Many tree limbs fell due to the weight of the wet snow. Some of these tree limbs fell on power lines resulting in power outrages across the Sheridan area.","Snowfall of 6+ inches was reported from Story to Dayton. In addition, there were several power outages in Sheridan." +113992,682690,WYOMING,2017,April,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-04-24 17:00:00,MST-7,2017-04-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper low over central Wyoming brought a deep upslope flow and dynamic cooling to the Big Horn Mountains and the Sheridan Foothills. This resulted in heavy, wet snow across these areas. Roads and schools across the area were closed. Many tree limbs fell due to the weight of the wet snow. Some of these tree limbs fell on power lines resulting in power outrages across the Sheridan area.","Tie Creek, Sucker Creek, and Dome Lake Snotels all reported 12 to 17 inches of snow." +113346,678245,MAINE,2017,February,Winter Storm,"INTERIOR HANCOCK",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 7 to 13 inches." +113346,678246,MAINE,2017,February,Winter Storm,"COASTAL HANCOCK",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 10 to 20 inches." +114489,686551,OHIO,2017,April,Flash Flood,"CLINTON",2017-04-29 09:00:00,EST-5,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.44,-83.94,39.4417,-83.9418,"Thunderstorms trained along a warm front that was lifting through the area.","Water was reported flowing across State Route 380." +114489,686556,OHIO,2017,April,Flash Flood,"BUTLER",2017-04-29 09:25:00,EST-5,2017-04-29 11:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3376,-84.4351,39.3382,-84.4341,"Thunderstorms trained along a warm front that was lifting through the area.","Significant flooding was reported along Rupp Farm Drive in West Chester." +114489,686557,OHIO,2017,April,Flash Flood,"CLERMONT",2017-04-29 09:45:00,EST-5,2017-04-29 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0497,-84.2492,39.0502,-84.2499,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported near the 1300 block of Ohio Pike." +114489,686559,OHIO,2017,April,Flash Flood,"CLERMONT",2017-04-29 09:45:00,EST-5,2017-04-29 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-84.21,39.1273,-84.2117,"Thunderstorms trained along a warm front that was lifting through the area.","High water resulted in a road closure near the 1500 block of Highway 50." +114489,686561,OHIO,2017,April,Flash Flood,"FAYETTE",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4099,-83.374,39.4102,-83.3731,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported on U.S. 753 at Ghormley Rd." +114489,686563,OHIO,2017,April,Flash Flood,"FAYETTE",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5488,-83.4529,39.5489,-83.4524,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported near Brannon St." +114489,686564,OHIO,2017,April,Flash Flood,"FAYETTE",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-83.36,39.5722,-83.3634,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported over Old Springfield Rd." +114489,686875,OHIO,2017,April,Flash Flood,"FAYETTE",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6061,-83.3734,39.6068,-83.3729,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported over the road near the intersection of U.S.62 and New Holland Rd." +114489,686876,OHIO,2017,April,Flash Flood,"FAYETTE",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-83.61,39.6503,-83.6078,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported on Ohio 734 at West Lancaster Rd." +114489,686877,OHIO,2017,April,Flash Flood,"WARREN",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3646,-84.1749,39.3638,-84.1749,"Thunderstorms trained along a warm front that was lifting through the area.","The road was closed due to high water near the intersection of Mason Morrow Millgrove Rd. and Stubbs Mills Rd." +114489,686878,OHIO,2017,April,Flash Flood,"WARREN",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4077,-84.2437,39.4095,-84.2428,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported near the intersection of Columbia Rd and U.S. 42, resulting in a road closure." +115124,691017,FLORIDA,2017,April,Wildfire,"MARION",2017-04-01 11:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of dry weather and warm temperatures support wildfire growth.","The NE 212th Street Wildfire was 700 acres and 25% contained. About 40 homes were evacuated. One shed and 3 hunting cabins were burned and destroyed." +115125,691018,GEORGIA,2017,April,Thunderstorm Wind,"COFFEE",2017-04-03 14:30:00,EST-5,2017-04-03 14:30:00,0,0,0,0,0.10K,100,0.00K,0,31.53,-82.75,31.53,-82.75,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","A spotter reported a few trees blown down along Sandhill Church Road." +115126,691019,FLORIDA,2017,April,Hail,"DUVAL",2017-04-03 16:50:00,EST-5,2017-04-03 16:50:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-81.63,30.24,-81.63,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","Quarter size hail was reported at the San Jose Country Club." +115126,691023,FLORIDA,2017,April,Thunderstorm Wind,"ST. JOHNS",2017-04-03 18:00:00,EST-5,2017-04-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-81.39,30.24,-81.39,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","A tree was blown down in Ponte Vedra. The time of the damage was based on radar." +115126,692319,FLORIDA,2017,April,Thunderstorm Wind,"ST. JOHNS",2017-04-03 18:15:00,EST-5,2017-04-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-81.31,29.84,-81.31,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","A tree was blown down on Queen Road. The time of damage was based on radar." +115312,692320,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-04-03 18:20:00,EST-5,2017-04-03 18:20:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","A mesonet station at Vilano Beach measured a wind gust of 47 mph." +115312,692321,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-04-03 18:49:00,EST-5,2017-04-03 18:49:00,0,0,0,0,0.00K,0,0.00K,0,29.86,-81.26,29.86,-81.26,"A warm front was across SE GA with low pressure centered near the Ozarks. An increasingly unstable and moist airmass ahead of the surface low combined with sea breeze forcing sparked a few strong to severe storms across the area during the afternoon and evening.","" +113817,682748,MICHIGAN,2017,February,Thunderstorm Wind,"CASS",2017-02-28 21:00:00,EST-5,2017-02-28 21:01:00,0,0,0,0,0.00K,0,0.00K,0,41.98,-86.11,41.98,-86.11,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","The public reported a few power poles were blown down on M-51." +113022,676486,MISSISSIPPI,2017,January,Tornado,"LAMAR",2017-01-02 14:52:00,CST-6,2017-01-02 14:57:00,0,0,0,0,50.00K,50000,0.00K,0,31.119,-89.4591,31.1232,-89.349,"As a warm front was draped across the region, an upper level disturbance moved across and brought heavy rain and some severe storms during the morning. The storm system developed further during the afternoon and a squall line formed ahead of an approaching cold front. This helped to bring tornadoes and additional severe weather to the region during the afternoon hours.","This tornado touched down near Highway 11, about 2 miles south of downtown Purvis and around a mile west of Interstate 59. The tornado tracked quickly east/northeast across the interstate before dissipating after going about 1.5 miles into western Forrest County. Along its track, the tornado did mostly minor to moderate tree damage, although a few structures did receive modest damage inside Lamar County. The maximum estimated winds were 105 mph. The entire path length was 8.4 miles, of which about 6.5 miles occurred in Lamar County. The maximum width was 225 yards." +114456,686310,VERMONT,2017,April,Winter Weather,"BENNINGTON",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +114456,686313,VERMONT,2017,April,Winter Weather,"EASTERN WINDHAM",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +114456,686314,VERMONT,2017,April,Winter Storm,"WESTERN WINDHAM",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow and sleet. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 6 to 12 inches, with lower totals below 1500 feet.","" +111601,666255,SOUTH DAKOTA,2017,January,Winter Weather,"ZIEBACH",2017-01-02 06:00:00,MST-7,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666256,SOUTH DAKOTA,2017,January,Winter Weather,"NORTHERN BLACK HILLS",2017-01-02 04:00:00,MST-7,2017-01-02 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666257,SOUTH DAKOTA,2017,January,Winter Weather,"NORTHERN FOOT HILLS",2017-01-02 04:00:00,MST-7,2017-01-02 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666258,SOUTH DAKOTA,2017,January,Winter Weather,"RAPID CITY",2017-01-02 04:00:00,MST-7,2017-01-02 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666259,SOUTH DAKOTA,2017,January,Winter Weather,"CENTRAL BLACK HILLS",2017-01-02 04:00:00,MST-7,2017-01-02 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666260,SOUTH DAKOTA,2017,January,Winter Weather,"PENNINGTON CO PLAINS",2017-01-02 04:00:00,MST-7,2017-01-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666261,SOUTH DAKOTA,2017,January,Winter Weather,"HAAKON",2017-01-02 05:00:00,MST-7,2017-01-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +113097,677142,NORTH CAROLINA,2017,January,Winter Weather,"JOHNSTON",2017-01-07 05:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a 0.50 of an inch across southern portions of the county to 1.0 inch across the north. There was also a tenth of an inch of ice from freezing rain." +114228,684263,HAWAII,2017,April,High Surf,"MAUI CENTRAL VALLEY",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684264,HAWAII,2017,April,High Surf,"LEEWARD HALEAKALA",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +113097,676686,NORTH CAROLINA,2017,January,Winter Storm,"GUILFORD",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts of 7 to 10 inches fell across the county." +114228,684262,HAWAII,2017,April,High Surf,"MAUI LEEWARD WEST",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684265,HAWAII,2017,April,High Surf,"KONA",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114228,684266,HAWAII,2017,April,High Surf,"SOUTH BIG ISLAND",2017-04-28 09:00:00,HST-10,2017-04-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere caused surf of 5 to 8 feet along the south-facing shores of all the main Hawaiian Islands. No significant property damage or injuries were reported.","" +114229,684267,HAWAII,2017,April,Drought,"KONA",2017-04-01 00:00:00,HST-10,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Parts of leeward Big Island remained in the D2 category of severe drought through April, though there was improvement due to periods of rain toward the end of the month.","" +112887,681346,KENTUCKY,2017,March,Flood,"NICHOLAS",2017-03-01 11:10:00,EST-5,2017-03-02 06:30:00,0,0,0,0,0.00K,0,0.00K,0,38.4138,-84.0094,38.4158,-84.0057,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Licking River at Blue Licks Spring rose above flood stage and crested at 27.23 feet." +112882,674337,INDIANA,2017,March,Thunderstorm Wind,"DUBOIS",2017-03-01 05:32:00,EST-5,2017-03-01 05:32:00,0,0,0,0,0.00K,0,0.00K,0,38.2482,-86.9562,38.2482,-86.9562,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The ASOS at Huntingburg Airport gusted to 61 mph." +112887,681347,KENTUCKY,2017,March,Flood,"FRANKLIN",2017-03-01 10:39:00,EST-5,2017-03-02 09:20:00,0,0,0,0,0.00K,0,0.00K,0,38.2664,-84.8109,38.2739,-84.8009,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The Elkhorn Creek at Peaks Mill crested above flood stage at 11.71 feet for a short duration." +114987,689933,NEW HAMPSHIRE,2017,April,Heavy Snow,"INTERIOR ROCKINGHAM",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689935,NEW HAMPSHIRE,2017,April,Heavy Snow,"MERRIMACK",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +112882,674352,INDIANA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 06:04:00,EST-5,2017-03-01 06:04:00,0,0,0,0,25.00K,25000,0.00K,0,38.45,-86.03,38.45,-86.03,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported that severe thunderstorm winds damaged a barn." +112882,674354,INDIANA,2017,March,Thunderstorm Wind,"CLARK",2017-03-01 06:14:00,EST-5,2017-03-01 06:14:00,0,0,0,0,15.00K,15000,0.00K,0,38.45,-85.67,38.45,-85.67,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported vinyl siding blown off a building due to severe thunderstorm winds." +114987,689937,NEW HAMPSHIRE,2017,April,Heavy Snow,"NORTHERN COOS",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689936,NEW HAMPSHIRE,2017,April,Heavy Snow,"NORTHERN CARROLL",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113161,677015,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 13:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","An observer near Colville reported 6 inches of heavy wet snow." +113161,677018,WASHINGTON,2017,January,Winter Storm,"SPOKANE AREA",2017-01-17 17:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain produced around a tenth of an inch of ice accumulation and then freezing rain turned to snow overnight with 3 inches of snow accumulation on top of the ice in northwest Spokane." +113161,677037,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 13:00:00,PST-8,2017-01-18 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Four inches of new snow was reported near Northport." +114988,689949,MAINE,2017,April,Heavy Snow,"INTERIOR YORK",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114988,690022,MAINE,2017,April,Heavy Snow,"NORTHERN OXFORD",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114988,690023,MAINE,2017,April,Heavy Snow,"SAGADAHOC",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +115215,691781,KANSAS,2017,April,Hail,"SHERMAN",2017-04-27 16:50:00,MST-7,2017-04-27 16:50:00,0,0,0,0,0.00K,0,0.00K,0,39.3514,-101.805,39.3514,-101.805,"Late in the afternoon and into the evening a line of storms moving east from Colorado produced hail up to nickel size in Sharon Springs and a brief tornado northeast of Kanorado.","Hail near dime size was reported." +115215,691782,KANSAS,2017,April,Hail,"WALLACE",2017-04-27 17:15:00,MST-7,2017-04-27 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-101.75,38.89,-101.75,"Late in the afternoon and into the evening a line of storms moving east from Colorado produced hail up to nickel size in Sharon Springs and a brief tornado northeast of Kanorado.","Small hail covering the ground based on a video through social media. Estimated time of report from radar." +115215,691785,KANSAS,2017,April,Tornado,"SHERMAN",2017-04-27 16:21:00,MST-7,2017-04-27 16:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3644,-101.9996,39.3752,-101.9756,"Late in the afternoon and into the evening a line of storms moving east from Colorado produced hail up to nickel size in Sharon Springs and a brief tornado northeast of Kanorado.","A brief tornado developed along the line of eastward moving storms. No damage was reported due to the tornado. Based on radar analysis, the tornado remained south of CR 67, crossing CR 5 approximately halfway through its lifetime." +121654,728133,ARIZONA,2017,December,Dense Fog,"GREATER PHOENIX AREA",2017-12-17 08:00:00,MST-7,2017-12-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered showers and isolated thunderstorms developed across portions of south central Arizona during the early morning hours on December 17th. As the showers moved east, they produced areas of low clouds and fog that affected the higher terrain to the east of Phoenix, including communities such as Sunflower and Superior. Dense fog occurred for a brief period near the Maricopa/Gila County border, affecting motorists on Highway 87. A member of the public reported that visibility had dropped to near zero miles due to the dense fog and low clouds. No accidents were reported due to the sharply reduced visibility.","Scattered showers and isolated thunderstorms moved east across portions of south central Arizona during the morning hours and they resulted in patchy dense fog and low clouds over higher terrain areas to the east of Phoenix. According to a report from the general public, at about 0900MST, near zero visibility in dense fog occurred along Highway 87 near the Maricopa/Gila County border. The dense fog was also located about 3 miles to the northeast of the town of Sunflower. Fortunately, no accidents resulted as a result of the sharply reduced visibility. A Dense Fog Advisory was not issued, and the times of the dense fog were estimated." +121403,726710,IDAHO,2017,December,Heavy Snow,"UPPER TREASURE VALLEY",2017-12-22 18:00:00,MST-7,2017-12-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist northwest flow interacted with a frontal boundary producing areas of heavy snow across parts of Southwest Idaho.","The National Weather Service in Boise measured six inches of new snow from the evening of the 22nd through the morning of the 23rd and received numerous reports of four to five inches from the public." +121404,726722,IDAHO,2017,December,Heavy Snow,"LOWER TREASURE VALLEY",2017-12-24 19:00:00,MST-7,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front moving through the Northern Great Basin spread areas of heavy snow across parts of Southwest Idaho.","Numerous reports of three to four inches of new snow were received from CoCoRaHS observers and from the public." +120937,723915,INDIANA,2017,December,Winter Weather,"LA PORTE",2017-12-07 05:00:00,CST-6,2017-12-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow accumulations of 1 to 2 inches led to slick roads and numerous accidents during the morning hours of December 7th in LaPorte and Saint Joseph counties.","Police reported numerous accidents and slide-offs during the morning hours of December 7th. Lake effect snow accumulations of 1 to 2 inches helped create the slick road conditions." +120940,723921,INDIANA,2017,December,Lake-Effect Snow,"LA PORTE",2017-12-09 02:00:00,CST-6,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 5 and 9 inches, with a report of 8.5 inches near La Porte. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with numerous accidents and slide-offs reported across the region." +120940,723922,INDIANA,2017,December,Lake-Effect Snow,"ST. JOSEPH",2017-12-09 02:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 5 and 9 inches, with a report of 7.6 near Indiana Village. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with numerous accidents and slide-offs reported across the region." +120940,723923,INDIANA,2017,December,Lake-Effect Snow,"MARSHALL",2017-12-09 03:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 5 and 10 inches, with a report of 10.0 inches in Culver. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with numerous accidents and slide-offs reported across the region." +120940,723924,INDIANA,2017,December,Lake-Effect Snow,"STARKE",2017-12-09 03:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 3 and 8 inches, heaviest across northeast Starke County. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with numerous accidents and slide-offs reported across the region." +120940,723928,INDIANA,2017,December,Winter Weather,"KOSCIUSKO",2017-12-09 06:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 2 and 4 inches. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with accidents and slide-offs reported across the region." +120940,723929,INDIANA,2017,December,Winter Weather,"ELKHART",2017-12-09 06:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 2 and 4 inches. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with accidents and slide-offs reported across the region." +113055,676168,CALIFORNIA,2017,January,Flash Flood,"ORANGE",2017-01-22 15:15:00,PST-8,2017-01-22 17:15:00,0,0,0,0,100.00K,100000,0.00K,0,33.5758,-117.8709,33.673,-117.7666,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Widespread heavy rain brought flash flooding to a large portion of Orange County. A water rescue occurred on Hamilton Ave. at the Santa Ana River in Huntington Beach. Numerous streets from Sunset Beach to Santa Ana to Newport Beach were also flooded with 1-3 ft of water. Numerous reports of vehicles stranded in flood waters were received, including half a dozen along Highway 55." +111484,671793,GEORGIA,2017,January,Thunderstorm Wind,"BAKER",2017-01-02 21:54:00,EST-5,2017-01-02 21:54:00,0,0,0,0,50.00K,50000,0.00K,0,31.31,-84.33,31.31,-84.33,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","There was significant damage to trees and a few structures in the town of Newton. A survey determined that the damage was consistent with straight line winds near 85 mph. Damage cost was estimated." +111482,671763,FLORIDA,2017,January,Thunderstorm Wind,"HOLMES",2017-01-02 19:05:00,CST-6,2017-01-02 19:30:00,0,0,0,0,3.00K,3000,0.00K,0,30.85,-85.94,30.78,-85.68,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Multiple trees and power lines were blown down across Holmes county." +113055,676184,CALIFORNIA,2017,January,Flash Flood,"RIVERSIDE",2017-01-23 04:30:00,PST-8,2017-01-23 06:00:00,0,0,0,0,40.00K,40000,0.00K,0,33.7321,-117.4173,33.733,-117.4134,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Cal Fire and Riverside County Firefighters conducted 2 water rescues along the Temescal Wash in Alberhill near the intersection of Hostettler Rd. and Temescal Canyon Rd. Four vehicles were stranded in 2-3 ft of water." +113084,676331,CALIFORNIA,2017,January,Avalanche,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-26 15:15:00,PST-8,2017-01-26 15:45:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Heavy snows over the prior week produced an avalanche near Mt. Baldy on January 26th that trapped 3 hikers. Two of the hikers were injured. San Bernardino County Fire rescued the hikers via helicopter and transported them for medical attention. Further south in San Diego County, lingering moisture from prior storms produced convective snow showers over the mountains. Snowfall accumulations of 1-3 inches were reported along with a closure of Interstate 8.","An avalanche on Mt. Baldy trapped 3 hikers. Two of the hikers were injured." +113085,676333,CALIFORNIA,2017,January,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-01-27 07:00:00,PST-8,2017-01-27 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","Periods of strong Santa Ana Winds blew through the passes and canyons of the Santa Ana Mountains between 2200PST on the 26th and 1200PST on the 28th. Strongest winds surfaced between 0700 and 1000PST on the 27th with a peak gust of 88 mph at Pleasants Peak and 87 mph in Fremont Canyon." +113085,676334,CALIFORNIA,2017,January,Strong Wind,"ORANGE COUNTY INLAND",2017-01-27 07:00:00,PST-8,2017-01-28 10:00:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","Several periods of gusty Santa Ana winds downed a tree near Peter's Canyon Regional Park and power lines in eastern Villa Park." +113269,677786,MARYLAND,2017,January,Winter Weather,"INLAND WORCESTER",2017-01-30 04:00:00,EST-5,2017-01-30 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weak low pressure tracking across the Delmarva and off the coast produced between one half inch of snow and three inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals were generally between 0.5 inch and 1 inch across the county. Bishopville (3 E) reported 1 inch of snow. Ocean Pines reported 0.8 inch of snow." +113269,677787,MARYLAND,2017,January,Winter Weather,"WICOMICO",2017-01-30 04:00:00,EST-5,2017-01-30 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weak low pressure tracking across the Delmarva and off the coast produced between one half inch of snow and three inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals were generally between 0.5 inch and 2 inches across the county. Hebron reported 1.5 inches of snow. Salisbury Airport (SBY) reported 0.5 inch of snow." +115797,696284,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-04-06 12:30:00,EST-5,2017-04-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-75.92,36.7,-75.92,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Virginia Coastal Waters.","Wind gust of 40 knots was measured at Sandbridge." +115796,696297,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"FENWICK IS DE TO CHINCOTEAGUE VA OUT 20NM",2017-04-06 13:24:00,EST-5,2017-04-06 13:24:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-75.03,38.33,-75.03,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Maryland Coastal Waters.","Wind gust of 36 knots was measured at Ocean City Inlet." +113213,677371,TENNESSEE,2017,January,Winter Weather,"FENTRESS",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","CoCoRaHS reports indicated that 0.5 to 1.7 inches of snow fell across Fentress County with the highest amount measured 3 miles southeast of Jamestown near Allardt." +113213,677326,TENNESSEE,2017,January,Winter Weather,"BEDFORD",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Reports indicated that 1 to 2 inches of snow was measured across the county with the highest amounts falling in Bell Buckle and Wartrace." +121286,726060,MICHIGAN,2017,December,Winter Storm,"CASS",2017-12-24 10:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow into early December 25th. Total snow accumulations ranged between 4 and 10 inches across Lower Michigan.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 4 and 7 inches. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +121286,726061,MICHIGAN,2017,December,Winter Weather,"BRANCH",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow into early December 25th. Total snow accumulations ranged between 4 and 10 inches across Lower Michigan.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121286,726063,MICHIGAN,2017,December,Winter Weather,"HILLSDALE",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow into early December 25th. Total snow accumulations ranged between 4 and 10 inches across Lower Michigan.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +117771,708063,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-06-15 17:39:00,EST-5,2017-06-15 17:44:00,0,0,0,0,0.00K,0,0.00K,0,46.41,-86.65,46.41,-86.65,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Munising ASOS." +119798,718351,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"COLLETON",2017-09-01 16:10:00,EST-5,2017-09-01 16:11:00,0,0,0,0,,NaN,0.00K,0,32.94,-80.48,32.94,-80.48,"An area of thunderstorms developed in the afternoon hours across southeast Georgia and progressed into southeast South Carolina. These thunderstorms formed in a warm and unstable airmass around the periphery of the remnants of Tropical Cyclone Harvey as it moved across the Tennessee Valley. A few of these thunderstorms became strong enough to produce damaging wind gusts.","Colleton County dispatch reported a tree down on Pierce Road near Cottageville Highway." +117892,709379,PUERTO RICO,2017,June,Flood,"CATANO",2017-06-14 16:24:00,AST-4,2017-06-14 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.438,-66.1507,18.4396,-66.143,"Upper level trough with associated strong upper level divergence provided strong dynamics and lifting mechanism to resulting in showers and thunderstorms developing over the area.","Urban flooding was reported at Palmas sector." +118019,709485,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-06-22 19:20:00,EST-5,2017-06-22 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-82.8,42.57,-82.8,"Thunderstorms moving through Lake St. Clair and the Detroit River produced wind gusts approaching 50 mph.","" +118092,709730,NORTH CAROLINA,2017,June,Thunderstorm Wind,"BERTIE",2017-06-05 16:00:00,EST-5,2017-06-05 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,36.23,-76.93,36.23,-76.93,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds across portions of northeast North Carolina.","Large tree was downed onto power lines near the corner of Wynn Street and Snow Avenue." +113003,677218,ARKANSAS,2017,January,Winter Weather,"CLARK",2017-01-06 02:00:00,CST-6,2017-01-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to 1 inch fell across Clark County." +113003,677219,ARKANSAS,2017,January,Winter Weather,"HOT SPRING",2017-01-06 03:00:00,CST-6,2017-01-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to a half inch fell across Hot Spring County." +113003,677220,ARKANSAS,2017,January,Winter Weather,"GARLAND",2017-01-06 03:00:00,CST-6,2017-01-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to a half inch fell across Garland County." +113003,677221,ARKANSAS,2017,January,Winter Weather,"PERRY",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to 2 inches fell across Perry County." +113003,677222,ARKANSAS,2017,January,Winter Weather,"CONWAY",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 3 inches fell in Conway County." +113003,677223,ARKANSAS,2017,January,Winter Weather,"FAULKNER",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 3 inches fell in Faulkner County." +115700,695323,LOUISIANA,2017,April,Flash Flood,"RAPIDES",2017-04-30 03:35:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2035,-92.5145,30.482,-92.8867,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th. In Southeast Rapides Parish numerous roads were closed during the event." +115700,695324,LOUISIANA,2017,April,Flash Flood,"AVOYELLES",2017-04-30 04:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,2.50M,2500000,0.00K,0,31.2013,-92.5186,30.4868,-92.8867,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th. In Bunkie water entered at least 35 homes and 5 businesses with up to 1 foot of water. The co-op station in Bunkie received 10.88 inches of rain. 8 homes flooded in Marksville and 3 homes flooded in Cottonport. Numerous reports of rescues from flooded vehicles also occurred." +113708,694036,KANSAS,2017,April,Hail,"RILEY",2017-04-15 18:58:00,CST-6,2017-04-15 18:59:00,0,0,0,0,,NaN,,NaN,39.52,-96.75,39.52,-96.75,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Hail was reported to be covering the ground." +113708,694037,KANSAS,2017,April,Hail,"RILEY",2017-04-15 18:56:00,CST-6,2017-04-15 18:57:00,0,0,0,0,,NaN,,NaN,39.5,-96.8,39.5,-96.8,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694038,KANSAS,2017,April,Hail,"OTTAWA",2017-04-15 19:01:00,CST-6,2017-04-15 19:02:00,0,0,0,0,,NaN,,NaN,39.22,-97.55,39.22,-97.55,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694039,KANSAS,2017,April,Hail,"RILEY",2017-04-15 19:10:00,CST-6,2017-04-15 19:11:00,0,0,0,0,,NaN,,NaN,39.51,-96.76,39.51,-96.76,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694040,KANSAS,2017,April,Hail,"POTTAWATOMIE",2017-04-15 19:39:00,CST-6,2017-04-15 19:40:00,0,0,0,0,,NaN,,NaN,39.5,-96.4,39.5,-96.4,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694041,KANSAS,2017,April,Hail,"POTTAWATOMIE",2017-04-15 19:40:00,CST-6,2017-04-15 19:41:00,0,0,0,0,,NaN,,NaN,39.42,-96.52,39.42,-96.52,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","The hail was mostly peas with a few quarter size stones." +113708,694042,KANSAS,2017,April,Hail,"POTTAWATOMIE",2017-04-15 19:40:00,CST-6,2017-04-15 19:41:00,0,0,0,0,,NaN,,NaN,39.47,-96.47,39.47,-96.47,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Hail size ranged from dime to quarter size." +113708,694043,KANSAS,2017,April,Hail,"OTTAWA",2017-04-15 19:54:00,CST-6,2017-04-15 19:55:00,0,0,0,0,,NaN,,NaN,39.22,-97.55,39.22,-97.55,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694044,KANSAS,2017,April,Hail,"OTTAWA",2017-04-15 21:19:00,CST-6,2017-04-15 21:20:00,0,0,0,0,,NaN,,NaN,39.3,-97.92,39.3,-97.92,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694045,KANSAS,2017,April,Hail,"SHAWNEE",2017-04-15 23:05:00,CST-6,2017-04-15 23:06:00,0,0,0,0,,NaN,,NaN,39.14,-95.65,39.14,-95.65,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","" +113708,694050,KANSAS,2017,April,Thunderstorm Wind,"JACKSON",2017-04-15 22:59:00,CST-6,2017-04-15 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-95.59,39.26,-95.59,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Three to four inch diameter tree limbs down from a live tree. Also had 3.15 inches of rain total." +113058,676496,MISSISSIPPI,2017,January,Tornado,"FORREST",2017-01-21 03:47:00,CST-6,2017-01-21 04:05:00,56,0,4,0,9.00M,9000000,49.50K,49500,31.2738,-89.3478,31.384,-89.1461,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","This tornado began along Purvis-Oloh Road, about 5 miles west northwest of Purvis. It tracked northeast across portions of Lamar County causing mainly tree damage, uprooting and snapping softwood and hardwood trees. It caused some minor to moderate structural damage as well. The tornado crossed Old Highway 11, continuing to cause mainly tree damage, although at least a few structures were also damaged. The tornado began to gain strength as it reached Slade Road, where some homes received roof damage. As the tornado crossed Sullivan Kilrain Road, additional homes received significant roof and structural damage, especially on Carter Circle and Tatum Camp Road. Comprehensive assessments from Lamar County emergency management officials count 26 homes in the county being destroyed or with major damage and 52 homes receiving minor damage. The tornado continued to gain strength as it crossed into Forrest County. There it struck a subdivision along Nellwood Drive, Lakeland Drive and Crestwood Drive and caused significant damage to many homes. Several homes received significant roof and structural damage. One home sustained significant damage and also was the site of one of the fatalities. As the tornado continued to track northeast, it caused extensive tree damage and powerline damage. It struck a church along Helveston Road, which suffered damage to the top floor. As the tornado approached William Carey College, it intensified to EF3 strength, causing damage to numerous buildings on campus. The tornado then affected a mobile home park, downing trees and causing damage to mobile homes. Here, two more fatalities occurred. It then caused structural damage to several homes, churches and businesses on James Street and Alcorn Road. Another fatality occurred on Alcorn Road, when a tree fell on a home. The tornado continued to track northeast, crossing the Leaf River and headed into Petal. Here the tornado got very wide and continued to cause EF2 type damage to businesses along Main Street and into the neighborhoods on the southern side of the city. Extensive tree damage occurred and countless homes had minor to major roof damage in the neighborhood south of Hillcrest Loop. As the tornado reached Sun Circle, it intensified to EF3 strength again and caused significant damage to a few homes as well as moderate damage to many homes in the neighborhood. Beyond the subdivision along Sun Circle, the tornado caused tree damage again before reaching Evelyn Gandy|Parkway. It caused structural damage to an AT&T store by lifting the roof of the strip mall. It caused additional roof damage to several homes and a church along the Parkway as well as along Springridge Road and Corinth Road. As the tornado tore across Shawnee Trail, it caused impressive tree damage, which included snapping and uprooting hardwood and softwood trees. As the tornado tracked just south of|HDR Lane, it took down two metal electrical transmission lines. The tornado then destroyed a house along Macedonia Road, as well as causing additional roof to other homes and taking down numerous trees. Additional impressive tree damage occurred along Old Richton Road and Tyroby Lane. The tornado continued to down trees as it|tracked across Old Richton Road into Perry County. Comprehensive assessments from Forrest County emergency management officials count 499 homes in the county being destroyed or with major damage and 632 homes receiving minor damage.||The tornado path length in just Lamar and Forrest counties was 24.2 miles, although the entire path of the tornado in total was 31.3 miles. Along the entire tornado path the total number of homes destroyed or receiving major damage is estimated to be 531 with the number of homes having minor damage estimated at 689. Maximum estimated winds were 145 mph. The maximum path width was 900 yards, which occurred in the Petal area of Forrest County. This tornado affected a large number of forested areas. Approximately 1570 forested acres were damaged, with 1453 acres being privately owned. In total, 4320 acres were damaged from this tornado. The total economic impact was $410,784 in Lamar, Forrest and Perry counties. 777 total acres were damaged in Lamar County, and 400 in Forrest." +113058,676030,MISSISSIPPI,2017,January,Thunderstorm Wind,"CLARKE",2017-01-21 04:49:00,CST-6,2017-01-21 04:55:00,0,0,0,0,8.00K,8000,0.00K,0,32.1705,-88.8667,32.1695,-88.8086,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","A tree was blown down on Interstate 59 at mile marker 134. A large oak tree was also blown down on Highway 513 near Enterprise Elementary School." +113058,676033,MISSISSIPPI,2017,January,Flash Flood,"FORREST",2017-01-21 05:12:00,CST-6,2017-01-21 08:30:00,0,0,0,0,15.00K,15000,0.00K,0,31.33,-89.34,31.3315,-89.3327,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","Multiple portions of the University of Southern Mississippi campus were flooded." +112679,672823,MONTANA,2017,February,Winter Storm,"BUTTE / BLACKFOOT REGION",2017-02-01 00:00:00,MST-7,2017-02-01 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Periods of moderate to heavy snow caused slick roads and a high volume of accidents across west-central and southwest Montana.","Trained spotters reported 7 inches of snow in Anaconda and 6 inches of snow in Butte with snow drifts up to 2 feet. Discovery ski resort reported 9 inches of new snow in 24 hours." +121208,725664,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:54:00,EST-5,2017-10-15 16:54:00,0,0,0,0,8.00K,8000,0.00K,0,42.87,-76.98,42.87,-76.98,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725665,NEW YORK,2017,October,Thunderstorm Wind,"OSWEGO",2017-10-15 16:55:00,EST-5,2017-10-15 16:55:00,0,0,0,0,15.00K,15000,0.00K,0,43.46,-76.23,43.46,-76.23,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725667,NEW YORK,2017,October,Thunderstorm Wind,"JEFFERSON",2017-10-15 16:58:00,EST-5,2017-10-15 16:58:00,0,0,0,0,8.00K,8000,0.00K,0,43.85,-75.94,43.85,-75.94,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +120818,723679,OHIO,2017,November,Thunderstorm Wind,"TRUMBULL",2017-11-05 18:35:00,EST-5,2017-11-05 18:50:00,0,0,0,0,650.00K,650000,0.00K,0,41.38,-80.98,41.4697,-80.538,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds estimated to be up to 80 mph downed dozens of trees, utility poles and large limbs across the northern third to half of Trumbull County. The damage was most concentrated in the West Farmington and Bloomfield areas. Two large buildings were leveled near West Farmington with roofing debris found over a third of a mile away. Other homes and buildings in northern Trumbull County sustained damage, mainly from lost roofing or siding. Widespread power outages were reported across northern Trumbull County. It took a couple of days for power to be fully restored." +121544,727458,PENNSYLVANIA,2017,November,Thunderstorm Wind,"ERIE",2017-11-05 18:05:00,EST-5,2017-11-05 18:07:00,0,0,0,0,125.00K,125000,0.00K,0,42.0787,-80.1602,42.0835,-80.1418,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A tornado was reported near Erie and strong winds downed many trees across the area.","Thunderstorm downburst winds downed trees and caused minor damage to homes in Millcreek Township. Most of the damage was along and south of West 26th Street (U.S. Route 20) just to the southeast of Erie International Airport." +113893,682051,NORTH CAROLINA,2017,February,Winter Weather,"DAVIE",2017-02-05 04:00:00,EST-5,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light freezing precipitation developed briefly across portions of the Piedmont during the pre-dawn hours. This caused some patchy areas of a light glaze that resulted in a few accidents.","" +116060,700550,WISCONSIN,2017,May,Flood,"JACKSON",2017-05-17 03:45:00,CST-6,2017-05-17 15:00:00,0,0,0,0,110.00K,110000,0.00K,0,44.5963,-91.1644,44.4364,-91.1644,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","At least 18 roads were closed across the northwest part of Jackson County as the result of flooding from heavy rains. Hixton Levis Road east of Northfield and Moore Road northwest of Alma Center were completely washed out." +116060,702178,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:16:00,CST-6,2017-05-16 21:16:00,0,0,0,0,2.00K,2000,0.00K,0,44.415,-90.8308,44.415,-90.8308,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down across U.S. Highway 12 south of Merrillan." +116060,702179,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:22:00,CST-6,2017-05-16 21:22:00,0,0,0,0,2.00K,2000,0.00K,0,44.411,-90.7258,44.411,-90.7258,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down near Lake Arbutus." +116062,697547,IOWA,2017,May,Hail,"MITCHELL",2017-05-16 22:00:00,CST-6,2017-05-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-92.59,43.23,-92.59,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","" +115670,695121,INDIANA,2017,April,Hail,"GREENE",2017-04-20 16:55:00,EST-5,2017-04-20 16:57:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-86.94,39.12,-86.94,"Thunderstorms developed across central Indiana during the afternoon, and many storms produced gusty winds and hail up to nickel size. One of the storms produced a tornado in Decatur County.","" +113915,682555,IDAHO,2017,February,Flood,"MINIDOKA",2017-02-04 10:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,6.14M,6140000,0.00K,0,43.1618,-113.72,42.6,-113.9666,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A warmup very early in the month caused massive sheet flooding as the snow melt from extreme December and January snows began rapidly early in the month. Nearly all roads experienced major flooding with as much as 4 feet of water on some roadways. The county did not have enough signs to indicate all the road closures. By the 14th of the month the only main roadways north of Meridian Road that were open were 400 West Road and 600 West Road. Highway 24 from Rupert to Acequia was closed by the 12th. Many roads were lost due to the damage. A large number of homes received massive flooding damage. Rural home damage to wells and septic systems occurred contaminating water. The state declared Minidoka County a disaster with some of the most significant flood damage in the state occurring there. The city of Paul's main pump station became completely submerged under water. The month's damage in dollar amounts exceeded 6 million dollars. Over 50,000 sandbags were ordered." +115670,695120,INDIANA,2017,April,Hail,"MORGAN",2017-04-20 16:43:00,EST-5,2017-04-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-86.42,39.42,-86.42,"Thunderstorms developed across central Indiana during the afternoon, and many storms produced gusty winds and hail up to nickel size. One of the storms produced a tornado in Decatur County.","This report originated from a TV viewer." +115670,695122,INDIANA,2017,April,Tornado,"DECATUR",2017-04-20 18:35:00,EST-5,2017-04-20 18:39:00,0,0,0,0,35.00K,35000,,NaN,39.2457,-85.4206,39.2327,-85.3713,"Thunderstorms developed across central Indiana during the afternoon, and many storms produced gusty winds and hail up to nickel size. One of the storms produced a tornado in Decatur County.","An EF-1 tornado touched down around 7:35 PM EDT approximately 2 miles northeast of Millhousen in southern Decatur County.||The tornado as on the ground intermittently along its path and caused damage to a few farm outbuildings, destroying one of them. Also, numerous trees were uprooted or snapped." +115671,695123,INDIANA,2017,April,Hail,"CLAY",2017-04-26 16:59:00,EST-5,2017-04-26 17:01:00,0,0,0,0,,NaN,,NaN,39.52,-87.14,39.52,-87.14,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695124,INDIANA,2017,April,Thunderstorm Wind,"VIGO",2017-04-26 17:11:00,EST-5,2017-04-26 17:11:00,0,0,0,0,0.25K,250,,NaN,39.3063,-87.3879,39.3063,-87.3879,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","An estimated 60 mph thunderstorm wind gust was observed in this location. Power was knocked out at a gas station. Trash cans were sent flying across the lot." +112977,676037,WYOMING,2017,February,High Wind,"EAST SWEETWATER COUNTY",2017-02-07 15:33:00,MST-7,2017-02-07 23:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","High winds blew across portions of Eastern Sweetwater County. The maximum wind gust at the Rock Springs airport was 60 mph." +112977,675110,WYOMING,2017,February,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-02-06 02:00:00,MST-7,2017-02-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Very heavy snow fell in the Tetons. At the Jackson Hole Sky resort, 35 inches of new snow was measured. Other locations that received over 2 feet, included 27 inches at the Granite Creek SNOTEL and 26 inches at the Phillips Bench SNOTEL. In addition, snow, blowing snow and avalanches closed many major roads, including the roads at Hoback Junction and Highway 22 over Teton Pass." +114595,687274,IOWA,2017,April,Hail,"HANCOCK",2017-04-09 20:05:00,CST-6,2017-04-09 20:05:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-93.62,43.05,-93.62,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Emergency manager reported mostly quarter sized hail with a few stones slightly larger." +113998,682754,NEW HAMPSHIRE,2017,February,Heavy Snow,"BELKNAP",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682755,NEW HAMPSHIRE,2017,February,Heavy Snow,"CHESHIRE",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682756,NEW HAMPSHIRE,2017,February,Heavy Snow,"COASTAL ROCKINGHAM",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682757,NEW HAMPSHIRE,2017,February,Heavy Snow,"EASTERN HILLSBOROUGH",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +114595,687277,IOWA,2017,April,Hail,"WORTH",2017-04-09 20:25:00,CST-6,2017-04-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-93.18,43.42,-93.18,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported dime to nickel sized hail." +112366,670047,NEW MEXICO,2017,February,High Wind,"UPPER TULAROSA VALLEY",2017-02-12 04:00:00,MST-7,2017-02-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low that slowly moved east across southern Arizona, combined with a strong area of surface high pressure that built down the Front Range of the Rockies, produced the perfect pattern for strong gap winds across central New Mexico. Record warm temperatures from the 10th and the 11th came to an abrupt end as a cold front surged southwest across the plains and through gaps of the central mountain chain early on the 12th. Peak wind gusts around 60 mph were common below Tijeras Canyon and within the Tularosa Valley. The strongest winds occurred in the area below Abo Pass where a peak gust to 88 mph was reported near U.S. Highway 60.","Public weather station northwest of Carrizozo along U.S. Highway 380 reported sustained winds up to 43 mph for several hours on the morning of the 12th." +112384,670110,NEW MEXICO,2017,February,Winter Storm,"HARDING COUNTY",2017-02-13 04:00:00,MST-7,2017-02-14 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow-moving upper level low pressure system that tracked east along the borderland pumped abundant moisture over a cold front that shifted southwest across New Mexico. Rain and snow impacted the state in two rounds. The first impulse delivered moderate snowfall over the northern and western high terrain and parts of the Rio Grande Valley on the 12th. The second impulse focused more over eastern New Mexico as the upper level disturbance exited into the plains states on the 13th. The record warmth that preceded this system on the 10th and 11th limited snowfall impacts significantly over much of the area.","Snowfall amounts ranged from 4 to 6 inches around western Harding County." +112553,671539,NEW MEXICO,2017,February,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-02-23 06:00:00,MST-7,2017-02-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Kachina Peak at Taos Ski Valley reported a peak wind gust to 69 mph at 7am MST." +112553,671541,NEW MEXICO,2017,February,High Wind,"EASTERN LINCOLN COUNTY",2017-02-23 08:45:00,MST-7,2017-02-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","The Columbia Scientific Balloon Facility Transwestern Pump station reported a peak wind gust to 62 mph with sustained winds of 46 mph." +112663,673215,NEW MEXICO,2017,February,High Wind,"SOUTHWEST CHAVES COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Dunken RAWS reported a peak wind gust up to 66 mph with sustained winds as high as 43 mph." +112663,673216,NEW MEXICO,2017,February,High Wind,"ALBUQUERQUE METRO AREA",2017-02-28 11:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Belen Airport reported a peak wind gust up to 61 mph." +112554,671477,MINNESOTA,2017,February,Winter Storm,"WASECA",2017-02-23 18:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm that dropped a narrow area of 12-16 inches of snow across south central, and into southeast Minnesota, moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow.||Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict. Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota. Eventually, a foot of snow fell from Waseca, east-northeast to Owatonna, and Red Wing, and eventually into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northward toward Mankato, to Faribault and Red Wing by midnight. Thundersnow was reported at the Albert Lea airport Thursday evening, with a few hours of heavy wet snow. ||The snow line moved as far north as the far southeast part of the Twin Cities metro area near Elko and Northfield, east to Cannon Falls. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the afternoon as the upper level part of the storm moved across the Upper Midwest. Eventually, 12-16 inches of snow fell from Waseca, northeast to Owatonna, Kenyon and Goodhue. Surrounding this area, 6 to 12 inches fell from Fairmont, northeast to Faribault and Red Wing, south to the Iowa border. ||Some of the higher totals included; Kenyon at 16 inches, Owatonna and Goodhue at 14 inches, and Mapleton and Waseca at 13 inches.","Local observers and trained spotters reported between 10 to 13 inches of snow that fell late Thursday afternoon, through Friday afternoon. The heaviest totals were near Waseca which received 13 inches." +114605,687325,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 21:09:00,CST-6,2017-04-09 21:09:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-92.61,44.08,-92.61,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail fell near Oxbow County Park." +114605,687326,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 21:15:00,CST-6,2017-04-09 21:15:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-92.54,44.09,-92.54,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Ping pong ball sized hail fell on the northwest side of Rochester." +113509,679496,ATLANTIC SOUTH,2017,February,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-02-04 12:35:00,EST-5,2017-02-04 12:35:00,0,0,0,0,,NaN,,NaN,25.75,-80.11,25.75,-80.11,"A dissipating cold front moved through the Florida peninsula during the day, helping to spark a few Atlantic showers through the day. A morning shower produced a waterspout off the coast of Miami-Dade County.","A pilot reported a waterspout in the Atlantic Ocean 2 miles east-southeast of Fisher Island." +113511,679502,FLORIDA,2017,February,Hail,"PALM BEACH",2017-02-09 15:15:00,EST-5,2017-02-09 15:15:00,0,0,0,0,,NaN,,NaN,26.4383,-80.1466,26.4383,-80.1466,"A weak cold front moving through Florida produced a line of showers and thunderstorms that moved through South Florida during the afternoon hours. A strong thunderstorm produced small hail as it moved coastal Palm Beach county.","Pea to dime sized hail was reported near the intersection of Jog Road and Linton Boulevard in Delray Beach. Additional pea sized hail reports were received around the same time across the western side of the city." +114217,684195,OREGON,2017,February,Winter Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","CoCoRaHS observers reported 0.3 to 0.4 inches of ice on top of 3 to 6 inches of snow." +114217,684196,OREGON,2017,February,High Wind,"NORTHERN OREGON COAST",2017-02-08 23:11:00,PST-8,2017-02-09 08:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","Wind gusts recorded up to 71 mph, which was observed at the weather station in Pacific City." +114217,684197,OREGON,2017,February,High Wind,"CENTRAL OREGON COAST",2017-02-08 23:00:00,PST-8,2017-02-09 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","Wind gusts recorded up to 65 mph, measured at Yachats. Another station at Gleneden Beach recorded wind gusts up to 64 mph, and up to 59 mph at the Newport AWOS." +114217,684199,OREGON,2017,February,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-02-08 22:35:00,PST-8,2017-02-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","The weather station on Marys Peak recorded wind gusts up to 104 mph, while the Rockhouse RAWS station recorded wind gusts up to 96 mph." +114217,684200,OREGON,2017,February,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-02-09 16:12:00,PST-8,2017-02-10 04:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","The Rockhouse RAWS weather station recorded wind gusts up to 59 mph." +116062,702228,IOWA,2017,May,Thunderstorm Wind,"HOWARD",2017-05-16 22:15:00,CST-6,2017-05-16 22:15:00,0,0,0,0,3.00K,3000,0.00K,0,43.45,-92.28,43.45,-92.28,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","A section of a large tree was blown down in Lime Springs. The tree landed on a riding lawn mower with a smaller branch landing on and damaging a vehicle." +113742,680869,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 02:36:00,PST-8,2017-02-07 04:36:00,0,0,0,0,0.00K,0,0.00K,0,38.3104,-122.8511,38.3102,-122.851,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Car stuck in flooded area. Valley Ford Rd and Bloomfield Rd." +113756,681113,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-28 04:00:00,PST-8,2017-02-28 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.0517,-117.0468,33.052,-117.0446,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","A driver attempted and failed to cross a flooded roadway in a vehicle, resulting in water rescue." +116062,697549,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-16 22:04:00,CST-6,2017-05-16 22:04:00,0,0,0,0,2.00K,2000,0.00K,0,43.2,-92.42,43.2,-92.42,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","Trees were blown down in Alta Vista." +116815,702476,UTAH,2017,May,Thunderstorm Wind,"DAVIS",2017-05-06 13:55:00,MST-7,2017-05-06 13:55:00,0,0,0,0,20.00K,20000,0.00K,0,40.95,-112.2,40.95,-112.2,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","Strong thunderstorm winds at Antelope Island State Park caused significant damage, including damaging multiple pavilions and breaking several windows across the park." +115879,696368,WASHINGTON,2017,April,High Wind,"SOUTHERN WASHINGTON CASCADE FOOTHILLS",2017-04-07 10:36:00,PST-8,2017-04-07 10:36:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to southwest Washington, bringing down many trees across the area.","A weather spotter at Silver Lake recorded a peak gust of 60 mph." +113353,678777,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 15:00:00,EST-5,2017-04-06 15:00:00,2,0,0,0,,NaN,,NaN,39.78,-75.6,39.78,-75.6,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A tree fell onto a car due to thunderstorm winds, Two people were injured in the car." +113353,678778,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 14:16:00,EST-5,2017-04-06 14:16:00,0,0,0,0,,NaN,,NaN,39.68,-75.76,39.68,-75.76,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Trees and wires downed due to thunderstorm winds." +113353,678779,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 14:21:00,EST-5,2017-04-06 14:21:00,0,0,0,0,,NaN,,NaN,39.73,-75.67,39.73,-75.67,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A tree fell onto a car due to thunderstorm winds." +113353,678780,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 14:25:00,EST-5,2017-04-06 14:25:00,0,0,0,0,,NaN,,NaN,39.76,-75.57,39.76,-75.57,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A large tree fell down due to thunderstorm winds in the Highlands neighborhood leading to power outages and road closures." +113354,678781,MARYLAND,2017,April,Thunderstorm Wind,"QUEEN ANNE'S",2017-04-06 13:36:00,EST-5,2017-04-06 13:36:00,0,0,0,0,,NaN,,NaN,38.97,-76.24,38.97,-76.24,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A tractor trailer was blown over." +113354,678782,MARYLAND,2017,April,Thunderstorm Wind,"KENT",2017-04-06 13:40:00,EST-5,2017-04-06 13:40:00,0,0,0,0,,NaN,,NaN,39.22,-76.17,39.22,-76.17,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Wires downed due to thunderstorm winds." +112796,673844,NEBRASKA,2017,February,Winter Storm,"WESTERN CHERRY",2017-02-23 00:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public, located 17 miles south southwest of Merriman, reported 12 inches of snowfall. Snowfall amounts ranged from 8 to 14 inches across western Cherry County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across western Cherry County." +112796,673842,NEBRASKA,2017,February,Winter Storm,"EASTERN CHERRY",2017-02-23 00:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public, located in Crookston, reported 14 inches of snowfall. Snowfall amounts ranged from 10 to 14 inches across eastern Cherry County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported across eastern Cherry County." +112638,672378,NEBRASKA,2017,February,Blizzard,"DIXON",2017-02-23 14:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with visibilities below a half mile." +112638,672379,NEBRASKA,2017,February,Blizzard,"DAKOTA",2017-02-23 14:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 5 to 10 inches combined with strong winds of 40 to 45 mph created blizzard conditions with visibilities below a half mile." +112637,672393,MINNESOTA,2017,February,Blizzard,"COTTONWOOD",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 5 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. The worst of the conditions existed in southern portion of the county." +113565,680573,OKLAHOMA,2017,February,Wildfire,"ATOKA",2017-02-03 00:00:00,CST-6,2017-02-03 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 2589 acres in Atoka county on the 3rd.","" +113566,680574,OKLAHOMA,2017,February,Wildfire,"GRADY",2017-02-08 00:00:00,CST-6,2017-02-08 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 300 acres in Grady county and 500 in Atoka county on the 8th.","" +113566,680575,OKLAHOMA,2017,February,Wildfire,"ATOKA",2017-02-08 00:00:00,CST-6,2017-02-08 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 300 acres in Grady county and 500 in Atoka county on the 8th.","" +113567,680576,OKLAHOMA,2017,February,Wildfire,"CLEVELAND",2017-02-12 00:00:00,CST-6,2017-02-12 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 897 acres in Cleveland county on the 12th.","" +112809,674010,TEXAS,2017,February,Wildfire,"DE WITT",2017-02-11 10:00:00,CST-6,2017-02-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Near record high temperatures and breezy winds led to favorable conditions for the spread of wildfires. The Turkey Bottom Rd. Fire northeast of Hochheim burned 303 acres.","Near record high temperatures and breezy winds led to favorable conditions for the spread of wildfires. The Turkey Bottom Rd. Fire northeast of Hochheim burned 303 acres." +112810,674652,TEXAS,2017,February,Hail,"KINNEY",2017-02-19 17:41:00,CST-6,2017-02-19 17:41:00,0,0,0,0,0.00K,0,0.00K,0,29.31,-100.41,29.31,-100.41,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A video on social media showed a thunderstorm producing golf ball size hail along Hwy 90 in Brackettville." +112810,674653,TEXAS,2017,February,Hail,"KINNEY",2017-02-19 17:45:00,CST-6,2017-02-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,29.32,-100.41,29.32,-100.41,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","" +112810,674654,TEXAS,2017,February,Hail,"BEXAR",2017-02-19 22:10:00,CST-6,2017-02-19 22:10:00,0,0,0,0,0.00K,0,0.00K,0,29.6,-98.52,29.6,-98.52,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","" +112810,674716,TEXAS,2017,February,Thunderstorm Wind,"MAVERICK",2017-02-19 17:45:00,CST-6,2017-02-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,28.86,-100.56,28.86,-100.56,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that knocked down power lines approximately two miles south of FM1665 and Hwy 277 between Quemado and Eagle Pass." +112810,674725,TEXAS,2017,February,Thunderstorm Wind,"MEDINA",2017-02-19 21:35:00,CST-6,2017-02-19 21:35:00,0,0,0,0,0.00K,0,0.00K,0,29.22,-98.97,29.22,-98.97,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that blew over a few sheds north of Devine." +113481,680543,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-02-20 06:55:00,CST-6,2017-02-20 07:15:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","Mustang Island Platform AWOS measured a gust to 48 knots." +113481,680544,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-02-20 07:15:00,CST-6,2017-02-20 07:25:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","Brazos Platform AWOS measured a gust to 38 knots." +112367,670078,OREGON,2017,February,High Wind,"SOUTH CENTRAL OREGON COAST",2017-02-05 18:43:00,PST-8,2017-02-05 19:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to parts of Oregon.","The NOS/NWLON at Port Orford reported several gusts exceeding 60 mph during this interval. The peak gust was 63 mph at 05/1900 PST." +112367,670081,OREGON,2017,February,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-02-05 09:39:00,PST-8,2017-02-06 00:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to parts of Oregon.","The Summer Lake RAWS recorded a gust to 58 mph at 05/1038 PST and a gust to 59 mph at 05/1738 PST. The Summit RAWS recorded a gust to 59 mph at 05/2303 PST and a gust to 61 mph at 06/0003 PST." +112369,670082,OREGON,2017,February,Heavy Snow,"CENTRAL & EASTERN LAKE COUNTY",2017-02-06 22:30:00,PST-8,2017-02-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought heavy snow to a few locations in south central Oregon.","A spotter 9SSE Summer Lake reported 10.0 inches of snow fell between 06/2230 PST and 07/0700 PST." +112371,670090,CALIFORNIA,2017,February,Flood,"SISKIYOU",2017-02-09 12:30:00,PST-8,2017-02-11 01:15:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-123.42,41.88,-123.32,"Heavy rain combined with snow melt caused flooding along the Klamath River in northern California.","The Klamath River near Seiad Valley exceeded flood stage (15.0 feet) at 09/1230 PST, crested at 17.95 feet at 10/0830 PST, then fell below flood stage at 11/0115 PST." +112381,670091,OREGON,2017,February,Flood,"COOS",2017-02-09 13:30:00,PST-8,2017-02-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-124.42,43.16,-124.41,"Heavy rain combined with snow melt caused flooding along the Coquille River in southwest Oregon.","The Coquille River near Coquille exceeded flood stage (21.0 feet) at 09/1330 PST, then exceeded moderate flood stage (23.0 feet) at 10/0200 PST. The river crested at 23.60 feet at 10/0545 PST. The river fell below moderate flood stage at 11/0615 PST and below flood stage at 12/0800 PST." +112376,670093,OREGON,2017,February,Flood,"COOS",2017-02-09 16:30:00,PST-8,2017-02-10 08:30:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-124.17,43.07,-124.17,"Heavy rain combined with snow melt caused flooding along the South Fork of the Coquille River in southwest Oregon.","The South Fork of the Coquille River near Myrtle Point exceeded flood stage (33.0 feet) at 09/1630 PST. The river crested at 34.72 feet at 09/2130 PST. The river fell below flood stage at 10/0830 PST." +114387,689061,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 12:00:00,EST-5,2017-05-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2262,-74.2235,40.2274,-74.2157,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Flooding at Route 33 and Fairfield." +114387,689062,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 12:00:00,EST-5,2017-05-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-74.17,40.4466,-74.166,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","A Car was stuck in two feet of water." +114387,689063,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 12:38:00,EST-5,2017-05-05 12:38:00,0,0,0,0,0.00K,0,0.00K,0,40.18,-74.03,40.1894,-74.0197,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","NJ 35 was closed in several locations between Belmar and Neptune City due to flooding." +114784,692978,KANSAS,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-16 18:02:00,CST-6,2017-05-16 18:03:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-98.3,39.19,-98.3,"A cyclic supercell thunderstorm produced a long track tornado across portions of Barton county, Kansas. The tornado initially touched down 3 miles west of Larned, Kansas (See NWS Dodge City, Kansas narrative for more information on the initial touchdown), traveling northeast, near Pawnee Rock, Kansas to 3 miles west of Great Bend, Kansas to just west of Hoisington, Kansas. The tornado was on the ground for 27 miles with damage rated from EF0 to a high end EF3 (3 miles west of Great Bend, Kansas). Two minor injuries were reported. Another minor tornado touchdown occurred in open country.","Reported by a trained spotter." +121755,728833,OHIO,2017,November,Thunderstorm Wind,"TUSCARAWAS",2017-11-05 20:35:00,EST-5,2017-11-05 20:35:00,0,0,0,0,2.00K,2000,0.00K,0,40.6,-81.53,40.6,-81.53,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down." +121755,728834,OHIO,2017,November,Thunderstorm Wind,"TUSCARAWAS",2017-11-05 20:40:00,EST-5,2017-11-05 20:40:00,0,0,0,0,2.50K,2500,0.00K,0,40.53,-81.48,40.53,-81.48,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","State official reported multiple trees and power lines down." +116089,697751,IOWA,2017,May,Hail,"FLOYD",2017-05-17 16:05:00,CST-6,2017-05-17 16:05:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-92.68,43.13,-92.68,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Quarter sized hail fell east of Floyd." +116089,697776,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-17 17:05:00,CST-6,2017-05-17 17:05:00,0,0,0,0,5.00K,5000,0.00K,0,43,-92.67,43,-92.67,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Numerous trees and power lines were blown down south of Charles City making some roads impassable." +116089,698623,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-17 17:10:00,CST-6,2017-05-17 17:10:00,0,0,0,0,3.00K,3000,0.00K,0,43.07,-92.68,43.07,-92.68,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Numerous trees were blown down in Charles City." +116089,698629,IOWA,2017,May,Thunderstorm Wind,"FLOYD",2017-05-17 17:15:00,CST-6,2017-05-17 17:15:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-92.59,43.16,-92.59,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 70 mph wind gust occurred in Colwell." +113683,682086,NEBRASKA,2017,April,Hail,"PLATTE",2017-04-15 18:05:00,CST-6,2017-04-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-97.38,41.55,-97.38,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682089,NEBRASKA,2017,April,Hail,"STANTON",2017-04-15 18:10:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-97.06,41.82,-97.06,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682100,NEBRASKA,2017,April,Hail,"CUMING",2017-04-15 18:40:00,CST-6,2017-04-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-96.71,41.84,-96.71,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113683,682144,NEBRASKA,2017,April,Hail,"RICHARDSON",2017-04-15 19:10:00,CST-6,2017-04-15 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.23,-95.72,40.23,-95.72,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113555,679901,WYOMING,2017,February,Blizzard,"WIND RIVER MOUNTAINS WEST",2017-02-23 04:00:00,MST-7,2017-02-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","A long period of blizzard conditions occurred over South Pass with frequent wind gusts past 40 mph and heavy snow combined to bring white out conditions over Wyoming 28. The road was closed through this period." +113555,679902,WYOMING,2017,February,Blizzard,"WIND RIVER MOUNTAINS EAST",2017-02-23 04:00:00,MST-7,2017-02-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","A long period of blizzard conditions occurred over South Pass with frequent wind gusts past 40 mph and heavy snow combined to bring white out conditions over Wyoming 28. The road was closed through this period." +112861,674226,HAWAII,2017,February,High Surf,"KONA",2017-02-01 00:00:00,HST-10,2017-02-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112861,674227,HAWAII,2017,February,High Surf,"BIG ISLAND NORTH AND EAST",2017-02-01 00:00:00,HST-10,2017-02-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells from powerful lows far northwest and north of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island; 10 to 20 feet along the west-facing shores of Oahu and Molokai; 10 to 15 feet along east-facing shores of Niihau, Kauai, Oahu, Maui, and the Big Island, and the west-facing shores of the Big Island; and 8 to 12 feet along the west-facing shores of Maui. No serious injuries or property damage were reported. This episode continued from January.","" +112862,674228,HAWAII,2017,February,Wildfire,"BIG ISLAND INTERIOR",2017-02-01 06:00:00,HST-10,2017-02-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire charred about 770 acres of dry brush in the Army's Pohakuloa Training Area's Keamuku Maneuver section on the Big Island of Hawaii. It did not threaten any residences or structures. The cause of the blaze was under investigation, but firefighters believe it may have flared from an earlier fire in the area that had smoldered underground. No serious property damage or injuries were reported.","" +112865,674236,HAWAII,2017,February,High Surf,"NIIHAU",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674237,HAWAII,2017,February,High Surf,"KAUAI WINDWARD",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674238,HAWAII,2017,February,High Surf,"KAUAI LEEWARD",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +113578,679864,ALASKA,2017,February,Heavy Snow,"SUSITNA VALLEY",2017-02-01 00:00:00,AKST-9,2017-02-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Southwest flow and a weakening trough brought warm air to the northern Susitna Valley. This created an overrunning event that led to heavy snowfall.","Bentalit Lodge reported 10-11��� storm total snowfall. Gate Creek Lodge reported 14��� storm total snowfall. Safari Lake reported 24��� storm total snowfall." +114068,683100,ALASKA,2017,February,Blizzard,"PRIBILOF ISLANDS",2017-02-20 16:53:00,AKST-9,2017-02-21 12:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 954 mb low transited the Western Aleutians and brought a front through the Bering Sea. A triple-point low formed along this front. Southeasterly flow ahead of the triple point low caused blizzard conditions for the Pribilof Islands, the Kuskokwim Delta, and Bristol Bay.","Saint George Island recorded winds to 48 mph and visibilities below one quarter mile for 8 hours." +114068,683108,ALASKA,2017,February,Blizzard,"BRISTOL BAY",2017-02-21 08:55:00,AKST-9,2017-02-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 954 mb low transited the Western Aleutians and brought a front through the Bering Sea. A triple-point low formed along this front. Southeasterly flow ahead of the triple point low caused blizzard conditions for the Pribilof Islands, the Kuskokwim Delta, and Bristol Bay.","Cape Newenham reported winds to 72 mph and 8 hours of blizzard conditions." +113881,682021,ALABAMA,2017,February,Thunderstorm Wind,"LEE",2017-02-07 14:43:00,CST-6,2017-02-07 14:47:00,0,0,0,0,0.00K,0,0.00K,0,32.5614,-85.4252,32.5614,-85.4252,"A deep upper level trough moved through the Tennessee Valley. The associated surface low pressure system moved northeastward from the Central Plains into the Great Lakes. The system had a strong low level jet, while the upper level jet remained displaced to the north and west. A large complex of storms developed and swept through Central Alabama during the day on Tuesday, February 7, 2017. A few stronger storms developed along a bowing line segment during the late morning and into the early afternoon hours.","National Weather Service meteorologists surveyed damage south of Opelika that was consistent with straight line wind damage, with maximum sustained winds near 60 mph.||This swath of damaging winds began in a rural area just west of Society Hill Road and Nash Creek and continued northeast, crossing County Road 27 and County Road 957 before ending on Moores Mill Road. The damage consisted of mainly uprooted trees in which the pattern was divergent in nature but was inconsistent along the path. The swath was 1.19 miles long and was 150 yards wide at its widest point." +114006,682813,OREGON,2017,February,High Wind,"FOOTHILLS OF THE SOUTHERN BLUE MOUNTAINS OF OREGON",2017-02-20 11:30:00,PST-8,2017-02-20 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front crossing the region caused wind speeds to spike briefly as it passed through at a handful of locations in the Blue Mountain Foothills.","Winds peaked to 61 mph with passage of a cold front at Lexington Airport in Morrow county." +117523,707799,NEW MEXICO,2017,August,Flash Flood,"CURRY",2017-08-09 06:30:00,MST-7,2017-08-09 07:45:00,0,0,0,0,5.00K,5000,0.00K,0,34.43,-103.63,34.3413,-103.6327,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Torrential rainfall over a one to two hour period resulted in flash flooding along parts of U.S. Highway 60/84 between Cannon AFB and Melrose. One foot of water was reported on roadways in Melrose. Minor damage was reported to a county road near Melrose." +114008,682816,OREGON,2017,February,Ice Storm,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-02-03 21:30:00,PST-8,2017-02-04 07:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread wintry precipitation across the Pacific Northwest.","Ice accumulation of 0.25 inches at Pendleton, in Umatilla county." +114010,682820,OREGON,2017,February,Heavy Snow,"EAST SLOPES OF THE OREGON CASCADES",2017-02-07 04:00:00,PST-8,2017-02-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 10 inches, 4 miles WSW of La Pine in Deschutes county. Heaviest snow few between 400 and 630 AM." +114010,682821,OREGON,2017,February,Heavy Snow,"CENTRAL OREGON",2017-02-07 04:00:00,PST-8,2017-02-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 5 inches, 2 miles S of Bend in Deschutes county." +114010,682822,OREGON,2017,February,Heavy Snow,"OCHOCO-JOHN DAY HIGHLANDS",2017-02-07 04:30:00,PST-8,2017-02-07 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 6 inches at Brothers in Deschutes county." +114218,684207,WASHINGTON,2017,February,Ice Storm,"WESTERN COLUMBIA GORGE",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","Just across the river, a local TV meteorologist recorded 0.4 inches of ice at his home in Corbett, and a CoCoRaHS observer recorded 1.13 inches of ice on top of 0.5 inch of snow also in Corbett." +114219,684211,OREGON,2017,February,Winter Storm,"WESTERN COLUMBIA RIVER GORGE",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fronts associated with a low pressure system passing north into the Olympic Peninsula brought heavy snow and ice to the Columbia Gorge.","A local TV meteorologist reporting 0.5 inch of ice at his home in Corbett." +114219,684212,OREGON,2017,February,Winter Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fronts associated with a low pressure system passing north into the Olympic Peninsula brought heavy snow and ice to the Columbia Gorge.","The Hood River area reported 4 to 6 inches of snow, turning to ice in the western-most part of this zone." +114219,684213,OREGON,2017,February,Winter Storm,"UPPER HOOD RIVER VALLEY",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fronts associated with a low pressure system passing north into the Olympic Peninsula brought heavy snow and ice to the Columbia Gorge.","The Hood River area reported 4 to 6 inches of snow." +114220,684214,WASHINGTON,2017,February,Winter Storm,"WESTERN COLUMBIA GORGE",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fronts associated with a low pressure system passing north into the Olympic Peninsula brought heavy snow and ice to the Columbia Gorge.","Across the river in Corbett, a local TV meteorologist recorded 0.5 inch of ice." +114220,684216,WASHINGTON,2017,February,Winter Storm,"CENTRAL COLUMBIA RIVER GORGE",2017-02-03 10:00:00,PST-8,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fronts associated with a low pressure system passing north into the Olympic Peninsula brought heavy snow and ice to the Columbia Gorge.","Across the river, the Hood River area recorded 4 to 6 inches of snow. Snow likely turned to ice in the western-most portion of this zone." +114258,684554,WASHINGTON,2017,February,High Wind,"SOUTH COAST",2017-02-14 22:15:00,PST-8,2017-02-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first of two strong fronts brought high winds to the Washington Coast.","A weather station at Cape Disappointment recorded wind gusts up to 65 mph." +114259,684556,OREGON,2017,February,High Wind,"NORTHERN OREGON COAST",2017-02-14 22:15:00,PST-8,2017-02-15 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first of two strong fronts brought high winds to the Oregon Coast.","The weather station at Clatsop Spit recorded sustained winds up to 41 mph." +113742,681184,CALIFORNIA,2017,February,High Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-02-07 05:32:00,PST-8,2017-02-07 05:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Gust of 64 mph measured at Los Gatos." +113742,681185,CALIFORNIA,2017,February,Strong Wind,"EAST BAY INTERIOR VALLEYS",2017-02-07 05:33:00,PST-8,2017-02-07 05:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Gust of 56 mph measured 4 miles E of Berkeley." +113742,681189,CALIFORNIA,2017,February,Strong Wind,"SAN FRANCISCO PENINSULA COAST",2017-02-07 05:36:00,PST-8,2017-02-07 05:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Gust of 50 mph recorded at Middle Peak." +113742,681191,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-07 05:44:00,PST-8,2017-02-07 07:44:00,0,0,0,0,0.00K,0,0.00K,0,38.2586,-122.3032,38.2583,-122.3039,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Water covering road hwy 121 and 12." +113742,681192,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-07 06:00:00,PST-8,2017-02-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6389,-122.7695,38.639,-122.7696,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud slide blocking EB lane Chalk Hill Rd/SR128." +113742,681193,CALIFORNIA,2017,February,High Wind,"SANTA CRUZ MOUNTAINS",2017-02-07 06:06:00,PST-8,2017-02-07 06:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Tree blocking both lanes of Bear Creek Rd/Whalebone Gulch Rd near Boulder Creek." +113742,681194,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO PENINSULA COAST",2017-02-07 06:18:00,PST-8,2017-02-07 06:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Sir Francis Drake Blvd has 40 ft tree down in the road." +113742,681195,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-07 06:18:00,PST-8,2017-02-07 08:18:00,0,0,0,0,0.00K,0,0.00K,0,38.4698,-123.1536,38.4693,-123.1537,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud slide across NB lane and part of SB lane SR1." +113742,681196,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-07 09:14:00,PST-8,2017-02-07 09:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Large tree limb nearly falls on house in Marina. Photo submitted via social media. Time unknown." +113742,681197,CALIFORNIA,2017,February,High Wind,"EAST BAY INTERIOR VALLEYS",2017-02-07 09:30:00,PST-8,2017-02-07 09:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Large tree fell on the Uplands rd in Berkeley. Photo received via social media. Exact time is unknown." +113743,682744,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-09 16:52:00,PST-8,2017-02-09 18:52:00,0,0,0,0,0.00K,0,0.00K,0,37.2922,-121.9369,37.2921,-121.9369,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Far right lane flooded of SR17 southbound near Hamilton Ave offramp." +113742,683397,CALIFORNIA,2017,February,Flash Flood,"MARIN",2017-02-07 08:19:00,PST-8,2017-02-07 09:39:00,0,0,0,0,0.00K,0,0.00K,0,37.8973,-122.5356,37.8974,-122.5354,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Arroyo Corte Madera Del Presidio Mill Valley stream gauge went above flood stage during this time period." +113742,683415,CALIFORNIA,2017,February,Flash Flood,"NAPA",2017-02-07 04:30:00,PST-8,2017-02-07 11:45:00,0,0,0,0,0.00K,0,0.00K,0,38.5279,-122.4906,38.5276,-122.4918,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Napa River at Lodi Lane Stream gauge went above flood stage." +113742,683421,CALIFORNIA,2017,February,Flash Flood,"SANTA CRUZ",2017-02-07 08:15:00,PST-8,2017-02-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.0508,-122.0673,37.0509,-122.0712,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","San Lorenzo River at Big Trees gauge above flood stage." +113742,683427,CALIFORNIA,2017,February,Flash Flood,"ALAMEDA",2017-02-07 09:45:00,PST-8,2017-02-07 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.5923,-121.9591,37.5914,-121.9588,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Alameda Creek near Niles gauge above flood stage." +113742,683429,CALIFORNIA,2017,February,Flash Flood,"SANTA CLARA",2017-02-07 09:00:00,PST-8,2017-02-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.0368,-121.4517,37.035,-121.4504,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Coyote Creek near Gilroy gauge above flood stage." +113742,683430,CALIFORNIA,2017,February,Flash Flood,"SANTA CLARA",2017-02-07 10:30:00,PST-8,2017-02-07 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.9443,-121.4382,36.9436,-121.4397,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Pacheco Creek near Dunneville gauge above flood stage." +113742,683431,CALIFORNIA,2017,February,Flash Flood,"SANTA CLARA",2017-02-07 10:30:00,PST-8,2017-02-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,37.4203,-122.1884,37.4206,-122.1872,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","San Francisquito Creek at Standford gauge above flood stage." +113742,683434,CALIFORNIA,2017,February,Flash Flood,"SANTA CRUZ",2017-02-07 11:30:00,PST-8,2017-02-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9393,-121.7697,36.939,-121.7702,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Corralitos Creek at Freedom gauge above flood stage." +112322,669713,PENNSYLVANIA,2017,February,Thunderstorm Wind,"BLAIR",2017-02-12 20:45:00,EST-5,2017-02-12 20:45:00,0,0,0,0,3.00K,3000,0.00K,0,40.2906,-78.5488,40.2906,-78.5488,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A severe thunderstorm produced 60 mph winds and knocked down trees and wires around Blue Knob in western Blair County." +112321,669710,AMERICAN SAMOA,2017,February,Heavy Rain,"TUTUILA",2017-02-08 00:00:00,SST-11,2017-02-08 23:59:00,0,0,0,0,,NaN,,NaN,-14.3287,-170.8374,-14.226,-169.4195,"Heavy rainfall and strong gusty winds associated with a surface trough over the Samoan Islands have triggered flash flooding in small streams, rapid runoff along valleys and small streams, and landslides near Matafao Elementary in Fagaalu. The Weather Service Office received 3.27 inches of rainfall during the 24-hour period while heavier showers fell near mountainous locations. Gusty winds up to 50 mph have impacted a few banana plantation across Tutuila. Heavy water ponding were noticeable in the Tualauta region and Eastern district. Reports of immensely heavy rain were also reported from Manu'a Islands. No injury or fatalities reported.","Heavy rainfall combined with strong gusty winds up to 50 mph were associated with a surface trough that was located over the Samoan Islands. This phenomenon triggered flash flooding in small streams, rapid runoff along valleys and small streams, and landslides near Matafao Elementary in Fagaalu. Strong gusty winds impacted a few banana plantation across Tutuila. The Weather Service Office received 3.27 inches of rainfall during the 24-hour period while heavier showers fell near mountainous locations. Heavy water ponding were noticeable in the Tualauta region and Eastern district. Reports of immensely heavy rain were also reported from Manu'a Islands. No injury or fatalities reported." +112322,669714,PENNSYLVANIA,2017,February,Thunderstorm Wind,"HUNTINGDON",2017-02-12 21:15:00,EST-5,2017-02-12 21:15:00,0,0,0,0,10.00K,10000,0.00K,0,40.5,-78.01,40.5,-78.01,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A line of severe thunderstorms produced 60 mph winds and knocked down trees across Huntingdon County." +112322,669715,PENNSYLVANIA,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-12 21:55:00,EST-5,2017-02-12 21:55:00,0,0,0,0,6.00K,6000,0.00K,0,39.83,-77.9,39.83,-77.9,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A line of severe thunderstorms produced 60 mph winds and knocked down trees across southwestern Franklin County." +112533,672406,SOUTH DAKOTA,2017,February,Blizzard,"UNION",2017-02-23 18:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread heavy snow and very strong winds of 30 to 45 mph creating widespread blizzard conditions. Many areas reported visibilities below a half mile.","Snowfall of 6 to 10 inches combined with strong winds of 40 to 45 mph created widespread blizzard conditions with visibilities below a half mile. Local authorities were recommending no travel due to road and weather conditions." +112551,671467,NEW MEXICO,2017,February,High Wind,"WEST CENTRAL PLATEAU",2017-02-22 16:30:00,MST-7,2017-02-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread windy conditions impacted New Mexico as an upper level trough raced east across the state. Wind gusts across much of the region averaged between 35 and 50 mph by late afternoon. Enough moisture and instability was present immediately along the trough passage to produce virga around Gallup. A line of virga showers enhanced synoptic-scale winds and produced a peak wind gust to 58 mph at the Gallup airport.","A wind gust to 58 mph was reported at the Gallup Municipal Airport." +112570,671669,OHIO,2017,February,Thunderstorm Wind,"LICKING",2017-02-24 23:22:00,EST-5,2017-02-24 23:27:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-82.46,40.02,-82.46,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Wind gust was measured at the VTA airport." +112953,674895,ILLINOIS,2017,February,Hail,"PUTNAM",2017-02-28 16:25:00,CST-6,2017-02-28 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-89.25,41.28,-89.25,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A public report was relayed by emergency management of large hail." +112953,674896,ILLINOIS,2017,February,Hail,"PUTNAM",2017-02-28 16:42:00,CST-6,2017-02-28 16:42:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-89.21,41.26,-89.21,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A citizen reported 1.25 inch diameter hail." +112675,672759,NEW YORK,2017,February,Ice Storm,"SOUTHEAST WARREN",2017-02-07 13:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112675,672760,NEW YORK,2017,February,Ice Storm,"NORTHERN SARATOGA",2017-02-07 08:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112675,672762,NEW YORK,2017,February,Winter Weather,"WESTERN SCHENECTADY",2017-02-07 07:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112756,673535,E PACIFIC,2017,February,Waterspout,"COASTAL WATERS FROM FLORENCE TO CAPE BLANCO OR OUT 10 NM",2017-02-26 10:55:00,PST-8,2017-02-26 11:10:00,0,0,0,0,0.00K,0,0.00K,0,43.4117,-124.2071,43.4049,-124.2059,"A member of the public reported a waterspout that he observed over Coos Bay while he was standing on the North Bend Boardwalk at the North Bend Oyster Dock. He submitted the attached picture.","A member of the public reported a waterspout that he observed over Coos Bay while he was standing on the North Bend Boardwalk at the North Bend Oyster Dock. He submitted the attached picture." +112759,673536,OREGON,2017,February,High Wind,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-02-20 05:57:00,PST-8,2017-02-20 07:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season storm brought two rounds of high winds to some parts of southwest and south central Oregon.","The ASOS at Sexton Summit recorded many gusts exceeding 57 mph during this interval. The peak gust was 67 mph recorded at 20/0634 PST." +112759,673537,OREGON,2017,February,High Wind,"SOUTH CENTRAL OREGON COAST",2017-02-20 03:14:00,PST-8,2017-02-20 06:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season storm brought two rounds of high winds to some parts of southwest and south central Oregon.","The Flynn Prairie RAWS recorded a gust to 65 mph at 20/0413 PST. An APRSWXNET/CWOP observer in Brookings recorded a gust to 62 mph at 20/0617 PST." +112759,673539,OREGON,2017,February,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-02-20 04:40:00,PST-8,2017-02-21 03:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season storm brought two rounds of high winds to some parts of southwest and south central Oregon.","The RAWS at Squaw Peak recorded a gust to 106 mph at 20/0539 PST and a gust to 87 mph at 20/0639 PST. Later on, a gust to 75 mph was recorded at 21/0339 PST." +112759,673540,OREGON,2017,February,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-02-20 04:04:00,PST-8,2017-02-21 06:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season storm brought two rounds of high winds to some parts of southwest and south central Oregon.","The RAWS at Summit recorded gusts to 58 mph at 20/0503 PST and and 20/0603 PST. Later on, gusts to 60 mph were recorded at 21/0303 PST and 21/0603 PST." +112764,673546,OREGON,2017,February,Flood,"COOS",2017-02-22 06:15:00,PST-8,2017-02-24 13:30:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-124.42,43.16,-124.41,"Heavy rains combined with snow melt to bring another round of flooding to the Coquille River near Coquille.","The Coquille River at Coquille rose above flood stage (21.0 feet) at 22/0615 PST. The river crested at 22.49 feet at 23/0130 PST. It fell below flood stage sometime between 23/1130 PST and 24/1330 PST. The exact time could not be determined due to a data outage." +112773,673649,KENTUCKY,2017,February,Lightning,"POWELL",2017-02-28 12:00:00,EST-5,2017-02-28 12:00:00,0,0,0,0,25.00K,25000,,NaN,37.879,-83.87,37.879,-83.87,"A lightning strike caused a fire that destroyed a building near Stanton on February 28, 2017.","A lightning strike caused a fire that destroyed a building on Paint Creek Road near Stanton." +112810,674656,TEXAS,2017,February,Flash Flood,"BEXAR",2017-02-20 02:09:00,CST-6,2017-02-20 02:33:00,0,0,0,0,0.00K,0,0.00K,0,29.6835,-98.6363,29.6888,-98.6371,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","Thunderstorms produced heavy rain that led to flash flooding closing Old Fredericksburg Rd. north of Lost Creek Gap in far northwestern San Antonio." +114628,687511,KANSAS,2017,March,Hail,"SEDGWICK",2017-03-24 16:10:00,CST-6,2017-03-24 16:11:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-97.53,37.56,-97.53,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","An off-duty NWS employee reported the event." +114628,687513,KANSAS,2017,March,Hail,"HARVEY",2017-03-24 16:15:00,CST-6,2017-03-29 16:18:00,0,0,0,0,0.00K,0,0.00K,0,38,-97.51,38,-97.51,"An upper-deck trough that was situated over Southeast Colorado drifted to Western Oklahoma. The trough induced weak surface cyclogenesis over Southwest Kansas and Western Oklahoma. The two combined to produce scattered thunderstorms across South-Central Kansas late in the afternoon. The thunderstorms continued well into the evening and while they were prolific hail-producers, the majority of the hail reported was 1 inch or less.","There were numerous reports of golf ball-sized hail in Halstead." +121208,725601,NEW YORK,2017,October,Thunderstorm Wind,"ERIE",2017-10-15 15:05:00,EST-5,2017-10-15 15:05:00,0,0,0,0,8.00K,8000,0.00K,0,42.77,-78.62,42.77,-78.62,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Thunderstorm winds downed trees in East Aurora." +121208,725603,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:10:00,EST-5,2017-10-15 15:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.46,-78.94,42.46,-78.94,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725637,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:06:00,EST-5,2017-10-15 16:06:00,0,0,0,0,12.00K,12000,0.00K,0,42.98,-77.41,42.98,-77.41,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725639,NEW YORK,2017,October,Thunderstorm Wind,"ALLEGANY",2017-10-15 16:08:00,EST-5,2017-10-15 16:08:00,0,0,0,0,12.00K,12000,0.00K,0,42.47,-78.14,42.47,-78.14,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +114638,687603,KANSAS,2017,March,Flood,"MARION",2017-03-29 07:10:00,CST-6,2017-03-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.41,-97.04,38.4079,-97.02,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","Remington Road was flooded in and around 230th Street." +114638,687605,KANSAS,2017,March,Flood,"SALINE",2017-03-29 21:33:00,CST-6,2017-03-29 23:33:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.58,38.8245,-97.5828,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","A 1-mile stretch of North Street is flooded between Holmes and Simpson Roads. The flooding is occurring in a low-lying area." +114638,687607,KANSAS,2017,March,Flood,"BUTLER",2017-03-29 07:30:00,CST-6,2017-03-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.6042,-97.13,37.5997,-97.067,"Numerous thunderstorms produced widespread 2 to 3 inches of rain across most of Central and South-Central Kansas throughout the day and well into the evening. Flooding occurred in several parts of Central and South-Central Kansas, most noticeably Marion, Harvey and Butler Counties where a few roads and highways were barricaded.","Barricades were positioned on 159th Street south of Highway 54/400." +114635,688449,KANSAS,2017,March,Lightning,"COWLEY",2017-03-28 19:28:00,CST-6,2017-03-28 19:28:00,0,1,0,0,0.00K,0,0.00K,0,37.0897,-97.0424,37.0897,-97.0424,"A man was struck by lightning while he was in a Walmart parking lot.","According to Arkansas City Fire and EMS Captain, a man was in the parking lot of a retail store and lightning struck a nearby utility pole. The injured man fell to the ground in pain, was shaking, and had a hard time breathing." +114893,689222,MARYLAND,2017,May,Thunderstorm Wind,"QUEEN ANNE'S",2017-05-19 19:25:00,EST-5,2017-05-19 19:25:00,0,0,0,0,,NaN,,NaN,39.11,-75.91,39.11,-75.91,"Several strong to severe thunderstorms moved across the state producing wind damage in a few spots.","Power poles(13) and lines were taken down due to thunderstorm wind gusts on the 1600 block of Roberts Station road.A pole barn was destroyed also leading to an extensive area of debris." +121208,725643,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:20:00,EST-5,2017-10-15 16:20:00,0,0,0,0,8.00K,8000,0.00K,0,42.97,-77.23,42.97,-77.23,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725645,NEW YORK,2017,October,Thunderstorm Wind,"WAYNE",2017-10-15 16:23:00,EST-5,2017-10-15 16:23:00,0,0,0,0,10.00K,10000,0.00K,0,43.04,-77.09,43.04,-77.09,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Photos of a large tree blown down onto power lines were posted on social media." +121208,725646,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:24:00,EST-5,2017-10-15 16:24:00,0,0,0,0,6.00K,6000,0.00K,0,42.74,-77.54,42.74,-77.54,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725647,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:24:00,EST-5,2017-10-15 16:24:00,0,0,0,0,8.00K,8000,0.00K,0,42.96,-77.22,42.96,-77.22,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +112880,674317,HAWAII,2017,February,Flash Flood,"MAUI",2017-02-27 19:49:00,HST-10,2017-02-27 21:28:00,0,0,0,0,0.00K,0,0.00K,0,20.8671,-156.307,20.8676,-156.3066,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","Maui police reported heavy flooding on Kokomo Road at Makawao Avenue just north of Makawao." +112880,674318,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-27 17:24:00,HST-10,2017-02-27 22:46:00,0,0,0,0,0.00K,0,0.00K,0,22.1614,-159.6691,21.9616,-159.3711,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112880,674319,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-27 20:13:00,HST-10,2017-02-27 21:55:00,0,0,0,0,0.00K,0,0.00K,0,20.9955,-156.6582,20.8653,-156.468,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112880,674320,HAWAII,2017,February,Heavy Rain,"HONOLULU",2017-02-27 20:23:00,HST-10,2017-02-27 23:09:00,0,0,0,0,0.00K,0,0.00K,0,21.4666,-158.039,21.3152,-157.7747,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112880,674322,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-28 13:14:00,HST-10,2017-02-28 21:29:00,0,0,0,0,0.00K,0,0.00K,0,22.1571,-159.3457,21.9894,-159.7247,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +113253,677622,NEW YORK,2017,February,Winter Storm,"SOUTHEAST WARREN",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677623,NEW YORK,2017,February,Winter Storm,"NORTHERN SARATOGA",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677733,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 18:04:00,EST-5,2017-02-25 18:04:00,0,0,0,0,,NaN,,NaN,42.63,-73.91,42.63,-73.91,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was downed." +113262,677735,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 18:04:00,EST-5,2017-02-25 18:04:00,0,0,0,0,0.00K,0,0.00K,0,41.86,-73.97,41.86,-73.97,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","One lane of the southern portion of River Road was closed due to a downed tree." +113262,677736,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 18:04:00,EST-5,2017-02-25 18:04:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-74.01,41.9,-74.01,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A downed tree was reported on New Salem Road between Callahans and Tooley Drive, which blocked one lane." +113473,679310,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 17:10:00,PST-8,2017-02-03 17:10:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-119.72,36.9803,-119.716,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding between Belcher Road and Friant Road about 2 miles south of Millerton Lake in Fresno County." +113473,679311,CALIFORNIA,2017,February,Flood,"FRESNO",2017-02-03 17:38:00,PST-8,2017-02-03 17:38:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-119.74,36.8718,-119.7515,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","Public reported roadway flooding near Shepard Avenue and Maple Avenue in the city of Fresno in Fresno County." +113473,679312,CALIFORNIA,2017,February,Heavy Rain,"MARIPOSA",2017-02-03 11:00:00,PST-8,2017-02-03 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","Trained spotter report of 24 hour rainfall total of 0.75 inches near Ponderosa Basin in Mariposa County." +113473,679313,CALIFORNIA,2017,February,Heavy Rain,"MARIPOSA",2017-02-03 13:35:00,PST-8,2017-02-03 13:35:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","Trained Spotter report of a one hour rainfall total of 0.75 inches along with some small hail near Ponderosa Basin in Mariposa County." +113473,679314,CALIFORNIA,2017,February,Heavy Rain,"FRESNO",2017-02-03 16:30:00,PST-8,2017-02-03 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-119.71,36.87,-119.71,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","Trained spotter report of 24 hour rainfall total of 1.04 inches in North Clovis in Fresno County." +113473,682039,CALIFORNIA,2017,February,Flash Flood,"FRESNO",2017-02-03 14:23:00,PST-8,2017-02-03 14:23:00,0,0,0,0,1.00K,1000,0.00K,0,37.0305,-119.4509,37.0276,-119.445,"Tropical influx jet pushed into central California ahead of a cold front created heavy rains which were enhanced by orographical lifting with the Sierra Mountains.","California Highway Patrol reported road flooding near Lodge Road and Wiemiller Road with a vehicle stuck in flood waters west of Tollhouse in Fresno County. Road was temporarily closed to let water subside." +112989,675182,MISSISSIPPI,2017,February,Hail,"MARION",2017-02-07 08:24:00,CST-6,2017-02-07 08:24:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-89.84,31.36,-89.84,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +113404,678557,WISCONSIN,2017,February,Winter Storm,"MARATHON",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 9.2 inches was measured near Mosinee." +113404,678558,WISCONSIN,2017,February,Winter Storm,"SHAWANO",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 8.0 inches was measured near Shawano." +113404,678559,WISCONSIN,2017,February,Winter Storm,"WOOD",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","" +113281,677881,INDIANA,2017,February,Tornado,"POSEY",2017-02-28 22:08:00,CST-6,2017-02-28 22:16:00,0,0,0,0,500.00K,500000,0.00K,0,38.1797,-87.9474,38.2041,-87.7997,"An isolated but very powerful supercell thunderstorm moved across southwest Indiana during the late evening hours. The storm originated over Missouri in a destabilizing pre-frontal air mass characterized by dew points in the lower to mid 60's. This intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A long-track, strong tornado was spawned in southeast Illinois, and it continued east-northeast for about 45 miles before lifting in eastern Gibson County, Indiana.","This long-track tornado continued from White County, Illinois across the Wabash River into Posey County. The tornado was rated EF-2 throughout its path in Posey County. The tornado was about 220 yards wide when it crossed the Wabash River to Indiana Highway 69. Several small barns were destroyed, and most trees were snapped along the path. Power poles were snapped, and roads were blocked by debris. The Posey County portion of the path was almost entirely through agricultural land, resulting in damage to very few residences. The tornado crossed Interstate 64 west of Poseyville, leaving a path of flattened trees across the interstate. Just before the tornado crossed into Gibson County, an old house was shifted off its foundation. The tornado again strengthened to EF-3 intensity after crossing into Gibson County." +113281,677883,INDIANA,2017,February,Tornado,"GIBSON",2017-02-28 22:16:00,CST-6,2017-02-28 22:47:00,1,0,0,0,3.20M,3200000,0.00K,0,38.2041,-87.7997,38.3175,-87.3355,"An isolated but very powerful supercell thunderstorm moved across southwest Indiana during the late evening hours. The storm originated over Missouri in a destabilizing pre-frontal air mass characterized by dew points in the lower to mid 60's. This intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the Plains. A southwesterly low-level jet increased substantially during the evening. A long-track, strong tornado was spawned in southeast Illinois, and it continued east-northeast for about 45 miles before lifting in eastern Gibson County, Indiana.","This long-track tornado crossed from Posey County into Gibson County just northwest of Poseyville. The tornado crossed U.S. Highway 41 just north of Fort Branch and just south of the Toyota manufacturing plant. The path later crossed Interstate 69 before ending just south of Oakland City. The tornado was rated EF-3 at a couple of points south and southwest of Owensville, where a couple of houses lost their roofs and most of their exterior walls. This was where the highest winds along the 44-mile path occurred, likely around 150 mph. One person was seriously injured, requiring hospitalization. Cars were tossed 15 yards, and two double-wide mobile homes were destroyed, with their frames blown 50 to 75 yards. Further east, from the Fort Branch area to south of Oakland City, roofs were blown off a few homes and barns were destroyed. Grain bins were destroyed, and trees were snapped. The total number of damaged or destroyed structures in Gibson County was about 106, including some homes." +113479,679330,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-02-15 13:36:00,EST-5,2017-02-15 13:37:00,0,0,0,0,,NaN,,NaN,32.04,-80.88,32.04,-80.88,"Strong thunderstorms developed along/ahead of an approaching cold front as it encountered increasingly moist and unstable conditions over the Southeast United States and adjacent coastal waters.","The Fort Pulaski C-MAN station recorded a 48 mph wind gust with a passing thunderstorm." +113482,679331,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA 20 TO 60NM",2017-02-27 21:30:00,EST-5,2017-02-27 21:31:00,0,0,0,0,,NaN,,NaN,31.52,-80.18,31.52,-80.18,"A coastal trough off the Southeast coast along with favorable upper level divergence helped produce some stronger thunderstorms over the coastal waters.","The NOAA ship Ferdinand R Hassler recorded a 30 to 35 kt wind gust associated with a passing thunderstorm." +113477,679321,GEORGIA,2017,February,Tornado,"BULLOCH",2017-02-09 03:51:00,EST-5,2017-02-09 03:58:00,7,0,0,0,,NaN,,NaN,32.34,-81.56,32.3232,-81.4679,"Strongly forced, organized convection ahead of a vigorous upper trough and associated cold front advanced into a marginally unstable environment featuring strong winds and wind shear. A single, persistent supercell within the environment tracked across Candler and Bulloch Counties before producing a tornado in eastern Bulloch and western Effingham Counties.","A National Weather Service storm survey team confirmed a tornado that tracked from southeastern Bulloch County to southwest Effingham County in Georgia on 02/09/2017. The tornado tracked east-southeast approximately 9 miles southeast of Brooklet, GA to Pineora, GA. ||The tornado began near Stillson Leefield Road, in Bulloch County, GA. Most of the damage within the first few miles of the event was due to many snapped and uprooted trees. ||The most significant damage occurred near the center of the path, in an area just west of South Old River Road to near Terrell Road, in Bulloch County, GA. There were several mobile homes along this portion of the path that were either completely destroyed, or severely damaged. The extent of damage to the mobile homes was the reason for the high end EF2 rating with estimated maximum wind speeds up to 130 mph. Two mobile homes just north of Little Hagan Road were completely destroyed, being flipped and tossed 30 to 40 feet from their foundations. One of the mobile homes in this area was not occupied, but the other one had five people inside, plus pets. All five were injured, one seriously, with broken bones in their neck. Two pets in the same mobile home survived, but one died from its injuries. There was also a car pushed 20 to 30 feet and a large metal trucking container, weighing approximately 9,000 pounds, pushed about 50 feet. ||Continuing about 200 yards southeast along the path, a single family home sustained moderate damage, mainly from projectiles and debris hitting it from the mobile homes upstream. A large carport/overhang was completely torn from the home, which then |fell on and damaged 3 cars. A large hole was punched through the north wall of the home from debris hitting the window and pushing into the home. Otherwise, some minor shingle damage was observed, with 20-30% of the shingles missing.||Another 200 yards southeast of this home was another mobile home that was severely damaged. It was lifted and rolled 30 to 40 feet off of its foundation, crushing 2 cars before coming to rest on the edge of a bluff. There were 2 people severely injured in this home with one pet injured.||The tornado then continued across the Ogeechee River into Effingham County." +113477,679323,GEORGIA,2017,February,Tornado,"EFFINGHAM",2017-02-09 03:58:00,EST-5,2017-02-09 04:03:00,0,0,0,0,,NaN,,NaN,32.3232,-81.4679,32.2999,-81.3994,"Strongly forced, organized convection ahead of a vigorous upper trough and associated cold front advanced into a marginally unstable environment featuring strong winds and wind shear. A single, persistent supercell within the environment tracked across Candler and Bulloch Counties before producing a tornado in eastern Bulloch and western Effingham Counties.","A National Weather Service storm survey team confirmed a tornado that tracked from southeastern Bulloch County to southwest Effingham County in Georgia on 02/09/2017. The tornado tracked east-southeast approximately 9 miles southeast of Brooklet, GA to Pineora, GA. The following information occurred once the tornado crossed into Effingham County from Bulloch County.||The tornado crossed the Ogeechee River from Bulloch County into Effingham County, where most damage was in the EF1 range. Hundreds of snapped pine and oak trees were observed along the path of the tornado. Some minor structural damage was found to a few homes just south of Rt 119, near Elkins Cemetery Road. This damage was due to large trees falling on the homes and carports. Finally, after nearly 10 miles of damage and destruction, the tornado lifted just east of Highway 17 in Pineora, GA." +112361,670007,ALABAMA,2017,February,Thunderstorm Wind,"GENEVA",2017-02-07 16:12:00,CST-6,2017-02-07 16:12:00,0,0,0,0,10.00K,10000,0.00K,0,31.1,-85.69,31.1,-85.69,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Multiple power lines were blown down in Hartford." +111484,673302,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:56:00,EST-5,2017-01-02 22:56:00,0,0,0,0,0.00K,0,0.00K,0,31.7522,-83.6938,31.7522,-83.6938,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Ireland Road." +113346,678248,MAINE,2017,February,Winter Storm,"COASTAL WASHINGTON",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 14 to 24 inches." +113346,678251,MAINE,2017,February,Winter Storm,"NORTHERN WASHINGTON",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations ranged from 5 to 10 inches." +114489,686879,OHIO,2017,April,Flash Flood,"WARREN",2017-04-29 10:00:00,EST-5,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-84.24,39.5503,-84.2398,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported along West Lower Springboro Rd." +114489,686880,OHIO,2017,April,Flash Flood,"ROSS",2017-04-29 10:30:00,EST-5,2017-04-29 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-83.37,39.351,-83.3709,"Thunderstorms trained along a warm front that was lifting through the area.","High water was running across Thrifton Road, causing the road to be closed." +114489,688070,OHIO,2017,April,Flood,"HIGHLAND",2017-04-29 09:30:00,EST-5,2017-04-29 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3185,-83.6917,39.3192,-83.691,"Thunderstorms trained along a warm front that was lifting through the area.","Ponding of water was reported along State Route 73 near the Clinton-Highland County line." +114489,688071,OHIO,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-29 07:59:00,EST-5,2017-04-29 08:05:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-84.37,39.1,-84.37,"Thunderstorms trained along a warm front that was lifting through the area.","A tree was knocked down near the intersection of Hunley Rd. and Clough Pike." +114718,688072,INDIANA,2017,April,Flash Flood,"FRANKLIN",2017-04-29 08:15:00,EST-5,2017-04-29 10:15:00,0,0,0,0,0.00K,0,0.00K,0,39.37,-84.97,39.3715,-84.9706,"Thunderstorms trained along a warm front that was lifting through the area.","A portion of River Road was washed over by high water." +114718,688073,INDIANA,2017,April,Flash Flood,"FRANKLIN",2017-04-29 08:15:00,EST-5,2017-04-29 10:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3974,-85.0198,39.3977,-85.0204,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported along Blue Creek Road." +114718,688074,INDIANA,2017,April,Flash Flood,"SWITZERLAND",2017-04-29 08:27:00,EST-5,2017-04-29 10:27:00,0,0,0,0,0.00K,0,0.00K,0,38.8634,-84.8052,38.8633,-84.8058,"Thunderstorms trained along a warm front that was lifting through the area.","Water was flowing over a back road near Upper Goose Creek Rd." +114718,688075,INDIANA,2017,April,Flash Flood,"DEARBORN",2017-04-29 08:51:00,EST-5,2017-04-29 10:51:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-84.9,39.07,-84.9005,"Thunderstorms trained along a warm front that was lifting through the area.","" +114718,688078,INDIANA,2017,April,Flash Flood,"DEARBORN",2017-04-29 09:00:00,EST-5,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2027,-84.8297,39.2019,-84.8301,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported over Sand Run Road in eastern Dearborn County." +114718,688079,INDIANA,2017,April,Flash Flood,"DEARBORN",2017-04-29 09:00:00,EST-5,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-84.83,39.2306,-84.8294,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported over Jamison Road." +114718,688081,INDIANA,2017,April,Flash Flood,"SWITZERLAND",2017-04-29 09:15:00,EST-5,2017-04-29 11:15:00,0,0,0,0,0.00K,0,0.00K,0,38.7068,-85.1608,38.6985,-85.1646,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported along Patton Hollow Rd. near State Route 56, resulting in a road closure." +115313,692322,FLORIDA,2017,April,Hail,"MARION",2017-04-04 11:15:00,EST-5,2017-04-04 11:15:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.03,29.21,-82.03,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Nickel size hail and wind gusts up to 38 mph were reported near Silver Springs State Park." +115313,692323,FLORIDA,2017,April,Heavy Rain,"COLUMBIA",2017-04-03 06:00:00,EST-5,2017-04-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-82.64,30.19,-82.64,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Daily 24-hr rainfall was 5.20 inches." +115313,692324,FLORIDA,2017,April,Heavy Rain,"CLAY",2017-04-04 06:53:00,EST-5,2017-04-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.09,-81.72,30.09,-81.72,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","At 7:53 am, about 6 inches of water was reported along U.S. 17 from Kingsley Avenue to I-295. At 8 am, an NWS Employee on Fleming Island reported 2.75 inches of rainfall over 24 hours." +115313,692325,FLORIDA,2017,April,Heavy Rain,"BAKER",2017-04-04 07:30:00,EST-5,2017-04-04 10:15:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-82.16,30.28,-82.16,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","At 830 am, a COOP Observer about 2 miles west of Macclenny measured a 24-hr rainfall total of 4.55 inches. At 1015 am, a CoCoRAHS observer 4 miles SW of Glen St. Mary measured a 24-hr rainfall total of 6.13 inches." +115313,692328,FLORIDA,2017,April,Heavy Rain,"ST. JOHNS",2017-04-04 04:00:00,EST-5,2017-04-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-81.43,30.12,-81.43,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","An observer measured 3.39 inches between 4 am and 12 pm." +114457,686316,NEW YORK,2017,April,Winter Weather,"HAMILTON",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow, sleet, and freezing rain. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 4 to 8 inches, with up to a tenth of an inch of ice.","" +114457,686317,NEW YORK,2017,April,Winter Weather,"NORTHERN WARREN",2017-04-01 00:00:00,EST-5,2017-04-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow, sleet, and freezing rain. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 4 to 8 inches, with up to a tenth of an inch of ice.","" +115437,693170,MICHIGAN,2017,April,Hail,"WASHTENAW",2017-04-26 21:20:00,EST-5,2017-04-26 21:20:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-84.09,42.15,-84.09,"Isolated strong to severe storms developed over Washtenaw, Livingston, and Oakland counties.","" +115437,693171,MICHIGAN,2017,April,Thunderstorm Wind,"LIVINGSTON",2017-04-26 22:15:00,EST-5,2017-04-26 22:15:00,0,0,0,0,0.00K,0,0.00K,0,42.61,-83.94,42.61,-83.94,"Isolated strong to severe storms developed over Washtenaw, Livingston, and Oakland counties.","" +115437,693172,MICHIGAN,2017,April,Thunderstorm Wind,"OAKLAND",2017-04-26 22:44:00,EST-5,2017-04-26 22:44:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-83.56,42.84,-83.56,"Isolated strong to severe storms developed over Washtenaw, Livingston, and Oakland counties.","Power lines reported down." +115438,693173,LAKE HURON,2017,April,Marine Thunderstorm Wind,"HARBOR BEACH TO PORT SANILAC MI",2017-04-26 23:48:00,EST-5,2017-04-26 23:48:00,0,0,0,0,0.00K,0,0.00K,0,43.85,-82.64,43.85,-82.64,"A thunderstorm moving through southern Lake Huron produced a 48 mph thunderstorm wind gust near Harbor Beach.","" +115638,694829,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"ALLIGATOR RIVER",2017-04-22 17:54:00,EST-5,2017-04-22 17:54:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-76,35.9,-76,"Severe thunderstorms produced strong wind gusts across the northern Outer Banks.","Alligator River Bridge Weatherflow." +115638,694831,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CURRITUCK BEACH LT TO OREGON INLET NC OUT 20NM",2017-04-22 19:54:00,EST-5,2017-04-22 19:54:00,0,0,0,0,0.00K,0,0.00K,0,35.8,-75.54,35.8,-75.54,"Severe thunderstorms produced strong wind gusts across the northern Outer Banks.","Oregon Inlet Weatherflow." +115638,694832,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CURRITUCK BEACH LT TO OREGON INLET NC OUT 20NM",2017-04-22 19:24:00,EST-5,2017-04-22 19:24:00,0,0,0,0,0.00K,0,0.00K,0,36.16,-75.75,36.16,-75.75,"Severe thunderstorms produced strong wind gusts across the northern Outer Banks.","Duck Pier." +113533,679651,OREGON,2017,April,Frost/Freeze,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-04-08 23:00:00,PST-8,2017-04-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the growing season starts on the Oregon west side, freezes have more of an impact. Clearing skies and a lingering cold air mass allowed temperatures to drop below freezing in some of the west side valleys.","Recorded low temperatures ranged from 28 to 32 degrees." +111601,666263,SOUTH DAKOTA,2017,January,Winter Weather,"OGLALA LAKOTA",2017-01-02 03:00:00,MST-7,2017-01-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666267,SOUTH DAKOTA,2017,January,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-01-02 04:00:00,MST-7,2017-01-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +111601,666268,SOUTH DAKOTA,2017,January,Winter Weather,"SOUTHERN MEADE CO PLAINS",2017-01-02 04:00:00,MST-7,2017-01-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system brought snow to much of western South Dakota during the morning hours. Snowfall amounts of three to five inches were reported across much of the area, with the higher amounts generally across northwestern South Dakota. Gusty winds produced areas of blowing and drifting snow across the northwestern South Dakota plains during the late morning and afternoon.","" +112137,669000,SOUTH DAKOTA,2017,January,Winter Weather,"ZIEBACH",2017-01-24 08:00:00,MST-7,2017-01-25 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669001,SOUTH DAKOTA,2017,January,Winter Storm,"NORTHERN BLACK HILLS",2017-01-24 05:00:00,MST-7,2017-01-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669008,SOUTH DAKOTA,2017,January,Winter Weather,"NORTHERN FOOT HILLS",2017-01-24 07:00:00,MST-7,2017-01-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112726,676705,TEXAS,2017,January,Ice Storm,"HANSFORD",2017-01-14 16:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,2.80M,2800000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","Resident count of 2,132 affected with four homes severely damage due to electrical fires and one home was destroyed There were 320 business that also reported economic injuries. Damages and economic impact also resulted from: debris cleanup (downed trees, etc), numerous downed power lines and broken power poles, and damaged to roads and bridges." +113097,676694,NORTH CAROLINA,2017,January,Winter Storm,"DAVIDSON",2017-01-06 22:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts of 6 to 11 inches fell across the county." +113097,676703,NORTH CAROLINA,2017,January,Winter Storm,"DURHAM",2017-01-07 00:00:00,EST-5,2017-01-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from 2 inches across southern portions of the county to 8 inches across the north. There was also 0.10 of an inch of ice from freezing rain, mainly across southern portions of the county." +115172,691451,COLORADO,2017,April,Winter Weather,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-04-09 17:00:00,MST-7,2017-04-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate to heavy snowfall occurred over mountains north of Interstate 70. Storm totals ranged from 5 to 10 inches.","Storm totals included 10 inches at Never Summer and Phantom Valley, with 5 inches at Willow Creek." +115172,691450,COLORADO,2017,April,Winter Weather,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-04-09 17:00:00,MST-7,2017-04-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate to heavy snowfall occurred over mountains north of Interstate 70. Storm totals ranged from 5 to 10 inches.","At Tower, 10 inches of snowfall was recorded." +114987,689939,NEW HAMPSHIRE,2017,April,Heavy Snow,"SOUTHERN CARROLL",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689938,NEW HAMPSHIRE,2017,April,Heavy Snow,"NORTHERN GRAFTON",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689940,NEW HAMPSHIRE,2017,April,Heavy Snow,"SOUTHERN COOS",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689941,NEW HAMPSHIRE,2017,April,Heavy Snow,"SOUTHERN GRAFTON",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +113161,677039,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 10:00:00,PST-8,2017-01-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","The 49 North Ski Resort measured 13 inches of new snow accumulation." +113161,677041,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 13:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","The observer at Boundary Dam near Metaline Falls reported 4.6 inches of new snow." +113161,677043,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 14:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Six inches of new snow was reported from Addy." +121022,724593,INDIANA,2017,December,Lake-Effect Snow,"LAGRANGE",2017-12-12 03:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents. The Indiana Toll Road was closed for a while during the day due to accidents." +121022,724594,INDIANA,2017,December,Lake-Effect Snow,"MARSHALL",2017-12-12 04:00:00,EST-5,2017-12-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. There was a report of 6.5 inches of total snow accumulation just west of Plymouth. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents." +121022,724595,INDIANA,2017,December,Lake-Effect Snow,"LA PORTE",2017-12-12 04:00:00,CST-6,2017-12-12 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. There was a report of 5.5 inches of total snow accumulation near La Porte. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents. Weather looked to play a part in a deadly crash on US 20 in La Porte. The toll road was also closed for a time due to numerous accidents." +121022,724596,INDIANA,2017,December,Lake-Effect Snow,"ELKHART",2017-12-12 03:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. There was a report of 6.0 inches of snow accumulation near Middlebury. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents. The Indiana Toll Road was closed for a while during the day due to accidents." +121022,724597,INDIANA,2017,December,Winter Weather,"NOBLE",2017-12-12 04:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 1 and 5 inches across the county. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and accidents." +121022,724598,INDIANA,2017,December,Winter Weather,"WHITLEY",2017-12-12 05:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 1 and 4 inches across the county. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and accidents." +121022,724599,INDIANA,2017,December,Winter Weather,"ALLEN",2017-12-12 05:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 1 and 3 inches across the county. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and accidents." +121023,724600,MICHIGAN,2017,December,Lake-Effect Snow,"BERRIEN",2017-12-12 02:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. There was a report of 5.5 inches of snow near Paw Paw. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents." +121023,724601,MICHIGAN,2017,December,Lake-Effect Snow,"CASS",2017-12-12 02:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 4 and 10 inches across the county. There was a report of 9.5 inches of snow near Dowagiac. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents." +121023,724602,MICHIGAN,2017,December,Lake-Effect Snow,"ST. JOSEPH",2017-12-12 02:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 3 and 7 inches across the county. There was a report of 6.0 inches of snow near White Pigeon. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents." +121286,726059,MICHIGAN,2017,December,Winter Storm,"BERRIEN",2017-12-24 10:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow into early December 25th. Total snow accumulations ranged between 4 and 10 inches across Lower Michigan.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 5 and 10 inches, with a report of 9.0 inches in New Buffalo. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +121286,726062,MICHIGAN,2017,December,Winter Weather,"ST. JOSEPH",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow into early December 25th. Total snow accumulations ranged between 4 and 10 inches across Lower Michigan.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726064,INDIANA,2017,December,Winter Storm,"LA PORTE",2017-12-24 10:00:00,CST-6,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 4 and 10 inches, with a report of 9.1 inches near La Porte. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +121287,726065,INDIANA,2017,December,Winter Storm,"ST. JOSEPH",2017-12-24 10:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 6 and 10 inches, with a report of 10 inches near North Liberty. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +111484,671799,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-02 22:19:00,EST-5,2017-01-02 22:19:00,0,0,0,0,0.00K,0,0.00K,0,31.58,-84.21,31.58,-84.21,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A Weatherbug station at Darton State College reported a 68 mph gust." +112726,677505,TEXAS,2017,January,Ice Storm,"HUTCHINSON",2017-01-14 14:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,1.20M,1200000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","The number of residents affected were 6482. There were 117 business that also reported economic injuries. Damages and economic impact also resulted from: debris cleanup (downed trees, etc), numerous downed power lines and broken power poles, and damaged to roads and bridges." +113055,676189,CALIFORNIA,2017,January,Flash Flood,"RIVERSIDE",2017-01-22 16:45:00,PST-8,2017-01-22 17:15:00,0,0,0,0,0.00K,0,0.00K,0,33.9918,-117.4836,33.9932,-117.4806,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Cal Fire reported of a swift water rescue along the Pyrite Channel near Van Buren Blvd." +113055,676213,CALIFORNIA,2017,January,Flash Flood,"SAN BERNARDINO",2017-01-22 15:00:00,PST-8,2017-01-22 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,34.1993,-117.3982,34.2527,-117.4823,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Excessive rain induced flash flooding in the Cajon Wash. A swift water rescue was conducted to pull 2 people from the wash near Swarthout Canyon Road. Further south along the wash, San Bernardino County Public Works closed Glen Helen Pkwy. from Glen Helen Rd. to Cajon Blvd. for an extended period." +113055,676216,CALIFORNIA,2017,January,Flash Flood,"SAN BERNARDINO",2017-01-22 20:00:00,PST-8,2017-01-23 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.3156,-117.3512,34.3123,-117.342,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Roadway closure at the intersection of Highway 138 and 173 with a swift water rescue and 2 vehicles stranded in flood waters." +113085,676347,CALIFORNIA,2017,January,Strong Wind,"SAN DIEGO COUNTY COASTAL AREAS",2017-01-27 07:00:00,PST-8,2017-01-27 14:00:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","Locally gusty Santa Ana Winds briefly surfaced along the coast of San Diego County, including parts of the San Diego Metro. Peak gusts were in the 30-45 mph range. Winds combined with saturated soils to down at least 3 large trees in Downtown San Diego and Mission Valley. The trees crushed 2 cars." +113085,676335,CALIFORNIA,2017,January,Strong Wind,"ORANGE COUNTY COASTAL",2017-01-27 07:00:00,PST-8,2017-01-27 11:00:00,0,0,0,0,2.00K,2000,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","Santa Ana Winds with gusts of 40-45 mph surfaced briefly on the morning of the 27th in Santa Ana and Irvine. Winds downed a large tree that block 3 lanes along Interstate 405." +113085,676337,CALIFORNIA,2017,January,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-01-27 08:10:00,PST-8,2017-01-27 09:10:00,1,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","Periods of gusty Santa Ana winds developed between 0000PST on the 27th and 1200PST on the 28th. Strongest winds were reported in Devore with a peak gust of 71 mph between 0810 and 0910PST on the 27th. The winds downed power lines and trees in San Bernardino and Ontario. Two big rigs overturned, one near Mira Loma and another at the Interstate 10 and 15 inter-change." +113085,676340,CALIFORNIA,2017,January,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-01-27 17:30:00,PST-8,2017-01-28 12:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","The Sill Hill mesonet reported a second period of high winds between 1730PST on the 27th and 1210PST on the 28th, with numerous gusts in excess of 70 mph and a peak gust of 99 mph between 0140 and 0150PST on the 28th. Other stations in the mountains reported wind gusts in the 40-60 mph range during the same period. Several big rigs were overturned along Interstate 8 and multiple trees were blown down along Highway 79." +113213,677383,TENNESSEE,2017,January,Winter Weather,"WHITE",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","CoCoRaHS reports indicated 1 to 2 inches of snow fell in White County." +113217,677403,TENNESSEE,2017,January,Winter Weather,"CUMBERLAND",2017-01-29 09:00:00,CST-6,2017-01-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave brought light snow to the northern Cumberland Plateau during the morning hours on January 29. Snow amounts ranged from a trace up to 1.5 inches.","A public photo showed 0.5 to 1 inch of snow fell 10 miles northwest of Crossville." +113217,677404,TENNESSEE,2017,January,Winter Weather,"PUTNAM",2017-01-29 09:00:00,CST-6,2017-01-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave brought light snow to the northern Cumberland Plateau during the morning hours on January 29. Snow amounts ranged from a trace up to 1.5 inches.","Reports across Putnam County indicated 0.7 to 1.5 inches of snow fell in the county. The highest amount was measured 4 miles west of Monterey." +113217,677405,TENNESSEE,2017,January,Winter Weather,"FENTRESS",2017-01-29 09:00:00,CST-6,2017-01-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave brought light snow to the northern Cumberland Plateau during the morning hours on January 29. Snow amounts ranged from a trace up to 1.5 inches.","Reports indicated 0.5 to 1.1 inches of snow fell in Fentress County with the highest amount measured 3 miles southeast of Jamestown." +113217,677406,TENNESSEE,2017,January,Winter Weather,"WHITE",2017-01-29 09:00:00,CST-6,2017-01-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level shortwave brought light snow to the northern Cumberland Plateau during the morning hours on January 29. Snow amounts ranged from a trace up to 1.5 inches.","The public reported 1 to 1.5 inches of snow fell on Bon Air Mountain." +113275,677803,CALIFORNIA,2017,January,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-01-20 14:47:00,PST-8,2017-01-20 15:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful winter storm moved across Southern California, bringing heavy rain, flash flooding and strong winds to the area. Flash flooding as well as mud and debris flows were reported in and around the recent burn areas of Santa Barbara and Los Angeles counties. In the mountains, strong and gusty southerly winds were reported.","The RAWS sensor at Montecito Hills reported southerly wind gusts to 58 MPH." +113275,677805,CALIFORNIA,2017,January,Flash Flood,"SANTA BARBARA",2017-01-20 10:00:00,PST-8,2017-01-20 12:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4648,-120.0225,34.4644,-120.0225,"A powerful winter storm moved across Southern California, bringing heavy rain, flash flooding and strong winds to the area. Flash flooding as well as mud and debris flows were reported in and around the recent burn areas of Santa Barbara and Los Angeles counties. In the mountains, strong and gusty southerly winds were reported.","Heavy rain generated flash flooding across southern Santa Barbara county, impacting El Capitan Canyon Resort near the Sherpa burn scar. In the private campground, 70 people were evacuated while the combination of 8 cabins and vehicles were flooded." +118165,710143,NORTH CAROLINA,2017,June,Thunderstorm Wind,"DURHAM",2017-06-16 19:18:00,EST-5,2017-06-16 19:18:00,0,0,0,0,0.75K,750,0.00K,0,36.17,-78.83,36.1801,-78.8319,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","Nearly a dozen trees and large branches were blown down in the Bahama area. There was also minor damage to an outbuilding. Monetary damages were estimated." +118064,709842,FLORIDA,2017,June,Funnel Cloud,"HENDRY",2017-06-30 16:52:00,EST-5,2017-06-30 16:52:00,0,0,0,0,0.00K,0,0.00K,0,26.71,-81.38,26.71,-81.38,"The collision of the Gulf breeze with the Atlantic breeze across interior south Florida produced a funnel cloud.","A trained spotter reported a funnel cloud at Do Little Cattle Company near the city of Labelle. Photos of this funnel were also found on social media. In the photos the funnel extended approximately three-fourths of the way down to the ground but never touched down." +118266,710748,PUERTO RICO,2017,June,Thunderstorm Wind,"SAN SEBASTIAN",2017-06-30 13:05:00,AST-4,2017-06-30 13:15:00,0,0,0,0,1.00K,1000,0.00K,0,18.32,-66.97,18.324,-67.0303,"A tropical wave, combined with an upper level trough to our west brought scattered to numerous showers with strong thunderstorms across the western interior and northwest sections of Puerto Rico.","Fallen tree was reported at Barrio Cibao." +118269,710757,OKLAHOMA,2017,June,Hail,"CUSTER",2017-06-14 19:44:00,CST-6,2017-06-14 19:44:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-98.97,35.52,-98.97,"The evening of the 14th saw a few isolated storms develop along a stalled front in western Oklahoma.","" +118355,711261,KANSAS,2017,June,Hail,"PAWNEE",2017-06-17 20:15:00,CST-6,2017-06-17 20:15:00,0,0,0,0,,NaN,,NaN,38.24,-99.17,38.24,-99.17,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +113003,677224,ARKANSAS,2017,January,Winter Weather,"VAN BUREN",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 2 inches fell in Van Buren County." +113003,677225,ARKANSAS,2017,January,Winter Weather,"SEARCY",2017-01-06 02:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 2 inches fell in Searcy County." +113003,677962,ARKANSAS,2017,January,Winter Weather,"LOGAN",2017-01-06 01:00:00,CST-6,2017-01-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","One to three inches of snow fell across Logan County." +113003,678012,ARKANSAS,2017,January,Winter Weather,"IZARD",2017-01-06 03:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to an inch fell across Izard County." +113003,678015,ARKANSAS,2017,January,Winter Weather,"STONE",2017-01-06 03:00:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to 2 inches fell across Stone county." +113003,678019,ARKANSAS,2017,January,Winter Weather,"INDEPENDENCE",2017-01-06 03:00:00,CST-6,2017-01-06 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across Independence county." +115700,695325,LOUISIANA,2017,April,Flash Flood,"ST. LANDRY",2017-04-30 04:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2059,-92.5131,30.4915,-92.8867,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Numerous roads were flooded in west sections of Saint Landry Parish including Eunice. 4 to 8 inches of rain fell across the western areas." +115700,695326,LOUISIANA,2017,April,Flash Flood,"EVANGELINE",2017-04-30 04:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,3.50M,3500000,0.00K,0,31.1988,-92.5145,30.4844,-92.8839,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th and 9.29 inches was recorded near Bayou Nezpique in the southwest corner. An estimated 60-70 homes flooded, 2 schools, and the Mamou Hospital flooded during the event." +115577,694054,KANSAS,2017,April,Hail,"CLOUD",2017-04-19 16:35:00,CST-6,2017-04-19 16:36:00,0,0,0,0,,NaN,,NaN,39.6,-97.86,39.6,-97.86,"A line of strong to severe thunderstorms pushed across portions of North Central Kansas during the evening hours.","" +115577,694055,KANSAS,2017,April,Hail,"OTTAWA",2017-04-19 18:01:00,CST-6,2017-04-19 18:02:00,0,0,0,0,,NaN,,NaN,38.97,-97.76,38.97,-97.76,"A line of strong to severe thunderstorms pushed across portions of North Central Kansas during the evening hours.","" +115130,693105,SOUTH CAROLINA,2017,April,Hail,"DILLON",2017-04-05 15:50:00,EST-5,2017-04-05 15:51:00,0,0,0,0,0.75K,750,0.00K,0,34.3382,-79.4331,34.3382,-79.4331,"Clusters of thunderstorms developed along a warm front during the afternoon and produced large hail and damaging winds.","A brief period of quarter size hail was reported. The time was estimated based on radar data." +115130,693113,SOUTH CAROLINA,2017,April,Hail,"HORRY",2017-04-05 17:00:00,EST-5,2017-04-05 17:01:00,0,0,0,0,0.50K,500,0.00K,0,33.6996,-79.1103,33.6996,-79.1103,"Clusters of thunderstorms developed along a warm front during the afternoon and produced large hail and damaging winds.","Quarter size hail was reported." +115130,693119,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DILLON",2017-04-05 16:10:00,EST-5,2017-04-05 16:11:00,0,0,0,0,1.00K,1000,0.00K,0,34.405,-79.328,34.405,-79.328,"Clusters of thunderstorms developed along a warm front during the afternoon and produced large hail and damaging winds.","Power lines were reportedly down on Highway 9 near the intersection with Pee Dee Church Road." +115130,694874,SOUTH CAROLINA,2017,April,Hail,"FLORENCE",2017-04-05 15:06:00,EST-5,2017-04-05 15:07:00,0,0,0,0,0.50K,500,0.00K,0,34.0838,-80.0293,34.0838,-80.0293,"Clusters of thunderstorms developed along a warm front during the afternoon and produced large hail and damaging winds.","Hail to the size of quarters was reported near the intersection of East Lynches River Rd. and Highway 76." +115644,694875,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:11:00,EST-5,2017-04-05 18:13:00,0,0,0,0,0.75K,750,0.00K,0,33.8935,-78.4352,33.8935,-78.4352,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of dimes increased to the size of quarters." +115644,694880,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:16:00,EST-5,2017-04-05 18:18:00,0,0,0,0,0.75K,750,0.00K,0,33.915,-78.3741,33.915,-78.3741,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of quarters was reported." +115644,694883,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:18:00,EST-5,2017-04-05 18:20:00,0,0,0,0,1.00K,1000,0.00K,0,33.9282,-78.2991,33.9282,-78.2991,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of quarters and half dollars was reported." +115644,694884,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:17:00,EST-5,2017-04-05 18:19:00,0,0,0,0,1.20K,1200,0.00K,0,33.9146,-78.2862,33.9146,-78.2862,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of ping pong balls was reported 2 miles west of the Intracoastal Waterway Bridge." +113058,676497,MISSISSIPPI,2017,January,Tornado,"LAUDERDALE",2017-01-21 22:44:00,CST-6,2017-01-21 22:54:00,1,0,0,0,175.00K,175000,200.00K,200000,32.4914,-88.602,32.5471,-88.496,"Two rounds of severe weather impacted the ArkLaMiss region - one beginning shortly after midnight on the morning of January 21st and ending shortly before daybreak. The round of storms began during the evening hours on the 21st and ended just before midnight. During the early morning event, areas south of I-20 in Mississippi were impacted. Most notably, an EF-3 tornado tracked through Lamar and Forrest counties, killing four people in Hattiesburg and injuring over 50 others. In addition, damaging winds, large hail and flash flooding occurred in other areas across south Mississippi. The evening event impacted a larger proportion of the ArkLaMiss, and brought wind damage as well as large hail and a strong tornado.","This tornado touched down in a wooded area near Russell Topton Road, snapping trees and powerlines and causing minor roof damage as it crossed the road. The tornado continued northeast onto Lockhart Trailer Court Road and Chip Pickering Drive, where many trees were downed and some structural damage occurred to mobile homes. Here on Lockhart Trailer Court Road, a mobile home was rolled and destroyed, with one minor injury as the resident was thrown out. The tornado|continued northeast before crossing Fred Clayton Road and Campground Road. Here the tornado began to widen and more intense damage occurred. Some minor roof damage occurred to a church and numerous trees were snapped, with some causing damage to some structures. As it traveled roughly along Campground Road and the railroad tracks, the tornado became quite large, around a quarter of a mile wide or|so. Here significant tree damage, EF2 with winds near 115mph, occurred as nearly every tree were snapped and uprooted. The tornado continued northeast until crossing Green Loop Road. The tornado also was at its strongest at Green Loop as many mobile homes were rolled, with around 4 destroyed. One mobile home was thrown with the undercarriage wrapped around a tree. Here the most intense damage|occurred, with winds near 120mph winds. Around 10-11 people were thrown out of mobile homes but thankfully no injuries. The tornado continued before crossing Beaver Pond Road, snapping and uprooting trees. It then continued northeast across a wooded area near Ponta Creek before beginning to weaken and become smaller. It crossed Old Lauderdale Lizelia Road, Highway 45 and then Old Highway 45N,|snapping and uprooting trees before lifting northeast in a wooded area. The maximum estimated winds were 120mph." +113205,678562,OREGON,2017,January,Ice Storm,"NORTHERN BLUE MOUNTAINS",2017-01-17 21:00:00,PST-8,2017-01-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Total accumulated ice of .5 inches by 800 AM on the 18th, 2 miles north-northwest of Meacham in Umatilla county. Snow accumulation of 2-3 inches late afternoon and evening of the 18th." +113205,678584,OREGON,2017,January,High Wind,"GRAND RONDE VALLEY",2017-01-17 08:13:00,PST-8,2017-01-18 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major winter storm brought significant snow and ice to the region. Also the Grande Ronde valley experienced high winds and blizzard conditions.","Southwest winds of 50 mph gusting to 83 mph at 4 PM on the 17th, 5 west-northwest of Union in Union county. Winds gusting from 55 to 75 mph since 130 PM." +121544,727452,PENNSYLVANIA,2017,November,Tornado,"ERIE",2017-11-05 18:07:00,EST-5,2017-11-05 18:09:00,0,0,0,0,500.00K,500000,0.00K,0,42.085,-80.1396,42.0919,-80.1029,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A tornado was reported near Erie and strong winds downed many trees across the area.","An EF0 tornado touched down in Millcreek Township near the intersection of Butt Street and Sterrettania Road. The tornado continued east northeast and damaged a few homes and a shopping plaza along Legion Road. Most of the damage was from lost roofing. Several trees were uprooted in the area as well. The tornado strengthened to EF1 intensity as it approached Intestate 79. Several businesses in the area sustained damage. After crossing Interstate 79 the tornado traveled several more blocks and weakened to EF0 intensity. The tornado eventually lifted as it approached Greengarden Boulevard after being on the ground nearly two miles. Dozens of trees were downed along the damage path." +120818,723680,OHIO,2017,November,Thunderstorm Wind,"ASHTABULA",2017-11-05 18:45:00,EST-5,2017-11-05 18:52:00,0,0,0,0,200.00K,200000,0.00K,0,41.5058,-80.6875,41.5116,-80.6229,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downbursts winds estimated to be at least 70 mph leveled two barns on Cream Ridge and a third on Creek Road just north of Ford Road. Trees in the area were also downed. The parent thunderstorms responsible for this damage also produced the EF2 tornado at Williamsfield." +113893,682052,NORTH CAROLINA,2017,February,Winter Weather,"CABARRUS",2017-02-05 04:00:00,EST-5,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light freezing precipitation developed briefly across portions of the Piedmont during the pre-dawn hours. This caused some patchy areas of a light glaze that resulted in a few accidents.","" +113893,682053,NORTH CAROLINA,2017,February,Winter Weather,"IREDELL",2017-02-05 04:00:00,EST-5,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light freezing precipitation developed briefly across portions of the Piedmont during the pre-dawn hours. This caused some patchy areas of a light glaze that resulted in a few accidents.","" +113893,682054,NORTH CAROLINA,2017,February,Winter Weather,"ROWAN",2017-02-05 04:00:00,EST-5,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light freezing precipitation developed briefly across portions of the Piedmont during the pre-dawn hours. This caused some patchy areas of a light glaze that resulted in a few accidents.","" +116060,702180,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:01:00,CST-6,2017-05-16 21:01:00,0,0,0,0,2.00K,2000,0.00K,0,44.3642,-91.0323,44.3642,-91.0323,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down south of Hixton." +116060,702181,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:07:00,CST-6,2017-05-16 21:07:00,0,0,0,0,2.00K,2000,0.00K,0,44.3585,-90.9637,44.3585,-90.9637,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down southeast of Hixton across County Road A." +114387,689060,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 11:50:00,EST-5,2017-05-05 11:50:00,0,0,0,0,0.00K,0,0.00K,0,40.279,-74.0174,40.2797,-74.0109,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Palmer ave was flooded." +112996,675297,LOUISIANA,2017,February,Tornado,"LIVINGSTON",2017-02-07 10:20:00,CST-6,2017-02-07 10:32:00,3,0,0,0,,NaN,,NaN,30.3128,-90.5857,30.3365,-90.4702,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A tornado touched down near the intersection of Carthage Bluff Road and Carthage Lane on the south side of Killian causing minor damage to a home and some trees. As it moved east-northeast along Carthage Bluff Road, it strengthened and snapped or uprooted numerous trees. It continued to strengthen further as it approached Davidson Road. In this area, it is estimated to have reached its peak intensity with winds near 120 mph. It destroyed three barns and destroyed a single family home that had been built on a cinder block foundation. The maximum estimated wind speed is based on this destroyed home which was not secured to the foundation, and also supported by snapped telephone poles in the area. The tornado then moved into a marshy area and continued to snap and uproot numerous trees as it moved into Tangipahoa Parish. Two people were seriously injured in the home that was destroyed on Davidson Road." +115671,695127,INDIANA,2017,April,Thunderstorm Wind,"PUTNAM",2017-04-26 17:35:00,EST-5,2017-04-26 17:35:00,0,0,0,0,20.00K,20000,,NaN,39.6138,-86.8395,39.6138,-86.8395,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","Multiple trees were downed across county roads due to damaging thunderstorm wind gusts. Highway 231 between Greencastle and Highway 40 was closed due to multiple trees and power lines down. One inch hail was also reported." +115671,695128,INDIANA,2017,April,Hail,"BOONE",2017-04-26 17:56:00,EST-5,2017-04-26 17:58:00,0,0,0,0,,NaN,,NaN,39.95,-86.66,39.95,-86.66,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695129,INDIANA,2017,April,Hail,"PUTNAM",2017-04-26 18:02:00,EST-5,2017-04-26 18:04:00,0,0,0,0,,NaN,,NaN,39.67,-86.75,39.67,-86.75,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695130,INDIANA,2017,April,Thunderstorm Wind,"PUTNAM",2017-04-26 18:02:00,EST-5,2017-04-26 18:02:00,0,0,0,0,,NaN,,NaN,39.67,-86.75,39.67,-86.75,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","An estimated 60 mph thunderstorm wind gust was observed in this location." +115671,695131,INDIANA,2017,April,Hail,"BOONE",2017-04-26 18:08:00,EST-5,2017-04-26 18:10:00,0,0,0,0,,NaN,,NaN,40.05,-86.47,40.05,-86.47,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695132,INDIANA,2017,April,Hail,"HENDRICKS",2017-04-26 18:17:00,EST-5,2017-04-26 18:19:00,0,0,0,0,,NaN,,NaN,39.76,-86.56,39.76,-86.56,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695134,INDIANA,2017,April,Thunderstorm Wind,"BOONE",2017-04-26 18:20:00,EST-5,2017-04-26 18:20:00,0,0,0,0,20.00K,20000,,NaN,39.97,-86.62,39.97,-86.62,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","Eighteen utility poles were downed along State Road 75 due to damaging thunderstorm wind gusts." +115671,695135,INDIANA,2017,April,Hail,"TIPTON",2017-04-26 18:36:00,EST-5,2017-04-26 18:38:00,0,0,0,0,,NaN,,NaN,40.29,-86.23,40.29,-86.23,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695137,INDIANA,2017,April,Thunderstorm Wind,"TIPTON",2017-04-26 18:36:00,EST-5,2017-04-26 18:36:00,0,0,0,0,,NaN,,NaN,40.29,-86.23,40.29,-86.23,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","An estimated 50 to 60 mph thunderstorm wind gust was observed in this location." +115671,695139,INDIANA,2017,April,Hail,"TIPTON",2017-04-26 18:42:00,EST-5,2017-04-26 18:44:00,0,0,0,0,,NaN,,NaN,40.38,-86.13,40.38,-86.13,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +115671,695140,INDIANA,2017,April,Thunderstorm Wind,"TIPTON",2017-04-26 18:42:00,EST-5,2017-04-26 18:42:00,0,0,0,0,,NaN,,NaN,40.38,-86.13,40.38,-86.13,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","A measured 73 mph thunderstorm wind gust was observed in this location." +112977,675116,WYOMING,2017,February,Winter Storm,"JACKSON HOLE",2017-02-06 02:00:00,MST-7,2017-02-07 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow fell throughout the Jackson Valley. The highest amounts were near Wilson, where 16 inches of new snow fell. Near the Jackson Dam, there was 9.5 inches of new snow. In Jackson, a very heavy snow load led to the collapse of the roof on the Sears Department Store. Near Teton Village, strong winds estimated over 70 mph, combined with heavy snow to down 17 power poles which led to a power outage lasting through the 11th. Jackson Hole Ski resort was closed through Monday the 13th." +112977,675119,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-02-06 11:00:00,MST-7,2017-02-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","Heavy snow fell in portions of the Cody Foothills. Around Wapati, Cody and Clark, 6 to 8 inches of new snow occurred. Snowfall amounts dropped rapidly further south." +113998,682758,NEW HAMPSHIRE,2017,February,Heavy Snow,"INTERIOR ROCKINGHAM",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682759,NEW HAMPSHIRE,2017,February,Heavy Snow,"MERRIMACK",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682760,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN CARROLL",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682761,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN COOS",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682762,NEW HAMPSHIRE,2017,February,Heavy Snow,"NORTHERN GRAFTON",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682763,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN CARROLL",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682764,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN COOS",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +112553,671540,NEW MEXICO,2017,February,High Wind,"FAR NORTHEAST HIGHLANDS",2017-02-23 08:58:00,MST-7,2017-02-23 11:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","A public weather station near Miami reported sustained winds of 42 mph for just over two hours." +112553,671542,NEW MEXICO,2017,February,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-02-23 09:30:00,MST-7,2017-02-23 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Sierra Blanca Regional Airport reported a peak wind gust to 61 mph." +112553,671543,NEW MEXICO,2017,February,High Wind,"ESTANCIA VALLEY",2017-02-23 09:39:00,MST-7,2017-02-23 11:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","A public weather station near Stanley reported sustained winds of 43 mph for two hours." +112553,671545,NEW MEXICO,2017,February,High Wind,"NORTHEAST HIGHLANDS",2017-02-23 09:30:00,MST-7,2017-02-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","A public weather station six miles north of Tecolotito topped out at 68 mph. The Las Vegas Municipal Airport reported a peak wind gust to 63 mph." +112663,673217,NEW MEXICO,2017,February,High Wind,"QUAY COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Tucumcari Municipal Airport reported a peak wind gust up to 68 mph with sustained winds as high as 52 mph. House reported a peak wind gust up to 61 mph with sustained winds as high as 47 mph." +112663,673219,NEW MEXICO,2017,February,High Wind,"GUADALUPE COUNTY",2017-02-28 11:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Union Pacific Railroad mesonet site near Vaughn reported a peak wind gust up to 59 mph with sustained winds as high as 50 mph." +113952,682593,OREGON,2017,February,Flood,"WASHINGTON",2017-02-09 17:15:00,PST-8,2017-02-10 08:07:00,0,0,0,0,0.00K,0,0.00K,0,45.4749,-123.1256,45.4745,-123.1252,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Tualatin River near Dilley to flood. The river crested at 17.77 feet, which is 0.27 feet above flood stage." +114606,687327,WISCONSIN,2017,April,Hail,"BUFFALO",2017-04-09 21:19:00,CST-6,2017-04-09 21:19:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-91.84,44.23,-91.84,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Golf ball sized hail was reported near Cochrane." +114605,687329,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 21:19:00,CST-6,2017-04-09 21:19:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-92.56,44.08,-92.56,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Half dollar sized hail fell on the northwest side of Rochester." +114605,687330,MINNESOTA,2017,April,Hail,"DODGE",2017-04-09 21:30:00,CST-6,2017-04-09 21:30:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-92.95,43.89,-92.95,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported west of Hayfield." +114606,687331,WISCONSIN,2017,April,Hail,"TAYLOR",2017-04-09 21:42:00,CST-6,2017-04-09 21:42:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-90.9,45.16,-90.9,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","" +114605,687332,MINNESOTA,2017,April,Hail,"DODGE",2017-04-09 21:50:00,CST-6,2017-04-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.85,44.03,-92.85,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Egg sized hail was reported in Dodge Center." +114605,687333,MINNESOTA,2017,April,Hail,"FILLMORE",2017-04-09 21:50:00,CST-6,2017-04-09 21:50:00,0,0,0,0,0.00K,0,0.00K,0,43.68,-92.08,43.68,-92.08,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","" +115111,690974,OHIO,2017,May,Thunderstorm Wind,"ROSS",2017-05-19 17:00:00,EST-5,2017-05-19 17:02:00,0,0,0,0,5.00K,5000,0.00K,0,39.45,-83.17,39.45,-83.17,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A barn was blown onto a highway." +114217,684201,OREGON,2017,February,Ice Storm,"WESTERN COLUMBIA RIVER GORGE",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","Local TV meteorologist reported 0.4 inches of ice at his house in Corbett, and a CoCoRaHs observer recorded 1.13 inches of ice on top of 0.5 inches of snow also in Corbett." +114261,684559,WASHINGTON,2017,February,High Wind,"SOUTH COAST",2017-02-15 15:45:00,PST-8,2017-02-15 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A second strong front brought high winds to the Washington Coast. Additional rain caused a landslide on I-5 near Woodland.","The weather station at Cape Disappointment recorded winds up to 52 mph with gusts up to 67 mph. Another weather station at Toke Point recorded sustained winds up to 43 mph." +114261,684560,WASHINGTON,2017,February,Heavy Rain,"COWLITZ",2017-02-16 15:00:00,PST-8,2017-02-16 17:00:00,0,0,0,0,,NaN,0.00K,0,45.9046,-122.7418,45.9046,-122.7418,"A second strong front brought high winds to the Washington Coast. Additional rain caused a landslide on I-5 near Woodland.","Additional heavy rain caused a landslide on I-5 near Woodland." +114262,684562,OREGON,2017,February,High Wind,"CASCADE FOOTHILLS IN LANE COUNTY",2017-02-20 08:45:00,PST-8,2017-02-20 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across Northwest Oregon, bringing high winds to the Cascades in Lane County.","Lane County Sheriff reported a tree down across Highway 58." +114204,684037,OREGON,2017,February,Strong Wind,"GREATER PORTLAND METRO AREA",2017-02-01 05:00:00,PST-8,2017-02-02 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"High pressure sliding down into the Columbia Basin and a low pressure system offshore generated strong easterly winds through the Columbia River Gorge and into the northern Willamette Valley.","East winds around 30 to 40 mph with gusts up to 51 mph downed several trees across the Portland Metro Area." +114217,684192,OREGON,2017,February,Winter Weather,"CENTRAL COLUMBIA RIVER GORGE",2017-02-07 08:00:00,PST-8,2017-02-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","CoCoRaHS observations showed 6 to 8 inches were observed in the Hood River and White Salmon areas over a 24 hour period." +113734,681131,CALIFORNIA,2017,February,Debris Flow,"SAN BERNARDINO",2017-02-17 16:00:00,PST-8,2017-02-17 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,34.3202,-117.501,34.3145,-117.4834,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","A big rig and car were caught in a mud flow near Highway 138 and Lone Pine Rd. Elsewhere along Highway 138 mud flows caused significant damage to area roadways." +113813,681469,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-24 16:41:00,EST-5,2017-02-24 16:42:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-86.08,41.67,-86.08,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","" +113815,681476,MICHIGAN,2017,February,Thunderstorm Wind,"BERRIEN",2017-02-24 07:52:00,EST-5,2017-02-24 07:53:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-86.53,42.01,-86.53,"A line of strong to severe thunderstorms developed during the overnight hours across Wisconsin and Illinois and moved east across Lake Michigan, reaching the western parts of lower Michigan close to sunrise. Wind damage was reported as the line came onshore.","Emergency management officials reported large tree limbs down across a local roadway." +113816,681477,OHIO,2017,February,Hail,"WILLIAMS",2017-02-24 21:03:00,EST-5,2017-02-24 21:04:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-84.54,41.47,-84.54,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","" +112433,681557,CALIFORNIA,2017,February,Flood,"SAN FRANCISCO",2017-02-20 08:22:00,PST-8,2017-02-20 10:22:00,0,0,0,0,0.00K,0,0.00K,0,37.7207,-122.4477,37.7205,-122.4479,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Approx 2 ft of water across Geneva on ramp to I280." +113354,678783,MARYLAND,2017,April,Thunderstorm Wind,"QUEEN ANNE'S",2017-04-06 13:47:00,EST-5,2017-04-06 13:47:00,0,0,0,0,,NaN,,NaN,38.92,-75.96,38.92,-75.96,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A tree was downed due to thunderstorm winds." +113354,678784,MARYLAND,2017,April,Thunderstorm Wind,"QUEEN ANNE'S",2017-04-06 13:47:00,EST-5,2017-04-06 13:47:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Trees downed throughout the county." +113354,678785,MARYLAND,2017,April,Thunderstorm Wind,"CECIL",2017-04-06 14:01:00,EST-5,2017-04-06 14:01:00,0,0,0,0,,NaN,,NaN,39.6,-75.94,39.6,-75.94,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Damage to trees, power lines and fences throughout the town. ||NWS Note: Some meso circulations were noted in the area, a small probability of a tornado based on radar. No direct information to suggest this." +113354,678786,MARYLAND,2017,April,Thunderstorm Wind,"CECIL",2017-04-06 14:01:00,EST-5,2017-04-06 14:01:00,0,0,0,0,,NaN,,NaN,39.57,-76.07,39.57,-76.07,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Trees downed and several roads closed." +113355,678789,NEW JERSEY,2017,April,Flood,"CAMDEN",2017-04-06 13:26:00,EST-5,2017-04-06 13:26:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-75.11,39.9528,-75.1201,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Flooding in Camden forced closure of the river line NJ transit service." +113355,678790,NEW JERSEY,2017,April,Flood,"HUNTERDON",2017-04-06 16:45:00,EST-5,2017-04-06 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.522,-74.8166,40.5199,-74.817,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Rockafellows mill bridge was flooded." +112637,672394,MINNESOTA,2017,February,Blizzard,"JACKSON",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 3 to 7 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. Many local authorities were recommending no travel." +112637,672395,MINNESOTA,2017,February,Blizzard,"NOBLES",2017-02-23 18:00:00,CST-6,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 5 inches combined with strong winds of 40 to 45 mph created blizzard conditions with widespread visibilities below a half mile. The worst of the conditions existed in the southern portion of the county." +112637,672397,MINNESOTA,2017,February,Blizzard,"MURRAY",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 4 inches combined with strong winds of 30 to 40 mph created localized blizzard conditions with widespread visibilities below a half mile. Highway crews were reporting localized white-out conditions." +112637,672398,MINNESOTA,2017,February,Blizzard,"PIPESTONE",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 4 inches combined with strong winds of 30 to 40 mph created localized blizzard conditions with widespread visibilities below a half mile. Highway crews were reporting localized white-out conditions." +112637,672399,MINNESOTA,2017,February,Blizzard,"ROCK",2017-02-23 18:00:00,CST-6,2017-02-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major Winter Storm moved through the area producing widespread blizzard conditions with heavy snow along with winds of 30 to 35 mph producing visibilities below a half mile. Many local authorities were recommending no travel during the height of the storm.","Snowfall of 2 to 6 inches combined with strong winds of 30 to 40 mph created localized blizzard conditions with widespread visibilities below a half mile. Local authorities were recommending no travel. The worst conditions occurred along Interstate 90." +112215,669133,ALASKA,2017,February,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-02-02 09:00:00,AKST-9,2017-02-03 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ground Hog's Day 2017. Arctic high pressure persisted over the Yukon and then extended into British Columbia as a shortwave aloft moved down into the Panhandle from the north. The result was a minor wind warning event for Downtown and Douglas. No damage was reported.","South Douglas JAWS profiler recorded two gusts to 65 mph on the morning of 2/2. No damage was reported." +112810,674726,TEXAS,2017,February,Thunderstorm Wind,"BASTROP",2017-02-20 00:10:00,CST-6,2017-02-20 00:10:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-97.48,30.15,-97.48,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that knocked down some large tree limbs and significantly damaged a car port." +112810,674729,TEXAS,2017,February,Thunderstorm Wind,"BASTROP",2017-02-20 00:25:00,CST-6,2017-02-20 00:25:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-97.36,30.34,-97.36,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph knocked down multiple power poles and damaged some trees and roofs across the southern part of Elgin." +112810,674732,TEXAS,2017,February,Thunderstorm Wind,"LEE",2017-02-20 00:41:00,CST-6,2017-02-20 00:41:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-97,30.46,-97,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts measured at 78 mph at knocked down a tree across Hwy 77 north of Lexington." +112810,674875,TEXAS,2017,February,Thunderstorm Wind,"COMAL",2017-02-19 23:06:00,CST-6,2017-02-19 23:06:00,0,0,0,0,0.00K,0,0.00K,0,29.71,-98.19,29.71,-98.19,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that damaged a number of Juniper and Cedar trees. Limbs from five inches to one foot diameter were ripped from the trees." +112810,674876,TEXAS,2017,February,Thunderstorm Wind,"GUADALUPE",2017-02-19 23:00:00,CST-6,2017-02-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,29.59,-98.29,29.59,-98.29,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down a large highway sign on I-35 at Schertz Pkwy." +112810,674877,TEXAS,2017,February,Thunderstorm Wind,"GUADALUPE",2017-02-19 23:14:00,CST-6,2017-02-19 23:14:00,0,0,0,0,0.00K,0,0.00K,0,29.46,-97.95,29.46,-97.95,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that overturned several RVs at an RV shop south of Seguin." +112810,674878,TEXAS,2017,February,Thunderstorm Wind,"COMAL",2017-02-19 23:08:00,CST-6,2017-02-19 23:08:00,0,0,0,0,0.00K,0,0.00K,0,29.7439,-98.1717,29.7439,-98.1717,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 75 mph that tore part of the roof off a barn, knocked down a road sign, uprooted a tree, and knocked down several tree branches up to three inches diameter along Hueco Springs Loop Rd. in New Braunfels." +112374,670097,OREGON,2017,February,Flood,"KLAMATH",2017-02-09 19:45:00,PST-8,2017-02-11 17:15:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-120.94,42.35,-120.95,"Heavy rain combined with snow melt caused flooding along the Sprague River in south central Oregon.","The Sprague River near Beatty exceeded flood stage (8.5 feet) at 09/1945 PST. The river crested at 9.59 feet several times between 10/1415 and 10/1515 PST. The river fell below flood stage at 11/1715 PST." +112377,670098,OREGON,2017,February,Flood,"CURRY",2017-02-09 15:45:00,PST-8,2017-02-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-123.9,42.74,-123.75,"Heavy rain combined with snow melt caused flooding along the Rogue River in southwest Oregon.","The Rogue River near Agness exceeded flood stage (17.0 feet) at 09/1545 PST. The river crested at 18.64 feet at 09/2100 PST. The river fell below flood stage at 10/1100 PST." +112385,670099,OREGON,2017,February,High Wind,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-02-07 11:01:00,PST-8,2017-02-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to a few locations in south central Oregon.","The Calimus RAWS recorded a gust to 59 mph at 07/1200 PST." +112386,670104,OREGON,2017,February,High Wind,"CURRY COUNTY COAST",2017-02-08 08:14:00,PST-8,2017-02-09 09:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to part of southwest and south central Oregon.","The Flynn Prairie RAWS recorded numerous gusts exceeding 57 mph during this interval. The peak gust was 80 mph recorded at 08/2113 PST. A CWOP observer at Brookings recorded a gust to 58 mph at 09/0921 PST. The Gold Beach ASOS recorded a gust to 62 mph at 08/2259 PST." +112386,670105,OREGON,2017,February,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-02-09 01:40:00,PST-8,2017-02-09 08:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to part of southwest and south central Oregon.","The Squaw Peak RAWS recorded gusts to 77 mph at 09/0239 and 09/0339 PST, a gust to 81 mph at 09/0639, a gust to 86 mph at 09/0739 PST, and a peak gust to 87 mph at 09/0839 PST." +112386,670106,OREGON,2017,February,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-02-08 20:45:00,PST-8,2017-02-09 16:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to part of southwest and south central Oregon.","The Coffee Pot Flat RAWS recorded numerous gusts exceeding 58 mph between 08/2045 PST and 09/0544 PST. The peak gust was 70 mph at 09/0144 PST. The Rock Creek RAWS recorded many gusts exceeding 58 mph between 08/2328 PST and 09/1127 PST. The peak gust was 80 mph recorded at 09/0827 PST. The Summer Lake RAWS recorded many gusts exceeding 58 mph between 08/2139 PST and 09/1038 PST. The peak gust was 63 mph recorded at 09/0238 PST. The Summit RAWS recorded many gusts exceeding 58 mph between 08/2303 PST and 09/1603 PST. The peak gust was 64 mph recorded at 09/1603 PST. A spotter 9SSE Summer Lake recorded a gust to 68 mph at 09/0844 PST. He also reported numerous branches down and a power outage from 09/0400 until 09/0930 PST." +112386,670107,OREGON,2017,February,High Wind,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-02-09 06:01:00,PST-8,2017-02-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to part of southwest and south central Oregon.","The Calimus RAWS recorded gusts exceeding 60 mph continuously during this interval. The peak gust was 66 mph recorded at 09/0900 PST." +111484,673277,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,0.00K,0,0.00K,0,31.6344,-83.9164,31.6344,-83.9164,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Fowler Road." +111484,673280,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:39:00,EST-5,2017-01-02 22:39:00,0,0,0,0,3.00K,3000,0.00K,0,31.7076,-83.8865,31.7076,-83.8865,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Damage occurred to a shop on Highway 313 North. Damage cost was estimated." +111484,673278,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:37:00,EST-5,2017-01-02 22:37:00,0,0,0,0,0.00K,0,0.00K,0,31.6282,-83.8924,31.6282,-83.8924,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Crowe Lane." +111484,673284,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-02 22:43:00,EST-5,2017-01-02 22:43:00,0,0,0,0,0.00K,0,0.00K,0,31.6963,-83.8657,31.6963,-83.8657,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Red Oak Road." +120818,724776,OHIO,2017,November,Tornado,"HURON",2017-11-05 17:08:00,EST-5,2017-11-05 17:13:00,0,0,0,0,200.00K,200000,0.00K,0,41.1857,-82.6389,41.2087,-82.5908,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down in rural Peru Township south of Norwalk. The initial touchdown occurred along State Route 61 about half way between Hasbrock Road and Peru Hollow Road. Some utility poles and trees were downed in the area. The tornado then continued mainly northeast downing many trees. A large swath of pine trees was leveled along Ridge Road just south of Hasbrock Road. The trees were uprooted or snapped in a convergent pattern. The tornado continued northeast to New State Road where a couple of barns and sheds sustained some roof damage. The tornado then crossed the southern end of a golf course where more downed trees and projectiles were observed. The tornado eventually lifted just south of where Old State Road crosses U.S. Route 250. This tornado was on the ground for just under 3 miles and had a damage path up to 200 yards wide." +112569,671555,INDIANA,2017,February,Hail,"FRANKLIN",2017-02-24 17:53:00,EST-5,2017-02-24 17:58:00,0,0,0,0,0.00K,0,0.00K,0,39.5,-85.28,39.5,-85.28,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","The hail fell near the intersection of U.S. 52 and State Route 244." +112569,671556,INDIANA,2017,February,Hail,"RIPLEY",2017-02-24 18:35:00,EST-5,2017-02-24 18:40:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-85.1,39.23,-85.1,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112569,671558,INDIANA,2017,February,Thunderstorm Wind,"UNION",2017-02-24 18:23:00,EST-5,2017-02-24 18:33:00,0,0,0,0,9.00K,9000,0.00K,0,39.58,-84.9,39.58,-84.9,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Seven power poles were knocked down near the intersection of South Liberty Pike Road and East Retherford Road." +116089,698630,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-17 17:13:00,CST-6,2017-05-17 17:13:00,0,0,0,0,3.00K,3000,0.00K,0,43.06,-92.31,43.06,-92.31,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Some large trees were blown down in New Hampton." +116089,698631,IOWA,2017,May,Thunderstorm Wind,"MITCHELL",2017-05-17 17:20:00,CST-6,2017-05-17 17:20:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-92.59,43.23,-92.59,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","A 68 mph wind gust occurred southeast of New Haven." +116089,698632,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-17 17:21:00,CST-6,2017-05-17 17:21:00,0,0,0,0,2.00K,2000,0.00K,0,43.06,-92.52,43.06,-92.52,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 60 mph wind gust occurred in Bassett that damaged some trees." +116089,698633,IOWA,2017,May,Thunderstorm Wind,"CHICKASAW",2017-05-17 17:25:00,CST-6,2017-05-17 17:25:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-92.42,43.2,-92.42,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","An estimated 60 mph wind gust occurred in Alta Vista." +113728,680820,IDAHO,2017,February,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-02-07 14:00:00,MST-7,2017-02-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific story system brought heavy snow to high elevations in southeast Idaho. Amounts of 10 to 23 inches occurred.","Heaviest SNOTEL amounts were 18 inches at Bear Canyon and 15 inches at Mill Creek Summit. 11 inches fell at the Stanley COOP site." +113728,680836,IDAHO,2017,February,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-02-07 16:00:00,MST-7,2017-02-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific story system brought heavy snow to high elevations in southeast Idaho. Amounts of 10 to 23 inches occurred.","At the White Elephant SNOTEL site 12 inches of snow fell. 6 inches fell Island Park." +113728,680841,IDAHO,2017,February,Heavy Snow,"SOUTH CENTRAL HIGHLANDS",2017-02-07 15:00:00,MST-7,2017-02-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific story system brought heavy snow to high elevations in southeast Idaho. Amounts of 10 to 23 inches occurred.","The Howell Canyon SNOTEL received 16 inches of snow." +113728,681086,IDAHO,2017,February,Heavy Snow,"WASATCH MOUNTAINS/IADHO PORTION",2017-02-07 14:00:00,MST-7,2017-02-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific story system brought heavy snow to high elevations in southeast Idaho. Amounts of 10 to 23 inches occurred.","Ten inches of snow fell at the Emigrant Summit SNOTEL sites." +113728,681088,IDAHO,2017,February,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-02-07 13:00:00,MST-7,2017-02-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific story system brought heavy snow to high elevations in southeast Idaho. Amounts of 10 to 23 inches occurred.","SNOTEL snow amounts were: 8 inches Chocolate Gulch, 19 inches Galena, 16 inches Dollarhide Summit, 15 inches Galena Summit, 10 inches Hyndman, 22 inches Lost Wood Divide, 8 inches Swede Peak, and 26 inches Vienna Mine." +113759,681109,IDAHO,2017,February,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-02-03 12:00:00,MST-7,2017-02-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ten to 30 inches of snow fell in the central mountains with heavy high elevation snow in the Upper Snake River Highlands too.","The Stanley COOP site reported 9 inches of snow with 15 inches at the Bear Canyon SNOTEL and 16 inches at the Smiley Mountain SNOTEL." +113759,681111,IDAHO,2017,February,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-02-03 12:00:00,MST-7,2017-02-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Ten to 30 inches of snow fell in the central mountains with heavy high elevation snow in the Upper Snake River Highlands too.","The Island Park COOP site reported 11 inches of snow. AMounts at SNOTEL sites were: 17 inches at Black Bear, 10 inches at Phillips Bench, and 12 inches at White Elephant." +113766,681122,IDAHO,2017,February,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-02-17 18:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell again in the central and southeast mountains of Idaho. Several SNOTEL sites reported over 10 inches of snow.","The Crab Creek SNOTEL received 19 inches of snow and the Island Park COOP site received 7 inches." +113555,679903,WYOMING,2017,February,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-22 23:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Heavy snow fell across the Green and Rattlesnake Range. The highest snow amount measured was 17 inches at Jeffrey City." +113555,679905,WYOMING,2017,February,Winter Storm,"UPPER GREEN RIVER BASIN",2017-02-22 23:00:00,MST-7,2017-02-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Trained spotters measured 6 to 9 inches around Farson. Snowfall amounts decreased further north in the zone." +113951,682353,ARKANSAS,2017,February,Funnel Cloud,"GARLAND",2017-02-28 17:25:00,CST-6,2017-02-28 17:26:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-93.06,34.7,-93.06,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682354,ARKANSAS,2017,February,Hail,"PERRY",2017-02-28 17:40:00,CST-6,2017-02-28 17:40:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-92.77,34.88,-92.77,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682355,ARKANSAS,2017,February,Hail,"PERRY",2017-02-28 17:46:00,CST-6,2017-02-28 17:46:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-92.59,34.94,-92.59,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682371,ARKANSAS,2017,February,Hail,"PULASKI",2017-02-28 17:49:00,CST-6,2017-02-28 17:49:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-92.49,34.92,-92.49,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +112865,674239,HAWAII,2017,February,High Surf,"WAIANAE COAST",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674240,HAWAII,2017,February,High Surf,"OAHU NORTH SHORE",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674241,HAWAII,2017,February,High Surf,"OAHU KOOLAU",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674242,HAWAII,2017,February,High Surf,"MOLOKAI WINDWARD",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674243,HAWAII,2017,February,High Surf,"MOLOKAI LEEWARD",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674244,HAWAII,2017,February,High Surf,"MAUI WINDWARD WEST",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674245,HAWAII,2017,February,High Surf,"MAUI CENTRAL VALLEY",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +113881,682022,ALABAMA,2017,February,Thunderstorm Wind,"LEE",2017-02-07 14:53:00,CST-6,2017-02-07 14:54:00,1,0,0,0,0.00K,0,0.00K,0,32.6237,-85.3815,32.6237,-85.3815,"A deep upper level trough moved through the Tennessee Valley. The associated surface low pressure system moved northeastward from the Central Plains into the Great Lakes. The system had a strong low level jet, while the upper level jet remained displaced to the north and west. A large complex of storms developed and swept through Central Alabama during the day on Tuesday, February 7, 2017. A few stronger storms developed along a bowing line segment during the late morning and into the early afternoon hours.","National Weather Service meteorologists surveyed damage in the city of Opelika that was consistent with straight line wind damage, with maximum sustained winds estimated at 60 to 70 mph.||This swath of damaging wind began at a large warehouse building on Williamson Avenue. Significant structure and roof damage was sustained. The damaging winds continued northeastward onto Steel Street, where another industrial building sustained roof damage, along with minor damage to other structures. The Goo Goo Car Wash on Marvyn Parkway sustained significant roof damage just to the northeast, where the swath of damaging winds ended. The swath was 0.66 miles long and was 150 yards wide at its widest point. One person sustained minor injuries at the car wash. ||Thanks to Lee County EMA for their assistance with this survey." +112281,669556,NEW YORK,2017,February,Winter Storm,"EASTERN CLINTON",2017-02-12 11:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with locally higher reports, including Standish with 19 inches, Morrisonville with 13 inches and Plattsburgh with 12 inches." +112281,669557,NEW YORK,2017,February,Winter Storm,"WESTERN CLINTON",2017-02-12 11:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with locally higher reports, including Standish with 19 inches, Morrisonville with 13 inches and Plattsburgh with 12 inches." +114011,682824,WASHINGTON,2017,February,Winter Storm,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-02-08 04:00:00,PST-8,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Winter storm produced a snow accumulation of 12 inches with an ice accumulation of 0.38 inches on top of the snow. Occurred 1 mile NNW of Glenwood in Klickitat county." +114011,682825,WASHINGTON,2017,February,Heavy Snow,"SIMCOE HIGHLANDS",2017-02-08 04:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Total snow accumulation of 7 inches, 5 miles NNW of Goldendale in Klickitat county. Also snow changed to freezing rain in the afternoon for an accumulation of 0.13 inches on top of the snow." +114011,683369,WASHINGTON,2017,February,Heavy Snow,"YAKIMA VALLEY",2017-02-08 04:10:00,PST-8,2017-02-09 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 5 inches at Tieton in Yakima county." +114011,683370,WASHINGTON,2017,February,Heavy Snow,"KITTITAS VALLEY",2017-02-08 06:00:00,PST-8,2017-02-09 02:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 6 inches, 1 mile SE of Ellensburg in Kittitas county." +114011,683371,WASHINGTON,2017,February,Heavy Snow,"LOWER COLUMBIA BASIN",2017-02-08 07:00:00,PST-8,2017-02-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Measured snow accumulation of 4 inches at West Richland in Benton county." +114011,683372,WASHINGTON,2017,February,Winter Storm,"BLUE MOUNTAIN FOOTHILLS",2017-02-08 08:00:00,PST-8,2017-02-09 04:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Ice and sleet accumulation of 0.25 inches at Walla Walla in Walla Walla county. Started as snow then changed to freezing rain and sleet. Mixed with snow in the evening, after this report." +114119,683373,OREGON,2017,February,Flood,"WHEELER",2017-02-10 02:07:00,PST-8,2017-02-10 13:19:00,0,0,0,0,0.00K,0,0.00K,0,44.8,-120.02,44.782,-120.013,"Flows on the John Day river reached flood levels downstream of Monument due to the breaking up of an ice jam.","The John Day River at Service Creek briefly rose to 12.2 feet (flood stage is 11.5 feet). This was the result of an ice jam near Monument Oregon, blocking the river and then breaking free, sending the large volume of water downstream." +114123,683393,WASHINGTON,2017,February,Flood,"BENTON",2017-02-21 14:43:00,PST-8,2017-02-21 20:39:00,0,0,0,0,0.00K,0,0.00K,0,46.239,-119.3807,46.2419,-119.5167,"Rapid melting of low elevation snow pack with heavy rain cause flooding across portions of southeast Washington.","Mild temperatures February 9 -13 allowed an initial snow melt and heavy rain caused rapid melting and increased runoff across Benton county. This area had a snowpack of 5-10 inches on February 15, with much of it melted by February 21. Rain amounts of 0.50 to 0.75 were seen on February 16 and temperatures remained above freezing through February 22 with additional rain amounts of 0.50 to 1.00 inches on February 21-22. Numerous county roads had washouts, erosion, slides and undermining." +114259,684557,OREGON,2017,February,High Wind,"CENTRAL OREGON COAST",2017-02-15 03:20:00,PST-8,2017-02-15 03:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first of two strong fronts brought high winds to the Oregon Coast.","The weather station on the Yaquina Bridge recorded wind gusts up to 64 mph." +114260,684558,OREGON,2017,February,High Wind,"NORTHERN OREGON COAST",2017-02-15 15:45:00,PST-8,2017-02-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A second strong front brought high winds to the Oregon Coast.","Weather stations at Garibaldi and Clatsop Spit both recorded sustained winds up to 42 mph." +113381,678433,TEXAS,2017,February,Flash Flood,"YOUNG",2017-02-19 21:00:00,CST-6,2017-02-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,33.0805,-98.5883,33.0753,-98.587,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Young County Sheriffs Department reported that Old Bunger Road at the intersection of Terry Street was closed due to high water." +113381,678434,TEXAS,2017,February,Flash Flood,"YOUNG",2017-02-19 21:00:00,CST-6,2017-02-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,33.2653,-98.5067,33.2595,-98.5057,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Young County Sheriffs Department reported water flowing across State Highway 16 N near the intersection of Highway 114, and that it would need to be closed soon." +113381,678435,TEXAS,2017,February,Thunderstorm Wind,"ROBERTSON",2017-02-20 01:15:00,CST-6,2017-02-20 01:15:00,0,0,0,0,5.00K,5000,0.00K,0,30.98,-96.65,30.98,-96.65,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Robertson County Sheriff's Department reported that the roof was blown off of a house in Calvert, TX, and that trees were reported down across the county." +113381,678653,TEXAS,2017,February,Thunderstorm Wind,"ROBERTSON",2017-02-20 01:30:00,CST-6,2017-02-20 01:30:00,0,0,0,0,10.00K,10000,0.00K,0,30.81,-96.48,30.81,-96.48,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A picture of an overturned trailer at LSP Trucking Facility was received from a member of the general public." +113381,678657,TEXAS,2017,February,Thunderstorm Wind,"ROBERTSON",2017-02-20 01:42:00,CST-6,2017-02-20 01:42:00,0,0,0,0,5.00K,5000,0.00K,0,31.2,-96.48,31.2,-96.48,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Franklin Volunteer Fire Department reported damage to outbuildings and damage to shingles; and that numerous trees were either snapped or uprooted and utility poles were blown down." +113742,681198,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-07 10:00:00,PST-8,2017-02-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0654,-122.0005,37.0653,-122.0007,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mudslide hit a vehicle, turning it on its roof on highway 17 and temporarily shut down NB lanes. Time is approximate from reports." +113742,681199,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-07 14:34:00,PST-8,2017-02-07 16:34:00,0,0,0,0,0.00K,0,0.00K,0,37.1258,-122.0195,37.1255,-122.0193,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Zayante Rd closed at Upper Ellen and Lower Ellen due to slides." +113742,681200,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-07 16:45:00,PST-8,2017-02-07 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.5133,-121.4578,37.5112,-121.4594,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Closure of road at W Corral Hollow Rd due to flooding." +113742,681201,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-07 16:55:00,PST-8,2017-02-07 18:55:00,0,0,0,0,0.00K,0,0.00K,0,37.2016,-121.9805,37.2014,-121.9806,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Mud slide reported at 18500 Limekiln Canyon Road." +113742,681203,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-08 16:22:00,PST-8,2017-02-08 18:22:00,0,0,0,0,0.00K,0,0.00K,0,38.4493,-123.1146,38.449,-123.1144,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Rock/mud slide reported at SR1 and Jenner Beach Trail." +112433,681549,CALIFORNIA,2017,February,Flood,"SAN MATEO",2017-02-20 05:40:00,PST-8,2017-02-20 07:40:00,0,0,0,0,0.00K,0,0.00K,0,37.4895,-122.2128,37.489,-122.2137,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Multiple reports of all lanes blocked on NB HWY 101 at Woodside Rd due to crash and flooding." +112433,681550,CALIFORNIA,2017,February,Flood,"SANTA CRUZ",2017-02-20 07:15:00,PST-8,2017-02-20 09:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9382,-121.8079,36.9378,-121.8081,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Buena Vista Drive to be closed due to flooding. Vehicles unable to pass." +112433,681552,CALIFORNIA,2017,February,Flood,"SAN FRANCISCO",2017-02-20 07:26:00,PST-8,2017-02-20 09:26:00,0,0,0,0,0.00K,0,0.00K,0,37.7046,-122.4704,37.7053,-122.4704,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on I280 at John Daly Blvd." +112433,681553,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 07:33:00,PST-8,2017-02-20 09:33:00,0,0,0,0,0.00K,0,0.00K,0,37.4099,-121.9976,37.41,-121.9972,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","About 1 ft of water on Hwy 237 and Caribbean off ramp." +113742,683438,CALIFORNIA,2017,February,Flash Flood,"MONTEREY",2017-02-07 16:00:00,PST-8,2017-02-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.2512,-121.7748,36.2544,-121.7828,"An atmospheric river swept through the Bay Area beginning on the night of Feb 6. This system produced widespread roadway flooding, debris flows, and strong winds.","Big Sur River near Big Sur gauge above flood stage." +113743,683439,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-09 14:22:00,PST-8,2017-02-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.9291,-122.514,37.929,-122.5164,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mudslides blocking most of NB lanes HWY 1." +113743,683441,CALIFORNIA,2017,February,Flash Flood,"SONOMA",2017-02-09 12:00:00,PST-8,2017-02-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,38.3147,-122.483,38.3128,-122.4824,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Sonoma Creek at Agua Caliente gauge above flood stage." +113743,683442,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-09 15:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8869,-122.5427,37.8867,-122.5409,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Tree and mudslide blocking northbound lane of Highway 1 just south of Chamberlain." +113743,683443,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-09 14:48:00,PST-8,2017-02-09 16:48:00,0,0,0,0,0.00K,0,0.00K,0,38.5017,-122.7612,38.5003,-122.7609,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","All west bound lanes blocked." +113743,683447,CALIFORNIA,2017,February,Flash Flood,"NAPA",2017-02-09 13:38:00,PST-8,2017-02-09 14:50:00,0,0,0,0,0.00K,0,0.00K,0,38.338,-122.2684,38.3379,-122.2693,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Milliken Creek at Atlas Peak Rd gauge above flood stage." +112433,683456,CALIFORNIA,2017,February,Flash Flood,"MONTEREY",2017-02-20 08:15:00,PST-8,2017-02-21 10:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2509,-121.7661,36.2578,-121.7716,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Big Sur River at Big Sur gauge above flood stage." +112433,683457,CALIFORNIA,2017,February,Flash Flood,"MONTEREY",2017-02-20 05:30:00,PST-8,2017-02-20 06:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2404,-121.7651,36.2512,-121.7803,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Mesonet reported 1.37 in/hr from 5:30AM to 6:30AM PST." +112433,683471,CALIFORNIA,2017,February,Flash Flood,"SANTA CLARA",2017-02-20 12:12:00,PST-8,2017-02-20 14:12:00,0,0,0,0,0.00K,0,0.00K,0,36.9895,-121.3851,36.9887,-121.3857,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding SR 152 at Casa De Fruta." +112322,670165,PENNSYLVANIA,2017,February,Thunderstorm Wind,"HUNTINGDON",2017-02-12 21:00:00,EST-5,2017-02-12 21:00:00,0,0,0,0,40.00K,40000,0.00K,0,40.63,-77.9633,40.63,-77.9633,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A severe thunderstorm producing winds estimated near 60 mph caused a barn collapse that killed four calves in West Township." +112322,670583,PENNSYLVANIA,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-12 21:56:00,EST-5,2017-02-12 21:56:00,0,0,0,0,5.00K,5000,0.00K,0,39.7438,-77.6272,39.7438,-77.6272,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A severe thunderstorm producing winds estimated near 60 mph knocked over a shed near the intersection of Marsh Road and Salem Church Road in Washington Township." +112322,669712,PENNSYLVANIA,2017,February,Thunderstorm Wind,"SOMERSET",2017-02-12 20:40:00,EST-5,2017-02-12 20:40:00,0,0,0,0,3.00K,3000,0.00K,0,39.92,-78.95,39.92,-78.95,"A cold front crossed the Mid-Atlantic area during the evening hours of February 12th, with a line of low-topped showers and thunderstorms developing along the front. This line was able to mix down strong winds from just off the surface, and produced a swath of 60 mph winds that knocked down trees and power lines from the Laurel Highlands eastward across the south-central mountains.","A severe thunderstorm produced 60 mph winds and knocked down trees around Berlin in Somerset County." +112163,669124,MONTANA,2017,February,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-02-01 00:00:00,MST-7,2017-02-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Mystic Lake received 13 inches of snow." +112163,669125,MONTANA,2017,February,Winter Storm,"RED LODGE FOOTHILLS",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 10 inches was reported across the area." +111484,673299,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:52:00,EST-5,2017-01-02 22:52:00,0,0,0,0,0.00K,0,0.00K,0,31.7388,-83.7309,31.7388,-83.7309,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Warwick Highway." +111484,673301,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:56:00,EST-5,2017-01-02 22:56:00,0,0,0,0,0.00K,0,0.00K,0,31.7195,-83.6545,31.7195,-83.6545,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Highway 159." +121208,725648,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:24:00,EST-5,2017-10-15 16:24:00,0,0,0,0,12.00K,12000,0.00K,0,42.56,-77.7,42.56,-77.7,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds on Hartman Road." +121208,725649,NEW YORK,2017,October,Thunderstorm Wind,"ALLEGANY",2017-10-15 16:25:00,EST-5,2017-10-15 16:25:00,0,0,0,0,10.00K,10000,0.00K,0,42.44,-78.01,42.44,-78.01,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +112675,672764,NEW YORK,2017,February,Winter Weather,"SOUTHERN SARATOGA",2017-02-07 08:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow, sleet and freezing rain developed across the region. With warmer air moving in aloft, precipitation primarily fell in the form of freezing rain for late in the day and into Tuesday night.||Ice accreted over a half inch in some locations, especially across the western and central Mohawk Valley. This resulted in numerous downed trees and power lines, which caused over 7,800 customers to lose power across New York State. The icy roadways also resulted in some auto accidents as well. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area.","" +112691,672844,NEW YORK,2017,February,Heavy Snow,"EASTERN DUTCHESS",2017-02-09 02:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672845,NEW YORK,2017,February,Heavy Snow,"EASTERN GREENE",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672847,NEW YORK,2017,February,Heavy Snow,"EASTERN SCHENECTADY",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672842,NEW YORK,2017,February,Heavy Snow,"EASTERN ALBANY",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112796,673831,NEBRASKA,2017,February,Winter Storm,"THOMAS",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","General public in Thedford reported 9 inches of snowfall. Snowfall amounts ranged from 6 to 11 inches across Thomas County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673827,NEBRASKA,2017,February,Winter Storm,"LOGAN",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer reported 6.5 inches, located 5 miles west of Stapleton. Snowfall amounts ranged from 6 to 9 inches across Logan County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112796,673837,NEBRASKA,2017,February,Winter Storm,"HOLT",2017-02-23 06:00:00,CST-6,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located in Ewing, reported 11 inches of snowfall. Snowfall amounts ranged from 8 to 12 inches across Holt County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility. Snowdrifts of 2 to 3 feet were reported in Holt County." +112811,674011,TEXAS,2017,February,Hail,"GONZALES",2017-02-26 20:19:00,CST-6,2017-02-26 20:19:00,0,0,0,0,0.00K,0,0.00K,0,29.51,-97.46,29.51,-97.46,"A weak upper level shortwave trough kicked off isolated thunderstorms one of which produced penny size hail.","" +112810,674657,TEXAS,2017,February,Flash Flood,"BEXAR",2017-02-20 02:33:00,CST-6,2017-02-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,29.3822,-98.7403,29.3855,-98.7156,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","Thunderstorms produced heavy rain that led to flash flooding closing Grosenbacher Rd. in far western San Antonio., and Menger Rd. at Fossil Creek." +112574,671694,KENTUCKY,2017,February,Thunderstorm Wind,"GALLATIN",2017-02-24 19:59:00,EST-5,2017-02-24 20:09:00,0,0,0,0,0.50K,500,0.00K,0,38.73,-84.82,38.73,-84.82,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Some tree limbs were knocked down near the intersections of Highway 16 and Cemetery Road." +112570,671656,OHIO,2017,February,Thunderstorm Wind,"CLERMONT",2017-02-24 21:10:00,EST-5,2017-02-24 21:20:00,0,0,0,0,1.00K,1000,0.00K,0,38.89,-84.21,38.89,-84.21,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","A tree was knocked down near the intersection of State Route 232 and Big Indian Road." +112810,674655,TEXAS,2017,February,Flash Flood,"BEXAR",2017-02-20 00:38:00,CST-6,2017-02-20 02:33:00,0,0,0,0,0.00K,0,0.00K,0,29.3056,-98.4224,29.298,-98.4104,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","Thunderstorms produced heavy rain that led to flash flooding closing S. Blue Wing Rd. north of Mickey Rd. in southeastern San Antonio." +112957,674950,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-02-22 12:55:00,EST-5,2017-02-22 12:55:00,0,0,0,0,0.00K,0,0.00K,0,28.4036,-80.6618,28.4036,-80.6618,"A developing area of low pressure over the northern Gulf of Mexico produced widespread showers and thunderstorms over the central Florida peninsula. A few storms produced strong wind gusts as they moved onshore Brevard County.","Weatherflow mesonet site XMER in Cocoa Beach recorded a peak gust of 36 knots from the southeast as a line of strong thunderstorms pushed onshore from the Atlantic and crossed the barrier islands." +112957,674951,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-02-22 15:04:00,EST-5,2017-02-22 15:04:00,0,0,0,0,0.00K,0,0.00K,0,27.9616,-80.5327,27.9616,-80.5327,"A developing area of low pressure over the northern Gulf of Mexico produced widespread showers and thunderstorms over the central Florida peninsula. A few storms produced strong wind gusts as they moved onshore Brevard County.","As fast-moving showers and thunderstorms pushed onshore from the Atlantic and over the Intracoastal Waterway, Weatherflow mesonet site XIND measured a peak wind gust of 34 knots out of the southeast." +113901,683024,IOWA,2017,April,Hail,"SHELBY",2017-04-19 18:40:00,CST-6,2017-04-19 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-95.48,41.73,-95.48,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113380,678409,ALASKA,2017,February,Winter Storm,"INNER CHANNELS FROM KUPREANOF ISLAND TO ETOLIN ISLAND",2017-02-27 21:00:00,AKST-9,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Storm total 7.5 inches new fell as of the morning of 2/28. Wrangell got 7 inches new. Impact was snow removal." +112880,674323,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-28 14:03:00,HST-10,2017-02-28 16:16:00,0,0,0,0,0.00K,0,0.00K,0,20.9898,-156.6499,20.8685,-156.4941,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112880,674324,HAWAII,2017,February,Flash Flood,"HONOLULU",2017-02-28 19:30:00,HST-10,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,21.6632,-158.0504,21.664,-158.0495,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","Flooding waters affected Sunset Beach Elementary and the nearby Saint Peter and Paul Church along the North Shore of Oahu, and police closed Kamehameha Highway in the area because of deep water on the roadway. Also, there were reports of $10's of thousands damage in Waimea Valley Park, and damage to a home in Sunset Beach due to flooding." +112880,674325,HAWAII,2017,February,Flash Flood,"MAUI",2017-02-28 20:23:00,HST-10,2017-02-28 23:28:00,0,0,0,0,0.00K,0,0.00K,0,20.6843,-156.0293,20.6844,-156.0304,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","A debris flow, in this case a rock slide, caused by heavy rain blocked both lanes of Hana Highway in the vicinity of Wailua Falls in the eastern portion of East Maui." +112880,674326,HAWAII,2017,February,Heavy Rain,"KAUAI",2017-02-28 22:33:00,HST-10,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,22.0361,-159.7742,22.0757,-159.3347,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","" +112880,674327,HAWAII,2017,February,Winter Storm,"BIG ISLAND SUMMIT",2017-02-28 20:23:00,HST-10,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","An estimated 8 inches of snow had fallen on the summit of Mauna Kea by the evening hours of the 28th." +113253,677624,NEW YORK,2017,February,Winter Storm,"SOUTHERN WASHINGTON",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677625,NEW YORK,2017,February,Winter Storm,"NORTHERN WASHINGTON",2017-02-12 09:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677737,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 18:04:00,EST-5,2017-02-25 18:04:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-73.98,41.91,-73.98,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Connelly Road was closed between Route 9W and Millbrook Drive due to a downed tree." +113262,677738,NEW YORK,2017,February,Thunderstorm Wind,"ALBANY",2017-02-25 18:05:00,EST-5,2017-02-25 18:05:00,0,0,0,0,,NaN,,NaN,42.73,-73.93,42.73,-73.93,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Power lines were downed." +113262,677739,NEW YORK,2017,February,Thunderstorm Wind,"DUTCHESS",2017-02-25 18:05:00,EST-5,2017-02-25 18:05:00,0,0,0,0,,NaN,,NaN,41.6,-73.93,41.6,-73.93,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees and wires were down on Channingville Road, prompting a partial road closure." +112989,675180,MISSISSIPPI,2017,February,Tornado,"SCOTT",2017-02-07 16:07:00,CST-6,2017-02-07 16:17:00,0,0,0,0,350.00K,350000,0.00K,0,32.4393,-89.5248,32.4176,-89.446,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","This tornado began near Hodges Lane, where a couple of small trees were snapped. The tornado continued eastward snapping and uprooting multiple trees along Old Hillsboro Rd. The tornado reached its greatest intensity as it moved across Little River Road and MS Highway 35. In this area, multiple flea market buildings were destroyed. Two residences were damaged, one significantly by a fallen tree. A shed was destroyed and the roof was blown off a barn. Several trees were snapped or uprooted at this location. The tornado continued eastward across Taylor Road, where it damaged a shed and caused additional tree damage. The tornado lifted just east of MS Highway 21, where some tree branches were broken. The maximum estimated winds were 115 mph." +112989,675181,MISSISSIPPI,2017,February,Tornado,"JASPER",2017-02-07 17:23:00,CST-6,2017-02-07 17:31:00,0,0,0,0,100.00K,100000,0.00K,0,32.1479,-89.1177,32.1273,-89.0708,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","This tornado started in a wooded area northwest of County Road 20 and traveled southeast where it snapped and uprooted several trees. It also caused damage to the porch roof of a home along County Road 20. The tornado then continued to the southeast of County Road 20 and ended after snapping a few more trees. Maximum estimated winds were 100 mph." +112989,675183,MISSISSIPPI,2017,February,Hail,"MADISON",2017-02-07 14:22:00,CST-6,2017-02-07 14:22:00,0,0,0,0,3.00K,3000,0.00K,0,32.61,-90.03,32.61,-90.03,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +112989,675184,MISSISSIPPI,2017,February,Hail,"SCOTT",2017-02-07 15:10:00,CST-6,2017-02-07 15:10:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-89.71,32.57,-89.71,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +113404,678560,WISCONSIN,2017,February,Winter Storm,"PORTAGE",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","" +113404,678561,WISCONSIN,2017,February,Winter Storm,"WAUPACA",2017-02-24 00:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow and sleet fell across central and north central Wisconsin as a low pressure system moved from the Plains into Lower Michigan. There was even some thunder with the wintry precipitation. Snowfall totals were mostly in the 6 to 10 inch range. The highest totals included: 10.2 inches near Lac du Flambeau (Vilas Co.); 9.2 inches near Mosinee (Marathon Co.); 9.1 inches northwest of Big Falls (Waupaca Co.); 8.5 inches at Summit Lake (Langlade Co.); and 8.0 inches near Goodnow (Oneida Co.), Spread Eagle (Florence Co.), and Shawano (Shawano Co.).||Wind gusts were in the 30 to 35 mph range across central Wisconsin, and gusts across east central Wisconsin reached the 40 to 46 mph range. The strongest gusts included 46 mph at Green Bay (Brown Co.) and Chambers Island (Door Co.), 43 mph at Kewaunee (Kewaunee Co.), and 40 mph at Scandinavia (Waupaca Co.).","A storm total snowfall of 9.1 inches was measured northwest of Big Falls." +112907,674572,KENTUCKY,2017,February,Hail,"TRIGG",2017-02-07 19:25:00,CST-6,2017-02-07 19:30:00,0,0,0,0,40.00K,40000,0.00K,0,36.8866,-87.9631,36.87,-87.8743,"During the evening, a severe thunderstorm acquired supercell characteristics for an hour or so as it moved southeast across the Lake Barkley area of Trigg County. The storm intensified along a cold front as it pressed southeast across western Kentucky. The atmosphere became sufficiently unstable for the storm to become severe during a short timeframe around sunset. The isolated severe storm was preceded by a round of storms during the morning hours, which produced locally heavy rain. The morning storms were generated by a strong south wind flow of warm and moist air.","Quarter to golf-ball size hail accompanied a tornadic supercell west and northwest of Cadiz in the Lake Barkley area. Golf-ball size hail was reported and photographed near Lake Barkley off of Highway 274, close to the location of a weak tornado. The hailstorm was associated with a storm that acquired supercell characteristics for an hour or so. The storm moved southeast across the Cadiz area." +113535,679659,OHIO,2017,February,Thunderstorm Wind,"WYANDOT",2017-02-24 19:35:00,EST-5,2017-02-24 19:35:00,0,0,0,0,0.00K,0,0.00K,0,40.8921,-83.17,40.8921,-83.17,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Trained spotters estimated thunderstorm wind gusts at 60 mph." +113535,679660,OHIO,2017,February,Thunderstorm Wind,"SANDUSKY",2017-02-24 18:59:00,EST-5,2017-02-24 18:59:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-83.12,41.35,-83.12,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Thunderstorm winds were estimated at 60 mph." +113535,679661,OHIO,2017,February,Hail,"RICHLAND",2017-02-24 21:57:00,EST-5,2017-02-24 21:57:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-82.63,40.75,-82.63,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Nickel sized hail was observed." +113535,679662,OHIO,2017,February,Thunderstorm Wind,"SENECA",2017-02-24 19:57:00,EST-5,2017-02-24 19:57:00,0,0,0,0,3.00K,3000,0.00K,0,41.0324,-83.1133,41.0324,-83.1133,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Thunderstorm winds downed a couple trees." +113535,679666,OHIO,2017,February,Thunderstorm Wind,"STARK",2017-02-25 00:30:00,EST-5,2017-02-25 00:30:00,0,0,0,0,100.00K,100000,0.00K,0,40.8476,-81.1,40.8476,-81.1,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","Thunderstorm winds downed many trees south of Alliance. A large pole building sustained considerable damage and a home nearby was damaged by a fallen tree. Scattered power outages were reported in the area." +113481,679326,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-20 04:54:00,CST-6,2017-02-20 05:06:00,0,0,0,0,0.00K,0,0.00K,0,27.2883,-97.4247,27.297,-97.405,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","TCOON at Baffin Bay measured a gust to 40 knots." +113481,679327,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-20 05:00:00,CST-6,2017-02-20 05:06:00,0,0,0,0,0.00K,0,0.00K,0,27.462,-97.343,27.484,-97.318,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","TCOON site at South Bird Island measured a gust to 48 knots." +113481,679325,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-20 05:06:00,CST-6,2017-02-20 05:12:00,0,0,0,0,0.00K,0,0.00K,0,27.7121,-97.299,27.7,-97.297,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","Corpus Christi Naval Air Station ASOS measured a gust to 34 knots." +113481,679324,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-02-20 05:12:00,CST-6,2017-02-20 05:18:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5765,-97.2074,"A strong upper level disturbance moved into northern Mexico on the evening of the 19th. Strong thunderstorms developed along a cold front and moved into the coastal waters during the early morning hours of the 20th. Wind gusts ranged from 35 to 45 knots over the coastal waters.","NOS site at Bob Hall Pier measured a gust to 36 knots." +113556,680547,OKLAHOMA,2017,February,Thunderstorm Wind,"CANADIAN",2017-02-19 21:55:00,CST-6,2017-02-19 21:55:00,0,0,0,0,0.50K,500,0.00K,0,35.58,-97.82,35.58,-97.82,"A line of storms formed out ahead of a cold front across Oklahoma on the evening of the 19th, and moved eastward.","Light pole downed in roadway." +113568,680577,OKLAHOMA,2017,February,Wildfire,"ATOKA",2017-02-17 00:00:00,CST-6,2017-02-17 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Amidst windy and dry conditions, grass fires burned 1500 acres in Atoka county on the 17th.","" +112881,674525,WYOMING,2017,February,Winter Storm,"NORTH BIG HORN BASIN",2017-02-01 00:00:00,MST-7,2017-02-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This a continuation of the January 31st storm. A moist Pacific flow and a potent upper level system brought heavy snow to portions of western and northern Wyoming. The heaviest snow fell in northwestern Wyoming, especially in the Absarokas where 22 inches of new snow fell at the Beartooth Lake SNOTEL site. Up to 18 inches of snow fell in Yellowstone Park. In the lower elevations East of the Divide, the highest amounts fell along the northern border. In Park County, Wapati picked up 13 inches of new snow. Almost 9 inches fell northwest of Shell in Big Horn County. Amounts dropped off significantly further south. In DuBois, a narrow band of very heavy snow developed and dropped 16 inches of new snow.","Heavy snow fell in a narrow band across portions of Big Horn County. Almost 9 inches of snow was measured north of Shell with up to 6 inches around Greybull. North and south of this line snow fall amounts were much less." +111484,673308,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 23:04:00,EST-5,2017-01-02 23:04:00,0,0,0,0,0.00K,0,0.00K,0,31.7468,-83.5018,31.7468,-83.5018,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Scott Road." +111484,673309,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 23:05:00,EST-5,2017-01-02 23:05:00,0,0,0,0,0.00K,0,0.00K,0,31.8389,-83.519,31.8389,-83.519,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Shady Lane." +111482,671762,FLORIDA,2017,January,Thunderstorm Wind,"WALTON",2017-01-02 18:47:00,CST-6,2017-01-02 18:47:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-86.24,30.85,-86.24,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees and power lines were blown down near the Highway 331 and Highway 2A intersection." +113346,678254,MAINE,2017,February,Winter Storm,"CENTRAL WASHINGTON",2017-02-09 09:00:00,EST-5,2017-02-10 01:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure tracked from the Mid-Atlantic region toward eastern Nova Scotia during the 9th...then lifted to the Gulf of Saint Lawrence through the early morning hours of the 10th. Snow developed during the morning of the 9th. Heavy snow...with rates of 2 to 3 inches per hour at times...then occurred across mostly Washington and Hancock counties during the afternoon. Warning criteria snow accumulations occurred during the late afternoon of the 9th. Lighter snows persisted into the early morning hours of the 10th. Sustained winds of 20 to 30 mph...with occasional gusts up to 40 mph...produced extensive blowing and drifting snow. Whiteouts...with occasional near blizzard conditions...were reported at times. Although snow diminished during the early morning hours of the 10th...winds in the wake of the low produced extensive blowing and drifting snow into the afternoon. Sustained winds of 10 to 20 mph...with gusts up to 30 mph...produced localized visibilities of a quarter mile or less at times in areas of blowing snow during the 10th. This was the first in a series of major storms to impact portions of the region over a 7 to 10 day span.","Storm total snow accumulations generally ranged from 10 to 20 inches...with local totals up to around 24 inches." +113349,678279,MAINE,2017,February,Heavy Snow,"COASTAL WASHINGTON",2017-02-15 23:00:00,EST-5,2017-02-16 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Weakening low pressure approached from the west during the morning of the 15th while a secondary low developed across the Gulf of Maine while moving east. The low exited across the maritimes through the night of the 15th into the early morning hours of the 16th. Snow started during the evening hours of the 15th. Warning criteria snow accumulations occurred during the early morning hours of the 16th. |This was the final storm in an active 7 to 10 day span. Storm total snow accumulations of 45 to 60 inches were common along much of the Downeast coast during this span. Storm total snow accumulations approached 70 inches across southeast portions of Washington county. Storm total snow accumulations of 30 to 40 inches...locally greater....occurred from southern and central Penobscot and Pisctaquis counties into northern Washington county.","Storm total snow accumulations ranged from 8 to 12 inches." +113790,681233,OKLAHOMA,2017,February,Wildfire,"HASKELL",2017-02-01 10:00:00,CST-6,2017-02-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early February 2017. The largest wildfires occurred in Haskell County where over 5200 acres burned, Latimer County where more than 1800 acres burned, Le Flore County where over 1400 acres burned, Pittsburg County where over 700 acres burned, and Adair County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +114720,688085,KENTUCKY,2017,April,Flash Flood,"BOONE",2017-04-29 08:30:00,EST-5,2017-04-29 10:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9618,-84.657,38.9616,-84.6579,"Thunderstorms trained along a warm front that was lifting through the area.","Flash flooding was observed along Gunpowder Road near Florence." +113405,681045,ALASKA,2017,April,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-04-04 12:00:00,AKST-9,2017-04-05 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep low was in the Western Gulf but a very strong front with a triple point moved into the Eastern Gulf on the night of 4/3 and on 4/4. This caused strong winds on the out coast with up to 70 mph for Prince of Wales Island. No damage was reported.","Strong winds occurred for the west side of Prince of Wales Island during the night of 4/4 and the morning of 4/5. Measured gusts 63 mph were observed at Hydaburg AWOS at 0508 on the morning of 4/5. CMAN stations around there had peak winds as high as 72 mph. No damage was reported." +114720,688084,KENTUCKY,2017,April,Flash Flood,"CARROLL",2017-04-29 08:00:00,EST-5,2017-04-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.64,-85.01,38.6369,-85.017,"Thunderstorms trained along a warm front that was lifting through the area.","Highway 467 was closed due to water flowing over the roadway." +115313,692326,FLORIDA,2017,April,Heavy Rain,"SUWANNEE",2017-04-04 07:30:00,EST-5,2017-04-04 07:55:00,0,0,0,0,0.00K,0,0.00K,0,29.96,-82.93,29.96,-82.93,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","At 830 am, the emergency manager (EM) reported that Fire Station 53 about 1 mile SSW of Live Oak observed about 1 foot of water across local roads near Suwanne Branford High School. At 855 am, the EM reported a rainfall total of 4.08 inches in Live Oak. At 855 am, the EM reported 6.85 inches of rainfall measured in Branford." +112882,675720,INDIANA,2017,March,Thunderstorm Wind,"DUBOIS",2017-03-01 01:55:00,EST-5,2017-03-01 01:55:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-86.91,38.3,-86.91,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported a tree down across Highway 64." +112882,674359,INDIANA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 05:59:00,EST-5,2017-03-01 06:06:00,3,0,0,0,200.00K,200000,0.00K,0,38.7699,-85.8173,38.7704,-85.6813,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A 1-2 mile swath of strong straight-line winds moved across northern Scott County and into western Jefferson County, damaging buildings and toppling trees. |Much of the roof of one home northeast of Austin was blown off, and several others sustained significant siding and roof damage. Local media reported a 5 inch diameter branch fell through a roof home. Numerous metal outbuildings were also damaged or destroyed. ||Between this area and another to the south of Scottsburg which included an EF-1 tornado, the Scott Emergency Manager reported that at least 15 homes were severely damaged by severe thunderstorm winds. Within the county, the winds and tornado resulted in approximately 23 minor injuries. There were numerous trees and power lines down which resulted in the closure of seven roadways across the county." +115313,692327,FLORIDA,2017,April,Heavy Rain,"COLUMBIA",2017-04-04 08:05:00,EST-5,2017-04-04 09:15:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-82.62,30.18,-82.62,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","At 905 am, the emergency manager reported a daily rainfall thus far of 5.85 inches at Melrose Park Elementary School in Lake City. At 1015 am, a CoCoRAHS observed about 7 miles SSW of Lake City measured a daily rainfall of 8.10 inches." +115313,692329,FLORIDA,2017,April,Heavy Rain,"FLAGLER",2017-04-04 09:30:00,EST-5,2017-04-04 13:20:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.21,29.57,-81.21,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","At 1030 am, the emergency manager reported slow traffic along A1A due to flooding caused by trapped rainwater (poor drainage). At 220 pm, the public reported 4.75 inches of daily rainfall measured in Palm Coast." +115313,692330,FLORIDA,2017,April,Thunderstorm Wind,"ALACHUA",2017-04-04 07:45:00,EST-5,2017-04-04 07:45:00,0,0,0,0,0.00K,0,0.00K,0,29.53,-82.52,29.53,-82.52,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Trees were blown down along State Road 41 near Archer." +113540,679678,OREGON,2017,April,High Wind,"SOUTH CENTRAL OREGON COAST",2017-04-11 10:01:00,PST-8,2017-04-12 00:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a few locations along the southern Oregon coast.","The Long Prairie RAWS recorded a gust to 58 mph at 12/0013 PST. The Port Orford NOS/NWLON recorded a gust to 61 mph at 11/1906 PST, a gust to 62 mph at 11/1912 PST, and a gust to 63 mph at 11/2006 PST." +113540,679679,OREGON,2017,April,High Wind,"CURRY COUNTY COAST",2017-04-11 20:04:00,PST-8,2017-04-11 21:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a few locations along the southern Oregon coast.","The Flynn Prairie RAWS recorded a gust to 58 mph at 11/2113 PST." +115672,695145,FLORIDA,2017,April,Drought,"GLADES",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 136 new fires were reported by the Florida Forest Service, resulting in 19,543 acres burned. Crop production slowed as a result of the very dry conditions.","Severe drought (D2) conditions persisted across Glades County during the month of April. Total monthly rainfall ranged between 0.5 and 2 inches. A burn ban was in effect for the entire county." +115672,695146,FLORIDA,2017,April,Drought,"HENDRY",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 136 new fires were reported by the Florida Forest Service, resulting in 19,543 acres burned. Crop production slowed as a result of the very dry conditions.","Severe drought (D2) conditions persisted across Hendry County during the month of April. Total monthly rainfall ranged between 0.5 and 2 inches. A burn ban was in effect for the entire county." +115672,695149,FLORIDA,2017,April,Drought,"INLAND COLLIER COUNTY",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 136 new fires were reported by the Florida Forest Service, resulting in 19,543 acres burned. Crop production slowed as a result of the very dry conditions.","Severe drought (D2) conditions expanded across all of Inland Collier County as the month progressed. Total monthly rainfall ranged between 0.5 and 2 inches. A burn ban was in effect for the entire county. Two large wildfires sparked in the Golden Gate Estates area, burning thousands of acres and causing over $3 million in damage." +115672,695150,FLORIDA,2017,April,Drought,"COASTAL COLLIER COUNTY",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Continued dry weather and below normal precipitation going back to late 2016 led to severe drought conditions across Southwest Florida. A total of 136 new fires were reported by the Florida Forest Service, resulting in 19,543 acres burned. Crop production slowed as a result of the very dry conditions.","Severe drought (D2) conditions expanded across all of Coastal Collier County as the month progressed. Total monthly rainfall ranged between 1 and 2 inches. A burn ban was in effect for the entire county." +112137,669010,SOUTH DAKOTA,2017,January,Winter Weather,"RAPID CITY",2017-01-24 05:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669011,SOUTH DAKOTA,2017,January,Winter Storm,"SOUTHERN FOOT HILLS",2017-01-24 01:00:00,MST-7,2017-01-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669013,SOUTH DAKOTA,2017,January,Winter Weather,"CENTRAL BLACK HILLS",2017-01-24 04:00:00,MST-7,2017-01-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669014,SOUTH DAKOTA,2017,January,Winter Weather,"SOUTHERN BLACK HILLS",2017-01-24 03:00:00,MST-7,2017-01-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669016,SOUTH DAKOTA,2017,January,Winter Storm,"CUSTER CO PLAINS",2017-01-24 04:00:00,MST-7,2017-01-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112726,673102,TEXAS,2017,January,Ice Storm,"LIPSCOMB",2017-01-14 17:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,2.20M,2200000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","Resident count of 701 affected. There were 12 business that also reported economic injuries. Damages and economic impact also resulted from: debris cleanup (downed trees, etc), numerous downed power lines and broken power poles, and damaged to roads and bridges." +112726,673101,TEXAS,2017,January,Ice Storm,"OCHILTREE",2017-01-14 18:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,5.70M,5700000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","The number of residents affected were 3066. There were 413 business that also reported economic injuries. Damages and economic impact also resulted from: debris cleanup (downed trees, etc), numerous downed power lines and broken power poles, and damaged to roads and bridges." +113942,682338,TEXAS,2017,April,Hail,"HOUSTON",2017-04-26 14:22:00,CST-6,2017-04-26 14:22:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-95.48,31.36,-95.48,"Severe thunderstorms developed along a cold front in the afternoon as it moved across the area.","Quarter sized hail was reported between Latexo and Crockett." +113942,682339,TEXAS,2017,April,Hail,"HOUSTON",2017-04-26 14:25:00,CST-6,2017-04-26 14:25:00,0,0,0,0,0.00K,0,0.00K,0,31.32,-95.46,31.32,-95.46,"Severe thunderstorms developed along a cold front in the afternoon as it moved across the area.","Quarter sized hail was reported (social media)." +114987,689943,NEW HAMPSHIRE,2017,April,Heavy Snow,"SULLIVAN",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689942,NEW HAMPSHIRE,2017,April,Heavy Snow,"STRAFFORD",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114987,689944,NEW HAMPSHIRE,2017,April,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the entire State, with amounts ranging from about 6 inches over extreme southern part of the State and along the upper Connecticut River Valley to more than a foot across the higher terrain of southern New Hampshire through the Lakes region and into Carroll County. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114988,689946,MAINE,2017,April,Heavy Snow,"COASTAL CUMBERLAND",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +115207,691746,KANSAS,2017,April,Hail,"GOVE",2017-04-15 19:22:00,CST-6,2017-04-15 19:22:00,0,0,0,0,0.00K,0,0.00K,0,38.7606,-100.3459,38.7606,-100.3459,"During the evening thunderstorms moved through Gove County. The strongest storms produced hail up to quarter size south of Gove, and broke three inch diameter branches off a cedar tree north of Pendennis.","The ground was covered in hail at the time of the report. Mostly pea and nickel size hail, with some quarter size hail mixed in." +113161,677046,WASHINGTON,2017,January,Winter Storm,"NORTHEAST MOUNTAINS",2017-01-17 13:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Five inches of new snow was reported which then turned to sleet before ending." +113161,677045,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-17 14:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Six inches of new snow was reported near Kettle Falls." +113161,677084,WASHINGTON,2017,January,Winter Storm,"OKANOGAN VALLEY",2017-01-17 12:00:00,PST-8,2017-01-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","A spotter near Okanogan reported 5.3 inches of new snow in addition to one tenth of an inch of ice from freezing rain." +121287,726066,INDIANA,2017,December,Winter Storm,"ELKHART",2017-12-24 10:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow on December 24th transitioned to periods of heavy lake effect snow during the evening into early December 25th. Total snow accumulations across the county ranged between 4 and 7 inches, with a report of 7 inches near Nappanee. Intense snowfall rates and gusty winds created blowing snow and near whiteout conditions at times, especially during the evening hours of December 24th into Christmas morning. Difficult travel conditions resulted with slide-offs and accidents reported across the region." +121287,726070,INDIANA,2017,December,Winter Weather,"WHITE",2017-12-24 10:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726072,INDIANA,2017,December,Winter Weather,"FULTON",2017-12-24 10:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726071,INDIANA,2017,December,Winter Weather,"CASS",2017-12-24 10:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726074,INDIANA,2017,December,Winter Weather,"MIAMI",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726073,INDIANA,2017,December,Winter Weather,"WABASH",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726075,INDIANA,2017,December,Winter Weather,"KOSCIUSKO",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 6 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726076,INDIANA,2017,December,Winter Weather,"HUNTINGTON",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726078,INDIANA,2017,December,Winter Weather,"ALLEN",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726077,INDIANA,2017,December,Winter Weather,"ADAMS",2017-12-24 11:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121287,726079,INDIANA,2017,December,Winter Weather,"NOBLE",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +113251,677584,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-01-23 00:58:00,EST-5,2017-01-23 00:58:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A squall line in advance of a strong cold front produced windspread gale-force and isolated storm-force wind gusts throughout the Florida Keys Coastal Waters.","A wind gust of 42 knots was measured at Pulaski Shoal Light." +113055,676218,CALIFORNIA,2017,January,Flash Flood,"SAN BERNARDINO",2017-01-22 16:30:00,PST-8,2017-01-22 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4206,-117.5008,34.4184,-117.4329,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Heavy mountain rain drained into the deserts leading to flooding along several area roadways. A closure occurred along Highway 18 west of Victorville due to flooding across all lanes." +111482,671772,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9198,-85.7357,30.9199,-85.7123,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Cane Mill Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +111482,671773,FLORIDA,2017,January,Flood,"HOLMES",2017-01-01 20:05:00,CST-6,2017-01-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.92,-85.84,30.9082,-85.8411,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Curry Ferry Road was closed due to flooding. This was due to a long duration of moderate to heavy rainfall." +113055,676247,CALIFORNIA,2017,January,Flood,"SAN BERNARDINO",2017-01-23 18:00:00,PST-8,2017-01-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.4145,-117.241,34.4153,-117.2303,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Heavy mountain rains produced flows from the Mojave Dam. Flow through the Mojave River lead to a closure of Rock Springs Rd. due to 6-8 inches of water flowing over the low water crossing." +113055,676270,CALIFORNIA,2017,January,Thunderstorm Wind,"RIVERSIDE",2017-01-20 13:16:00,PST-8,2017-01-20 14:16:00,0,0,0,0,3.00K,3000,0.00K,0,33.7544,-117.5008,33.7843,-117.438,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","The Lake Matthews Raws station reported a 67 mph gust between 1316 and 1416 PST. In Temescal Valley a large tree was blown down blocking the Knabe Rd. near Clay Canyon Dr." +113085,676343,CALIFORNIA,2017,January,High Wind,"SAN DIEGO COUNTY VALLEYS",2017-01-27 22:00:00,PST-8,2017-01-27 23:00:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"A strong 1051 mb surface high settled over the Great Basin, resulting in strong winds through the passes and canyons of Southern California. The most widespread winds occurred on the 27th. The winds downed trees from the mountains to the coast, flipped big rigs and induced temporary road closures. Tree damage was likely augmented by saturated soils caused by heavy rains over the prior week.","The mesonet station in Potrero measured a 60 mph gust between 2240 and 2230PST, and the mesonet at Dye Mtn. measured a 58 mph gust between 2240 and 2250PST. Elsewhere, peak gusts were in the 35-55 mph range between 0700PST on the 27th and 1200PST on the 28th. A couple trees were downed near Fallbrook." +113275,677806,CALIFORNIA,2017,January,Flash Flood,"LOS ANGELES",2017-01-20 12:59:00,PST-8,2017-01-20 13:45:00,0,0,0,0,0.00K,0,0.00K,0,34.4435,-118.3574,34.4282,-118.3609,"A powerful winter storm moved across Southern California, bringing heavy rain, flash flooding and strong winds to the area. Flash flooding as well as mud and debris flows were reported in and around the recent burn areas of Santa Barbara and Los Angeles counties. In the mountains, strong and gusty southerly winds were reported.","Heavy rain produced flash flooding as well as mud and debris flows near the Sand burn scar. Soledad Canyon Road was closed due to mud and debris flows and one vehicle was stuck in the mud." +113275,677807,CALIFORNIA,2017,January,Flash Flood,"LOS ANGELES",2017-01-20 13:15:00,PST-8,2017-01-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.1521,-117.9416,34.149,-117.941,"A powerful winter storm moved across Southern California, bringing heavy rain, flash flooding and strong winds to the area. Flash flooding as well as mud and debris flows were reported in and around the recent burn areas of Santa Barbara and Los Angeles counties. In the mountains, strong and gusty southerly winds were reported.","Heavy rain produced flash flooding as well as mud and debris flows near the Fish burn scar. Mud and debris flows closed down areas around the intersection of Melcanyon and Brookridge Roads in the city of Duarte." +113158,677047,IDAHO,2017,January,Flood,"CASSIA",2017-01-08 15:00:00,MST-7,2017-01-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.559,-113.78,42.1477,-114.0082,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","Extensive flooding reported in the City of Malta, particularly for areas west of Highway 81 where water entered many homes. At least knee deep water was reported running down city streets on Tuesday night, January 10th. Water entered many homes in the city to the west of Highway 81.||A few people have been displaced from homes as a result of home flooding. Many county roads closed throughout Cassia County as a result of flooding. 1 to 2 feet of water on Highway 30 from Burley to the county line. Many basements have received water throughout the county. Birch Creek flowing onto city streets in Oakley. Many streets in Oakley under water. Canals are at bankfull. Canal engineers working to contain flow." +113158,677052,IDAHO,2017,January,Flood,"MINIDOKA",2017-01-08 16:00:00,MST-7,2017-01-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6568,-113.75,42.57,-113.8876,"A long dawn out atmospheric river event brought a variety of impacts to southeast Idaho including extremely heavy mountain snow, valley snow then rain on snow leading to flooding and roads covered with ice in the Snake River Plain, and many mountain avalanches. Many roads were closed for extended periods due to the heavy snow and avalanches. Custer County was declared a disaster area due to the prodigious snow amounts. An emergency declaration was signed in Cassia County due to the flooding.","A ���Couple of Cars��� needed to be removed from flood water at the intersection of 400S and 1150W west of Heyburn. Street flooding in Heyburn has resulted in the closure of some streets, particularly near the Snake River." +118358,711326,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-21 17:45:00,CST-6,2017-06-21 17:45:00,0,0,0,0,,NaN,,NaN,37.75,-100.45,37.75,-100.45,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118359,711338,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-22 19:01:00,CST-6,2017-06-22 19:01:00,0,0,0,0,,NaN,,NaN,37.77,-99.97,37.77,-99.97,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118358,711323,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-21 17:30:00,CST-6,2017-06-21 17:30:00,0,0,0,0,,NaN,,NaN,37.99,-100.45,37.99,-100.45,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118446,711773,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-06-19 16:39:00,EST-5,2017-06-19 16:39:00,0,0,0,0,,NaN,,NaN,38.5632,-76.0788,38.5632,-76.0788,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby in Cambridge." +113003,678022,ARKANSAS,2017,January,Winter Weather,"CLEBURNE",2017-01-06 02:30:00,CST-6,2017-01-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts between 1 and 2 inches fell across Cleburne county." +113003,678023,ARKANSAS,2017,January,Winter Weather,"JACKSON",2017-01-06 03:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to an inch fell across Jackson county." +113003,678025,ARKANSAS,2017,January,Winter Weather,"WOODRUFF",2017-01-06 03:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts up to an inch fell across Woodruff county." +113003,678026,ARKANSAS,2017,January,Winter Weather,"WHITE",2017-01-06 02:30:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of 2 to 4 inches fell across White county." +113003,678027,ARKANSAS,2017,January,Winter Weather,"PULASKI",2017-01-06 02:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 2 inches fell across Pulaski county." +113003,678028,ARKANSAS,2017,January,Winter Weather,"LONOKE",2017-01-06 02:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 1 inch fell across Lonoke county." +116060,697551,WISCONSIN,2017,May,Thunderstorm Wind,"CLARK",2017-05-16 19:58:00,CST-6,2017-05-16 19:58:00,0,0,0,0,2.00K,2000,0.00K,0,45,-90.33,45,-90.33,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down in Dorchester." +115700,695327,LOUISIANA,2017,April,Flash Flood,"ACADIA",2017-04-30 04:15:00,CST-6,2017-04-30 07:15:00,0,0,0,0,50.00K,50000,0.00K,0,31.2012,-92.5118,30.4844,-92.8949,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th. Most of the highest rainfall totals occurred in Northwest Acadia Parish. At least 1 home was flooded in the parish along with numerous streets." +115700,695328,LOUISIANA,2017,April,Flash Flood,"JEFFERSON DAVIS",2017-04-30 05:15:00,CST-6,2017-04-30 07:15:00,0,0,0,0,0.00K,0,0.00K,0,30.4855,-92.8702,30.0788,-92.6532,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th. Numerous roads were reported flooded in Jefferson Davis Parish including an exit from Interstate 10 in Jennings." +116060,700549,WISCONSIN,2017,May,Flood,"TREMPEALEAU",2017-05-17 09:00:00,CST-6,2017-05-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,44.3177,-91.528,44.3649,-91.1695,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Runoff from heavy rains caused some flooding to occur in Independence along Elk Creek. Around 10 roads across Trempealeau County were closed because of high water." +115644,694886,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:30:00,EST-5,2017-04-05 18:32:00,0,0,0,0,1.50K,1500,0.00K,0,33.9402,-78.1126,33.9402,-78.1126,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of golf balls was reported. The time was estimated based on radar data." +115644,694892,NORTH CAROLINA,2017,April,Hail,"BRUNSWICK",2017-04-05 18:26:00,EST-5,2017-04-05 18:28:00,0,0,0,0,1.50K,1500,0.00K,0,33.9871,-78.1885,33.9871,-78.1885,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail was estimated up to 2 inches in size near Sunset Harbor Rd. The time was estimated based on radar data. The report was relayed by the media." +115649,694913,NORTH CAROLINA,2017,April,Hail,"ROBESON",2017-04-06 06:50:00,EST-5,2017-04-06 06:51:00,0,0,0,0,0.00K,0,0.00K,0,34.7999,-78.991,34.7999,-78.991,"Upstream thunderstorms just ahead of a cold front continued through the night and reached the area around and shortly after sunrise. One of these thunderstorms reportedly produced penny size hail.","Hail to the size of pennies was reported." +115923,696530,NORTH CAROLINA,2017,April,Flood,"NEW HANOVER",2017-04-01 19:30:00,EST-5,2017-04-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-77.87,34.1796,-77.875,"Thunderstorms produced heavy rain with some minor street flooding.","Several intersections in the Eagle Nest neighborhood had minor street flooding." +115850,696231,NEW YORK,2017,April,Thunderstorm Wind,"TOMPKINS",2017-04-16 14:25:00,EST-5,2017-04-16 14:35:00,0,0,0,0,1.00K,1000,0.00K,0,42.53,-76.65,42.53,-76.65,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in a tree being knocked over." +115850,696232,NEW YORK,2017,April,Thunderstorm Wind,"TOMPKINS",2017-04-16 14:38:00,EST-5,2017-04-16 14:48:00,0,0,0,0,2.00K,2000,0.00K,0,42.55,-76.37,42.55,-76.37,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in small trees and branches being knocked over on Peruville road." +115850,696233,NEW YORK,2017,April,Thunderstorm Wind,"CHEMUNG",2017-04-16 14:40:00,EST-5,2017-04-16 14:50:00,0,0,0,0,1.00K,1000,0.00K,0,42.09,-76.85,42.09,-76.85,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in a tree being knocked over." +113417,678690,MISSISSIPPI,2017,January,Cold/Wind Chill,"SUNFLOWER",2017-01-08 03:00:00,CST-6,2017-01-08 03:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold Temperatures across the area caused one exposure related death. Strong cold high pressure settled in over the area on the 7th, with low temperatures falling into the mid teens during the overnight hours.","The Coroner's office confirmed one fatality due to exposure early Sunday morning." +113416,678689,IDAHO,2017,January,Heavy Snow,"UPPER TREASURE VALLEY",2017-01-03 20:00:00,MST-7,2017-01-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters throughout the Treasure Valley reported 4 to 6 inches around the area and 10 inches at Oreana." +113416,678691,IDAHO,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-03 20:00:00,MST-7,2017-01-04 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters throughout the Treasure Valley reported 4 to 6 inches around the area and 8 inches at Caldwell." +113416,678692,IDAHO,2017,January,Heavy Snow,"WESTERN MAGIC VALLEY",2017-01-03 22:00:00,MST-7,2017-01-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters throughout the Magic Valley reported 8 to 10 inches around the Twin Falls area and 14 inches at Eden and 16 inches west of Twin Falls." +113418,678693,OREGON,2017,January,Heavy Snow,"HARNEY",2017-01-03 18:00:00,PST-8,2017-01-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters across Harney County reported 4 to 8 inches of snow and 16 inches near Andrews." +113418,678694,OREGON,2017,January,Heavy Snow,"MALHEUR",2017-01-03 18:00:00,MST-7,2017-01-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first in a series of major snow storms to hit Eastern Oregon and Southwest Idaho spread 4 to 16 inches of snow across the area.","Trained spotters across Malheur County reported 4 to 10 inches of snow." +113419,678696,IDAHO,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-07 10:00:00,MST-7,2017-01-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of snow storms pummeled parts of Eastern Oregon and Southwest Oregon.","Trained spotters and cooperative observers reported 4 to 5 inches of snow across the Payette and Caldwell areas." +113421,678700,IDAHO,2017,January,Heavy Snow,"CAMAS PRAIRIE",2017-01-08 22:00:00,MST-7,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow combined with rain and freezing rain causing structures to collapse in the Lower Treasure Valley of Idaho and Oregon.","The cooperative observer at Fairfield reported 12 inches of snow." +112755,673687,MISSISSIPPI,2017,January,Sleet,"ADAMS",2017-01-06 05:30:00,CST-6,2017-01-06 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch accumulation of sleet accumulated on Bridges and overpasses and other elevated surfaces. The highest accumulations were over the central and northern portions of the county." +112755,673688,MISSISSIPPI,2017,January,Sleet,"CLAIBORNE",2017-01-06 06:30:00,CST-6,2017-01-06 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces." +113729,680807,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY COASTAL",2017-02-01 05:00:00,PST-8,2017-02-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog that began on the evening of January 31st lingered into the morning hours on February 1st. Areas of of dense fog were limited to the coastal areas, and resulted in delays at local airports.","Areas of dense fog developed around 0500PST and continued through 0700PST. Visibility of 1/4 mile or less was reported at John Wayne Airport and Los Alamitos U.S. Army Airfield." +113729,680808,CALIFORNIA,2017,February,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-01 00:00:00,PST-8,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog that began on the evening of January 31st lingered into the morning hours on February 1st. Areas of of dense fog were limited to the coastal areas, and resulted in delays at local airports.","Areas of dense fog with visibility of 1/4 mile or less were reported along the coast between 0000 and 0900PST. The greatest impacts were felt at San Diego International Airport, were numerous flights were delayed or canceled." +113730,680816,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY COASTAL",2017-02-08 22:30:00,PST-8,2017-02-09 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Lifeguards at Newport Beach reported visibility as low as 50 yards at 0700PST. Elsewhere near the coast the Los Alamitos U.S. Army Airfield reported periods of dense fog with a visibility of 1/4 mile or less between 2338PST on the 8th and 0803PST on the 9th. Dense fog was also reported at John Wayne Airport and by a trained spotter in Aliso Viejo." +113730,680817,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY INLAND",2017-02-08 23:30:00,PST-8,2017-02-09 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Fullerton Municipal Airport reported periods of dense fog with a visibility of 1/4 mile or less between 2353PST on the 8th and 0553PST on the 9th." +113730,680824,CALIFORNIA,2017,February,Dense Fog,"SAN DIEGO COUNTY VALLEYS",2017-02-08 23:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Gillespie Field reported visibility of a 1/4 mile or less from 2315PST on the 8th to 0647PST on the 9th. Fog was limited to extreme western sections of the San Diego County Valleys." +113730,680826,CALIFORNIA,2017,February,Dense Fog,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-02-09 02:00:00,PST-8,2017-02-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Dense fog occurred over northwest sections of the Inland Empire. Chino Airport reported visibility of 1/4 mile or less from 0219PST to 0653PST." +113730,680828,CALIFORNIA,2017,February,Dense Fog,"ORANGE COUNTY COASTAL",2017-02-10 05:00:00,PST-8,2017-02-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","A spotter in Aliso Viejo reported dense fog with a visibility of 200 yards at 0530PST." +112996,675302,LOUISIANA,2017,February,Tornado,"TANGIPAHOA",2017-02-07 10:32:00,CST-6,2017-02-07 10:52:00,0,0,0,0,,NaN,,NaN,30.3365,-90.4702,30.3871,-90.2435,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A large wedge tornado continued on an east-northeast path out of Livingston Parish. While much of the path through Tangipahoa Parish is inaccessible, video evidence shows the tornado was continuously in contact with the ground. The tornado crossed Interstate 55 near mile marker 19. In this area, it snapped an uprooted numerous trees and was approximately 500 yards wide. After crossing the interstate, the tornado continued on its east-northeast path through marshy area and moved into St. Tammany Parish. The maximum intensity in Tangipahoa Parish is estimated to be around 105 mph based on the observed tree damage." +112996,675309,LOUISIANA,2017,February,Tornado,"ST. TAMMANY",2017-02-07 10:52:00,CST-6,2017-02-07 10:56:00,0,0,0,0,,NaN,,NaN,30.3871,-90.2435,30.395,-90.2105,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A tornado continued into St. Tammany Parish from Tangipahoa Parish. It moved in a generally east-northeast direction through uninhabited marsh until it reached the Guste Island area. By the time it reached this area, it had contracted from its maximum width of around 500 yards in Tangipahoa Parish back to around 350 yards. The tornado produced damage consistent with wind speeds around 125 mph as it crossed Chenier Road. It shifted a home from its concrete and rebar piers and caused extensive roof damage to the home. The tornado continued to move east-northeast and dissipated over a marshy area on the southwest side of Madisonville." +112996,675317,LOUISIANA,2017,February,Tornado,"JEFFERSON",2017-02-07 10:51:00,CST-6,2017-02-07 10:52:00,0,0,0,0,,NaN,,NaN,29.9611,-90.1782,29.9646,-90.1629,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","The tornado touched down near Elmwood on St. George Avenue. It moved east northeast causing intermittent tree and roof damage. It lifted near Jefferson Heights around the intersection of Sizeler Avenue and Lauricella Avenue. Maximum wind speeds are estimated around 80 mph." +112996,675335,LOUISIANA,2017,February,Tornado,"ASCENSION",2017-02-07 11:04:00,CST-6,2017-02-07 11:14:00,0,0,0,0,,NaN,,NaN,30.0975,-91.005,30.1024,-90.9231,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A tornado touched down in Donaldsonville near the intersection of East Bayou Road and Green Gable Road. It damaged the roofs of several homes, and knoced down power lines and trees. It also shifted a small home of its pier foundation. The tornado tracked east-northeast near River Road, damaging a few structures, and continuing to cause damage to trees and power lines before crossing into St. James Parish. Approximately 18 homes were damaged in Ascension Parish." +115671,695147,INDIANA,2017,April,Hail,"HAMILTON",2017-04-26 18:59:00,EST-5,2017-04-26 19:00:00,0,0,0,0,,NaN,,NaN,40.18,-86.01,40.18,-86.01,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +113756,681089,CALIFORNIA,2017,February,Strong Wind,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-27 12:00:00,PST-8,2017-02-28 04:00:00,0,0,0,0,300.00K,300000,,NaN,NaN,NaN,NaN,NaN,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Numerous large trees were reported down over the San Diego Metro. The downed trees blocked roadways and damaged several homes. Peak wind gusts in the region were near 35 mph. Saturated soils were likely a factor. Power outages to approximately 5,000 customers were also reported." +115671,695142,INDIANA,2017,April,Hail,"HOWARD",2017-04-26 18:50:00,EST-5,2017-04-26 18:52:00,0,0,0,0,,NaN,,NaN,40.48,-86.11,40.48,-86.11,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","Quarter to half dollar sized hail was observed in this location." +115671,695144,INDIANA,2017,April,Thunderstorm Wind,"HOWARD",2017-04-26 18:56:00,EST-5,2017-04-26 18:56:00,0,0,0,0,10.00K,10000,,NaN,40.48,-85.96,40.48,-85.96,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","Numerous trees were downed across Greentown due to damaging thunderstorm wind gusts." +115671,695152,INDIANA,2017,April,Thunderstorm Wind,"HOWARD",2017-04-26 19:01:00,EST-5,2017-04-26 19:01:00,0,0,0,0,10.00K,10000,,NaN,40.49,-85.87,40.49,-85.87,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","An old barn was blown into a road due to damaging thunderstorm wind gusts." +115671,695153,INDIANA,2017,April,Thunderstorm Wind,"TIPTON",2017-04-26 19:13:00,EST-5,2017-04-26 19:15:00,0,0,0,0,,NaN,,NaN,40.26,-85.95,40.26,-85.95,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","An estimated 60 mph thunderstorm wind gust was observed in this location." +115671,695154,INDIANA,2017,April,Hail,"MADISON",2017-04-26 19:15:00,EST-5,2017-04-26 19:17:00,0,0,0,0,,NaN,,NaN,40.22,-85.77,40.22,-85.77,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +112977,675123,WYOMING,2017,February,Winter Storm,"NATRONA COUNTY LOWER ELEVATIONS",2017-02-06 12:00:00,MST-7,2017-02-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of a strong Pacific trough and cold front, an ample supply of moisture combined to bring very heavy snow to much of western Wyoming. The highest amounts fell in the Tetons where almost 3 feet of new snow occurred at the Jackson Hole Ski resort. Heavy snow also fell in the Salt and Wyoming Range where 32 inches of snow occurred at the Indian Creek SNOTEL. Other heavy snowfall amounts included 25 inches at Deer Creek in the Wind River Range, 18 inches at Two Oceans Plateau in Yellowstone, 16 inches near Wilson, and 8 inches in Cody Alpine. The heavy snow combined with gusty winds to produce very low visibility and avalanches that shut down many roads including Teton Pass, Hoback Junction and South Pass. In Jackson, the heavy snow load caused the collapse of the roof onto the Sears Department Store. In addition, strong winds occurred on the evening of the 7th. These strong winds combined with heavy wet snow to down 17 power poles along Highway 390. This led to a power outage that lasted through the 11th. In addition, Jackson Hole Ski Resort was shut down for several days due to the power loss. Meanwhile, strong wind occurred east of the Divide and across southern Wyoming. The maximum wind gusts included 96 mph at Camp Creek in the Green and Rattlesnake Range, 72 mph near Lander and 65 mph along Outer Drive south of Casper.","The wind sensor along Wyoming Boulevard south of Casper had several wind gusts past 58 mph, including a maximum of 65 mph." +113076,676292,WYOMING,2017,February,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-02-08 13:00:00,MST-7,2017-02-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Heavy snow fell in portions of Yellowstone Park. The highest amount was at the Parker Peak SNOTEL where 20 inches of new snow fell." +113987,682663,CALIFORNIA,2017,February,Flood,"MARIPOSA",2017-02-07 12:11:00,PST-8,2017-02-07 12:11:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.96,37.4786,-119.953,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","Mariposa Sheriff reported road closure due to flooding near State Route 49 and State Route 140 intersection in Mariposa." +113998,682765,NEW HAMPSHIRE,2017,February,Heavy Snow,"SOUTHERN GRAFTON",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682766,NEW HAMPSHIRE,2017,February,Heavy Snow,"STRAFFORD",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682767,NEW HAMPSHIRE,2017,February,Heavy Snow,"SULLIVAN",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113998,682768,NEW HAMPSHIRE,2017,February,Heavy Snow,"WESTERN AND CENTRAL HILLSBOROUGH",2017-02-12 11:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to the entire state with snowfall amounts generally ranging from 6 to 16 inches. Snow and blowing snow created near blizzard conditions on the evening of the 12th.","" +113120,676547,MAINE,2017,February,Heavy Snow,"ANDROSCOGGIN",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676548,MAINE,2017,February,Heavy Snow,"COASTAL CUMBERLAND",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676549,MAINE,2017,February,Heavy Snow,"COASTAL WALDO",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +112553,671544,NEW MEXICO,2017,February,High Wind,"CENTRAL HIGHLANDS",2017-02-23 09:00:00,MST-7,2017-02-23 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Clines Corners reported a peak wind gust to 59 mph with sustained winds of 41 mph." +112553,671546,NEW MEXICO,2017,February,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-02-23 10:00:00,MST-7,2017-02-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","A public weather station on the Deer Canyon Preserve west of Gran Quivira reported sustained winds to 41 mph for an hour." +112553,671547,NEW MEXICO,2017,February,High Wind,"CURRY COUNTY",2017-02-23 10:24:00,MST-7,2017-02-23 11:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","The Clovis Landfill weather station reported sustained winds to 42 mph for over an hour." +112553,671549,NEW MEXICO,2017,February,High Wind,"ROOSEVELT COUNTY",2017-02-23 10:00:00,MST-7,2017-02-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","The Dora mesonet station reported sustained winds to 43 mph." +112663,673222,NEW MEXICO,2017,February,High Wind,"CURRY COUNTY",2017-02-28 12:00:00,MST-7,2017-02-28 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The Clovis Airport and Cannon AFB weather stations reported peak wind gusts between 60 and 67 mph with sustained winds up to 54 mph for several hours. A portion of the roof of a Sonic drive-in was torn off in Clovis with no injuries. Numerous trees and power lines were also blown down across the Clovis area." +112663,673223,NEW MEXICO,2017,February,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-02-28 10:00:00,MST-7,2017-02-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","The top of the Sandia Peak Tram reported a peak wind gust up to 70 mph. Observers around Cedar Crest reported sustained winds as high as 42 mph." +114605,687335,MINNESOTA,2017,April,Hail,"WINONA",2017-04-09 22:25:00,CST-6,2017-04-09 22:25:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-91.75,43.89,-91.75,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail fell north of Rushford." +114605,687336,MINNESOTA,2017,April,Hail,"WINONA",2017-04-09 22:30:00,CST-6,2017-04-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-91.64,44.05,-91.64,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","" +114606,687337,WISCONSIN,2017,April,Hail,"TAYLOR",2017-04-09 22:34:00,CST-6,2017-04-09 22:34:00,0,0,0,0,0.00K,0,0.00K,0,45.32,-90.2,45.32,-90.2,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Quarter sized hail was reported in Rib Lake." +114606,687339,WISCONSIN,2017,April,Hail,"CLARK",2017-04-09 23:20:00,CST-6,2017-04-09 23:20:00,0,0,0,0,0.00K,0,0.00K,0,44.8,-90.39,44.8,-90.39,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","" +114606,687340,WISCONSIN,2017,April,Hail,"CLARK",2017-04-09 23:22:00,CST-6,2017-04-09 23:22:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-90.59,44.56,-90.59,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","" +114606,688580,WISCONSIN,2017,April,Hail,"BUFFALO",2017-04-09 21:32:00,CST-6,2017-04-09 21:32:00,0,0,0,0,0.00K,0,0.00K,0,44.35,-91.67,44.35,-91.67,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Half dollar sized hail was reported in Montana." +113636,681639,MONTANA,2017,February,Winter Storm,"WEST GLACIER REGION",2017-02-03 13:00:00,MST-7,2017-02-04 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","The Montana Department of Transportation reported Severe Driving Conditions with blowing and drifting throughout the afternoon and evening of Feb. 3, lasting through the early morning of Feb. 4. They use this label sparingly, only when road conditions are treacherous. Road conditions improved by 7 am MST on Feb. 4. Glacier National Park officials estimated 8 inches of snow in West Glacier, MT between noon and 8 pm on Feb. 3rd, which translates to 1 inch or greater per hour snowfall rates." +113636,681662,MONTANA,2017,February,Winter Storm,"LOWER CLARK FORK REGION",2017-02-03 15:30:00,MST-7,2017-02-04 18:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","Severe driving conditions were issued at 3:22 pm on Feb. 3 for a 33 mile stretch of I-90 leading up to Lookout Pass. Webcam images showed heavy snow throughout this time period. The Montana Department of Transportation reported at least two snow slides, one of which was at milepost 7, blocking individual lanes during the event. Highway patrol reported semi trucks stuck blocking lanes throughout the event, as well as semi truck accidents." +113636,681670,MONTANA,2017,February,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-02-04 02:00:00,MST-7,2017-02-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","Severe driving conditions were declared by the Montana Department of Transportation during the early morning hours of Feb. 4, due to snow-covered roads with blowing and drifting occurring. Freezing rain was also reported from Conner to Stevensville during the late evening of the 3rd." +113636,682443,MONTANA,2017,February,Heavy Snow,"FLATHEAD/MISSION VALLEYS",2017-02-03 13:30:00,MST-7,2017-02-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","A trained spotter in Kalispell reported 14 inches of snow during this 21 hour time-frame. Public reports came in reporting the worst driving conditions between Creston and Columbia Falls they have experienced in 30 years. Plow drivers also reported 12 to 14 inches of new snow in Columbia Falls, MT." +114218,684206,WASHINGTON,2017,February,Winter Storm,"SOUTH WASHINGTON CASCADES",2017-02-08 08:00:00,PST-8,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","There were reports of around 0.4 inches of ice in the Hood River Valley and parts of the Columbia River Gorge. It's reasonable the Wind River Valley had significant icing as well." +114218,684204,WASHINGTON,2017,February,Winter Weather,"CENTRAL COLUMBIA RIVER GORGE",2017-02-07 08:00:00,PST-8,2017-02-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Washington Coast and Willapa Hills as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the South Washington Cascades.","CoCoRaHS observations showed 6 to 8 inches were observed in the Hood River Valley and White Salmon areas over a 24 hour period." +114217,684198,OREGON,2017,February,High Wind,"COAST RANGE OF NW OREGON",2017-02-08 23:50:00,PST-8,2017-02-09 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system approaching the Coast of Washington brought a warm front through on the 7th starting the snow in the Columbia Gorge, and the trailing cold front moved through on the 8th through the 9th bringing high winds to the Oregon Coast and Coast Range as well as additional snow and ice to the Columbia Gorge. Winds picked back up on the back side of this system for another round of high winds in the Central Coast Range.","The weather station at Mt Hebo at an elevation of 3500 feet recorded wind gusts up to 71 mph. In an adjacent zone, Rockhouse RAWS station recorded wind gusts of 59 mph." +121016,724512,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-12-09 02:40:00,EST-5,2017-12-09 02:40:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The WeatherFlow station near Boca Grande (KBCG) recorded a 40 knot marine thunderstorm wind gust." +121016,724519,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"TAMPA BAY",2017-12-08 22:55:00,EST-5,2017-12-08 22:55:00,0,0,0,0,0.00K,0,0.00K,0,27.8407,-82.5315,27.8407,-82.5315,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The AWOS at MacDill Air Force Base (KMCF) measured a 35 knot marine thunderstorm wind gust." +121017,724533,FLORIDA,2017,December,Thunderstorm Wind,"PINELLAS",2017-12-08 22:30:00,EST-5,2017-12-08 22:30:00,0,0,0,0,50.00K,50000,0.00K,0,28.02,-82.66,28.02,-82.66,"A cold front moved southeast through the Florida Peninsula on the evening of the 8th through early morning on the 9th. Thunderstorms developed along and ahead of the front, one of which produced a damaging wind gust.","A large oak tree fell on a house in Safety Harbor, causing significant damage to the house." +121097,724972,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHEASTERN ST. LAWRENCE",2017-12-07 14:00:00,EST-5,2017-12-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lake effect snow band developed off Lake Ontario during the afternoon of December 6th and rotated northward across portions of southeast St. Lawrence county during the afternoon and night time hours of December 7th. A widespread 3 to 6 inches fell except for a localized band of near and along Route 3 which included 14 in Pitcarn.","Widespread 3 to 6 inches fell in southern St. Lawrence county with a narrow band of more than 8 inches across southeast St. Lawrence county near Route 3. Pitcarn reported 14 inches of snow." +114824,688729,LOUISIANA,2017,April,Flash Flood,"LIVINGSTON",2017-04-03 03:00:00,CST-6,2017-04-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4558,-90.9699,30.4819,-90.8295,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Numerous road closures due to heavy rain were reported across Livingston Parish." +113920,682291,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-02-07 12:19:00,CST-6,2017-02-07 12:19:00,0,0,0,0,0.00K,0,0.00K,0,30.3597,-89.1095,30.3597,-89.1095,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A WeatherFlow station near Gulfport (XGPT) measured a gust of 46 mph." +114824,688731,LOUISIANA,2017,April,Flash Flood,"LIVINGSTON",2017-04-03 03:30:00,CST-6,2017-04-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4668,-90.9702,30.5763,-90.9714,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","The Livingston Parish Emergency Manager reported water in 3 homes in Watson." +112433,682385,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-20 17:40:00,PST-8,2017-02-20 19:40:00,0,0,0,0,0.00K,0,0.00K,0,37.2489,-122.0685,37.2488,-122.0684,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Eastbound lanes of SR9 blocked near Sanborn Rd." +112433,682412,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-21 01:05:00,PST-8,2017-02-21 03:05:00,0,0,0,0,0.00K,0,0.00K,0,37.2375,-121.9931,37.2373,-121.9936,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Rock slide, trees down at SR9 and Serramonte off ramp." +113952,682419,OREGON,2017,February,Flood,"BENTON",2017-02-09 04:45:00,PST-8,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,44.5258,-123.3351,44.5247,-123.3359,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Marys River near Philomath to flood. The river crested at 20.54 feet, which is 0.54 feet above flood stage." +113356,678793,PENNSYLVANIA,2017,April,Flood,"LEHIGH",2017-04-06 19:25:00,EST-5,2017-04-06 19:25:00,0,0,0,0,0.00K,0,0.00K,0,40.5683,-75.5489,40.5603,-75.5315,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability were drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Flooding on several roadways." +113356,678794,PENNSYLVANIA,2017,April,Flood,"LEHIGH",2017-04-06 19:26:00,EST-5,2017-04-06 19:26:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-75.58,40.5601,-75.5803,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability were drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Flooding on several roadways." +113356,678795,PENNSYLVANIA,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-06 14:58:00,EST-5,2017-04-06 14:58:00,0,0,0,0,,NaN,,NaN,40.07,-75.32,40.07,-75.32,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability were drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Roof damage occurred at the Hereaus building on Union Hill Road due to a downburst, two vehicles were also damaged." +113356,678796,PENNSYLVANIA,2017,April,Thunderstorm Wind,"CHESTER",2017-04-06 14:25:00,EST-5,2017-04-06 14:25:00,0,0,0,0,,NaN,,NaN,39.81,-75.74,39.81,-75.74,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability were drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A tree fell onto a car on route 41 near Brittany Hills." +113357,678801,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"LITTLE EGG INLET TO GREAT EGG INLET NJ OUT 20NM",2017-04-06 17:48:00,EST-5,2017-04-06 17:48:00,0,0,0,0,,NaN,,NaN,39.6,-74.33,39.6,-74.33,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678808,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-04-06 18:14:00,EST-5,2017-04-06 18:14:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-74.6,39.27,-74.6,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113379,678405,ALASKA,2017,February,High Wind,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-02-13 17:00:00,AKST-9,2017-02-14 09:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low center was in the western Gulf just south of Kodiak on the afternoon of 2/13. A very strong front and wave moved into the eastern Gulf on the night of 2/13 and the morning of 2/14. Significant roof damage occurred both in Pelican and Craig and winds 60 to 70 MPH were observed.","Pelican spotters estimated around 70 MPH. Big damage was part of the roff at the cold storage plant blew away." +113379,678406,ALASKA,2017,February,High Wind,"CAPE DECISION TO SALISBURY SOUND COASTAL AREA",2017-02-13 17:00:00,AKST-9,2017-02-14 09:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low center was in the western Gulf just south of Kodiak on the afternoon of 2/13. A very strong front and wave moved into the eastern Gulf on the night of 2/13 and the morning of 2/14. Significant roof damage occurred both in Pelican and Craig and winds 60 to 70 MPH were observed.","Sitka ASOS on Japonski Island (Airport) G46 KT around 1 AM on 2/14. Spotters estimated more wind. No damage reported." +113379,678407,ALASKA,2017,February,High Wind,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-02-13 17:00:00,AKST-9,2017-02-14 09:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A storm force low center was in the western Gulf just south of Kodiak on the afternoon of 2/13. A very strong front and wave moved into the eastern Gulf on the night of 2/13 and the morning of 2/14. Significant roof damage occurred both in Pelican and Craig and winds 60 to 70 MPH were observed.","Hydaburg AWOS measured gusts to 56 KT around 0800L on 2/14. Klawock showed less wind but the roof blew off a building in Craig." +113380,678408,ALASKA,2017,February,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-02-27 21:00:00,AKST-9,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Pelican COOP measured 11 inches new snow storm total. 5 inches fell the first morning. Impact was constant snow removal off the boardwalk with drifts in a stiff wind." +113380,678410,ALASKA,2017,February,Winter Storm,"CAPE DECISION TO SALISBURY SOUND COASTAL AREA",2017-02-27 21:00:00,AKST-9,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Sitka got 8 inches of new snow by morning on 2/28 plus three more inches of Ice Pellets in the thunderstorms that afternoon. Impact on aircraft and snow removal." +113380,678507,ALASKA,2017,February,Winter Storm,"DIXON ENTRANCE TO CAPE DECISION COASTAL AREA",2017-02-27 21:00:00,AKST-9,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Klawock State DOT called our office around 945 am 4/28. They measured 6 inches new snowfall between 0400 to 0900 on 4/28. DOT also heard reports of 6 to 10 inches at 500-700 FT elevation. Quote The Roads are a mess.." +112810,674879,TEXAS,2017,February,Thunderstorm Wind,"CALDWELL",2017-02-19 23:40:00,CST-6,2017-02-19 23:40:00,0,0,0,0,0.00K,0,0.00K,0,29.84,-97.84,29.84,-97.84,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that damaged a barn roof, front porch awning, and knocked down a 100 year old tree." +112810,674892,TEXAS,2017,February,Thunderstorm Wind,"BEXAR",2017-02-19 22:36:00,CST-6,2017-02-19 22:36:00,0,0,0,0,0.00K,0,0.00K,0,29.4969,-98.4958,29.4969,-98.4958,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that ripped part of the roof off a house in northern San Antonio near the Olmos Basin Golf Course. This storm also produced a tornado in the area." +112810,674893,TEXAS,2017,February,Thunderstorm Wind,"BEXAR",2017-02-19 22:37:00,CST-6,2017-02-19 22:38:00,0,0,0,0,0.00K,0,0.00K,0,29.4963,-98.4904,29.4963,-98.4904,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that tore part of the roof off a house and knocked some three inch diameter tree branches in northern San Antonio near the Olmos Basin Golf Course. This storm also produced a tornado in the area." +112601,671911,TEXAS,2017,February,High Wind,"BIG BEND AREA",2017-02-12 14:50:00,CST-6,2017-02-12 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, northeast gap winds resulted through Guadalupe Pass behind a strong cold|front.","" +112601,671912,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-12 11:51:00,MST-7,2017-02-13 08:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, northeast gap winds resulted through Guadalupe Pass behind a strong cold|front.","" +112604,671915,NEW MEXICO,2017,February,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-02-17 10:00:00,MST-7,2017-02-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds affected the Guadalupe Mountains in the wake of a passing upper trough.","" +112606,671916,NEW MEXICO,2017,February,High Wind,"EDDY COUNTY PLAINS",2017-02-23 11:52:00,MST-7,2017-02-23 13:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough moving over the central U.S. Plains resulted in high winds across the higher terrain, and adjacent lower lands, in southeast New Mexico.","" +112605,671917,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-23 06:38:00,MST-7,2017-02-24 03:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough moving over the central U.S. Plains resulted in high winds across the higher terrain, and adjacent lower lands, in west Texas.","" +112605,671918,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-23 10:52:00,MST-7,2017-02-23 15:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough moving over the central U.S. Plains resulted in high winds across the higher terrain, and adjacent lower lands, in west Texas.","" +112605,671919,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-23 08:51:00,MST-7,2017-02-23 17:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough moving over the central U.S. Plains resulted in high winds across the higher terrain, and adjacent lower lands, in west Texas.","" +113617,680133,NORTH CAROLINA,2017,February,Thunderstorm Wind,"PERSON",2017-02-25 15:00:00,EST-5,2017-02-25 15:06:00,0,0,0,0,1.00K,1000,2.00K,2000,36.41,-79.04,36.46,-78.91,"A line of thunderstorms developed along a residual surface trough east of the Appalachians. The southern most storm of the line produced isolated wind damage and some penny to nickel size hail as it moved through Person County during the afternoon.","Several trees and power lines were blown down along a swath from the intersection of Flem-Clayton Road and Longstore Road in Roxboro to Mill Creek Road south-southwest of Bethel Hill." +112387,670108,CALIFORNIA,2017,February,High Wind,"MODOC COUNTY",2017-02-09 02:04:00,PST-8,2017-02-09 15:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to a few locations in northern California.","The Timber Mountain RAWS recorded gusts exceeding 57 mph continuously between 09/0004 PST and 09/1003 PST. The peak gust was 74 mph 09/0503 PST. The Rush Creek RAWS recorded a gust to 61 mph at 09/1403 PST and a gust to 59 mph at 09/1503 PST." +112389,670111,CALIFORNIA,2017,February,Flood,"SISKIYOU",2017-02-10 00:00:00,PST-8,2017-02-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7899,-123.0414,41.7621,-123.0558,"Heavy rain combined with snow melt led to flooding in Siskiyou county in northern California.","A portion of Highway 96 between Seiad Valley and Hamburg was closed due to 1.5 feet of water covering the road." +112390,670112,OREGON,2017,February,Coastal Flood,"SOUTH CENTRAL OREGON COAST",2017-02-09 09:00:00,PST-8,2017-02-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High river flows combined with high tide to flood some areas near the southern Oregon coast.","Highway 101 between mileposts 241 and 242 and highway 42 between mileposts 0 and 3 were covered by up to a foot of water due to a combination of high river flows, high tide, and storm surge. Road closure was anticipated." +112392,670114,OREGON,2017,February,High Wind,"SOUTH CENTRAL OREGON COAST",2017-02-15 12:07:00,PST-8,2017-02-15 12:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of southwest and south central Oregon.","The NOS/NWLON at Port Orford recorded a gust to 61 mph at 15/1212 PST and a gust to 60 mph at 15/1218 PST." +112392,670115,OREGON,2017,February,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-02-15 20:40:00,PST-8,2017-02-15 22:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of southwest and south central Oregon.","The Squaw Peak RAWS recorded gusts to 76 mph at 15/2139 and 15/2239 PST." +112392,670116,OREGON,2017,February,High Wind,"KLAMATH BASIN",2017-02-15 19:28:00,PST-8,2017-02-15 19:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of southwest and south central Oregon.","The Klamath Falls Airport ASOS recorded a gust to 58 mph at 15/1929 PST." +112392,670117,OREGON,2017,February,High Wind,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-02-15 17:01:00,PST-8,2017-02-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of southwest and south central Oregon.","The Calimus RAWS recorded many gusts exceeding 57 mph during this interval. The peak gusts of 62 mph were recorded at 15/1800 PST and 16/0100 PST." +112393,670119,CALIFORNIA,2017,February,High Wind,"CENTRAL SISKIYOU COUNTY",2017-02-15 14:49:00,PST-8,2017-02-15 22:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of northeast California.","The Weed Airport RAWS recorded several gusts exceeding 58 mph during this interval. The peak gust was 64 mph recorded at 15/2148 PST." +112393,670120,CALIFORNIA,2017,February,High Wind,"MODOC COUNTY",2017-02-15 21:04:00,PST-8,2017-02-16 06:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front brought high winds to areas of northeast California.","The Rush Creek RAWS recorded several gusts exceeding 58 mph during this interval. The peak gust was 68 mph recorded at 16/0603 PST. The Timber Mountain RAWS also recorded several gusts exceeding 58 mph during this interval. The peak gust was 68 mph recorded at 16/0003 and 16/0203 PST." +112730,675539,NEW JERSEY,2017,March,High Wind,"MIDDLESEX",2017-03-02 08:00:00,EST-5,2017-03-02 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An unseasonably warm, very moist, and unstable air mass, characterized by temperatures in the 70s and Dew Points in the upper 50s to lower 60s, was conducive to maintaining a line of thunderstorms along a pre-frontal trough,|as they crossed the Appalachians and moved through portions of southern NJ. Although there was little in the way of lightning associated with these storms, pockets of significant wind damage occurred. At Ocean City, NJ, a wind gust of 60 MPH was recorded during the afternoon hours of March 1st. 2,500 lost power in Southern NJ. high winds continued behind the system into the 2nd and 3rd with several thousand more losing power across the state. Top gusts in the early morning hours ranged from 54 mph at Cape may to 58 mph at Sandy Hook along with gusts of 48 mph At Atlantic City International airport and 54 mph in Perth Amboy.","A large tree fell through a fence and damaged a pool." +112569,671559,INDIANA,2017,February,Thunderstorm Wind,"DEARBORN",2017-02-24 19:20:00,EST-5,2017-02-24 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,39,-84.99,39,-84.99,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","One tree was knocked down." +112570,671561,OHIO,2017,February,Hail,"PREBLE",2017-02-24 18:30:00,EST-5,2017-02-24 18:35:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-84.81,39.57,-84.81,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112570,671563,OHIO,2017,February,Hail,"PREBLE",2017-02-24 18:42:00,EST-5,2017-02-24 18:47:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-84.71,39.7,-84.71,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","The dime size hail fell in Lakengren." +112570,671564,OHIO,2017,February,Hail,"SHELBY",2017-02-24 18:42:00,EST-5,2017-02-24 18:47:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-84.16,40.35,-84.16,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","The dime size hail fell between Sidney and Anna." +112953,674886,ILLINOIS,2017,February,Hail,"HENDERSON",2017-02-28 15:45:00,CST-6,2017-02-28 15:45:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-90.82,40.64,-90.82,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A citizen reported hail around golf ball size." +112953,674888,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 16:12:00,CST-6,2017-02-28 16:12:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-90.04,41.17,-90.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Spotters reported dime size hail." +112570,671565,OHIO,2017,February,Hail,"BUTLER",2017-02-24 19:05:00,EST-5,2017-02-24 19:10:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-84.82,39.39,-84.82,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Dime size hail and hail of smaller size accumulated to a depth of an inch." +112570,671567,OHIO,2017,February,Hail,"WARREN",2017-02-24 19:05:00,EST-5,2017-02-24 19:10:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-84.36,39.58,-84.36,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112570,671568,OHIO,2017,February,Hail,"BUTLER",2017-02-24 19:10:00,EST-5,2017-02-24 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-84.77,39.35,-84.77,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112570,671570,OHIO,2017,February,Hail,"BUTLER",2017-02-24 19:15:00,EST-5,2017-02-24 19:20:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-84.62,39.47,-84.62,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112570,671572,OHIO,2017,February,Hail,"CLARK",2017-02-24 20:35:00,EST-5,2017-02-24 20:40:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-83.81,39.93,-83.81,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","The hail fell in the Northridge area." +112570,671573,OHIO,2017,February,Hail,"CLERMONT",2017-02-24 21:05:00,EST-5,2017-02-24 21:10:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-84.05,39.05,-84.05,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112570,671574,OHIO,2017,February,Hail,"BROWN",2017-02-24 21:09:00,EST-5,2017-02-24 21:14:00,0,0,0,0,0.00K,0,0.00K,0,39.08,-84.01,39.08,-84.01,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +116089,698634,IOWA,2017,May,Thunderstorm Wind,"MITCHELL",2017-05-17 17:27:00,CST-6,2017-05-17 17:27:00,0,0,0,0,2.00K,2000,0.00K,0,43.28,-92.81,43.28,-92.81,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Trees were blown down in Osage." +113968,682524,WISCONSIN,2017,February,Heavy Snow,"ASHLAND",2017-02-24 06:00:00,CST-6,2017-02-25 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow fell as a low pressure area moved through. Most snow amounts over northwest Wisconsin were in the 2 to 6 inch range. Lake effect snow pushed snowfall to 13 inches in Gile and 8 inches in Upson. Mellen received at least 8 inches of snow. For the synoptic system, the highest amounts were in southern Price County at about 6 to 7 inches.","" +113968,682526,WISCONSIN,2017,February,Heavy Snow,"IRON",2017-02-24 08:00:00,CST-6,2017-02-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow fell as a low pressure area moved through. Most snow amounts over northwest Wisconsin were in the 2 to 6 inch range. Lake effect snow pushed snowfall to 13 inches in Gile and 8 inches in Upson. Mellen received at least 8 inches of snow. For the synoptic system, the highest amounts were in southern Price County at about 6 to 7 inches.","" +113968,682527,WISCONSIN,2017,February,Heavy Snow,"PRICE",2017-02-24 05:00:00,CST-6,2017-02-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow fell as a low pressure area moved through. Most snow amounts over northwest Wisconsin were in the 2 to 6 inch range. Lake effect snow pushed snowfall to 13 inches in Gile and 8 inches in Upson. Mellen received at least 8 inches of snow. For the synoptic system, the highest amounts were in southern Price County at about 6 to 7 inches.","" +113764,681117,IDAHO,2017,February,Avalanche,"CARIBOU HIGHLANDS",2017-02-09 13:00:00,MST-7,2017-02-09 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A snowmobiler was killed in an avalanche near McCoy Creek. The location was in extreme eastern Bonneville County right on the Wyoming border. He was buried under 3 feet of snow and died from injuries sustained in the avalanche.","A snowmobiler was killed in an avalanche near McCoy Creek. The location was in extreme eastern Bonneville County right on the Wyoming border. He was buried under 3 feet of snow and died from injuries sustained in the avalanche." +113766,681123,IDAHO,2017,February,Heavy Snow,"CARIBOU HIGHLANDS",2017-02-17 18:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell again in the central and southeast mountains of Idaho. Several SNOTEL sites reported over 10 inches of snow.","The Sedgwick Peak SNOTEL reported 10 inches of snow." +113766,681124,IDAHO,2017,February,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-02-17 18:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell again in the central and southeast mountains of Idaho. Several SNOTEL sites reported over 10 inches of snow.","The following snow amounts were recorded at SNOTEL sites: Chocolate Gulch 11 inches, Dollarhide Summit 15 inches, Galena Summit 13 inches, Lost Wood Divide 15 inches, Swede Peak 14 inches and Vienna Mine 12 inches." +113766,681125,IDAHO,2017,February,Heavy Snow,"LOST RIVER / PAHSIMEROI",2017-02-17 18:00:00,MST-7,2017-02-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow fell again in the central and southeast mountains of Idaho. Several SNOTEL sites reported over 10 inches of snow.","The Hilt's Creek SNOTEL recorded 19 inches of snow." +113769,681126,IDAHO,2017,February,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-02-20 07:00:00,MST-7,2017-02-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of very wet Pacific systems again brought heavy snow to the mountains of central and southeast Idaho with widespread amounts from 10 to as much as 40 inches.","The following snow amounts fell at SNOTEL sites: Bear Canyon 17 inches, Mill Creek Summit 16 inches, Smiley Mountain 40 inches, and Stickney Mill 10 inches. 9 inches fell at the Stanley COOP site." +113769,681128,IDAHO,2017,February,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-02-20 08:00:00,MST-7,2017-02-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of very wet Pacific systems again brought heavy snow to the mountains of central and southeast Idaho with widespread amounts from 10 to as much as 40 inches.","The following snowfall amounts were recorded at SNOTEL sites: 10 inches at Chocolate Gulch, 14 inches at Dollarhide Summit, 14 inches at Garfield Ranger Station, 12 inches at Galena, 15 inches at Galena Summit, 11 inches at Hyndman, 17 inches at Lost Wood Divide, 14 inches at Swede Peak, and 20 inches at Vienna Mine." +113769,681129,IDAHO,2017,February,Heavy Snow,"LOST RIVER / PAHSIMEROI",2017-02-20 08:00:00,MST-7,2017-02-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of very wet Pacific systems again brought heavy snow to the mountains of central and southeast Idaho with widespread amounts from 10 to as much as 40 inches.","Heavy snow fell at the following SNOTEL sites: 24 inches at Hilt's Creek, 28 inches at Meado Lake, 12 inches at Moonshine, and 13 inches at Morgan Creek." +113951,682375,ARKANSAS,2017,February,Hail,"PULASKI",2017-02-28 17:55:00,CST-6,2017-02-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-92.49,34.92,-92.49,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682377,ARKANSAS,2017,February,Hail,"FAULKNER",2017-02-28 18:15:00,CST-6,2017-02-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-92.21,35.08,-92.21,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682379,ARKANSAS,2017,February,Thunderstorm Wind,"WHITE",2017-02-28 19:00:00,CST-6,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-91.73,35.18,-91.73,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","Several trees and power lines were down near Highway 367." +113951,682381,ARKANSAS,2017,February,Hail,"WHITE",2017-02-28 19:00:00,CST-6,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-91.88,35.11,-91.88,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +113951,682384,ARKANSAS,2017,February,Thunderstorm Wind,"WHITE",2017-02-28 19:05:00,CST-6,2017-02-28 19:05:00,0,0,0,0,10.00K,10000,0.00K,0,35.19,-91.71,35.19,-91.71,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","Several trees and power lines were down and damage was noted to a couple of homes." +113951,682658,ARKANSAS,2017,February,Hail,"PULASKI",2017-02-28 18:11:00,CST-6,2017-02-28 18:11:00,0,0,0,0,25.00K,25000,0.00K,0,34.92,-92.49,34.92,-92.49,"Severe thunderstorms brought damaging winds and large hail to parts of Arkansas.","" +112865,674246,HAWAII,2017,February,High Surf,"WINDWARD HALEAKALA",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112865,674247,HAWAII,2017,February,High Surf,"KONA",2017-02-07 08:00:00,HST-10,2017-02-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 10 to 22 feet along the north- and west-facing shores of Niihau and Kauai, the north-facing shores of Oahu, Molokai, and Maui; and 8 to 15 feet along the west-facing shores of Oahu, Molokai, and the Big Island. There were no reports of significant injuries or property damage.","" +112866,674248,HAWAII,2017,February,Wildfire,"SOUTH BIG ISLAND",2017-02-06 12:00:00,HST-10,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire blackened around 200 acres of dry brush and grass near Naalehu in the Kau District on the Big Island of Hawaii. It burned near mile markers 62 and 63 along Highway 11. The cause of the blaze was not known. No serious property damage or injuries were reported.","" +112869,674256,HAWAII,2017,February,High Surf,"NIIHAU",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674257,HAWAII,2017,February,High Surf,"KAUAI WINDWARD",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674258,HAWAII,2017,February,High Surf,"KAUAI LEEWARD",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674259,HAWAII,2017,February,High Surf,"WAIANAE COAST",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674260,HAWAII,2017,February,High Surf,"OAHU NORTH SHORE",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112281,669558,NEW YORK,2017,February,Winter Storm,"EASTERN ESSEX",2017-02-12 11:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with Westport and Port Henry at 11 inches and Newcomb at 10 inches." +112281,669559,NEW YORK,2017,February,Winter Storm,"WESTERN ESSEX",2017-02-12 11:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with Westport and Port Henry at 11 inches and Newcomb at 10 inches." +112281,669562,NEW YORK,2017,February,Winter Storm,"NORTHERN ST. LAWRENCE",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with Potsdam and Gouverneur reporting 10 inches." +112281,669564,NEW YORK,2017,February,Winter Storm,"SOUTHWESTERN ST. LAWRENCE",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with Potsdam and Gouverneur reporting 10 inches." +114123,683400,WASHINGTON,2017,February,Flood,"FRANKLIN",2017-02-21 14:43:00,PST-8,2017-02-21 20:39:00,0,0,0,0,3.00M,3000000,0.00K,0,46.699,-119.2797,46.3153,-119.2165,"Rapid melting of low elevation snow pack with heavy rain cause flooding across portions of southeast Washington.","Mild temperatures February 9 -13 allowed an initial snow melt and heavy rain caused rapid melting and increased runoff across Franklin County. This area had a snow pack of 5-10 inches on February 15, with much of it melted by February 21. Rain amounts of 0.50 to 0.75 were seen on February 16 and temperatures remained above freezing through February 22 with additional rain amounts of 0.50 to 1.00 inches on February 21-22. Numerous county roads had washouts, erosion, slides and undermining. In Connell, the ground was saturated with the melting snow pack and heavy rain to the north of town ( Lind, Washington had about 1 inch of rain over the 2 day period, February 15 and 16). The Esquatzel Coulee at Connell was over-topped with water and ice running through streets. A large sinkhole/erosion area was noted near Eltopia. Damage is estimated at 3 million dollars for Franklin County, for mainly roads." +114123,683405,WASHINGTON,2017,February,Flood,"WALLA WALLA",2017-02-21 14:43:00,PST-8,2017-02-21 20:39:00,0,0,0,0,10.00K,10000,0.00K,0,46.5821,-118.2579,46.4882,-118.5776,"Rapid melting of low elevation snow pack with heavy rain cause flooding across portions of southeast Washington.","Mild temperatures February 9 -13 allowed an initial snow melt and heavy rain caused rapid melting and increased runoff across northern Walla Walla County. This area had a snow pack of 5-10 inches on February 15, with much of it melted by February 21. Rain amounts of 0.50 to 0.75 were seen on February 16 and temperatures remained above freezing through February 22 with additional rain amounts of 0.50 to 1.00 inches on February 21-22. Numerous county roads had washouts, erosion, slides and undermining." +114135,683535,LAKE SUPERIOR,2017,February,Marine Hail,"ST MARYS RIVER FROM POINT IROQUOIS TO E POTAGANNISSING BAY",2017-02-23 06:31:00,EST-5,2017-02-23 06:31:00,0,0,0,0,0.00K,0,0.00K,0,45.9932,-83.8885,45.9932,-83.8885,"A line of thunderstorms brought hail to the lower portion of the St Marys River system.","" +114136,683536,LAKE HURON,2017,February,Marine Hail,"STURGEON PT TO ALABASTER MI",2017-02-24 16:49:00,EST-5,2017-02-24 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.2767,-83.4638,44.3621,-83.33,"Scattered thunderstorms north of a warm front brought hail to portions of Lake Huron.","" +113813,681468,INDIANA,2017,February,Hail,"ST. JOSEPH",2017-02-24 16:00:00,EST-5,2017-02-24 16:01:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-86.22,41.67,-86.22,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","Local media reported dime size hail at Indiana University South Bend campus." +113381,678658,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:43:00,CST-6,2017-02-20 01:43:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-96.31,31.2,-96.31,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Leon County Sheriff's Department reported trees down on Highway 79." +113381,678673,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:45:00,CST-6,2017-02-20 01:45:00,0,0,0,0,0.00K,0,0.00K,0,31.25,-96.29,31.25,-96.29,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Leon County Sheriff's Department reported approximately 30 trees knocked down along CR 386." +113381,678674,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:45:00,CST-6,2017-02-20 01:45:00,0,0,0,0,10.00K,10000,0.00K,0,31.26,-96.27,31.26,-96.27,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Leon County Sheriff's Department reported that the roofs of 6 chicken houses were blown off and other debris was scattered about in the area." +113381,678675,TEXAS,2017,February,Thunderstorm Wind,"ROBERTSON",2017-02-20 01:46:00,CST-6,2017-02-20 01:46:00,0,0,0,0,0.00K,0,0.00K,0,31.29,-96.38,31.29,-96.38,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Robertson County Sheriff's Department reported trees down along Highway 7; approximately 12 miles north of Easterly." +113381,678676,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 01:55:00,CST-6,2017-02-20 01:55:00,0,0,0,0,10.00K,10000,0.00K,0,31.4,-96.15,31.4,-96.15,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Amateur radio reported that several 40 plus feet tall pine trees were blown over, and the front wall of a double-wide wide was torn from the structure off County Road 431." +113381,678677,TEXAS,2017,February,Thunderstorm Wind,"LEON",2017-02-20 02:11:00,CST-6,2017-02-20 02:11:00,0,0,0,0,5.00K,5000,0.00K,0,31.03,-96.12,31.03,-96.12,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Leon County Sheriff's Department reported that as 18 wheeler hit a downed tree near the town of Normangee." +112433,681554,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 07:47:00,PST-8,2017-02-20 09:47:00,0,0,0,0,0.00K,0,0.00K,0,37.9212,-122.3184,37.9212,-122.318,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","One foot of water in Portrero on ramp to I80." +112433,681555,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 08:18:00,PST-8,2017-02-20 10:18:00,0,0,0,0,0.00K,0,0.00K,0,37.7551,-121.5749,37.7547,-121.5747,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","East bound lane of Mountain Houses Road at Grant Line Road flooded." +112433,681564,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-20 08:36:00,PST-8,2017-02-20 10:36:00,0,0,0,0,0.00K,0,0.00K,0,38.3873,-122.7412,38.3873,-122.7417,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Entire roadway flooded Todd Rd at Stony Point Rd." +112433,681565,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-20 10:08:00,PST-8,2017-02-20 12:08:00,0,0,0,0,0.00K,0,0.00K,0,36.8035,-121.7219,36.8034,-121.7222,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Ellkhorn Rd at Springpoint Rd...road is flooding." +112433,681567,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-20 10:37:00,PST-8,2017-02-20 12:37:00,0,0,0,0,0.00K,0,0.00K,0,36.8942,-121.7005,36.8938,-121.7003,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Flooding over Vega Rd at Kari Ln. Roadway may crack." +112433,681569,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-20 12:12:00,PST-8,2017-02-20 14:12:00,0,0,0,0,0.00K,0,0.00K,0,38.7619,-122.9753,38.7614,-122.9755,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","About 1 ft of water in Asti Rd at Asti Store Rd." +112433,681602,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 15:20:00,PST-8,2017-02-20 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.9701,-121.9233,37.9699,-121.9235,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Flooding roadway enough to cause vehicles to lose traction Kirker pass NR Hess Rd." +112433,681604,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-20 15:31:00,PST-8,2017-02-20 17:31:00,0,0,0,0,0.00K,0,0.00K,0,36.7712,-121.6667,36.7712,-121.6672,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway completely flooded Cross Rd/Reese Cir." +112433,681605,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-20 15:34:00,PST-8,2017-02-20 17:34:00,0,0,0,0,0.00K,0,0.00K,0,36.7803,-121.6412,36.7799,-121.6413,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded Pesante Rd/Holly Hill Dr." +112433,683474,CALIFORNIA,2017,February,Flash Flood,"ALAMEDA",2017-02-20 16:08:00,PST-8,2017-02-20 18:08:00,0,0,0,0,0.00K,0,0.00K,0,37.5987,-121.9047,37.589,-121.9053,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","State route 84 completely closed in both directions due to Alameda Creek flooding between Mission in Fremont to Main St in Sunol, 4 to 5 rock slides with flooding." +112433,683476,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-20 22:00:00,PST-8,2017-02-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9465,-121.4121,36.9378,-121.42,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Pacheco Creek near Dunneville gauge above flood stage." +112433,683487,CALIFORNIA,2017,February,Flash Flood,"SANTA CLARA",2017-02-20 17:03:00,PST-8,2017-02-24 08:02:00,0,0,0,0,0.00K,0,0.00K,0,37.3907,-121.8397,37.3907,-121.8404,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Upper Penitencia Creek at Dorel gauge above flood stage." +112433,683492,CALIFORNIA,2017,February,Flash Flood,"SAN MATEO",2017-02-20 17:30:00,PST-8,2017-02-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.5179,-122.2725,37.5158,-122.2722,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Stream gauge on the Belmont Creek in Belmont indicated the stream flooded between 5:29 and 7:30 pm." +112433,683496,CALIFORNIA,2017,February,Flash Flood,"SANTA CRUZ",2017-02-20 17:15:00,PST-8,2017-02-21 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.0513,-122.0722,37.0462,-122.0686,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Stream gauge on the San Lorenzo River at Big Trees indicated the San Lorenzo River was flooding between 5:15 pm on February 20 and 12:45 am on February 21." +112433,683501,CALIFORNIA,2017,February,Flash Flood,"SAN MATEO",2017-02-20 19:00:00,PST-8,2017-02-21 00:30:00,0,0,0,0,0.00K,0,0.00K,0,37.2552,-122.3635,37.2446,-122.3654,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Stream gauge on the Pescadero River near Pescadero exceeded flood stage between 7 pm on February 20 and 12:30 am on February 21." +113743,683632,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO BAY SHORELINE",2017-02-09 12:09:00,PST-8,2017-02-09 12:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Golden Gate Bridge 58 mph." +113743,683636,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-09 14:19:00,PST-8,2017-02-09 16:19:00,0,0,0,0,0.00K,0,0.00K,0,37.0457,-121.9397,37.0456,-121.94,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mudslide blocking south bound lane Soquel San Jose Rd." +112163,669127,MONTANA,2017,February,Winter Storm,"EASTERN CARBON",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 7 inches along with bad road conditions were reported across the area." +112163,669128,MONTANA,2017,February,Winter Storm,"SOUTHERN BIG HORN",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 6 inches along with bad road conditions were reported across the area." +112163,669346,MONTANA,2017,February,Winter Storm,"LIVINGSTON AREA",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Interstate 90 was closed at Livingston due to an accident." +112163,669348,MONTANA,2017,February,Winter Storm,"PARADISE VALLEY",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 12 inches was reported across the area." +121208,725654,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:32:00,EST-5,2017-10-15 16:32:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-77.28,42.89,-77.28,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725656,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:36:00,EST-5,2017-10-15 16:36:00,0,0,0,0,12.00K,12000,0.00K,0,42.84,-77.43,42.84,-77.43,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725655,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 16:36:00,EST-5,2017-10-15 16:36:00,0,0,0,0,10.00K,10000,0.00K,0,42.09,-78.49,42.09,-78.49,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +112691,672848,NEW YORK,2017,February,Heavy Snow,"EASTERN ULSTER",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672849,NEW YORK,2017,February,Heavy Snow,"WESTERN ALBANY",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672850,NEW YORK,2017,February,Heavy Snow,"WESTERN COLUMBIA",2017-02-09 02:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672851,NEW YORK,2017,February,Heavy Snow,"WESTERN DUTCHESS",2017-02-09 02:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112796,673843,NEBRASKA,2017,February,Winter Storm,"SHERIDAN",2017-02-23 00:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across portions of western and north central Nebraska on February 23rd into the morning hours on February 24th. Snowfall amounts ranged from 6 to 14 inches. North to northeast winds of 15 to 30 mph caused considerable blowing and drifting with 2 to 3 foot drifts in some areas.","A cooperative observer, located 6 miles north of Gordon, reported 10 inches of snowfall. Snowfall amounts ranged from 8 to 12 inches across Sheridan County. Northerly winds of 15 to 30 mph caused considerable blowing and drifting and low visibility." +112839,674692,KANSAS,2017,February,Hail,"BOURBON",2017-02-28 22:50:00,CST-6,2017-02-28 22:50:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.71,37.84,-94.71,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112839,674693,KANSAS,2017,February,Hail,"BOURBON",2017-02-28 22:54:00,CST-6,2017-02-28 22:54:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-94.71,37.84,-94.71,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112839,674694,KANSAS,2017,February,Hail,"CRAWFORD",2017-02-28 23:19:00,CST-6,2017-02-28 23:19:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-94.84,37.51,-94.84,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112958,674956,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-02-08 01:10:00,EST-5,2017-02-08 01:10:00,0,0,0,0,0.00K,0,0.00K,0,28.7475,-80.8402,28.7475,-80.8402,"A squall line, in the process of weakening while crossing east central Florida, produced several strong wind gusts north of Cape Canaveral as it pushed offshore.","USAF tower 0819 located 2 miles north of Mims recorded a peak wind gust of 34 knots out of the west northwest as a line of showers pushed over the site." +112958,674958,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-02-08 01:30:00,EST-5,2017-02-08 01:30:00,0,0,0,0,0.00K,0,0.00K,0,28.5272,-80.7742,28.5272,-80.7742,"A squall line, in the process of weakening while crossing east central Florida, produced several strong wind gusts north of Cape Canaveral as it pushed offshore.","USAF tower 1007 on the NASA Causeway (SR-405) measured a peak wind gust of 35 knots out of the north northwest as a line of showers moved through." +112958,674960,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-02-08 01:42:00,EST-5,2017-02-08 01:42:00,0,0,0,0,0.00K,0,0.00K,0,28.477,-80.594,28.477,-80.594,"A squall line, in the process of weakening while crossing east central Florida, produced several strong wind gusts north of Cape Canaveral as it pushed offshore.","The Cape Canaveral Air Force Station ASOS KXMR reported a peak wind gust of 37 knots out of the northwest as showers moved over the area and pushed offshore into the Atlantic." +112958,674955,ATLANTIC SOUTH,2017,February,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-02-07 23:48:00,EST-5,2017-02-07 23:48:00,0,0,0,0,0.00K,0,0.00K,0,29.289,-81.056,29.289,-81.056,"A squall line, in the process of weakening while crossing east central Florida, produced several strong wind gusts north of Cape Canaveral as it pushed offshore.","Weather Underground mesonet site KFLORMON18 in Ormond Beach recorded a 36 knot wind gust out of the northwest as a line of thunderstorms moved over the area." +112948,674978,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-02-03 21:00:00,MST-7,2017-02-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","A combination of snow, blowing snow and strong wind caused the closure of Wyoming Route 28 over South Pass for several hours." +115481,702471,TEXAS,2017,May,Thunderstorm Wind,"BRAZOS",2017-05-28 18:53:00,CST-6,2017-05-28 18:53:00,0,0,0,0,0.00K,0,0.00K,0,30.67,-96.37,30.67,-96.37,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Severe thunderstorm winds blew a tree down onto a power line which then caused a small fire." +114951,691733,OKLAHOMA,2017,April,Tornado,"MAJOR",2017-04-16 18:42:00,CST-6,2017-04-16 18:49:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-98.94,36.26,-98.96,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","A KOCO (TV) storm chaser observed a third tornado to the NNW of Chester. No damage was observed and the specific tornado path is estimated." +114947,691740,OKLAHOMA,2017,April,Hail,"KINGFISHER",2017-04-04 14:20:00,CST-6,2017-04-04 14:20:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-97.93,35.86,-97.93,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691741,OKLAHOMA,2017,April,Hail,"POTTAWATOMIE",2017-04-04 14:35:00,CST-6,2017-04-04 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-96.78,35.13,-96.78,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691742,OKLAHOMA,2017,April,Hail,"LINCOLN",2017-04-04 14:55:00,CST-6,2017-04-04 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-97,35.64,-97,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691743,OKLAHOMA,2017,April,Hail,"PAYNE",2017-04-04 15:17:00,CST-6,2017-04-04 15:17:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-96.74,35.98,-96.74,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691744,OKLAHOMA,2017,April,Hail,"KINGFISHER",2017-04-04 15:20:00,CST-6,2017-04-04 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-97.93,35.86,-97.93,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691745,OKLAHOMA,2017,April,Hail,"LINCOLN",2017-04-04 15:25:00,CST-6,2017-04-04 15:25:00,0,0,0,0,0.00K,0,0.00K,0,35.49,-96.69,35.49,-96.69,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +114947,691747,OKLAHOMA,2017,April,Hail,"NOBLE",2017-04-04 16:35:00,CST-6,2017-04-04 16:35:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-97.18,36.46,-97.18,"As a surface low with associated warm/cold fronts moved in from southwest Oklahoma, storms fired in central Oklahoma on the evening of the 4th.","" +112263,669421,COLORADO,2017,February,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-02-09 21:00:00,MST-7,2017-02-10 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane force winds toppled trees and knocked over several semis in and near the Front Range Mountains and Foothills. The Colorado Department of Transportation shut down Interstate 70 in both directions for a short time late between Beaver Brook and Silverthorne. Several trucks had been blown over and some cars received shattered windshields. High-profile vehicles and semi-trucks were barred from that area of the interstate until the wind weakened. Two trucks also rolled over on I-70 in Georgetown. The wind toppled dozens of trees near Estes Park and Glen Haven. In Glen Haven, two sheds and several decks were damaged by fallen trees. Downed power lines caused scattered electrical outages in Boulder and Larimer Counties. Nearly four thousand residents in Boulder County were left without power. The temperature in Denver reached 80 degrees. It was the first 80 degree temperature recorded in the month of February and established the all-time record for the month. The high wind and extremely warm temperatures helped to spread three grassfires in Boulder and Larimer Counties; no homes were damaged or lost. Intense wind gusts on the 10th caused power outages and damage to trees, fences and power lines across Boulder County. Blowing dirt reduced visibilities to a quarter-of-a-mile at times. A strong burst of wind uprooted trees, and knocked down an entire row of power poles and lines near Main Street and Pike Road in Longmont. The downed lines damaged a vehicle at one residence. Another resident had to be rescued when he was trapped in his car by downed electrical lines.","" +112263,671850,COLORADO,2017,February,High Wind,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-02-10 01:24:00,MST-7,2017-02-10 14:24:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"Hurricane force winds toppled trees and knocked over several semis in and near the Front Range Mountains and Foothills. The Colorado Department of Transportation shut down Interstate 70 in both directions for a short time late between Beaver Brook and Silverthorne. Several trucks had been blown over and some cars received shattered windshields. High-profile vehicles and semi-trucks were barred from that area of the interstate until the wind weakened. Two trucks also rolled over on I-70 in Georgetown. The wind toppled dozens of trees near Estes Park and Glen Haven. In Glen Haven, two sheds and several decks were damaged by fallen trees. Downed power lines caused scattered electrical outages in Boulder and Larimer Counties. Nearly four thousand residents in Boulder County were left without power. The temperature in Denver reached 80 degrees. It was the first 80 degree temperature recorded in the month of February and established the all-time record for the month. The high wind and extremely warm temperatures helped to spread three grassfires in Boulder and Larimer Counties; no homes were damaged or lost. Intense wind gusts on the 10th caused power outages and damage to trees, fences and power lines across Boulder County. Blowing dirt reduced visibilities to a quarter-of-a-mile at times. A strong burst of wind uprooted trees, and knocked down an entire row of power poles and lines near Main Street and Pike Road in Longmont. The downed lines damaged a vehicle at one residence. Another resident had to be rescued when he was trapped in his car by downed electrical lines.","High winds uprooted trees and downed power lines. A tree fell on a parked vehicle. Downed electrical lines trapped a motorist in his vehicle until help arrived." +113380,678508,ALASKA,2017,February,Winter Storm,"SOUTHERN INNER CHANNELS",2017-02-27 21:00:00,AKST-9,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Storm total for the Ketchikan area was 6 to 11 inches new snowfall. News stories were abound. Impact was snow removal on an already deep snowpack. To add to the misery, the snow was heavy and wet with no place to put it." +113685,682167,IOWA,2017,April,Hail,"FREMONT",2017-04-15 17:22:00,CST-6,2017-04-15 17:22:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-95.51,40.74,-95.51,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682168,IOWA,2017,April,Hail,"FREMONT",2017-04-15 17:58:00,CST-6,2017-04-15 17:58:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-95.65,40.61,-95.65,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682169,IOWA,2017,April,Hail,"HARRISON",2017-04-15 19:37:00,CST-6,2017-04-15 19:37:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-96.02,41.71,-96.02,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +112880,674328,HAWAII,2017,February,Heavy Rain,"MAUI",2017-02-28 20:23:00,HST-10,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,20.9167,-156.3203,20.7973,-156.0999,"The combination of a nearby surface low and upper trough brought heavy showers and thunderstorms to parts of the Aloha State, mainly Kauai, Oahu, and Maui. Some of the rainfall was enough to cause flash flooding in a few instances. However, there were no reports of serious injuries. The total cost of damages was not known, but a report about flooding at Waimea Valley Park on Oahu on the 28th indicated damages in the $10's of thousands.","A rock slide was reported near Puaa Kaa State Wayside Park in windward Maui from heavy rainfall. The debris flow closed one lane of Hana Highway in the vicinity." +112839,674706,KANSAS,2017,February,Tornado,"CRAWFORD",2017-02-28 22:37:00,CST-6,2017-02-28 22:38:00,0,0,0,0,50.00K,50000,0.00K,0,37.6503,-94.9603,37.6515,-94.9593,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","A National Weather Service storm survey revealed that an EF-1 tornado touched down approximately one mile southeast of Hepler, Kansas. The tornado destroyed one outbuilding and heavily damaging two other outbuildings. Several farm equipment items were also heavily damaged and thrown by the tornado. Estimated peak wind speed was 95 mph." +112839,674701,KANSAS,2017,February,Tornado,"CRAWFORD",2017-02-28 22:43:00,CST-6,2017-02-28 22:44:00,0,0,0,0,10.00K,10000,0.00K,0,37.63,-94.82,37.6322,-94.8182,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","A National Weather Service storm survey indicated that an EF-0 tornado briefly touched down just north-northeast of Farlington on the west side of Farlington Lake along West Lake Road. Two carports were destroyed and there was damage to two homes. A tree was blown down. Estimated peak wind speed was 75 mph." +112839,674704,KANSAS,2017,February,Thunderstorm Wind,"CHEROKEE",2017-02-28 23:43:00,CST-6,2017-02-28 23:43:00,0,0,0,0,5.00K,5000,0.00K,0,37.19,-94.83,37.19,-94.83,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Several small outbuildings and sheds were damaged. There was a home with shingles blown off the roof." +113253,677626,NEW YORK,2017,February,Winter Weather,"WESTERN ULSTER",2017-02-12 05:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677627,NEW YORK,2017,February,Winter Weather,"EASTERN DUTCHESS",2017-02-12 05:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677741,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 18:05:00,EST-5,2017-02-25 18:05:00,0,0,0,0,,NaN,,NaN,41.87,-74.06,41.87,-74.06,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees, wires, and poles were down along State Route 32." +113262,677742,NEW YORK,2017,February,Thunderstorm Wind,"GREENE",2017-02-25 18:10:00,EST-5,2017-02-25 18:10:00,0,0,0,0,,NaN,,NaN,42.23,-73.87,42.23,-73.87,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A tree was blown over and fell through a house." +113262,677743,NEW YORK,2017,February,Thunderstorm Wind,"DUTCHESS",2017-02-25 18:11:00,EST-5,2017-02-25 18:11:00,0,0,0,0,,NaN,,NaN,41.96,-73.88,41.96,-73.88,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Over 50 trees were downed in the area." +112989,675185,MISSISSIPPI,2017,February,Hail,"NESHOBA",2017-02-07 16:15:00,CST-6,2017-02-07 16:15:00,0,0,0,0,0.00K,0,0.00K,0,32.84,-89.29,32.84,-89.29,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +112989,675186,MISSISSIPPI,2017,February,Hail,"CLARKE",2017-02-07 17:55:00,CST-6,2017-02-07 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.04,-88.88,32.04,-88.88,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +112989,675187,MISSISSIPPI,2017,February,Hail,"CLARKE",2017-02-07 18:15:00,CST-6,2017-02-07 18:15:00,0,0,0,0,0.00K,0,0.00K,0,31.9662,-88.738,31.9662,-88.738,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","Quarter sized hail fell along County Road 280." +112989,675188,MISSISSIPPI,2017,February,Hail,"SMITH",2017-02-07 12:09:00,CST-6,2017-02-07 12:09:00,0,0,0,0,0.00K,0,0.00K,0,31.83,-89.43,31.83,-89.43,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +112989,675189,MISSISSIPPI,2017,February,Hail,"HINDS",2017-02-07 11:50:00,CST-6,2017-02-07 11:50:00,0,0,0,0,0.00K,0,0.00K,0,32.33,-90.35,32.33,-90.35,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","" +112907,674576,KENTUCKY,2017,February,Hail,"TRIGG",2017-02-07 19:30:00,CST-6,2017-02-07 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.9134,-87.82,36.8188,-87.8839,"During the evening, a severe thunderstorm acquired supercell characteristics for an hour or so as it moved southeast across the Lake Barkley area of Trigg County. The storm intensified along a cold front as it pressed southeast across western Kentucky. The atmosphere became sufficiently unstable for the storm to become severe during a short timeframe around sunset. The isolated severe storm was preceded by a round of storms during the morning hours, which produced locally heavy rain. The morning storms were generated by a strong south wind flow of warm and moist air.","Quarter-size hail accompanied a supercell thunderstorm across the Cadiz area. Quarter-size hail was reported by Kentucky State Police in downtown Cadiz. Quarter-size hail was also reported several miles southwest of Cadiz." +114058,683038,NEW YORK,2017,April,Winter Storm,"WESTERN ESSEX",2017-04-01 00:00:00,EST-5,2017-04-01 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across northern New York by midday on the 31st, then fell mainly as wet snow overnight before ending by mid-morning on April 1st. Snowfall totals were generally 2 to 5 inches across northeast New York with 6 to 12 inches at elevations above 1000-1200 feet in Adirondack portion of Essex county.","Six to twelve inches of a heavy, wet snow fell across portions of Essex county, including 9 inches in Elizabethtown, Keene Valley and 8 inches in Wilmington and Newcomb." +112907,679545,KENTUCKY,2017,February,Flood,"GRAVES",2017-02-07 08:12:00,CST-6,2017-02-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5979,-88.843,36.6459,-88.81,"During the evening, a severe thunderstorm acquired supercell characteristics for an hour or so as it moved southeast across the Lake Barkley area of Trigg County. The storm intensified along a cold front as it pressed southeast across western Kentucky. The atmosphere became sufficiently unstable for the storm to become severe during a short timeframe around sunset. The isolated severe storm was preceded by a round of storms during the morning hours, which produced locally heavy rain. The morning storms were generated by a strong south wind flow of warm and moist air.","A creek was overflowing into a yard. There was water in a nearby basement." +113527,679575,KENTUCKY,2017,February,Strong Wind,"CALLOWAY",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113527,679576,KENTUCKY,2017,February,Strong Wind,"CARLISLE",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113535,679668,OHIO,2017,February,Thunderstorm Wind,"TRUMBULL",2017-02-25 00:50:00,EST-5,2017-02-25 00:50:00,0,0,0,0,10.00K,10000,0.00K,0,41.2712,-80.8841,41.2712,-80.8841,"An area of low pressure moved from southern Indiana northeast into lower Michigan on February 24th. Showers and thunderstorms developed along a cold front associated with this low. The storms moved across northern Ohio during the evening and early morning hours. A few of the storms becoming severe. Wind damage was reported in a few locations. The worst damage was reported in Stark County just after midnight on the 25th. A large pole building was damaged and many trees downed in the area.","A home was damaged by a fallen tree knocked down by thunderstorm winds." +113503,679684,MISSOURI,2017,February,Hail,"MONROE",2017-02-28 20:05:00,CST-6,2017-02-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.582,-92.1159,39.6528,-91.7317,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +113558,680550,OKLAHOMA,2017,February,Drought,"ELLIS",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680551,OKLAHOMA,2017,February,Drought,"ROGER MILLS",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680552,OKLAHOMA,2017,February,Drought,"MAJOR",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680553,OKLAHOMA,2017,February,Drought,"WOODS",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680554,OKLAHOMA,2017,February,Drought,"WOODWARD",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680555,OKLAHOMA,2017,February,Drought,"DEWEY",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +112948,674975,WYOMING,2017,February,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-02-03 15:00:00,MST-7,2017-02-05 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a potent upper level disturbance and an ample supply of Pacific moisture brought heavy snow to portions of western Wyoming. The highest amounts fell in the Tetons were 21 inches of new snow was measured at the Jackson Hole Ski Resort. Over a foot of new snow also fell in portions of the Absarokas, Salt and Wyoming Range and Yellowstone Park. A combination of snow and winds gusting over 60 mph closed South Pass for a time over the Wind River Mountains. In the lower elevations, the heaviest snow fell in the Jackson Valley where a foot of new snow was measured near Wilson. High wind also blew in portions of the Cody foothills where winds topped put at 76 mph near Clark.","At the Jackson Hole Ski resort, 21 inches of new snow was measured." +113076,676304,WYOMING,2017,February,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-08 13:00:00,MST-7,2017-02-10 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Strong winds blew across much of the Green and Rattlesnake Range. At the RAWs at Camp Creek, there were many wind gusts past 60 mph, including a maximum of 82 mph." +112810,674531,TEXAS,2017,February,Tornado,"BEXAR",2017-02-19 22:42:00,CST-6,2017-02-19 22:45:00,0,0,0,0,,NaN,0.00K,0,29.5016,-98.3601,29.5219,-98.3469,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado formed near the intersection of Walzem Rd. and New World Dr. This tornado produced EF0 damage as it traveled to the northeast before lifting near the intersection of Crestway Dr. and O'Connor Rd. There was primarily damage to trees and minor damage to roofs and carports (DI FR12, DOD 2). According to City of San Antonio and Bexar County assessment, there were 4 homes that had major damage, 6 with minor damage, and 74 homes that were affected. There is currently no estimate of monetary loss." +112258,673685,GEORGIA,2017,January,Tornado,"MACON",2017-01-21 11:59:00,EST-5,2017-01-21 12:07:00,0,0,0,0,30.00K,30000,,NaN,32.4111,-84.009,32.452,-83.864,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum winds of 95 MPH and a maximum path width of 100 yards began southwest of Marshallville near Highway 49 in Macon County and travelled east-northeast for around 9 miles crossing Felton Road, BP Turner Road, Marshallville Road and Harbuck Road before ending along Camp John Hope Road just west of the Peach County line. Mostly tree damage was noted with this tornado, however minor roof damage occurred to a few homes and three large irrigation systems were overturned south of Marshallville. [01/21/17: Tornado #10, County #1/1, EF1, Macon, 2017:011]." +113790,681236,OKLAHOMA,2017,February,Wildfire,"LE FLORE",2017-02-01 10:00:00,CST-6,2017-02-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early February 2017. The largest wildfires occurred in Haskell County where over 5200 acres burned, Latimer County where more than 1800 acres burned, Le Flore County where over 1400 acres burned, Pittsburg County where over 700 acres burned, and Adair County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113790,681235,OKLAHOMA,2017,February,Wildfire,"ADAIR",2017-02-01 10:00:00,CST-6,2017-02-02 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early February 2017. The largest wildfires occurred in Haskell County where over 5200 acres burned, Latimer County where more than 1800 acres burned, Le Flore County where over 1400 acres burned, Pittsburg County where over 700 acres burned, and Adair County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +113790,681237,OKLAHOMA,2017,February,Wildfire,"PITTSBURG",2017-02-01 10:00:00,CST-6,2017-02-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unseasonably warm temperatures, very low relative humidity, and gusty wind combined with drought-stricken, dormant vegetation to promote the rapid spread of a number of wildfires across eastern Oklahoma during early February 2017. The largest wildfires occurred in Haskell County where over 5200 acres burned, Latimer County where more than 1800 acres burned, Le Flore County where over 1400 acres burned, Pittsburg County where over 700 acres burned, and Adair County where over 300 acres burned. These fires burned for a number of days before they were contained.","" +115234,702238,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 19:05:00,CST-6,2017-05-15 19:05:00,0,0,0,0,20.00K,20000,0.00K,0,42.68,-90.68,42.68,-90.68,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","The roof of a church was damaged in Tennyson." +112887,675732,KENTUCKY,2017,March,Tornado,"LOGAN",2017-03-01 06:57:00,CST-6,2017-03-01 06:59:00,0,0,0,0,100.00K,100000,0.00K,0,36.659,-86.835,36.666,-86.808,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS Nashville Storm Survey concluded that an EF-1 tornado down southeast of Adairville, traveled 1.5 miles, and then lifted approximately 2.5 miles east of Adairville. Along its path, the tornado did minor roof damage to a house near Martin Rd. A home and an outbuilding had minor damage near Barnes Rd, along with several downed trees. The most significant damage happened just before the tornado lifted near Prices Mill Road, where a large barn lost a significant portion of its roof structure. Maximum estimated winds were 90-95 mph, and the max width was 50 to 75 yards." +115313,692333,FLORIDA,2017,April,Thunderstorm Wind,"MARION",2017-04-04 11:05:00,EST-5,2017-04-04 11:05:00,0,0,0,0,0.00K,0,0.00K,0,29.22,-82.1,29.22,-82.1,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Power lines were blown down along 35th Street and 25th Avenue just northeast of Ocala. The time of damage was based on radar data." +115313,692334,FLORIDA,2017,April,Thunderstorm Wind,"SUWANNEE",2017-04-04 00:05:00,EST-5,2017-04-04 00:05:00,0,0,0,0,0.00K,0,0.00K,0,30.17,-83.03,30.17,-83.03,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Trees were blown down at County Roadd 252 and 135th Road." +115313,692331,FLORIDA,2017,April,Thunderstorm Wind,"ALACHUA",2017-04-04 07:45:00,EST-5,2017-04-04 07:45:00,0,0,0,0,0.00K,0,0.00K,0,29.67,-82.34,29.67,-82.34,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","A tree was blown down and blocked the road at NW 13th Street and NW 16th Avenue." +115313,692332,FLORIDA,2017,April,Thunderstorm Wind,"MARION",2017-04-04 08:00:00,EST-5,2017-04-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,29.46,-82.31,29.46,-82.31,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","Trees were blown down near Highway 320 and County Road 329 in Micanopy." +115313,692335,FLORIDA,2017,April,Thunderstorm Wind,"DUVAL",2017-04-04 02:00:00,EST-5,2017-04-04 02:00:00,0,0,0,0,0.25K,250,0.00K,0,30.26,-81.76,30.26,-81.76,"A pre-frontal band of convection extended across north Florida during the early morning hours. Upper level short wave trough energy and high moisture content fueled strong to isolated severe storms along this trough axis with wet downbursts up to 60 mph. Very heavy, at times flooding, rainfall occurred across much of Northeast Florida after midnight through midday. Heavy rainfall tapered off into the afternoon as the upper level trough energy pushed east of the local area.","A tree was blown down on Bryson Drive near Jefferson Davis Middle School. The cost of damage was estimated for the event to be included in Storm Data." +115071,690719,WASHINGTON,2017,April,High Wind,"LOWER COLUMBIA BASIN",2017-04-07 06:00:00,PST-8,2017-04-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Estimated wind gust of 60 mph in southeast Kennewick in Benton county. Wind ripped a light off the side of a house. Damage amount unknown at this time." +114651,687650,ARIZONA,2017,April,Strong Wind,"CENTRAL DESERTS",2017-04-25 16:20:00,MST-7,2017-04-25 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system generated gusty southwest winds in excess of 40 mph across much of the central deserts during the afternoon and evening hours on April 25th. This led to the issuance of a widespread Wind Advisory. Some of the stronger gusts were reported to be in excess of 50 mph and they were not associated with any thunderstorms. The winds blew down a few trees in the greater Phoenix area, mainly in the community of Glendale. No injuries were reported.","Strong gusty southwest winds developed across the greater Phoenix area during the afternoon and evening hours on April 25th in response to a strong Pacific weather system approaching from the west. Some of the stronger gusts were in excess of 40 mph and they were sufficient to blow down trees near the community of Glendale. At 1622MST a trained spotter 4 miles northeast of Glendale measured a wind gust to 51 mph; the gust blew down a lemon tree. At nearly the same time, another trained spotter in the same area reported that gusts of unknown velocity blew down a palm tree which then blocked the street." +114221,684219,HAWAII,2017,April,High Surf,"WAIANAE COAST",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114221,684220,HAWAII,2017,April,High Surf,"OAHU NORTH SHORE",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114221,684221,HAWAII,2017,April,High Surf,"OAHU KOOLAU",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114221,684222,HAWAII,2017,April,High Surf,"MOLOKAI WINDWARD",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +112137,669017,SOUTH DAKOTA,2017,January,Winter Storm,"PENNINGTON CO PLAINS",2017-01-24 05:00:00,MST-7,2017-01-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669018,SOUTH DAKOTA,2017,January,Winter Storm,"HAAKON",2017-01-24 06:00:00,MST-7,2017-01-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669019,SOUTH DAKOTA,2017,January,Winter Storm,"FALL RIVER",2017-01-24 00:00:00,MST-7,2017-01-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669020,SOUTH DAKOTA,2017,January,Winter Storm,"OGLALA LAKOTA",2017-01-24 02:00:00,MST-7,2017-01-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669021,SOUTH DAKOTA,2017,January,Winter Storm,"JACKSON",2017-01-24 05:00:00,MST-7,2017-01-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112726,673104,TEXAS,2017,January,Ice Storm,"HEMPHILL",2017-01-14 18:11:00,CST-6,2017-01-15 12:00:00,0,0,0,0,2.30M,2300000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level low pressure system moved due east near the US/Mexico border and was centered over northern Mexico near the New Mexico state line by the morning of the 15th. With the jet streak around the base of the upper level low to the south and a northern stream jet with its western extent over Nebraska, a large region of vertical ascent with upper level divergence was also present. The strong mid level winds helped to steer the south-southeasterly 850-700 hPa flow. As a result, throughout the 14th and early on the 15th, upper air soundings showed a pronounced warm nose of around 5C between 800-850 mb. With below freezing temperatures right at the surface, this was ideal for a pronounced freezing rain event with several batches of precipitation working through the region, even some precipitation bands had convection associated with them. Extensive damage was reported with damage totals well into the tens of millions across the northern and northeastern TX panhandle. As indicated by Xcel Energy company, 58,000 customers were impacted at the height of the storm. This was their largest event in almost 17 years. Much of the financial losses reported were due to broken power poles and downed power lines of the electric coops and debris clean-up from numerous downed tree limbs. Several homes where damaged or destroyed due to electric fires caused by the ice.","The number of residents affected were 1088. There were 250 business that also reported economic injuries. Damages and economic impact also resulted from: debris cleanup (downed trees, etc), numerous downed power lines and broken power poles, and damaged to roads and bridges." +113097,676710,NORTH CAROLINA,2017,January,Winter Storm,"GRANVILLE",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 5 inches across southern portions of the county to 10 inches across the north." +113097,676712,NORTH CAROLINA,2017,January,Winter Storm,"VANCE",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 6 inches across southern portions of the county to 12 inches across the north." +113942,682340,TEXAS,2017,April,Hail,"HOUSTON",2017-04-26 14:39:00,CST-6,2017-04-26 14:39:00,0,0,0,0,5.00K,5000,0.00K,0,31.38,-95.17,31.38,-95.17,"Severe thunderstorms developed along a cold front in the afternoon as it moved across the area.","Golf ball sized hail was reported." +113942,682342,TEXAS,2017,April,Hail,"POLK",2017-04-26 15:48:00,CST-6,2017-04-26 15:48:00,0,0,0,0,0.00K,0,0.00K,0,31.0017,-94.825,31.0017,-94.825,"Severe thunderstorms developed along a cold front in the afternoon as it moved across the area.","Dime sized hail was reported at the post office." +113942,682343,TEXAS,2017,April,Hail,"POLK",2017-04-26 15:56:00,CST-6,2017-04-26 15:56:00,0,0,0,0,0.00K,0,0.00K,0,31,-94.82,31,-94.82,"Severe thunderstorms developed along a cold front in the afternoon as it moved across the area.","Half dollar sized hail was reported (social media)." +115132,691029,TEXAS,2017,April,Rip Current,"GALVESTON",2017-04-16 11:00:00,CST-6,2017-04-16 11:10:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate surf produced a rip current strong enough to cause a drowning in Galveston.","Moderate surf created a rip current strong enough to cause a drowning around 20 to 30 yards offshore near 35th street." +115315,692339,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"GALVESTON BAY",2017-04-11 12:54:00,CST-6,2017-04-11 12:54:00,0,0,0,0,0.00K,0,0.00K,0,29.4682,-94.6167,29.4682,-94.6167,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at Crab Lake WeatherFlow site XCRB." +115315,692340,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-04-11 13:12:00,CST-6,2017-04-11 13:12:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at North Jetty PORTS site." +115315,692342,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"GALVESTON BAY",2017-04-11 13:24:00,CST-6,2017-04-11 13:24:00,0,0,0,0,0.00K,0,0.00K,0,29.2704,-94.8642,29.2704,-94.8642,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at Scholes International Airport KGLS." +115315,692349,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-04-11 13:50:00,CST-6,2017-04-11 13:50:00,0,0,0,0,0.00K,0,0.00K,0,29.23,-94.4,29.23,-94.4,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at Buoy 42035." +115315,692355,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-04-11 15:15:00,CST-6,2017-04-11 15:15:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at AWOS site Brazos 538." +115315,692358,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MATAGORDA BAY",2017-04-11 15:30:00,CST-6,2017-04-11 15:30:00,0,0,0,0,0.00K,0,0.00K,0,28.422,-96.327,28.422,-96.327,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at the Matagorda Bay Entrance Channel NOS site." +113189,677099,IDAHO,2017,January,Heavy Snow,"LEWIS AND SOUTHERN NEZ PERCE",2017-01-30 19:00:00,PST-8,2017-01-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night of January 30th through the morning of January 31st a stalled front provided a focusing mechanism for bands of snow showers over the central Idaho Panhandle. The heaviest accumulations fell in the Kamiah area, with lesser but still significant amounts of 2 to 3 inches over the Idaho Palouse region and in the Lewiston area.","The Lewis County Emergency Manager reported widespread 3 to 5 inches of new snow accumulation in the Kamiah area with 4 inches in Kamiah itself." +113186,677062,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","An estimated 5 inches of new snow was reported from Spirit Lake." +113186,677065,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","Schweitzer Mountain Ski Resort reported 8 inches of new snow accumulation." +113186,677070,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","Two independent reports of Four inches of new snow were received from Oldtown." +113186,677074,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","Four inches of new snow was reported at Moyie Springs." +113186,677077,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","Four inches of new snow was reported near Dover." +113161,677086,WASHINGTON,2017,January,Heavy Snow,"OKANOGAN VALLEY",2017-01-17 12:00:00,PST-8,2017-01-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","A spotter reported 6 inches of new snow at Malott." +112625,672304,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","The Loon Lake area received 11.5 inches of snow accumulation." +112625,672306,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","The 49 North Ski Resort reported a total of 22 inches of new snow accumulation from the early morning hours through the afternoon of January 1st." +120818,727450,OHIO,2017,November,Tornado,"SANDUSKY",2017-11-05 14:18:00,EST-5,2017-11-05 14:20:00,0,0,0,0,200.00K,200000,0.00K,0,41.3723,-82.877,41.3796,-82.853,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down in rural Townsend Township near the intersection of Fuller Road and Copp Road. The tornado continued northeast and damaged three homes as it crossed State Route 412. One home had a bedroom destroyed and lost a large section of roofing. Two other homes in the area sustained significant roof damage. The tornado weakened to EF0 and then lifted as it reached Rockwell Road south of Thorpe Drive. This tornado was on the ground for just over a mile and a quarter and had a path up to 50 yards in width. No injuries were reported." +113214,677332,TEXAS,2017,January,Frost/Freeze,"BROOKS",2017-01-07 01:00:00,CST-6,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","Brooks County Airport (KBKS) AWOS site reported freezing temperatures for almost 9 hours, with a low of 28 degrees. The COOP site in Falfurrias reported a low of 26 degrees." +113214,677334,TEXAS,2017,January,Frost/Freeze,"ZAPATA",2017-01-07 01:00:00,CST-6,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","Zapata AWOS (KAPY) reported freezing temperatures for 8 hours, with a low of 28 degrees. The COOP site in Escobas reported freezing temperatures, with a low of 26 degrees." +120818,727464,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:24:00,EST-5,2017-11-05 16:24:00,0,0,0,0,0.00K,0,0.00K,0,41.1211,-83.2855,41.1141,-83.286,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed several trees along County Road 7 south of Bascom." +120818,727470,OHIO,2017,November,Thunderstorm Wind,"SUMMIT",2017-11-05 18:07:00,EST-5,2017-11-05 18:08:00,0,0,0,0,50.00K,50000,0.00K,0,41.0711,-81.4284,41.0711,-81.4284,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst wind gusts estimated to be at 70 mph downed many tree in a neighborhood on the southeast side of Tallmadge. Trees were downed on properties along Newton Street, Ledgebrook Drive and Stonercrest Drive. At least one home also had some windows blown out." +122051,730670,ILLINOIS,2017,December,Winter Weather,"ROCK ISLAND",2017-12-24 04:30:00,CST-6,2017-12-24 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","The official NWS observation at the Moline Quad Cities Airport measured 2.0 inches of snow." +113252,677601,FLORIDA,2017,January,Coastal Flood,"MONROE/UPPER KEYS",2017-01-23 14:00:00,EST-5,2017-01-24 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds in the wake of a cold front caused water levels within Florida Bay to rise, topping seawalls and producing minor inundation in Key Largo. The flooding begin during the early afternoon of January 23rd and persisted through late morning January 24th.","Coastal flooding was reported along the Florida Bay shore near Mile Marker 105.5 in Key Largo, on North Blackwater Lane and Stillwright Way. Video observed via social media indicated ankle-deep waters throughout a waterfront park near Tarpon Avenue and Bay Drive in Key Largo. The flooding ceased during the late morning hours of January 24th." +122051,731812,ILLINOIS,2017,December,Winter Weather,"WHITESIDE",2017-12-24 05:00:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A COOP observer in Prophetstown reported 1.5 inches." +122051,731816,ILLINOIS,2017,December,Winter Weather,"MERCER",2017-12-24 04:00:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A trained spotter reported 2.1 inches 1 mile northwest of Sherrard." +113055,676271,CALIFORNIA,2017,January,High Wind,"APPLE AND LUCERNE VALLEYS",2017-01-22 09:00:00,PST-8,2017-01-22 17:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Power lines downed in Hesperia and Phelan. Numerous gusts in the 50 mph range were reported, including a 53 mph gust at Victorville Airport." +113055,677788,CALIFORNIA,2017,January,Strong Wind,"ORANGE COUNTY COASTAL",2017-01-20 09:00:00,PST-8,2017-01-21 06:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Numerous trees were downed along the Orange County coast by a combination of strong winds and saturated soils. Peak wind gusts during the period were in the 35-50 mph range." +113055,677796,CALIFORNIA,2017,January,Strong Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-01-20 09:00:00,PST-8,2017-01-21 05:00:00,0,0,0,0,30.00K,30000,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Numerous trees were downed in the Inland Empire by a combination of strong winds and saturated soils. Peak wind gusts reported by area mesonet stations during the period were in the 35-45 mph range." +113045,677691,NORTH CAROLINA,2017,January,Winter Storm,"HERTFORD",2017-01-06 20:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeast just off the Southeast and Mid Atlantic Coasts produced between two inches and seven inches of snow and some sleet across interior northeast North Carolina.","Snowfall totals were generally between 2 inches and 6 inches across the county. Some sleet also occurred. Winton (1 NW) reported 4.5 inches of snow." +113273,677819,IDAHO,2017,January,Winter Storm,"UPPER SNAKE HIGHLANDS",2017-01-22 15:00:00,MST-7,2017-01-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The latest in a long line of winter storms again brought very heavy snowfall as well as winds to southeast Idaho. The heaviest snow mainly affected the Eastern Magic Valley, Snake River Plain and all of the southern mountains. Many areas received over a foot of snowfall and again many roads experienced closures across southeast Idaho.","Although snowfall was not heavy in the Upper Snake Highlands, the combination of snow and wind closed Highway 28 through all of Clark County in western Clark County on the 23rd and 24th. Highway 22 was also closed west of Dubois. Snow amounts were 4 inches in Dubois, 6 inches in St. Anthony, and 3 inches in Small." +120818,727490,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:23:00,EST-5,2017-11-05 16:23:00,0,0,0,0,25.00K,25000,0.00K,0,41.0287,-83.3559,41.0287,-83.3559,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds tore the roof off a barn near the intersection of County Roads 6 and 591." +117402,706050,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:54:00,CST-6,2017-06-23 18:54:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-100.38,31.38,-100.38,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","The San Angelo ASOS located at Mathis Field recorded a 78 mph wind gust." +117402,706051,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:50:00,CST-6,2017-06-23 18:50:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-100.45,31.45,-100.45,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","A National Weather Service employee reported traffic railroad crossing arms were snapped in San Angelo at Knickerbocker Road on the south side of town." +113003,678031,ARKANSAS,2017,January,Winter Weather,"PRAIRIE",2017-01-06 02:00:00,CST-6,2017-01-06 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 1 inch fell across Prairie county." +113003,678035,ARKANSAS,2017,January,Winter Weather,"MONROE",2017-01-06 02:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of 1 to 2 inches fell across Monroe county." +113003,678036,ARKANSAS,2017,January,Winter Weather,"SALINE",2017-01-06 02:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 1.5 inches fell across Saline county." +113003,678037,ARKANSAS,2017,January,Winter Weather,"GRANT",2017-01-06 05:00:00,CST-6,2017-01-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 1 inch fell across Grant county." +113003,678038,ARKANSAS,2017,January,Winter Weather,"JEFFERSON",2017-01-06 04:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of 1 to 2 inches fell across Jefferson county." +113003,678039,ARKANSAS,2017,January,Winter Weather,"ARKANSAS",2017-01-06 04:00:00,CST-6,2017-01-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to 3 inches fell across Jefferson county." +115700,695329,LOUISIANA,2017,April,Flash Flood,"ALLEN",2017-04-30 05:00:00,CST-6,2017-04-30 07:15:00,0,0,0,0,250.00K,250000,0.00K,0,30.4854,-92.8613,30.087,-92.6642,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A large swath of 5 to 10 inches of rain fell across Southwest and Central Louisiana during the morning of the 30th. Water entered a few homes in Oakdale during the event. The heaviest rainfall remained generally east of Highway 165 in Allen Parish." +115700,695342,LOUISIANA,2017,April,Coastal Flood,"ST. MARY",2017-04-30 06:30:00,CST-6,2017-04-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Pictures posted to social media indicated water was several inches deep during high tide around Cypremort Point." +115850,696235,NEW YORK,2017,April,Thunderstorm Wind,"CHENANGO",2017-04-16 15:20:00,EST-5,2017-04-16 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,42.5,-75.69,42.5,-75.69,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in trees being knocked over on wires on route 220." +113347,678219,MISSOURI,2017,January,Ice Storm,"JEFFERSON",2017-01-13 06:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678220,MISSOURI,2017,January,Ice Storm,"ST. FRANCOIS",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678221,MISSOURI,2017,January,Ice Storm,"STE. GENEVIEVE",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678222,MISSOURI,2017,January,Ice Storm,"GASCONADE",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +115850,696234,NEW YORK,2017,April,Thunderstorm Wind,"CORTLAND",2017-04-16 14:47:00,EST-5,2017-04-16 14:57:00,0,0,0,0,4.00K,4000,0.00K,0,42.52,-76.18,42.52,-76.18,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in two small trees being knocked over on wires on route 11." +112755,673690,MISSISSIPPI,2017,January,Sleet,"JEFFERSON",2017-01-06 06:30:00,CST-6,2017-01-06 17:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumlations fell over the very southern portions of the county." +112755,673704,MISSISSIPPI,2017,January,Sleet,"COPIAH",2017-01-06 07:30:00,CST-6,2017-01-06 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch accumulation of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations were over the northern portions of the county." +112755,673712,MISSISSIPPI,2017,January,Sleet,"WARREN",2017-01-06 07:00:00,CST-6,2017-01-06 17:30:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch accumulation of sleet accumulated on Bridges and overpasses and other elevated surfaces. The sleet caused I-20 to be shut down. There were several accidents across the county. The highest accumulations were over the central and northern portions of the county." +112755,673715,MISSISSIPPI,2017,January,Sleet,"HINDS",2017-01-06 07:30:00,CST-6,2017-01-06 18:30:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch accumulation of sleet accumulated on Bridges, overpasses and other elevated surfaces. I-55, I-20 and Highway 49 was closed to to the heavy sleet. Several accidents were also reported across the county." +112755,673721,MISSISSIPPI,2017,January,Sleet,"SIMPSON",2017-01-06 06:30:00,CST-6,2017-01-06 17:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces." +112755,673726,MISSISSIPPI,2017,January,Sleet,"RANKIN",2017-01-06 06:30:00,CST-6,2017-01-06 17:30:00,0,0,0,0,400.00K,400000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to Eight-tenths of an inch of sleet fell across the county. Several accidents were also reported. Both runways at Jackson-Medgar Wiley Evers Airport were closed due to the sleet accumulations." +112755,677058,MISSISSIPPI,2017,January,Sleet,"JEFFERSON DAVIS",2017-01-06 07:00:00,CST-6,2017-01-06 19:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One half inch of sleet accumulations and one quarter inch of ice on Bridges, overpasses and other elevated surfaces." +112755,678511,MISSISSIPPI,2017,January,Winter Weather,"WINSTON",2017-01-06 07:15:00,CST-6,2017-01-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","A tenth of an inch of sleet accumulated near Nanih Waiya." +112755,678513,MISSISSIPPI,2017,January,Sleet,"JONES",2017-01-06 07:00:00,CST-6,2017-01-06 19:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell over the northern portions of the county. One half an inch was reported at the big creek water park." +112755,678516,MISSISSIPPI,2017,January,Sleet,"SMITH",2017-01-06 07:00:00,CST-6,2017-01-06 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One quarter to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell over the Polkville area where .50 inches fell." +112755,678519,MISSISSIPPI,2017,January,Sleet,"JASPER",2017-01-06 07:15:00,CST-6,2017-01-06 20:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell near the Turnerville area along Highway 15." +113730,680829,CALIFORNIA,2017,February,Dense Fog,"SAN DIEGO COUNTY VALLEYS",2017-02-09 18:30:00,PST-8,2017-02-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Areas 2-10 miles inland from the coast reported periods of dense fog between 1830PST on the 9th and 0900PST on the 10th. Mcclellan-Palomar Airport, Montgomery Field, and Brown Field all reported periods of sub 1/4 mile visibility during this period. San Diego International reported 12 delays, 9 aircraft holding for 204 minutes, 1 divert." +113730,680822,CALIFORNIA,2017,February,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-08 23:00:00,PST-8,2017-02-09 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought widespread dense fog to the coast and valleys during the night and morning hours of February 9th and 10th.","Numerous ASOS stations near the coast reported periods of dense fog with a visibility of 1/4 mile or less between 2300PST on the 8th and 0830PST on the 9th. San Diego International reported dense fog between 0037 and 0603PST, but impacts were minimal. Lifeguards also reported dense fog with a visibility of 1/4 mile at Mission Beach at 0700PST." +119943,719297,CALIFORNIA,2017,August,Lightning,"RIVERSIDE",2017-08-03 02:45:00,PST-8,2017-08-03 03:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.9559,-116.5045,33.9559,-116.5045,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Lightning strikes produced power outages in Desert Hot Springs." +119943,719299,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-03 02:30:00,PST-8,2017-08-03 04:30:00,0,0,0,0,125.00K,125000,0.00K,0,33.8242,-116.5502,33.7592,-116.5869,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","An intense thunderstorm produced widespread street flooding in Palm Springs. Flood water inundated Palm Spring High School with 1-1.5 inches of water, damaging 10 classrooms." +117523,707828,NEW MEXICO,2017,August,Funnel Cloud,"SAN MIGUEL",2017-08-09 14:50:00,MST-7,2017-08-09 14:53:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-105.14,35.66,-105.14,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Local media shared a video showing a well-developed funnel cloud with severe hail storm moving through Las Vegas." +119943,719289,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-01 15:00:00,PST-8,2017-08-01 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,33.671,-117.398,33.6736,-117.3934,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","A mud and debris flow from a recent fire flowed over Grand Ave. and Plumas St., both roads were closed." +112996,675328,LOUISIANA,2017,February,Tornado,"ORLEANS",2017-02-07 11:12:00,CST-6,2017-02-07 11:32:00,33,0,0,0,,NaN,,NaN,30.0105,-90,30.0232,-89.8415,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A tornado touched down just east of the industrial canal and moved northeast into the Evangeline Oaks Subdivision where it quickly strengthened into a multi-vortex EF-2 tornado. In this area, it snapped several power poles and caused significant roof damage to an apartment complex as well as a building similar to an automobile service building. the tornado then turned toward the east and continued to move almost due east through neighborhoods just north of Chef Menteur Blvd. The worst damage was generally along and just north of Grant Street from Read Blvd to Chalmark Dr. In this area, dozens of homes lost all or large portions of their roof structures. Several homes also had numerous collapsed walls. A few two story homes suffered almost complete destruction of the top floor with the exception of one or two interior corner walls. The tornado also bent at least 3 steel electrical transmission poles. The tornado continued moving toward the east, causing damage to the NASA Michoud facility and a few other industrial buildings in the area, and rolling a rail tanker car east of the Michoud Canal. The track is terminated at Lake Borgne, but the tornado likely continued for some time after that over water. Of the 33 injuries, 5-6 of them were considered serious. Maximum estimated wind speeds were around 150 mph. In total, the tornado caused moderate to severe damage to 638 homes, of which around half were considered total losses. At least 40 businesses also suffered moderate to severe damage." +112996,675337,LOUISIANA,2017,February,Tornado,"ST. JAMES",2017-02-07 11:14:00,CST-6,2017-02-07 11:16:00,0,0,1,0,,NaN,,NaN,30.1024,-90.9231,30.1014,-90.9027,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A tornado moved into St. James Parish from Ascension Parish. It moved nearly due east, affecting small communities on both the west and east bank of the Mississippi River near the Hwy 70 bridge. Damage primarily consisted of roof damage, blown out windows, and down trees and power lines. In St. James Parish, 4 homes were classified as heavily damaged or destroyed, and another 14 were considered to have minor to moderate damage. Maximum estimated winds are estimated to be around 105 mph. An 83 year old man died as a result of injuries sustained during the tornado. He was outside when his trailer rolled, trapping him between the trailer and a parked truck." +112996,675355,LOUISIANA,2017,February,Tornado,"LIVINGSTON",2017-02-07 12:20:00,CST-6,2017-02-07 12:21:00,0,0,0,0,,NaN,,NaN,30.6331,-90.62,30.6325,-90.6157,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A brief tornado touched down near the intersection of Hwy 442 and Greer Lane in far northeastern Livingston Parish. It moved generally east-southeast causing damage snapping numerous trees and causing power poles to lean. It also caused minor roof damage to a home and tore off a metal carport. Maximum wind speeds were estimated around 100 mph." +113756,681091,CALIFORNIA,2017,February,Strong Wind,"SAN DIEGO COUNTY VALLEYS",2017-02-27 13:00:00,PST-8,2017-02-27 21:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","A few trees were downed in El Cajon and Rancho San Diego. The fallen trees damaged an apartment complex and blocked roadways. Peak wind gusts were near 35 mph and saturated soils were the likely causes." +113756,681099,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 18:00:00,PST-8,2017-02-27 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6515,-117.0653,32.651,-117.0621,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Flooding from the Sweetwater River forced the closure of Plaza Bonita Rd due to water over topping the bridge." +113076,676293,WYOMING,2017,February,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-02-08 13:00:00,MST-7,2017-02-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Heavy snow fell in the higher elevations of the Tetons. Some of the highest amounts included 28 inches at the top of the Jackson Hole Ski resort, 18 inches at Grand Targhee and 16 inches at Togwotee Pass. This snow was heavy and moisture was dense. As a result, there were numerous avalanches throughout the Tetons. A series of avalanches closed Teton Pass and Hoback Junction several times between the 8th and 11th. An avalanche also closed Snow King ski resort on February 10th." +113076,676295,WYOMING,2017,February,Heavy Rain,"TETON",2017-02-08 13:00:00,MST-7,2017-02-10 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.6244,-110.7477,43.3935,-110.7861,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Up to two inches of rain fell onto deep snow pack in the Jackson Valley. The very heavy weight on roofs caused some minor damage to buildings, including to the police station. The rain also caused rapid snow melt that led to areas of minor flooding." +113120,676550,MAINE,2017,February,Heavy Snow,"COASTAL YORK",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676551,MAINE,2017,February,Heavy Snow,"INTERIOR CUMBERLAND",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676552,MAINE,2017,February,Heavy Snow,"INTERIOR WALDO",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676553,MAINE,2017,February,Heavy Snow,"INTERIOR YORK",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676554,MAINE,2017,February,Heavy Snow,"KENNEBEC",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676555,MAINE,2017,February,Heavy Snow,"KNOX",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676556,MAINE,2017,February,Heavy Snow,"LINCOLN",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676557,MAINE,2017,February,Heavy Snow,"SAGADAHOC",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +112553,671548,NEW MEXICO,2017,February,High Wind,"CHAVES COUNTY PLAINS",2017-02-23 10:30:00,MST-7,2017-02-23 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","The Roswell Industrial Airpark reported a peak wind gust to 58 mph. A public weather station south of Mesa reported a peak wind gust to 61 mph." +112553,672679,NEW MEXICO,2017,February,Strong Wind,"SOUTHWEST MOUNTAINS",2017-02-23 11:40:00,MST-7,2017-02-23 11:42:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","NMDOT reported that a mobile home was blown off a trailer from strong cross winds while in transport along U.S. Highway 60 between Socorro and Magdalena." +112553,672680,NEW MEXICO,2017,February,High Wind,"QUAY COUNTY",2017-02-23 12:10:00,MST-7,2017-02-23 15:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Tucumcari Municipal Airport reported sustained winds between 40 and 46 mph for several hours. A peak wind gust to 59 mph was also reported." +112663,673224,NEW MEXICO,2017,February,High Wind,"RATON RIDGE/JOHNSON MESA",2017-02-28 12:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Des Moines reported a peak wind gust up to 62 mph with sustained winds as high as 45 mph." +113952,682594,OREGON,2017,February,Flood,"WASHINGTON",2017-02-10 18:15:00,PST-8,2017-02-13 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.4502,-122.9511,45.4489,-122.9519,"A series of fronts brought moderate to heavy rainfall across Northwest Oregon, resulting flooding on many rivers across the area over the next several days.","Heavy rain caused the Tualatin River near Farmington to flood. The river crested at 33.24 feet, which is 1.24 feet above flood stage." +113941,682337,NORTH CAROLINA,2017,February,High Wind,"WATAUGA",2017-02-09 06:35:00,EST-5,2017-02-09 23:15:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed on February 8th, a very strong pressure gradient began to feed strong northwest winds into the region. The strongest winds occurred in the higher elevations of northwest North Carolina, which brought down some trees.","At least 10 trees were brought down across Watauga county during the morning and afternoon. A 50 knot wind gust was recorded at Boone at 815 AM EST." +113941,682336,NORTH CAROLINA,2017,February,High Wind,"ASHE",2017-02-09 06:25:00,EST-5,2017-02-09 23:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed on February 8th, a very strong pressure gradient began to feed strong northwest winds into the region. The strongest winds occurred in the higher elevations of northwest North Carolina, which brought down some trees.","Several trees were blown down in the county during the morning, mainly near Helton. A 50 knot wind gust was recorded at West Jefferson at 7:35 AM EST." +113941,682604,NORTH CAROLINA,2017,February,High Wind,"ALLEGHANY",2017-02-09 07:00:00,EST-5,2017-02-09 23:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed on February 8th, a very strong pressure gradient began to feed strong northwest winds into the region. The strongest winds occurred in the higher elevations of northwest North Carolina, which brought down some trees.","Strong winds blew down at least four trees across Alleghany county, mainly during the morning. Most of the trees fell near Roaring Gap, and one fell along the Blue Ridge Parkway near mile marker 220." +114605,688582,MINNESOTA,2017,April,Hail,"MOWER",2017-04-09 21:17:00,CST-6,2017-04-09 21:17:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-92.72,43.52,-92.72,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Ping pong sized hail was reported south of Adams." +114605,688583,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 21:17:00,CST-6,2017-04-09 21:17:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-92.57,44.08,-92.57,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Half dollar sized hail was reported on the northwest side of Rochester." +114605,688584,MINNESOTA,2017,April,Hail,"WINONA",2017-04-09 22:17:00,CST-6,2017-04-09 22:17:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-91.79,44.02,-91.79,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","" +114605,688585,MINNESOTA,2017,April,Hail,"WABASHA",2017-04-09 20:12:00,CST-6,2017-04-09 20:12:00,0,0,0,0,0.00K,0,0.00K,0,44.2,-92.42,44.2,-92.42,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported southwest of Hammond." +114606,688586,WISCONSIN,2017,April,Hail,"JACKSON",2017-04-09 22:53:00,CST-6,2017-04-09 22:53:00,0,0,0,0,0.00K,0,0.00K,0,44.32,-91.12,44.32,-91.12,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Quarter sized hail was reported in Taylor." +115142,691170,WISCONSIN,2017,April,Flood,"TREMPEALEAU",2017-04-17 14:45:00,CST-6,2017-04-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"Two rounds of moderate to heavy rains in the middle of April produced some river flooding across western and central Wisconsin. Flooding was observed along the Trempealeau, Black and Yellow Rivers.","Runoff from heavy rains pushed the Trempealeau River out of its banks in Dodge. The river crested less than a quarter of an inch above the flood stage at 9.16 feet." +113636,682434,MONTANA,2017,February,Heavy Snow,"KOOTENAI/CABINET REGION",2017-02-03 13:00:00,MST-7,2017-02-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","A local emergency manager estimated 8 inches of snow in Libby, MT in 24 hours with this event. A public report agreed with this estimate, also stating 8 inches of snow had fallen during the same time-frame, with 15 inches snow depth on ground. Plow drivers stated they had a hard time keeping up with the snow rates. On February 8th, the governor of Montana declared a State of Emergency to help in providing resources for snow removal. The Eureka, MT AWOS sensor, located at the airport, reported multiple hours of heavy snow, with 0.25 mi or 0.50 mi visibility for much of the event." +113636,682450,MONTANA,2017,February,Heavy Snow,"BITTERROOT / SAPPHIRE MOUNTAINS",2017-02-03 17:00:00,MST-7,2017-02-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of western Montana. Valley locations saw periods of moderate to heavy snow as residual arctic air kept temperatures cool, especially in northwest Montana. One inch per hour snowfall rates were common, with some valleys receiving over a foot of new snow during a 24-hour period.","The public reported 15 inches of snow in 24 hours at Lolo Pass. Automated SNOTEL sensors suggested intense snowfall throughout the high terrain." +113635,680277,IDAHO,2017,February,Winter Weather,"SOUTHERN CLEARWATER MOUNTAINS",2017-02-03 17:00:00,PST-8,2017-02-04 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of central Idaho. Multiple snow slides were reported in Lemhi county during this event.","The Idaho Transportation Department reported widespread ice on Hwy 14 leading to Elk City, ID. At higher elevations, heavy snow fell, with the public reporting 15 inches of snow at Lolo Pass." +113635,680276,IDAHO,2017,February,Winter Weather,"OROFINO / GRANGEVILLE REGION",2017-02-03 22:00:00,PST-8,2017-02-05 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moist warm air moving over the Northern Rockies brought heavy snow and freezing rain to parts of central Idaho. Multiple snow slides were reported in Lemhi county during this event.","The Clearwater County Emergency Manager reported rain freezing on already frozen back roads, leading to additional glazing overnight. This caused cars to have difficulty in gaining traction, especially on driveways. Even vehicles with chained tires had difficulty navigating during the event." +113838,681720,IDAHO,2017,February,Winter Weather,"LOWER HELLS CANYON / SALMON RIVER REGION",2017-02-07 13:00:00,PST-8,2017-02-08 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A moist air mass combined with a surface low pressure system to the south of the Grangeville area helped create a northerly, upslope flow pattern, which is favorable for heavy snow on the southern side of the Camas Prairie. Grangeville and Kooskia saw impressive snow fall totals in the 9 to 14 inch range over the course of 24 hours.","Truck drivers sent pictures of multiple semi trucks stuck on Whitebird Hill during the periods of heavy snow." +120818,727763,OHIO,2017,November,Thunderstorm Wind,"RICHLAND",2017-11-05 16:59:00,EST-5,2017-11-05 16:59:00,0,0,0,0,25.00K,25000,0.00K,0,40.9948,-82.6509,40.9948,-82.6509,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds estimated to be at least 60 mph tore the roof of a house just east of Plymouth." +120818,727764,OHIO,2017,November,Thunderstorm Wind,"HURON",2017-11-05 17:06:00,EST-5,2017-11-05 17:06:00,0,0,0,0,50.00K,50000,0.00K,0,41.1904,-82.6257,41.1904,-82.6257,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm wind gusts estimated to be at least 70 mph downed over 100 trees on a single property on Ridge Road south of Norwalk." +113503,682431,MISSOURI,2017,February,Thunderstorm Wind,"MARION",2017-02-28 20:50:00,CST-6,2017-02-28 20:50:00,0,0,0,0,0.00K,0,0.00K,0,39.7447,-91.4262,39.7447,-91.4262,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","Thunderstorm winds blew shingles off of a roof as well as a few boards off of a barn northwest of Hannibal." +113817,682595,MICHIGAN,2017,February,Tornado,"BERRIEN",2017-02-28 20:54:00,EST-5,2017-02-28 20:56:00,0,0,0,0,0.00K,0,0.00K,0,41.831,-86.2407,41.8348,-86.2308,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","A NWS damage survey indicated a tornado touched down in downtown Niles, near the Eastside Elementary School. Extensive tree damage along|with minor to significant structural damage to homes occurred in |about a 5 block area of Niles Michigan. Many large trees were downed onto houses and vehicles. A city of Niles public works maintenance building also suffered damage." +113979,682610,NORTH CAROLINA,2017,February,Tornado,"BRUNSWICK",2017-02-15 11:53:00,EST-5,2017-02-15 11:58:00,0,0,0,0,80.00K,80000,0.00K,0,34.006,-78.6088,34.009,-78.5534,"A system originating from the Gulf of Mexico tracked northeast toward the area in an environment that was characterized by low instability and moderate shear.","A survey conducted by the National Weather Service concluded an EF-1 tornado first touched down along a hunting trail south of Pireway Rd NW, causing tree damage west of Longwood, North Carolina. The tornado tracked east across inaccessible portions of forest before emerging near the intersection of Etheridge Rd and Ash-Little River Rd NW where it snapped trees and caused significant roof damage to a home. The tornado snapped dozens of pine trees on the north side of Etheridge Rd. The tornado crossed Etheridge Rd near Gwynn Rd NW and toppled dozens of pine trees and a poorly constructed barn between Gwynn Rd NW and Ward Rd NW. As the tornado continued to move east, it caused damage to vehicles near Ward Rd NW and Quaker Dr NW along with minor roof damage to the first home on Quaker Dr NW. The tornado then lifted south of Etheridge Rd between Ward Rd NW and Cephus Trail NW. The tornado had estimated maximum winds of 90 mph and was on the ground for about 5 minutes." +113357,678814,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-04-06 19:30:00,EST-5,2017-04-06 19:30:00,0,0,0,0,,NaN,,NaN,39.3,-75.38,39.3,-75.38,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Nos Platform." +113357,678815,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 19:53:00,EST-5,2017-04-06 19:53:00,0,0,0,0,,NaN,,NaN,39.64,-74.21,39.64,-74.21,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678816,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 19:06:00,EST-5,2017-04-06 19:06:00,0,0,0,0,,NaN,,NaN,40.01,-74.06,40.01,-74.06,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678819,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 19:15:00,EST-5,2017-04-06 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-74.08,39.94,-74.08,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +114396,732619,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:49:00,CST-6,2017-03-06 19:51:00,0,0,0,0,500.00K,500000,,NaN,38.8494,-94.7362,38.85,-94.73,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","On the evening of March 6, a squall line with damaging winds moved through the Johnson County Executive Airport, and produced significant damage to hangars and aircraft enclosed in the hangars. Several planes were flipped after the building shredded apart by the strong straight line winds. NWS survey inspected the site and due to damage being spread in a unidirectional fashion the cause of the damage was deemed to be straight line winds ranging between 80 and 90 mph." +113380,678509,ALASKA,2017,February,Winter Storm,"EASTERN CHICHAGOF ISLAND",2017-02-28 11:49:00,AKST-9,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance moved over the Panhandle with a 1004 MBV Gale force Low just off Ocean Cape. This system rapidly deepened to 992 mb early on the morning of 2/28 as a strong front moved on to the coast dumping snow. The impact was snow removal but no damage was reported.","Hoonah and Tenakee started out as light snow, but it got very heavy as the front moved north. The arctic front parked in Icy Strait for the next couple of days setting up for Hoonah to get persistent snow for a few days. There were 6 inches new at the Hoonah Airport by 0900 2/28 with 8.6 inches by 0715 Wednesday 3/1." +113508,679493,WISCONSIN,2017,February,Flood,"JACKSON",2017-02-21 06:55:00,CST-6,2017-02-21 07:20:00,0,0,0,0,0.00K,0,0.00K,0,44.3891,-90.7574,44.3852,-90.7616,"Rainfall amounts of a half to one inch on February 20th combined with above normal temperatures, melted much of the remaining snow cover across western Wisconsin. This led to some minor river flooding along portions of the Black, Yellow and Wisconsin Rivers.","Rainfall of a half to one inch, combined with snowmelt runoff, pushed the Black River out of its banks at Hatfield. The river crested just a tenth of a foot above the flood stage at 797.1 feet." +113508,679495,WISCONSIN,2017,February,Flood,"JACKSON",2017-02-21 02:10:00,CST-6,2017-02-23 20:05:00,0,0,0,0,0.00K,0,0.00K,0,44.3063,-90.8339,44.3043,-90.8307,"Rainfall amounts of a half to one inch on February 20th combined with above normal temperatures, melted much of the remaining snow cover across western Wisconsin. This led to some minor river flooding along portions of the Black, Yellow and Wisconsin Rivers.","Rainfall of a half to one inch, combined with runoff from snowmelt, pushed the Black River out of its banks in Black River Falls. The river crested just over five feet above the flood stage at 52.14 feet." +113508,679497,WISCONSIN,2017,February,Flood,"TREMPEALEAU",2017-02-23 00:10:00,CST-6,2017-02-25 14:05:00,0,0,0,0,0.00K,0,0.00K,0,44.0591,-91.2846,44.0636,-91.3066,"Rainfall amounts of a half to one inch on February 20th combined with above normal temperatures, melted much of the remaining snow cover across western Wisconsin. This led to some minor river flooding along portions of the Black, Yellow and Wisconsin Rivers.","Rainfall of a half to one inch, combined with runoff from snowmelt, pushed the Black River out of its banks near Galesville. The river crested almost two feet above the flood stage at 13.92 feet." +113508,679501,WISCONSIN,2017,February,Flood,"JUNEAU",2017-02-23 08:20:00,CST-6,2017-02-27 05:35:00,0,0,0,0,0.00K,0,0.00K,0,44.0265,-90.0727,44.0275,-90.0707,"Rainfall amounts of a half to one inch on February 20th combined with above normal temperatures, melted much of the remaining snow cover across western Wisconsin. This led to some minor river flooding along portions of the Black, Yellow and Wisconsin Rivers.","Rainfall of a half to one inch, combined with runoff from snowmelt, pushed the Yellow River out of its banks in Necedah. The river crested over three feet above the flood stage at 18.43 feet." +112606,671920,NEW MEXICO,2017,February,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-02-23 08:00:00,MST-7,2017-02-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough moving over the central U.S. Plains resulted in high winds across the higher terrain, and adjacent lower lands, in southeast New Mexico.","" +112712,673012,NEW MEXICO,2017,February,High Wind,"EDDY COUNTY PLAINS",2017-02-28 13:40:00,MST-7,2017-02-28 18:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112712,673014,NEW MEXICO,2017,February,High Wind,"EDDY COUNTY PLAINS",2017-02-28 14:05:00,MST-7,2017-02-28 16:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112712,673015,NEW MEXICO,2017,February,High Wind,"NORTHERN LEA COUNTY",2017-02-28 10:35:00,MST-7,2017-02-28 17:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112712,673017,NEW MEXICO,2017,February,High Wind,"CENTRAL LEA COUNTY",2017-02-28 13:47:00,MST-7,2017-02-28 16:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","Sustained west to southwest winds of 40-46 mph occurred at the Hobbs Mesonet." +112711,673019,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-27 09:38:00,MST-7,2017-02-28 16:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112711,673020,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-27 13:52:00,MST-7,2017-02-28 16:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112711,673021,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-27 09:51:00,MST-7,2017-02-28 13:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112712,673022,NEW MEXICO,2017,February,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-02-28 10:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112711,673023,TEXAS,2017,February,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-02-27 10:54:00,MST-7,2017-02-28 16:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112711,673024,TEXAS,2017,February,High Wind,"VAN HORN & HWY 54 CORRIDOR",2017-02-28 11:00:00,CST-6,2017-02-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","" +112579,672265,PENNSYLVANIA,2017,February,Funnel Cloud,"LANCASTER",2017-02-25 14:33:00,EST-5,2017-02-25 14:33:00,0,0,0,0,0.00K,0,0.00K,0,40.06,-76.49,40.06,-76.49,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced funnel clouds north of Columbia." +112660,672659,NEW YORK,2017,February,Lake-Effect Snow,"NORTHERN HERKIMER",2017-02-01 07:00:00,EST-5,2017-02-02 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Behind an Arctic cold front, much colder air moved into the region. As this cold air passed over the relatively warmer waters of Lake Ontario, an intense band of lake-effect snow developed during the morning hours on Wednesday, February 1st. Snow fell at rates greater than one inch per hour at times over the western Adirondacks through the day, before gradually tapering off by the early morning hours on Thursday, February 2nd. By that time, 7 to 11 inches of snow fell over much of central and northern Herkimer County.","" +112662,672673,NEW YORK,2017,February,Lake-Effect Snow,"NORTHERN HERKIMER",2017-02-02 13:00:00,EST-5,2017-02-04 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As cold air continued to pour into the region, a band of heavy lake-effect snow redeveloped during the afternoon hours on February 2nd. This band of snow drifted south across the western Adirondacks through the remainder of the day and into the evening hours. The snow fell locally heavy at times, especially for areas south of Old Forge.||During the morning hours on Friday, February 3rd, the heaviest lake effect snow remained west of the area over the Tug Hill Plateau, however, the band moved back into the area during the afternoon hours and continued into the early evening, with a few additional inches of snowfall. The snow tapered off by the overnight hours into the early morning on Saturday, February 4th. By that point, about 9-12 inches fell across northern Herkimer County through the entire lake effect event.","" +112662,672674,NEW YORK,2017,February,Lake-Effect Snow,"HAMILTON",2017-02-02 13:00:00,EST-5,2017-02-04 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As cold air continued to pour into the region, a band of heavy lake-effect snow redeveloped during the afternoon hours on February 2nd. This band of snow drifted south across the western Adirondacks through the remainder of the day and into the evening hours. The snow fell locally heavy at times, especially for areas south of Old Forge.||During the morning hours on Friday, February 3rd, the heaviest lake effect snow remained west of the area over the Tug Hill Plateau, however, the band moved back into the area during the afternoon hours and continued into the early evening, with a few additional inches of snowfall. The snow tapered off by the overnight hours into the early morning on Saturday, February 4th. By that point, about 9-12 inches fell across northern Herkimer County through the entire lake effect event.","" +112676,672767,VERMONT,2017,February,Winter Weather,"BENNINGTON",2017-02-07 08:00:00,EST-5,2017-02-08 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow and sleet developed across the region. Snow and sleet became steadier throughout the afternoon hours and continued into the evening. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area. By that time, about 3 to 6 inches of snow and sleet occurred, with the highest amounts across the higher elevations.","" +112402,670137,OREGON,2017,February,Flood,"CURRY",2017-02-16 17:45:00,PST-8,2017-02-17 08:15:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-123.9,42.74,-123.75,"Heavy precipitation combined with snow melt caused the Rogue River near Agness to rise above flood stage again.","The Rogue River near Agness rose above flood stage (17.0 feet) at 17/1745 PST. It crested at 18.61 feet at 17/0030 PST. It fell below flood stage 17/0815 PST." +112760,673544,CALIFORNIA,2017,February,High Wind,"MODOC COUNTY",2017-02-20 00:04:00,PST-8,2017-02-20 06:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late season storm brought high winds to some parts of northern California.","The Timber Mountain RAWS recorded a gust to 60 mph at 20/0103 PST. The Rush Creek RAWS recorded gusts to 71 mph at 20/0503 PST and to 62 mph at 20/0603 PST." +112762,673545,CALIFORNIA,2017,February,Heavy Snow,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-02-19 06:00:00,PST-8,2017-02-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to some locations in northern California.","The Mount Shasta Ski Park at 5700 feet reported 13 inches of snow in 24 hours ending at 20/0600 PST." +112763,673547,CALIFORNIA,2017,February,Flood,"MODOC",2017-02-22 16:15:00,PST-8,2017-02-23 12:45:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-121.09,41.19,-121.21,"Heavy rain combined with snow melt to bring floods to the Pit River in northeast California.","The Pit River near Canby rose above flood stage (8.5 feet) at 21/1615 PST and above moderate flood stage at 22/0415 PST. The river crested at 9.25 feet between 22/1730 PST and 22/1745 PST. The river fell below moderate flood stage at 23/0230 PST and below flood stage at 23/1300 PST." +112789,673738,OREGON,2017,February,Frost/Freeze,"CURRY COUNTY COAST",2017-02-24 00:00:00,PST-8,2017-02-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold air mass brought freezing temperatures to some coastal areas of southern Oregon.","Reported low temperatures along the coast ranged from 31 to 35 degrees." +112879,674306,KANSAS,2017,February,Hail,"NEOSHO",2017-02-28 22:00:00,CST-6,2017-02-28 22:03:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","" +112879,674307,KANSAS,2017,February,Hail,"NEOSHO",2017-02-28 22:12:00,CST-6,2017-02-28 22:15:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","The report was received via Twitter. The hail partially covered the ground at the 9th & Evergreen Intersection. The time of the event was adjusted by radar." +120656,722748,LAKE MICHIGAN,2017,August,Marine Thunderstorm Wind,"MANISTEE TO POINT BETSIE MI",2017-08-03 16:43:00,EST-5,2017-08-03 16:43:00,0,0,0,0,0.00K,0,0.00K,0,44.2602,-86.3381,44.2602,-86.3381,"Strong to severe thunderstorms impacted northwest lower Michigan.","A large tree was downed in Manistee." +112570,671576,OHIO,2017,February,Thunderstorm Wind,"PREBLE",2017-02-24 18:41:00,EST-5,2017-02-24 18:51:00,0,0,0,0,1.00K,1000,0.00K,0,39.7,-84.65,39.7,-84.65,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","One foot diameter tree, which was at least 60 feet tall, was knocked down on Antioch Road." +112570,671577,OHIO,2017,February,Thunderstorm Wind,"CLERMONT",2017-02-24 20:38:00,EST-5,2017-02-24 20:48:00,0,0,0,0,1.00K,1000,0.00K,0,38.96,-84.29,38.96,-84.29,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","A tree was knocked down along U.S. Route 52." +112570,671661,OHIO,2017,February,Thunderstorm Wind,"PICKAWAY",2017-02-24 22:15:00,EST-5,2017-02-24 22:20:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-83.17,39.58,-83.17,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","" +112574,671687,KENTUCKY,2017,February,Thunderstorm Wind,"OWEN",2017-02-24 19:45:00,EST-5,2017-02-24 19:55:00,0,0,0,0,2.00K,2000,0.00K,0,38.61,-85,38.61,-85,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Several trees were knocked down into the yard." +112574,671690,KENTUCKY,2017,February,Thunderstorm Wind,"OWEN",2017-02-24 19:51:00,EST-5,2017-02-24 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.61,-84.9,38.61,-84.9,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Several trees were reported knocked down." +112574,671693,KENTUCKY,2017,February,Thunderstorm Wind,"GALLATIN",2017-02-24 19:59:00,EST-5,2017-02-24 20:09:00,0,0,0,0,1.00K,1000,0.00K,0,38.72,-84.82,38.72,-84.82,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","A large tree was knocked down near U.S. 127 near the Owen County line." +113439,678858,INDIANA,2017,February,Winter Weather,"DEARBORN",2017-02-08 08:00:00,EST-5,2017-02-08 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of snow fell over the region due to a rapidly moving upper level disturbance.","The observers located north of Bright and west of Lawrenceburg both measured 1.5 inches of snow. The observer located 6 miles south of Moore's Hill measured 0.9 inches." +113439,678859,INDIANA,2017,February,Winter Weather,"FAYETTE",2017-02-08 08:00:00,EST-5,2017-02-08 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of snow fell over the region due to a rapidly moving upper level disturbance.","The observer northeast of Alpine measured a half inch of snow." +113439,678861,INDIANA,2017,February,Winter Weather,"FRANKLIN",2017-02-08 08:00:00,EST-5,2017-02-08 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of snow fell over the region due to a rapidly moving upper level disturbance.","The observer in Brookville and a spotter west of town both measured a half inch of snow." +113439,678862,INDIANA,2017,February,Winter Weather,"RIPLEY",2017-02-08 08:00:00,EST-5,2017-02-08 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of snow fell over the region due to a rapidly moving upper level disturbance.","The observer northeast of Osgood and another in Batesville both measured an inch of snow. The cooperative observer in Napoleon measured a half inch." +116791,702344,VIRGINIA,2017,May,Thunderstorm Wind,"DINWIDDIE",2017-05-19 14:52:00,EST-5,2017-05-19 14:52:00,0,0,0,0,2.00K,2000,0.00K,0,37.09,-77.6,37.09,-77.6,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed on Wilkinson Road." +116791,702345,VIRGINIA,2017,May,Thunderstorm Wind,"DINWIDDIE",2017-05-19 14:50:00,EST-5,2017-05-19 14:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.04,-77.64,37.04,-77.64,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed on Glebe Road." +116791,702347,VIRGINIA,2017,May,Thunderstorm Wind,"POWHATAN",2017-05-19 13:30:00,EST-5,2017-05-19 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.5,-77.76,37.5,-77.76,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Tree was downed on a house in Holly Hills Subdivision." +116791,702358,VIRGINIA,2017,May,Thunderstorm Wind,"MECKLENBURG",2017-05-19 16:35:00,EST-5,2017-05-19 16:35:00,0,0,0,0,2.00K,2000,0.00K,0,36.62,-78.57,36.62,-78.57,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Four trees were downed in Clarksville." +116791,702360,VIRGINIA,2017,May,Thunderstorm Wind,"CAROLINE",2017-05-19 17:23:00,EST-5,2017-05-19 17:23:00,0,0,0,0,1.00K,1000,0.00K,0,37.99,-77.2,37.99,-77.2,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Tree was downed on Sparta Road." +116791,702361,VIRGINIA,2017,May,Thunderstorm Wind,"RICHMOND",2017-05-19 17:57:00,EST-5,2017-05-19 17:57:00,0,0,0,0,1.00K,1000,0.00K,0,38.1,-76.88,38.1,-76.88,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Tree was downed on Finchs Hill Road." +113905,682194,IDAHO,2017,February,Winter Storm,"EASTERN MAGIC VALLEY",2017-02-22 18:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Snow and wind affected the Eastern Magic Valley Interstate 84 was closed in the southern part of the region on the 23rd and 24th due to high winds and heavy snow. US Route 30 was considered treacherous west of Burley through Kimberly. Richfield received 6 inches of snow with 4 inches in Picabo and 2 inches in Paul." +113905,682195,IDAHO,2017,February,Winter Storm,"UPPER SNAKE RIVER PLAIN",2017-02-22 20:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Another storm system brought heavy snow and high winds to the Upper Snake River Plain. 7 inches fell at the INL entrance with 4.5 inches in Idaho Falls and 5.5 inches in Rigby. Travel became extremely difficult due to the snow and winds." +115442,693232,COLORADO,2017,June,High Wind,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-06-12 12:00:00,MST-7,2017-06-12 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak moved overhead and mixed down to the surface which caused a significant increase in surface wind speeds.","Widespread strong gusty winds occurred across the area. Measured wind gusts ranged from 45 MPH to a peak of 63 mph along Highway 491 near Dove Creek." +115442,693230,COLORADO,2017,June,High Wind,"GRAND VALLEY",2017-06-12 13:00:00,MST-7,2017-06-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak moved overhead and mixed down to the surface which caused a significant increase in surface wind speeds.","Widespread strong wind gusts occurred across the area. Some peak wind reports included 60 mph at the Grand Junction Regional Airport and 60 mph along Interstate 70 near the Utah border. Some trees were uprooted and large limbs were broken off trees. The strong winds quickly spread a brush fire in Grand Junction which burned some buildings and power lines which left about 500 people without power. The strong winds also resulted in flight delays at the Grand Junction Regional Airport." +113905,682196,IDAHO,2017,February,Winter Storm,"LOWER SNAKE RIVER PLAIN",2017-02-22 20:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Another very powerful winter storm brought extremely heavy snow to the Snake River Plain. Snow amounts were 9 inches in Aberdeen and 7 inches in Fort Hall. In Pocatello 9 inches fell downtown, 13 inches fell at the Pocatello Regional Airport and Chubbuck. The Pocatello benches received between 11 and 16 inches of snow. In the vicinity of 100 crashes and slide offs were reported in the region. The Pocatello/Chubbuck public schools were already closed on the 24th. Other closures on the 24th were Blackfoot School District 55, Snake River District 52, Aberdeen District 58, Sho-Ban Schools, Holy Spirit Catholic School, Grace Lutheran, and Pocatello Community Charter Schools in Pocatello." +113905,682226,IDAHO,2017,February,Winter Storm,"SOUTH CENTRAL HIGHLANDS",2017-02-22 17:00:00,MST-7,2017-02-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Interstate 84 was closed from the interstate 86 intersection to the Utah border due to zero visibility in heavy snow and blowing snow from the afternoon of the 23rd through the early afternoon of the 24th. Highway 81 was closed from Malta to Declo in the same time period. SNOTEL snow amounts were 25 inches at Bostetter Ranger Station, 24 inches at Howell Canyon, 10 inches at Oxford Springs and 31 inches at Magic Mountain." +112869,674261,HAWAII,2017,February,High Surf,"OAHU KOOLAU",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674262,HAWAII,2017,February,High Surf,"MOLOKAI WINDWARD",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674263,HAWAII,2017,February,High Surf,"MOLOKAI LEEWARD",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674264,HAWAII,2017,February,High Surf,"MAUI WINDWARD WEST",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674265,HAWAII,2017,February,High Surf,"MAUI CENTRAL VALLEY",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +112869,674266,HAWAII,2017,February,High Surf,"WINDWARD HALEAKALA",2017-02-14 04:00:00,HST-10,2017-02-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the islands produced surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, and Maui; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. No significant property damage or injuries were reported.","" +113126,676585,MAINE,2017,February,Heavy Snow,"ANDROSCOGGIN",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +112281,669563,NEW YORK,2017,February,Winter Storm,"SOUTHEASTERN ST. LAWRENCE",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"At midday of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions. ||Snow began across northern NY between 8 and 11 am and fell steadily through the evening hours before slowly tapering during the overnight hours. A widespread 6 to 12 inches of snow fell with some localized higher amounts in the eastern Adirondacks.||Impacts were largely travel relayed and several school districts cancelled classes for February 13th.","Widespread 8 to 12 inches with Potsdam and Gouverneur reporting 10 inches." +112282,669567,VERMONT,2017,February,Winter Storm,"GRAND ISLE",2017-02-12 11:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 12 inches of snowfall reported." +112282,669569,VERMONT,2017,February,Winter Storm,"LAMOILLE",2017-02-12 12:00:00,EST-5,2017-02-13 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 14 inches of snowfall reported, including 14 inches in Jeffersonville and 11 inches in Cambridge." +113813,681472,INDIANA,2017,February,Thunderstorm Wind,"MARSHALL",2017-02-24 16:25:00,EST-5,2017-02-24 16:26:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-86.31,41.34,-86.31,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","Local media reported swing sets, a few trees and trampolines blown over." +113813,681473,INDIANA,2017,February,Thunderstorm Wind,"STARKE",2017-02-24 16:12:00,CST-6,2017-02-24 16:13:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-86.6,41.21,-86.6,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","The public reported a shed was blown down." +113816,681478,OHIO,2017,February,Hail,"HENRY",2017-02-24 21:55:00,EST-5,2017-02-24 21:56:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-84.04,41.32,-84.04,"Seasonably strong low pressure system northeast out of SE Iowa into SW Michigan by late afternoon. Strong low to mid level flow existed throughout the downstream warm sector with temperatures well above normal, ranging from the mid 60s to mid 70s amidst mid 50 dewpoints. Meanwhile overhead a steep EML advected out over-top the area during the afternoon. Extensive cloud cover limited instability potential with pockets of elevated instability advecting in to allow for isolated severe weather.","" +112746,673458,MONTANA,2017,February,Heavy Snow,"EASTERN GLACIER",2017-02-06 22:45:00,MST-7,2017-02-06 22:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific Moisture and westerly upslope flow aloft resulted in periods of snow, heavy at times, along the western aspects of the Coninental Divide. Some of this upslope snow spilled-over to the immediate lee of the Rocky Mountain Front. In addition, a surface ridge of high pressure building southward from the Canadian Prairies was accompanied by moist, stable, and easterly upslope flow in the low-levels east of the Rocky Mountain Front. Accordingly, additional upslope snow, heavy at times, occurred along the Rocky Mountain Front and spread eastward over the plains of Glacier County, including Browning, as the easterly low-level upslope flow was likely blocked. By the time this snowstorm concluded on Feb 7th, some locations along the Rocky Mountain Front had set new four-day snowfall records. Four-day snowfall totals ranged from 10.5 inches at the Cut Bank CoCoRaHS station to a record 64 inches in St. Mary.","KFBB-TV reported an Amtrak train, with at least 80 people on board, was stuck near Cut Bank." +113381,680032,TEXAS,2017,February,Thunderstorm Wind,"MILAM",2017-02-20 00:43:00,CST-6,2017-02-20 00:43:00,0,0,0,0,5.00K,5000,0.00K,0,30.65,-97,30.65,-97,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Emergency management reported roof damage to a few structures in Rockdale, TX." +113381,680033,TEXAS,2017,February,Thunderstorm Wind,"MILAM",2017-02-20 00:45:00,CST-6,2017-02-20 00:45:00,0,0,0,0,5.00K,5000,0.00K,0,30.6483,-97.0158,30.6483,-97.0158,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A social media report indicated awnings over the gas pumps at the CEFCO convenience store were damaged." +113381,680034,TEXAS,2017,February,Thunderstorm Wind,"MILAM",2017-02-20 00:55:00,CST-6,2017-02-20 00:55:00,0,0,0,0,2.00K,2000,0.00K,0,30.7,-96.85,30.7,-96.85,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A trained spotter reported that several large Juniper trees and two power poles were blown down." +113381,680035,TEXAS,2017,February,Thunderstorm Wind,"FALLS",2017-02-20 01:20:00,CST-6,2017-02-20 01:20:00,0,0,0,0,0.00K,0,0.00K,0,31.25,-96.71,31.25,-96.71,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Falls County Sheriff's Department reported heavy wind damage along and east of Highway 6, approximately 3 miles southeast of Blue Ridge." +113381,680141,TEXAS,2017,February,Thunderstorm Wind,"LIMESTONE",2017-02-20 01:33:00,CST-6,2017-02-20 01:33:00,0,0,0,0,10.00K,10000,0.00K,0,31.26,-96.63,31.26,-96.63,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Emergency management reported that a carport was torn up and a pickup was damaged near the intersection of Hwy 14 and LCR 277." +113381,680143,TEXAS,2017,February,Thunderstorm Wind,"LIMESTONE",2017-02-20 01:45:00,CST-6,2017-02-20 01:45:00,0,0,0,0,1.00K,1000,0.00K,0,31.73,-96.57,31.73,-96.57,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A trained spotter reported that a metal roof panel was torn off over an asphalt decking." +113381,680145,TEXAS,2017,February,Thunderstorm Wind,"FREESTONE",2017-02-20 02:01:00,CST-6,2017-02-20 02:01:00,0,0,0,0,0.00K,0,0.00K,0,31.52,-96.28,31.52,-96.28,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Freestone County Sheriff's department reported trees down on FM 489." +112433,681611,CALIFORNIA,2017,February,Flood,"SANTA CRUZ",2017-02-20 15:53:00,PST-8,2017-02-20 17:53:00,0,0,0,0,0.00K,0,0.00K,0,37.2114,-122.1573,37.2113,-122.1571,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding SR 236 SR 9." +112433,681614,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 16:00:00,PST-8,2017-02-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7862,-121.8642,37.7863,-121.864,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding causing traffic hazards near 5800 Camino Tassajara." +112433,681618,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 16:15:00,PST-8,2017-02-20 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.7028,-121.9224,37.7023,-121.9225,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding and debris both lanes EB 580 to SB 680." +112433,681621,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-20 16:31:00,PST-8,2017-02-20 18:31:00,0,0,0,0,0.00K,0,0.00K,0,36.9301,-121.4081,36.9301,-121.4078,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding 5150 San Felipe Rd." +112433,681623,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 16:38:00,PST-8,2017-02-20 18:38:00,0,0,0,0,0.00K,0,0.00K,0,37.7431,-121.7122,37.7425,-121.7123,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","At least 4 feet of water in area of Laughlin Road. Vehicles covered with water up to windshields." +112433,681625,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-20 16:38:00,PST-8,2017-02-20 18:38:00,0,0,0,0,0.00K,0,0.00K,0,36.9132,-121.4043,36.9093,-121.4037,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Possible damage to bridge on San Felipe Rd between Fairview and SR156." +112433,681626,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 16:41:00,PST-8,2017-02-20 18:41:00,0,0,0,0,0.00K,0,0.00K,0,37.0381,-121.5982,37.0378,-121.598,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding Santa Teresa Blvd near Day Rd." +112433,681629,CALIFORNIA,2017,February,Flood,"SAN MATEO",2017-02-20 16:44:00,PST-8,2017-02-20 18:44:00,0,0,0,0,0.00K,0,0.00K,0,37.4886,-122.2137,37.4885,-122.213,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","At least two lanes flooding US 101 South near Woodside Road off ramp." +112433,681630,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 16:45:00,PST-8,2017-02-20 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.59,-121.87,37.5906,-121.8704,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Standing water in at least one lane I680N near SR 84E." +113743,683638,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-09 14:22:00,PST-8,2017-02-09 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.3152,-122.1876,37.3151,-122.1874,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mud/dirt/rock slide blocking south bound lanes Skyline Dr at Alpine." +113743,683639,CALIFORNIA,2017,February,Flash Flood,"SONOMA",2017-02-09 14:42:00,PST-8,2017-02-09 15:42:00,0,0,0,0,0.00K,0,0.00K,0,38.2122,-122.5494,38.2122,-122.5496,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Lakeville HWY at Emies Tin Bar...west bound lanes completely flooded and east bound lanes partially flooded." +112432,683642,CALIFORNIA,2017,February,Heavy Rain,"SANTA CLARA",2017-02-17 10:15:00,PST-8,2017-02-17 11:15:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-121.99,37.16,-121.99,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Spotter reported 0.5 inches measured between 10:15am and 11:15am." +112432,683643,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-17 06:35:00,PST-8,2017-02-17 06:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Power pole and lines down old stage road at Natividad." +112432,683645,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-17 06:36:00,PST-8,2017-02-17 06:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Trees blown down blocking entire roadway...Old Stage Rd at Calle El Rosario." +112432,683646,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 06:36:00,PST-8,2017-02-17 06:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Trees and power lines blown down across Strawberry Cyn Rd." +112432,683648,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-17 06:41:00,PST-8,2017-02-17 06:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree blown down blocking east bound lane HWY 68 at Laureles Grade." +112432,683649,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 07:04:00,PST-8,2017-02-17 07:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Power lines in the road Seymour St at Cooper St." +112432,683650,CALIFORNIA,2017,February,Debris Flow,"MARIN",2017-02-17 07:09:00,PST-8,2017-02-17 09:09:00,0,0,0,0,0.00K,0,0.00K,0,38.0801,-122.8085,38.08,-122.8087,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Mudslide blocking north bound lanes Hwy 1 at Mesa Rd." +112163,669350,MONTANA,2017,February,Winter Storm,"BEARTOOTH FOOTHILLS",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 6 to 12 inches was reported across the area." +112163,669355,MONTANA,2017,February,Winter Storm,"NORTHERN STILLWATER",2017-02-01 00:00:00,MST-7,2017-02-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 7 to 10 inches was reported across the area." +112163,669358,MONTANA,2017,February,Winter Storm,"NORTHERN SWEET GRASS",2017-02-01 00:00:00,MST-7,2017-02-01 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 6 to 7 inches was reported across the Big Timber area." +112163,669359,MONTANA,2017,February,Winter Storm,"NORTHERN PARK COUNTY",2017-02-01 00:00:00,MST-7,2017-02-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 7 to 8 inches was reported across the area." +117402,706058,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 19:18:00,CST-6,2017-06-23 19:18:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.27,31.37,-100.27,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","The West Texas Mesonet located at Wall measured a 67 mph thunderstorm wind gust." +117402,706069,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 19:26:00,CST-6,2017-06-23 19:26:00,0,0,0,0,0.00K,0,0.00K,0,31.1906,-100.5125,31.1906,-100.5125,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","The damaging thunderstorm winds broke large tree limbs." +117402,706070,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:48:00,CST-6,2017-06-23 18:48:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-100.45,31.45,-100.45,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","On Junius Street in San Angelo, a power pole was snapped in the alley." +112691,672852,NEW YORK,2017,February,Heavy Snow,"WESTERN GREENE",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +116820,703825,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,1.00M,1000000,,NaN,31.8942,-102.309,31.8942,-102.309,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Numerous reports of baseball sized hail were reported by the public in Odessa. This hail broke windows on cars and homes. The cost of damage is a very rough estimate." +120054,719413,MINNESOTA,2017,August,Hail,"NOBLES",2017-08-13 20:00:00,CST-6,2017-08-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.63,-95.93,43.63,-95.93,"Storms moved out of southeast South Dakota and moved along the Minnesota/Iowa border and produced severe-sized hail before weakening.","" +112691,672853,NEW YORK,2017,February,Heavy Snow,"WESTERN RENSSELAER",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672854,NEW YORK,2017,February,Heavy Snow,"WESTERN SCHENECTADY",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,672855,NEW YORK,2017,February,Heavy Snow,"WESTERN ULSTER",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112839,674695,KANSAS,2017,February,Hail,"CRAWFORD",2017-02-28 23:22:00,CST-6,2017-02-28 23:22:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-94.7,37.54,-94.7,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112839,674696,KANSAS,2017,February,Hail,"CRAWFORD",2017-02-28 23:27:00,CST-6,2017-02-28 23:27:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-94.62,37.64,-94.62,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112839,674698,KANSAS,2017,February,Hail,"CHEROKEE",2017-02-28 23:44:00,CST-6,2017-02-28 23:44:00,0,0,0,0,20.00K,20000,0.00K,0,37.17,-94.84,37.17,-94.84,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","There several reports of damage to cars with the golf ball size hail." +112839,674699,KANSAS,2017,February,Hail,"CHEROKEE",2017-02-28 23:48:00,CST-6,2017-02-28 23:48:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-94.72,37.31,-94.72,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112839,674700,KANSAS,2017,February,Hail,"CHEROKEE",2017-02-28 23:56:00,CST-6,2017-02-28 23:56:00,0,0,0,0,10.00K,10000,0.00K,0,37.19,-94.96,37.19,-94.96,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112704,672917,TEXAS,2017,February,High Wind,"PARMER",2017-02-28 13:50:00,CST-6,2017-02-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672918,TEXAS,2017,February,High Wind,"CASTRO",2017-02-28 13:50:00,CST-6,2017-02-28 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672919,TEXAS,2017,February,High Wind,"SWISHER",2017-02-28 07:50:00,CST-6,2017-02-28 07:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672920,TEXAS,2017,February,High Wind,"SWISHER",2017-02-28 14:21:00,CST-6,2017-02-28 17:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672922,TEXAS,2017,February,High Wind,"BRISCOE",2017-02-28 16:15:00,CST-6,2017-02-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672923,TEXAS,2017,February,High Wind,"BAILEY",2017-02-28 15:15:00,CST-6,2017-02-28 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672924,TEXAS,2017,February,High Wind,"LAMB",2017-02-28 13:30:00,CST-6,2017-02-28 18:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672925,TEXAS,2017,February,High Wind,"HALE",2017-02-28 15:35:00,CST-6,2017-02-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672927,TEXAS,2017,February,High Wind,"FLOYD",2017-02-28 17:30:00,CST-6,2017-02-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672928,TEXAS,2017,February,High Wind,"COCHRAN",2017-02-28 12:50:00,CST-6,2017-02-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672929,TEXAS,2017,February,High Wind,"HOCKLEY",2017-02-28 14:35:00,CST-6,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672930,TEXAS,2017,February,High Wind,"LUBBOCK",2017-02-28 14:15:00,CST-6,2017-02-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672931,TEXAS,2017,February,High Wind,"CROSBY",2017-02-28 15:50:00,CST-6,2017-02-28 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672932,TEXAS,2017,February,High Wind,"YOAKUM",2017-02-28 14:05:00,CST-6,2017-02-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672933,TEXAS,2017,February,High Wind,"LYNN",2017-02-28 14:48:00,CST-6,2017-02-28 17:35:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672934,TEXAS,2017,February,Wildfire,"SWISHER",2017-02-28 16:00:00,CST-6,2017-02-28 22:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672935,TEXAS,2017,February,Wildfire,"TERRY",2017-02-28 15:00:00,CST-6,2017-02-28 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,672936,TEXAS,2017,February,Wildfire,"HOCKLEY",2017-02-28 15:00:00,CST-6,2017-02-28 23:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +112704,675576,TEXAS,2017,February,High Wind,"TERRY",2017-02-28 17:51:00,CST-6,2017-02-28 17:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of thick high clouds this morning and one rogue high wind gust from virga near Vigo Park (Swisher County), intense southwest winds expanded east across all of the South Plains and far southwest Texas Panhandle under clearing skies. High winds sustained at 40 mph or greater were commonplace, along with several peak wind gusts of 58 to 60 mph. Widespread blowing dust was prevalent, with visibilities as low as three miles at Lubbock International Airport during the height of the wind late in the afternoon. An Emergency Manager confirmed that part of a roof was blown off a small business in Brownfield (Terry County) during the height of the windstorm.||The high winds along with single digit relative humidity and dormant fuels bred an extremely critical wildfire situation. This was realized southwest of Sundown (Hockley County) and also in Tulia (Swisher County) where wildfires grew to 8600 and 2200 acres, respectively. The Tulia wildfire spread so rapidly that fire crews were unable to save four homes and 20 outbuildings from the flames. Fortunately, no injuries or fatalities occurred.||The Texas Forest Service reported that a wildfire began south of the Tulia Prison and rapidly grew east to Interstate 27, before crossing the highway and threatening up to 1100 homes at one point. Following a mandatory evacuation of residents in the Mackenzie Hills housing area in southwest Tulia, four homes and eight outbuildings were consumed by the intense wildfire. Fortunately, officials with the help of two fire suppression planes saved 20 other homes from burning. The wildfire consumed about 2200 acres in total.||Another massive wildfire began in Yoakum County and spread to Hockley and Terry Counties. It burned about 5100 acres in southwest Hockley County and for a while threatened the city of Sundown. Although no evacuation order was issued, some residents just south of Sundown were directly threatened until fire personnel dug fire lines to stop the fire's rapid progress to the northeast. Damages consisted of two small outbuildings that were completely burned along with several utility poles in oil fields that would require replacing from fire damage. This wildfire burned about 1500 acres in far northwest Terry County and caused no known damage to structures. Yoakum county saw about 2000 acres burned from this wildfire.||The following wind gusts were measured by the Texas Tech University West Texas mesonet:||Dimmitt (Castro County) 67 mph, Plains (Yoakum County) 65 mph, Friona (Parmer County) 64 mph, Muleshoe (Bailey County) 64 mph, Levelland (Hockley County) 63 mph, Vigo Park (Swisher County) 61 mph, Morton (Cochran County) 61 mph, Amherst (Lamb County) 60 mph, Reese Center (Lubbock County) 60 mph, Abernathy (Hale County) 59 mph, and Silverton (Briscoe County) 58 mph.||Strong sustained winds were also measured by the Texas Tech University West Texas mesonet and are as follows:||New Home (Lynn County) 46 mph, Floydada (Floyd County) 41 mph, and Ralls (Crosby County) 41 mph.","" +113685,682170,IOWA,2017,April,Hail,"HARRISON",2017-04-15 19:52:00,CST-6,2017-04-15 19:52:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-95.87,41.69,-95.87,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682171,IOWA,2017,April,Hail,"HARRISON",2017-04-15 19:51:00,CST-6,2017-04-15 19:51:00,0,0,0,0,0.00K,0,0.00K,0,41.6548,-95.7901,41.6548,-95.7901,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682172,IOWA,2017,April,Hail,"HARRISON",2017-04-15 19:51:00,CST-6,2017-04-15 19:51:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-95.79,41.64,-95.79,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +112263,669424,COLORADO,2017,February,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-02-10 01:24:00,MST-7,2017-02-10 14:24:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane force winds toppled trees and knocked over several semis in and near the Front Range Mountains and Foothills. The Colorado Department of Transportation shut down Interstate 70 in both directions for a short time late between Beaver Brook and Silverthorne. Several trucks had been blown over and some cars received shattered windshields. High-profile vehicles and semi-trucks were barred from that area of the interstate until the wind weakened. Two trucks also rolled over on I-70 in Georgetown. The wind toppled dozens of trees near Estes Park and Glen Haven. In Glen Haven, two sheds and several decks were damaged by fallen trees. Downed power lines caused scattered electrical outages in Boulder and Larimer Counties. Nearly four thousand residents in Boulder County were left without power. The temperature in Denver reached 80 degrees. It was the first 80 degree temperature recorded in the month of February and established the all-time record for the month. The high wind and extremely warm temperatures helped to spread three grassfires in Boulder and Larimer Counties; no homes were damaged or lost. Intense wind gusts on the 10th caused power outages and damage to trees, fences and power lines across Boulder County. Blowing dirt reduced visibilities to a quarter-of-a-mile at times. A strong burst of wind uprooted trees, and knocked down an entire row of power poles and lines near Main Street and Pike Road in Longmont. The downed lines damaged a vehicle at one residence. Another resident had to be rescued when he was trapped in his car by downed electrical lines.","" +117470,707666,ARKANSAS,2017,June,Flash Flood,"WHITE",2017-06-22 18:50:00,CST-6,2017-06-22 20:50:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-91.74,35.2459,-91.758,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Several roads around the city are impassasble due to high water." +113685,682173,IOWA,2017,April,Hail,"HARRISON",2017-04-15 20:18:00,CST-6,2017-04-15 20:18:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-95.57,41.72,-95.57,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682174,IOWA,2017,April,Hail,"SHELBY",2017-04-15 20:20:00,CST-6,2017-04-15 20:20:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-95.52,41.65,-95.52,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113900,683007,NEBRASKA,2017,April,Hail,"DOUGLAS",2017-04-19 05:32:00,CST-6,2017-04-19 05:32:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-96.24,41.28,-96.24,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +112839,674697,KANSAS,2017,February,Hail,"CHEROKEE",2017-02-28 23:44:00,CST-6,2017-02-28 23:44:00,0,0,0,0,20.00K,20000,0.00K,0,37.17,-94.84,37.17,-94.84,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","There were several reports of damage to cars with the golf ball size hail." +112840,674708,MISSOURI,2017,February,Hail,"DENT",2017-02-28 14:35:00,CST-6,2017-02-28 14:35:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-91.63,37.76,-91.63,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Quarter size hail was reported in Hobson. Time was estimated by radar." +112840,674731,MISSOURI,2017,February,Hail,"WEBSTER",2017-02-28 16:35:00,CST-6,2017-02-28 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-92.77,37.15,-92.77,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","There were numerous reports of dime to quarter size hail covering Highway 60 near Seymour which caused travel impacts." +112840,674789,MISSOURI,2017,February,Hail,"SHANNON",2017-02-28 18:05:00,CST-6,2017-02-28 18:05:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-91.43,37.37,-91.43,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Dime to quarter size hail fell for about 15 minutes and covered the ground near the Shannondale Community Church along Highway 19." +112839,674702,KANSAS,2017,February,Thunderstorm Wind,"CRAWFORD",2017-02-28 22:31:00,CST-6,2017-02-28 22:31:00,0,0,0,0,10.00K,10000,0.00K,0,37.62,-95.08,37.62,-95.08,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Several trees were blown down and blocked roads. Several power poles were blown down. A garage door was blown inward." +113253,677632,NEW YORK,2017,February,Winter Weather,"WESTERN DUTCHESS",2017-02-12 05:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677634,NEW YORK,2017,February,Winter Weather,"EASTERN ULSTER",2017-02-12 05:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,677744,NEW YORK,2017,February,Thunderstorm Wind,"COLUMBIA",2017-02-25 18:15:00,EST-5,2017-02-25 18:15:00,0,0,0,0,,NaN,,NaN,42.39,-73.69,42.39,-73.69,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Trees were downed, blocking a road." +113262,677747,NEW YORK,2017,February,Thunderstorm Wind,"DUTCHESS",2017-02-25 18:15:00,EST-5,2017-02-25 18:15:00,0,0,0,0,,NaN,,NaN,41.99,-73.88,41.99,-73.88,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","Downed poles and power lines led to a six-hour road closure." +113262,677748,NEW YORK,2017,February,Thunderstorm Wind,"ULSTER",2017-02-25 17:48:00,EST-5,2017-02-25 17:48:00,0,0,0,0,,NaN,,NaN,41.63,-74.19,41.63,-74.19,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","A private weather station recorded 76 mph (66 kt)." +112989,675190,MISSISSIPPI,2017,February,Hail,"HINDS",2017-02-07 12:07:00,CST-6,2017-02-07 12:20:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-90.21,32.37,-90.15,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","Quarter size hail fell across Jackson, including along Interstate 55." +112989,675458,MISSISSIPPI,2017,February,Thunderstorm Wind,"SCOTT",2017-02-07 16:32:00,CST-6,2017-02-07 16:32:00,0,0,0,0,15.00K,15000,0.00K,0,32.3,-89.33,32.3,-89.33,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","Several softwood trees were uprooted and snapped." +112989,675467,MISSISSIPPI,2017,February,Hail,"NEWTON",2017-02-07 16:26:00,CST-6,2017-02-07 16:50:00,0,0,0,0,12.00K,12000,0.00K,0,32.3372,-89.3065,32.24,-89.23,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","A swath of large hail occurred across southeast portions of Newton County. Golfball size hail was noted around Lawrence and Roberts." +112989,675468,MISSISSIPPI,2017,February,Hail,"RANKIN",2017-02-07 13:48:00,CST-6,2017-02-07 13:48:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-90.01,32.35,-90.01,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","Nickel sized hail fell in the Castlewoods neighborhood." +112989,675469,MISSISSIPPI,2017,February,Hail,"RANKIN",2017-02-07 13:27:00,CST-6,2017-02-07 13:45:00,0,0,0,0,3.00K,3000,0.00K,0,32.42,-90.02,32.47,-89.91,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","A swath of hail fell across northern Rankin County. Half dollar sized hail occurred in Fannin, while quarter size hail fell near Goshen Springs." +113527,679577,KENTUCKY,2017,February,Strong Wind,"FULTON",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113527,679578,KENTUCKY,2017,February,Strong Wind,"GRAVES",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113527,679579,KENTUCKY,2017,February,Strong Wind,"HICKMAN",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113527,679580,KENTUCKY,2017,February,Strong Wind,"MARSHALL",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113527,679581,KENTUCKY,2017,February,Strong Wind,"MCCRACKEN",2017-02-10 14:00:00,CST-6,2017-02-10 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Locally strong southwest winds developed during the afternoon hours between high pressure on the Carolina coast and low pressure over the western high Plains. Winds gusted around 40 mph in the Purchase area of western Kentucky, west of Kentucky Lake. One tree was down on a back road near Coldwater in Calloway County.","" +113531,679606,KENTUCKY,2017,February,Dense Fog,"BALLARD",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679607,KENTUCKY,2017,February,Dense Fog,"CALDWELL",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113558,680556,OKLAHOMA,2017,February,Drought,"GARFIELD",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680557,OKLAHOMA,2017,February,Drought,"KINGFISHER",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680558,OKLAHOMA,2017,February,Drought,"CANADIAN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680559,OKLAHOMA,2017,February,Drought,"GRADY",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680560,OKLAHOMA,2017,February,Drought,"KAY",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680561,OKLAHOMA,2017,February,Drought,"NOBLE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680562,OKLAHOMA,2017,February,Drought,"LOGAN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680563,OKLAHOMA,2017,February,Drought,"PAYNE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680564,OKLAHOMA,2017,February,Drought,"OKLAHOMA",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +112810,674529,TEXAS,2017,February,Tornado,"BEXAR",2017-02-19 22:36:00,CST-6,2017-02-19 22:43:00,0,0,0,0,,NaN,0.00K,0,29.4907,-98.4991,29.5154,-98.4273,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado formed near San Pedro Ave. at the San Pedro Golf course and moved northeastward while strengthening to an EF1 near Jackson-Keller Rd. As it got to Linda Dr. it strengthened and the damage path was its widest at near 600 yards. The tornado took a bit of a right turn and moved due east along Linda Dr. and Sharon Dr. where it had peak winds of near 120 mph making it an EF2 tornado. A few homes in this area had their roofs completely removed (DI FR12, DOD 6). The tornado crossed Highway 281 near the Alamo Quarry Market shopping center as an EF1 and continued on an east-northeast track through Alamo Heights. Along its path numerous homes had roof damage (DI FR12, DOD 4) and major tree damage (DI TH, DOD 4) with large oak trees snapped and uprooted. Several apartment buildings had roof damage (DI ACT, DOD 2). The rest of the track was mainly EF0 damage with a few smaller pockets of EF1 damage. The tornado crossed near the Nacogdoches/New Braunfels Ave. intersection, moved east-northeast, crossing Harry Wurzbach Rd. and finally dissipating near the I-410/Salado Creek area. According to City of San Antonio assessment, 2 homes were destroyed, 77 had major damage, 55 had minor damage, and 120 homes were affected. There is not an estimate on monetary repairs." +112810,674530,TEXAS,2017,February,Tornado,"BEXAR",2017-02-19 22:43:00,CST-6,2017-02-19 22:49:00,0,0,0,0,,NaN,0.00K,0,29.5551,-98.4117,29.586,-98.378,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado formed just northeast of Thousand Oaks Dr. along Scarsdale Dr. The tornado moved to the northeast through residential neighborhoods between Nacogdoches Rd. and Stahl Rd. The tornado produced widespread EF0 damage and pockets of EF1 damage to homes and trees. Some single family homes lost sections of their roofs (DI FR12, DOD 4). There was also significant damage to large utility structures (DI ETL, DOD 4). This damage might have rated higher (DOD 6), but the utility company told us they collapse at much lower wind speeds. The tornado lifted near the intersection of Judson Rd. and Stahl Rd. According to the City of San Antonio assessment, 22 homes had major damage, 12 had minor damage, and 81 homes were affected. There is no estimate of monetary loss." +112810,674532,TEXAS,2017,February,Tornado,"COMAL",2017-02-19 23:00:00,CST-6,2017-02-19 23:02:00,0,0,0,0,0.00K,0,0.00K,0,29.6714,-98.265,29.6786,-98.2581,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado initially occurred at the end of Dedeke Dr. near the Dry Comal Creek. This tornado primarily produced minor tree damage (DI TS, DOD 3) as it traveled to the northeast before lifting northeast of Tonne Dr. E. Only a few homes were affected." +115236,702173,IOWA,2017,May,Hail,"WINNESHIEK",2017-05-15 17:47:00,CST-6,2017-05-15 17:47:00,0,0,0,0,500.00K,500000,0.00K,0,43.15,-91.95,43.15,-91.95,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Large, wind driven hail pounded Ft. Atkinson. An estimated 70 to 80 percent of the buildings in the town sustained siding and roof damage." +115236,697206,IOWA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-15 17:58:00,CST-6,2017-05-15 17:58:00,0,0,0,0,25.00K,25000,0.00K,0,42.86,-91.81,42.86,-91.81,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Trees were blown down and roofs were blown off buildings in the central part of Fayette County." +114231,684345,WYOMING,2017,April,Winter Storm,"STAR VALLEY",2017-04-07 22:00:00,MST-7,2017-04-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","Heavy snow fell in many portions of the Star Valley. Amounts ranged from 6 inches at the Box Y Ranch to 15 inches 5 miles SSE of Smoot." +114231,684342,WYOMING,2017,April,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-04-07 18:00:00,MST-7,2017-04-09 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","Heavy snow fell through much of the Tetons. The highest amounts of snow included 22 inches at the Grand Targhee SNOTEL and 20 inches at the top of the Jackson Hole Ski Resort." +114231,684343,WYOMING,2017,April,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-04-07 22:00:00,MST-7,2017-04-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","The SNOTEL site at Gunsight Pass recorded 15 inches of new snow." +115316,692336,GEORGIA,2017,April,Thunderstorm Wind,"COFFEE",2017-04-05 17:53:00,EST-5,2017-04-05 17:53:00,0,0,0,0,0.00K,0,0.00K,0,31.51,-82.85,31.51,-82.85,"An area of low pressure was moving NE across the mid MS River Valley with a trailing cold front edging east across the FL panhandle. Aloft an intense short wave trough was beginning to lift NE across the lower MS River Valley. Dynamics supported severe thunderstorm development.","Trees and power lines were blown down near Douglas. Portion of a roof collapsed on a home." +115317,692341,FLORIDA,2017,April,Lightning,"DUVAL",2017-04-06 02:48:00,EST-5,2017-04-06 02:48:00,0,0,0,0,100.00K,100000,0.00K,0,30.15,-81.64,30.15,-81.64,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A house fire occurred due to a lightning strike. All inside were able to evacuate. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +115317,692343,FLORIDA,2017,April,Thunderstorm Wind,"NASSAU",2017-04-06 01:00:00,EST-5,2017-04-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-81.82,30.58,-81.82,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A tree was blown down on State Road 200 near Callahan. Power lines were taken down by the fallen tree." +115317,692345,FLORIDA,2017,April,Thunderstorm Wind,"CLAY",2017-04-06 02:15:00,EST-5,2017-04-06 02:15:00,0,0,0,0,2.00K,2000,0.00K,0,30.05,-81.9,30.05,-81.9,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A backyard Gazebo was damaged. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +115317,692346,FLORIDA,2017,April,Thunderstorm Wind,"MARION",2017-04-06 05:45:00,EST-5,2017-04-06 05:45:00,0,0,0,0,0.20K,200,0.00K,0,28.98,-81.92,28.98,-81.92,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A power line was blown down along Highway 42 near Weirsdale. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +115317,692348,FLORIDA,2017,April,Thunderstorm Wind,"FLAGLER",2017-04-06 08:00:00,EST-5,2017-04-06 08:00:00,0,0,0,0,0.50K,500,0.00K,0,29.46,-81.12,29.46,-81.12,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","Power lines were blown down at the intersection of South 22nd Street and Ocean Shore Blvd. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +115317,692352,FLORIDA,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-05 23:35:00,EST-5,2017-04-05 23:35:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-82.96,30.52,-82.96,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A tree was blown down just east of Jasper. The time of damage was based on radar." +114221,684224,HAWAII,2017,April,High Surf,"MAUI WINDWARD WEST",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114221,684225,HAWAII,2017,April,High Surf,"MAUI CENTRAL VALLEY",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114221,684226,HAWAII,2017,April,High Surf,"WINDWARD HALEAKALA",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114223,684227,HAWAII,2017,April,Heavy Rain,"KAUAI",2017-04-11 23:47:00,HST-10,2017-04-12 02:37:00,0,0,0,0,0.00K,0,0.00K,0,22.1368,-159.689,21.9852,-159.3581,"An upper trough west of the islands induced heavy showers over Kauai, Oahu, and the Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +114223,684228,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-13 15:28:00,HST-10,2017-04-13 22:30:00,0,0,0,0,0.00K,0,0.00K,0,21.4889,-158.2052,21.4001,-157.7781,"An upper trough west of the islands induced heavy showers over Kauai, Oahu, and the Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +114221,684223,HAWAII,2017,April,High Surf,"MOLOKAI LEEWARD",2017-04-01 00:00:00,HST-10,2017-04-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a low far northwest of the islands generated surf of 10 to 15 feet along the north-facing shores of Oahu, Molokai, and Maui; and 8 to 12 feet along the west-facing shores of Oahu and Molokai. There were no reports of significant injuries or property damage. This episode is a continuation from the end of March.","" +114223,684229,HAWAII,2017,April,Heavy Rain,"HAWAII",2017-04-13 23:41:00,HST-10,2017-04-14 02:30:00,0,0,0,0,0.00K,0,0.00K,0,20.2417,-155.8342,19.9865,-155.7367,"An upper trough west of the islands induced heavy showers over Kauai, Oahu, and the Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +114223,684230,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-14 04:37:00,HST-10,2017-04-14 06:26:00,0,0,0,0,0.00K,0,0.00K,0,21.4007,-157.9779,21.6499,-157.9353,"An upper trough west of the islands induced heavy showers over Kauai, Oahu, and the Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +112137,669022,SOUTH DAKOTA,2017,January,Winter Storm,"BENNETT",2017-01-24 04:00:00,MST-7,2017-01-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669023,SOUTH DAKOTA,2017,January,Winter Storm,"MELLETTE",2017-01-24 08:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669024,SOUTH DAKOTA,2017,January,Winter Storm,"TODD",2017-01-24 05:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669025,SOUTH DAKOTA,2017,January,Winter Storm,"TRIPP",2017-01-24 06:00:00,CST-6,2017-01-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669027,SOUTH DAKOTA,2017,January,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-01-24 06:00:00,MST-7,2017-01-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +113097,676711,NORTH CAROLINA,2017,January,Winter Storm,"WAKE",2017-01-07 00:00:00,EST-5,2017-01-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snowfall amounts ranged from a dusting across southern portions of the county to 3 inches across the north. There was also 0.15 of an inch of ice from freezing rain across the county." +113097,676714,NORTH CAROLINA,2017,January,Winter Storm,"HALIFAX",2017-01-07 00:00:00,EST-5,2017-01-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking north along the Carolina coast and interacting with an |arctic airmass moving into the area from the central CONUS produced wintry precipitation |across central North Carolina during the late evening hours on the 6th and continuing|until the early afternoon hours on the 7th. A swath of heavy to moderate snow of 6 to 11 inches fell across the western and central Piedmont of North Carolina, with a mixture of 1 to 2 inches of snow and 0.15 inches of ice across the Sandhills and Coastal Plain.","Snow and sleet amounts ranged from 2 inches across southern portions of the county to 4 inches across the north." +114229,684268,HAWAII,2017,April,Drought,"SOUTH BIG ISLAND",2017-04-01 00:00:00,HST-10,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Parts of leeward Big Island remained in the D2 category of severe drought through April, though there was improvement due to periods of rain toward the end of the month.","" +114229,684269,HAWAII,2017,April,Drought,"KOHALA",2017-04-01 00:00:00,HST-10,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Parts of leeward Big Island remained in the D2 category of severe drought through April, though there was improvement due to periods of rain toward the end of the month.","" +114229,684270,HAWAII,2017,April,Drought,"BIG ISLAND INTERIOR",2017-04-01 00:00:00,HST-10,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Parts of leeward Big Island remained in the D2 category of severe drought through April, though there was improvement due to periods of rain toward the end of the month.","" +113409,678619,KENTUCKY,2017,April,Thunderstorm Wind,"POWELL",2017-04-05 19:37:00,EST-5,2017-04-05 19:46:00,0,0,0,0,,NaN,,NaN,37.8517,-83.9503,37.78,-83.83,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Emergency Management reported multiple trees down on Highway 82 southwest of Clay City to near Furnace." +113409,678620,KENTUCKY,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 19:48:00,EST-5,2017-04-05 19:48:00,0,0,0,0,,NaN,,NaN,37.9679,-83.8214,37.9679,-83.8214,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Dispatch relayed a report of trees down at the intersection of Main Street and Science Ridge Road in Jeffersonville." +115426,693058,TEXAS,2017,April,Hail,"LIBERTY",2017-04-29 07:14:00,CST-6,2017-04-29 07:14:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-94.74,30.15,-94.74,"An early morning severe thunderstorm produced quarter sized hail.","Quarter sized hail was reported in Hardin." +115440,693185,TEXAS,2017,April,Flash Flood,"BRAZORIA",2017-04-18 02:00:00,CST-6,2017-04-18 08:00:00,0,0,0,0,450.00K,450000,0.00K,0,29.2341,-95.3642,29.213,-95.3558,"A weak upper low over the region allowed a slow moving organized clustering of storms to position themselves over the coastal counties. These storms produced high rainfall rates that lead to isolated flash flooding.","Over 60 homes had at least a couple of inches of water in them within the town of Danbury. The worst flooding occurred in the eastern and western side of town, or in the vicinity of the sloughs. Sections of County Roads 208, 201 and 211 were impassable due to the flooding." +115440,693186,TEXAS,2017,April,Flash Flood,"GALVESTON",2017-04-18 04:30:00,CST-6,2017-04-18 10:30:00,0,0,0,0,4.00K,4000,0.00K,0,29.3565,-94.9685,29.3985,-94.9922,"A weak upper low over the region allowed a slow moving organized clustering of storms to position themselves over the coastal counties. These storms produced high rainfall rates that lead to isolated flash flooding.","Street flooding was causing vehicles to stall around the College of the Mainland. The Amburn Street and Monticello Drive intersection was flooded and impassable. High flood water was also reported in La Marque at the Gulf Freeway and FM 519 intersection." +115440,693188,TEXAS,2017,April,Flash Flood,"GALVESTON",2017-04-18 06:00:00,CST-6,2017-04-18 10:00:00,0,0,0,0,100.00K,100000,0.00K,0,29.3261,-95.1044,29.3912,-95.1121,"A weak upper low over the region allowed a slow moving organized clustering of storms to position themselves over the coastal counties. These storms produced high rainfall rates that lead to isolated flash flooding.","Water reported in homes at Avenue M 1/2 and 24th Street, north of 32nd Street and on Ave P at 28th Street in Santa Fe. Sections of O and P Avenue near the 28th Street intersection were closed due to flooding. Street flooding was also reported along R, S and T Avenues at the 32nd and 33rd street intersections. Approximately 8 roads were closed and impassable due to flood waters within town limits." +115440,693189,TEXAS,2017,April,Flash Flood,"FORT BEND",2017-04-18 05:55:00,CST-6,2017-04-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5488,-95.7548,29.5407,-95.7484,"A weak upper low over the region allowed a slow moving organized clustering of storms to position themselves over the coastal counties. These storms produced high rainfall rates that lead to isolated flash flooding.","The intersection of U.S. Highway 59 and FM 762 was flooded." +115315,694020,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-04-11 14:00:00,CST-6,2017-04-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,28.9367,-95.2959,28.9367,-95.2959,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Marine storm wind gust was measured at Weatherflow site XSRF." +115440,694021,TEXAS,2017,April,Flash Flood,"BRAZORIA",2017-04-18 02:00:00,CST-6,2017-04-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,29.2565,-95.1701,29.2699,-95.1541,"A weak upper low over the region allowed a slow moving organized clustering of storms to position themselves over the coastal counties. These storms produced high rainfall rates that lead to isolated flash flooding.","Flood waters from Halls Bayou came over sections of FM 2004, from FM 2917 to near the Galveston County line, forcing road closures." +113186,677080,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-17 14:00:00,PST-8,2017-01-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front fed by a rich feed of Pacific moisture brought heavy snow to the north Idaho Panhandle mountains and valleys north of the Cour D'Alene area to the Canadian Border. Minor to moderate amounts of wet snow were noted in the Cour D'Alene area with this storm as well as pockets of freezing rain near the Washington border between Coeur D' Alene and Spokane and in the valleys of the Idaho central panhandle mountains..","Two independent reports of Four inches of new snow were received from Oldtown." +113161,676878,WASHINGTON,2017,January,Ice Storm,"WENATCHEE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Three inches of sleet was reported by a member of the public in Wenatchee." +113161,676891,WASHINGTON,2017,January,Ice Storm,"WATERVILLE PLATEAU",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited one half inch of ice accumulation at Waterville." +112625,672310,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","An observer in Elk reported 9 inches of new snow accumulation." +112625,672307,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","Several reports of 8 to 10 inches of snow were received from the Diamond Lake area. The highest tally was 10.8 inches of snow accumulation." +112625,672311,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","Four inches of new snow accumulation was reported near Newport." +111830,668021,NEW JERSEY,2017,January,Coastal Flood,"EASTERN OCEAN",2017-01-24 03:50:00,EST-5,2017-01-24 05:54:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Flooding reported in numerous locations on Long Beach Island." +120818,727491,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:28:00,EST-5,2017-11-05 16:28:00,0,0,0,0,250.00K,250000,0.00K,0,41.13,-83.28,41.13,-83.28,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds estimated at 70 mph destroyed three barns and heavily damaged two more along State Route 635 north of Bascom. A home nearby also sustained some damage." +112039,668218,GEORGIA,2017,January,Winter Weather,"WHITFIELD",2017-01-06 15:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","One inch of snow was reported by an amateur radio operator in Tunnel Hill and a CoCoRaHS observer near Dalton." +112039,668220,GEORGIA,2017,January,Winter Weather,"WILKES",2017-01-07 01:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","A COOP observer near Washington reported a dusting, around a quarter on an inch, of snow." +112258,671683,GEORGIA,2017,January,Thunderstorm Wind,"TROUP",2017-01-21 08:45:00,EST-5,2017-01-21 08:50:00,0,0,0,0,2.00K,2000,,NaN,33.02,-85.06,33.02,-85.06,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Troup County Emergency Manager reported trees and large limbs blown down on the southwest side of LaGrange." +122051,731821,ILLINOIS,2017,December,Winter Weather,"HENRY",2017-12-24 05:00:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","Trained spotter reports ranged from 1.7 inches2 miles east southeast of Colona to 2.3 inches 1 mile east southeast of Kewanee." +113055,677960,CALIFORNIA,2017,January,Heavy Snow,"SAN BERNARDINO COUNTY MOUNTAINS",2017-01-21 23:30:00,PST-8,2017-01-23 20:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Very heavy snow fellow over a 48 hour period, with the heaviest snow falling between 0700 and 1900PST on the 22nd. A trace-1 ft of snow was reported between 3,500 ft and 5,000 ft with 1 to 2.5 ft above 5,000 ft. Some local snow totals included: 18-30 inches in Big Bear Lake, 25 inches in Green Valley Lake, 24 end of Mt. Baldy Rd., 20 inches in Barton Flats, 18 inches in Running Springs, Arrowbear Lake, and Forest Falls, 16 inches in Angelus Oaks and Wrightwood, and 12 inches in Blue Jay." +113055,675902,CALIFORNIA,2017,January,Thunderstorm Wind,"SAN DIEGO",2017-01-20 14:35:00,PST-8,2017-01-20 15:15:00,1,0,0,0,1.00M,1000000,,NaN,32.5689,-117.1239,32.7354,-116.7503,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","A severe squall produced a swath of 60-70 mph winds from Imperial Beach to Lawson Creek. At least 6 mesonet stations reported peak wind gusts in excess of 58 mph including a 68 mph gust at Lawson Creek and 64 mph gust at Boarder Field. Hundreds of trees were downed. Roof damage was also reported. One person was injured when a tree fell on their car in Lakeside." +113084,677705,CALIFORNIA,2017,January,Winter Weather,"APPLE AND LUCERNE VALLEYS",2017-01-23 05:00:00,PST-8,2017-01-23 21:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"Heavy snows over the prior week produced an avalanche near Mt. Baldy on January 26th that trapped 3 hikers. Two of the hikers were injured. San Bernardino County Fire rescued the hikers via helicopter and transported them for medical attention. Further south in San Diego County, lingering moisture from prior storms produced convective snow showers over the mountains. Snowfall accumulations of 1-3 inches were reported along with a closure of Interstate 8.","CHP closed Interstate 8 for a short period due to a heavy burst of snow. The time of the closure was approximately 1500 to 1800 PST. Two big rigs jackknifed and subsequently crashed due to snow cover on the interstate." +113269,677781,MARYLAND,2017,January,Winter Weather,"DORCHESTER",2017-01-30 04:00:00,EST-5,2017-01-30 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weak low pressure tracking across the Delmarva and off the coast produced between one half inch of snow and three inches of snow across portions of the Lower Maryland Eastern Shore.","Snowfall totals were generally between 0.5 inch and 3 inches across the county. Vienna (5 WNW) reported 3 inches of snow. Cambridge reported 2 inches of snow." +115465,693379,FLORIDA,2017,April,Rip Current,"MARTIN",2017-04-08 14:00:00,EST-5,2017-04-08 15:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A teenage boy was swimming at the beach with friends when he was swept seaward in a strong rip current and drowned.","A 16-year-old boy from Port St. Lucie drowned after being pulled seaward by a strong rip current and disappeared from view. A sheriffs office helicopter and water and boat patrol crews found the boy and returned him to shore. Rescuers performed CPR and then transported him to a local hospital where he was pronounced dead a short time later. The death was a result of drowning." +115466,693382,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-04-05 18:56:00,EST-5,2017-04-05 18:56:00,0,0,0,0,0.00K,0,0.00K,0,28.23,-80.598,28.23,-80.598,"Strong afternoon thunderstorms moved quickly off the mainland and spread across the central Brevard County coastline.","The Patrick Air Force Base AWOS (KCOF) measured a peak wind gust of 47 knots as a strong thunderstorm moved northeast and exited the barrier island and spread into the Atlantic." +115466,693383,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-04-05 19:00:00,EST-5,2017-04-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,28.5359,-80.5748,28.5359,-80.5748,"Strong afternoon thunderstorms moved quickly off the mainland and spread across the central Brevard County coastline.","USAF wind tower 0108 at Cape Canaveral measured a peak wind gust of 37 knots as a strong thunderstorm moved northeast and exited into the Atlantic." +115467,693388,FLORIDA,2017,April,Rip Current,"VOLUSIA",2017-04-02 17:45:00,EST-5,2017-04-02 18:45:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong rip currents resulted in over three dozen rescues by life guards along the Volusia County coastline throughout the day. Another man was found unconscious in the water and was pulled to shore by first responders.","A man from Winter Park was found face down in the water at New Smyrna Beach by first responders. CPR was performed and he was taken to a local hospital where he was pronounced dead from an apparent drowning." +115815,696015,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-04 09:48:00,EST-5,2017-04-04 09:48:00,0,0,0,0,0.00K,0,0.00K,0,29.05,-80.9,29.05,-80.9,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","A Weatherflow mesonet site at New Smyrna Beach measured a peak gust of 35 knots from the northeast as winds from a thunderstorm just north/northeast over the Atlantic affected the nearshore waters." +117470,707670,ARKANSAS,2017,June,Flash Flood,"ARKANSAS",2017-06-23 07:00:00,CST-6,2017-06-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-91.33,34.2818,-91.357,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Water was over several roads in and near town, and was getting into some homes." +113294,677954,ARKANSAS,2017,January,Flood,"WOODRUFF",2017-01-01 00:00:00,CST-6,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2775,-91.2468,35.2585,-91.2523,"Heavy rain in northeast Arkansas in December brought some minor flooding to the Cache River at Patterson that continued during the first part of January.","Heavy rain in December brought flooding to the Cache River and the flooding continued through 1/9/17. Crest was at 10.73 feet." +113003,678040,ARKANSAS,2017,January,Winter Weather,"DALLAS",2017-01-06 05:00:00,CST-6,2017-01-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across Dallas county." +113003,678044,ARKANSAS,2017,January,Winter Weather,"CLEVELAND",2017-01-06 06:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across Cleveland county." +113003,678045,ARKANSAS,2017,January,Winter Weather,"LINCOLN",2017-01-06 07:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across Lincoln county." +113003,678047,ARKANSAS,2017,January,Winter Weather,"DESHA",2017-01-06 16:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","A trace of snow fell across northern portions of Desha county." +113003,678064,ARKANSAS,2017,January,Winter Weather,"OUACHITA",2017-01-06 15:00:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","A trace of snow fell across Ouachita county." +113003,678066,ARKANSAS,2017,January,Winter Weather,"CALHOUN",2017-01-06 15:30:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","A trace of snow fell across Calhoun county." +113003,678067,ARKANSAS,2017,January,Winter Weather,"DREW",2017-01-06 15:30:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","A trace of snow fell across Drew county." +115952,696784,ARIZONA,2017,April,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-04-08 14:50:00,MST-7,2017-04-08 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plot of land along Interstate 10 near San Simon, which was disturbed back in February, was the cause of another closure of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Interstate 10 near San Simon was closed for about four hours due to very low visibility in blowing dust." +115953,696787,ARIZONA,2017,April,Dust Storm,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-04-25 10:45:00,MST-7,2017-04-25 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plot of land along Interstate 10 near San Simon, which was disturbed back in February, was the cause of another closure of the roadway when southwest winds kicked up blowing dust and reduced visibility to near zero. Interstate traffic was rerouted for 110 miles to circumvent the road closure.","Interstate 10 near San Simon was closed for about seven hours due to very low visibility in blowing dust." +115859,696286,NEBRASKA,2017,April,Funnel Cloud,"SHERIDAN",2017-04-09 12:43:00,MST-7,2017-04-09 12:43:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-102.14,42.91,-102.14,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Funnel cloud was reported 8 miles east northeast of Gordon." +113347,678223,MISSOURI,2017,January,Ice Storm,"FRANKLIN",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678224,MISSOURI,2017,January,Ice Storm,"ST. CHARLES",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678225,MISSOURI,2017,January,Ice Storm,"ST. LOUIS",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678226,MISSOURI,2017,January,Ice Storm,"ST. LOUIS (C)",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678227,MISSOURI,2017,January,Ice Storm,"CRAWFORD",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678228,MISSOURI,2017,January,Ice Storm,"WASHINGTON",2017-01-13 07:00:00,CST-6,2017-01-15 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +112755,678526,MISSISSIPPI,2017,January,Sleet,"NOXUBEE",2017-01-06 09:00:00,CST-6,2017-01-06 20:45:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one inch of sleet and snow accumulated on Bridges, overpasses and other elevated surfaces across the county." +112755,678528,MISSISSIPPI,2017,January,Sleet,"NEWTON",2017-01-06 08:45:00,CST-6,2017-01-06 20:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one inch of sleet accumulated on Bridges, overpasses and other elevated surfaces across the county. Light accumulations of snow and ice was also reported." +112755,678529,MISSISSIPPI,2017,January,Sleet,"SCOTT",2017-01-06 08:15:00,CST-6,2017-01-06 19:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces across the county. The highest accumulations were reported along I-20 near Forest." +112755,678585,MISSISSIPPI,2017,January,Sleet,"LEAKE",2017-01-06 08:15:00,CST-6,2017-01-06 18:45:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces across the county. The highest accumulations were over the Walnut Grove area." +112755,678587,MISSISSIPPI,2017,January,Sleet,"NESHOBA",2017-01-06 08:30:00,CST-6,2017-01-06 19:15:00,0,0,0,0,70.00K,70000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to seven tenths of an inch of sleet accumulated on Bridges, overpasses and other elevated surfaces across the county. The highest accumulations were near the Philadelphia area." +112755,678597,MISSISSIPPI,2017,January,Winter Weather,"FRANKLIN",2017-01-06 06:00:00,CST-6,2017-01-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Three tenths of an inch of sleet accumulated near Meadville." +112755,678598,MISSISSIPPI,2017,January,Winter Weather,"LINCOLN",2017-01-06 06:00:00,CST-6,2017-01-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one quarter of an inch of sleet accumulated near Brookhaven." +112755,678599,MISSISSIPPI,2017,January,Winter Weather,"LAWRENCE",2017-01-06 06:15:00,CST-6,2017-01-06 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","A dusting of sleet fell across the county." +112755,678600,MISSISSIPPI,2017,January,Winter Weather,"COVINGTON",2017-01-06 07:15:00,CST-6,2017-01-06 20:15:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to a quarter an inch of sleet and ice fell across the county. The highest amounts were near Seminary, where one quarter an inch accumulated on the Okatoma River Bridge." +112755,678601,MISSISSIPPI,2017,January,Winter Weather,"CLARKE",2017-01-06 08:00:00,CST-6,2017-01-06 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to a tenth of an inch of sleet accumulated across the county." +112755,678602,MISSISSIPPI,2017,January,Sleet,"MADISON",2017-01-06 07:30:00,CST-6,2017-01-06 18:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","One-half inch accumulation of sleet accumulated on Bridges, overpasses and other elevated surfaces over the southern portions of the county." +112755,678603,MISSISSIPPI,2017,January,Winter Weather,"NOXUBEE",2017-01-06 07:15:00,CST-6,2017-01-06 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Heavy snow with light accumulations." +112755,678683,MISSISSIPPI,2017,January,Sleet,"KEMPER",2017-01-06 09:00:00,CST-6,2017-01-06 20:45:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one inch of sleet and snow accumulated on Bridges, overpasses and other elevated surfaces across the county. The highest accumulations were near Scooba." +113734,681029,CALIFORNIA,2017,February,Flash Flood,"SAN BERNARDINO",2017-02-17 17:40:00,PST-8,2017-02-17 18:20:00,2,0,1,0,30.00K,30000,0.00K,0,34.5122,-117.3044,34.5062,-117.3045,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Three vehicles swept from Rodeo Dr. near Pebble Beach Park. Swift water rescues were conducted to rescue 3 people. One fatality was reported." +113734,681033,CALIFORNIA,2017,February,Flash Flood,"SAN BERNARDINO",2017-02-17 19:45:00,PST-8,2017-02-18 02:45:00,0,0,0,0,3.50M,3500000,0.00K,0,34.3124,-117.4797,34.3172,-117.4772,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Flood waters and related erosion caused a collapse of lane number 5 along Interstate 15. A fire truck and big rig were caught up and destroyed in the collapse. No injuries were reported but damages to the Interstate reached into the millions." +112775,673914,MINNESOTA,2017,March,Hail,"SHERBURNE",2017-03-06 17:50:00,CST-6,2017-03-06 17:50:00,0,0,0,0,0.00K,0,0.00K,0,45.5321,-93.5555,45.5321,-93.5555,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673927,MINNESOTA,2017,March,Hail,"RICE",2017-03-06 17:59:00,CST-6,2017-03-06 17:59:00,0,0,0,0,0.00K,0,0.00K,0,44.2915,-93.2579,44.2915,-93.2579,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +114465,694629,VIRGINIA,2017,April,Flood,"DANVILLE (C)",2017-04-24 06:00:00,EST-5,2017-04-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5716,-79.442,36.5946,-79.4147,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","The forecast point on the Dan River at Danville (DVLV2) crested at 25.31 feet the highest stage since the New Years flood of January 1, 2007. This was just below the currently defined Major Flood Stage of 25.5 feet. Impacts were limited to some closed roads near the river and several buildings being partially flooded. The flood approached the 20-year return frequency (0.2 annual exceedance probability) according to USGS data." +120285,720757,CALIFORNIA,2017,August,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-08-28 18:00:00,PST-8,2017-08-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region from the 26th to the 31st. Heat began in the deserts on the 26th and 27th, reaching warning criteria with little impact. The hot conditions spread to the valleys on the 28th through the 31st, resulting in flex alerts, power outages and trail closures.","Elsinore reported daily record high temperatures 3 days in a row from the 28th to the 30th. Afternoon highs were 111-112 degrees." +112996,675354,LOUISIANA,2017,February,Tornado,"LIVINGSTON",2017-02-07 11:50:00,CST-6,2017-02-07 12:02:00,3,0,0,0,,NaN,,NaN,30.621,-90.903,30.6261,-90.7973,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","The tornado touched down northeast of Watson near the intersection of Little Woods Drive and Percy Easterly Road. It moved in a general easterly direction. It rapidly strengthened as it approached Nan Wesley Road, where it collapsed a metal truss tower holding up high tension power lines. In this area, the tornado is estimated to have reached its peak intensity of near 140 mph. It continued moving east, causing damage consistent with that of an EF-2 tornado, completely destroying three manufactured homes, and causing significant roof damage to two single family homes. It also snapped or uprooted numerous trees. The tornado continued moving east, causing damage primarily to the roofs of homes and trees. It lifted as it reached John Lanier Road." +112996,675356,LOUISIANA,2017,February,Hail,"JEFFERSON",2017-02-07 10:45:00,CST-6,2017-02-07 10:45:00,0,0,0,0,0.00K,0,0.00K,0,30.0108,-90.2314,30.0108,-90.2314,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Relative of NWS employee reported ping pong ball sized hail." +112996,675357,LOUISIANA,2017,February,Hail,"ORLEANS",2017-02-07 11:18:00,CST-6,2017-02-07 11:18:00,0,0,0,0,,NaN,,NaN,30.02,-89.94,30.02,-89.94,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Ping pong ball sized hail was reported in New Orleans East." +112996,675358,LOUISIANA,2017,February,Hail,"ST. TAMMANY",2017-02-07 13:27:00,CST-6,2017-02-07 13:27:00,0,0,0,0,0.00K,0,0.00K,0,30.6,-90.0177,30.6,-90.0177,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Hail slightly larger than golf balls was reported near Bush." +112996,682248,LOUISIANA,2017,February,Thunderstorm Wind,"ORLEANS",2017-02-07 11:22:00,CST-6,2017-02-07 11:22:00,0,0,0,0,0.00K,0,0.00K,0,30.0425,-90.0223,30.0425,-90.0223,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","A WeatherFlow station at New Orleans Lakefront Airport measured a 67 mph wind gust. The strong winds flipped several light air craft parked at the airport." +112999,675359,MISSISSIPPI,2017,February,Hail,"PEARL RIVER",2017-02-07 14:08:00,CST-6,2017-02-07 14:08:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-89.68,30.53,-89.68,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Golf ball sized hail was reported near Picayune." +112999,675360,MISSISSIPPI,2017,February,Hail,"PEARL RIVER",2017-02-07 14:11:00,CST-6,2017-02-07 14:11:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-89.7,30.53,-89.7,"Severe thunderstorms developed ahead of an approaching cold front across southeast Louisiana, southern Mississippi, and the adjacent coastal waters.","Hail slightly larger than golf balls was reported." +113756,681102,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 14:00:00,PST-8,2017-02-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6681,-116.826,32.6691,-116.8263,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","California Highway Patrol reported 3 ft of water from Delzura Creek flowing over Highway 94." +113756,681103,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 16:00:00,PST-8,2017-02-27 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.7076,-117.158,32.7082,-117.1576,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","The field a Petco Park was completely submerged under several inches of standing water." +113756,681112,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 12:00:00,PST-8,2017-02-27 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.0168,-116.9378,33.0651,-116.8643,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Heavy rain produced multiple reports of roadway flooding in Ramona." +113378,678393,WYOMING,2017,February,Flood,"WASHAKIE",2017-02-10 06:00:00,MST-7,2017-02-15 06:00:00,0,0,0,0,100.00K,100000,0.00K,0,43.9991,-107.9762,44.0056,-107.9808,"A rapid warm up following several weeks of below normal temperatures and above average snowfall led to flooding along the Big Horn River in Washakie and Big Horn Counties. The result was rapidly rising rivers due to ice jams from rivers breaking up as well as rapid snow melt. The Worland area was the hardest hit area. Over 100 homes were evacuated in low lying areas near the river in Worland as it rose to around 13.9 feet, well above flood stage. The water receded as the ice jam moved northward. Residents were allowed to return to their homes on the 14th but large ice blocks remained in neighborhoods for days afterward. The flooding then moved northward into Big Horn County. Minor flooding was reported from Basin north through Greybull. However, in these areas flooding was restricted to low lying areas and little or no property damage occurred. Over 100 National Guard members and firefighters were called in to sandbag and help shore up levees along the river.","Rapidly warming temperatures after a prolonged cold spell, rapidly melted snow in the Big Horn Basin. This, combined with the frozen Big Horn River breaking up, produced flooding in Washakie County, especially in the vicinity of Worland. Over 100 homes were evacuated in the low lying residential areas along the river. Some residents were out of their homes for three days before finally being allowed back as the water receded on February 14th. The water receded after February 15th as the ice jam moved northward into Big Horn County." +113555,679904,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-02-22 20:00:00,MST-7,2017-02-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Very heavy snow fell across the East Slopes of the Wind River Range with amounts over two feet commonplace. Some of the highest amounts reported for SNOTELs included 34 inches at Townsend Creek and 28 inches at Deer Park. A COOP observer reported 26 inches of new snow at Atlantic City." +113987,682664,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-08 06:05:00,PST-8,2017-02-08 06:05:00,0,0,0,0,0.00K,0,0.00K,0,37.1984,-120.3222,37.1979,-120.3372,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol an entire road closure due to flooding on Plainsburg Road near Buchanan Hollow Road just east of Athlone." +113120,676558,MAINE,2017,February,Heavy Snow,"SOUTHERN FRANKLIN",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676559,MAINE,2017,February,Heavy Snow,"SOUTHERN OXFORD",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113120,676560,MAINE,2017,February,Heavy Snow,"SOUTHERN SOMERSET",2017-02-09 07:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. Snowfall amounts across western Maine generally ranged from several inches in the northern mountains to around 12 inches in southern York County.","" +113999,682769,MAINE,2017,February,Heavy Snow,"ANDROSCOGGIN",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682770,MAINE,2017,February,Heavy Snow,"CENTRAL SOMERSET",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682771,MAINE,2017,February,Heavy Snow,"SOUTHERN SOMERSET",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +112553,672681,NEW MEXICO,2017,February,High Wind,"UNION COUNTY",2017-02-23 12:03:00,MST-7,2017-02-23 15:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Peak sustained winds to 44 mph at Sedan." +112553,672682,NEW MEXICO,2017,February,High Wind,"SANDIA/MANZANO MOUNTAINS",2017-02-23 12:00:00,MST-7,2017-02-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of fast-moving upper level troughs crossed the southern Rockies and delivered the strongest round of winds to New Mexico on the 23rd. A deep surface low pressure center over the Texas and Oklahoma panhandles and a potent upper level jet stream over New Mexico focused strong west winds over much of the central high terrain and eastern plains. Sustained winds in many areas of eastern New Mexico averaged 40 to 45 mph while wind gusts peaked around 60 mph. A mobile home was blown off a flat bed truck while being transported along U.S. Highway 60 near Magdalena. Blowing dust from White Sands National Monument was captured for the first time by the new GOES-16 satellite.","Peak wind gust to 64 mph at the top of Sandia Peak Tram." +112663,672748,NEW MEXICO,2017,February,Heavy Snow,"FAR NORTHWEST HIGHLANDS",2017-02-27 22:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Up to 15 inches of snow fell around Dulce with up to 2 feet on nearby higher peaks. This snowfall set a new daily record for the 28th. Lighter amounts around 2 inches were reported near Navajo Dam." +113940,682606,VIRGINIA,2017,February,High Wind,"CARROLL",2017-02-09 07:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed on February 8th, a very strong pressure gradient began to feed strong northwest winds into the region. The strongest winds occurred in the foothills of the southern New River Valley, which brought down some trees.","Strong winds brought down at least a dozen trees across Carroll county, including Hillsville, Fries, Dugspur, and Laurel Fork during the morning into the early afternoon hours. In addition, a tree was blown down along the Blue Ridge Parkway near mile marker 185." +113940,682607,VIRGINIA,2017,February,High Wind,"FLOYD",2017-02-09 07:00:00,EST-5,2017-02-09 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed on February 8th, a very strong pressure gradient began to feed strong northwest winds into the region. The strongest winds occurred in the foothills of the southern New River Valley, which brought down some trees.","Several trees were blown down across Floyd county mainly during the morning. Some locations where downed trees were reported include: Floyd, Indian Valley, and Check." +113944,682506,NORTH CAROLINA,2017,February,High Wind,"ASHE",2017-02-13 00:00:00,EST-5,2017-02-13 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake, brought wind gusts over 58 MPH to the northwest North Carolina mountains mainly during the late evening hours of the 12th into the predawn hours of the 13th.","Strong winds brought down several trees down across Ashe County mainly after midnight on the morning of the 13th." +113944,682507,NORTH CAROLINA,2017,February,High Wind,"ALLEGHANY",2017-02-13 07:05:00,EST-5,2017-02-13 07:05:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake, brought wind gusts over 58 MPH to the northwest North Carolina mountains mainly during the late evening hours of the 12th into the predawn hours of the 13th.","" +113944,682508,NORTH CAROLINA,2017,February,High Wind,"WATAUGA",2017-02-13 07:04:00,EST-5,2017-02-13 07:04:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake, brought wind gusts over 58 MPH to the northwest North Carolina mountains mainly during the late evening hours of the 12th into the predawn hours of the 13th.","" +113945,682511,VIRGINIA,2017,February,High Wind,"GILES",2017-02-13 04:18:00,EST-5,2017-02-13 04:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","A 64 MPH wind gust was measured on Bald Knob." +113945,682512,VIRGINIA,2017,February,High Wind,"MONTGOMERY",2017-02-13 06:15:00,EST-5,2017-02-13 09:15:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Strong winds brought down two trees in Christiansburg." +115142,691441,WISCONSIN,2017,April,Flood,"JACKSON",2017-04-20 08:20:00,CST-6,2017-04-21 10:15:00,0,0,0,0,0.00K,0,0.00K,0,44.3063,-90.8339,44.3043,-90.8307,"Two rounds of moderate to heavy rains in the middle of April produced some river flooding across western and central Wisconsin. Flooding was observed along the Trempealeau, Black and Yellow Rivers.","Runoff from heavy rains pushed the Black River out of its banks in Black River Falls. The river crested almost 3 feet above the flood stage at 49.73 feet." +115142,691442,WISCONSIN,2017,April,Flood,"TREMPEALEAU",2017-04-22 08:20:00,CST-6,2017-04-23 12:10:00,0,0,0,0,0.00K,0,0.00K,0,44.0591,-91.2846,44.0636,-91.3066,"Two rounds of moderate to heavy rains in the middle of April produced some river flooding across western and central Wisconsin. Flooding was observed along the Trempealeau, Black and Yellow Rivers.","Runoff from heavy rains pushed the Black River out of its banks near Galesville. The river crested less than 2 feet above the flood stage at 16.64 feet." +119145,716371,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.03,36.89,-76.03,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.05 inches was measured at North Virginia Beach (2 W)." +119145,716372,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 08:00:00,EST-5,2017-07-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-76.02,36.68,-76.02,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.21 inches was measured at Back Bay (2 NNE)." +119145,716374,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 08:11:00,EST-5,2017-07-15 08:11:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-76.18,36.79,-76.18,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.70 inches was measured at Greenbrier (1 ENE)." +119145,716375,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 08:44:00,EST-5,2017-07-15 08:44:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-76.43,36.8,-76.43,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.97 inches was measured at Bowers Hill (1 NNW)." +119145,716677,VIRGINIA,2017,July,Lightning,"CHESAPEAKE (C)",2017-07-15 03:30:00,EST-5,2017-07-15 03:30:00,0,6,0,3,1.00M,1000000,0.00K,0,36.82,-76.27,36.82,-76.27,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Lightning strike caused a deadly fire at the Chesapeake Senior Living Complex. The fire killed three people and injured six others. There were 68 units that were damaged beyond repair." +117897,708543,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-12 13:00:00,MST-7,2017-07-12 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4585,-112.3297,34.4619,-112.2542,"Thunderstorms brought heavy rain across parts of northern Arizona.","Thunderstorms produced heavy rain over the Goodwin Fire scar. This caused dangerously high flows in Grapevine Creek. Central Avenue in Mayer was closed at Big Bug Creek because of flooding, mud, and debris over the roadway. About two feet of debris flow was observed in the creek which had been previously dry." +113637,681698,MONTANA,2017,February,Blizzard,"WEST GLACIER REGION",2017-02-05 16:30:00,MST-7,2017-02-06 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A steady stream of moisture coming in from the southwest interacted with the Arctic air sliding down from Canada, and caused heavy snow and gusty easterly winds over northwest Montana. Near whiteout conditions with snowfall rates of 1 to 2 inches per hour were observed. Some places received over 30 inches of new snow. Roads become impassable at times, particularly in the Essex to Kalispell corridor during the Monday morning commute. Previous heavy snowfall that occurred Feb. 3 and 4 compounded snow removal problems in city-centers. Airport operations had difficulty keeping runways clear during this event.","US-2 over Marias Pass was closed by the Montana Department of Transportation due to impassable conditions. Severe driving conditions were issued for most highways in this portion of northwest Montana. MDT plow drivers estimated a three day snow total of 48 inches in Essex, MT. Ten foot drifts were seen in the vicinity of roads near Glacier National Park. The Flattop Mountain weather sensor in Glacier National Park reported 26 inches of snow in 24 hours. Another Department of Transportation weather sensor in Essex, MT recorded steady 30 mph winds with frequent gusts into the 40 mph range throughout the event. US-2 at milepost 153 near West Glacier was closed during the early morning hours of the 6th due to heavy snow and drifting." +113637,681704,MONTANA,2017,February,Winter Storm,"FLATHEAD/MISSION VALLEYS",2017-02-05 17:00:00,MST-7,2017-02-06 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A steady stream of moisture coming in from the southwest interacted with the Arctic air sliding down from Canada, and caused heavy snow and gusty easterly winds over northwest Montana. Near whiteout conditions with snowfall rates of 1 to 2 inches per hour were observed. Some places received over 30 inches of new snow. Roads become impassable at times, particularly in the Essex to Kalispell corridor during the Monday morning commute. Previous heavy snowfall that occurred Feb. 3 and 4 compounded snow removal problems in city-centers. Airport operations had difficulty keeping runways clear during this event.","Glacier Park International Airport had to cancel two flights due to intense snowfall, with rates of up to 1.5 inches per hour. Winds combined with snow made it nearly impossible to de-ice planes before departure. The ASOS weather sensor at the airport recorded winds 30 mph gusting into the 40 mph range overnight. The peak wind speed was 33 mph sustained with 44 mph gusts. One airport fire crew employee was unable to get to work on time due to getting stuck in a snow drift. Ground blizzard conditions caused widespread travel impacts. A trained spotter reported glazed ice surfaces in Columbia Falls with freezing rain during the beginning of this event. The public reported very slick side roads due to freezing rain around Kalispell. This initial freezing rain made subsequent snowfall more dangerous to travelers. The US Postal Service did not deliver mail in some portions of the Flathead Valley on the 6th." +116778,706059,VERMONT,2017,July,Flash Flood,"ORANGE",2017-07-01 15:45:00,EST-5,2017-07-01 17:15:00,0,0,0,0,1.90M,1900000,0.00K,0,43.7773,-72.2093,43.9624,-72.6716,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Roads throughout Orange County were heavily damaged by flash flooding. Thetford was particularly hard hit, where 75 percent of the towns roads were damaged. Residents were isolated by flood waters and damaged roads." +112799,673875,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-23 03:18:00,EST-5,2017-01-23 03:18:00,0,0,0,0,0.00K,0,0.00K,0,26.09,-80.09,26.09,-80.09,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A marine thunderstorm wind gust of 60 mph / 52 kts was reported by a mesonet offshore Port Everglades." +112799,673873,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-23 01:58:00,EST-5,2017-01-23 01:58:00,0,0,0,0,0.00K,0,0.00K,0,26.1,-80.09,26.1,-80.09,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A marine thunderstorm wind gust of 50 mph / 43 kts was reported by a mesonet offshore Port Everglades." +117453,706362,IOWA,2017,June,Hail,"BOONE",2017-06-28 02:31:00,CST-6,2017-06-28 02:31:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-93.92,41.92,-93.92,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Emergency manager reported nickel to quarter sized hail along with estimated 40-45 mph wind gusts." +113987,682666,CALIFORNIA,2017,February,Flood,"MADERA",2017-02-08 07:47:00,PST-8,2017-02-08 07:47:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-119.62,37.1907,-119.6068,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported debris on roadway due to recent heavy rain and flooding on North Fork Road near Highway 41 near Fine Gold. One way traffic control was in place." +114087,683170,NEW YORK,2017,February,Thunderstorm Wind,"ST. LAWRENCE",2017-02-25 13:10:00,EST-5,2017-02-25 13:30:00,0,0,0,0,25.00K,25000,0.00K,0,44.65,-75.05,44.65,-75.05,"A potent storm traveling across the Northern Great Lakes, Ontario and Quebec delivered very warm temperatures into the 70s across northern New York during the afternoon of February 25th. Yet, a strong cold front moved through during the afternoon hours and developed several lines of strong to severe thunderstorms that impacted much of New York and portions of western, southern New England...including portions of northern New York with some wind damage in the form of downed trees and power outages.","Numerous trees and powerlines down from Canton to Potsdam." +114824,688735,LOUISIANA,2017,April,Hail,"POINTE COUPEE",2017-04-02 09:44:00,CST-6,2017-04-02 09:44:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-91.62,30.58,-91.62,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Quarter size hail was reported in Fordoche. Event time was based on radar." +114824,688736,LOUISIANA,2017,April,Heavy Rain,"LIVINGSTON",2017-04-02 07:00:00,CST-6,2017-04-03 07:09:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-90.95,30.58,-90.95,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","" +114824,688737,LOUISIANA,2017,April,Tornado,"ST. TAMMANY",2017-04-03 03:03:00,CST-6,2017-04-03 03:08:00,0,0,0,0,,NaN,0.00K,0,30.44,-90.21,30.4442,-90.1905,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A tornado began near Oak Park Drive and traveled east across Autumn Creek Subdivision, then lifted near Dummyline Road. Multiple pine trees were snapped, fences were blown down. Minor damage to garage doors and playground equipment. Maximum estimated wind speed 100 mph, maximum path width 50 yards, path length 1.2 miles." +114824,688740,LOUISIANA,2017,April,Thunderstorm Wind,"EAST BATON ROUGE",2017-04-03 00:45:00,CST-6,2017-04-03 00:45:00,1,0,0,0,0.00K,0,0.00K,0,30.69,-90.98,30.69,-90.98,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A tree fell down on Liberty Road onto a truck. One minor injury was reported." +116048,697478,E PACIFIC,2017,April,Waterspout,"POINT SAINT GEORGE TO CAPE MENDOCINO OUT TO 10 NM",2017-04-12 18:20:00,PST-8,2017-04-12 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.4658,-124.425,40.4658,-124.425,"A cold upper level system brought showers and thunderstorms to the region. This included strong storms that developed over the coastal waters and produced waterspouts. In particular, two waterspouts were photographed about a mile off the coast from Capetown, California in Humboldt County.","Two waterspouts were photographed approximately a mile off the coast near Capetown." +112363,670012,GEORGIA,2017,February,Thunderstorm Wind,"SEMINOLE",2017-02-07 17:55:00,EST-5,2017-02-07 17:55:00,0,0,0,0,15.00K,15000,0.00K,0,31.05,-84.96,31.05,-84.96,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Roof damage occurred to a house on Harrell Moye Road. Damage was estimated." +113508,679507,WISCONSIN,2017,February,Flood,"ADAMS",2017-02-23 08:40:00,CST-6,2017-02-26 08:10:00,0,0,0,0,0.00K,0,0.00K,0,43.8638,-89.9582,43.8654,-89.9542,"Rainfall amounts of a half to one inch on February 20th combined with above normal temperatures, melted much of the remaining snow cover across western Wisconsin. This led to some minor river flooding along portions of the Black, Yellow and Wisconsin Rivers.","Rainfall of a half to one inch, combined with runoff from snowmelt, caused the operators of the Castle Rock Dam to release above normal amounts of water. The flow peaked at 35,183 cubic feet per second (cfs) and flood stage is considered to be 30,000 cfs." +112363,670013,GEORGIA,2017,February,Thunderstorm Wind,"SEMINOLE",2017-02-07 18:00:00,EST-5,2017-02-07 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,31.0211,-84.8272,31.0211,-84.8272,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Several trees and power lines were blown down. Also, a large branch fell onto a car on Hagen-Still Road. Damage was estimated." +112363,670014,GEORGIA,2017,February,Thunderstorm Wind,"DECATUR",2017-02-07 18:25:00,EST-5,2017-02-07 18:25:00,0,0,0,0,0.00K,0,0.00K,0,30.7009,-84.5223,30.7009,-84.5223,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down near Highway 241 near the GA-FL border." +112363,670015,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:37:00,EST-5,2017-02-07 18:37:00,0,0,0,0,1.00K,1000,0.00K,0,30.88,-84.32,30.88,-84.32,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A power pole was broken in the Whigham area." +112363,670016,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:42:00,EST-5,2017-02-07 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,30.92,-84.24,30.92,-84.24,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A power pole was broken in the Hawthorne area." +112363,670017,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:45:00,EST-5,2017-02-07 18:45:00,0,0,0,0,0.00K,0,0.00K,0,30.8041,-84.1894,30.8041,-84.1894,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Four trees were blown down on Lewis Road." +112363,670018,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:45:00,EST-5,2017-02-07 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,30.8664,-84.2104,30.8664,-84.2104,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees and power lines were blown down along Pine Circle SW and 1st Street in Cairo." +112579,672266,PENNSYLVANIA,2017,February,Hail,"YORK",2017-02-25 14:22:00,EST-5,2017-02-25 14:22:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-76.67,39.98,-76.67,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail in Springettsbury Township." +112579,672267,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 14:33:00,EST-5,2017-02-25 14:33:00,0,0,0,0,0.00K,0,0.00K,0,40.06,-76.49,40.06,-76.49,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced penny-sized hail just north of Columbia." +112579,672268,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 14:38:00,EST-5,2017-02-25 14:38:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-76.58,40.08,-76.58,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail near Maytown." +112579,672278,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 14:38:00,EST-5,2017-02-25 14:38:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-76.57,40.1,-76.57,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced penny-sized hail in near Donegal Springs." +112579,672280,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 14:44:00,EST-5,2017-02-25 14:44:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-76.49,40.2,-76.49,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail in in Mastersonville." +112676,672768,VERMONT,2017,February,Winter Weather,"WESTERN WINDHAM",2017-02-07 08:00:00,EST-5,2017-02-08 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow and sleet developed across the region. Snow and sleet became steadier throughout the afternoon hours and continued into the evening. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area. By that time, about 3 to 6 inches of snow and sleet occurred, with the highest amounts across the higher elevations.","" +112676,672769,VERMONT,2017,February,Winter Weather,"EASTERN WINDHAM",2017-02-07 08:00:00,EST-5,2017-02-08 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved from the Midwest towards the Great Lakes during the morning hours on Tuesday, February 7th. As a warm front approached the region, a mixture of snow and sleet developed across the region. Snow and sleet became steadier throughout the afternoon hours and continued into the evening. ||The precipitation tapered off during the early morning hours on Wednesday, February 8th, as the storm's cold front moved across the area. By that time, about 3 to 6 inches of snow and sleet occurred, with the highest amounts across the higher elevations.","" +112456,670465,ARIZONA,2017,February,Heavy Snow,"WHITE MOUNTAINS OF GRAHAM AND GREENLEE COUNTIES",2017-02-18 16:00:00,MST-7,2017-02-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fairly slow moving storm system moved across the region on Presidents day weekend resulting in significant snow in the mountains above 7500 feet.","The higher elevations of Graham and Northern Greenlee County received in excess of 12 of snow based on area reports." +112456,670466,ARIZONA,2017,February,Heavy Snow,"GALIURO AND PINALENO MOUNTAINS",2017-02-18 16:00:00,MST-7,2017-02-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fairly slow moving storm system moved across the region on Presidents day weekend resulting in significant snow in the mountains above 7500 feet.","The higher elevations of the Pinaleno Mountains including Mt. Graham received in excess of 12 of snow." +112456,670467,ARIZONA,2017,February,Heavy Snow,"DRAGOON/MULE/HUACHUCA AND SANTA RITA MOUNTAINS",2017-02-18 16:00:00,MST-7,2017-02-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fairly slow moving storm system moved across the region on Presidents day weekend resulting in significant snow in the mountains above 7500 feet.","The higher elevations of the Huachuca and Santa Rita Mountains received in excess of 12 of snow." +112456,670468,ARIZONA,2017,February,Heavy Snow,"SANTA CATALINA AND RINCON MOUNTAINS",2017-02-18 15:00:00,MST-7,2017-02-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fairly slow moving storm system moved across the region on Presidents day weekend resulting in significant snow in the mountains above 7500 feet.","The higher elevations of Mt. Lemmon received about 12-18 of snow." +112879,674309,KANSAS,2017,February,Hail,"WILSON",2017-02-28 22:34:00,CST-6,2017-02-28 22:35:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-95.7,37.71,-95.7,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","" +112879,674308,KANSAS,2017,February,Hail,"NEOSHO",2017-02-28 22:17:00,CST-6,2017-02-28 22:20:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","The report was received from The Chanute Tribune." +112879,674310,KANSAS,2017,February,Hail,"NEOSHO",2017-02-28 22:44:00,CST-6,2017-02-28 22:47:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","The report was received via Twitter, but there were no reports of damage." +112879,674311,KANSAS,2017,February,Hail,"MONTGOMERY",2017-02-28 22:50:00,CST-6,2017-02-28 22:53:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-95.93,37.01,-95.93,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","This was a delayed report that was relayed by the Coffeyville Police Department." +112879,674312,KANSAS,2017,February,Hail,"MONTGOMERY",2017-02-28 22:52:00,CST-6,2017-02-28 22:53:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-95.93,37.03,-95.93,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","The report was received via Twitter." +112879,674313,KANSAS,2017,February,Hail,"LABETTE",2017-02-28 23:30:00,CST-6,2017-02-28 23:32:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-95.11,37.17,-95.11,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","" +119834,718468,KANSAS,2017,August,Hail,"SHERIDAN",2017-08-10 12:58:00,CST-6,2017-08-10 12:58:00,0,0,0,0,0.00K,0,,NaN,39.234,-100.2303,39.234,-100.2303,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The wind driven hail ranged from baseball to softball in size. A nearby corn field was chopped down to six inches tall." +119834,718469,KANSAS,2017,August,Hail,"GRAHAM",2017-08-10 13:20:00,CST-6,2017-08-10 13:20:00,0,0,0,0,0.00K,0,0.00K,0,39.1884,-100.0879,39.1884,-100.0879,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","" +113439,678865,INDIANA,2017,February,Winter Weather,"WAYNE",2017-02-08 08:00:00,EST-5,2017-02-08 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of snow fell over the region due to a rapidly moving upper level disturbance.","A spotter in Centerville measured an inch of snow." +112239,669299,TENNESSEE,2017,February,Hail,"SCOTT",2017-02-08 17:50:00,EST-5,2017-02-08 17:50:00,0,0,0,0,,NaN,,NaN,36.41,-84.49,36.41,-84.49,"A strong upper level jet and weak instability led to the development of isolated severe convection ahead of a cold front during the early evening hours. A few storms produced large hail in this environment on the Northern Cumberland Plateau.","Quarter size hail was reported at Huntsville." +112239,669300,TENNESSEE,2017,February,Hail,"SCOTT",2017-02-08 17:55:00,EST-5,2017-02-08 17:55:00,0,0,0,0,,NaN,,NaN,36.41,-84.49,36.41,-84.49,"A strong upper level jet and weak instability led to the development of isolated severe convection ahead of a cold front during the early evening hours. A few storms produced large hail in this environment on the Northern Cumberland Plateau.","Half dollar size hail was reported near Huntsville." +112239,669301,TENNESSEE,2017,February,Hail,"CLAIBORNE",2017-02-08 18:55:00,EST-5,2017-02-08 18:55:00,0,0,0,0,,NaN,,NaN,36.46,-83.58,36.46,-83.58,"A strong upper level jet and weak instability led to the development of isolated severe convection ahead of a cold front during the early evening hours. A few storms produced large hail in this environment on the Northern Cumberland Plateau.","Half dollar size hail was reported at Tazewell." +120539,722113,KANSAS,2017,January,Ice Storm,"KINGMAN",2017-01-13 18:00:00,CST-6,2017-01-16 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Significant icing moved across the county during the evening of the 14th and early morning hours of the 15th and continued with light accumulations into the morning of the 16th. Vehicle slide offs were reported as the accumulations across the county ranged from 0.25 to 0.5 inches. Several tree limbs were also reported as broken out of trees. Several power outages were also reported, especially across the western half of the county." +112474,670619,TEXAS,2017,February,Thunderstorm Wind,"SMITH",2017-02-20 03:30:00,CST-6,2017-02-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2268,-95.2256,32.2268,-95.2256,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Power lines were downed in Whitehouse." +112474,670620,TEXAS,2017,February,Thunderstorm Wind,"CHEROKEE",2017-02-20 03:30:00,CST-6,2017-02-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,32.0964,-95.2902,32.0964,-95.2902,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Tress and power lines were downed north of Jacksonville in Northern Cherokee County." +115443,693229,UTAH,2017,June,High Wind,"GRAND FLAT AND ARCHES",2017-06-12 11:30:00,MST-7,2017-06-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak also moved overhead and mixed down to the surface which causing a significant increase in surface wind speeds.","Widespread strong winds occurred mainly in the Grand Flat area. A peak gust to 63 mph was measured at the Bryson Canyon RAWS site, with a 57 mph gust at the Canyonlands Field Airport." +115609,694388,COLORADO,2017,June,Wildfire,"GRAND VALLEY",2017-06-12 14:30:00,MST-7,2017-06-12 18:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of hot and dry conditions resulted in very dry vegetation. As a cold front approached the area, strong winds led to rapid fire growth. Several new wildfires started under these conditions.","A fast moving brush fire swept over and destroyed a home, two sheds and a recreational vehicle in the Pear Park neighborhood near 28 Road and C 3/4 Road, as winds gusted in excess of 50 mph. Many people had to evacuate the area." +113905,682227,IDAHO,2017,February,Winter Storm,"CARIBOU HIGHLANDS",2017-02-22 17:00:00,MST-7,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Snow amounts were 10 inches at Sedgwick Peak, 9 inches at Wildhorse Divide, and 8 inches at Somsen Ranch. The COOP observer in Downey received 5 inches." +115636,694821,COLORADO,2017,June,Thunderstorm Wind,"MESA",2017-06-21 16:15:00,MST-7,2017-06-21 16:35:00,0,0,0,0,0.00K,0,0.00K,0,39.1096,-108.583,39.1096,-108.583,"A high-based thunderstorm produced strong outflow winds that resulted in damage within the Loma area and the northern portions of Grand Junction.","Strong thunderstorm outflow winds broke tree limbs up to 3 inches in diameter in the Wilson Ranch subdivision." +119146,715782,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.13,38.37,-75.13,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.48 inches was measured at Cape Isle of Wight (1 NW)." +119146,715783,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.16,38.37,-75.16,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.43 inches was measured at Ocean Pines." +119146,715784,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 06:18:00,EST-5,2017-07-15 06:18:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-75.69,38.4,-75.69,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.20 inches was measured at Hebron (1 SSW)." +119146,715785,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-15 06:53:00,EST-5,2017-07-15 06:53:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-75.12,38.31,-75.12,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.28 inches was measured at OXB." +119146,715786,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-75.18,38.24,-75.18,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.35 inches was measured at Ironshire (4 SE)." +113905,682228,IDAHO,2017,February,Heavy Snow,"WASATCH MOUNTAINS/IADHO PORTION",2017-02-22 17:00:00,MST-7,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","The Emigrant Summit SNOTEL received 16 inches of snow. The COOP observer in Bern reported 6.5 inches." +113905,682229,IDAHO,2017,February,Heavy Snow,"LOST RIVER / PAHSIMEROI",2017-02-22 17:00:00,MST-7,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another strong winter storm affected mainly southern Idaho with heavy snow totals in the southern highlands and Snake River Plain most affected. One to two feet of snow fell in the southern highlands with interstate 84 closed on the 23rd and 24th from Burley to the Utah border due to drifting. The Pocatello region region received 9 to 16 inches.","Heavy snow fell with 13 inches at the Meadow Lake SNOTEL and 11 inches at the Morgan Creek SNOTEL." +113913,682233,IDAHO,2017,February,Winter Weather,"UPPER SNAKE HIGHLANDS",2017-02-06 10:00:00,MST-7,2017-02-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"US Highway 20 and Idaho 87 closed between Island Park and the Montana border and Highway 87 was also closed between the US Highway 20 junction and the Montana border at 11 am on the 6th. High winds with gusts of 40 to 50 mph caused extensive drifting and blowing snow.","US Highway 20 and Idaho 87 closed between Island Park and the Montana border and Highway 87 was also closed between the US Highway 20 junction and the Montana border at 11 am on the 6th. High winds with gusts of 40 to 50 mph caused extensive drifting and blowing snow." +113915,682239,IDAHO,2017,February,Flood,"BEAR LAKE",2017-02-05 00:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,808.00K,808000,0.00K,0,42.5519,-111.5611,42.23,-111.5955,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","An extensive warmup combined with record snows in December and January caused minor flooding and roof collapses as the weight of heavy snow mixed with rain caused multiple rood collapses. The Geneva School roof collapsed." +113963,682487,IDAHO,2017,February,Avalanche,"SAWTOOTH MOUNTAINS",2017-02-09 04:00:00,MST-7,2017-02-11 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Multiple avalanches closed Idaho Highway 75 from Stanley to Clayton from February 9th to the 11th.","Multiple avalanches closed Idaho Highway 75 from Stanley to Clayton from February 9th to the 11th." +113126,676587,MAINE,2017,February,Heavy Snow,"COASTAL YORK",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113126,676588,MAINE,2017,February,Heavy Snow,"INTERIOR YORK",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113126,676589,MAINE,2017,February,Heavy Snow,"NORTHERN FRANKLIN",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113126,676590,MAINE,2017,February,Heavy Snow,"NORTHERN OXFORD",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113126,676591,MAINE,2017,February,Heavy Snow,"SOUTHERN FRANKLIN",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +112282,669572,VERMONT,2017,February,Winter Storm,"WASHINGTON",2017-02-12 12:00:00,EST-5,2017-02-13 10:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 14 inches of snowfall reported, including 14 inches in Moretown, 12 inches in Waterbury, 11 inches in Worcester and 9 inches in Barre." +112282,669575,VERMONT,2017,February,Winter Storm,"WESTERN ADDISON",2017-02-12 11:00:00,EST-5,2017-02-13 07:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 6 to 10 inches of snowfall reported, including 9 inches in Middlebury." +112282,669576,VERMONT,2017,February,Winter Storm,"WESTERN CHITTENDEN",2017-02-12 11:00:00,EST-5,2017-02-13 07:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 12 inches of snowfall reported, including 13 inches in Colchester and Essex, 12 inches in Milton and NWS office in South Burlington and 9 inches in Williston." +112746,673457,MONTANA,2017,February,Heavy Snow,"EASTERN GLACIER",2017-02-06 09:57:00,MST-7,2017-02-06 09:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific Moisture and westerly upslope flow aloft resulted in periods of snow, heavy at times, along the western aspects of the Coninental Divide. Some of this upslope snow spilled-over to the immediate lee of the Rocky Mountain Front. In addition, a surface ridge of high pressure building southward from the Canadian Prairies was accompanied by moist, stable, and easterly upslope flow in the low-levels east of the Rocky Mountain Front. Accordingly, additional upslope snow, heavy at times, occurred along the Rocky Mountain Front and spread eastward over the plains of Glacier County, including Browning, as the easterly low-level upslope flow was likely blocked. By the time this snowstorm concluded on Feb 7th, some locations along the Rocky Mountain Front had set new four-day snowfall records. Four-day snowfall totals ranged from 10.5 inches at the Cut Bank CoCoRaHS station to a record 64 inches in St. Mary.","Browning emergency manager notified WFO Great Falls that a state of emergency had been declared for all of Glacier County. In Browning, nearly everything in town had been closed, including schools, and most roads were impassable." +112747,673460,MONTANA,2017,February,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-02-09 11:07:00,MST-7,2017-02-09 11:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","MT DOT sensor reported 58 mph gust 2 miles SE of Browning." +112747,673461,MONTANA,2017,February,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-02-10 16:21:00,MST-7,2017-02-10 16:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","MT DOT sensor at Two Medicine Bridge (1 mile ENE of East Glacier Park) measured 77 mph gust." +112747,673462,MONTANA,2017,February,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-02-09 10:15:00,MST-7,2017-02-09 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","Mesonet station 13 miles W of Bynum reported gust of 77 mph." +112747,673464,MONTANA,2017,February,High Wind,"TOOLE",2017-02-10 10:30:00,MST-7,2017-02-10 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","MT DOT sensor in Sunburst reported 63 mph gust." +112747,673465,MONTANA,2017,February,High Wind,"JUDITH BASIN",2017-02-09 14:53:00,MST-7,2017-02-09 14:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","South Fork Judith RAWS (12 miles NNE of Checkerboard, MT) reported gust of 60 mph." +113381,680147,TEXAS,2017,February,Thunderstorm Wind,"LIMESTONE",2017-02-20 02:22:00,CST-6,2017-02-20 02:22:00,0,0,0,0,1.00K,1000,0.00K,0,31.28,-96.65,31.28,-96.65,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Emergency management reported trees down on Hwy 14 between Koss and Bremond." +113381,680148,TEXAS,2017,February,Thunderstorm Wind,"ANDERSON",2017-02-20 02:30:00,CST-6,2017-02-20 02:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.75,-95.63,31.75,-95.63,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Anderson County Sheriff's department reported trees and powerlines down across Anderson County." +113381,680155,TEXAS,2017,February,Thunderstorm Wind,"ROBERTSON",2017-02-20 01:45:00,CST-6,2017-02-20 01:45:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-96.35,31.3,-96.35,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A 60 MPH wind gust was reported at the Lake Limestone RAWS site." +113381,680156,TEXAS,2017,February,Thunderstorm Wind,"ANDERSON",2017-02-20 02:50:00,CST-6,2017-02-20 02:50:00,0,0,0,0,0.00K,0,0.00K,0,31.78,-95.72,31.78,-95.72,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A 68 MPH wind gust was recorded at Columbia Scientific Balloon Facility." +113621,680161,TEXAS,2017,February,Hail,"JOHNSON",2017-02-27 10:22:00,CST-6,2017-02-27 10:22:00,0,0,0,0,0.00K,0,0.00K,0,32.31,-97.22,32.31,-97.22,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","Amateur radio reported quarter sized hail about 6 miles south of Alvarado." +113621,680163,TEXAS,2017,February,Hail,"JOHNSON",2017-02-27 10:35:00,CST-6,2017-02-27 10:35:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-97.12,32.4,-97.12,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A social media report showed half-dollar sized hail along CR 213 south of FM 1807." +113621,680169,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 10:50:00,CST-6,2017-02-27 10:50:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-96.85,32.4,-96.85,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A social media report showed quarter-sized hail north of Hwy 287 and west of I-35, about 5 miles north of Waxahachie." +113621,680170,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 10:55:00,CST-6,2017-02-27 10:55:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-96.85,32.4,-96.85,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A trained spotter reported quarter-sized hail in Waxahachie." +112433,681637,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 17:01:00,PST-8,2017-02-20 19:01:00,0,0,0,0,0.00K,0,0.00K,0,37.4669,-121.9054,37.4667,-121.9063,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","At least two lanes flooded I680N near Scott Creek Rd on ramp." +112433,681647,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 17:13:00,PST-8,2017-02-20 19:13:00,0,0,0,0,0.00K,0,0.00K,0,37.317,-121.9723,37.3169,-121.972,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Water 2.5 feet deep blocking some lanes of I280 near Saratoga Ave off ramp." +112433,681648,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 17:39:00,PST-8,2017-02-20 19:39:00,0,0,0,0,0.00K,0,0.00K,0,37.0563,-121.5944,37.0559,-121.594,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Flooding in all roadway Masten Ave neaer Fitzgerald Ave." +112433,681652,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 17:45:00,PST-8,2017-02-20 19:45:00,0,0,0,0,0.00K,0,0.00K,0,37.2945,-121.9389,37.2942,-121.9387,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Half a foot of water across entire SR17 NB off ramp to Hamilton Ave." +112433,681653,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 17:49:00,PST-8,2017-02-20 19:49:00,0,0,0,0,0.00K,0,0.00K,0,37.9837,-122.0659,37.9838,-122.0664,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Sinkhole forming in 1-3 lanes of SB680 near Pacheco on ramp. Roadway beginning to buckle." +112433,681939,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 17:50:00,PST-8,2017-02-20 19:50:00,0,0,0,0,0.00K,0,0.00K,0,37.6408,-121.8897,37.6405,-121.8894,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Vehicle in water with passengers on top of vehicle awaiting rescue." +112433,681945,CALIFORNIA,2017,February,Flood,"SANTA CRUZ",2017-02-20 18:28:00,PST-8,2017-02-20 20:28:00,0,0,0,0,0.00K,0,0.00K,0,37.189,-122.1431,37.1889,-122.1434,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded. Hillside starting to give way. Tree leaning into northbound lanes. Northbound state road 9 near Stapp Rd." +112433,681947,CALIFORNIA,2017,February,Flood,"SANTA CRUZ",2017-02-20 18:38:00,PST-8,2017-02-20 20:38:00,0,0,0,0,0.00K,0,0.00K,0,37.1458,-121.9847,37.1455,-121.9846,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Large amount of water in roadway of NB SR17 JSO the Summit." +112433,681949,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 18:35:00,PST-8,2017-02-20 20:35:00,0,0,0,0,0.00K,0,0.00K,0,38.184,-121.7685,38.1832,-121.7688,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Lanes flooded of SR12 near McClosky Rd." +112432,683651,CALIFORNIA,2017,February,High Wind,"NORTHERN MONTEREY BAY",2017-02-17 07:10:00,PST-8,2017-02-17 07:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Power lines and pole blown down in roadway Cooper Rd at Nashua Rd." +112432,683652,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-17 07:52:00,PST-8,2017-02-17 08:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Power line and trees in roadway...White Rd." +112432,683654,CALIFORNIA,2017,February,High Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-02-17 07:53:00,PST-8,2017-02-17 08:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree and power lines down in the road...Blackie Rd at HWY 101." +112432,683656,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 08:18:00,PST-8,2017-02-17 08:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree down blocking both lanes of Lewis Rd at San Miguel Cyn Rd." +112432,683657,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 08:58:00,PST-8,2017-02-17 09:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree down blocking northbound lane HWY 1 at Moss Landing Rd." +112432,683659,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO BAY SHORELINE",2017-02-17 09:07:00,PST-8,2017-02-17 09:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree blown down 30 to 40 ft tall over 2 lanes of HWY 280 at San Bruno Ave." +112432,683660,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 11:02:00,PST-8,2017-02-17 11:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Tree down on Canyon Dr." +112432,683661,CALIFORNIA,2017,February,High Wind,"SAN FRANCISCO BAY SHORELINE",2017-02-17 11:04:00,PST-8,2017-02-17 11:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Winds have picked up...mainly from the southeast...over the past hour or so." +112432,683662,CALIFORNIA,2017,February,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-02-17 11:06:00,PST-8,2017-02-17 11:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Medium sized tree fell over, blocking on ramp to Automall Pkwy." +112163,669362,MONTANA,2017,February,Winter Storm,"YELLOWSTONE",2017-02-01 00:00:00,MST-7,2017-02-01 08:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted the central and western portions of the Billings Forecast Area. Heavy snow impacted the mountains and foothills especially. Snowfall of 8-12 inches was common from the Emigrant and Livingston areas to Big Timber, Absarokee, Red Lodge and Fort Smith. Over 20 inches of snow fell in the mountains just southeast of Livingston, as well as across Mystic Lake. The Billings airport reported 7.7 inches, and the 5.6 inches that occurred on January 31st was a daily record. Multiple accidents and slide offs occurred on Interstate 90 from Livingston to the Wyoming state line.","Snowfall of 6 to 7 inches was reported across the Billings area." +112164,669111,WYOMING,2017,February,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-02-01 00:00:00,MST-7,2017-02-01 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted north central Wyoming. Heavy snow impacted the Big Horn Mountains, as well as the Sheridan Foothills. Burgess Junction in the Big Horn Mountains picked up 19 inches of new snow. Two semi trucks jackknifed on Interstate 90 westbound just north of Sheridan near the port of entry. This resulted in a considerable amount of backed up traffic that was unable to exit the interstate.","Burgess Junction Snotel received 15 inches of snow while Dome Lake Snotel reported 12 inches of snow." +112164,668931,WYOMING,2017,February,Winter Storm,"SHERIDAN FOOTHILLS",2017-02-01 00:00:00,MST-7,2017-02-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of winter storms impacted north central Wyoming. Heavy snow impacted the Big Horn Mountains, as well as the Sheridan Foothills. Burgess Junction in the Big Horn Mountains picked up 19 inches of new snow. Two semi trucks jackknifed on Interstate 90 westbound just north of Sheridan near the port of entry. This resulted in a considerable amount of backed up traffic that was unable to exit the interstate.","Snowfall of 6 to 10 inches was reported across the area." +112919,722441,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 17:58:00,CST-6,2017-02-28 17:58:00,0,0,0,0,0.00K,0,0.00K,0,41.5992,-87.9411,41.5992,-87.9411,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Nickel size hail was reported in Homer Glen." +112919,722443,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 18:12:00,CST-6,2017-02-28 18:13:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-87.73,41.67,-87.73,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +112919,722444,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 18:05:00,CST-6,2017-02-28 18:06:00,0,0,0,0,0.00K,0,0.00K,0,41.5069,-88.2047,41.5069,-88.2047,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Quarter size hail was reported near Seil Road and Sarver Drive." +114465,694625,VIRGINIA,2017,April,Flood,"WYTHE",2017-04-24 08:00:00,EST-5,2017-04-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9972,-81.2178,37.0389,-80.9665,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Almost 20 different roads were closed or marked as dangerous across Wythe County." +120150,719874,SOUTH DAKOTA,2017,August,Hail,"HUTCHINSON",2017-08-21 12:06:00,CST-6,2017-08-21 12:06:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-97.52,43.2,-97.52,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +120150,719875,SOUTH DAKOTA,2017,August,Hail,"YANKTON",2017-08-21 12:36:00,CST-6,2017-08-21 12:36:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-97.4,42.89,-97.4,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Heavy rain occurred at the same time." +112691,673692,NEW YORK,2017,February,Winter Weather,"SCHOHARIE",2017-02-09 01:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,673693,NEW YORK,2017,February,Winter Weather,"NORTHERN SARATOGA",2017-02-09 02:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112691,673694,NEW YORK,2017,February,Winter Weather,"NORTHERN WASHINGTON",2017-02-09 03:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112859,678368,NEW JERSEY,2017,March,Winter Storm,"HUNTERDON",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Snowfall ranged from 6 to 18 inches across the county." +112691,673695,NEW YORK,2017,February,Winter Weather,"SOUTHERN WASHINGTON",2017-02-09 03:00:00,EST-5,2017-02-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112839,674705,KANSAS,2017,February,Thunderstorm Wind,"CRAWFORD",2017-02-28 23:45:00,CST-6,2017-02-28 23:45:00,0,0,0,0,5.00K,5000,0.00K,0,37.35,-94.81,37.35,-94.81,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","Several trees and power lines were blown down in the town of Cherokee." +112839,674703,KANSAS,2017,February,Thunderstorm Wind,"CRAWFORD",2017-02-28 22:41:00,CST-6,2017-02-28 22:41:00,0,0,0,0,1.00K,1000,0.00K,0,37.63,-94.83,37.63,-94.83,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","There was damage to a barn roof." +112840,674707,MISSOURI,2017,February,Hail,"BENTON",2017-02-28 11:22:00,CST-6,2017-02-28 11:22:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-93.49,38.32,-93.49,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674709,MISSOURI,2017,February,Hail,"BARRY",2017-02-28 15:33:00,CST-6,2017-02-28 15:33:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.87,36.68,-93.87,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674710,MISSOURI,2017,February,Hail,"DENT",2017-02-28 15:35:00,CST-6,2017-02-28 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-91.69,37.5,-91.69,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +113048,675830,NORTH DAKOTA,2017,February,Hail,"ADAMS",2017-02-21 17:35:00,MST-7,2017-02-21 17:38:00,0,0,0,0,0.00K,0,0.00K,0,46.09,-102.64,46.09,-102.64,"Isolated thunderstorms formed along a stationary front over southwest North Dakota in an environment of modest instability and relatively steep lapse rates. One thunderstorm became severe over Adams County producing one-inch diameter hail. At this time, this would be the earliest date that severe sized hail was reported in North Dakota.","" +112689,672819,PENNSYLVANIA,2017,February,Tornado,"YORK",2017-02-25 15:15:00,EST-5,2017-02-25 15:17:00,0,0,0,0,200.00K,200000,0.00K,0,39.9982,-76.5922,40.0105,-76.5643,"An EF1 tornado touched down in Hellam Township, just southeast of Hallam borough, and tracked east-northeastward for just under two miles, lifting just west of Wrightsville in York County. This spin-up occurred in the middle of more widespread damage caused by a microburst that created a larger swath of damage across east-central York County.","An EF1 tornado was confirmed in Hellam Township, between Hallam and Wrightsville, by a NWS storm survey. Maximum wind speeds were estimated at 90 mph, with a path length of just under two miles and a maximum path width of 100 yards." +113076,676297,WYOMING,2017,February,Winter Storm,"ABSAROKA MOUNTAINS",2017-02-08 13:00:00,MST-7,2017-02-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Heavy snow fell in portions of the Absarokas. The SNOTEL site at Beartooth Lake had 17 inches of new snow." +113900,683008,NEBRASKA,2017,April,Hail,"DOUGLAS",2017-04-19 05:38:00,CST-6,2017-04-19 05:38:00,0,0,0,0,0.00K,0,0.00K,0,41.2923,-96.1815,41.2923,-96.1815,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683009,NEBRASKA,2017,April,Hail,"DOUGLAS",2017-04-19 05:40:00,CST-6,2017-04-19 05:40:00,0,0,0,0,0.00K,0,0.00K,0,41.3065,-96.1784,41.3065,-96.1784,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683010,NEBRASKA,2017,April,Thunderstorm Wind,"SEWARD",2017-04-19 16:07:00,CST-6,2017-04-19 16:07:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-96.93,40.79,-96.93,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","The spotter estimated wind gusts from 50 to 60 mph." +113900,683011,NEBRASKA,2017,April,Hail,"LANCASTER",2017-04-19 16:26:00,CST-6,2017-04-19 16:26:00,0,0,0,0,0.00K,0,0.00K,0,40.8321,-96.6896,40.8321,-96.6896,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113270,677774,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:51:00,EST-5,2017-02-25 18:51:00,0,0,0,0,0.00K,0,0.00K,0,42.66,-73.11,42.66,-73.11,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","The roof of the Bounty Fair Restaurant was damaged by high winds." +113270,677778,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:28:00,EST-5,2017-02-25 18:28:00,0,0,0,0,,NaN,,NaN,42.54,-73.32,42.54,-73.32,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","" +113270,677766,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:39:00,EST-5,2017-02-25 18:39:00,0,0,0,0,,NaN,,NaN,42.47,-73.2,42.47,-73.2,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","A tree was blown over at Cheshire Road near the Allendale Shopping Center." +113270,677769,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:43:00,EST-5,2017-02-25 18:43:00,0,0,0,0,,NaN,,NaN,42.52,-73.23,42.52,-73.23,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","A tree was reported down on South State Road." +114955,692784,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-29 01:26:00,CST-6,2017-04-29 01:26:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-97.58,35.69,-97.58,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692785,OKLAHOMA,2017,April,Hail,"BLAINE",2017-04-29 01:30:00,CST-6,2017-04-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,35.59,-98.54,35.59,-98.54,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Reported via MPing." +112919,722546,ILLINOIS,2017,February,Thunderstorm Wind,"KENDALL",2017-02-28 22:12:00,CST-6,2017-02-28 22:12:00,0,0,0,0,1.00K,1000,0.00K,0,41.4982,-88.5599,41.4982,-88.5599,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Large trees were blown down blocking Roods Road. Power lines were also damaged." +114955,692786,OKLAHOMA,2017,April,Hail,"LOGAN",2017-04-29 01:30:00,CST-6,2017-04-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.6,35.73,-97.6,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692787,OKLAHOMA,2017,April,Thunderstorm Wind,"PAYNE",2017-04-29 01:35:00,CST-6,2017-04-29 01:35:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-97.29,36.15,-97.29,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692788,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-29 01:37:00,CST-6,2017-04-29 01:37:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-97.56,35.68,-97.56,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692783,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 01:25:00,CST-6,2017-04-29 01:25:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-98.48,35.5,-98.48,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692789,OKLAHOMA,2017,April,Hail,"LOGAN",2017-04-29 01:41:00,CST-6,2017-04-29 01:41:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-97.48,35.84,-97.48,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692790,OKLAHOMA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-29 01:43:00,CST-6,2017-04-29 01:43:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-99.29,34.66,-99.29,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692791,OKLAHOMA,2017,April,Hail,"NOBLE",2017-04-29 01:44:00,CST-6,2017-04-29 01:44:00,0,0,0,0,0.00K,0,0.00K,0,36.29,-97.3,36.29,-97.3,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692792,OKLAHOMA,2017,April,Hail,"LOGAN",2017-04-29 01:45:00,CST-6,2017-04-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-97.43,35.84,-97.43,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +113441,678883,KENTUCKY,2017,February,Winter Weather,"BOONE",2017-02-08 08:00:00,EST-5,2017-02-08 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell over the region due to a rapidly moving upper level disturbance passing north of the area.","The CVG airport received 1.4 inches of snow. A social media post from the Francisville area indicated that 1.3 inches fell there." +113441,678884,KENTUCKY,2017,February,Winter Weather,"CAMPBELL",2017-02-08 08:00:00,EST-5,2017-02-08 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell over the region due to a rapidly moving upper level disturbance passing north of the area.","The observer east of Melbourne measured a half inch of snow." +113441,678885,KENTUCKY,2017,February,Winter Weather,"GALLATIN",2017-02-08 08:00:00,EST-5,2017-02-08 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell over the region due to a rapidly moving upper level disturbance passing north of the area.","The observer northwest of Glencoe measured 0.4 inches of snow." +113440,678886,OHIO,2017,February,Winter Storm,"LOGAN",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The observer near Bellefontaine and a social media post from Bellefontaine, as well as a public report from Russells Point all measured 6 inches of snowfall. Another cooperative observer north of Huntsville measured 5.2 inches of snow, with the county garage north of Bellefontaine measuring 5 inches." +113440,678887,OHIO,2017,February,Winter Storm,"SHELBY",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","A spotter north of Sidney measured 7 inches of snow. The CoCoRaHS observer in Fort Loramie measured 6 inches. Another CoCoRaHS observer north of Houston only measured 3.5 inches." +113440,678888,OHIO,2017,February,Winter Weather,"ADAMS",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The observer located 6 miles east of West Union measured 0.8 inches of snowfall." +113440,678889,OHIO,2017,February,Winter Weather,"AUGLAIZE",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage near Wapakoneta measured 4 inches of snowfall." +113440,678890,OHIO,2017,February,Winter Weather,"BUTLER",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","A spotter from Wetherington and a public report from Fairfield measured an inch of snow. The county garage northwest of Maustown measured a half inch of snowfall." +113440,678891,OHIO,2017,February,Winter Weather,"CHAMPAIGN",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The observer south of Kiser Lake State Park measured 1.2 inches of snow, while the county garage west of Urbana measured an inch." +113253,677636,NEW YORK,2017,February,Winter Weather,"EASTERN COLUMBIA",2017-02-12 07:00:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,677661,NEW YORK,2017,February,Winter Weather,"WESTERN COLUMBIA",2017-02-12 07:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113262,678943,NEW YORK,2017,February,Strong Wind,"EASTERN ALBANY",2017-02-25 12:00:00,EST-5,2017-02-25 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. Gusty southerly winds ahead of the front resulted in a few downed trees during the afternoon hours in the Capital District. As the front tracked through the region in the late afternoon and evening, several lines of severe thunderstorms developed, producing high winds and dozens of damage reports. An observer measured a 76 mph gust in Ulster County. In the wake of the thunderstorms, a few additional non-thunderstorm wind damage reports were received as drastically colder air rushed in. The air was so cold behind the cold front that rain turned to heavy thundersnow in portions of the southern Adirondacks, eastern Catskills, Helderbergs, and Lake George Saratoga region.","" +113312,678948,GULF OF MEXICO,2017,February,Waterspout,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:01:00,CST-6,2017-02-14 08:01:00,0,0,0,0,0.00K,0,0.00K,0,27.949,-97.0512,27.949,-97.0512,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Public video of waterspout in Aransas Bay was posted to local media's social media page. The video of waterspout was shot by person on Business 35 at Highway 188 north of Aransas Pass." +113312,678950,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:00:00,CST-6,2017-02-14 08:36:00,0,0,0,0,0.00K,0,0.00K,0,28.0198,-97.0481,28.0165,-97.0395,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","NOS site at Rockport measured a gust to 35 knots." +113312,678952,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 07:54:00,CST-6,2017-02-14 08:36:00,0,0,0,0,0.00K,0,0.00K,0,28.1144,-97.0244,28.1144,-97.0244,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Copano Bay measured a gust to 47 knots." +113312,679133,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:10:00,CST-6,2017-02-14 08:25:00,0,0,0,0,0.00K,0,0.00K,0,28.3044,-96.8233,28.2984,-96.7738,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Aransas Wildlife Refuge RAWS site measured a gust to 45 knots." +112989,675470,MISSISSIPPI,2017,February,Hail,"LEAKE",2017-02-07 15:32:00,CST-6,2017-02-07 16:05:00,0,0,0,0,15.00K,15000,0.00K,0,32.91,-89.52,32.8485,-89.3212,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","A swath of large hail occurred across northern Leake County, including ping pong ball sized hail north of Renfroe and golfball size hail around Singleton." +112989,675472,MISSISSIPPI,2017,February,Hail,"SCOTT",2017-02-07 15:56:00,CST-6,2017-02-07 16:26:00,0,0,0,0,30.00K,30000,0.00K,0,32.49,-89.49,32.3464,-89.3278,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","A swath of large hail fell across the central and eastern parts of the county. This included two inch hail in Lake, ping pong ball sized near Hillsboro and quarter size in Harperville." +112989,678882,MISSISSIPPI,2017,February,Hail,"MADISON",2017-02-07 13:20:00,CST-6,2017-02-07 13:25:00,0,0,0,0,0.00K,0,0.00K,0,32.4185,-90.1013,32.4185,-90.1013,"Showers and thunderstorms developed as a low pressure system moved through the area. Cold temperatures in the upper atmosphere set the stage for these storms to produce large hail. More robust storms and tornadoes occurred south of the area around New Orleans where a more significant event unfolded. During the afternoon, two tornadoes did occur in Central Mississippi, which actually tracked to the southeast. What was unusual for this event, the majority of the storms moved southeast, which is rare for February.","Nickel sized hail fell for about 5 minutes and covered the ground." +113025,675584,IOWA,2017,February,Blizzard,"POCAHONTAS",2017-02-24 00:00:00,CST-6,2017-02-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113531,679608,KENTUCKY,2017,February,Dense Fog,"CALLOWAY",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679609,KENTUCKY,2017,February,Dense Fog,"CARLISLE",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679611,KENTUCKY,2017,February,Dense Fog,"CRITTENDEN",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679613,KENTUCKY,2017,February,Dense Fog,"FULTON",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679614,KENTUCKY,2017,February,Dense Fog,"GRAVES",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679616,KENTUCKY,2017,February,Dense Fog,"HICKMAN",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679618,KENTUCKY,2017,February,Dense Fog,"LIVINGSTON",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113558,680565,OKLAHOMA,2017,February,Drought,"LINCOLN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680566,OKLAHOMA,2017,February,Drought,"CLEVELAND",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680567,OKLAHOMA,2017,February,Drought,"MCCLAIN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680568,OKLAHOMA,2017,February,Drought,"POTTAWATOMIE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680569,OKLAHOMA,2017,February,Drought,"SEMINOLE",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680570,OKLAHOMA,2017,February,Drought,"ATOKA",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680571,OKLAHOMA,2017,February,Drought,"BRYAN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +113558,680572,OKLAHOMA,2017,February,Drought,"COAL",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of significant rainfall, severe drought conditions persisted over central Oklahoma and northwest Oklahoma through the month of February. Southeast Oklahoma saw some improvement as severe drought retreated and extreme drought was eliminated.","" +112810,674534,TEXAS,2017,February,Tornado,"HAYS",2017-02-19 23:26:00,CST-6,2017-02-19 23:35:00,0,0,0,0,,NaN,0.00K,0,29.9156,-98.048,29.9636,-97.8986,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","The tornado began at the intersection of RR12 and Hugo Rd. where some trees were snapped and a small business had considerable structural damage (DI MBS, DOD 5). The tornado traveled northeastward and likely traversed a large area of land that was inaccessible until reaching Hilliard Rd. and a neighborhood along Thousand Oaks Loop. There was a wide area of considerable tree damage, including a tree uprooted and dropped onto a vehicle (DI TH, DOD 4). The tornado then turned to the north-northeast and crossed the Blanco River before ending near the Kyle Cemetery on Old Stagecoach Rd. At this point, damage became much less significant and sporadic moving to the east toward I-35. There is no estimate of monetary damages." +112810,674533,TEXAS,2017,February,Tornado,"GUADALUPE",2017-02-19 23:16:00,CST-6,2017-02-19 23:18:00,0,0,0,0,,NaN,0.00K,0,29.4605,-97.9487,29.4626,-97.9458,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","This short-lived tornado occurred about 7 miles south of Seguin along Hwy 123. This tornado overturned several recreational vehicles, damaged several sheds and outbuildings, and damaged the roof of a house (DI FR12, DOD 2). There is no estimate of monetary damages." +112810,674535,TEXAS,2017,February,Tornado,"HAYS",2017-02-19 23:48:00,CST-6,2017-02-19 23:49:00,0,0,0,0,,NaN,0.00K,0,30.0361,-97.7415,30.0434,-97.7362,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado developed northwest of Niederwald. Damage in this area included a destroyed aluminum barn structure (DI SBO, DOD 6), car port damage, and a few trees with large limbs snapped. As the tornado moved to the northeast it crossed into Travis County approximately 1.7 miles north-northwest of Niederwald. It continued for another 2.4 miles into the Mustang Ridge area. There is no estimate of monetary damages." +112810,674536,TEXAS,2017,February,Tornado,"TRAVIS",2017-02-19 23:49:00,CST-6,2017-02-19 23:51:00,0,0,0,0,,NaN,0.00K,0,30.0434,-97.7362,30.0613,-97.7046,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","A tornado developed northwest of Niederwald and moved to the northeast into Travis County approximately 1.5 miles north of Niederwald. It continued to the northeast for 1.4 miles and then turned to the east for another mile into the Mustang Ridge area for a total track length in Travis County of 2.4 miles. Multiple mobile homes in the Mustang Ridge area had significant roof damage rated as EF0 damage (DI MHSW, DOD 4). The tornado likely lifted as it approached Hwy 130. There is no estimate of monetary damages." +120818,727477,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:34:00,EST-5,2017-11-05 16:38:00,0,0,0,0,500.00K,500000,0.00K,0,41.1055,-83.2084,41.0121,-83.1102,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds estimated to be as much as 70 mph caused considerable damage on the south side of Tiffin and also across Seneca and Eden Townships to the south of the city. Hundreds of trees and large limbs were downed across the area along with many utility poles. In Tiffin, homes were reported damaged on Melmore Street, Mohawk Street, Longfellow Drive and Coe Streets. 55 trees were toppled or uprooted in Greenlawn Cemetary on the southeast side of Tiffin. Several barns were damaged in Seneca and Eden Townships. The damage was most concentrated along County Road 19 and Township Road 159 south of Melmore. Several roads and streets were blocked by fallen trees and widespread power outages were reported throughout the Tiffin area." +114080,683133,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 15:07:00,MST-7,2017-04-12 15:12:00,0,0,0,0,,NaN,,NaN,32.5993,-104.4065,32.5993,-104.4065,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","" +115236,702283,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-15 18:16:00,CST-6,2017-05-15 18:16:00,0,0,0,0,30.00K,30000,0.00K,0,43.0411,-91.47,43.0411,-91.47,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Near Luana, the winds lifted up a barn and dropped it several feet away. Some cattle were trapped inside the destroyed barn." +114231,684346,WYOMING,2017,April,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-04-09 06:00:00,MST-7,2017-04-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","Heavy snow fell over the east slope of the Bighorn range. The highest amount recorded was 19 inches at the Cloud Peak SNOTEL." +114231,684347,WYOMING,2017,April,Winter Storm,"WIND RIVER BASIN",2017-04-09 06:00:00,MST-7,2017-04-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","A narrow but intensive convective snow band developed over central Fremont County. Snow fell at rates of 2 inches an hour at times with wind gusts close to 60 mph at times. A NWS Employee measured 8 inches of snow about 5 miles NW of the Riverton airport with 6.2 inches of new snow in the city of Riverton. Amounts decreased rapidly outside of the band with generally 2 inches or less elsewhere." +114232,684349,WYOMING,2017,April,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-04-21 03:00:00,MST-7,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northeastward across Wyoming produced heavy snow along the eastern slopes of the Bighorn range as low level flow turned upslope. The highest snowfall total reported was 16 inches at the Hansen Sawmill SNOTEL site.","Heavy snow fell along the eastern slopes of the Bighorn range. Some of the highest snowfall totals included 16 inches at the Hansen Sawmill SNOTEL and 15 inches at the Soldier Park SNOTEL." +112993,675268,NORTH DAKOTA,2017,January,High Wind,"WILLIAMS",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Tioga AWOS reported sustained winds of 41 mph." +115318,692357,GEORGIA,2017,April,Thunderstorm Wind,"CAMDEN",2017-04-06 01:15:00,EST-5,2017-04-06 01:15:00,0,0,0,0,0.00K,0,0.00K,0,30.7259,-81.5456,30.7259,-81.5456,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A tree was blown down in St. Marys along Ready Street." +115318,692359,GEORGIA,2017,April,Thunderstorm Wind,"BRANTLEY",2017-04-06 01:25:00,EST-5,2017-04-06 01:25:00,0,0,0,0,0.50K,500,0.00K,0,31.23,-81.79,31.23,-81.79,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","Wind gusts of 35-40 mph were estimated and caused some power line damage which caused outages in Waynesville. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +115317,692353,FLORIDA,2017,April,Thunderstorm Wind,"SUWANNEE",2017-04-05 23:26:00,EST-5,2017-04-05 23:26:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-83.04,30.37,-83.04,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A tree was blown down across County Road 249." +115319,692361,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-04-06 01:18:00,EST-5,2017-04-06 01:18:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-81.45,30.66,-81.45,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","The NOS station at Fernandina Beach measured a wind gust of 44 mph." +115322,692366,FLORIDA,2017,April,Wildfire,"CLAY",2017-04-08 15:00:00,EST-5,2017-04-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long term drought and above normal warm temperatures fueled wildfire growth.","A wildfire started near Leno Road and Highway 17 on April 8th. The fire grew to 75 acres. Highway 17 was closed in the area at one point and one structure was damage. Fire crews were able to have the fire 100% contained by that evening." +115324,692368,FLORIDA,2017,April,Funnel Cloud,"FLAGLER",2017-04-10 06:10:00,EST-5,2017-04-10 06:10:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-81.13,29.47,-81.13,"A fair weather funnel cloud formed under developing cumulus clouds.","Small fair weather funnel clouds formed near Flagler Beach." +115325,692369,FLORIDA,2017,April,Wildfire,"CLAY",2017-04-11 14:43:00,EST-5,2017-04-11 22:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long term drought and above normal warm temperatures fueled wildfire growth.","A wildfire formed near Decoy Road in Clay county. The location along County Road 209 south and Decoy Road was near train tracks, and the source of the fire may have been from sparks from the train. The fire grew rapidly from 5 acres to 225 acres that afternoon. By the evening, fire crews had the fire 80% contained." +114223,684231,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-14 12:19:00,HST-10,2017-04-14 14:36:00,0,0,0,0,0.00K,0,0.00K,0,21.4461,-158.1812,21.3506,-157.9136,"An upper trough west of the islands induced heavy showers over Kauai, Oahu, and the Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +114224,684232,HAWAII,2017,April,Heavy Rain,"HAWAII",2017-04-18 20:08:00,HST-10,2017-04-18 22:50:00,0,0,0,0,0.00K,0,0.00K,0,20.2238,-155.8411,19.9038,-155.8191,"An area of low-level moisture in the vicinity of the Big Island helped sustain heavy showers over leeward sections of the isle. The rain produced ponding on roadways, and small stream and drainage ditch flooding. There were no reports of significant injuries or property damage.","" +114226,684234,HAWAII,2017,April,High Surf,"NIIHAU",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684235,HAWAII,2017,April,High Surf,"KAUAI WINDWARD",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684236,HAWAII,2017,April,High Surf,"KAUAI LEEWARD",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684237,HAWAII,2017,April,High Surf,"WAIANAE COAST",2017-04-21 03:00:00,HST-10,2017-04-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684238,HAWAII,2017,April,High Surf,"OAHU NORTH SHORE",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684239,HAWAII,2017,April,High Surf,"OAHU KOOLAU",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +112137,669028,SOUTH DAKOTA,2017,January,Winter Storm,"SOUTHERN MEADE CO PLAINS",2017-01-24 06:00:00,MST-7,2017-01-25 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112137,669029,SOUTH DAKOTA,2017,January,Winter Weather,"HERMOSA FOOTHILLS",2017-01-24 04:00:00,MST-7,2017-01-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system brought snow to much of western and south central South Dakota. The heaviest snow fell across southern South Dakota, especially south central South Dakota. Snowfall amounts of eight to 15 inches were reported from Oglala Lakota County eastward to Tripp County. Snowfall over the Black Hills area ranged from three to eight inches. Across northwestern South Dakota, snowfall amounts were generally two inches or less. Breezy winds produced some blowing and drifting snow across the plains.","" +112138,669031,WYOMING,2017,January,Winter Weather,"NORTHERN CAMPBELL",2017-01-24 03:00:00,MST-7,2017-01-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across the Central Plains, producing snowfall over northeastern Wyoming. Snowfall amounts of two to five inches were reported across much of the area, with five to ten inches of snow over portions of the Wyoming Black Hills.","" +112138,669032,WYOMING,2017,January,Winter Weather,"SOUTH CAMPBELL",2017-01-24 03:00:00,MST-7,2017-01-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across the Central Plains, producing snowfall over northeastern Wyoming. Snowfall amounts of two to five inches were reported across much of the area, with five to ten inches of snow over portions of the Wyoming Black Hills.","" +112138,669033,WYOMING,2017,January,Winter Weather,"WESTERN CROOK",2017-01-24 03:00:00,MST-7,2017-01-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across the Central Plains, producing snowfall over northeastern Wyoming. Snowfall amounts of two to five inches were reported across much of the area, with five to ten inches of snow over portions of the Wyoming Black Hills.","" +112138,669035,WYOMING,2017,January,Winter Storm,"WYOMING BLACK HILLS",2017-01-24 04:00:00,MST-7,2017-01-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across the Central Plains, producing snowfall over northeastern Wyoming. Snowfall amounts of two to five inches were reported across much of the area, with five to ten inches of snow over portions of the Wyoming Black Hills.","" +112138,669036,WYOMING,2017,January,Winter Weather,"WESTON",2017-01-24 03:00:00,MST-7,2017-01-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved across the Central Plains, producing snowfall over northeastern Wyoming. Snowfall amounts of two to five inches were reported across much of the area, with five to ten inches of snow over portions of the Wyoming Black Hills.","" +113409,678621,KENTUCKY,2017,April,Thunderstorm Wind,"BATH",2017-04-05 19:54:00,EST-5,2017-04-05 19:55:00,0,0,0,0,,NaN,,NaN,38.1003,-83.6961,38.1219,-83.6176,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Dispatch reported numerous trees and power lines down from Olympia on Kentucky Highway 36 to Salt Lick along U.S. Highway 60." +113409,678623,KENTUCKY,2017,April,Thunderstorm Wind,"MENIFEE",2017-04-05 20:00:00,EST-5,2017-04-05 20:12:00,0,0,0,0,,NaN,,NaN,37.9191,-83.7349,37.9211,-83.63,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Department of Highways officials relayed reports of numerous trees down from southeast of Means on Hawkins Branch Road to south of Frenchburg." +112141,668785,MINNESOTA,2017,January,Heavy Snow,"KOOCHICHING",2017-01-02 05:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Open but potent shortwave trough ejected into the northern plains and Upper Midwest the morning of January 2nd and resulted in a period of moderate to heavy snow in parts of northern Minnesota. The heaviest snow fell north of the Iron Range and along the north shore of Lake Superior. Most of these areas received 8 to 10 inches of snow, but there was a report of about 13 inches near Kabetogama, MN.","Spotter near Indus, MN reported heavy snow measuring 10.3 inches." +112141,668786,MINNESOTA,2017,January,Heavy Snow,"NORTHERN ST. LOUIS",2017-01-02 05:30:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Open but potent shortwave trough ejected into the northern plains and Upper Midwest the morning of January 2nd and resulted in a period of moderate to heavy snow in parts of northern Minnesota. The heaviest snow fell north of the Iron Range and along the north shore of Lake Superior. Most of these areas received 8 to 10 inches of snow, but there was a report of about 13 inches near Kabetogama, MN.","COOP observer reported in their morning observation on January 3rd that 9.2 inches of snow fell in the previous twenty four hours. The final snowfall total would be 13.1 inches reported at 6:28 PM later that evening." +112141,668788,MINNESOTA,2017,January,Heavy Snow,"NORTHERN COOK / NORTHERN LAKE",2017-01-02 05:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Open but potent shortwave trough ejected into the northern plains and Upper Midwest the morning of January 2nd and resulted in a period of moderate to heavy snow in parts of northern Minnesota. The heaviest snow fell north of the Iron Range and along the north shore of Lake Superior. Most of these areas received 8 to 10 inches of snow, but there was a report of about 13 inches near Kabetogama, MN.","COOP observer in Silver Bay, MN measured 10.1 inches of snow for the previous twenty four hours." +114178,683850,CALIFORNIA,2017,April,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-04-27 14:55:00,PST-8,2017-04-27 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northerly winds developed across the mountains of Los Angeles county. Wind gusts up to 60 MPH were reported.","The RAWS sensor at Camp Nine reported north winds gusting to 60 MPH." +115678,695167,NEW MEXICO,2017,April,Hail,"OTERO",2017-04-12 11:11:00,MST-7,2017-04-12 11:11:00,0,0,0,0,0.00K,0,0.00K,0,33.0335,-106.0201,33.0335,-106.0201,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms and slow moving storms caused some localized flash flooding.","Hail damage was reported to vehicle windshields on Highway 54 around mile marker 76." +115678,695168,NEW MEXICO,2017,April,Hail,"OTERO",2017-04-12 16:48:00,MST-7,2017-04-12 16:48:00,0,0,0,0,0.00K,0,0.00K,0,32.8,-105.9522,32.8,-105.9522,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms and slow moving storms caused some localized flash flooding.","" +115678,695169,NEW MEXICO,2017,April,Hail,"OTERO",2017-04-12 17:40:00,MST-7,2017-04-12 17:40:00,0,0,0,0,0.00K,0,0.00K,0,32.9051,-105.9453,32.9051,-105.9453,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms and slow moving storms caused some localized flash flooding.","" +115678,695171,NEW MEXICO,2017,April,Flash Flood,"OTERO",2017-04-12 12:00:00,MST-7,2017-04-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.1044,-106.0444,33.0398,-106.0332,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms and slow moving storms caused some localized flash flooding.","Submerged vehicle reported in low water crossing just northwest of Tularosa on Railroad Avenue in a low water crossing." +115680,695173,TEXAS,2017,April,Hail,"HUDSPETH",2017-04-12 14:38:00,MST-7,2017-04-12 14:40:00,0,0,0,0,0.00K,0,0.00K,0,31.2041,-105.5058,31.2041,-105.5058,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms with large hail around Sierra Blanca.","" +115684,695179,NEW MEXICO,2017,April,High Wind,"SOUTHERN TULAROSA BASIN",2017-04-25 12:30:00,MST-7,2017-04-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A closed upper low was moving across the Colorado Rockies with a 100 knot upper jet approaching the Borderland brought wind gusts up to 87 mph to the region.","A peak gust of 87 mph was reported at San Augustin Pass. Other peak gusts included 61 mph one mile southeast of White Sands Missile Range Main Post and 60 mph five miles northeast of San Augustin Pass." +115686,695181,TEXAS,2017,April,High Wind,"EASTERN/CENTRAL EL PASO COUNTY",2017-04-25 12:00:00,MST-7,2017-04-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A closed upper low was moving across the Colorado Rockies with a 100 knot upper jet approaching the Borderland brought wind gusts up to 60 mph to the region.","A peak gust of 60 mph was reported 5 miles northeast of downtown El Paso." +113161,676893,WASHINGTON,2017,January,Ice Storm,"MOSES LAKE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a quarter inch of ice accumulation at Moses Lake." +113161,676896,WASHINGTON,2017,January,Ice Storm,"MOSES LAKE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a half inch of ice accumulation at Soap Lake." +113161,676898,WASHINGTON,2017,January,Ice Storm,"MOSES LAKE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a six tenths of an inch of ice accumulation at Ephrata." +112625,672313,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","A member of the public reported 5.5 inches of new snow accumulation near Valley." +112625,672315,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","Four inches of new snow accumulation was reported at Deer Park." +112625,672314,WASHINGTON,2017,January,Heavy Snow,"NORTHEAST MOUNTAINS",2017-01-01 01:00:00,PST-8,2017-01-01 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","A member of the public reported 5.5 inches of new snow accumulation near Usk." +111830,667003,NEW JERSEY,2017,January,Coastal Flood,"WESTERN OCEAN",2017-01-24 03:50:00,EST-5,2017-01-24 05:54:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure over North Carolina on the 23rd strengthened and moved northeast to a location just off the New Jersey Coastline on the morning of the 24th. With a very tight pressure gradient, winds increased ahead of the storm reaching in excess of 50 mph that led to some damage reports. A few periods of heavy rainfall occurred. Excessive rainfall close to 2 inches was focused in sections of Northern and Eastern New Jersey. The storm also brought a strong onshore flow which resulted in minor to moderate tidal flooding for the high tide cycles on the 23rd and 24th. Minor tidal flooding occurred with the tidal cycles on the 23rd and the morning cycle on the 24th with a few reports of moderate tidal flooding on the 24th. Minor tidal flooding on the afternoon of the 23rd closed a lane on the George Redding bridge. Considerable beach erosion occurred during the event as well across all of New Jersey coastal counties, including a 70 percent loss of the dunes near the Matoloking and Harvey Ceders beaches. It was also cold enough for a mixture of snow, sleet and freezing rain in the highest elevations in the northwest portion of the state. With road temperatures in the low 30's, some slick conditions were encountered with school delays as a result. Snow and sleet accumulations ranged from a couple tenths of an inch near Randolph Twp to almost three inches at Highland lakes. ice accumulation of three tenths was measured in Vernon. In addition, the Cape May Lewes ferry was closed for the day. Power outages from the storm were estimated at around 20,000. Numerous schools either dismissed early on the 23rd or had a delay/closing on the 24th. Ocean city, Wildwood schools were closed on the 24th. NJ Transit services were interrupted both days.","Several inches of water came up with the morning high tide into Ocean City which flooded some roads. Numerous roads flooded throughout county including route 72 between GSP and Long Beach Island." +120818,727492,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:25:00,EST-5,2017-11-05 16:25:00,0,0,0,0,75.00K,75000,0.00K,0,41.1289,-83.3337,41.1289,-83.3337,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds estimated at 70 mph caused major damage to home on Township Road 87 east southeast of Fostoria. A garage at a property nearby was also heavily damaged." +120818,727493,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:49:00,EST-5,2017-11-05 16:49:00,0,0,0,0,50.00K,50000,0.00K,0,41.0411,-82.88,41.0411,-82.88,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds snapped four utility poles south of Attica along State Route 4." +113055,675909,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 15:00:00,PST-8,2017-01-20 19:00:00,0,0,0,0,15.00K,15000,0.00K,0,32.889,-117.1944,32.8924,-117.1973,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Rapid water rises after 1500PST flooded parts of Carroll Canyon Rd with 1-2 ft of rushing water. The flow carried dumpsters and debris. Three people were trapped in their vehicle that stalled as the water rose rapidly, resulting in multiple swift water rescues around 1530PST." +113055,675913,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 15:30:00,PST-8,2017-01-20 21:30:00,0,0,0,0,100.00K,100000,0.00K,0,32.7879,-117.1002,32.7633,-117.1988,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Multiple low water crossings were closed due to rapid rises in the San Diego River, including Camino Del Rio and Ward Rd. Several cars were submerged by the rapidly rising waters. The Fashion Valley Transit Center was closed due to flooding. The river peaked at 0215PST on the 21st with a crest of 11.81 ft." +115815,696021,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-04 11:00:00,EST-5,2017-04-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,28.8,-80.74,28.8,-80.74,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","USAF wind tower 0022 at the Kennedy Space Center measured a peak gust of 38 knots from the northeast as a cluster of strong thunderstorms north of the site dropped southward along the coast and adjacent Atlantic waters." +115815,696024,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-04-04 11:00:00,EST-5,2017-04-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,28.63,-80.62,28.63,-80.62,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","USAF wind tower 0397 at the Kennedy Space Center measured a peak gust of 35 knots from the northeast as a cluster of strong thunderstorms north of the site dropped southward along the coast and adjacent Atlantic waters." +115815,696027,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-04 15:14:00,EST-5,2017-04-04 15:14:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","USAF wind tower 1007 at the Kennedy Space Center measured a peak gust of 40 knots from the northeast an outflow boundary associated with strong thunderstorms to the north reached the site." +115815,696032,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-04 14:46:00,EST-5,2017-04-04 14:46:00,0,0,0,0,0.00K,0,0.00K,0,28.101,-80.612,28.101,-80.612,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","The Melbourne Airport ASOS (KMLB) recorded wind gusts to 37 knots as the core of an intense thunderstorm passed offshore just to the northeast." +113213,677324,TENNESSEE,2017,January,Winter Weather,"CANNON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A Facebook report showed a measurement of 1.75 inches of snow in Woodbury." +115816,696041,FLORIDA,2017,April,Hail,"SEMINOLE",2017-04-04 13:13:00,EST-5,2017-04-04 13:13:00,0,0,0,0,0.00K,0,0.00K,0,28.69,-81.41,28.69,-81.41,"A long-lived severe thunderstorm traveled east-southeast across Seminole County and into far northeast Orange County while producing quarter-sized hail. Numerous hail reports were received from residents from Altamonte Spring to Caselberry to Bithlo.","A citizen near the intersection of SR434 and Wekiva Springs Road reported quarter sized hail. A few minutes later, a weather spotter nearby observed hail lasting four minutes with a maximum size of one inch." +113003,678068,ARKANSAS,2017,January,Winter Weather,"BRADLEY",2017-01-06 15:30:00,CST-6,2017-01-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","A trace of snow fell across Bradley county." +113003,678072,ARKANSAS,2017,January,Winter Weather,"SHARP",2017-01-06 03:30:00,CST-6,2017-01-06 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A system with limited moisture moved across the state and brought one to 3.5 inches of snow to the state on January 6, 2017. The first major wave moved across Arkansas just after midnight and exited the CWA around sunrise. The second wave entered west central Arkansas around noon and exited southeast Arkansas by the early evening hours.","Snowfall amounts of up to an inch fell across Sharp county." +115698,695230,LOUISIANA,2017,April,Hail,"BEAUREGARD",2017-04-26 18:28:00,CST-6,2017-04-26 18:28:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-93.44,30.53,-93.44,"Severe weather occurred in Southeast Texas along an advancing cold front, however most activity dissipated before moving into Louisiana. One storm held together and moved into Beauregard Parish where large hail was produced.","" +112883,674482,MINNESOTA,2017,March,Winter Storm,"WATONWAN",2017-03-12 09:30:00,CST-6,2017-03-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 9 to 11 inches of snow across Watonwan county Sunday morning, through early Monday morning. Totals include 11.3 inches in Madelia and 9.5 inches in St. James." +112775,673754,MINNESOTA,2017,March,Hail,"REDWOOD",2017-03-06 15:40:00,CST-6,2017-03-06 15:40:00,0,0,0,0,0.00K,0,0.00K,0,44.54,-95.11,44.54,-95.11,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673755,MINNESOTA,2017,March,Hail,"REDWOOD",2017-03-06 15:35:00,CST-6,2017-03-06 15:35:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-95.25,44.4,-95.25,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +115859,696288,NEBRASKA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-09 15:15:00,CST-6,2017-04-09 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-100.73,40.75,-100.73,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Estimated wind gust of 60 MPH by a trained spotter." +115859,696291,NEBRASKA,2017,April,Thunderstorm Wind,"FRONTIER",2017-04-09 15:25:00,CST-6,2017-04-09 15:25:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-100.65,40.53,-100.65,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Wind gusts estimated at 60 MPH along the leading edge of a line of thunderstorms." +115859,696292,NEBRASKA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-09 15:30:00,CST-6,2017-04-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-100.8,40.8,-100.8,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Wind speeds up to 60 MPH reported at this location." +113347,678229,MISSOURI,2017,January,Ice Storm,"MONROE",2017-01-14 18:00:00,CST-6,2017-01-15 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678230,MISSOURI,2017,January,Ice Storm,"MARION",2017-01-14 18:00:00,CST-6,2017-01-15 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113347,678231,MISSOURI,2017,January,Ice Storm,"RALLS",2017-01-14 18:00:00,CST-6,2017-01-15 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of Northeast, East Central and Southeast Missouri on Martin Luther King Weekend. The areas hardest hit were across Washington, Jefferson and the northern half of St. Francois County. Numerous power outages were reported with almost the entire town of DeSoto, MO being without power for several hours. There were also transportation issues, however they were minimized due to almost all schools and businesses closing on Friday, the first day of the event.","" +113345,678212,ILLINOIS,2017,January,Ice Storm,"ST. CLAIR",2017-01-13 07:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678213,ILLINOIS,2017,January,Ice Storm,"MADISON",2017-01-13 07:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678214,ILLINOIS,2017,January,Ice Storm,"MONROE",2017-01-13 07:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678215,ILLINOIS,2017,January,Ice Storm,"RANDOLPH",2017-01-13 07:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +112755,678684,MISSISSIPPI,2017,January,Sleet,"LAUDERDALE",2017-01-06 09:00:00,CST-6,2017-01-06 20:45:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet and snow accumulated on Bridges, overpasses and other elevated surfaces across the county. Light accumulations of ice were also reported which brought down a couple of trees." +113415,678679,LOUISIANA,2017,January,Sleet,"FRANKLIN",2017-01-06 05:30:00,CST-6,2017-01-06 16:45:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell near Winnsboro." +113415,678680,LOUISIANA,2017,January,Sleet,"TENSAS",2017-01-06 06:00:00,CST-6,2017-01-06 17:15:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell near St Joseph." +113415,678681,LOUISIANA,2017,January,Sleet,"CATAHOULA",2017-01-06 05:30:00,CST-6,2017-01-06 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell near Sicily Island. Multiple vehicle accidents were also reported across the county." +113415,678682,LOUISIANA,2017,January,Sleet,"CONCORDIA",2017-01-06 05:30:00,CST-6,2017-01-06 18:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The highest accumulations fell near Ferriday." +113415,678688,LOUISIANA,2017,January,Sleet,"MADISON",2017-01-06 06:00:00,CST-6,2017-01-06 17:15:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex weather pattern eventually evolved into a widespread winter weather event across the area on January 6th, 2017. Strong surface high, near 1030mb, was building into the central and southern Plains. Tuesday, January 2nd, 2017 was much warmer being in the 70s with severe weather and tornadoes, while in the wake over the two days after on Wednesday and Thursday, strong surface high pressure with much cooler air gradually filtered in. The strongest push of strong high pressure and colder air began to move in Friday morning.||A sharp contrast in temperatures existed across the area from the lower Mississippi Valley into the Gulf of Mexico as a stalled frontal boundary stayed situated along the coast. This helped the cold air stay locked in place over the area, with temperatures near freezing Friday morning. In addition, a strong upper level disturbance was helping to promote lift and an area of snowfall moving through Oklahoma/Arkansas region by early Friday morning. This area mostly stayed just to the north of the region. Along and over top of the shallow arctic airmass, as the upper disturbance approached, moisture began to overrun the cold air below by early Friday morning. This moisture gradually overran the entire region by mid-morning. The atmosphere contained a deep melting layer, that as a snowfall fell, it completely melted. However, there was enough of a layer below that near the ground that helped to refreeze most of the precipitation to fall in the form of sleet and freezing rain. Sleet began to fall by early morning over northeast Louisiana by early Friday morning and spreading to the north and east into most of the ArkLaMiss by mid morning to late afternoon. There were some cases of some shallow instability present for some thunder to occur with the sleet.||The main disturbance and lift occurred in the mid-late afternoon and heaviest sleet production occurred during that time, right around rush hour. To make matters worse, temperatures were hovering in the low 30s to upper 20s while precipitation was falling. Overall, with such cold temperatures throughout the afternoon, there was significant sleet accumulation, especially from Franklin Parish in Louisiana, southeast towards Adams County in Louisiana, over to Warren County in Mississippi, throughout the Jackson Metro area and east along I-20 towards Lauderdale County and as far north as Noxubee County. Heavy sleet occurred throughout this region, with some areas approaching a 1/2 to 1 inch of sleet. Some areas in east-northeast Mississippi had enough precipitation with temperatures cooling in the atmosphere to briefly change over to snow as well, near Meridian and east-northeast Mississippi. Most areas in southeast Mississippi were slower to change over to mixed precipitation until later in the event. With cold ground and road temperatures, significant icing and accumulation began across the roadways throughout portions of northeast Louisiana, central, east and northeast Mississippi, especially along the Interstate 20 corridor. This led to significant icing on roadways and bridges, leading to icy roadways and major traffic issues. Many accidents occurred across the region, leading to some major thoroughfares being shut down, at least temporarily, especially for portions of Interstate 55, Interstate 20 and other roadways. This led to many area residents encountering slow downs in traffic and some being stuck for many hours on the roadways. In addition, the Jackson International Airport had to be shut down due to icy runways. The disturbance gradually moved east late evening, helping the precipitation to taper off and move out by late evening, around 9-10PM.||The strong surface high built and strengthened near 1040mb, leading to much colder air filtering in overnight and through the weekend. This led to hard freeze conditions with highs struggling to reach the freezing mark, especially across central and northern areas. A snowpack existed over central Arkansas, northern Mississippi and southern Tennessee. With northerly winds over that snowpack, this helped to lock in even colder air and biting wind chills, with wind chills falling into the single digits over most of the area. Some areas in the Delta stayed below freezing for over 60 hours. This in addition to temperatures falling into the low-mid teens over the next several nights, kept a lot of winter weather accumulation to linger around through the weekend, with icy roadways for the next couple of days into Saturday, January 7th and Sunday, January 8th. This led to significant traffic issues lingering into the early weekend, with roadways gradually improving as some of that melted under full sun by Saturday and mostly gone by Sunday into the start of the following work week. This significant winter weather event will be one that will be remembered for years to come.","Up to one-half inch of sleet accumulated on Bridges, overpasses and other elevated surfaces. The sleet caused I-20 to be shut down on the Mississippi River Bridge." +113423,678704,IDAHO,2017,January,Heavy Snow,"CAMAS PRAIRIE",2017-01-09 21:00:00,MST-7,2017-01-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","The cooperative observer at Fairfield reported 11 inches of snow while a trained spotter reported a 24 hour storm total of 26 inches near Hill City." +113423,678705,IDAHO,2017,January,Heavy Snow,"UPPER TREASURE VALLEY",2017-01-09 18:00:00,MST-7,2017-01-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Numerous reports of 5 to 6 inches of snow were received from CoCoRaHS observers and trained spotters." +113423,678706,IDAHO,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-09 18:00:00,MST-7,2017-01-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Several social media reports of 5 to 6 inches of snow were received from the Caldwell and Nampa area." +113423,678707,IDAHO,2017,January,Heavy Snow,"BOISE MOUNTAINS",2017-01-09 22:00:00,MST-7,2017-01-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Trained spotters in pine and Idaho City reported 11 to 12 inches of snow." +113734,681034,CALIFORNIA,2017,February,Flash Flood,"SAN BERNARDINO",2017-02-18 00:20:00,PST-8,2017-02-18 01:10:00,0,0,0,0,10.00K,10000,0.00K,0,34.252,-117.4631,34.2525,-117.4574,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Flood waters in the Cajon Pass submerged a vehicle along Keenbrook Rd. Three swift water rescues were conduced with no injuries reported." +113734,681049,CALIFORNIA,2017,February,High Wind,"ORANGE COUNTY COASTAL",2017-02-17 13:00:00,PST-8,2017-02-17 19:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Mesonet stations along the coast reported wind gusts in the 30 to 45 mph range over a 6 hour period between 1300 and 1900PST. An isolated peak gust of 60 mph occurred at San Clemente Pier. Numerous trees were downed over the coastal areas." +113734,681054,CALIFORNIA,2017,February,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-02-17 14:00:00,PST-8,2017-02-17 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Numerous 70 mph or higher wind gusts were reported by the Palomar Mt. mesonet station over a 6 hour period. Peak gusts to 75 mph occurred between 1820 and 1830PST. No damage reports were received for the mountains areas." +113734,681056,CALIFORNIA,2017,February,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-02-17 07:30:00,PST-8,2017-02-17 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","The Burns Canyon mesonet reported frequent 70 to 80 mph gusts over a 9 hour period, with a peak gust of 84 mph between 1151 and 1251PST. A gust to 71 mph also occurred at Heaps Peak near Running Springs between 1015 and 1115PST. No damage reports were received." +120285,720761,CALIFORNIA,2017,August,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-08-28 18:00:00,PST-8,2017-08-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region from the 26th to the 31st. Heat began in the deserts on the 26th and 27th, reaching warning criteria with little impact. The hot conditions spread to the valleys on the 28th through the 31st, resulting in flex alerts, power outages and trail closures.","Riverside broke daily record highs on the 28th and 31st. The high of 112 degrees on the 31st was the 3rd hottest August temperature since records began in 1893." +120285,720762,CALIFORNIA,2017,August,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-08-28 18:00:00,PST-8,2017-08-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region from the 26th to the 31st. Heat began in the deserts on the 26th and 27th, reaching warning criteria with little impact. The hot conditions spread to the valleys on the 28th through the 31st, resulting in flex alerts, power outages and trail closures.","Ramona recorded daily record high temperatures each day between the 28th and 31st. The high of 111 degrees on the 31st was the hottest August day on record, and the 108 degree reading on the 29th was the second hottest." +120285,720760,CALIFORNIA,2017,August,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-08-29 12:00:00,PST-8,2017-08-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region from the 26th to the 31st. Heat began in the deserts on the 26th and 27th, reaching warning criteria with little impact. The hot conditions spread to the valleys on the 28th through the 31st, resulting in flex alerts, power outages and trail closures.","Three Sisters and Cedar Creek Falls hiking trails were closed due to heat from the 30th of August through the 1st of September. Temperatures in the area were between 105 and 110 degrees." +120285,720759,CALIFORNIA,2017,August,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-08-29 23:00:00,PST-8,2017-08-30 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region from the 26th to the 31st. Heat began in the deserts on the 26th and 27th, reaching warning criteria with little impact. The hot conditions spread to the valleys on the 28th through the 31st, resulting in flex alerts, power outages and trail closures.","Excessive power needs from intense heat caused two transformers to fail in Yucaipa. Power was lost at Carriage Trade Manor (senior home center) and numerous residents spent the night outside trying to stay cool." +116060,702182,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:15:00,CST-6,2017-05-16 21:15:00,0,0,0,0,2.00K,2000,0.00K,0,44.4404,-90.8326,44.4404,-90.8326,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down in Merrillan." +116060,702183,WISCONSIN,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 21:13:00,CST-6,2017-05-16 21:13:00,0,0,0,0,2.00K,2000,0.00K,0,44.4148,-90.8729,44.4148,-90.8729,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Trees were blown down southeast of Alma Center." +116060,702203,WISCONSIN,2017,May,Flash Flood,"TREMPEALEAU",2017-05-16 22:45:00,CST-6,2017-05-17 00:45:00,0,0,0,0,0.00K,0,0.00K,0,44.4313,-91.2009,44.4237,-91.1994,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Runoff from heavy rain caused Pigeon Creek and Big Slough Creek to go out of their banks and flood portions of Pigeon Falls." +115671,695155,INDIANA,2017,April,Hail,"MADISON",2017-04-26 19:15:00,EST-5,2017-04-26 19:17:00,0,0,0,0,,NaN,,NaN,40.26,-85.82,40.26,-85.82,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","" +113756,681115,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 23:00:00,PST-8,2017-02-28 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.1392,-117.1753,33.1439,-117.1633,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Street flooding was reported in San Marcos with at least one car submerged." +113756,681118,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 13:00:00,PST-8,2017-02-28 13:00:00,0,0,0,0,5.00M,5000000,0.00K,0,32.763,-117.2026,32.755,-117.1967,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Significant flooding occurred along the San Diego River in Mission Valley with the river cresting at 14.15 ft, the third highest stage all-time. Numerous roadways were closed, the Fashion Valley Mall parking structure was closed and the Fashion Valley Transit Center was closed to bus traffic. Numerous water rescues were conducted along the San Diego River including 20 people rescued from the Premier Inns Mission Valley. Many vehicles were also flooded and destroyed." +115671,695156,INDIANA,2017,April,Hail,"MADISON",2017-04-26 19:18:00,EST-5,2017-04-26 19:20:00,0,0,0,0,,NaN,,NaN,40.29,-85.84,40.29,-85.84,"Thunderstorms developed during the afternoon, bringing hail and damaging winds to parts of central Indiana.","The hail observed was slightly larger than quarter size." +113987,682665,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-08 06:12:00,PST-8,2017-02-08 06:12:00,0,0,0,0,0.00K,0,0.00K,0,37.2256,-120.4912,37.2355,-120.4918,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported roadway closure due to flooding on Highway 59 near McNamara Road south of Merced." +113987,682667,CALIFORNIA,2017,February,Flood,"MERCED",2017-02-08 08:36:00,PST-8,2017-02-08 08:36:00,0,0,0,0,0.00K,0,0.00K,0,37.2562,-120.4732,37.2619,-120.473,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported road closure due to flooding on Reilly Road near Tyler Road south of Merced." +113987,682668,CALIFORNIA,2017,February,Flood,"TULARE",2017-02-08 08:52:00,PST-8,2017-02-08 08:52:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-118.81,36.4465,-118.8021,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported debris blocking roadway due to recent roadway flooding from heavy rain on Mineral King Road near Mitchel Ranch near Oak Grove." +113987,682669,CALIFORNIA,2017,February,Heavy Snow,"S SIERRA MTNS",2017-02-05 08:14:00,PST-8,2017-02-06 08:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","Coop observer reported a measured 9 inches of snowfall near Tuolumne Meadows in Tuolumne County. Also reported a snow depth of 103 inches." +113999,682772,MAINE,2017,February,Heavy Snow,"INTERIOR WALDO",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682774,MAINE,2017,February,Heavy Snow,"COASTAL WALDO",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682775,MAINE,2017,February,Heavy Snow,"KNOX",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682776,MAINE,2017,February,Heavy Snow,"KENNEBEC",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682777,MAINE,2017,February,Heavy Snow,"COASTAL CUMBERLAND",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +112663,672751,NEW MEXICO,2017,February,Heavy Snow,"SAN JUAN MOUNTAINS",2017-02-27 22:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts across the high terrain of eastern Rio Arriba County ranged from 12 to 20 inches. The 17 inches reported at Chama on the morning of the 28th set a new daily record." +112663,672754,NEW MEXICO,2017,February,Heavy Snow,"CHUSKA MOUNTAINS",2017-02-27 20:00:00,MST-7,2017-02-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts as high as 16 inches were reported by the Navajo Whiskey SNOTEL and the nearby COOP observer." +114007,682814,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-02-02 05:00:00,PST-8,2017-02-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread wintry precipitation across the Pacific Northwest.","Storm total snow accumulation of 15.5 inches with 12.5 inches in the past 24 hours, 1 mile NNW of Glenwood in Klickitat county." +114009,682817,WASHINGTON,2017,February,Heavy Snow,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-02-05 04:00:00,PST-8,2017-02-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought significant snow fall to portions of south-central Washington February 5th and 6th.","Storm total snow accumulation of 14 inches, 5 miles ESE of Cle Elum in Kittitas county." +113945,682522,VIRGINIA,2017,February,High Wind,"AMHERST",2017-02-13 07:00:00,EST-5,2017-02-13 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front passed through on the 12th, strong winds in its wake brought damaging winds to western Virginia during the late evening hours of the 12th into the predawn hours of the 13th.","Strong winds brought down wires on Cedar Gate Road." +112555,671478,WISCONSIN,2017,February,Winter Storm,"CHIPPEWA",2017-02-23 23:00:00,CST-6,2017-02-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm dropped a narrow area of nearly 13 inches of snow from Lake City MN to Durand WI, northeast to Eau Claire to Augusta. This storm |moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow. Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict.||Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota and into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northeast toward Lake City, Ellsworth, and into Menomonie and Eau Claire by midnight. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the evening as the upper level part of the storm moved across the Upper Midwest.||Some of the higher totals included Stockholm with 13 inches, Augusta 12 inches, Hager City 11 inches, Elk Mound 10 inches, and Eau Claire 9 inches.","Local observers and trained spotters reported between 5 to 9 inches of snow that fell Thursday evening, through Friday evening. The heaviest totals were near Eau Claire which received 9 inches." +112555,671479,WISCONSIN,2017,February,Winter Storm,"DUNN",2017-02-23 23:00:00,CST-6,2017-02-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm dropped a narrow area of nearly 13 inches of snow from Lake City MN to Durand WI, northeast to Eau Claire to Augusta. This storm |moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow. Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict.||Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota and into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northeast toward Lake City, Ellsworth, and into Menomonie and Eau Claire by midnight. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the evening as the upper level part of the storm moved across the Upper Midwest.||Some of the higher totals included Stockholm with 13 inches, Augusta 12 inches, Hager City 11 inches, Elk Mound 10 inches, and Eau Claire 9 inches.","Local observers and trained spotters reported between 2 to 10 inches of snow that fell Thursday evening, through Friday evening. The heaviest totals were near Elk Mound which received 10 inches." +113637,682489,MONTANA,2017,February,Heavy Snow,"LOWER CLARK FORK REGION",2017-02-05 00:00:00,MST-7,2017-02-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A steady stream of moisture coming in from the southwest interacted with the Arctic air sliding down from Canada, and caused heavy snow and gusty easterly winds over northwest Montana. Near whiteout conditions with snowfall rates of 1 to 2 inches per hour were observed. Some places received over 30 inches of new snow. Roads become impassable at times, particularly in the Essex to Kalispell corridor during the Monday morning commute. Previous heavy snowfall that occurred Feb. 3 and 4 compounded snow removal problems in city-centers. Airport operations had difficulty keeping runways clear during this event.","A local ski area reported 35 inches of snow in 36 hours. The Montana Dept. of Transportation reported several accidents along I-90 during this timeframe. Schools were closed due to heavy snow and dangerous travel conditions. The heavy snow also contributed to a power outage that caused the I-90 rest areas to close on the 6th." +113637,681689,MONTANA,2017,February,Winter Storm,"KOOTENAI/CABINET REGION",2017-02-05 03:00:00,MST-7,2017-02-06 09:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A steady stream of moisture coming in from the southwest interacted with the Arctic air sliding down from Canada, and caused heavy snow and gusty easterly winds over northwest Montana. Near whiteout conditions with snowfall rates of 1 to 2 inches per hour were observed. Some places received over 30 inches of new snow. Roads become impassable at times, particularly in the Essex to Kalispell corridor during the Monday morning commute. Previous heavy snowfall that occurred Feb. 3 and 4 compounded snow removal problems in city-centers. Airport operations had difficulty keeping runways clear during this event.","The emergency manager for Lincoln County estimated 30 to 36 inches of snow had fallen within 48 hours in Libby, MT. A Reverse 911 message went out to all citizens to warn them of this event. Schools were cancelled on Monday Feb. 6. This decision was made a day in advance of the predicted snowfall, which is extremely rare. The Eureka, MT AWOS showed visibility of less than 1 mile for over 8 hours during the peak of the event with periods of less than 0.25 mi visibility. Public reports put 2 day snow totals at 20 to 30 inches in Eureka, MT, depending on which part of town. Also there were reports of blowing and drifting snow between Kalispell and Eureka. The Fire Department in Bull Lake suffered a partial roof collapse from the heavy snow load. This trapped a type 6 fire engine within the building. The damage listed was an estimated amount. During the morning of the 5th there were reports of freezing rain on US-93." +115443,693228,UTAH,2017,June,High Wind,"EASTERN UINTA BASIN",2017-06-12 11:00:00,MST-7,2017-06-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak also moved overhead and mixed down to the surface which causing a significant increase in surface wind speeds.","Widespread strong wind gusts in excess of 50 mph occurred across area. Peak measured gusts included 70 mph at a residence in Vernal and 69 mph at the Red Wash USU site." +120818,725979,OHIO,2017,November,Tornado,"CRAWFORD",2017-11-05 17:00:00,EST-5,2017-11-05 17:03:00,0,0,0,0,750.00K,750000,0.00K,0,40.7284,-82.7968,40.7324,-82.7767,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down in Galion near the intersection of Orange and Grand Streets. Many trees in the area were snapped or uprooted. The tornado continued east northeast across the city and damaged three homes as it crossed Union Street. Two of the homes lost some facia, siding and roofing but the third had a fallen tree damage a wall. A warehouse on Market Street lost a section of roofing. A second warehouse along Columbus Street also lost some roofing material. A few blocks to the east two homes were damaged on South Washington Street. One of the homes had it's roof detached and the second lost some roofing and siding material. The tornado then intensified to EF2 as it crossed the southern end of Pierce Street. At least four properties on Pierce Street were damaged. Three of the homes were classified as having major damage and had their roofs torn off in addition to having broken windows and lost siding. Two of the properties also had detached garages destroyed. The fourth house had a porch damaged. Significant damage also occurred a block to the east along Riblet Street. An auto repair shop lots it's roof and had three masonry walls collapse. Bricks from the building were found of the roofs of houses nearby. Three other commercial buildings on Riblet Street lost large sections of roofing. One of the three also sustained damage to an exterior wall. Four homes were damaged on the southern end of East Street. One of the homes sustained major damage in the form of a detached roof. The other three houses sustained lesser amounts of roof and siding damage. The tornado continued east for another block and finally lifted as it reached Walnut Street. Many trees, limbs and utility poles were downed along the damage path which was just over a mile in length and up to 200 yards in width. A total of 21 structures were damaged in Galion with one destroyed and five sustaining major damage. There were no injuries." +114824,688739,LOUISIANA,2017,April,Tornado,"ST. TAMMANY",2017-04-03 03:14:00,CST-6,2017-04-03 03:19:00,0,0,0,0,,NaN,0.00K,0,30.5265,-90.075,30.5295,-90.0457,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A tornado began along Lee Road and tracked to the east across Stafford Road before lifting near the intersection of Smith Road and Old Military Road. Numerous trees were reported blown down with one tree landing on a home with minor to moderate roof damage. Maximum estimated winds 100 mph, path width 100 yards and path length approximately 1.75 miles." +114824,688741,LOUISIANA,2017,April,Thunderstorm Wind,"LIVINGSTON",2017-04-03 01:29:00,CST-6,2017-04-03 01:29:00,0,0,0,0,0.00K,0,0.00K,0,30.4534,-90.9674,30.4534,-90.9674,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A few trees were reported blown down near Interstate 12 near Denham Springs." +114824,688742,LOUISIANA,2017,April,Thunderstorm Wind,"TANGIPAHOA",2017-04-03 02:48:00,CST-6,2017-04-03 02:48:00,0,0,0,0,0.00K,0,0.00K,0,30.5073,-90.3423,30.5073,-90.3423,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A power line was blown down across the highway at the intersection of Louisiana Highway 445 and US Highway 190." +114824,688743,LOUISIANA,2017,April,Thunderstorm Wind,"ST. TAMMANY",2017-04-03 03:07:00,CST-6,2017-04-03 03:07:00,0,0,0,0,0.00K,0,0.00K,0,30.41,-90.16,30.41,-90.16,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Three large trees were reported blown down along Louisiana Highway 1077 just south of Plescia Drive." +114824,688744,LOUISIANA,2017,April,Thunderstorm Wind,"ST. TAMMANY",2017-04-03 03:14:00,CST-6,2017-04-03 03:14:00,0,0,0,0,,NaN,0.00K,0,30.45,-90.11,30.45,-90.11,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","A tree was blown over onto a car and home on Avenue Du Chateau with minor exterior wall damage just west of US Highway 190." +114824,688745,LOUISIANA,2017,April,Thunderstorm Wind,"ST. TAMMANY",2017-04-03 03:15:00,CST-6,2017-04-03 03:15:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-90.11,30.48,-90.11,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Trees were reported blown down along Louisiana Highways 21 and 1081 near Covington. Event time was estimated from radar." +112363,670019,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:47:00,EST-5,2017-02-07 18:47:00,0,0,0,0,1.00K,1000,0.00K,0,30.8607,-84.1759,30.8607,-84.1759,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A power line was blown down near Hall Road." +112363,670020,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 18:53:00,EST-5,2017-02-07 18:53:00,0,0,0,0,0.00K,0,0.00K,0,30.9066,-84.103,30.9066,-84.103,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down across Bold Springs Road." +112363,670021,GEORGIA,2017,February,Thunderstorm Wind,"COLQUITT",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.21,-83.97,31.21,-83.97,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down along Highway 37." +112363,670022,GEORGIA,2017,February,Thunderstorm Wind,"GRADY",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.0459,-84.1222,31.0459,-84.1222,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down along Highway 111." +112363,670023,GEORGIA,2017,February,Thunderstorm Wind,"MITCHELL",2017-02-07 19:00:00,EST-5,2017-02-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.188,-84.393,31.188,-84.393,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down north of Highway 311 on River Road." +112363,670024,GEORGIA,2017,February,Thunderstorm Wind,"THOMAS",2017-02-07 19:06:00,EST-5,2017-02-07 19:15:00,0,0,0,0,3.00K,3000,0.00K,0,30.83,-83.98,30.79,-83.78,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Several trees and power lines were blown down across Thomas county." +112363,670026,GEORGIA,2017,February,Thunderstorm Wind,"COLQUITT",2017-02-07 19:15:00,EST-5,2017-02-07 19:40:00,0,0,0,0,25.00K,25000,0.00K,0,31.13,-83.89,31.22,-83.6,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Numerous trees, power lines, and power poles were blown down across Colquitt county." +112363,670027,GEORGIA,2017,February,Thunderstorm Wind,"COLQUITT",2017-02-07 19:25:00,EST-5,2017-02-07 19:25:00,0,0,0,0,0.00K,0,0.00K,0,31.31,-83.91,31.31,-83.91,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A spotter estimated wind gusts of 60 mph in Doerun." +112579,672279,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 14:42:00,EST-5,2017-02-25 14:42:00,0,0,0,0,0.00K,0,0.00K,0,40.11,-76.51,40.11,-76.51,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail near Mount Joy." +112579,672281,PENNSYLVANIA,2017,February,Hail,"ADAMS",2017-02-25 14:50:00,EST-5,2017-02-25 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-77.02,39.8,-77.02,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail in near McSherrystown." +112579,672282,PENNSYLVANIA,2017,February,Hail,"YORK",2017-02-25 14:50:00,EST-5,2017-02-25 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-76.98,39.81,-76.98,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail near Hanover." +112579,672285,PENNSYLVANIA,2017,February,Hail,"LEBANON",2017-02-25 15:05:00,EST-5,2017-02-25 15:05:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-76.26,40.36,-76.26,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail in Richland." +112579,672287,PENNSYLVANIA,2017,February,Hail,"LEBANON",2017-02-25 15:05:00,EST-5,2017-02-25 15:05:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-76.31,40.37,-76.31,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail in Myerstown." +113320,678150,ARKANSAS,2017,February,Drought,"BENTON",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113320,678151,ARKANSAS,2017,February,Drought,"CARROLL",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113320,678152,ARKANSAS,2017,February,Drought,"CRAWFORD",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113320,678153,ARKANSAS,2017,February,Drought,"FRANKLIN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +112879,674314,KANSAS,2017,February,Hail,"LABETTE",2017-02-28 23:48:00,CST-6,2017-02-28 23:50:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-95.11,37.17,-95.11,"On the evening of the 28th, a strong southeast-moving cold front surged across Southeast Kansas. The front encountered an extremely moist and equally unstable air mass. The setup was further exacerbated by strong deep-layer shear, both speed and directional, so that thunderstorms that did develop quickly achieved severity. Hail as large as 2 inches had been forecast and was by far the primary threat.","The Labette County Emergency Management staff reported hail that ranged from 1 to 1.50 inches in diameter. A photo of the hail was relayed via social media." +114675,687859,TENNESSEE,2017,April,Thunderstorm Wind,"MCMINN",2017-04-22 17:48:00,EST-5,2017-04-22 17:48:00,0,0,0,0,,NaN,,NaN,35.45,-84.6,35.45,-84.6,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Numerous trees were reported down across the county." +114676,687860,NORTH CAROLINA,2017,April,Thunderstorm Wind,"CHEROKEE",2017-04-22 19:00:00,EST-5,2017-04-22 19:00:00,0,0,0,0,,NaN,,NaN,35.2,-83.82,35.2,-83.82,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","Several trees were uprooted. Also, a tree was reported down across westbound U.S. Highway 19/74 blocking traffic." +114677,687861,TENNESSEE,2017,April,Hail,"GREENE",2017-04-29 14:58:00,EST-5,2017-04-29 14:58:00,0,0,0,0,,NaN,,NaN,36.17,-82.82,36.17,-82.82,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Ping pong ball sized hail was reported." +114677,687862,TENNESSEE,2017,April,Hail,"GREENE",2017-04-29 15:10:00,EST-5,2017-04-29 15:10:00,0,0,0,0,,NaN,,NaN,36.2,-82.72,36.2,-82.72,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Quarter to half dollar sized hail was reported near Tusculum College." +114677,687863,TENNESSEE,2017,April,Hail,"GREENE",2017-04-29 15:15:00,EST-5,2017-04-29 15:15:00,0,0,0,0,,NaN,,NaN,36.25,-82.67,36.25,-82.67,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Golf ball sized hail was reported." +114675,687858,TENNESSEE,2017,April,Thunderstorm Wind,"COCKE",2017-04-22 17:35:00,EST-5,2017-04-22 17:35:00,0,0,0,0,,NaN,,NaN,35.96,-83.19,35.96,-83.19,"A few severe thunderstorms developed in the unstable air ahead of a wave of low pressure building east along a slow moving cold front.","A few trees were reported down around the county." +114677,687864,TENNESSEE,2017,April,Thunderstorm Wind,"HAWKINS",2017-04-29 16:10:00,EST-5,2017-04-29 16:10:00,0,0,0,0,,NaN,,NaN,36.53,-82.71,36.53,-82.71,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Two trees were reported down in Church Hill." +114677,687865,TENNESSEE,2017,April,Thunderstorm Wind,"BRADLEY",2017-04-29 17:12:00,EST-5,2017-04-29 17:12:00,0,0,0,0,,NaN,,NaN,35.11,-84.98,35.11,-84.98,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Several trees and power lines were reported down in South McDonald." +114677,687868,TENNESSEE,2017,April,Thunderstorm Wind,"SEQUATCHIE",2017-04-29 16:35:00,CST-6,2017-04-29 16:35:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","A few trees were reported down across the southern end of Sequatchie County south of Dunlap." +116062,702251,IOWA,2017,May,Lightning,"MITCHELL",2017-05-17 02:00:00,CST-6,2017-05-17 02:00:00,0,0,0,0,60.00K,60000,0.00K,0,43.2402,-92.8105,43.2402,-92.8105,"For the second day in a row, severe thunderstorms moved across portions of northeast Iowa during the evening of May 16th. These storms mainly produced some sporadic wind damage across portions of Floyd, Mitchell and Chickasaw Counties. Numerous trees and power lines were blown down near Marble Rock (Floyd County) with other trees downed between Osage and Mitchell (Mitchell County) and in Alta Vista (Chickasaw County). South of Osage, a lightning strike started a fire that completely destroyed a large building.","A 4,500 square foot building south of Osage was completely destroyed in a fire started by a lightning strike. The lightning hit a cable line and then jumped to a gas line that went into the building." +116815,702477,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-06 13:20:00,MST-7,2017-05-06 13:20:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-112.26,40.69,-112.26,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The Lake Point I-80 sensor recorded a maximum wind gust of 63 mph." +116815,702480,UTAH,2017,May,Thunderstorm Wind,"UTAH",2017-05-06 13:20:00,MST-7,2017-05-06 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.07,-111.72,40.07,-111.72,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The I-15 at Beer Creek sensor recorded a peak wind gust of 62 mph." +116815,702482,UTAH,2017,May,Thunderstorm Wind,"DAVIS",2017-05-06 13:50:00,MST-7,2017-05-06 13:55:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-112.12,41.09,-112.12,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","A maximum wind gust of 66 mph was recorded in Syracuse." +113822,681522,NEW MEXICO,2017,February,High Wind,"SOUTHERN DONA ANA COUNTY/MESILLA VALLEY",2017-02-12 16:30:00,MST-7,2017-02-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong back door cold front moved through the region helped by a 1035mb high pressure over the central plains. Strong east winds occurred on the back side of the front with wind gusts over 60 mph reported around the west slopes of the Organ Mountains.","A peak gust of 68 mph was reported at the Dripping Springs RAWS. Other peak gusts around the area included 65 mph 2 miles east-southeast of Talavera and 61 mph 10 miles northeast of Las Cruces and also at Twin Peaks." +113822,681523,NEW MEXICO,2017,February,High Wind,"SOUTHERN TULAROSA BASIN",2017-02-12 17:00:00,MST-7,2017-02-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong back door cold front moved through the region helped by a 1035mb high pressure over the central plains. Strong east winds occurred on the back side of the front with wind gusts over 60 mph reported around the west slopes of the Organ Mountains.","A peak gust of 65 mph was recorded by the White Sands Missile Range at San Augustin Pass." +113823,681529,NEW MEXICO,2017,February,High Wind,"CENTRAL TULAROSA BASIN",2017-02-23 15:00:00,MST-7,2017-02-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving across the central Rockies with a strong surface low pressure system over the high plains. An upper level jet streak of over 130 knots moved right over southern New Mexico. Strong west to southwest winds occurred ahead of a cold front associated with this system.","A peak wind gust of 68 mph was reported at the Northrup Strip site on the White Sands Missile Range. A peak gust of 59 mph was also reported at Condron Field on the range." +112474,670621,TEXAS,2017,February,Thunderstorm Wind,"SMITH",2017-02-20 03:30:00,CST-6,2017-02-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2041,-95.3454,32.2041,-95.3454,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Numerous trees and power lines were blown down in Flint." +112474,670622,TEXAS,2017,February,Thunderstorm Wind,"SMITH",2017-02-20 03:30:00,CST-6,2017-02-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3703,-95.3183,32.3703,-95.3183,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Numerous trees and power lines were downed throughout Tyler." +113665,680337,TENNESSEE,2017,February,Hail,"KNOX",2017-02-25 03:34:00,EST-5,2017-02-25 03:34:00,0,0,0,0,,NaN,,NaN,36.06,-83.69,36.06,-83.69,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","Quarter sized hail was reported." +113665,680338,TENNESSEE,2017,February,Thunderstorm Wind,"MARION",2017-02-25 00:15:00,CST-6,2017-02-25 00:15:00,0,0,0,0,,NaN,,NaN,35.07,-85.62,35.07,-85.62,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","One tree was reported down on Francis Spring Road." +115722,695442,OHIO,2017,April,Hail,"PUTNAM",2017-04-20 16:10:00,EST-5,2017-04-20 16:11:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-84.2,40.99,-84.2,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","Emergency management officials received several reports of hail up to 1.5 inches in diameter." +115722,695443,OHIO,2017,April,Hail,"PUTNAM",2017-04-20 16:12:00,EST-5,2017-04-20 16:13:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-84.04,41.02,-84.04,"Numerous thunderstorms developed over the area during the afternoon ahead of a surface cold front. Several of the storms became severe producing large hail, while one line segment resulted in one report of downed trees.","" +118093,709757,VIRGINIA,2017,June,Thunderstorm Wind,"NOTTOWAY",2017-06-19 17:50:00,EST-5,2017-06-19 17:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.19,-77.88,37.19,-77.88,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed and blocking the road at the intersection of Spainville Road and Old Richmond Road." +118093,709759,VIRGINIA,2017,June,Thunderstorm Wind,"AMELIA",2017-06-19 18:05:00,EST-5,2017-06-19 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.37,-77.92,37.37,-77.92,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed and partially blocking the road along Route 360 at Mount Olive Lane." +118093,709760,VIRGINIA,2017,June,Thunderstorm Wind,"CHESTERFIELD",2017-06-19 18:09:00,EST-5,2017-06-19 18:09:00,0,0,0,0,2.00K,2000,0.00K,0,37.45,-77.48,37.45,-77.48,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","A couple of large trees were downed or uprooted on Lingle Lane." +118093,709761,VIRGINIA,2017,June,Thunderstorm Wind,"ESSEX",2017-06-19 18:15:00,EST-5,2017-06-19 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.92,-76.87,37.92,-76.87,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","A couple of trees were downed near Watts Grocery Store in Tappahannock." +118093,709763,VIRGINIA,2017,June,Thunderstorm Wind,"NORTHUMBERLAND",2017-06-19 18:18:00,EST-5,2017-06-19 18:18:00,0,0,0,0,1.00K,1000,0.00K,0,37.92,-76.47,37.92,-76.47,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was downed and blocking a major thoroughfare in Heathsville." +113915,682490,IDAHO,2017,February,Flood,"BLAINE",2017-02-04 14:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,220.00K,220000,0.00K,0,43.47,-114.27,42.75,-113.7156,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","The combination of heavy snow with warming temperatures caused extensive sheet flooding in the extreme southern part of the county with and much road damage in northern parts of the county. The weight of the snow with the warming conditions caused many roof collapses throughout the county as well." +113915,682500,IDAHO,2017,February,Flood,"BONNEVILLE",2017-02-05 05:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,250.00K,250000,0.00K,0,43.58,-112.5694,43.47,-112.3789,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Extensive snow melt with warmer temperatures caused extensive sheet flooding throughout the county mainly resulting in flooded fields, damaged roadways and extensive basement flooding." +119376,716553,VIRGINIA,2017,July,Thunderstorm Wind,"LOUISA",2017-07-22 21:52:00,EST-5,2017-07-22 21:52:00,0,0,0,0,2.00K,2000,0.00K,0,37.98,-78.22,37.98,-78.22,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Trees were downed on Interstate 64 near Zion Crossroads." +119376,716611,VIRGINIA,2017,July,Thunderstorm Wind,"FLUVANNA",2017-07-22 22:00:00,EST-5,2017-07-22 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.94,-78.25,37.94,-78.25,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Multiple trees and tree limbs were downed. Also, siding and trim were blown off of two homes." +119435,716855,NORTH CAROLINA,2017,July,Heavy Rain,"PASQUOTANK",2017-07-28 10:13:00,EST-5,2017-07-28 10:13:00,0,0,0,0,0.00K,0,0.00K,0,36.35,-76.28,36.35,-76.28,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.02 inches was measured at Burnt Mills (3 SSW)." +119435,716858,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-28 11:30:00,EST-5,2017-07-28 11:30:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-76.33,36.44,-76.33,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.17 inches was measured at Joyce Creek Intercoastal Waterway." +113967,682505,IDAHO,2017,February,Winter Weather,"UPPER SNAKE HIGHLANDS",2017-02-28 13:00:00,MST-7,2017-02-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving storm brought snow and high winds to the Upper Snake Highlands on the last day of the month. 1 to 3 inches of snow fell with 30 to 40 mph wind gusts causing white out conditions. Idaho Highway 32 shut down on the afternoon of the 28th east of Ashton to the Wyoming border and the Ashton Elementary and North Fremont High School released students at 2 pm to ease travel concerns.","A quick moving storm brought snow and high winds to the Upper Snake Highlands on the last day of the month. 1 to 3 inches of snow fell with 30 to 40 mph wind gusts causing white out conditions. Idaho Highway 32 shut down on the afternoon of the 28th east of Ashton to the Wyoming border and the Ashton Elementary and North Fremont High School released students at 2 pm to ease travel concerns." +113915,682509,IDAHO,2017,February,Flood,"BUTTE",2017-02-04 09:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,265.00K,265000,0.00K,0,43.7914,-113.455,43.4977,-113.4712,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Extensive snowmelt occurred at low elevations as a warmup took place for a good portion of the first 2 to 3 weeks of the month. Extensive sheet flooding of fields occurred as well as extensive minor flooding of roadways and extreme damage of roadways due to the extreme snowfall and cold temperatures in December and January." +113126,676592,MAINE,2017,February,Heavy Snow,"SOUTHERN OXFORD",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +113126,676593,MAINE,2017,February,Heavy Snow,"INTERIOR CUMBERLAND",2017-02-15 02:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure dropping southeast from Canada on the morning of the 15th combined with an area of low pressure moving northeast from the mid-Atlantic coast to form an intense storm over Nova Scotia by the morning of the 16th. A weak low pressure trough remained across the area on the 16th as the low moved away. The combination of these two storms and the trough brought heavy snow to western Maine. Snowfall amounts ranged from about 16 inches in interior locations near the border with New Hampshire to several inches in Somerset and Waldo Counties.","" +112338,681525,TEXAS,2017,February,Thunderstorm Wind,"WHARTON",2017-02-14 07:35:00,CST-6,2017-02-14 07:35:00,0,0,0,0,,NaN,,NaN,29.201,-96.2939,29.201,-96.2939,"Several morning tornadoes developed as a storm system moved eastward across the state.","Power lines were downed near the intersection of West Norris Street and West Loop Street." +112338,681547,TEXAS,2017,February,Thunderstorm Wind,"GALVESTON",2017-02-14 11:00:00,CST-6,2017-02-14 11:00:00,0,0,0,0,4.00K,4000,0.00K,0,29.4282,-94.69,29.4282,-94.69,"Several morning tornadoes developed as a storm system moved eastward across the state.","Power poles were snapped at Crenshaw Elementary School." +120150,719870,SOUTH DAKOTA,2017,August,Hail,"DOUGLAS",2017-08-21 11:05:00,CST-6,2017-08-21 11:05:00,0,0,0,0,0.00K,0,0.00K,0,43.5,-98.63,43.5,-98.63,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +120150,719871,SOUTH DAKOTA,2017,August,Hail,"DOUGLAS",2017-08-21 11:25:00,CST-6,2017-08-21 11:25:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-98.41,43.43,-98.41,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +120150,719872,SOUTH DAKOTA,2017,August,Hail,"TURNER",2017-08-21 11:53:00,CST-6,2017-08-21 11:53:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-97.14,43.4,-97.14,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +120150,719873,SOUTH DAKOTA,2017,August,Hail,"HUTCHINSON",2017-08-21 11:55:00,CST-6,2017-08-21 11:55:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-97.67,43.24,-97.67,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +112282,669577,VERMONT,2017,February,Winter Storm,"WESTERN FRANKLIN",2017-02-12 12:00:00,EST-5,2017-02-13 07:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 15 inches of snowfall reported, including 15 inches in Swanton, 14 inches in St. Albans and 11 inches in Fairfax." +112282,669580,VERMONT,2017,February,Winter Storm,"WINDSOR",2017-02-12 10:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 6 to 10 inches of snowfall reported, including 10 inches in Woodstock, 9 inches in Ludlow and 8 inches in Hartland." +112282,669595,VERMONT,2017,February,Winter Storm,"ESSEX",2017-02-12 13:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 8 to 12 inches of snowfall reported." +112747,673466,MONTANA,2017,February,High Wind,"FERGUS",2017-02-09 20:54:00,MST-7,2017-02-09 20:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","Lewistown Airport ASOS reported gust of 61 mph." +112747,673468,MONTANA,2017,February,High Wind,"FERGUS",2017-02-11 09:49:00,MST-7,2017-02-11 09:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","Mesonet station 7 miles NE of Denton reported gust of 64 mph." +112747,673479,MONTANA,2017,February,High Wind,"BLAINE",2017-02-11 09:18:00,MST-7,2017-02-11 09:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","Mesonet station 13 miles S of Fort Belknap reported gust of 58 mph." +112747,673482,MONTANA,2017,February,High Wind,"EASTERN PONDERA",2017-02-09 17:10:00,MST-7,2017-02-09 17:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, westerly flow aloft across the Rockies and a tight pressure gradient accompanying a lee surface trough of low pressure allowed high wind gusts to impact portions of North-Central MT on Feb 9th through 11th.","MT Disaster and Emergency Services (DES) received report of train derailment in Valier, MT due to high winds. Train cars were empty." +112850,674210,MONTANA,2017,February,Winter Storm,"BEAVERHEAD",2017-02-21 06:14:00,MST-7,2017-02-21 06:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moist, west-southwesterly upslope flow triggered periods of snow, heavy at times, along the MT/ID portion of the Continental Divide. For the second time in the same week, wet accumulating snow resulted in the closure of Monida Pass along I-15.","MT DOT reported that Monida Pass had been reopened, but severe driving conditions continued along I-15 from the pass to Lima, MT due to accumulating snow." +113111,676489,MONTANA,2017,February,High Wind,"BROADWATER",2017-02-21 14:54:00,MST-7,2017-02-21 14:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As a shortwave trough approached from the Pacific Northwest, a potent and southwesterly 700 mb jet streak overspread portions of Southwest and Central MT. Subsidence associated with daytime heating-driven vertical mixing of the low-level atmosphere tapped into these stronger winds aloft, resulting in gusty surface winds.","Elkhorn RAWS recorded peak gust of 64 mph." +113621,680172,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 10:59:00,CST-6,2017-02-27 10:59:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-96.85,32.4,-96.85,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A trained spotter reported quarter sized hail near the intersection of Hwy 287 and I-35 in Waxahachie." +113381,680615,TEXAS,2017,February,Hail,"LIMESTONE",2017-02-20 01:30:00,CST-6,2017-02-20 01:30:00,0,0,0,0,0.00K,0,0.00K,0,31.26,-96.63,31.26,-96.63,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","The Emergency Manager of Limestone County reported nickel size hail 3 miles south of Kosse on Highway 14." +113381,680616,TEXAS,2017,February,Hail,"LIMESTONE",2017-02-20 01:49:00,CST-6,2017-02-20 01:49:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-96.52,31.53,-96.52,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","Hail was reported near the intersection of FM 147 and Highway 164." +113705,680617,TEXAS,2017,February,Hail,"DENTON",2017-02-13 22:42:00,CST-6,2017-02-13 22:42:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-97.2,33.39,-97.2,"Upper level storm came through the region producing small hail.","Dime to penny size hail reported 1.8 miles northwest of Sanger." +113621,680618,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 10:40:00,CST-6,2017-02-27 10:40:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-96.98,32.45,-96.98,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There was penny size hail reported 2 miles south of Midlothian." +113621,680619,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 10:44:00,CST-6,2017-02-27 10:44:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-96.94,32.45,-96.94,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There was nickel size hail reported 2.38 miles northwest of Lone Elm." +113621,680620,TEXAS,2017,February,Hail,"ELLIS",2017-02-27 11:00:00,CST-6,2017-02-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-96.85,32.4,-96.85,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There were multiple reports via social media of nickel size hail covering the ground at Best Buy 1 mile east of I-35 and US Highway 287." +113621,680621,TEXAS,2017,February,Hail,"COLLIN",2017-02-27 12:37:00,CST-6,2017-02-27 12:37:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-96.81,33.15,-96.81,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There was nickel size hail reported at the intersection of FM 423 and Del Webb Blvd approximately 1.16 miles east of Frisco." +113621,680732,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 11:40:00,CST-6,2017-02-27 11:40:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-96.32,32.54,-96.32,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","COCORAHS Spotter: Half dollar size hail report 3 miles south of Kaufman, TX." +112433,681950,CALIFORNIA,2017,February,Flood,"NAPA",2017-02-20 18:42:00,PST-8,2017-02-20 20:42:00,0,0,0,0,0.00K,0,0.00K,0,38.3556,-122.338,38.3552,-122.3385,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Up to 1.5 feet of standing water on north side AKA WB side of the road 2200 Oak Knoll Ave." +112433,681953,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 18:54:00,PST-8,2017-02-20 20:54:00,0,0,0,0,0.00K,0,0.00K,0,37.9258,-121.7775,37.9252,-121.7778,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Up to one foot of water going across all lanes of Deer Valley Rd near Balfour Rd." +112433,681954,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-20 18:56:00,PST-8,2017-02-20 20:56:00,0,0,0,0,0.00K,0,0.00K,0,38.4254,-122.8257,38.425,-122.8258,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded at Sanford Rd and Occidental Rd." +112433,681955,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 18:52:00,PST-8,2017-02-20 20:52:00,0,0,0,0,0.00K,0,0.00K,0,36.999,-121.5253,36.9988,-121.5252,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooded and now closed Frazier Lake Rd on SR152." +112433,681956,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 19:55:00,PST-8,2017-02-20 21:55:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-121.59,37.0498,-121.591,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on NB Monterey HWY at Rucker Rd 1 lane flooded." +112433,681957,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-20 19:55:00,PST-8,2017-02-20 21:55:00,0,0,0,0,0.00K,0,0.00K,0,37.6654,-121.7365,37.6653,-121.7375,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway Flooding on Tesla rd in Dublin." +112433,681959,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-121.94,37.3189,-121.9417,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding SB 880 to NB 280 connector." +112433,681960,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.0562,-121.5947,37.0563,-121.5941,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on Monterey HWY at Fitzgerald Ave. Water pushed a vehicle into a gully." +112433,681961,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.8669,-121.639,37.8674,-121.6391,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on Byron Hwy at Camino Diablo. Flooding in both directions." +112432,683664,CALIFORNIA,2017,February,High Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-02-17 11:35:00,PST-8,2017-02-17 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Two trees with wires down across Fort Rd." +112432,683665,CALIFORNIA,2017,February,High Wind,"NORTH BAY INTERIOR VALLEYS",2017-02-17 11:59:00,PST-8,2017-02-17 12:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepen low pressure approaching the coast caused gale to strong gale force wind gusts through the populated areas. Coastal mountains gusted to hurricane force.","Large tree down blocking entire roadway Old Sonoma Rd between Duhig and Buhman." +113743,683669,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-09 15:36:00,PST-8,2017-02-09 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.2526,-122.0585,37.2525,-122.0587,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Blocking NB lanes of SR9 and Pierce Road." +113743,683670,CALIFORNIA,2017,February,Debris Flow,"SAN MATEO",2017-02-09 15:36:00,PST-8,2017-02-09 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.2999,-122.2656,37.2995,-122.2656,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mudslide in blind curves on EB Pescadero jwo Alpine." +113743,683671,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-09 15:43:00,PST-8,2017-02-09 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.5061,-122.9618,38.5058,-122.9618,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mudslide wb ln River Rd/Odd Fellows Park Rd." +113743,683672,CALIFORNIA,2017,February,Debris Flow,"ALAMEDA",2017-02-09 15:59:00,PST-8,2017-02-09 17:59:00,0,0,0,0,0.00K,0,0.00K,0,37.8377,-122.1904,37.8375,-122.1904,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Large boulder blocking southbound lane of Skyline jso Grizzly Peak." +113743,683673,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-09 16:48:00,PST-8,2017-02-09 18:48:00,0,0,0,0,0.00K,0,0.00K,0,37.3547,-121.7776,37.3548,-121.7774,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Debris blocking portion of Clayton Rd nr Casa Maderia Ln." +113743,683674,CALIFORNIA,2017,February,Debris Flow,"SANTA CLARA",2017-02-09 16:48:00,PST-8,2017-02-09 18:48:00,0,0,0,0,0.00K,0,0.00K,0,37.2493,-122.0793,37.2489,-122.0787,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Second mudslide in area and a tree down partially blocking 23600 SR9 near Savannah-Chanelle Vineyard." +113743,684715,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-09 16:56:00,PST-8,2017-02-09 17:56:00,0,0,0,0,0.00K,0,0.00K,0,37.7017,-121.9214,37.7018,-121.9219,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Four inches of water in right lane of SB 680 to EB 580." +112859,678371,NEW JERSEY,2017,March,Blizzard,"WARREN",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","KFWN ASOS, snowfall over a foot in the county." +112919,722448,ILLINOIS,2017,February,Thunderstorm Wind,"COOK",2017-02-28 20:55:00,CST-6,2017-02-28 20:55:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-87.65,41.55,-87.65,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Wind gusts were estimated to 60 mph." +112919,722450,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 20:23:00,CST-6,2017-02-28 20:23:00,0,0,0,0,0.00K,0,0.00K,0,41.5341,-87.5318,41.5341,-87.5318,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Nickel size hail was reported at the Lansing Municipal Airport." +112919,722519,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 18:45:00,CST-6,2017-02-28 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.5064,-87.8291,41.5064,-87.8291,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Nickel size hail was reported near Route 30 and Pfeiffer Road." +117470,707675,ARKANSAS,2017,June,Thunderstorm Wind,"IZARD",2017-06-23 13:42:00,CST-6,2017-06-23 13:42:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-92.13,36.13,-92.13,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Trees were blown down in Calico Rock." +112367,670079,OREGON,2017,February,High Wind,"CURRY COUNTY COAST",2017-02-05 01:14:00,PST-8,2017-02-05 19:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another in a series of fronts brought high winds to parts of Oregon.","The Flynn Prairie RAWS recorded a number of gusts exceeding 58 mph during this interval. The peak gust was 82 mph recorded at 05/1913 PST. The Gold Beach ASOS recorded a gust to 63 mph at 05/1859 PST. The Red Mound RAWS recorded a gust to 59 mph at 05/1821 PST. A spotter 1SE Brookings reported a gust to 71 mph at 05/1839 PST." +117470,707676,ARKANSAS,2017,June,Thunderstorm Wind,"IZARD",2017-06-23 13:50:00,CST-6,2017-06-23 13:50:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-91.93,36.22,-91.93,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Trees were down and shingles were blown off a roof." +120150,719882,SOUTH DAKOTA,2017,August,Heavy Rain,"LINCOLN",2017-08-21 12:43:00,CST-6,2017-08-21 12:43:00,0,0,0,0,0.00K,0,0.00K,0,43.4721,-96.73,43.4721,-96.73,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","One to two inches of water over the roads." +112691,672846,NEW YORK,2017,February,Heavy Snow,"EASTERN RENSSELAER",2017-02-09 03:00:00,EST-5,2017-02-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system formed over the Tennessee Valley late on February 8. As this system tracked northeastward, it quickly strengthened, spreading moderate to heavy snow to the north of its track. This system became a full-fledged Nor'easter as it emerged offshore and tracked just off the tip of Long Island.||Storm total snowfall of 8 to 18 inches was observed from the wee hours through the early afternoon hours of February 9. The snowfall was very intense for a time around sunrise, with Albany International Airport reporting 4 inches in one hour. Toward the end of the event, a localized band of moderate to heavy snow formed over western portions of the Capital District, further enhancing snowfall totals.","" +112705,672926,WEST VIRGINIA,2017,February,Lightning,"RALEIGH",2017-02-28 14:10:00,EST-5,2017-02-28 14:10:00,2,0,0,0,0.00K,0,0.00K,0,37.8899,-81.3599,37.8899,-81.3599,"The combination of an upper level disturbance and increasing moisture on strong southwest flow lead to showers with isolated thunderstorms on February 28.","Two men were struck by lightning on an abandoned portion of the Workman's Creek mine in the Clear Creek community of Raleigh County." +120238,720378,PUERTO RICO,2017,August,Heavy Rain,"MAYAGUEZ",2017-08-20 18:21:00,AST-4,2017-08-20 18:21:00,0,0,0,0,0.00K,0,0.00K,0,18.236,-67.1605,18.2348,-67.1604,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Mudslide reported along Road PR-2 in direction towards Anasco, before the Mayaguez Veteran's Affairs Outpatient Clinic." +120238,720412,PUERTO RICO,2017,August,Flood,"MAYAGUEZ",2017-08-20 15:42:00,AST-4,2017-08-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1803,-67.149,18.1783,-67.1493,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported behind Leonardo's store and across from Centro Medico." +120238,720380,PUERTO RICO,2017,August,Heavy Rain,"MAYAGUEZ",2017-08-20 15:46:00,AST-4,2017-08-20 15:46:00,0,0,0,0,0.00K,0,0.00K,0,18.1676,-67.1217,18.1756,-67.1284,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Mudslide reported along Road PR-348 KM 5.2 in Barrio Quebrada Grande, Sector La Clemencia." +120238,720430,PUERTO RICO,2017,August,Heavy Rain,"CAGUAS",2017-08-20 14:57:00,AST-4,2017-08-20 14:57:00,0,0,0,0,0.00K,0,0.00K,0,18.1884,-66.0577,18.1941,-66.0558,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Landslide reported along Road PR-1 after Rancho de los Trovadores restaurant." +120238,720433,PUERTO RICO,2017,August,Flash Flood,"ARROYO",2017-08-20 14:49:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,17.9891,-66.061,17.988,-66.0611,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported along residences in Calle Amatista in the Urbanization of Las 500." +112275,669699,WEST VIRGINIA,2017,February,High Wind,"NORTHWEST POCAHONTAS",2017-02-12 20:00:00,EST-5,2017-02-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed the Middle Ohio River Valley and Central Appalachians through the evening of the 12th. Gusty winds occurred both ahead of and behind the front. The strongest winds were across north central West Virginia, where widespread gusts of 40 to 50 mph were measured by automated weather stations, there were also some isolated reports of 50 to 60 mph. Scattered power outages were reported, due to fallen trees. Several thousand residents experienced power hits through the evening.","" +112275,669701,WEST VIRGINIA,2017,February,High Wind,"SOUTHEAST RANDOLPH",2017-02-12 20:00:00,EST-5,2017-02-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front crossed the Middle Ohio River Valley and Central Appalachians through the evening of the 12th. Gusty winds occurred both ahead of and behind the front. The strongest winds were across north central West Virginia, where widespread gusts of 40 to 50 mph were measured by automated weather stations, there were also some isolated reports of 50 to 60 mph. Scattered power outages were reported, due to fallen trees. Several thousand residents experienced power hits through the evening.","" +112706,672947,VERMONT,2017,February,Winter Storm,"WESTERN CHITTENDEN",2017-02-15 13:00:00,EST-5,2017-02-16 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to twelve inches of snow fell across the region. Numerous vehicle accidents and mishaps during the evening commute of 2/15." +112840,674715,MISSOURI,2017,February,Hail,"BARRY",2017-02-28 15:50:00,CST-6,2017-02-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-93.69,36.78,-93.69,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674718,MISSOURI,2017,February,Hail,"STONE",2017-02-28 15:53:00,CST-6,2017-02-28 15:53:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.47,36.81,-93.47,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","This hail report came from social media." +112840,674717,MISSOURI,2017,February,Hail,"DENT",2017-02-28 15:50:00,CST-6,2017-02-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-91.54,37.65,-91.54,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674720,MISSOURI,2017,February,Hail,"STONE",2017-02-28 16:02:00,CST-6,2017-02-28 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-93.49,36.85,-93.49,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674721,MISSOURI,2017,February,Hail,"CHRISTIAN",2017-02-28 16:05:00,CST-6,2017-02-28 16:05:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-93.28,36.92,-93.28,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +113076,676298,WYOMING,2017,February,Winter Storm,"WIND RIVER MOUNTAINS WEST",2017-02-08 13:00:00,MST-7,2017-02-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Heavy snow fell in much of the western Big Horn Range. The highest amount of snow was 14 inches at the Big Sandy Opening SNOTEL site." +113076,676299,WYOMING,2017,February,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-02-08 18:00:00,MST-7,2017-02-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Heavy snow fell in portions of the Salt and Wyoming range. The greatest amount of snow was 13 inches at the Spring Creek Divide SNOTEL." +113119,676534,NEW HAMPSHIRE,2017,February,Heavy Snow,"BELKNAP",2017-02-09 04:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure off the Delmarva Peninsula on the morning of the 9th intensified rapidly as it moved northeast through the Gulf of Maine during the day. The low brought heavy snow to all but Grafton and Coos Counties. Snowfall amounts generally ranged from several inches in Coos County to more than 15 inches in interior Rockingham County.","" +114955,692815,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-29 04:22:00,CST-6,2017-04-29 04:22:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-97.61,35.55,-97.61,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Reported via Mping." +114955,692817,OKLAHOMA,2017,April,Hail,"OKLAHOMA",2017-04-29 04:40:00,CST-6,2017-04-29 04:40:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-97.38,35.65,-97.38,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Reported via Mping." +114955,692818,OKLAHOMA,2017,April,Thunderstorm Wind,"LINCOLN",2017-04-29 05:00:00,CST-6,2017-04-29 05:00:00,0,0,0,0,3.00K,3000,0.00K,0,35.69,-97.06,35.69,-97.06,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Several trees and power lines down in Wellston. Time estimated by radar." +114955,692819,OKLAHOMA,2017,April,Flash Flood,"BLAINE",2017-04-29 08:00:00,CST-6,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8418,-98.4194,35.8419,-98.4013,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Water was six to eight inches deep on residential streets." +114955,692820,OKLAHOMA,2017,April,Flood,"OKLAHOMA",2017-04-29 10:00:00,CST-6,2017-04-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-97.66,35.6512,-97.5538,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Flooding of roads was widespread with depths up to one foot." +114955,692821,OKLAHOMA,2017,April,Flood,"CADDO",2017-04-29 11:00:00,CST-6,2017-04-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-98.48,35.229,-98.4608,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Intersection of county roads 2540 and 1230 was impassable due to high water." +114955,692822,OKLAHOMA,2017,April,Hail,"LOVE",2017-04-29 18:45:00,CST-6,2017-04-29 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-96.98,34.07,-96.98,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +115590,694173,OKLAHOMA,2017,April,Drought,"HARPER",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694174,OKLAHOMA,2017,April,Drought,"ELLIS",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +115590,694175,OKLAHOMA,2017,April,Drought,"ROGER MILLS",2017-04-01 00:00:00,CST-6,2017-04-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With the return of abundant rainfall, severe drought was eliminated from the region.","" +113270,677771,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:49:00,EST-5,2017-02-25 18:49:00,0,0,0,0,,NaN,,NaN,42.53,-73.19,42.53,-73.19,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","A tree was down on a car in Green Acres on Route 8." +113270,677772,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:50:00,EST-5,2017-02-25 18:50:00,0,0,0,0,,NaN,,NaN,42.12,-73.23,42.12,-73.23,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Multiple trees and wires were down in the area." +113270,677773,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:51:00,EST-5,2017-02-25 18:51:00,0,0,0,0,,NaN,,NaN,42.63,-73.12,42.63,-73.12,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Wires were down in a parking lot." +113270,677785,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 18:57:00,EST-5,2017-02-25 18:57:00,0,0,0,0,,NaN,,NaN,42.209,-73.22,42.209,-73.22,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Large trees snapped and uprooted near the Bidwell House Museum. Heavy construction equipment was thrown, causing building damage and tearing off wiring. Damage was in a concentrated area." +113270,677777,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 19:01:00,EST-5,2017-02-25 19:01:00,0,0,0,0,,NaN,,NaN,42.2,-73.07,42.2,-73.07,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Trees and wires were down along Route 23." +112919,722548,ILLINOIS,2017,February,Flood,"WILL",2017-02-28 18:15:00,CST-6,2017-02-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4958,-88.1716,41.4876,-88.1699,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Standing water 3 to 4 inches deep was reported near Interstate 55 and Houlbolt Road." +112919,722518,ILLINOIS,2017,February,Hail,"LA SALLE",2017-02-28 20:55:00,CST-6,2017-02-28 20:56:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-89.12,41.55,-89.12,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +113440,678892,OHIO,2017,February,Winter Weather,"CLARK",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer located 4 miles north of Springfield measured an inch of snow. Cooperative observers just north of Springfield and south of New Carlisle both measured 0.8 inches of snowfall." +113440,678893,OHIO,2017,February,Winter Weather,"CLERMONT",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer near Goshen measured 0.7 inches of snow." +113440,678894,OHIO,2017,February,Winter Weather,"CLINTON",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The NWS office south of Wilmington measured 0.6 inches of snow, while an employee located 2 miles north of town measured a half inch. The cooperative observer 3 miles north of town measured two tenths of an inch." +113440,678895,OHIO,2017,February,Winter Weather,"DARKE",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer west of Versailles measured 2.5 inches of snow. The county garage near Greenville measured 2 inches, as did a CoCoRaHS observer located 3 miles west of Rossburg." +113440,678896,OHIO,2017,February,Winter Weather,"DELAWARE",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","A social media report from 10 miles northwest of Delaware showed that 3 inches of snow fell. The CoCoRaHS observer located 4 miles north of Dublin measured 1.6 inches. The county garage east of Delaware and another CoCoRaHS observer in Lewis Center both measured an inch." +113440,678897,OHIO,2017,February,Winter Weather,"FAIRFIELD",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage south of Lancaster measured an inch of snow." +113440,678898,OHIO,2017,February,Winter Weather,"FRANKLIN",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observers located 8 miles northeast of Columbus and 3 miles east of Dublin both measured an inch of snow. Another CoCoRaHS observer located 3 miles north of Galloway measured 0.7 inches while the CMH airport measured .6 inches." +113253,678939,NEW YORK,2017,February,High Wind,"EASTERN ULSTER",2017-02-13 09:45:00,EST-5,2017-02-13 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,678940,NEW YORK,2017,February,High Wind,"WESTERN ULSTER",2017-02-13 09:45:00,EST-5,2017-02-13 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113312,679138,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:15:00,CST-6,2017-02-14 08:35:00,0,0,0,0,0.00K,0,0.00K,0,28.1228,-96.8022,28.1293,-96.8235,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Matagorda Island RAWS site measured a gust to 43 knots." +113312,679139,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:25:00,CST-6,2017-02-14 08:30:00,0,0,0,0,0.00K,0,0.00K,0,28.2277,-96.7966,28.2231,-96.7913,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Aransas Wildlife Refuge measured a gust to 34 knots." +113312,679140,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 08:24:00,CST-6,2017-02-14 08:54:00,0,0,0,0,0.00K,0,0.00K,0,28.4458,-96.3955,28.4243,-96.3968,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Port O'Connor measured a gust to 37 knots." +113312,679141,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-02-14 09:12:00,CST-6,2017-02-14 09:24:00,0,0,0,0,0.00K,0,0.00K,0,28.4458,-96.3955,28.4243,-96.3968,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Port O'Connor measured a gust to 37 knots." +113312,679153,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-14 08:15:00,CST-6,2017-02-14 08:35:00,0,0,0,0,0.00K,0,0.00K,0,27.8057,-97.1226,27.8083,-97.0853,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","Mustang Beach Airport AWOS in Port Aransas measured gusts to 34 knots." +113312,679154,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-14 08:06:00,CST-6,2017-02-14 08:24:00,0,0,0,0,0.00K,0,0.00K,0,27.6425,-97.2398,27.6346,-97.237,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Packery Channel measured gusts to 35 knots." +113025,675590,IOWA,2017,February,Blizzard,"HUMBOLDT",2017-02-24 00:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675596,IOWA,2017,February,Blizzard,"HANCOCK",2017-02-24 00:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675597,IOWA,2017,February,Blizzard,"WORTH",2017-02-24 00:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113067,676152,MINNESOTA,2017,February,Winter Storm,"DODGE",2017-02-23 18:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and strong winds to southeast Minnesota. The snow started during the evening of February 23rd and continued for much of the day on the 24th. Wind gusts of 25 to 40 mph created drifting snow and the combination of the falling and drifting snow created hazardous travel conditions. Numerous schools closed and the Minnesota DOT advised against travel on Friday the 24th.","Snowfall analysis indicated 8 to 12 inches of snow fell across Dodge County. Winds gusts of 30 to 40 mph created drifting snow and caused dangerous travel conditions." +113531,679619,KENTUCKY,2017,February,Dense Fog,"LYON",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679620,KENTUCKY,2017,February,Dense Fog,"MARSHALL",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679621,KENTUCKY,2017,February,Dense Fog,"MCCRACKEN",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679625,KENTUCKY,2017,February,Dense Fog,"TRIGG",2017-02-19 01:00:00,CST-6,2017-02-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679628,KENTUCKY,2017,February,Dense Fog,"MUHLENBERG",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679629,KENTUCKY,2017,February,Dense Fog,"TODD",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679630,KENTUCKY,2017,February,Dense Fog,"MCLEAN",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +112810,674554,TEXAS,2017,February,Tornado,"WILLIAMSON",2017-02-20 00:28:00,CST-6,2017-02-20 00:31:00,0,0,0,0,,NaN,0.00K,0,30.5443,-97.3525,30.5709,-97.2883,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","This tornado was the southern one of a pair on near parallel tracks a few miles south of Hwy 79. It moved toward the north-northeast through the small town of Noack and then turned to the north approximately a mile north-northeast of the town. Damage was sporadic, but concentrated when it occurred. The most significant damage was to a 3-bin grain storage facility where the bins were completely destroyed and swept from their foundations (DI SBO, DOD 8). Additional damage occurred to an extension of Christ Lutheran Church of Noack on FM112. The extension was ripped from the main building where the walls had been bolted to the foundation (DI LRB, DOD 6). There is no estimate of monetary losses." +112810,674553,TEXAS,2017,February,Tornado,"WILLIAMSON",2017-02-20 00:25:00,CST-6,2017-02-20 00:33:00,0,0,0,0,,NaN,0.00K,0,30.5501,-97.3594,30.6312,-97.2436,"An upper level trough pushed a cold front into a warm, moist airmass over South Central Texas. Thunderstorms developed ahead of the front and some produced tornadoes and damaging wind gusts.","This tornado was the northern one of a pair on near parallel tracks a few miles south of Hwy 79. It made a zig-zag path as it moved in a generally northeasterly direction. Damage was sporadic, but concentrated when it occurred. The most significant damage was to a metal building system home (DI MBS, DOD 5), at least five other single family homes, and 12 railroad cars that were blown off the tracks east of Thrall. The train cars may have also been affected by strong straight-line winds. There is no estimate of monetary losses." +113381,680626,TEXAS,2017,February,Thunderstorm Wind,"MILAM",2017-02-20 00:35:00,CST-6,2017-02-20 00:35:00,0,0,0,0,3.00K,3000,0.00K,0,30.62,-97.2,30.62,-97.2,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","A COOP Observer reported a tree that was approximately 40 feet tall fell down on a house in Thorndale." +115481,702501,TEXAS,2017,May,Thunderstorm Wind,"WALKER",2017-05-28 20:14:00,CST-6,2017-05-28 20:14:00,0,0,0,0,0.00K,0,0.00K,0,30.6945,-95.6137,30.6945,-95.6137,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Severe thunderstorm winds blew a tree down onto FM Road 1791." +121832,730651,ILLINOIS,2017,December,Winter Weather,"STEPHENSON",2017-12-11 13:20:00,CST-6,2017-12-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved eastward from Minnesota into Michigan during the day bringing snow to eastern Iowa and northwest Illinois. The heaviest snow fall across northwest Illinois where snowfall amounts ranged from 2 to 5 inches in Carroll, Jo Daviess, Stephenson, and Whiteside Counties.","Snowfall reports ranged from 1.0 to 2.3 inches across the county." +114080,683134,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 15:07:00,MST-7,2017-04-12 15:12:00,0,0,0,0,,NaN,,NaN,32.584,-104.4,32.584,-104.4,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","" +114080,683135,NEW MEXICO,2017,April,Thunderstorm Wind,"EDDY",2017-04-12 15:30:00,MST-7,2017-04-12 15:30:00,0,0,0,0,6.00K,6000,0.00K,0,32.63,-104.37,32.63,-104.37,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","A thunderstorm moved across Eddy County and produced wind damage in Lakewood. There was significant roof damage to a home in Lakewood. The cost of damage is a very rough estimate." +114080,683136,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 15:30:00,MST-7,2017-04-12 15:35:00,0,0,0,0,,NaN,,NaN,32.63,-104.37,32.63,-104.37,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","" +114080,683137,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 16:20:00,MST-7,2017-04-12 16:25:00,0,0,0,0,,NaN,,NaN,32.4405,-104.2543,32.4405,-104.2543,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","" +114080,683140,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 16:31:00,MST-7,2017-04-12 16:36:00,0,0,0,0,0.00K,0,0.00K,0,32.4405,-104.2058,32.4405,-104.2058,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","" +121832,730652,ILLINOIS,2017,December,Winter Weather,"WHITESIDE",2017-12-11 13:00:00,CST-6,2017-12-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved eastward from Minnesota into Michigan during the day bringing snow to eastern Iowa and northwest Illinois. The heaviest snow fall across northwest Illinois where snowfall amounts ranged from 2 to 5 inches in Carroll, Jo Daviess, Stephenson, and Whiteside Counties.","Snowfall reports ranged from 1.8 inches near Rock falls to 2.4 inches near Sterling." +114080,683141,NEW MEXICO,2017,April,Hail,"EDDY",2017-04-12 17:38:00,MST-7,2017-04-12 17:43:00,0,0,0,0,,NaN,,NaN,32.42,-103.7328,32.42,-103.7328,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail and damaging winds across southeast New Mexico.","A storm moved across Eddy County and produced quarter sized hail and estimated 70 mph winds." +114270,684610,NEW MEXICO,2017,April,High Wind,"EDDY COUNTY PLAINS",2017-04-04 11:50:00,MST-7,2017-04-04 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper shortwave trough passed by just north of the region and resulted in high winds across southeastern New Mexico.","" +114270,684611,NEW MEXICO,2017,April,High Wind,"NORTHERN LEA COUNTY",2017-04-04 15:00:00,MST-7,2017-04-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper shortwave trough passed by just north of the region and resulted in high winds across southeastern New Mexico.","" +114271,684614,TEXAS,2017,April,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-04-04 10:20:00,CST-6,2017-04-04 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper shortwave trough passed by just north of the region and resulted in high winds across west Texas.","" +116060,697536,WISCONSIN,2017,May,Hail,"TAYLOR",2017-05-16 18:09:00,CST-6,2017-05-16 18:09:00,0,0,0,0,0.00K,0,0.00K,0,45.36,-90.8,45.36,-90.8,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Quarter sized hail fell in Jump River." +116060,697537,WISCONSIN,2017,May,Hail,"BUFFALO",2017-05-16 20:30:00,CST-6,2017-05-16 20:30:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-91.68,44.46,-91.68,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Quarter sized hail fell near Gilmanton." +116060,697539,WISCONSIN,2017,May,Hail,"TREMPEALEAU",2017-05-16 20:47:00,CST-6,2017-05-16 20:47:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-91.42,44.47,-91.42,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","" +116060,697540,WISCONSIN,2017,May,Hail,"TREMPEALEAU",2017-05-16 20:47:00,CST-6,2017-05-16 20:47:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-91.4,44.53,-91.4,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","" +112993,675269,NORTH DAKOTA,2017,January,High Wind,"MCKENZIE",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Grassy Butte NDDOT site reported a wind gust of 59 mph." +112993,675270,NORTH DAKOTA,2017,January,High Wind,"OLIVER",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Hanover AIRNOW site reported sustained winds of 45 mph." +112993,675271,NORTH DAKOTA,2017,January,High Wind,"MCLEAN",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Garrison ASOS reported sustained winds of 41 mph." +112993,675272,NORTH DAKOTA,2017,January,High Wind,"SHERIDAN",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Denhoff NDDOT site reported sustained winds of 43 mph." +112993,675274,NORTH DAKOTA,2017,January,High Wind,"MORTON",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Mandan AWOS reported sustained winds of 43 mph." +112993,675275,NORTH DAKOTA,2017,January,High Wind,"BURLEIGH",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Long Lake RAWS reported sustained winds of 44 mph." +112993,675276,NORTH DAKOTA,2017,January,High Wind,"STUTSMAN",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Medina NDDOT site reported sustained winds of 44 mph." +112993,675277,NORTH DAKOTA,2017,January,High Wind,"BURKE",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for western Burke County based on the Crosby RAWS report in Divide County." +115328,692406,FLORIDA,2017,April,Wildfire,"BRADFORD",2017-04-27 19:04:00,EST-5,2017-04-27 19:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry and unseasonably warm conditions fueled brush fires. Long term drought conditions were realized across much of NE Florida.","A 200 acre brush fire was 100% contained in the area of Southeast 109th Street and Southeast 38th Avenue in Hampton. The fire burned on land owned by Two Buck Hunting Club." +115317,692407,FLORIDA,2017,April,Lightning,"BRADFORD",2017-04-06 05:30:00,EST-5,2017-04-06 05:30:00,0,0,0,0,100.00K,100000,0.00K,0,29.8885,-82.31,29.8885,-82.31,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A structure fire due to lightning occurred during the pre-dawn hours. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +115327,692403,GEORGIA,2017,April,Funnel Cloud,"CHARLTON",2017-04-23 18:00:00,EST-5,2017-04-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.78,-82.05,30.78,-82.05,"Scattered sea breezes stormed developed in the afternoon with a sea breeze merger near the Highway 301 corridor in the evening.","A spotter observed a funnel cloud along State Road 121." +115317,692411,FLORIDA,2017,April,Thunderstorm Wind,"BRADFORD",2017-04-06 05:30:00,EST-5,2017-04-06 05:30:00,0,0,0,0,0.20K,200,0.00K,0,29.9714,-82.1784,29.9714,-82.1784,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A tree was blown down across the road at 1511 SW Avenue in Starke. The cost of damage was unknown, but it was estimated to include the event in Storm Data." +114226,684240,HAWAII,2017,April,High Surf,"OLOMANA",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684241,HAWAII,2017,April,High Surf,"MOLOKAI WINDWARD",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684242,HAWAII,2017,April,High Surf,"MOLOKAI LEEWARD",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684243,HAWAII,2017,April,High Surf,"MAUI WINDWARD WEST",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +114226,684244,HAWAII,2017,April,High Surf,"MAUI CENTRAL VALLEY",2017-04-21 03:00:00,HST-10,2017-04-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a strong low far northwest of the Aloha State generated surf of 15 to 25 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai; and the north-facing shores of Oahu and Maui; and 10 to 18 feet along the west-facing shores of Oahu. No serious property damage or injuries were reported.","" +112223,669185,NEBRASKA,2017,January,Winter Weather,"VALLEY",2017-01-11 17:00:00,CST-6,2017-01-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of snow deposited two to just over four inches in Valley and Greeley Counties on this Wednesday night. Widely scattered tiny snow bands meandered through the Sandhills and western Nebraska through the afternoon hours. Late in the afternoon, a larger band formed and increased in strength from northern Lincoln County into Custer County. This band progressed across south central Nebraska between 6 pm and Midnight, and it remained mostly north of Interstate 80. The snow was steadiest over Valley and Greeley Counties, and that is where the greatest snowfall accumulations occurred.||An arctic cold front plunged south through Nebraska during the day, and it was along the Oklahoma-Kansas border by the time snow began falling. High pressure was over the Northern Plains. In the upper-levels, the Westerlies were zonal with no synoptic-scale forcing for ascent. The snow band was driven by mid-level frontogenesis. Without the larger-scale forcing, snowfall amounts were limited.","Storm total snowfall amounts across the area ranged from 2 to just over 4 inches." +112139,669316,SOUTH DAKOTA,2017,January,Winter Weather,"NORTHERN BLACK HILLS",2017-01-31 05:00:00,MST-7,2017-01-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669322,SOUTH DAKOTA,2017,January,Winter Storm,"SOUTHERN FOOT HILLS",2017-01-31 12:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669324,SOUTH DAKOTA,2017,January,Winter Storm,"CENTRAL BLACK HILLS",2017-01-31 03:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669325,SOUTH DAKOTA,2017,January,Winter Storm,"SOUTHERN BLACK HILLS",2017-01-31 07:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669326,SOUTH DAKOTA,2017,January,Winter Weather,"FALL RIVER",2017-01-31 18:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669327,SOUTH DAKOTA,2017,January,Winter Weather,"OGLALA LAKOTA",2017-01-31 05:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112141,668789,MINNESOTA,2017,January,Heavy Snow,"SOUTHERN LAKE",2017-01-02 02:00:00,CST-6,2017-01-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Open but potent shortwave trough ejected into the northern plains and Upper Midwest the morning of January 2nd and resulted in a period of moderate to heavy snow in parts of northern Minnesota. The heaviest snow fell north of the Iron Range and along the north shore of Lake Superior. Most of these areas received 8 to 10 inches of snow, but there was a report of about 13 inches near Kabetogama, MN.","COOP observer in Silver Bay, MN measured 10.1 inches of snow for the previous twenty four hours." +112141,668791,MINNESOTA,2017,January,Heavy Snow,"NORTHERN ITASCA",2017-01-02 04:30:00,CST-6,2017-01-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Open but potent shortwave trough ejected into the northern plains and Upper Midwest the morning of January 2nd and resulted in a period of moderate to heavy snow in parts of northern Minnesota. The heaviest snow fell north of the Iron Range and along the north shore of Lake Superior. Most of these areas received 8 to 10 inches of snow, but there was a report of about 13 inches near Kabetogama, MN.","Trained spotter in Cohasset, MN measured 6.0 inches of snow." +111771,666584,MINNESOTA,2017,January,Cold/Wind Chill,"CENTRAL ST. LOUIS",2017-01-12 05:33:00,CST-6,2017-01-12 07:14:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Local media reported on the accidental death of a young male found in a park in the city of Eveleth, Minnesota. Autopsy report concluded the male had succumbed to hypothermia due to exposure to the cold. Lowest temperature that morning recorded at the Eveleth-Virginia Airport was -28F.","Local media reported on the accidental death of a young male found in a park in the city of Eveleth due to hypothermia." +113409,678624,KENTUCKY,2017,April,Hail,"ROWAN",2017-04-05 20:04:00,EST-5,2017-04-05 20:04:00,0,0,0,0,0.00K,0,0.00K,0,38.23,-83.5,38.23,-83.5,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","A citizen reported penny sized hail near Hilda." +113409,678625,KENTUCKY,2017,April,Thunderstorm Wind,"ROWAN",2017-04-05 20:06:00,EST-5,2017-04-05 20:12:00,0,0,0,0,,NaN,,NaN,38.1524,-83.5529,38.1927,-83.4243,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Dispatch relayed reports of trees down from Farmers to Morehead." +113409,678626,KENTUCKY,2017,April,Thunderstorm Wind,"MORGAN",2017-04-05 20:25:00,EST-5,2017-04-05 20:25:00,0,0,0,0,,NaN,,NaN,38.0179,-83.2701,38.0179,-83.2701,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","A Department of Highways official reported a plethora of large tree debris blown down onto Kentucky Highway 711 near Wrigley." +114935,689403,NEVADA,2017,April,Thunderstorm Wind,"HUMBOLDT",2017-04-26 16:37:00,PST-8,2017-04-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-117.62,41.45,-117.62,"A Thunderstorm produced a wind gust to 65 mph at the Morey Creek RAWS.","" +115692,695203,IDAHO,2017,April,Hail,"POWER",2017-04-02 15:35:00,MST-7,2017-04-02 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-112.6,42.92,-112.6,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Hail the size of 1.25 inches measured at the Pocatello National Weather Service office." +115692,695205,IDAHO,2017,April,Hail,"POWER",2017-04-02 15:39:00,MST-7,2017-04-02 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.9311,-112.5635,42.9311,-112.5635,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Golf ball sized hail measured on Taghee Ln south of W Siphon Rd." +115692,695207,IDAHO,2017,April,Hail,"POWER",2017-04-02 15:41:00,MST-7,2017-04-02 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.9366,-112.5452,42.9366,-112.5452,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Hail measured at 1.50 inches at the intersections of W Siphon Rd and Weaver Rd." +115692,695208,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:42:00,MST-7,2017-04-02 15:52:00,0,0,0,0,0.00K,0,0.00K,0,42.9422,-112.5231,42.9422,-112.5231,"A localized storm brought large hail to the Pocatello/Chubbuck area.","" +115692,695210,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:48:00,MST-7,2017-04-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8566,-112.4376,42.8566,-112.4376,"A localized storm brought large hail to the Pocatello/Chubbuck area.","One inch hail measured near Foothill Blvd and Trail Creek Rd." +113939,682329,NEVADA,2017,April,High Wind,"WHITE PINE",2017-04-13 13:45:00,PST-8,2017-04-13 14:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front approaching White Pine county produced wind gusts up to 64 mph in Ely.","A gust of 62 mph was recorded at the Ely ASOS site and a gust of 64 mph at the Ely CEMP |mesonet site." +115692,695213,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:50:00,MST-7,2017-04-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-112.45,42.92,-112.45,"A localized storm brought large hail to the Pocatello/Chubbuck area.","One inch hail measured in Chubbuck." +115692,695214,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:51:00,MST-7,2017-04-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9007,-112.3881,42.9007,-112.3881,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Hail the size of 1.25 inches measured at the intersection of Pocatello Creek Rd and Booth Dr." +115692,695215,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:51:00,MST-7,2017-04-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-112.43,42.87,-112.43,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Multiple reports from the public of 1.25 inch hail in the city of Pocatello." +115692,695217,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:52:00,MST-7,2017-04-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-112.4105,42.92,-112.4105,"A localized storm brought large hail to the Pocatello/Chubbuck area.","One inch hail measured on Gary St in Chubbuck." +115692,695218,IDAHO,2017,April,Hail,"BANNOCK",2017-04-02 15:57:00,MST-7,2017-04-02 16:05:00,0,0,0,0,0.00K,0,0.00K,0,42.8291,-112.3742,42.8291,-112.3742,"A localized storm brought large hail to the Pocatello/Chubbuck area.","Hail was measured at 1.50 inches on the east bench of Pocatello near the hospital." +113161,676900,WASHINGTON,2017,January,Ice Storm,"UPPER COLUMBIA BASIN",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited two tenths of an inch of ice accumulation at Hartline." +113161,676901,WASHINGTON,2017,January,Ice Storm,"UPPER COLUMBIA BASIN",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a quarter of an inch of ice accumulation at Coulee City. Two inches of sleet was also noted in addition to the ice." +113161,676908,WASHINGTON,2017,January,Ice Storm,"MOSES LAKE AREA",2017-01-17 07:00:00,PST-8,2017-01-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","One inch of sleet and then freezing rain causing a quarter inch of ice accumulation was noted at Quincy." +112625,672319,WASHINGTON,2017,January,Winter Storm,"UPPER COLUMBIA BASIN",2017-01-01 07:00:00,PST-8,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","While only 1 to 2 inches of snow accumulated over Adams and Lincoln Counties from a winter storm system on January 1st, breezy and gusty winds in the wake of an Arctic Front passage produced blowing and drifting snow which lead to the closure of Highway 261 between Ritzville and Washtucna, and Highway 21 between Odessa and Lind." +112625,672318,WASHINGTON,2017,January,Winter Storm,"WASHINGTON PALOUSE",2017-01-01 07:00:00,PST-8,2017-01-03 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic Front descending out of Canada shortly after the turn of the new year interacted with a moist air mass over northeastern Washington to create a band of heavy snow over southern Stevens and Pend Orielle Counties and northern Spokane County. Snow accumulations within this band ranged from 4 inches to nearly one foot in the valleys with over 20 inches in the mountains. The northern reaches of these counties near the Canadian Border only received 2 to 3 inches. South of this band in the Columbia Basin generally 1 to 3 inches of snow fell with local accumulations to 4 inches, but breezy and gusty winds on the exposed terrain of the Palouse caused blowing and drifting snow which closed some roadways through January 2nd and produced near zero visibility in blowing snow near Moses Lake through January 1st.","While only 1 to 3 inches of snow accumulated across the region from a winter storm system on January 1st, breezy and gusty winds in the wake of an Arctic Front passage produced blowing and drifting snow which lead to the closure of Highway 27 between Tekoa and Fairfield. The road was re-opened on the morning of January 2nd." +112668,677109,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","An observer in Huetter measured 4.2 inches of now snow accumulation." +120818,727494,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:40:00,EST-5,2017-11-05 16:40:00,0,0,0,0,125.00K,125000,0.00K,0,41.2228,-83.0309,41.2228,-83.0309,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm wind gust estimated at 70 mph damaged the roof of a home along State Route 101 near Weiker Airport in northern Seneca County. Two barns nearby were also heavily damaged." +113214,677335,TEXAS,2017,January,Frost/Freeze,"STARR",2017-01-07 03:30:00,CST-6,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","Falcon Lake Remote Automated Weather System (FART2) site reported freezing temperatures for 5 hours, with a low of 29 degrees. Rio Grande City COOP site reported a low of 30 degrees." +113214,677336,TEXAS,2017,January,Frost/Freeze,"JIM HOGG",2017-01-06 23:00:00,CST-6,2017-01-07 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","Hebbronville Airport AWOS (KHBV) site reported freezing temperatures for almost 12 hours, with a low of 25 degrees. Hebbronville Remote Automated Weather System (HVLT2) reported freezing temperatures for almost 12 hours, with a low of 24 degrees." +120818,727495,OHIO,2017,November,Thunderstorm Wind,"SENECA",2017-11-05 16:40:00,EST-5,2017-11-05 16:44:00,0,0,0,0,350.00K,350000,0.00K,0,41.1235,-83.0693,41.1249,-82.9217,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds estimated at 70 mph caused damage along State Route 18 from about two miles west of Republic to Republic. Nearly every property along State Route 18 from Schubert Road to County Road 43 sustained damage. Several homes had roof damage and a couple barns lost entire roofs. A semi trailer was overturned and many trees were toppled or uprooted. Part of a unharvested corn field was flattened. Several homes in the town of Republic also sustained roof damage. The damage also continued east of Republic along State Route 162. A couple barns were heavily damaged and a couple dozen trees toppled. Damage was also reported just to the south along Township Road 8 which runs parallel to State Routes 18 and 162. Scattered power outages were reported throughout the Republic area." +112714,673026,WASHINGTON,2017,January,High Wind,"WESTERN WHATCOM COUNTY",2017-01-04 02:04:00,PST-8,2017-01-04 04:04:00,0,0,0,0,153.00K,153000,0.00K,0,NaN,NaN,NaN,NaN,"Brief high wind occurred at Sandy Point Shores.","Sandy Point Shores recorded a gust of 58 mph. Puget Sound Energy responded to a number of power outages." +113239,677525,WASHINGTON,2017,January,Ice Storm,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-01-17 10:00:00,PST-8,2017-01-18 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A large accumulation of sleet and freezing rain (4 to 7 inches) in Snoqualmie Pass from late Tuesday afternoon, January 17, through Wednesday morning, January 18, caused slides of snow and trees across I-90. Washington DOT closed the highway through Thursday morning, January 19.","A large accumulation of sleet and freezing rain (4 to 7 inches) in Snoqualmie Pass from late Tuesday afternoon, January 17, through Wednesday morning, January 18, caused slides of snow and trees across Interstate-90. Washington DOT closed the highway through Thursday morning, January 19." +111703,666302,WASHINGTON,2017,January,High Wind,"EAST PUGET SOUND LOWLANDS",2017-01-08 10:14:00,PST-8,2017-01-08 13:44:00,0,0,0,0,351.00K,351000,0.00K,0,NaN,NaN,NaN,NaN,"In an offshore flow pattern, high wind occurred in the East Puget Sound lowlands.","A spotter reported wind gusting to 60 mph in North Bend. A CWOP site near Snoqualmie recorded a gust of 67 mph. Puget Sound Energy responded to a number of power outages in the region." +111704,666304,WASHINGTON,2017,January,High Wind,"WESTERN WHATCOM COUNTY",2017-01-10 10:14:00,PST-8,2017-01-11 02:34:00,0,0,0,0,208.00K,208000,0.00K,0,NaN,NaN,NaN,NaN,"In a strong Fraser River outflow pattern, high wind occurred in western Whatcom County and the San Juan Islands.","An unusually large number of sites recorded high wind. These include Sandy Point Shores, 38g67 mph; Ferndale, 21g60 mph; Lynden, 41g54 mph; Maple Falls, 60 mph gust; Lummi Island, 70 mph gust; and Everson, 65 mph gust. Puget Sound Energy responded to a number of power outages in the area." +112715,673030,WASHINGTON,2017,January,High Wind,"CENTRAL COAST",2017-01-17 19:00:00,PST-8,2017-01-18 07:35:00,0,0,0,0,138.00K,138000,0.00K,0,NaN,NaN,NaN,NaN,"There was high wind on the central coast and over the northwest interior.","KHQM recorded 41g47 mph for several hours. Grays Harbor PUD responded to the loss of eight transmission poles along SR 105. Crews worked through the night to restore power in the area." +113055,675905,CALIFORNIA,2017,January,Flash Flood,"SAN DIEGO",2017-01-20 16:00:00,PST-8,2017-01-20 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.4439,-117.2479,33.4471,-117.2474,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","The CHP reported a vehicle in jeopardy of being washed off a bridge near Sandia Creek Dr. and Rock Mountain Rd." +113055,676363,CALIFORNIA,2017,January,High Surf,"SAN DIEGO COUNTY COASTAL AREAS",2017-01-20 16:00:00,PST-8,2017-01-24 19:00:00,3,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","Lifeguards along the San Diego County coast reported 7 to 10 ft surf between the 20th and 24th. Peak sets of 12-15 ft were reported on the 22nd and 21st south of Carlsbad. Two women were swept from the rocks in Sunset Cliffs by surf up to 15 ft between 1700 and 1800PST on the 21st. One woman was killed and the second suffered serious injuries. Two lifeguards were also injured during the rescue attempt. Significant beach erosion and minor coastal flooding occurred along the coast. The Imperial Beach Pier was closed for a time." +115816,696042,FLORIDA,2017,April,Hail,"SEMINOLE",2017-04-04 13:53:00,EST-5,2017-04-04 13:53:00,0,0,0,0,0.00K,0,0.00K,0,28.68,-81.25,28.68,-81.25,"A long-lived severe thunderstorm traveled east-southeast across Seminole County and into far northeast Orange County while producing quarter-sized hail. Numerous hail reports were received from residents from Altamonte Spring to Caselberry to Bithlo.","A weather spotter in Winter Springs observed one inch hail. Two minutes later, an amateur radio operator measured quarter-sized hail about 0.75 miles west of the intersection of SR-417 and SR-434 in Winter Springs." +115816,696045,FLORIDA,2017,April,Hail,"ORANGE",2017-04-04 14:15:00,EST-5,2017-04-04 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.588,-81.106,28.588,-81.106,"A long-lived severe thunderstorm traveled east-southeast across Seminole County and into far northeast Orange County while producing quarter-sized hail. Numerous hail reports were received from residents from Altamonte Spring to Caselberry to Bithlo.","A CoCoRaHS observer (FL-OR-23) north of Bithlo, near Lake Pickett, observed walnut sized hail." +113213,677321,TENNESSEE,2017,January,Winter Weather,"LAWRENCE",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Lawrence County emergency manager measured 1.5 inches of snow 2 miles east of Lawrenceburg." +113213,677319,TENNESSEE,2017,January,Winter Weather,"HICKMAN",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Approximately 1.5 inches of snow was measured in Centerville, Bon Aqua, and 12 miles south-southeast of Dickson." +113213,677317,TENNESSEE,2017,January,Winter Weather,"LEWIS",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A Facebook report indicated 2 inches of snow was measured in Gordonsburg." +115429,693096,NORTH CAROLINA,2017,April,Thunderstorm Wind,"RANDOLPH",2017-04-03 16:30:00,EST-5,2017-04-03 16:30:00,0,0,0,0,0.00K,0,0.50K,500,35.67,-79.89,35.67,-79.89,"A cold pool dominated squall line moved through Central North Carolina during the early evening hours of April 3rd. A few isolated storms within the line became severe, producing damaging straight line winds.","One tree was blown down at the intersection of NC highway 49 south and Union Church Road." +115429,693097,NORTH CAROLINA,2017,April,Thunderstorm Wind,"ANSON",2017-04-03 16:24:00,EST-5,2017-04-03 16:24:00,0,0,0,0,1.00K,1000,0.50K,500,34.92,-80.12,34.92,-80.12,"A cold pool dominated squall line moved through Central North Carolina during the early evening hours of April 3rd. A few isolated storms within the line became severe, producing damaging straight line winds.","A tree and power lines were blown down at the intersection of NC-109 South and Horton Road." +115699,695231,TEXAS,2017,April,Hail,"JEFFERSON",2017-04-29 08:16:00,CST-6,2017-04-29 08:16:00,0,0,0,0,0.00K,0,0.00K,0,29.91,-94.41,29.91,-94.41,"A storm system moved closer to the region during the 29th. While most of the activity was well to the east in Louisiana, one storm became severe in Southeast Texas.","Quarter size hail was reported between Winnie and Nome." +115700,695234,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 17:45:00,CST-6,2017-04-29 17:45:00,0,0,0,0,0.00K,0,0.00K,0,30.17,-93.27,30.17,-93.27,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Quarter size hail was reported via social media." +115700,695235,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 17:49:00,CST-6,2017-04-29 17:49:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-93.26,30.19,-93.26,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A NWS employee reported nickel size hail." +115859,696293,NEBRASKA,2017,April,Thunderstorm Wind,"FRONTIER",2017-04-09 15:46:00,CST-6,2017-04-09 15:46:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-100.31,40.48,-100.31,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Wind gusts estimated at 60 MPH at this location along with 0.20 inches of rain." +115859,696294,NEBRASKA,2017,April,Thunderstorm Wind,"FRONTIER",2017-04-09 16:11:00,CST-6,2017-04-09 16:11:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-100.03,40.66,-100.03,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","Estimated wind gust of 60 MPH in Eustis." +115859,696296,NEBRASKA,2017,April,Thunderstorm Wind,"CUSTER",2017-04-09 16:24:00,CST-6,2017-04-09 16:24:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-100.06,41.25,-100.06,"An approaching upper level disturbance and cold front led to the development of thunderstorms across southwestern and portions of central Nebraska during the mid afternoon hours. This activity spread east and became severe with damaging winds up to 62 MPH being reported.","A COOP observer west of Callaway measured a wind gust of 62 MPH." +113345,678216,ILLINOIS,2017,January,Ice Storm,"CLINTON",2017-01-13 08:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678217,ILLINOIS,2017,January,Ice Storm,"WASHINGTON",2017-01-13 08:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678218,ILLINOIS,2017,January,Ice Storm,"MARION",2017-01-13 08:00:00,CST-6,2017-01-15 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +113345,678232,ILLINOIS,2017,January,Ice Storm,"ADAMS",2017-01-14 18:00:00,CST-6,2017-01-15 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An Ice Storm hit parts of West Central and Southwest Illinois on Martin Luther King Holiday Weekend. Ice amounts ranged form .25 to .40 inch. Impacts were limited to some scattered power outages and transportation slow downs. Many problems were averted as most schools and businesses closed on Friday, the first day of the event.","" +115850,696236,NEW YORK,2017,April,Thunderstorm Wind,"CHENANGO",2017-04-16 15:30:00,EST-5,2017-04-16 15:40:00,0,0,0,0,5.00K,5000,0.00K,0,42.53,-75.52,42.53,-75.52,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in trees being knocked over on wires." +115850,696237,NEW YORK,2017,April,Thunderstorm Wind,"OTSEGO",2017-04-16 15:50:00,EST-5,2017-04-16 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.34,-75.33,42.34,-75.33,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in a tree being knocked over on county route 1." +115850,696239,NEW YORK,2017,April,Thunderstorm Wind,"DELAWARE",2017-04-16 16:15:00,EST-5,2017-04-16 16:25:00,0,0,0,0,3.00K,3000,0.00K,0,42.28,-74.91,42.28,-74.91,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in trees being knocked over." +113424,678708,OREGON,2017,January,Heavy Snow,"BAKER",2017-01-09 20:00:00,MST-7,2017-01-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","The cooperative observer at Halfway reported 5 inches of snow while a trained spotter in Sumpter passed along reports of 8 to 12 inches of snow in southwest Baker County." +113424,678709,OREGON,2017,January,Heavy Snow,"HARNEY",2017-01-09 20:00:00,PST-8,2017-01-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Trained spotters around Harney County reported 5 to 7 inches of snow." +113424,678710,OREGON,2017,January,Heavy Snow,"MALHEUR",2017-01-09 20:00:00,MST-7,2017-01-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Trained spotters in Juntura and Harper reported 5 to 7 inches of snow." +113424,678711,OREGON,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-09 22:00:00,MST-7,2017-01-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front situated across northern California and Nevada and the overrunning precipitation spread areas of heavy snow over parts of Eastern Oregon and Southwest Idaho.","Trained spotters in Vale and Jamieson reported 4 to 6 inches of snow." +113426,678721,OREGON,2017,January,Heavy Snow,"BAKER",2017-01-18 05:00:00,MST-7,2017-01-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","The cooperative observer at Halfway reported 16 inches of snow and social media reports of 6 to 8 inches at Baker City." +113426,678722,OREGON,2017,January,Heavy Snow,"HARNEY",2017-01-18 05:00:00,PST-8,2017-01-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","Reports of 8 to 10 inches of snow at Burns and Drewsey were received through social media." +113426,678717,OREGON,2017,January,Heavy Snow,"MALHEUR",2017-01-18 06:00:00,MST-7,2017-01-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","Numerous social media reports were received of 8 to 12 inches of snow around Harper and Juntura." +113425,678712,IDAHO,2017,January,Heavy Snow,"UPPER WEISER VALLEY",2017-01-18 08:00:00,MST-7,2017-01-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","The cooperative observers at Cambridge and Council reported 15 and 16 inches of snow, respectively." +113425,678713,IDAHO,2017,January,Heavy Snow,"WEST CENTRAL MOUNTAINS",2017-01-18 08:00:00,MST-7,2017-01-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","The cooperative observers at McCall, New Meadows and Deadwood reported 14, 12 and 18 inches of snow, respectively while the emergency manager at New Meadows reported around 15 inches." +113734,681057,CALIFORNIA,2017,February,High Wind,"APPLE AND LUCERNE VALLEYS",2017-02-17 10:00:00,PST-8,2017-02-17 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Frequent wind gusts in the 55-65 mph range were measured by mesonet stations in Hesperia, with a peak gust of 72 mph between 1410 and 1420PST. Big rigs were blown over along Interstate 15 below the Cajon Pass and along Phelan Rd. west of Hesperia." +113734,681087,CALIFORNIA,2017,February,Heavy Snow,"SAN BERNARDINO COUNTY MOUNTAINS",2017-02-17 14:00:00,PST-8,2017-02-18 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Thirteen hour snow totals ranged from 12-24 inches above 6,500 ft, to a trace as low as 4,500 ft. Mt. Baldy and Mountain High ski resorts reported 16 to 24 inches of snow over a 13 hour period, while Green Valley Lake received 12 inches. Other snow totals included 8 inches in Wrightwood, 6 inches in Running Springs, and 3 inches in Big Bear." +113734,681051,CALIFORNIA,2017,February,High Wind,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-17 10:00:00,PST-8,2017-02-17 19:00:00,0,0,1,0,7.00M,7000000,100.00K,100000,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Strong southerly winds downed hundreds of trees across coastal San Diego County. Many Cars were crushed by falling trees, power lines were downed, homes and business were damaged and one fatality was reported in East San Diego. The San Diego metro was hardest hit, with several mesonet/ASOS sites reporting wind gusts in the 50 to 60 mph range. A peak gust of 61 mph occurred at Imperial Beach. Storm damages reached the millions of dollars." +114164,683681,WASHINGTON,2017,April,High Wind,"WESTERN SKAGIT COUNTY",2017-04-07 18:38:00,PST-8,2017-04-07 20:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","Blanchard Mountain recorded sustained wind of 44 mph, with a peak gust of 63 mph." +114164,683683,WASHINGTON,2017,April,High Wind,"ADMIRALTY INLET AREA",2017-04-07 13:47:00,PST-8,2017-04-07 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","The KNUW ASOS recorded a peak wind of 59 mph. A weather spotter near Coupeville recorded sustained wind of 41 mph, gusting to 58 mph. Another spotter 8 miles northwest of Langley recorded a gust of 58 mph." +114164,683686,WASHINGTON,2017,April,High Wind,"BELLEVUE AND VICINITY",2017-04-07 18:13:00,PST-8,2017-04-07 20:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind occurred on the Washington coast and over the north interior.","An instrument near Maltby recorded a 65 mph gust." +114833,688844,WASHINGTON,2017,April,Avalanche,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-04-11 00:00:00,PST-8,2017-04-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sometime on 04/11, an avalanche occurred near Snoqualmie Pass, WA that killed a skier on a backcountry trail. The skier did not return home and was found by a search crew.","Backcountry skier died in avalanche on Red Mountain near Snoqualmie Pass." +115070,690715,WASHINGTON,2017,April,Debris Flow,"SNOHOMISH",2017-04-03 00:00:00,PST-8,2017-04-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,48.2734,-121.9006,48.2681,-121.8971,"A landslide occurred near the town of Oso.","A small landslide occurred near the town of Oso, WA and SR530 was closed for precaution (4 mile stretch between Oso Loop Road and C Post Road." +113485,679336,NEW MEXICO,2017,April,High Wind,"NORTHEAST HIGHLANDS",2017-04-09 09:30:00,MST-7,2017-04-09 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough racing eastward with a sharp Pacific cold front produced strong west winds along and east of the central mountain chain. The strongest winds impacted the area along the U.S. Highway 84 corridor from near Las Vegas to Tecolotito where peak wind gusts up to 68 mph were reported.","A public weather station near Tecolotito reported a peak wind gust to 68 mph. The Las Vegas airport reported a peak wind gust to 60 mph." +113930,682323,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-02-21 00:30:00,CST-6,2017-02-21 00:30:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-89.41,28.93,-89.41,"Scattered strong storms affected the coastal waters adjacent to southeast Louisiana and Mississippi.","Pilot's Station East (PSTL1) reported a wind gust of 39 knots. The station continued to report wind gusts greater than or equal to 34 knots through 1:06 am." +113554,679806,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 04:50:00,MST-7,2017-04-12 05:00:00,0,0,0,0,0.00K,0,0.00K,0,32.93,-105.26,32.93,-105.26,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Report relayed via Twitter of hail up to the size of half dollars." +113756,681120,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 13:00:00,PST-8,2017-02-28 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,32.5439,-117.0386,32.5408,-117.0617,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Flooding in the Tijuana River Valley impacted agricultural areas and led to roadway closures." +113756,681107,CALIFORNIA,2017,February,Flood,"SAN DIEGO",2017-02-27 15:30:00,PST-8,2017-02-27 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.9027,-117.2267,32.9038,-117.2214,"An east west oriented atmospheric river impacted San Diego County and northern Baja on the 27th and 28th of February, resulting in a prolonged period of moderate to heavy rain. Rainfall totals of 6-9 inches along the coastal slopes, 3-5 inches in the valleys and 2-4 inches in coastal areas were reported in San Diego County, all within a 24 hour period. Elsewhere rainfall was significantly lighter. Widespread street, small stream, and river flooding resulted. Roadways were flooded and numerous swift water rescued occurred along the San Diego River which crested at 14.15 ft just after midnight. There were a dozen night time high water rescues and an evacuation of 45 persons from a hotel surrounding by moving water. This was the third highest crest on record. Flooding and tree damage also cut power to several thousand customers in San Diego County. Traffic collision for the day were 5 times their usual rate.","Flooding submerged two cars along Surrento Valley Rd. and Roselle St." +113570,682557,INDIANA,2017,February,Hail,"MORGAN",2017-02-28 22:40:00,EST-5,2017-02-28 22:42:00,0,0,0,0,,NaN,0.00K,0,39.41,-86.42,39.41,-86.42,"A low pressure system brought very warm and unstable air for late February/early March to central Indiana. The result was severe thunderstorms and 7 tornadoes. The severe wind gusts occurred near the Indianapolis metropolitan area and looked to possibly be the result of a descending inflow jet. Aside from the three severe wind reports and one small hail report, most of the severe observations from this episode came in on the 1st of March and will be entered in next month's storm data.","" +113570,682558,INDIANA,2017,February,Thunderstorm Wind,"MARION",2017-02-28 22:33:00,EST-5,2017-02-28 22:33:00,0,0,0,0,,NaN,0.00K,0,39.72,-86.29,39.72,-86.29,"A low pressure system brought very warm and unstable air for late February/early March to central Indiana. The result was severe thunderstorms and 7 tornadoes. The severe wind gusts occurred near the Indianapolis metropolitan area and looked to possibly be the result of a descending inflow jet. Aside from the three severe wind reports and one small hail report, most of the severe observations from this episode came in on the 1st of March and will be entered in next month's storm data.","A 58 mph thunderstorm wind gust was measured in this location." +113987,682670,CALIFORNIA,2017,February,Heavy Snow,"S SIERRA MTNS",2017-02-06 08:08:00,PST-8,2017-02-07 08:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","Coop observer reported a measured 15 inches of snowfall near Tuolumne Meadows in Tuolumne County. Also reported a snow depth of 112 inches." +113987,682671,CALIFORNIA,2017,February,Debris Flow,"MARIPOSA",2017-02-06 11:40:00,PST-8,2017-02-06 11:40:00,0,0,0,0,0.00K,0,0.00K,0,37.6737,-119.8217,37.6618,-119.8198,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported a debris flow from heavy rainfall with a large boulder in the road near State Route 140 and Foresta Road intersection just west of El Portal." +113987,682673,CALIFORNIA,2017,February,Debris Flow,"MADERA",2017-02-07 11:20:00,PST-8,2017-02-07 11:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3977,-119.6283,37.4,-119.6355,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported a debris flow and small slide near State Route 41 and Cedar Valley Drive north of Yosemite Forks." +113987,682674,CALIFORNIA,2017,February,Debris Flow,"MARIPOSA",2017-02-07 11:23:00,PST-8,2017-02-07 11:23:00,0,0,0,0,5.00K,5000,0.00K,0,37.5257,-119.9523,37.537,-119.9405,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported 3/4 of road blocked due to a debris flow with land slide State Route 140 and Yosemite Oaks Road south of Midpines." +113987,682676,CALIFORNIA,2017,February,Debris Flow,"MARIPOSA",2017-02-07 12:06:00,PST-8,2017-02-07 12:06:00,0,0,0,0,5.00K,5000,0.00K,0,37.4815,-119.9515,37.4668,-119.9414,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported rock slide which completely blocked west bound lane near State Route 49 and State Route 140 intersection near Mariposa." +113987,682677,CALIFORNIA,2017,February,Debris Flow,"TULARE",2017-02-07 16:00:00,PST-8,2017-02-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1473,-118.6276,36.1529,-118.6099,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported a large rock slide due to heavy rainfall on Highway 190 about 1 mile north of Camp Nelson." +113987,682678,CALIFORNIA,2017,February,Debris Flow,"KERN",2017-02-07 04:39:00,PST-8,2017-02-07 04:39:00,0,0,0,0,0.00K,0,0.00K,0,35.7323,-118.5634,35.7408,-118.5531,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol 5 by 5 foot boulder in road due to heavy rain near State Route 155 and Alta Sierra Drive near Alta Sierra." +113999,682778,MAINE,2017,February,Heavy Snow,"COASTAL YORK",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682779,MAINE,2017,February,Heavy Snow,"INTERIOR CUMBERLAND",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682780,MAINE,2017,February,Heavy Snow,"INTERIOR YORK",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682781,MAINE,2017,February,Heavy Snow,"LINCOLN",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682782,MAINE,2017,February,Heavy Snow,"NORTHERN FRANKLIN",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +112663,672761,NEW MEXICO,2017,February,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-02-27 22:00:00,MST-7,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts along the west facing slopes of the Sangre de Cristo Mountains ranged from 6 to 12 inches. The highest amounts were reported in the area around Shady Brook." +112663,672765,NEW MEXICO,2017,February,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-02-27 22:00:00,MST-7,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts over the high terrain of Taos County ranged from 12 to 24 inches. Strong winds accompanied the heavy snowfall over the Taos Ski Valley where gusts up to 69 mph were reported." +114009,682818,WASHINGTON,2017,February,Heavy Snow,"KITTITAS VALLEY",2017-02-05 05:10:00,PST-8,2017-02-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought significant snow fall to portions of south-central Washington February 5th and 6th.","Storm total snow accumulation of 12 inches, 1 mile SE of Ellensburg in Kittitas county." +114009,682819,WASHINGTON,2017,February,Heavy Snow,"YAKIMA VALLEY",2017-02-05 08:00:00,PST-8,2017-02-06 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought significant snow fall to portions of south-central Washington February 5th and 6th.","Storm total snow accumulation of 7 inches at Tieton in Yakima county." +112555,671480,WISCONSIN,2017,February,Winter Storm,"EAU CLAIRE",2017-02-23 23:00:00,CST-6,2017-02-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm dropped a narrow area of nearly 13 inches of snow from Lake City MN to Durand WI, northeast to Eau Claire to Augusta. This storm |moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow. Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict.||Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota and into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northeast toward Lake City, Ellsworth, and into Menomonie and Eau Claire by midnight. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the evening as the upper level part of the storm moved across the Upper Midwest.||Some of the higher totals included Stockholm with 13 inches, Augusta 12 inches, Hager City 11 inches, Elk Mound 10 inches, and Eau Claire 9 inches.","Local observers and trained spotters reported between 10 to 12 inches of snow that fell Thursday evening, through Friday evening. The heaviest totals were near Augusta which received 12 inches." +112555,671481,WISCONSIN,2017,February,Winter Storm,"PEPIN",2017-02-23 21:00:00,CST-6,2017-02-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm dropped a narrow area of nearly 13 inches of snow from Lake City MN to Durand WI, northeast to Eau Claire to Augusta. This storm |moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow. Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict.||Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota and into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northeast toward Lake City, Ellsworth, and into Menomonie and Eau Claire by midnight. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the evening as the upper level part of the storm moved across the Upper Midwest.||Some of the higher totals included Stockholm with 13 inches, Augusta 12 inches, Hager City 11 inches, Elk Mound 10 inches, and Eau Claire 9 inches.","Local observers and trained spotters reported between 10 to 13 inches of snow that fell Thursday evening, through Friday evening. The heaviest total was near Stockholm which received 13 inches." +112258,671710,GEORGIA,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-21 13:40:00,EST-5,2017-01-21 13:50:00,0,0,0,0,7.00K,7000,,NaN,32.6097,-82.6158,32.6097,-82.6158,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Johnson County 911 center reported trees and power lines blown down along Highway 15." +111483,671745,ALABAMA,2017,January,Flood,"GENEVA",2017-01-01 20:45:00,CST-6,2017-01-03 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.02,-85.71,31.0205,-85.7062,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Settlement Road was closed due to flooding at the wooden bridge. A local creek intersects this area and likely overflowed due to a long duration of moderate to heavy rainfall." +113637,681703,MONTANA,2017,February,Avalanche,"WEST GLACIER REGION",2017-02-06 00:00:00,MST-7,2017-02-06 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A steady stream of moisture coming in from the southwest interacted with the Arctic air sliding down from Canada, and caused heavy snow and gusty easterly winds over northwest Montana. Near whiteout conditions with snowfall rates of 1 to 2 inches per hour were observed. Some places received over 30 inches of new snow. Roads become impassable at times, particularly in the Essex to Kalispell corridor during the Monday morning commute. Previous heavy snowfall that occurred Feb. 3 and 4 compounded snow removal problems in city-centers. Airport operations had difficulty keeping runways clear during this event.","An avalanche covered the BNSF railway that runs parallel to US-2 near Marias Pass. Avalanche warnings and rail and road closures continued for days after the storm ended." +116916,703143,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:50:00,EST-5,2017-05-27 16:50:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-77.55,37.62,-77.55,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Hen egg size hail was reported." +116916,703144,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 17:00:00,EST-5,2017-05-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-77.51,37.64,-77.51,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Hen egg size hail was reported." +113838,681721,IDAHO,2017,February,Winter Weather,"NORTHERN CLEARWATER MOUNTAINS",2017-02-07 13:00:00,PST-8,2017-02-08 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A moist air mass combined with a surface low pressure system to the south of the Grangeville area helped create a northerly, upslope flow pattern, which is favorable for heavy snow on the southern side of the Camas Prairie. Grangeville and Kooskia saw impressive snow fall totals in the 9 to 14 inch range over the course of 24 hours.","A spotter reported 5 inches of new snow at the highest elevations along Grangemont Road in Clearwater County, ID. Two cars had to be pulled from ditches during this spotter's commute." +113838,683082,IDAHO,2017,February,Heavy Snow,"SOUTHERN CLEARWATER MOUNTAINS",2017-02-07 13:00:00,PST-8,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist air mass combined with a surface low pressure system to the south of the Grangeville area helped create a northerly, upslope flow pattern, which is favorable for heavy snow on the southern side of the Camas Prairie. Grangeville and Kooskia saw impressive snow fall totals in the 9 to 14 inch range over the course of 24 hours.","The public reported 12 inches of snow in 24 hours near Lowell, ID." +113838,682492,IDAHO,2017,February,Heavy Snow,"OROFINO / GRANGEVILLE REGION",2017-02-07 13:00:00,PST-8,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist air mass combined with a surface low pressure system to the south of the Grangeville area helped create a northerly, upslope flow pattern, which is favorable for heavy snow on the southern side of the Camas Prairie. Grangeville and Kooskia saw impressive snow fall totals in the 9 to 14 inch range over the course of 24 hours.","The Idaho Transportation Department plow drivers estimated about 12 inches of new snow on portions of area highways. A trained spotter reported 9 inches of snow in Grangeville, ID during this event. Public reports showed snow still falling with 6 to 9 inches of new snow already on the ground in Kooskia and Grangeville. Another public report after the event had ended put the storm total at 14 inches near Kooskia. The Grangeville airport AWOS reported low clouds and reduced visibility for an 18 hour period. During the periods of heaviest snowfall, visibility was as low as 0.25 miles with a cloud deck 300 ft above the surface. Winds were generally less than 10 mph." +112362,670069,FLORIDA,2017,February,Thunderstorm Wind,"TAYLOR",2017-02-07 20:00:00,EST-5,2017-02-07 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,30.1275,-83.5824,30.1275,-83.5824,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down along Jefferson Street in Perry. One tree fell on a car. Damage was estimated." +112474,670623,TEXAS,2017,February,Thunderstorm Wind,"RUSK",2017-02-20 03:50:00,CST-6,2017-02-20 03:50:00,0,0,0,0,0.00K,0,0.00K,0,32.2314,-94.938,32.2314,-94.938,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Power lines were downed near the New London community." +117402,706071,TEXAS,2017,June,Flash Flood,"TOM GREEN",2017-06-23 19:30:00,CST-6,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4803,-100.4748,31.4299,-100.5428,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","San Angelo Police Department reported street flooding in San Angelo." +112570,671658,OHIO,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-24 22:20:00,EST-5,2017-02-24 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.97,-82.93,39.97,-82.93,"Severe thunderstorms developed ahead of a cold front that moved up the Ohio Valley after a day of record setting February heat.","Several large tree limbs were knocked down along and near East Broad Street in Bexley." +115931,696562,MISSISSIPPI,2017,April,Coastal Flood,"HANCOCK",2017-04-30 07:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Strong onshore flow led to tides rising approximately 2 feet above normal. This resulted in coastal flooding mainly in the Shoreline Park area with some roads becoming impassible to cars." +115932,696563,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-04-30 16:40:00,CST-6,2017-04-30 16:40:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-89.55,29.12,-89.55,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","AWOS station KDLP in West Delta Block 27A reported a wind gust of 41 knots." +115932,696570,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-04-30 10:40:00,CST-6,2017-04-30 10:40:00,0,0,0,0,0.00K,0,0.00K,0,30.3612,-90.0887,30.3612,-90.0887,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Weatherflow site XMVL measured a wind gust of 40.8 mph." +115932,696571,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-04-30 10:36:00,CST-6,2017-04-30 10:36:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","New Orleans Lakefront Airport ASOS reported a wind gust of 38 knots." +115932,696587,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-04-30 18:13:00,CST-6,2017-04-30 18:13:00,0,0,0,0,0.00K,0,0.00K,0,29.0581,-89.3043,29.0581,-89.3043,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Weatherflow East Bay Tower (XEBT) reported a wind gust of 39.8 mph." +115932,696611,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-04-30 17:20:00,CST-6,2017-04-30 17:20:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-89.55,29.12,-89.55,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","AWOS station KDLP in West Delta Block 27A reported a wind gust of 38 knots." +115932,696612,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-04-30 17:40:00,CST-6,2017-04-30 17:40:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-89.55,29.12,-89.55,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","AWOS station KDLP in West Delta Block 27A reported a wind gust of 45 knots." +115932,696631,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-04-30 19:58:00,CST-6,2017-04-30 19:58:00,0,0,0,0,0.00K,0,0.00K,0,29.0581,-89.3043,29.0581,-89.3043,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Weatherflow East Bay Tower (XEBT) measured a wind gust of 55.3 mph." +112363,670028,GEORGIA,2017,February,Thunderstorm Wind,"LOWNDES",2017-02-07 19:55:00,EST-5,2017-02-07 19:55:00,0,0,0,0,0.00K,0,0.00K,0,30.9245,-83.3941,30.9245,-83.3941,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down on Shilo Road." +112363,670029,GEORGIA,2017,February,Thunderstorm Wind,"LOWNDES",2017-02-07 20:06:00,EST-5,2017-02-07 20:06:00,0,0,0,0,0.00K,0,0.00K,0,30.8419,-83.2555,30.8419,-83.2555,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A tree was blown down onto Chester Street." +112363,670031,GEORGIA,2017,February,Lightning,"LOWNDES",2017-02-07 20:06:00,EST-5,2017-02-07 20:06:00,0,0,0,0,1.00K,1000,0.00K,0,30.6942,-83.2579,30.6942,-83.2579,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Lightning struck a house on Newton Circle. Damage was estimated." +112362,670032,FLORIDA,2017,February,Thunderstorm Wind,"WALTON",2017-02-07 15:36:00,CST-6,2017-02-07 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.7425,-86.3181,30.7425,-86.3181,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Two large trees were blown down east of Mossy Head Park and School on Highway 90." +112362,670034,FLORIDA,2017,February,Thunderstorm Wind,"WALTON",2017-02-07 15:47:00,CST-6,2017-02-07 15:47:00,0,0,0,0,0.00K,0,0.00K,0,30.74,-86.13,30.74,-86.13,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","A pine tree was blown down on Walton Road." +112362,670035,FLORIDA,2017,February,Thunderstorm Wind,"WALTON",2017-02-07 15:57:00,CST-6,2017-02-07 15:57:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-86.13,30.49,-86.13,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down in Freeport." +112362,670036,FLORIDA,2017,February,Thunderstorm Wind,"HOLMES",2017-02-07 15:57:00,CST-6,2017-02-07 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,30.85,-85.94,30.78,-85.68,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Multiple trees and power lines were blown down across Holmes county." +112362,670037,FLORIDA,2017,February,Thunderstorm Wind,"WASHINGTON",2017-02-07 16:12:00,CST-6,2017-02-07 16:12:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-85.87,30.44,-85.87,"After a very active January, another strong system moved through the tri-state region on February 7th. Although no tornadoes were reported, there were numerous reports of trees and power lines blown down.","Trees were blown down and blocking the south bound lane of Highway 79 in Ebro." +112579,672289,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 15:28:00,EST-5,2017-02-25 15:28:00,0,0,0,0,0.00K,0,0.00K,0,40.16,-76.4,40.16,-76.4,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail near Manheim." +112579,672291,PENNSYLVANIA,2017,February,Hail,"LANCASTER",2017-02-25 15:32:00,EST-5,2017-02-25 15:32:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-76.31,40.15,-76.31,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm produced quarter-sized hail near Lititz." +112579,672992,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LANCASTER",2017-02-25 15:20:00,EST-5,2017-02-25 15:20:00,0,0,0,0,2.00K,2000,0.00K,0,40,-76.35,40,-76.35,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down a few trees near Millersville." +112579,672998,PENNSYLVANIA,2017,February,Thunderstorm Wind,"YORK",2017-02-27 15:12:00,EST-5,2017-02-27 15:12:00,0,0,0,0,1.00M,1000000,0.00K,0,39.9412,-76.6315,39.9412,-76.6315,"A strong cold front encountered a record warm airmass across central Pennsylvania during the afternoon of February 25, generating widespread showers and thunderstorms. Some of the storms became severe across the Lower Susquehanna Valley. One cell displayed strong rotation and produced quarter-sized hail as it pushed from east-central York County northeastward across northern Lancaster County. Then, a line of storms followed the rotating cell, producing a bow echo and widespread wind damage as it crossed northern Lancaster County.","A microburst produced straight line winds of 70 to 80 mph, producing a nine mile swath of wind damage that was approximately one mile in width across east-central York County and into far western Lancaster County. Numerous trees were toppled or snapped along the damage path, and several structures sustained roof damage. The damage path ran from just northwest of Freysville in York County east-northeastward to Columbia in Lancaster County." +113320,678154,ARKANSAS,2017,February,Drought,"MADISON",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113320,678155,ARKANSAS,2017,February,Drought,"SEBASTIAN",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113320,678156,ARKANSAS,2017,February,Drought,"WASHINGTON",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of northwestern Arkansas was below average during the month of February 2017. In fact, a large portion of northwestern Arkansas and parts of west central Arkansas only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in early autumn. As a result, Severe Drought (D2) conditions persisted this month across all of west central Arkansas and developed across all of northwestern Arkansas. Extreme Drought (D3) conditions persisted across much of Sebastian, Crawford, and Franklin Counties. Monetary damage estimates resulting from the drought were not available.","" +113321,678157,OKLAHOMA,2017,February,Drought,"PUSHMATAHA",2017-02-01 00:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation across much of eastern Oklahoma to the south of I-40 was above average for the month of February 2017, while areas to the north of I-40 experienced a very dry month. In fact, areas north of I-44 only received between 25 and 50 percent of normal average precipitation for the month. These unusually dry conditions followed a period of below normal precipitation that began in late summer. As a result, Severe Drought (D2) conditions persisted this month across much of northeastern and east central Oklahoma, with some improvement of the Extreme Drought (D3) conditions to Severe Drought (D2) conditions across much of the southeastern portion of the state. Monetary damage estimates resulting from the drought were not available.","" +114677,687869,TENNESSEE,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-29 18:30:00,EST-5,2017-04-29 18:30:00,0,0,0,0,,NaN,,NaN,35.19,-85.34,35.19,-85.34,"A few severe thunderstorms formed on the higher terrain during the heat of the afternoon.","Trees and power lines were reported down on Signal Mountain along the Hamilton and Sequatchie county line." +114680,687882,TENNESSEE,2017,April,Thunderstorm Wind,"MARION",2017-04-30 15:18:00,CST-6,2017-04-30 15:18:00,0,0,0,0,,NaN,,NaN,35.06,-85.63,35.06,-85.63,"A line of thunderstorms moved east onto the Southern Cumberland Plateau and encountered unstable air over the region. The storms become severe generating damaging winds across Southeast Tennessee.","Trees were reported down in the vicinity of Jasper." +114680,687883,TENNESSEE,2017,April,Thunderstorm Wind,"MARION",2017-04-30 15:34:00,CST-6,2017-04-30 15:34:00,0,0,0,0,,NaN,,NaN,35.2,-85.52,35.2,-85.52,"A line of thunderstorms moved east onto the Southern Cumberland Plateau and encountered unstable air over the region. The storms become severe generating damaging winds across Southeast Tennessee.","Several trees were reported down across Marion County." +114680,687884,TENNESSEE,2017,April,Thunderstorm Wind,"SEQUATCHIE",2017-04-30 15:56:00,CST-6,2017-04-30 15:56:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"A line of thunderstorms moved east onto the Southern Cumberland Plateau and encountered unstable air over the region. The storms become severe generating damaging winds across Southeast Tennessee.","Several trees were reported down in the Southern part of the county between Cartwright and Dunlap." +114375,693314,VIRGINIA,2017,April,Flood,"WISE",2017-04-22 11:45:00,EST-5,2017-04-22 13:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9645,-82.43,36.9389,-82.4635,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Creek was out of its banks and water covered the road in the Banner community." +114375,693315,VIRGINIA,2017,April,Flood,"RUSSELL",2017-04-23 10:00:00,EST-5,2017-04-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-82.3181,36.9201,-82.2792,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Numerous road closures in the Castlewood area." +113823,681530,NEW MEXICO,2017,February,High Wind,"SOUTHERN DONA ANA COUNTY/MESILLA VALLEY",2017-02-23 11:30:00,MST-7,2017-02-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving across the central Rockies with a strong surface low pressure system over the high plains. An upper level jet streak of over 130 knots moved right over southern New Mexico. Strong west to southwest winds occurred ahead of a cold front associated with this system.","A Mesonet site at Twin Peaks just east of Las Cruces reported a peak gust of 66 mph." +113823,681531,NEW MEXICO,2017,February,High Wind,"SOUTHERN TULAROSA BASIN",2017-02-23 13:00:00,MST-7,2017-02-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving across the central Rockies with a strong surface low pressure system over the high plains. An upper level jet streak of over 130 knots moved right over southern New Mexico. Strong west to southwest winds occurred ahead of a cold front associated with this system.","The Mesonet site at San Augustin Pass by the White Sands Missile Range recorded a peak gust of 81 mph. Other gusts across the zone included 69 mph 1 miles southeast of the White Sands Main Post and 59 mph about 5 miles northeast of San Augustin Pass." +113825,681532,TEXAS,2017,February,High Wind,"EASTERN/CENTRAL EL PASO COUNTY",2017-02-23 13:52:00,MST-7,2017-02-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low was moving across the central Rockies with a strong surface low pressure system over the high plains. An upper level jet streak of over 130 knots moved right over southern New Mexico and far west Texas. Strong west to southwest winds occurred ahead of a cold front associated with this system.","The El Paso International Airport ASOS recorded a peak gust of 58 mph." +116815,702484,UTAH,2017,May,Thunderstorm Wind,"UTAH",2017-05-06 13:55:00,MST-7,2017-05-06 13:55:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-111.75,40.43,-111.75,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The Pleasant Grove RAWS recorded a maximum wind gust of 68 mph." +116815,702485,UTAH,2017,May,Thunderstorm Wind,"WEBER",2017-05-06 14:15:00,MST-7,2017-05-06 14:30:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-112.27,41.3,-112.27,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","A peak wind gust of 67 mph was recorded at the Great Salt Lake Minerals sensor." +116815,702487,UTAH,2017,May,Thunderstorm Wind,"TOOELE",2017-05-06 14:40:00,MST-7,2017-05-06 14:40:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-113.01,40.76,-113.01,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The I-80 at Grassey sensor reported a peak wind gust of 61 mph." +116815,702489,UTAH,2017,May,Thunderstorm Wind,"BOX ELDER",2017-05-06 14:50:00,MST-7,2017-05-06 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-112.16,41.69,-112.16,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","A 59 mph wind gust was recorded at the I-15 at Tremonton sensor." +116815,702490,UTAH,2017,May,Thunderstorm Wind,"BOX ELDER",2017-05-06 15:10:00,MST-7,2017-05-06 15:10:00,0,0,0,0,0.00K,0,0.00K,0,41.89,-112.17,41.89,-112.17,"Scattered thunderstorms formed across Utah on May 6, with several of these storms producing strong wind gusts.","The I-15 at Plymouth sensor recorded a peak wind gust of 64 mph." +112474,670625,TEXAS,2017,February,Thunderstorm Wind,"RUSK",2017-02-20 04:15:00,CST-6,2017-02-20 04:15:00,0,0,0,0,0.00K,0,0.00K,0,32.3459,-94.8069,32.3459,-94.8069,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Trees down blocking County Road 186 and Farm To Market Road 2276 just southeast of Kilgore in Northern Rusk County." +112474,670626,TEXAS,2017,February,Thunderstorm Wind,"RUSK",2017-02-20 04:25:00,CST-6,2017-02-20 04:25:00,0,0,0,0,0.00K,0,0.00K,0,32.2704,-94.7048,32.2704,-94.7048,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","Trees down blocking Farm To Market Road 782 as well as Farm To Market Road 2011 just south of Lake Cherokee in Northern Rusk County." +112474,670627,TEXAS,2017,February,Thunderstorm Wind,"UPSHUR",2017-02-20 04:05:00,CST-6,2017-02-20 04:05:00,0,0,0,0,0.00K,0,0.00K,0,32.7246,-94.9504,32.7246,-94.9504,"A mesoscale convective complex developed during the late evening hours on February 19th across Northern and Central Texas, ahead of an elongated north to south upper trough of low pressure that extended from Western Oklahoma through Western Texas and Northcentral Mexico. This complex of strong to severe thunderstorms marched east into Eastcentral Texas during the early morning hours on February 20th, where strong low level shear and ample instability at the surface and aloft remained in place. Embedded lewps and bows continued to develop along the leading edge of these storms, which produced areas of strong, damaging winds which downed trees and power lines across portions of East Texas. These storms eventually weakened as the lead gust front outran the convection just prior to daybreak.","A tree fell through a home in Gilmer." +113665,680339,TENNESSEE,2017,February,Thunderstorm Wind,"MARION",2017-02-25 00:28:00,CST-6,2017-02-25 00:28:00,0,0,0,0,,NaN,,NaN,35.07,-85.62,35.07,-85.62,"A few severe thunderstorms developed during the overnight hours ahead of a pre-frontal trough. Instability and wind shear for the event were adequate for the production of some limited large hail along with a few reports of wind damage.","One tree was reported down on Francis Spring Road." +116806,702549,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-19 17:00:00,EST-5,2017-05-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 35 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +120099,722101,COLORADO,2017,August,Flash Flood,"KIT CARSON",2017-08-14 21:15:00,MST-7,2017-08-15 12:15:00,0,0,0,0,100.00K,100000,0.00K,0,39.3003,-102.7278,39.3004,-102.7293,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. The largest hail size reported was near Burlington. Due to the slow moving nature of the storm cluster, flash flooding occurred between Vona and Stratton. The water was deep enough on Highway 24 that motorists had to be rescued.","Highway 24 was closed between Vona and Stratton due to water over the road. In some places the water was three feet deep. Vehicles have been washed off the road from the flood waters, and motorists have been rescued. No injuries were reported." +112859,675715,NEW JERSEY,2017,March,Winter Storm,"MERCER",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Snowfall ranged from 4 to 8 inches across the county, some sleet did mix in as well." +112919,722439,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 17:34:00,CST-6,2017-02-28 17:36:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-88.2,41.52,-88.2,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +116806,702552,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-19 18:22:00,EST-5,2017-05-19 18:22:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-75.71,36.9,-75.71,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 37 knots was measured at Chesapeake Light." +116865,702672,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-25 16:24:00,EST-5,2017-05-25 16:24:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-76.38,37.16,-76.38,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 44 knots was measured at Poquoson River Light." +116865,702675,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-25 16:24:00,EST-5,2017-05-25 16:24:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 38 knots was measured at York River East Rear Range Light." +113915,682532,IDAHO,2017,February,Flood,"CASSIA",2017-02-04 10:00:00,MST-7,2017-02-28 23:00:00,0,0,0,0,5.24M,5240000,0.00K,0,42.53,-113.9764,41.9615,-114.0801,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","A warmup in temperatures caused extensive snow melt to lower elevations of Cassia County with devastating flooding throughout the rural county. Flooding began in earnest on the 5th. Interstate 86 was closed for a 36 mile stretch in the county with flooding over the Raft River bridges. A foot and a half of water was over the interstate and it was closed from the 6th until the 9th. The interstate began to flood on the 5th. Cassia County was declared a state disaster area. Dozens of homes were severely damaged by flood waters. Many private wells and septic systems flooded contaminating many homes. Several back roads had to be closed and many suffered tremendous damage." +113915,682535,IDAHO,2017,February,Flood,"CLARK",2017-02-05 10:00:00,MST-7,2017-02-28 04:00:00,0,0,0,0,67.00K,67000,0.00K,0,44.35,-112.3824,44.0038,-112.7885,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","Some minor flooding and road damage occurred from a combination of snow melt with the extensive warmup during the month." +113915,682538,IDAHO,2017,February,Flood,"CUSTER",2017-02-05 10:00:00,MST-7,2017-02-28 20:00:00,0,0,0,0,195.00K,195000,0.00K,0,44.3647,-114.93,44.1177,-115.0727,"A trend toward above normal temperatures in February after extreme snowfall amounts in both December and January led to extensive flooding issues during the entirety of the month. The brunt of the flooding occurred in Cassia, Minidoka, Jefferson, Lincoln and Bingham Counties but all counties did receive at least minor flooding. The floding began February 4th and continued to affect low lying areas until the end of the month and continued into March.","The combination of record or near record snows in December and January with a warmup in February caused sheet flooding and some ice jam flooding as well. An ice jam on the Lost River near Darlington caused flooding to some homes on that river. Extensive road damage occurred throughout the county with the snow and snow melt combinations. And the warmup aided in weight on roofs and collapses in many cases throughout Custer County. The county declared a county disaster due to the damages." +120150,719876,SOUTH DAKOTA,2017,August,Heavy Rain,"MINNEHAHA",2017-08-21 12:38:00,CST-6,2017-08-21 12:38:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-96.66,43.53,-96.66,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +120150,719877,SOUTH DAKOTA,2017,August,Heavy Rain,"MINNEHAHA",2017-08-21 13:19:00,CST-6,2017-08-21 13:19:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-96.67,43.51,-96.67,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Reported at the intersection of 42nd and Sycamore." +120150,719878,SOUTH DAKOTA,2017,August,Heavy Rain,"MINNEHAHA",2017-08-21 13:27:00,CST-6,2017-08-21 13:27:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-96.69,43.52,-96.69,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Social Media report." +120150,719880,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"DOUGLAS",2017-08-21 11:10:00,CST-6,2017-08-21 11:10:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-98.4,43.43,-98.4,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","A few tree branches downed." +120150,719881,SOUTH DAKOTA,2017,August,Heavy Rain,"LINCOLN",2017-08-21 11:31:00,CST-6,2017-08-21 11:31:00,0,0,0,0,0.00K,0,0.00K,0,43.4721,-96.73,43.4721,-96.73,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Significant flooding at 69th & Minnesota Intersection." +112859,677395,NEW JERSEY,2017,March,Winter Storm,"CAMDEN",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","A couple of inches of snow fell across most of the county with a sharp gradient in totals. Ice accumulation reports of just under 1/2 inch were reported as well in the area." +112282,669597,VERMONT,2017,February,Winter Storm,"ORLEANS",2017-02-12 12:00:00,EST-5,2017-02-13 12:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon of February 12th, a double barrel area of low pressure, with the northern system located across the Great Lakes and the southern system in the Ohio River Valley moved east toward and across NY and New England. The southern system rapidly intensified during the overnight of the 12th-13th which largely impacted eastern New England with near blizzard conditions.||Snow began across Vermont between 10 and 1 pm and fell steadily through the evening hours before slowly tapering during the overnight hours. Although a second wave of snow showers fell across the western slopes of the Green Mountains and portions of Northeast Vermont during the 13th. A widespread 6 to 12 inches of snow fell with some localized higher amounts fell across Vermont.||Impacts were largely travel relayed and nearly all school districts cancelled classes for February 13th.","Widespread 10 to 14 inches of snowfall reported, including 14 inches in Newport Center and 11 inches in Greensboro." +112706,672945,VERMONT,2017,February,Winter Storm,"CALEDONIA",2017-02-15 15:00:00,EST-5,2017-02-16 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to twelve inches of snow fell across the region with snow depths reaching their seasonal peaks of 30 to 40 + inches." +112706,672946,VERMONT,2017,February,Winter Storm,"ESSEX",2017-02-15 15:00:00,EST-5,2017-02-16 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to twelve inches of snow fell across the region with snow depths reaching their seasonal peaks of 30 to 40 + inches." +112919,722520,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 20:43:00,CST-6,2017-02-28 20:43:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-87.88,41.53,-87.88,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +113900,683016,NEBRASKA,2017,April,Hail,"CASS",2017-04-19 17:35:00,CST-6,2017-04-19 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-96.09,41.01,-96.09,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683015,NEBRASKA,2017,April,Hail,"JEFFERSON",2017-04-19 16:35:00,CST-6,2017-04-19 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-97.18,40.29,-97.18,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683017,NEBRASKA,2017,April,Hail,"OTOE",2017-04-19 17:37:00,CST-6,2017-04-19 17:37:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-96.39,40.53,-96.39,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113900,683018,NEBRASKA,2017,April,Hail,"OTOE",2017-04-19 17:31:00,CST-6,2017-04-19 17:31:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-96.39,40.59,-96.39,"A weak area of low pressure tracked northeast along an advancing cold front through the afternoon on April 19th. Strong southerly winds ahead of the low allowed for seasonable rich low-level moisture to be advected into middle Missouri River Valley. Instability increased through the afternoon as temperatures warmed well into the 70s and a warm front lifted north of Interstate 80. Thunderstorms developed as the cold front moved into this warm and moist air. Favorable deep layer wind profile allowed for organized thunderstorms and isolated severe weather through the late afternoon into the early evening over southeast Nebraska and western Iowa.","" +113381,680776,TEXAS,2017,February,Thunderstorm Wind,"KAUFMAN",2017-02-20 02:30:00,CST-6,2017-02-20 02:30:00,0,0,0,0,100.00K,100000,0.00K,0,32.5894,-96.3271,32.5894,-96.3271,"A large area of showers and thunderstorms associated with an upper level low pressure system rolled across North and Central Texas late Sunday into early Monday. Some severe storms occurred, producing wind damage and a few hail reports across mainly the southern half of the forecast area.","The Kaufman County Emergency Manager reported a tractor trailer was blown over on westbound Highway 175." +113621,680778,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 12:00:00,CST-6,2017-02-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,32.58,-96.32,32.58,-96.32,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","The Kaufman County Emergency Manager reported quarter-size hail in Kaufman." +113621,680779,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 12:04:00,CST-6,2017-02-27 12:04:00,0,0,0,0,0.00K,0,0.00K,0,32.5866,-96.3022,32.5866,-96.3022,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A social media report showed ping pong ball size hail covering the ground just east of downtown Kaufman." +113621,680780,TEXAS,2017,February,Hail,"KAUFMAN",2017-02-27 12:24:00,CST-6,2017-02-27 12:24:00,0,0,0,0,0.00K,0,0.00K,0,32.5696,-96.1104,32.5696,-96.1104,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","A trained spotter reported half dollar size hail near the intersection of County Road 108 and County Road 243." +113621,680781,TEXAS,2017,February,Hail,"VAN ZANDT",2017-02-27 12:40:00,CST-6,2017-02-27 12:40:00,0,0,0,0,3.00K,3000,0.00K,0,32.6194,-95.9833,32.6194,-95.9833,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There were 10 vehicles on I-20 that received windshield damage due to ping pong ball size hail." +113621,680782,TEXAS,2017,February,Hail,"COLLIN",2017-02-27 12:44:00,CST-6,2017-02-27 12:44:00,0,0,0,0,0.00K,0,0.00K,0,33.1499,-96.8241,33.1499,-96.8241,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There was quarter size hail reported in Frisco." +113621,680786,TEXAS,2017,February,Hail,"DENTON",2017-02-27 12:51:00,CST-6,2017-02-27 12:51:00,0,0,0,0,0.00K,0,0.00K,0,33.1524,-96.8471,33.1524,-96.8471,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","There was a report of half dollar size hail near the intersection of Main Street and Legacy Drive in Frisco." +113621,683219,TEXAS,2017,February,Hail,"FANNIN",2017-02-27 14:45:00,CST-6,2017-02-27 14:45:00,0,0,0,0,,NaN,,NaN,33.58,-95.92,33.58,-95.92,"Scattered thunderstorms developed in advance of a dryline and a cold front on Monday Feb 27. Several storms became severe with large hail.","Amateur Radio report egg size hail (2.25) in Honey Grove." +113503,679466,MISSOURI,2017,February,Hail,"CRAWFORD",2017-02-28 14:44:00,CST-6,2017-02-28 14:50:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-91.43,37.8801,-91.3482,"A severe weather outbreak occurred on February 28th and lasted into the early morning hours of March 1st 2017. Four tornadoes were documented to have occurred in the National Weather Service St. Louis County Warning Area, including a portion of the long track tornado that caused damage north of Perryville, MO. Hail and wind reports were noted with many of the storms.","" +112433,681962,CALIFORNIA,2017,February,Flood,"MONTEREY",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,36.5313,-121.8804,36.531,-121.8804,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on Quail Meadows Dr in Carmel Valley. Large section of roadway flooded, vehicles sliding." +112433,681963,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,36.9896,-121.3849,36.9884,-121.3852,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on Highway 152 Westbound at Casa De Fruta." +112433,681964,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-121.96,37.2494,-121.96,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Lark Ave on ramp to southbound Highway 17 flooded." +112433,681965,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.9798,-121.7436,37.9797,-121.744,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Laurel Road Eastbound on ramp to Highway 4 flooded." +112433,681966,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,37.4668,-121.9054,37.4667,-121.9056,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding Interstate 680 Northbound Scott Creek Rd off ramp." +112433,681967,CALIFORNIA,2017,February,Flood,"CONTRA COSTA",2017-02-20 20:29:00,PST-8,2017-02-20 22:29:00,0,0,0,0,0.00K,0,0.00K,0,38.0227,-122.0287,38.0228,-122.0286,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding on Port Chicago Hwy near Sussex St. Lanes in both directions flooding." +112433,681969,CALIFORNIA,2017,February,Flood,"SAN MATEO",2017-02-21 00:19:00,PST-8,2017-02-21 02:19:00,0,0,0,0,0.00K,0,0.00K,0,37.3622,-122.1202,37.3621,-122.1207,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Road closure at SB 280 and El Monte. Roadway flooding and wires down." +112433,681974,CALIFORNIA,2017,February,Flood,"ALAMEDA",2017-02-21 00:19:00,PST-8,2017-02-21 02:19:00,0,0,0,0,0.00K,0,0.00K,0,37.702,-121.8809,37.7013,-121.8811,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Westbound 580 flooded, 3 to 4 feet of water on northbound lanes." +112433,681975,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-21 07:56:00,PST-8,2017-02-21 09:56:00,0,0,0,0,0.00K,0,0.00K,0,37.4452,-121.8916,37.4454,-121.8911,"Potent AR brought copious amounts of rain to the region causing widespread flooding, debris flow, accidents, and over topping of reservoir spillways.","Roadway flooding reported at NB 680 at Jacklin on ramp." +113743,684717,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-09 17:20:00,PST-8,2017-02-09 18:20:00,0,0,0,0,0.00K,0,0.00K,0,37.0538,-121.6051,37.0538,-121.6057,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Fitzgerald Flooded west of Santa Teresa Rd. Santa Teresa Rd starting to flood." +113743,684718,CALIFORNIA,2017,February,Flood,"SANTA CLARA",2017-02-09 17:21:00,PST-8,2017-02-09 18:21:00,0,0,0,0,0.00K,0,0.00K,0,37.328,-121.8945,37.3279,-121.8945,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","All lanes flooded SR 87 southbound jno Park Ave off ramp." +113743,684722,CALIFORNIA,2017,February,Debris Flow,"CONTRA COSTA",2017-02-09 17:37:00,PST-8,2017-02-09 18:37:00,0,0,0,0,0.00K,0,0.00K,0,37.9012,-121.8675,37.901,-121.8674,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mud slide blocking wb lane of Marsh Creek jeo Aspara." +113743,684723,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-09 17:46:00,PST-8,2017-02-09 18:46:00,0,0,0,0,0.00K,0,0.00K,0,36.9732,-121.4319,36.9722,-121.4323,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Flooded with strong current across entire roadway EB SR 152 jwo Lovers Lane." +113743,684725,CALIFORNIA,2017,February,Debris Flow,"SONOMA",2017-02-09 17:56:00,PST-8,2017-02-09 18:56:00,0,0,0,0,0.00K,0,0.00K,0,38.5342,-123.2762,38.5337,-123.2763,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Slide blocking both lanes SB1 jso Timber Cove." +113743,684726,CALIFORNIA,2017,February,Flood,"SAN BENITO",2017-02-09 18:20:00,PST-8,2017-02-09 19:20:00,0,0,0,0,0.00K,0,0.00K,0,36.8281,-121.4302,36.8281,-121.4306,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","SB Union Rd/Union Heights flooded." +113743,684727,CALIFORNIA,2017,February,Debris Flow,"MONTEREY",2017-02-09 18:21:00,PST-8,2017-02-09 19:21:00,0,0,0,0,0.00K,0,0.00K,0,36.2229,-121.759,36.2229,-121.7593,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Slide resulted in closed road SR1 at mm 44 jso Nepenthe." +113743,684729,CALIFORNIA,2017,February,Flood,"SONOMA",2017-02-09 19:11:00,PST-8,2017-02-09 20:11:00,0,0,0,0,0.00K,0,0.00K,0,38.6582,-122.8324,38.658,-122.8329,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Russian River flooding into Alexander Valley Rd/w Soda Rock ln. Water is six inches deep on roadway." +113743,684730,CALIFORNIA,2017,February,Debris Flow,"SANTA CRUZ",2017-02-09 19:11:00,PST-8,2017-02-09 20:11:00,0,0,0,0,0.00K,0,0.00K,0,37.1045,-121.9753,37.1044,-121.9755,"A cold front passed over the area Thursday Feb 9. There were strong winds ahead of the front and heavy rains associated with the frontal passage that produced roadway flooding and debris flows.","Mud slide coming down onto SR17 at Laurel." +112919,722547,ILLINOIS,2017,February,Thunderstorm Wind,"WILL",2017-02-28 23:40:00,CST-6,2017-02-28 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,41.33,-87.78,41.33,-87.78,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","A metal roof was blown off a large barn but the rafters were still intact." +120818,727447,OHIO,2017,November,Thunderstorm Wind,"ERIE",2017-11-05 14:52:00,EST-5,2017-11-05 14:52:00,0,0,0,0,35.00K,35000,0.00K,0,41.3642,-82.5925,41.3642,-82.5925,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed several trees and some power lines southwest of Huron along Huron Avery Road." +120279,720693,NEBRASKA,2017,August,Hail,"DUNDY",2017-08-26 17:45:00,MST-7,2017-08-26 17:45:00,0,0,0,0,,NaN,,NaN,40.0525,-101.5267,40.0658,-101.5113,"During the late afternoon and early evening a couple thunderstorms moving south-southeast produced large hail. The first storm produced hail up to ping-pong ball size near Palisade. The second storm produced hail up to tennis ball size at Benkelman.","The hail stones ranged from golf ball to nearly tennis ball in size. The hail was covering the ground from the east edge of town to two miles east. The hail measured 2.25 in diameter." +119943,718886,CALIFORNIA,2017,August,Thunderstorm Wind,"SAN DIEGO",2017-08-01 13:00:00,PST-8,2017-08-01 13:30:00,0,0,0,0,15.00K,15000,,NaN,32.8381,-116.7696,32.8173,-116.831,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Severe downburst winds knocked down branches that blocked roadways in Alpine and Harbison Canyon. A spotter estimated winds at 65 mph plus." +119943,718889,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-01 15:15:00,PST-8,2017-08-01 15:45:00,0,0,0,0,25.00K,25000,,NaN,33.8192,-117.5139,33.8192,-117.5139,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Power lines downed by strong outflow winds." +119943,719291,CALIFORNIA,2017,August,Flash Flood,"SAN DIEGO",2017-08-03 12:30:00,PST-8,2017-08-03 14:00:00,0,0,0,0,0.50K,500,0.00K,0,33.1459,-116.3971,33.1442,-116.3057,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Heavy runoff through a normally dry wash flowed over Highway 78 two miles east of Yaqui Pass, forcing a closure of the highway." +112860,678374,PENNSYLVANIA,2017,March,Winter Storm,"EASTERN MONTGOMERY",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall was around 6 inches with any ice being light." +112856,678386,DELAWARE,2017,March,Winter Storm,"NEW CASTLE",2017-03-14 00:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall of 1-4 inches with 1/4 inch of ice on average. Tree limbs downed due to ice." +112860,677315,PENNSYLVANIA,2017,March,Winter Storm,"BERKS",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Numerous snowfall reports of over 10 inches in the county. Blowing snow as well." +112706,672952,VERMONT,2017,February,Winter Storm,"EASTERN CHITTENDEN",2017-02-15 13:00:00,EST-5,2017-02-16 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to twelve inches of snow fell across the region. Numerous vehicle accidents and mishaps during the evening commute of 2/15." +112706,672949,VERMONT,2017,February,Winter Storm,"LAMOILLE",2017-02-15 14:00:00,EST-5,2017-02-16 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A complex series of surface low pressures and a strong upper atmospheric disturbance developed a potent ocean storm well off the Gulf of Maine. The end result was snowfall from the upper level disturbance across all of Vermont and Northern New York with the heaviest occurring across the eastern half of Vermont, closer to the rapidly intensifying storm. A widespread 3 to 6 inches of snow fell across Vermont with 6 to 12 inches across portions of the northern half of the state, especially the Northeast Kingdom. Main impacts were travel related, including a very hazardous evening commute on February 15th.","Six to ten inches of snow fell across the region." +112712,673011,NEW MEXICO,2017,February,High Wind,"EDDY COUNTY PLAINS",2017-02-28 13:15:00,MST-7,2017-02-28 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","West to southwest winds of 40-45 mph sustained, and gusts to 56 mph, occurred over northern Eddy County." +112711,673018,TEXAS,2017,February,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-02-28 14:35:00,CST-6,2017-02-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper level storm system resulted in high winds across Southeast New Mexico and much of West Texas.","Sustained west to southwest winds of 40-47 mph, and gusts as high as 63 mph, occurred at the McDonald Observatory." +112840,674722,MISSOURI,2017,February,Hail,"CHRISTIAN",2017-02-28 16:15:00,CST-6,2017-02-28 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37,-93.08,37,-93.08,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674727,MISSOURI,2017,February,Hail,"CHRISTIAN",2017-02-28 16:20:00,CST-6,2017-02-28 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,37.01,-92.99,37.01,-92.99,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","The public reported golf ball size hail via social media." +112840,674736,MISSOURI,2017,February,Hail,"STONE",2017-02-28 16:43:00,CST-6,2017-02-28 16:43:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.47,36.81,-93.47,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","This hail report was from social media." +112840,674738,MISSOURI,2017,February,Hail,"WRIGHT",2017-02-28 16:50:00,CST-6,2017-02-28 16:50:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-92.58,37.11,-92.58,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +112840,674739,MISSOURI,2017,February,Hail,"WRIGHT",2017-02-28 17:02:00,CST-6,2017-02-28 17:02:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-92.26,37.28,-92.26,"Strong to severe thunderstorms impacted much of the region from the afternoon of February 28th through the early morning hours of March 1st, 2017. These storms produced at least 83 reports of large hail and damaging wind, including three small tornadoes across the Missouri Ozarks and extreme southeast Kansas. The NWS in Springfield issued 33 severe thunderstorm warnings and 3 tornado warnings. The largest hail size reported was to the size of golf balls.","" +113076,676305,WYOMING,2017,February,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-02-09 00:56:00,MST-7,2017-02-10 05:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","There were numerous wind gusts past 58 mph along Outer Drive south of Casper, including a maximum gust of 69 mph." +113076,676306,WYOMING,2017,February,High Wind,"CODY FOOTHILLS",2017-02-09 12:34:00,MST-7,2017-02-09 23:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The last of a series of potent Pacific storms moves through the area from February 8th through February 10th. This storm was warmer than the previous systems and much of the precipitation in the western valleys fell as rain rather than snow. This led to localized flooding of low lying areas, although no damage from flooding was reported. Very heavy snow fell again in the higher elevations, with Jackson Hole Ski resort picking up another 28 inches of snow with locations in Yellowstone Park, The Absarokas, Wind River Range and Salt and Wyoming Range picking up over a foot of new snow. Up to 2 inches of rain fell in the western valleys. Rain falling on a heavy snow load caused minor damage to some buildings in Jackson, including the police station. In addition, the heavy wet snow caused numerous avalanches that closed Teton Pass as well as Hoback Junction at times for several days. Meanwhile, East of the Divide very strong mid level winds and the right front quadrant of a 150 knot jet streak brought very strong winds to some areas. The strongest winds occurred over the Cody Foothills. There was numerous gusts of hurricane force near Clark including a maximum gust of 118 mph! Wind gusts past 60 mph were also reported in Fremont and Natrona Counties.","Extreme winds occurred in the Cody Foothills around Clark. One wind sensor 5 miles WNW of Clark recorded many wind gusts of hurricane force including a maximum gust of 118 mph! A wind sensor to the south of Clark had a maximum gust of 87 mph." +115314,692354,CALIFORNIA,2017,April,Flood,"SONOMA",2017-04-07 20:21:00,PST-8,2017-04-07 21:21:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-122.45,38.1514,-122.448,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Large pool of 6 inch deep water blocking SB lanes of HWY 121." +115314,692360,CALIFORNIA,2017,April,Flood,"SAN FRANCISCO",2017-04-07 21:32:00,PST-8,2017-04-07 22:32:00,0,0,0,0,0.00K,0,0.00K,0,37.7336,-122.4062,37.7334,-122.4061,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","US 101 at San Bruno lanes flooded." +115314,692362,CALIFORNIA,2017,April,Flood,"CONTRA COSTA",2017-04-07 22:02:00,PST-8,2017-04-07 23:02:00,0,0,0,0,0.00K,0,0.00K,0,37.8915,-122.1545,37.8917,-122.1548,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Flooding in off ramps of SR24 at Acalanes Rd." +115314,692364,CALIFORNIA,2017,April,Flood,"ALAMEDA",2017-04-07 22:25:00,PST-8,2017-04-07 23:25:00,0,0,0,0,0.00K,0,0.00K,0,37.6894,-122.1346,37.6889,-122.1357,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Slow lane of I880 and I280 connection 6 inches or more of water." +115314,692370,CALIFORNIA,2017,April,Thunderstorm Wind,"ALAMEDA",2017-04-07 10:34:00,PST-8,2017-04-07 10:40:00,0,0,0,0,10.00K,10000,0.00K,0,37.52,-122.03,37.52,-122.03,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Large tree crashed into a KFC in Newark causing damage to the property. Wind damage likely from previous night. Fremont RAWS reported gust of 44 mph previous night." +115314,692371,CALIFORNIA,2017,April,Strong Wind,"NORTHERN SALINAS VALLEY / HOLLISTER VALLEY / CARMEL VALLEY",2017-04-06 19:41:00,PST-8,2017-04-06 19:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Tree down blocking entire roadway at Pesante and Coker Rd. Estimated gust taken from SNS airport." +113270,677782,MASSACHUSETTS,2017,February,Thunderstorm Wind,"BERKSHIRE",2017-02-25 19:00:00,EST-5,2017-02-25 19:00:00,0,0,0,0,,NaN,,NaN,42.2179,-73.1772,42.2179,-73.1772,"A record warm airmass was in place prior to a sharp cold frontal passage Saturday, February 25, 2017. As the front tracked through the region in the evening, a line of severe thunderstorms developed, producing high winds and several damage reports. An observer measured a 69 mph gust, and around 100 trees were snapped or uprooted in a 100 yard-diameter swath at separate locations in Berkshire County.","Around 100 trees were snapped or uprooted. Some were snapped 20-25 feet above the ground. All were blown in the same direction. The damage swath was around 100 yards in diameter. Minor damage was also reported to a house." +115314,692338,CALIFORNIA,2017,April,Flood,"SAN FRANCISCO",2017-04-06 18:10:00,PST-8,2017-04-06 19:10:00,0,0,0,0,0.00K,0,0.00K,0,37.7743,-122.405,37.7744,-122.4051,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","East bound I80 at 7th St roadway flooding." +115314,692351,CALIFORNIA,2017,April,Flood,"SONOMA",2017-04-07 06:49:00,PST-8,2017-04-07 07:49:00,0,0,0,0,0.00K,0,0.00K,0,38.4889,-122.7374,38.4886,-122.737,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Roadway flooding reported at NB Ln. near Angela Drive." +113440,678899,OHIO,2017,February,Winter Weather,"GREENE",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer located 3 miles northeast of Beavercreek measured 1.3 inches of snowfall. The county garage near Xenia measured an inch." +113440,678900,OHIO,2017,February,Winter Weather,"HAMILTON",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer located 3 miles west of Cheviot 3 inches of snowfall. Two other CoCoRaHS observers located 8 and 9 miles northwest of Cincinnati both measured 1.1 inches of snow." +113440,678901,OHIO,2017,February,Winter Weather,"HIGHLAND",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The observer near Hillsboro measured 0.7 inches of snow." +113440,678903,OHIO,2017,February,Winter Weather,"LICKING",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The county garage 5 miles south of Heath and a CoCoRaHS observer 3 miles north of Johnstown both measured an inch of snow." +113440,678904,OHIO,2017,February,Winter Weather,"MADISON",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The observer near London measured 0.7 inches of snow." +113440,678905,OHIO,2017,February,Winter Weather,"MERCER",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","A social media post from Maria Stein showed that 4.5 inches of snow had fallen." +113440,678906,OHIO,2017,February,Winter Weather,"MIAMI",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observer near Piqua measured 2.2 inches of snow." +113440,678907,OHIO,2017,February,Winter Weather,"MONTGOMERY",2017-02-08 08:00:00,EST-5,2017-02-09 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Accumulating snow fell over the region due to a rapidly moving upper level disturbance. A narrow band set up where heavier accumulations were found in west central Ohio.","The CoCoRaHS observers located 3 miles south of Dayton, 2 miles east of Farmersville, and near Union as well as the ASOS at the Dayton airport all measured an inch of snow." +113253,678941,NEW YORK,2017,February,High Wind,"WESTERN DUTCHESS",2017-02-13 12:05:00,EST-5,2017-02-13 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113253,678942,NEW YORK,2017,February,High Wind,"EASTERN DUTCHESS",2017-02-13 12:05:00,EST-5,2017-02-13 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Two low pressure systems approached the northeastern US on Sunday, February 12, with snowfall breaking out over the local area around sunrise. The snow was heavy during the morning and early afternoon, with accumulation rates of 1 to locally 2 inches per hour at times. The snow was wet and dense and readily clung to trees. During the afternoon, warmer air resulted in precipitation changing to sleet for portions of the mid-Hudson Valley and Catskills, which cut down snowfall totals in those locales. The snowfall diminished Sunday evening, except over the higher terrain areas of the Adirondacks as well as the Mohawk Valley. In those locations, accumulating snowfall persisted through the night and into Monday before diminishing Monday afternoon.||In total, 7 to 12 inches of snowfall occurred through most of the local area, with lesser totals over southern portions of the region where sleet occurred. Car accidents were reported and snow emergencies were in effect throughout the region, and Route 28 in Herkimer County was closed for a time due to several accidents.||On February 13, strong winds developed on the back side of the system. The strongest winds targeted the Catskills and Mid-Hudson Valley, where several trees were downed and over 14,000 power outages were reported. Dutchess County Airport in Poughkeepsie recorded a 59 mph wind gust.","" +113312,679156,GULF OF MEXICO,2017,February,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-02-14 08:12:00,CST-6,2017-02-14 08:24:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"Thunderstorms developed early in the morning on the 14th due to a potent upper level storms system that moved into South Texas before sunrise. Strong storms organized along a cold front in the morning hours and moved through the coastal waters. Storms produced wind gusts from 35 to 45 knots. A waterspout occurred near Rockport.","TCOON site at Baffin Bay measured a gust to 35 knots." +113447,679129,WYOMING,2017,February,High Wind,"CODY FOOTHILLS",2017-02-19 21:16:00,MST-7,2017-02-19 22:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","A few wind gusts past 58 mph were recorded 5 miles west-northwest of Clark including a maximum gust of 71 mph." +113447,679130,WYOMING,2017,February,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-02-19 13:50:00,MST-7,2017-02-20 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","Thr RAWS sites at Fales Rock and Camp Creek had several wind gusts above 58 mph including maximum gusts of 65 and 64 mph, respectively." +113447,679131,WYOMING,2017,February,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-02-21 00:06:00,MST-7,2017-02-21 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific Cold front and associated upper level disturbance moved across Wyoming and brought heavy snow to parts of Western Wyoming and high wind to portions of central Wyoming. Over a foot of snow fell in portions of the western Mountains with the highest amount in the Salt and Wyoming Range where 15 inches fell at Blind Bull Summit. Meanwhile, strong mid level winds mixed to the surface and brought high winds in some areas East of the Divide. The strongest winds occurred in the wind prone areas near Clark where a gust of 80 mph was recorded. Wind gusts of over 70 mph were recorded in Fremont and Natrona Counties.","Several wind gusts past 58 mph were recorded along Outer Drive south of Casper including a maximum gust of 71 mph. The maximum gust at the Casper airport was 62 mph." +113025,675595,IOWA,2017,February,Blizzard,"WINNEBAGO",2017-02-23 20:00:00,CST-6,2017-02-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675581,IOWA,2017,February,Blizzard,"EMMET",2017-02-23 20:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113025,675582,IOWA,2017,February,Blizzard,"PALO ALTO",2017-02-23 20:00:00,CST-6,2017-02-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Leading up to the blizzard, low pressure built off of the Rockies in eastern Colorado and moved into the Kansas, Oklahoma, Texas region. Throughout the day on the 23rd, the surface low pressure system progressed eastward before turning more northeasterly during the evening. Periods of rain fell initially over much of Iowa with temperatures ranging from around freezing in the northwest to upper 40s in the south. As temperatures dropped snow eventually enveloped northwest Iowa along with strengthening winds. In the end, the combination of heavy snow (up to a 10 to 12 inches) and strong winds (gusts to 60 mph) allowed blizzard conditions to set in for periods across northwest and north central Iowa. Blizzard conditions began during the evening on the 23rd and lasted into the afternoon and evening hours the 24th as the system progressed eastward.","" +113531,679631,KENTUCKY,2017,February,Dense Fog,"WEBSTER",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679632,KENTUCKY,2017,February,Dense Fog,"UNION",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679633,KENTUCKY,2017,February,Dense Fog,"DAVIESS",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679634,KENTUCKY,2017,February,Dense Fog,"HENDERSON",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679610,KENTUCKY,2017,February,Dense Fog,"CHRISTIAN",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +113531,679617,KENTUCKY,2017,February,Dense Fog,"HOPKINS",2017-02-19 01:00:00,CST-6,2017-02-19 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less. Remnant moisture from rainfall on the 18th contributed to the dense fog. High pressure centered over Kentucky was associated with light winds and mostly clear skies. The dense fog burned off during the early morning hours in the Pennyrile region, but it lingered for much of the morning west of the Hopkinsville to Madisonville corridor.","" +116760,702155,ARKANSAS,2017,May,Flood,"WHITE",2017-05-01 00:00:00,CST-6,2017-05-02 07:22:00,0,0,0,0,0.00K,0,1500.00K,1500000,35.2678,-91.6408,35.2666,-91.6413,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain at the end of April led to flooding that continued into May, 2017 on the Little Red River at Judsonia." +119145,716355,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:35:00,EST-5,2017-07-15 06:35:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-76.04,36.77,-76.04,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.09 inches was measured at Princess Anne (1 NNE)." +119145,716356,VIRGINIA,2017,July,Heavy Rain,"HAMPTON (C)",2017-07-15 06:39:00,EST-5,2017-07-15 06:39:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-76.35,37.02,-76.35,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.42 inches was measured at Phoebus (1 W)." +113555,679894,WYOMING,2017,February,Winter Storm,"ROCK SPRINGS & GREEN RIVER",2017-02-22 20:00:00,MST-7,2017-02-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving area of low pressure moved out of Great Basin and passed very slowly across the southern portion of Wyoming and brought heavy snow to much of the southern two thirds of the state. The heaviest snow in the mountains fell over the East Slopes of the Wind River Mountains where favorable upslope flow brought over 2 feet of new snow to many areas with a maximum of 34 inches at the Townsend Creek SNOTEL. In the lower elevations, the heaviest snow fell across Sweetwater County. In Rock Springs and Green River, over a foot of snow was common with as much as 23 inches in some locations. The Lander Foothills and Wind River Basin where also hard hit with 12 to 18 inches of snow common. In addition, strong mid level winds mixed to the surface in some areas and brought blizzard conditions to portions of central and southern Wyoming. Portions of Interstate 80 as well as Highway 28 over South Pass were closed at times during the height of the storm.","Very heavy snow fell through Rock Springs and Green River. Amounts over a foot were common. The highest amount recorded was 23 inches in Rock Springs. Interstate 80 was shut down for a time due to the snow and drifting snow from gusty winds." +113236,677516,MISSOURI,2017,February,Tornado,"PERRY",2017-02-28 19:51:00,CST-6,2017-02-28 20:12:00,12,0,1,0,8.00M,8000000,0.00K,0,37.7238,-90.0055,37.8222,-89.7124,"Isolated supercell thunderstorms developed across southeast Missouri during the evening hours. The storms developed ahead of a cold front in a destabilizing air mass characterized by dew points in the lower to mid 60's. The most intense supercell storm awaited the approach of a mid-level impulse from Oklahoma, which was downstream from the primary shortwave trough over the southern Plains. The supercell produced a violent tornado in Perry County. A southwesterly low-level jet increased substantially during the evening, creating favorable conditions for tornadoes. Outside of the thunderstorm activity, some of the southwest winds aloft mixed down to the surface in the form of isolated gusts from 40 to 45 mph.","This large and violent tornado touched down about four miles west of Perryville. The tornado quickly became violent, reaching EF-4 intensity and leveling five homes just west of Interstate 55, about 3.5 miles northwest of Perryville. Numerous unoccupied cars from a salvage yard were blown into or over Interstate 55. The lone fatality occurred when a southbound vehicle on Interstate 55 was intercepted by the tornado. The victim's pickup truck was tossed into a field at least 100 yards from the interstate. The coroner reported that the victim was thrown from the vehicle and died at the scene. The passenger in the vehicle was treated for minor injuries at a local hospital. The area of greatest home and property destruction was three miles north of Perryville, in the vicinity of U.S. Highway 61. Maximum wind speeds were estimated near 180 mph in the vicinity of Interstate 55 and also near U.S. Highway 61. The damage path showed multiple vortex characteristics with ground striations and scarring to bare ground. At least 100 homes were damaged or destroyed in Perry County, mostly on the northern outskirts of Perryville. Most persons in the tornado's path took shelter in their basements. All twelve tornado injuries occurred in Perry County, where the tornado was at its strongest. At least one couple was trapped in their basement until rescuers removed debris. As the tornado approached the Mississippi River, multiple ground striations were noted in a farm field, indicative of multiple vortices. The maximum path width was over one-half mile shortly before the tornado crossed the Mississippi River into Randolph County, Illinois." +115481,702461,TEXAS,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-28 16:54:00,CST-6,2017-05-28 16:54:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-95.47,31.38,-95.47,"Thunderstorms clustering upon a lower level boundary moving out of central Texas produced wind damage and flash flooding.","Trees were blown down in severe thunderstorm winds near the town of Latexo." +114271,684616,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-04 13:22:00,MST-7,2017-04-04 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper shortwave trough passed by just north of the region and resulted in high winds across west Texas.","" +114277,684617,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-22 01:51:00,MST-7,2017-04-22 09:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast gap winds affected Guadalupe Pass behind a cold front.","Northeast winds of 40-50 mph sustained affected the Guadalupe Pass behind a strong cold front." +114284,684643,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-27 09:52:00,MST-7,2017-04-27 15:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another upper level storm system imparted strong westerly winds to the Guadalupe Mountains.","" +114284,684644,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-27 03:51:00,MST-7,2017-04-27 18:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another upper level storm system imparted strong westerly winds to the Guadalupe Mountains.","" +114284,684646,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-27 14:20:00,MST-7,2017-04-27 15:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another upper level storm system imparted strong westerly winds to the Guadalupe Mountains.","" +114283,684647,NEW MEXICO,2017,April,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-04-27 14:00:00,MST-7,2017-04-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another upper level storm system imparted strong westerly winds to the Guadalupe Mountains.","" +114285,684664,NEW MEXICO,2017,April,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-04-28 10:00:00,MST-7,2017-04-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds associated with an upper trough resulted in high winds in the Guadalupe Mountains.","" +113448,679142,OHIO,2017,April,Hail,"PREBLE",2017-04-05 17:06:00,EST-5,2017-04-05 17:09:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-84.53,39.65,-84.53,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679143,OHIO,2017,April,Hail,"MONTGOMERY",2017-04-05 17:38:00,EST-5,2017-04-05 17:41:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-84.19,39.76,-84.19,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679144,OHIO,2017,April,Hail,"CLERMONT",2017-04-05 17:41:00,EST-5,2017-04-05 17:44:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-84.22,39.03,-84.22,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679145,OHIO,2017,April,Hail,"MONTGOMERY",2017-04-05 17:43:00,EST-5,2017-04-05 17:46:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-84.11,39.86,-84.11,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679146,OHIO,2017,April,Hail,"CLARK",2017-04-05 17:54:00,EST-5,2017-04-05 17:57:00,0,0,0,0,0.00K,0,0.00K,0,39.88,-84.04,39.88,-84.04,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","" +113448,679147,OHIO,2017,April,Hail,"BROWN",2017-04-05 18:07:00,EST-5,2017-04-05 18:10:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-83.92,39.03,-83.92,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","The hail was covering the ground." +116060,697541,WISCONSIN,2017,May,Thunderstorm Wind,"TREMPEALEAU",2017-05-16 20:57:00,CST-6,2017-05-16 20:57:00,0,0,0,0,10.00K,10000,0.00K,0,44.39,-91.31,44.39,-91.31,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Power lines were blown down with numerous power outages reported across the northern half of Trempealeau County." +116060,697542,WISCONSIN,2017,May,Hail,"TREMPEALEAU",2017-05-16 21:04:00,CST-6,2017-05-16 21:04:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-91.44,44.36,-91.44,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Quarter sized hail fell near Independence." +116060,697543,WISCONSIN,2017,May,Hail,"JACKSON",2017-05-16 21:14:00,CST-6,2017-05-16 21:14:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-91.06,44.56,-91.06,"For the second day in a row, severe thunderstorms moved across portions of western Wisconsin on May 16th. These storms primarily produced large hail from Taylor County south to Buffalo, Trempealeau and Jackson Counties. The largest reported hail was quarter sized in Jump River (Taylor County), near Gilmanton (Buffalo County), near Independence (Trempealeau County) and northeast of Northfield (Jackson County). Some wind damage also occurred across northern Trempealeau County where power lines were blown down. Heavy rains from the storms created flooding across northwest Jackson County where almost 20 roads were closed and a state of emergency was declared. Around 1900 customers in Jackson County were without power as a result of the storms.","Quarter sized hail fell north of Northfield." +113808,681438,ALABAMA,2017,February,Drought,"CLAY",2017-02-01 00:00:00,CST-6,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant rainfall over portions of east central Alabama eased the drought conditions.","Significant rainfall during the month of February lowered the drought intensity to a D1 category." +112993,675278,NORTH DAKOTA,2017,January,High Wind,"MOUNTRAIL",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for western Mountrail County based on the Tioga AWOS report in Williams County." +112993,675280,NORTH DAKOTA,2017,January,High Wind,"DUNN",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Wind gusts are estimated for western Dunn County based on the Grassy Butte NDDOT site report in McKenzie County." +112993,675281,NORTH DAKOTA,2017,January,High Wind,"BILLINGS",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Wind gusts are estimated for northern Billings County based on the Grassy Butte NDDOT site report in McKenzie County." +112993,675282,NORTH DAKOTA,2017,January,High Wind,"GOLDEN VALLEY",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Wind gusts are estimated for northern Golden Valley County based on the Grassy Butte NDDOT site report in McKenzie County." +112993,675283,NORTH DAKOTA,2017,January,High Wind,"MERCER",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for eastern Mercer County based on the Garrison ASOS report in McLean County." +112993,675284,NORTH DAKOTA,2017,January,High Wind,"WARD",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for southern Ward County based on the Garrison ASOS report in McLean County." +112993,675288,NORTH DAKOTA,2017,January,High Wind,"MCHENRY",2017-01-30 09:00:00,CST-6,2017-01-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper system moved through North Dakota during the morning of January 30 resulting in high winds. The winds diminished in the afternoon as the clipper moved out of the area.","Sustained winds are estimated for southern McHenry County based on the Denhoff NDDOT site report in Sheridan County." +119943,719301,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-01 15:00:00,PST-8,2017-08-01 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,33.7361,-117.4409,33.7415,-117.4061,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","An intense thunderstorm produced intense street flooding in southern Corona. Flow pushed debris, branches, and trash cans down local streets. The flow along Colt Dr. was strong enough to damage and shift parked cars." +119943,719306,CALIFORNIA,2017,August,Thunderstorm Wind,"SAN BERNARDINO",2017-08-01 13:15:00,PST-8,2017-08-01 13:35:00,0,0,0,0,35.00K,35000,,NaN,34.1073,-117.2976,34.1073,-117.2976,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Severe winds downed a large tree (diameter > 2 ft) on a home in San Bernardino. A brief funnel cloud was also reported." +112223,669186,NEBRASKA,2017,January,Winter Weather,"GREELEY",2017-01-11 17:00:00,CST-6,2017-01-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of snow deposited two to just over four inches in Valley and Greeley Counties on this Wednesday night. Widely scattered tiny snow bands meandered through the Sandhills and western Nebraska through the afternoon hours. Late in the afternoon, a larger band formed and increased in strength from northern Lincoln County into Custer County. This band progressed across south central Nebraska between 6 pm and Midnight, and it remained mostly north of Interstate 80. The snow was steadiest over Valley and Greeley Counties, and that is where the greatest snowfall accumulations occurred.||An arctic cold front plunged south through Nebraska during the day, and it was along the Oklahoma-Kansas border by the time snow began falling. High pressure was over the Northern Plains. In the upper-levels, the Westerlies were zonal with no synoptic-scale forcing for ascent. The snow band was driven by mid-level frontogenesis. Without the larger-scale forcing, snowfall amounts were limited.","Storm total snowfall amounts across the area ranged from 2 to just over 4 inches." +112226,669192,NEBRASKA,2017,January,Winter Storm,"VALLEY",2017-01-24 05:00:00,CST-6,2017-01-24 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 4-8, with the highest totals being recorded across the northern half of the county." +112226,669193,NEBRASKA,2017,January,Winter Storm,"GREELEY",2017-01-24 05:00:00,CST-6,2017-01-24 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 4-7, with the highest totals being recorded across the northern half of the county." +112226,669195,NEBRASKA,2017,January,Winter Weather,"SHERMAN",2017-01-24 04:00:00,CST-6,2017-01-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 3-6, with the highest totals being recorded across the northern half of the county." +112226,669196,NEBRASKA,2017,January,Winter Weather,"HOWARD",2017-01-24 04:00:00,CST-6,2017-01-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 3-6, with the highest totals being recorded across the northern half of the county." +112226,669197,NEBRASKA,2017,January,Winter Weather,"DAWSON",2017-01-24 03:00:00,CST-6,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 2-4." +112226,669198,NEBRASKA,2017,January,Winter Weather,"BUFFALO",2017-01-24 03:00:00,CST-6,2017-01-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 2-4." +112226,669199,NEBRASKA,2017,January,Winter Weather,"GOSPER",2017-01-24 03:00:00,CST-6,2017-01-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 2-4." +112226,669200,NEBRASKA,2017,January,Winter Weather,"PHELPS",2017-01-24 03:00:00,CST-6,2017-01-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several inches of snow fell along and north of a line from Lexington to St. Paul to Fullerton on this Tuesday and Wednesday. Accumulations averaged 2 to 4 inches along and just north of that line, and progressively increased to 6 to 8 inches across northern Valley and Greeley Counties. Narrow east-west oriented bands of snow began developing north of Interstate 80 during the predawn hours Tuesday. The strongest of these bands briefly produced heavy snow as it lifted north after sunrise. This band expanded across the Sandhills and northeast Nebraska; it became the dominant deformation zone band of this event. This resulted in a break, over south central Nebraska, as the dry slot overtook the area. Meanwhile, a separate small area of snow developed with the compact upper low over northwest Kansas. Snowfall expanded around the northern and western periphery of this low as it lifted into south central Nebraska. A semi-comma-shaped area of snow evolved, affecting areas west and north of Grand Island from the late morning into the mid-afternoon hours. This area of snow lifted north and merged with the larger band to the north, again resulting in another break. While it was snowing, snowfall rates must have been impressive where the 6 to 8 inches fell. The snow bands were very transient and it was almost hard to believe that much snow was measured there. Between 9 pm CST and midnight, a new deformation band of much lighter snow formed from south central Nebraska northeast to Sioux City, Iowa. This band gradually drifted east during the early morning hours, and it exited south central Nebraska by sunrise Wednesday. Very little additional accumulation occurred with this band.||This snow was associated with a 995 mb low pressure system that tracked from Colorado across Kansas Tuesday and into the Great Lakes Wednesday. In the upper-levels, a large trough was over the Western U.S., with a ridge over the East. Several vorticity maxima were embedded in the western trough, and this snowfall was associated with the lead vorticity maximum.","Storm total snowfall amounts ranged from 2-4." +112139,669328,SOUTH DAKOTA,2017,January,Winter Weather,"CUSTER CO PLAINS",2017-01-31 07:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669329,SOUTH DAKOTA,2017,January,Winter Weather,"JACKSON",2017-01-31 09:00:00,MST-7,2017-01-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669330,SOUTH DAKOTA,2017,January,Winter Weather,"BENNETT",2017-01-31 07:00:00,MST-7,2017-01-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112139,669331,SOUTH DAKOTA,2017,January,Winter Weather,"HERMOSA FOOTHILLS",2017-01-31 06:00:00,MST-7,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level energy intersected with a southward moving Arctic front to produce bands of heavy snow over the Black Hills. Snowfall amounts in these banded areas ranged from three to eight inches. However, localized snowfall amounts over a foot were reported in the Custer and Hill City areas. Across the adjacent plains of southwestern South Dakota, snowfall amounts of two to five inches were reported. Snowfall tapered off and ended early on February 1.","" +112213,669114,WYOMING,2017,January,Winter Weather,"WESTON",2017-01-31 10:00:00,MST-7,2017-01-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southward advancing Arctic front combined with upper level energy to produce a band of snow across portions of northeastern Wyoming during the afternoon and evening. The heaviest snow fell in the Gillette area, where four to nine inches of snow fell. The band also extended east-southeast toward the Newcastle area, where up to five inches of snow was reported.","" +112213,669115,WYOMING,2017,January,Heavy Snow,"NORTHERN CAMPBELL",2017-01-31 07:00:00,MST-7,2017-01-31 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southward advancing Arctic front combined with upper level energy to produce a band of snow across portions of northeastern Wyoming during the afternoon and evening. The heaviest snow fell in the Gillette area, where four to nine inches of snow fell. The band also extended east-southeast toward the Newcastle area, where up to five inches of snow was reported.","" +113409,678628,KENTUCKY,2017,April,Thunderstorm Wind,"ESTILL",2017-04-05 20:38:00,EST-5,2017-04-05 20:38:00,0,0,0,0,,NaN,,NaN,37.6437,-83.8744,37.6437,-83.8744,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","A Department of Highways official relayed a report of a tree down near Buck Creek along Kentucky Highway 3329 outside of Shade." +113604,680040,KENTUCKY,2017,April,Flash Flood,"KNOX",2017-04-11 19:30:00,EST-5,2017-04-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-83.88,36.8629,-83.8792,"A line of showers and thunderstorms developed out ahead of a weak cool front moving through the Ohio Valley and western to central Kentucky. Heavy rain persisted over Barbourville during the early to mid evening hours, resulting in flash flooding in town.","Dispatch relayed reports of standing and flowing water up to three feet deep on numerous streets in Barbourville." +113795,681252,KENTUCKY,2017,April,Flash Flood,"WHITLEY",2017-04-21 18:00:00,EST-5,2017-04-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8941,-84.1248,36.8943,-84.1217,"A band of showers and thunderstorms moved into southern Kentucky during the early evening hours, with a few heavier storms developing within the band. One of these moved slowly over Woodbine, south of Corbin, producing nearly 2 inches of rain. This resulted in localized flash flooding.","A trained spotter observed water flowing over Eaton Town School Road near Woodbine, south of Corbin." +113824,681544,KENTUCKY,2017,April,Flash Flood,"HARLAN",2017-04-22 10:50:00,EST-5,2017-04-22 14:10:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-83.17,36.763,-83.1657,"A swath of persistent moderate rain fell over Harlan County, particularly southern portions of the county from Cranks to Smith. This resulted in flash flooding near small creeks and streams as around two inches of rain fell during the morning and early afternoon.","Emergency Management officials reported water swiftly flowing over roadways from Cranks to Smith as around two inches of rain fell." +114510,686718,TEXAS,2017,April,Hail,"WEBB",2017-04-11 19:09:00,CST-6,2017-04-11 19:09:00,0,0,0,0,0.00K,0,0.00K,0,27.3311,-99.4985,27.3311,-99.4985,"On the afternoon of April 11th, a slow moving cold front pushed into south central Texas. As daytime heating occurred, scattered thunderstorms developed along the boundary from the Texas Hill Country to south central Texas. Some of these storms brought much cooler air to the surface, and allowed the frontal boundary to move southeast into South Texas. ||The leading edge of the thunderstorms reached northern La Salle County during the early afternoon hours as daytime heating created strong instability and eliminated the cap on the atmosphere. Severe storms tracked slowly south through the Brush Country into the early evening hours. The storms produced large hail ranging in size from quarters to tennis balls. Locally heavy rainfall produced flash flooding in Laredo also.","Public report of quarter sized hail in El Cenizo via social media." +113157,676852,WASHINGTON,2017,January,Winter Weather,"WASHINGTON PALOUSE",2017-01-10 22:00:00,PST-8,2017-01-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass invaded the region creating windy conditions over the Columbia Basin. Sustained northeast winds of 25 to 30 mph with gusts as high as 40 mph created blowing and drifting snow with low visibility in the Moses lake area and Waterville Plateau during the afternoon and evening of January 10th. Numerous cars had to be abandoned in snow drifts overnight and some roads were closed through the night. In the Palouse region several vehicles were stranded in drifting snow along Highway 27 between Fairfield and Tekoa. Heavy equipment dispatched to clear the road also became temporarily stuck.","The Whitman County Gazette reported multiple vehicles stranded along Highway 27 between Fairfield and Tekoa due to blowing and drifting snow. The road was re-opened early in the morning by a snow plow and rotary snow blower truck which left cuts along the road with a 10 foot wall of snow through some of these drifts." +113157,676853,WASHINGTON,2017,January,Winter Weather,"UPPER COLUMBIA BASIN",2017-01-10 16:00:00,PST-8,2017-01-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass invaded the region creating windy conditions over the Columbia Basin. Sustained northeast winds of 25 to 30 mph with gusts as high as 40 mph created blowing and drifting snow with low visibility in the Moses lake area and Waterville Plateau during the afternoon and evening of January 10th. Numerous cars had to be abandoned in snow drifts overnight and some roads were closed through the night. In the Palouse region several vehicles were stranded in drifting snow along Highway 27 between Fairfield and Tekoa. Heavy equipment dispatched to clear the road also became temporarily stuck.","State Route 261 between Interstate 90 and Washtucna was closed due to blowing and drifting snow." +113157,676856,WASHINGTON,2017,January,Winter Weather,"SPOKANE AREA",2017-01-10 22:00:00,PST-8,2017-01-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass invaded the region creating windy conditions over the Columbia Basin. Sustained northeast winds of 25 to 30 mph with gusts as high as 40 mph created blowing and drifting snow with low visibility in the Moses lake area and Waterville Plateau during the afternoon and evening of January 10th. Numerous cars had to be abandoned in snow drifts overnight and some roads were closed through the night. In the Palouse region several vehicles were stranded in drifting snow along Highway 27 between Fairfield and Tekoa. Heavy equipment dispatched to clear the road also became temporarily stuck.","The Whitman County Gazette reported multiple vehicles stranded along Highway 27 between Fairfield and Tekoa due to blowing and drifting snow. The road was re-opened early in the morning by a snow plow and rotary snow blower truck which left cuts along the road with a 10 foot wall of snow through some of these drifts." +115702,695339,IDAHO,2017,April,Flood,"BEAR LAKE",2017-04-04 03:00:00,MST-7,2017-04-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5519,-111.5611,42.23,-111.5955,"Some flooding continued throughout the month but not as severe as previous months or the future river flooding in May and June.","There continued to be mainly minor flooding of the Bear River. There remained extensive field flooding with much of it between Dingle and Pegram." +113161,676923,WASHINGTON,2017,January,Ice Storm,"SPOKANE AREA",2017-01-17 17:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Freezing rain deposited a quarter inch of ice accumulation in northwest Spokane during the night of January 17th." +113161,676945,WASHINGTON,2017,January,Ice Storm,"SPOKANE AREA",2017-01-17 17:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Two tenths of an inch of freezing rain was measured at the NWS office in Spokane." +113161,676948,WASHINGTON,2017,January,Ice Storm,"SPOKANE AREA",2017-01-17 17:00:00,PST-8,2017-01-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well directed atmospheric river of Pacific moisture enhanced into widespread snow and freezing rain over eastern Washington during January 17th and 18th. Heavy snow impacted the mountains and valleys north and west of the Columbia Basin. In the Columbia Basin a cold arctic air mass trapped near the surface was over ridden by a warm front which allowed the ensuing rain to freeze on contact promoting heavy ice accumulations on roads and other surfaces effectively paralyzing travel in and around the Columbia Basin on the 17th and through the morning of the 18th. Washington State Police responded to over 100 vehicle accidents during this storm and over 50 school districts were closed or delayed opening on January 18th. On the northern margins of the basin and in the southern valleys of the Cascades and northern mountains a wintry mix of snow, sleet and freezing rain was noted.","Three tenths of an inch of ice accumulation from freezing rain was recorded 5 miles south of Spokane." +112668,677110,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","An observer in Laclede measured 4.5 inches of now snow accumulation." +112668,677111,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","An observer 1 mile northeast of Huetter measured 7 inches of now snow accumulation." +112668,677112,IDAHO,2017,January,Heavy Snow,"NORTHERN PANHANDLE",2017-01-07 17:00:00,PST-8,2017-01-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","A spotter southeast of Dover measured 6 inches of new snow accumulation." +112668,677113,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","A spotter near Hayden measured 11 inches of new snow accumulation." +112668,677114,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","A spotter near Rose Lake measured 5.9 inches of new snow accumulation." +112668,677115,IDAHO,2017,January,Heavy Snow,"COEUR D'ALENE AREA",2017-01-07 17:00:00,PST-8,2017-01-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Beginning the evening of January 7th and continuing through the afternoon of the 8th a winter storm deposited heavy snow across the mountains and valleys of the northern panhandle of Idaho. Generally 4 to 6 inches of snow fell in the valleys around the region with some local accumulation to 11 inches, with 6 to 12 inches on the mountain slopes.","Five inches of new snow was measured at Coeur D' Alene." +113214,677337,TEXAS,2017,January,Frost/Freeze,"CAMERON",2017-01-07 03:00:00,CST-6,2017-01-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","ASOS site at Rio Grande Valley International Airport in Harlingen (KHRL) reported freezing temperatures for over 6 hours, with a low of 28 degrees. The ASOS at Brownsville/South Padre Island International Airport reported freezing temperatures for almost 5 hours, with a low of 30 degrees. The COOP site in Harlingen reported a low of 30 degrees." +113214,677339,TEXAS,2017,January,Frost/Freeze,"COASTAL CAMERON",2017-01-07 03:00:00,CST-6,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","Laguna Atascosa Remote Automated Weather System (ATRT2) reported freezing temperatures for 7 hours, with a low of 29 degrees. The South Padre Island COOP site reported a low of 31 degrees." +113214,677340,TEXAS,2017,January,Frost/Freeze,"WILLACY",2017-01-07 03:00:00,CST-6,2017-01-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","The COOP site in Raymondville reported a low of 27 degrees." +113214,677341,TEXAS,2017,January,Frost/Freeze,"COASTAL WILLACY",2017-01-07 03:00:00,CST-6,2017-01-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","The COOP site in Port Mansfield reported a low of 28 degrees." +113214,677349,TEXAS,2017,January,Frost/Freeze,"KENEDY",2017-01-07 01:00:00,CST-6,2017-01-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For the first time in nearly 6 six years, the entire Valley and Deep South Texas ranchlands fell to at last 32 degrees. A deep surge of arctic air behind a cold front, allowed for clearing skies and very cold air to invade all of Deep South Texas, with temperatures falling to freezing or below across the entirety of the Rio Grande Valley and Ranchlands.","The Armstrong COOP site reported a low of 23 degrees and the COOP site in Sarita reported a low of 26 degrees." +120818,726094,OHIO,2017,November,Tornado,"HURON",2017-11-05 17:10:00,EST-5,2017-11-05 17:14:00,0,0,0,0,125.00K,125000,0.00K,0,41.0928,-82.5082,41.1101,-82.4502,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A weak tornado touched down west of Fitchville near the intersection of Cresent and Rome Greenwich Roads. A mobile home on the south side of Crescent Road was mostly destroyed. The south side of the mobile remained anchored in place while debris from the destroyed northern half of the home was found scattered to the north and south. From the mobile the tornado moved east northeast crossing U.S. Route 250 and only intermittently making contact with the ground. The tornado settled back on the ground as it approached Palmer Road. Several trees were snapped or uprooted in that area. A clear tornado track then continued off to the northeast through several corn fields with evidence of rotation visible. The tornado then damaged a small barn as it crossed Exchange Road. Roofing material from the barn was found scattered on both sides of the road. The tornado eventually lifted just west of the intersection of Fayette and Greenwich East Roads. This tornado had a damage track about three and a quarter miles in length and up to a 100 yards in width." +112258,671688,GEORGIA,2017,January,Thunderstorm Wind,"MUSCOGEE",2017-01-21 10:20:00,EST-5,2017-01-21 10:30:00,0,0,0,0,6.00K,6000,,NaN,32.5139,-84.9672,32.5139,-84.9672,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Muscogee County 911 center reported numerous trees blown down in the Laurel Hills area near the Columbus Airport." +112258,671696,GEORGIA,2017,January,Thunderstorm Wind,"CRISP",2017-01-21 12:45:00,EST-5,2017-01-21 12:50:00,0,0,0,0,5.00K,5000,,NaN,31.9046,-83.7641,31.9046,-83.7641,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Crisp County Emergency Manager reported traffic lights and power lines blown down near Wenona." +113055,676481,CALIFORNIA,2017,January,Flood,"SAN DIEGO",2017-01-20 17:00:00,PST-8,2017-01-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.2383,-117.3925,33.2392,-117.3867,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","The Santa Margarita River river gauge at Ysidora recorded a crest of 14.60 ft at 2345PST. This was the 6th highest crest on record and exceeded moderate flood stage by 1.3 ft. Impacts to Camp Pendleton Marine Corps Base are unknown." +113055,677704,CALIFORNIA,2017,January,Heavy Snow,"RIVERSIDE COUNTY MOUNTAINS",2017-01-22 01:00:00,PST-8,2017-01-23 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a wet start to the month, a series of 3 storms traversed the region between the 19th and 24th of January. The storms produced flooding rains, extreme mountain snowfall, and strong winds from the coast to the deserts. Rainfall for the 6 day period reached 10-13 inches along the coastal slopes from San Bernardino to San Diego County. Over the coast and valleys 2-7 inches of rain occurred with 0.5-3 inches in the deserts. Snow accumulated to elevations as low as 4,000 ft with 2-5 feet of snow above 5,500 feet and as much as 6 feet on the highest peaks. Strong synoptic and squall induced winds combined with saturated soils to down hundreds of trees over the coast and valleys on the 20th. Damages from downed trees was in the millions of dollars. In the City of San Diego 29 high water rescues were conducted on the 20th alone. The governor declared a State of Emergency in San Diego County.","The Long Valley Ranger Station reported 28 inches of new snow. The majority of the snow fell between 1200 and 1900PST on the 22nd. Chain restrictions were required on area highways." +113213,677314,TENNESSEE,2017,January,Winter Weather,"WAYNE",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Snowfall amounts ranged from 1.2 to 2 inches in Wayne County. The highest amount was measured in Waynesboro." +113213,677330,TENNESSEE,2017,January,Winter Weather,"PERRY",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A CoCoRaHS report indicated 1.3 inches of snow was measured 8 miles north of Linden." +113213,677331,TENNESSEE,2017,January,Winter Weather,"CHEATHAM",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","CoCoRaHS observer measured 1.2 inches of snow in Kingston Springs." +113213,677322,TENNESSEE,2017,January,Winter Weather,"RUTHERFORD",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Social media reports indicated 1.75 inches of snow was measured in Rockvale and in northeast Murfreesboro." +113213,677325,TENNESSEE,2017,January,Winter Weather,"HUMPHREYS",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A Facebook report showed one half inch of snow was measured in McEwin." +113213,677338,TENNESSEE,2017,January,Winter Weather,"ROBERTSON",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","A Facebook report indicated that 0.5 inch of snow was measured in White House." +113213,677342,TENNESSEE,2017,January,Winter Weather,"CUMBERLAND",2017-01-06 06:00:00,CST-6,2017-01-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two waves of light snow fell across Middle Tennessee on Thursday, January 5 and again on Friday, January 6. The first wave on January 5 mainly affected areas along and north of I-40, while the second wave was along and south of I-40. Snow totals reached up to 3 inches in some areas.","Several reports of 1.5 inches of snow were received across Cumberland County." +115700,695236,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:05:00,CST-6,2017-04-29 18:05:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-93.36,30.23,-93.36,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A NWS meteorologist reported quarter size hail in Sulphur." +115700,695237,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:05:00,CST-6,2017-04-29 18:05:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-93.2,30.3,-93.2,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A former NWS meteorologist reported quarter size hail in Moss Bluff." +115700,695238,LOUISIANA,2017,April,Hail,"CALCASIEU",2017-04-29 18:07:00,CST-6,2017-04-29 18:07:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-93.26,30.25,-93.26,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","A NWS employee reported quarter size hail in Westlake." +115957,696877,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-04-18 06:43:00,EST-5,2017-04-18 06:43:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Scattered showers and isolated thunderstorms embedded in fast easterly lower tropospheric flow produced an isolated gale-force wind gust near Dry Tortugas.","A wind gust of 36 knots was measured at Pulaski Shoal Light." +115958,696878,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-04-23 03:15:00,EST-5,2017-04-23 03:15:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Numerous showers and thunderstorms developed over the Florida Straits in response to a shortwave trough of low pressure across the southeast Gulf of Mexico and a surface low pressure near western Cuba. While most gale-force wind gusts associated with the thunderstorms remained well offshore, an isolated report of gale-force wind gusts was received along the reef offshore Key Largo.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +115850,696241,NEW YORK,2017,April,Thunderstorm Wind,"TOMPKINS",2017-04-16 14:25:00,EST-5,2017-04-16 14:35:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-76.53,42.53,-76.53,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in measured gust of 52 knots." +115852,696242,PENNSYLVANIA,2017,April,Thunderstorm Wind,"BRADFORD",2017-04-16 16:00:00,EST-5,2017-04-16 16:10:00,0,0,0,0,30.00K,30000,0.00K,0,41.75,-76.44,41.75,-76.44,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in three hangar doors being blown over at the local airport." +112921,674626,INDIANA,2017,January,Thunderstorm Wind,"HANCOCK",2017-01-10 19:43:00,EST-5,2017-01-10 19:43:00,0,0,0,0,0.10K,100,0.00K,0,39.92,-85.93,39.92,-85.93,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","One to two inch diameter tree limbs were downed on a driveway due to strong thunderstorm wind gusts." +112921,674631,INDIANA,2017,January,Thunderstorm Wind,"JOHNSON",2017-01-10 19:49:00,EST-5,2017-01-10 19:49:00,0,0,0,0,1.00K,1000,0.00K,0,39.4,-86.08,39.4,-86.08,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","Power lines were downed due to damaging thunderstorm wind gusts." +112921,674632,INDIANA,2017,January,Thunderstorm Wind,"SHELBY",2017-01-10 20:10:00,EST-5,2017-01-10 20:10:00,0,0,0,0,1.50K,1500,0.00K,0,39.5847,-85.7041,39.5847,-85.7041,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","A power pole was broken in the area of County Road 400 East and 400 North due to damaging thunderstorm wind gusts." +112921,674633,INDIANA,2017,January,Thunderstorm Wind,"MARION",2017-01-10 19:49:00,EST-5,2017-01-10 19:49:00,0,0,0,0,0.50K,500,0.00K,0,39.78,-86.11,39.78,-86.11,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","Several small branches were downed by thunderstorm winds estimated at 60 mph." +112921,674637,INDIANA,2017,January,Thunderstorm Wind,"HANCOCK",2017-01-10 19:50:00,EST-5,2017-01-10 19:50:00,0,0,0,0,1.00K,1000,0.00K,0,39.94,-85.85,39.94,-85.85,"Warm and humid air, for January, moved across central Indiana during the afternoon and evening of January 10th. Thunderstorms developed along a cold front and brought some strong wind gusts to the area.","A large tree was blown down due to damaging thunderstorm wind gusts." +113425,678715,IDAHO,2017,January,Heavy Snow,"BOISE MOUNTAINS",2017-01-18 08:00:00,MST-7,2017-01-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","Trained spotters from Pine and Featherville reported 17 to 23 inches of snow." +113425,678716,IDAHO,2017,January,Heavy Snow,"CAMAS PRAIRIE",2017-01-18 08:00:00,MST-7,2017-01-19 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","The cooperative observer in Fairfield reported 10 inches of snow and social media reports of 10 to 15 inches in the area." +113421,678701,IDAHO,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-08 19:00:00,MST-7,2017-01-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow combined with rain and freezing rain causing structures to collapse in the Lower Treasure Valley of Idaho and Oregon.","The cooperative observer at Payette reported 5 inches of snow and trained spotters around the area reported 4 to 6 inches of snow before it changed over to freezing rain. The weight of existing snow combined with the rain and freezing rain caused structures in the Payette and Emmett areas to collapse. Significant damage occurred to agricultural buildings housing fresh produce." +113422,678702,OREGON,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-08 22:00:00,MST-7,2017-01-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow combined with rain and freezing rain causing structures to collapse in the Lower Treasure Valley of Idaho and Oregon.","Reports from social media indicated 4 inches of snow fell then changed over to rain and freezing rain. The weight of existing snow combined with rain and freezing rain caused structures to collapse around the communities of Ontario and Vale. Significant damage occurred to agricultural buildings housing fresh produce." +113425,678714,IDAHO,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-18 08:00:00,MST-7,2017-01-19 08:00:00,0,0,0,0,100.00M,100000000,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","Numerous reports from social media reported 6 to 9 inches of snow around Caldwell and 15 to 16 inches from Ontario to Payette and Weiser reported by emergency management. Significant damage occurred to agricultural buildings housing fresh produce." +113426,678719,OREGON,2017,January,Heavy Snow,"LOWER TREASURE VALLEY",2017-01-18 06:00:00,MST-7,2017-01-19 06:00:00,0,0,0,0,100.00M,100000000,0.00K,0,NaN,NaN,NaN,NaN,"A major snow storm dumped heavy snow over most of Eastern Oregon and Southwest Idaho leading to snow emergencies in many locations.","Numerous social media reports were received of 13 to 15 inches of snow around Ontario and Nyssa and 12 inches at Vale. Significant damage occurred to agricultural buildings housing fresh produce." +113160,676875,NEW YORK,2017,January,Strong Wind,"SOUTHWEST SUFFOLK",2017-01-23 13:00:00,EST-5,2017-01-24 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Deep low pressure passed south and east of Long Island.","At Islip MacArthur Airport, a gust up to 55 mph was measured at 208 am on the 24th. Near Oakville, a 55 mph gust was observed at 225 am on the 24th. Near Blue Point, a 52 mph gust was measured at 1220 am on the 24th, and a 50 mph gust was observed near Amityville at 305 pm on the 23rd. In Sayville at 530 pm on the 23rd, a National Weather Service employee reported utility lines down from wind at Railroad and Center Streets." +113734,681052,CALIFORNIA,2017,February,High Wind,"SAN DIEGO COUNTY VALLEYS",2017-02-17 11:00:00,PST-8,2017-02-17 20:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Numerous trees were downed across the western valleys of San Diego County. Peak wind gusts generally ranged between 35 and 50 mph, though a peak gust of 58 mph was reported at Otay Mountain between 1414 and 1514PST." +113734,681050,CALIFORNIA,2017,February,Strong Wind,"ORANGE COUNTY INLAND",2017-02-17 13:00:00,PST-8,2017-02-17 19:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Mesonet stations across inland Orange County reported wind gusts of 30 to 45 mph over a 6 hour period between 1300 and 1900PST. Numerous trees and a few power lines were downed in Santa Ana and Tustin. The falling trees smashed cars blocked roadways." +113734,680852,CALIFORNIA,2017,February,High Surf,"SAN DIEGO COUNTY COASTAL AREAS",2017-02-17 13:00:00,PST-8,2017-02-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong trough and associated Pacific cold front swept into Southern California from the west, bringing strong winds, heavy snow and rain. The storm was noteworthy for the strong prefrontal southerly winds that produced significant tree damage over the coast and valleys. In the mountains the ski resorts received 1-2 ft of snow, while elevations as low as 5,000 ft saw a few inches of accumulation. Rainfall ranged from 2-6 inches along the coastal slopes to 1-2 inches at the coast. At the beaches surf heights reached 8 to 12 ft. Damages, primarily from wind, reached into the millions of dollars.","Multiple lifeguard reports of high surf along the San Diego County coast. Oceanside Beach reported 8-12 ft surf with peak sets near 16 ft on the afternoon of the 18th. Imperial Beach reported sets to 8 ft. Average sets of 7 ft were reported at Mission Beach and Solana Beach." +112307,670263,MARYLAND,2017,February,Winter Weather,"CECIL",2017-02-09 10:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 70's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across northern portions of the Eastern Shore resulting in some light accumulation. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 70's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across northern portions of the Eastern Shore resulting in some light accumulation. Gusty winds also occurred as the low departed the region. In Northeast Heights, a trained spotter reported 0.5 inches of snow." +113554,679805,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 04:50:00,MST-7,2017-04-12 05:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9,-105.23,32.9,-105.23,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Largest hail stones up to the size of golf balls." +120539,722109,KANSAS,2017,January,Ice Storm,"MONTGOMERY",2017-01-13 04:52:00,CST-6,2017-01-15 09:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Observing equipment at both Coffeyville and Independence reported freezing rain over the course of two days with the greatest accumulations occurring the evening of the 14th and ending during the morning hours of the 15th." +120539,722111,KANSAS,2017,January,Ice Storm,"HARPER",2017-01-13 17:31:00,CST-6,2017-01-16 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations of 0.25 to 0.5 inches were noted across the county. Power lines were downed and causing power outages at many locations across the county along with a significant number of tree limbs breaking and falling out of trees." +113554,679807,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 06:55:00,MST-7,2017-04-12 07:03:00,0,0,0,0,0.00K,0,0.00K,0,32.93,-105.26,32.93,-105.26,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Nickel size hail." +113554,679808,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 06:50:00,MST-7,2017-04-12 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.93,-105.35,32.93,-105.35,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Report relayed via Twitter of hail up to the size of half dollars along U.S. Highway 82 at the Chaves and Otero county line." +113554,679810,NEW MEXICO,2017,April,Hail,"CHAVES",2017-04-12 09:05:00,MST-7,2017-04-12 09:10:00,0,0,0,0,0.00K,0,0.00K,0,33.19,-104.37,33.19,-104.37,"A weak upper level trough approaching from Arizona combined with a very moist, unstable boundary layer deepening over eastern New Mexico to produce an extended period of strong to severe thunderstorms over east central and southeast New Mexico. The first storms of the day developed before sunrise near the Sacramento Mountains then spread northeast through the early evening hours. Several strong to severe storms developed from Torrance County across the Pecos Valley into southeast New Mexico. The strongest storms impacted Chaves County where golf ball size was reported from near Elk to Dunken and Dexter. A slow-moving storm that anchored on the east slopes of the Sangre de Cristo Mountains dumped 10 inches of hail around Rainsville.","Nickel size hail." +113570,682559,INDIANA,2017,February,Thunderstorm Wind,"BOONE",2017-02-28 22:35:00,EST-5,2017-02-28 22:35:00,0,0,0,0,,NaN,0.00K,0,40.0309,-86.252,40.0309,-86.252,"A low pressure system brought very warm and unstable air for late February/early March to central Indiana. The result was severe thunderstorms and 7 tornadoes. The severe wind gusts occurred near the Indianapolis metropolitan area and looked to possibly be the result of a descending inflow jet. Aside from the three severe wind reports and one small hail report, most of the severe observations from this episode came in on the 1st of March and will be entered in next month's storm data.","A 64 mph thunderstorm wind gust was measured in this location." +113570,682561,INDIANA,2017,February,Thunderstorm Wind,"HAMILTON",2017-02-28 23:05:00,EST-5,2017-02-28 23:05:00,0,0,0,0,,NaN,0.00K,0,39.95,-86.02,39.95,-86.02,"A low pressure system brought very warm and unstable air for late February/early March to central Indiana. The result was severe thunderstorms and 7 tornadoes. The severe wind gusts occurred near the Indianapolis metropolitan area and looked to possibly be the result of a descending inflow jet. Aside from the three severe wind reports and one small hail report, most of the severe observations from this episode came in on the 1st of March and will be entered in next month's storm data.","A 65 mph thunderstorm wind gust was measured in this location." +113569,679848,INDIANA,2017,February,Thunderstorm Wind,"DECATUR",2017-02-24 17:25:00,EST-5,2017-02-24 17:25:00,0,0,0,0,1.50K,1500,0.00K,0,39.34,-85.48,39.34,-85.48,"A line of thunderstorms strengthened over southeast and eastern Indiana during the late afternoon and early evening hours of February 24th. One of these storms produced some wind damage and small hail.","A flag pole was downed on a vehicle in this location due to damaging thunderstorm wind gusts." +113569,679849,INDIANA,2017,February,Hail,"DECATUR",2017-02-24 17:28:00,EST-5,2017-02-24 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-85.48,39.34,-85.48,"A line of thunderstorms strengthened over southeast and eastern Indiana during the late afternoon and early evening hours of February 24th. One of these storms produced some wind damage and small hail.","Dime to penny size hail was reported to be covering the ground in Greensburg." +113817,682596,MICHIGAN,2017,February,Tornado,"CASS",2017-02-28 20:58:00,EST-5,2017-02-28 21:02:00,0,0,0,0,0.00K,0,0.00K,0,41.9478,-86.176,41.9836,-86.0917,"A warm front moved into far southern Lower Michigan, enhancing low level shear and an already unstable environment to allow for a line of thunderstorms to develop and become severe as it tracked across far southern Lower Michigan and far northern Indiana. Sporadic wind damage reports were noted, along with occasional circulations along the line producing brief tornadoes in Berrien, Cass and St. Joseph counties. Additional severe weather occurred with a second line of storms during the early morning hours of March 1st.","Tornado touched down a field southwest of town and caused extensive tree damage as it tracked into the far south side of town. Two single wide mobile homes were destroyed |along with widespread tree damage and additional minor house damage before the tornado crossed through the Dowagiac Elks Golf Club and then dissipated/lifted as it crossed Dowagiac Creek. Maximum wind speeds were estimated at 105 mph." +113987,682679,CALIFORNIA,2017,February,Debris Flow,"MARIPOSA",2017-02-07 04:52:00,PST-8,2017-02-07 04:52:00,0,0,0,0,0.00K,0,0.00K,0,37.439,-119.7482,37.4566,-119.7424,"Atmospheric river system brought heavy rainfall, flooding, debris flows, and high elevation snowfall to the central California region. Snow levels were above 8000 feet with this relatively warm system.","California Highway Patrol reported a large slide blocking both lanes of State Route 49 near Harris Road south of Ponderosa Basin." +112242,669733,SOUTH DAKOTA,2017,February,Winter Weather,"NORTHERN BLACK HILLS",2017-02-07 18:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669734,SOUTH DAKOTA,2017,February,Winter Weather,"RAPID CITY",2017-02-07 17:00:00,MST-7,2017-02-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669735,SOUTH DAKOTA,2017,February,Winter Weather,"SOUTHERN FOOT HILLS",2017-02-07 15:00:00,MST-7,2017-02-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669736,SOUTH DAKOTA,2017,February,Winter Weather,"CENTRAL BLACK HILLS",2017-02-07 16:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669737,SOUTH DAKOTA,2017,February,Winter Weather,"SOUTHERN BLACK HILLS",2017-02-07 16:00:00,MST-7,2017-02-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669738,SOUTH DAKOTA,2017,February,Winter Weather,"CUSTER CO PLAINS",2017-02-07 17:00:00,MST-7,2017-02-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +112242,669739,SOUTH DAKOTA,2017,February,Winter Weather,"PENNINGTON CO PLAINS",2017-02-07 18:00:00,MST-7,2017-02-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance crossed the area during the night, bringing snow to the Black Hills and southern South Dakota. Snowfall of three to six inches was reported across the area, with the higher amounts across the southern Black Hills and far southwestern South Dakota.","" +113999,682783,MAINE,2017,February,Heavy Snow,"NORTHERN OXFORD",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682784,MAINE,2017,February,Heavy Snow,"SAGADAHOC",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682785,MAINE,2017,February,Heavy Snow,"SOUTHERN FRANKLIN",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682786,MAINE,2017,February,Heavy Snow,"SOUTHERN OXFORD",2017-02-12 13:00:00,EST-5,2017-02-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +113999,682787,MAINE,2017,February,Blizzard,"COASTAL WALDO",2017-02-13 10:30:00,EST-5,2017-02-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio River Valley on the morning of the 12th intensified rapidly as it moved east and into the Gulf of Maine by the morning of the 13th. The storm brought heavy snow and strong winds to all of Western Maine with snowfall amounts generally ranging from 12 to 28 inches. Snow and blowing snow created blizzard conditions during the morning and afternoon of the 13th in parts of the Capital and Mid-Coast areas and near blizzard conditions elsewhere. Both the observing stations in Augusta and Rockland reported more than 4 hours of blizzard conditions.","" +112663,672766,NEW MEXICO,2017,February,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-02-27 23:00:00,MST-7,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts across the southern high peaks of the Sangre de Cristo Mountains east of Santa Fe ranged from 8 to 11 inches." +112663,672773,NEW MEXICO,2017,February,Heavy Snow,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-02-27 19:00:00,MST-7,2017-02-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fierce jet stream within the base of an upper level trough ejected quickly east across the southwest U.S. at the end of February. A deep tap of moisture surging northeast ahead of this system from the eastern Pacific interacted with a cold front arriving from the Great Basin to produce heavy mountain snow across northern and western New Mexico. West and southwest facing slopes along the Continental Divide and much of the Sangre de Cristo Mountains reported between one and two feet of snow. The 17 inches of snowfall at Chama and the 15 inches at Dulce set new daily records for the 28th. Meanwhile, the combination of powerful winds aloft and a strong surface pressure gradient over eastern New Mexico produced widespread strong to damaging winds. Many locations across the eastern plains reported peak winds between 65 and 75 mph. A semi-trailer was blown over and damaged along U.S. Highway 285 south of Vaughn and power outages were reported around Lincoln County. The most significant blowing dust event of the season so far was reported across much of southeastern New Mexico. The visibility was reduced to two miles around Portales.","Snowfall amounts ranged from 10 to 15 inches around Angel Fire and Eagle Nest. Wind gusts up to 50 mph were reported with this snowfall." +114010,682823,OREGON,2017,February,Winter Storm,"EASTERN COLUMBIA RIVER GORGE",2017-02-08 03:05:00,PST-8,2017-02-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific storm system brought snow, sleet and freezing rain to many areas of the Interior Northwest February 7th through 9th.","Winter storm produced a total snow accumulation of 5.25 inches with an ice accumulation of 0.25 inches on top of the snow. Occurred 5 miles SSW of Chenoweth in Wasco county." +114007,682815,WASHINGTON,2017,February,Ice Storm,"BLUE MOUNTAIN FOOTHILLS",2017-02-03 20:46:00,PST-8,2017-02-04 08:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread wintry precipitation across the Pacific Northwest.","Ice accumulation of 0.30 inches, 3 miles NE of Waitsburg in Columbia county." +112555,671482,WISCONSIN,2017,February,Winter Storm,"PIERCE",2017-02-23 22:00:00,CST-6,2017-02-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A well advertised winter storm dropped a narrow area of nearly 13 inches of snow from Lake City MN to Durand WI, northeast to Eau Claire to Augusta. This storm |moved from Colorado, into the Upper Midwest from Thursday evening, February 23rd, through Friday evening, February 24th. This storm system was advertised almost seven days in advance to be a potent winter storm that had the potential of a foot or more of snow. Different scenarios of where the heaviest snow would fall, even as soon as 12 hours before the storm developed, made this event extremely hard to predict.||Once the snow bands developed across far southern Minnesota the evening of Thursday, February 23rd, the forecast narrowed the snow line farther southeast across southern Minnesota and into west central Wisconsin. This system produced two rounds of snow. First, a band of snow developed across far southern Minnesota, and moved slowly northeast toward Lake City, Ellsworth, and into Menomonie and Eau Claire by midnight. This band of snow continued until Friday morning before moving northeast across northern Wisconsin. A secondary band of snow developed Friday morning and continued through the evening as the upper level part of the storm moved across the Upper Midwest.||Some of the higher totals included Stockholm with 13 inches, Augusta 12 inches, Hager City 11 inches, Elk Mound 10 inches, and Eau Claire 9 inches.","Local observers and trained spotters reported between 2 to 11 inches of snow that fell Thursday evening, through Friday evening. The heaviest totals were near the Mississippi River around Red Wing which received 11 inches." +114595,687280,IOWA,2017,April,Hail,"WORTH",2017-04-09 20:40:00,CST-6,2017-04-09 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-93.06,43.33,-93.06,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained storm spotter reported mostly quarter sized hail with a couple of stones measuring up to an inch and a half." +114595,687281,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 20:45:00,CST-6,2017-04-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-93.2,43.15,-93.2,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported nickel to quarter sized hail ongoing in the Mason City area." +116865,702682,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-25 16:35:00,EST-5,2017-05-25 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 53 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +115636,695106,COLORADO,2017,June,Thunderstorm Wind,"MESA",2017-06-21 16:10:00,MST-7,2017-06-21 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,39.2232,-108.8642,39.2232,-108.8642,"A high-based thunderstorm produced strong outflow winds that resulted in damage within the Loma area and the northern portions of Grand Junction.","Several tents and outbuildings from a recent concert event were damaged at the Jam Ranch in Loma." +115636,694813,COLORADO,2017,June,Thunderstorm Wind,"MESA",2017-06-21 16:20:00,MST-7,2017-06-21 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,39.1339,-108.5386,39.1425,-108.6267,"A high-based thunderstorm produced strong outflow winds that resulted in damage within the Loma area and the northern portions of Grand Junction.","Thunderstorm outflow winds from a collapsing dry thunderstorm resulted in a peak wind gust of 71 mph that was measured at the Grand Junction Regional Airport. The visibility at the airport was reduced to 5 miles in blowing dust. A 55 gallon drum full of fuel was blown over and rammed into a parked vehicle. In a nearby residential neighborhood, a wooden trash and recycle structure was damaged." +116785,702313,VIRGINIA,2017,May,Hail,"MECKLENBURG",2017-05-10 20:45:00,EST-5,2017-05-10 20:45:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-78.63,36.71,-78.63,"Isolated severe thunderstorm along a warm front produced large hail across portions of south central Virginia.","Half dollar size hail was reported." +117855,708328,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-11 15:00:00,MST-7,2017-07-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-111.22,34.3606,-111.183,"Thunderstorms produced locally heavy rain across northern Arizona.","The flow in Bonita Creek increased as a result of heavy rain on the Highline Fire scar. The water remained within banks and did not impact the homes in the area." +114061,691219,MONTANA,2017,April,Strong Wind,"LOWER CLARK FORK REGION",2017-04-07 10:30:00,MST-7,2017-04-07 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Strong wind gusts from showers and thunderstorms caused significant tree damage, as well as localized roof and sign damage across western Montana. Kalispell, Missoula and the Polson Kerr Dam climate stations reported all-time record precipitation for the combined February and March months, and it is thought the saturated soils from this contributed to the tree damage. Stronger than normal mid-level winds caused very fast moving storms. This resulted in outflow winds being stronger than what would normally be expected from the relatively moderate strength storms.","A tree feel onto a transmission line in the Nine Mile area a little after noon causing over three thousand customers to be without power for several hours. Another storm produced strong winds that caused two bull pine trees to fall and damaged part of a roof in the Evaro area around 509 pm MDT." +118087,709719,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-06-04 21:45:00,EST-5,2017-06-04 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms in advance of a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 47 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +118091,709725,VIRGINIA,2017,June,Heavy Rain,"JAMES CITY",2017-06-05 15:15:00,EST-5,2017-06-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-76.6,37.21,-76.6,"Scattered thunderstorms well in advance of a cold front produced heavy rain and minor street flooding across portions of southeast Virginia.","Rainfall total of 2.57 inches was measured at (2 SE) Grove." +118093,709741,VIRGINIA,2017,June,Lightning,"CHESTERFIELD",2017-06-19 16:52:00,EST-5,2017-06-19 16:52:00,0,0,0,0,15.00K,15000,0.00K,0,37.46,-77.46,37.46,-77.46,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Lightning strike caused a small structural fire. Also, there was a lightning strike on utilities and an adjacent shed on Dulwich Lane." +119435,716882,NORTH CAROLINA,2017,July,Heavy Rain,"PASQUOTANK",2017-07-29 06:54:00,EST-5,2017-07-29 06:54:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-76.17,36.26,-76.17,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.79 inches was measured at ECG." +119435,716883,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-29 06:55:00,EST-5,2017-07-29 06:55:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-76.02,36.4,-76.02,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.83 inches was measured at ONX." +115799,696016,OKLAHOMA,2017,April,Blizzard,"CIMARRON",2017-04-30 09:25:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","" +115799,696017,OKLAHOMA,2017,April,Blizzard,"TEXAS",2017-04-30 11:14:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","" +119834,718470,KANSAS,2017,August,Hail,"LOGAN",2017-08-10 14:00:00,CST-6,2017-08-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8541,-101.1301,38.8541,-101.1301,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","" +115844,696220,NEW HAMPSHIRE,2017,April,Flood,"MERRIMACK",2017-04-06 20:36:00,EST-5,2017-04-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,43.2519,-71.3732,43.2497,-71.3718,"A large area of low pressure moving northward through eastern New York brought warming temperatures and heavy rain to parts of the state. The combination of snow melt and 1 to 2 inches of rain caused minor flooding on the Suncook River at North Chichester.","A storm moving through eastern New York brought 1 to 2 inches of rain and caused minor flooding on the Suncook River at North Chichester from the 6th to the 9th. The river crested at 8.69 feet. Flood stage is 7 feet." +115853,696250,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-04-06 07:41:00,EST-5,2017-04-06 07:41:00,0,0,0,0,0.00K,0,0.00K,0,28.05,-80.56,28.05,-80.56,"A decaying squall line and several trailing, smaller bands of showers and storms resulted in strong wind gusts along the coastline and adjacent waters of southern Brevard County.","The ASOS at Melbourne Airport (KMLB) measured a peak gust of 37 knots from the south-southeast, associated with nearby showers and thunderstorms." +115853,696252,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-04-06 08:13:00,EST-5,2017-04-06 08:13:00,0,0,0,0,0.00K,0,0.00K,0,28.05,-80.56,28.05,-80.56,"A decaying squall line and several trailing, smaller bands of showers and storms resulted in strong wind gusts along the coastline and adjacent waters of southern Brevard County.","A Weather Underground mesonet site south of Melbourne Beach recorded a peak gust of 36 knots from the northwest, associated with nearby showers and thunderstorms. Nearly 10 minutes later, another nearby mesonet site recorded winds to 35 knots from the northwest." +115845,696221,NEW HAMPSHIRE,2017,April,Flood,"COOS",2017-04-12 15:31:00,EST-5,2017-04-14 19:37:00,0,0,0,0,0.00K,0,0.00K,0,44.4327,-71.6771,44.4361,-71.678,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused melting snow in the headwaters of many of the rivers which caused minor flooding on the Connecticut River at Dalton.","With high temperatures in the 70s and 80s, melting snow caused minor flooding on the Connecticut River at Dalton. The river crested at 18.04 feet; flood stage is 17 feet." +115847,696225,MAINE,2017,April,Flood,"SOMERSET",2017-04-12 02:30:00,EST-5,2017-04-14 06:30:00,0,0,0,0,0.00K,0,0.00K,0,44.7691,-69.676,44.7693,-69.6747,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused melting snow in the headwaters of many of the rivers which caused minor flooding on the Kennebec River at Skowhegan and Augusta.","With high temperatures in the 70s and 80s, melting snow caused minor flooding on the Kennebec River at Skowhegan. The river crested at 39,800 cfs; flood stage is 35,000 cfs." +115362,693738,GEORGIA,2017,April,Thunderstorm Wind,"BRYAN",2017-04-03 15:03:00,EST-5,2017-04-03 15:04:00,0,0,0,0,,NaN,,NaN,31.93,-81.31,31.93,-81.31,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A trained spotter reported 60 mph wind gusts with a passing thunderstorm." +115363,693739,SOUTH CAROLINA,2017,April,Tornado,"HAMPTON",2017-04-03 15:43:00,EST-5,2017-04-03 15:44:00,0,0,0,0,,NaN,,NaN,32.86,-81.19,32.8605,-81.1853,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The National Weather Service in Charleston South Carolina confirmed a weak, brief tornado just east of Gifford in Hampton County, South Carolina on 04/03/2017. A National Weather Service storm survey team found that a tornado touched down about 2.7 miles east of Gifford, SC, then traveled approximately one third of a mile east-northeast before lifting near Thomas Hamilton Road. The damage was limited to uprooting of small soft and hardwood trees. Maximum wind speeds were estimated to be 80 mph. More widespread tree damage was just south of the tornado, associated with straight-line winds." +115363,693740,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"HAMPTON",2017-04-03 15:37:00,EST-5,2017-04-03 15:38:00,0,0,0,0,,NaN,,NaN,32.81,-81.24,32.81,-81.24,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Hampton County Warning Point reported a tree down on Highway 321." +120054,719414,MINNESOTA,2017,August,Hail,"NOBLES",2017-08-13 20:18:00,CST-6,2017-08-13 20:18:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-95.8,43.62,-95.8,"Storms moved out of southeast South Dakota and moved along the Minnesota/Iowa border and produced severe-sized hail before weakening.","" +120150,719866,SOUTH DAKOTA,2017,August,Hail,"BRULE",2017-08-21 10:00:00,CST-6,2017-08-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-99.32,43.65,-99.32,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +115779,695823,PENNSYLVANIA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-16 14:55:00,EST-5,2017-04-16 14:55:00,0,0,0,0,2.50K,2500,0.00K,0,41.12,-80.33,41.12,-80.33,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Member of social media reported trees and wires down." +115779,695824,PENNSYLVANIA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-16 15:10:00,EST-5,2017-04-16 15:10:00,0,0,0,0,0.50K,500,0.00K,0,41.11,-80.26,41.11,-80.26,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Local 911 reported a tree down near Volant." +120150,719868,SOUTH DAKOTA,2017,August,Hail,"TURNER",2017-08-21 10:06:00,CST-6,2017-08-21 10:06:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-97.22,43.49,-97.22,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +115779,695825,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ALLEGHENY",2017-04-16 16:45:00,EST-5,2017-04-16 16:45:00,0,0,0,0,2.50K,2500,0.00K,0,40.42,-79.79,40.42,-79.79,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Local 911 reported trees down." +115779,695826,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-16 16:55:00,EST-5,2017-04-16 16:55:00,0,0,0,0,0.50K,500,0.00K,0,40.37,-79.65,40.37,-79.65,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Local 911 reported tree down." +115506,693540,MASSACHUSETTS,2017,April,Drought,"NORTHWEST MIDDLESEX COUNTY",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in Northwest Middlesex County to Moderate Drought (D1) on April 4." +115509,693541,CONNECTICUT,2017,April,Drought,"HARTFORD",2017-04-01 00:00:00,EST-5,2017-04-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In April, rainfall in Connecticut ranged from one-half inch below normal to one and one-half inch above normal. The driest areas were in Northcentral Connecticut. Temperatures were four to six degrees above normal. ||Rivers and streams monitored by the USGS were mainly at normal to above|normal levels.||Ground water conditions improved during the month and most were at normal to above normal levels. The exception was in the Connecticut River Valley where some monitored wells were at below normal levels.||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County.","The U.S. Drought Monitor continued the Severe Drought (D2) designation through the first half of April. Areas east of the Connecticut River were reduced to the Moderate Drought (D1) designation on April 4. All remaining areas were reduced to Moderate Drought (D1) on April 18." +115509,693542,CONNECTICUT,2017,April,Drought,"TOLLAND",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In April, rainfall in Connecticut ranged from one-half inch below normal to one and one-half inch above normal. The driest areas were in Northcentral Connecticut. Temperatures were four to six degrees above normal. ||Rivers and streams monitored by the USGS were mainly at normal to above|normal levels.||Ground water conditions improved during the month and most were at normal to above normal levels. The exception was in the Connecticut River Valley where some monitored wells were at below normal levels.||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County.","The Severe Drought (D2) designation in extreme western Tolland County was reduced to Moderate Drought (D1) on April 4." +115294,696921,ILLINOIS,2017,April,Flood,"LAWRENCE",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.8524,-87.5472,38.8478,-87.9071,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across northwest Lawrence County. Numerous rural roads, highways and creeks in the county were flooded, particularly in the vicinity of Chauncey. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115294,696925,ILLINOIS,2017,April,Flood,"RICHLAND",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.8471,-88.2591,38.73,-88.2564,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Richland County. Several streets in the city of Olney were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly north of U.S. Highway 50. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115066,690945,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:00:00,CST-6,2017-04-26 00:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.4023,-94.1469,36.4023,-94.1469,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down a small tree onto a home, causing damage to the roof." +115066,690947,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:05:00,CST-6,2017-04-26 00:05:00,0,0,0,0,0.00K,0,0.00K,0,36.3723,-94.2084,36.3723,-94.2084,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down trees." +115066,690949,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:06:00,CST-6,2017-04-26 00:06:00,0,0,0,0,0.00K,0,0.00K,0,36.3374,-94.12,36.3374,-94.12,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind snapped and uprooted trees south of the Rogers Airport." +115066,690950,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:07:00,CST-6,2017-04-26 00:07:00,0,0,0,0,2.00K,2000,0.00K,0,36.3859,-94.1363,36.3859,-94.1363,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down a tree onto a house in the Little Flock area." +115066,690952,ARKANSAS,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-26 00:08:00,CST-6,2017-04-26 00:08:00,0,0,0,0,0.00K,0,0.00K,0,36.1007,-94.208,36.1007,-94.208,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down a couple trees." +115066,690953,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:10:00,CST-6,2017-04-26 00:10:00,0,0,0,0,0.00K,0,0.00K,0,36.4526,-94.1136,36.4526,-94.1136,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down a tree onto Davis Street." +115060,690795,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:00:00,CST-6,2017-04-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0366,-95.9204,36.0366,-95.9204,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690804,OKLAHOMA,2017,April,Hail,"CREEK",2017-04-04 16:02:00,CST-6,2017-04-04 16:02:00,0,0,0,0,15.00K,15000,0.00K,0,35.8317,-96.3923,35.8317,-96.3923,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690808,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:02:00,CST-6,2017-04-04 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.1045,-95.8511,36.1045,-95.8511,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690810,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:04:00,CST-6,2017-04-04 16:04:00,0,0,0,0,0.00K,0,0.00K,0,36.0464,-95.9043,36.0464,-95.9043,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690813,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:05:00,CST-6,2017-04-04 16:05:00,0,0,0,0,25.00K,25000,0.00K,0,36.0693,-95.8864,36.0693,-95.8864,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115098,691499,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-28 21:49:00,CST-6,2017-04-28 21:49:00,0,0,0,0,25.00K,25000,0.00K,0,35.054,-94.6231,35.054,-94.6231,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691500,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-28 21:50:00,CST-6,2017-04-28 21:50:00,0,0,0,0,15.00K,15000,0.00K,0,35.3545,-94.4349,35.3545,-94.4349,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691526,OKLAHOMA,2017,April,Thunderstorm Wind,"CREEK",2017-04-29 02:55:00,CST-6,2017-04-29 02:55:00,0,0,0,0,0.00K,0,0.00K,0,36.0846,-96.5852,36.0846,-96.5852,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down several trees." +115098,691527,OKLAHOMA,2017,April,Thunderstorm Wind,"OSAGE",2017-04-29 03:16:00,CST-6,2017-04-29 03:16:00,0,0,0,0,15.00K,15000,0.00K,0,36.24,-96.3,36.24,-96.3,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind destroyed a windmill and damaged the roofs of homes." +113489,679846,INDIANA,2017,April,Hail,"CARROLL",2017-04-10 08:48:00,EST-5,2017-04-10 08:50:00,0,0,0,0,,NaN,0.00K,0,40.55,-86.52,40.55,-86.52,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","" +113489,679847,INDIANA,2017,April,Hail,"WARREN",2017-04-10 07:55:00,EST-5,2017-04-10 07:59:00,0,0,0,0,,NaN,,NaN,40.3501,-87.5284,40.3501,-87.5284,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","Hail lasted for 3 to 4 minutes followed by heavy rain. Scattered hail was still on the ground at 9:20 AM EDT." +112859,677399,NEW JERSEY,2017,March,Winter Storm,"GLOUCESTER",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","A few inches of snow fell across the county with a sharp gradient in totals. ice accumulations were up to 1/4 inch." +113801,681405,KENTUCKY,2017,April,Hail,"MADISON",2017-04-05 19:05:00,EST-5,2017-04-05 19:05:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-84.33,37.88,-84.33,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681406,KENTUCKY,2017,April,Hail,"FAYETTE",2017-04-05 19:07:00,EST-5,2017-04-05 19:07:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-84.39,37.96,-84.39,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681407,KENTUCKY,2017,April,Hail,"MADISON",2017-04-05 19:07:00,EST-5,2017-04-05 19:07:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-84.32,37.85,-84.32,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +112919,722521,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 20:58:00,CST-6,2017-02-28 20:58:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-87.68,41.53,-87.68,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +112919,722523,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 21:42:00,CST-6,2017-02-28 21:43:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-87.87,41.63,-87.87,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +112919,722524,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 21:47:00,CST-6,2017-02-28 21:48:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-87.73,41.67,-87.73,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +113801,681408,KENTUCKY,2017,April,Hail,"CLARK",2017-04-05 19:20:00,EST-5,2017-04-05 19:20:00,0,0,0,0,0.00K,0,0.00K,0,38,-84.19,38,-84.19,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681409,KENTUCKY,2017,April,Hail,"CLARK",2017-04-05 19:22:00,EST-5,2017-04-05 19:22:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-84.21,37.97,-84.21,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681410,KENTUCKY,2017,April,Hail,"CLARK",2017-04-05 19:38:00,EST-5,2017-04-05 19:38:00,0,0,0,0,0.00K,0,0.00K,0,38,-84.19,38,-84.19,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681411,KENTUCKY,2017,April,Hail,"ADAIR",2017-04-05 18:45:00,CST-6,2017-04-05 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-85.33,37.12,-85.33,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +116865,702684,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-25 16:48:00,EST-5,2017-05-25 16:48:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 42 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +116865,702687,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-25 16:52:00,EST-5,2017-05-25 16:52:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-76.02,37.26,-76.02,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 41 knots was measured at Plantation Flats." +120238,720425,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-20 14:58:00,AST-4,2017-08-20 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18.0139,-66.0265,18.0145,-66.0209,"A strong tropical wave moving across the region produced heavy shower and thunderstorm activity across most of PR.","Flooding reported in a residence in the Urbanization of Valles de Patillas." +119588,717501,MISSOURI,2017,July,Heat,"LINCOLN",2017-07-24 12:00:00,CST-6,2017-07-24 20:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A man died on 7/24/17, in his home due to heat exhaustion. The power had been out for a couple of days due to thunderstorm damage. High temperatures on July 24th were around 90 degrees.","A 76 year old man died in his home from heat exhaustion. The power had been out for a couple of days due to thunderstorm damage." +116865,702688,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-25 16:54:00,EST-5,2017-05-25 16:54:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-75.99,37.17,-75.99,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 36 knots was measured at Kiptopeke." +116865,702690,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-25 17:00:00,EST-5,2017-05-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-76.3,37.2,-76.3,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 50 knots was measured at (4 NNE) Plum Tree Island Refuge." +116865,702692,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-05-25 16:35:00,EST-5,2017-05-25 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-76.25,37.3,-76.25,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 34 knots was measured at New Point Comfort." +116865,702694,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-25 16:45:00,EST-5,2017-05-25 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-76.08,36.91,-76.08,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 34 knots was measured at Lynnhaven Pier." +116865,702697,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-05-25 17:00:00,EST-5,2017-05-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 36 knots was measured at Rappahannock Light." +115771,698560,GEORGIA,2017,April,Thunderstorm Wind,"ROCKDALE",2017-04-03 11:46:00,EST-5,2017-04-03 11:51:00,0,0,0,0,8.00K,8000,,NaN,33.5705,-84.1105,33.5705,-84.1105,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Rockdale County Emergency Manager reported power lines blown down on East Fairview Road." +112860,677366,PENNSYLVANIA,2017,March,Winter Storm,"DELAWARE",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Spotters measured between 6 and 8 inches of snow in the county with some sleet and freezing rain as well. ice accumulations were over 1/4 inch in spots." +112860,677369,PENNSYLVANIA,2017,March,Winter Storm,"EASTERN CHESTER",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall ranged from 5 to 8 inches across the county. Some sleet and freezing rain mixed in as well." +112860,677379,PENNSYLVANIA,2017,March,Winter Storm,"WESTERN CHESTER",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall generally ranged from 8 to 12 inches across western portions of Chester County." +112860,678375,PENNSYLVANIA,2017,March,Winter Storm,"PHILADELPHIA",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snow of several inches along with up to 1/4 inch ice." +112860,677362,PENNSYLVANIA,2017,March,Winter Storm,"LEHIGH",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Spotters measured over 10 inches of snow across the county. Some sleet mixed in." +112860,677374,PENNSYLVANIA,2017,March,Winter Storm,"LOWER BUCKS",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall ranged from 6 to 8 inches across the county. Some sleet and freezing rain mixed in as well." +115771,698561,GEORGIA,2017,April,Thunderstorm Wind,"UPSON",2017-04-03 11:49:00,EST-5,2017-04-03 11:54:00,0,0,0,0,6.00K,6000,,NaN,32.96,-84.24,32.96,-84.24,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Upson County Emergency Manager reported several trees blown down along The Rock Road." +115771,698562,GEORGIA,2017,April,Thunderstorm Wind,"HENRY",2017-04-03 11:51:00,EST-5,2017-04-03 11:55:00,0,0,0,0,6.00K,6000,,NaN,33.37,-84.18,33.37,-84.18,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The public reported trees snapped and uprooted." +115771,698566,GEORGIA,2017,April,Thunderstorm Wind,"MONROE",2017-04-03 11:55:00,EST-5,2017-04-03 12:00:00,0,0,0,0,20.00K,20000,,NaN,32.864,-84.0934,32.8728,-84.0427,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Monroe County Emergency Manager reported numerous trees blown down around and east of Culloden. Trees fell on homes on College and Norwood Streets and a large tree was across the road on Highway 341. East of Culloden on Highway 74, several pieces of a tin roof were peeled back and a large sliding door was damaged on a garage. No injuries were reported." +115771,698571,GEORGIA,2017,April,Thunderstorm Wind,"NEWTON",2017-04-03 12:18:00,EST-5,2017-04-03 12:25:00,0,0,0,0,200.00K,200000,,NaN,33.5308,-83.8058,33.5198,-83.7319,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported multiple trees blown down along Highway 213 from around Dixie Road into the city of Mansfield. Severe damage occurred at a tractor equipment company, a car lot and the City Hall in Mansfield." +115303,692226,NEW MEXICO,2017,June,Hail,"COLFAX",2017-06-05 16:15:00,MST-7,2017-06-05 16:16:00,0,0,0,0,0.00K,0,0.00K,0,36.35,-104.04,36.35,-104.04,"A dome of high pressure established itself over southwestern New Mexico while moist, low-level southeasterly flow shifted westward across eastern New Mexico beneath the high. Scattered to numerous showers and thunderstorms developed around the high terrain of central New Mexico then propagated eastward into the plains. These storms organized into a squall line that moved across the plains into west Texas. The strongest storm produced penny size hail around Farley. Many other parts of eastern NM saw strong wind gusts between 40 and 50 mph, pea to dime size hail, and heavy rainfall.","Penny size hail in Farley." +115304,692827,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-06 12:30:00,MST-7,2017-06-06 12:32:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-105.36,35.27,-105.36,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Hail up to the size of quarters near Villanueva." +115304,692829,NEW MEXICO,2017,June,Thunderstorm Wind,"MORA",2017-06-06 12:51:00,MST-7,2017-06-06 12:55:00,0,0,0,0,0.00K,0,0.00K,0,35.84,-104.95,35.84,-104.95,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Peak wind gust to 63 mph." +116148,701296,MASSACHUSETTS,2017,June,Strong Wind,"EASTERN PLYMOUTH",2017-06-06 04:45:00,EST-5,2017-06-06 09:12:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 451 AM EST, an amateur radio operator reported a tree down on wires on Arnold Road in Hingham. At 909 AM EST, a tree was down and partially blocking Lazell Street at South Pleasant Street." +116151,701298,MASSACHUSETTS,2017,June,Lightning,"NORFOLK",2017-06-09 14:15:00,EST-5,2017-06-09 14:15:00,0,0,0,0,7.00K,7000,0.00K,0,42.0426,-71.4879,42.0426,-71.4879,"Solar heating of a cold unstable air aloft helped generate a few thunderstorms over eastern Massachusetts during the afternoon. These thunderstorms dissipated during the evening.","At 215 PM EST, wires were reported down due to a lightning strike on a utility pole on South Main Street at Laurel Lane in Bellingham." +116151,701300,MASSACHUSETTS,2017,June,Thunderstorm Wind,"NORFOLK",2017-06-09 14:30:00,EST-5,2017-06-09 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.13,-71.1082,42.13,-71.1082,"Solar heating of a cold unstable air aloft helped generate a few thunderstorms over eastern Massachusetts during the afternoon. These thunderstorms dissipated during the evening.","At 230 PM EST, a tree was reported down on Pearl Street in Stoughton, near the High School." +116152,701307,MASSACHUSETTS,2017,June,Hail,"SUFFOLK",2017-06-13 16:35:00,EST-5,2017-06-13 16:35:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-71.05,42.33,-71.05,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 435 PM EST, dime size hail fell in South Boston." +116152,701310,MASSACHUSETTS,2017,June,Hail,"PLYMOUTH",2017-06-13 17:00:00,EST-5,2017-06-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-70.89,42.24,-70.89,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 5 PM EST, dime size hail fell at Hingham." +116152,701323,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:22:00,EST-5,2017-06-13 16:22:00,0,0,0,0,1.00K,1000,0.00K,0,42.3689,-71.1035,42.3689,-71.1035,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 422 PM EST, a tree was brought down on Harvard Street in Cambridge. A wind gust to 63 MPH was measured in East Cambridge." +116152,701324,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:22:00,EST-5,2017-06-13 16:22:00,0,0,0,0,1.00K,1000,0.00K,0,42.4121,-71.1106,42.4121,-71.1106,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 422 PM EST, a tree was down on George Street near Main Street in Medford." +116152,701338,MASSACHUSETTS,2017,June,Thunderstorm Wind,"NORFOLK",2017-06-13 17:05:00,EST-5,2017-06-13 17:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.2433,-70.9398,42.2433,-70.9398,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 505 PM EST, a large tree was down on Green Street in Weymouth." +116152,701342,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:22:00,EST-5,2017-06-22 16:22:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-71.09,42.36,-71.09,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 422 PM EST, a 63 mph wind gust was measured by a mesonet station in East Cambridge." +116152,701346,MASSACHUSETTS,2017,June,Thunderstorm Wind,"PLYMOUTH",2017-06-13 17:38:00,EST-5,2017-06-13 17:38:00,0,0,0,0,1.00K,1000,0.00K,0,42.1151,-70.7149,42.1151,-70.7149,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 538 PM EST, a tree was downed on Ferry Street in Marshfield." +116152,701348,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:30:00,EST-5,2017-06-13 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,42.3626,-71.1048,42.3626,-71.1048,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 430 PM EST, a tree and wires were brought down on a car on Pearl Street in Cambridge." +117364,705803,MASSACHUSETTS,2017,June,Lightning,"ESSEX",2017-06-23 13:30:00,EST-5,2017-06-23 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,42.5528,-70.9402,42.5528,-70.9402,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 130 PM EST, the Liberty Tree Mall in Danvers was struck by lightning. A generator was damaged." +117364,705808,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 12:45:00,EST-5,2017-06-23 12:45:00,0,0,0,0,1.00K,1000,0.00K,0,42.3337,-71.2593,42.3337,-71.2593,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 1245 PM EST, a tree was blocking Clearwater Street in Newton." +117364,705809,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:07:00,EST-5,2017-06-23 13:07:00,0,0,0,0,1.50K,1500,0.00K,0,42.4781,-71.1488,42.4781,-71.1488,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 107 PM EST, a tree and wires were down at Prospect and High Streets in Woburn." +117364,705829,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:33:00,EST-5,2017-06-23 13:33:00,0,0,0,0,5.00K,5000,0.00K,0,42.5528,-71.0495,42.5528,-71.0495,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 133 PM EST, power lines were reported down on Orchard Lane in Lynnfield." +117364,705830,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:34:00,EST-5,2017-06-23 13:34:00,0,0,0,0,1.50K,1500,0.00K,0,42.7102,-71.0577,42.7102,-71.0577,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 134 PM EST, a tree was down on state route 133 in Boxford, blocking the road." +117364,705831,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:35:00,EST-5,2017-06-23 13:35:00,0,0,0,0,12.00K,12000,0.00K,0,42.7035,-71.0257,42.7035,-71.0257,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 135 PM EST, a couple of trees were reported down on Washington Street in Boxford. |A tree was reported down on wires on Spofford Road. A large tree was down, taking down a utility pole, on Sprucewood Circle at Woodcrest Road." +117364,705838,MASSACHUSETTS,2017,June,Thunderstorm Wind,"NORFOLK",2017-06-23 12:45:00,EST-5,2017-06-23 12:45:00,0,0,0,0,1.00K,1000,0.00K,0,42.3218,-71.2624,42.3218,-71.2624,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 1245 PM EST, a tree was brought down blocking Crescent Street in Wellesley." +117370,705845,MASSACHUSETTS,2017,June,Flood,"BRISTOL",2017-06-24 09:15:00,EST-5,2017-06-24 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.698,-71.1457,41.6983,-71.1451,"The remnants of Tropical Storm Cindy moved across Southern New England. This was followed by a cold front shortly after. This brought locally heavy downpours of up to one and one-half inches to the South Coasts of Rhode Island and Massachusetts.","At 915 AM EST, a heavy downpour flooded a section of Pleasant Street in Fall River with one lane blocked off." +117370,705847,MASSACHUSETTS,2017,June,Flood,"PLYMOUTH",2017-06-24 09:45:00,EST-5,2017-06-24 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,41.7683,-70.7011,41.7699,-70.6967,"The remnants of Tropical Storm Cindy moved across Southern New England. This was followed by a cold front shortly after. This brought locally heavy downpours of up to one and one-half inches to the South Coasts of Rhode Island and Massachusetts.","At 945 AM EST, a portion of the Cranberry Highway in Wareham was blocked and impassible due to flooding." +117373,705854,MASSACHUSETTS,2017,June,Flood,"WORCESTER",2017-06-27 13:39:00,EST-5,2017-06-27 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.2762,-71.7373,42.2917,-71.72,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 139 PM EST, the right lane of Maple Avenue in Shrewsbury was flooded and impassible." +117373,705877,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 15:52:00,EST-5,2017-06-27 15:55:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-71.5,42.43,-71.5,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 352 PM EST, an amateur radio operator reported 1-inch diameter hail at Stow." +117373,705878,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 15:55:00,EST-5,2017-06-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.39,-71.56,42.39,-71.56,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 355 PM EST, an amateur radio operator reported 1-inch diameter hail at Hudson." +117373,705879,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 16:05:00,EST-5,2017-06-27 16:05:00,0,0,0,0,0.00K,0,0.00K,0,42.55,-71.27,42.55,-71.27,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 405 PM EST, an amateur radio operator reported dime-size hail at Billerica." +117373,705880,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 16:14:00,EST-5,2017-06-27 16:19:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-71.23,42.62,-71.23,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 414 PM EST, an amateur radio operator reported dime-size hail at Tewksbury." +117373,705881,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 16:33:00,EST-5,2017-06-27 16:38:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-71.87,42.05,-71.87,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 433 PM EST, a trained spotter reported nickel-size hail at Webster." +117373,706074,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 14:58:00,EST-5,2017-06-27 14:58:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-71.99,42.24,-71.99,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 258 PM EST, an amateur radio operator reported nickel-size hail covering the ground in Spencer." +117373,706075,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 15:00:00,EST-5,2017-06-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-71.9,42.25,-71.9,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 3 PM EST, an amateur radio operator reported 1-inch diameter hail in Leicester." +113933,690112,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 18:00:00,CST-6,2017-04-14 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.3132,-99.0868,41.3132,-99.0868,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +113933,690124,NEBRASKA,2017,April,Hail,"VALLEY",2017-04-14 20:04:00,CST-6,2017-04-14 20:04:00,0,0,0,0,0.00K,0,0.00K,0,41.6288,-99.0885,41.6288,-99.0885,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +115599,694272,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-06-19 13:20:00,CST-6,2017-06-19 13:24:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"During the early afternoon of June 19th, a line of strong thunderstorms moved across the near shore waters of Lake Michigan and caused wind gusts exceeding 34 knots.","Milwaukee harbor lakeshore station measured wind gusts of 38 to 40 knots for a four minute period from 220 pm CDT to 224 pm CDT." +115599,694273,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-19 13:50:00,CST-6,2017-06-19 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"During the early afternoon of June 19th, a line of strong thunderstorms moved across the near shore waters of Lake Michigan and caused wind gusts exceeding 34 knots.","Kenosha harbor lakeshore station measured wind gusts of 35 to 37 knots for a 10 minute period." +115599,694274,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-19 13:46:00,CST-6,2017-06-19 13:46:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"During the early afternoon of June 19th, a line of strong thunderstorms moved across the near shore waters of Lake Michigan and caused wind gusts exceeding 34 knots.","Mesonet weather station on Racine Reef platform measured a wind gust of 48 knots as the thunderstorms passed by." +115715,695411,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-24 19:30:00,CST-6,2017-06-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"During the evening of June 24th, showers moved across the near shore waters of Lake Michigan and produced strong wind gusts in excess of 33 knots.","Kenosha harbor lakeshore weather station measured strong winds from passing weakening showers." +116205,698547,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-28 19:51:00,CST-6,2017-06-28 19:51:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"A line of strong thunderstorms affected the near shore waters of Lake Michigan from North Point Light to Winthrop Harbor during the evening.","Line of strong thunderstorms caused wind gusts of 35 knots at mesonet weather station located on Racine Reef." +116205,698548,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-06-28 19:26:00,CST-6,2017-06-28 19:26:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"A line of strong thunderstorms affected the near shore waters of Lake Michigan from North Point Light to Winthrop Harbor during the evening.","Milwaukee lakeshore weather station measured a wind gust of 34 knots as strong thunderstorms moved through." +117071,704340,WISCONSIN,2017,June,Tornado,"ROCK",2017-06-28 18:38:00,CST-6,2017-06-28 18:40:00,0,0,0,0,60.00K,60000,0.00K,0,42.6865,-89.0993,42.6866,-89.0838,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","This short lived tornado topped, snapped, or uprooted many trees and damaged the roof on two farm buildings." +117753,708008,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"UPPER ENTRANCE OF PORTAGE CANAL TO MANITOU ISLAND MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-06-10 19:00:00,EST-5,2017-06-10 19:05:00,0,0,0,0,0.00K,0,0.00K,0,48.22,-88.37,48.22,-88.37,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","Measured wind gust at the Passage Island Light." +117753,708009,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"ONTONAGON TO UPPER ENTRANCE OF PORTAGE CANAL MI",2017-06-10 20:03:00,EST-5,2017-06-10 20:07:00,0,0,0,0,0.00K,0,0.00K,0,47.2422,-88.5824,47.2422,-88.5824,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","The Houghton County Sheriff reported trees down on power lines and across Highway M-203." +117636,707457,MICHIGAN,2017,June,Thunderstorm Wind,"SCHOOLCRAFT",2017-06-11 14:35:00,EST-5,2017-06-11 14:40:00,0,0,0,0,2.00K,2000,0.00K,0,45.96,-86.25,45.96,-86.25,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report from the local hospital emergency coordinator of several trees down in and around Manistique resulting in power outages around town and at the hospital." +117636,707463,MICHIGAN,2017,June,Flood,"IRON",2017-06-11 19:30:00,CST-6,2017-06-12 08:30:00,0,0,0,0,20.00K,20000,0.00K,0,46.0439,-88.7636,46.0442,-88.7637,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Department of Highways reported Highway M-73 at Baumgartner Road was closed due to a culvert washout." +117753,708010,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"ONTONAGON TO UPPER ENTRANCE OF PORTAGE CANAL MI",2017-06-10 20:00:00,EST-5,2017-06-10 20:04:00,0,0,0,0,0.00K,0,0.00K,0,47.3,-88.6,47.3,-88.6,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","Measured wind gust at buoy near the Upper Entrance of Portage Canal." +117753,708011,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"PORTAGE LAKE TO HURON IS MI TO LOWER ENTRANCE OF PORTAGE CANAL TO HURON IS INC KEWEENAW AND HURON BAYS",2017-06-10 21:15:00,EST-5,2017-06-10 21:19:00,0,0,0,0,0.00K,0,0.00K,0,46.76,-88.45,46.76,-88.45,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","Small trees were blown over and branches broken off trees in L'anse." +117753,708012,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"ONTONAGON TO UPPER ENTRANCE OF PORTAGE CANAL MI",2017-06-10 20:10:00,EST-5,2017-06-10 20:14:00,0,0,0,0,0.00K,0,0.00K,0,47.3,-88.6,47.3,-88.6,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","Measured wind gust at the buoy near the Upper Entrance of the Portage Canal." +117753,708013,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-06-10 22:10:00,EST-5,2017-06-10 22:23:00,0,0,0,0,0.00K,0,0.00K,0,46.72,-87.41,46.72,-87.41,"The interaction of a warm moist air mass and an approaching cold front produced strong thunderstorms over Lake Superior on the evening of the 10th.","The Granite Island Light observing station measured wind gusts between 37 and 41 knots during the period." +118117,709854,TEXAS,2017,June,Thunderstorm Wind,"GRAYSON",2017-06-30 21:45:00,CST-6,2017-06-30 21:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.58,-96.92,33.58,-96.92,"A thunderstorm complex worked its way south of the Red River the night of June 30. Most storms remained sub-severe, but a few storms near the Red River produced damaging wind gusts.","A social media report indicated trees and fences down in the city of Collinsville, TX." +118085,709704,TEXAS,2017,June,Flood,"WISE",2017-06-24 09:27:00,CST-6,2017-06-24 11:00:00,0,0,0,0,0.00K,0,0.00K,0,33.1183,-97.7576,33.113,-97.7574,"Thunderstorms associated with a cold front rolled in from the northwest on the night of June 23, producing spotty wind damage and a few instances of flooding.","A trained spotter reported water over the roadway with one unoccupied vehicle stuck in high water on CR 3451." +118085,709705,TEXAS,2017,June,Thunderstorm Wind,"KAUFMAN",2017-06-24 00:00:00,CST-6,2017-06-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,32.73,-96.28,32.73,-96.28,"Thunderstorms associated with a cold front rolled in from the northwest on the night of June 23, producing spotty wind damage and a few instances of flooding.","Emergency management reported widespread power outages and several trees down in the city of Terrell, TX." +118117,709856,TEXAS,2017,June,Thunderstorm Wind,"GRAYSON",2017-06-30 22:00:00,CST-6,2017-06-30 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.76,-96.7,33.76,-96.7,"A thunderstorm complex worked its way south of the Red River the night of June 30. Most storms remained sub-severe, but a few storms near the Red River produced damaging wind gusts.","Amateur radio reported several trees and power lines down near the city of Pottsboro, TX." +118117,709857,TEXAS,2017,June,Thunderstorm Wind,"COOKE",2017-06-30 21:20:00,CST-6,2017-06-30 21:20:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-97.19,33.6,-97.19,"A thunderstorm complex worked its way south of the Red River the night of June 30. Most storms remained sub-severe, but a few storms near the Red River produced damaging wind gusts.","Emergency management reported a 58 MPH wind gust just southwest of the city of Gainesville, TX." +118120,709859,TEXAS,2017,June,Heat,"TARRANT",2017-06-23 16:00:00,CST-6,2017-06-23 16:45:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 3 year old boy died after climbing into a hot car that was parked at his home in Fort Worth.","Investigators believe that the 3 year old Keandre Goodman was inside the vehicle for at least 45 minutes on Friday June 23 when his parents found him." +115447,693240,KENTUCKY,2017,June,Hail,"MAGOFFIN",2017-06-13 15:13:00,EST-5,2017-06-13 15:13:00,0,0,0,0,0.00K,0,0.00K,0,37.6965,-83.098,37.6965,-83.098,"Isolated to scattered thunderstorms developed late this morning and afternoon, before morphing into a larger line by late afternoon as preexisting outflow boundaries shifted south into eastern Kentucky. Isolated reports of sub-severe hail were received in Magoffin and Leslie Counties, while wind damage was also reported in Leslie County and south into Harlan County.","A citizen reported nickel sized hail southwest of Salyersville." +115447,693241,KENTUCKY,2017,June,Hail,"LESLIE",2017-06-13 16:37:00,EST-5,2017-06-13 16:37:00,0,0,0,0,0.00K,0,0.00K,0,37.1645,-83.3868,37.1645,-83.3868,"Isolated to scattered thunderstorms developed late this morning and afternoon, before morphing into a larger line by late afternoon as preexisting outflow boundaries shifted south into eastern Kentucky. Isolated reports of sub-severe hail were received in Magoffin and Leslie Counties, while wind damage was also reported in Leslie County and south into Harlan County.","A citizen reported nickel sized hail near Hyden." +116018,697289,KANSAS,2017,April,Blizzard,"HAMILTON",2017-04-29 05:00:00,CST-6,2017-04-30 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 24 to 30 inches was reported across the county. Drifts were 10 to 12 feet high. Cattle loss was over 10,000 head." +116018,699520,KANSAS,2017,April,Blizzard,"STANTON",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 24 to 30 inches was reported across the county. Drifts were 10 to 12 feet high. Cattle loss was over 10,000 head." +115938,696630,NORTH DAKOTA,2017,June,Funnel Cloud,"GRAND FORKS",2017-06-07 12:19:00,CST-6,2017-06-07 12:19:00,0,0,0,0,0.00K,0,0.00K,0,47.68,-97.4,47.68,-97.4,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This funnel cloud was seen reforming and moving toward Holmes. The funnel was viewed and reported from a point about 5 miles east of Northwood." +115938,696643,NORTH DAKOTA,2017,June,Hail,"TRAILL",2017-06-07 13:25:00,CST-6,2017-06-07 13:25:00,0,0,0,0,,NaN,,NaN,47.54,-97.01,47.54,-97.01,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","A few dime to quarter size hail fell." +114755,688793,TENNESSEE,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-22 14:25:00,CST-6,2017-04-22 14:25:00,0,0,0,0,1.00K,1000,0.00K,0,35.1271,-87.5182,35.1271,-87.5182,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A tree was blown down on Busby Road near Moore Cut-Off Road in Westpoint." +114762,688376,ILLINOIS,2017,April,Hail,"KENDALL",2017-04-10 11:51:00,CST-6,2017-04-10 11:51:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-88.26,41.49,-88.26,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +115942,696680,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CAVALIER",2017-06-09 17:37:00,CST-6,2017-06-09 17:37:00,0,0,0,0,,NaN,,NaN,48.76,-98.35,48.76,-98.35,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by a NDAWN mesonet sensor east of town." +115942,696849,NORTH DAKOTA,2017,June,Hail,"CAVALIER",2017-06-09 17:52:00,CST-6,2017-06-09 17:52:00,0,0,0,0,,NaN,,NaN,48.81,-98.05,48.81,-98.05,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696854,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BENSON",2017-06-09 18:19:00,CST-6,2017-06-09 18:19:00,0,0,0,0,,NaN,,NaN,48.18,-99.58,48.18,-99.58,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The gust was measured by mobile mesonet equipment." +115701,695293,IOWA,2017,May,Thunderstorm Wind,"WEBSTER",2017-05-16 20:20:00,CST-6,2017-05-16 20:20:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-94.16,42.53,-94.16,"Ahead of a cold frontal boundary temperatures throughout Iowa were able to reach into the upper 80s to around 90 along with dew points into the mid 60s. Along with accompanying vertical temperature profiles, MUCAPE values were able to reach into the 3000+ J/kg neighborhood in many spots with low end supportive effective shear around 30-35 kts initially. As storms triggered in eastern and southeastern Nebraska, they quickly merged into a series of MCSs and tracked northeast into Iowa. The strongest storms predominantly were located northwest of the Des Moines metro roughly along a line from Omaha to Mason City. Numerous severe wind gusts in excess of 60 mph were reported along with wind damage and occasional severe hail.","Trained spotter reported 5 to 6 inch diameter tree limbs down." +114679,695318,IOWA,2017,May,Lightning,"DALLAS",2017-05-10 07:50:00,CST-6,2017-05-10 07:50:00,0,0,0,0,10.00K,10000,0.00K,0,41.5791,-93.7939,41.5791,-93.7939,"A very broad area of low pressure was situated along the Nebraska-Kansas border and made little progress throughout the day of the 10th. As a result, a primarily east-west stationary boundary was present along the Kansas-Nebraska and on eastward just south of the Iowa-Missouri border. While a single severe report was received, the main concern was periods of moderate to heavy rainfall ensued north of the boundary in areas of central and southern Iowa. Most reported amounts were in the 1 to 2 inch range.","NWS employee reported that a neighbors house was hit by lightning. Also reported by local news stations." +115942,696861,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PEMBINA",2017-06-09 18:40:00,CST-6,2017-06-09 18:40:00,0,0,0,0,,NaN,,NaN,48.61,-97.49,48.61,-97.49,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured at an NDAWN station." +115942,696862,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PEMBINA",2017-06-09 18:45:00,CST-6,2017-06-09 18:45:00,0,0,0,0,,NaN,,NaN,48.61,-97.45,48.61,-97.45,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The strong winds were accompanied by very heavy rain and dime to nickel sized hail." +115942,696863,NORTH DAKOTA,2017,June,Hail,"PEMBINA",2017-06-09 18:50:00,CST-6,2017-06-09 18:50:00,0,0,0,0,,NaN,,NaN,48.61,-97.45,48.61,-97.45,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696864,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-09 18:50:00,CST-6,2017-06-09 18:50:00,0,0,0,0,,NaN,,NaN,48.19,-99.13,48.19,-99.13,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +116011,697172,MINNESOTA,2017,June,Funnel Cloud,"GRANT",2017-06-13 18:25:00,CST-6,2017-06-13 18:25:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-95.82,45.78,-95.82,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A funnel cloud moved up from the south. The storm had produced an earlier touchdown in adjacent portions of northern Stevens County." +116011,697173,MINNESOTA,2017,June,Hail,"WILKIN",2017-06-13 18:35:00,CST-6,2017-06-13 18:35:00,0,0,0,0,,NaN,,NaN,46.44,-96.54,46.44,-96.54,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A few dime to quarter sized hail fell." +116011,697175,MINNESOTA,2017,June,Thunderstorm Wind,"GRANT",2017-06-13 19:05:00,CST-6,2017-06-13 19:05:00,0,0,0,0,,NaN,,NaN,45.81,-96.14,45.81,-96.14,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","One 12 inch diameter tree was blown down along with numerous large branches around town." +116011,697176,MINNESOTA,2017,June,Hail,"WILKIN",2017-06-13 19:40:00,CST-6,2017-06-13 19:40:00,0,0,0,0,,NaN,,NaN,46.1,-96.36,46.1,-96.36,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","" +116011,697178,MINNESOTA,2017,June,Thunderstorm Wind,"WILKIN",2017-06-13 19:55:00,CST-6,2017-06-13 19:55:00,0,0,0,0,,NaN,,NaN,46.25,-96.53,46.25,-96.53,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A small shed and 18 inch diameter trees were blown down." +116011,697179,MINNESOTA,2017,June,Thunderstorm Wind,"WILKIN",2017-06-13 20:02:00,CST-6,2017-06-13 20:02:00,0,0,0,0,,NaN,,NaN,46.19,-96.49,46.19,-96.49,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Strong winds were reported in Doran." +120818,727438,OHIO,2017,November,Thunderstorm Wind,"PORTAGE",2017-11-05 18:14:00,EST-5,2017-11-05 18:35:00,0,0,0,0,3.00M,3000000,0.00K,0,41.3227,-81.3898,41.3053,-81.0051,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds in excess of 100 mph caused extensive damage across northern Portage County. A 105 mph wind gust was measured by an automated sensor in Aurora. Damages stretched from the county line west of Aurora across the northern tier of townships to the eastern end of the county. The damage was most concentrated in Aurora and adjacent Mantua Township. Thousands of trees were downed across the county. Many homes lost roofing or siding and several others were damaged by fallen trees. Many vehicles were reported damaged by flying debris or from fallen trees or limbs. Widespread power outages occurred with full restoration taking around five days. Bleachers at an athletic field at Aurora High School were overturned and destroyed. Several school districts in Portage County were closed on November 6th and some on the 7th because of power outages. Clean up from the storms took weeks." +117523,707819,NEW MEXICO,2017,August,Hail,"MORA",2017-08-09 16:04:00,MST-7,2017-08-09 16:07:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-104.71,36.06,-104.71,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of golf balls near Wagon Mound." +116760,704316,ARKANSAS,2017,May,Flood,"SEARCY",2017-05-01 00:00:00,CST-6,2017-05-30 22:59:00,0,0,0,0,0.00K,0,0.00K,0,35.1317,-91.4607,35.1199,-91.4612,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the White River at Georgetown." +116760,704333,ARKANSAS,2017,May,Flood,"PRAIRIE",2017-05-01 20:10:00,CST-6,2017-05-30 22:59:00,0,0,0,0,0.00K,0,2500.00K,2500000,34.985,-91.5086,34.9569,-91.4969,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding in early May on the White River at Des Arc." +117393,706003,COLORADO,2017,June,Frost/Freeze,"CENTRAL YAMPA RIVER BASIN",2017-06-13 00:00:00,MST-7,2017-06-13 06:00:00,0,0,0,0,0.00K,0,4.00K,4000,NaN,NaN,NaN,NaN,"A strong low pressure system brought unseasonably cold air to portions of western Colorado, including freezing temperatures in some lower elevation areas.","Freezing temperatures down to 26 degrees F in a number of areas decimated gardens. Impacted locations included the towns Craig, Hayden, Maybell, and Meeker." +117393,705997,COLORADO,2017,June,Frost/Freeze,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-06-13 01:00:00,MST-7,2017-06-13 06:00:00,0,0,0,0,0.00K,0,12.00K,12000,NaN,NaN,NaN,NaN,"A strong low pressure system brought unseasonably cold air to portions of western Colorado, including freezing temperatures in some lower elevation areas.","Freezing temperatures down to 28 degrees F in a number of areas decimated gardens and damaged some fruit crops. Impacted locations included Dove Creek, Dolores, and Mancos." +119435,716860,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-28 11:30:00,EST-5,2017-07-28 11:30:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-75.87,36.24,-75.87,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.25 inches was measured at Grandy." +119435,716862,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-28 11:37:00,EST-5,2017-07-28 11:37:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-76.08,36.45,-76.08,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.05 inches was measured at Sligo." +119435,716863,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-28 11:52:00,EST-5,2017-07-28 11:52:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-76.3,36.45,-76.3,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.79 inches was measured at Pierceville." +119435,716865,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-28 13:47:00,EST-5,2017-07-28 13:47:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-76.17,36.33,-76.17,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 4.00 inches was measured at Camden." +113353,678775,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 13:57:00,EST-5,2017-04-06 13:57:00,0,0,0,0,,NaN,,NaN,39.6,-75.78,39.6,-75.78,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Powerlines taken down due to thunderstorm winds." +113409,678622,KENTUCKY,2017,April,Thunderstorm Wind,"BATH",2017-04-05 20:00:00,EST-5,2017-04-05 20:00:00,0,0,0,0,,NaN,,NaN,38.2264,-83.7048,38.2264,-83.7048,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Emergency Management observed several trees down on Kentucky Highway 1602 near the intersection with Kentucky Highway 111 near Oakley and Wyoming." +113353,678776,DELAWARE,2017,April,Thunderstorm Wind,"NEW CASTLE",2017-04-06 14:06:00,EST-5,2017-04-06 14:06:00,0,0,0,0,,NaN,,NaN,39.39,-75.69,39.39,-75.69,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Powerlines down due to thunderstorm winds.||NWS Note: Some meso circulations were noted in the area, a small probability of a tornado based on radar. No direct information to suggest this." +113356,678797,PENNSYLVANIA,2017,April,Funnel Cloud,"MONTGOMERY",2017-04-06 14:57:00,EST-5,2017-04-06 14:57:00,0,0,0,0,,NaN,,NaN,40.0694,-75.3247,40.0694,-75.3247,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability were drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","A security guard observed a funnel cloud just before a downburst of wind." +119435,716866,NORTH CAROLINA,2017,July,Heavy Rain,"PERQUIMANS",2017-07-29 05:45:00,EST-5,2017-07-29 05:45:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-76.27,36.18,-76.27,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 4.06 inches was measured at Nixonton (1 S)." +119435,716867,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.08,-75.8,36.08,-75.8,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.63 inches was measured at Point Harbor." +113357,678798,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-04-06 13:27:00,EST-5,2017-04-06 13:27:00,0,0,0,0,,NaN,,NaN,38.6936,-75.0579,38.6936,-75.0579,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678799,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-04-06 17:30:00,EST-5,2017-04-06 17:30:00,0,0,0,0,,NaN,,NaN,38.94,-74.9,38.94,-74.9,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","NOS platform gust." +112039,668217,GEORGIA,2017,January,Winter Storm,"WHITE",2017-01-06 18:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Numerous reports of 2 to 3.5 inches of snow were received from the White County 911 center, CoCoRaHS and COOP observers and the public across White County, including around Helen, Cleveland, Pink, Saute and Nacoochee." +113694,680535,OREGON,2017,April,Frost/Freeze,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-04-15 02:00:00,PST-8,2017-04-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the growing season starts on the Oregon west side, freezes have more of an impact. Clearing skies and a lingering cold air mass allowed temperatures to drop below freezing in some of the west side valleys.","Reported low temperatures ranged from 30 to 33 degrees." +113695,680537,CALIFORNIA,2017,April,Heavy Snow,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-04-12 20:00:00,PST-8,2017-04-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter storm brought heavy snow to a few locations in northern California.","A spotter in Tennant reported 6.5 inches of snow in 7 hours ending at 13/0300 PST." +113696,680538,CALIFORNIA,2017,April,Heavy Snow,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-04-13 19:00:00,PST-8,2017-04-14 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter storm brought heavy snow to a few locations in northern California.","A spotter in Tennant reported 7.0 inches of snow overnight." +113539,679676,CALIFORNIA,2017,April,Heavy Snow,"SOUTH CENTRAL SISKIYOU COUNTY",2017-04-06 16:00:00,PST-8,2017-04-08 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing storm brought heavy snow to some locations in northern California.","The Mount Shasta Ski Resort with a base at 5500 feet reported 15 inches of snow overnight at 07/0630 PST. On 08/0630 PST, they reported a storm total of 30 inches." +113814,681471,TEXAS,2017,April,Flash Flood,"TERRELL",2017-04-13 05:00:00,CST-6,2017-04-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5594,-101.9256,30.4028,-101.9669,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Heavy rain fell across Terrell County and produced flash flooding fifteen miles south of Sheffield. Oxy USA Inc. Gas Plant said many side roads and low water crossings were inundated with over six inches of water." +114019,682849,KENTUCKY,2017,April,Hail,"MENIFEE",2017-04-29 18:49:00,EST-5,2017-04-29 18:53:00,0,0,0,0,,NaN,,NaN,37.92,-83.63,37.9505,-83.6228,"Isolated supercell thunderstorms produced quarter to ping pong ball size hail across portions of eastern KY during the evening and early overnight hours on April 29, 2017.","Penny to nickel sized hail was reported near Frenchburg." +114019,682848,KENTUCKY,2017,April,Hail,"ESTILL",2017-04-29 17:53:00,EST-5,2017-04-29 18:03:00,0,0,0,0,,NaN,,NaN,37.6331,-83.935,37.65,-83.83,"Isolated supercell thunderstorms produced quarter to ping pong ball size hail across portions of eastern KY during the evening and early overnight hours on April 29, 2017.","A trained spotter and various citizens reported quarter to ping pong ball sized hail from south of Irvine and Ravenna to south of Crystal." +114063,685503,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:38:00,CST-6,2017-04-02 08:38:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-97.8,30.47,-97.8,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph." +114063,685555,TEXAS,2017,April,Thunderstorm Wind,"KENDALL",2017-04-02 07:06:00,CST-6,2017-04-02 07:06:00,0,0,0,0,0.00K,0,0.00K,0,29.75,-98.71,29.75,-98.71,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 mph that blew down a tree in Boerne." +114063,685558,TEXAS,2017,April,Thunderstorm Wind,"COMAL",2017-04-02 07:59:00,CST-6,2017-04-02 07:59:00,0,0,0,0,0.00K,0,0.00K,0,29.88,-98.36,29.88,-98.36,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that damaged trees northeast of Spring Branch." +114063,693568,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:20:00,CST-6,2017-04-02 08:20:00,0,0,0,0,1.00M,1000000,0.00K,0,30.3898,-97.9515,30.3898,-97.9515,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Several houses on or near Costa Bella Drive sustained roof and chimney damage. Some chimneys were broken off. Several marinas and even a floating restaurant were damaged on the lake shore from thunderstorm winds that are estimated to be as high as 80 mph. Many homes sustained damage in and around the Lakeway area. Estimates of damage are incomplete but may be as high as one million dollars, possibly higher based on the large and expensive homes in that area and neighborhood." +118177,710197,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 19:47:00,CST-6,2017-06-27 19:47:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-100.21,41.43,-100.21,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Several large 10 to 12 inch in diameter tree limbs down. One dented a horse trailer and one fell on a power line." +118177,710199,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 19:48:00,CST-6,2017-06-27 19:48:00,0,0,0,0,,NaN,,NaN,41.42,-100.19,41.42,-100.19,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Several large softwood trees uprooted or snapped at the trunk." +118177,710201,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:00:00,CST-6,2017-06-27 20:00:00,0,0,0,0,80.00K,80000,,NaN,41.42,-100.17,41.42,-100.17,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Pivot overturned, numerous trees down, and a 100 x 80 foot building partially destroyed." +118177,710202,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:13:00,CST-6,2017-06-27 20:13:00,0,0,0,0,15.00K,15000,,NaN,41.62,-99.86,41.62,-99.86,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Numerous trees uprooted and a large building damaged." +118177,710432,NEBRASKA,2017,June,Hail,"WHEELER",2017-06-27 21:38:00,CST-6,2017-06-27 21:38:00,0,0,0,0,,NaN,,NaN,42.08,-98.68,42.08,-98.68,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710433,NEBRASKA,2017,June,Thunderstorm Wind,"CHERRY",2017-06-26 22:31:00,CST-6,2017-06-26 22:31:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-100.53,42.36,-100.53,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710435,NEBRASKA,2017,June,Thunderstorm Wind,"KEITH",2017-06-27 17:16:00,MST-7,2017-06-27 17:16:00,0,0,0,0,,NaN,,NaN,41.21,-101.66,41.21,-101.66,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710436,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:08:00,CST-6,2017-06-27 19:08:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-101,41.16,-101,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Large tree uprooted." +118177,710438,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:16:00,CST-6,2017-06-27 19:16:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-100.77,41.21,-100.77,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +117917,708940,NORTH CAROLINA,2017,June,Thunderstorm Wind,"IREDELL",2017-06-04 15:36:00,EST-5,2017-06-04 15:36:00,0,0,0,0,0.00K,0,0.00K,0,35.71,-80.97,35.71,-80.97,"Scattered to numerous thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging wind gusts.","FD reported trees blown down at the intersection of Pineville Rd and Buffalo Shoals Rd." +117941,708941,SOUTH CAROLINA,2017,June,Hail,"GREENVILLE",2017-06-04 12:00:00,EST-5,2017-06-04 12:00:00,0,0,0,0,,NaN,,NaN,34.8,-82.42,34.8,-82.42,"Scattered to numerous thunderstorms developed across the Upstate during the afternoon. A couple of the storms produced very brief severe weather.","Public reported quarter size hail in the Gantt community of south Greenville." +117941,708942,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"YORK",2017-06-04 14:50:00,EST-5,2017-06-04 14:50:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-81.259,35.153,-81.232,"Scattered to numerous thunderstorms developed across the Upstate during the afternoon. A couple of the storms produced very brief severe weather.","Highway patrol reported a tree blown down on Lloyd White Rd and another tree down on Galway Ln." +117943,708946,NORTH CAROLINA,2017,June,Thunderstorm Wind,"HENDERSON",2017-06-13 13:07:00,EST-5,2017-06-13 13:07:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-82.48,35.31,-82.48,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","County comms reported trees blown down in the vicinity of Laurel Park." +117943,708947,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CALDWELL",2017-06-13 14:18:00,EST-5,2017-06-13 14:18:00,0,0,0,0,0.00K,0,0.00K,0,35.81,-81.482,35.807,-81.448,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Ham radio operator reported a tree blown down on sawmills School Rd. Spotter reported numerous large trees blown down and blocking roads in the area around Dry Ponds Rd and Highway 321A." +117943,708948,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CALDWELL",2017-06-13 14:35:00,EST-5,2017-06-13 14:35:00,0,0,0,0,0.00K,0,0.00K,0,36,-81.42,36,-81.42,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","County comms reported multiple trees blown down near the intersection of Blue Creek Road and Navajo Way." +117943,708953,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CATAWBA",2017-06-13 14:46:00,EST-5,2017-06-13 15:04:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-81.3,35.67,-81.161,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Spotters, EM, and media reported trees blown down on 18th St NE in Hickory. Additional trees and power lines were down along i-40 in the vicinity of Fairgrove Church Road, causing the interstate to be shut down briefly. Trees were also down on 4th St SW in Conover, with power lines down at Emmanuel Church Road and Highway 10." +113740,681341,TEXAS,2017,April,Thunderstorm Wind,"CASTRO",2017-04-14 18:01:00,CST-6,2017-04-14 18:01:00,0,0,0,0,9.00K,9000,0.00K,0,34.5383,-102.3651,34.5383,-102.3651,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Storm chaser video showed several power poles being blown down by inflow winds into a tornado at the intersection of State Highway 86 and County Road 510A." +113740,681343,TEXAS,2017,April,Flash Flood,"CASTRO",2017-04-14 20:00:00,CST-6,2017-04-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,34.7225,-102.4489,34.7316,-102.1289,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Very heavy rainfall trained over a large area from northwest of Dimmitt to northeast of Dimmitt. Farm to Market Road 2397 between Farm to Market Road 1055 and US Highway 385 was closed due to high water. A storm survey the next day revealed water was still running over the roadway at some spots. Farm to Market Road 2397 east of US Highway 385 continued to be flooded the next day as well. A pivot irrigation site near the intersection of Farm to Market Roads 2397 and 1055 recorded 4.88 inches of rainfall." +114395,685655,WYOMING,2017,April,Winter Storm,"WIND RIVER BASIN",2017-04-27 15:00:00,MST-7,2017-04-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Heavy snow fell in portions of the Wind River Basin. The highest amounts were above 5500 feet with 9.9 inches of snow measured at WFO Riverton. Across the city of Riverton, there was anywhere from 4 to 8 inches of snow. However, since much of the snow fell during the daytime, there was never the total amounts of snow on the ground. In addition, many of the roads remained mainly wet through much of the event." +114395,685667,WYOMING,2017,April,Winter Storm,"LANDER FOOTHILLS",2017-04-27 00:00:00,MST-7,2017-04-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","The official spotter at the Lander airport measured 7.7 inches of new snow. Snowfall amounts around Lander generally ranged from 2 to 6 inches with higher amounts closer to Sinks Canyon State Park. However, most of the main roads were mainly wet with the high late April sun angle melting the snow on paved surfaces." +114623,687427,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:10:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-93.59,41.21,-93.59,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported up to golf ball sized hail. The is a delayed report." +114623,687428,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:10:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-93.6,41.19,-93.6,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported half dollar sized hail." +114623,687430,IOWA,2017,April,Hail,"TAMA",2017-04-15 18:10:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-92.45,42.27,-92.45,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Media reported hail up to golf ball in size. Time estimated from radar." +114623,687433,IOWA,2017,April,Hail,"BLACK HAWK",2017-04-15 18:15:00,CST-6,2017-04-15 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-92.52,42.37,-92.52,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Media relayed reports of quarter sized hail from social media. Time estimated." +115196,700757,OKLAHOMA,2017,May,Tornado,"TILLMAN",2017-05-10 19:31:00,CST-6,2017-05-10 19:31:00,0,0,0,0,0.00K,0,0.00K,0,34.3016,-98.679,34.3016,-98.679,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","A tornado was observed by numerous storm chasers crossing State Highway 36 east of Loveland and north of Grandfield. No damage was reported." +114782,688456,KANSAS,2017,April,Flash Flood,"LINCOLN",2017-04-15 20:30:00,CST-6,2017-04-15 23:35:00,0,0,0,0,0.00K,0,0.00K,0,38.9418,-98.1828,38.9205,-98.1838,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Water was reported over Highway 14 near Elk Drive making travel extremely hazardous." +114782,688458,KANSAS,2017,April,Flood,"MCPHERSON",2017-04-15 23:15:00,CST-6,2017-04-16 05:06:00,0,0,0,0,0.00K,0,0.00K,0,38.3713,-97.6891,38.3514,-97.6935,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Nuisance street flooding was being reported across the city." +114782,688460,KANSAS,2017,April,Flood,"SEDGWICK",2017-04-16 01:52:00,CST-6,2017-04-16 06:21:00,0,0,0,0,0.00K,0,0.00K,0,37.6518,-97.3629,37.6357,-97.3639,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Nuisance street flooding was being reported." +114782,688461,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 18:04:00,CST-6,2017-04-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98.12,38.89,-98.12,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","About 3 miles north of Interstate 70." +114782,688462,KANSAS,2017,April,Hail,"BARTON",2017-04-15 18:09:00,CST-6,2017-04-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-98.78,38.63,-98.78,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +113368,689690,MISSOURI,2017,April,Hail,"WEBSTER",2017-04-04 19:45:00,CST-6,2017-04-04 19:45:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-93.07,37.41,-93.07,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689692,MISSOURI,2017,April,Thunderstorm Wind,"BARRY",2017-04-04 19:00:00,CST-6,2017-04-04 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.56,-93.98,36.56,-93.98,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Several chicken barns and a house was damaged. Several power lines were blown down near Routes 2265 and 1055." +113368,689693,MISSOURI,2017,April,Hail,"LACLEDE",2017-04-04 20:32:00,CST-6,2017-04-04 20:32:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-92.72,37.6,-92.72,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Quarter size hail was reported near mile marker 123 on I-44." +113368,689694,MISSOURI,2017,April,Hail,"PULASKI",2017-04-04 21:00:00,CST-6,2017-04-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-92.2,37.83,-92.2,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689695,MISSOURI,2017,April,Hail,"LACLEDE",2017-04-04 20:22:00,CST-6,2017-04-04 20:22:00,0,0,0,0,,NaN,0.00K,0,37.6,-92.74,37.6,-92.74,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Golf ball size hail was reported between Phillipsburg and Lebanon." +113368,689697,MISSOURI,2017,April,Hail,"HOWELL",2017-04-04 22:10:00,CST-6,2017-04-04 22:10:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-91.97,36.99,-91.97,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689699,MISSOURI,2017,April,Thunderstorm Wind,"OZARK",2017-04-04 21:06:00,CST-6,2017-04-04 21:06:00,0,0,0,0,5.00K,5000,0.00K,0,36.52,-92.6,36.52,-92.6,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A barn was destroyed near Pontiac." +113368,689700,MISSOURI,2017,April,Hail,"TEXAS",2017-04-04 22:30:00,CST-6,2017-04-04 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-91.66,37.18,-91.66,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689705,MISSOURI,2017,April,Thunderstorm Wind,"TEXAS",2017-04-04 22:00:00,CST-6,2017-04-04 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.45,-92.18,37.45,-92.18,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A tree fell on a power line south of Plato." +120818,723786,OHIO,2017,November,Tornado,"ERIE",2017-11-05 14:42:00,EST-5,2017-11-05 14:44:00,0,0,0,0,125.00K,125000,0.00K,0,41.3442,-82.6965,41.3513,-82.6745,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down in open farmland in rural Oxford Township just west of Ransom Road and about half way between Mason Road and the Ohio Turnpike. The tornado continued northeast on the ground for about a mile and a quarter before weakening to EF0 intensity and lifting just as it entered NASA's Plum Brook Station. A home near the initial touchdown was damaged by several trees blown over by the tornado. A small barn was leveled and a trailer flipped at a second property nearby. The tornado ripped a large section of roof including trusses off of a house on Mason Road. The roof was found on the NASA facility nearby. Trees were downed along the entire damage path including on the southwestern end of the NASA property. The damage path was up to 50 yards in width. No injuries were reported." +113765,681902,PENNSYLVANIA,2017,April,Tornado,"WARREN",2017-04-20 18:47:00,EST-5,2017-04-20 18:48:00,0,0,0,0,10.00K,10000,0.00K,0,41.8877,-79.3391,41.8867,-79.3457,"A cold front crossing the area was the focus for numerous showers and thunderstorms the evening of April 20th. The strongest storms affected northwestern Pennsylvania, where a single tornadic supercell developed ahead of the main squall line. An EF0 tornado briefly touched down north of Youngsville in Warren County.","A weak EF0 tornado touched down along Matthews Run just north of Youngsville, PA. The tornado was on the ground for just a minute, traveling about a third of a mile and creating a 20 yard wide path of damage. Peak winds were estimated at 80 mph, making it an EF0. Damage was confined to a number of trees, and one house having roof damage. There were no injuries or fatalities. [Note: A correction to the time of this tornado was made on 2/20/18. Old time was 18:54 - 18:55]." +115030,690394,GEORGIA,2017,April,Drought,"UNION",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690411,GEORGIA,2017,April,Drought,"DOUGLAS",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690664,COLORADO,2017,April,Winter Storm,"SPRINGFIELD VICINITY / BACA COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690650,COLORADO,2017,April,Winter Storm,"CROWLEY COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690662,COLORADO,2017,April,Winter Storm,"LAMAR VICINITY / PROWERS COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115063,690878,OKLAHOMA,2017,April,Hail,"PUSHMATAHA",2017-04-21 19:34:00,CST-6,2017-04-21 19:34:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-95.1673,34.48,-95.1673,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","" +119834,718465,KANSAS,2017,August,Hail,"SHERMAN",2017-08-10 11:19:00,MST-7,2017-08-10 11:19:00,0,0,0,0,0.00K,0,0.00K,0,39.4137,-101.708,39.4137,-101.708,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","" +119834,718466,KANSAS,2017,August,Hail,"SHERMAN",2017-08-10 11:22:00,MST-7,2017-08-10 11:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3663,-101.7007,39.3663,-101.7007,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","" +119834,718467,KANSAS,2017,August,Hail,"SHERMAN",2017-08-10 11:22:00,MST-7,2017-08-10 11:28:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-101.71,39.35,-101.71,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The largest hailstones ranged from quarter to ping-pong ball size." +112883,674473,MINNESOTA,2017,March,Winter Storm,"REDWOOD",2017-03-12 09:00:00,CST-6,2017-03-13 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 9 to 11 inches of snow across Redwood county Sunday morning, through early Monday morning. Totals included 11 inches in Wabasso." +114084,691319,MISSOURI,2017,April,Hail,"STONE",2017-04-29 01:32:00,CST-6,2017-04-29 01:32:00,0,0,0,0,,NaN,0.00K,0,36.7,-93.37,36.7,-93.37,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Quarter to a few golf ball size hail was reported about a half of a mile west of Branson West." +114084,691320,MISSOURI,2017,April,Hail,"STONE",2017-04-29 01:24:00,CST-6,2017-04-29 01:24:00,0,0,0,0,,NaN,0.00K,0,36.66,-93.34,36.66,-93.34,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Hail up to golf ball size was reported near Marvel Cave Park." +114084,691321,MISSOURI,2017,April,Hail,"CHRISTIAN",2017-04-29 01:50:00,CST-6,2017-04-29 01:50:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-93.28,36.92,-93.28,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691322,MISSOURI,2017,April,Hail,"TANEY",2017-04-29 01:40:00,CST-6,2017-04-29 01:40:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-93.22,36.71,-93.22,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691323,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-29 02:10:00,CST-6,2017-04-29 02:10:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-92.81,36.91,-92.81,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691324,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-29 02:28:00,CST-6,2017-04-29 02:28:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-92.74,37.02,-92.74,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +115183,696644,ILLINOIS,2017,April,Flash Flood,"CASS",2017-04-29 18:00:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1265,-90.3518,39.986,-90.5131,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.40 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across mush of Cass County. Numerous streets in Virginia and Ashland were impassable, as were numerous rural roads in the county. Ashland Road south of Illinois Route 125 was closed near the Sangamon County line because it was washed out." +115183,696654,ILLINOIS,2017,April,Flash Flood,"MASON",2017-04-29 19:00:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4357,-89.919,40.1859,-90.2002,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Mason County. Numerous streets in Havana were impassable, as were numerous rural roads and highways in the county including parts of U.S. Route 136 and Illinois Route 10." +115216,691786,COLORADO,2017,April,Thunderstorm Wind,"KIT CARSON",2017-04-27 16:07:00,MST-7,2017-04-27 16:07:00,0,0,0,0,0.00K,0,0.00K,0,39.2457,-102.2867,39.2457,-102.2867,"Late in the afternoon an eastward moving line of storms produced a wind gust of 60 MPH at the Burlington airport. This line of storms continued into Northwest Kansas.","" +115112,690977,MISSOURI,2017,April,Hail,"FRANKLIN",2017-04-10 08:59:00,CST-6,2017-04-10 08:59:00,0,0,0,0,0.00K,0,0.00K,0,38.5332,-90.9706,38.5332,-90.9706,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115112,690983,MISSOURI,2017,April,Hail,"ST. CHARLES",2017-04-10 09:25:00,CST-6,2017-04-10 09:40:00,0,0,0,0,0.00K,0,0.00K,0,38.6991,-90.6826,38.7881,-90.4958,"Isolated severe storms developed across the region near a dry line. Some of the storms produced large hail.","" +115350,692619,TEXAS,2017,April,Hail,"HIDALGO",2017-04-02 22:52:00,CST-6,2017-04-02 22:53:00,0,0,0,0,,NaN,0.00K,0,26.25,-98.34,26.25,-98.34,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Public reported three quarter of an inch hail that lasted for 1 minute." +115350,692621,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:15:00,CST-6,2017-04-02 20:15:00,0,0,0,0,,NaN,0.00K,0,26.23,-97.58,26.23,-97.58,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Tennis ball size hail reported via social media." +113831,691043,MISSOURI,2017,April,Flood,"BARRY",2017-04-21 14:03:00,CST-6,2017-04-21 17:03:00,0,0,0,0,0.00K,0,0.00K,0,36.5724,-93.9479,36.5711,-93.9454,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Farm Road 1070 north of Rauc-a-bye Lane was flooded and impassable at several locations." +113831,691044,MISSOURI,2017,April,Flood,"MCDONALD",2017-04-21 14:14:00,CST-6,2017-04-21 17:14:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-94.58,36.6306,-94.5773,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Langley Road just east of Highway 43 was closed due to a flooded low water crossing." +113831,691045,MISSOURI,2017,April,Flood,"STONE",2017-04-21 14:29:00,CST-6,2017-04-21 17:29:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-93.39,36.759,-93.3895,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Raily Creek Road was closed due to flood water." +119435,716885,NORTH CAROLINA,2017,July,Heavy Rain,"CHOWAN",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-76.7,36.23,-76.7,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.64 inches was measured at Arrowhead Beach." +119435,716890,NORTH CAROLINA,2017,July,Heavy Rain,"CHOWAN",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-76.67,36.24,-76.67,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.27 inches was measured at Mill Crossroads (1 NNW)." +119435,716891,NORTH CAROLINA,2017,July,Heavy Rain,"PASQUOTANK",2017-07-29 08:25:00,EST-5,2017-07-29 08:25:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-76.22,36.3,-76.22,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.34 inches was measured at Mariners Wharf Park." +119435,716894,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-29 08:30:00,EST-5,2017-07-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-76.33,36.44,-76.33,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.47 inches was measured at Joyce Creek Intercoastal Waterway." +113831,691046,MISSOURI,2017,April,Flood,"BARRY",2017-04-21 14:18:00,CST-6,2017-04-21 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.7763,-93.6867,36.775,-93.6861,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Farm Road 1215 north of Highway 248 was impassable due to flood water." +113831,691047,MISSOURI,2017,April,Flood,"TANEY",2017-04-21 14:15:00,CST-6,2017-04-21 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.589,-93.1458,36.5907,-93.1422,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route J was closed due to flood water." +113831,691048,MISSOURI,2017,April,Flood,"TANEY",2017-04-21 14:45:00,CST-6,2017-04-21 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.6267,-93.1866,36.6263,-93.1861,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Coon Creek Road was impassable and closed due to flood water." +113831,691049,MISSOURI,2017,April,Flood,"TEXAS",2017-04-21 17:15:00,CST-6,2017-04-21 20:15:00,0,0,0,0,0.00K,0,0.00K,0,37.0622,-91.871,37.0626,-91.8707,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Bartlett Drive at Pine Creek was impassable due to flood water." +113499,679442,SOUTH DAKOTA,2017,April,Winter Storm,"MELLETTE",2017-04-10 01:00:00,CST-6,2017-04-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679444,SOUTH DAKOTA,2017,April,Winter Weather,"TODD",2017-04-10 02:00:00,CST-6,2017-04-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679446,SOUTH DAKOTA,2017,April,Winter Storm,"TRIPP",2017-04-10 02:00:00,CST-6,2017-04-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679447,SOUTH DAKOTA,2017,April,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-04-09 21:00:00,MST-7,2017-04-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679449,SOUTH DAKOTA,2017,April,Winter Weather,"SOUTHERN MEADE CO PLAINS",2017-04-09 21:00:00,MST-7,2017-04-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +114751,688836,TENNESSEE,2017,April,Hail,"WILSON",2017-04-05 15:28:00,CST-6,2017-04-05 15:28:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-86.13,36.1,-86.13,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","" +114751,688837,TENNESSEE,2017,April,Hail,"WILSON",2017-04-05 15:31:00,CST-6,2017-04-05 15:31:00,0,0,0,0,0.00K,0,0.00K,0,36.129,-86.13,36.129,-86.13,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","MPing report of ping pong ball size hail 2 miles north of Watertown." +114751,688838,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 15:32:00,CST-6,2017-04-05 15:32:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-86.02,35.5,-86.02,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photo showed hail ranging in size from penny to quarter size." +114751,688839,TENNESSEE,2017,April,Hail,"SMITH",2017-04-05 15:34:00,CST-6,2017-04-05 15:34:00,0,0,0,0,0.00K,0,0.00K,0,36.1717,-86.0381,36.1717,-86.0381,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Twitter report of golf ball size hail along I-40 about 6 miles west of Gordonsville." +115416,694312,GEORGIA,2017,April,Hail,"CHATHAM",2017-04-05 22:50:00,EST-5,2017-04-05 23:00:00,0,0,0,0,,NaN,,NaN,32,-80.85,32,-80.85,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported quarter size hail lasting for about 10 minutes on Jones Avenue." +115416,694313,GEORGIA,2017,April,Hail,"CHATHAM",2017-04-05 22:50:00,EST-5,2017-04-05 22:51:00,0,0,0,0,,NaN,,NaN,32.01,-80.86,32.01,-80.86,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report from social media indicated quarter inch hail observed near Andrea Drive." +115416,694315,GEORGIA,2017,April,Hail,"CHATHAM",2017-04-05 22:55:00,EST-5,2017-04-05 22:56:00,0,0,0,0,,NaN,,NaN,32.02,-80.86,32.02,-80.86,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report from social media indicated golf ball size hail on Tybee Island." +115416,694563,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:21:00,EST-5,2017-04-05 16:22:00,0,0,0,0,,NaN,,NaN,32.46,-81.8,32.46,-81.8,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Bulloch County 911 Center reported a tree down on Garfield Street." +115416,694564,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:23:00,EST-5,2017-04-05 16:24:00,0,0,0,0,,NaN,,NaN,32.49,-81.75,32.49,-81.75,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Bulloch County 911 Call Center reported a tree down on Red Fern Lane near Statesboro." +115416,694565,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:24:00,EST-5,2017-04-05 16:25:00,0,0,0,0,,NaN,,NaN,32.56,-81.77,32.56,-81.77,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Bulloch County 911 Call Center reported a tree down on W C Hodges Road." +115416,694566,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:34:00,EST-5,2017-04-05 16:35:00,0,0,0,0,,NaN,,NaN,32.5,-81.77,32.5,-81.77,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Bulloch County 911 Call Center reported a tree down at the intersection of Maria Sorrell Road and Bell Road." +114654,687688,IOWA,2017,April,Thunderstorm Wind,"BUTLER",2017-04-19 21:13:00,CST-6,2017-04-19 21:13:00,0,0,0,0,25.00K,25000,0.00K,0,42.78,-92.58,42.78,-92.58,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported 8 trees downed by strong winds. Report relayed by NWS employee. Time radar estimated." +114654,687689,IOWA,2017,April,Thunderstorm Wind,"BREMER",2017-04-19 21:19:00,CST-6,2017-04-19 21:19:00,0,0,0,0,5.00K,5000,0.00K,0,42.79,-92.53,42.79,-92.53,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported a large tree and flag pole downed." +114654,687690,IOWA,2017,April,Thunderstorm Wind,"BREMER",2017-04-19 21:24:00,CST-6,2017-04-19 21:24:00,0,0,0,0,2.00K,2000,0.00K,0,42.8,-92.34,42.8,-92.34,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Emergency manager reported storage shed damaged. This is a delayed report." +114759,688670,TENNESSEE,2017,April,Thunderstorm Wind,"GRUNDY",2017-04-30 15:14:00,CST-6,2017-04-30 15:14:00,0,0,0,0,1.00K,1000,0.00K,0,35.32,-85.88,35.32,-85.88,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down in the Pelham community." +114759,688671,TENNESSEE,2017,April,Thunderstorm Wind,"CLAY",2017-04-30 16:07:00,CST-6,2017-04-30 16:07:00,0,0,0,0,1.00K,1000,0.00K,0,36.5515,-85.6963,36.5515,-85.6963,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Trees were blown down on McCormick Ridge Road and Union Hill Road southwest of Moss." +114759,688672,TENNESSEE,2017,April,Thunderstorm Wind,"WHITE",2017-04-30 16:11:00,CST-6,2017-04-30 16:11:00,0,0,0,0,1.00K,1000,0.00K,0,35.93,-85.47,35.93,-85.47,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree fell on a carport in Sparta." +114759,688673,TENNESSEE,2017,April,Thunderstorm Wind,"OVERTON",2017-04-30 16:24:00,CST-6,2017-04-30 16:24:00,0,0,0,0,1.00K,1000,0.00K,0,36.3903,-85.3367,36.3903,-85.3367,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down at 610 Cross Avenue in Livingston." +114759,688674,TENNESSEE,2017,April,Thunderstorm Wind,"OVERTON",2017-04-30 16:26:00,CST-6,2017-04-30 16:26:00,0,0,0,0,1.00K,1000,0.00K,0,36.4005,-85.3175,36.4005,-85.3175,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down at 315 Airport Road in Livingston." +114759,688675,TENNESSEE,2017,April,Thunderstorm Wind,"OVERTON",2017-04-30 16:34:00,CST-6,2017-04-30 16:34:00,0,0,0,0,1.00K,1000,0.00K,0,36.3935,-85.2348,36.3935,-85.2348,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A power line was blown down at 164 Goose Creek Lane in Alpine." +115552,693840,TEXAS,2017,April,Hail,"COLEMAN",2017-04-01 19:39:00,CST-6,2017-04-01 19:42:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-99.33,31.72,-99.33,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693841,TEXAS,2017,April,Hail,"COLEMAN",2017-04-01 19:43:00,CST-6,2017-04-01 19:46:00,0,0,0,0,0.00K,0,0.00K,0,31.74,-99.32,31.74,-99.32,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693842,TEXAS,2017,April,Hail,"COLEMAN",2017-04-01 19:49:00,CST-6,2017-04-01 19:52:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-99.33,31.72,-99.33,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,694930,TEXAS,2017,April,Flash Flood,"COLEMAN",2017-04-01 20:41:00,CST-6,2017-04-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,31.74,-99.32,31.7396,-99.334,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","A National Weather Service Employee reported water flowing over the roadway near the Dairy Queen in the town of Santa Anna." +115554,693843,TEXAS,2017,April,Hail,"MCCULLOCH",2017-04-10 14:19:00,CST-6,2017-04-10 14:22:00,0,0,0,0,0.00K,0,0.00K,0,31.32,-99.41,31.32,-99.41,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","An amateur radio spotter reported quarter size hail." +115554,693844,TEXAS,2017,April,Hail,"SAN SABA",2017-04-10 15:12:00,CST-6,2017-04-10 15:15:00,0,0,0,0,0.00K,0,0.00K,0,31.32,-99,31.32,-99,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +115554,693845,TEXAS,2017,April,Hail,"SAN SABA",2017-04-10 15:16:00,CST-6,2017-04-10 15:19:00,0,0,0,0,0.00K,0,0.00K,0,31.34,-98.94,31.34,-98.94,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +115554,693846,TEXAS,2017,April,Hail,"MASON",2017-04-10 20:05:00,CST-6,2017-04-10 20:08:00,0,0,0,0,0.00K,0,0.00K,0,30.75,-99.13,30.75,-99.13,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +115554,693847,TEXAS,2017,April,Hail,"MASON",2017-04-10 22:55:00,CST-6,2017-04-10 22:58:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-99.01,30.58,-99.01,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +115554,693848,TEXAS,2017,April,Hail,"MENARD",2017-04-11 11:05:00,CST-6,2017-04-11 11:08:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-99.63,30.87,-99.63,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +116890,702814,WISCONSIN,2017,June,Thunderstorm Wind,"TREMPEALEAU",2017-06-12 14:53:00,CST-6,2017-06-12 14:53:00,0,0,0,0,5.00K,5000,0.00K,0,44.08,-91.35,44.08,-91.35,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Trees were damaged from the Galesville area northeast toward Ettrick." +116845,702628,MINNESOTA,2017,June,Thunderstorm Wind,"OLMSTED",2017-06-12 13:28:00,CST-6,2017-06-12 13:28:00,0,0,0,0,1.00K,1000,0.00K,0,44.08,-92.55,44.08,-92.55,"A line of thunderstorms moved across southeast Minnesota during the afternoon of June 12th. These storms produced damaging winds around the Rochester area (Olmsted County) and dropped quarter sized hail in Chatfield (Fillmore County).","A tree was uprooted on the northwest side of Rochester." +116890,702808,WISCONSIN,2017,June,Thunderstorm Wind,"LA CROSSE",2017-06-12 15:00:00,CST-6,2017-06-12 15:00:00,0,0,0,0,4.00K,4000,0.00K,0,43.8,-91.24,43.8,-91.24,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Trees and power lines were blown down on the south side of La Crosse." +116890,702829,WISCONSIN,2017,June,Thunderstorm Wind,"TREMPEALEAU",2017-06-12 14:54:00,CST-6,2017-06-12 14:54:00,0,0,0,0,3.00K,3000,0.00K,0,44.19,-91.35,44.19,-91.35,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Trees were uprooted and large trees limbs blown down northwest of Ettrick." +116890,702912,WISCONSIN,2017,June,Thunderstorm Wind,"JACKSON",2017-06-12 15:38:00,CST-6,2017-06-12 15:38:00,0,0,0,0,2.00K,2000,0.00K,0,44.2,-90.65,44.2,-90.65,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Bleachers were blown over at a baseball field in Millston." +116890,702914,WISCONSIN,2017,June,Hail,"JUNEAU",2017-06-12 16:09:00,CST-6,2017-06-12 16:09:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-90.27,43.88,-90.27,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","" +114130,683467,WISCONSIN,2017,April,Hail,"MARATHON",2017-04-09 23:35:00,CST-6,2017-04-09 23:35:00,0,0,0,0,0.00K,0,0.00K,0,44.79,-90.08,44.79,-90.08,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Penny size hail fell near Stratford." +114130,683468,WISCONSIN,2017,April,Hail,"MARATHON",2017-04-09 23:55:00,CST-6,2017-04-09 23:55:00,0,0,0,0,0.00K,0,0.00K,0,44.96,-89.65,44.96,-89.65,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nickel size hail fell west of Wausau." +114130,683469,WISCONSIN,2017,April,Hail,"LINCOLN",2017-04-10 00:15:00,CST-6,2017-04-10 00:15:00,0,0,0,0,0.00K,0,0.00K,0,45.18,-89.68,45.18,-89.68,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorms produced nickel size hail and wind gusts to 50 mph as they passed through Merrill." +114130,683470,WISCONSIN,2017,April,Hail,"WOOD",2017-04-10 00:53:00,CST-6,2017-04-10 00:53:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-89.88,44.31,-89.88,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nickel size hail fell near Nekoosa." +116928,703229,WISCONSIN,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-16 16:49:00,CST-6,2017-06-16 16:49:00,0,0,0,0,1.00K,1000,0.00K,0,44.16,-91.64,44.16,-91.64,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","A large tree was blown down northeast of Fountain City." +116928,703230,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 17:02:00,CST-6,2017-06-16 17:02:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-91.64,44.16,-91.64,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","More quarter sized hail fell northeast of Fountain City." +116928,703236,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:34:00,CST-6,2017-06-16 17:34:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-91.42,44.36,-91.42,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Golfball sized hail fell in Independence." +116928,703237,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:38:00,CST-6,2017-06-16 17:38:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-91.3,44.36,-91.3,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Golfball sized hail fell in Whitehall." +112258,671709,GEORGIA,2017,January,Thunderstorm Wind,"WILCOX",2017-01-21 13:09:00,EST-5,2017-01-21 13:30:00,0,0,0,0,5.00K,5000,,NaN,31.95,-83.46,31.9904,-83.3141,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Wilcox County Emergency Manager reported numerous trees blown down from Rochelle to Abbeville. Including 2 trees down in Rochelle and 1 down on Wilson Road and another on Owensboro Road between Rochelle and Abbeville." +112258,671722,GEORGIA,2017,January,Thunderstorm Wind,"HOUSTON",2017-01-21 12:15:00,EST-5,2017-01-21 12:20:00,0,0,0,0,5.00K,5000,,NaN,32.5249,-83.6604,32.5249,-83.6604,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The public reported a large pecan tree uprooted on South Tamie Circle near Kathleen. The trunk of the tree was 4-5 feet in diameter near the base." +115771,698149,GEORGIA,2017,April,Tornado,"WILKINSON",2017-04-03 13:03:00,EST-5,2017-04-03 13:13:00,0,0,0,0,100.00K,100000,,NaN,32.8592,-83.3733,32.8822,-83.3242,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF2 tornado with maximum wind speeds of 115 MPH and a maximum path width of 200 yards developed southwest of the town of Gordon near the intersection of Highway 57 and Mission Farm Road. The tornado travelled northeast crossing Highway 18 as it entered the community of Gordon. The tornado turned east and quickly strengthened to EF2 strength as it moved|through the Gordon community. Several small business structures were severely damaged and large trees within a local community park area were uprooted as the tornado moved east along Paper Mill Road. The tornado lifted after moving through the local park. This thunderstorm would later produce an EF0 tornado several miles east as it moved north of McIntyre. No injuries were reported. [04/03/17: Tornado # 19, County #1/1, EF-2, Wilkinson, 2017:051]." +115771,698222,GEORGIA,2017,April,Tornado,"WILKINSON",2017-04-03 13:28:00,EST-5,2017-04-03 13:30:00,0,0,0,0,30.00K,30000,,NaN,32.775,-83.0829,32.7745,-83.08,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado briefly touched down in east central Wilkinson County near the intersections of Poplar Springs Church Road, Highway 112 and Club Drive. A single-wide trailer was shifted off its foundation with two people at home at the time. No injuries were reported. Another trailer had some loss of shingles and a collapsed carport. There were also nearby trees snapped. [04/03/17: Tornado #24, County #1/1, EF-1, Wilkinson, 2017:056]." +115771,698202,GEORGIA,2017,April,Tornado,"HANCOCK",2017-04-03 13:21:00,EST-5,2017-04-03 13:25:00,0,0,0,0,20.00K,20000,,NaN,33.2938,-83.1208,33.2877,-83.0648,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 200 yards moved across the western portion of Hancock County. Numerous trees were uprooted and snapped west of Sparta near the intersection of Rivers Road and Fort Creek Road where the tornado touched down. The tornado tracked east for several miles snapping several trees. A small shed was demolished along Hunts Chapel Church Road near the intersection with Pumping Station Road where the tornado ended. [04/03/17: Tornado #22, County #1/1, EF-0, Hancock, 2017:054]." +115799,696019,OKLAHOMA,2017,April,Winter Storm,"CIMARRON",2017-04-29 06:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Estimated reports of 10-12 inches in Boise City, Keyes, and Felt." +115799,696022,OKLAHOMA,2017,April,Winter Storm,"TEXAS",2017-04-29 06:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Estimated amount of 6-8 inches at Eva, Goodwell, and SW Guymon." +115806,696026,TEXAS,2017,April,Blizzard,"HARTLEY",2017-04-30 09:25:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Blizzard conditions for more than 3 hours at Dalhart." +115847,696226,MAINE,2017,April,Flood,"KENNEBEC",2017-04-12 09:03:00,EST-5,2017-04-14 08:57:00,0,0,0,0,0.00K,0,0.00K,0,44.316,-69.7731,44.314,-69.7736,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused melting snow in the headwaters of many of the rivers which caused minor flooding on the Kennebec River at Skowhegan and Augusta.","With high temperatures in the 70s and 80s, melting snow caused minor flooding on the Kennebec River at Augusta. The river crested at 13.46 feet; flood stage is 12 feet." +115848,696227,MAINE,2017,April,Flood,"SOMERSET",2017-04-17 03:45:00,EST-5,2017-04-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,44.7692,-69.6761,44.7685,-69.6758,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused the remaining snow to melt in the headwaters of many of the rivers which, in combination with 1/2 to 1 inch of rainfall, caused minor flooding on the Kennebec River at Skowhegan and Augusta.","With high temperatures in the 70s and 80s, melting snow and 1/2 to 1 inch of rain caused minor flooding on the Kennebec River at Skowhegan. The river crested at 41,500 cfs; flood stage is 35,000 cfs." +115848,696228,MAINE,2017,April,Flood,"KENNEBEC",2017-04-17 15:57:00,EST-5,2017-04-18 11:50:00,0,0,0,0,0.00K,0,0.00K,0,44.316,-69.7731,44.314,-69.7736,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused the remaining snow to melt in the headwaters of many of the rivers which, in combination with 1/2 to 1 inch of rainfall, caused minor flooding on the Kennebec River at Skowhegan and Augusta.","With high temperatures in the 70s and 80s, melting snow and 1/2 to 1 inch of rain caused minor flooding on the Kennebec River at Augusta. The river crested at 12.73 feet; flood stage is 12 feet." +115418,694615,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-04-05 19:12:00,EST-5,2017-04-05 19:13:00,0,0,0,0,,NaN,,NaN,32.76,-79.9,32.76,-79.9,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The South Carolina Department of Natural resources site at Fort Johnson recorded a 35 knot wind gust." +115849,696230,NEW HAMPSHIRE,2017,April,Flood,"COOS",2017-04-17 18:49:00,EST-5,2017-04-19 11:15:00,0,0,0,0,0.00K,0,0.00K,0,44.4484,-71.6576,44.4401,-71.664,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused the remaining snow in the headwaters of many of the rivers to melt which, in combination with 1/2 to 1 inch of rainfall, caused minor flooding on the Androscoggin River at Gorham and the Connecticut River at Dalton.","With high temperatures in the 70s and 80s, melting snow and 1/2 to 1 inch of rain caused minor flooding on the Connecticut River at Dalton. The river crested at 17.87 feet; flood stage is 17 feet." +115363,693741,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"HAMPTON",2017-04-03 15:38:00,EST-5,2017-04-03 15:39:00,0,0,0,0,,NaN,,NaN,32.82,-81.24,32.82,-81.24,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Hampton County Warning Point reported a tree down on Highway 363." +115363,693742,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"HAMPTON",2017-04-03 15:43:00,EST-5,2017-04-03 15:44:00,0,0,0,0,,NaN,,NaN,32.82,-81.16,32.82,-81.16,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Hampton Fire and Rescue reported trees down and blocking the road in the 2600 block of Hope Well Road." +115363,693743,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"HAMPTON",2017-04-03 15:46:00,EST-5,2017-04-03 15:47:00,0,0,0,0,,NaN,,NaN,32.88,-81.13,32.88,-81.13,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Hampton County Warning Point reported a tree down near Hampton, SC." +115779,695828,PENNSYLVANIA,2017,April,Thunderstorm Wind,"GREENE",2017-04-16 18:00:00,EST-5,2017-04-16 18:00:00,0,0,0,0,3.00K,3000,0.00K,0,39.88,-79.98,39.88,-79.98,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Trained spotter reported a porch roof blown off of a home in Fairdale." +115779,695829,PENNSYLVANIA,2017,April,Thunderstorm Wind,"GREENE",2017-04-16 18:05:00,EST-5,2017-04-16 18:05:00,0,0,0,0,2.50K,2500,0.00K,0,39.95,-79.96,39.95,-79.96,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","State official reported trees and wires down." +115779,695830,PENNSYLVANIA,2017,April,Thunderstorm Wind,"GREENE",2017-04-16 18:06:00,EST-5,2017-04-16 18:06:00,0,0,0,0,2.50K,2500,0.00K,0,39.9,-79.98,39.9,-79.98,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","State official reported trees and wires down." +115795,695872,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 11:41:00,EST-5,2017-04-20 11:41:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-79.75,40.56,-79.75,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695873,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 11:43:00,EST-5,2017-04-20 11:43:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-79.77,40.56,-79.77,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695874,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 11:45:00,EST-5,2017-04-20 11:45:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-79.76,40.58,-79.76,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +114089,686447,TEXAS,2017,April,Hail,"KENDALL",2017-04-11 03:22:00,CST-6,2017-04-11 03:22:00,0,0,0,0,,NaN,,NaN,29.83,-98.77,29.83,-98.77,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","A thunderstorm produced hail larger than quarters along I-10 just northwest of Boerne." +114089,686448,TEXAS,2017,April,Hail,"KENDALL",2017-04-11 03:30:00,CST-6,2017-04-11 03:30:00,0,0,0,0,,NaN,,NaN,29.87,-98.74,29.87,-98.74,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","A thunderstorm produced quarter size hail five miles north of Boerne." +114089,686449,TEXAS,2017,April,Hail,"HAYS",2017-04-11 10:04:00,CST-6,2017-04-11 10:04:00,0,0,0,0,,NaN,,NaN,30.2,-98.09,30.2,-98.09,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","The Dripping Springs Fire Department relayed a spotter report of a thunderstorm producing quarter size hail." +114089,686450,TEXAS,2017,April,Hail,"WILLIAMSON",2017-04-11 10:05:00,CST-6,2017-04-11 10:05:00,0,0,0,0,,NaN,,NaN,30.58,-97.85,30.58,-97.85,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","" +114089,686452,TEXAS,2017,April,Hail,"HAYS",2017-04-11 10:54:00,CST-6,2017-04-11 10:54:00,0,0,0,0,,NaN,,NaN,29.89,-97.96,29.89,-97.96,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","" +114089,686453,TEXAS,2017,April,Hail,"HAYS",2017-04-11 10:55:00,CST-6,2017-04-11 10:55:00,0,0,0,0,,NaN,,NaN,29.88,-97.94,29.88,-97.94,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","" +114089,686454,TEXAS,2017,April,Hail,"HAYS",2017-04-11 11:38:00,CST-6,2017-04-11 11:38:00,0,0,0,0,,NaN,,NaN,29.84,-97.97,29.84,-97.97,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","" +114089,686455,TEXAS,2017,April,Hail,"COMAL",2017-04-11 12:15:00,CST-6,2017-04-11 12:15:00,0,0,0,0,,NaN,,NaN,29.7,-98.16,29.7,-98.16,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","" +114089,686459,TEXAS,2017,April,Thunderstorm Wind,"GUADALUPE",2017-04-11 12:20:00,CST-6,2017-04-11 12:20:00,0,0,0,0,,NaN,,NaN,29.63,-97.99,29.63,-97.99,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced wind gusts estimated at 70 mph that knocked down five power lines on Cordova Rd. near Geronimo." +112083,668484,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-01-23 05:23:00,EST-5,2017-01-23 05:23:00,0,0,0,0,0.00K,0,0.00K,0,27.3955,-82.5544,27.3955,-82.5544,"A line of strong and fast moving thunderstorms developed ahead of a cold front moving southeast through the Florida Peninsula. Breezy gradient winds were compounded by stronger thunderstorm wind gusts.","The ASOS at Sarasota Bradenton International Airport recorded a 42 knot marine thunderstorm wind gust." +112124,668725,FLORIDA,2017,January,Thunderstorm Wind,"MARION",2017-01-07 02:30:00,EST-5,2017-01-07 02:30:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.07,29.21,-82.07,"A surface low pressure system formed in the Gulf of Mexico ahead of an approaching Arctic cold front. Scattered storms moved inland across the Florida Big Bend during the evening of the 6th and continued to track and develop eastward through the night ahead of the surface front. Hail and gusty winds occurred in isolated severe storms overnight.","A large pine tree fell and damaged a garage on NE 49th Avenue in Ocala. The time of damage was based on radar." +112136,668802,GEORGIA,2017,January,Thunderstorm Wind,"COFFEE",2017-01-22 16:45:00,EST-5,2017-01-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-82.91,31.45,-82.91,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","Multiple trees were blown down south of Douglas. The time of damage was based on radar." +115183,696614,ILLINOIS,2017,April,Flash Flood,"WOODFORD",2017-04-29 19:15:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9213,-89.4704,40.7974,-89.5593,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.75 to 4.00 inches in about a two hour period during the evening hours resulted in flash flooding across parts of western Woodford County. Streets in Germantown Hills, Metamora, and Roanoke were impassable, as were numerous rural roads in the county. Illinois Route 89 southwest of Washburn was also closed due to high water and flood debris." +115066,690954,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:11:00,CST-6,2017-04-26 00:11:00,0,0,0,0,1.00K,1000,0.00K,0,36.3645,-94.2366,36.3645,-94.2366,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind snapped large tree limbs and damaged a carport." +115066,690956,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-26 00:15:00,CST-6,2017-04-26 00:15:00,0,0,0,0,0.00K,0,0.00K,0,36.2634,-94.195,36.2634,-94.195,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind snapped large tree limbs." +115066,690957,ARKANSAS,2017,April,Thunderstorm Wind,"CARROLL",2017-04-26 00:20:00,CST-6,2017-04-26 00:20:00,0,0,0,0,0.00K,0,0.00K,0,36.4085,-93.8353,36.4085,-93.8353,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind snapped large tree limbs." +115066,690961,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-26 06:18:00,CST-6,2017-04-26 09:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1123,-94.1924,36.1234,-94.15,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Heavy rainfall resulted in numerous streets and parking lots to be flooded in town." +115066,690964,ARKANSAS,2017,April,Flash Flood,"MADISON",2017-04-26 07:18:00,CST-6,2017-04-26 09:45:00,0,0,0,0,0.00K,0,0.00K,0,36.08,-93.73,36.0883,-93.7294,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A section of Highway 23 was closed due to high water." +115066,690967,ARKANSAS,2017,April,Flash Flood,"CRAWFORD",2017-04-26 08:55:00,CST-6,2017-04-26 09:45:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-94.4,35.6483,-94.3967,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Natural Dam Road was closed due to flooding." +115060,690814,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:05:00,CST-6,2017-04-04 16:05:00,0,0,0,0,25.00K,25000,0.00K,0,36.0608,-95.8864,36.0608,-95.8864,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690815,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:10:00,CST-6,2017-04-04 16:10:00,0,0,0,0,0.00K,0,0.00K,0,36.1045,-95.8509,36.1045,-95.8509,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690816,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:11:00,CST-6,2017-04-04 16:11:00,0,0,0,0,0.00K,0,0.00K,0,36.0754,-95.8868,36.0754,-95.8868,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690818,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:11:00,CST-6,2017-04-04 16:11:00,0,0,0,0,0.00K,0,0.00K,0,36.1705,-95.9247,36.1705,-95.9247,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690820,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-04 16:15:00,CST-6,2017-04-04 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.3086,-95.3175,36.3086,-95.3175,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115098,691529,OKLAHOMA,2017,April,Thunderstorm Wind,"OSAGE",2017-04-29 03:45:00,CST-6,2017-04-29 03:45:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-96.036,36.37,-96.036,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Thunderstorm wind gusts were estimated to near 60 mph." +115098,691532,OKLAHOMA,2017,April,Thunderstorm Wind,"ROGERS",2017-04-29 04:20:00,CST-6,2017-04-29 04:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.5298,-95.6996,36.5298,-95.6996,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind damaged the roof of a home." +115098,691533,OKLAHOMA,2017,April,Thunderstorm Wind,"ROGERS",2017-04-29 04:20:00,CST-6,2017-04-29 04:20:00,0,0,0,0,0.00K,0,0.00K,0,36.5743,-95.7452,36.5743,-95.7452,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","The Oklahoma Mesonet station near Talala measured 77 mph thunderstorm wind gusts." +112775,673773,MINNESOTA,2017,March,Hail,"MORRISON",2017-03-06 16:48:00,CST-6,2017-03-06 16:52:00,0,0,0,0,0.00K,0,0.00K,0,45.9255,-94.0952,45.9904,-94.0224,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673774,MINNESOTA,2017,March,Hail,"MEEKER",2017-03-06 16:42:00,CST-6,2017-03-06 16:43:00,0,0,0,0,0.00K,0,0.00K,0,44.9909,-94.2895,45.0008,-94.2771,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673776,MINNESOTA,2017,March,Hail,"FARIBAULT",2017-03-06 16:57:00,CST-6,2017-03-06 17:10:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-93.92,43.59,-93.82,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to ping pong size, fell along the Iowa, Minnesota border south of Frost, northeast to north of Bricelyn." +112775,673779,MINNESOTA,2017,March,Hail,"WRIGHT",2017-03-06 17:18:00,CST-6,2017-03-06 17:22:00,0,0,0,0,10.00K,10000,0.00K,0,45.3011,-93.918,45.33,-93.89,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to golf ball size, fell west and northwest of Monticello. Some damage to cars was also reported." +112775,673781,MINNESOTA,2017,March,Hail,"FREEBORN",2017-03-06 17:20:00,CST-6,2017-03-06 17:20:00,0,0,0,0,0.00K,0,0.00K,0,43.61,-93.55,43.61,-93.55,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673782,MINNESOTA,2017,March,Hail,"WRIGHT",2017-03-06 17:22:00,CST-6,2017-03-06 17:22:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-94.07,45.15,-94.07,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673783,MINNESOTA,2017,March,Hail,"WRIGHT",2017-03-06 17:44:00,CST-6,2017-03-06 17:44:00,0,0,0,0,0.00K,0,0.00K,0,45.3,-93.82,45.3,-93.82,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673784,MINNESOTA,2017,March,Hail,"ISANTI",2017-03-06 18:05:00,CST-6,2017-03-06 18:05:00,0,0,0,0,0.00K,0,0.00K,0,45.64,-93.39,45.64,-93.39,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673785,MINNESOTA,2017,March,Hail,"WASHINGTON",2017-03-06 22:09:00,CST-6,2017-03-06 22:09:00,0,0,0,0,0.00K,0,0.00K,0,44.84,-92.95,44.84,-92.95,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673786,MINNESOTA,2017,March,Thunderstorm Wind,"GOODHUE",2017-03-06 18:25:00,CST-6,2017-03-06 18:27:00,0,0,0,0,0.00K,0,0.00K,0,44.5071,-92.8781,44.512,-92.8575,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A few trees were blown down across the road east of Cannon Falls." +112775,673787,MINNESOTA,2017,March,Thunderstorm Wind,"MORRISON",2017-03-06 17:06:00,CST-6,2017-03-06 17:06:00,0,0,0,0,0.00K,0,0.00K,0,45.98,-94.1,45.98,-94.1,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673895,MINNESOTA,2017,March,Tornado,"SHERBURNE",2017-03-06 17:39:00,CST-6,2017-03-06 17:55:00,0,0,0,0,0.00K,0,0.00K,0,45.4287,-93.6925,45.5352,-93.5936,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A NWS storm survey concluded that an EF-1 tornado touched down about 5 miles west of Zimmerman and traveled northeast 8.8 miles, dissipating before reaching Highway 169. The storm also produced non-tornadic scattered tree damage due to strong inflow into the storm in a few locations, including on the east side of Highway 169, just south of Princeton. The tornado had a width of 300 yards, and maximum winds of 110 mph." +113801,681414,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:18:00,CST-6,2017-04-05 15:18:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-86.49,36.92,-86.49,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The public reported downed trees due to severe thunderstorm winds." +113801,681416,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:25:00,CST-6,2017-04-05 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,37,-86.39,37,-86.39,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A homeowner reported significant roof damage due to severe thunderstorm winds." +113801,681420,KENTUCKY,2017,April,Thunderstorm Wind,"HARDIN",2017-04-05 16:30:00,EST-5,2017-04-05 16:30:00,0,0,0,0,25.00K,25000,0.00K,0,37.71,-85.85,37.71,-85.85,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A trained spotter reported a mobile home was blown over due to severe thunderstorm winds." +113801,681421,KENTUCKY,2017,April,Thunderstorm Wind,"HARDIN",2017-04-05 16:30:00,EST-5,2017-04-05 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,37.72,-85.89,37.72,-85.89,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","An amateur radio operator reported that a tree was blown onto a mobile home in the Woodland mobile home park." +119943,718888,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-01 14:15:00,PST-8,2017-08-01 15:30:00,0,0,0,0,25.00K,25000,,NaN,33.7878,-117.2186,33.7392,-117.2653,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Downburst winds toppled power lines and downed multiple large trees blocking several roadways in Perris." +113801,681423,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:34:00,CST-6,2017-04-05 15:34:00,0,0,0,0,20.00K,20000,0.00K,0,37.11,-86.42,37.11,-86.42,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Trained spotters reported power lines down due to severe thunderstorm winds." +113801,681425,KENTUCKY,2017,April,Thunderstorm Wind,"SHELBY",2017-04-05 16:30:00,EST-5,2017-04-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-85.38,38.17,-85.38,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +114334,699649,ARKANSAS,2017,May,Flash Flood,"PULASKI",2017-05-03 14:25:00,CST-6,2017-05-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-92.34,34.7544,-92.3192,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Received a report via social media of flash flooding at Cantrell and Kavanaugh roads in west Little Rock." +114334,699651,ARKANSAS,2017,May,Flash Flood,"CLARK",2017-05-03 15:18:00,CST-6,2017-05-03 16:45:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-93.15,33.8505,-93.138,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Flash flooding was reported along Highway 53 in Gurdon." +114334,699654,ARKANSAS,2017,May,Flash Flood,"CLARK",2017-05-03 15:18:00,CST-6,2017-05-03 16:45:00,0,0,0,0,0.00K,0,0.00K,0,33.83,-93.13,33.8154,-93.1462,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Flash flooding reported was reported along Highway 53 in Whelen Springs." +120056,719514,IOWA,2017,August,Tornado,"OSCEOLA",2017-08-18 19:07:00,CST-6,2017-08-18 19:27:00,0,0,0,0,300.00K,300000,65.00K,65000,43.34,-95.68,43.2771,-95.6255,"A severe thunderstorm with a history of producing tornadoes moved out of southwest Minnesota into northwest Iowa and produced the strongest tornado of the year in the Sioux Falls area of responsibility.","EF-2 tornado damaged three farm places. No one was home at any of the places impacted by the tornado. 20 to 30 head of cattle were missing after the storm." +120055,719430,MINNESOTA,2017,August,Tornado,"NOBLES",2017-08-18 18:47:00,CST-6,2017-08-18 18:54:00,0,0,0,0,0.00K,0,100.00K,100000,43.5014,-95.7401,43.4812,-95.7234,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","EF-1 tornado resulted in mainly crop damage along it's path. The tornado crossed into Osceola County of northwest Iowa before dissipating." +114334,699657,ARKANSAS,2017,May,Flash Flood,"DALLAS",2017-05-03 15:42:00,CST-6,2017-05-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.03,-92.88,34.0304,-92.8846,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Highway 7 in Dalark had 2.5 feet of water over it. Various roads in Dallas County have 3 to 4 inches over the roads." +114334,699672,ARKANSAS,2017,May,Flash Flood,"JEFFERSON",2017-05-03 16:15:00,CST-6,2017-05-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-92.13,34.1709,-92.1315,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Flash flooding was reported along Camden Cutoff Road and Sulphur Springs Road." +119145,716342,VIRGINIA,2017,July,Heavy Rain,"SOUTHAMPTON",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-76.98,36.7,-76.98,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.28 inches was measured at Hunterdale." +112775,673756,MINNESOTA,2017,March,Hail,"REDWOOD",2017-03-06 15:45:00,CST-6,2017-03-06 15:51:00,0,0,0,0,25.00K,25000,0.00K,0,44.5054,-95.11,44.5401,-95.0118,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","Several reports of large hail occurred from south of Redwood Falls, north-northeast toward the Renville County line. The largest hail stone was 2 inches in diameter. There was damage to local vehicles and vinyl siding due to the hail." +115771,698572,GEORGIA,2017,April,Thunderstorm Wind,"SUMTER",2017-04-03 12:14:00,EST-5,2017-04-03 12:19:00,0,0,0,0,20.00K,20000,,NaN,32.15,-84.42,32.0982,-84.2519,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Sumter County Emergency Manager reported trees blown down from around the intersection of Highways 153 and 30 to Mallon Road. A house was hit by a falling tree on Mallon road. No injuries were reported." +115771,698573,GEORGIA,2017,April,Thunderstorm Wind,"MACON",2017-04-03 12:25:00,EST-5,2017-04-03 12:30:00,0,0,0,0,8.00K,8000,,NaN,32.2963,-84.0657,32.2963,-84.0657,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported trees and power lines blown down on North Randolph Street." +115771,698575,GEORGIA,2017,April,Thunderstorm Wind,"HOUSTON",2017-04-03 12:40:00,EST-5,2017-04-03 12:45:00,0,0,0,0,15.00K,15000,,NaN,32.4454,-83.7754,32.4495,-83.6708,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Houston County Emergency Manager reported numerous trees blown down around Perry. A tree was reported down on a home on Surrey Place. No injuries were reported." +115771,698579,GEORGIA,2017,April,Thunderstorm Wind,"JONES",2017-04-03 12:42:00,EST-5,2017-04-03 12:52:00,0,0,0,0,10.00K,10000,,NaN,33.1191,-83.6257,33.1628,-83.4432,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Jones County 911 center reported trees blown down from around the intersection of Highway 11 and Round Oak Juliette Road to around Highway 129 and Mathis Road." +115771,698582,GEORGIA,2017,April,Thunderstorm Wind,"BIBB",2017-04-03 12:45:00,EST-5,2017-04-03 12:50:00,0,0,0,0,25.00K,25000,,NaN,32.6789,-83.615,32.6789,-83.615,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A report was received on social media of damage to a home on McArrell Drive." +115771,698583,GEORGIA,2017,April,Thunderstorm Wind,"HOUSTON",2017-04-03 12:50:00,EST-5,2017-04-03 12:52:00,0,0,0,0,1.00K,1000,,NaN,32.6295,-83.6115,32.6295,-83.6115,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Houston County Emergency Manager reported a large tree limb blown down on a house on Green Street." +115304,692831,NEW MEXICO,2017,June,Hail,"HARDING",2017-06-06 15:25:00,MST-7,2017-06-06 15:29:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-104.21,35.94,-104.21,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Hail up to the size of quarters near Roy." +115304,692835,NEW MEXICO,2017,June,Thunderstorm Wind,"ROOSEVELT",2017-06-06 17:17:00,MST-7,2017-06-06 17:20:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-103.66,33.95,-103.66,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Peak wind gust to 60 mph in Elida." +117364,705810,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:09:00,EST-5,2017-06-23 13:09:00,0,0,0,0,6.00K,6000,0.00K,0,42.4786,-71.1479,42.4786,-71.1479,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 109 PM EST, a tree was down on a car on High Street in Woburn." +117364,705811,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:11:00,EST-5,2017-06-23 13:11:00,0,0,0,0,1.00K,1000,0.00K,0,42.4583,-71.1281,42.4583,-71.1281,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 111 PM EST, a tree was down across Park Avenue in Winchester." +117364,705813,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:12:00,EST-5,2017-06-23 13:12:00,0,0,0,0,4.00K,4000,0.00K,0,42.4922,-71.1399,42.4922,-71.1399,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 112 PM EST, a tree and multiple wires were down on Lillian Street in Woburn. At the same time, a tree was down on Prospect Street, and another tree was down at the intersection of Salem and Hilltop Streets." +117364,705815,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:13:00,EST-5,2017-06-23 13:13:00,0,0,0,0,1.00K,1000,0.00K,0,42.4304,-71.1599,42.4304,-71.1599,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 113 PM EST, a tree was down on Bradley Road in Medford." +117364,705816,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:13:00,EST-5,2017-06-23 13:13:00,0,0,0,0,4.50K,4500,0.00K,0,42.596,-71.104,42.596,-71.104,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 113 PM EST, trees and power lines were reported down on Hillview Road in North Reading." +117364,705818,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:15:00,EST-5,2017-06-23 13:15:00,0,0,0,0,7.00K,7000,0.00K,0,42.5216,-71.1146,42.5216,-71.1146,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 115 PM EST, a large tree was down on a house on Temple Street in Reading." +117364,705821,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 13:18:00,EST-5,2017-06-23 13:18:00,0,0,0,0,1.00K,1000,0.00K,0,42.5863,-71.0815,42.5863,-71.0815,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 118 PM EST, a tree was down across Haverhill Street in North Reading." +117364,705826,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:20:00,EST-5,2017-06-23 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,42.5946,-71.1896,42.5946,-71.1896,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 120 PM EST, a tree was down and blocking South Street in Andover." +117373,705859,MASSACHUSETTS,2017,June,Flood,"MIDDLESEX",2017-06-27 16:26:00,EST-5,2017-06-27 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.4508,-71.3999,42.4509,-71.3991,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 426 PM EST, Shirley Street in Concord was reported flooded and impassable." +117373,705860,MASSACHUSETTS,2017,June,Flood,"ESSEX",2017-06-27 16:46:00,EST-5,2017-06-27 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.5528,-71.0434,42.553,-71.0428,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 445 PM EST, rain flooded Main Street near Wing Road in Lynnfield. The water reached a depth of six to twelve inches." +117373,705861,MASSACHUSETTS,2017,June,Flood,"ESSEX",2017-06-27 16:47:00,EST-5,2017-06-27 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.5731,-71.0297,42.5728,-71.0271,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 447 PM EST, rain caused twelve inches of water on Boston Street in Middleton." +117373,705863,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 13:47:00,EST-5,2017-06-27 13:50:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-72.62,42.07,-72.62,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 147 PM EST, a trained spotter reported dime-size hail at Agawam." +117373,705864,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 13:52:00,EST-5,2017-06-27 13:55:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-72.65,42.12,-72.65,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","AT 152 PM EST, an amateur radio operator reported dime-size hail at West Springfield." +117373,705866,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 14:00:00,EST-5,2017-06-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-72.54,42.12,-72.54,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 2 PM EST, a trained spotter reported nickel-size hail at Springfield." +117373,705867,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 14:05:00,EST-5,2017-06-27 14:07:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.44,42.14,-72.44,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 205 PM EST, a trained spotter reported nickel-size hail at Wilbraham." +117373,709373,MASSACHUSETTS,2017,June,Flood,"WORCESTER",2017-06-27 14:26:00,EST-5,2017-06-27 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.284,-71.729,42.2722,-71.729,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 226 PM EST, significant flooding was reported on Oak Street in Shrewsbury." +117373,709382,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 15:48:00,EST-5,2017-06-27 15:48:00,0,0,0,0,0.00K,0,0.00K,0,42.6107,-71.2309,42.6107,-71.2309,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 348 PM EST, a trained spotter reported dime size hail at Tewksbury." +117373,709384,MASSACHUSETTS,2017,June,Hail,"ESSEX",2017-06-27 16:30:00,EST-5,2017-06-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.5288,-70.9353,42.5288,-70.9353,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 430 PM EST, dime size hail was reported in Peabody." +117373,709388,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 16:54:00,EST-5,2017-06-27 16:54:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-71.65,42.15,-71.65,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 454 PM EST, dime size hail was reported in Northbridge." +117373,709390,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 16:56:00,EST-5,2017-06-27 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-71.67,42.11,-71.67,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 456 PM EST, dime size hail was reported in Whitensville." +117373,709394,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 17:26:00,EST-5,2017-06-27 17:26:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-72.93,42.18,-72.93,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 526 PM EST, nickel size hail was reported in Blandford." +117373,709399,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-27 16:00:00,EST-5,2017-06-27 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.446,-71.4156,42.446,-71.4156,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 4 PM EST, a tree was reported down on Ridgewood Road in Concord." +117373,709401,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-27 16:42:00,EST-5,2017-06-27 16:42:00,0,0,0,0,1.00K,1000,0.00K,0,42.5512,-70.8419,42.5512,-70.8419,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 542 PM EST, a tree was reported down near Endicott College in Beverly." +113933,690115,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 19:18:00,CST-6,2017-04-14 19:18:00,0,0,0,0,0.00K,0,0.00K,0,41.3089,-98.9356,41.3089,-98.9356,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +113933,690126,NEBRASKA,2017,April,Hail,"DAWSON",2017-04-14 19:12:00,CST-6,2017-04-14 20:12:00,0,0,0,0,0.00K,0,0.00K,0,41.0302,-99.6164,41.0302,-99.6164,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","Hail, mostly quarter size, lasted on and off for an hour." +117071,707744,WISCONSIN,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-28 18:25:00,CST-6,2017-06-28 18:25:00,0,0,0,0,10.00K,10000,0.00K,0,43.18,-88.99,43.18,-88.99,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A large tree was snapped at the trunk as a bow echo moved through northern Jefferson county." +113936,690084,NEBRASKA,2017,April,Hail,"THAYER",2017-04-19 16:16:00,CST-6,2017-04-19 16:16:00,0,0,0,0,0.00K,0,0.00K,0,40.26,-97.47,40.26,-97.47,"Between 4-6 p.m. CDT on this Wednesday afternoon, a slow-moving, broken line of strong to marginally severe thunderstorms developed along a well-defined cold front advancing through far southeast portions of South Central Nebraska. This activity, which mainly only clipped southern and eastern portions of Thayer and Fillmore counties within the local coverage area, yielded just two official hail reports: quarter size stones near Alexandria and penny size near Hubbell. By 6 p.m. CDT, convection had already exited the local area to the south and east along the advancing front, with the vast majority of regional severe weather reports on this day instead focusing along an axis from central Kansas into southeast Nebraska. ||In the mid-upper levels, the flow was generally quasi-zonal as a series of shortwave troughs trekked eastward mainly through Nebraska and the Dakotas. However, the strong surface cold front was clearly the main focus for convection. As marginally severe storms initiated, surface dewpoints within the local area had risen to around 60F and the mesoscale environment featured a fairly potent combination of mixed-layer CAPE up to 2000 J/kg and effective deep layer wind shear of 40-50 knots. Although the environment was at least marginally supportive of tornadoes, this potential threat was largely quelled by strong frontal forcing encouraging a fairly rapid transition to quasi-linear convective mode.","" +113936,690085,NEBRASKA,2017,April,Hail,"THAYER",2017-04-19 16:35:00,CST-6,2017-04-19 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.0345,-97.5,40.0345,-97.5,"Between 4-6 p.m. CDT on this Wednesday afternoon, a slow-moving, broken line of strong to marginally severe thunderstorms developed along a well-defined cold front advancing through far southeast portions of South Central Nebraska. This activity, which mainly only clipped southern and eastern portions of Thayer and Fillmore counties within the local coverage area, yielded just two official hail reports: quarter size stones near Alexandria and penny size near Hubbell. By 6 p.m. CDT, convection had already exited the local area to the south and east along the advancing front, with the vast majority of regional severe weather reports on this day instead focusing along an axis from central Kansas into southeast Nebraska. ||In the mid-upper levels, the flow was generally quasi-zonal as a series of shortwave troughs trekked eastward mainly through Nebraska and the Dakotas. However, the strong surface cold front was clearly the main focus for convection. As marginally severe storms initiated, surface dewpoints within the local area had risen to around 60F and the mesoscale environment featured a fairly potent combination of mixed-layer CAPE up to 2000 J/kg and effective deep layer wind shear of 40-50 knots. Although the environment was at least marginally supportive of tornadoes, this potential threat was largely quelled by strong frontal forcing encouraging a fairly rapid transition to quasi-linear convective mode.","" +117760,708033,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"BLACK RIVER TO ONTONAGON MI",2017-06-13 15:30:00,EST-5,2017-06-13 15:35:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-89.33,46.88,-89.33,"An upper disturbance moving along a frontal boundary generated strong thunderstorms over Lake Superior on the 13th.","The peak thunderstorm wind gust at the Ontonagon Light was 53 mph." +117760,708034,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"ONTONAGON TO UPPER ENTRANCE OF PORTAGE CANAL MI",2017-06-13 15:30:00,EST-5,2017-06-13 15:35:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-89.33,46.88,-89.33,"An upper disturbance moving along a frontal boundary generated strong thunderstorms over Lake Superior on the 13th.","The peak thunderstorm wind gust at the Ontonagon Light was 53 mph." +117760,708031,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"SAXON HARBOR WI TO BLACK RIVER MI",2017-06-13 14:03:00,EST-5,2017-06-13 14:23:00,0,0,0,0,0.00K,0,0.00K,0,46.57,-90.42,46.57,-90.42,"An upper disturbance moving along a frontal boundary generated strong thunderstorms over Lake Superior on the 13th.","Peak measured wind gusts through the period reached 34 knots at the Saxon Harbor station." +117760,708032,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-06-13 14:03:00,EST-5,2017-06-13 14:23:00,0,0,0,0,0.00K,0,0.00K,0,46.57,-90.42,46.57,-90.42,"An upper disturbance moving along a frontal boundary generated strong thunderstorms over Lake Superior on the 13th.","Peak measured wind gusts through the period reached 34 knots at the Saxon Harbor station." +117760,708037,LAKE SUPERIOR,2017,June,Marine High Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-06-13 16:42:00,EST-5,2017-06-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,47.32,-89.87,47.32,-89.87,"An upper disturbance moving along a frontal boundary generated strong thunderstorms over Lake Superior on the 13th.","The peak wind gust at the Rock of Ages Light resulting from a wake low." +117762,708039,MICHIGAN,2017,June,Thunderstorm Wind,"MENOMINEE",2017-06-14 16:54:00,CST-6,2017-06-14 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,45.1,-87.6,45.1,-87.6,"A strong wind gust from a passing thunderstorm caused a power outage in Menominee on the 14th.","Winds from a strong thunderstorm caused a power outage in far southeast Menominee County. The wind gust at the nearby marine observation platform measured at 46 mph." +117771,708059,LAKE SUPERIOR,2017,June,Marine Hail,"MARQUETTE TO MUNISING MI",2017-06-15 17:27:00,EST-5,2017-06-15 17:37:00,0,0,0,0,0.00K,0,0.00K,0,46.44,-86.7,46.44,-86.7,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","There was a public report of 1.50 inch diameter hail at Christmas. The hail lasted approximately ten minutes." +117771,708060,LAKE SUPERIOR,2017,June,Marine Hail,"MUNISING TO GRAND MARAIS MI",2017-06-15 17:51:00,EST-5,2017-06-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.61,46.42,-86.61,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","There was a report of golf ball sized hail at Pictured Rocks Golf Course." +115476,693426,KENTUCKY,2017,June,Thunderstorm Wind,"WOLFE",2017-06-14 14:25:00,EST-5,2017-06-14 14:25:00,0,0,0,0,,NaN,,NaN,37.8161,-83.4422,37.8161,-83.4422,"Numerous thunderstorms developed this morning and afternoon across eastern Kentucky. One of these produced high winds in Wolfe County, while two instances of flash flooding occurred in Magoffin and Knott Counties.","Dispatch relayed a report of a tree down on Dry Branch Road east of Toliver." +115447,693243,KENTUCKY,2017,June,Thunderstorm Wind,"LESLIE",2017-06-13 16:40:00,EST-5,2017-06-13 16:40:00,0,0,0,0,,NaN,,NaN,37.17,-83.37,37.17,-83.37,"Isolated to scattered thunderstorms developed late this morning and afternoon, before morphing into a larger line by late afternoon as preexisting outflow boundaries shifted south into eastern Kentucky. Isolated reports of sub-severe hail were received in Magoffin and Leslie Counties, while wind damage was also reported in Leslie County and south into Harlan County.","Dispatch relayed a report of a few trees blown down in Hyden." +115447,693246,KENTUCKY,2017,June,Thunderstorm Wind,"HARLAN",2017-06-13 17:05:00,EST-5,2017-06-13 17:05:00,0,0,0,0,,NaN,,NaN,36.98,-83.24,36.98,-83.24,"Isolated to scattered thunderstorms developed late this morning and afternoon, before morphing into a larger line by late afternoon as preexisting outflow boundaries shifted south into eastern Kentucky. Isolated reports of sub-severe hail were received in Magoffin and Leslie Counties, while wind damage was also reported in Leslie County and south into Harlan County.","A Skywarn Storm Spotter observed two trees down near Big Laurel." +115494,693511,KENTUCKY,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-15 18:45:00,EST-5,2017-06-15 18:45:00,0,0,0,0,,NaN,,NaN,37.82,-82.8,37.82,-82.8,"Scattered to numerous thunderstorms developed this afternoon and evening, following a round of morning activity that produced several outflow boundaries across eastern Kentucky. These became the focus for afternoon and evening redevelopment. While locally heavy rain and gusty winds up to 40 mph occurred, a stronger storm hit Paintsville resulting in a few downed trees during the evening.","A local media outlet relayed a report of a few trees downed in Paintsville." +115249,691919,TEXAS,2017,June,Flash Flood,"RED RIVER",2017-06-04 13:36:00,CST-6,2017-06-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,33.5815,-94.917,33.5811,-94.9172,"Scattered showers and thunderstorms developed throughout the morning and afternoon hours on June 4th, ahead of a slow moving upper level storm system that drifted east across the Red River Valley of Southern Oklahoma and North Texas. These storms were slow moving, and given the moderate instability and very moist atmosphere in place, they produced locally heavy rainfall as the moved repeatedly over the same areas across portions of Northeast Texas. As a result, instances of flash flooding were observed across Eastern Red River, Western Bowie, and portions of Northern Smith counties where rainfall amounts of three to in excess of five inches fell over a period of two to four hours, over grounds which were nearing saturation due to earlier rainfall that fell during the previous couple of days.","Main Street in the city of Annona was flooded." +116018,699521,KANSAS,2017,April,Blizzard,"MORTON",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 18 to 20 inches was reported across the county. Drifts were 8 to 12 feet high. Cattle loss was over 5,000 head." +116018,699522,KANSAS,2017,April,Blizzard,"KEARNY",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 14 to 20 inches was reported across the county. Drifts were 8 to 12 feet high. Cattle loss was over 5,000 head." +116018,699523,KANSAS,2017,April,Blizzard,"GRANT",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 15 to 22 inches was reported across the county. Drifts were 8 to 12 feet high. Cattle loss was over 15,000 head." +113933,689573,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 18:45:00,CST-6,2017-04-14 18:53:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-99.11,41.28,-98.98,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","Half dollar to golf ball size hail was reported." +113931,690484,NEBRASKA,2017,April,Hail,"KEARNEY",2017-04-09 17:16:00,CST-6,2017-04-09 17:29:00,0,0,0,0,0.00K,0,0.00K,0,40.3551,-99.0483,40.36,-98.9,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Hail up to 2 inches in diameter was reported along this path. Hail was accompanied by 60 MPH wind gusts." +114759,688634,TENNESSEE,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-30 12:49:00,CST-6,2017-04-30 12:49:00,0,0,0,0,1.00K,1000,0.00K,0,35.2034,-87.3398,35.2034,-87.3398,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A two foot diameter oak tree was snapped just south of the Highway 43 and Highway 64 intersection." +114759,688654,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 14:04:00,CST-6,2017-04-30 14:04:00,0,0,0,0,1.00K,1000,0.00K,0,36.1992,-86.7232,36.1992,-86.7232,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A Facebook report indicated a large tree was blown down across Essex Avenue at Riverside Drive." +114759,688664,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-30 14:30:00,CST-6,2017-04-30 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.5693,-86.2822,35.5693,-86.2822,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down on Highway 64 East between Wartrace and Beech Grove." +114759,688676,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:55:00,CST-6,2017-04-30 13:55:00,0,0,0,0,2.00K,2000,0.00K,0,36.0334,-86.7116,36.0334,-86.7116,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated a tree was blown down onto a house and a carport was flipped over on Barnes Road near Nolensville Road." +114755,688812,TENNESSEE,2017,April,Flash Flood,"MARSHALL",2017-04-22 16:00:00,CST-6,2017-04-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-86.7405,35.4823,-86.7541,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Facebook reports and photos indicated several secondary roads were flooded and closed across northern Marshall County. Flood waters also surrounded several homes on Old Farmington Road northeast of Lewisburg." +115234,697269,WISCONSIN,2017,May,Thunderstorm Wind,"GRANT",2017-05-15 18:46:00,CST-6,2017-05-15 18:46:00,0,0,0,0,2.00K,2000,0.00K,0,42.72,-90.99,42.72,-90.99,"Two rounds of thunderstorms moved across western Wisconsin on May 15th. The first formed in the afternoon and dropped some dime sized hail across portions of Juneau County. A lightning strike from this first round of storms ignited a fire at a care facility in Holmen (La Crosse County). The second round moved across Grant County during the evening hours with 60 to 65 mph winds and some dime sized hail. A 68 mph wind gust occurred in Cuba City. The winds damaged roofs on a church in Tennyson and a school in Cuba City.","Trees were blown down in Cassville from an estimated 60 mph wind gust." +115942,696866,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WALSH",2017-06-09 19:00:00,CST-6,2017-06-09 19:00:00,0,0,0,0,,NaN,,NaN,48.46,-97.34,48.46,-97.34,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by a Davis personal weather station." +115942,696867,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WALSH",2017-06-09 19:10:00,CST-6,2017-06-09 19:10:00,0,0,0,0,,NaN,,NaN,48.46,-97.24,48.46,-97.24,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Numerous large poplar, ash, and cottonwood trees were snapped or blown down in shelterbelts and farmsteads across St. Andrews and northern Acton townships. Peak winds were estimated from 85 to 95 mph over a several mile wide path." +115942,696868,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-09 19:13:00,CST-6,2017-06-09 19:13:00,0,0,0,0,,NaN,,NaN,48.11,-98.87,48.11,-98.87,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +116011,697180,MINNESOTA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 20:10:00,CST-6,2017-06-13 20:10:00,0,0,0,0,,NaN,,NaN,46.84,-96.66,46.84,-96.66,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The peak wind was measured by a MNDOT RWIS station." +116011,697183,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:14:00,CST-6,2017-06-13 20:14:00,0,0,0,0,,NaN,,NaN,46.25,-96.07,46.25,-96.07,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The wind gust was measured at the Fergus Falls airport." +116011,697187,MINNESOTA,2017,June,Thunderstorm Wind,"NORMAN",2017-06-13 20:28:00,CST-6,2017-06-13 20:28:00,0,0,0,0,,NaN,,NaN,47.26,-96.81,47.26,-96.81,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Numerous large tree branches were blown down around town. Power outages were also reported." +116011,697188,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:29:00,CST-6,2017-06-13 20:29:00,0,0,0,0,,NaN,,NaN,46.13,-95.55,46.13,-95.55,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Tree limbs were blown down." +116011,697189,MINNESOTA,2017,June,Thunderstorm Wind,"BECKER",2017-06-13 20:35:00,CST-6,2017-06-13 20:35:00,0,0,0,0,,NaN,,NaN,46.87,-96.14,46.87,-96.14,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The wind gust was measured by a MNDOT RWIS sensor." +116011,697192,MINNESOTA,2017,June,Thunderstorm Wind,"BECKER",2017-06-13 20:42:00,CST-6,2017-06-13 20:42:00,0,0,0,0,,NaN,,NaN,46.79,-95.76,46.79,-95.76,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A large tree was blown down along the highway between Detroit Lakes and Frazee." +116484,700536,MISSISSIPPI,2017,June,Thunderstorm Wind,"CLARKE",2017-06-23 14:08:00,CST-6,2017-06-23 14:08:00,0,0,0,0,8.00K,8000,0.00K,0,32.108,-88.6619,32.108,-88.6619,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Trees were blown down along County Road 140." +117470,707673,ARKANSAS,2017,June,Thunderstorm Wind,"BAXTER",2017-06-23 13:25:00,CST-6,2017-06-23 13:25:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-92.39,36.34,-92.39,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Numerous trees were down and power outages were across Mountain Home." +116484,700537,MISSISSIPPI,2017,June,Thunderstorm Wind,"CLARKE",2017-06-23 14:12:00,CST-6,2017-06-23 14:12:00,0,0,0,0,5.00K,5000,0.00K,0,32.07,-88.88,32.07,-88.88,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down on Highway 11 near Souinlovie Creek." +116484,700538,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-23 14:17:00,CST-6,2017-06-23 14:17:00,0,0,0,0,5.00K,5000,0.00K,0,31.79,-89.01,31.79,-89.01,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down on Florence Church Road." +116484,700540,MISSISSIPPI,2017,June,Flash Flood,"CLARKE",2017-06-23 14:30:00,CST-6,2017-06-23 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.9997,-88.8025,31.9928,-88.821,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred on County Road 120." +116484,700541,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-23 18:30:00,CST-6,2017-06-23 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.47,-89.23,31.4713,-89.2382,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","North WPA Road was flooded near Cook Road." +116484,700542,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-23 18:30:00,CST-6,2017-06-23 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.52,-89.16,31.5222,-89.1692,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred along Irongate Road." +116484,700543,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-23 19:05:00,CST-6,2017-06-23 20:05:00,0,0,0,0,5.00K,5000,0.00K,0,31.74,-89.32,31.7465,-89.3074,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Bernis Hill and Sumrall Bridge roads were flooded." +115442,693227,COLORADO,2017,June,High Wind,"ROAN AND TAVAPUTS PLATEAUS",2017-06-12 08:00:00,MST-7,2017-06-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak moved overhead and mixed down to the surface which caused a significant increase in surface wind speeds.","Widespread strong wind gusts in excess of 50 mph occurred across the area. A peak gust of 95 mph was measured on Highway 139 at Douglas Pass." +117393,706002,COLORADO,2017,June,Frost/Freeze,"UPPER GUNNISON RIVER VALLEY",2017-06-13 02:00:00,MST-7,2017-06-13 06:00:00,0,0,0,0,0.00K,0,4.00K,4000,NaN,NaN,NaN,NaN,"A strong low pressure system brought unseasonably cold air to portions of western Colorado, including freezing temperatures in some lower elevation areas.","Freezing temperatures down to 27 degrees F in a number of areas decimated gardens. Impacted locations included the towns of Gunnison and Almont." +117393,706004,COLORADO,2017,June,Frost/Freeze,"UPPER YAMPA RIVER BASIN",2017-06-13 00:00:00,MST-7,2017-06-13 06:00:00,0,0,0,0,0.00K,0,3.00K,3000,NaN,NaN,NaN,NaN,"A strong low pressure system brought unseasonably cold air to portions of western Colorado, including freezing temperatures in some lower elevation areas.","Freezing temperatures down to 25 degrees F in a number of areas decimated gardens. Impacted locations included the towns of Steamboat Springs and Yampa." +117411,706088,ARIZONA,2017,July,Wildfire,"NORTHERN GILA COUNTY",2017-07-01 00:00:00,MST-7,2017-07-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bear Fire started in Bear Canyon about half a mile north of the Mogollon Rim on June 1. The Highline Fire Started south of the Mogollon Rim on June 10. These two fires eventually merged to become the Highline Fire. The fire burned 2,591 acres on the Coconino National Forest and the 7,198 acres on the Tonto National Forest. The fire changed the hydrology of the area and resulted in significant flash flooding during the raining season in July.","The Highline Fire started in June and was considered contained by 1800 on July 7. The Bear Fire and Highline Fire merged to become the Highline Fire." +115442,693225,COLORADO,2017,June,High Wind,"CENTRAL YAMPA RIVER BASIN",2017-06-12 11:30:00,MST-7,2017-06-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak moved overhead and mixed down to the surface which caused a significant increase in surface wind speeds.","Widespread strong wind gusts in excess of 50 mph occurred across the area. A peak gust of 67 mph was measured at the Great Divide RAWS site, and 66 mph at the Pinto RAWS site." +115442,693226,COLORADO,2017,June,High Wind,"LOWER YAMPA RIVER BASIN",2017-06-12 11:30:00,MST-7,2017-06-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep area of low pressure tightened the pressure gradient across the intermountain west, and an upper level jet streak moved overhead and mixed down to the surface which caused a significant increase in surface wind speeds.","Widespread strong wind gusts in excess of 50 mph occurred across much of the area. A peak gust of 65 mph was measured at the Calico RAWS site and 60 mph at the Dragon Road RAWS site." +118199,710326,NORTH CAROLINA,2017,June,Thunderstorm Wind,"BLADEN",2017-06-14 18:30:00,EST-5,2017-06-14 18:31:00,0,0,0,0,2.00K,2000,0.00K,0,34.5362,-78.4241,34.5362,-78.4241,"A backdoor cold front approached from the north as a mid-level shortwave moved southeast across the area.","Large limbs were reportedly blocking a portion of Highway 53. The time was estimated based on radar data." +113357,678800,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-04-06 17:44:00,EST-5,2017-04-06 17:44:00,0,0,0,0,,NaN,,NaN,39.27,-74.6,39.27,-74.6,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678806,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 18:13:00,EST-5,2017-04-06 18:13:00,0,0,0,0,,NaN,,NaN,39.87,-74.14,39.87,-74.14,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678805,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 18:05:00,EST-5,2017-04-06 18:05:00,0,0,0,0,,NaN,,NaN,39.79,-74.17,39.79,-74.17,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678804,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-04-06 18:02:00,EST-5,2017-04-06 18:02:00,0,0,0,0,,NaN,,NaN,38.7,-75.08,38.7,-75.08,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678803,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-04-06 17:58:00,EST-5,2017-04-06 17:58:00,0,0,0,0,,NaN,,NaN,39.27,-74.6,39.27,-74.6,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113357,678813,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 18:28:00,EST-5,2017-04-06 18:28:00,0,0,0,0,,NaN,,NaN,39.6,-74.33,39.6,-74.33,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113539,679677,CALIFORNIA,2017,April,Heavy Snow,"NORTH CENTRAL & SOUTHEAST SISKIYOU COUNTY",2017-04-07 08:00:00,PST-8,2017-04-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A developing storm brought heavy snow to some locations in northern California.","A spotter in Tennant reported 6.0 inches of snow at 08/0800 PST." +113731,680823,MONTANA,2017,April,Winter Storm,"SOUTHERN BIG HORN",2017-04-09 07:00:00,MST-7,2017-04-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across south central and southeast Montana.","Snowfall amounts of 6 to 8 inches were reported across the area." +113731,680833,MONTANA,2017,April,Winter Storm,"YELLOWSTONE",2017-04-09 07:00:00,MST-7,2017-04-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across south central and southeast Montana.","Snowfall of 6 to 8 inches was common just east and southeast of Billings." +113731,680837,MONTANA,2017,April,Winter Storm,"CARTER",2017-04-09 15:00:00,MST-7,2017-04-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across south central and southeast Montana.","Snowfall of 10-13 inches along with power outages were reported across the area." +113731,680834,MONTANA,2017,April,Winter Storm,"SOUTHERN ROSEBUD",2017-04-09 12:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across south central and southeast Montana.","Snowfall around 6 inches was reported across the area." +113731,680827,MONTANA,2017,April,Winter Storm,"POWDER RIVER",2017-04-09 12:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper low that moved across Wyoming provided significant dynamics, including dynamic cooling, along with a moist upslope flow across portions of the Billings Forecast Area. This resulted in heavy snow across south central and southeast Montana.","Snowfall of 8 to 12 inches (wet) was reported across the area." +113735,680854,WEST VIRGINIA,2017,April,Flash Flood,"WOOD",2017-04-16 20:43:00,EST-5,2017-04-16 22:50:00,0,0,0,0,2.00K,2000,0.00K,0,39.3599,-81.4793,39.3851,-81.4768,"An approaching cold front kicked off showers and thunderstorms across the mid and upper Ohio River Valley. Several storms moved over the same area of Wood County, WV, resulting in up to two inches of rainfall within several hours.","Heavy rain caused flooding at the intersection of North Dry Run Road and North Oak Grove Road along Big Run Creek near Williamstown." +114089,686412,TEXAS,2017,April,Flash Flood,"LLANO",2017-04-10 22:56:00,CST-6,2017-04-11 00:45:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-98.93,30.8535,-98.9294,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing CR 405 at San Fernando Creek." +114089,686415,TEXAS,2017,April,Flash Flood,"KENDALL",2017-04-11 04:55:00,CST-6,2017-04-11 06:15:00,0,0,0,0,0.00K,0,0.00K,0,29.85,-98.8,29.8455,-98.8399,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing numerous roads in southwestern Kendall County near Boerne." +114089,686442,TEXAS,2017,April,Flash Flood,"GUADALUPE",2017-04-11 13:24:00,CST-6,2017-04-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.59,-98.05,29.5879,-98.0503,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing FM 78 near Youngs Creek in McQueeney." +114089,686444,TEXAS,2017,April,Flash Flood,"COMAL",2017-04-11 13:26:00,CST-6,2017-04-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.7029,-98.0043,29.7042,-98.0087,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing FM 758 at Alligator Creek near the New Braunfels Airport." +114089,686446,TEXAS,2017,April,Flash Flood,"LLANO",2017-04-10 23:03:00,CST-6,2017-04-11 00:45:00,0,0,0,0,0.00K,0,0.00K,0,30.7101,-98.8098,30.7283,-98.8196,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing RM 152 along the Llano River from Castell to Llano." +114090,683187,TEXAS,2017,April,Hail,"PECOS",2017-04-14 16:36:00,CST-6,2017-04-14 16:41:00,0,0,0,0,,NaN,,NaN,31.0129,-103.2442,31.0129,-103.2442,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +114090,683190,TEXAS,2017,April,Hail,"BREWSTER",2017-04-14 17:45:00,CST-6,2017-04-14 17:50:00,0,0,0,0,0.00K,0,0.00K,0,29.28,-103.78,29.28,-103.78,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +114090,683191,TEXAS,2017,April,Hail,"PECOS",2017-04-14 18:10:00,CST-6,2017-04-14 18:15:00,0,0,0,0,,NaN,,NaN,31.0129,-103.2442,31.0129,-103.2442,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +118271,710770,OKLAHOMA,2017,June,Thunderstorm Wind,"GRANT",2017-06-15 20:15:00,CST-6,2017-06-15 20:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-97.75,36.8,-97.75,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710771,OKLAHOMA,2017,June,Thunderstorm Wind,"KAY",2017-06-15 20:15:00,CST-6,2017-06-15 20:15:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-97.35,36.76,-97.35,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710772,OKLAHOMA,2017,June,Hail,"KAY",2017-06-15 20:55:00,CST-6,2017-06-15 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-97.07,36.88,-97.07,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118272,710773,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-17 21:35:00,CST-6,2017-06-17 21:35:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"Storms formed along a southward moving cold front overnight between the 17th and the 18th.","" +118272,710774,OKLAHOMA,2017,June,Thunderstorm Wind,"LOGAN",2017-06-18 02:45:00,CST-6,2017-06-18 02:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-97.6,36.1,-97.6,"Storms formed along a southward moving cold front overnight between the 17th and the 18th.","" +118272,710775,OKLAHOMA,2017,June,Thunderstorm Wind,"LOGAN",2017-06-18 02:50:00,CST-6,2017-06-18 02:50:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-97.6,36.1,-97.6,"Storms formed along a southward moving cold front overnight between the 17th and the 18th.","" +118274,710778,OKLAHOMA,2017,June,Thunderstorm Wind,"KAY",2017-06-26 21:25:00,CST-6,2017-06-26 21:25:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-97.05,36.89,-97.05,"Scattered storms formed in the vicinity of a stalled front in northern Oklahoma overnight between the 26th and the 27th.","Tree downed. Time estimated by radar and nearby surface Mesonet observation." +118274,710779,OKLAHOMA,2017,June,Hail,"ALFALFA",2017-06-27 01:33:00,CST-6,2017-06-27 01:33:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-98.13,36.74,-98.13,"Scattered storms formed in the vicinity of a stalled front in northern Oklahoma overnight between the 26th and the 27th.","" +118276,710791,OKLAHOMA,2017,June,Hail,"KIOWA",2017-06-30 15:30:00,CST-6,2017-06-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-98.87,35.08,-98.87,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710815,OKLAHOMA,2017,June,Hail,"CADDO",2017-06-30 16:35:00,CST-6,2017-06-30 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-98.55,34.87,-98.55,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710816,OKLAHOMA,2017,June,Hail,"GRADY",2017-06-30 16:50:00,CST-6,2017-06-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.1,-97.8,35.1,-97.8,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710817,OKLAHOMA,2017,June,Hail,"GRADY",2017-06-30 17:01:00,CST-6,2017-06-30 17:01:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-97.74,35.11,-97.74,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +117943,708970,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ROWAN",2017-06-13 16:07:00,EST-5,2017-06-13 16:07:00,0,0,0,0,0.00K,0,0.00K,0,35.579,-80.583,35.579,-80.583,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Ham radio operator reported multiple trees blown down and blocking West Church St from West Ketchie St to Miller Rd." +117943,708971,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CABARRUS",2017-06-13 16:51:00,EST-5,2017-06-13 16:51:00,0,0,0,0,0.00K,0,0.00K,0,35.409,-80.72,35.365,-80.556,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","County comms reported a tree blown down on Blackberry Trail and another tree down on Memory Ln." +117943,708972,NORTH CAROLINA,2017,June,Thunderstorm Wind,"HENDERSON",2017-06-13 16:50:00,EST-5,2017-06-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-82.42,35.28,-82.42,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","FD reported at least 2 trees blown down with one tree down across Highway 25 and blocking traffic." +117943,708974,NORTH CAROLINA,2017,June,Hail,"ROWAN",2017-06-13 16:11:00,EST-5,2017-06-13 16:11:00,0,0,0,0,,NaN,,NaN,35.57,-80.58,35.57,-80.58,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Public reported nickel sized hail in the China Grove area." +117943,708975,NORTH CAROLINA,2017,June,Hail,"HENDERSON",2017-06-13 16:39:00,EST-5,2017-06-13 16:39:00,0,0,0,0,,NaN,,NaN,35.24,-82.426,35.24,-82.426,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","FD reported nickel size hail." +117943,708976,NORTH CAROLINA,2017,June,Hail,"DAVIE",2017-06-13 15:17:00,EST-5,2017-06-13 15:17:00,0,0,0,0,,NaN,,NaN,35.95,-80.69,35.95,-80.69,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Spotter reported up to ping pong ball size hail." +117943,708977,NORTH CAROLINA,2017,June,Hail,"CATAWBA",2017-06-13 14:58:00,EST-5,2017-06-13 14:58:00,0,0,0,0,,NaN,,NaN,35.7,-81.27,35.7,-81.27,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Media reported quarter size hail along Highway 70." +113740,681345,TEXAS,2017,April,Tornado,"PARMER",2017-04-14 16:59:00,CST-6,2017-04-14 17:04:00,0,0,0,0,0.00K,0,0.00K,0,34.4638,-102.5467,34.4653,-102.5285,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A tornado was initially spotted northeast of Lazbuddie near the Parmer/Castro County line at 1659 CST, before continuing east into west-central Castro County. No evidence of damage accompanied this tornado." +113740,681348,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 17:04:00,CST-6,2017-04-14 17:07:00,0,0,0,0,0.00K,0,0.00K,0,34.4665,-102.5277,34.4828,-102.4978,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","This is the continuation of the prior tornado in Parmer County. This tornado tracked east into west-central Castro County where it dissipated around 1707 CST, about 12 miles west-southwest of Dimmitt. No evidence of damage accompanied this tornado." +114395,685669,WYOMING,2017,April,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-04-27 03:00:00,MST-7,2017-04-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","A NWS Employee measured 8 inches of snow at Beaver Rim. 8 inches of snow also fell in Jeffrey City. During the height of the storm, US 287 was closed between Lander and Muddy Gap." +114395,685677,WYOMING,2017,April,Winter Storm,"NATRONA COUNTY LOWER ELEVATIONS",2017-04-27 22:00:00,MST-7,2017-04-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","A trained spotter measured 7 inches of snow 5 miles south-southwest of Casper, in the foothills of Casper Mountain. Amounts dropped quickly closer to downtown where amounts were generally less than 3 inches." +114623,687434,IOWA,2017,April,Hail,"CLARKE",2017-04-15 18:18:00,CST-6,2017-04-15 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41,-93.6,41,-93.6,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported quarter sized hail covering her yard just south of Woodburn." +114623,687440,IOWA,2017,April,Hail,"BLACK HAWK",2017-04-15 18:25:00,CST-6,2017-04-15 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-92.26,42.4,-92.26,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel sized hail." +114623,687441,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:26:00,CST-6,2017-04-15 18:26:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-93.44,41.29,-93.44,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Emergency manager reported quarter sized hail in the town of Milo." +114623,687442,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:30:00,CST-6,2017-04-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-93.44,41.29,-93.44,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Public reported quarter sized hail via social media." +114782,688463,KANSAS,2017,April,Hail,"BARTON",2017-04-15 18:40:00,CST-6,2017-04-15 18:41:00,0,0,0,0,0.00K,0,0.00K,0,38.64,-98.67,38.64,-98.67,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Lots of hail was reported ranging from pea sized to one inch." +114782,688464,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-15 18:50:00,CST-6,2017-04-15 18:51:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-98.08,38.87,-98.08,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Located at mile marker 228 on Interstate 70." +114782,688465,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 19:09:00,CST-6,2017-04-15 19:10:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-98,38.93,-98,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688467,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 19:17:00,CST-6,2017-04-15 19:18:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98,38.89,-98,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688468,KANSAS,2017,April,Hail,"RUSSELL",2017-04-15 19:29:00,CST-6,2017-04-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-98.49,39.13,-98.49,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Hail size ranged from quarter to half dollar sized." +114782,688469,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 19:45:00,CST-6,2017-04-15 19:46:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-97.99,38.92,-97.99,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Reported 3 miles north of Interstate 70 near Colt drive." +114782,688470,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 19:53:00,CST-6,2017-04-15 19:54:00,0,0,0,0,0.00K,0,0.00K,0,39,-98.27,39,-98.27,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688471,KANSAS,2017,April,Hail,"BARTON",2017-04-15 20:05:00,CST-6,2017-04-15 20:09:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.79,38.36,-98.79,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","The hail ranged from pea to quarter sized and lasted several minutes." +114782,688472,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 20:08:00,CST-6,2017-04-15 20:09:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-98.15,38.94,-98.15,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","This was reported on Highway 14." +113368,689707,MISSOURI,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 18:20:00,CST-6,2017-04-04 18:20:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-94.23,36.89,-94.23,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","This wind report was from a mesonet station E7471 about 2 miles southeast of Granby." +113368,689710,MISSOURI,2017,April,Thunderstorm Wind,"PHELPS",2017-04-04 21:30:00,CST-6,2017-04-04 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.69,-91.87,37.69,-91.87,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A mobile home was pushed off blocks near Edgar Springs." +113368,689711,MISSOURI,2017,April,Thunderstorm Wind,"WEBSTER",2017-04-04 19:45:00,CST-6,2017-04-04 19:45:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-93.05,37.21,-93.05,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A large tree was uprooted." +113368,689717,MISSOURI,2017,April,Tornado,"MCDONALD",2017-04-04 17:48:00,CST-6,2017-04-04 17:54:00,0,0,0,0,1.00M,1000000,0.00K,0,36.7197,-94.4324,36.7592,-94.3784,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","An EF-2 tornado hit the town of Goodman in McDonald County and continued northeastward into southern Newton County southeast of Neosho. Numerous homes and buildings were damaged. The school in Goodman was destroyed. The tornado started southwest of Goodman and ended on the southwest side of Granby." +113368,689720,MISSOURI,2017,April,Thunderstorm Wind,"GREENE",2017-04-04 19:30:00,CST-6,2017-04-04 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,37.12,-93.27,37.12,-93.27,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A roof was blown off a house. Several trees were uprooted. Several power line were blown down." +113368,689723,MISSOURI,2017,April,Thunderstorm Wind,"CHRISTIAN",2017-04-04 19:25:00,CST-6,2017-04-04 19:25:00,0,0,0,0,5.00K,5000,0.00K,0,37.04,-93.42,37.04,-93.42,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","There was a partial roof blown off a home between Clever and Nixa off State Highway 14." +113368,689726,MISSOURI,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-04 18:30:00,CST-6,2017-04-04 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.08,-94.02,37.08,-94.02,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","There was a report of damage to a barn." +113368,689728,MISSOURI,2017,April,Tornado,"BARRY",2017-04-04 18:56:00,CST-6,2017-04-04 18:58:00,0,0,0,0,15.00K,15000,0.00K,0,36.5419,-93.9877,36.5656,-93.9644,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","An EF-1 tornado briefly touched down south of Washburn in rural Barry County. A chicken farm was destroyed and numerous trees were snapped." +117453,706364,IOWA,2017,June,Hail,"WEBSTER",2017-06-28 14:26:00,CST-6,2017-06-28 14:26:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-94.18,42.5,-94.18,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported golf ball sized hail." +117453,706365,IOWA,2017,June,Hail,"WEBSTER",2017-06-28 14:26:00,CST-6,2017-06-28 14:26:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-94.18,42.51,-94.18,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported mostly dime sized hail, but some quarter sized mixed in." +115030,690395,GEORGIA,2017,April,Drought,"TOWNS",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690412,GEORGIA,2017,April,Drought,"DE KALB",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115063,690877,OKLAHOMA,2017,April,Hail,"CREEK",2017-04-21 13:55:00,CST-6,2017-04-21 13:55:00,0,0,0,0,0.00K,0,0.00K,0,35.9645,-96.22,35.9645,-96.22,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","" +115063,697238,OKLAHOMA,2017,April,Thunderstorm Wind,"ADAIR",2017-04-21 17:05:00,CST-6,2017-04-21 17:05:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-94.77,35.68,-94.77,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind uprooted several trees near the cemetery." +115069,690713,OREGON,2017,April,High Wind,"CENTRAL OREGON",2017-04-07 04:00:00,PST-8,2017-04-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Measured wind gust of 58 mph 3 miles SSE of downtown Bend in Deschutes county. Numerous reports of downed trees in and around Bend and at Metolius in Jefferson county. Trees blocked roads and fell on homes. As of this time, no injuries reported and damage amounts unknown." +115069,690714,OREGON,2017,April,High Wind,"EAST SLOPES OF THE OREGON CASCADES",2017-04-07 04:00:00,PST-8,2017-04-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Large pine tree down next to home causing severe damage to a deck. Occurred at Three Rivers in Deschutes county. Damage amount unknown at this time." +115069,690716,OREGON,2017,April,High Wind,"NORTH CENTRAL OREGON",2017-04-07 06:00:00,PST-8,2017-04-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Measured wind gust of 61 mph at the Patjens RAWS site 8 miles WSW of Grass Valley in Sherman county." +115069,690717,OREGON,2017,April,High Wind,"FOOTHILLS OF THE SOUTHERN BLUE MOUNTAINS OF OREGON",2017-04-07 06:00:00,PST-8,2017-04-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Measured wind gust of 65 mph 1 mile NW of Heppner in Morrow county." +115069,690718,OREGON,2017,April,High Wind,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-04-07 06:00:00,PST-8,2017-04-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system causes high winds over portions of eastern Oregon and Washington.","Measured wind gust of 63 mph 3 miles N of Helix in Umatilla county." +112308,722832,NEW JERSEY,2017,February,Winter Storm,"WESTERN MONMOUTH",2017-02-09 05:00:00,EST-5,2017-02-09 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 7.0 inches were measured in Holmdel during the evening of Feb 9, and 6.2 inches in Freehold." +112310,722841,PENNSYLVANIA,2017,February,Winter Storm,"CARBON",2017-02-09 01:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. 6 inches of snow was reported near Lehighton." +114084,691325,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-29 02:32:00,CST-6,2017-04-29 02:32:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-92.66,36.97,-92.66,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691326,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-29 02:35:00,CST-6,2017-04-29 02:35:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-92.61,37.04,-92.61,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691327,MISSOURI,2017,April,Hail,"WRIGHT",2017-04-29 02:40:00,CST-6,2017-04-29 02:40:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-92.58,37.11,-92.58,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691328,MISSOURI,2017,April,Hail,"WRIGHT",2017-04-29 02:43:00,CST-6,2017-04-29 02:43:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-92.51,37.26,-92.51,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691329,MISSOURI,2017,April,Hail,"WRIGHT",2017-04-29 02:30:00,CST-6,2017-04-29 02:30:00,0,0,0,0,,NaN,0.00K,0,37.11,-92.58,37.11,-92.58,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691330,MISSOURI,2017,April,Hail,"NEWTON",2017-04-29 03:12:00,CST-6,2017-04-29 03:12:00,0,0,0,0,0.00K,0,0.00K,0,37,-94.28,37,-94.28,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +115183,696659,ILLINOIS,2017,April,Flash Flood,"TAZEWELL",2017-04-29 18:30:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7489,-89.5317,40.4357,-89.919,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across western Tazewell County. Numerous streets in Pekin and East Peoria were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 29 from Green Valley to South Pekin." +115183,696687,ILLINOIS,2017,April,Flash Flood,"MENARD",2017-04-29 18:45:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1111,-89.993,39.9015,-89.994,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Menard County. Numerous streets in Petersburg were impassable, as were numerous rural roads and highways in the county. Illinois Route 97 between Lincoln's New Salem site and Petersburg was closed due to high water." +112882,675723,INDIANA,2017,March,Tornado,"WASHINGTON",2017-03-01 05:41:00,EST-5,2017-03-01 05:47:00,0,0,0,0,150.00K,150000,0.00K,0,38.681,-86.28,38.673,-86.186,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A NWS storm survey, in conjunction with Washington County Emergency Management concluded that the tornado touched down and was embedded in a larger field of straight-line winds. The path length was 5.8 miles with a max width of 100 yards for the tornado, however the overall straight-line wind path width was close to a mile wide in spots. The most intense tornado damage happened shortly after touchdown, where over 50 healthy hardwood trees had snapped trunks with no foliage. In addition, an outbuilding lost part of a roof, and debris struck a residence causing cracked masonry and dented drywall on the inside of the structure. Maximum wind speeds of 100 mph were estimated in this area. The tornado continued eastward where more homes experienced minor roof damage, trees were uprooted, and a large outbuilding was nearly destroyed. After crossing Cave River Valley Rd and White River Rd, the tornado took out nearly 50 softwood trees. Farther east, over 100 hardwood and softwood trees were uprooted and snapped, and notable convergence was observed. After driving a 4X6 post through the roof of a home near Hunter Rd, the tornado continued east to Prowsville Ridge Rd, where an uptick to 90-95 mph intensity was noted. Another stand of nearly 50 hardwood trees were uprooted and snapped, along with significant damage to a porch and roof of a home. Tornadic damage ceased east of Cox Ferry Rd, however some instances of straight-line winds were noted all the way to Delaney Park Rd. It was also noted that straight-line winds were surveyed south of the tornado damage path, from Saltillo eastward to West Washington School Rd. Eyewitness accounts put this damage at slightly earlier times than when the tornado damage occurred. The straight-line wind damage ranged from 60-80 mph." +115350,692622,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:17:00,CST-6,2017-04-02 20:17:00,0,0,0,0,2.00K,2000,0.00K,0,26.27,-97.5,26.27,-97.5,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Tennis ball size hail reported. Vehicles dented and windshields damaged and chickens killed." +115350,692623,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:20:00,CST-6,2017-04-02 20:20:00,0,0,0,0,15.00K,15000,0.00K,0,26.23,-97.58,26.23,-97.58,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Measured hail report of 3.01 inches via social media. Hail broke windshield at residence with other windshields broken in neighborhood." +113831,691050,MISSOURI,2017,April,Flood,"BARTON",2017-04-21 15:15:00,CST-6,2017-04-21 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.4503,-94.5554,37.45,-94.5541,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route M was closed due to flooding." +113831,691051,MISSOURI,2017,April,Flood,"SHANNON",2017-04-21 17:27:00,CST-6,2017-04-21 20:27:00,0,0,0,0,0.00K,0,0.00K,0,37.0839,-91.251,37.0859,-91.257,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route H was closed due to flooding." +113831,691052,MISSOURI,2017,April,Flood,"SHANNON",2017-04-21 17:27:00,CST-6,2017-04-21 20:27:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-91.23,37.0905,-91.2327,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route NN was closed at Rocky Creek due to flooding." +116865,702699,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-05-25 17:09:00,EST-5,2017-05-25 17:09:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-75.98,37.49,-75.98,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 43 knots was measured at Silver Beach." +118093,709744,VIRGINIA,2017,June,Thunderstorm Wind,"SOUTHAMPTON",2017-06-19 16:30:00,EST-5,2017-06-19 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.72,-77.07,36.72,-77.07,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was downed and blocking Route 58 East in Courtland." +118093,709746,VIRGINIA,2017,June,Thunderstorm Wind,"RICHMOND",2017-06-19 16:41:00,EST-5,2017-06-19 16:41:00,0,0,0,0,2.00K,2000,0.00K,0,37.56,-77.49,37.56,-77.49,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was downed at the intersection of Floyd Avenue and Thompson Street." +118093,709747,VIRGINIA,2017,June,Thunderstorm Wind,"CHESTERFIELD",2017-06-19 16:45:00,EST-5,2017-06-19 16:45:00,0,0,0,0,3.00K,3000,0.00K,0,37.46,-77.47,37.46,-77.47,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Numerous trees and power lines were downed." +113831,691053,MISSOURI,2017,April,Flood,"GREENE",2017-04-21 17:10:00,CST-6,2017-04-21 20:10:00,0,0,0,0,0.00K,0,0.00K,0,37.1312,-93.12,37.1308,-93.1199,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Highway 125 was closed due to flooding." +113831,691054,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-21 19:20:00,CST-6,2017-04-21 22:20:00,0,0,0,0,0.00K,0,0.00K,0,37.4445,-92.4464,37.4427,-92.4491,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route Z was closed at Elk Creek due to flooding." +113831,691055,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-21 19:20:00,CST-6,2017-04-21 19:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3142,-92.4019,37.3151,-92.4005,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route E was closed about one mile north of Route 38 due to flooding along the Gasconade River." +113831,691056,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-21 19:00:00,CST-6,2017-04-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0351,-92.1904,37.0401,-92.1916,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route EE was closed about one mile east of Route AD due to flooding along the North Fork River." +113499,679518,SOUTH DAKOTA,2017,April,Winter Weather,"HARDING",2017-04-09 19:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113500,679450,WYOMING,2017,April,Winter Storm,"NORTHERN CAMPBELL",2017-04-09 15:00:00,MST-7,2017-04-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system brought rain and snow to northeastern Wyoming. Rain changed to snow during the late afternoon and early evening and continued into the night before ending. The heaviest snow fell across portions of northern Campbell County and the Bear Lodge Mountains, where as much as eight inches were reported. Accumulations of four inches fell across the rest of far northeastern Wyoming.","" +113500,679451,WYOMING,2017,April,Winter Weather,"WESTERN CROOK",2017-04-09 18:00:00,MST-7,2017-04-10 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system brought rain and snow to northeastern Wyoming. Rain changed to snow during the late afternoon and early evening and continued into the night before ending. The heaviest snow fell across portions of northern Campbell County and the Bear Lodge Mountains, where as much as eight inches were reported. Accumulations of four inches fell across the rest of far northeastern Wyoming.","" +113500,679454,WYOMING,2017,April,Winter Storm,"WYOMING BLACK HILLS",2017-04-09 17:00:00,MST-7,2017-04-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system brought rain and snow to northeastern Wyoming. Rain changed to snow during the late afternoon and early evening and continued into the night before ending. The heaviest snow fell across portions of northern Campbell County and the Bear Lodge Mountains, where as much as eight inches were reported. Accumulations of four inches fell across the rest of far northeastern Wyoming.","" +113500,679457,WYOMING,2017,April,Winter Weather,"WESTON",2017-04-09 18:00:00,MST-7,2017-04-10 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system brought rain and snow to northeastern Wyoming. Rain changed to snow during the late afternoon and early evening and continued into the night before ending. The heaviest snow fell across portions of northern Campbell County and the Bear Lodge Mountains, where as much as eight inches were reported. Accumulations of four inches fell across the rest of far northeastern Wyoming.","" +114357,685258,SOUTH DAKOTA,2017,April,Winter Weather,"NORTHERN BLACK HILLS",2017-04-25 02:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114751,688841,TENNESSEE,2017,April,Hail,"SMITH",2017-04-05 15:42:00,CST-6,2017-04-05 15:42:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-85.93,36.25,-85.93,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Dime to nickel hail size reported in Carthage." +114751,688840,TENNESSEE,2017,April,Hail,"SMITH",2017-04-05 15:40:00,CST-6,2017-04-05 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-85.93,36.25,-85.93,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","" +114751,688842,TENNESSEE,2017,April,Hail,"WARREN",2017-04-05 15:45:00,CST-6,2017-04-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-85.92,35.6,-85.92,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Nickel and quarter size hail fell in Morrison between 445 PM and 450 PM." +114751,688843,TENNESSEE,2017,April,Hail,"CLAY",2017-04-05 15:53:00,CST-6,2017-04-05 15:53:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-85.77,36.58,-85.77,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Quarter to half dollar size hail was reported in Hermitage Springs." +115416,694567,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:34:00,EST-5,2017-04-05 16:35:00,0,0,0,0,,NaN,,NaN,32.52,-81.75,32.52,-81.75,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report via amateur radio indicated trees down along Maria Sorrel Road and one leaning power pole." +115416,694568,GEORGIA,2017,April,Thunderstorm Wind,"SCREVEN",2017-04-05 16:38:00,EST-5,2017-04-05 16:39:00,0,0,0,0,,NaN,,NaN,32.71,-81.78,32.71,-81.78,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Screven County 911 Call Center reported a tree down on Rocky Ford Road." +115416,694569,GEORGIA,2017,April,Thunderstorm Wind,"BULLOCH",2017-04-05 16:43:00,EST-5,2017-04-05 16:44:00,0,0,0,0,,NaN,,NaN,32.3,-81.77,32.3,-81.77,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Bulloch County 911 Call Center reported a tree down at the intersection of Harville Road and Jim Waters Road." +115416,694583,GEORGIA,2017,April,Thunderstorm Wind,"EVANS",2017-04-05 16:43:00,EST-5,2017-04-05 16:44:00,0,0,0,0,,NaN,,NaN,32.21,-81.83,32.21,-81.83,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","Law enforcement reported trees down near the intersection of Daisy Nevils Highway and Mosley Road." +115416,694595,GEORGIA,2017,April,Thunderstorm Wind,"EVANS",2017-04-05 17:45:00,EST-5,2017-04-05 17:46:00,0,0,0,0,,NaN,,NaN,32.23,-81.83,32.23,-81.83,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Evans County 911 Call Center reported a large pine tree down across Daisy Nevils Highway." +115416,694596,GEORGIA,2017,April,Thunderstorm Wind,"TATTNALL",2017-04-05 19:52:00,EST-5,2017-04-05 19:53:00,0,0,0,0,,NaN,,NaN,32.11,-82.11,32.11,-82.11,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Tattnall County 911 Call Center reported one tree down on Anderson Street." +115417,694601,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:45:00,EST-5,2017-04-05 18:46:00,0,0,0,0,,NaN,,NaN,32.81,-80.11,32.81,-80.11,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported nickel size hail." +114654,687691,IOWA,2017,April,Thunderstorm Wind,"GREENE",2017-04-19 19:33:00,CST-6,2017-04-19 19:33:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-94.55,42.04,-94.55,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Trained spotter reported estimated 60 mph winds along with pea size hail and water ponding in the streets." +114654,687692,IOWA,2017,April,Thunderstorm Wind,"BOONE",2017-04-19 20:25:00,CST-6,2017-04-19 20:25:00,0,0,0,0,1.00K,1000,0.00K,0,42.09,-93.83,42.09,-93.83,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported estimated 60 mph winds along with tree limbs down." +114654,687693,IOWA,2017,April,Thunderstorm Wind,"BUTLER",2017-04-19 21:05:00,CST-6,2017-04-19 21:05:00,0,0,0,0,5.00K,5000,0.00K,0,42.76,-92.67,42.76,-92.67,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported estimated 60 plus mph winds and trees down. Report relayed by NWS employee. Time radar estimated." +114759,688677,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:50:00,CST-6,2017-04-30 13:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.0087,-86.7788,36.0087,-86.7788,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A large tree was uprooted on Oden Court." +114759,688687,TENNESSEE,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-30 12:47:00,CST-6,2017-04-30 12:47:00,0,0,0,0,3.00K,3000,0.00K,0,35.4101,-87.2815,35.4101,-87.2815,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Two northbound lanes of Highway 43 near Vaughn Staggs Road blocked by uprooted tree across the roadway. Two other trees uprooted nearby." +114759,693759,TENNESSEE,2017,April,Thunderstorm Wind,"OVERTON",2017-04-30 16:25:00,CST-6,2017-04-30 16:25:00,0,0,0,0,1.00K,1000,0.00K,0,36.3891,-85.3336,36.3891,-85.3336,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down at 637 West 4th Street in Livingston." +114759,688653,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 14:00:00,CST-6,2017-04-30 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.1032,-86.6719,36.1032,-86.6719,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A Facebook report indicated a tree was blown down into the road near the post office on Ezell Pike. A peak wind gust of 44 knots (50 mph) was measured at the nearby Nashville Airport ASOS at 302 PM CDT." +114759,694328,TENNESSEE,2017,April,Strong Wind,"DAVIDSON",2017-04-30 12:45:00,CST-6,2017-04-30 12:45:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Strong southerly gradient winds out ahead of an approaching QLCS blew over a metal soccer goal that struck in the 2300 block of Antioch Pike, killing a 2 year old girl. A peak wind gust of 37 knots (43 mph) was measured at the Nashville Airport ASOS at 150 PM CDT prior to the storms arriving later in the afternoon." +115490,693480,TENNESSEE,2017,April,High Wind,"MONTGOMERY",2017-04-03 01:08:00,CST-6,2017-04-03 01:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wake low that formed north of a decaying MCS caused strong and gusty south winds across western Middle Tennessee during the early morning hours of April 3. A wind gust to 59 mph was measured in Clarksville, but no damage was reported.","A wind gust of 51 knots (59 mph) was measured at the Clarksville Outlaw Field ASOS. No damage was reported anywhere in Montgomery County." +115554,693849,TEXAS,2017,April,Hail,"MENARD",2017-04-11 11:09:00,CST-6,2017-04-11 11:12:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-99.53,30.87,-99.53,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","" +115554,694028,TEXAS,2017,April,Hail,"CONCHO",2017-04-11 10:51:00,CST-6,2017-04-11 10:54:00,0,0,0,0,0.00K,0,0.00K,0,31.1332,-99.85,31.1332,-99.85,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","The public reported one inch hail along U.S. Highway 83, near the Concho/Menard county line." +115554,694029,TEXAS,2017,April,Hail,"MASON",2017-04-11 11:45:00,CST-6,2017-04-11 11:48:00,0,0,0,0,0.00K,0,0.00K,0,30.6993,-99.1843,30.6993,-99.1843,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","The public reported one inch hail, with a few larger stones, off of Art Hedwigs Road." +115650,694914,OKLAHOMA,2017,April,Winter Storm,"CIMARRON",2017-04-04 15:35:00,CST-6,2017-04-04 16:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As a surface low and an upper level of low pressure moved east of our region throughout the day on the 4th, wrap around moisture from the main upper level low pressure system was impacting the northwestern areas. With the steep 700 hPa isodrosotherm gradients along with the strong CAA, this was the set up of moderate snow across the NW< especially since temperatures were still above freezing for the remainder of the TX/OK Panhandles, minus the far northwestern areas where cooling of the column allowed accumulating snowfall to occur as the morning progressed while the remainder of the central and eastern Panhandles had a cold rain.","Storm total snow of 5 inches for Boise City." +115651,694916,TEXAS,2017,April,Winter Storm,"DALLAM",2017-04-04 15:35:00,CST-6,2017-04-04 17:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As a surface low and an upper level of low pressure moved east of our region throughout the day on the 4th, wrap around moisture from the main upper level low pressure system was impacting the northwestern areas. With the steep 700 hPa isodrosotherm gradients along with the strong CAA, this was the set up of moderate snow across the NW< especially since temperatures were still above freezing for the remainder of the TX/OK Panhandles, minus the far northwestern areas where cooling of the column allowed accumulating snowfall to occur as the morning progressed while the remainder of the central and eastern Panhandles had a cold rain.","Estimated 8 inches 6 SE of Texline." +117415,706106,ATLANTIC SOUTH,2017,June,Waterspout,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-06-02 13:00:00,EST-5,2017-06-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-81.35,31.04,-81.35,"A light westerly flow prevailed over the area with elevated moisture and instability fueling sea breeze induced thunderstorms. A few strong storms produced locally heavy rainfall and waterspouts offshore of the local Atlantic coast.","A waterspout was about 4 miles offshore of Jekyll Island." +117415,706110,ATLANTIC SOUTH,2017,June,Waterspout,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-06-02 17:45:00,EST-5,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,29.71,-81.22,29.71,-81.22,"A light westerly flow prevailed over the area with elevated moisture and instability fueling sea breeze induced thunderstorms. A few strong storms produced locally heavy rainfall and waterspouts offshore of the local Atlantic coast.","Social media photos were passed along to the NWS of a waterspout just offshore of Matanzas Inlet." +116890,702916,WISCONSIN,2017,June,Thunderstorm Wind,"JUNEAU",2017-06-12 16:05:00,CST-6,2017-06-12 16:05:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-90.27,43.93,-90.27,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","The automated weather observing equipment at Volk Field measured a wind gust of 62 mph." +116900,702962,WISCONSIN,2017,June,Thunderstorm Wind,"JUNEAU",2017-06-14 12:35:00,CST-6,2017-06-14 12:35:00,0,0,0,0,4.00K,4000,0.00K,0,43.75,-90.27,43.75,-90.27,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","Trees and power lines were blown down in Elroy." +116900,702963,WISCONSIN,2017,June,Thunderstorm Wind,"JUNEAU",2017-06-14 12:45:00,CST-6,2017-06-14 12:45:00,0,0,0,0,4.00K,4000,0.00K,0,43.8,-90.07,43.8,-90.07,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","Trees and power lines were blown down in Mauston." +114130,683472,WISCONSIN,2017,April,Hail,"KEWAUNEE",2017-04-10 05:55:00,CST-6,2017-04-10 05:55:00,0,0,0,0,0.00K,0,0.00K,0,44.48,-87.5,44.48,-87.5,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell north of Kewaunee." +114130,683484,WISCONSIN,2017,April,Thunderstorm Wind,"ONEIDA",2017-04-09 22:30:00,CST-6,2017-04-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,45.9,-89.69,45.9,-89.69,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds downed trees in Woodruff. The time of this report is estimated." +114130,683489,WISCONSIN,2017,April,Thunderstorm Wind,"MARATHON",2017-04-10 00:05:00,CST-6,2017-04-10 00:05:00,0,0,0,0,0.00K,0,0.00K,0,44.9882,-89.6158,44.9882,-89.6158,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds snapped and uprooted trees, and downed power lines in the vicinity of Horseshoe Springs Road and Sylvan Street in Wausau. The storms also produced pea size hail." +114130,683485,WISCONSIN,2017,April,Thunderstorm Wind,"VILAS",2017-04-09 22:35:00,CST-6,2017-04-09 22:35:00,0,0,0,0,0.00K,0,0.00K,0,45.91,-89.65,45.91,-89.65,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds downed numerous trees around Arbor Vitae." +116928,703246,WISCONSIN,2017,June,Hail,"JACKSON",2017-06-16 18:27:00,CST-6,2017-06-16 18:27:00,0,0,0,0,0.00K,0,0.00K,0,44.6,-90.96,44.6,-90.96,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Walnut sized hail was reported in the far northern portion of Jackson County north of Alma Center." +116928,703250,WISCONSIN,2017,June,Thunderstorm Wind,"LA CROSSE",2017-06-16 18:02:00,CST-6,2017-06-16 18:02:00,0,0,0,0,4.00K,4000,0.00K,0,43.82,-91.24,43.82,-91.24,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Trees and light poles were blown down in La Crosse." +116928,703254,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-16 18:30:00,CST-6,2017-06-16 18:30:00,0,0,0,0,4.00K,4000,0.00K,0,43.49,-90.89,43.49,-90.89,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Large trees were blown down south of Viroqua." +116928,703259,WISCONSIN,2017,June,Thunderstorm Wind,"CLARK",2017-06-16 18:25:00,CST-6,2017-06-16 18:25:00,0,0,0,0,2.00K,2000,0.00K,0,44.5961,-90.9124,44.5961,-90.9124,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Trees were blown down near the intersection of U.S. Highway 10 and County Road I north of Humbird." +115772,698322,GEORGIA,2017,April,Tornado,"WALTON",2017-04-05 11:10:00,EST-5,2017-04-05 11:12:00,0,0,0,0,15.00K,15000,,NaN,33.7196,-83.8753,33.7107,-83.8296,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 88 MPH and a maximum path width of 350 yards moved east out of far northern Newton County into Walton County along Wapakoneta Trail. Multiple softwood trees were snapped and uprooted with one causing damage to a vehicle. The tornado continued eastward snapping or uprooting trees as it crossed Hightower Trail, Highway 81 and Old Highway 81 before ending around the intersection of Harris Rockmore Loop and Harris Rockmore Road. No injuries were reported. [04/05/17: Tornado #2, County #2/2, EF-1, Newton, Walton, 2017:061]." +115772,698333,GEORGIA,2017,April,Tornado,"SUMTER",2017-04-05 12:40:00,EST-5,2017-04-05 12:46:00,0,0,0,0,30.00K,30000,,NaN,32.005,-84.4282,32.0244,-84.3794,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 70 MPH and a maximum path width of 150 yards briefly touched down southwest of Plains along Highway 45 snapping a few trees. The tornado moved northeast crossing N. Carter Fishpond Road and Chavers Drive uprooting a few trees. The tornado continued northeast crossing Highway 308 south of Plains, uprooting a few more trees and causing minor roof damage to a few homes before ending shortly after crossing Wise Road. No injuries were reported. [04/05/17: Tornado #4, County #1/1, EF-0, Sumter, 2017:063]." +115772,698349,GEORGIA,2017,April,Tornado,"TREUTLEN",2017-04-05 15:05:00,EST-5,2017-04-05 15:07:00,0,0,0,0,20.00K,20000,,NaN,32.4051,-82.7003,32.4172,-82.6544,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that a tornado in eastern Laurens County crossed Mercer Creek into Treutlen County just east of Thairdell Road with maximum wind speeds of 80 MPH and a maximum path width of 100 yards. The tornado moved northeast damaging a few trees along Knox Mill Road and Red Bluff Church Road before ending near Highway 29 and Briarcliff road. No injuries were reported. [04/05/7: Tornado #7, County #2/2, EF-0, Laurens, Treutlen, 2017:066]." +115771,698226,GEORGIA,2017,April,Tornado,"WASHINGTON",2017-04-03 13:36:00,EST-5,2017-04-03 13:41:00,0,0,0,0,30.00K,30000,,NaN,32.9203,-82.9996,32.9346,-82.9024,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 250 yards occurred in western Washington County. The tornado touched down along Highway 272 where it caused roof damage to a church and uprooted numerous large trees surrounding the church and within a nearby cemetery. The tornado moved east and weakened to EF0 intensity, causing minor damage to a roof at a home on Green Lane Road and uprooting numerous trees in the area. The tornado continued moving east snapping and uprooting trees as it crossed Lamar's Creek Road before ending along Smith Robson Road southwest of Sandersville. No injuries were reported. [04/03/17: Tornado #25, County #1/1, EF-1, Washington, 2017:057]." +115771,698232,GEORGIA,2017,April,Tornado,"WASHINGTON",2017-04-03 13:56:00,EST-5,2017-04-03 13:58:00,0,0,0,0,10.00K,10000,,NaN,33.0514,-82.7538,33.0522,-82.7471,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that a very short-lived tornado developed approximately five miles northeast of Sandersville. Damage was found|along a path from Mayview Road to Kittrell Creek Road where several smaller trees were uprooted and snapped. No injuries were reported. This thunderstorm spawned another tornado, several miles east, near the Washington and Jefferson county line. [04/03/17: Tornado # 26, County #1/1, EF-0, Washington, 2017:058]." +115771,698261,GEORGIA,2017,April,Tornado,"WASHINGTON",2017-04-03 14:00:00,EST-5,2017-04-03 14:04:00,0,0,0,0,50.00K,50000,,NaN,33.0454,-82.6641,33.0533,-82.6172,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 100 MPH and a maximum path width of 300 yards occurred between Edgehill and Davisboro across the Washington and Jefferson county line. The tornado touched down around the intersection of South Sparta Davisboro Road and Jordan Mill Pond Road where damage occurred to the metal roof of a large barn and another barn was demolished along with numerous snapped and uprooted trees. As the tornado moved east it weakened to an EF0 after crossing Tree Nursery Road and moving into Jefferson County. No injuries were reported. [04/03/17: Tornado #27, County #1/2, EF-1, Washington, Jefferson, 2017:059]." +115806,696025,TEXAS,2017,April,Blizzard,"DALLAM",2017-04-30 09:25:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Blizzard conditions for greater than 3 hours for Dalhart and Texline." +115806,696028,TEXAS,2017,April,Blizzard,"SHERMAN",2017-04-30 09:25:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Blizzard conditions for greater than 3 hours at Stratford." +115806,696031,TEXAS,2017,April,Winter Storm,"DALLAM",2017-04-29 06:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Estimated 9-12 of snow for Dalhart and Texline." +115849,696229,NEW HAMPSHIRE,2017,April,Flood,"COOS",2017-04-17 05:00:00,EST-5,2017-04-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,44.391,-71.1826,44.3909,-71.1823,"High pressure off the Atlantic coast caused a mild southwesterly flow across the state with high temperatures climbing to the 70s and lower 80s. The mild air caused the remaining snow in the headwaters of many of the rivers to melt which, in combination with 1/2 to 1 inch of rainfall, caused minor flooding on the Androscoggin River at Gorham and the Connecticut River at Dalton.","With high temperatures in the 70s and 80s, melting snow and 1/2 to 1 inch of rain caused minor flooding on the Androscoggin River at Gorham. The river crested at 8.23 feet; flood stage is 8 feet." +115416,694823,GEORGIA,2017,April,Lightning,"CANDLER",2017-04-05 16:45:00,EST-5,2017-04-05 16:45:00,0,0,0,0,20.00K,20000,,NaN,32.39,-82.06,32.39,-82.06,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The media reported a lightning strike which started a fire to a historic home on South Rountree Street in Metter, Georgia. A video indicated about 1/4 of the second floor on fire." +115705,696265,PUERTO RICO,2017,April,Flash Flood,"CAROLINA",2017-04-17 08:30:00,AST-4,2017-04-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4276,-66.0133,18.4276,-66.0039,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Emergency managers reported that in Urbanization Los Angeles, street Estrella del Norte was impassable due to flood waters." +115705,696261,PUERTO RICO,2017,April,Flash Flood,"CAROLINA",2017-04-17 08:30:00,AST-4,2017-04-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3943,-65.9658,18.3943,-65.9655,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Emergency managers reported that Avenida Roberto Clemente near Panaderia Fernandez was impassable due to flood waters." +115705,696260,PUERTO RICO,2017,April,Flash Flood,"CAROLINA",2017-04-17 08:30:00,AST-4,2017-04-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4187,-65.999,18.4191,-65.9982,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Emergency manager reported Ave. Iturregui near Cuartel Carolina Oeste impassable due to flood waters." +115705,696266,PUERTO RICO,2017,April,Flash Flood,"RIO GRANDE",2017-04-17 15:00:00,AST-4,2017-04-17 19:45:00,0,0,0,0,0.00K,0,0.00K,0,18.348,-65.7664,18.3485,-65.7618,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Emergency managers reported road 191 impassable near Urbanization La Vega due to the flood waters of Rio Mameyes." +115363,693744,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"JASPER",2017-04-03 15:58:00,EST-5,2017-04-03 15:59:00,0,0,0,0,,NaN,,NaN,32.61,-81.16,32.61,-81.16,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Gillison Branch Road near Cypress Branch Road." +115363,693753,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"JASPER",2017-04-03 16:15:00,EST-5,2017-04-03 16:16:00,0,0,0,0,,NaN,,NaN,32.6,-80.99,32.6,-80.99,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Grays Highway near the intersection with Morgandollar Road." +115363,693756,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-03 16:39:00,EST-5,2017-04-03 16:40:00,0,0,0,0,,NaN,,NaN,32.79,-80.63,32.79,-80.63,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down in the 7500 Block of Green Pond Highway." +115795,695875,PENNSYLVANIA,2017,April,Hail,"ALLEGHENY",2017-04-20 11:46:00,EST-5,2017-04-20 11:46:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-79.74,40.55,-79.74,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695876,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 11:50:00,EST-5,2017-04-20 11:50:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-79.68,40.52,-79.68,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695877,PENNSYLVANIA,2017,April,Hail,"ALLEGHENY",2017-04-20 12:00:00,EST-5,2017-04-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-79.74,40.55,-79.74,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695878,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 12:03:00,EST-5,2017-04-20 12:03:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-79.63,40.53,-79.63,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695879,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 12:08:00,EST-5,2017-04-20 12:08:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-79.58,40.51,-79.58,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695880,PENNSYLVANIA,2017,April,Hail,"WESTMORELAND",2017-04-20 12:15:00,EST-5,2017-04-20 12:15:00,0,0,0,0,0.00K,0,0.00K,0,40.5,-79.53,40.5,-79.53,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695881,PENNSYLVANIA,2017,April,Hail,"ARMSTRONG",2017-04-20 13:48:00,EST-5,2017-04-20 13:48:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-79.67,40.96,-79.67,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +114472,686463,TEXAS,2017,April,Hail,"WILLIAMSON",2017-04-29 17:45:00,CST-6,2017-04-29 17:45:00,0,0,0,0,,NaN,,NaN,30.65,-97.61,30.65,-97.61,"Thunderstorms formed along a cold front and produced sub-severe hail.","" +114472,686464,TEXAS,2017,April,Hail,"COMAL",2017-04-29 18:53:00,CST-6,2017-04-29 18:53:00,0,0,0,0,,NaN,,NaN,29.75,-98.06,29.75,-98.06,"Thunderstorms formed along a cold front and produced sub-severe hail.","" +114094,683209,TEXAS,2017,April,Hail,"MAVERICK",2017-04-16 19:40:00,CST-6,2017-04-16 19:40:00,0,0,0,0,,NaN,,NaN,28.66,-100.22,28.66,-100.22,"A short wave trough moved through a broad upper level trough and generated thunderstorms. Some of these storms produced sub-severe hail and heavy rain that led to flash flooding.","" +114094,683210,TEXAS,2017,April,Hail,"UVALDE",2017-04-16 21:00:00,CST-6,2017-04-16 21:00:00,0,0,0,0,,NaN,,NaN,29.5969,-99.9882,29.5969,-99.9882,"A short wave trough moved through a broad upper level trough and generated thunderstorms. Some of these storms produced sub-severe hail and heavy rain that led to flash flooding.","" +114063,685488,TEXAS,2017,April,Hail,"VAL VERDE",2017-04-01 21:59:00,CST-6,2017-04-01 21:59:00,0,0,0,0,,NaN,,NaN,29.64,-101.13,29.64,-101.13,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced golf ball size hail near Comstock. The report was forwarded to us by Laughlin AFB weather from the Border Patrol." +114063,685489,TEXAS,2017,April,Hail,"VAL VERDE",2017-04-01 22:37:00,CST-6,2017-04-01 22:37:00,0,0,0,0,,NaN,,NaN,29.7,-101.32,29.7,-101.32,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced quarter size hail at Seminole Canyon State Park." +114063,685490,TEXAS,2017,April,Hail,"VAL VERDE",2017-04-01 22:47:00,CST-6,2017-04-01 22:47:00,0,0,0,0,,NaN,,NaN,29.7,-101.34,29.7,-101.34,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced ping pong ball size hail at Seminole Canyon State Park." +114063,685491,TEXAS,2017,April,Hail,"VAL VERDE",2017-04-02 00:15:00,CST-6,2017-04-02 00:15:00,0,0,0,0,,NaN,,NaN,29.41,-100.92,29.41,-100.92,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced quarter size hail in the Buena Vista Park part of Del Rio. The report was forwarded to us by Laughlin AFB weather from the Del Rio Emergency Manager." +114063,685492,TEXAS,2017,April,Hail,"VAL VERDE",2017-04-02 01:32:00,CST-6,2017-04-02 01:32:00,0,0,0,0,,NaN,,NaN,29.36,-100.77,29.36,-100.77,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced quarter size hail at Laughlin AFB." +114063,685493,TEXAS,2017,April,Hail,"UVALDE",2017-04-02 03:00:00,CST-6,2017-04-02 03:00:00,0,0,0,0,,NaN,,NaN,29.74,-99.93,29.74,-99.93,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +115294,696940,ILLINOIS,2017,April,Flood,"CLAY",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.9155,-88.67,38.6076,-88.6993,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Clay County. Several streets in Lewistown and Flora were closed due to high water. Numerous rural roads, highways and creeks in the county were flooded, particularly in the northern part of the county from Iola to Bible Grove, and on U.S. Highway 45 from Hord to Louisville. An additional 1.00 to 1.50 inches of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115294,696948,ILLINOIS,2017,April,Flood,"SCHUYLER",2017-04-29 22:45:00,CST-6,2017-04-30 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2861,-90.9089,40.1052,-90.9135,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Schuyler County. Numerous streets in Rushville were impassable, as were numerous rural roads in the county west of U.S. Highway 67. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by mid-morning on the 30th." +115616,696776,ARIZONA,2017,April,Wildfire,"TUCSON METRO AREA",2017-04-23 11:00:00,MST-7,2017-04-30 23:59:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"The human-caused Sawmill fire started on April 23rd and burned tall grass, chaparral and oak brush of southeast Pima County. The wildfire spread rapidly due to several days of strong winds over 30 mph and gusts over 50 mph. The fire burned nearly 47,000 acres before containment was achieved on May 4th.","The human-caused Sawmill Fire started 10 miles southeast of Green Valley near Box Canyon and quickly spread east northeast for 20 miles across southeast Pima County and burned 28 percent of the Las Cienegas National Conservation Area. As it crossed State Route 83, two miles of guard rails and supporting posts were destroyed along with several power poles and road signs. While no structures were damaged, about a hundred residents of rural communities such as Singing Valley were evacuated for a day or two, including nuns from the Santa Rita Abbey. The road was closed for 3 days because of the wildfire. The fire was 94 percent contained by the end of April after burning 46,991 acres. No additional acreage was burned before the fire was fully contained on May 4th." +115956,696847,NEW YORK,2017,April,Flood,"MONROE",2017-04-07 17:15:00,EST-5,2017-04-09 03:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.1,-77.9,43.1164,-77.9,"The month of April began on a wet note following a wet March. Several areas creeks reached flood stage. Irondequoit Creek in Monroe county peaked at 9.44 feet at 9:45 AM EST on the 7th. Flooding occurred at Ellison Park and along Blossom Road with additional flooding along Allen Creek. The Black River at Watertown crested at 10.48 feet on the 8th at 11:15 AM EST. Flood stage is 10 feet. Farmland flooding was reported in the Flats with some minor flooding to riverfront properties in Dexter. In Cayuga County, Seneca Creek at Port Byron crested at 380.61 feet on the 8th at 9:30 AM EST. Properties along Cross Lake became inundated including a restaurant on Route 34 and Riverside Campground. In the town of Montezuma a culvert was washed out on Freher Road. Black Creek at Churchville, in Monroe County, crested at 6.76 feet on the 8th at 8:30 AM EST.","" +115099,691508,ARKANSAS,2017,April,Hail,"WASHINGTON",2017-04-28 21:30:00,CST-6,2017-04-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-94.17,36.07,-94.17,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115060,690819,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:13:00,CST-6,2017-04-04 16:13:00,0,0,0,0,0.00K,0,0.00K,0,36.1492,-95.8622,36.1492,-95.8622,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690821,OKLAHOMA,2017,April,Hail,"ROGERS",2017-04-04 16:24:00,CST-6,2017-04-04 16:24:00,0,0,0,0,25.00K,25000,0.00K,0,36.26,-95.56,36.26,-95.56,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690822,OKLAHOMA,2017,April,Hail,"OKMULGEE",2017-04-04 16:32:00,CST-6,2017-04-04 16:32:00,0,0,0,0,0.00K,0,0.00K,0,35.6263,-95.9576,35.6263,-95.9576,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690825,OKLAHOMA,2017,April,Hail,"MUSKOGEE",2017-04-04 16:36:00,CST-6,2017-04-04 16:36:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-95.37,35.75,-95.37,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690826,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:36:00,CST-6,2017-04-04 16:36:00,0,0,0,0,0.00K,0,0.00K,0,36.1611,-96.0471,36.1611,-96.0471,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115294,696946,ILLINOIS,2017,April,Flood,"CASS",2017-04-29 22:45:00,CST-6,2017-04-30 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1265,-90.3518,39.986,-90.5131,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.40 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across mush of Cass County. Numerous streets in Virginia and Ashland were impassable, as were numerous rural roads in the county. Ashland Road south of Illinois Route 125 was closed near the Sangamon County line because it was washed out. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by mid-morning on the 30th." +115098,691543,OKLAHOMA,2017,April,Thunderstorm Wind,"MAYES",2017-04-29 04:45:00,CST-6,2017-04-29 04:45:00,0,0,0,0,0.00K,0,0.00K,0,36.3579,-95.32,36.3579,-95.32,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Thunderstorm wind gusts were estimated to 65 mph north of Pryor." +115098,691546,OKLAHOMA,2017,April,Thunderstorm Wind,"CRAIG",2017-04-29 05:17:00,CST-6,2017-04-29 05:17:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-95.06,36.64,-95.06,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","A storm chaser measured thunderstorm wind gusts to 76 mph." +115099,691629,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-29 17:13:00,CST-6,2017-04-29 18:00:00,0,0,1,0,0.00K,0,0.00K,0,35.968,-94.3147,36.0759,-94.3808,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Many roads were flooded from Savoy to Prairie Grove to Farmington. A man was swept off off Highway 16 by flood waters, and was drowned." +115099,691624,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-29 17:00:00,CST-6,2017-04-29 20:00:00,0,0,1,0,0.00K,0,0.00K,0,36.1751,-94.1459,36.2079,-94.1144,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Several roads were flooded and impassable. Two young children were playing near a flooded creek. One of the children fell into the water, was swept downstream, and was drowned." +113801,681426,KENTUCKY,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-05 17:34:00,EST-5,2017-04-05 17:34:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-84.91,38.11,-84.91,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681427,KENTUCKY,2017,April,Thunderstorm Wind,"GREEN",2017-04-05 16:25:00,CST-6,2017-04-05 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-85.5,37.26,-85.5,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Green County emergency manager reported trees down in the area." +119943,719290,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-01 12:20:00,PST-8,2017-08-01 14:20:00,0,0,0,0,5.00K,5000,0.00K,0,33.4405,-116.8642,33.4387,-116.8541,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","High waters sent flows over the roadway near the intersection of State Routes 79 and 371. Vehicles were trapped in rocks and debris and the roadway was closed by CHP at 1320PST." +119943,719293,CALIFORNIA,2017,August,Flood,"SAN BERNARDINO",2017-08-03 16:45:00,PST-8,2017-08-03 17:45:00,0,0,0,0,0.50K,500,0.00K,0,34.3382,-117.6061,34.3434,-117.6005,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","A trained spotter reported a debris flow from Sheep Creek Wash flowing over Lone Pine Canyon Rd." +119943,719294,CALIFORNIA,2017,August,Flood,"SAN BERNARDINO",2017-08-03 13:30:00,PST-8,2017-08-03 14:30:00,0,0,0,0,0.50K,500,0.00K,0,34.1959,-116.533,34.2063,-116.4939,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Video via social media of 4-6 inches of water flowing over the road near the intersection of Pipes Canyon Rd. and Gamma Gulch Rd." +113801,681428,KENTUCKY,2017,April,Thunderstorm Wind,"MARION",2017-04-05 17:40:00,EST-5,2017-04-05 17:40:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-85.26,37.57,-85.26,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Kentucky state officials reported trees down on Daugherty Avenue and Miller Pike." +113801,681429,KENTUCKY,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-05 17:45:00,EST-5,2017-04-05 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-84.93,38.19,-84.93,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Trees were reported down on Pearidge Rd in Frankfort." +113801,681433,KENTUCKY,2017,April,Thunderstorm Wind,"BOYLE",2017-04-05 18:20:00,EST-5,2017-04-05 18:20:00,0,0,0,0,30.00K,30000,0.00K,0,37.67,-84.73,37.67,-84.73,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Boyle County emergency manager reported trees and power lines down at Highway 34 and Taylor Road." +113801,681436,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 17:55:00,EST-5,2017-04-05 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-84.52,38.22,-84.52,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","State officials reported small tree limbs down." +117134,704713,COLORADO,2017,July,Funnel Cloud,"LA PLATA",2017-07-29 15:48:00,MST-7,2017-07-29 15:52:00,0,0,0,0,0.00K,0,0.00K,0,37.148,-107.9849,37.1513,-107.9838,"Subtropical moisture fueled afternoon and evening thunderstorms in southwest Colorado, some with funnel clouds.","A funnel cloud was observed by a person who said that the condensation funnel dropped down very close to the ground, but was not sure if the rotation made contact with the ground." +116760,702153,ARKANSAS,2017,May,Flood,"PERRY",2017-05-01 00:00:00,CST-6,2017-05-07 01:52:00,0,0,0,0,0.00K,0,0.00K,0,35.0149,-92.7262,35.0052,-92.728,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain at the end of April led to flooding which continued into May, 2017." +119145,716357,VIRGINIA,2017,July,Heavy Rain,"NORFOLK (C)",2017-07-15 06:51:00,EST-5,2017-07-15 06:51:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-76.19,36.9,-76.19,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.15 inches was measured at ORF." +119145,716358,VIRGINIA,2017,July,Heavy Rain,"SUSSEX",2017-07-15 06:54:00,EST-5,2017-07-15 06:54:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-77.01,36.98,-77.01,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.03 inches was measured at AKQ." +119145,716361,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:56:00,EST-5,2017-07-15 06:56:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-76.03,36.82,-76.03,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.81 inches was measured at NTU." +119145,716365,VIRGINIA,2017,July,Heavy Rain,"PORTSMOUTH (C)",2017-07-15 06:59:00,EST-5,2017-07-15 06:59:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-76.33,36.83,-76.33,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.45 inches was measured at NGU." +119145,716368,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-76.34,36.73,-76.34,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 6.54 inches was measured at Deep Creek." +119145,716369,VIRGINIA,2017,July,Heavy Rain,"NORFOLK (C)",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-76.29,36.85,-76.29,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.73 inches was measured at downtown Norfolk." +119145,716370,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-76.15,36.81,-76.15,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.35 inches was measured at Kempsville (1 SSE)." +116051,697480,CALIFORNIA,2017,April,High Wind,"COASTAL DEL NORTE",2017-04-07 00:10:00,PST-8,2017-04-07 03:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong April storm brought winter storm like winds to California. Significant damage occurred in Del Norte County where a third of the county lost power during the event.","Wind gusts between 55 and 71 mph occurred from around midnight to 3 am in coastal Del Norte County. Numerous trees were damaged and fell onto roads. This included the temporary closure of Highway 101. Over 9,000 customers lost power, which is at least a third of the entire county's population." +116051,697481,CALIFORNIA,2017,April,High Wind,"DEL NORTE INTERIOR",2017-04-07 01:00:00,PST-8,2017-04-07 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong April storm brought winter storm like winds to California. Significant damage occurred in Del Norte County where a third of the county lost power during the event.","Camp Six RAWS reported wind gusts between 55 and 69 mph." +115771,698584,GEORGIA,2017,April,Thunderstorm Wind,"CRISP",2017-04-03 13:10:00,EST-5,2017-04-03 13:15:00,0,0,0,0,6.00K,6000,,NaN,31.9236,-83.8434,31.9236,-83.8434,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Crisp County Emergency Manager reported trees blown down around the intersection of the Highway 300 Connector and Highway 300." +115771,698585,GEORGIA,2017,April,Thunderstorm Wind,"TWIGGS",2017-04-03 13:12:00,EST-5,2017-04-03 13:17:00,0,0,0,0,8.00K,8000,,NaN,32.69,-83.35,32.69,-83.35,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Macon area local broadcast media reported numerous trees blown down near the intersection of Bullard Road and Highways 80 and 96." +115771,698586,GEORGIA,2017,April,Thunderstorm Wind,"TALIAFERRO",2017-04-03 13:35:00,EST-5,2017-04-03 13:40:00,0,0,0,0,6.00K,6000,,NaN,33.66,-82.92,33.66,-82.92,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Taliaferro County Emergency Manager reported several trees blown down near the intersection of Highways 22 and 44." +115771,698587,GEORGIA,2017,April,Thunderstorm Wind,"WILKES",2017-04-03 13:37:00,EST-5,2017-04-03 13:42:00,0,0,0,0,10.00K,10000,,NaN,33.6427,-82.8713,33.6427,-82.8713,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Wilkes County Emergency Manager reported around a dozen trees blown down at a residence on Rocker Road." +115771,698589,GEORGIA,2017,April,Thunderstorm Wind,"BALDWIN",2017-04-03 13:37:00,EST-5,2017-04-03 13:42:00,0,0,0,0,8.00K,8000,,NaN,33.0639,-83.0587,33.0639,-83.0587,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A report was received over social media of power lines blown down on JM Walker Road." +115771,698591,GEORGIA,2017,April,Thunderstorm Wind,"HANCOCK",2017-04-03 13:50:00,EST-5,2017-04-03 13:55:00,0,0,0,0,6.00K,6000,,NaN,33.278,-82.9768,33.278,-82.9768,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The broadcast media reported trees blown down on Highway 15 between the Dollar General and On-the-Way Motors." +115304,692832,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-06 14:55:00,MST-7,2017-06-06 15:05:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-105.51,34.37,-105.51,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","NMDOT plowed several inches of hail from U.S. Highway 54 nine miles southwest of Duran." +115304,692833,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-06 16:12:00,MST-7,2017-06-06 16:18:00,0,0,0,0,0.00K,0,0.00K,0,33.5205,-105.4729,33.5205,-105.4729,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","NMDOT observed golf ball size hail along U.S. Highway 380 eight miles east-southeast of Capitan." +117373,705868,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 14:15:00,EST-5,2017-06-27 14:20:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-72.54,42.12,-72.54,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 215 PM EST, a trained spotter reported 1-inch diameter hail at Springfield." +117373,705869,MASSACHUSETTS,2017,June,Hail,"HAMPDEN",2017-06-27 14:20:00,EST-5,2017-06-27 14:25:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-72.44,42.14,-72.44,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","AT 220 PM EST, a trained spotter reported nickel-size hail at Wilbraham." +117373,705870,MASSACHUSETTS,2017,June,Hail,"MIDDLESEX",2017-06-27 14:55:00,EST-5,2017-06-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.39,-71.56,42.39,-71.56,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 255 PM EST, an amateur radio operator reported 1-inch diameter hail at Hudson." +117373,705872,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 15:00:00,EST-5,2017-06-27 15:05:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-71.9,42.25,-71.9,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 301 PM, an amateur radio operator reported 1.25 inch diameter hail at Leicester." +117373,705873,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 15:10:00,EST-5,2017-06-27 15:15:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-71.69,42.42,-71.69,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 310 PM EST, an amateur radio operator reported nickel-size hail at Clinton." +117373,705874,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 15:18:00,EST-5,2017-06-27 15:22:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-71.81,42.27,-71.81,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 318 PM EST, an amateur radio operator reported nickel-size hail at Worcester." +117373,705875,MASSACHUSETTS,2017,June,Hail,"WORCESTER",2017-06-27 15:19:00,EST-5,2017-06-27 15:24:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-71.6,42.43,-71.6,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 419 PM EST, an amateur radio operator reported dime-size hail at Bolton." +117373,709415,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-27 18:19:00,EST-5,2017-06-27 18:19:00,0,0,0,0,50.00K,50000,0.00K,0,42.59,-72.3,42.59,-72.3,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 619 PM EST, multiple trees were reported down on Wheeler Avenue in Orange. |On Summer Street and on Stone Road, trees were down on houses causing structural damage. A large tree was down on cars on River Street. Power lines were down on East River Street. A tree and utility pole were down on a car in the town hall parking lot. A power pole and wires were down on Prospect Street." +117373,709403,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-27 16:44:00,EST-5,2017-06-27 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,42.6084,-70.8377,42.6084,-70.8377,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 444 PM EST, a tree was reported down on Woodbury Street in Hamilton." +117373,709405,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPSHIRE",2017-06-27 17:47:00,EST-5,2017-06-27 17:47:00,0,0,0,0,3.00K,3000,0.00K,0,42.338,-72.6716,42.338,-72.6716,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 547 PM EST, a tree was reported down on a house on North Maple Street in Northampton." +117373,709407,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-27 17:53:00,EST-5,2017-06-27 17:53:00,0,0,0,0,2.00K,2000,0.00K,0,42.4316,-72.673,42.4316,-72.673,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 553 PM EST, a tree and wires were reported down on Webber Road in Whately." +117373,709411,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-27 18:10:00,EST-5,2017-06-27 18:10:00,0,0,0,0,2.00K,2000,0.00K,0,42.4512,-72.4147,42.4512,-72.4147,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 610 PM EST, a tree and wires were reported down in front of the Fire Station in Shutesbury." +117373,709416,MASSACHUSETTS,2017,June,Thunderstorm Wind,"WORCESTER",2017-06-27 18:20:00,EST-5,2017-06-27 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,42.5945,-72.231,42.5945,-72.231,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 620 PM EST, a large portion of a tree was down in the parking lot of the Athol Savings Bank in Athol. Another tree was down on wires." +113933,690116,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 19:29:00,CST-6,2017-04-14 19:29:00,0,0,0,0,0.00K,0,0.00K,0,41.3224,-98.82,41.3224,-98.82,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +113933,690128,NEBRASKA,2017,April,Hail,"GREELEY",2017-04-14 20:24:00,CST-6,2017-04-14 20:24:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-98.4,41.4,-98.4,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +117071,707745,WISCONSIN,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-28 18:40:00,CST-6,2017-06-28 18:40:00,0,0,0,0,10.00K,10000,0.00K,0,42.93,-88.84,42.93,-88.84,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Large branches were torn off of several trees as a bow echo moved through Jefferson county." +117071,707747,WISCONSIN,2017,June,Thunderstorm Wind,"KENOSHA",2017-06-28 19:30:00,CST-6,2017-06-28 19:30:00,0,0,0,0,25.00K,25000,0.00K,0,42.5,-88.26,42.5,-88.26,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","There were branches broken off of several large trees as a squall line moved through southeastern Wisconsin." +117071,707761,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN",2017-06-28 22:32:00,CST-6,2017-06-28 22:32:00,0,0,0,0,6.00K,6000,0.00K,0,42.61,-89.38,42.61,-89.38,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Around 6 pine trees were knocked down as a thunderstorms moved through the area." +117071,707768,WISCONSIN,2017,June,Thunderstorm Wind,"WALWORTH",2017-06-29 00:15:00,CST-6,2017-06-29 00:15:00,0,0,0,0,10.00K,10000,0.00K,0,42.53,-88.6,42.53,-88.6,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Multiple trees were downed across the town of Walworth as a thunderstorm pushed through the area." +117071,707769,WISCONSIN,2017,June,Thunderstorm Wind,"WALWORTH",2017-06-29 00:28:00,CST-6,2017-06-29 00:28:00,0,0,0,0,10.00K,10000,0.00K,0,42.54,-88.35,42.54,-88.35,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Numerous trees and power lines were downed as a thunderstorm pushed across the area." +117698,707771,WISCONSIN,2017,June,Heavy Rain,"DANE",2017-06-13 04:40:00,CST-6,2017-06-13 06:15:00,0,0,0,0,,NaN,0.00K,0,43.034,-89.4442,43.0792,-89.3772,"A surge of warm, moist, and unstable air moving over a stationary front produced heavy rainfall over portions of south central WI during the morning hours. There was street flooding in Madison.","Street flooding in Madison from the isthmus to the University of WI to the Beltline Highway, including at the intersection of the Beltline and Seminole Highway. 3 feet of water was reported on the section of Walnut street that goes underneath Campus Drive." +114957,690290,NEBRASKA,2017,April,Winter Storm,"VALLEY",2017-04-30 08:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 5 to 10 inches fell across the county. The highest reports included 10 inches falling 2 miles west of Arcadia and 8.5 inches falling 9 miles northwest of Ord. Near-blizzard conditions were reported, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +117771,708064,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-06-15 17:40:00,EST-5,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Grand Marais Light." +117771,708065,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"GRAND MARAIS TO WHITEFISH POINT MI",2017-06-15 17:40:00,EST-5,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Grand Marais Light." +117771,708061,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MARQUETTE TO MUNISING MI",2017-06-15 17:39:00,EST-5,2017-06-15 17:44:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.66,46.42,-86.66,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Munising ASOS." +117771,708067,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-06-15 17:50:00,EST-5,2017-06-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Grand Marais Light." +117771,708068,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"GRAND MARAIS TO WHITEFISH POINT MI",2017-06-15 17:50:00,EST-5,2017-06-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"An upper disturbance moving east across a frontal boundary produced strong to severe thunderstorms across portions of the east half of Lake Superior on the afternoon of the 15th.","Measured wind gust at the Grand Marais Light." +117774,708070,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-16 16:35:00,EST-5,2017-06-16 16:40:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"An upper disturbance moving across a stalled frontal boundary produced strong to severe storms over the bay of Green Bay on the 16th.","Measured wind gust at the Minneapolis Shoal Light station." +117775,708072,MICHIGAN,2017,June,Hail,"ALGER",2017-06-15 17:27:00,EST-5,2017-06-15 17:37:00,0,0,0,0,0.00K,0,0.00K,0,46.44,-86.7,46.44,-86.7,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","There was a public report of 1.5 inch diameter hail near Christmas. The hail lasted approximately ten minutes." +117775,708073,MICHIGAN,2017,June,Hail,"ALGER",2017-06-15 17:51:00,EST-5,2017-06-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.61,46.42,-86.61,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","There was a public report of golf ball sized hail at Pictured Rocks Golf Course." +113935,690075,KANSAS,2017,April,Hail,"JEWELL",2017-04-18 21:41:00,CST-6,2017-04-18 21:45:00,0,0,0,0,0.00K,0,0.00K,0,39.899,-98.3,39.899,-98.3,"A small and brief-but-very-intense storm flared up over northern Jewell County on this Tuesday evening, pounding a small area mainly just north of Burr Oak with golf ball to tennis ball size hail between 10:30-11 p.m. CDT, as reported by the local NWS cooperative observer. As quickly as this slightly-elevated storm intensified, it also weakened quite rapidly, and it ended up being the only verified severe storm of the evening in the entire Central Plains region. ||This was a fairly classic case of nocturnal convection firing along the nose of a gradually strengthening, southerly low level jet, featuring speeds of generally 30-40 knots at 850 millibars at the time of storm initiation. This storm also development almost directly above a quasi-stationary surface front stretched from west-central Kansas into far southeast Nebraska, separating dewpoints around 60 F to its south from much drier values only in the 40s just to its north over most of south central Nebraska. Mesoscale parameters around the time of the large hail featured most-unstable CAPE of around 1000 J/kg and effective deep layer wind shear of 30-40 knots.","Golf ball to tennis ball size hail was reported. Hail covered Highway 128 to a depth of 1 inch." +116018,699524,KANSAS,2017,April,Blizzard,"STEVENS",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 15 to 22 inches was reported across the county. Drifts were 8 to 12 feet high. Cattle loss was over 5,000 head." +116018,699525,KANSAS,2017,April,Blizzard,"SCOTT",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 16 to 26 inches was reported across the county. Drifts were 8 to 12 feet high. Cattle loss was over 10,000 head." +116018,699526,KANSAS,2017,April,Blizzard,"FINNEY",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 10 to 18 inches was reported across the county. Drifts were 4 to 6 feet high. Cattle loss was over 5,000 head." +115060,690835,OKLAHOMA,2017,April,Hail,"SEQUOYAH",2017-04-04 17:31:00,CST-6,2017-04-04 17:31:00,0,0,0,0,0.00K,0,0.00K,0,35.4212,-94.5148,35.4212,-94.5148,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115061,690855,ARKANSAS,2017,April,Thunderstorm Wind,"CARROLL",2017-04-04 19:49:00,CST-6,2017-04-04 19:49:00,0,0,0,0,0.00K,0,0.00K,0,36.3648,-93.5679,36.3648,-93.5679,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","Strong thunderstorm wind blew down trees." +114084,691116,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 02:25:00,CST-6,2017-04-29 04:25:00,0,0,0,0,0.00K,0,0.00K,0,37.1902,-93.3657,37.1876,-93.3673,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The intersection of Farm Road 146 and Farm Road 123 near Wilson Creek was impassable." +114084,691299,MISSOURI,2017,April,Flash Flood,"LAWRENCE",2017-04-29 11:00:00,CST-6,2017-04-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.1106,-93.8173,37.1046,-93.8289,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","MODOT reported numerous county and state roads were flooded and impassable across Lawrence County." +113368,689696,MISSOURI,2017,April,Hail,"HOWELL",2017-04-04 22:09:00,CST-6,2017-04-04 22:09:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-91.97,36.99,-91.97,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113831,689795,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-21 10:05:00,CST-6,2017-04-21 12:05:00,0,0,0,0,0.00K,0,0.00K,0,36.5911,-93.8349,36.5882,-93.8367,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Farm Road 1135 was impassable at the low water bridge near the Roaring River Hatchery." +115060,690830,OKLAHOMA,2017,April,Hail,"SEQUOYAH",2017-04-04 17:06:00,CST-6,2017-04-04 17:06:00,0,0,0,0,0.00K,0,0.00K,0,35.4616,-94.7884,35.4616,-94.7884,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +114084,691121,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 03:14:00,CST-6,2017-04-29 05:14:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-93.19,37.1515,-93.1894,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water was over the roadway near the 4900 block of Farm Road 164 and Thornridge Drive." +115236,697477,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 17:53:00,CST-6,2017-05-15 17:53:00,0,0,0,0,50.00K,50000,0.00K,0,43.15,-91.83,43.15,-91.83,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Southeast of Calmar, a commodity shed was destroyed with several other buildings damaged, a 30 foot travel trailer was tossed across the yard of a residence and a large pine tree was topped with the debris found a quarter of a mile away." +116054,697517,KANSAS,2017,May,Hail,"SHERMAN",2017-05-16 15:36:00,MST-7,2017-05-16 15:50:00,0,0,0,0,0.00K,0,0.00K,0,39.3941,-101.9306,39.481,-101.9298,"Beginning in the afternoon scattered severe thunderstorms moved northeast across Northwest Kansas through the evening. Large hail up to golf ball size was reported at Dresden and Herndon.","The hail went from the CR 68/8 intersection north to about CR 74. The size ranged from quarters to half dollars." +116063,697561,TEXAS,2017,May,Hail,"BEXAR",2017-05-23 16:22:00,CST-6,2017-05-23 16:22:00,0,0,0,0,,NaN,,NaN,29.26,-98.73,29.26,-98.73,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail in the town of Atascosa." +116063,697574,TEXAS,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-23 17:18:00,CST-6,2017-05-23 17:18:00,0,0,0,0,,NaN,,NaN,30.01,-96.79,30.01,-96.79,"Thunderstorms developed along a cold front. Some of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that damaged trees west of Warrenton." +115944,697597,MASSACHUSETTS,2017,May,Thunderstorm Wind,"WORCESTER",2017-05-18 20:00:00,EST-5,2017-05-18 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.55,-71.9,42.55,-71.9,"A line of thunderstorms formed ahead of a cold front and moved across Massachusetts during the first half of the night. There were numerous reports of trees knocked down by the thunderstorm winds.","At 9 PM EST, a tree was reported down and blocking East Road near Leino Park Road in Westminster." +115945,697638,MASSACHUSETTS,2017,May,Hail,"HAMPDEN",2017-05-31 17:10:00,EST-5,2017-05-31 17:10:00,0,0,0,0,0.00K,0,0.00K,0,42.12,-72.54,42.12,-72.54,"A line of thunderstorms moved into Western Massachusetts during the late afternoon and evening of the 31st. There were numerous reports of hail, some of it an inch in diameter or larger.","At 510 PM EST, nickel size hail fell in Springfield." +115942,696869,NORTH DAKOTA,2017,June,Tornado,"RAMSEY",2017-06-09 19:27:00,CST-6,2017-06-09 19:27:00,0,0,0,0,,NaN,,NaN,48.11,-98.77,48.11,-98.77,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A brief touchdown was noted by an observer near Vining Oil, looking to the north." +115942,696870,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-09 19:28:00,CST-6,2017-06-09 19:28:00,0,0,0,0,,NaN,,NaN,48.08,-98.87,48.08,-98.87,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by a ND DOT RWIS station." +115942,696872,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-09 19:31:00,CST-6,2017-06-09 19:31:00,0,0,0,0,,NaN,,NaN,48.07,-98.62,48.07,-98.62,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by the Crary NDAWN station." +116011,697193,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:52:00,CST-6,2017-06-13 20:52:00,0,0,0,0,,NaN,,NaN,46.58,-95.37,46.58,-95.37,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Numerous large tree branches were blown down." +116011,697194,MINNESOTA,2017,June,Thunderstorm Wind,"BECKER",2017-06-13 21:00:00,CST-6,2017-06-13 21:00:00,0,0,0,0,,NaN,,NaN,46.89,-95.61,46.89,-95.61,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Numerous large tree branches were blown down around Height of Land Township. A few trees were uprooted on the north side of Height of Land Lake." +116011,697195,MINNESOTA,2017,June,Thunderstorm Wind,"MAHNOMEN",2017-06-13 21:10:00,CST-6,2017-06-13 21:10:00,0,0,0,0,,NaN,,NaN,47.21,-95.66,47.21,-95.66,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Numerous large tree branches were blown down along county road 4 near South Twin Lake." +116011,697196,MINNESOTA,2017,June,Heavy Rain,"ROSEAU",2017-06-13 22:50:00,CST-6,2017-06-13 23:15:00,0,0,0,0,,NaN,,NaN,48.77,-95.71,48.77,-95.71,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A spotter reported 3.25 inches of rain, which caused some localized street flooding in Roseau." +116011,697197,MINNESOTA,2017,June,Heavy Rain,"ROSEAU",2017-06-14 02:00:00,CST-6,2017-06-14 02:30:00,0,0,0,0,,NaN,,NaN,48.87,-95.79,48.87,-95.79,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","An observer reported 2.73 inches of rain." +116022,697232,MINNESOTA,2017,June,Hail,"CLAY",2017-06-21 17:15:00,CST-6,2017-06-21 17:15:00,0,0,0,0,,NaN,,NaN,46.9,-96.24,46.9,-96.24,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","Dime to quarter sized hail fell." +119570,717456,NEW MEXICO,2017,September,Hail,"ROOSEVELT",2017-09-25 16:35:00,MST-7,2017-09-25 16:37:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-103.32,34.07,-103.32,"A potent upper level storm system over the western United States continued to pump abundant moisture and instability northward into the New Mexico. Another large area of heavy rain with embedded thunderstorms surged northward over the eastern plains during the early morning hours of the 25th, resulting in saturated soils across much of the area. The next round of showers and thunderstorms that developed by the mid to late afternoon hours dumped torrential rainfall over Chaves, De Baca, Curry, Roosevelt, and Quay counties through the night. A powerful storm that moved through the Fort Sumner area produced flash flooding and several inches of small hail. Numerous road closures were reported. A strong storm that moved through the Portales area produced penny size hail and rainfall amounts near four inches.","Hail up to the size of pennies near Portales." +119570,717814,NEW MEXICO,2017,September,Heavy Rain,"ROOSEVELT",2017-09-25 15:00:00,MST-7,2017-09-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-103.33,34.18,-103.33,"A potent upper level storm system over the western United States continued to pump abundant moisture and instability northward into the New Mexico. Another large area of heavy rain with embedded thunderstorms surged northward over the eastern plains during the early morning hours of the 25th, resulting in saturated soils across much of the area. The next round of showers and thunderstorms that developed by the mid to late afternoon hours dumped torrential rainfall over Chaves, De Baca, Curry, Roosevelt, and Quay counties through the night. A powerful storm that moved through the Fort Sumner area produced flash flooding and several inches of small hail. Numerous road closures were reported. A strong storm that moved through the Portales area produced penny size hail and rainfall amounts near four inches.","Thunderstorms with torrential rainfall produced 24-hour rainfall amounts between 4 and 5 inches around Portales. An observer two miles southwest of Portales reported 4.04 inches and another spotter 8 miles south-southeast of Portales reported 5.42 inches. Mostly minor flooding occurred however this heavy rainfall set the stage for more significant flooding through early October." +118201,710328,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ROBESON",2017-06-24 16:16:00,EST-5,2017-06-24 16:17:00,0,0,0,0,2.00K,2000,0.00K,0,34.8089,-79.1799,34.8089,-79.1799,"A cluster of thunderstorms brought torrential rainfall and a brief damaging wind gust.","A tree and power line were reported down on E 8th Ave." +118203,710334,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"MARION",2017-06-25 17:00:00,EST-5,2017-06-25 17:02:00,0,0,0,0,20.00K,20000,0.00K,0,34.2,-79.2456,34.2003,-79.2417,"A cluster of showers and thunderstorms developed to the south and ahead of a weak mid-level shortwave. The thunderstorms moved into the area during the evening and did produce damage in Mullins, South Carolina.","The tops of several trees were observed snapped. Damage to a store and to a mobile home park was also observed." +118260,710725,NORTH CAROLINA,2017,June,Thunderstorm Wind,"BRUNSWICK",2017-06-15 13:40:00,EST-5,2017-06-15 13:41:00,0,0,0,0,5.00K,5000,0.00K,0,34.0803,-78.0974,34.0787,-78.0975,"Thunderstorms blossomed in the afternoon heat and humidity and produced wind damage.","Several trees were reported down on George II Highway near the intersection with Martinville Dr. The time was estimated based on radar data." +115167,691420,TEXAS,2017,June,Thunderstorm Wind,"GRIMES",2017-06-04 01:15:00,CST-6,2017-06-04 01:15:00,0,0,0,0,,NaN,,NaN,30.6575,-95.9644,30.6575,-95.9644,"A tree was down from an early morning severe thunderstorm.","Thunderstorm winds downed a tree on a road near the intersection of Highway 90 and FM 39." +115168,691430,TEXAS,2017,June,Funnel Cloud,"BRAZOS",2017-06-03 16:14:00,CST-6,2017-06-03 16:14:00,0,0,0,0,0.00K,0,0.00K,0,30.65,-96.47,30.65,-96.47,"A funnel cloud was sighted.","A funnel cloud was sighted near the intersection of SH 21 and SH 47." +115477,693431,TEXAS,2017,June,Rip Current,"GALVESTON",2017-06-12 12:36:00,CST-6,2017-06-12 12:36:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was a rip current fatality on the Bolivar Peninsula.","There was a rip current fatality near 850 Gulf Road on the Bolivar Peninsula." +116920,703164,GULF OF MEXICO,2017,June,Waterspout,"HIGH IS TO FREEPORT TX OUT 20NM",2017-06-26 18:35:00,CST-6,2017-06-26 18:38:00,0,0,0,0,0.00K,0,0.00K,0,28.95,-95.28,28.95,-95.28,"A waterspout was sighted off of Surfside Beach.","Waterspout was sighted off Surfside Beach." +115200,702788,OKLAHOMA,2017,May,Tornado,"WASHITA",2017-05-18 14:29:00,CST-6,2017-05-18 14:37:00,0,0,0,0,5.00K,5000,0.00K,0,35.195,-98.971,35.222,-98.869,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A barn was destroyed, and numerous trees and power lines were downed as this tornado moved east-northeast from about 6 miles east-northeast of Rocky to 2.5 miles southwest of Cloud Chief." +116921,703165,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GALVESTON BAY",2017-06-04 16:50:00,CST-6,2017-06-04 16:50:00,0,0,0,0,0.00K,0,0.00K,0,29.42,-94.89,29.42,-94.89,"A line of storms moved into the Gulf waters and produced a wind gust.","Wind gust was measured at WeatherFlow site XLEV." +117543,706905,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-06-05 07:03:00,CST-6,2017-06-05 07:03:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"A marine thunderstorm wind gust occurred near Matagorda Bay.","Wind gust was measured at WeatherFlow site XMGB." +118261,710726,TEXAS,2017,June,Flash Flood,"HARRIS",2017-06-24 09:05:00,CST-6,2017-06-24 11:15:00,0,0,0,0,1.00K,1000,0.00K,0,29.8919,-95.3761,29.8169,-95.165,"Localized flash flooding developed in the morning along slow moving and merging storms.","Road closures and a couple of water rescues occurred mainly on the east side of Houston from the North and Northeast 610 Loop to along the southeast side of Beltway 8." +118262,710727,TEXAS,2017,June,Flash Flood,"HARRIS",2017-06-25 04:20:00,CST-6,2017-06-25 05:10:00,0,0,0,0,2.00K,2000,0.00K,0,29.7227,-95.465,29.88,-95.4626,"Slow moving showers and thunderstorms caused early morning flash flooding close to the downtown Houston area.","Early morning flash flooding and associated road closures occurred in and around the Houston area." +118264,710729,TEXAS,2017,June,Flash Flood,"CHAMBERS",2017-06-04 08:50:00,CST-6,2017-06-04 11:00:00,0,0,0,0,3.00K,3000,0.00K,0,29.7784,-94.3801,29.6774,-94.5786,"Parts of Highway 124 became impassable from a slow moving line of storms.","Highway 124 became impassable and one car was flooded." +118265,710730,TEXAS,2017,June,Flash Flood,"FORT BEND",2017-06-04 14:00:00,CST-6,2017-06-04 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,29.6376,-95.6187,29.6705,-95.6434,"Slow moving storms led to flooding and some water rescues.","Flooding caused some roads to become impassable between Mission Bend and Sugar Land." +118265,710731,TEXAS,2017,June,Flash Flood,"HARRIS",2017-06-04 14:30:00,CST-6,2017-06-04 17:35:00,0,0,0,0,3.00K,3000,0.00K,0,29.7758,-95.5879,29.7878,-95.3474,"Slow moving storms led to flooding and some water rescues.","Multiple water rescues were conducted from Beltway 8 West to the downtown Houston area." +117540,706900,NEBRASKA,2017,June,Hail,"DEUEL",2017-06-07 14:09:00,MST-7,2017-06-07 14:09:00,0,0,0,0,,NaN,,NaN,41.09,-102.47,41.09,-102.47,"An isolated severe thunderstorm moved off the higher terrain to the west, and crossed the panhandle into Deuel county.","Thirty to forty mile per hour winds also accompanied the hail." +117540,706901,NEBRASKA,2017,June,Hail,"DEUEL",2017-06-07 14:12:00,MST-7,2017-06-07 14:12:00,0,0,0,0,,NaN,,NaN,41.09,-102.47,41.09,-102.47,"An isolated severe thunderstorm moved off the higher terrain to the west, and crossed the panhandle into Deuel county.","" +118175,710172,NEBRASKA,2017,June,Hail,"CUSTER",2017-06-21 19:21:00,CST-6,2017-06-21 19:21:00,0,0,0,0,,NaN,,NaN,41.38,-99.71,41.38,-99.71,"An isolated severe thunderstorm developed across central Nebraska. It was the only severe thunderstorm of the day.","" +118177,710176,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-27 15:40:00,MST-7,2017-06-27 15:40:00,0,0,0,0,,NaN,,NaN,42.77,-102.69,42.77,-102.69,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710177,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-27 16:00:00,MST-7,2017-06-27 16:00:00,0,0,0,0,,NaN,,NaN,42.87,-102.56,42.87,-102.56,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710178,NEBRASKA,2017,June,Hail,"DEUEL",2017-06-27 16:27:00,MST-7,2017-06-27 16:27:00,0,0,0,0,,NaN,,NaN,41.2,-102.41,41.2,-102.41,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710179,NEBRASKA,2017,June,Hail,"GARDEN",2017-06-27 16:27:00,MST-7,2017-06-27 16:27:00,0,0,0,0,,NaN,,NaN,41.41,-102.34,41.41,-102.34,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710184,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:26:00,CST-6,2017-06-27 19:26:00,0,0,0,0,2.00K,2000,0.00K,0,41.13,-100.85,41.13,-100.85,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Large bay window blown out of home." +118177,710439,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:21:00,CST-6,2017-06-27 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-100.77,41.21,-100.77,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710440,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:27:00,CST-6,2017-06-27 19:27:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-100.74,41.19,-100.74,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","" +118177,710442,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:30:00,CST-6,2017-06-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-100.68,41.2,-100.68,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Tree branches down. One branch was 8 inches in diameter." +118177,710444,NEBRASKA,2017,June,Thunderstorm Wind,"LOGAN",2017-06-27 19:30:00,CST-6,2017-06-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-100.67,41.43,-100.67,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by the public." +118177,710445,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:32:00,CST-6,2017-06-27 19:32:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.71,41.13,-100.71,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Official gust." +118177,710447,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:38:00,CST-6,2017-06-27 19:38:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-100.51,41.36,-100.51,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Eight to ten inch diameter tree branches down." +118177,710450,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:00:00,CST-6,2017-06-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-100.06,41.25,-100.06,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Cooperative observer reported gust." +118177,710452,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:00:00,CST-6,2017-06-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-100.17,41.42,-100.17,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by emergency management." +118177,710453,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:00:00,CST-6,2017-06-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-100.19,41.42,-100.19,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Building damaged and power poles down." +113357,678810,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"LITTLE EGG INLET TO GREAT EGG INLET NJ OUT 20NM",2017-04-06 18:16:00,EST-5,2017-04-06 18:16:00,0,0,0,0,,NaN,,NaN,39.37,-74.5,39.37,-74.5,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +113459,679218,FLORIDA,2017,April,Hail,"POLK",2017-04-06 06:40:00,EST-5,2017-04-06 06:45:00,0,0,0,0,0.00K,0,0.00K,0,27.82,-81.82,27.82,-81.82,"A line of thunderstorms developed along a prefrontal trough and moved south through the Florida Peninsula on the morning of the 6th. Some of the stronger storms produced and EF-0 tornado and one inch hail.","" +113459,679227,FLORIDA,2017,April,Tornado,"LEE",2017-04-06 09:18:00,EST-5,2017-04-06 09:20:00,0,0,0,0,5.00K,5000,0.00K,0,26.5,-82.089,26.501,-82.063,"A line of thunderstorms developed along a prefrontal trough and moved south through the Florida Peninsula on the morning of the 6th. Some of the stronger storms produced and EF-0 tornado and one inch hail.","Emergency management reported and broadcast media received video of a tornado that crossed the southern point of Pine Island. The tornado then became a waterspout as it moved east and into Fort Myers. On Pine Island, the tornado damaged a carport." +113448,679296,OHIO,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 17:32:00,EST-5,2017-04-05 17:36:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-84.21,39.77,-84.21,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Dime size hail was reported as well." +113448,679283,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:15:00,EST-5,2017-04-05 18:20:00,0,0,0,0,10.00K,10000,0.00K,0,39.09,-83.82,39.09,-83.82,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A garage was destroyed with metal blown straight out into a field on Hereford Rd. A large tree was split by the garage." +113448,679281,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:12:00,EST-5,2017-04-05 18:17:00,0,0,0,0,1.00K,1000,0.00K,0,39.09,-83.86,39.09,-83.86,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was reported down on Beltz Road." +113354,678788,MARYLAND,2017,April,Thunderstorm Wind,"CECIL",2017-04-06 14:10:00,EST-5,2017-04-06 14:10:00,0,0,0,0,70.00K,70000,,NaN,39.6,-75.82,39.6,-75.82,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","Trees and wires downed throughout Elkton. We were contacted by a person who had $70K damage to their residence with tree and fence damage." +113697,681829,OHIO,2017,April,Hail,"HAMILTON",2017-04-16 17:08:00,EST-5,2017-04-16 17:13:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-84.35,39.1,-84.35,"Thunderstorms with very heavy rain developed ahead of a cold front.","The public reported 0.9 inch hail." +113697,681826,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-16 21:24:00,EST-5,2017-04-16 23:00:00,0,0,0,0,25.00K,25000,0.00K,0,39.1249,-84.6852,39.1243,-84.6834,"Thunderstorms with very heavy rain developed ahead of a cold front.","The 1400 block of Van Blaricum Road was partially collapsed due to flooding." +113389,678445,OHIO,2017,April,Flood,"ATHENS",2017-04-01 00:00:00,EST-5,2017-04-01 11:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.4557,-82.242,39.4533,-82.1583,"Following heavy rainfall on March 31, several creeks and streams remained above bankfull April 1st, and into the 3nd. The West Fork of Duck Creek at Macksburg in Washington County, Monday Creek at Doanville in Athens County, and Raccoon Creek at Bolins Mills in Vinton County were all out of their banks early on the 1st. Flooding lingered along Raccoon Creek into the early morning hours on the 3rd.||The Shade River at Chester in Meigs County briefly rose out of its banks as other streams began to drain. It topped bankfull (17 feet) early on the 1st, crested about half a foot above bankfull just after sunrise, and quickly returned to its banks by late morning.","Heavy rainfall caused flooding across northeastern Athens County. Multiple roads were closed due to high water, including routes 56, 356, 681, and 685." +113389,678448,OHIO,2017,April,Flood,"WASHINGTON",2017-04-01 00:00:00,EST-5,2017-04-01 04:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.6396,-81.4704,39.6416,-81.4615,"Following heavy rainfall on March 31, several creeks and streams remained above bankfull April 1st, and into the 3nd. The West Fork of Duck Creek at Macksburg in Washington County, Monday Creek at Doanville in Athens County, and Raccoon Creek at Bolins Mills in Vinton County were all out of their banks early on the 1st. Flooding lingered along Raccoon Creek into the early morning hours on the 3rd.||The Shade River at Chester in Meigs County briefly rose out of its banks as other streams began to drain. It topped bankfull (17 feet) early on the 1st, crested about half a foot above bankfull just after sunrise, and quickly returned to its banks by late morning.","Rises along the West Fork of Duck Creek lead to minor flooding of lowlands and campgrounds near Macksburg." +113697,681827,OHIO,2017,April,Flood,"CLERMONT",2017-04-16 17:59:00,EST-5,2017-04-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1271,-84.2962,39.1276,-84.298,"Thunderstorms with very heavy rain developed ahead of a cold front.","High water was reported over Beechwood and Summerside Roads." +114090,683192,TEXAS,2017,April,Hail,"PECOS",2017-04-14 18:13:00,CST-6,2017-04-14 18:18:00,0,0,0,0,,NaN,,NaN,30.9279,-103.2536,30.9279,-103.2536,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","Golf ball size hail was covering the road." +114090,683193,TEXAS,2017,April,Hail,"PECOS",2017-04-14 18:13:00,CST-6,2017-04-14 18:47:00,0,0,0,0,4.00K,4000,,NaN,30.9016,-103.0715,30.9294,-103.2548,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","A thunderstorm moved across Pecos County and produced hail damage west of Fort Stockton. There were several vehicles with broken windshields along I-10 from 12 to 23 miles west of Fort Stockton. Damage costs are a rough estimate." +114090,683194,TEXAS,2017,April,Hail,"PECOS",2017-04-14 18:28:00,CST-6,2017-04-14 18:33:00,0,0,0,0,,NaN,,NaN,30.9028,-103.081,30.9028,-103.081,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","A thunderstorm moved across Pecos County and there was golf ball size hail covering I-10 at mile marker 246 west of Fort Stockton." +114090,683195,TEXAS,2017,April,Hail,"PECOS",2017-04-14 19:05:00,CST-6,2017-04-14 19:10:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-103.0218,30.88,-103.0218,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +114090,683196,TEXAS,2017,April,Hail,"PECOS",2017-04-14 19:42:00,CST-6,2017-04-14 19:47:00,0,0,0,0,0.00K,0,0.00K,0,30.8942,-102.939,30.8942,-102.939,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +114090,683197,TEXAS,2017,April,Hail,"PECOS",2017-04-14 20:02:00,CST-6,2017-04-14 20:07:00,0,0,0,0,0.00K,0,0.00K,0,30.8086,-102.8949,30.8086,-102.8949,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +118116,710171,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"LAURENS",2017-06-15 20:15:00,EST-5,2017-06-15 20:40:00,0,0,0,0,0.00K,0,0.00K,0,34.352,-81.889,34.487,-81.821,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","Highway Patrol reported multiple trees blown down in and near Clinton." +118205,710339,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"STANLEY",2017-06-27 18:31:00,MST-7,2017-06-27 18:31:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-101.02,44.37,-101.02,"A couple storms in central South Dakota brought severe winds from 60 to 70 mph.","" +118205,710335,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JONES",2017-06-27 19:00:00,CST-6,2017-06-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-101,43.91,-101,"A couple storms in central South Dakota brought severe winds from 60 to 70 mph.","Sixty mph winds were estimated." +118205,710337,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JONES",2017-06-27 19:10:00,CST-6,2017-06-27 19:10:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-100.71,43.9,-100.71,"A couple storms in central South Dakota brought severe winds from 60 to 70 mph.","Seventy mph winds were estimated." +118208,710358,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CORSON",2017-06-02 15:50:00,MST-7,2017-06-02 15:50:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-101.86,45.56,-101.86,"A thunderstorm brought a severe wind gust in Corson County.","" +117135,704744,ARKANSAS,2017,June,Hail,"WASHINGTON",2017-06-01 14:56:00,CST-6,2017-06-01 14:56:00,0,0,0,0,10.00K,10000,0.00K,0,36.07,-94.17,36.07,-94.17,"Strong to severe thunderstorms developed during the afternoon of the 1st in a moist and unstable air mass that was in place across the region. The strongest storms produced hail up to ping pong ball size and damaging wind gusts.","" +117135,704745,ARKANSAS,2017,June,Hail,"WASHINGTON",2017-06-01 15:09:00,CST-6,2017-06-01 15:09:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-94.17,36.07,-94.17,"Strong to severe thunderstorms developed during the afternoon of the 1st in a moist and unstable air mass that was in place across the region. The strongest storms produced hail up to ping pong ball size and damaging wind gusts.","" +117135,704747,ARKANSAS,2017,June,Thunderstorm Wind,"BENTON",2017-06-01 15:40:00,CST-6,2017-06-01 15:40:00,0,0,0,0,2.00K,2000,0.00K,0,36.25,-94.13,36.25,-94.13,"Strong to severe thunderstorms developed during the afternoon of the 1st in a moist and unstable air mass that was in place across the region. The strongest storms produced hail up to ping pong ball size and damaging wind gusts.","Strong thunderstorm wind blew down power lines." +117136,705936,OKLAHOMA,2017,June,Hail,"OKFUSKEE",2017-06-15 08:30:00,CST-6,2017-06-15 08:30:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-96.3,35.43,-96.3,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","" +117453,706366,IOWA,2017,June,Thunderstorm Wind,"WEBSTER",2017-06-28 14:35:00,CST-6,2017-06-28 14:35:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-94.19,42.56,-94.19,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Fort Dodge Airport ASOS recorded a 59 mph wind gust." +117453,709542,IOWA,2017,June,Tornado,"TAYLOR",2017-06-28 16:05:00,CST-6,2017-06-28 16:33:00,0,0,0,0,75.00K,75000,10.00K,10000,40.5851,-94.7771,40.6043,-94.6462,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Large wedge tornado moved across southern Taylor County. The tornado remained in rural areas with primarily tree and crop damage. A few structures were also hit with some minor damage to a house and one old outbuilding nearly destroyed. Most intense damage occurred in the later half of the tornado path where EF2 damage was observed as 4 large wooden electrical power line towers where destroyed along with decimating a nearby grove of trees." +113740,681556,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 17:19:00,CST-6,2017-04-14 17:20:00,0,0,0,0,9.00K,9000,0.00K,0,34.5272,-102.4793,34.5295,-102.473,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser observed a brief tornado touchdown just south of the intersection of State Highway 86 and Farm to Market road 1524. Several power poles were downed along Farm to Market road 1524." +113740,681649,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 18:45:00,CST-6,2017-04-14 18:47:00,0,0,0,0,0.00K,0,0.00K,0,34.5997,-102.2968,34.6021,-102.2886,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser observed a brief tornado a few miles north of Dimmitt. No damage was evident." +114395,685682,WYOMING,2017,April,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-04-27 03:00:00,MST-7,2017-04-28 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","At the Blind Bull SNOTEL, 15 inches of new snow fell. At Commisary Ridge, 21 inches of snow were measured." +115926,696549,ARKANSAS,2017,May,Thunderstorm Wind,"CLAY",2017-05-27 20:15:00,CST-6,2017-05-27 20:25:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-90.65,36.4027,-90.6436,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Measured 67 mph gust." +115926,696554,ARKANSAS,2017,May,Hail,"LAWRENCE",2017-05-27 20:32:00,CST-6,2017-05-27 20:40:00,0,0,0,0,0.00K,0,0.00K,0,35.9764,-90.8624,35.9764,-90.8624,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Nickel size hail at Highway 63 in Sedgwick." +114408,696301,MONTANA,2017,April,Funnel Cloud,"GALLATIN",2017-04-25 12:38:00,MST-7,2017-04-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,45.86,-111.33,45.86,-111.33,"On April 25th, 2017, low-level convergence along a stationary front oriented roughly north-to-south near I-15 and upper-level divergence ahead of an approaching shortwave trough from the west contributed to the development of numerous showers and thunderstorms over North-Central MT. Some of these thunderstorms produced large quantities of small hail. One storm in particular produced up to nickel-size hail that accumulated to several inches along I-15 near Dutton, MT. Early in the evening, a low-topped supercell prompted a severe thunderstorm warning for south-central Cascade County, well south of Great Falls. However, this warning did not verify.","Broadcast media posted a Facebook story with a funnel cloud picture." +114623,687443,IOWA,2017,April,Hail,"BLACK HAWK",2017-04-15 18:31:00,CST-6,2017-04-15 18:31:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-92.22,42.43,-92.22,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported quarter sized hail." +114623,687444,IOWA,2017,April,Hail,"POWESHIEK",2017-04-15 18:36:00,CST-6,2017-04-15 18:36:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-92.74,41.69,-92.74,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported up to quarter sized hail." +114623,687445,IOWA,2017,April,Hail,"ADAIR",2017-04-15 18:40:00,CST-6,2017-04-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-94.44,41.48,-94.44,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel to quarter size hail along I-80 at mile marker 86 near Menlo." +114623,687446,IOWA,2017,April,Hail,"MARION",2017-04-15 18:54:00,CST-6,2017-04-15 18:54:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-93.24,41.23,-93.24,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel to quarter sized hail on the north side of Melcher-Dallas." +114782,688473,KANSAS,2017,April,Hail,"SALINE",2017-04-15 20:40:00,CST-6,2017-04-15 20:41:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-97.57,38.84,-97.57,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688474,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-15 20:50:00,CST-6,2017-04-15 20:51:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-98.12,38.82,-98.12,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688475,KANSAS,2017,April,Hail,"SEDGWICK",2017-04-16 01:38:00,CST-6,2017-04-16 01:39:00,0,0,0,0,0.00K,0,0.00K,0,37.64,-97.53,37.64,-97.53,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688476,KANSAS,2017,April,Hail,"LINCOLN",2017-04-19 16:33:00,CST-6,2017-04-19 16:34:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-98.39,39.14,-98.39,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688477,KANSAS,2017,April,Hail,"RUSSELL",2017-04-19 16:54:00,CST-6,2017-04-19 16:55:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-98.51,39.1,-98.51,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688478,KANSAS,2017,April,Hail,"LINCOLN",2017-04-19 17:14:00,CST-6,2017-04-19 17:15:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-98.15,39.04,-98.15,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","One mile west of Lincoln on K-18." +114782,688479,KANSAS,2017,April,Hail,"LINCOLN",2017-04-19 17:16:00,CST-6,2017-04-19 17:17:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-98.15,39.04,-98.15,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688481,KANSAS,2017,April,Hail,"LINCOLN",2017-04-19 17:32:00,CST-6,2017-04-19 17:33:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-98.06,39.04,-98.06,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688482,KANSAS,2017,April,Hail,"LINCOLN",2017-04-19 17:35:00,CST-6,2017-04-19 17:36:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-97.98,39.04,-97.98,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688483,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-19 17:47:00,CST-6,2017-04-19 17:48:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-98.29,38.79,-98.29,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +113368,689747,MISSOURI,2017,April,Tornado,"NEWTON",2017-04-04 17:54:00,CST-6,2017-04-04 18:05:00,0,0,0,0,100.00K,100000,0.00K,0,36.7592,-94.3784,36.9123,-94.2654,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","An EF-2 tornado crossed into Newton County from McDonald County which tracked southeast of Neosho. Numerous homes and buildings were damaged. The tornado ended on the southwest side of Granby." +113368,689756,MISSOURI,2017,April,Flood,"DENT",2017-04-05 07:15:00,CST-6,2017-04-05 09:15:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-91.37,37.7723,-91.3695,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Route TT at Crooked Creek was flooded and impassable." +113368,689757,MISSOURI,2017,April,Flood,"DENT",2017-04-05 07:15:00,CST-6,2017-04-05 10:15:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-91.4,37.6093,-91.398,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Route EE at Meramec River was closed due to flooding." +113368,689758,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-05 07:00:00,CST-6,2017-04-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-92.44,37.4566,-92.4404,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Route Z was flooded southwest of Competition." +113368,689759,MISSOURI,2017,April,Flood,"HOWELL",2017-04-05 07:40:00,CST-6,2017-04-05 10:40:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.01,36.5176,-92.0112,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","State Highway 142 was flooded and impassable." +113368,689760,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-05 07:20:00,CST-6,2017-04-05 10:20:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-92.4,37.3134,-92.3975,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Route E was flooded at the Gasconade River." +113368,689761,MISSOURI,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 18:15:00,CST-6,2017-04-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-94.25,36.92,-94.25,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Several trees were blown down. Siding and half a roof was blown off a house near Granby on Mettle Drive." +113368,691350,MISSOURI,2017,April,Thunderstorm Wind,"MCDONALD",2017-04-04 17:55:00,CST-6,2017-04-04 17:55:00,0,0,0,0,2.00K,2000,0.00K,0,36.7474,-94.4132,36.7474,-94.4132,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Several trees were uprooted and power lines blown down." +115536,693675,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 11:36:00,CST-6,2017-06-15 11:36:00,0,0,0,0,0.20K,200,0.00K,0,34.82,-87.67,34.82,-87.67,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down blocking the road at 535 Dulin Street." +115536,693676,ALABAMA,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-15 12:00:00,CST-6,2017-06-15 12:00:00,0,0,0,0,0.50K,500,0.00K,0,34.59,-87.42,34.59,-87.42,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Two trees were knocked down onto Highway 101 near Hatton." +115536,693677,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:02:00,CST-6,2017-06-15 12:02:00,0,0,0,0,0.20K,200,0.00K,0,34.83,-87.66,34.83,-87.66,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto Bradshaw Drive." +115536,693678,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:02:00,CST-6,2017-06-15 12:02:00,0,0,0,0,0.50K,500,0.00K,0,34.84,-87.6,34.84,-87.6,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A power line was knocked down at CR 323 at Florence Blvd." +115536,693679,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:03:00,CST-6,2017-06-15 12:03:00,0,0,0,0,1.00K,1000,0.00K,0,34.82,-87.42,34.82,-87.42,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Power lines were knocked down at CR 33 at Blue Heron Drive." +115536,693680,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:03:00,CST-6,2017-06-15 12:03:00,0,0,0,0,1.00K,1000,0.00K,0,34.83,-87.29,34.83,-87.29,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A power line and pole was knocked down at Highway 207 at Dement Street." +115030,690396,GEORGIA,2017,April,Drought,"POLK",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690413,GEORGIA,2017,April,Drought,"DAWSON",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115072,690720,OREGON,2017,April,Tornado,"DESCHUTES",2017-04-13 16:00:00,PST-8,2017-04-13 16:02:00,0,0,0,0,0.00K,0,0.00K,0,44.0222,-121.2976,44.0229,-121.2966,"A brief tornado was spotted and recorded by the public in the Bend area during a period showers and thunderstorms.","Brief apparent tornado lifting tumble weeds on Jewell school grounds. Lasted about a minute and moved off into an empty field before dissipating. No damage reported. Also 1/2 inch of hail accumulation with stones around 1/4 to 3/8 inches in diameter. Track estimated." +115536,693704,ALABAMA,2017,June,Thunderstorm Wind,"CULLMAN",2017-06-15 13:25:00,CST-6,2017-06-15 13:25:00,0,0,0,0,1.00K,1000,0.00K,0,34.18,-86.84,34.18,-86.84,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Numerous trees were knocked down in Cullman." +115536,693705,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:25:00,CST-6,2017-06-15 13:25:00,0,0,0,0,0.20K,200,0.00K,0,34.46,-86.15,34.46,-86.15,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down on Armstrong Road." +115536,693706,ALABAMA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-15 13:28:00,CST-6,2017-06-15 13:28:00,0,0,0,0,0.50K,500,0.00K,0,34.62,-86.27,34.62,-86.27,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Trees were knocked down on Hodges Street in Woodville." +115536,693707,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:30:00,CST-6,2017-06-15 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,34.46,-86.33,34.46,-86.33,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down on a car near Cottonville Road and Natural Bridge Lane." +115536,693703,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:22:00,CST-6,2017-06-15 13:22:00,0,0,0,0,0.20K,200,0.00K,0,34.36,-86.39,34.36,-86.39,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down across Junkins Road." +115707,695347,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-22 14:40:00,CST-6,2017-06-22 14:40:00,0,0,0,0,0.20K,200,0.00K,0,34.31,-86.21,34.31,-86.21,"A heavy shower (no lightning) knocked one tree down during the late afternoon hours in Marshall County.","A tree was knocked down, blocking the road on Rice Mill Chavers Road near the Asbury and Albertville area." +120539,722115,KANSAS,2017,January,Ice Storm,"LABETTE",2017-01-13 07:15:00,CST-6,2017-01-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across the county ranged from 0.2 inches up to 0.3 inches. Tree branches snapped in many communities Late Saturday and Sunday morning." +119834,718473,KANSAS,2017,August,Thunderstorm Wind,"RAWLINS",2017-08-10 11:33:00,CST-6,2017-08-10 11:33:00,0,0,0,0,,NaN,,NaN,39.68,-100.9944,39.68,-100.9944,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Twelve pine trees 70 to 80 ft. tall were blown down. One of the trees was broken in three places. Another tree was pulled out of the ground with the roots still attached. All the wires were pulled off the individual's house due to a tree falling. All the damage was in one direction. There was also significant hail damage, but no size was given. One corn field nearby was completely destroyed." +120539,722114,KANSAS,2017,January,Ice Storm,"SEDGWICK",2017-01-13 17:12:00,CST-6,2017-01-15 08:40:00,0,3,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Several accidents due to a light glaze of ice was noted at the onset of the event. Eventually, the freezing rain increased in intensity and ultimately accumulated to 0.25 inches." +114084,691331,MISSOURI,2017,April,Heavy Rain,"WRIGHT",2017-04-29 07:41:00,CST-6,2017-04-29 07:41:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-92.26,37.13,-92.26,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 3.74 inches was measured since midnight." +114084,691332,MISSOURI,2017,April,Heavy Rain,"DOUGLAS",2017-04-29 08:04:00,CST-6,2017-04-29 08:04:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-92.66,36.96,-92.66,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 3.10 inches was measured since midnight." +114084,691333,MISSOURI,2017,April,Heavy Rain,"TEXAS",2017-04-29 08:05:00,CST-6,2017-04-29 08:05:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-92.1,37.13,-92.1,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 6.50 inches was measured since midnight." +114084,691334,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-29 08:45:00,CST-6,2017-04-29 08:45:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-94.45,36.59,-94.45,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 3.27 inches was measured since 7 am. This was on top of the previous day rainfall of 2.55 inches measured before 7 am." +114084,691335,MISSOURI,2017,April,Heavy Rain,"OZARK",2017-04-29 09:24:00,CST-6,2017-04-29 09:24:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-92.58,36.8,-92.58,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 5.50 inches was measured since midnight." +114084,691336,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-29 13:13:00,CST-6,2017-04-29 13:13:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-92.71,36.98,-92.71,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +115183,696689,ILLINOIS,2017,April,Flash Flood,"SCOTT",2017-04-29 17:00:00,CST-6,2017-04-29 21:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7907,-90.5974,39.6966,-90.6457,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the early evening hours, on already saturated ground, resulted in flash flooding across much of Scott County. Numerous streets in Winchester were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 106 which was closed in spots near Alsey." +115183,696691,ILLINOIS,2017,April,Flash Flood,"MORGAN",2017-04-29 17:00:00,CST-6,2017-04-29 21:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8747,-90.5826,39.7907,-90.5974,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 4.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Morgan County. Numerous streets in Jacksonville and Meredosia were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 104 and Route 100 which were closed in spots." +114084,691381,MISSOURI,2017,April,Flash Flood,"NEWTON",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,1.00M,1000000,0.00K,0,36.8989,-94.5263,36.9059,-94.517,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Up to 185 homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Newton County." +112882,674351,INDIANA,2017,March,Thunderstorm Wind,"CLARK",2017-03-01 06:04:00,EST-5,2017-03-01 06:04:00,0,0,0,0,20.00K,20000,0.00K,0,38.47,-85.96,38.47,-85.96,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","Local amateur radio reported widespread area of tree damage with building materials in the streets." +112887,675718,KENTUCKY,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 08:10:00,EST-5,2017-03-01 08:10:00,0,0,0,0,100.00K,100000,0.00K,0,37.75,-84.29,37.75,-84.29,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A storm survey conducted by NWS Jackson concluded that 2 areas of straight line wind damage occurred near Richmond, Kentucky. The most significant damage occurred just south of Richmond where peak winds reached an estimated 80 mph as a mobile home park was damaged. An anchored mobile home was damaged and slid off its foundation. The second area of straight line winds was just north of Richmond and yielded maximum estimated winds of 65 mph." +116865,702704,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-25 16:54:00,EST-5,2017-05-25 16:54:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-76,36.92,-76,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 35 knots was measured at Cape Henry." +116865,702705,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-25 17:00:00,EST-5,2017-05-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-75.92,36.7,-75.92,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 37 knots was measured at Sandbridge." +116865,702706,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-25 17:01:00,EST-5,2017-05-25 17:01:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-76.02,36.59,-76.02,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 36 knots was measured at Creeds." +116902,703014,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:20:00,EST-5,2017-05-25 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-76.35,37.01,-76.35,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 40 knots was measured at Hampton Flats." +116902,703034,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:21:00,EST-5,2017-05-25 16:21:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-76.39,36.95,-76.39,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 48 knots was measured at Middle Ground Lighthouse." +116902,703044,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:24:00,EST-5,2017-05-25 16:24:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.34,36.89,-76.34,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 37 knots was measured at South Craney Island." +113831,691057,MISSOURI,2017,April,Flood,"BARTON",2017-04-21 19:12:00,CST-6,2017-04-21 22:12:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-94.31,37.3957,-94.3132,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Route 126 was closed about a quarter of a mile west of I-49 due to flooding." +113831,691058,MISSOURI,2017,April,Flood,"OZARK",2017-04-21 20:35:00,CST-6,2017-04-21 23:35:00,0,0,0,0,0.00K,0,0.00K,0,36.7047,-92.2632,36.7082,-92.271,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Higway 181 was closed near Bryant Creek due to flooding." +116902,703057,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:24:00,EST-5,2017-05-25 16:24:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.32,36.98,-76.32,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 47 knots was measured at Willoughby Degaussing Station." +116902,703063,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:24:00,EST-5,2017-05-25 16:24:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.32,36.89,-76.32,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 49 knots was measured at Lafayette River." +116916,703132,VIRGINIA,2017,May,Hail,"HANOVER",2017-05-27 16:07:00,EST-5,2017-05-27 16:07:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-77.75,37.76,-77.75,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +118093,709755,VIRGINIA,2017,June,Thunderstorm Wind,"NOTTOWAY",2017-06-19 17:45:00,EST-5,2017-06-19 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.18,-78.13,37.18,-78.13,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Numerous trees were downed along Route 460 in Crewe." +118093,709756,VIRGINIA,2017,June,Thunderstorm Wind,"NOTTOWAY",2017-06-19 17:50:00,EST-5,2017-06-19 17:50:00,0,0,0,0,2.00K,2000,0.00K,0,37.11,-77.97,37.11,-77.97,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed along Route 460 near Cox Road." +113831,691059,MISSOURI,2017,April,Flood,"BARTON",2017-04-21 18:19:00,CST-6,2017-04-21 21:19:00,0,0,0,0,0.00K,0,0.00K,0,37.3626,-94.3012,37.3627,-94.304,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","The outer road on I-49 was closed due to flooding." +113831,691060,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-21 17:15:00,CST-6,2017-04-21 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-93.63,36.64,-93.63,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A storm total rainfall of 4.33 inches was measured in Shell Knob." +113831,691061,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-21 16:15:00,CST-6,2017-04-21 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-93.69,36.56,-93.69,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A storm total rainfall of 4.00 inches was measured." +113831,691062,MISSOURI,2017,April,Flood,"BARTON",2017-04-22 02:00:00,CST-6,2017-04-22 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.52,-94.25,37.5194,-94.2448,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A vehicle drove into a flooded Muddy Creek and became submerged. All occupants were able to get out safely. This incident occurred near the intersection of Muddy Creek and NE 30th Lane." +113831,691063,MISSOURI,2017,April,Flood,"POLK",2017-04-22 05:00:00,CST-6,2017-04-22 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.4861,-93.4838,37.4764,-93.4849,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A car was submerged in flood water from the SAC River and Coates Branch Creek on Highway 215. All occupants were able to escape safely." +114357,685259,SOUTH DAKOTA,2017,April,Winter Storm,"NORTHERN FOOT HILLS",2017-04-25 02:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,685260,SOUTH DAKOTA,2017,April,Winter Weather,"STURGIS / PIEDMONT FOOTHILLS",2017-04-25 03:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,690150,SOUTH DAKOTA,2017,April,Winter Weather,"BUTTE",2017-04-25 03:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,690151,SOUTH DAKOTA,2017,April,Winter Weather,"OGLALA LAKOTA",2017-04-25 04:00:00,MST-7,2017-04-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,690153,SOUTH DAKOTA,2017,April,Winter Weather,"NORTHERN MEADE CO PLAINS",2017-04-25 03:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,690154,SOUTH DAKOTA,2017,April,Winter Weather,"SOUTHERN MEADE CO PLAINS",2017-04-25 03:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114357,690155,SOUTH DAKOTA,2017,April,Winter Weather,"HAAKON",2017-04-25 04:00:00,MST-7,2017-04-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow during the overnight hours and continued through the early afternoon. The heaviest snow fell in a band across the northern Black Hills and the adjacent foothills and plains, where two to six inches were reported. Some higher amounts fell across the northern foothills.","" +114751,688846,TENNESSEE,2017,April,Hail,"MACON",2017-04-05 16:02:00,CST-6,2017-04-05 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.5033,-85.9462,36.5033,-85.9462,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Quarter size hail was reported around 4 miles southeast of Lafayette." +114751,688845,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 15:58:00,CST-6,2017-04-05 15:58:00,0,0,0,0,0.00K,0,0.00K,0,35.3979,-86.1892,35.3979,-86.1892,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Quarter size hail reported in Tullahoma." +114751,688847,TENNESSEE,2017,April,Hail,"CLAY",2017-04-05 16:05:00,CST-6,2017-04-05 16:05:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-85.68,36.55,-85.68,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed quarter size hail near Union Hill." +114751,688848,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 16:07:00,CST-6,2017-04-05 16:07:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-86.08,35.48,-86.08,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Nickel to quarter size hail ongoing in Manchester." +115417,694602,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:55:00,EST-5,2017-04-05 18:56:00,0,0,0,0,,NaN,,NaN,32.8,-80.11,32.8,-80.11,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A county official reported a downpour of hail up to the size of quarters. Most of the hail was falling as dime to nickel size." +115417,694603,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:55:00,EST-5,2017-04-05 18:56:00,0,0,0,0,,NaN,,NaN,32.81,-80.07,32.81,-80.07,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report of quarter size hail was received via CoCoRaHs." +115417,694604,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:55:00,EST-5,2017-04-05 18:56:00,0,0,0,0,,NaN,,NaN,32.81,-80.08,32.81,-80.08,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A spotter reported quarter size hail in Carolina Bay." +115417,694605,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:57:00,EST-5,2017-04-05 18:58:00,0,0,0,0,,NaN,,NaN,32.8,-80.08,32.8,-80.08,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A spotter reported nickel size hail in Carolina Bay." +115417,694606,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 18:59:00,EST-5,2017-04-05 19:00:00,0,0,0,0,,NaN,,NaN,32.83,-80.06,32.83,-80.06,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A spotter reported ping pong size to golf ball size hail." +115417,694607,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 19:00:00,EST-5,2017-04-05 19:01:00,0,0,0,0,,NaN,,NaN,32.8,-80.01,32.8,-80.01,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report via social media indicated half dollar size hail." +115417,694608,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 19:00:00,EST-5,2017-04-05 19:01:00,0,0,0,0,,NaN,,NaN,32.8,-80.08,32.8,-80.08,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A social media picture indicated hail near half dollar size falling on Indaba Way." +115499,694023,KANSAS,2017,April,Hail,"BROWN",2017-04-09 23:04:00,CST-6,2017-04-09 23:05:00,0,0,0,0,,NaN,,NaN,39.93,-95.69,39.93,-95.69,"Severe thunderstorms pushed through northeast Kansas during the late evening hours of Sunday, April 9th into early morning hours of Monday. Large hail was the main hazard with the storms.","" +115499,694024,KANSAS,2017,April,Hail,"NEMAHA",2017-04-09 23:03:00,CST-6,2017-04-09 23:04:00,0,0,0,0,,NaN,,NaN,39.9,-95.8,39.9,-95.8,"Severe thunderstorms pushed through northeast Kansas during the late evening hours of Sunday, April 9th into early morning hours of Monday. Large hail was the main hazard with the storms.","Photo received via social media. Time was estimated from radar." +115499,694025,KANSAS,2017,April,Hail,"BROWN",2017-04-09 23:04:00,CST-6,2017-04-09 23:05:00,0,0,0,0,,NaN,,NaN,39.96,-95.69,39.96,-95.69,"Severe thunderstorms pushed through northeast Kansas during the late evening hours of Sunday, April 9th into early morning hours of Monday. Large hail was the main hazard with the storms.","" +117470,707669,ARKANSAS,2017,June,Flash Flood,"DREW",2017-06-23 04:45:00,CST-6,2017-06-23 06:45:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-91.79,33.6578,-91.8067,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Weather Ready Nation Ambassador reported flash flooding on Rose Hill Cutoff Rd. about 3 miles north of Monticello. Water was over the road and entering homes." +115499,694026,KANSAS,2017,April,Hail,"BROWN",2017-04-09 23:24:00,CST-6,2017-04-09 23:25:00,0,0,0,0,,NaN,,NaN,39.85,-95.75,39.85,-95.75,"Severe thunderstorms pushed through northeast Kansas during the late evening hours of Sunday, April 9th into early morning hours of Monday. Large hail was the main hazard with the storms.","" +113708,680659,KANSAS,2017,April,Tornado,"OTTAWA",2017-04-15 18:25:00,CST-6,2017-04-15 18:28:00,0,0,0,0,0.00K,0,0.00K,0,39.1734,-97.8654,39.1882,-97.84,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Multiple pictures were submitted of a landspout tornado from western Ottawa County as thunderstorms developed during the afternoon of April 15th." +115439,693175,MICHIGAN,2017,April,High Wind,"HURON",2017-04-06 10:00:00,EST-5,2017-04-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system impacted the Great Lakes region, with storm to gale force winds over Lake Huron. The stronger winds off Lake Huron also impacted the Thumb Region, and Bay county, as trees were reported blown down and uprooted.","" +115607,694424,MASSACHUSETTS,2017,April,Strong Wind,"EASTERN HAMPDEN",2017-04-16 18:25:00,EST-5,2017-04-16 19:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers leading well ahead of a cold front moved across Southern New England the evening of the 16th. These showers drew strong winds down to the surface in gusts as they moved across the region. Winds of 40 to 50 mph were measured.","At 625 PM EST, the Automated Surface Observation System (ASOS) platform at Westfield-Barnes Regional Airport reported a wind gust to 49 mph. AT 631 PM the Automated Weather Observing System at Westover Airport reported a wind gust to 49 mph. From 627 PM EST to 7 PM EST, numerous trees were brought down across Westfield, West Springfield, Agawam, East Longmeadow, and Hampden. At 634 PM two trees were brought down on Cold Spring Avenue in West Springfield; one fell into the roof of a condo complex. Also at 634 PM, a tree brought down on a car on Moore Street in Agawam also took down a utility pole." +115607,694430,MASSACHUSETTS,2017,April,Strong Wind,"SOUTHERN WORCESTER",2017-04-16 19:08:00,EST-5,2017-04-16 19:08:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers leading well ahead of a cold front moved across Southern New England the evening of the 16th. These showers drew strong winds down to the surface in gusts as they moved across the region. Winds of 40 to 50 mph were measured.","At 708 PM EST in Charlton, a tree was brought down on Flint Road and a second tree was brought down at the junction of Partridge Hill Road and Potter Village Road. Also at 708 PM, an amateur radio operator in Charlton estimated a wind gust to 49 mph." +115603,694415,NEW YORK,2017,April,Strong Wind,"EASTERN SCHENECTADY",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM and AWOS stations ranged from 35 to 40 mph." +115603,694403,NEW YORK,2017,April,Strong Wind,"SOUTHERN HERKIMER",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM stations were around 37 mph." +115603,694402,NEW YORK,2017,April,Strong Wind,"SOUTHERN FULTON",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from AWOS and CWOP stations ranged from 32 to 39 mph." +117416,706114,FLORIDA,2017,June,Flood,"GILCHRIST",2017-06-06 10:56:00,EST-5,2017-06-06 10:56:00,0,0,0,0,0.01K,10,0.00K,0,29.72,-82.86,29.724,-82.8596,"A very moist and unsettled southwest flow was across the area ahead of a frontal system draped across the MS River Valley and central Gulf Coast states. Locally heavy rainfall occurred in morning convection as it moved inland from the Gulf especially across the Suwannee River Valley. One supercell developed and produced an EF1 tornado in St. Johns County in the early afternoon.","The roadway at U.S. Highway 129 and County Road 232 East was underwater. The is no known property damage, but a small dollar value was added so this report would be included in Storm Data." +117416,706115,FLORIDA,2017,June,Heavy Rain,"SUWANNEE",2017-06-06 04:20:00,EST-5,2017-06-06 08:20:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-82.99,30.29,-82.99,"A very moist and unsettled southwest flow was across the area ahead of a frontal system draped across the MS River Valley and central Gulf Coast states. Locally heavy rainfall occurred in morning convection as it moved inland from the Gulf especially across the Suwannee River Valley. One supercell developed and produced an EF1 tornado in St. Johns County in the early afternoon.","A spotter measured 2.31 inches over 4 hours." +117416,706116,FLORIDA,2017,June,Heavy Rain,"GILCHRIST",2017-06-06 00:15:00,EST-5,2017-06-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,29.81,-82.8,29.81,-82.8,"A very moist and unsettled southwest flow was across the area ahead of a frontal system draped across the MS River Valley and central Gulf Coast states. Locally heavy rainfall occurred in morning convection as it moved inland from the Gulf especially across the Suwannee River Valley. One supercell developed and produced an EF1 tornado in St. Johns County in the early afternoon.","A daily total of 6 inches was measured in northern Gilchrist county." +117416,706117,FLORIDA,2017,June,Tornado,"ST. JOHNS",2017-06-06 13:11:00,EST-5,2017-06-06 13:16:00,0,0,0,0,0.00K,0,0.00K,0,29.7373,-81.312,29.7529,-81.2799,"A very moist and unsettled southwest flow was across the area ahead of a frontal system draped across the MS River Valley and central Gulf Coast states. Locally heavy rainfall occurred in morning convection as it moved inland from the Gulf especially across the Suwannee River Valley. One supercell developed and produced an EF1 tornado in St. Johns County in the early afternoon.","Tornado damage (EF1) occurred west of U.S. Highway 1/Dixie Highway, although damage may have started farther west toward Interstate 95. Survey team was unable to access start of path. After crossing U.S. Highway 1, the tornado moved NE through the Matanzas State Forest before causing primarily tree and power line damage (EF1 and lower) to neighborhoods south of Highway 206. The tornado weakened west of East Seacove Avenue. Peak winds were estimated between 75 and 95 mph." +117432,706206,FLORIDA,2017,June,Flood,"ALACHUA",2017-06-07 18:27:00,EST-5,2017-06-07 18:27:00,0,0,0,0,10.00K,10000,0.00K,0,29.642,-82.4009,29.6387,-82.3996,"An area of low pressure tracked along a frontal zone draped across SE GA through the day, with high moisture content and passing upper level trough energy. Waves of heavy rainfall caused localized flooding across NE FL.","Apartments were flooded with rain water. Residents received aid from the Red Cross. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +114130,683491,WISCONSIN,2017,April,Thunderstorm Wind,"FOREST",2017-04-10 00:00:00,CST-6,2017-04-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,45.75,-88.88,45.75,-88.88,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds downed several trees and power lines northeast of Hiles." +114130,683493,WISCONSIN,2017,April,Thunderstorm Wind,"MARATHON",2017-04-09 23:45:00,CST-6,2017-04-09 23:45:00,0,0,0,0,5.00K,5000,0.00K,0,44.91,-89.96,44.91,-89.96,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds heavily damaged a metal outbuilding and downed several trees and power lines near Edgar." +114130,683497,WISCONSIN,2017,April,Thunderstorm Wind,"VILAS",2017-04-09 22:28:00,CST-6,2017-04-09 22:28:00,0,0,0,0,0.00K,0,0.00K,0,45.96,-89.88,45.96,-89.88,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds uprooted and damaged dozens of trees near Lac du Flambeau." +114130,691854,WISCONSIN,2017,April,Hail,"MARATHON",2017-04-10 00:05:00,CST-6,2017-04-10 00:05:00,0,0,0,0,0.00K,0,0.00K,0,44.97,-89.63,44.97,-89.63,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nickel size hail fell in Wausau." +116928,703263,WISCONSIN,2017,June,Hail,"CLARK",2017-06-16 18:50:00,CST-6,2017-06-16 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.74,-90.72,44.74,-90.72,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Up to quarter sized hail fell in Willard." +116928,703264,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 17:00:00,CST-6,2017-06-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-91.82,44.23,-91.82,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Half dollar sized hail was reported just east of Cochrane." +116928,703270,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:36:00,CST-6,2017-06-16 17:36:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-91.38,44.37,-91.38,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Egg sized hail was reported east of Independence." +116928,703282,WISCONSIN,2017,June,Hail,"CRAWFORD",2017-06-16 20:22:00,CST-6,2017-06-16 20:22:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-90.86,43.18,-90.86,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Half dollar sized hail fell in Steuben." +115772,698334,GEORGIA,2017,April,Tornado,"DOOLY",2017-04-05 12:55:00,EST-5,2017-04-05 13:13:00,0,0,0,0,150.00K,150000,,NaN,32.0574,-83.9476,32.1295,-83.8242,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 105 MPH and a maximum path width of 200 yards touched down in far |western Dooly county south of Highway 27 between River Road and Franklin Road. The|most substantial damage occurred to a home along Franklin Road where the 2nd floor was completely destroyed. The portion of the home destroyed was still in the finishing stages of construction. Tree damage was noted in the area around the home and a large irrigation system was flipped over in a nearby field. The tornado continued northeast crossing Highway 27 just east of where Ayers Road intersects and several |trees were snapped and uprooted where it crossed. The tornado continued northeast crossing Slosheye Trail where hundreds of trees were snapped and uprooted in a wooded area on either side of the road. As the tornado continued to the northeast it crossed Highway 90 snapping a few trees before weakening east of Pleasant Valley Road. No injuries were reported. [04/05/17: Tornado #5, County #1/1, EF-1, Dooly, 2017:064]." +115772,698337,GEORGIA,2017,April,Tornado,"DODGE",2017-04-05 14:05:00,EST-5,2017-04-05 14:14:00,0,0,0,0,200.00K,200000,,NaN,32.2761,-83.2887,32.3008,-83.2248,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 105 MPH and a maximum path width of 350 yards touched down West of Hardy Road, damaging a few homes and storage buildings as it crossed Hardy Road. The damage was mostly minor roof damage. Several trees were snapped and uprooted in the area as well. The tornado moved northeast crossing Garrett Oxley road where it |destroyed a travel trailer and a small barn and lofting a metal parking cover that was never found. The van that was parked under the cover was turned sideways and left a scar in the ground about 7 feet in length from the tires dragging in the dirt. The tornado entered the northwest side of Gresston on Gresston Baptist Road where |numerous large pines were snapped and some roof damage was noted to the Baptist Church. Further northeast along Rozar-Goolsby Road, numerous trees were snapped or uprooted and several homes sustained roof damage. Another church along this street also sustained roof damage. The tornado continued northeast along Wilson Woodward Road snapping and uprooting trees before ending shortly after crossing Bell Line Road. No injuries were reported. [04/05/17: Tornado #6, County #1/1, EF-1, Dodge, 2017:065]." +115771,698287,GEORGIA,2017,April,Tornado,"JEFFERSON",2017-04-03 14:04:00,EST-5,2017-04-03 14:10:00,0,0,0,0,25.00K,25000,,NaN,33.0533,-82.6172,33.0661,-82.5366,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado in Washington County moved east into Jefferson County as an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 200 yards. The tornado crossed Highway 88 and Hardeman Road where it caused minor damage to a roof of a home and minor damage to a shed. The tornado continued uprooting several trees before lifting just east of Highway 171. No injuries were reported. [04/03/17: Tornado #27, County #2/2, EF-0, Washington, Jefferson, 2017:059]." +115771,698350,GEORGIA,2017,April,Hail,"JOHNSON",2017-04-03 14:04:00,EST-5,2017-04-03 14:10:00,0,0,0,0,,NaN,,NaN,32.6651,-82.5645,32.6651,-82.5645,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Johnson County Emergency Manager reported quarter size hail on Meeks Road southwest of Kite." +115771,698537,GEORGIA,2017,April,Thunderstorm Wind,"TROUP",2017-04-03 10:00:00,EST-5,2017-04-03 10:10:00,0,0,0,0,15.00K,15000,,NaN,32.8743,-85.1768,32.8743,-85.1768,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Troup County Emergency Manager reported a tree blown down onto a house on East 7th Street in West Point. No injuries were reported." +115771,698549,GEORGIA,2017,April,Thunderstorm Wind,"PICKENS",2017-04-03 10:32:00,EST-5,2017-04-03 10:42:00,0,0,0,0,20.00K,20000,,NaN,34.4794,-84.5417,34.4621,-84.5288,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A trained spotter reported multiple trees blown down and a shed destroyed from Mullinax Road and Highway 53 to Mullinax road and Hill City Road." +115771,698558,GEORGIA,2017,April,Thunderstorm Wind,"WHITE",2017-04-03 11:27:00,EST-5,2017-04-03 11:37:00,0,0,0,0,12.00K,12000,,NaN,34.5898,-83.8178,34.589,-83.7881,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The White County Emergency Manager reported numerous trees blown down from Charlie Thomas Road to around the intersection of Town Creek Road and Highway 115." +115806,696033,TEXAS,2017,April,Winter Storm,"HARTLEY",2017-04-29 06:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Estimated 9-12 inches west of Dalhart." +115806,696036,TEXAS,2017,April,Winter Storm,"SHERMAN",2017-04-29 11:06:00,CST-6,2017-04-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low over eastern New Mexico within a deep neutral tilted trough with a 80-110 kt. 250 hPa jet streak providing upper level divergence over our region gave us good favorable upper level dynamics. In-conjunction with strong 850-700 hPa cold air advection as the 700 hPa and surface based low pressure systems moved into north central OK/south central KS by early AM on the 30th, this has helped to set up good frontogenetic snow at times across the far western Panhandles where a sharp low level temp gradient was established. This provided heavy snowfall rates at times, especially when the surface low began to occlude over KS the morning on the 30th. After warning criteria snow fell in the northwestern Panhandles and at the aforementioned time, winds began to increase as isobar gradient steepened further providing Blizzard conditions for several hours. Tri County Electric COOP reported the outage count peaked somewhere close to 18,000 meters off during mid-morning on Sunday the 30th with also about 500 downed powerlines across the coverage area.","Measured 10 inches of snow at Stratford." +113488,679359,WISCONSIN,2017,April,Hail,"PRICE",2017-04-09 16:52:00,CST-6,2017-04-09 16:52:00,0,0,0,0,,NaN,,NaN,45.54,-90.31,45.54,-90.31,"A couple severe thunderstorms tracked across Price County, in northwest Wisconsin, during the evening of Sunday April 9th. The storms produced hail up to the size of quarters and strong wind gusts.","Hailstones up to the size of quarters covered the ground in less than 2 minutes." +113488,679361,WISCONSIN,2017,April,Hail,"PRICE",2017-04-09 21:34:00,CST-6,2017-04-09 21:34:00,0,0,0,0,,NaN,,NaN,45.69,-90.58,45.69,-90.58,"A couple severe thunderstorms tracked across Price County, in northwest Wisconsin, during the evening of Sunday April 9th. The storms produced hail up to the size of quarters and strong wind gusts.","Hailstones up to the size of dimes covered the deck." +113488,679363,WISCONSIN,2017,April,Thunderstorm Wind,"PRICE",2017-04-09 21:45:00,CST-6,2017-04-09 21:45:00,0,0,0,0,,NaN,,NaN,45.72,-90.42,45.72,-90.42,"A couple severe thunderstorms tracked across Price County, in northwest Wisconsin, during the evening of Sunday April 9th. The storms produced hail up to the size of quarters and strong wind gusts.","A 2' diameter tree trunk was snapped by a thunderstorm wind gust." +115705,696283,PUERTO RICO,2017,April,Flood,"LAJAS",2017-04-17 16:30:00,AST-4,2017-04-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,18.0294,-67.1079,18.0361,-67.0767,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Road PR-306 was reported flooded." +115705,696285,PUERTO RICO,2017,April,Flash Flood,"VEGA ALTA",2017-04-17 16:30:00,AST-4,2017-04-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4025,-66.3411,18.3827,-66.3474,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Cibuco River was reported out of its banks at Road PR-647 in sector Candelaria." +115705,696290,PUERTO RICO,2017,April,Flash Flood,"FAJARDO",2017-04-17 17:17:00,AST-4,2017-04-17 19:45:00,0,0,0,0,0.00K,0,0.00K,0,18.3195,-65.656,18.3214,-65.6516,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Rio Fajardo was reported out of its banks at Road PR-3." +114767,688401,PUERTO RICO,2017,April,Flash Flood,"SAN SEBASTIAN",2017-04-11 16:40:00,AST-4,2017-04-11 20:00:00,0,0,1,0,0.00K,0,0.00K,0,18.3301,-66.9178,18.3298,-66.9289,"Unsettled weather conditions continued prevailing across the forecast area under trofiness and plenty of low level moisture.","Two minors were swept away by flood waters of Rio Saltillos in Barrio Eneas in San Sebastian." +114797,688552,PUERTO RICO,2017,April,Heavy Rain,"UTUADO",2017-04-14 14:23:00,AST-4,2017-04-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3168,-66.6959,18.2225,-66.7203,"Scattered showers developed across the interior section of PR. Rainfall amounts were from between up to two inches in localized areas.","Heavy rains caused mudslide/debris flow on PR-10. The road was closed and the families were stranded due to washed out roads. No fatalities reported." +115705,696270,PUERTO RICO,2017,April,Flash Flood,"RIO GRANDE",2017-04-17 15:19:00,AST-4,2017-04-17 19:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2913,-65.8145,18.2811,-65.7679,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Forestry service in El Yunque indicated that they have begun to extract public and personnel for safety measures as Rio Mameyes and Espiritu Santo were out of its banks." +115705,696272,PUERTO RICO,2017,April,Flash Flood,"NAGUABO",2017-04-17 16:30:00,AST-4,2017-04-17 19:15:00,0,0,0,0,0.50K,500,0.50K,500,18.2124,-65.7714,18.2195,-65.783,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Rio Blanco was reported out of its banks at Road PR-31 and Sector Pitina." +115357,693191,KANSAS,2017,April,Heavy Snow,"WICHITA",2017-04-28 18:00:00,CST-6,2017-04-30 18:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Snowfall amounts of at least 8 inches were reached on the evening of the 30th, with total snowfall amounts close to 30 inches. The majority of the heavy snow occurred with the blizzard conditions. A federal disaster was declared by President Donald J. Trump." +115363,693757,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-03 16:42:00,EST-5,2017-04-03 16:43:00,0,0,0,0,,NaN,,NaN,32.83,-80.59,32.83,-80.59,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Charleston Highway near Bonnie Doone Road." +115363,693758,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:00:00,EST-5,2017-04-03 17:01:00,0,0,0,0,,NaN,,NaN,32.94,-80.35,32.94,-80.35,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Highway 17 between Sandpit Drive and Clubhouse Road." +115363,693767,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-03 16:50:00,EST-5,2017-04-03 16:51:00,0,0,0,0,,NaN,,NaN,32.87,-80.49,32.87,-80.49,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Jacksonboro Highway near Round O Road." +115795,695882,PENNSYLVANIA,2017,April,Hail,"CLARION",2017-04-20 13:57:00,EST-5,2017-04-20 13:57:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-79.61,40.98,-79.61,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695883,PENNSYLVANIA,2017,April,Hail,"ARMSTRONG",2017-04-20 14:13:00,EST-5,2017-04-20 14:13:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-79.67,40.95,-79.67,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695884,PENNSYLVANIA,2017,April,Hail,"CLARION",2017-04-20 14:25:00,EST-5,2017-04-20 14:25:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-79.33,41.13,-79.33,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695885,PENNSYLVANIA,2017,April,Hail,"CLARION",2017-04-20 14:30:00,EST-5,2017-04-20 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,41.11,-79.27,41.11,-79.27,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","Emergency manager reported golf ball to hen egg size hail with multiple reports of vehicle damage. Multiple trees down." +115795,695886,PENNSYLVANIA,2017,April,Hail,"JEFFERSON",2017-04-20 14:58:00,EST-5,2017-04-20 14:58:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-78.94,41.28,-78.94,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","" +115795,695888,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-20 13:29:00,EST-5,2017-04-20 13:29:00,0,0,0,0,2.00K,2000,0.00K,0,40.33,-79.71,40.33,-79.71,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported wires down along Main Street." +114063,685494,TEXAS,2017,April,Hail,"REAL",2017-04-02 03:00:00,CST-6,2017-04-02 03:00:00,0,0,0,0,,NaN,,NaN,29.74,-99.93,29.74,-99.93,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685545,TEXAS,2017,April,Thunderstorm Wind,"REAL",2017-04-02 04:58:00,CST-6,2017-04-02 04:58:00,0,0,0,0,10.00K,10000,,NaN,29.68,-99.77,29.68,-99.77,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 80 mph that destroyed a carport and ripped metal roofs off two houses south of Leakey." +114063,685495,TEXAS,2017,April,Hail,"REAL",2017-04-02 05:23:00,CST-6,2017-04-02 05:23:00,0,0,0,0,,NaN,,NaN,29.72,-99.76,29.72,-99.76,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685496,TEXAS,2017,April,Hail,"KINNEY",2017-04-02 06:17:00,CST-6,2017-04-02 06:17:00,0,0,0,0,,NaN,,NaN,29.42,-100.41,29.42,-100.41,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685547,TEXAS,2017,April,Thunderstorm Wind,"KENDALL",2017-04-02 06:20:00,CST-6,2017-04-02 06:20:00,0,0,0,0,25.00K,25000,,NaN,29.8,-98.74,29.8,-98.74,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 90 mph that destroyed a large metal building in Boerne." +114063,685548,TEXAS,2017,April,Thunderstorm Wind,"KERR",2017-04-02 06:25:00,CST-6,2017-04-02 06:25:00,0,0,0,0,,NaN,,NaN,30.08,-99.24,30.08,-99.24,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 mph that blew down trees in Ingram." +114063,685497,TEXAS,2017,April,Hail,"KERR",2017-04-02 06:30:00,CST-6,2017-04-02 06:30:00,0,0,0,0,,NaN,,NaN,30.04,-99.14,30.04,-99.14,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685553,TEXAS,2017,April,Thunderstorm Wind,"KERR",2017-04-02 06:35:00,CST-6,2017-04-02 06:35:00,0,0,0,0,5.00K,5000,,NaN,29.91,-99.1,29.91,-99.1,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 mph that snapped and uprooted trees in Camp Verde." +114063,685498,TEXAS,2017,April,Hail,"KENDALL",2017-04-02 07:12:00,CST-6,2017-04-02 07:12:00,0,0,0,0,,NaN,,NaN,29.97,-98.9,29.97,-98.9,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685557,TEXAS,2017,April,Thunderstorm Wind,"BLANCO",2017-04-02 07:46:00,CST-6,2017-04-02 07:46:00,0,0,0,0,5.00K,5000,,NaN,29.98,-98.41,29.98,-98.41,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 mph that blew down trees near Hwy 281 and FM 473 in southern Blanco County." +115294,696954,ILLINOIS,2017,April,Flood,"FULTON",2017-04-29 22:45:00,CST-6,2017-04-30 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.5158,-90.4444,40.1896,-90.4516,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.00 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across parts of eastern and central Fulton County. Numerous streets in Canton were impassable, as were numerous rural roads in the county. Illinois Route 9 west of Canton was closed due to high water. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by mid-morning on the 30th." +115294,696959,ILLINOIS,2017,April,Flood,"PEORIA",2017-04-29 22:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9737,-89.6387,40.7783,-89.9844,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across parts of eastern and central Peoria County. Numerous streets in Peoria were impassable, as were numerous rural roads in the county. Illinois Route 29 north of the McClugage Bridge in Peoria was closed for one mile due to a mudslide. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +117470,707671,ARKANSAS,2017,June,Thunderstorm Wind,"MARION",2017-06-23 13:08:00,CST-6,2017-06-23 13:08:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-92.69,36.27,-92.69,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Numerous trees were down north of Summit." +115060,690827,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:38:00,CST-6,2017-04-04 16:38:00,0,0,0,0,0.00K,0,0.00K,0,36.0756,-95.8864,36.0756,-95.8864,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690828,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:53:00,CST-6,2017-04-04 16:53:00,0,0,0,0,0.00K,0,0.00K,0,36.1498,-95.9046,36.1498,-95.9046,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +112887,675731,KENTUCKY,2017,March,Tornado,"HENRY",2017-03-01 06:36:00,EST-5,2017-03-01 06:38:00,0,0,0,0,100.00K,100000,0.00K,0,38.553,-85.211,38.553,-85.191,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A NWS damage survey team in conjunction with Justin Hilliard-Remote Aerial LLC concluded that an EF-1 tornado touched down 2 miles north of Campbellsburg, KY, traveled 1 mile (crossing I-71 and overturning a truck), and then lifted 2.2 miles NE of Campbellsburg. The most significant damage occurred on Jones Ln where 100 mph winds completely destroyed a couple of large barns, along with other small outbuildings. In addition, a large grain bin was demolished, and an anchored mobile home was pushed off its foundation on the north side of the damage path. A large debris field was scattered 200-300 yards downwind. East of I-71, the tornado damaged more outbuildings, and snapped trees. After destroying another older barn, the tornado ended just east of Highway 55 where numerous softwood trees were snapped and uprooted. Very strong convergence was noted in the damage. Also of note, were several instances of straight line wind damage feeding into the main circulation from the south. These wind speeds were estimated at 70-80 mph. We would like to thank Justin Hilliard-Remote Aerial LLC for aerial drone photos." +115060,690829,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-04 16:57:00,CST-6,2017-04-04 16:57:00,0,0,0,0,0.00K,0,0.00K,0,35.5198,-95.7513,35.5198,-95.7513,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690832,OKLAHOMA,2017,April,Thunderstorm Wind,"OSAGE",2017-04-04 17:18:00,CST-6,2017-04-04 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.6948,-96.7273,36.6948,-96.7273,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","Strong thunderstorm wind snapped large tree limbs." +115098,691574,OKLAHOMA,2017,April,Flash Flood,"MAYES",2017-04-29 09:30:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3037,-95.3252,36.298,-95.3027,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Streets were severely flooded in and around Pryor." +115098,691575,OKLAHOMA,2017,April,Flash Flood,"MAYES",2017-04-29 09:30:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4415,-95.2749,36.4351,-95.2779,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Streets were severely flooded in and around Adair." +115098,691577,OKLAHOMA,2017,April,Flash Flood,"MCINTOSH",2017-04-29 10:12:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.4752,-95.5291,35.4665,-95.5331,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous streets were flooded in town." +115098,691578,OKLAHOMA,2017,April,Flash Flood,"MUSKOGEE",2017-04-29 11:26:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.7557,-95.3165,35.7546,-95.3163,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Portions of Gibson Street were flooded near the Muskogee Turnpike." +115099,691732,ARKANSAS,2017,April,Flash Flood,"MADISON",2017-04-29 14:00:00,CST-6,2017-04-29 23:15:00,0,0,2,0,0.00K,0,0.00K,0,36.148,-93.7322,36.2183,-93.7333,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","War Eagle Creek flooded portions of several roads north and east of Hindsville. A woman drove a vehicle into flood water and was swept downstream. She exited the vehicle and survived, but her two young children drowned." +113801,681437,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 18:00:00,EST-5,2017-04-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.18,-84.49,38.18,-84.49,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Scott County emergency manager reported trees down in the area." +113801,681439,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 18:05:00,EST-5,2017-04-05 18:05:00,0,0,0,0,50.00K,50000,0.00K,0,38.23,-84.57,38.23,-84.57,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Scott County emergency manager reported roof damage to Scott County High School." +113801,681440,KENTUCKY,2017,April,Thunderstorm Wind,"JESSAMINE",2017-04-05 18:35:00,EST-5,2017-04-05 18:35:00,0,0,0,0,50.00K,50000,0.00K,0,37.93,-84.5,37.93,-84.5,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Jessamine County emergency manager reported trees down on power lines. Several hundred homes were without power." +113801,681441,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:10:00,CST-6,2017-04-05 15:10:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-86.37,37.01,-86.37,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681443,KENTUCKY,2017,April,Thunderstorm Wind,"HENRY",2017-04-05 16:55:00,EST-5,2017-04-05 16:55:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-85.12,38.4,-85.12,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Local amateur radio operators reported several barns were blown down along Pleasant Road." +113801,681658,KENTUCKY,2017,April,Thunderstorm Wind,"CLARK",2017-04-05 19:17:00,EST-5,2017-04-05 19:17:00,0,0,0,0,50.00K,50000,0.00K,0,38,-84.19,38,-84.19,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Clark County emergency manager reported power lines down in the area along with a tree on a house." +116343,700048,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-05 08:35:00,EST-5,2017-05-05 08:35:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 38 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +116343,700051,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHINCOTEAGUE TO PARRAMORE IS VA OUT 20NM",2017-05-05 09:51:00,EST-5,2017-05-05 09:51:00,0,0,0,0,0.00K,0,0.00K,0,37.9245,-75.397,37.9245,-75.397,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 48 knots was measured at Mesonet Station E9295, 1 mile west southwest of Chincoteague." +116051,697482,CALIFORNIA,2017,April,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-04-07 02:00:00,PST-8,2017-04-07 08:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong April storm brought winter storm like winds to California. Significant damage occurred in Del Norte County where a third of the county lost power during the event.","Measured wind gusts at Slate Creek RAWS between 60 and 88 mph. Schoolhouse RAWS also reported wind gusts to 65 mph." +116051,697483,CALIFORNIA,2017,April,High Wind,"SOUTHERN HUMBOLDT INTERIOR",2017-04-06 15:00:00,PST-8,2017-04-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong April storm brought winter storm like winds to California. Significant damage occurred in Del Norte County where a third of the county lost power during the event.","Kneeland RAWS reported wind gusts between 55 and 63 mph." +116340,699878,VIRGINIA,2017,May,Thunderstorm Wind,"PRINCE GEORGE",2017-05-05 06:35:00,EST-5,2017-05-05 06:35:00,0,0,0,0,15.00K,15000,0.00K,0,37.21,-77.34,37.21,-77.34,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed across the county. Tree was downed on a house on Boisseau Drive." +116760,702156,ARKANSAS,2017,May,Flood,"SHARP",2017-05-01 00:00:00,CST-6,2017-05-01 10:15:00,0,0,0,0,0.00K,0,2500.00K,2500000,36.3139,-91.4837,36.3128,-91.4839,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain at the end of April led to flooding which continued into May, 2017 along the Spring River at Hardy." +116760,704298,ARKANSAS,2017,May,Flood,"IZARD",2017-05-01 00:00:00,CST-6,2017-05-01 19:20:00,0,0,0,0,0.00K,0,0.00K,0,36.1189,-92.1521,36.1093,-92.1566,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rainfall in April caused flooding to begin on the White River." +116760,704299,ARKANSAS,2017,May,Flood,"INDEPENDENCE",2017-05-01 00:00:00,CST-6,2017-05-02 16:50:00,0,0,0,0,0.00K,0,3500.00K,3500000,35.7658,-91.6613,35.7535,-91.673,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the White River at Batesville." +116760,704306,ARKANSAS,2017,May,Flood,"JACKSON",2017-05-01 00:00:00,CST-6,2017-05-17 05:05:00,0,0,0,0,0.00K,0,6500.00K,6500000,35.6108,-91.2997,35.605,-91.3007,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the White River at Newport." +116760,704311,ARKANSAS,2017,May,Flood,"WOODRUFF",2017-05-01 00:00:00,CST-6,2017-05-31 22:59:00,0,0,0,0,0.00K,0,3500.00K,3500000,35.2903,-91.4148,35.2773,-91.4063,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the White River at Augusta." +116051,697484,CALIFORNIA,2017,April,High Wind,"SOUTHWESTERN HUMBOLDT",2017-04-06 17:00:00,PST-8,2017-04-07 01:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong April storm brought winter storm like winds to California. Significant damage occurred in Del Norte County where a third of the county lost power during the event.","Cooskie Mountain RAWS reported wind gusts between 60 and 78 mph." +115615,694444,MASSACHUSETTS,2017,April,Winter Storm,"WESTERN ESSEX",2017-04-01 08:30:00,EST-5,2017-04-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","Trained spotters reported snowfall amounts ranging from 3 to 10 inches. A spotter in the Community Collaborative Rain, Hail, and Snow Network (CoCoRaHS) reported a snow total of 10.1 inches in Newburyport." +115615,694456,MASSACHUSETTS,2017,April,High Wind,"NANTUCKET",2017-04-01 13:28:00,EST-5,2017-04-01 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","At 228 PM EST, an amateur radio operator on Nantucket measured a wind gust of 65 mph. The operator measured wind gusts of 58 to 65 mph between 128 PM and 229 PM EST." +115771,698592,GEORGIA,2017,April,Thunderstorm Wind,"JOHNSON",2017-04-03 14:00:00,EST-5,2017-04-03 14:05:00,0,0,0,0,10.00K,10000,,NaN,32.73,-82.72,32.73,-82.72,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Johnson County Emergency Manager reported that a tree fell on a car, trapping the driver inside. No injuries were reported." +115771,698594,GEORGIA,2017,April,Thunderstorm Wind,"EMANUEL",2017-04-03 14:07:00,EST-5,2017-04-03 14:12:00,0,0,0,0,10.00K,10000,,NaN,32.6302,-82.3636,32.5794,-82.3151,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Emanuel County Emergency Manager reported numerous tree and power lines blown down across Swainsboro. Location include West Moring Street, McKenzie Drive, West Church Street and Advantage Lane." +115771,698593,GEORGIA,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-03 14:40:00,EST-5,2017-04-03 14:45:00,0,0,0,0,8.00K,8000,,NaN,32.1904,-82.5669,32.1904,-82.5669,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Montgomery County 911 center reported trees and power lines blown down around Ailey." +115771,698597,GEORGIA,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-03 14:45:00,EST-5,2017-04-03 14:50:00,0,0,0,0,10.00K,10000,,NaN,32.02,-82.53,32.02,-82.53,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Montgomery County 911 center reported trees and power line sblown down around Uvalda." +115771,698596,GEORGIA,2017,April,Thunderstorm Wind,"WHEELER",2017-04-03 14:25:00,EST-5,2017-04-03 14:35:00,0,0,0,0,12.00K,12000,,NaN,32.1463,-82.8101,32.03,-82.67,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Wheeler County 911 center reported multiple trees blown down across the county." +115772,698601,GEORGIA,2017,April,Thunderstorm Wind,"TROUP",2017-04-05 06:35:00,EST-5,2017-04-05 06:40:00,0,0,0,0,6.00K,6000,,NaN,33.2135,-84.8764,33.2135,-84.8764,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Troup County Emergency Manager reported several trees blown down along Buck Smith Road." +115304,692834,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-06 16:15:00,MST-7,2017-06-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,33.5265,-105.4401,33.5265,-105.4401,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Several inches of at least quarter size hail accumulated along U.S. Highway 380 near Salazar Canyon. The entire mountain side turned white." +115393,692842,NEW MEXICO,2017,June,Thunderstorm Wind,"HARDING",2017-06-08 14:35:00,MST-7,2017-06-08 14:39:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-104.17,35.94,-104.17,"The upper level high pressure system anchored over southwestern New Mexico for several days shifted southeastward into northern Mexico. Low level moisture started to scour out of the area as drier, westerly flow moved into the state on the back side of the upper high. Isolated thunderstorms developed over the northeast plains by mid afternoon and moved southeast toward the Caprock by early evening. Most of the storms produced brief heavy rainfall, small hail, and gusty outflow winds. The strongest thunderstorm moved through the Roy area and produced a peak wind gust to 60 mph.","Peak wind gust to 60 mph near Roy." +115870,696338,NEW MEXICO,2017,June,Hail,"UNION",2017-06-20 15:00:00,MST-7,2017-06-20 15:01:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-103.92,36.85,-103.92,"Moist, low level southeasterly flow over eastern New Mexico and strong afternoon heating combined with northwest flow aloft to produce scattered showers and thunderstorms over New Mexico. The greatest instability developed over northeastern New Mexico where several thunderstorms spawned large hail and severe winds. Several discrete supercells formed around Mora, San Miguel, and Harding counties during the late afternoon hours. These storms merged into a large cluster and moved southeast across the east central plains with localized heavy rainfall.","Ping pong ball size hail from a very brief storm." +115870,696342,NEW MEXICO,2017,June,Hail,"MORA",2017-06-20 16:25:00,MST-7,2017-06-20 16:27:00,0,0,0,0,0.00K,0,0.00K,0,36.01,-104.71,36.01,-104.71,"Moist, low level southeasterly flow over eastern New Mexico and strong afternoon heating combined with northwest flow aloft to produce scattered showers and thunderstorms over New Mexico. The greatest instability developed over northeastern New Mexico where several thunderstorms spawned large hail and severe winds. Several discrete supercells formed around Mora, San Miguel, and Harding counties during the late afternoon hours. These storms merged into a large cluster and moved southeast across the east central plains with localized heavy rainfall.","Half dollar size hail." +113933,690111,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 18:07:00,CST-6,2017-04-14 18:07:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-99.1148,41.28,-99.1148,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +113933,690117,NEBRASKA,2017,April,Hail,"HOWARD",2017-04-14 19:45:00,CST-6,2017-04-14 19:45:00,0,0,0,0,0.00K,0,0.00K,0,41.3358,-98.47,41.3358,-98.47,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +113933,690129,NEBRASKA,2017,April,Hail,"SHERMAN",2017-04-14 20:32:00,CST-6,2017-04-14 20:32:00,0,0,0,0,0.00K,0,0.00K,0,41.2221,-98.98,41.2221,-98.98,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","" +117373,709419,MASSACHUSETTS,2017,June,Thunderstorm Wind,"SUFFOLK",2017-06-27 19:55:00,EST-5,2017-06-27 19:55:00,0,0,0,0,1.00K,1000,0.00K,0,42.3494,-71.1639,42.3494,-71.1639,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 755 PM EST, a tree was down on Washington Street in Brighton." +117373,709420,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-27 20:10:00,EST-5,2017-06-27 20:10:00,0,0,0,0,8.00K,8000,0.00K,0,42.5273,-70.9189,42.5273,-70.9189,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 810 PM EST, a tree was down on a car on Tracey Street, and a tree down on Sunset Drive...both in Peabody." +117373,709421,MASSACHUSETTS,2017,June,Lightning,"WORCESTER",2017-06-27 19:40:00,EST-5,2017-06-27 19:40:00,0,0,0,0,1.00K,1000,0.00K,0,42.0539,-71.739,42.0539,-71.739,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 740 PM EST, a house was struck by lightning on Main Street in Douglas." +117720,707862,WISCONSIN,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-15 20:23:00,CST-6,2017-06-15 20:27:00,0,0,0,0,10.00K,10000,,NaN,42.57,-89.88,42.57,-89.88,"A thunderstorm near a frontal boundary over southwest WI produced downburst winds and tree damage.","Many trees and power lines down in and just south of South Wayne." +117720,707864,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN",2017-06-15 20:28:00,CST-6,2017-06-15 20:31:00,0,0,0,0,2.00K,2000,,NaN,42.53,-89.82,42.53,-89.82,"A thunderstorm near a frontal boundary over southwest WI produced downburst winds and tree damage.","Several trees down on West River Road." +117722,707870,WISCONSIN,2017,June,Hail,"DANE",2017-06-16 21:03:00,CST-6,2017-06-16 21:03:00,0,0,0,0,,NaN,,NaN,43.01,-89.73,43.01,-89.73,"Cluster of thunderstorms due to an approaching cold front moved across southern WI during the evening. One storm produced large hail.","" +117724,707879,WISCONSIN,2017,June,Hail,"WAUKESHA",2017-06-19 12:57:00,CST-6,2017-06-19 12:57:00,0,0,0,0,,NaN,,NaN,43.09,-88.25,43.09,-88.25,"An upper trough brought clusters of thunderstorms to southern WI. Some contained large hail and damaging winds.","" +117724,707880,WISCONSIN,2017,June,Hail,"WALWORTH",2017-06-19 13:04:00,CST-6,2017-06-19 13:04:00,0,0,0,0,,NaN,,NaN,42.79,-88.4,42.79,-88.4,"An upper trough brought clusters of thunderstorms to southern WI. Some contained large hail and damaging winds.","" +117724,707881,WISCONSIN,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-19 12:00:00,CST-6,2017-06-19 12:00:00,0,0,0,0,1.00K,1000,,NaN,43.37,-89.01,43.37,-89.01,"An upper trough brought clusters of thunderstorms to southern WI. Some contained large hail and damaging winds.","A tree blown down onto Old WI 73." +117724,707884,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-19 12:05:00,CST-6,2017-06-19 12:10:00,0,0,0,0,1.00K,1000,,NaN,43.48,-88.83,43.48,-88.83,"An upper trough brought clusters of thunderstorms to southern WI. Some contained large hail and damaging winds.","A tree down on a power line." +115793,695870,MICHIGAN,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-14 22:05:00,EST-5,2017-06-14 22:05:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-84.59,43.76,-84.59,"An isolated severe thunderstorm developed over Coleman in Midland county.","Power lines were reported down." +118019,709482,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"DETROIT RIVER",2017-06-22 18:14:00,EST-5,2017-06-22 18:14:00,0,0,0,0,0.00K,0,0.00K,0,42,-83.14,42,-83.14,"Thunderstorms moving through Lake St. Clair and the Detroit River produced wind gusts approaching 50 mph.","" +118019,709483,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-06-22 18:51:00,EST-5,2017-06-22 18:51:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.91,42.36,-82.91,"Thunderstorms moving through Lake St. Clair and the Detroit River produced wind gusts approaching 50 mph.","" +118019,709484,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-06-22 19:00:00,EST-5,2017-06-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-82.88,42.47,-82.88,"Thunderstorms moving through Lake St. Clair and the Detroit River produced wind gusts approaching 50 mph.","" +118065,709609,MICHIGAN,2017,June,Thunderstorm Wind,"WAYNE",2017-06-30 16:15:00,EST-5,2017-06-30 16:15:00,0,0,0,0,0.00K,0,0.00K,0,42.39,-83.29,42.39,-83.29,"An isolated thunderstorm produced tree damage in Redford.","Large tree limbs reported down." +117775,708078,MICHIGAN,2017,June,Thunderstorm Wind,"ALGER",2017-06-15 17:50:00,EST-5,2017-06-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,46.67,-85.98,46.67,-85.98,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","A measured wind gust at the Grand Marais Light GLOS observing station." +118109,709822,MICHIGAN,2017,June,Heavy Rain,"ALGER",2017-06-18 07:00:00,EST-5,2017-06-19 07:00:00,0,0,0,0,4.00K,4000,0.00K,0,46.66,-85.96,46.66,-85.96,"Showers and thunderstorms forming along a frontal boundary produced heavy rain in the Grand Marais area from the 18th into the morning of the 19th.","The observer in Grand Marais reported several gravel and dirt highways washed out from heavy rain." +117775,708075,MICHIGAN,2017,June,Hail,"ALGER",2017-06-15 17:38:00,EST-5,2017-06-15 17:49:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.62,46.42,-86.62,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","A spotter reported marble to quarter-sized hail near Munising which fell for 11 minutes." +117775,708076,MICHIGAN,2017,June,Hail,"ALGER",2017-06-15 18:23:00,EST-5,2017-06-15 18:38:00,0,0,0,0,0.00K,0,0.00K,0,46.35,-86.47,46.35,-86.47,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","There was a public report of pea to nickel sized hail at Shingleton." +117775,708077,MICHIGAN,2017,June,Hail,"ALGER",2017-06-15 18:55:00,EST-5,2017-06-15 19:00:00,0,0,0,0,0.00K,0,0.00K,0,46.26,-86.44,46.26,-86.44,"An upper disturbance moving over a stalled out frontal boundary produced severe thunderstorms with large hail over Alger and Schoolcraft counties in the afternoon and evening of the 15th.","There was a public report of dime to quarter sized hail five miles north of Steuben." +115228,692112,OREGON,2017,June,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-06-05 01:00:00,PST-8,2017-06-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a cold air mass brought freezing temperatures to a few locations in south central Oregon.","Reported low temperatures ranged from 30 to 43 degrees, except for an outlier low of 61 degrees at 1S Summer Lake." +115469,693396,OREGON,2017,June,Frost/Freeze,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-06-14 01:00:00,PST-8,2017-06-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop below freezing at several locations in south central Oregon.","The only reported low temperature was 27 degrees at Chemult." +115441,699250,OREGON,2017,June,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-06-13 01:00:00,PST-8,2017-06-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop below freezing at a few locations in south central Oregon.","Reported low temperatures ranged from 31 to 35 degrees." +117679,707741,IDAHO,2017,June,Thunderstorm Wind,"ADA",2017-06-04 16:00:00,MST-7,2017-06-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-116.35,43.5457,-116.0884,"An upper level trough and a strong cold front moved through the Inter mountain west producing severe thunderstorms including damaging winds.","Social Media reported trees down from Eagle to Boise and throughout the Treasure Valley." +115249,691920,TEXAS,2017,June,Flash Flood,"SMITH",2017-06-04 15:20:00,CST-6,2017-06-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.5186,-95.3646,32.5177,-95.358,"Scattered showers and thunderstorms developed throughout the morning and afternoon hours on June 4th, ahead of a slow moving upper level storm system that drifted east across the Red River Valley of Southern Oklahoma and North Texas. These storms were slow moving, and given the moderate instability and very moist atmosphere in place, they produced locally heavy rainfall as the moved repeatedly over the same areas across portions of Northeast Texas. As a result, instances of flash flooding were observed across Eastern Red River, Western Bowie, and portions of Northern Smith counties where rainfall amounts of three to in excess of five inches fell over a period of two to four hours, over grounds which were nearing saturation due to earlier rainfall that fell during the previous couple of days.","Farm to Market Road 16 near County Road 4104 was flooded." +114957,690735,NEBRASKA,2017,April,Winter Storm,"SHERMAN",2017-04-30 08:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 3 to 7 inches fell across the county, with the highest amounts over the western half. Near-blizzard conditions were reported, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +114957,690724,NEBRASKA,2017,April,Winter Storm,"DAWSON",2017-04-30 03:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 6 to 12 inches fell across the county. The highest reports included 12 inches falling 6 miles southwest of Lexington and 10 inches falling 4 miles east-southeast of Sumner. Interstate 80 was temporarily closed from Elm Creek in Buffalo County to Overton in Dawson County due to accidents from near-blizzard conditions, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +114957,690742,NEBRASKA,2017,April,Winter Storm,"BUFFALO",2017-04-29 23:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 3 to 7 inches fell across the county, with the highest amounts over the western half. Interstate 80 was temporarily closed from Elm Creek in Buffalo County to Overton in Dawson County due to accidents from near-blizzard conditions, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +115249,691921,TEXAS,2017,June,Flash Flood,"SMITH",2017-06-04 16:45:00,CST-6,2017-06-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.5373,-95.27,32.5369,-95.2687,"Scattered showers and thunderstorms developed throughout the morning and afternoon hours on June 4th, ahead of a slow moving upper level storm system that drifted east across the Red River Valley of Southern Oklahoma and North Texas. These storms were slow moving, and given the moderate instability and very moist atmosphere in place, they produced locally heavy rainfall as the moved repeatedly over the same areas across portions of Northeast Texas. As a result, instances of flash flooding were observed across Eastern Red River, Western Bowie, and portions of Northern Smith counties where rainfall amounts of three to in excess of five inches fell over a period of two to four hours, over grounds which were nearing saturation due to earlier rainfall that fell during the previous couple of days.","Farm to Market Road 14 at County Road 325 was flooded in the Red Springs community." +116018,699529,KANSAS,2017,April,Blizzard,"HASKELL",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 8 to 16 inches was reported across the county. Drifts were 4 to 6 feet high. Cattle loss was over 15,000 head." +116018,699530,KANSAS,2017,April,Blizzard,"SEWARD",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 2 inches across the far southeast part of the county to as much as 16 inches across the northwest sections was reported across the county. Drifts were 4 to 6 feet high across the northwest part of Seward County. Cattle loss was over 2,500 head." +116018,699531,KANSAS,2017,April,Blizzard,"LANE",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 8 to 14 was reported across the county. Drifts were 4 feet high. Cattle loss was over 2,500 head." +115099,691590,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 12:34:00,CST-6,2017-04-29 13:30:00,0,0,0,0,40.00K,40000,0.00K,0,36.3269,-94.1615,36.3272,-94.1603,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Portions of Oak Hill Drive were severely flooded. Flood water entered some homes." +115098,691614,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-29 17:15:00,CST-6,2017-04-29 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.3804,-95.2559,36.3804,-95.2559,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115217,691792,WISCONSIN,2017,April,Lightning,"OUTAGAMIE",2017-04-20 00:30:00,CST-6,2017-04-20 00:30:00,0,0,0,0,100.00K,100000,0.00K,0,44.35,-88.58,44.35,-88.58,"Thunderstorms that moved across Wisconsin produced heavy rainfall and hail. The storms dopped penny size hail in Manitowoc (Manitowoc Co.), and lightning from one of the storms caused a house fire northwest of Appleton, in Ellington (Outagamie Co.).","Lightning stuck a gas meter outside a home, causing it to ignite. The fire caused considerable heat and smoke damage to the home and displaced its two residents." +115272,692056,IDAHO,2017,April,Debris Flow,"BOUNDARY",2017-04-12 10:30:00,PST-8,2017-04-14 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.65,-116.35,48.6487,-116.3496,"Saturated soil conditions across north Idaho caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Boundary and Bonner Counties in particular was disrupted by numerous road closures due to debris flows and flooding undermining road beds during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.||In addition to two debris flows cutting highway 95, which is a main artery in Boundary County, at least eight secondary roads were washed out, undermined or otherwise damaged by flooding in the county.||In Bonner County at least seven secondary roads were closed in the county due to flood damage.","A second debris flow cut Highway 95, which is a primary route through Boundary County, between Naples and Bonners Ferry." +115099,691564,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-28 11:54:00,CST-6,2017-04-29 04:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3173,-94.1052,36.3679,-94.1084,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Streets were flooded and closed in Rogers." +114952,692184,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-21 08:28:00,CST-6,2017-04-21 08:28:00,0,0,0,0,0.00K,0,0.00K,0,35.4208,-97.4881,35.4208,-97.4881,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","No damage reported." +116090,697744,MINNESOTA,2017,May,Hail,"HOUSTON",2017-05-17 15:29:00,CST-6,2017-05-17 15:29:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-91.57,43.76,-91.57,"Two lines of severe thunderstorms moved across southeast Minnesota during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms produced two weak tornadoes. An EF-0 tornado produced isolated minor damage in Plainview (Wabasha County) and another EF-0 tornado caused tree and roof damage in Elgin (Wabasha County). A 66 mph wind gust was measured in Rochester (Olmsted County) and walnut sized hail fell in Mazeppa (Wabasha County).","Quarter sized hail fell in Houston." +116089,697748,IOWA,2017,May,Thunderstorm Wind,"CLAYTON",2017-05-17 15:35:00,CST-6,2017-05-17 15:35:00,0,0,0,0,110.00K,110000,0.00K,0,43.05,-91.36,43.05,-91.36,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","A machine shed was destroyed and a house damaged east of Monona." +115177,697799,MISSOURI,2017,May,Hail,"BARRY",2017-05-26 23:02:00,CST-6,2017-05-26 23:02:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-93.96,36.55,-93.96,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697815,MISSOURI,2017,May,Hail,"DENT",2017-05-27 12:38:00,CST-6,2017-05-27 12:38:00,0,0,0,0,,NaN,0.00K,0,37.63,-91.49,37.63,-91.49,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697922,MISSOURI,2017,May,Hail,"POLK",2017-05-27 17:24:00,CST-6,2017-05-27 17:24:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-93.45,37.8,-93.45,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115942,696873,NORTH DAKOTA,2017,June,Hail,"EDDY",2017-06-09 19:35:00,CST-6,2017-06-09 19:35:00,0,0,0,0,,NaN,,NaN,47.81,-98.57,47.81,-98.57,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696874,NORTH DAKOTA,2017,June,Hail,"NELSON",2017-06-09 19:40:00,CST-6,2017-06-09 19:40:00,0,0,0,0,,NaN,,NaN,48.18,-98.4,48.18,-98.4,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Quarter to golf ball sized hail fell." +115942,696875,NORTH DAKOTA,2017,June,Hail,"NELSON",2017-06-09 19:40:00,CST-6,2017-06-09 19:40:00,0,0,0,0,,NaN,,NaN,47.85,-98.47,47.85,-98.47,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Dime to quarter sized hail covered the ground." +115942,696876,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BENSON",2017-06-09 19:50:00,CST-6,2017-06-09 19:50:00,0,0,0,0,,NaN,,NaN,47.93,-98.8,47.93,-98.8,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A large tree was uprooted and numerous tree branches were blown down." +116022,697233,MINNESOTA,2017,June,Funnel Cloud,"WILKIN",2017-06-21 17:20:00,CST-6,2017-06-21 17:20:00,0,0,0,0,0.00K,0,0.00K,0,46.36,-96.63,46.36,-96.63,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","A well developed wall cloud produced a funnel." +116022,697234,MINNESOTA,2017,June,Hail,"BECKER",2017-06-21 17:22:00,CST-6,2017-06-21 17:22:00,0,0,0,0,,NaN,,NaN,46.94,-96.13,46.94,-96.13,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","" +116022,697236,MINNESOTA,2017,June,Tornado,"WILKIN",2017-06-21 17:24:00,CST-6,2017-06-21 17:25:00,0,0,0,0,,NaN,,NaN,46.34,-96.54,46.3379,-96.5306,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","Video and photographic evidence showed that this tornado produced a sizable dust plume, but no damage of note. Peak winds were estimated at 70 mph." +116022,697237,MINNESOTA,2017,June,Hail,"POLK",2017-06-21 17:35:00,CST-6,2017-06-21 17:35:00,0,0,0,0,,NaN,,NaN,47.83,-95.7,47.83,-95.7,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","Nickel to quarter sized hail was reported." +116022,697240,MINNESOTA,2017,June,Thunderstorm Wind,"POLK",2017-06-21 17:40:00,CST-6,2017-06-21 17:40:00,0,0,0,0,,NaN,,NaN,47.86,-95.62,47.86,-95.62,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","A few 3 to 5 inch diameter tree branches were blown down along with some dime to nickel sized hail." +116022,697241,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-21 17:50:00,CST-6,2017-06-21 17:50:00,0,0,0,0,,NaN,,NaN,46.3,-96.1,46.3,-96.1,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","A vehicle was blown off the road." +119570,717813,NEW MEXICO,2017,September,Flash Flood,"DE BACA",2017-09-25 15:30:00,MST-7,2017-09-25 17:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4369,-104.0086,34.412,-103.9901,"A potent upper level storm system over the western United States continued to pump abundant moisture and instability northward into the New Mexico. Another large area of heavy rain with embedded thunderstorms surged northward over the eastern plains during the early morning hours of the 25th, resulting in saturated soils across much of the area. The next round of showers and thunderstorms that developed by the mid to late afternoon hours dumped torrential rainfall over Chaves, De Baca, Curry, Roosevelt, and Quay counties through the night. A powerful storm that moved through the Fort Sumner area produced flash flooding and several inches of small hail. Numerous road closures were reported. A strong storm that moved through the Portales area produced penny size hail and rainfall amounts near four inches.","State highway 294 closed due to flash flooding between mile markers 0 and 15." +117402,706053,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 18:47:00,CST-6,2017-06-23 18:47:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-100.45,31.45,-100.45,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","KLST TV Facebook reported a building collapse at 3700 Block of North Bryant. People were reportedly trapped inside." +117402,706057,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 19:00:00,CST-6,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.58,-100.55,31.58,-100.55,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","A trained spotter reported a 65 mph wind gust in Grape Creek." +117265,705336,KANSAS,2017,June,Hail,"DECATUR",2017-06-06 12:45:00,CST-6,2017-06-06 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8188,-100.5281,39.8188,-100.5281,"During the afternoon strong to severe thunderstorms moved southeast across Northwest Kansas producing nickel to quarter size hail. The largest hail was reported in Hill City.","Quite a bit of dime size hail fell along with heavy rainfall." +117265,705337,KANSAS,2017,June,Hail,"WICHITA",2017-06-06 14:39:00,CST-6,2017-06-06 14:39:00,0,0,0,0,0.00K,0,0.00K,0,38.642,-101.3672,38.642,-101.3672,"During the afternoon strong to severe thunderstorms moved southeast across Northwest Kansas producing nickel to quarter size hail. The largest hail was reported in Hill City.","" +117265,705338,KANSAS,2017,June,Hail,"GRAHAM",2017-06-06 15:00:00,CST-6,2017-06-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.37,-99.85,39.37,-99.85,"During the afternoon strong to severe thunderstorms moved southeast across Northwest Kansas producing nickel to quarter size hail. The largest hail was reported in Hill City.","" +117265,705339,KANSAS,2017,June,Hail,"DECATUR",2017-06-06 12:45:00,CST-6,2017-06-06 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.829,-100.5531,39.829,-100.5531,"During the afternoon strong to severe thunderstorms moved southeast across Northwest Kansas producing nickel to quarter size hail. The largest hail was reported in Hill City.","Mostly pea size hail with a few nickel size hailstones." +118177,710185,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:30:00,CST-6,2017-06-27 19:30:00,0,0,0,0,7.00K,7000,0.00K,0,41.13,-100.96,41.13,-100.96,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Empty grain bin damaged." +118177,710186,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:40:00,CST-6,2017-06-27 19:40:00,0,0,0,0,20.00K,20000,0.00K,0,41.35,-100.51,41.35,-100.51,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Power poles snapped." +118177,710188,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:41:00,CST-6,2017-06-27 19:41:00,0,0,0,0,15.00K,15000,0.00K,0,41.37,-100.35,41.37,-100.35,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","One quarter mile of new power poles snapped. One was anchored down by a connection to a pivot." +118177,710192,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:43:00,CST-6,2017-06-27 19:43:00,0,0,0,0,,NaN,,NaN,41.32,-100.25,41.32,-100.25,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Wood power poles leaning over." +118177,710193,NEBRASKA,2017,June,Thunderstorm Wind,"LOGAN",2017-06-27 19:45:00,CST-6,2017-06-27 19:45:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-100.31,41.42,-100.31,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Damage to a MBS building, power poles down, and large water tanks blown over. One of the power poles was snagged by a car and was drug one half mile on highway 92." +118177,710194,NEBRASKA,2017,June,Thunderstorm Wind,"LOGAN",2017-06-27 19:45:00,CST-6,2017-06-27 19:45:00,0,0,0,0,35.00K,35000,0.00K,0,41.45,-100.27,41.45,-100.27,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Empty 5th wheel camper was blown over and pushed into the corner of a home causing damage to the siding and a roof overhang. An anchored wooden swing set was also blown over. Basket ball hope with a weighted base blown 20 yards." +118177,710195,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 19:46:00,CST-6,2017-06-27 19:46:00,0,0,0,0,,NaN,,NaN,41.44,-100.22,41.44,-100.22,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Several 10 inch limbs down from softwood trees." +118177,710196,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 19:47:00,CST-6,2017-06-27 19:47:00,0,0,0,0,,NaN,,NaN,41.42,-100.19,41.42,-100.19,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Large healthy cottonwood tree snapped at the base." +118177,710454,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:13:00,CST-6,2017-06-27 20:13:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.6,-99.84,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by cooperative observer." +118177,710456,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:31:00,CST-6,2017-06-27 20:31:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-99.64,41.41,-99.64,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Official gust." +118177,710457,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 20:41:00,CST-6,2017-06-27 20:41:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-99.63,41.62,-99.63,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by mesonet." +118177,710458,NEBRASKA,2017,June,Thunderstorm Wind,"CHERRY",2017-06-27 21:05:00,CST-6,2017-06-27 21:05:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-102.01,42.26,-102.01,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by the public." +118177,710459,NEBRASKA,2017,June,Thunderstorm Wind,"HOOKER",2017-06-27 20:48:00,MST-7,2017-06-27 20:48:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-101.12,42.04,-101.12,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Reported by law enforcement." +118177,710461,NEBRASKA,2017,June,Thunderstorm Wind,"WHEELER",2017-06-27 22:00:00,CST-6,2017-06-27 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-98.6,42.06,-98.6,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Public report." +118177,710462,NEBRASKA,2017,June,Thunderstorm Wind,"CHERRY",2017-06-27 22:31:00,CST-6,2017-06-27 22:31:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-100.53,42.36,-100.53,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Department of roads site." +118228,710474,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 14:08:00,CST-6,2017-06-29 14:08:00,0,0,0,0,0.00K,0,0.00K,0,42.16,-99.06,42.16,-99.06,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710475,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 14:30:00,CST-6,2017-06-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-98.98,42.21,-98.98,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710477,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 14:32:00,CST-6,2017-06-29 14:32:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-98.96,42.17,-98.96,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +115434,693182,WEST VIRGINIA,2017,June,Thunderstorm Wind,"RALEIGH",2017-06-13 10:25:00,EST-5,2017-06-13 10:25:00,0,0,0,0,5.00K,5000,0.00K,0,37.81,-81.15,37.81,-81.15,"A rather tropical like atmosphere with abundant moisture, and several weak upper level waves, lead to scattered showers and thunderstorms. With the high moisture content, heavy rainfall occurred in many storms. One storm produced a localized wet microburst which resulted in some tree damage.","Thunderstorm winds caused downed trees and power lines along Stanaford Road, with about 500 folks without power. Nearby, at the Beckley airport, the ASOS also had a 50 knot gusts." +115451,693290,TEXAS,2017,June,Hail,"HALE",2017-06-12 19:30:00,CST-6,2017-06-12 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.9744,-101.6936,33.9744,-101.6936,"Isolated storms formed along a late spring season dryline over the central South Plains. With abundant instability, these storms quickly became severe and produced very large hail and strong wind gusts. Several vehicles were damaged in and around Plainview (Hale County) from large hail.","A storm chaser reported hail up to three inches in diameter. However, no damage was reported." +115451,693292,TEXAS,2017,June,Thunderstorm Wind,"FLOYD",2017-06-12 20:55:00,CST-6,2017-06-12 20:55:00,0,0,0,0,0.00K,0,0.00K,0,34.0067,-101.3166,34.0067,-101.3166,"Isolated storms formed along a late spring season dryline over the central South Plains. With abundant instability, these storms quickly became severe and produced very large hail and strong wind gusts. Several vehicles were damaged in and around Plainview (Hale County) from large hail.","A Texas Tech University West Texas mesonet site near Floydada measured a wind gust to 62 mph." +115451,693293,TEXAS,2017,June,Thunderstorm Wind,"HALE",2017-06-12 20:48:00,CST-6,2017-06-12 20:50:00,0,0,0,0,0.00K,0,0.00K,0,34.128,-101.5697,34.128,-101.5697,"Isolated storms formed along a late spring season dryline over the central South Plains. With abundant instability, these storms quickly became severe and produced very large hail and strong wind gusts. Several vehicles were damaged in and around Plainview (Hale County) from large hail.","A Texas Tech University West Texas mesonet measured a wind gust to 62 mph." +115453,693300,TEXAS,2017,June,Hail,"BRISCOE",2017-06-13 16:36:00,CST-6,2017-06-13 16:40:00,0,0,0,0,0.00K,0,0.00K,0,34.6262,-100.9757,34.6262,-100.9757,"A second consecutive day of late spring season dryline storms developed over the central South Plains. A few of these isolated storms quickly became severe under a very unstable atmosphere.","A storm chaser reported a swath of hail along State Highway 70 near the Briscoe/Hall County line." +115453,693301,TEXAS,2017,June,Hail,"HALL",2017-06-13 16:40:00,CST-6,2017-06-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,34.6315,-100.9408,34.6315,-100.9408,"A second consecutive day of late spring season dryline storms developed over the central South Plains. A few of these isolated storms quickly became severe under a very unstable atmosphere.","A storm chaser reported a swath of hail along State Highway 70 near the Briscoe/Hall County line." +115453,693302,TEXAS,2017,June,Thunderstorm Wind,"HALL",2017-06-13 17:25:00,CST-6,2017-06-13 17:25:00,0,0,0,0,0.00K,0,0.00K,0,34.7302,-100.5176,34.7302,-100.5176,"A second consecutive day of late spring season dryline storms developed over the central South Plains. A few of these isolated storms quickly became severe under a very unstable atmosphere.","A Texas Tech University West Texas mesonet near Memphis reported a wind gust to 68 mph." +115461,693322,COLORADO,2017,June,Hail,"PHILLIPS",2017-06-11 20:06:00,MST-7,2017-06-11 20:06:00,0,0,0,0,,NaN,,NaN,40.58,-102.3,40.58,-102.3,"In Phillips County, a severe thunderstorm produced large hail from quarter to golf ball size.","" +115461,693323,COLORADO,2017,June,Hail,"PHILLIPS",2017-06-11 20:10:00,MST-7,2017-06-11 20:10:00,0,0,0,0,,NaN,,NaN,40.58,-102.3,40.58,-102.3,"In Phillips County, a severe thunderstorm produced large hail from quarter to golf ball size.","" +115469,693395,OREGON,2017,June,Frost/Freeze,"KLAMATH BASIN",2017-06-14 01:00:00,PST-8,2017-06-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop below freezing at several locations in south central Oregon.","Reported low temperatures ranged from 30 to 34 degrees." +115476,693427,KENTUCKY,2017,June,Flash Flood,"MAGOFFIN",2017-06-14 15:37:00,EST-5,2017-06-14 15:50:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-83.05,37.7176,-83.0326,"Numerous thunderstorms developed this morning and afternoon across eastern Kentucky. One of these produced high winds in Wolfe County, while two instances of flash flooding occurred in Magoffin and Knott Counties.","Broadcast media relayed flash flooding along Highway 7 between the intersection with Highways 867 and 1090 near Royalton. Low lying areas of Highway 1471 were also flooded at the head of Oakley Creek." +115484,693473,INDIANA,2017,June,Thunderstorm Wind,"DEARBORN",2017-06-13 10:21:00,EST-5,2017-06-13 10:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.26,-84.83,39.26,-84.83,"Strong to severe thunderstorms developed in a hot and humid airmass.","Several trees were reported down." +115482,693438,OHIO,2017,June,Flash Flood,"GREENE",2017-06-13 07:52:00,EST-5,2017-06-13 09:52:00,0,0,0,0,0.00K,0,0.00K,0,39.7351,-83.7995,39.7344,-83.8004,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","High water was reported at the intersection of State Route 72 and Turnbull Road." +115482,693439,OHIO,2017,June,Flash Flood,"LOGAN",2017-06-13 20:00:00,EST-5,2017-06-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3836,-83.7526,40.3821,-83.7536,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Water was reported over a portion of U.S. 68 north of Bellefontaine." +115482,693440,OHIO,2017,June,Flood,"HARDIN",2017-06-13 19:00:00,EST-5,2017-06-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-83.55,40.5836,-83.557,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Minor flooding was reported in the eastern part of the county." +115482,693441,OHIO,2017,June,Flood,"SHELBY",2017-06-13 19:00:00,EST-5,2017-06-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-84.18,40.4709,-84.1802,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","High water was reported in several places in the Botkins area." +115482,693442,OHIO,2017,June,Flood,"UNION",2017-06-13 20:30:00,EST-5,2017-06-13 21:30:00,0,0,0,0,0.00K,0,0.00K,0,40.266,-83.4863,40.2646,-83.4875,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","High water was reported on the road." +113475,679318,KENTUCKY,2017,April,Thunderstorm Wind,"CAMPBELL",2017-04-05 17:36:00,EST-5,2017-04-05 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,38.89,-84.37,38.89,-84.37,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was knocked down on Race Track Rd. A couple of power lines were knocked down in several locations throughout the county." +113475,679319,KENTUCKY,2017,April,Thunderstorm Wind,"PENDLETON",2017-04-05 18:03:00,EST-5,2017-04-05 18:08:00,0,0,0,0,4.00K,4000,0.00K,0,38.75,-84.31,38.75,-84.31,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Scattered tree damage was reported throughout the county, particularly in the northern half." +113475,679317,KENTUCKY,2017,April,Thunderstorm Wind,"OWEN",2017-04-05 17:14:00,EST-5,2017-04-05 17:19:00,0,0,0,0,2.00K,2000,0.00K,0,38.45,-84.82,38.45,-84.82,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was knocked down on Greenup Rd. Also, barn debris from an unknown source was found on Greenup Rd." +113474,679316,INDIANA,2017,April,Thunderstorm Wind,"UNION",2017-04-05 16:35:00,EST-5,2017-04-05 16:40:00,0,0,0,0,5.00K,5000,0.00K,0,39.53,-84.82,39.53,-84.82,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A porch was blown off of a residence. Also, the roof was peeled off over the doorway." +113364,679322,NEW MEXICO,2017,April,Winter Weather,"NORTHWEST PLATEAU",2017-04-03 22:00:00,MST-7,2017-04-04 03:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","The combination of 2 to 3 inches of wet snow followed by strong winds in the Farmington area resulted in several downed tree limbs and power lines. Many utility customers were without power throughout the day on the 4th. Damages to power lines have been estimated." +113488,679362,WISCONSIN,2017,April,Hail,"PRICE",2017-04-09 21:42:00,CST-6,2017-04-09 21:42:00,0,0,0,0,,NaN,,NaN,45.77,-90.47,45.77,-90.47,"A couple severe thunderstorms tracked across Price County, in northwest Wisconsin, during the evening of Sunday April 9th. The storms produced hail up to the size of quarters and strong wind gusts.","The hailstones ranged from the size of peas to dimes." +113389,678453,OHIO,2017,April,Flood,"VINTON",2017-04-01 00:00:00,EST-5,2017-04-03 02:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.0603,-82.4127,39.1546,-82.378,"Following heavy rainfall on March 31, several creeks and streams remained above bankfull April 1st, and into the 3nd. The West Fork of Duck Creek at Macksburg in Washington County, Monday Creek at Doanville in Athens County, and Raccoon Creek at Bolins Mills in Vinton County were all out of their banks early on the 1st. Flooding lingered along Raccoon Creek into the early morning hours on the 3rd.||The Shade River at Chester in Meigs County briefly rose out of its banks as other streams began to drain. It topped bankfull (17 feet) early on the 1st, crested about half a foot above bankfull just after sunrise, and quickly returned to its banks by late morning.","Flooding along Raccoon Creek resulted in multiple closed roads. Some of the impacted roads include State Routes 143 and 346." +113389,678459,OHIO,2017,April,Flood,"MEIGS",2017-04-01 04:00:00,EST-5,2017-04-01 10:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.0408,-81.8625,39.0878,-81.9335,"Following heavy rainfall on March 31, several creeks and streams remained above bankfull April 1st, and into the 3nd. The West Fork of Duck Creek at Macksburg in Washington County, Monday Creek at Doanville in Athens County, and Raccoon Creek at Bolins Mills in Vinton County were all out of their banks early on the 1st. Flooding lingered along Raccoon Creek into the early morning hours on the 3rd.||The Shade River at Chester in Meigs County briefly rose out of its banks as other streams began to drain. It topped bankfull (17 feet) early on the 1st, crested about half a foot above bankfull just after sunrise, and quickly returned to its banks by late morning.","Flooding along the Shade River near Chester resulted in water flowing over the Sugar Run Creek Bridge near Oak Hill Road. There was also minor flooding of low lying areas along the Shade River." +113872,681941,KENTUCKY,2017,April,Flood,"HARLAN",2017-04-23 16:40:00,EST-5,2017-04-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.7674,-83.1737,36.7339,-83.268,"An area of low pressure moving across the Tennessee Valley brought an area of persistent light to moderate rain into southeastern Kentucky, beginning this morning and lasting into the overnight hours. This round of rain fell on top of what had fallen the previous several days, thus leading to numerous instances of flooding. ||Rivers and streams began to rise through the day as widespread four day rainfall amounts of 4-5 inches fell near the Virginia and Tennessee state lines, with three day amounts of 3-4 inches common. Several roads were closed due to high water, while multiple points along the Cumberland River experienced minor flooding for the next couple of days. Minor flooding was also reported on the Kentucky River at Ravenna, while several points along the Kentucky and Big Sandy Rivers breached action stage.","Emergency management reported water from Cranks Creek spilling over onto U.S. Highway 421 in Cranks, along with water from Martins Fork flowing over Kentucky Highway 987 in Smith." +114093,683280,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:21:00,CST-6,2017-04-16 17:26:00,0,0,0,0,,NaN,,NaN,31.9425,-102.1889,31.9425,-102.1889,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683283,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:25:00,CST-6,2017-04-16 17:30:00,0,0,0,0,,NaN,,NaN,31.9928,-102.1429,31.9928,-102.1429,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683285,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:27:00,CST-6,2017-04-16 17:32:00,0,0,0,0,,NaN,,NaN,32.0158,-102.1415,32.0158,-102.1415,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683289,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:30:00,CST-6,2017-04-16 17:35:00,0,0,0,0,,NaN,,NaN,31.9999,-102.1044,31.9999,-102.1044,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683290,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:32:00,CST-6,2017-04-16 17:42:00,0,0,0,0,,NaN,,NaN,32.0016,-102.0911,32.0016,-102.0911,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683477,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:35:00,CST-6,2017-04-16 17:40:00,0,0,0,0,,NaN,,NaN,32.0106,-102.1115,32.0106,-102.1115,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683479,TEXAS,2017,April,Hail,"ECTOR",2017-04-16 17:37:00,CST-6,2017-04-16 17:42:00,0,0,0,0,,NaN,,NaN,31.9814,-102.6155,31.9814,-102.6155,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114222,685691,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:42:00,CST-6,2017-03-06 18:43:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-94.87,40.39,-94.87,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685692,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:48:00,CST-6,2017-03-06 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-94.62,40.44,-94.62,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +112310,722842,PENNSYLVANIA,2017,February,Winter Storm,"MONROE",2017-02-09 01:30:00,EST-5,2017-02-09 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Some higher reported snowfall amounts include 9.0 inches in Mount Pocono, 8.2 inches in Bartonsville, and 7.0 inches in Analomink." +114222,685759,MISSOURI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-06 20:08:00,CST-6,2017-03-06 20:11:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-94.37,38.96,-94.37,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","KLXT ASOS in Lee's Summit recorded a 56 knot (64 mph) wind gust with a line of storms that moved through that area." +117470,707677,ARKANSAS,2017,June,Thunderstorm Wind,"STONE",2017-06-23 14:05:00,CST-6,2017-06-23 14:05:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-92.12,35.87,-92.12,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Numerous trees were down and a sign was blown off at the Sonic in Mountain View." +113740,681651,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 19:04:00,CST-6,2017-04-14 19:04:00,0,0,0,0,0.00K,0,0.00K,0,34.536,-102.4118,34.536,-102.4118,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser observed a brief rope tornado just north of State Highway 86 about six miles west of Dimmitt. No damage was reported." +113740,683965,TEXAS,2017,April,Thunderstorm Wind,"CASTRO",2017-04-14 18:20:00,CST-6,2017-04-14 18:25:00,0,0,0,0,42.00K,42000,0.00K,0,34.5497,-102.327,34.5575,-102.3128,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Touchstone Energy reported that 14 power poles were damaged on the west and northwest side of Dimmitt. The damage was likely from severe inflow winds. The time of this event was estimated from adjacent severe wind reports." +114408,696302,MONTANA,2017,April,Funnel Cloud,"GALLATIN",2017-04-25 15:48:00,MST-7,2017-04-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-111.43,45.88,-111.43,"On April 25th, 2017, low-level convergence along a stationary front oriented roughly north-to-south near I-15 and upper-level divergence ahead of an approaching shortwave trough from the west contributed to the development of numerous showers and thunderstorms over North-Central MT. Some of these thunderstorms produced large quantities of small hail. One storm in particular produced up to nickel-size hail that accumulated to several inches along I-15 near Dutton, MT. Early in the evening, a low-topped supercell prompted a severe thunderstorm warning for south-central Cascade County, well south of Great Falls. However, this warning did not verify.","Facebook post of a funnel cloud near Logan. Time estimated based on radar." +114408,696303,MONTANA,2017,April,Hail,"TETON",2017-04-25 15:42:00,MST-7,2017-04-25 16:42:00,0,0,0,0,0.00K,0,0.00K,0,47.96,-111.71,47.96,-111.71,"On April 25th, 2017, low-level convergence along a stationary front oriented roughly north-to-south near I-15 and upper-level divergence ahead of an approaching shortwave trough from the west contributed to the development of numerous showers and thunderstorms over North-Central MT. Some of these thunderstorms produced large quantities of small hail. One storm in particular produced up to nickel-size hail that accumulated to several inches along I-15 near Dutton, MT. Early in the evening, a low-topped supercell prompted a severe thunderstorm warning for south-central Cascade County, well south of Great Falls. However, this warning did not verify.","Reported and Facebook Live video streaming of dime to nickel sized hail covering road at least an inch deep. Cars pulling off of road with at least one car in a ditch." +114408,696304,MONTANA,2017,April,Hail,"TETON",2017-04-25 16:53:00,MST-7,2017-04-25 17:53:00,0,0,0,0,0.00K,0,0.00K,0,47.93,-111.71,47.93,-111.71,"On April 25th, 2017, low-level convergence along a stationary front oriented roughly north-to-south near I-15 and upper-level divergence ahead of an approaching shortwave trough from the west contributed to the development of numerous showers and thunderstorms over North-Central MT. Some of these thunderstorms produced large quantities of small hail. One storm in particular produced up to nickel-size hail that accumulated to several inches along I-15 near Dutton, MT. Early in the evening, a low-topped supercell prompted a severe thunderstorm warning for south-central Cascade County, well south of Great Falls. However, this warning did not verify.","Media relayed report of 5 to 6 inches of hail north of Dutton. Hail size estimated based on previous reports." +114623,687449,IOWA,2017,April,Hail,"GUTHRIE",2017-04-15 18:55:00,CST-6,2017-04-15 18:55:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-94.32,41.51,-94.32,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Emergency manager reported penny sized hail." +114623,687450,IOWA,2017,April,Hail,"POWESHIEK",2017-04-15 19:00:00,CST-6,2017-04-15 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-92.55,41.73,-92.55,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel to quarter sized hail. Time estimated from radar." +114623,687452,IOWA,2017,April,Hail,"MAHASKA",2017-04-15 19:08:00,CST-6,2017-04-15 19:08:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-92.58,41.47,-92.58,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported quarter sized hail at his son's property. Time radar estimated." +114623,687455,IOWA,2017,April,Hail,"JASPER",2017-04-15 21:00:00,CST-6,2017-04-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-93.24,41.6,-93.24,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported pea to quarter sized hail ongoing at the time of report." +114782,688484,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-19 17:55:00,CST-6,2017-04-19 17:56:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-98.27,38.74,-98.27,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Reported at 9th and Old Highway 40 West of Ellsworth." +114782,688485,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-19 18:04:00,CST-6,2017-04-19 18:05:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-98.23,38.74,-98.23,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688486,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-19 18:09:00,CST-6,2017-04-19 18:10:00,0,0,0,0,0.00K,0,0.00K,0,38.69,-98.18,38.69,-98.18,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688488,KANSAS,2017,April,Hail,"ELLSWORTH",2017-04-19 18:15:00,CST-6,2017-04-19 18:16:00,0,0,0,0,0.00K,0,0.00K,0,38.72,-98.17,38.72,-98.17,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688489,KANSAS,2017,April,Hail,"BARTON",2017-04-19 18:31:00,CST-6,2017-04-19 18:32:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-98.79,38.39,-98.79,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114782,688490,KANSAS,2017,April,Hail,"BARTON",2017-04-19 18:51:00,CST-6,2017-04-19 18:52:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.55,38.36,-98.55,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","" +114605,687317,MINNESOTA,2017,April,Hail,"MOWER",2017-04-09 19:12:00,CST-6,2017-04-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-92.94,43.67,-92.94,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail fell in Austin." +114835,688866,WASHINGTON,2017,April,Flash Flood,"SNOHOMISH",2017-04-20 00:00:00,PST-8,2017-04-20 00:00:00,0,0,0,0,0.00K,0,0.00K,0,47.9883,-122.1525,47.9887,-122.1405,"A convergence zone caused heavy rain and flash flooding in Snohomish county, near Marysville and Lake Stevens.","Heavy rain caused a Flash Flood in Marysville, washing out Heineck Farms." +114834,688893,VIRGINIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-21 18:24:00,EST-5,2017-04-21 18:24:00,0,0,0,0,15.00K,15000,0.00K,0,38.24,-76.97,38.24,-76.97,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Several trees were downed and campers were damaged at Monroe Bay Campground near Colonial Beach." +113368,691351,MISSOURI,2017,April,Thunderstorm Wind,"MCDONALD",2017-04-04 17:49:00,CST-6,2017-04-04 17:49:00,0,0,0,0,0.00K,0,0.00K,0,36.7315,-94.4249,36.7315,-94.4249,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Estimated wind gusts of 60 to 80 mph were reported with power flashes." +115706,695355,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-23 11:45:00,CST-6,2017-06-23 11:45:00,0,0,0,0,0.20K,200,0.00K,0,34.8063,-87.2507,34.8063,-87.2507,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down across CR 70 south of U.S. 72 in Rogersville." +115706,695359,ALABAMA,2017,June,Thunderstorm Wind,"LIMESTONE",2017-06-23 12:28:00,CST-6,2017-06-23 12:28:00,0,0,0,0,0.20K,200,0.00K,0,34.7203,-86.9663,34.7203,-86.9663,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A large tree was knocked down across Stewart Road, north of Nuclear Plant Road in Tanner." +115706,695360,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-23 13:14:00,CST-6,2017-06-23 13:14:00,0,0,0,0,0.20K,200,0.00K,0,34.7769,-87.2831,34.7769,-87.2831,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Power lines were knocked down across Lakeview Drive in Rogersville." +115706,695361,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:01:00,CST-6,2017-06-23 14:01:00,0,0,0,0,0.20K,200,0.00K,0,34.7569,-86.6725,34.7569,-86.6725,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down at Oakwood Road and Research Park Blvd." +115706,695363,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:16:00,CST-6,2017-06-23 14:16:00,0,0,0,0,0.50K,500,0.00K,0,34.5831,-86.7632,34.5831,-86.7632,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Trees were knocked down at 329 Landess Circle in Triana." +115706,700971,ALABAMA,2017,June,Flash Flood,"COLBERT",2017-06-23 12:48:00,CST-6,2017-06-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-87.67,34.7456,-87.6634,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Local media reported a vehicle submerged in a drainage ditch at South Gate Mall on Avalon Avenue in Muscle Shoals. Depth of water unknown." +115706,700974,ALABAMA,2017,June,Flash Flood,"COLBERT",2017-06-23 13:12:00,CST-6,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-87.7,34.7394,-87.7019,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","EMA reported flooding at 1st Street and Commons Street in Tuscumbia." +115706,700976,ALABAMA,2017,June,Flash Flood,"COLBERT",2017-06-23 13:12:00,CST-6,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-87.67,34.7256,-87.6781,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","EMA reports flooded roads across Woodward Avenue from 2nd Street to 6th Street. Depth of water unknown." +115706,700977,ALABAMA,2017,June,Flash Flood,"LIMESTONE",2017-06-23 14:10:00,CST-6,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-86.97,34.7133,-86.9813,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Water reported running over numerous roads across Limestone County, particularly in the Tanner Community. Depth of water unknown at this time." +115706,700978,ALABAMA,2017,June,Flash Flood,"MADISON",2017-06-23 14:32:00,CST-6,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-86.67,34.8871,-86.6821,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Fire Department reported road flooding along Carters Gin Road." +115030,690397,GEORGIA,2017,April,Drought,"PICKENS",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690414,GEORGIA,2017,April,Drought,"COBB",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +117661,707522,INDIANA,2017,June,Hail,"KOSCIUSKO",2017-06-19 14:39:00,EST-5,2017-06-19 14:40:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-85.85,41.28,-85.85,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","" +117661,707523,INDIANA,2017,June,Hail,"MIAMI",2017-06-19 18:21:00,EST-5,2017-06-19 18:22:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-86.08,40.89,-86.08,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","" +117666,707525,INDIANA,2017,June,Thunderstorm Wind,"WHITE",2017-06-17 23:23:00,EST-5,2017-06-17 23:24:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-87.04,40.77,-87.04,"Several supercells developed on portions of Illinois and moved towards western Indiana. These storms congealed into a bow echo that impacted locations mainly south of the forecast area. However, the comma head of the system did produce some wind damage in a few counties.","Trained spotters reported a tree was blown down as was some tree limbs." +117666,707526,INDIANA,2017,June,Thunderstorm Wind,"GRANT",2017-06-18 00:46:00,EST-5,2017-06-18 00:47:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-85.65,40.42,-85.65,"Several supercells developed on portions of Illinois and moved towards western Indiana. These storms congealed into a bow echo that impacted locations mainly south of the forecast area. However, the comma head of the system did produce some wind damage in a few counties.","A trained spotter estimated wind gusts to 65 mph." +117749,707969,OHIO,2017,June,Hail,"ALLEN",2017-06-13 16:12:00,EST-5,2017-06-13 16:13:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-84.2,40.79,-84.2,"Scattered thunderstorms developed in portions of northern Indiana and moved east into northwestern Ohio. Sporadic storm mergers and outflow boundary interactions caused some storms to briefly intensify and produce localized damage during the collapse stage. Video of what appears to be a gustnado was noted in the Grover Hill area. No damage was reported.","" +117749,707970,OHIO,2017,June,Hail,"DEFIANCE",2017-06-13 16:16:00,EST-5,2017-06-13 16:17:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.36,41.28,-84.36,"Scattered thunderstorms developed in portions of northern Indiana and moved east into northwestern Ohio. Sporadic storm mergers and outflow boundary interactions caused some storms to briefly intensify and produce localized damage during the collapse stage. Video of what appears to be a gustnado was noted in the Grover Hill area. No damage was reported.","" +117749,707972,OHIO,2017,June,Thunderstorm Wind,"ALLEN",2017-06-13 16:10:00,EST-5,2017-06-13 16:11:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-84.17,40.79,-84.17,"Scattered thunderstorms developed in portions of northern Indiana and moved east into northwestern Ohio. Sporadic storm mergers and outflow boundary interactions caused some storms to briefly intensify and produce localized damage during the collapse stage. Video of what appears to be a gustnado was noted in the Grover Hill area. No damage was reported.","Local media reported structure damage to a few barns, some fencing and the back room of a home that was blown out, causing roof and wall damage to the home. In addition treed were snapped and branches stripped from trees." +115127,691024,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"MARLBORO",2017-04-03 16:30:00,EST-5,2017-04-03 16:31:00,0,0,0,0,1.00K,1000,0.00K,0,34.6601,-79.7698,34.6601,-79.7698,"A squall line moved into the area during the evening hours which resulted in a few reports of wind damage.","A tree was reported down across the roadway. The time was estimated based on radar data." +115127,691025,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"MARLBORO",2017-04-03 16:35:00,EST-5,2017-04-03 16:36:00,0,0,0,0,1.00K,1000,0.00K,0,34.7407,-79.6778,34.7407,-79.6778,"A squall line moved into the area during the evening hours which resulted in a few reports of wind damage.","A tree was reportedly down on Stantons Rd. The time was estimated based on radar data." +115127,691026,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"FLORENCE",2017-04-03 17:00:00,EST-5,2017-04-03 17:01:00,0,0,0,0,1.00K,1000,0.00K,0,34.1101,-79.913,34.1101,-79.913,"A squall line moved into the area during the evening hours which resulted in a few reports of wind damage.","A tree was reportedly down on the southbound lane of Interstate 95 near exit 153." +115127,691027,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"WILLIAMSBURG",2017-04-03 17:34:00,EST-5,2017-04-03 17:35:00,0,0,0,0,1.00K,1000,0.00K,0,33.7238,-79.8921,33.7238,-79.8921,"A squall line moved into the area during the evening hours which resulted in a few reports of wind damage.","A tree was reported down on Sumter Hwy. The time was estimated based on radar data." +113899,691109,MISSOURI,2017,April,Tornado,"BARRY",2017-04-26 00:34:00,CST-6,2017-04-26 00:35:00,0,0,0,0,75.00K,75000,0.00K,0,36.4989,-93.597,36.5048,-93.584,"Severe storms hit the Missouri Ozarks.","A NWS storm survey confirmed an EF-1 crossed the Arkansas and Missouri border into extreme southeastern Barry County near St. Johns Wood Lane and the Kings River. Numerous trees were snapped or uprooted on a path through a near by hill side across the Kings River. A few trees were blown on to homes in the area. Estimated maximum wind speed was up to 90 mph." +114084,691337,MISSOURI,2017,April,Heavy Rain,"CAMDEN",2017-04-29 14:20:00,CST-6,2017-04-29 14:20:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-92.83,38.19,-92.83,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 1.34 inches was measured in about 2 hours." +114084,691338,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-29 14:15:00,CST-6,2017-04-29 14:15:00,0,0,0,0,0.00K,0,0.00K,0,36.56,-93.69,36.56,-93.69,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 6.96 was measured since midnight. Rainfall of 3.74 inches was measured in a three hour period." +114084,691339,MISSOURI,2017,April,Heavy Rain,"NEWTON",2017-04-29 15:24:00,CST-6,2017-04-29 15:24:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-94.36,36.86,-94.36,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 6.25 inches was measured in 24 hours." +114084,691340,MISSOURI,2017,April,Heavy Rain,"TEXAS",2017-04-29 16:31:00,CST-6,2017-04-29 16:31:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-91.96,37.33,-91.96,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Storm total rainfall of 9.70 inches was measured." +114084,691341,MISSOURI,2017,April,Heavy Rain,"HOWELL",2017-04-29 16:30:00,CST-6,2017-04-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-91.87,36.74,-91.87,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 3.94 inches was measured in one hour." +114084,691342,MISSOURI,2017,April,Heavy Rain,"TANEY",2017-04-29 17:45:00,CST-6,2017-04-29 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-93.2,36.53,-93.2,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Rainfall of 5.31 inches was measured since 5 am." +115183,696694,ILLINOIS,2017,April,Flash Flood,"SANGAMON",2017-04-29 18:00:00,CST-6,2017-04-29 22:15:00,0,0,0,0,0.00K,0,0.00K,0,39.9015,-89.994,39.5222,-89.9262,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across central and southern Sangamon County. Numerous streets in Springfield were impassable, as were numerous rural roads and highways in the county. The greatest impacts occurred in the far northwest and southern parts of the county, from south of Ashland toward Loami and Auburn. Parts of Illinois Route 4 toward Thayer were closed." +115183,696696,ILLINOIS,2017,April,Flash Flood,"CHRISTIAN",2017-04-29 19:00:00,CST-6,2017-04-29 22:15:00,0,0,0,0,0.00K,0,0.00K,0,39.7965,-89.2674,39.641,-89.5331,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Christian County. Numerous streets in Taylorville and Pana were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern part of the county near Morrisonville, where Illinois Route 48 was closed due to flowing water." +114606,687334,WISCONSIN,2017,April,Hail,"TREMPEALEAU",2017-04-09 21:52:00,CST-6,2017-04-09 21:52:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-91.42,44.36,-91.42,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Quarter sized hail was reported in Independence." +114950,691968,OKLAHOMA,2017,April,High Wind,"KIOWA",2017-04-15 02:55:00,CST-6,2017-04-15 02:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds blew across northwest Oklahoma late on the 14th into the early morning of the 15th. Additional wind gusts were produced when showers and thunderstorms entered southwest Oklahoma early on the 15th.","Hobart asos." +112887,675719,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:27:00,CST-6,2017-03-01 07:27:00,0,0,0,0,75.00K,75000,0.00K,0,36.91,-86.23,36.91,-86.23,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported that severe thunderstorm winds snapped and uprooted several mature trees which blocked Martinsville Ford Road, and damaged a wooden fence. There were also several outbuildings damaged." +112887,675729,KENTUCKY,2017,March,Tornado,"BUTLER",2017-03-01 00:35:00,CST-6,2017-03-01 00:37:00,0,0,0,0,50.00K,50000,0.00K,0,37.184,-86.88,37.192,-86.87,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The National Weather Service in conjunction with WxorNot Bowling Green Meteorologist Landon Hampton determined a low end EF-1 tornado touched down in southwestern Butler County. The tornado touched down south of D&G archery in far western Butler County. The overwhelming majority of the damage was snapped, twisted & uprooted trees. The only exception was a building damaged right near the initial point where it touched down near a pond. The tornado was in an extremely rugged area except where it crossed Hwy 70. The tornado ended about 3/4 mile northeast of Hwy 70 in rugged countryside." +116916,703133,VIRGINIA,2017,May,Hail,"CUMBERLAND",2017-05-27 16:22:00,EST-5,2017-05-27 16:22:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-78.37,37.37,-78.37,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703134,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:30:00,EST-5,2017-05-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-77.58,37.68,-77.58,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Half dollar size hail was reported." +113899,691097,MISSOURI,2017,April,Thunderstorm Wind,"TANEY",2017-04-26 01:05:00,CST-6,2017-04-26 01:05:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-93.05,36.67,-93.05,"Severe storms hit the Missouri Ozarks.","A large oak tree was uprooted." +113899,691080,MISSOURI,2017,April,Thunderstorm Wind,"HOWELL",2017-04-26 09:02:00,CST-6,2017-04-26 09:02:00,0,0,0,0,100.00K,100000,0.00K,0,36.73,-91.85,36.73,-91.85,"Severe storms hit the Missouri Ozarks.","A communication tower was blown down into a building on the east side of West Plains." +119146,715788,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-15 07:00:00,EST-5,2017-07-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.16,38.37,-75.16,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.16 inches was measured at Ocean Pines (1 SSW)." +119146,715789,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-14 18:15:00,EST-5,2017-07-14 18:15:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.58,38.37,-75.58,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Minor street flooding was reported on East Main Street." +119376,716532,VIRGINIA,2017,July,Thunderstorm Wind,"CAROLINE",2017-07-22 17:40:00,EST-5,2017-07-22 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,38.17,-77.39,38.17,-77.39,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Trees were downed on Route 2 near Stonewall Jackson Road." +119376,716535,VIRGINIA,2017,July,Thunderstorm Wind,"ESSEX",2017-07-22 18:50:00,EST-5,2017-07-22 18:50:00,0,0,0,0,1.00K,1000,0.00K,0,37.87,-76.82,37.87,-76.82,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Large tree was downed on Johnville Road near Dunnsville." +114084,691276,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 05:15:00,CST-6,2017-04-29 08:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.6432,-93.8693,36.6392,-93.8688,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","A vehicle was swept off the road by flood water." +114084,691360,MISSOURI,2017,April,Flash Flood,"OREGON",2017-04-29 15:00:00,CST-6,2017-04-29 18:00:00,0,0,0,0,4.00M,4000000,0.00K,0,36.6896,-91.3946,36.6906,-91.3934,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous county roads and bridges were damaged by flash floods. Several campgrounds and river access areas were severely damaged across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Oregon County. $3M in damages were reported to roads alone in the county." +114084,691305,MISSOURI,2017,April,Flash Flood,"OZARK",2017-04-29 16:27:00,CST-6,2017-04-29 19:27:00,0,0,0,0,10.00K,10000,0.00K,0,36.6035,-92.4257,36.5982,-92.4317,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","There was a vehicle in the flood water near Lick Creek at Highway 160 and Highway 5 in Gainesville." +114084,691367,MISSOURI,2017,April,Flash Flood,"DENT",2017-04-29 02:00:00,CST-6,2017-04-29 06:00:00,0,0,0,0,1.00M,1000000,0.00K,0,37.6547,-91.5341,37.6574,-91.5443,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across Dent County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses and homes across Dent County." +114355,685250,WYOMING,2017,April,Winter Weather,"NORTHERN CAMPBELL",2017-04-25 00:00:00,MST-7,2017-04-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow overnight, with the heaviest band of snow developing across far northeastern Wyoming. Snowfall ranged from three to six inches across northern Campbell and Crook Counties with localized higher amounts reported across far northeast Wyoming into the Bear Lodge Mountains.","" +114355,685251,WYOMING,2017,April,Winter Weather,"WESTERN CROOK",2017-04-25 01:00:00,MST-7,2017-04-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow overnight, with the heaviest band of snow developing across far northeastern Wyoming. Snowfall ranged from three to six inches across northern Campbell and Crook Counties with localized higher amounts reported across far northeast Wyoming into the Bear Lodge Mountains.","" +114355,685253,WYOMING,2017,April,Winter Storm,"WYOMING BLACK HILLS",2017-04-25 00:00:00,MST-7,2017-04-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system crossed the region, bringing rain and snow to much of the area. Rain changed to snow overnight, with the heaviest band of snow developing across far northeastern Wyoming. Snowfall ranged from three to six inches across northern Campbell and Crook Counties with localized higher amounts reported across far northeast Wyoming into the Bear Lodge Mountains.","" +115175,691467,COLORADO,2017,April,Winter Storm,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-04-28 17:00:00,MST-7,2017-04-29 13:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"In the Front Range Foothills and along the Palmer Divide, storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 18 inches near Nederland, 16.5 inches near Idledale, 16 inches near Pinecliffe, 15 inches at Kittredge, 14 inches at Ken Caryl and near Roxborough State Park, 12.5 inches near Elizabeth, 12 inches in Eldorado Springs, 11 inches near Brookvale and 12 miles northwest of Golden, with 10.5 inches at Lone Tree.||Heavier south occurred over the western and southern suburbs of Denver. Storm totals included: 10 inches in Littleton, 8 inches at Centennial, 3 miles southeast of Denver and near Greenwood Village, 7 inches near Wheat Ridge, 6 inches in Arvada and Castle Pines, with 5 inches in Boulder. Across the northern part of Denver, lesser amounts of 1 to 4 inches were observed.","Storm totals included: 18 inches near Nederland, 16 inches near Pinecliffe, 12 inches in Eldorado Springs, 9.5 inches in Rollinsville, 9 inches on Horsetooth Mountain, 8.5 inches in Allenspark, with 8 inches in Bellvue." +114359,685265,SOUTH DAKOTA,2017,April,Winter Weather,"SOUTHERN FOOT HILLS",2017-04-28 00:00:00,MST-7,2017-04-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to southwestern South Dakota. Rain changed to snow overnight and continued into the morning. Snowfall amounts were generally a few inches; however, higher elevations of the southern Black Hills from Pringle and Wind Cave to near Custer received more than six inches of snow.","" +114359,685266,SOUTH DAKOTA,2017,April,Winter Weather,"CENTRAL BLACK HILLS",2017-04-27 23:00:00,MST-7,2017-04-28 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to southwestern South Dakota. Rain changed to snow overnight and continued into the morning. Snowfall amounts were generally a few inches; however, higher elevations of the southern Black Hills from Pringle and Wind Cave to near Custer received more than six inches of snow.","" +114751,688850,TENNESSEE,2017,April,Hail,"CLAY",2017-04-05 16:20:00,CST-6,2017-04-05 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.6173,-85.4427,36.6173,-85.4427,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Quarter size hail was reported around 7 miles northeast of Celina." +114751,688849,TENNESSEE,2017,April,Hail,"MACON",2017-04-05 16:09:00,CST-6,2017-04-05 16:09:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-85.85,36.53,-85.85,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A tSpotter Twitter report indicated golf ball size hail fell in Red Boiling Springs." +114751,688851,TENNESSEE,2017,April,Hail,"DEKALB",2017-04-05 17:02:00,CST-6,2017-04-05 17:02:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-85.85,35.97,-85.85,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed hail up to quarter size in Smithville." +114751,688852,TENNESSEE,2017,April,Hail,"DEKALB",2017-04-05 17:05:00,CST-6,2017-04-05 17:05:00,0,0,0,0,0.00K,0,0.00K,0,35.999,-85.85,35.999,-85.85,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Penny size hail was reported 2 miles north of Smithville." +115417,694609,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 19:00:00,EST-5,2017-04-05 19:01:00,0,0,0,0,,NaN,,NaN,32.85,-80.08,32.85,-80.08,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported penny size hail." +115417,694610,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-05 19:04:00,EST-5,2017-04-05 19:05:00,0,0,0,0,,NaN,,NaN,32.8,-80.02,32.8,-80.02,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report via amateur radio indicated quarter size hail near the intersection of Highway 61 and Glenn McConnell Parkway." +115417,694611,SOUTH CAROLINA,2017,April,Hail,"BERKELEY",2017-04-05 19:15:00,EST-5,2017-04-05 19:16:00,0,0,0,0,,NaN,,NaN,32.88,-79.9,32.88,-79.9,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The public reported nickel size hail." +115417,694612,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-05 18:04:00,EST-5,2017-04-05 18:05:00,0,0,0,0,,NaN,,NaN,32.66,-80.65,32.66,-80.65,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The South Carolina Highway Patrol reported a tree down near the intersection of Highway 17 and Wiggins Road." +115417,694613,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHARLESTON",2017-04-05 19:20:00,EST-5,2017-04-05 19:21:00,0,0,0,0,,NaN,,NaN,32.8,-79.84,32.8,-79.84,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report via social media indicated a large tree down in the Moss Park area." +115418,694599,ATLANTIC SOUTH,2017,April,Marine Hail,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-05 22:52:00,EST-5,2017-04-05 22:53:00,0,0,0,0,,NaN,,NaN,32,-80.84,32,-80.84,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","A report via social media indicated quarter size hail observed near 2nd Avenue." +115439,693176,MICHIGAN,2017,April,High Wind,"SANILAC",2017-04-06 10:00:00,EST-5,2017-04-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system impacted the Great Lakes region, with storm to gale force winds over Lake Huron. The stronger winds off Lake Huron also impacted the Thumb Region, and Bay county, as trees were reported blown down and uprooted.","" +115439,693177,MICHIGAN,2017,April,High Wind,"BAY",2017-04-06 10:00:00,EST-5,2017-04-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system impacted the Great Lakes region, with storm to gale force winds over Lake Huron. The stronger winds off Lake Huron also impacted the Thumb Region, and Bay county, as trees were reported blown down and uprooted.","" +115439,693178,MICHIGAN,2017,April,High Wind,"ST. CLAIR",2017-04-06 10:00:00,EST-5,2017-04-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system impacted the Great Lakes region, with storm to gale force winds over Lake Huron. The stronger winds off Lake Huron also impacted the Thumb Region, and Bay county, as trees were reported blown down and uprooted.","" +115439,693174,MICHIGAN,2017,April,Lakeshore Flood,"BAY",2017-04-06 10:00:00,EST-5,2017-04-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system impacted the Great Lakes region, with storm to gale force winds over Lake Huron. The stronger winds off Lake Huron also impacted the Thumb Region, and Bay county, as trees were reported blown down and uprooted.","Persistent northeast gales to storms over Saginaw Bay lead to lakeshore flooding across parts of Bay county. For instance, flooding was reported at Estate Complex just north of Bay City. Water was also seen at the base of a house in Essexville. The Saginaw Bay water level at Essexville peaked just over 583 Feet at 15Z." +114952,692175,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-21 07:22:00,CST-6,2017-04-21 07:22:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-97.4,35.19,-97.4,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","" +115596,694245,UTAH,2017,April,Hail,"DAVIS",2017-04-08 14:25:00,MST-7,2017-04-08 14:42:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-112.06,41.13,-111.93,"A strong storm system moved through Utah on April 7, 8, and 9, bringing heavy snowfall, gusty winds, and hail with associated thunderstorms.","Multiple people in Davis County reported approximately quarter-sized hail." +115596,694253,UTAH,2017,April,Thunderstorm Wind,"DAVIS",2017-04-08 14:46:00,MST-7,2017-04-08 14:46:00,0,0,0,0,0.00K,0,0.00K,0,41.1242,-111.9158,41.1242,-111.9158,"A strong storm system moved through Utah on April 7, 8, and 9, bringing heavy snowfall, gusty winds, and hail with associated thunderstorms.","A CWOP station in South Weber recorded a peak wind gust of 61 mph." +115596,694268,UTAH,2017,April,High Wind,"SOUTHWEST UTAH",2017-04-08 16:40:00,MST-7,2017-04-08 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved through Utah on April 7, 8, and 9, bringing heavy snowfall, gusty winds, and hail with associated thunderstorms.","Southwesterly winds were strong ahead of the front, with a peak recorded gust of 64 mph at the Milford Municipal Airport/Ben and Judy Briscoe Field ASOS." +115603,694412,NEW YORK,2017,April,Strong Wind,"NORTHERN SARATOGA",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM and CWOP stations were around 35 mph." +115603,694404,NEW YORK,2017,April,Strong Wind,"MONTGOMERY",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM stations were around 37 mph." +115603,694420,NEW YORK,2017,April,Strong Wind,"NORTHERN WARREN",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM stations were around 35 mph." +115603,694423,NEW YORK,2017,April,Strong Wind,"NORTHERN WASHINGTON",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from CWOP stations ranged from 30 to 49 mph." +115603,694425,NEW YORK,2017,April,Strong Wind,"SOUTHERN WASHINGTON",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from CWOP stations were around 36 mph." +115603,694399,NEW YORK,2017,April,Strong Wind,"EASTERN ALBANY",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from ASOS, CWOP, and NYSM stations ranged from 32 to 49 mph." +117432,706207,FLORIDA,2017,June,Flood,"ALACHUA",2017-06-07 19:43:00,EST-5,2017-06-07 19:43:00,0,0,0,0,0.00K,0,0.00K,0,29.6822,-82.3118,29.6771,-82.313,"An area of low pressure tracked along a frontal zone draped across SE GA through the day, with high moisture content and passing upper level trough energy. Waves of heavy rainfall caused localized flooding across NE FL.","Storm drains were blocked and flooding was occurring across the area. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +117432,706208,FLORIDA,2017,June,Heavy Rain,"ALACHUA",2017-06-07 09:00:00,EST-5,2017-06-07 20:40:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-82.37,29.68,-82.37,"An area of low pressure tracked along a frontal zone draped across SE GA through the day, with high moisture content and passing upper level trough energy. Waves of heavy rainfall caused localized flooding across NE FL.","A spotter measured 4.25 inches since 1000 am that morning." +117432,706209,FLORIDA,2017,June,Heavy Rain,"FLAGLER",2017-06-07 11:35:00,EST-5,2017-06-07 11:35:00,0,0,0,0,0.00K,0,0.00K,0,29.48,-81.13,29.48,-81.13,"An area of low pressure tracked along a frontal zone draped across SE GA through the day, with high moisture content and passing upper level trough energy. Waves of heavy rainfall caused localized flooding across NE FL.","Parts of A1A were underwater but still passable near North 7th Street." +117432,706210,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-07 18:00:00,EST-5,2017-06-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,29.07,-82.04,29.07,-82.04,"An area of low pressure tracked along a frontal zone draped across SE GA through the day, with high moisture content and passing upper level trough energy. Waves of heavy rainfall caused localized flooding across NE FL.","A spotter in Belleview measured 4.5 inches in 13 hours." +117434,706216,FLORIDA,2017,June,Flash Flood,"MARION",2017-06-10 16:15:00,EST-5,2017-06-10 16:25:00,0,0,0,0,20.00K,20000,0.00K,0,29.1544,-82.1781,29.1604,-82.1266,"Sea breeze storms and resultant outflow boundaries merged over a very moist airmass with light steering winds. Very slow moving, heavy rainfall producing storms caused flooding south of Ocala.","Localized heavy rainfall caused flash flooding in an urban area just south of Ocala. At 5:15 pm local time, county dispatch relayed that a vehicle near the intersection of SW College Road and SW 27th Avenue stalled in flood water, and water was to the top of the driver seat in the vehicle. Rescue units extracted 2 males in the vehicle, no injuries reported. At 5:20 pm local time, a spotter reported that the right hand land of north bound U. S. Highway 441 was impassable south of Ocala. At 6:15 pm local time, a sink hole formed near SW College road that trapped 1 to 2 vehicles. The exact cost of damage was unknown for this flood event, but it was estimated for the event to be included in Storm Data." +117434,706217,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-10 15:35:00,EST-5,2017-06-10 16:52:00,0,0,0,0,0.00K,0,0.00K,0,29.18,-82.16,29.18,-82.16,"Sea breeze storms and resultant outflow boundaries merged over a very moist airmass with light steering winds. Very slow moving, heavy rainfall producing storms caused flooding south of Ocala.","The WeatherStem station at Dr. NH Jones Elementary school measured 3.32 inches of rainfall within about 1 hour." +117434,706218,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-10 17:08:00,EST-5,2017-06-10 17:35:00,0,0,0,0,0.00K,0,0.00K,0,29.13,-82.11,29.13,-82.11,"Sea breeze storms and resultant outflow boundaries merged over a very moist airmass with light steering winds. Very slow moving, heavy rainfall producing storms caused flooding south of Ocala.","A spotter measured 4.62 inches in less than 30 minutes." +114040,683344,INDIANA,2017,April,Flash Flood,"DUBOIS",2017-04-28 23:01:00,EST-5,2017-04-28 23:01:00,0,0,0,0,50.00K,50000,0.00K,0,38.3,-86.95,38.3,-86.9474,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","The Dubois County Emergency Manager reported a vehicle stalled in high water at Washington Street and State Road 64. There were also multiple vehicles stranded across the county." +114040,683342,INDIANA,2017,April,Flash Flood,"DUBOIS",2017-04-28 22:20:00,EST-5,2017-04-28 22:20:00,0,0,0,0,0.00K,0,0.00K,0,38.4224,-86.9509,38.423,-86.9461,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","The Dubois Emergency Manager reported high water over the roadway at Saint Charles Street and 36th Street." +114040,683346,INDIANA,2017,April,Flash Flood,"CLARK",2017-04-29 02:20:00,EST-5,2017-04-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,38.2949,-85.7587,38.2932,-85.7568,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","Local media reported Eastern Boulevard underpass flooded." +114040,683347,INDIANA,2017,April,Flash Flood,"FLOYD",2017-04-29 02:20:00,EST-5,2017-04-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,38.3516,-85.8166,38.3473,-85.817,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","Local media reported Grant Line Road had high water over the roadway." +115217,691787,WISCONSIN,2017,April,Hail,"MANITOWOC",2017-04-20 00:33:00,CST-6,2017-04-20 00:33:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-87.66,44.08,-87.66,"Thunderstorms that moved across Wisconsin produced heavy rainfall and hail. The storms dopped penny size hail in Manitowoc (Manitowoc Co.), and lightning from one of the storms caused a house fire northwest of Appleton, in Ellington (Outagamie Co.).","Penny size hail fell in Manitowoc as a thunderstorm passed." +116928,703283,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-16 18:44:00,CST-6,2017-06-16 18:44:00,0,0,0,0,10.00K,10000,0.00K,0,43.57,-90.64,43.57,-90.64,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","The frame for a pole shed was knocked over near La Farge." +116928,703284,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-16 18:07:00,CST-6,2017-06-16 18:07:00,0,0,0,0,2.00K,2000,0.00K,0,43.71,-91.02,43.71,-91.02,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Trees were blown down and across State Highway 162 north of Coon Valley." +116928,703285,WISCONSIN,2017,June,Thunderstorm Wind,"MONROE",2017-06-16 18:23:00,CST-6,2017-06-16 18:23:00,0,0,0,0,2.00K,2000,0.00K,0,43.82,-90.88,43.82,-90.88,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Trees were blown down northwest of Melvina near the intersection of County Roads Y and J." +116928,703287,WISCONSIN,2017,June,Thunderstorm Wind,"MONROE",2017-06-16 18:50:00,CST-6,2017-06-16 18:50:00,0,0,0,0,2.00K,2000,0.00K,0,43.93,-90.52,43.93,-90.52,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Trees were blown down south of Tomah." +115772,698353,GEORGIA,2017,April,Hail,"MUSCOGEE",2017-04-05 04:00:00,EST-5,2017-04-05 04:10:00,0,0,0,0,,NaN,,NaN,32.46,-84.99,32.46,-84.99,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","Several social media reports of quarter size hail were received from the downtown Columbus area." +115772,698355,GEORGIA,2017,April,Hail,"MUSCOGEE",2017-04-05 04:00:00,EST-5,2017-04-05 04:10:00,0,0,0,0,,NaN,,NaN,32.512,-84.9538,32.512,-84.9538,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported penny size hail along Armour Road in Columbus." +115772,698356,GEORGIA,2017,April,Hail,"FAYETTE",2017-04-05 07:06:00,EST-5,2017-04-05 07:16:00,0,0,0,0,,NaN,,NaN,33.35,-84.51,33.35,-84.51,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service employee reported penny size hail in the Whitewater area." +115772,698358,GEORGIA,2017,April,Hail,"HEARD",2017-04-05 07:10:00,EST-5,2017-04-05 07:20:00,0,0,0,0,,NaN,,NaN,33.37,-85.1,33.37,-85.1,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported nickel size hail in Centralhatchee." +115772,698359,GEORGIA,2017,April,Hail,"FULTON",2017-04-05 07:44:00,EST-5,2017-04-05 07:54:00,0,0,0,0,4.10M,4100000,,NaN,33.55,-84.67,33.55,-84.67,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Fulton County Emergency Manager relayed a report from the Fire Chief of golf ball size hail in Chattahoochee Hills area around the intersection of Wilkerson Mill Road and Cascade-Palmetto Road." +115771,698574,GEORGIA,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-03 12:22:00,EST-5,2017-04-03 12:32:00,0,0,0,0,10.00K,10000,,NaN,32.63,-83.87,32.63,-83.87,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported multiple trees and power lines down along Taylors Mill Road." +115427,693068,TEXAS,2017,April,Thunderstorm Wind,"SAN JACINTO",2017-04-02 11:55:00,CST-6,2017-04-02 11:55:00,0,0,0,0,0.00K,0,0.00K,0,30.45,-94.96,30.45,-94.96,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Thunderstorm winds downed trees." +115427,693070,TEXAS,2017,April,Thunderstorm Wind,"HOUSTON",2017-04-02 12:00:00,CST-6,2017-04-02 12:00:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-95.18,31.36,-95.18,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Numerous trees were downed and a barn was damaged." +115427,693074,TEXAS,2017,April,Thunderstorm Wind,"SAN JACINTO",2017-04-02 12:18:00,CST-6,2017-04-02 12:18:00,0,0,0,0,0.00K,0,0.00K,0,30.5632,-95.2258,30.5632,-95.2258,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Trees downed near Evergreen by thunderstorm winds." +115320,692365,TEXAS,2017,April,Funnel Cloud,"WHARTON",2017-04-12 15:55:00,CST-6,2017-04-12 15:55:00,0,0,0,0,0.00K,0,0.00K,0,29.17,-96.23,29.17,-96.23,"A funnel cloud was sighted.","A funnel cloud was sighted near the intersection of FM 405 and FM 406 and Texas Highway 71." +115323,692367,TEXAS,2017,April,Lightning,"BRAZOS",2017-04-11 10:30:00,CST-6,2017-04-11 10:30:00,0,0,0,0,0.30K,300,0.00K,0,30.62,-96.34,30.62,-96.34,"A lightning strike snapped a couple of trees.","A lightning strike snapped two small trees on the TAMU campus." +115426,693057,TEXAS,2017,April,Hail,"HARRIS",2017-04-29 06:10:00,CST-6,2017-04-29 06:10:00,0,0,0,0,0.00K,0,0.00K,0,29.75,-94.97,29.75,-94.97,"An early morning severe thunderstorm produced quarter sized hail.","Quarter sized hail was reported in Baytown." +115532,693654,GULF OF MEXICO,2017,April,Waterspout,"MATAGORDA BAY",2017-04-17 12:30:00,CST-6,2017-04-17 12:40:00,0,0,0,0,0.00K,0,0.00K,0,28.623,-96.5896,28.623,-96.5896,"There was a waterspout and associated wind gust in the Lavaca Bay area.","A waterspout was sighted in the eastern part of Lavaca Bay." +115773,695891,GEORGIA,2017,April,Hail,"DE KALB",2017-04-18 14:05:00,EST-5,2017-04-18 14:15:00,0,0,0,0,,NaN,,NaN,33.8858,-84.2502,33.8858,-84.2502,"Marginal instability and a weak cold front combined to produce scattered thunderstorms across north Georgia during the afternoon. Moderate mid-level lapse rates helped to produce an isolated report of large hail in the Atlanta metropolitan area.","The attendant at a gas station at the corner of Stonecrest Court and Chamblee Tucker Road reported quarter size hail." +114821,688702,VIRGINIA,2017,April,Thunderstorm Wind,"HENRICO",2017-04-06 08:36:00,EST-5,2017-04-06 08:36:00,0,0,0,0,2.00K,2000,0.00K,0,37.46,-77.34,37.46,-77.34,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees were downed near Dorey Park." +114000,695859,MINNESOTA,2017,April,Ice Storm,"NORTHERN COOK / NORTHERN LAKE",2017-04-26 04:00:00,CST-6,2017-04-26 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved north-northeast through the Upper Midwest and Great Lakes and spread rain into northeast Minnesota. Meanwhile, unseasonably cold, subfreezing air surface air poured into the northeast Minnesota amidst northeast flow from Ontario. The rain transitioned to freezing rain and sleet across much of the Arrowhead, with parts of the eastern Minnesota Arrowhead getting a quarter inch or more of icing from freezing rain, as well as significant sleet accumulation and some snow. Some of the hardest hit areas included Grand Marais, Grand Portage, and the Gunflint Trail where icy roads caused some traffic mishaps.","" +114000,695860,MINNESOTA,2017,April,Ice Storm,"SOUTHERN COOK",2017-04-26 04:00:00,CST-6,2017-04-26 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moved north-northeast through the Upper Midwest and Great Lakes and spread rain into northeast Minnesota. Meanwhile, unseasonably cold, subfreezing air surface air poured into the northeast Minnesota amidst northeast flow from Ontario. The rain transitioned to freezing rain and sleet across much of the Arrowhead, with parts of the eastern Minnesota Arrowhead getting a quarter inch or more of icing from freezing rain, as well as significant sleet accumulation and some snow. Some of the hardest hit areas included Grand Marais, Grand Portage, and the Gunflint Trail where icy roads caused some traffic mishaps.","" +114130,683494,WISCONSIN,2017,April,Thunderstorm Wind,"MARATHON",2017-04-09 23:26:00,CST-6,2017-04-09 23:26:00,0,0,0,0,0.00K,0,0.00K,0,44.69,-90.24,44.69,-90.24,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nearly 200 trees were toppled, most uprooted, by a thunderstorm microburst with winds estimated near 80 mph." +115235,691860,LAKE MICHIGAN,2017,April,Marine Hail,"STURGEON BAY TO TWO RIVERS WI",2017-04-10 05:55:00,CST-6,2017-04-10 05:55:00,0,0,0,0,0.00K,0,0.00K,0,44.48,-87.5,44.48,-87.5,"Large hail fell over the nearshore waters of Lake Michigan near Kewaunee.","A thunderstorm dropped quarter size hail north of Kewaunee before it moved offshore." +114560,687064,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 14:00:00,CST-6,2017-04-10 14:05:00,0,0,0,0,2.00M,2000000,0.00K,0,40.57,-90.03,40.57,-90.03,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","Dozens of vehicles and numerous homes sustained significant damage from the hailstorm that impacted the city of Canton and surrounding areas." +115357,693187,KANSAS,2017,April,Heavy Snow,"LOGAN",2017-04-28 20:00:00,CST-6,2017-04-30 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Snowfall amounts of at least 8 inches were reached on the evening of the 30th, with total snowfall amounts close to 30 inches. A federal disaster was declared by President Donald J. Trump." +115357,693190,KANSAS,2017,April,Heavy Snow,"GREELEY",2017-04-28 21:00:00,MST-7,2017-04-30 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Snowfall amounts of at least 8 inches were reached on the evening of the 30th, with total snowfall amounts close to 30 inches. The majority of the heavy snow occurred with the blizzard conditions. A federal disaster was declared by President Donald J. Trump." +115357,692648,KANSAS,2017,April,Heavy Snow,"WALLACE",2017-04-28 22:00:00,MST-7,2017-04-30 14:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Snowfall amounts of at least 8 inches were reached on the evening of the 30th, with total snowfall amounts ranging from 12 to 30 inches from northwest to southeast. The majority of the heavy snow occurred with the blizzard conditions. A federal disaster was declared by President Donald J. Trump." +115357,692632,KANSAS,2017,April,Blizzard,"SHERMAN",2017-04-30 03:30:00,MST-7,2017-04-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","White-out conditions were observed just north of Goodland. A peak wind gust of 60 MPH occurred at 525 AM MST. The blizzard conditions were mainly east of Highway 27. Snowfall totals were close to 20 inches along the east border of the county, with amounts declining to the west. During part of the blizzard Goodland lost power. A federal disaster was declared by President Donald J. Trump." +115357,692631,KANSAS,2017,April,Blizzard,"CHEYENNE",2017-04-30 04:00:00,CST-6,2017-04-30 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","The blizzard conditions were over the east half of the county. Twenty people had to shelter in place in Bird City. A day after the storm there were still many power outages across the county. An estimated 3-4 inches of snow fell over the southeast part of the county and melted quickly. A federal disaster was declared by President Donald J. Trump." +115357,692636,KANSAS,2017,April,Blizzard,"THOMAS",2017-04-30 04:00:00,CST-6,2017-04-30 20:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Visibility of less than 75 feet was reported in Colby. A peak wind gust of 64 MPH was reported 2 ENE of Colby at 426 AM CST. The very strong winds and heavy, wet snow split a tree in half in the center of Colby. The largest limb that broke was eight inches in diameter. A warming center was opened overnight with occupants then moved to hotels afterwards aided by the Red Cross. Power outages were reported in Colby, Rexford, and Brewster. The day after the storm Colby had power again. The National Guard in Thomas County had two of their four hummers stuck in the snow, causing them to restrict their rescue to stranded motorists who had medical problems. A federal disaster was declared by President Donald J. Trump." +115357,692645,KANSAS,2017,April,Blizzard,"GOVE",2017-04-30 05:00:00,CST-6,2017-04-30 22:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Based on blizzard conditions occurring in Logan and Sheridan counties, blizzard conditions also occurred in Gove County. Snowfall amounts ranged from 10 to almost 20 inches. A federal disaster was declared by President Donald J. Trump." +115363,693768,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"JASPER",2017-04-03 16:06:00,EST-5,2017-04-03 16:07:00,0,0,0,0,,NaN,,NaN,32.6,-81.16,32.6,-81.16,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Calf Pen Bay Road near Pineland, SC." +115363,693796,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:07:00,EST-5,2017-04-03 17:08:00,0,0,0,0,,NaN,,NaN,32.99,-80.25,32.99,-80.25,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Whippoorwill Drive near Central Avenue." +115363,693958,SOUTH CAROLINA,2017,April,Hail,"CHARLESTON",2017-04-03 18:06:00,EST-5,2017-04-03 18:07:00,0,0,0,0,,NaN,,NaN,32.83,-79.82,32.83,-79.82,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A report was received through Twitter of dime to penny size hail near the Isle Of Palms Connector." +115795,695889,PENNSYLVANIA,2017,April,Thunderstorm Wind,"BUTLER",2017-04-20 13:32:00,EST-5,2017-04-20 13:32:00,0,0,0,0,2.00K,2000,0.00K,0,40.69,-80.1,40.69,-80.1,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","Trained spotter reported large trees down." +115795,695890,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-20 13:35:00,EST-5,2017-04-20 13:35:00,0,0,0,0,5.00K,5000,0.00K,0,40.26,-79.66,40.26,-79.66,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported trees down along Liberty Hill Road." +115795,695892,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-20 13:36:00,EST-5,2017-04-20 13:36:00,0,0,0,0,2.00K,2000,0.00K,0,40.3408,-79.5988,40.3408,-79.5988,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported wires down along Altman Road." +115795,695894,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-20 14:08:00,EST-5,2017-04-20 14:08:00,0,0,0,0,2.00K,2000,0.00K,0,40.2877,-79.2667,40.2877,-79.2667,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported wires down at Matson and Clark Hollow Road." +115798,695895,WEST VIRGINIA,2017,April,Thunderstorm Wind,"PRESTON",2017-04-20 15:35:00,EST-5,2017-04-20 15:35:00,0,0,0,0,0.50K,500,0.00K,0,39.39,-79.87,39.39,-79.87,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported large tree down." +115798,695896,WEST VIRGINIA,2017,April,Thunderstorm Wind,"PRESTON",2017-04-20 15:50:00,EST-5,2017-04-20 15:50:00,0,0,0,0,0.50K,500,0.00K,0,39.47,-79.68,39.47,-79.68,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported large tree down." +114063,685549,TEXAS,2017,April,Thunderstorm Wind,"REAL",2017-04-02 06:30:00,CST-6,2017-04-02 06:30:00,0,0,0,0,,NaN,,NaN,29.7,-99.76,29.7,-99.76,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 mph that blew down large Pecan trees south of Leakey." +114063,693573,TEXAS,2017,April,Tornado,"TRAVIS",2017-04-02 08:15:00,CST-6,2017-04-02 08:18:00,0,0,0,0,100.00K,100000,0.00K,0,30.3652,-98.057,30.3805,-98.0099,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A small tornado developed on the leading edge of squall line moving over the Lake Travis area. Many trees were blown down and damaged. A security cam video shows a developing circulation near Noack Hill at a residence. Tree damage can be seen along R O Drive toward Bee Creek. A couple of videos from citizens show a waterspout crossing Lake Travis near Bee Creek, moving east toward Point Venture. Several marinas were damaged as the small tornado crossed the lake. It is assumed the tornado came ashore near the park area of Point Venture on Whispering Hollow Drive where there is tree damage. At this point, concrete evidence of a tornado and tornado damage is lost so the path of the EF0 tornado is ended on the far west side of Point Venture. Estimated peak winds are 80 mph with a maximum width of 100 yards. The path length is estimated to be at 3 miles. Other house and roof damage was found on the south side of Point Venture but there was not enough evidence to call it tornado damage." +114063,685562,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:16:00,CST-6,2017-04-02 08:16:00,0,0,0,0,,NaN,,NaN,30.37,-98.04,30.37,-98.04,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that damaged trees and a building near Lakeway." +114063,685559,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:17:00,CST-6,2017-04-02 08:17:00,0,0,0,0,,NaN,,NaN,30.37,-97.98,30.37,-97.98,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that blew down tree limbs in Lakeway." +114063,686296,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:24:00,CST-6,2017-04-02 08:24:00,0,0,0,0,,NaN,,NaN,30.39,-97.94,30.39,-97.94,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 80 mph that snapped a power pole in half near Hudson Bend Middle School." +114063,686299,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:25:00,CST-6,2017-04-02 08:25:00,0,0,0,0,,NaN,,NaN,30.38,-97.96,30.38,-97.96,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down tree limbs at the Sundancer Grill restaurant in Lakeway." +114063,685500,TEXAS,2017,April,Hail,"TRAVIS",2017-04-02 08:29:00,CST-6,2017-04-02 08:29:00,0,0,0,0,,NaN,,NaN,30.24,-97.92,30.24,-97.92,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +112136,668778,GEORGIA,2017,January,Tornado,"CAMDEN",2017-01-22 18:29:00,EST-5,2017-01-22 18:31:00,0,0,0,0,0.00K,0,0.00K,0,30.9541,-81.8902,30.9697,-81.8692,"An exceptionally rare high risk of severe storms was issued for the local forecast area with extremely strong shear including a 70 kt 850 mb jet combined with an anomalously deep mid level trough across the Gulf Coast region pumped Gulf of Mexico moisture and instability across the area head of a potent storm system. Two waves of severe storms moved across the forecast area, once during the pre-dawn and early morning hours across SE GA, then another squall line of discrete supercells and leading supercells across both SE GA and NE FL in the afternoon and evening. Three tornado touchdowns were confirmed in SE GA during this time period with 1 fatality in Columbia county Florida due to a tree falling on a mobile home. This was a very unusual strong storm system that brought all modes of severe weather to the Jacksonville Forecast area.","TDS tornado signature via Dual Pol radar products near Woodbine observed." +112096,668898,TEXAS,2017,January,Tornado,"WILLIAMSON",2017-01-13 09:33:00,CST-6,2017-01-13 09:36:00,0,0,0,0,0.00K,0,0.00K,0,30.722,-97.582,30.739,-97.579,"A shallow cold front moved into South Central Texas producing rain showers. There was significant vertical wind shear across the front in the lowest 1-2 km and one of these showers was able to produce a tornado as it moved across the boundary.","A tornado formed near FM 1105, roughly 1 mile south of FM 972 and Walburg. The tornado tracked north for just over one mile, damaging 4 homes and 1 business. The most significant damage occurred at a business where a large section of the metal roof was taken off. Minor roof and shingle damage, as well as damage to vegetation, occurred at several homes. The tornado dissipated near FM 972 in Walburg. The peak wind was estimated at 80 mph." +112293,669621,MISSISSIPPI,2017,January,Tornado,"WALTHALL",2017-01-02 14:00:00,CST-6,2017-01-02 14:02:00,0,0,0,0,0.00K,0,0.00K,0,31.1158,-90.2267,31.1206,-90.2134,"Low pressure moving from central Texas into Tennessee combined with a very unstable airmass to produce widespread thunderstorms across southeast Louisiana and southern Mississippi. Numerous reports of severe weather were received, including several tornadoes.","A weak tornado...EF1...touched down along and just north of Mississippi Highway 48 west of Tylertown. Some large trees were uprooted and snapped. Power lines were damaged by the fallen trees. Wind speed estimated at 95 mph." +115099,691509,ARKANSAS,2017,April,Hail,"SEBASTIAN",2017-04-28 21:50:00,CST-6,2017-04-28 21:50:00,0,0,0,0,15.00K,15000,0.00K,0,35.3235,-94.3971,35.3235,-94.3971,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115099,691510,ARKANSAS,2017,April,Hail,"SEBASTIAN",2017-04-28 21:58:00,CST-6,2017-04-28 21:58:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-94.42,35.38,-94.42,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115231,691850,WISCONSIN,2017,April,Hail,"MILWAUKEE",2017-04-10 15:05:00,CST-6,2017-04-10 15:05:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-87.93,43.13,-87.93,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115231,691851,WISCONSIN,2017,April,Hail,"KENOSHA",2017-04-10 03:53:00,CST-6,2017-04-10 03:53:00,0,0,0,0,0.00K,0,0.00K,0,42.63,-88.11,42.63,-88.11,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115231,691852,WISCONSIN,2017,April,Hail,"RACINE",2017-04-10 04:07:00,CST-6,2017-04-10 04:07:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-87.9,42.72,-87.9,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115263,692002,OHIO,2017,April,Hail,"STARK",2017-04-27 16:45:00,EST-5,2017-04-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-81.55,40.78,-81.55,"A broken line of strong thunderstorms moved across eastern Ohio.","Penny sized hail was observed." +115060,690831,OKLAHOMA,2017,April,Hail,"OSAGE",2017-04-04 17:18:00,CST-6,2017-04-04 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.6947,-96.7318,36.6947,-96.7318,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690833,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-04 17:18:00,CST-6,2017-04-04 17:18:00,0,0,0,0,0.00K,0,0.00K,0,35.2874,-95.5824,35.2874,-95.5824,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690834,OKLAHOMA,2017,April,Thunderstorm Wind,"OSAGE",2017-04-04 17:30:00,CST-6,2017-04-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7945,-96.65,36.7945,-96.65,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","Strong thunderstorm wind snapped large tree limbs and blew shingles from the roof of a home." +115263,692009,OHIO,2017,April,Thunderstorm Wind,"SUMMIT",2017-04-27 14:45:00,EST-5,2017-04-27 14:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.02,-81.62,41.02,-81.62,"A broken line of strong thunderstorms moved across eastern Ohio.","Thunderstorm winds downed two large tree limbs." +115060,690836,OKLAHOMA,2017,April,Hail,"MUSKOGEE",2017-04-04 17:38:00,CST-6,2017-04-04 17:38:00,0,0,0,0,0.00K,0,0.00K,0,35.7492,-95.3843,35.7492,-95.3843,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115098,691580,OKLAHOMA,2017,April,Flash Flood,"CHEROKEE",2017-04-29 11:38:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.9194,-94.9765,35.8974,-94.9803,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous streets were flooded in Tahlequah." +115098,691582,OKLAHOMA,2017,April,Flash Flood,"ROGERS",2017-04-29 13:28:00,CST-6,2017-04-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4672,-95.7019,36.4667,-95.7019,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","The E 380 Road was flooded east of Highway 169, where a creek overflowed the bridge." +115098,691581,OKLAHOMA,2017,April,Flash Flood,"MUSKOGEE",2017-04-29 11:39:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.719,-95.3684,35.7121,-95.3692,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Several streets were flooded in the Grandview neighborhood on the south side of Muskogee." +115098,691583,OKLAHOMA,2017,April,Flash Flood,"CHEROKEE",2017-04-29 13:30:00,CST-6,2017-04-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.0537,-94.9016,36.0344,-94.908,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","A section of Highway 10 near Moodys was washed out from heavy rain and subsequent flooding." +114824,688734,LOUISIANA,2017,April,Flash Flood,"ST. TAMMANY",2017-04-03 05:15:00,CST-6,2017-04-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-89.78,30.2745,-89.7583,"An upper low over Texas on the morning of the 2nd moved into the middle Mississippi River Valley on the 3rd. Combined with a very moist and unstable airmass, this produced numerous severe thunderstorms, primarily during the early morning hours of the 3rd across southeast Louisiana and southern Mississippi.","Numerous streets were reported impassible due to 1 to 1.5 feet of standing water from heavy rain in parts of Slidell." +117523,726098,NEW MEXICO,2017,August,Funnel Cloud,"UNION",2017-08-09 13:59:00,MST-7,2017-08-09 14:03:00,0,0,0,0,0.00K,0,0.00K,0,36.4893,-103.2241,36.4893,-103.2241,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Several folks spotted a dramatic funnel cloud with a highly sinuous shape northwest of Clayton, NM near U.S. Highway 87. Observers never witnessed the funnel touch down." +117523,707815,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 14:50:00,MST-7,2017-08-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-105.22,35.6,-105.22,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of golf balls in Las Vegas." +113801,681661,KENTUCKY,2017,April,Thunderstorm Wind,"TAYLOR",2017-04-05 17:47:00,EST-5,2017-04-05 17:47:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.2,37.35,-85.2,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Tree uprooted reported via Facebook." +113801,681663,KENTUCKY,2017,April,Thunderstorm Wind,"MADISON",2017-04-05 19:22:00,EST-5,2017-04-05 19:22:00,0,0,0,0,30.00K,30000,0.00K,0,37.79,-84.21,37.79,-84.21,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Madison County emergency manager reported trees down at several locations on Union City Road, including one older tree on the roof of a shed. There was also minor siding and roof damage on Diamond Brook Drive." +113801,681664,KENTUCKY,2017,April,Thunderstorm Wind,"MADISON",2017-04-05 20:07:00,EST-5,2017-04-05 20:07:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-84.28,37.56,-84.28,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A 52 knot wind gust measured at a private weather station east of Berea." +113801,681665,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 17:54:00,EST-5,2017-04-05 17:54:00,0,0,0,0,0.00K,0,0.00K,0,38.18,-84.6,38.18,-84.6,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A 54 knot measured wind gust at a private weather station." +113801,681666,KENTUCKY,2017,April,Thunderstorm Wind,"JESSAMINE",2017-04-05 18:29:00,EST-5,2017-04-05 18:29:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-84.57,37.87,-84.57,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The public reported a measured 50 knot wind gust." +113801,681669,KENTUCKY,2017,April,Thunderstorm Wind,"GARRARD",2017-04-05 18:35:00,EST-5,2017-04-05 18:35:00,0,0,0,0,15.00K,15000,0.00K,0,37.71,-84.66,37.71,-84.66,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The public reported shingles were torn off the roof of a house due to severe thunderstorm winds." +116340,699879,VIRGINIA,2017,May,Thunderstorm Wind,"CHARLES CITY (C)",2017-05-05 06:45:00,EST-5,2017-05-05 06:45:00,0,0,0,0,15.00K,15000,0.00K,0,37.43,-77.17,37.43,-77.17,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed in the northwest part of the county. Tree was downed on a church at Old Union Road and Church Road." +116340,699881,VIRGINIA,2017,May,Thunderstorm Wind,"VIRGINIA BEACH (C)",2017-05-05 08:05:00,EST-5,2017-05-05 08:05:00,0,0,0,0,15.00K,15000,0.00K,0,36.85,-75.99,36.85,-75.99,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Structural damage occurred and power lines were downed around 19th Street and Mediterranean Avenue." +116340,699891,VIRGINIA,2017,May,Thunderstorm Wind,"SOUTHAMPTON",2017-05-05 18:43:00,EST-5,2017-05-05 18:43:00,0,0,0,0,3.00K,3000,0.00K,0,36.81,-77.01,36.81,-77.01,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","NWS storm survey found damage consistent with straight line wind damage along Unity Road. Numerous trees were downed in the area." +115615,694457,MASSACHUSETTS,2017,April,High Wind,"BARNSTABLE",2017-04-01 12:11:00,EST-5,2017-04-01 12:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","At 1211 PM EST, a trained spotter in East Falmouth measured a wind gust of 62 mph. At the same time, the spotter measured a sustained wind of 41 mph." +115615,694485,MASSACHUSETTS,2017,April,Flood,"NORFOLK",2017-04-01 09:00:00,EST-5,2017-04-01 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.2367,-71.0306,42.237,-71.0303,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","At 944 AM EST an amateur radio operator reported a flooded basement on Bunker Hill Lane in Quincy." +116441,700323,ARKANSAS,2017,May,Hail,"FULTON",2017-05-19 17:48:00,CST-6,2017-05-19 17:48:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-91.82,36.37,-91.82,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","Both a COOP observer and trained spotter reported hail ranging from 0.88 inches to 1.75 inches in diameter as it moved over Salem, Arkansas." +116441,700675,ARKANSAS,2017,May,Hail,"FAULKNER",2017-05-19 18:13:00,CST-6,2017-05-19 18:13:00,0,0,0,0,0.00K,0,0.00K,0,35.0893,-92.4399,35.0893,-92.4399,"A line of severe thunderstorms moved through in the early mornings of both May 19th and 20th which caused a few reports of wind damage.","" +116515,701179,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-07 15:12:00,EST-5,2017-05-07 15:12:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 37 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +116515,701182,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-07 15:15:00,EST-5,2017-05-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 43 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +116515,701186,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-07 17:54:00,EST-5,2017-05-07 17:54:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 38 knots was measured at York River East Rear Range Light." +115615,694487,MASSACHUSETTS,2017,April,Flood,"BRISTOL",2017-04-01 10:00:00,EST-5,2017-04-01 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.9173,-71.0985,41.9174,-71.0989,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","At 1105 AM EST, an amateur radio operator reported a flooded basement on Green Street in Taunton." +115615,694488,MASSACHUSETTS,2017,April,Flood,"PLYMOUTH",2017-04-01 11:00:00,EST-5,2017-04-01 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.1997,-70.7295,42.1993,-70.7296,"Low pressure from the Midwest passed offshore south and east of Massachusetts. This brought a period of snow to Southern New England, starting the morning of April 1st and lasting until the evening. Strong wind gusts were recorded on Cape Ann, Cape Cod, and the Islands.","At 1158 AM EST, an amateur radio operator reported a flooded basement on Porter Road in Scituate." +114089,686439,TEXAS,2017,April,Flash Flood,"HAYS",2017-04-11 12:22:00,CST-6,2017-04-11 14:00:00,0,0,0,0,500.00K,500000,0.00K,0,29.84,-97.97,29.8469,-97.9757,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain (up to 8 inches) that led to flash flooding in San Marcos. The I-35 frontage roads from Hwy 80 to McCarty Ln. and Hwy 123 south of the city were closed due to water over the road. Several people had to be rescued from their cars. Emergency Management reported 60 water rescues. There were 35 residential properties damaged and 7 commercial properties damaged. Monetary damage estimates include infrastructure damage and flooded cars. Crop damage is unknown. Nearly 3000 people were without power. Along with the flash flooding, winds up to 70 mph and dime size hail were reported." +114089,686417,TEXAS,2017,April,Flash Flood,"HAYS",2017-04-11 11:20:00,CST-6,2017-04-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,29.88,-97.94,29.8743,-97.9492,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding with a high water rescue on San Antonio St. in San Marcos. Rains totaled near 8 inches in part of the City of San Marcos and surrounding areas mainly south and east of town." +115772,698602,GEORGIA,2017,April,Thunderstorm Wind,"GWINNETT",2017-04-05 09:00:00,EST-5,2017-04-05 09:05:00,0,0,0,0,1.00K,1000,,NaN,33.8039,-84.0964,33.8039,-84.0964,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Gwinnett County Emergency Manager reported a large tree blown down blocking Deshong Road." +115772,698603,GEORGIA,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 09:40:00,EST-5,2017-04-05 09:50:00,0,0,0,0,10.00K,10000,,NaN,33.3,-82.77,33.4508,-82.6447,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Warren County Emergency Manager reported trees blown down across the county." +115772,698606,GEORGIA,2017,April,Thunderstorm Wind,"GWINNETT",2017-04-05 10:50:00,EST-5,2017-04-05 10:55:00,0,0,0,0,1.00K,1000,,NaN,33.9117,-84.0688,33.9117,-84.0688,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Gwinnett County Emergency Manager reported a tree blown down near the intersection of Castle Drive and Gloster Road." +115772,698607,GEORGIA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-05 11:25:00,EST-5,2017-04-05 11:35:00,0,0,0,0,8.00K,8000,,NaN,34.0893,-83.6254,34.1,-83.6,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A report was received on social media of trees down along Highway 11 southwest of Jefferson." +115772,698608,GEORGIA,2017,April,Thunderstorm Wind,"CLAYTON",2017-04-05 11:24:00,EST-5,2017-04-05 11:29:00,0,0,0,0,20.00K,20000,0.00K,0,33.52,-84.34,33.52,-84.34,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Clayton County Emergency Manager reported multiple large trees blown down, one on a house. No injuries were reported." +115870,696343,NEW MEXICO,2017,June,Thunderstorm Wind,"MORA",2017-06-20 16:25:00,MST-7,2017-06-20 16:27:00,0,0,0,0,0.00K,0,0.00K,0,36.01,-104.71,36.01,-104.71,"Moist, low level southeasterly flow over eastern New Mexico and strong afternoon heating combined with northwest flow aloft to produce scattered showers and thunderstorms over New Mexico. The greatest instability developed over northeastern New Mexico where several thunderstorms spawned large hail and severe winds. Several discrete supercells formed around Mora, San Miguel, and Harding counties during the late afternoon hours. These storms merged into a large cluster and moved southeast across the east central plains with localized heavy rainfall.","Wind gust to 70 mph. No damage." +115870,696346,NEW MEXICO,2017,June,Thunderstorm Wind,"QUAY",2017-06-20 18:52:00,MST-7,2017-06-20 18:54:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-103.61,35.21,-103.61,"Moist, low level southeasterly flow over eastern New Mexico and strong afternoon heating combined with northwest flow aloft to produce scattered showers and thunderstorms over New Mexico. The greatest instability developed over northeastern New Mexico where several thunderstorms spawned large hail and severe winds. Several discrete supercells formed around Mora, San Miguel, and Harding counties during the late afternoon hours. These storms merged into a large cluster and moved southeast across the east central plains with localized heavy rainfall.","Tucumcari." +115877,696360,NEW MEXICO,2017,June,Hail,"BERNALILLO",2017-06-24 18:39:00,MST-7,2017-06-24 18:41:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-106.26,35.17,-106.26,"The back door cold front that provided relief to the brutal heatwave across eastern New Mexico on the 23rd surged west through gaps in the central mountain chain on the 24th. The upper level high pressure system to the west of New Mexico loosened it's grip over the region and slightly better coverage of showers and thunderstorms over central and southern New Mexico. A cluster of thunderstorms developed over the Jemez Mountains and moved southeast across the Sandia Mountains. These storms produced quarter to half dollar size hail near Sedillo and Sandia Park. A larger cluster of storms that developed over southern New Mexico forced a large scale outflow boundary north into Soccoro County. Wind gusts near 60 mph were reported at a couple sites on White Sands Missile Range. This outflow boundary continued advancing northward and produced blowing dust all the way north into the Albuquerque Metro Area.","Hail up to the size of quarters." +115877,696362,NEW MEXICO,2017,June,Thunderstorm Wind,"SOCORRO",2017-06-24 15:25:00,MST-7,2017-06-24 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.56,-106.65,33.56,-106.65,"The back door cold front that provided relief to the brutal heatwave across eastern New Mexico on the 23rd surged west through gaps in the central mountain chain on the 24th. The upper level high pressure system to the west of New Mexico loosened it's grip over the region and slightly better coverage of showers and thunderstorms over central and southern New Mexico. A cluster of thunderstorms developed over the Jemez Mountains and moved southeast across the Sandia Mountains. These storms produced quarter to half dollar size hail near Sedillo and Sandia Park. A larger cluster of storms that developed over southern New Mexico forced a large scale outflow boundary north into Soccoro County. Wind gusts near 60 mph were reported at a couple sites on White Sands Missile Range. This outflow boundary continued advancing northward and produced blowing dust all the way north into the Albuquerque Metro Area.","White Sands Missile Range at Harry." +113933,690120,NEBRASKA,2017,April,Hail,"VALLEY",2017-04-14 19:50:00,CST-6,2017-04-14 20:15:00,0,0,0,0,0.00K,0,0.00K,0,41.4835,-99.1596,41.6288,-99.0885,"Numerous thunderstorms rumbled across northern portions of South Central Nebraska on this Friday evening, including a handful of severe storms yielding reports of nickel to golf ball size hail between 7-10 p.m. CDT. All hail reports from the local coverage area emanated from the following counties mainly north of Interstate 80: Sherman, Valley, Greeley, Howard and Dawson. Sherman County highlighted this list, as areas in or near Loup City endured at least three separate rounds of hail over the course of the evening, including golf ball size stones reported by a storm chaser five miles west of town. Farther southwest, although severe storms only affected a small portion of northeastern Dawson County, the Eddyville area received off-and-on hail for nearly an hour, some of which was at least quarter size. ||The first one to two hours of storm development took the form of semi-discrete multicell and brief supercell structures. However, especially after 9 p.m. CDT, convection organized into a more concentrated, small-scale mesoscale convective system that gradually lifted north and weakened with time, largely exiting the local coverage area by midnight CDT. In the mid-upper levels, forcing was relatively weak and characterized by broad west-southwest flow. However, this was one of the first high instability setups of the season, as surface dewpoints climbed into the upper 50s/low 60s F range to the south of a loosely-defined warm front draped through the area. At the time severe convection developed, mixed-layer CAPE values were around 2000 J/kg. However, effective deep layer wind shear was relatively modest, only around 30 knots. Once convection formed, it intensified and expanded in coverage due in part to residing within the exit region of a 40-60 knot southerly low level jet evident at 850 millibars.","Quarter to half dollar size hail was reported." +118010,709427,MASSACHUSETTS,2017,June,Flood,"FRANKLIN",2017-06-30 17:05:00,EST-5,2017-06-30 19:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.5916,-72.6038,42.5856,-72.5941,"A weak disturbance moving through the atmosphere combined with a warm and humid air mass to generate showers and thunderstorms over Western Massachusetts.","At 505 PM EST, several streets in Greenfield were reported flooded and impassable. These included Chapman, Grinnell, and Deerfield Streets." +118011,709432,CONNECTICUT,2017,June,Thunderstorm Wind,"HARTFORD",2017-06-30 17:15:00,EST-5,2017-06-30 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,41.8415,-72.8694,41.8415,-72.8694,"A weak disturbance moving through the atmosphere combined with a warm and humid air mass to generate showers and thunderstorms over Western Connecticut.","At 515 PM EST, a tree was down on a car on Notch Road in Simsbury. Also, trees were down on wires on West Mountain Road near Roswell Road." +115575,694046,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-06-12 18:54:00,CST-6,2017-06-12 18:54:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"A line of strong thunderstorms moves across the near shore waters of Lake Michigan during the evening of June 12th, 2017. The storms produced strong wind gusts, as high as 51 knots.","Sheboygan harbor lakeshore weather station measured a wind gust of 38 knots as the thunderstorms moved through." +115575,694047,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"NORTH PT LT TO WIND PT WI",2017-06-12 19:04:00,CST-6,2017-06-12 19:10:00,0,0,0,0,0.00K,0,0.00K,0,43.0449,-87.8803,43.0449,-87.8803,"A line of strong thunderstorms moves across the near shore waters of Lake Michigan during the evening of June 12th, 2017. The storms produced strong wind gusts, as high as 51 knots.","Milwaukee harbor lakeshore weather station measured gusts of 34 knots for a 6 minute period as the thunderstorms moved through." +115575,694049,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-12 19:40:00,CST-6,2017-06-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"A line of strong thunderstorms moves across the near shore waters of Lake Michigan during the evening of June 12th, 2017. The storms produced strong wind gusts, as high as 51 knots.","Kenosha harbor lakeshore weather station measured 20 minutes of severe wind gusts associated with passing thunderstorms. The peak wind gust was 45 knots at 840 pm CDT. The winds continued to gust between 34 and 38 knots until 9 pm CDT." +115575,694051,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-12 19:36:00,CST-6,2017-06-12 19:36:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"A line of strong thunderstorms moves across the near shore waters of Lake Michigan during the evening of June 12th, 2017. The storms produced strong wind gusts, as high as 51 knots.","Weather station located on Racine Reef platform measured a wind gust of 51 knots as the severe thunderstorms passed by." +115576,694053,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-06-14 15:55:00,CST-6,2017-06-14 16:08:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"During the late afternoon of June 14th, a strong thunderstorm moved from east central Wisconsin over the near shore waters of Lake Michigan. It produced severe wind gusts as strong as 48 knots.","Sheboygan lakeshore weather station measured 13 minutes of severe wind gusts associated with a passing thunderstorm. The wind peaked at 48 knots at 508 pm CDT." +117041,703973,MICHIGAN,2017,June,Thunderstorm Wind,"IRON",2017-06-03 15:43:00,CST-6,2017-06-03 15:47:00,0,0,0,0,0.50K,500,0.00K,0,46.11,-88.33,46.11,-88.33,"A low pressure system and warm front moving into the region generated isolated severe thunderstorms across portions of western Upper Michigan on the afternoon of the 3rd.","The Gogebic/Iron County Central Police Dispatch reported a tree down in Crystal Falls." +118066,709612,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"DETROIT RIVER",2017-06-30 16:44:00,EST-5,2017-06-30 16:44:00,0,0,0,0,0.00K,0,0.00K,0,42,-83.14,42,-83.14,"Thunderstorms moving through Lake St. Clair and Detroit River produced wind gusts around 60 mph.","" +117041,703970,MICHIGAN,2017,June,Thunderstorm Wind,"ONTONAGON",2017-06-03 15:08:00,EST-5,2017-06-03 15:13:00,0,0,0,0,4.00K,4000,0.00K,0,46.4,-89.18,46.4,-89.18,"A low pressure system and warm front moving into the region generated isolated severe thunderstorms across portions of western Upper Michigan on the afternoon of the 3rd.","Multiple trees were reported down in Paulding." +117041,703971,MICHIGAN,2017,June,Hail,"GOGEBIC",2017-06-03 14:15:00,CST-6,2017-06-03 14:18:00,0,0,0,0,0.00K,0,0.00K,0,46.29,-89.18,46.29,-89.18,"A low pressure system and warm front moving into the region generated isolated severe thunderstorms across portions of western Upper Michigan on the afternoon of the 3rd.","Dime to nickel sized hail with heavy rain was reported in Watersmeet at Lac Vieux Desert Golf Course and the Ottawa National Forest Visitor Center. No strong winds were reported." +117041,703972,MICHIGAN,2017,June,Thunderstorm Wind,"IRON",2017-06-03 14:56:00,CST-6,2017-06-03 15:01:00,0,0,0,0,5.00K,5000,0.00K,0,46.16,-88.88,46.16,-88.88,"A low pressure system and warm front moving into the region generated isolated severe thunderstorms across portions of western Upper Michigan on the afternoon of the 3rd.","The Iron County Sheriff reported multiple trees down near the intersection of Highway US-2 and Forest Highway 16. A large truck was hung up on one of the downed trees." +117041,703974,MICHIGAN,2017,June,Thunderstorm Wind,"IRON",2017-06-03 15:20:00,CST-6,2017-06-03 15:25:00,0,0,0,0,1.50K,1500,0.00K,0,46.03,-88.64,46.03,-88.64,"A low pressure system and warm front moving into the region generated isolated severe thunderstorms across portions of western Upper Michigan on the afternoon of the 3rd.","Several small trees were reported down near Stambaugh. Time of the report was estimated from radar." +117627,707400,MICHIGAN,2017,June,Thunderstorm Wind,"HOUGHTON",2017-06-10 20:07:00,EST-5,2017-06-10 20:12:00,0,0,0,0,2.00K,2000,0.00K,0,47.24,-88.45,47.24,-88.45,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","Power lines were reported down in Calumet. Time of the report was estimated from radar." +117627,707401,MICHIGAN,2017,June,Thunderstorm Wind,"HOUGHTON",2017-06-10 20:07:00,EST-5,2017-06-10 20:11:00,0,0,0,0,1.00K,1000,0.00K,0,47.25,-88.45,47.25,-88.45,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","There was a public report of a metal shed flipped over in Calumet by thunderstorm winds." +117679,707754,IDAHO,2017,June,Thunderstorm Wind,"OWYHEE",2017-06-04 17:00:00,MST-7,2017-06-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-115.78,42.78,-115.7,"An upper level trough and a strong cold front moved through the Inter mountain west producing severe thunderstorms including damaging winds.","The RAWS at Twin Buttes recorded a wind gust of 63 MPH." +117681,707759,IDAHO,2017,June,Thunderstorm Wind,"GOODING",2017-06-11 17:30:00,MST-7,2017-06-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-114.68,42.93,-114.7,"An upper level low situated in northern California tracked northeast across northern Nevada kicking off severe thunderstorms with damaging winds in parts of South Central Idaho.","Social and local media reported trees down and over 1000 without power." +117679,707746,IDAHO,2017,June,Thunderstorm Wind,"CANYON",2017-06-04 15:30:00,MST-7,2017-06-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,43.78,-116.95,43.58,-116.57,"An upper level trough and a strong cold front moved through the Inter mountain west producing severe thunderstorms including damaging winds.","A retired National Weather Service employee reported very strong winds gusts and damage associated with nearby thunderstorms. Numerous reports of downed trees and power lines were received through social media." +117679,707750,IDAHO,2017,June,Thunderstorm Wind,"ELMORE",2017-06-04 17:00:00,MST-7,2017-06-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-115.7,42.95,-115.3,"An upper level trough and a strong cold front moved through the Inter mountain west producing severe thunderstorms including damaging winds.","The Mountain Home AFB ASOS recorded a wind gust of 69 knots and social media reported trees down in Mountain Home, Hammett, and Glenns Ferry." +117681,707762,IDAHO,2017,June,Thunderstorm Wind,"JEROME",2017-06-11 17:30:00,MST-7,2017-06-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-114.48,42.8213,-114.52,"An upper level low situated in northern California tracked northeast across northern Nevada kicking off severe thunderstorms with damaging winds in parts of South Central Idaho.","Social media reported trees down around Jerome and ITD21 measured a 60 MPH wind gust near Hazelton." +117681,707764,IDAHO,2017,June,Thunderstorm Wind,"TWIN FALLS",2017-06-11 16:30:00,MST-7,2017-06-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.22,-114.58,42.57,-114.6,"An upper level low situated in northern California tracked northeast across northern Nevada kicking off severe thunderstorms with damaging winds in parts of South Central Idaho.","Social and local media reported trees and power lines down around Buhl and Filer." +117682,707770,IDAHO,2017,June,Thunderstorm Wind,"GOODING",2017-06-26 15:15:00,MST-7,2017-06-26 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-114.7,42.93,-114.6012,"Moisture ahead of an upper trough situated of the coast of Oregon combined with hot temperatures inland initiating strong to severe thunderstorms across parts of the Treasure Valley of Idaho and Oregon and the Magic Valley in Idaho.","The local newspaper reported several trees and power lines down around Gooding." +117682,707772,IDAHO,2017,June,Thunderstorm Wind,"JEROME",2017-06-26 15:45:00,MST-7,2017-06-26 16:15:00,0,0,0,0,0.00K,0,0.00K,0,42.7507,-114.5618,42.72,-114.52,"Moisture ahead of an upper trough situated of the coast of Oregon combined with hot temperatures inland initiating strong to severe thunderstorms across parts of the Treasure Valley of Idaho and Oregon and the Magic Valley in Idaho.","The local newspaper reported that a barn had collapsed and power poles were down just north of Jerome." +115250,691922,LOUISIANA,2017,June,Thunderstorm Wind,"UNION",2017-06-06 20:18:00,CST-6,2017-06-06 20:18:00,0,0,0,0,0.00K,0,0.00K,0,32.9031,-92.2521,32.9031,-92.2521,"Isolated to scattered showers and thunderstorms continued to develop throughout the day across Northcentral Louisiana as they rotated west southwest around a slow moving upper level storm system off of the Mississippi and Alabama coasts. Isolated strong thunderstorms continued during the evening across Southeast Arkansas, which moved southwest into Eastern Union Parish and briefly became severe as they moved through the Marion community. A microburst resulted in damaging winds which blew down a large tree onto power lines and a nearby vehicle. The storm weakened shortly after it exited Marion.","Damaging winds blew a large tree down, which fell on power lines and a nearby vehicle on MLK Drive." +114957,690743,NEBRASKA,2017,April,Winter Storm,"GOSPER",2017-04-30 03:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 5 to 10 inches fell across the county. The highest amount of 10 inches was reported 10 miles north-northeast of Arapahoe. Near-blizzard conditions were reported, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +114957,691028,NEBRASKA,2017,April,Winter Storm,"PHELPS",2017-04-29 23:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","Snowfall amounts ranging from 3 to 8 inches fell across the county, with the highest amounts over the western half. Near-blizzard conditions were reported, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times." +114957,691031,NEBRASKA,2017,April,Winter Storm,"FURNAS",2017-04-29 23:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","The highest total snowfall amounts included 10 inches in Wilsonville, 7.3 inches in Cambridge, and 5.0 inches in Beaver City. Near-blizzard conditions were reported, with falling snow and wind gusts near 50 MPH resulting in visibility down to one quarter to one half of a mile at times. Power outages lingered in some rural areas for several days thereafter." +116068,697598,TEXAS,2017,June,Thunderstorm Wind,"RED RIVER",2017-06-23 20:57:00,CST-6,2017-06-23 20:57:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-95.05,33.61,-95.05,"A Mesoscale Convective System across Arkansas produced a gust front which was moving southwest across the Middle Red River Valley of Southwest Arkansas, Southeast Oklahoma and Northeast Texas. This gust front intersected a weak surface frontal boundary across North Texas north of the Dallas Forth Worth Metroplex to near Texarkana, Texas. Atmospheric instability was still significant enough during the late evening hours of June 23rd for the developing of strong to severe thunderstorms. One of these storms produced enough wind to down trees in Red River County, Texas.","Trees were downed on Columbia Street just east southeast of Clarksville, Texas." +116069,697600,LOUISIANA,2017,June,Thunderstorm Wind,"NATCHITOCHES",2017-06-23 04:55:00,CST-6,2017-06-23 04:55:00,0,0,0,0,0.00K,0,0.00K,0,31.86,-93.18,31.86,-93.18,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Trees were downed east southeast of Powhatan." +116018,699533,KANSAS,2017,April,Blizzard,"GRAY",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 2 inches across extreme southeast Gray county to 9 inches across the remainder of the area was observed. Drifts were 2 to 4 feet high." +116018,699535,KANSAS,2017,April,Blizzard,"FORD",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall was mostly 2 to 3 inches except from western Dodge City to the Gray county line amounts were 5 to 7 inches." +116018,699536,KANSAS,2017,April,Blizzard,"TREGO",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of 6 to 10 inches was reported across the western half of the county while amounts across eastern Trego county were around 2 inches." +115938,696646,NORTH DAKOTA,2017,June,Funnel Cloud,"TRAILL",2017-06-07 12:55:00,CST-6,2017-06-07 12:55:00,0,0,0,0,0.00K,0,0.00K,0,47.67,-97.13,47.67,-97.13,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","A persistent wall cloud tracked northeastward for several minutes across the northwest corner of Buxton Township. A small pip of a funnel was evident from time to time. This storm had previously produced a weak tornado between Hatton and Mayville." +115942,696664,NORTH DAKOTA,2017,June,Funnel Cloud,"CAVALIER",2017-06-09 16:45:00,CST-6,2017-06-09 16:45:00,0,0,0,0,0.00K,0,0.00K,0,49,-98.92,49,-98.92,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A funnel cloud was observed just east of the Sarles Port of Entry, along the Canadian border." +115315,692347,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-04-11 13:48:00,CST-6,2017-04-11 13:48:00,0,0,0,0,0.00K,0,0.00K,0,29.0757,-95.1226,29.0757,-95.1226,"Thunderstorms produced several marine thunderstorm wind gusts with activity that developed along and ahead of a cold front.","Wind gust was measured at TCOON site at San Luis Pass." +115319,692363,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-04-06 03:40:00,EST-5,2017-04-06 03:40:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A Mesonet station measured a gust to 47 mph about 2 miles north of Mayport." +115177,697971,MISSOURI,2017,May,Hail,"JASPER",2017-05-27 23:50:00,CST-6,2017-05-27 23:50:00,0,0,0,0,,NaN,0.00K,0,37.17,-94.31,37.17,-94.31,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","" +115177,697994,MISSOURI,2017,May,Thunderstorm Wind,"TEXAS",2017-05-27 14:30:00,CST-6,2017-05-27 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-92.14,37.58,-92.14,"Multiple rounds of severe thunderstorms brought damaging straight-line winds, large hail, tornadoes, and flooding to the Missouri Ozarks from May 27th into the early morning hours of May 28th. Over 130 reports of severe weather and flooding were received from the Missouri Ozarks.","Several trees were uprooted." +115436,698021,IOWA,2017,May,Hail,"WINNEBAGO",2017-05-15 22:50:00,CST-6,2017-05-15 22:50:00,0,0,0,0,2.00K,2000,0.00K,0,43.3876,-93.9467,43.3876,-93.9467,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Buffalo Center fire department reported ping pong ball sized hail. Time estimated from radar." +115259,691996,OHIO,2017,April,Hail,"HANCOCK",2017-04-20 16:35:00,EST-5,2017-04-20 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-83.7843,41.03,-83.7843,"Low pressure moved northeast across the central Great Lakes. Showers and thunderstorms developed along a warm front associated with this low. At least one of the thunderstorms became severe.","Quarter sized hail was observed." +115260,691997,PENNSYLVANIA,2017,April,Hail,"ERIE",2017-04-20 17:49:00,EST-5,2017-04-20 17:49:00,0,0,0,0,0.00K,0,0.00K,0,41.9145,-79.85,41.9145,-79.85,"Low pressure moved northeast across the central Great Lakes. Showers and thunderstorms developed along a warm front associated with this low. A couple of the thunderstorms became severe.","Quarter sized hail was observed." +119146,715780,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-75.5,38.39,-75.5,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.19 inches was measured at Parsonsburg (1 W)." +114653,698468,MISSOURI,2017,May,Thunderstorm Wind,"TANEY",2017-05-19 00:48:00,CST-6,2017-05-19 00:48:00,0,0,0,0,10.00K,10000,0.00K,0,36.74,-93.03,36.74,-93.03,"Multiple rounds of severe thunderstorms over a two day period produced numerous weak tornadoes and wind damage reports across the Missouri Ozarks. Training of storms led to localized heavy rainfall and minor flooding reports.","Several homes had roof damage." +115942,696881,NORTH DAKOTA,2017,June,Tornado,"GRIGGS",2017-06-09 20:32:00,CST-6,2017-06-09 20:33:00,0,0,0,0,,NaN,,NaN,47.25,-98.22,47.25,-98.22,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A brief touchdown was reported southwest of Walum, by spotters northeast of Wimbledon and north of Dazey. A persistent wall cloud structure with funnel-like appendage was viewed for several minutes as it passed along the Barnes and Griggs county line. Though a brief dust swirl was detected, no significant damage was apparent. Peak winds were estimated at 70 mph." +115942,696882,NORTH DAKOTA,2017,June,Hail,"GRIGGS",2017-06-09 20:34:00,CST-6,2017-06-09 20:49:00,0,0,0,0,,NaN,,NaN,47.44,-98.12,47.44,-98.12,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696883,NORTH DAKOTA,2017,June,Hail,"GRIGGS",2017-06-09 20:35:00,CST-6,2017-06-09 20:35:00,0,0,0,0,,NaN,,NaN,47.31,-98.19,47.31,-98.19,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +116022,697243,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-21 17:54:00,CST-6,2017-06-21 17:54:00,0,0,0,0,,NaN,,NaN,46.28,-96.13,46.28,-96.13,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","The wind gust was measured at the Fergus Falls airport." +116022,697245,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-21 18:01:00,CST-6,2017-06-21 18:01:00,0,0,0,0,,NaN,,NaN,46.26,-96.04,46.26,-96.04,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","The wind gust was measured at the Prairie Wetlands Learning Center." +116022,697247,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-21 18:04:00,CST-6,2017-06-21 18:04:00,0,0,0,0,,NaN,,NaN,46.22,-95.99,46.22,-95.99,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","A large evergreen was snapped about halfway down. Power outages were reported across the area." +116022,697251,MINNESOTA,2017,June,Thunderstorm Wind,"MAHNOMEN",2017-06-21 18:08:00,CST-6,2017-06-21 18:08:00,0,0,0,0,,NaN,,NaN,47.26,-96,47.26,-96,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","A couple of trees were split and broken down across power lines, resulting in local power outages." +116022,697252,MINNESOTA,2017,June,Hail,"MAHNOMEN",2017-06-21 18:27:00,CST-6,2017-06-21 18:27:00,0,0,0,0,,NaN,,NaN,47.37,-95.62,47.37,-95.62,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","" +116022,697253,MINNESOTA,2017,June,Hail,"BELTRAMI",2017-06-21 20:02:00,CST-6,2017-06-21 20:02:00,0,0,0,0,,NaN,,NaN,47.46,-94.85,47.46,-94.85,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","" +117270,705356,NEBRASKA,2017,June,Thunderstorm Wind,"DUNDY",2017-06-07 18:50:00,MST-7,2017-06-07 18:50:00,0,0,0,0,,NaN,0.00K,0,40.1339,-101.7394,40.1339,-101.7394,"A severe thunderstorm moving southeast through Dundy County produced estimated gusts of 75 MPH which broke healthy two and three inch diameter tree limbs.","The wind gusts broke two and three inch healthy tree limbs off trees." +117271,705357,KANSAS,2017,June,Hail,"GREELEY",2017-06-07 20:58:00,MST-7,2017-06-07 20:58:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-101.75,38.47,-101.75,"Late in the evening a lone severe thunderstorm moved over Tribune producing half dollar to golf ball size hailstones.","The largest hailstones ranged from half dollar to golf ball size. Many of the hailstones were nearly double the size of a quarter." +117656,707485,KANSAS,2017,June,Hail,"NORTON",2017-06-26 13:40:00,CST-6,2017-06-26 13:40:00,0,0,0,0,0.00K,0,0.00K,0,39.9861,-99.8811,39.9861,-99.8811,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","The hail ranged from pea to nickel size." +117656,707486,KANSAS,2017,June,Hail,"NORTON",2017-06-26 13:49:00,CST-6,2017-06-26 13:49:00,0,0,0,0,0.00K,0,0.00K,0,39.9243,-99.8882,39.9243,-99.8882,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","Hail is still falling." +117656,707487,KANSAS,2017,June,Hail,"NORTON",2017-06-26 14:40:00,CST-6,2017-06-26 14:40:00,0,0,0,0,0.00K,0,0.00K,0,39.6255,-99.7756,39.6255,-99.7756,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707488,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-26 16:00:00,CST-6,2017-06-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.54,-100.57,39.54,-100.57,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707489,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-26 16:12:00,CST-6,2017-06-26 16:12:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-100.5905,39.4,-100.5905,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","Quite a bit of nickle size hail west of Hoxie Feed Yard." +117656,707490,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-26 16:13:00,CST-6,2017-06-26 16:13:00,0,0,0,0,0.00K,0,0.00K,0,39.4412,-100.5724,39.4412,-100.5724,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","Quite a bit of nickel size hail." +117656,707491,KANSAS,2017,June,Hail,"THOMAS",2017-06-26 17:07:00,CST-6,2017-06-26 17:07:00,0,0,0,0,0.00K,0,0.00K,0,39.2203,-100.8704,39.2203,-100.8704,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707492,KANSAS,2017,June,Hail,"THOMAS",2017-06-26 16:52:00,CST-6,2017-06-26 16:52:00,0,0,0,0,0.00K,0,0.00K,0,39.3794,-101.0033,39.3794,-101.0033,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707493,KANSAS,2017,June,Hail,"LOGAN",2017-06-26 17:24:00,CST-6,2017-06-26 17:24:00,0,0,0,0,0.00K,0,0.00K,0,39.1338,-100.9046,39.1338,-100.9046,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +118228,710481,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 14:50:00,CST-6,2017-06-29 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-98.58,42.19,-98.58,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710483,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 14:52:00,CST-6,2017-06-29 14:52:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-98.63,42.46,-98.63,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710484,NEBRASKA,2017,June,Hail,"HOLT",2017-06-29 15:00:00,CST-6,2017-06-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-98.58,42.19,-98.58,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710486,NEBRASKA,2017,June,Hail,"WHEELER",2017-06-29 15:00:00,CST-6,2017-06-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.99,-98.63,41.99,-98.63,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +118228,710487,NEBRASKA,2017,June,Hail,"WHEELER",2017-06-29 16:00:00,CST-6,2017-06-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.99,-98.63,41.99,-98.63,"Isolated severe storms develop across eastern portions of north central Nebraska near a stationary front.","" +117917,708620,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GASTON",2017-06-04 14:56:00,EST-5,2017-06-04 14:56:00,0,0,0,0,0.00K,0,0.00K,0,35.223,-81.209,35.19,-81.19,"Scattered to numerous thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging wind gusts.","County comms reported a tree blown down on Fallswood Drive. Spotter reported another tree blown down in the Crowders area." +117917,708621,NORTH CAROLINA,2017,June,Thunderstorm Wind,"MECKLENBURG",2017-06-04 15:20:00,EST-5,2017-06-04 15:20:00,1,0,0,0,5.00K,5000,0.00K,0,35.324,-80.803,35.324,-80.803,"Scattered to numerous thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging wind gusts.","County comms reported a person was injured when a tree was blown on to their vehicle at the intersection of Conner Ridge Ln and West Sugar Creek Rd." +117917,708622,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ALEXANDER",2017-06-04 14:27:00,EST-5,2017-06-04 14:27:00,0,0,0,0,10.00K,10000,0.00K,0,35.893,-81.179,35.885,-81.169,"Scattered to numerous thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging wind gusts.","Media reported multiple trees and power lines blown down at the intersection of Highway 16 and Macedonia Church Rd. A tree was also blown down on a mobile home on nearby Daniel Estates Lane." +117917,708898,NORTH CAROLINA,2017,June,Thunderstorm Wind,"IREDELL",2017-06-04 15:41:00,EST-5,2017-06-04 15:50:00,0,0,0,0,10.00K,10000,0.00K,0,35.521,-80.878,35.54,-80.81,"Scattered to numerous thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging wind gusts.","Newspaper reported a tree fell on and damaged a home on Prestwood Ln. Public reported trees blown down near the intersection of I-77 and Langtree Rd. Spotter reported trees blown down at Shearers Rd and Owens Farm Rd." +115482,693443,OHIO,2017,June,Flood,"UNION",2017-06-13 21:55:00,EST-5,2017-06-13 22:55:00,0,0,0,0,1.00K,1000,0.00K,0,40.25,-83.53,40.2504,-83.5311,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A vehicle was stuck in the water." +115482,693445,OHIO,2017,June,Hail,"FRANKLIN",2017-06-13 09:10:00,EST-5,2017-06-13 09:12:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-83.14,39.95,-83.14,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","" +115482,693446,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-13 09:11:00,EST-5,2017-06-13 09:16:00,0,0,0,0,0.50K,500,0.00K,0,39.95,-83.08,39.95,-83.08,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","One tree was reported knocked down." +115482,693447,OHIO,2017,June,Hail,"BUTLER",2017-06-13 11:29:00,EST-5,2017-06-13 11:31:00,0,0,0,0,0.00K,0,0.00K,0,39.51,-84.73,39.51,-84.73,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","" +115482,693448,OHIO,2017,June,Hail,"GREENE",2017-06-13 12:40:00,EST-5,2017-06-13 12:42:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-84.02,39.76,-84.02,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","" +115482,693450,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 05:30:00,EST-5,2017-06-13 05:35:00,0,0,0,0,0.50K,500,0.00K,0,39.78,-84.23,39.78,-84.23,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was reported down at the intersection of Auburn and Salem Drives." +115482,693451,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 12:20:00,EST-5,2017-06-13 12:25:00,0,0,0,0,0.25K,250,0.00K,0,39.85,-84.25,39.85,-84.25,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Several large branches were knocked down." +115482,693452,OHIO,2017,June,Thunderstorm Wind,"HIGHLAND",2017-06-13 10:50:00,EST-5,2017-06-13 10:55:00,0,0,0,0,1.00K,1000,0.00K,0,39.05,-83.75,39.05,-83.75,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Small trees were reported snapped off about three feet from the ground and large branches were snapped off oak trees." +115482,693453,OHIO,2017,June,Thunderstorm Wind,"BUTLER",2017-06-13 11:38:00,EST-5,2017-06-13 11:48:00,0,0,0,0,0.50K,500,0.00K,0,39.42,-84.45,39.42,-84.45,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Wires were reported down on Mercedes Drive." +115482,693455,OHIO,2017,June,Thunderstorm Wind,"BUTLER",2017-06-13 11:31:00,EST-5,2017-06-13 11:41:00,0,0,0,0,0.50K,500,0.00K,0,39.51,-84.79,39.51,-84.79,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Wires were reported down on Riggs Road." +115482,693456,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 12:22:00,EST-5,2017-06-13 12:32:00,0,0,0,0,0.50K,500,0.00K,0,39.8476,-84.2604,39.8476,-84.2604,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A large tree was split in half on Marylew Lane." +115482,693457,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-13 09:15:00,EST-5,2017-06-13 09:25:00,0,0,0,0,10.00K,10000,0.00K,0,39.95,-83.09,39.95,-83.09,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was blown into a mobile home on Volney Ave." +115482,693459,OHIO,2017,June,Thunderstorm Wind,"MERCER",2017-06-13 18:20:00,EST-5,2017-06-13 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.55,-84.48,40.55,-84.48,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Several large trees and limbs were knocked down at the Northmoor Golf Course. Sheet metal roofing was partially removed from a structure." +115482,693460,OHIO,2017,June,Thunderstorm Wind,"HARDIN",2017-06-13 18:18:00,EST-5,2017-06-13 18:28:00,0,0,0,0,1.00K,1000,0.00K,0,40.58,-83.55,40.58,-83.55,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was down across the road near the intersection of State Route 31 and County Road 190." +115482,693461,OHIO,2017,June,Thunderstorm Wind,"SHELBY",2017-06-13 18:41:00,EST-5,2017-06-13 18:51:00,0,0,0,0,2.00K,2000,0.00K,0,40.47,-84.18,40.47,-84.18,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Several trees were knocked down in the Botkins area." +115482,693462,OHIO,2017,June,Thunderstorm Wind,"SHELBY",2017-06-13 18:55:00,EST-5,2017-06-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-84.04,40.44,-84.04,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Several trees were knocked down in the Jackson Center area." +115482,693463,OHIO,2017,June,Thunderstorm Wind,"LOGAN",2017-06-13 19:25:00,EST-5,2017-06-13 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.34,-83.84,40.34,-83.84,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was knocked down along County Road 11." +115482,693464,OHIO,2017,June,Thunderstorm Wind,"LOGAN",2017-06-13 19:11:00,EST-5,2017-06-13 19:16:00,0,0,0,0,1.00K,1000,0.00K,0,40.39,-83.95,40.39,-83.95,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was knocked down along County Road 21." +115482,693465,OHIO,2017,June,Thunderstorm Wind,"AUGLAIZE",2017-06-13 18:09:00,EST-5,2017-06-13 18:19:00,0,0,0,0,2.00K,2000,0.00K,0,40.59,-84.4,40.59,-84.4,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Trees and power lines were reported knocked down." +115482,693467,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 11:54:00,EST-5,2017-06-13 11:59:00,0,0,0,0,2.00K,2000,0.00K,0,39.83,-84.29,39.83,-84.29,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Trees were knocked down at the intersection of Taywood and Westbrook Roads." +115482,693468,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 12:20:00,EST-5,2017-06-13 12:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.8,-84.25,39.8,-84.25,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Trees were knocked down along Salem Avenue." +115314,692372,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-06 22:01:00,PST-8,2017-04-06 22:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Large tree limbs down at 33000 block of Dowe Ave in Union City, covering road. Report/pictures via social media. Gust estimate from Fremont RAWS." +115314,692373,CALIFORNIA,2017,April,Debris Flow,"CONTRA COSTA",2017-04-07 01:36:00,PST-8,2017-04-07 02:36:00,0,0,0,0,0.00K,0,0.00K,0,37.8106,-121.7883,37.8088,-121.7915,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Closure of road due to mudslides on Morgan Territory Rd." +115314,692374,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-07 04:55:00,PST-8,2017-04-07 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Downed power lines in addition to a land slide on Aitken Dr in Oakland Hills, with homes threatened. Time unknown, location based on social media post by local media. Gust estimate from Lafayette COOP." +115314,692375,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-07 05:48:00,PST-8,2017-04-07 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Major wind damage to roof reported at 2054 Burroughs Ave in San Leandro. Winds likely occurred sometime overnight. Estimated gust from Hayward Airport RAWS." +115314,692376,CALIFORNIA,2017,April,High Surf,"SAN FRANCISCO BAY SHORELINE",2017-04-07 08:57:00,PST-8,2017-04-07 09:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","A BART barge sunk early this morning in the San Francisco Bay due to large surf, strong winds, and heavy rains. Wave heights overnight reached 11 ft and winds gusted to 45 kt off the San Francisco coast." +115314,692377,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-07 09:23:00,PST-8,2017-04-07 09:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Downed tree and power lines reported in front of house in San Lorenzo. Damage likely from previous night." +117139,705965,OKLAHOMA,2017,June,Hail,"MAYES",2017-06-17 07:20:00,CST-6,2017-06-17 07:20:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-95.17,36.2,-95.17,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","" +117139,705977,OKLAHOMA,2017,June,Hail,"LATIMER",2017-06-17 10:00:00,CST-6,2017-06-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9287,-95.2135,34.9287,-95.2135,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","" +117140,705987,OKLAHOMA,2017,June,Hail,"SEQUOYAH",2017-06-30 18:31:00,CST-6,2017-06-30 18:31:00,0,0,0,0,0.00K,0,0.00K,0,35.4609,-94.7872,35.4609,-94.7872,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","" +117140,705988,OKLAHOMA,2017,June,Hail,"MCINTOSH",2017-06-30 18:46:00,CST-6,2017-06-30 18:46:00,0,0,0,0,0.00K,0,0.00K,0,35.3529,-95.5661,35.3529,-95.5661,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","" +117140,705989,OKLAHOMA,2017,June,Hail,"SEQUOYAH",2017-06-30 18:49:00,CST-6,2017-06-30 18:49:00,0,0,0,0,0.00K,0,0.00K,0,35.4609,-94.7747,35.4609,-94.7747,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","" +117140,705991,OKLAHOMA,2017,June,Hail,"PITTSBURG",2017-06-30 19:00:00,CST-6,2017-06-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2453,-95.5245,35.2453,-95.5245,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","" +113364,678617,NEW MEXICO,2017,April,Winter Storm,"UNION COUNTY",2017-04-03 23:00:00,MST-7,2017-04-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts ranged from 3 to 6 inches in the area from Des Moines to Clayton. U.S. Highway 64/87 was closed for nearly 24 hours due to icy travel with blowing snow. The 5.5 inches of snow at Clayton on April 4th was the largest 24-hour total of the 2016-2017 winter season and a new record for the date." +113427,679366,OHIO,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-05 21:20:00,EST-5,2017-04-05 21:20:00,0,0,0,0,5.00K,5000,0.00K,0,39.45,-81.53,39.45,-81.53,"Severe thunderstorms developed across Kentucky on the afternoon of the 5th. These storms weakened as the moved into the Middle Ohio River Valley after dark due to limited instability. However, one storm did briefly pulse up and produced a small swath of damage in Washington County.","Multiple trees were uprooted and snapped." +113427,678718,OHIO,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-05 21:05:00,EST-5,2017-04-05 21:15:00,0,0,0,0,40.00K,40000,0.00K,0,39.2987,-81.7741,39.3048,-81.7335,"Severe thunderstorms developed across Kentucky on the afternoon of the 5th. These storms weakened as the moved into the Middle Ohio River Valley after dark due to limited instability. However, one storm did briefly pulse up and produced a small swath of damage in Washington County.","A National Weather Service storm survey team found damage consistent with a microburst. Many trees were damaged, snapped or uprooted along the 2.5 mile path. Three buildings suffered damage. Near the start of the microburst, along Wildwood Lake Road, the roof of a porch was ripped from a house, flipped over the top and deposited on the road. About half a mile from there, an open-sided machine shed near Welch Road had much of the tin roof ripped off. Towards the end of the path, along State Route 555, another porch was damaged by the microbust winds." +113536,679671,OREGON,2017,April,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-04-06 17:40:00,PST-8,2017-04-07 04:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The Squaw Peak RAWS recorded several gusts exceeding 74 mph during this interval. The peak gust to 98 mph occurred at 06/1939 PST." +113562,679815,TEXAS,2017,April,Hail,"YOAKUM",2017-04-12 13:12:00,CST-6,2017-04-12 13:45:00,0,0,0,0,0.00K,0,0.00K,0,32.97,-103.0225,32.97,-102.643,"A compact but strong and slow moving upper level trough brought widespread soaking rains to much of West Texas during the morning hours on the 12th through early on the 13th. On the afternoon of the 12th, an isolated severe storm developed in eastern New Mexico and moved into Yoakum County as it tracked eastward. This storm tracked across the southern portion of the County affecting Denver City.","A swath of hail was reported from 10 miles west of Denver City to 12 miles east of Denver City. Multiple reports were received of hail up to golf ball size. No damage was reported." +113683,682095,NEBRASKA,2017,April,Hail,"CUMING",2017-04-15 18:26:00,CST-6,2017-04-15 18:26:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-96.95,41.77,-96.95,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","" +113685,682164,IOWA,2017,April,Hail,"FREMONT",2017-04-15 16:38:00,CST-6,2017-04-15 16:46:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-95.78,40.8,-95.78,"An upper level storm system moved into Nebraska and Iowa on the afternoon of April 15th. This allowed for a dry line to move through southeast Nebraska with a trailing cold front moving into northeast Nebraska. Both of these boundaries served as a focus for severe weather activity. Supercells initially developed along the dry line in southeast Nebraska and moved into southwest Iowa. These thunderstorms generally produced large hail, though one tornado did occur with the initial development. Supercells then developed along the cold front in northeast Nebraska and tracked southeast, and eventually into western Iowa by late evening. These produced significant hail and wind as they tracked across the area. The severe weather threat ended by late evening as storms moved out of the area.","A long period of hail was reported at the spotter location. The hail began near nickel size and increased to ping pong ball before ending." +112346,669809,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-01-07 14:04:00,EST-5,2017-01-07 14:04:00,0,0,0,0,0.00K,0,0.00K,0,25.66,-80.19,25.66,-80.19,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 41 MPH / 36 knots was recorded by the WxFlow mesonet site XKBS." +114093,683480,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:40:00,CST-6,2017-04-16 17:45:00,0,0,0,0,,NaN,,NaN,31.98,-102.1121,31.98,-102.1121,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683486,TEXAS,2017,April,Hail,"MARTIN",2017-04-16 18:30:00,CST-6,2017-04-16 18:35:00,0,0,0,0,,NaN,,NaN,32.3,-101.87,32.3,-101.87,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683503,TEXAS,2017,April,Hail,"TERRELL",2017-04-16 18:45:00,CST-6,2017-04-16 18:55:00,0,0,0,0,,NaN,,NaN,30.0444,-102.1149,30.0444,-102.1149,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683504,TEXAS,2017,April,Hail,"GAINES",2017-04-16 19:21:00,CST-6,2017-04-16 19:26:00,0,0,0,0,,NaN,,NaN,32.5897,-102.65,32.5897,-102.65,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683505,TEXAS,2017,April,Hail,"GAINES",2017-04-16 19:22:00,CST-6,2017-04-16 19:27:00,0,0,0,0,,NaN,,NaN,32.5897,-102.65,32.5897,-102.65,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683506,TEXAS,2017,April,Hail,"ECTOR",2017-04-16 17:20:00,CST-6,2017-04-16 17:25:00,0,0,0,0,1.00K,1000,,NaN,31.9815,-102.6155,31.9815,-102.6155,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","A thunderstorm moved across Ector County and produced hail damage in Goldsmith from tennis ball sized hail. There were hail dents in the siding on one side of a house in Goldsmith. The cost of damage is a very rough estimate." +114093,683215,TEXAS,2017,April,Hail,"WARD",2017-04-16 16:30:00,CST-6,2017-04-16 16:35:00,0,0,0,0,0.00K,0,0.00K,0,31.58,-102.951,31.58,-102.951,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +115536,693708,ALABAMA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-15 13:35:00,CST-6,2017-06-15 13:35:00,0,0,0,0,1.00K,1000,0.00K,0,34.63,-85.88,34.63,-85.88,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Trees were knocked down along Highway 71 and Highway 40 in Pleasant View." +115536,693709,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:35:00,CST-6,2017-06-15 13:35:00,0,0,0,0,0.20K,200,0.00K,0,34.16,-86.35,34.16,-86.35,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down near the intersection of Highway 75 and West Concord Road." +115536,693710,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:37:00,CST-6,2017-06-15 13:37:00,0,0,0,0,0.20K,200,0.00K,0,34.46,-86.15,34.46,-86.15,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down." +115536,693711,ALABAMA,2017,June,Thunderstorm Wind,"CULLMAN",2017-06-15 13:39:00,CST-6,2017-06-15 13:39:00,0,0,0,0,1.00K,1000,0.00K,0,34.06,-86.77,34.06,-86.77,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Numerous trees were knocked down in Hanceville." +115536,693712,ALABAMA,2017,June,Thunderstorm Wind,"DEKALB",2017-06-15 13:41:00,CST-6,2017-06-15 13:41:00,0,0,0,0,2.00K,2000,0.00K,0,34.37,-85.99,34.37,-85.99,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A large tree was knocked down onto a house along CR 329." +115536,693713,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:50:00,CST-6,2017-06-15 13:50:00,1,0,0,0,0.20K,200,0.00K,0,34.17,-86.32,34.17,-86.32,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto a mobile home on Plunkett Drive." +120818,725980,OHIO,2017,November,Tornado,"SENECA",2017-11-05 16:51:00,EST-5,2017-11-05 16:53:00,0,0,0,0,150.00K,150000,0.00K,0,41.1777,-82.9741,41.1797,-82.9627,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A weak tornado touched downed in a field in rural Adams Township. The initial touchdown occurred east of County Road 21 about half way between Township Road 138 and County Road 38. A few trees were snapped or uprooted near the initial touchdown. The tornado then continued east as it rapidly strengthened to EF2 intensity. The tornado leveled a large barn as it approached State Route 18. Debris from the barn was found scattered across a large area including wrapped around utility poles and trees. The tornado crossed State Route 18 and lifted before reaching Township Road 183. This tornado was on the ground for just over a half mile." +114371,695133,TENNESSEE,2017,April,Flash Flood,"MORGAN",2017-04-22 17:00:00,EST-5,2017-04-22 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.9595,-84.5953,36.0209,-84.6206,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Highway 328 closed near mile marker 4 due to flooding. Rockslide on Highway 62. Camp Austin Road closed for flooding. Road near Oakdale City Park closed." +114371,695136,TENNESSEE,2017,April,Flash Flood,"KNOX",2017-04-22 18:00:00,EST-5,2017-04-22 19:15:00,0,0,0,0,0.00K,0,1.00K,1000,36.0134,-84.0796,36.0607,-83.992,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Beaver Creek went out of its banks, with water reaching the skirting of a mobile home." +114371,695138,TENNESSEE,2017,April,Flood,"MORGAN",2017-04-23 10:30:00,EST-5,2017-04-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,35.99,-84.56,35.9655,-84.57,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Portion of Highway 328 is closed due to water." +116032,700989,ALABAMA,2017,June,Flood,"DEKALB",2017-06-30 11:00:00,CST-6,2017-06-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-85.85,34.4913,-85.8437,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Minor yard flooding of a home located near the Stop to Save Market in Rainsville. Depth of water unknown. Report relayed via Social Media." +117664,707513,OHIO,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:10:00,EST-5,2017-06-19 14:11:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-84.27,41.1,-84.27,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","Amateur radio operators reported an eight to ten inch limb snapped off a tree." +117664,707514,OHIO,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:20:00,EST-5,2017-06-19 14:21:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-84.06,40.92,-84.06,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","A trained spotter reported several small tree limbs down. No specific size given." +117664,707515,OHIO,2017,June,Thunderstorm Wind,"FULTON",2017-06-19 14:30:00,EST-5,2017-06-19 14:31:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-84.2,41.57,-84.2,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","Emergency management officials reported power lines down across the road from falling tree limbs." +117664,707516,OHIO,2017,June,Thunderstorm Wind,"HENRY",2017-06-19 14:30:00,EST-5,2017-06-19 14:31:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-84.19,41.25,-84.19,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","Emergency management officials reported three separate reports of trees down in Napoleon." +117664,707517,OHIO,2017,June,Thunderstorm Wind,"HENRY",2017-06-19 14:40:00,EST-5,2017-06-19 14:41:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-83.9,41.28,-83.9,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","Power lines reported down on County Road 2 and State Route 281." +117664,707518,OHIO,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:35:00,EST-5,2017-06-19 14:36:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-83.98,41.04,-83.98,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","The Ottawa/Putman county airport automated weather sensor recorded a 60 mph wind gust." +114623,687456,IOWA,2017,April,Hail,"MARION",2017-04-15 21:48:00,CST-6,2017-04-15 21:48:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-92.89,41.48,-92.89,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported up to ping pong ball sized hail." +114623,687457,IOWA,2017,April,Hail,"MARION",2017-04-15 23:05:00,CST-6,2017-04-15 23:05:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-92.96,41.38,-92.96,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported quarter sized hail. Time estimated from radar." +114623,687459,IOWA,2017,April,Hail,"MARION",2017-04-15 23:08:00,CST-6,2017-04-15 23:08:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-92.92,41.38,-92.92,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported up to half dollar sized hail." +114623,687460,IOWA,2017,April,Heavy Rain,"WAPELLO",2017-04-15 05:45:00,CST-6,2017-04-16 05:45:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-92.39,41.04,-92.39,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.47 inches of rain in the past 24 hours. Delayed report." +114834,688891,VIRGINIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-21 18:23:00,EST-5,2017-04-21 18:23:00,0,0,0,0,20.00K,20000,0.00K,0,38.23,-76.96,38.23,-76.96,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Significant boat and building damage was reported at the Colonial Beach Yacht Center." +114843,688933,MINNESOTA,2017,April,Flash Flood,"WINONA",2017-04-20 02:30:00,CST-6,2017-04-20 04:30:00,0,0,0,0,0.00K,0,0.00K,0,44.0153,-91.5179,44.0157,-91.5177,"Showers and thunderstorms moved repeatedly across southeast Minnesota during the evening of April 19th. Radar estimates indicated between 2 and 2.5 fell across portions of Winona County from these showers and storms. This rain caused a mudslide to occur southeast of Homer. The resulting debris covered U.S. Highway 61 causing the southbound lanes to be closed.","Debris from a mudslide caused the southbound lanes of U.S. Highway 61 to be closed southeast of Homer." +114843,688935,MINNESOTA,2017,April,Heavy Rain,"WINONA",2017-04-19 19:45:00,CST-6,2017-04-19 23:15:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-91.66,44.01,-91.66,"Showers and thunderstorms moved repeatedly across southeast Minnesota during the evening of April 19th. Radar estimates indicated between 2 and 2.5 fell across portions of Winona County from these showers and storms. This rain caused a mudslide to occur southeast of Homer. The resulting debris covered U.S. Highway 61 causing the southbound lanes to be closed.","South of the city of Winona, 1.61 inches of rain fell." +114192,683941,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114192,683942,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114192,683944,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114192,683945,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +117749,707971,OHIO,2017,June,Thunderstorm Wind,"DEFIANCE",2017-06-13 16:30:00,EST-5,2017-06-13 16:31:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.35,41.28,-84.35,"Scattered thunderstorms developed in portions of northern Indiana and moved east into northwestern Ohio. Sporadic storm mergers and outflow boundary interactions caused some storms to briefly intensify and produce localized damage during the collapse stage. Video of what appears to be a gustnado was noted in the Grover Hill area. No damage was reported.","Emergency management officials reported some tree and power line damage. A light pole was snapped in half on East Second Street." +118350,711137,KANSAS,2017,June,Hail,"TREGO",2017-06-06 15:39:00,CST-6,2017-06-06 15:39:00,0,0,0,0,,NaN,,NaN,39.04,-99.88,39.04,-99.88,"An upper level trough moved across the northern Rockies early during the day and then dropped southeast overnight on the eastern edge of an upper level ridge axis that extended from the four corners region to Wyoming. Given the 20 to 30 knots of 0-6km shear and cape values of 1500 to 3000, storms became severe with hail and wind gusts.","" +118350,711138,KANSAS,2017,June,Hail,"TREGO",2017-06-06 15:40:00,CST-6,2017-06-06 15:40:00,0,0,0,0,,NaN,,NaN,39.02,-99.87,39.02,-99.87,"An upper level trough moved across the northern Rockies early during the day and then dropped southeast overnight on the eastern edge of an upper level ridge axis that extended from the four corners region to Wyoming. Given the 20 to 30 knots of 0-6km shear and cape values of 1500 to 3000, storms became severe with hail and wind gusts.","" +118350,711139,KANSAS,2017,June,Hail,"TREGO",2017-06-06 15:46:00,CST-6,2017-06-06 15:46:00,0,0,0,0,,NaN,,NaN,39.02,-99.89,39.02,-99.89,"An upper level trough moved across the northern Rockies early during the day and then dropped southeast overnight on the eastern edge of an upper level ridge axis that extended from the four corners region to Wyoming. Given the 20 to 30 knots of 0-6km shear and cape values of 1500 to 3000, storms became severe with hail and wind gusts.","" +118351,711141,KANSAS,2017,June,Flash Flood,"FORD",2017-06-08 18:30:00,CST-6,2017-06-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7238,-100.0111,37.7412,-99.9949,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Runoff from earlier thunderstorms reached Wilroads Garden Road near 112 road and quickly overflowed across the road. It deepened to around 2 feet in a matter of minutes. It receded within 2 hours." +118351,711142,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-100.01,37.66,-100.01,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 4.70 was observed." +118352,711160,KANSAS,2017,June,Hail,"FORD",2017-06-13 17:49:00,CST-6,2017-06-13 17:49:00,0,0,0,0,,NaN,,NaN,37.79,-100.02,37.79,-100.02,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711162,KANSAS,2017,June,Hail,"FORD",2017-06-13 17:54:00,CST-6,2017-06-13 17:54:00,0,0,0,0,,NaN,,NaN,37.78,-100.05,37.78,-100.05,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711163,KANSAS,2017,June,Hail,"FORD",2017-06-13 18:08:00,CST-6,2017-06-13 18:08:00,0,0,0,0,,NaN,,NaN,37.49,-99.89,37.49,-99.89,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711164,KANSAS,2017,June,Hail,"FORD",2017-06-13 18:19:00,CST-6,2017-06-13 18:19:00,0,0,0,0,,NaN,,NaN,37.63,-99.75,37.63,-99.75,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711165,KANSAS,2017,June,Hail,"FORD",2017-06-13 18:40:00,CST-6,2017-06-13 18:40:00,0,0,0,0,,NaN,,NaN,37.76,-99.97,37.76,-99.97,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711166,KANSAS,2017,June,Hail,"EDWARDS",2017-06-13 18:43:00,CST-6,2017-06-13 18:43:00,0,0,0,0,,NaN,,NaN,37.89,-99.55,37.89,-99.55,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711167,KANSAS,2017,June,Hail,"CLARK",2017-06-13 18:58:00,CST-6,2017-06-13 18:58:00,0,0,0,0,,NaN,,NaN,37.14,-100.08,37.14,-100.08,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +115030,690398,GEORGIA,2017,April,Drought,"PAULDING",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690415,GEORGIA,2017,April,Drought,"CHEROKEE",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +118353,711179,KANSAS,2017,June,Hail,"TREGO",2017-06-15 13:00:00,CST-6,2017-06-15 13:00:00,0,0,0,0,,NaN,,NaN,38.93,-99.69,38.93,-99.69,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711180,KANSAS,2017,June,Hail,"TREGO",2017-06-15 13:09:00,CST-6,2017-06-15 13:09:00,0,0,0,0,,NaN,,NaN,38.95,-99.65,38.95,-99.65,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711181,KANSAS,2017,June,Hail,"ELLIS",2017-06-15 13:10:00,CST-6,2017-06-15 13:10:00,0,0,0,0,,NaN,,NaN,38.92,-99.41,38.92,-99.41,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711182,KANSAS,2017,June,Hail,"ELLIS",2017-06-15 13:33:00,CST-6,2017-06-15 13:33:00,0,0,0,0,,NaN,,NaN,38.91,-99.33,38.91,-99.33,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711183,KANSAS,2017,June,Hail,"TREGO",2017-06-15 13:54:00,CST-6,2017-06-15 13:54:00,0,0,0,0,,NaN,,NaN,38.89,-99.89,38.89,-99.89,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711184,KANSAS,2017,June,Hail,"ELLIS",2017-06-15 14:07:00,CST-6,2017-06-15 14:07:00,0,0,0,0,,NaN,,NaN,38.78,-99.39,38.78,-99.39,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711185,KANSAS,2017,June,Hail,"TREGO",2017-06-15 14:08:00,CST-6,2017-06-15 14:08:00,0,0,0,0,,NaN,,NaN,38.88,-99.73,38.88,-99.73,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +114085,689788,KANSAS,2017,April,Flash Flood,"CHEROKEE",2017-04-29 11:40:00,CST-6,2017-04-29 13:40:00,0,0,0,0,0.00K,0,0.00K,0,37.1868,-94.8324,37.1881,-94.8317,"Multiple rounds of severe thunderstorms and heavy rainfall over several days led to flash flood flooding, large hail, and wind damage across southeast Kansas.","Highway 7 was flooded at several locations north of Columbus. Numerous secondary roads were flooded throughout the county." +114085,689789,KANSAS,2017,April,Flash Flood,"CRAWFORD",2017-04-29 21:15:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-95.05,37.6595,-95.0491,"Multiple rounds of severe thunderstorms and heavy rainfall over several days led to flash flood flooding, large hail, and wind damage across southeast Kansas.","Numerous low water crossings were flooded in Crawford County. Locations which were flooded include 730th Ave near State Line Road and 700th Ave west of 250th." +114085,689790,KANSAS,2017,April,Heavy Rain,"CRAWFORD",2017-04-29 22:20:00,CST-6,2017-04-29 22:20:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-94.69,37.46,-94.69,"Multiple rounds of severe thunderstorms and heavy rainfall over several days led to flash flood flooding, large hail, and wind damage across southeast Kansas.","A storm total rainfall of 3.89 inches of rainfall was measured." +114085,689791,KANSAS,2017,April,Thunderstorm Wind,"CHEROKEE",2017-04-25 22:20:00,CST-6,2017-04-25 22:20:00,0,0,0,0,1.00K,1000,0.00K,0,37.17,-94.7,37.17,-94.7,"Multiple rounds of severe thunderstorms and heavy rainfall over several days led to flash flood flooding, large hail, and wind damage across southeast Kansas.","Several trees were blown on to power lines near Crestline." +114891,691145,ARIZONA,2017,April,High Wind,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-04-03 17:30:00,MST-7,2017-04-03 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous upper trough and cold front moved slowly across northern Arizona during the afternoon and evening. Gusty southwest winds persisted ahead of the front. The front also triggered thunderstorms that produced locally high winds with property damage.","Several reports of wind damage were received from near Chino Valley to Cottonwood to Cordes Lakes. ||The wind blew the shingles off a carport roof all way to the plywood three miles northwest of Chino Valley around 530 PM. ||At 600 PM, shingles were blown off roofs and trees were blown down in Cottonwood and Verde Village. A trampoline was blown across a road. ||In the lower Clarkdale, two 60 foot tall pine trees were blown over (approximately 18 and 24 inches in diameter). In Upper Clarkdale, a 30 foot juniper tree was blown over. Shingles were blown off the Town Hall building. ||The winds blew down several trees and power lines two miles southeast of Camp Verde at around 630 PM. The winds also caused damage to a patio, car port, and roof. ||A Mesonet station just southwest of Cordes Lakes measured a peak wind gust of 58 MPH at 631 PM MST. Residents in the area reported that two small trees were up rooted and a flagpole snapped." +114084,691343,MISSOURI,2017,April,Heavy Rain,"WRIGHT",2017-04-29 18:08:00,CST-6,2017-04-29 18:08:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-92.51,37.25,-92.51,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Storm total rainfall of 7.90 inches was measured near Hartville." +114084,691344,MISSOURI,2017,April,Heavy Rain,"CAMDEN",2017-04-29 18:16:00,CST-6,2017-04-29 18:16:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-92.77,38.06,-92.77,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Storm total rainfall of 5.00 inches was measured near Camdenton." +114084,691345,MISSOURI,2017,April,Heavy Rain,"GREENE",2017-04-29 18:40:00,CST-6,2017-04-29 18:40:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.57,37.12,-93.57,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Storm total rainfall of 6.60 inches was measured." +114084,691346,MISSOURI,2017,April,Heavy Rain,"MORGAN",2017-04-30 00:44:00,CST-6,2017-04-30 00:44:00,0,0,0,0,0.00K,0,0.00K,0,38.44,-92.84,38.44,-92.84,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Storm total rainfall of 4.05 inches was measured." +114084,691371,MISSOURI,2017,April,Flash Flood,"WEBSTER",2017-04-30 02:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,1.00M,1000000,0.00K,0,37.1868,-92.9286,37.1834,-92.9326,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and business sustained flood damage across Webster County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Webster County." +115183,696698,ILLINOIS,2017,April,Flash Flood,"SHELBY",2017-04-29 18:30:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5798,-88.8094,39.5657,-89.0257,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Shelby County. Numerous streets in Shelbyville were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern half of the county where the heaviest rainfall totals were reported. Parts of Illinois Route 128 near Cowden were closed." +115183,696700,ILLINOIS,2017,April,Flash Flood,"MOULTRIE",2017-04-29 19:00:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.7338,-88.4741,39.5798,-88.8094,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Moultrie County. Several streets in Sullivan were impassable, as were numerous rural roads and highways in the southern part of the county near the Shelby County line." +115272,692058,IDAHO,2017,April,Debris Flow,"BONNER",2017-04-11 12:52:00,PST-8,2017-04-15 00:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.3003,-116.8252,48.2876,-116.8351,"Saturated soil conditions across north Idaho caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Boundary and Bonner Counties in particular was disrupted by numerous road closures due to debris flows and flooding undermining road beds during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.||In addition to two debris flows cutting highway 95, which is a main artery in Boundary County, at least eight secondary roads were washed out, undermined or otherwise damaged by flooding in the county.||In Bonner County at least seven secondary roads were closed in the county due to flood damage.","The Bonner County Sheriff reported a debris flow across East River Road, temporarily cutting travel along the eastern shore of Priest River." +115272,693501,IDAHO,2017,April,Debris Flow,"BOUNDARY",2017-04-09 07:00:00,PST-8,2017-04-13 00:00:00,0,0,0,0,2.00K,2000,0.00K,0,48.7327,-116.5128,48.7195,-116.5114,"Saturated soil conditions across north Idaho caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Boundary and Bonner Counties in particular was disrupted by numerous road closures due to debris flows and flooding undermining road beds during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.||In addition to two debris flows cutting highway 95, which is a main artery in Boundary County, at least eight secondary roads were washed out, undermined or otherwise damaged by flooding in the county.||In Bonner County at least seven secondary roads were closed in the county due to flood damage.","A debris flow on Myrtle Creek Road exposed two cases of vintage dynamite apparently buried and abandoned after road work in the 1970s. The dynamite was rendered safe and removed but the road remained closed due to unstable surface conditions through April 13th." +115278,692074,WASHINGTON,2017,April,Debris Flow,"PEND OREILLE",2017-04-01 00:00:00,PST-8,2017-04-15 07:00:00,0,0,0,0,200.00K,200000,0.00K,0,48.993,-117.4274,48.016,-117.4658,"Saturated soil conditions across northeast Washington caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Spokane, Pend Oreille and Stevens Counties was disrupted by numerous road closures due to debris flows and flooding of roads during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.","Periodic heavy rain and spring time snow melt continued to cause travel problems in Pend Oreille County through the first half of April. Numerous secondary roads were damaged or cut by small stream and field flooding and debris flows. Most notably, Flowery Trail Road which crosses a mountain range and connects the towns of Usk and Chewelah was closed due to dangerous and unstable conditions caused by a 300 yard section of hillside slowly flowing onto the road bed." +119145,716344,VIRGINIA,2017,July,Heavy Rain,"NORFOLK (C)",2017-07-15 06:01:00,EST-5,2017-07-15 06:01:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-76.29,36.86,-76.29,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.70 inches was measured at downtown Norfolk." +119145,716348,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:03:00,EST-5,2017-07-15 06:03:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-76.15,36.76,-76.15,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.26 inches was measured at Gallups Corner (2 SSW)." +119145,716349,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 06:15:00,EST-5,2017-07-15 06:15:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.61,36.98,-76.61,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.88 inches was measured at Smithfield." +119145,716350,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 06:16:00,EST-5,2017-07-15 06:16:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-76.21,36.69,-76.21,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.60 inches was measured at Fentress (1 WSW)." +119145,716351,VIRGINIA,2017,July,Heavy Rain,"SUFFOLK (C)",2017-07-15 06:17:00,EST-5,2017-07-15 06:17:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-76.48,36.88,-76.48,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 2.45 inches was measured at Hobson (2 ESE)." +119145,716352,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:23:00,EST-5,2017-07-15 06:23:00,0,0,0,0,0.00K,0,0.00K,0,36.84,-76.06,36.84,-76.06,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.99 inches was measured at Lynnhaven." +119145,716353,VIRGINIA,2017,July,Heavy Rain,"ISLE OF WIGHT",2017-07-15 06:23:00,EST-5,2017-07-15 06:23:00,0,0,0,0,0.00K,0,0.00K,0,36.93,-76.53,36.93,-76.53,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.58 inches was measured at Carrollton (2 ESE)." +119145,716354,VIRGINIA,2017,July,Heavy Rain,"VIRGINIA BEACH (C)",2017-07-15 06:24:00,EST-5,2017-07-15 06:24:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-76.21,36.83,-76.21,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.19 inches was measured at Kempsville (2 W)." +114084,691312,MISSOURI,2017,April,Flash Flood,"PULASKI",2017-04-30 00:50:00,CST-6,2017-04-30 03:50:00,0,0,1,0,10.00K,10000,0.00K,0,37.95,-92.3,37.9544,-92.3015,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","An 18 year old male drowned after his vehicle entered a flooded area on Buffalo Road west of Crocker." +116340,699883,VIRGINIA,2017,May,Thunderstorm Wind,"KING WILLIAM",2017-05-05 07:10:00,EST-5,2017-05-05 07:10:00,0,0,0,0,2.00K,2000,0.00K,0,37.68,-76.98,37.68,-76.98,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed across much of the area including Black Gum Road at Highway 30." +116340,699885,VIRGINIA,2017,May,Thunderstorm Wind,"KING WILLIAM",2017-05-05 07:05:00,EST-5,2017-05-05 07:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.61,-77.02,37.61,-77.02,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed at Route 632 and Elsing Green Lane." +116340,699887,VIRGINIA,2017,May,Thunderstorm Wind,"CAROLINE",2017-05-05 19:55:00,EST-5,2017-05-05 19:55:00,0,0,0,0,2.00K,2000,0.00K,0,38.06,-77.52,38.06,-77.52,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Trees were downed near Mile marker 113 along Interstate 95." +116340,704451,VIRGINIA,2017,May,Tornado,"SURRY",2017-05-05 19:07:00,EST-5,2017-05-05 19:10:00,0,0,0,0,2.00K,2000,0.00K,0,36.9807,-76.8803,36.9937,-76.8736,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Tornado tracked from Southampton county into Surry county. The tornado uprooted several trees near and along Aberdeen Road before lifting just east of Walls Bridge Road." +114084,691366,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,8.00M,8000000,0.00K,0,37.3264,-91.947,37.3269,-91.9511,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and business sustained severe flood damage across Texas County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Texas County." +114084,691405,MISSOURI,2017,April,Flood,"MARIES",2017-04-30 14:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,38.1445,-91.8791,38.147,-91.8823,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and roads sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Maries County." +118355,711249,KANSAS,2017,June,Hail,"GRAY",2017-06-17 18:55:00,CST-6,2017-06-17 18:55:00,0,0,0,0,,NaN,,NaN,37.66,-100.38,37.66,-100.38,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","Damage was done to the home and to a vehicle." +118355,711250,KANSAS,2017,June,Hail,"GRAY",2017-06-17 18:55:00,CST-6,2017-06-17 18:55:00,0,0,0,0,,NaN,,NaN,37.69,-100.38,37.69,-100.38,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +115175,691468,COLORADO,2017,April,Winter Storm,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-04-28 17:00:00,MST-7,2017-04-29 03:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"In the Front Range Foothills and along the Palmer Divide, storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 18 inches near Nederland, 16.5 inches near Idledale, 16 inches near Pinecliffe, 15 inches at Kittredge, 14 inches at Ken Caryl and near Roxborough State Park, 12.5 inches near Elizabeth, 12 inches in Eldorado Springs, 11 inches near Brookvale and 12 miles northwest of Golden, with 10.5 inches at Lone Tree.||Heavier south occurred over the western and southern suburbs of Denver. Storm totals included: 10 inches in Littleton, 8 inches at Centennial, 3 miles southeast of Denver and near Greenwood Village, 7 inches near Wheat Ridge, 6 inches in Arvada and Castle Pines, with 5 inches in Boulder. Across the northern part of Denver, lesser amounts of 1 to 4 inches were observed.","Storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 16.5 inches near Idledale, 15 inches at Kittredge, 14 inches at Ken Caryl and Roxborough State Park, 11.5 inches at Aspen Park, 11 inches at Idaho Springs and 12 miles northwest of Golden, with 10.5 inches near Conifer." +115175,691470,COLORADO,2017,April,Winter Storm,"ELBERT / C & E DOUGLAS COUNTIES ABOVE 6000 FEET",2017-04-28 17:00:00,MST-7,2017-04-29 03:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"In the Front Range Foothills and along the Palmer Divide, storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 18 inches near Nederland, 16.5 inches near Idledale, 16 inches near Pinecliffe, 15 inches at Kittredge, 14 inches at Ken Caryl and near Roxborough State Park, 12.5 inches near Elizabeth, 12 inches in Eldorado Springs, 11 inches near Brookvale and 12 miles northwest of Golden, with 10.5 inches at Lone Tree.||Heavier south occurred over the western and southern suburbs of Denver. Storm totals included: 10 inches in Littleton, 8 inches at Centennial, 3 miles southeast of Denver and near Greenwood Village, 7 inches near Wheat Ridge, 6 inches in Arvada and Castle Pines, with 5 inches in Boulder. Across the northern part of Denver, lesser amounts of 1 to 4 inches were observed.","Storm totals included: 12.5 inches near Elizabeth, 11 inches at Castle Pines, 10.5 inches at Lone Tree, 10 inches in Larkspur, 9.5 inches near Lone Tree, and 6 inches near Pinery." +115175,691473,COLORADO,2017,April,Winter Storm,"N DOUGLAS COUNTY BELOW 6000 FEET / DENVER / W ADAMS & ARAPAHOE COUNTIES / E BROOMFIELD COUNTY",2017-04-28 17:00:00,MST-7,2017-04-29 03:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"In the Front Range Foothills and along the Palmer Divide, storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 18 inches near Nederland, 16.5 inches near Idledale, 16 inches near Pinecliffe, 15 inches at Kittredge, 14 inches at Ken Caryl and near Roxborough State Park, 12.5 inches near Elizabeth, 12 inches in Eldorado Springs, 11 inches near Brookvale and 12 miles northwest of Golden, with 10.5 inches at Lone Tree.||Heavier south occurred over the western and southern suburbs of Denver. Storm totals included: 10 inches in Littleton, 8 inches at Centennial, 3 miles southeast of Denver and near Greenwood Village, 7 inches near Wheat Ridge, 6 inches in Arvada and Castle Pines, with 5 inches in Boulder. Across the northern part of Denver, lesser amounts of 1 to 4 inches were observed.","Storm totals included: 13 inches in Parker, 10 inches in Littleton, 8 inches in southeast Aurora, Centennial, Highlands Ranch, southeast Denver and Greenwood Village, with 7.5 inches in southwest Denver." +114751,688853,TENNESSEE,2017,April,Hail,"PUTNAM",2017-04-05 17:13:00,CST-6,2017-04-05 17:13:00,0,0,0,0,0.00K,0,0.00K,0,36.0985,-85.7414,36.0985,-85.7414,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Mostly nickel size hail but a few quarter size hail stones mixed in reported along I-40 around 8 miles west-southwest of Baxter." +114751,688854,TENNESSEE,2017,April,Thunderstorm Wind,"OVERTON",2017-04-05 17:15:00,CST-6,2017-04-05 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.3,-85.35,36.3,-85.35,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Upper Cumberland reporter video and photos indicated a home had a corner of its roof and shingles blown off, tin metal was blown off the roof of a barn, and a shed was blown 100 yards to the north and destroyed on Mary Ellen Estates at Highway 42 in Rickman." +114751,688855,TENNESSEE,2017,April,Hail,"PUTNAM",2017-04-05 17:16:00,CST-6,2017-04-05 17:16:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-85.65,36.17,-85.65,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","" +114751,688857,TENNESSEE,2017,April,Thunderstorm Wind,"PUTNAM",2017-04-05 17:17:00,CST-6,2017-04-05 17:17:00,0,0,0,0,1.00K,1000,0.00K,0,36.1713,-85.631,36.1713,-85.631,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Upper Cumberland Reporter photos showed a tree was blown down blocking Pine Grove Road in Baxter." +115418,694617,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-05 19:15:00,EST-5,2017-04-05 19:16:00,0,0,0,0,,NaN,,NaN,32.78,-79.78,32.78,-79.78,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at the Isle of Palms Pier recorded a 50 knot wind gust." +115418,694618,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-05 19:15:00,EST-5,2017-04-05 19:16:00,0,0,0,0,,NaN,,NaN,32.76,-79.82,32.76,-79.82,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site on Sullivan's Island recorded a 44 knot wind gust." +115418,694620,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-04-05 20:41:00,EST-5,2017-04-05 20:42:00,0,0,0,0,,NaN,,NaN,32.5,-79.1,32.5,-79.1,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","Buoy 41004 recorded a 47 knot wind gust." +115418,694779,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-04-06 02:44:00,EST-5,2017-04-06 02:45:00,0,0,0,0,,NaN,,NaN,32.03,-80.84,32.03,-80.84,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at North Tybee Island recorded a 38 knot wind gust." +115418,694781,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:31:00,EST-5,2017-04-06 03:32:00,0,0,0,0,,NaN,,NaN,32.65,-79.94,32.65,-79.94,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Folly Beach Pier recorded a 35 knot wind gust." +115418,694782,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:36:00,EST-5,2017-04-06 03:37:00,0,0,0,0,,NaN,,NaN,32.6528,-79.9384,32.6528,-79.9384,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Folly Beach Pier recorded a peak 36 knot wind gust." +114955,694225,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 05:00:00,CST-6,2017-04-29 05:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.4933,-97.5226,35.4933,-97.5226,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Roof in road at NW 23rd and Dewey. Major roof damage to several buildings near capitol complex. Time estimated by radar." +114955,692807,OKLAHOMA,2017,April,Thunderstorm Wind,"CANADIAN",2017-04-29 04:00:00,CST-6,2017-04-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.72,35.39,-97.72,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","No damage reported." +114954,694277,OKLAHOMA,2017,April,Thunderstorm Wind,"HUGHES",2017-04-25 22:45:00,CST-6,2017-04-25 22:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.0833,-96.4004,35.0833,-96.4004,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","Winds caused roof damage. Time estimated by radar." +114955,692816,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-29 04:22:00,CST-6,2017-04-29 04:22:00,0,0,0,0,0.00K,0,0.00K,0,35.4787,-97.5257,35.4787,-97.5257,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Trees downed at NW 10th and Shartel." +115567,694003,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:30:00,CST-6,2017-04-11 18:35:00,0,0,0,0,0.00K,0,0.00K,0,27.7238,-97.3406,27.73,-97.3341,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Weatherflow site at Poenisch Park in Corpus Christi measured a gust to 39 knots." +115567,694011,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:31:00,CST-6,2017-04-11 18:57:00,0,0,0,0,0.00K,0,0.00K,0,27.634,-97.237,27.642,-97.2424,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Packery Channel TCOON site measured a gust to 45 knots." +115567,694015,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:31:00,CST-6,2017-04-11 18:53:00,0,0,0,0,0.00K,0,0.00K,0,27.7,-97.297,27.714,-97.2942,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Corpus Christi Naval Air Station ASOS measured a gust to 45 knots." +115603,694409,NEW YORK,2017,April,Strong Wind,"WESTERN RENSSELAER",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM and CWOP stations ranged from 30 to 45 mph." +115603,694407,NEW YORK,2017,April,Strong Wind,"EASTERN RENSSELAER",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM and CWOP stations ranged from 40 to 45 mph." +115603,694342,NEW YORK,2017,April,High Wind,"WESTERN GREENE",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Trees and wires downed by high wind in the town of Acra." +115603,694341,NEW YORK,2017,April,High Wind,"EASTERN GREENE",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Large trees were knocked down onto wires in the Athens area." +115603,694343,NEW YORK,2017,April,High Wind,"WESTERN COLUMBIA",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Numerous reports of trees and wires downed by high winds." +115603,694400,NEW YORK,2017,April,Strong Wind,"WESTERN DUTCHESS",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from CWOP, WXFLOW and NYSM stations ranged from 39 to 48 mph." +117434,706219,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-10 16:00:00,EST-5,2017-06-10 17:30:00,0,0,0,0,0.00K,0,0.00K,0,29.14,-82.13,29.14,-82.13,"Sea breeze storms and resultant outflow boundaries merged over a very moist airmass with light steering winds. Very slow moving, heavy rainfall producing storms caused flooding south of Ocala.","A station between Ocala and Santos measured 4.85 inches within about 90 mintues." +117435,706222,FLORIDA,2017,June,Flood,"DUVAL",2017-06-12 13:30:00,EST-5,2017-06-12 13:30:00,0,0,0,0,0.20K,200,0.00K,0,30.3526,-81.6487,30.3527,-81.6495,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A social media video showed street flooding at the intersection of Liberty Street and 15th Street in downtown Jacksonville. The cost of property damage was unknown, but it was estimated for Storm Data." +117435,706223,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-11 23:00:00,EST-5,2017-06-12 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.51,30.28,-81.51,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","Daily rainfall total of 2.6 inches from ActionNews Jacksonville." +117435,706226,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-12 11:30:00,EST-5,2017-06-12 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-81.41,30.37,-81.41,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A spotter at Mayport Village reported more than 3 inches of rainfall in about 2 hours." +115554,694027,TEXAS,2017,April,Hail,"CROCKETT",2017-04-10 20:15:00,CST-6,2017-04-10 20:18:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-101.45,30.38,-101.45,"A cold front interacting with a moist and unstable atmosphere resulted in severe storms that produced large hail across the Northwest Hill Country.","The public reported that hail fell until 10 PM, busting windows on two vehicles and a residence. In addition, the large hail killed 12 lambs." +115684,695180,NEW MEXICO,2017,April,High Wind,"SOUTHERN DONA ANA COUNTY/MESILLA VALLEY",2017-04-25 14:00:00,MST-7,2017-04-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A closed upper low was moving across the Colorado Rockies with a 100 knot upper jet approaching the Borderland brought wind gusts up to 87 mph to the region.","A peak gust of 72 mph was reported at the Twin Peaks Mesonet site just northeast of Las Cruces." +117188,705002,MINNESOTA,2017,June,Tornado,"OLMSTED",2017-06-28 17:22:00,CST-6,2017-06-28 17:22:00,0,0,0,0,0.00K,0,0.00K,0,44.0561,-92.3083,44.0561,-92.3083,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","An EF-0 tornado briefly touched down southwest of Viola. Little to no damage was reported with the tornado." +117188,705004,MINNESOTA,2017,June,Tornado,"OLMSTED",2017-06-28 17:42:00,CST-6,2017-06-28 17:44:00,0,0,0,0,5.00K,5000,0.00K,0,43.9989,-92.1358,44.0023,-92.1427,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","An EF-0 tornado touched down north of Dover and then traveled southeast for about a half mile. The tornado damaged some corn and trees." +117188,705073,MINNESOTA,2017,June,Thunderstorm Wind,"OLMSTED",2017-06-28 18:45:00,CST-6,2017-06-28 18:45:00,0,0,0,0,7.00K,7000,0.00K,0,43.96,-92.46,43.96,-92.46,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","A power pole was snapped off south of Rochester." +116928,705359,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-16 18:02:00,CST-6,2017-06-16 18:02:00,0,0,0,0,10.00K,10000,0.00K,0,43.7045,-91.0183,43.7045,-91.0183,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Numerous large trees were uprooted at Veterans Memorial Park in Coon Valley." +116928,703289,WISCONSIN,2017,June,Thunderstorm Wind,"TREMPEALEAU",2017-06-16 17:42:00,CST-6,2017-06-16 17:42:00,0,0,0,0,5.00K,5000,0.00K,0,44.43,-91.31,44.43,-91.31,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","A large tree was blown down onto a barn east of Elk Creek." +115772,698361,GEORGIA,2017,April,Hail,"DOUGLAS",2017-04-05 10:00:00,EST-5,2017-04-05 10:10:00,0,0,0,0,,NaN,,NaN,33.7394,-84.8663,33.7394,-84.8663,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A report was received on social media of quarter size hail between Villa Rica and Douglasville." +115772,698362,GEORGIA,2017,April,Hail,"WILKES",2017-04-05 10:55:00,EST-5,2017-04-05 11:05:00,0,0,0,0,,NaN,,NaN,33.8652,-82.7415,33.8652,-82.7415,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Wilkes County Emergency Manager reported quarter size hail in Tignall." +115772,698364,GEORGIA,2017,April,Hail,"FAYETTE",2017-04-05 11:10:00,EST-5,2017-04-05 11:20:00,0,0,0,0,,NaN,,NaN,33.47,-84.59,33.47,-84.59,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported half dollar size hail in Tyrone." +115772,698365,GEORGIA,2017,April,Hail,"GREENE",2017-04-05 12:30:00,EST-5,2017-04-05 12:40:00,0,0,0,0,,NaN,,NaN,33.67,-83.18,33.67,-83.18,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A trained spotter reported quarter size hail in Penfield." +115772,698366,GEORGIA,2017,April,Hail,"WILKES",2017-04-05 12:44:00,EST-5,2017-04-05 12:54:00,0,0,0,0,44.00K,44000,,NaN,33.83,-82.88,33.83,-82.88,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","Golf ball size hail was reported by a CoCoRaHS observer near Rayle." +115772,698368,GEORGIA,2017,April,Hail,"GORDON",2017-04-05 14:16:00,EST-5,2017-04-05 14:26:00,0,0,0,0,,NaN,,NaN,34.44,-84.7,34.44,-84.7,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported half dollar size hail in Fairmount." +114821,688705,VIRGINIA,2017,April,Thunderstorm Wind,"MIDDLESEX",2017-04-06 10:55:00,EST-5,2017-04-06 10:55:00,0,0,0,0,2.00K,2000,0.00K,0,37.61,-76.6,37.61,-76.6,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees were downed near Saluda." +114821,688706,VIRGINIA,2017,April,Thunderstorm Wind,"LOUISA",2017-04-06 11:04:00,EST-5,2017-04-06 11:04:00,0,0,0,0,2.00K,2000,0.00K,0,37.95,-78.13,37.95,-78.13,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees were downed along Interstate 64." +114821,688712,VIRGINIA,2017,April,Thunderstorm Wind,"LANCASTER",2017-04-06 11:15:00,EST-5,2017-04-06 11:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.69,-76.41,37.69,-76.41,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Numerous trees were downed near Kilmarnock." +114821,688717,VIRGINIA,2017,April,Thunderstorm Wind,"LANCASTER",2017-04-06 11:13:00,EST-5,2017-04-06 11:15:00,0,0,0,0,25.00K,25000,0.00K,0,37.7,-76.38,37.71,-76.38,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Windows were broken including clear story windows or skylights at a small professional building in Kilmarnock. There was also damage to the hospital, and hardwood trees were uprooted." +114821,688720,VIRGINIA,2017,April,Thunderstorm Wind,"LOUISA",2017-04-06 11:15:00,EST-5,2017-04-06 11:15:00,0,0,0,0,10.00K,10000,0.00K,0,38.09,-78.04,38.09,-78.04,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Tree was downed and damaged a house." +114821,688722,VIRGINIA,2017,April,Thunderstorm Wind,"LOUISA",2017-04-06 11:20:00,EST-5,2017-04-06 11:20:00,0,0,0,0,3.00K,3000,0.00K,0,38.02,-78,38.02,-78,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Numerous trees were downed around Louisa and across the county. Trees blocked west bound lanes on Interstate 64 between mile marker 132 and 140." +114821,688723,VIRGINIA,2017,April,Thunderstorm Wind,"CHESAPEAKE (C)",2017-04-06 11:43:00,EST-5,2017-04-06 11:43:00,0,0,0,0,2.00K,2000,0.00K,0,36.81,-76.27,36.81,-76.27,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees and power lines were downed at Richmond and Jackson Avenue." +114821,688724,VIRGINIA,2017,April,Thunderstorm Wind,"CHESAPEAKE (C)",2017-04-06 11:45:00,EST-5,2017-04-06 11:45:00,0,0,0,0,2.00K,2000,0.00K,0,36.83,-76.24,36.83,-76.24,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees were downed at Horizons Apartments near Indian River Road, Tatemstown Road, and Kemet Road." +115180,691547,ILLINOIS,2017,April,Thunderstorm Wind,"CLAY",2017-04-26 15:08:00,CST-6,2017-04-26 15:13:00,0,0,0,0,35.00K,35000,0.00K,0,38.68,-88.35,38.68,-88.35,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","A tree was blown down onto a trailer." +115180,691545,ILLINOIS,2017,April,Thunderstorm Wind,"CLAY",2017-04-26 14:59:00,CST-6,2017-04-26 15:04:00,0,0,0,0,10.00K,10000,0.00K,0,38.9028,-88.5208,38.9028,-88.5208,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Power lines were blown down at Route 45 North and Cheetah Lane." +115180,691559,ILLINOIS,2017,April,Thunderstorm Wind,"JASPER",2017-04-26 15:25:00,CST-6,2017-04-26 15:30:00,0,0,0,0,50.00K,50000,0.00K,0,38.9011,-88.02,38.9011,-88.02,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Three machine sheds were damaged south of Ste. Marie, including one that had its roof blown off. A power pole was broken and power lines were downed, causing a power outage." +115180,691561,ILLINOIS,2017,April,Thunderstorm Wind,"JASPER",2017-04-26 15:28:00,CST-6,2017-04-26 15:33:00,0,0,0,0,10.00K,10000,0.00K,0,38.9237,-87.9478,38.9237,-87.9478,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","A hog confinement building was destroyed near the Jasper-Crawford County line." +115180,691549,ILLINOIS,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-26 15:33:00,CST-6,2017-04-26 15:38:00,0,0,0,0,15.00K,15000,0.00K,0,39,-87.92,39,-87.92,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","The roof of a business was damaged in Oblong." +115180,691550,ILLINOIS,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-26 15:34:00,CST-6,2017-04-26 15:39:00,0,0,0,0,10.00K,10000,0.00K,0,39,-87.92,39,-87.92,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Numerous trees were blown down on a property on the northeast side of Oblong." +115357,692647,KANSAS,2017,April,Winter Storm,"GRAHAM",2017-04-30 04:30:00,CST-6,2017-04-30 22:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Several cars were reported off the road. Sporadic power outages occurred, mainly for the western portions of the county where the higher snowfall amounts were located. The visibility at Hill City fell to less than a mile almost all the morning, with an hour of quarter mile visibility reported during this time in the falling and blowing snow. Snowfall amounts ranged from a couple inches in the far east part of the county to almost 20 inches along the western border of the county. The snowfall amounts quickly increased over the western quarter of the county. A federal disaster was declared by President Donald J. Trump." +115863,696308,NEBRASKA,2017,April,Hail,"LOUP",2017-04-14 20:03:00,CST-6,2017-04-14 20:03:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-99.27,41.78,-99.27,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115863,696309,NEBRASKA,2017,April,Hail,"CUSTER",2017-04-14 20:33:00,CST-6,2017-04-14 20:33:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-99.33,41.64,-99.33,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115863,696310,NEBRASKA,2017,April,Hail,"CUSTER",2017-04-14 20:44:00,CST-6,2017-04-14 20:44:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-99.51,41.16,-99.51,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115863,696311,NEBRASKA,2017,April,Hail,"CUSTER",2017-04-14 21:46:00,CST-6,2017-04-14 21:46:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-99.41,41.58,-99.41,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115363,693960,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-03 16:08:00,EST-5,2017-04-03 16:09:00,0,0,0,0,,NaN,,NaN,32.99,-80.93,32.99,-80.93,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Cayce Road near Willow Swamp Road." +115363,693961,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:09:00,EST-5,2017-04-03 17:10:00,0,0,0,0,,NaN,,NaN,32.98,-80.21,32.98,-80.21,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Orangeburg Road near the Dorchester County Department of Social Services building." +115363,693962,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:05:00,EST-5,2017-04-03 17:06:00,0,0,0,0,,NaN,,NaN,32.96,-80.28,32.96,-80.28,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Highway 17-A near Highway 61." +115798,695897,WEST VIRGINIA,2017,April,Thunderstorm Wind,"PRESTON",2017-04-20 15:52:00,EST-5,2017-04-20 15:52:00,0,0,0,0,2.00K,2000,0.00K,0,39.4829,-79.6584,39.4829,-79.6584,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported large trees down near Kingwood and Albright." +115626,694655,NEW YORK,2017,April,Thunderstorm Wind,"SUFFOLK",2017-04-06 16:17:00,EST-5,2017-04-06 16:17:00,0,0,0,0,5.00K,5000,,NaN,40.82,-73.2,40.82,-73.2,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","Numerous trees were reported down throughout the Hamlet of Happaugue." +115211,691778,CONNECTICUT,2017,April,Flash Flood,"FAIRFIELD",2017-04-06 16:45:00,EST-5,2017-04-06 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.1889,-73.1574,41.1894,-73.1575,"Heavy rain developed out ahead of a warm front lifting north across the area. This event occurred immediately after a ten day period in which 3-5 inches of rain fell across the area, resulting in saturated soils and isolated flash flooding in Fairfield County.","The fire department responded to a water rescue at the intersection of Barnum Avenue and Bishop Avenue in Mill Hill, between Bridgeport and Stratford." +115626,694656,NEW YORK,2017,April,Thunderstorm Wind,"SUFFOLK",2017-04-06 16:17:00,EST-5,2017-04-06 16:17:00,0,0,0,0,10.00K,10000,,NaN,40.85,-73.2,40.85,-73.2,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","Multiple trees were reported down throughout the town of Smithtown, including one on a house. A shed was also lifted off the ground." +115626,694653,NEW YORK,2017,April,Thunderstorm Wind,"NASSAU",2017-04-06 15:56:00,EST-5,2017-04-06 15:56:00,0,0,0,0,4.00K,4000,,NaN,40.7578,-73.6396,40.7578,-73.6396,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","A tree was down across the Long Island Railroad tracks at the junction of East Williston and Hillside Avenues, just northwest of Mineola." +115626,694657,NEW YORK,2017,April,Thunderstorm Wind,"SUFFOLK",2017-04-06 16:19:00,EST-5,2017-04-06 16:19:00,0,0,0,0,1.50K,1500,,NaN,40.7,-73.28,40.7,-73.28,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","Large tree limbs were reported down on wires in West Bayshore." +115626,694673,NEW YORK,2017,April,Thunderstorm Wind,"SUFFOLK",2017-04-06 16:31:00,EST-5,2017-04-06 16:31:00,0,0,0,0,,NaN,,NaN,40.9639,-73.0374,40.9639,-73.0374,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","A gust of 59 mph was measured at the Mt. Sinai Harbor mesonet location." +115626,694658,NEW YORK,2017,April,Thunderstorm Wind,"SUFFOLK",2017-04-06 16:48:00,EST-5,2017-04-06 16:48:00,0,0,0,0,1.00K,1000,,NaN,40.8551,-73.0258,40.8551,-73.0258,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","A tree was reported down on South Bicycle Path near Selden." +114063,685502,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:30:00,CST-6,2017-04-02 08:30:00,0,0,0,0,,NaN,,NaN,30.45,-97.81,30.45,-97.81,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 70 mph." +114063,686300,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:33:00,CST-6,2017-04-02 08:33:00,0,0,0,0,,NaN,,NaN,30.46,-97.84,30.46,-97.84,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down tree limbs near Cedar Park." +114063,685504,TEXAS,2017,April,Hail,"TRAVIS",2017-04-02 08:38:00,CST-6,2017-04-02 08:38:00,0,0,0,0,,NaN,,NaN,30.27,-97.91,30.27,-97.91,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685505,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:43:00,CST-6,2017-04-02 08:43:00,0,0,0,0,,NaN,,NaN,30.48,-97.76,30.48,-97.76,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph near Parmer Ln at RR620 in Jollyville." +114063,685506,TEXAS,2017,April,Hail,"HAYS",2017-04-02 08:49:00,CST-6,2017-04-02 08:49:00,0,0,0,0,,NaN,,NaN,29.88,-97.93,29.88,-97.93,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,686303,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:49:00,CST-6,2017-04-02 08:49:00,0,0,0,0,,NaN,,NaN,30.56,-97.84,30.56,-97.84,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that blew down tree limbs in Leander." +114063,686304,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:50:00,CST-6,2017-04-02 08:50:00,0,0,0,0,,NaN,,NaN,30.5253,-97.7217,30.5253,-97.7217,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that snapped large tree limbs along Hairy Man Rd. in Round Rock." +114063,686305,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 08:50:00,CST-6,2017-04-02 08:50:00,0,0,0,0,,NaN,,NaN,30.75,-97.72,30.75,-97.72,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that blew down small tree limbs near Sun City." +114063,685508,TEXAS,2017,April,Hail,"WILLIAMSON",2017-04-02 08:56:00,CST-6,2017-04-02 08:56:00,0,0,0,0,,NaN,,NaN,30.65,-97.69,30.65,-97.69,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced quarter size hail in Georgetown." +112418,670202,HAWAII,2017,January,Heavy Rain,"MAUI",2017-01-24 15:58:00,HST-10,2017-01-24 18:52:00,0,0,0,0,0.00K,0,0.00K,0,20.9911,-156.6184,20.7241,-156.01,"Trade wind showers became heavy over windward sections of the Big Island of Hawaii and Maui as an upper trough lingered near the area. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +115294,696964,ILLINOIS,2017,April,Flood,"MARSHALL",2017-04-29 22:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,41.1481,-89.5952,40.9737,-89.6387,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours resulted in flash flooding across parts of western and central Marshall County. Streets in Henry and Lacon were impassable, as were numerous rural roads in the county. Illinois Route 17 from Lacon to Sparland was also closed due to high water. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +115099,691511,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-28 22:00:00,CST-6,2017-04-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-94.048,36.45,-94.048,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down trees at the Pea Ridge National Military Park." +115099,691512,ARKANSAS,2017,April,Thunderstorm Wind,"CARROLL",2017-04-28 22:40:00,CST-6,2017-04-28 22:40:00,0,0,0,0,2.00K,2000,0.00K,0,36.37,-93.57,36.37,-93.57,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down trees and power lines in Berryville." +115099,691513,ARKANSAS,2017,April,Hail,"WASHINGTON",2017-04-28 22:45:00,CST-6,2017-04-28 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.0968,-94.1684,36.0968,-94.1684,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115099,691514,ARKANSAS,2017,April,Hail,"BENTON",2017-04-28 23:59:00,CST-6,2017-04-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-94.22,36.22,-94.22,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115099,691515,ARKANSAS,2017,April,Hail,"BENTON",2017-04-29 00:04:00,CST-6,2017-04-29 00:04:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-94.1838,36.26,-94.1838,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115060,690837,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-04 17:40:00,CST-6,2017-04-04 17:40:00,0,0,0,0,0.00K,0,0.00K,0,36.2002,-95.1659,36.2002,-95.1659,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690838,OKLAHOMA,2017,April,Hail,"HASKELL",2017-04-04 17:55:00,CST-6,2017-04-04 17:55:00,0,0,0,0,0.00K,0,0.00K,0,35.396,-94.9833,35.396,-94.9833,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690839,OKLAHOMA,2017,April,Hail,"PUSHMATAHA",2017-04-04 18:06:00,CST-6,2017-04-04 18:06:00,0,0,0,0,0.00K,0,0.00K,0,34.6178,-95.2774,34.6178,-95.2774,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690840,OKLAHOMA,2017,April,Hail,"SEQUOYAH",2017-04-04 18:09:00,CST-6,2017-04-04 18:09:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-94.68,35.52,-94.68,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690842,OKLAHOMA,2017,April,Hail,"CHOCTAW",2017-04-04 19:20:00,CST-6,2017-04-04 19:20:00,0,0,0,0,0.00K,0,0.00K,0,34.0177,-95.2024,34.0177,-95.2024,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115098,691612,OKLAHOMA,2017,April,Thunderstorm Wind,"PITTSBURG",2017-04-29 16:59:00,CST-6,2017-04-29 16:59:00,0,0,0,0,0.00K,0,0.00K,0,35.1243,-95.3681,35.1243,-95.3681,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Thunderstorm wind gusts were estimated to 60 mph." +115098,691615,OKLAHOMA,2017,April,Thunderstorm Wind,"SEQUOYAH",2017-04-29 17:15:00,CST-6,2017-04-29 17:15:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-95.12,35.53,-95.12,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down several small trees." +115098,691616,OKLAHOMA,2017,April,Hail,"MAYES",2017-04-29 17:25:00,CST-6,2017-04-29 17:25:00,0,0,0,0,10.00K,10000,0.00K,0,36.3686,-95.1937,36.3686,-95.1937,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +115098,691617,OKLAHOMA,2017,April,Flash Flood,"PITTSBURG",2017-04-29 17:45:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,34.8679,-95.5868,34.8958,-95.5634,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous roads were flooded and closed." +115673,697000,INDIANA,2017,April,Thunderstorm Wind,"BROWN",2017-04-28 18:30:00,EST-5,2017-04-28 18:30:00,0,0,0,0,40.00K,40000,0.00K,0,39.1474,-86.124,39.1474,-86.124,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Trees were reported down all across the township due to damaging thunderstorm wind gusts. Some of those trees were reported to be blocking roadways and delaying emergency responders. A tree also fell on a house, trapping a man inside." +113802,681352,INDIANA,2017,April,Hail,"HARRISON",2017-04-05 15:35:00,EST-5,2017-04-05 15:35:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-86.15,38.32,-86.15,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681353,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:39:00,EST-5,2017-04-05 15:39:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-85.97,38.3,-85.97,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681354,INDIANA,2017,April,Hail,"HARRISON",2017-04-05 15:40:00,EST-5,2017-04-05 15:40:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-85.99,38.24,-85.99,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681355,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:42:00,EST-5,2017-04-05 15:42:00,0,0,0,0,,NaN,,NaN,38.29,-85.97,38.29,-85.97,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681356,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:46:00,EST-5,2017-04-05 15:46:00,0,0,0,0,0.00K,0,0.00K,0,38.29,-85.92,38.29,-85.92,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681357,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:50:00,EST-5,2017-04-05 15:50:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-85.86,38.32,-85.86,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113801,681672,KENTUCKY,2017,April,Thunderstorm Wind,"HARRISON",2017-04-05 18:14:00,EST-5,2017-04-05 18:14:00,0,0,0,0,50.00K,50000,0.00K,0,38.38,-84.35,38.38,-84.35,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A NWS Storm Survey team found straight line wind damage to an old barn. Metal sheeting was blown 400 yards. There was also minor damage to Rohs Opera House in Cynthiana." +113801,681413,KENTUCKY,2017,April,Thunderstorm Wind,"EDMONSON",2017-04-05 15:17:00,CST-6,2017-04-05 15:17:00,0,0,0,0,15.00K,15000,0.00K,0,37.26,-86.26,37.26,-86.26,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The public reported power lines down." +113801,681412,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:10:00,CST-6,2017-04-05 15:10:00,0,0,0,0,,NaN,0.00K,0,37.03,-86.36,37.03,-86.36,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A trained spotter reported shingles blown off a home near Warren East High School." +113801,681422,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:30:00,CST-6,2017-04-05 15:30:00,0,0,0,0,30.00K,30000,0.00K,0,37.09,-86.23,37.09,-86.23,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A trained spotter reported that a home sustained roof damage and a camper was overturned along Highway 31W near KY 101 due to severe thunderstorm winds." +113801,681415,KENTUCKY,2017,April,Thunderstorm Wind,"BRECKINRIDGE",2017-04-05 15:21:00,CST-6,2017-04-05 15:21:00,0,0,0,0,20.00K,20000,0.00K,0,37.9,-86.28,37.9,-86.28,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Local broadcast media reported power lines down across KY 79." +113801,681402,KENTUCKY,2017,April,Hail,"MADISON",2017-04-05 19:04:00,EST-5,2017-04-05 19:04:00,0,0,0,0,,NaN,0.00K,0,37.82,-84.4,37.82,-84.4,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +118093,709765,VIRGINIA,2017,June,Thunderstorm Wind,"LUNENBURG",2017-06-19 18:45:00,EST-5,2017-06-19 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,36.93,-78.14,36.93,-78.14,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Numerous trees were downed south of Kenbridge along Sneads Store Road." +118093,709766,VIRGINIA,2017,June,Thunderstorm Wind,"MECKLENBURG",2017-06-19 18:45:00,EST-5,2017-06-19 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,36.86,-78.43,36.86,-78.43,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed along VA-49/Courthouse Road north of Chase City." +119376,716539,VIRGINIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-22 19:00:00,EST-5,2017-07-22 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.95,-76.67,37.95,-76.67,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Several trees were downed on Route 360 near Haynesville Correctional Center." +119376,716542,VIRGINIA,2017,July,Thunderstorm Wind,"NORTHUMBERLAND",2017-07-22 19:12:00,EST-5,2017-07-22 19:12:00,0,0,0,0,1.00K,1000,0.00K,0,37.92,-76.47,37.92,-76.47,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Tree was downed on Citrus Mill Pond Road." +119376,716545,VIRGINIA,2017,July,Thunderstorm Wind,"FLUVANNA",2017-07-22 21:48:00,EST-5,2017-07-22 21:48:00,0,0,0,0,2.00K,2000,0.00K,0,37.94,-78.29,37.94,-78.29,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Trees were downed in the Union Mills area." +119376,716547,VIRGINIA,2017,July,Thunderstorm Wind,"FLUVANNA",2017-07-22 21:51:00,EST-5,2017-07-22 21:51:00,0,0,0,0,2.00K,2000,0.00K,0,37.94,-78.24,37.94,-78.24,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Numerous trees were downed around Troy." +119376,716551,VIRGINIA,2017,July,Thunderstorm Wind,"LOUISA",2017-07-22 21:52:00,EST-5,2017-07-22 21:52:00,0,0,0,0,1.00K,1000,0.00K,0,37.97,-78.22,37.97,-78.22,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of central and eastern Virginia.","Tree was downed on Route 15 near Zion Crossroads." +115523,693576,CONNECTICUT,2017,April,Lightning,"TOLLAND",2017-04-06 17:24:00,EST-5,2017-04-06 17:25:00,0,0,0,0,2.50K,2500,0.00K,0,41.8715,-72.3287,41.8715,-72.3287,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Connecticut between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused poor drainage flooding.","At 5:24 PM EST, lightning struck a home on Kate Lane in Tolland." +115523,693577,CONNECTICUT,2017,April,Lightning,"HARTFORD",2017-04-06 17:30:00,EST-5,2017-04-06 17:31:00,0,0,0,0,2.50K,2500,0.00K,0,41.8262,-72.8901,41.8262,-72.8901,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Connecticut between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused poor drainage flooding.","At 5:31 PM EST, a house on Trailsend Drive was struck by lightning." +115771,698138,GEORGIA,2017,April,Tornado,"JONES",2017-04-03 12:40:00,EST-5,2017-04-03 12:46:00,0,0,0,0,50.00K,50000,,NaN,33.146,-83.6046,33.1538,-83.5546,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 70 MPH and a maximum path width of 100 yards touched down west of Hadaway Road in Jones County. The tornado traveled east crossing Hadaway Road, Hillsboro Lake Road, Hadaway Road a second time and then Hadaway Road once again south of Dumas Road before ending. Numerous trees were snapped or uprooted along the path. Minor structural damage occurred to one home on Hillsboro Lake Road when a tree was uprooted next to the home. No injuries were reported. [04/03/17: Tornado #17, County #1/1, EF-0, Jones, 2017:049]." +115771,698173,GEORGIA,2017,April,Tornado,"WILKINSON",2017-04-03 13:26:00,EST-5,2017-04-03 13:36:00,0,0,0,0,20.00K,20000,,NaN,32.667,-83.124,32.6794,-83.0262,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 150 yards touched down in southern Wilkinson county along Quinn Williams Road just north of Highway 112. This weak|tornado snapped or uprooted several trees as it moved east crossing US Highway 441 and South Sandy Creek before crossing into Laurens County. No injuries were reported. [04/03/17: Tornado #23, County #1/2, EF-0, Wilkinson, Laurens, 2017:055]." +115772,698610,GEORGIA,2017,April,Thunderstorm Wind,"MADISON",2017-04-05 11:55:00,EST-5,2017-04-05 12:05:00,0,0,0,0,12.00K,12000,,NaN,34.0267,-83.2829,34.1662,-83.1583,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Madison County Emergency Manager reported numerous trees and power lines blown down across the county." +115772,698611,GEORGIA,2017,April,Thunderstorm Wind,"WILKES",2017-04-05 12:55:00,EST-5,2017-04-05 13:05:00,0,0,0,0,10.00K,10000,,NaN,33.6739,-82.8452,33.8244,-82.7051,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Wilkes County Emergency Manager reported several trees blown down across the county." +115772,698612,GEORGIA,2017,April,Thunderstorm Wind,"TREUTLEN",2017-04-05 15:28:00,EST-5,2017-04-05 15:35:00,0,0,0,0,10.00K,10000,,NaN,32.3855,-82.4387,32.4327,-82.4146,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Treutlen County Emergency Manager reported trees blown down across the eastern side of the county." +115772,698613,GEORGIA,2017,April,Thunderstorm Wind,"TOOMBS",2017-04-05 16:05:00,EST-5,2017-04-05 16:10:00,0,0,0,0,3.00K,3000,,NaN,32,-82.38,32,-82.38,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Toombs County Emergency Manager reported trees blown down along George Brinson Road." +115772,698614,GEORGIA,2017,April,Thunderstorm Wind,"TELFAIR",2017-04-05 17:04:00,EST-5,2017-04-05 17:09:00,0,0,0,0,1.00K,1000,,NaN,31.8961,-82.7404,31.8961,-82.7404,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Telfair County Emergency Manager reported a tree blown down on Highway 117 southwest of Lumber City." +115877,696363,NEW MEXICO,2017,June,Thunderstorm Wind,"SOCORRO",2017-06-24 15:25:00,MST-7,2017-06-24 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-106.65,33.82,-106.65,"The back door cold front that provided relief to the brutal heatwave across eastern New Mexico on the 23rd surged west through gaps in the central mountain chain on the 24th. The upper level high pressure system to the west of New Mexico loosened it's grip over the region and slightly better coverage of showers and thunderstorms over central and southern New Mexico. A cluster of thunderstorms developed over the Jemez Mountains and moved southeast across the Sandia Mountains. These storms produced quarter to half dollar size hail near Sedillo and Sandia Park. A larger cluster of storms that developed over southern New Mexico forced a large scale outflow boundary north into Soccoro County. Wind gusts near 60 mph were reported at a couple sites on White Sands Missile Range. This outflow boundary continued advancing northward and produced blowing dust all the way north into the Albuquerque Metro Area.","White Sands Missile Range at Stallion." +115911,696616,NEW MEXICO,2017,June,Hail,"SANTA FE",2017-06-26 14:12:00,MST-7,2017-06-26 14:17:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-105.75,35.65,-105.75,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Hail up to the size of hen eggs north of Glorieta." +115911,696617,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-26 14:30:00,MST-7,2017-06-26 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-105.68,35.57,-105.68,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Hail up to the size of golf balls in Pecos." +113932,689570,KANSAS,2017,April,Hail,"OSBORNE",2017-04-12 16:08:00,CST-6,2017-04-12 16:18:00,0,0,0,0,0.00K,0,0.00K,0,39.5,-99.04,39.53,-99.03,"Following a brief break from morning and early afternoon thunderstorms, additional storms developed across portions of central Kansas late this Wednesday afternoon. While much of the late afternoon activity stayed along and south of Interstate 70, a few drifted through north central Kansas. The strongest of these storms passed through northwestern Osborne County, dropping quarter size hail approximately 6 miles northwest of Alton. Hail was reported to be up to 4 inches deep in spots.||A subtle mid-level shortwave trough was working east through the Central and Northern Plains through the day, with these late afternoon storms developing on the southern edge of the disturbance in an area of subtle convergence. At the surface, low pressure was located over southeastern Colorado, with a trough axis extending northeast into far south central Nebraska. This boundary was likely reinforced by outflow from convection earlier in the afternoon. These storms formed along a narrow axis of instability along the surface boundary, with MLCAPE values up to 1000 j/kg. Deeper layer shear was right around 30 knots. These storms developed a little after 4 PM CDT, but with overall weak forcing and waning instability and shear with time, were fairly scattered in nature and dissipated by 7:30 PM CDT.","Hail up to the size of quarters was reported and was four inches deep on the ground northwest of Alton." +117636,707415,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 14:17:00,EST-5,2017-06-11 14:22:00,0,0,0,0,0.50K,500,0.00K,0,45.72,-86.66,45.72,-86.66,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","Large tree limbs were reported down in and around the campground at Fayette Historic State Park." +117627,707409,MICHIGAN,2017,June,Thunderstorm Wind,"ONTONAGON",2017-06-10 21:01:00,EST-5,2017-06-10 21:06:00,0,0,0,0,4.00K,4000,0.00K,0,46.76,-88.91,46.76,-88.91,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","There was a delayed report of multiple trees down on Forest Highway 16 in Ontonagon County between Mass City and Nisula. Time of the report was estimated from radar." +117636,707412,MICHIGAN,2017,June,Thunderstorm Wind,"MENOMINEE",2017-06-11 12:43:00,CST-6,2017-06-11 12:48:00,0,0,0,0,5.00K,5000,0.00K,0,45.12,-87.62,45.12,-87.62,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There were multiple reports of trees down around the Menominee area. Time of the report was estimated from radar." +117636,707413,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 13:50:00,EST-5,2017-06-11 13:55:00,0,0,0,0,4.00K,4000,0.00K,0,45.9,-87.22,45.9,-87.22,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of downed power lines near Cornell." +117636,707416,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 12:16:00,CST-6,2017-06-11 12:21:00,0,0,0,0,8.00K,8000,0.00K,0,45.86,-88.07,45.86,-88.07,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of multiple large tree limbs down, including a few that fell on and into houses near Bass Lake. Thunderstorm winds also blew a 700-pound trailer approximately ten yards and flipped a portable boat house." +117636,707417,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 12:15:00,CST-6,2017-06-11 12:20:00,0,0,0,0,10.00K,10000,0.00K,0,45.83,-88.06,45.83,-88.06,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of multiple trees and power lines down closing roads in the Iron Mountain area. Power was out across the area and phone lines were down as well. Ditches were running full from heavy rainfall." +117636,707418,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 12:15:00,CST-6,2017-06-11 12:19:00,0,0,0,0,2.00K,2000,0.00K,0,45.77,-87.91,45.77,-87.91,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of several large poplar trees down on old Highway 8 south of Norway." +117636,707419,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 13:15:00,CST-6,2017-06-11 13:19:00,0,0,0,0,0.50K,500,0.00K,0,45.78,-87.9,45.78,-87.9,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of a 70-foot diseased pine tree that landed on a school fence in Norway. A small pine tree was uprooted at the observation site." +116435,700249,ILLINOIS,2017,June,Hail,"FULTON",2017-06-14 13:57:00,CST-6,2017-06-14 14:02:00,0,0,0,0,0.00K,0,0.00K,0,40.6343,-90.17,40.6343,-90.17,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","" +116435,700250,ILLINOIS,2017,June,Hail,"STARK",2017-06-14 14:22:00,CST-6,2017-06-14 14:27:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-89.87,41.1,-89.87,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","" +117683,707774,OREGON,2017,June,Thunderstorm Wind,"MALHEUR",2017-06-26 17:00:00,MST-7,2017-06-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-116.97,44.03,-116.9499,"Moisture ahead of an upper trough situated of the coast of Oregon combined with hot temperatures inland initiating strong to severe thunderstorms across parts of the Treasure Valley of Oregon.","Social Media reported part of a hotel roof was torn off." +116435,700248,ILLINOIS,2017,June,Hail,"MCLEAN",2017-06-14 12:30:00,CST-6,2017-06-14 12:35:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-88.98,40.48,-88.98,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","" +116435,700251,ILLINOIS,2017,June,Hail,"PEORIA",2017-06-14 14:47:00,CST-6,2017-06-14 14:52:00,0,0,0,0,0.00K,0,0.00K,0,40.8061,-89.6127,40.8061,-89.6127,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","" +116435,700258,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:18:00,CST-6,2017-06-14 14:23:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-89.97,40.81,-89.97,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","An 18 to 24-inch diameter tree was blown down." +116435,700260,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:28:00,CST-6,2017-06-14 14:33:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-89.68,40.68,-89.68,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A large tree was blown down." +114957,699292,NEBRASKA,2017,April,High Wind,"NUCKOLLS",2017-04-30 06:17:00,CST-6,2017-04-30 06:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","A wind gust of 67 MPH was measured by a mesonet site located 6 miles southwest of Nelson, likely resulting from a wake low pressure event." +114957,699293,NEBRASKA,2017,April,High Wind,"WEBSTER",2017-04-30 07:35:00,CST-6,2017-04-30 07:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","A wind gust of 58 MPH was measured by a mesonet site located near Red Cloud, likely resulting from a wake low pressure event." +114957,699294,NEBRASKA,2017,April,High Wind,"ADAMS",2017-04-30 08:25:00,CST-6,2017-04-30 08:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","A wind gust of 58 MPH was measured by a mesonet site located near Roseland, perhaps a result of a wake low pressure event." +114957,699295,NEBRASKA,2017,April,High Wind,"NUCKOLLS",2017-04-30 07:15:00,CST-6,2017-04-30 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although this heavy snow/near-blizzard event that targeted mainly the northwestern one-third of South Central Nebraska would have easily qualified as significant/memorable even during the traditional winter months, its legacy ultimately flirted with historic given that it primarily unfolded on the final day of April, with lingering light accumulation even hanging on into the early morning hours of May 1st. By the time this snow-maker finally departed the region, it left behind wet, heavy snow accumulation of 4-12 across many western local counties, and some rural areas especially in and near Furnas County endured scattered power outages lasting several days. As just one example of the rare nature of such a significant, late-season snow event, the NWS cooperative observer at Cambridge measured a storm total of 7.3, making this the heaviest snow on record there so late into the spring season (records dating back 118 years). In terms of known measured amounts, (from a combination of NWS and CoCoRaHS observers) the outright-highest featured 12 near Lexington and 10 near Sumner, Arapahoe and Arcadia. During the height of the storm on Sunday the 30th, a portion of Interstate 80 was closed for a time due to near-blizzard conditions. With the very basic facts of this significant event now outlined, the remainder of this narrative will consist of additional details sorted by topic, including: general overview and snowfall specifics, storm total precipitation details, and temperature highlights. ||General overview and synoptic weather setup/snowfall details: A powerful mid-upper low pressure system gradually approached and eventually passed through the Central Plains between Friday, April 28th and Monday, May 1st. For roughly the southeastern two-thirds of the local coverage area (including the Tri Cities), this system was primarily a rain-maker, bringing a much-needed and widespread swath of 2.00-3.50 to most areas, along with a rare, late-season coating of light snow. However, for primarily nine western and northern counties (especially Furnas/Gosper/Phelps/Dawson/western Buffalo/Sherman/Valley), this storm will go down in history as one of the most significant, late-season snow events on record, as much of this area was blanketed with anywhere from 4-12 of heavy, wet snow during a 24-hour period between the morning of the 30th and the 1st. The combination of this heavy, wet snow building up on power lines and trees, along with northerly winds gusting up to around 50 MPH at times, resulted in several power outages mainly in rural areas, some of which lasted for several days. While some northern and western areas actually received a little snow during the daytime hours on Friday the 28th, by far the main event occurred between the morning of the 30th and the morning of May 1st as the heart of the powerful low pressure system tracked slightly south-through-east of the local area across KS and toward IA and MO. During this time, a roughly 80-mile band of snow fell along a sharply-defined path from western Kansas, northward into north central Nebraska. Within South Central Nebraska, the vast majority of accumulations of 2 or higher focused west of a line from Stamford-Kearney-Spalding, with minimal-to-no snow observed east of this line. While not officially a true blizzard in most areas, near-blizzard conditions were common at times on the 30th as frequent northerly wind gusts of 40-50 MPH combined with the heavy snow to greatly reduce visibility. Because temperatures hovered near-to-slightly above freezing through this entire snow event, some melting continuously occurred. This factor likely played into the fact that official snow totals varied more than usual over short distances, as observers who took measurements during the height of the event reported overall-higher totals than those who waited until the following morning to measure (after some melting had already occurred). While by far the largest amounts focused in western counties, even the lighter totals in central/eastern counties made for some noteworthy climate facts. For example, at Hastings, although only 0.6 officially fell on May 1st, this was nonetheless the largest May snow in 50 years (since 1967).||Storm total precipitation (rain and liquid equivalent snow): Cumulative, 4-day amounts from the 28th-1st tallied 2.00-3.50 across most of South Central Nebraska, with locally higher totals up to 4.73 reported at Wilsonville. Fortunately, much of this precipitation fell in separate rounds and was relatively spread out over these four days, which kept flooding issues to a minimum. For most of the area, this was actually a much-needed significant precipitation event, as parts of especially the southern half of South Central Nebraska had been running a respectable year-to-date precipitation deficit up until this point. ||Temperature highlights: Sunday, April 30th (during which most snow fell) was a record-cold day across most of South Central Nebraska, featuring high temperatures only between 35-40 F. However, the very next day (Monday, May 1st), widespread sunshine returned and promoted markedly-warmer highs between the mid-50s and mid-60s, resulting in a faster-than-anticipated snow melt.","A wind gust of 59 MPH was measured by a mesonet site located 4 miles west-northwest of Davenport, likely resulting from a wake low pressure event." +116069,697601,LOUISIANA,2017,June,Thunderstorm Wind,"NATCHITOCHES",2017-06-23 05:17:00,CST-6,2017-06-23 05:17:00,0,0,0,0,0.00K,0,0.00K,0,31.84,-93.18,31.84,-93.18,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Several trees were uprooted and large limbs were snapped near and south of Powhatan, Louisiana." +116069,697602,LOUISIANA,2017,June,Thunderstorm Wind,"NATCHITOCHES",2017-06-23 05:47:00,CST-6,2017-06-23 05:47:00,0,0,0,0,0.00K,0,0.00K,0,31.87,-93.09,31.87,-93.09,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Several large limbs were snapped to the southeast of the Campti community." +116069,697604,LOUISIANA,2017,June,Flash Flood,"NATCHITOCHES",2017-06-23 06:05:00,CST-6,2017-06-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9,-93.11,31.8878,-93.1054,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Several roads were closed in the Campti community from excessive heavy rainfall." +116069,697606,LOUISIANA,2017,June,Thunderstorm Wind,"CLAIBORNE",2017-06-23 07:35:00,CST-6,2017-06-23 07:35:00,0,0,0,0,0.00K,0,0.00K,0,32.91,-92.83,32.91,-92.83,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Several trees were downed along with powerlines north northeast of the Lisbon, Louisiana community." +116018,699537,KANSAS,2017,April,Blizzard,"NESS",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of around 12 inches was reported across the northwest half of the county while amounts tapered to around 2 inches across southeast sections." +116018,699538,KANSAS,2017,April,Blizzard,"HODGEMAN",2017-04-29 06:00:00,CST-6,2017-04-30 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An intense upper storm moved from the Four Corner region and interacted with an unseasonably cold air to produce a major blizzard across western Kansas. Cattle loss across western Kansas was estimated to be as much as 100,000 head. It was still estimated as much of the livestock was not found from either being buried in canyons and washes or wandered into Oklahoma. One electric company alone had around $75 million in damages to its infrastructure and it will take at least 3 years to fully repair. This unusual late spring storm was made more destructive by the weight of the snow, since it was very wet and driven by 50 to 60 MPH wind gusts. All roads across the western fourth of the state were closed and impassable for 1 to 2 days.","Snowfall of around 10 inches was reported across the west half of the county while amounts tapered to around 1 to 2 inches across far eastern sections." +113700,680605,NEW MEXICO,2017,April,Tornado,"DE BACA",2017-04-14 16:33:00,MST-7,2017-04-14 16:42:00,0,0,0,0,0.00K,0,0.00K,0,34.1096,-104.734,34.1138,-104.7277,"Low level moisture over west Texas surged westward into the Pecos Valley while a weak upper level speed max shifted northeast across New Mexico. Sufficient instability and low level shear over far southwestern De Baca County led to a thunderstorm that produced a weak EF0 landspout tornado near U.S. Highway 285 northwest of Mesa. No damage was observed with this landspout.","A weak landspout tornado developed roughly one mile east of U.S. Highway 285 between mile markers 160 and 165 northwest of Mesa, NM. No damage was observed with this storm." +115942,696668,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-09 17:01:00,CST-6,2017-06-09 17:01:00,0,0,0,0,,NaN,,NaN,48.03,-99.83,48.03,-99.83,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +116916,703135,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:35:00,EST-5,2017-05-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-77.54,37.68,-77.54,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Golf ball size hail was reported." +116916,703136,VIRGINIA,2017,May,Hail,"NOTTOWAY",2017-05-27 16:35:00,EST-5,2017-05-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-78.2,37.28,-78.2,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Half dollar size hail was reported." +115567,694292,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-04-11 17:02:00,CST-6,2017-04-11 18:10:00,0,0,0,0,0.00K,0,0.00K,0,27.8259,-97.0506,27.8239,-97.0467,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Port Aransas C-MAN station measured a gust to 45 knots." +115942,696851,NORTH DAKOTA,2017,June,Hail,"PEMBINA",2017-06-09 18:02:00,CST-6,2017-06-09 18:02:00,0,0,0,0,,NaN,,NaN,48.75,-97.93,48.75,-97.93,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +114954,692757,OKLAHOMA,2017,April,Hail,"CLEVELAND",2017-04-25 21:22:00,CST-6,2017-04-25 21:22:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-97.41,35.18,-97.41,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","" +114955,692780,OKLAHOMA,2017,April,Hail,"KINGFISHER",2017-04-29 00:50:00,CST-6,2017-04-29 00:50:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.97,35.73,-97.97,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +114955,692802,OKLAHOMA,2017,April,Thunderstorm Wind,"KIOWA",2017-04-29 03:10:00,CST-6,2017-04-29 03:10:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-99.04,34.99,-99.04,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","" +116916,703137,VIRGINIA,2017,May,Hail,"AMELIA",2017-05-27 16:38:00,EST-5,2017-05-27 16:38:00,0,0,0,0,2.00K,2000,0.00K,0,37.27,-78.13,37.27,-78.13,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Tennis ball size hail was reported. The hail smashed a windshield and severely dented a vehicle." +116916,703138,VIRGINIA,2017,May,Hail,"SOUTHAMPTON",2017-05-27 16:39:00,EST-5,2017-05-27 16:39:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-77.38,36.69,-77.38,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +115466,693381,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-05 18:40:00,EST-5,2017-04-05 18:40:00,0,0,0,0,0.00K,0,0.00K,0,28.364,-80.6484,28.364,-80.6484,"Strong afternoon thunderstorms moved quickly off the mainland and spread across the central Brevard County coastline.","A Weatherflow mesonet site just east of Merritt Island on the Banana River measured a peak wind gust of 38 knots as a strong thunderstorm moved northeast and affected the intracoastal and nearshore waters of central Brevard County." +114198,698510,MISSOURI,2017,May,Flood,"MORGAN",2017-05-03 10:33:00,CST-6,2017-05-03 12:33:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-92.96,38.5754,-92.9596,"Another round of moderate to heavy rainfall fell on top of very saturated ground from recent historic flooding across the Missouri Ozarks. This rainfall led to more swollen streams, swollen rivers, and flooded low water crossings.","State Highway BB was closed due to flooding." +116089,699041,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-17 18:02:00,CST-6,2017-05-17 18:02:00,0,0,0,0,2.00K,2000,0.00K,0,43.11,-91.68,43.11,-91.68,"Two lines of severe thunderstorms moved across northeast Iowa during the afternoon and evening of May 17th. This was the third day in a row that severe weather impacted the area. The storms primarily produced wind damage along with a weak tornado and some hail. The winds damaged a house and destroyed a machine shed east of Monona (Clayton County) and blew down several trees making roads impassable near Charles City (Floyd County). An EF-0 tornado briefly touched down northeast of Ridgeway (Winneshiek County) and damaged some trees.","Trees were blown down in Castalia." +116272,699134,GEORGIA,2017,May,Thunderstorm Wind,"LIBERTY",2017-05-23 15:40:00,EST-5,2017-05-23 15:41:00,0,0,0,0,,NaN,0.00K,0,31.86,-81.73,31.86,-81.73,"A strong line of thunderstorms developed in the mid afternoon hours across south Georgia and tracked into southeast Georgia. This line of storms eventually produced damaging wind gusts and even a tornado in Chatham County. The tornado then moved into the Atlantic coastal waters and was responsible for 3 fatalities.","Liberty County dispatch reported a large tree branch down in Gum Branch." +116299,699266,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-05-24 13:17:00,EST-5,2017-05-24 13:19:00,0,0,0,0,,NaN,0.00K,0,32.755,-79.918,32.755,-79.918,"A large area of convection developed in the morning hours across north Florida and portions of south Georgia and tracked northeastward through the afternoon along the Georgia and South Carolina coast. This area of convection produced strong thunderstorm wind gusts along the entire coastline.","The James Island Yacht Club measured a 36 knot wind gust." +116317,699383,LOUISIANA,2017,May,Thunderstorm Wind,"LAFOURCHE",2017-05-03 23:20:00,CST-6,2017-05-03 23:20:00,0,0,0,0,0.00K,0,0.00K,0,29.11,-90.21,29.11,-90.21,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Telephone lines and electrical transformers were blown down at Port Fourchon." +115942,696884,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BARNES",2017-06-09 20:39:00,CST-6,2017-06-09 20:39:00,0,0,0,0,,NaN,,NaN,47.2,-98.2,47.2,-98.2,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Blowing dust was also reported in the thunderstorm outflow." +115942,696885,NORTH DAKOTA,2017,June,Hail,"GRIGGS",2017-06-09 20:40:00,CST-6,2017-06-09 20:40:00,0,0,0,0,,NaN,,NaN,47.3,-98.15,47.3,-98.15,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696886,NORTH DAKOTA,2017,June,Hail,"STEELE",2017-06-09 21:00:00,CST-6,2017-06-09 21:00:00,0,0,0,0,,NaN,,NaN,47.35,-97.82,47.35,-97.82,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696891,NORTH DAKOTA,2017,June,Thunderstorm Wind,"STEELE",2017-06-09 20:54:00,CST-6,2017-06-09 20:54:00,0,0,0,0,,NaN,,NaN,47.32,-97.89,47.32,-97.89,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A few 8 to 10 inch diameter ash trees were snapped at varying levels, from ground level to about 8 feet up." +116011,708123,MINNESOTA,2017,June,Tornado,"GRANT",2017-06-13 18:28:00,CST-6,2017-06-13 18:29:00,0,0,0,0,,NaN,,NaN,45.79,-95.8,45.7965,-95.8001,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A northward moving supercell thunderstorm produced multiple distinct tornadoes across eastern Stevens County and into far southeastern Grant County. This brief tornado touchdown was observed and videoed by two storm chaser groups over an open field south-southwest of Hoffman. Peak winds were estimated at 75 mph." +118082,709680,NORTH CAROLINA,2017,June,Thunderstorm Wind,"DAVIDSON",2017-06-24 00:50:00,EST-5,2017-06-24 00:52:00,0,0,0,0,4.00K,4000,0.00K,0,35.64,-80.13,35.63,-80.1,"The remnants of tropical cyclone Cindy moved into Central North Carolina as a line of showers and thunderstorm. A few embedded storms produced isolated damaging wind gusts.","Several trees were blown down along a swath from northwest of Denton to southeast of Denton. One tree was blown down onto a house and automobile on Old Camp Road." +118082,709683,NORTH CAROLINA,2017,June,Thunderstorm Wind,"RANDOLPH",2017-06-24 01:00:00,EST-5,2017-06-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,35.54,-79.93,35.54,-79.93,"The remnants of tropical cyclone Cindy moved into Central North Carolina as a line of showers and thunderstorm. A few embedded storms produced isolated damaging wind gusts.","One tree was blow down along Pisgah Covered Bridge Road near King Mountain Road." +115926,696557,ARKANSAS,2017,May,Hail,"GREENE",2017-05-27 20:45:00,CST-6,2017-05-27 20:50:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-90.38,36.18,-90.38,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","" +118165,710140,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ORANGE",2017-06-16 18:13:00,EST-5,2017-06-16 18:13:00,0,0,0,0,0.00K,0,0.00K,0,35.935,-79.0559,35.935,-79.0559,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","Trees were blown down at the intersection of Martin Luther King Jr. Blvd and N. Estes Drive." +118165,710141,NORTH CAROLINA,2017,June,Thunderstorm Wind,"WAKE",2017-06-16 18:20:00,EST-5,2017-06-16 18:20:00,0,0,0,0,0.50K,500,0.00K,0,35.59,-78.8,35.59,-78.8,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","Trees and power-lines were blown down near Fuquay Varina." +117656,707494,KANSAS,2017,June,Hail,"LOGAN",2017-06-26 17:25:00,CST-6,2017-06-26 17:25:00,0,0,0,0,0.00K,0,0.00K,0,39.1398,-100.9363,39.1398,-100.9363,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707495,KANSAS,2017,June,Hail,"WICHITA",2017-06-26 19:16:00,CST-6,2017-06-26 19:16:00,0,0,0,0,0.00K,0,0.00K,0,38.4811,-101.4201,38.4811,-101.4201,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","" +117656,707496,KANSAS,2017,June,Hail,"LOGAN",2017-06-26 17:32:00,CST-6,2017-06-26 17:39:00,0,0,0,0,0.00K,0,0.00K,0,39.0396,-100.9054,39.0396,-100.9054,"A few severe thunderstorms developed along a surface boundary and moved south. The largest hail reported was baseball size near Oakley.","The hail ranged from nickel to ping-pong ball size." +117658,707498,KANSAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-27 17:14:00,MST-7,2017-06-27 17:14:00,0,0,0,0,0.00K,0,0.00K,0,39.3673,-101.6932,39.3673,-101.6932,"During the evening an eastward moving thunderstorm produced wind gusts up to 72 MPH. The highest wind gust was measured west of Mingo.","" +117658,707499,KANSAS,2017,June,Thunderstorm Wind,"SHERIDAN",2017-06-27 21:58:00,CST-6,2017-06-27 21:58:00,0,0,0,0,0.00K,0,0.00K,0,39.3576,-100.4548,39.3576,-100.4548,"During the evening an eastward moving thunderstorm produced wind gusts up to 72 MPH. The highest wind gust was measured west of Mingo.","" +117658,707500,KANSAS,2017,June,Thunderstorm Wind,"THOMAS",2017-06-27 22:36:00,CST-6,2017-06-27 22:36:00,0,0,0,0,0.00K,0,0.00K,0,39.2956,-101.2029,39.2956,-101.2029,"During the evening an eastward moving thunderstorm produced wind gusts up to 72 MPH. The highest wind gust was measured west of Mingo.","" +117658,707501,KANSAS,2017,June,Thunderstorm Wind,"THOMAS",2017-06-27 22:45:00,CST-6,2017-06-27 23:01:00,0,0,0,0,0.00K,0,0.00K,0,39.2705,-101.0747,39.2705,-101.0747,"During the evening an eastward moving thunderstorm produced wind gusts up to 72 MPH. The highest wind gust was measured west of Mingo.","" +117659,707503,COLORADO,2017,June,Thunderstorm Wind,"KIT CARSON",2017-06-27 20:03:00,MST-7,2017-06-27 20:03:00,0,0,0,0,0.00K,0,0.00K,0,39.2415,-102.2819,39.2415,-102.2819,"A thunderstorm produced wind gusts up to 59 MPH at the Burlington airport.","" +117660,707504,KANSAS,2017,June,Hail,"GRAHAM",2017-06-29 02:35:00,CST-6,2017-06-29 02:35:00,0,0,0,0,0.00K,0,0.00K,0,39.37,-99.85,39.37,-99.85,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","" +117660,707505,KANSAS,2017,June,Hail,"GOVE",2017-06-29 03:00:00,CST-6,2017-06-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1117,-100.3597,39.1117,-100.3597,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","" +119834,718471,KANSAS,2017,August,Hail,"SHERIDAN",2017-08-10 12:34:00,CST-6,2017-08-10 12:34:00,0,0,0,0,0.00K,0,0.00K,0,39.3602,-100.4149,39.3602,-100.4149,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Estimated the hail to be up to dime size in the torrential rainfall." +119834,718472,KANSAS,2017,August,Flood,"THOMAS",2017-08-10 12:26:00,CST-6,2017-08-10 12:26:00,0,0,0,0,7.00K,7000,0.00K,0,39.4664,-100.7348,39.4664,-100.7348,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","A semi tipped over on Highway 83, possibly due to hydroplaning from the heavy rainfall." +120539,722118,KANSAS,2017,January,Ice Storm,"SUMNER",2017-01-13 21:30:00,CST-6,2017-01-15 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across most of the county were around 0.25 inches. However, the western half of the county saw ice estimates near 0.5 inches." +120539,722119,KANSAS,2017,January,Ice Storm,"COWLEY",2017-01-14 00:46:00,CST-6,2017-01-15 02:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations ranged from 0.25 inches in the western sections of the county to 0.4 inches in the northeast sections." +115536,693681,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:03:00,CST-6,2017-06-15 12:03:00,0,0,0,0,0.20K,200,0.00K,0,34.83,-87.66,34.83,-87.66,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down at Bradshaw Drive at Cedar Ridge." +115536,693682,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 12:04:00,CST-6,2017-06-15 12:04:00,0,0,0,0,0.20K,200,0.00K,0,35,-87.36,35,-87.36,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto Highway 101 just south of the Tennessee state line." +115536,693684,ALABAMA,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-15 12:11:00,CST-6,2017-06-15 12:11:00,0,0,0,0,0.20K,200,0.00K,0,34.55,-87.28,34.55,-87.28,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto Highway 33 just north of Moulton." +115536,693685,ALABAMA,2017,June,Thunderstorm Wind,"LIMESTONE",2017-06-15 12:14:00,CST-6,2017-06-15 12:14:00,0,0,0,0,0.10K,100,0.00K,0,34.81,-86.95,34.81,-86.95,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A dead tree was knocked down onto Highway 31 at Pryor Street." +115536,693686,ALABAMA,2017,June,Thunderstorm Wind,"LIMESTONE",2017-06-15 12:20:00,CST-6,2017-06-15 12:20:00,0,0,0,0,1.00K,1000,0.00K,0,34.8,-86.88,34.8,-86.88,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Several trees were knocked down near the intersection of Nick Davis Road at Mooresville Road." +115536,693687,ALABAMA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-15 12:29:00,CST-6,2017-06-15 12:29:00,0,0,0,0,1.00K,1000,0.00K,0,34.47,-87.08,34.47,-87.08,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Multiple trees were knocked down on Blankenship Road." +117943,708978,NORTH CAROLINA,2017,June,Hail,"CALDWELL",2017-06-13 14:15:00,EST-5,2017-06-13 14:15:00,0,0,0,0,,NaN,,NaN,35.8,-81.46,35.8,-81.46,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Media reported 3/4 inch hail on Dry Ponds Rd." +117943,708980,NORTH CAROLINA,2017,June,Hail,"CALDWELL",2017-06-13 14:20:00,EST-5,2017-06-13 14:20:00,0,0,0,0,,NaN,,NaN,35.85,-81.49,35.85,-81.49,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Media reported 3/4 inch hail in Hudson." +117943,708981,NORTH CAROLINA,2017,June,Hail,"MITCHELL",2017-06-13 13:55:00,EST-5,2017-06-13 13:55:00,0,0,0,0,,NaN,,NaN,35.92,-82.07,35.92,-82.07,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Public reported (via Social Media) quarter size hail in the Spruce Pine area." +117946,708984,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-13 15:20:00,EST-5,2017-06-13 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.09,-81.81,35.09,-81.81,"Scattered to numerous thunderstorms developed during the afternoon and evening across Upstate South Carolina. A few storms reached severe levels for brief periods, producing localized wind damage and hail to the size of quarters.","Public reported several trees blown down." +117946,708985,SOUTH CAROLINA,2017,June,Hail,"SPARTANBURG",2017-06-13 15:14:00,EST-5,2017-06-13 15:14:00,0,0,0,0,,NaN,,NaN,35.08,-81.85,35.08,-81.85,"Scattered to numerous thunderstorms developed during the afternoon and evening across Upstate South Carolina. A few storms reached severe levels for brief periods, producing localized wind damage and hail to the size of quarters.","Public reported nickel sized hail in the Mayo area." +117946,708986,SOUTH CAROLINA,2017,June,Hail,"SPARTANBURG",2017-06-13 15:35:00,EST-5,2017-06-13 15:35:00,0,0,0,0,,NaN,,NaN,34.95,-82.12,34.95,-82.12,"Scattered to numerous thunderstorms developed during the afternoon and evening across Upstate South Carolina. A few storms reached severe levels for brief periods, producing localized wind damage and hail to the size of quarters.","Public reported quarter size hail reported in the Lyman area." +117943,709835,NORTH CAROLINA,2017,June,Flash Flood,"MECKLENBURG",2017-06-13 18:05:00,EST-5,2017-06-13 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.174,-80.78,35.173,-80.78,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","A stream gauge along McMullen Creek exceeded established flood stage after 1.5 to 3 inches of rain fell over the area in a very short period of time. Addison Dr. was inundated with up to a foot of water from the creek. Other impacted roads included Willhaven Dr and Lincrest Rd." +117136,710290,OKLAHOMA,2017,June,Thunderstorm Wind,"MAYES",2017-06-15 21:30:00,CST-6,2017-06-15 21:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3691,-95.2714,36.3691,-95.2714,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","The Oklahoma Mesonet station near Pryor measured 59 mph thunderstorm wind gusts." +113493,679399,NEW YORK,2017,March,High Wind,"EASTERN COLUMBIA",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113850,681789,TEXAS,2017,February,Hail,"CALLAHAN",2017-02-19 16:10:00,CST-6,2017-02-19 16:11:00,0,0,0,0,0.00K,0,0.00K,0,32.13,-99.13,32.13,-99.13,"A strong upper low over the Southern Rockies with a trailing upper trough enabled the development of a few severe storms across West Central Texas. The airmass over the region was warm and moist in the low levels. A few of these storms produced hail and some flooding across the area.","A trained spotter reported penny size hail." +115314,692378,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-07 09:34:00,PST-8,2017-04-07 09:39:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Downed tree crushes a car in San Leandro. Damage likely from winds previous night. No injuries reported. Estimated gust from Hayward Airport." +115314,692379,CALIFORNIA,2017,April,Strong Wind,"EAST BAY INTERIOR VALLEYS",2017-04-07 09:49:00,PST-8,2017-04-07 09:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Downed power lines in Walnut Creek. 500 plus homes without power. Wind damage likely from previous night. Estimated gust from Walnut Creek COOP." +115314,692380,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-04-07 11:13:00,PST-8,2017-04-07 11:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Tree limb down in Del Ray Park. Likely from overnight winds. Estimated gust from Hayward Airport." +115314,692381,CALIFORNIA,2017,April,Debris Flow,"ALAMEDA",2017-04-07 22:45:00,PST-8,2017-04-07 23:45:00,0,0,0,0,0.00K,0,0.00K,0,37.7335,-122.0336,37.7326,-122.0333,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Half an inch of mud reported at Crow Canyon and Norris Canyon Road near Castro Valley causing cars to slide." +115314,692383,CALIFORNIA,2017,April,Extreme Cold/Wind Chill,"NORTH BAY MOUNTAINS",2017-04-08 07:00:00,PST-8,2017-04-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Thirty people treated for hypothermia, one hospitalized after the swim portion of the Lake Berryessa Triathlon in Napa County. Morning temps were in the 30s with rain occurring. Combination of cold air temps, rain, and latent heat of evaporation lowered core body temps to critical levels. While not extreme cold, the impacts of cold were present." +115314,692384,CALIFORNIA,2017,April,Hail,"SAN MATEO",2017-04-08 12:54:00,PST-8,2017-04-08 12:59:00,0,0,0,0,0.00K,0,0.00K,0,37.4256,-122.431,37.4256,-122.431,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","" +120818,727439,OHIO,2017,November,Thunderstorm Wind,"HURON",2017-11-05 17:07:00,EST-5,2017-11-05 17:07:00,0,0,0,0,35.00K,35000,0.00K,0,41.1845,-82.7171,41.1921,-82.7,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed trees south of Monroeville along Terry and Pontiac Section Line Roads. A horse barn on Terry Road was also damaged." +120818,723799,OHIO,2017,November,Thunderstorm Wind,"WAYNE",2017-11-05 17:50:00,EST-5,2017-11-05 17:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.75,-81.83,40.75,-81.83,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed a small shed." +113995,682745,FLORIDA,2017,April,Wildfire,"POLK",2017-04-21 18:00:00,EST-5,2017-04-22 12:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions and breezy winds allowed several wildfires to start across west-central and southwest Florida. Two of these fires damaged homes, vehicles, and sheds.","State emergency management and broadcast media reported that a wildfire in Indian Lake Estates destroyed several vehicles and sheds, but no homes were destroyed. The fire was suspected to be caused by arson, but spread quickly due to dry conditions and breezy winds." +113995,682746,FLORIDA,2017,April,Wildfire,"INLAND LEE",2017-04-21 18:00:00,EST-5,2017-04-22 15:00:00,0,0,0,0,1.75M,1750000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions and breezy winds allowed several wildfires to start across west-central and southwest Florida. Two of these fires damaged homes, vehicles, and sheds.","State emergency management and broadcast media reported that a wildfire in Lehigh Acres damaged 13 homes, with 5 of them being a total loss. Additionally 21 vehicles and several sheds were lost to the fire. Investigators determined that the fire was started by a lit cigarette on the 21st, and burned a total of 400 acres before being contained on the 22nd." +113456,679199,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-04-06 01:42:00,EST-5,2017-04-06 01:42:00,0,0,0,0,0.00K,0,0.00K,0,29.14,-83.03,29.14,-83.03,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The NOS NWLON station at Cedar Key (CKYF1) recorded a 40 knot thunderstorm wind gust." +113456,679201,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-04-06 03:20:00,EST-5,2017-04-06 03:20:00,0,0,0,0,0.00K,0,0.00K,0,28.06,-82.81,28.06,-82.81,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The WeatherFlow station XDUN, northwest of Dunedin recorded a 38 knot wind gust." +113456,679202,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"TAMPA BAY",2017-04-06 04:48:00,EST-5,2017-04-06 04:48:00,0,0,0,0,0.00K,0,0.00K,0,27.6633,-82.6183,27.6633,-82.6183,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The buoy at Middle Tampa Bay (C-CUT) measured a 51 knot thunderstorm wind gust." +114093,683212,TEXAS,2017,April,Thunderstorm Wind,"BREWSTER",2017-04-16 16:24:00,CST-6,2017-04-16 16:24:00,0,0,0,0,0.00K,0,0.00K,0,29.66,-103.18,29.66,-103.18,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","A thunderstorm moved through Brewster County at the northern end of Big Bend National Park and produced a wind gust of 67 mph at Persimmon Gap." +114093,683216,TEXAS,2017,April,Hail,"BREWSTER",2017-04-16 16:30:00,CST-6,2017-04-16 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.1276,-103.25,30.1276,-103.25,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683224,TEXAS,2017,April,Hail,"ECTOR",2017-04-16 17:12:00,CST-6,2017-04-16 17:17:00,0,0,0,0,,NaN,,NaN,31.83,-102.5,31.83,-102.5,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683231,TEXAS,2017,April,Hail,"ECTOR",2017-04-16 17:13:00,CST-6,2017-04-16 17:18:00,0,0,0,0,,NaN,,NaN,31.98,-102.6029,31.98,-102.6029,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114093,683232,TEXAS,2017,April,Hail,"MIDLAND",2017-04-16 17:20:00,CST-6,2017-04-16 17:25:00,0,0,0,0,,NaN,,NaN,32,-102.08,32,-102.08,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +114109,683282,MONTANA,2017,April,Winter Storm,"RED LODGE FOOTHILLS",2017-04-28 00:00:00,MST-7,2017-04-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low over Wyoming brought a deep upslope flow to the Beartooth/Absaroka Mountains. The dynamics were quite strong with this low as it created its own cold pool which helped provide heavy snow to portions of the lower elevations as well, mainly the foothills locations.","Snowfall amounts up to 10 inches were reported around the Red Lodge area." +114109,683284,MONTANA,2017,April,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-04-27 20:00:00,MST-7,2017-04-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low over Wyoming brought a deep upslope flow to the Beartooth/Absaroka Mountains. The dynamics were quite strong with this low as it created its own cold pool which helped provide heavy snow to portions of the lower elevations as well, mainly the foothills locations.","Area Snotels received 12-18 inches of snow." +118319,711000,ARIZONA,2017,June,Wildfire,"CHIRICAHUA MOUNTAINS",2017-06-27 13:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Swisshelms Fire started on June 27th, possibly due to spotting from the smaller Saddle Fire which was ongoing to its south. The Swisshelms Fire quickly spread due to strong winds and was not fully contained until July 10th, after nearly 11,000 acres had been burned.","The Swisshelms Fire started on June 27th in the Swisshelms Mountains and spread quickly due to strong winds. By the end of June the fire had consumed 7250 acres. The fire was not fully contained until July 10th after a total of 10,950 acres burned." +114193,683943,WYOMING,2017,April,Winter Storm,"WIND RIVER BASIN",2017-04-04 00:00:00,MST-7,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low passing over Wyoming developed a narrow area of heavy snow over portions of Fremont County. Heavy snow fell from the city of Riverton to Lander. The highest amounts were found near Lander where the airport had 10.7 inches of new snow with 6 to 9 inches around the town of Lander. In the Wind River Basin, Hudson reported 9 inches with 6 to 9 inches around Riverton. Amounts dropped sharply further north and west with less than 3 inches at the Riverton airport and points north and west.","Heavy snow fell from Riverton and southward. There were several reports of 6 to 9 inches of new snow. Amounts dropped sharply further north and west with Shoshoni only having 2 inches of snow." +114193,683947,WYOMING,2017,April,Winter Storm,"LANDER FOOTHILLS",2017-04-04 00:00:00,MST-7,2017-04-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level low passing over Wyoming developed a narrow area of heavy snow over portions of Fremont County. Heavy snow fell from the city of Riverton to Lander. The highest amounts were found near Lander where the airport had 10.7 inches of new snow with 6 to 9 inches around the town of Lander. In the Wind River Basin, Hudson reported 9 inches with 6 to 9 inches around Riverton. Amounts dropped sharply further north and west with less than 3 inches at the Riverton airport and points north and west.","The observer at the Lander airport measured 10.7 inches of new snow. Measurements of 6 to 9 inches were common around the city of Lander." +117820,708238,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-06-05 16:35:00,CST-6,2017-06-05 16:35:00,0,0,0,0,0.00K,0,0.00K,0,26.12,-97.35,26.12,-97.35,"Scattered thunderstorms, some strong to severe, developed during the afternoon hours across the region, moving into the Lower Valley and across the Laguna Madre. These storms produced gusty and damaging winds well in excess of 34 knots.","KPIL ASOS reported thunderstorm wind gust of 51 knots." +118351,711144,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-100.06,37.72,-100.06,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 2.50 inches was observed." +118351,711145,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.73,-100.03,37.73,-100.03,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 2.40 inches was observed." +118351,711146,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-100.03,37.74,-100.03,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 2.69 inches was reported." +118351,711147,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-100.1,37.74,-100.1,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 3.00 inches was observed." +118351,711148,KANSAS,2017,June,Heavy Rain,"FORD",2017-06-08 10:00:00,CST-6,2017-06-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-100.12,37.74,-100.12,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Rainfall of 2.30 inches was observed." +118352,711149,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-14 00:20:00,CST-6,2017-06-14 00:20:00,0,0,0,0,,NaN,,NaN,37.28,-98.55,37.28,-98.55,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711151,KANSAS,2017,June,Hail,"FORD",2017-06-13 15:23:00,CST-6,2017-06-13 15:23:00,0,0,0,0,,NaN,,NaN,37.78,-99.89,37.78,-99.89,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +114371,695141,TENNESSEE,2017,April,Flood,"SCOTT",2017-04-23 11:00:00,EST-5,2017-04-23 12:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.33,-84.6,36.5409,-84.5709,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Numerous road closures across Scott County due to flooding." +114371,695143,TENNESSEE,2017,April,Flood,"BLOUNT",2017-04-23 16:30:00,EST-5,2017-04-23 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.6681,-83.8692,35.7909,-83.9196,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Several roadways were flooded across Blount County and the city of Maryville." +114371,695151,TENNESSEE,2017,April,Flood,"SULLIVAN",2017-04-23 17:00:00,EST-5,2017-04-23 18:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.4945,-82.27,36.5379,-82.27,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Campgrounds and parking lots at Bristol Motor Speedway were flooded by Beaver Creek and Back Creek coming out of their banks." +118352,711168,KANSAS,2017,June,Hail,"HODGEMAN",2017-06-13 19:00:00,CST-6,2017-06-13 19:00:00,0,0,0,0,,NaN,,NaN,37.95,-100.03,37.95,-100.03,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +114063,685518,TEXAS,2017,April,Flash Flood,"VAL VERDE",2017-04-02 01:08:00,CST-6,2017-04-02 06:30:00,0,0,0,0,0.00K,0,0.00K,0,29.3651,-100.9058,29.3626,-100.9034,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding of the intersection of Main and Gibbs Sts. in Del Rio." +114063,685519,TEXAS,2017,April,Flash Flood,"VAL VERDE",2017-04-02 01:40:00,CST-6,2017-04-02 06:30:00,0,0,0,0,0.00K,0,0.00K,0,29.3828,-100.8943,29.3744,-100.9251,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding. Multiple water rescues and vehicles stuck in water were reported around Del Rio." +114063,685524,TEXAS,2017,April,Flash Flood,"EDWARDS",2017-04-02 06:25:00,CST-6,2017-04-02 06:45:00,0,0,0,0,0.00K,0,0.00K,0,29.91,-100.32,29.705,-100.3574,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding closing FM674 along the West Nueces River southwest of Rocksprings." +114063,685528,TEXAS,2017,April,Flash Flood,"REAL",2017-04-02 07:52:00,CST-6,2017-04-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0341,-99.8094,29.829,-99.7394,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding closing FM336 from Hwy 83 to Hwy 41 along the West Frio River." +114063,685533,TEXAS,2017,April,Flash Flood,"KINNEY",2017-04-02 08:30:00,CST-6,2017-04-02 08:45:00,0,0,0,0,0.00K,0,0.00K,0,29.4,-100.62,29.3751,-100.6231,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding closing RM3008 along Perdido Creek northeast of Amanda." +114063,685537,TEXAS,2017,April,Flash Flood,"KINNEY",2017-04-02 08:30:00,CST-6,2017-04-02 08:45:00,0,0,0,0,0.00K,0,0.00K,0,29.3777,-100.4827,29.3535,-100.4459,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","Thunderstorms produced heavy rain that led to flash flooding closing RM2804 northwest of Brackettville." +118352,711170,KANSAS,2017,June,Hail,"HODGEMAN",2017-06-13 19:08:00,CST-6,2017-06-13 19:08:00,0,0,0,0,,NaN,,NaN,38.08,-99.9,38.08,-99.9,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +114623,687463,IOWA,2017,April,Heavy Rain,"POLK",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-93.65,41.74,-93.65,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.14 inches over the past 24 hours and 1.97 inches over the past 48 hours." +114623,687464,IOWA,2017,April,Heavy Rain,"HARDIN",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-93.08,42.37,-93.08,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.00 inches of rain in the past 24 hours and 1.34 inches in the past 48 hours." +114623,687465,IOWA,2017,April,Heavy Rain,"DALLAS",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-93.91,41.71,-93.91,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.05 inches of rain in the past 24 hours and 1.78 inches over the past 48 hours." +114623,687467,IOWA,2017,April,Heavy Rain,"WARREN",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-93.69,41.44,-93.69,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.6 inches of rain in the past 24 hours and 1.82 inches in the past 48 hours." +114192,683946,COLORADO,2017,April,Winter Storm,"WESTCLIFFE VICINITY / WET MOUNTAIN VALLEY BELOW 8500 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114192,683948,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114192,683949,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-04-01 00:00:00,MST-7,2017-04-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent weather system produced snow, heavy at times, across portions of southern Colorado. Some of the higher reported snow totals included: 6 to 8 inches near Beulah and Rye (Pueblo County), Monument, Black Forest, and Air Force Academy (El Paso County), and 10 inches near Westcliffe (Custer County).","" +114661,687723,KANSAS,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 19:44:00,CST-6,2017-04-29 22:50:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-95.71,37.2244,-95.7129,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","There were several reports of flash flooding. A water rescue was in progress." +113712,689764,MISSOURI,2017,April,Flash Flood,"NEWTON",2017-04-16 22:40:00,CST-6,2017-04-17 00:40:00,0,0,0,0,0.00K,0,0.00K,0,36.869,-94.3721,36.869,-94.3726,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","Hickory Creek flooded a section of Spring Street in Neosho. Spring Street was closed to traffic." +113712,689765,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-16 22:41:00,CST-6,2017-04-17 00:41:00,0,0,0,0,0.00K,0,0.00K,0,36.6155,-94.4383,36.6148,-94.4369,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","McDonald County Sheriff Deputy observed water as far as he could see at the intersection of Indian Creek and Oscar Talley Road." +113712,689767,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-16 22:59:00,CST-6,2017-04-17 00:59:00,0,0,0,0,0.00K,0,0.00K,0,36.6127,-94.4456,36.6055,-94.4483,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","A section of Highway 59 was flooded about one mile north of Lanagan." +113712,689768,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-17 00:05:00,CST-6,2017-04-17 02:05:00,0,0,0,0,0.00K,0,0.00K,0,36.6847,-93.8597,36.6851,-93.8584,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","Excessive rainfall caused several streets to experience flash flooding in the city of Cassville." +113712,689770,MISSOURI,2017,April,Flood,"BARRY",2017-04-17 06:20:00,CST-6,2017-04-17 08:20:00,0,0,0,0,0.00K,0,0.00K,0,36.8207,-93.7864,36.8187,-93.789,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","State Highway C at Flat Creek was closed due to flooding." +113712,689771,MISSOURI,2017,April,Flood,"BARRY",2017-04-17 05:00:00,CST-6,2017-04-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7707,-93.814,36.7707,-93.8132,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","State Highway U was closed due to flooding along Flat Creek." +113712,689772,MISSOURI,2017,April,Hail,"MCDONALD",2017-04-16 21:53:00,CST-6,2017-04-16 21:53:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-94.52,36.65,-94.52,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","" +113712,689775,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 07:00:00,CST-6,2017-04-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-94.58,36.63,-94.58,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The mesonet station TIFM7 near the Elk River measured 2.73 inches of rainfall in 24 hours." +113712,689783,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 07:00:00,CST-6,2017-04-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-94.6,36.67,-94.6,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The mesonet station BCCM7 measured 2.15 inches of rainfall in 24 hours." +113712,689786,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-93.94,36.67,-93.94,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","A 24 hour storm total rainfall of 3.25 inches of rainfall was measured near Exeter." +118353,711201,KANSAS,2017,June,Hail,"NESS",2017-06-15 17:16:00,CST-6,2017-06-15 17:16:00,0,0,0,0,,NaN,,NaN,38.5,-99.99,38.5,-99.99,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711202,KANSAS,2017,June,Hail,"NESS",2017-06-15 17:25:00,CST-6,2017-06-15 17:25:00,0,0,0,0,,NaN,,NaN,38.45,-99.91,38.45,-99.91,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","The hail was mostly quarter sized." +118353,711203,KANSAS,2017,June,Hail,"NESS",2017-06-15 17:28:00,CST-6,2017-06-15 17:28:00,0,0,0,0,,NaN,,NaN,38.46,-99.9,38.46,-99.9,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711204,KANSAS,2017,June,Hail,"PAWNEE",2017-06-15 17:36:00,CST-6,2017-06-15 17:36:00,0,0,0,0,,NaN,,NaN,38.08,-98.93,38.08,-98.93,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","The hail was mostly nickel sized." +118353,711206,KANSAS,2017,June,Hail,"COMANCHE",2017-06-15 17:40:00,CST-6,2017-06-15 17:40:00,0,0,0,0,,NaN,,NaN,37.03,-99.06,37.03,-99.06,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711207,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 17:55:00,CST-6,2017-06-15 17:55:00,0,0,0,0,,NaN,,NaN,37.96,-98.88,37.96,-98.88,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711208,KANSAS,2017,June,Hail,"FINNEY",2017-06-15 17:58:00,CST-6,2017-06-15 17:58:00,0,0,0,0,,NaN,,NaN,38.03,-100.29,38.03,-100.29,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +115030,690399,GEORGIA,2017,April,Drought,"NORTH FULTON",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690416,GEORGIA,2017,April,Drought,"CARROLL",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +118353,711223,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:24:00,CST-6,2017-06-15 18:24:00,0,0,0,0,,NaN,,NaN,37.86,-98.6,37.86,-98.6,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711225,KANSAS,2017,June,Hail,"PRATT",2017-06-15 18:33:00,CST-6,2017-06-15 18:33:00,0,0,0,0,,NaN,,NaN,37.76,-98.56,37.76,-98.56,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711226,KANSAS,2017,June,Hail,"PRATT",2017-06-15 18:51:00,CST-6,2017-06-15 18:51:00,0,0,0,0,,NaN,,NaN,37.81,-98.5,37.81,-98.5,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","There was also 60 mph wind with the hail." +118353,711227,KANSAS,2017,June,Hail,"PRATT",2017-06-15 18:57:00,CST-6,2017-06-15 18:57:00,0,0,0,0,,NaN,,NaN,37.69,-98.83,37.69,-98.83,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711229,KANSAS,2017,June,Hail,"PRATT",2017-06-15 19:29:00,CST-6,2017-06-15 19:29:00,0,0,0,0,,NaN,,NaN,37.64,-98.9,37.64,-98.9,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711230,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-15 14:15:00,CST-6,2017-06-15 14:15:00,0,0,0,0,,NaN,,NaN,38.72,-99.33,38.72,-99.33,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Damage to trees, fences and some outbuildings." +118353,711232,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-15 18:05:00,CST-6,2017-06-15 18:05:00,0,0,0,0,,NaN,,NaN,37.02,-98.65,37.02,-98.65,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Tree branches were broken by the high wind." +120818,727429,OHIO,2017,November,Thunderstorm Wind,"SUMMIT",2017-11-05 18:02:00,EST-5,2017-11-05 18:19:00,0,0,0,0,7.50M,7500000,0.00K,0,41.242,-81.6749,41.3186,-81.3958,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst wind gusts estimated to be as much as 100 mph caused extensive damage across northern Summit County. Thousands of trees and dozens of utility poles were reported down in Richfield, Boston, Sagamore Hills and Twinsburg Townships. The damage was most concentrated in the Twinsburg area with hundreds of homes loosing roofing or siding. Many other homes and buildings were damaged by fallen trees. Many vehicles were also damaged by flying debris or downed trees or limbs. There were numerous reports of roads and streets blocked by fallen trees or power lines. A 30,000 volt high power tension line was blown down along Liberty Road near Irena Lane in Twinsburg. The damage in the county extended as far south as Cuyahoga Falls and even Tallmadge. Widespread power outages were reported and school districts in the area had to close on November 6th because of blocked roads and the power outages. Up to 25,000 customers lost power from this storm. It took five days for power to fully restored and weeks for the storm damage to be cleaned up." +114084,691112,MISSOURI,2017,April,Flash Flood,"DOUGLAS",2017-04-29 00:13:00,CST-6,2017-04-29 02:13:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-92.44,36.9698,-92.439,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 76 at Clever Creek was impassable due to flood water." +114084,691374,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-30 02:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,500.00K,500000,0.00K,0,37.1383,-93.2151,37.1282,-93.2296,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across Greene County. Several homes had flooded basements. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Greene County." +114084,691376,MISSOURI,2017,April,Flash Flood,"CHRISTIAN",2017-04-30 02:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,750.00K,750000,0.00K,0,37.0408,-93.1771,37.0448,-93.1789,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across Christian County. Several roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Christian County." +114084,691379,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,1.00M,1000000,0.00K,0,36.65,-93.8987,36.6694,-93.8791,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across Barry County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Barry County." +114084,691380,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,750.00K,750000,0.00K,0,36.5908,-94.384,36.5932,-94.3765,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across McDonald County." +115183,696703,ILLINOIS,2017,April,Flash Flood,"CHAMPAIGN",2017-04-29 20:00:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,40.101,-88.2061,39.8808,-88.3424,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across southern Champaign County. Several streets in Urbana were impassable. Numerous rural roads and highways in the southern part of the county from Pesotum to Broadlands were inundated." +115183,696704,ILLINOIS,2017,April,Flash Flood,"VERMILION",2017-04-29 20:30:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2835,-87.53,40.0187,-87.9393,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across central and southern Vermilion County. Several streets from Danville to Westville were impassable. Numerous rural roads and highways in the southern part of the county from Sidell to Ridge Farm were inundated, including U.S. Highway 150/Illinois Route 1." +115278,692101,WASHINGTON,2017,April,Debris Flow,"LINCOLN",2017-04-02 08:00:00,PST-8,2017-04-05 12:00:00,0,0,0,0,800.00K,800000,0.00K,0,47.8937,-118.1759,47.8915,-118.1721,"Saturated soil conditions across northeast Washington caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Spokane, Pend Oreille and Stevens Counties was disrupted by numerous road closures due to debris flows and flooding of roads during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.","On April 2nd a hillside along the Porcupine Bay Road near the Porcupine Bay recreation area gave way and cut the road, cutting off access to the campground. Three days later the hillside was still moving. Extensive debris was washed into Lake Roosevelt during this slide. The road remained closed into the month of May and may be closed indefinitely with repair work not able to commence until soil conditions stabilize and careful analysis of further landslide hazard is complete." +115278,692102,WASHINGTON,2017,April,Flood,"SPOKANE",2017-04-01 00:00:00,PST-8,2017-04-15 00:00:00,0,0,0,0,500.00K,500000,0.00K,0,47.8059,-117.8091,47.2128,-117.7844,"Saturated soil conditions across northeast Washington caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Spokane, Pend Oreille and Stevens Counties was disrupted by numerous road closures due to debris flows and flooding of roads during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.","Saturated soil conditions brought about by spring snow melt in March and periodic heavy rain in March and early April resulted in areas of small stream, field and basement flooding over parts of Spokane County. Numerous secondary roads were closed due to flooding on the roads and damage to the road beds." +112258,673669,GEORGIA,2017,January,Tornado,"TALBOT",2017-01-21 11:06:00,EST-5,2017-01-21 11:10:00,0,0,0,0,10.00K,10000,,NaN,32.7684,-84.6379,32.7753,-84.6058,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Talbot County Emergency Manager reported that an EF0 tornado with maximum winds of 80 MPH and a maximum path width of 100 yards occurred in northwest Talbot County. This tornado was produced by the same storm that produced the tornado in southern Harris County. Numerous trees were snapped or uprooted in a wilderness area southwest of Woodland along Bonnie Dixon Road. [01/21/17: Tornado #3, County #1/1, EF0, Talbot, 2017:004]." +116374,699829,MONTANA,2017,June,Thunderstorm Wind,"BROADWATER",2017-06-08 19:42:00,MST-7,2017-06-08 19:42:00,0,0,0,0,0.00K,0,0.00K,0,46.41,-111.58,46.41,-111.58,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Mesonet reported thunderstorm wind gust of 59 mph." +116374,699830,MONTANA,2017,June,Thunderstorm Wind,"HILL",2017-06-08 21:20:00,MST-7,2017-06-08 21:20:00,0,0,0,0,0.00K,0,0.00K,0,48.6,-109.95,48.6,-109.95,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter measured 58 mph thunderstorm wind gust." +116340,704460,VIRGINIA,2017,May,Tornado,"LUNENBURG",2017-05-05 05:13:00,EST-5,2017-05-05 05:14:00,0,0,0,0,20.00K,20000,0.00K,0,36.8435,-78.1685,36.8556,-78.1583,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","The tornado briefly touched down in an area of trees just to the west of Powers Road. The tornado then lifted before touching down at the intersection of Craig Mill Road and Powers Road, uprooting and breaking numerous trees. No significant structural damage was indicated other than some minor flashing damage to a house, and damage to a kennel from falling trees. The tornado then lifted once again just north of the Craig|Mill Road/Powers Road intersection." +116340,736934,VIRGINIA,2017,May,Thunderstorm Wind,"NORFOLK (C)",2017-05-05 07:57:00,EST-5,2017-05-05 07:57:00,0,0,0,0,0.00K,0,0.00K,0,36.8091,-76.2872,36.8091,-76.2872,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","" +116343,700046,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-05 08:18:00,EST-5,2017-05-05 08:18:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 41 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +116343,700047,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-05-05 08:30:00,EST-5,2017-05-05 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-75.92,36.7,-75.92,"Scattered thunderstorms in advance of low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 45 knots was measured at Sandbridge." +116374,699832,MONTANA,2017,June,Thunderstorm Wind,"HILL",2017-06-08 21:41:00,MST-7,2017-06-08 21:41:00,0,0,0,0,0.00K,0,0.00K,0,48.54,-109.68,48.54,-109.68,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Public reported damage to building in city of Havre. Damage caused by severe thunderstorm winds." +116379,699842,MONTANA,2017,June,Hail,"JEFFERSON",2017-06-28 12:20:00,MST-7,2017-06-28 12:20:00,0,0,0,0,0.00K,0,0.00K,0,45.87,-112.1,45.87,-112.1,"Scattered showers and thunderstorms developed via daytime heating over the higher terrain of southwest Montana. Modest instability and vertical wind shear limited the risk of severe thunderstorms.","Spotter reported quarter to half dollar-size hail." +116598,701202,CALIFORNIA,2017,June,Flood,"SONOMA",2017-06-11 16:13:00,PST-8,2017-06-11 17:13:00,0,0,0,0,0.00K,0,0.00K,0,38.3866,-122.7166,38.3869,-122.7171,"On June 11 an upper level low moved through the region bringing showers and thunderstorms in the late afternoon/early evening. The event brought minor roadway flooding and small hail.","Roadway flooding on US101 Northbound and Todd Road Onramp." +116598,701203,CALIFORNIA,2017,June,Hail,"NAPA",2017-06-11 15:03:00,PST-8,2017-06-11 15:08:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-122.58,38.58,-122.58,"On June 11 an upper level low moved through the region bringing showers and thunderstorms in the late afternoon/early evening. The event brought minor roadway flooding and small hail.","" +116598,701204,CALIFORNIA,2017,June,Hail,"SONOMA",2017-06-11 17:28:00,PST-8,2017-06-11 17:33:00,0,0,0,0,0.00K,0,0.00K,0,38.3498,-122.6997,38.3498,-122.6997,"On June 11 an upper level low moved through the region bringing showers and thunderstorms in the late afternoon/early evening. The event brought minor roadway flooding and small hail.","" +116598,701205,CALIFORNIA,2017,June,Hail,"SONOMA",2017-06-11 18:43:00,PST-8,2017-06-11 18:48:00,0,0,0,0,0.00K,0,0.00K,0,38.4821,-122.6931,38.4821,-122.6931,"On June 11 an upper level low moved through the region bringing showers and thunderstorms in the late afternoon/early evening. The event brought minor roadway flooding and small hail.","" +115789,695835,VERMONT,2017,June,Hail,"CALEDONIA",2017-06-25 17:35:00,EST-5,2017-06-25 17:35:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-72.01,44.46,-72.01,"A few scattered thunderstorms developed in VT during the afternoon hours of June 25th with one isolated severe thunderstorm in Caledonia county that produced localized damaging winds and large hail.","Half dollar size hail reported as well as numerous small branches and tree limbs down." +115175,693294,COLORADO,2017,April,Winter Storm,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-04-28 17:00:00,MST-7,2017-04-29 03:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"In the Front Range Foothills and along the Palmer Divide, storm totals included: 25 inches near Genesee, 19 inches at Evergreen, 18 inches near Nederland, 16.5 inches near Idledale, 16 inches near Pinecliffe, 15 inches at Kittredge, 14 inches at Ken Caryl and near Roxborough State Park, 12.5 inches near Elizabeth, 12 inches in Eldorado Springs, 11 inches near Brookvale and 12 miles northwest of Golden, with 10.5 inches at Lone Tree.||Heavier south occurred over the western and southern suburbs of Denver. Storm totals included: 10 inches in Littleton, 8 inches at Centennial, 3 miles southeast of Denver and near Greenwood Village, 7 inches near Wheat Ridge, 6 inches in Arvada and Castle Pines, with 5 inches in Boulder. Across the northern part of Denver, lesser amounts of 1 to 4 inches were observed.","Storm totals included: 10 inches in Lakewood, 8.5 inches in Littleton, 7 inches near Highlands Ranch, 6.5 inches in northeast Golden, 6 inches in Arvada and Wheat Ridge, with 5 inches in Boulder." +114359,685268,SOUTH DAKOTA,2017,April,Winter Storm,"SOUTHERN BLACK HILLS",2017-04-27 22:00:00,MST-7,2017-04-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to southwestern South Dakota. Rain changed to snow overnight and continued into the morning. Snowfall amounts were generally a few inches; however, higher elevations of the southern Black Hills from Pringle and Wind Cave to near Custer received more than six inches of snow.","" +114359,685269,SOUTH DAKOTA,2017,April,Winter Weather,"FALL RIVER",2017-04-28 00:00:00,MST-7,2017-04-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to southwestern South Dakota. Rain changed to snow overnight and continued into the morning. Snowfall amounts were generally a few inches; however, higher elevations of the southern Black Hills from Pringle and Wind Cave to near Custer received more than six inches of snow.","" +115081,691439,COLORADO,2017,April,Winter Weather,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-04-03 23:00:00,MST-7,2017-04-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought a period of locally heavy snow to portions of the Front Range Mountains and Foothills. The heaviest snowfall occurred in and near the foothills of Clear Creek, southern Boulder, northern Jefferson and Gilpin Counties. Storm totals in those areas included: 16 inches at Eldorado Springs, 15 inches at Echo Lake, 14 inches at St. Mary's Glacier and Winter Park Ski Area, 13.5 inches at Genesee, 13 inches at Rough and Tumble SNOTEL and near Tiny Town, 12.5 inches near Allenspark and Idaho Springs, 12 inches at Joe Wright SNOTEL, 11 inches near Conifer, 10 inches at Breckenridge. Across the rest of the Front Range mountains and foothills, the western suburbs of Denver and Boulder, storm totals ranged from 4 to 8 inches.","Storm totals included 16 inches at Eldorado Springs and 12.5 inches near Allenspark, with 4 to 10 inches elsewhere." +114751,688858,TENNESSEE,2017,April,Hail,"SMITH",2017-04-05 15:40:00,CST-6,2017-04-05 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-85.93,36.25,-85.93,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Facebook photo showed quarter size hail in Carthage." +114751,688862,TENNESSEE,2017,April,Hail,"CLAY",2017-04-05 16:02:00,CST-6,2017-04-05 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.4835,-85.6997,36.4835,-85.6997,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","" +114751,693486,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-05 14:51:00,CST-6,2017-04-05 14:51:00,0,0,0,0,10.00K,10000,0.00K,0,35.4851,-86.4718,35.4851,-86.4718,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A Facebook photo showed the sheet metal roof was blown off a warehouse building on West Jackson Street in Shelbyville." +114751,693487,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-05 14:51:00,CST-6,2017-04-05 14:51:00,0,0,0,0,10.00K,10000,0.00K,0,35.4829,-86.4597,35.4829,-86.4597,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A Facebook photo showed sheet metal roofing was blown off a building on the downtown square in Shelbyville." +115418,694815,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-04-06 03:45:00,EST-5,2017-04-06 03:46:00,0,0,0,0,,NaN,,NaN,32.5,-79.1,32.5,-79.1,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","A 39 knot wind gust was recorded at the Edisto Buoy 41004." +115418,694817,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:35:00,EST-5,2017-04-06 03:36:00,0,0,0,0,,NaN,,NaN,32.76,-79.82,32.76,-79.82,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Sullivan's Island recorded a 37 knot wind gust." +115418,694819,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:40:00,EST-5,2017-04-06 03:41:00,0,0,0,0,,NaN,,NaN,32.78,-79.78,32.78,-79.78,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at the Isle of Palms Pier recorded a 39 knot wind gust." +115418,694820,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-04-06 03:41:00,EST-5,2017-04-06 03:42:00,0,0,0,0,,NaN,,NaN,32.7512,-79.8707,32.7512,-79.8707,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Fort Sumter recorded a 35 knot wind gust." +115528,693594,SOUTH CAROLINA,2017,April,Hail,"BEAUFORT",2017-04-18 13:10:00,EST-5,2017-04-18 13:11:00,0,0,0,0,,NaN,,NaN,32.27,-80.99,32.27,-80.99,"Moderate instability ahead of a backdoor cold front led to a few stronger thunderstorms capable of producing hail over Southeast South Carolina.","The public reported quarter size hail on Biltmore Drive in Sun City, SC." +115529,693595,GEORGIA,2017,April,Hail,"EFFINGHAM",2017-04-18 16:43:00,EST-5,2017-04-18 16:44:00,0,0,0,0,,NaN,,NaN,32.28,-81.39,32.28,-81.39,"Moderate instability ahead of a backdoor cold front led to a few stronger thunderstorms capable of producing hail over Southeast Georgia.","The public reported quarter size hail at a business on State Route 17 in Pineora, GA." +115567,694014,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-04-11 17:36:00,CST-6,2017-04-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,27.581,-97.217,27.5762,-97.2046,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","NOS site at Bob Hall Pier measured a gust to 45 knots." +115567,694291,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:25:00,CST-6,2017-04-11 18:05:00,0,0,0,0,0.00K,0,0.00K,0,27.867,-97.3226,27.8644,-97.322,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Weatherflow site at Sunset Lake Park in Portland measured a gust to 37 knots." +114755,688767,TENNESSEE,2017,April,Flash Flood,"RUTHERFORD",2017-04-22 06:00:00,CST-6,2017-04-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9924,-86.5739,36.0119,-86.5434,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Multiple roads were closed in La Vergne due to high water." +114755,688775,TENNESSEE,2017,April,Flood,"PERRY",2017-04-22 08:00:00,CST-6,2017-04-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.6916,-87.99,35.6779,-87.9908,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Facebook photos showed McKnight Road near Lick Creek was under water." +114755,688779,TENNESSEE,2017,April,Flood,"RUTHERFORD",2017-04-22 13:00:00,CST-6,2017-04-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8889,-86.4233,35.8862,-86.4233,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Flooding from the Stones River covered the Thompson Lane Trailhead with high water." +115603,694344,NEW YORK,2017,April,High Wind,"EASTERN COLUMBIA",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Trees and power lines downed by high winds in the Craryville area." +115603,694418,NEW YORK,2017,April,Strong Wind,"EASTERN ULSTER",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Columbia and Greene counties in New York. It also produced strong wind gusts ranging from 30 to 50 mph throughout eastern New York.","Peak wind gusts from NYSM and CWOP stations ranged from 35 to 40 mph." +115611,694398,MASSACHUSETTS,2017,April,Strong Wind,"NORTHERN BERKSHIRE",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Berkshire County in Massachusetts. It also produced strong wind gusts ranging from 30 to 40 mph throughout western Massachusetts.","Peak wind gusts from ASOS and CWOP stations ranged from 30 to 40 mph." +115611,694385,MASSACHUSETTS,2017,April,High Wind,"SOUTHERN BERKSHIRE",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down numerous trees and power lines across Berkshire County in Massachusetts. It also produced strong wind gusts ranging from 30 to 40 mph throughout western Massachusetts.","Multiple trees and power lines were knocked down due to high winds. This led to numerous power outages across the area." +115612,694387,CONNECTICUT,2017,April,High Wind,"NORTHERN LITCHFIELD",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down multiple trees and power lines across Litchfield county in Connecticut. It also produced strong wind gusts ranging from 30 to 40 mph throughout western Connecticut.","Multiple trees and wires were knocked down due to high winds." +115612,694391,CONNECTICUT,2017,April,Strong Wind,"SOUTHERN LITCHFIELD",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. These winds knocked down multiple trees and power lines across Litchfield county in Connecticut. It also produced strong wind gusts ranging from 30 to 40 mph throughout western Connecticut.","CWOP station measured a peak wind gust of 33 mph." +117435,706234,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-11 23:00:00,EST-5,2017-06-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.39,30.28,-81.39,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A daily total of 2.35 inches was measured at the Jacksonville Beach COOP Observer station as of 5 pm local time." +117435,706228,FLORIDA,2017,June,Heavy Rain,"NASSAU",2017-06-11 23:00:00,EST-5,2017-06-12 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-81.58,30.66,-81.58,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A citizen weather observer measured a daily total of 3. 22 inches as of 3:30 pm local time." +117435,706229,FLORIDA,2017,June,Heavy Rain,"NASSAU",2017-06-11 23:00:00,EST-5,2017-06-12 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.67,-81.54,30.67,-81.54,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A citizen weather observer measured a daily rainfall total of 4.77 inches as of 3:30 pm." +117435,706231,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-11 23:00:00,EST-5,2017-06-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.51,30.38,-81.51,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A spotter measured a daily rainfall total of 5.2 inches as of 4:30 pm local time." +117435,706233,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-11 23:00:00,EST-5,2017-06-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-81.46,30.27,-81.46,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","A citizen weather observation station near San Pablo measured a daily total of 2.06 inches." +117437,706236,GEORGIA,2017,June,Heavy Rain,"APPLING",2017-06-11 23:00:00,EST-5,2017-06-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,31.71,-82.39,31.71,-82.39,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","The RAWs station near Baxley reported a daily rainfall of 3.03 inches as of 3 pm local time." +117437,706237,GEORGIA,2017,June,Heavy Rain,"CHARLTON",2017-06-11 23:00:00,EST-5,2017-06-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.98,-82.4,30.98,-82.4,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","The RAWs station in the NW Okefenokee Swamp measured a daily rainfall total of 2.83 inches as of 4 pm local time." +117188,705360,MINNESOTA,2017,June,Flash Flood,"WINONA",2017-06-28 21:00:00,CST-6,2017-06-28 23:00:00,0,0,0,0,108.00K,108000,0.00K,0,44.0252,-91.7696,44.0251,-91.7701,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","Runoff from heavy rain pushed Garvin Creek out of its banks around Stockton. Debris caught in the flood waters clogged culverts where the creek passes under County Road 23 causing enough dirt to be eroded that a portion of the road collapsed." +116900,705502,WISCONSIN,2017,June,Flood,"TREMPEALEAU",2017-06-14 10:00:00,CST-6,2017-06-15 23:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","Runoff from heavy rains pushed the Trempealeau River out of its banks in Dodge. The river crested less than a half foot above the flood stage at 9.23 feet." +116845,705504,MINNESOTA,2017,June,Flood,"WINONA",2017-06-12 15:40:00,CST-6,2017-06-12 20:35:00,0,0,0,0,0.00K,0,0.00K,0,44.0362,-92.1053,44.0349,-92.1033,"A line of thunderstorms moved across southeast Minnesota during the afternoon of June 12th. These storms produced damaging winds around the Rochester area (Olmsted County) and dropped quarter sized hail in Chatfield (Fillmore County).","Runoff from heavy rains pushed the Middle Fork of the Whitewater River out of its banks in the Whitewater River State Park. The river crested a little over a half foot above the flood stage at 14.04 feet." +117188,705505,MINNESOTA,2017,June,Flood,"WINONA",2017-06-28 19:50:00,CST-6,2017-06-29 03:20:00,0,0,0,0,0.00K,0,0.00K,0,44.0362,-92.1053,44.0349,-92.1033,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","Runoff from heavy rain pushed the Middle Fork of the Whitewater River out of its banks in the Whitewater State Park. The river crested over a foot above the flood stage at 14.88 feet." +116828,702541,WASHINGTON,2017,June,Thunderstorm Wind,"BENTON",2017-06-26 17:11:00,PST-8,2017-06-26 17:17:00,0,0,0,0,0.00K,0,0.00K,0,46.36,-119.46,46.36,-119.46,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","A severe thunderstorms produced wind gusts of 62 to 68 mph occurred in and around West Richland in Benton county." +116828,702546,WASHINGTON,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-26 17:45:00,PST-8,2017-06-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,46.64,-118.56,46.64,-118.56,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","A severe thunderstorm produced wind gusts up to 67 mph at Kahlotus in Franklin county." +115772,698370,GEORGIA,2017,April,Hail,"HARALSON",2017-04-05 16:40:00,EST-5,2017-04-05 16:50:00,0,0,0,0,,NaN,,NaN,33.67,-85.32,33.67,-85.32,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","An amateur radio operator reported quarter size hail a half mile south of I-20." +115772,698371,GEORGIA,2017,April,Hail,"HARALSON",2017-04-05 16:45:00,EST-5,2017-04-05 16:55:00,0,0,0,0,244.00K,244000,,NaN,33.6843,-85.2622,33.6843,-85.2622,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Haralson County Emergency Manager reported golf ball size hail at the intersection of I-20 and Highway 16." +115772,698372,GEORGIA,2017,April,Hail,"HARALSON",2017-04-05 16:50:00,EST-5,2017-04-05 17:00:00,0,0,0,0,,NaN,,NaN,33.6845,-85.2626,33.6845,-85.2626,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A report of half dollar size hail at exit 5 on I-20 was received over social media." +115772,698373,GEORGIA,2017,April,Hail,"CARROLL",2017-04-05 16:58:00,EST-5,2017-04-05 17:10:00,0,0,0,0,626.00K,626000,,NaN,33.6857,-85.1512,33.6857,-85.1512,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Carroll County Emergency Manager reported golf ball size hail at the intersection of I-20 and US Highway 27." +115772,698374,GEORGIA,2017,April,Hail,"CHATTOOGA",2017-04-05 17:00:00,EST-5,2017-04-05 17:10:00,0,0,0,0,,NaN,,NaN,34.47,-85.33,34.47,-85.33,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported penny size hail a mile north of the James H. Sloppy Floyd State Park." +114821,688725,VIRGINIA,2017,April,Thunderstorm Wind,"MATHEWS",2017-04-06 11:45:00,EST-5,2017-04-06 11:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.5,-76.3,37.5,-76.3,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Trees and power lines were downed along Risby Town Road on Gwynn Island." +114821,688728,VIRGINIA,2017,April,Thunderstorm Wind,"VIRGINIA BEACH (C)",2017-04-06 12:22:00,EST-5,2017-04-06 12:25:00,0,0,0,0,100.00K,100000,0.00K,0,36.71,-75.93,36.71,-75.93,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","Twenty homes were damaged in Sandbridge along Sandpiper and Sandfiddler Roads. It was determined that the damage from thunderstorms was due to straight line winds of around 80 mph." +114821,688768,VIRGINIA,2017,April,Tornado,"LANCASTER",2017-04-06 11:09:00,EST-5,2017-04-06 11:12:00,0,0,0,0,150.00K,150000,0.00K,0,37.647,-76.435,37.691,-76.396,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","The tornado touched down near the boundary of Lancaster County and the Rappahannock River. The tornado then proceeded across West Irvington and Irvington where it reached its maximum intensity of up to 90 mph. Damage included loss of roofing material, gutters and/or awnings, and siding material, as well as uprooted and snapped hardwood trees. The tornado continued to the northeast with the last damage observed in a wooded area on the east side of the Hills Quarter Subdivision near King Carter Golf course." +114821,688798,VIRGINIA,2017,April,Tornado,"CHESAPEAKE (C)",2017-04-06 12:09:00,EST-5,2017-04-06 12:13:00,0,0,0,0,100.00K,100000,0.00K,0,36.619,-76.214,36.678,-76.184,"Scattered severe thunderstorms in advance of strong low pressure and its associated cold front produced damaging winds and two tornadoes across portions of central and eastern Virginia.","The tornado touched down near Delia Drive where it destroyed an RV and stripped siding off a house. The tornado moved north northeast and severely damaged a concession stand, a small barn and an outbuilding at Hickory Ridge Farm on Battlefield Boulevard. The tornado proceeded to cross Battlefield Boulevard then crossed Head of the River Road where it reached its strongest point with an estimated wind speed of up to 80 mph. Numerous pine trees were snapped, blocking the road and taking down power lines. Shingle loss less than 20 percent was also evident in the area. The tornado then crossed Beaverdam Road maintaining intensity near 75 mph. The tornado weakened as it crossed Land of Promise Road, but was still strong enough to down a pine tree into a house. The tornado dissipated shortly thereafter." +115794,696268,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-04-06 12:30:00,EST-5,2017-04-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-75.99,37.17,-75.99,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Kiptopeke." +115180,691551,ILLINOIS,2017,April,Thunderstorm Wind,"CLARK",2017-04-26 15:45:00,CST-6,2017-04-26 15:50:00,0,0,0,0,25.00K,25000,0.00K,0,39.33,-87.88,39.33,-87.88,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Numerous trees were blown down." +115180,691553,ILLINOIS,2017,April,Thunderstorm Wind,"CLARK",2017-04-26 15:48:00,CST-6,2017-04-26 15:53:00,0,0,0,0,15.00K,15000,0.00K,0,39.22,-87.67,39.22,-87.67,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Numerous trees were blown down." +115180,691554,ILLINOIS,2017,April,Thunderstorm Wind,"CLARK",2017-04-26 15:58:00,CST-6,2017-04-26 16:03:00,0,0,0,0,30.00K,30000,0.00K,0,39.38,-87.7,39.38,-87.7,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","Numerous trees were blown down." +115182,691573,ILLINOIS,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-28 15:10:00,CST-6,2017-04-28 15:45:00,0,0,0,0,70.00K,70000,0.00K,0,38.7,-88.22,38.72,-87.97,"An area of low pressure tracking along a stationary frontal boundary near the Ohio River brought a round of severe thunderstorms to southeast Illinois during the afternoon of April 28th. The storms produced damaging wind gusts of 70-80 mph across southern Richland County into Lawrence County. Automated equipment at the Lawrenceville Airport measured a wind gust of 85mph at 5:12 PM CDT. As a result, numerous trees and power lines were blown down from Noble in Richland County northeastward through Lawrenceville in Lawrence County.","Straight line winds blew numerous trees and power lines down from Noble eastward through Calhoun and Claremont between 4:10 PM CDT and 4:45 PM CDT." +115182,691576,ILLINOIS,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-28 15:45:00,CST-6,2017-04-28 16:15:00,0,0,0,0,120.00K,120000,0.00K,0,38.72,-87.85,38.7632,-87.6012,"An area of low pressure tracking along a stationary frontal boundary near the Ohio River brought a round of severe thunderstorms to southeast Illinois during the afternoon of April 28th. The storms produced damaging wind gusts of 70-80 mph across southern Richland County into Lawrence County. Automated equipment at the Lawrenceville Airport measured a wind gust of 85mph at 5:12 PM CDT. As a result, numerous trees and power lines were blown down from Noble in Richland County northeastward through Lawrenceville in Lawrence County.","Numerous trees and power lines were blown down from Sumner to Lawrenceville between 4:45 PM CDT and 5:15 PM CDT. A few trees were blown onto homes and vehicles in Lawrenceville." +115863,696312,NEBRASKA,2017,April,Hail,"LINCOLN",2017-04-15 00:10:00,CST-6,2017-04-15 00:10:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-100.34,41.38,-100.34,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115863,696313,NEBRASKA,2017,April,Hail,"CUSTER",2017-04-15 00:27:00,CST-6,2017-04-15 00:27:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.6,-99.84,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115357,692633,KANSAS,2017,April,Blizzard,"WALLACE",2017-04-30 05:30:00,MST-7,2017-04-30 14:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Near zero visibility reported across the county. The entire county was without power. Some had receive power the day after the storm, but many were still in the dark. Many wrecks, slide-offs, and rescues were reported. Snowfall totals ranged from 8 to 28 inches, with the highest snow amount in Wallace. A federal disaster was declared by President Donald J. Trump." +115357,692634,KANSAS,2017,April,Blizzard,"GREELEY",2017-04-30 05:30:00,MST-7,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Visibility of a block was reported in Horace. All highways were closed across the county due to poor driving conditions. KDOT is waiting to clear the roads until conditions improve, and has contacted the National Guard to help. Motorists were rescued from seven vehicles stranded near Tribune. Most of the county is without power. Snowfall amounts close to 30 inches were reported. A federal disaster was declared by President Donald J. Trump." +115357,692638,KANSAS,2017,April,Blizzard,"LOGAN",2017-04-30 06:00:00,CST-6,2017-04-30 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Blizzard conditions were reported in the Oakley area, with whiteout conditions reported outside of town. The very strong winds and heavy, wet snow caused power outages in the county including Oakley. In Oakley tree branches from two to nine inches in diameter, and one eight inch diameter tree, were blown down from the weight of the snow and the strong winds. Snowfall reports ranged from 26 inches 6 E of Wallace to 14 inches near the Gove County line. A federal disaster was declared by President Donald J. Trump." +115363,693967,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:12:00,EST-5,2017-04-03 17:13:00,0,0,0,0,,NaN,,NaN,33.01,-80.19,33.01,-80.19,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A report via social media indicated a tree down and blocking Boonehill Road near Tea Farm Road." +115363,693968,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"COLLETON",2017-04-03 16:49:00,EST-5,2017-04-03 16:50:00,0,0,0,0,,NaN,,NaN,32.85,-80.49,32.85,-80.49,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The South Carolina Highway Patrol reported a tree down on Dodge Lane near Jacksonboro Road." +115363,693973,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"BERKELEY",2017-04-03 17:16:00,EST-5,2017-04-03 17:17:00,0,0,0,0,,NaN,,NaN,33.03,-80.14,33.03,-80.14,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A fire department reported several trees snapped or uprooted along Farmington Road near Interstate 26." +115631,694679,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"FIRE ISLAND INLET NY TO SANDY HOOK NJ OUT 20NM",2017-04-06 15:49:00,EST-5,2017-04-06 15:49:00,0,0,0,0,,NaN,,NaN,40.37,-73.7,40.37,-73.7,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 41 knots was measured at Buoy 44065." +115631,694682,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"FIRE ISLAND INLET NY TO MORICHES INLET NY FROM 20 TO 40 NM",2017-04-06 15:58:00,EST-5,2017-04-06 15:58:00,0,0,0,0,,NaN,,NaN,40.25,-73.17,40.25,-73.17,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 39 knots was measured at Buoy 44025." +115631,694686,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"FIRE ISLAND INLET NY TO SANDY HOOK NJ OUT 20NM",2017-04-06 16:14:00,EST-5,2017-04-06 16:14:00,0,0,0,0,,NaN,,NaN,40.62,-73.26,40.62,-73.26,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 46 knots was measured at the Fire Island Coast Guard mesonet location." +115631,694688,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MORICHES INLET TO FIRE ISLAND INLET NY OUT 20NM",2017-04-06 16:14:00,EST-5,2017-04-06 16:14:00,0,0,0,0,,NaN,,NaN,40.62,-73.26,40.62,-73.26,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 46 knots was measured at the Fire Island Coast Guard mesonet location." +115631,694690,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"SOUTH SHORE BAYS FROM JONES INLET THROUGH SHINNECOCK BAY",2017-04-06 16:14:00,EST-5,2017-04-06 16:14:00,0,0,0,0,,NaN,,NaN,40.6497,-73.3024,40.6497,-73.3024,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 38 knots was measured at the State Boat Channel mesonet location." +115631,694693,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"SOUTH SHORE BAYS FROM JONES INLET THROUGH SHINNECOCK BAY",2017-04-06 16:15:00,EST-5,2017-04-06 16:15:00,0,0,0,0,,NaN,,NaN,40.6497,-73.3024,40.6497,-73.3024,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 38 knots was measured at the Great South Bay mesonet location." +115631,694697,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"SOUTH SHORE BAYS FROM JONES INLET THROUGH SHINNECOCK BAY",2017-04-06 16:45:00,EST-5,2017-04-06 16:45:00,0,0,0,0,,NaN,,NaN,40.73,-73.03,40.73,-73.03,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 46 knots was measured at the Blue Point mesonet location." +114063,686307,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 09:01:00,CST-6,2017-04-02 09:01:00,0,0,0,0,,NaN,,NaN,30.65,-97.61,30.65,-97.61,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 80 mph that blew down large tree limbs southwest of Weir." +114063,685509,TEXAS,2017,April,Hail,"WILLIAMSON",2017-04-02 09:02:00,CST-6,2017-04-02 09:02:00,0,0,0,0,,NaN,,NaN,30.65,-97.69,30.65,-97.69,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,686308,TEXAS,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-02 09:15:00,CST-6,2017-04-02 09:15:00,0,0,0,0,,NaN,,NaN,30.63,-97.71,30.63,-97.71,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph in Georgetown." +114063,685510,TEXAS,2017,April,Hail,"FAYETTE",2017-04-02 10:20:00,CST-6,2017-04-02 10:20:00,0,0,0,0,,NaN,,NaN,29.87,-96.93,29.87,-96.93,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +114063,685511,TEXAS,2017,April,Hail,"FAYETTE",2017-04-02 10:36:00,CST-6,2017-04-02 10:36:00,0,0,0,0,,NaN,,NaN,29.94,-96.84,29.94,-96.84,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","" +115294,696655,ILLINOIS,2017,April,Flood,"MASON",2017-04-29 22:45:00,CST-6,2017-04-30 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4357,-89.919,40.1859,-90.2002,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Mason County. Numerous streets in Havana were impassable, as were numerous rural roads and highways in the county including parts of U.S. Route 136 and Illinois Route 10. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by mid-morning on the 30th." +115294,696969,ILLINOIS,2017,April,Flood,"WOODFORD",2017-04-29 22:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9213,-89.4704,40.7974,-89.5593,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.75 to 4.00 inches in about a two hour period during the evening hours resulted in flash flooding across parts of western Woodford County. Streets in Germantown Hills, Metamora, and Roanoke were impassable, as were numerous rural roads in the county. Illinois Route 89 southwest of Washburn was also closed due to high water and flood debris. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +115183,696629,ILLINOIS,2017,April,Flash Flood,"FULTON",2017-04-29 19:30:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.5158,-90.4444,40.1896,-90.4516,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.00 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across parts of eastern and central Fulton County. Numerous streets in Canton were impassable, as were numerous rural roads in the county. Illinois Route 9 west of Canton was closed due to high water." +112913,674598,LOUISIANA,2017,January,Hail,"ALLEN",2017-01-20 22:45:00,CST-6,2017-01-20 22:45:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-92.76,30.62,-92.76,"A strong short wave and a rapid return of moisture allowed scattered thunderstorms to develop in Southwest Louisiana. A few storms turned severe producing a high wind gust and large hail.","" +115099,691516,ARKANSAS,2017,April,Hail,"BENTON",2017-04-29 01:05:00,CST-6,2017-04-29 01:05:00,0,0,0,0,20.00K,20000,0.00K,0,36.3602,-94.1239,36.3602,-94.1239,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","" +115099,691519,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-29 01:28:00,CST-6,2017-04-29 01:28:00,0,0,0,0,1.00K,1000,0.00K,0,36.2614,-94.3583,36.2614,-94.3583,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down trees, and damaged the roof of a barn." +115099,691584,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 11:54:00,CST-6,2017-04-29 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3472,-94.1532,36.3029,-94.1526,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Heavy rainfall resulted in numerous streets to be flooded in Rogers." +115099,691585,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 12:00:00,CST-6,2017-04-29 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2765,-94.5593,36.2756,-94.5593,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","A portion of Highway 112 was closed due to flooding." +115060,690841,OKLAHOMA,2017,April,Hail,"WASHINGTON",2017-04-04 18:12:00,CST-6,2017-04-04 18:12:00,0,0,0,0,0.00K,0,0.00K,0,36.9709,-95.9184,36.9709,-95.9184,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690843,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-04 19:26:00,CST-6,2017-04-04 19:26:00,0,0,0,0,0.00K,0,0.00K,0,35.2312,-94.4783,35.2312,-94.4783,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690844,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-04 20:02:00,CST-6,2017-04-04 20:02:00,0,0,0,0,0.00K,0,0.00K,0,34.7463,-94.5325,34.7463,-94.5325,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115062,690856,OKLAHOMA,2017,April,Hail,"OSAGE",2017-04-16 19:01:00,CST-6,2017-04-16 19:01:00,0,0,0,0,2.00K,2000,0.00K,0,36.74,-96.24,36.74,-96.24,"Strong to severe thunderstorms developed over northeastern Oklahoma during the evening hours of the 16th, as a cold front moved into the area from the north. The strongest storms produced hail up to ping pong ball size and damaging wind as they moved south across the region.","" +115062,690858,OKLAHOMA,2017,April,Thunderstorm Wind,"DELAWARE",2017-04-16 21:00:00,CST-6,2017-04-16 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,36.5902,-94.8705,36.5902,-94.8705,"Strong to severe thunderstorms developed over northeastern Oklahoma during the evening hours of the 16th, as a cold front moved into the area from the north. The strongest storms produced hail up to ping pong ball size and damaging wind as they moved south across the region.","Strong thunderstorm wind blew down trees, snapped large tree limbs, and blew down power lines. Several travel trailers were blown over and carports were damaged by the wind." +115062,690859,OKLAHOMA,2017,April,Hail,"DELAWARE",2017-04-16 21:10:00,CST-6,2017-04-16 21:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.6515,-94.8186,36.6515,-94.8186,"Strong to severe thunderstorms developed over northeastern Oklahoma during the evening hours of the 16th, as a cold front moved into the area from the north. The strongest storms produced hail up to ping pong ball size and damaging wind as they moved south across the region.","" +115098,691734,OKLAHOMA,2017,April,Flash Flood,"MUSKOGEE",2017-04-29 17:47:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,35.7698,-95.6505,35.617,-95.6739,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous roads across the county were flooded and impassable. Some roads were washed out, and one bridge was damaged." +115098,691737,OKLAHOMA,2017,April,Flash Flood,"CHEROKEE",2017-04-29 17:50:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,35.6346,-94.9765,35.6333,-94.9772,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Cato Creek Road was closed near Lake Tenkiller due to flooding." +115098,691738,OKLAHOMA,2017,April,Thunderstorm Wind,"HASKELL",2017-04-29 18:14:00,CST-6,2017-04-29 18:14:00,0,0,0,0,0.00K,0,0.00K,0,35.2547,-95.1235,35.2547,-95.1235,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down trees." +115098,691751,OKLAHOMA,2017,April,Flash Flood,"MUSKOGEE",2017-04-29 18:43:00,CST-6,2017-04-29 23:15:00,0,0,0,0,100.00K,100000,0.00K,0,35.7782,-95.411,35.7,-95.4061,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Multiple roads across town were flooded and impassable. Some houses on south side of town were evacuated due to them being inundated by flood water." +113802,681358,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:51:00,EST-5,2017-04-05 15:51:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-85.9,38.28,-85.9,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681359,INDIANA,2017,April,Hail,"FLOYD",2017-04-05 15:52:00,EST-5,2017-04-05 15:52:00,0,0,0,0,,NaN,,NaN,38.32,-85.86,38.32,-85.86,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681360,INDIANA,2017,April,Hail,"CLARK",2017-04-05 15:55:00,EST-5,2017-04-05 15:55:00,0,0,0,0,0.00K,0,0.00K,0,38.49,-85.79,38.49,-85.79,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681361,INDIANA,2017,April,Hail,"HARRISON",2017-04-05 16:07:00,EST-5,2017-04-05 16:07:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-86.15,38.32,-86.15,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681362,INDIANA,2017,April,Hail,"HARRISON",2017-04-05 16:11:00,EST-5,2017-04-05 16:11:00,0,0,0,0,,NaN,,NaN,38.41,-86.13,38.41,-86.13,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113802,681363,INDIANA,2017,April,Hail,"HARRISON",2017-04-05 16:17:00,EST-5,2017-04-05 16:17:00,0,0,0,0,,NaN,,NaN,38.41,-86.11,38.41,-86.11,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across southern Indiana.","" +113800,681351,KENTUCKY,2017,April,Flood,"BOURBON",2017-04-01 00:00:00,EST-5,2017-04-01 07:20:00,0,0,0,0,0.00K,0,0.00K,0,38.2077,-84.2342,38.201,-84.236,"Parts of the area were still dealing with unsettled weather from late March and rivers remained high. Stoner Creek at Paris started the month above flood stage.","Stoner Creek at Paris crested at 19.05 feet early on April 1st before dropping below flood stage." +114041,683310,KENTUCKY,2017,April,Hail,"OLDHAM",2017-04-28 23:15:00,EST-5,2017-04-28 23:15:00,0,0,0,0,0.00K,0,0.00K,0,38.41,-85.39,38.41,-85.39,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +113801,681375,KENTUCKY,2017,April,Hail,"OHIO",2017-04-05 14:28:00,CST-6,2017-04-05 14:28:00,0,0,0,0,,NaN,,NaN,37.46,-86.68,37.46,-86.68,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681371,KENTUCKY,2017,April,Hail,"BRECKINRIDGE",2017-04-05 13:58:00,CST-6,2017-04-05 13:58:00,0,0,0,0,,NaN,,NaN,37.75,-86.41,37.75,-86.41,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681385,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:34:00,CST-6,2017-04-05 15:34:00,0,0,0,0,,NaN,,NaN,37.11,-86.42,37.11,-86.42,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681381,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:23:00,CST-6,2017-04-05 15:23:00,0,0,0,0,,NaN,0.00K,0,36.99,-86.45,36.99,-86.45,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681382,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:23:00,CST-6,2017-04-05 15:23:00,0,0,0,0,,NaN,0.00K,0,36.99,-86.49,36.99,-86.49,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681398,KENTUCKY,2017,April,Hail,"GREEN",2017-04-05 16:25:00,CST-6,2017-04-05 16:25:00,0,0,0,0,,NaN,,NaN,37.26,-85.5,37.26,-85.5,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681387,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:46:00,CST-6,2017-04-05 15:46:00,0,0,0,0,,NaN,,NaN,36.87,-86.35,36.87,-86.35,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +116806,702374,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-19 15:48:00,EST-5,2017-05-19 15:48:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 35 knots was measured at York River East Rear Range Light." +122051,731823,ILLINOIS,2017,December,Winter Weather,"BUREAU",2017-12-24 05:00:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A trained spotter reported 2.3 inches 5 miles north northeast of Princeton." +122051,731827,ILLINOIS,2017,December,Winter Weather,"PUTNAM",2017-12-24 05:00:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","The COOP observer in Hennepin reported 2.8 inches of snow." +122051,731829,ILLINOIS,2017,December,Winter Weather,"HENDERSON",2017-12-24 02:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A COOP observed in Gladstone reported 2.2 inches." +122051,731830,ILLINOIS,2017,December,Winter Weather,"WARREN",2017-12-24 02:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A COOP observer in 4 miles northwest of Monmouth reported 2.1 inches." +122051,731832,ILLINOIS,2017,December,Winter Weather,"HANCOCK",2017-12-24 02:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A trained spotter reported 3.0 inches on the southeast side of Carthage." +115771,698156,GEORGIA,2017,April,Tornado,"TWIGGS",2017-04-03 13:06:00,EST-5,2017-04-03 13:12:00,0,0,0,0,150.00K,150000,,NaN,32.6758,-83.3528,32.6696,-83.2773,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 90 MPH and a maximum path width of 150 yards touched down along Highway 96 just south of Jeffersonville in far eastern Twiggs County. The tornado moved east directly across the Robins AFB WSR-88D radar location snapping a few softwood trees but not damaging to the radar tower. The tornado continued its track |east-southeast where it did its greatest amount of damage along US Highway 80. In this area there was roof damage to the Reece Funeral Home and several air conditioning units on the main roof were moved several feet. A few metal support cables on power poles were also broken. A nearby residence was damaged with the majority of shingles blown off the roof and part of a metal roof was blown off of a barn. Multiple large mature oak trees were uprooted on the property. The tornado continued east crossing Gallimore Mill Road and Buck creek before passing into Wilkinson County. No injuries were reported. [04/03/17: Tornado #20, County #1/2, EF-1, Twiggs, Wilkinson, 2017:052]." +115771,698175,GEORGIA,2017,April,Tornado,"LAURENS",2017-04-03 13:36:00,EST-5,2017-04-03 13:39:00,0,0,0,0,10.00K,10000,,NaN,32.6794,-83.0262,32.6822,-83.0125,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 150 yards moved east from Wilkinson County into Laurens County west of Wendell Dixon Road. The tornado crossed Wendell Dixon road and snapped or uprooted trees before ending around the intersection of Old Toomsboro Road and Oconee Church Road. No injuries were reported. [04/03/17: Tornado #23, County #2/2, EF-0, Wilkinson, Laurens, 2017:055]." +116806,702382,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-19 16:05:00,EST-5,2017-05-19 16:05:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-76.32,37.11,-76.32,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 36 knots was measured at Poquoson." +116806,702385,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-05-19 16:45:00,EST-5,2017-05-19 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 58 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +115771,698163,GEORGIA,2017,April,Tornado,"WILKINSON",2017-04-03 13:12:00,EST-5,2017-04-03 13:18:00,0,0,0,0,20.00K,20000,,NaN,32.6696,-83.2773,32.6875,-83.2211,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 90 MPH and a maximum path width of 150 yards moved east from Twiggs County into Wilkinson County west of Tarpley Road. The Tornado weakened somewhat but still snapped or uprooted a few trees. After crossing Old Macon Road the tornado ended along Knightpond Road where it briefly intensified and uprooted a few large oak trees. No injuries were reported. [04/03/17: Tornado #20, County #2/2, EF-1, Twiggs, Wilkinson, 2017:052]." +115772,698615,GEORGIA,2017,April,Thunderstorm Wind,"COWETA",2017-04-05 18:15:00,EST-5,2017-04-05 18:25:00,0,0,0,0,5.00K,5000,,NaN,33.2584,-84.8388,33.2286,-84.7837,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Coweta County Emergency Manager reported several trees blown down along Grantville Road and Bradbury Road." +115772,698618,GEORGIA,2017,April,Thunderstorm Wind,"FLOYD",2017-04-05 19:30:00,EST-5,2017-04-05 19:35:00,0,0,0,0,12.00K,12000,,NaN,34.2743,-85.2206,34.2403,-85.166,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Floyd County Emergency Manager reported numerous trees and power lines blown down from Garrard Avenue NW to Darlington Way SW." +115772,698620,GEORGIA,2017,April,Thunderstorm Wind,"CHEROKEE",2017-04-05 20:10:00,EST-5,2017-04-05 20:15:00,0,0,0,0,12.00K,12000,,NaN,34.2266,-84.5092,34.231,-84.5001,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Cherokee County Emergency Manager reported trees and power lines blown down from Oakdale Road north of Knox Bridge Highway to Riverside Road at Marietta Highway." +115772,698621,GEORGIA,2017,April,Thunderstorm Wind,"CARROLL",2017-04-05 20:50:00,EST-5,2017-04-05 20:55:00,0,0,0,0,4.00K,4000,,NaN,33.46,-85.124,33.46,-85.124,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Carroll County Emergency Manager reported trees blown down across the roadway at the intersection of Highway 27 and Highway 5." +115772,698622,GEORGIA,2017,April,Thunderstorm Wind,"HARRIS",2017-04-05 22:00:00,EST-5,2017-04-05 22:05:00,0,0,0,0,12.00K,12000,,NaN,32.7943,-84.8711,32.7679,-84.8732,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Harris County Emergency Manager reported trees and power lines blown down along Highway 27 north of Hamilton. Power was out in parts of Hamilton." +115911,696618,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-26 14:30:00,MST-7,2017-06-26 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-105.69,35.55,-105.69,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Hail up to the size of golf balls in Pecos." +115911,696623,NEW MEXICO,2017,June,Hail,"SANTA FE",2017-06-26 15:32:00,MST-7,2017-06-26 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-106.19,35.17,-106.19,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Quarter to ping pong ball size hail near State Road 344 and South Mountain Road." +115911,696624,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-26 16:58:00,MST-7,2017-06-26 17:02:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-106.12,34.67,-106.12,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Quarter size hail covering the ground." +117636,707421,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 12:15:00,CST-6,2017-06-11 12:19:00,0,0,0,0,1.00K,1000,0.00K,0,45.83,-88.06,45.83,-88.06,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of a large tree branch snapped off a two-foot diameter maple tree in Iron Mountain. A medium-sized apple tree was also uprooted." +117636,707422,MICHIGAN,2017,June,Thunderstorm Wind,"IRON",2017-06-11 19:18:00,CST-6,2017-06-11 19:22:00,0,0,0,0,8.00K,8000,0.00K,0,45.97,-88.32,45.97,-88.32,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Iron County Sheriff reported a tree down on a house south of Crystal Falls near the Wisconsin state line." +117636,707420,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 12:15:00,CST-6,2017-06-11 12:19:00,0,0,0,0,0.50K,500,0.00K,0,45.8,-88,45.8,-88,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a delayed report of a 30 to 40 foot pine tree snapped off just south of the Quinnesec Mill." +117636,707428,MICHIGAN,2017,June,Flood,"IRON",2017-06-11 19:30:00,CST-6,2017-06-11 23:59:00,0,0,0,0,0.00K,0,0.00K,0,46.06,-88.63,46.0598,-88.6299,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Iron County Sheriff reported water over the road in Caspian." +117636,707429,MICHIGAN,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-11 19:42:00,CST-6,2017-06-11 19:46:00,0,0,0,0,1.00K,1000,0.00K,0,45.95,-88.04,45.95,-88.04,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Dickinson County Sheriff reported a couple of trees down between Iron Mountain and Randville." +117636,707430,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 21:46:00,EST-5,2017-06-11 21:50:00,0,0,0,0,1.00K,1000,0.00K,0,46.13,-86.61,46.13,-86.61,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Delta County Sheriff reported a tree down blocking road six miles north of Chicago Lake." +117636,707446,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 22:19:00,EST-5,2017-06-11 22:23:00,0,0,0,0,1.00K,1000,0.00K,0,45.7,-87.32,45.7,-87.32,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Delta County Sheriff reported power out at the Island Resort and Casino." +117636,707448,MICHIGAN,2017,June,Thunderstorm Wind,"MENOMINEE",2017-06-11 21:00:00,CST-6,2017-06-11 21:05:00,0,0,0,0,1.00K,1000,0.00K,0,45.74,-87.66,45.74,-87.66,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a public report of two trees uprooted near Hermansville. The trees were 12-15 inches in diameter." +117636,707450,MICHIGAN,2017,June,Heavy Rain,"DELTA",2017-06-11 22:45:00,EST-5,2017-06-11 23:59:00,0,0,0,0,0.00K,0,0.00K,0,45.75,-87.08,45.75,-87.08,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There was a video posted on social media of street flooding over poor drainage areas on Ludington Street in Escanaba from nearly one and half inches of rainfall." +116435,700266,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:45:00,CST-6,2017-06-14 14:50:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-89.49,40.91,-89.49,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","An 8-inch diameter tree branch was blown down." +116435,700271,ILLINOIS,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-14 15:50:00,CST-6,2017-06-14 15:55:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-88.52,40.33,-88.52,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A large tree limb was blown down near Bellflower." +116435,700261,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:38:00,CST-6,2017-06-14 14:43:00,0,0,0,0,0.00K,0,0.00K,0,40.7391,-89.5562,40.7391,-89.5562,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A large tree was snapped off at the base on Grandview Drive." +116435,700272,ILLINOIS,2017,June,Thunderstorm Wind,"CHAMPAIGN",2017-06-14 16:21:00,CST-6,2017-06-14 16:26:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-88.13,40.38,-88.13,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A large tree limb was blown down." +116435,700273,ILLINOIS,2017,June,Thunderstorm Wind,"MENARD",2017-06-14 17:45:00,CST-6,2017-06-14 17:50:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-89.85,40.02,-89.85,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A large tree was blown down." +116435,700274,ILLINOIS,2017,June,Thunderstorm Wind,"SANGAMON",2017-06-14 18:00:00,CST-6,2017-06-14 18:05:00,0,0,0,0,0.00K,0,0.00K,0,39.78,-89.64,39.78,-89.64,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A 6 to 8-inch diameter tree limb was blown down." +117236,705077,TEXAS,2017,June,Hail,"DALLAS",2017-06-02 16:12:00,CST-6,2017-06-02 16:12:00,0,0,0,0,0.00K,0,0.00K,0,32.79,-96.62,32.79,-96.62,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","A social media report indicated ping-pong ball sized hail in Mesquite near Town East." +116069,697608,LOUISIANA,2017,June,Flash Flood,"UNION",2017-06-23 09:15:00,CST-6,2017-06-23 12:30:00,0,0,0,0,0.00K,0,0.00K,0,33.0138,-92.7338,32.9995,-92.7342,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Excessive heavy rainfall resulted in high water across many city streets in the Junction City, Louisiana community. Some of this water was high enough to flood vehicles with several roads closed." +116069,697610,LOUISIANA,2017,June,Flash Flood,"UNION",2017-06-23 09:23:00,CST-6,2017-06-23 12:30:00,0,0,0,0,0.00K,0,0.00K,0,32.8384,-92.6717,32.8127,-92.6716,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Numerous roads were closed due to excessive heavy rainfall. Several vehicles were flooded from the high water on city streets." +116069,697611,LOUISIANA,2017,June,Thunderstorm Wind,"UNION",2017-06-23 10:02:00,CST-6,2017-06-23 10:02:00,0,0,0,0,0.00K,0,0.00K,0,32.94,-92.56,32.94,-92.56,"The remnants of Tropical Storm Cindy had moved into portions of Central and Northeast Arkansas during the predawn hours of June 23rd. A feeder band of convection remained in its wake across portions of Northern Louisiana during the predawn hours and this convection produced some wind damage along with excessive heavy rainfall.","Numerous trees and powerlines were downed east of Spearsville, Louisiana." +116070,697613,TEXAS,2017,June,Thunderstorm Wind,"SMITH",2017-06-24 01:08:00,CST-6,2017-06-24 01:08:00,0,0,0,0,0.00K,0,0.00K,0,32.29,-95.18,32.29,-95.18,"Strong to severe thunderstorms developed along a southward moving outflow boundary from previous convection that moved south earlier during the predawn hours across Northeast Texas. These storms developed along a remnant cold pool outflow boundary and the atmosphere was unstable enough across this region that periodic wind damage occurred with the storms.","A few large trees were snapped and/or uprooted southeast of Tyler, Texas." +115938,696607,NORTH DAKOTA,2017,June,Funnel Cloud,"GRAND FORKS",2017-06-07 11:15:00,CST-6,2017-06-07 11:15:00,0,0,0,0,0.00K,0,0.00K,0,48.02,-97.71,48.02,-97.71,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","" +115938,696632,NORTH DAKOTA,2017,June,Tornado,"GRAND FORKS",2017-06-07 12:18:00,CST-6,2017-06-07 12:21:00,0,0,0,0,,NaN,,NaN,47.82,-97.36,47.8207,-97.3426,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","A deputy reported a touchdown around 2 miles south of the intersection of Grand Forks County 3 and 6. This tornado was viewed and reported by Grand Forks Air Force Base observers and was also videoed from a point south of the Grand Forks airport looking west. Though the tornado tracked over fields and shelterbelts there was no significant damage noted. Peak winds were estimated at 70 mph." +114090,683189,TEXAS,2017,April,Hail,"PECOS",2017-04-14 17:07:00,CST-6,2017-04-14 17:12:00,0,0,0,0,,NaN,,NaN,31.0363,-103.2428,31.0363,-103.2428,"A surface low pressure system developed and kept low level moisture in the area. Sufficient heating was the main cause for thunderstorm development. High instability allowed some of the storms to become severe and produce large hail across West Texas.","" +113850,681790,TEXAS,2017,February,Hail,"MENARD",2017-02-19 17:20:00,CST-6,2017-02-19 17:20:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-100.11,30.88,-100.11,"A strong upper low over the Southern Rockies with a trailing upper trough enabled the development of a few severe storms across West Central Texas. The airmass over the region was warm and moist in the low levels. A few of these storms produced hail and some flooding across the area.","A member from the public reported nickel size hail." +115631,694684,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-04-06 16:05:00,EST-5,2017-04-06 16:05:00,0,0,0,0,,NaN,,NaN,40.95,-73.4,40.95,-73.4,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 38 knots was measured at the Eatons Neck mesonet location." +115942,696673,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-09 17:10:00,CST-6,2017-06-09 17:10:00,0,0,0,0,,NaN,,NaN,48.16,-99.65,48.16,-99.65,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115788,695831,WEST VIRGINIA,2017,April,Thunderstorm Wind,"OHIO",2017-04-16 16:53:00,EST-5,2017-04-16 16:53:00,0,0,0,0,2.00K,2000,0.00K,0,40.05,-80.63,40.05,-80.63,"Showers and thunderstorms, some of which became strong to severe, developed ahead of a crossing cold front on the 16th. Modest instability and weak shear was present out ahead of the developing convection, which supported an isolated severe wind and small hail threat. Damage was mainly observed in southwest Pennsylvania, with several reports of downed trees.","Department of highways reported multiple large tree branches down." +115792,695861,TEXAS,2017,April,Hail,"HARTLEY",2017-04-21 02:00:00,CST-6,2017-04-21 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-102.52,36.06,-102.52,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Sheriffs office in Dalhart reported hail up to the size of quarters with the first wave of the storm." +115567,693991,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-11 17:06:00,CST-6,2017-04-11 18:12:00,0,0,0,0,0.00K,0,0.00K,0,27.8397,-97.0727,27.8394,-97.085,"Scattered strong thunderstorms moved southwest across the Mid-Coast region and the adjacent coastal waters during the late afternoon hours of the 11th. Additional strong storms developed into a line over the interior portions of the Coastal Bend and moved through the coastal waters south of Port Aransas during the early evening hours. Wind gusts were generally between 40 and 45 knots.","Port Aransas TCOON site measured a gust to 43 knots." +113708,694052,KANSAS,2017,April,Thunderstorm Wind,"GEARY",2017-04-15 22:15:00,CST-6,2017-04-15 22:16:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-96.74,38.95,-96.74,"A short-lived landspout tracked across open prairie and went through a tree grove with minimal damage in western Ottawa County on April 15th.","Estimated thunderstorm wind gust." +114755,694326,TENNESSEE,2017,April,Flood,"DAVIDSON",2017-04-22 06:00:00,CST-6,2017-04-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0098,-86.7011,36.0082,-86.7003,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A tSpotter Twitter report and photo showed flooding from Mill Creek had covered parts of Culbertson Road near Nolensville Road." +118087,709718,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-06-04 21:42:00,EST-5,2017-06-04 21:42:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms in advance of a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 41 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +115418,694616,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-04-05 19:12:00,EST-5,2017-04-05 19:13:00,0,0,0,0,0.00K,0,0.00K,0,32.7632,-79.9431,32.7632,-79.9431,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","A Weatherflow site near Charleston recorded a 37 knot wind gust." +116316,699453,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-05-04 01:35:00,CST-6,2017-05-04 01:35:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-88.44,29.25,-88.44,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","" +116182,699464,NEBRASKA,2017,May,Thunderstorm Wind,"BURT",2017-05-16 18:02:00,CST-6,2017-05-16 18:02:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-96.22,41.78,-96.22,"A southeast moving cold front triggered an area of severe thunderstorms across Eastern Nebraska and Western Iowa during the late afternoon and evening of May 16th. Large hail and damaging thunderstorm winds were the primary hazards. Winds gusted to 85 MPH at the National Weather Service Office in Valley. There were many reports of trees blown down by damaging winds occurred in the Omaha metropolitan area.","A 56 knot wind gust was estimated near Tekamah." +116321,699469,LOUISIANA,2017,May,Hail,"IBERVILLE",2017-05-12 15:30:00,CST-6,2017-05-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-91.1,30.27,-91.1,"A line of thunderstorms ahead of a cold front moving through Louisiana produced many reports of severe weather during the morning and afternoon hours of the 12th.","Quarter size hail was reported just outside the city limits of St. Gabriel." +116326,699511,MISSISSIPPI,2017,May,Thunderstorm Wind,"HARRISON",2017-05-20 19:00:00,CST-6,2017-05-20 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3898,-89.0415,30.3898,-89.0415,"Outflow boundaries from thunderstorms collided on several occasions on the 20th and 21st, aiding in the development of severe weather near Baton Rouge and Gulfport.","Metal roofing was peeled back off of a storage building at Gulfport High School. Also, a large tree was split in half on Jones Street, and siding was pulled off a home on Oregon Drive. Event time was estimated." +116324,699512,MAINE,2017,May,Thunderstorm Wind,"AROOSTOOK",2017-05-18 20:42:00,EST-5,2017-05-18 20:42:00,0,0,0,0,,NaN,,NaN,46.99,-68.03,46.99,-68.03,"Unseasonably warm air overspread the region during the 18th. A cold front then approached northern areas during the evening...with thunderstorms developing in advance of the front. A few of the storms became severe across northeast Aroostook county producing damaging winds.","Two trees were toppled in Connor Township by wind gusts estimated at 60 mph." +115942,696887,NORTH DAKOTA,2017,June,Hail,"BARNES",2017-06-09 21:05:00,CST-6,2017-06-09 21:05:00,0,0,0,0,,NaN,,NaN,46.76,-98.19,46.76,-98.19,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696894,NORTH DAKOTA,2017,June,Hail,"BARNES",2017-06-09 21:35:00,CST-6,2017-06-09 21:35:00,0,0,0,0,,NaN,,NaN,46.76,-97.77,46.76,-97.77,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Quarter to half dollar sized hail fell along with very heavy rain." +115942,696895,NORTH DAKOTA,2017,June,Hail,"CASS",2017-06-09 21:48:00,CST-6,2017-06-09 21:53:00,0,0,0,0,,NaN,,NaN,46.78,-97.63,46.78,-97.63,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Dime to quarter sized hail fell." +115942,696896,NORTH DAKOTA,2017,June,Hail,"CASS",2017-06-09 22:10:00,CST-6,2017-06-09 22:10:00,0,0,0,0,,NaN,,NaN,47.14,-96.99,47.14,-96.99,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +118165,710142,NORTH CAROLINA,2017,June,Thunderstorm Wind,"WAKE",2017-06-16 18:57:00,EST-5,2017-06-16 18:57:00,0,0,0,0,10.00K,10000,0.00K,0,35.7777,-78.6428,35.7777,-78.6428,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","A few trees were blown down, some on cars, at Nash Square Park in downtown Raleigh. Monetary damages were estimated." +118165,710144,NORTH CAROLINA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-16 19:26:00,EST-5,2017-06-16 19:26:00,0,0,0,0,0.00K,0,0.00K,0,36.0236,-78.4767,36.0236,-78.4767,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","Several trees down in Youngsville, including along NC Highway 96." +118165,710145,NORTH CAROLINA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-16 19:36:00,EST-5,2017-06-16 19:36:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-78.43,36.1,-78.43,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","One tree was blown down across the west bound lane of NC Highway 56." +118165,710146,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GRANVILLE",2017-06-16 20:00:00,EST-5,2017-06-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2951,-78.755,36.2951,-78.755,"A few loosely organized multicell convective clusters developed during the late afternoon and evening across the central Piedmont of North Carolina. The storms produced scattered thunderstorm wind damage and localized flash flooding.","One tree was blown down on Range Road." +118169,710148,NORTH CAROLINA,2017,June,Thunderstorm Wind,"RANDOLPH",2017-06-18 23:10:00,EST-5,2017-06-18 23:25:00,0,0,0,0,0.00K,0,0.00K,0,35.8931,-80.0411,35.7,-79.81,"In the late evening to early overnight hours of the 19th, one severe convective line segment produced some scattered wind damage across the NW Piedmont before weakening.","Several trees down along the swath, including down trees on Prosepect Road, Cedar Square Road and Glenwood Road." +118169,710149,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GUILFORD",2017-06-18 23:15:00,EST-5,2017-06-18 23:15:00,0,0,0,0,0.50K,500,0.00K,0,35.92,-79.92,35.92,-79.92,"In the late evening to early overnight hours of the 19th, one severe convective line segment produced some scattered wind damage across the NW Piedmont before weakening.","Multipel trees were blown down along Route 62. One tree landed on a gazebo. Damages were estimated." +118169,710150,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GUILFORD",2017-06-18 23:25:00,EST-5,2017-06-18 23:30:00,0,0,0,0,0.00K,0,0.00K,0,36.0155,-79.8014,36.0532,-79.6839,"In the late evening to early overnight hours of the 19th, one severe convective line segment produced some scattered wind damage across the NW Piedmont before weakening.","Several trees blown down along the swath, including trees down on Vandalia and McConnell Roads." +117660,707507,KANSAS,2017,June,Thunderstorm Wind,"GOVE",2017-06-29 02:58:00,CST-6,2017-06-29 03:08:00,0,0,0,0,0.10K,100,0.00K,0,39.067,-100.2363,39.067,-100.2363,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","Several small branches blown down in town." +117660,707508,KANSAS,2017,June,Thunderstorm Wind,"WALLACE",2017-06-29 00:05:00,MST-7,2017-06-29 00:05:00,0,0,0,0,0.00K,0,0.00K,0,38.8279,-101.9432,38.8279,-101.9432,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","" +117660,707509,KANSAS,2017,June,Thunderstorm Wind,"WALLACE",2017-06-29 00:33:00,MST-7,2017-06-29 00:44:00,0,0,0,0,0.00K,0,0.00K,0,38.7709,-101.6773,38.7709,-101.6773,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","" +117660,707510,KANSAS,2017,June,Thunderstorm Wind,"WALLACE",2017-06-29 00:35:00,MST-7,2017-06-29 00:35:00,0,0,0,0,0.00K,0,0.00K,0,38.8901,-101.5856,38.8901,-101.5856,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","" +117660,707511,KANSAS,2017,June,Thunderstorm Wind,"LOGAN",2017-06-29 02:20:00,CST-6,2017-06-29 02:20:00,0,0,0,0,,NaN,0.00K,0,38.9657,-100.833,38.9657,-100.833,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","Also reported crop damage from the wind and hail, but did not report the amount of acres damaged." +117660,707512,KANSAS,2017,June,Thunderstorm Wind,"GOVE",2017-06-29 03:35:00,CST-6,2017-06-29 03:35:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-100.49,38.96,-100.49,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","The wind gust occurred with a decaying shower/thunderstorm behind the main line of storms." +117943,708958,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ALEXANDER",2017-06-13 15:07:00,EST-5,2017-06-13 15:07:00,0,0,0,0,0.00K,0,0.00K,0,35.83,-81.062,35.83,-81.062,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Ham radio operator reported trees blown down on County Line Road." +117943,708960,NORTH CAROLINA,2017,June,Thunderstorm Wind,"IREDELL",2017-06-13 15:08:00,EST-5,2017-06-13 15:08:00,0,0,0,0,0.00K,0,0.00K,0,36.011,-80.7,35.983,-80.705,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Newspaper reported trees blown down on Joyner Rd. Spotter reported two trees down on Rock Springs Rd." +117943,708961,NORTH CAROLINA,2017,June,Thunderstorm Wind,"IREDELL",2017-06-13 14:51:00,EST-5,2017-06-13 14:51:00,0,0,0,0,0.00K,0,0.00K,0,36.027,-80.828,35.926,-80.819,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Newspaper reported trees blown down on Mann Rd and nearby on Eagle Mills Rd. Spotter reported trees and power lines down on Tomlin Mill Rd." +117943,708962,NORTH CAROLINA,2017,June,Thunderstorm Wind,"DAVIE",2017-06-13 15:19:00,EST-5,2017-06-13 15:19:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-80.69,35.95,-80.69,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Spotter reported a few trees blown down." +117943,708963,NORTH CAROLINA,2017,June,Thunderstorm Wind,"MCDOWELL",2017-06-13 15:31:00,EST-5,2017-06-13 15:31:00,0,0,0,0,5.00K,5000,0.00K,0,35.59,-82.15,35.59,-82.15,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","EM reported around 10 trees blown down in the area around Salem Church Road and Silvers Welch Road. A house and outbuildings also had mostly minor roof damage." +117943,708964,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CLEVELAND",2017-06-13 15:26:00,EST-5,2017-06-13 15:26:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-81.5,35.22,-81.5,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Public reported a few large tree limbs blown down." +117943,708969,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ROWAN",2017-06-13 15:43:00,EST-5,2017-06-13 15:43:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-80.645,35.64,-80.645,"Scattered to numerous thunderstorms developed during the afternoon and evening across western North Carolina. Multiple storms reached severe levels for brief periods, producing mainly localized wind damage. However, isolated hail to the size of quarters was also reported.","Ham radio operator reported trees and power lines blown down near Mill Bridge Road and Weaver Road." +118113,709839,NORTH CAROLINA,2017,June,Hail,"POLK",2017-06-15 13:42:00,EST-5,2017-06-15 13:42:00,0,0,0,0,,NaN,,NaN,35.24,-82.35,35.24,-82.35,"Scattered thunderstorms developed during the afternoon and evening. A couple of the storms produced brief, localized hail and damaging winds.","Spotter reported 3/4 inch hail in the Saluda area." +118113,709840,NORTH CAROLINA,2017,June,Thunderstorm Wind,"BURKE",2017-06-15 14:17:00,EST-5,2017-06-15 14:17:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-81.76,35.7,-81.76,"Scattered thunderstorms developed during the afternoon and evening. A couple of the storms produced brief, localized hail and damaging winds.","Media reported trees and power lines down at Bedford Ave and Bedford St." +118113,709841,NORTH CAROLINA,2017,June,Lightning,"MECKLENBURG",2017-06-15 19:30:00,EST-5,2017-06-15 19:30:00,1,0,0,0,0.00K,0,0.00K,0,35.25,-80.89,35.25,-80.89,"Scattered thunderstorms developed during the afternoon and evening. A couple of the storms produced brief, localized hail and damaging winds.","Media reported a person received minor injuries after being struck by lightning in a restaurant parking lot along Freedom Dr." +118114,709843,GEORGIA,2017,June,Hail,"HABERSHAM",2017-06-15 15:53:00,EST-5,2017-06-15 15:53:00,0,0,0,0,,NaN,,NaN,34.614,-83.45,34.614,-83.45,"Scattered thunderstorms developed over northeast Georgia during the late afternoon. One storm produced brief large hail over Habersham County.","Public reported (via Social Media) quarter size hail reported along Antioch Church Road." +118116,709847,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"OCONEE",2017-06-15 15:20:00,EST-5,2017-06-15 15:20:00,0,0,0,0,0.00K,0,0.00K,0,34.674,-83.256,34.674,-83.256,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","County comms reported multiple trees blown down along Trout Farm Road." +118116,709848,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"OCONEE",2017-06-15 16:25:00,EST-5,2017-06-15 16:25:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-83.02,34.51,-83.02,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","County comms reported multiple trees blown down near Fair Play." +118116,709851,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"GREENWOOD",2017-06-15 19:29:00,EST-5,2017-06-15 19:29:00,0,0,0,0,0.00K,0,0.00K,0,34.169,-82.15,34.189,-81.971,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","County comms reported multiple trees blown down in association with two different storms from the south side of the city of Greenwood to near Lake Greenwood." +118116,709852,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"UNION",2017-06-15 19:12:00,EST-5,2017-06-15 19:12:00,0,0,0,0,0.00K,0,0.00K,0,34.753,-81.604,34.753,-81.604,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","County comms reported numerous trees blown down along with at least one power pole snapped along Peach Orchard Road and Webber Lake Road." +118102,709797,FLORIDA,2017,June,Flash Flood,"ESCAMBIA",2017-06-13 09:00:00,CST-6,2017-06-13 13:00:00,0,0,0,0,100.00K,100000,0.00K,0,30.5139,-87.2012,30.4203,-87.2472,"Heavy rain caused flooding in Northwest Florida.","Several roads closed due to standing water and flooding across the Pensacola area. Cars were stalled in several intersections due to high water." +114465,694622,VIRGINIA,2017,April,Flood,"MONTGOMERY",2017-04-24 05:00:00,EST-5,2017-04-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2654,-80.5174,37.2949,-80.3156,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Flooding occurred across much of Montgomery County closing numerous roads and forcing the closure of county schools for the day. The Roanoke River at Lafayette (LAAV2) crested at 8.85 feet (Minor Flood stage - 8 ft) and the South Fork Roanoke at Shawsville crested at 5.19 feet (Minor Flood stage - 5 ft). The New River at Radford (RDFV2) rose quickly to flood stage late on the 24th and crested at 16.78 feet (Flood stage - 14 feet), somewhere close to a 5-year return frequency (0.2 annual exceedance probability)." +120818,723800,OHIO,2017,November,Thunderstorm Wind,"MAHONING",2017-11-05 18:56:00,EST-5,2017-11-05 19:00:00,0,0,0,0,500.00K,500000,0.00K,0,41.0034,-80.6803,41.0068,-80.6546,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A thunderstorm downburst with winds estimated to be as much as 95 mph caused extensive damage in Boardman. A mile long damage path began in the Hitchcock Woods area and stretched across a neighborhood bordered by Glenwood Avenue to the west and Market Street to the east. Around 20 homes were damaged in that neighborhood with the damage most concentrated along Shorehaven Drive. Most of the damage was caused by fallen trees landing on homes. At least one home had a tree penetrate the roof. Other homes had missing siding or roofing material. The damage path continued across Market Street where several business were damaged. An automobile dealership sustained the worst damage. It lost most of its roof and had some cinder block walls collapse. Many trees were knocked down in the area and widespread power outages were reported." +118042,709589,ATLANTIC SOUTH,2017,June,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-06-02 10:20:00,EST-5,2017-06-02 10:20:00,0,0,0,0,,NaN,,NaN,26.7,-79.89,26.7,-79.89,"Deep and moist southeasterly flow brought a round of heavy morning showers along the Atlantic coast area during the morning hours, leading to a waterspout as the storms pushed north into Palm Beach County.","A waterspout was reported by an A320 pilot on departure eastbound from Palm Beach International Airport." +118043,709591,GULF OF MEXICO,2017,June,Waterspout,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-02 18:30:00,EST-5,2017-06-02 18:45:00,0,0,0,0,,NaN,,NaN,26.24,-81.83,26.24,-81.83,"Deep and moist southeasterly flow lead to afternoon showers and storms that moved off the Collier County coast during the afternoon and evening hours. A waterspout was observed with this activity as it moved offshore during the late evening.","A trained spotter reported a waterspout offshore Vanderbuilt Beach that lasted for 10 to 15 minutes." +118046,709592,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-05 04:51:00,EST-5,2017-06-05 04:51:00,0,0,0,0,,NaN,,NaN,25.92,-81.73,25.92,-81.73,"Overnight showers and storms that brushed the Gulf coast produced a strong wind gust over Marco Island during the early morning hours.","WeatherBug mesonet site MSCSL located at the Marco Island Marriott Beach Resort reported a wind gust of 42 mph/36 knots with a thunderstorm." +118048,709593,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-06 05:04:00,EST-5,2017-06-06 05:04:00,0,0,0,0,,NaN,,NaN,25.92,-81.73,25.92,-81.73,"Deep tropical moisture and a disturbance over the Gulf of Mexico led to several rounds of strong storms along the Collier County coast. Several strong wind gusts were recorded with activity during the early morning hours, and again during the afternoon and evening.","WeatherBug mesonet site MRCSL located at the Marco Island Marriott Beach Report recorded a wind gust to 41 mph/36 knots with a thunderstorm." +118051,709731,ATLANTIC SOUTH,2017,June,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-06-07 15:15:00,EST-5,2017-06-07 15:15:00,0,0,0,0,,NaN,,NaN,26.9,-80.05,26.9,-80.05,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","Photo of a waterspout just offshore Juno Beach tweeted by WPTV broadcast meteorologist. Time estimated from radar." +118053,709742,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-09 18:21:00,EST-5,2017-06-09 18:21:00,0,0,0,0,,NaN,,NaN,25.59,-80.1,25.59,-80.1,"Showers and thunderstorms developed along an unseasonable summertime cold front that passed through South Florida during the day. Several strong wind gusts were recorded with this activity along the Miami-Dade County coast.","C-MAN station located at Fowey Rocks (FWFY1) recorded a wind gust to 41 knots/47 mph with a thunderstorm. The height of the anemometer is 144 feet." +115314,692392,CALIFORNIA,2017,April,High Wind,"COASTAL NORTH BAY INCLUDING POINT REYES NATIONAL SEASHORE",2017-04-06 17:10:00,PST-8,2017-04-06 21:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Gusts above 44 mph measured by mesonet through time period. Peak gust of 58 mph recorded." +115314,692394,CALIFORNIA,2017,April,Strong Wind,"NORTH BAY MOUNTAINS",2017-04-06 18:11:00,PST-8,2017-04-06 19:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","RAWS measured gusts of at least 44 mph during time period with peak gust of 45 mph." +115314,692401,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO PENINSULA COAST",2017-04-06 21:55:00,PST-8,2017-04-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Gust of 46 mph recorded at Half Moon Bay Airport." +115314,692402,CALIFORNIA,2017,April,High Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-04-06 19:30:00,PST-8,2017-04-06 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Sustained wind speeds of over 40 mph recorded during the period with peak sustained speed of 49 mph and gust of 68 mph." +115314,692404,CALIFORNIA,2017,April,High Wind,"SANTA CRUZ MOUNTAINS",2017-04-06 19:32:00,PST-8,2017-04-07 00:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Los Gatos RAWS showed sustained winds above 40 mph during the period with gusts exceeding 70 mph. Peak gust was recorded at 83 mph." +115314,692410,CALIFORNIA,2017,April,Strong Wind,"SAN FRANCISCO",2017-04-06 19:32:00,PST-8,2017-04-06 19:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Mesonet measured gusts of at least 44 mph with a peak gust of 47 mph." +112258,671700,GEORGIA,2017,January,Thunderstorm Wind,"PULASKI",2017-01-21 12:55:00,EST-5,2017-01-21 13:10:00,0,0,0,0,5.00K,5000,,NaN,32.2776,-83.4746,32.2824,-83.4482,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Pulaski County Emergency Manager reported damage from thunderstorm winds in the Hawkinsville area including a large tree blown down on Rawls Street and a building on Eastman Highway with roof damage." +112258,671704,GEORGIA,2017,January,Thunderstorm Wind,"WILKINSON",2017-01-21 13:08:00,EST-5,2017-01-21 13:20:00,0,0,0,0,4.00K,4000,,NaN,32.74,-83.16,32.74,-83.16,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Wilkinson County 911 center reported several trees blown down onto Highway 96." +113456,679205,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"TAMPA BAY",2017-04-06 04:48:00,EST-5,2017-04-06 04:48:00,0,0,0,0,0.00K,0,0.00K,0,27.8583,-82.5533,27.8583,-82.5533,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The PORTS site at Old Port Tampa reported a 40 knot thunderstorm wind gust." +113456,679207,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-04-06 09:00:00,EST-5,2017-04-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The WeatherFlow station XBCG, near Boca Grande recorded a 38 knot wind gust." +111483,671744,ALABAMA,2017,January,Flood,"GENEVA",2017-01-01 20:45:00,CST-6,2017-01-03 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.06,-85.62,31.054,-85.6234,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Whiteoak road at the bridge was closed due to flooding. A local creek intersects this area and likely overflowed due to a long duration of moderate to heavy rainfall." +111483,671743,ALABAMA,2017,January,Flood,"GENEVA",2017-01-01 20:45:00,CST-6,2017-01-03 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.03,-85.73,31.0282,-85.7318,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","The intersection of South County Road 61 and County Road 6 was flooded and closed. A local creek intersects this area and likely overflowed due to a long duration of moderate to heavy rainfall." +113456,679211,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-04-06 08:20:00,EST-5,2017-04-06 08:20:00,0,0,0,0,0.00K,0,0.00K,0,27.07,-82.45,27.07,-82.45,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","The C-MAN station at Venice Beach recorded a 34 knot thunderstorm wind gust." +113456,679230,GULF OF MEXICO,2017,April,Waterspout,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-04-06 09:20:00,EST-5,2017-04-06 09:30:00,0,0,0,0,0.00K,0,0.00K,0,26.501,-82.063,26.501,-81.998,"A strong line of thunderstorms associated with a prefrontal trough moved through the coastal waters during the early morning hours, producing gusty winds along the coast. A tornado crossed the inter-coastal waters from Pine Island to Fort Myers as a waterspout.","Lee County emergency management reported damage on the southern end of Pine Island, and in Fort Myers, and broadcast media relayed pictures and video of a tornado that crossed the inter-coastal waters as a waterspout." +114002,682811,MAINE,2017,April,Flood,"AROOSTOOK",2017-04-11 15:15:00,EST-5,2017-04-13 06:30:00,0,0,0,0,0.00K,0,0.00K,0,46.768,-67.7966,46.8013,-67.793,"An ice jam on the Aroostook River produced flooding in the vicinity of Fort Fairfield. Flooding developed during the afternoon of the 11th. A portion of Russell Road was closed due to the flooding. The ice jam released during the morning of the 13th allowing river levels to fall. The road was re-opened once the water receded.","An ice jam on the Aroostook River produced flooding in the vicinity of Fort Fairfield. The flooding led to the closure of a portion of Russell Road." +114003,682812,MAINE,2017,April,Flood,"AROOSTOOK",2017-04-12 13:30:00,EST-5,2017-04-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,46.7567,-68.1044,46.7432,-68.1109,"An ice jam developed on the Aroostook River near Crouseville during the afternoon of the 12th. The ice jam also affected Churchill Brook. Flooding from both the river and brook caused the closure of a portion of State Route 164. The ice jam released during the morning of the 14th. The road was re-opened once water levels receded and ice was cleared from the road.","An ice jam on the Aroostook River near Crouseville produced flooding which closed a portion of State Route 164." +114110,683286,WYOMING,2017,April,Winter Storm,"SHERIDAN FOOTHILLS",2017-04-27 10:48:00,MST-7,2017-04-28 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low over Wyoming brought a deep upslope flow to the Big Horn Mountains. The dynamics were quite strong with this low as it created its own cold pool which helped provide heavy snow to portions of the lower elevations as well, mainly the Sheridan foothills locations.","Snowfall amounts around 6 inches were reported across the area." +114110,683287,WYOMING,2017,April,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-04-27 03:00:00,MST-7,2017-04-28 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low over Wyoming brought a deep upslope flow to the Big Horn Mountains. The dynamics were quite strong with this low as it created its own cold pool which helped provide heavy snow to portions of the lower elevations as well, mainly the Sheridan foothills locations.","Area Snotels received 14 to 16 inches of snow." +114109,683279,MONTANA,2017,April,Winter Storm,"SOUTHERN BIG HORN",2017-04-27 03:00:00,MST-7,2017-04-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low over Wyoming brought a deep upslope flow to the Beartooth/Absaroka Mountains. The dynamics were quite strong with this low as it created its own cold pool which helped provide heavy snow to portions of the lower elevations as well, mainly the foothills locations.","Snowfall amounts of 12 inches were recorded at area RAWS sites." +120099,719808,COLORADO,2017,August,Hail,"YUMA",2017-08-14 17:55:00,MST-7,2017-08-14 17:55:00,0,0,0,0,0.00K,0,0.00K,0,39.6315,-102.1018,39.6315,-102.1018,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. The largest hail size reported was near Burlington. Due to the slow moving nature of the storm cluster, flash flooding occurred between Vona and Stratton. The water was deep enough on Highway 24 that motorists had to be rescued.","" +120099,719827,COLORADO,2017,August,Hail,"KIT CARSON",2017-08-14 18:32:00,MST-7,2017-08-14 18:44:00,0,0,0,0,0.00K,0,0.00K,0,39.3843,-102.2577,39.3843,-102.2577,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. The largest hail size reported was near Burlington. Due to the slow moving nature of the storm cluster, flash flooding occurred between Vona and Stratton. The water was deep enough on Highway 24 that motorists had to be rescued.","The hail ranged from quarter to half dollar in size and occurred with torrential rainfall and strong winds." +120099,719833,COLORADO,2017,August,Hail,"KIT CARSON",2017-08-14 19:50:00,MST-7,2017-08-14 20:10:00,0,0,0,0,0.00K,0,0.00K,0,39.3032,-102.7435,39.3032,-102.7435,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. The largest hail size reported was near Burlington. Due to the slow moving nature of the storm cluster, flash flooding occurred between Vona and Stratton. The water was deep enough on Highway 24 that motorists had to be rescued.","" +111483,671746,ALABAMA,2017,January,Flood,"GENEVA",2017-01-01 20:45:00,CST-6,2017-01-03 20:45:00,0,0,0,0,0.00K,0,0.00K,0,31.06,-85.63,31.0591,-85.6363,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Mitchell Road at County Road 16 was closed due to flooding from a long duration of moderate to heavy rainfall." +118353,711186,KANSAS,2017,June,Hail,"ELLIS",2017-06-15 14:15:00,CST-6,2017-06-15 14:15:00,0,0,0,0,,NaN,,NaN,38.85,-99.37,38.85,-99.37,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711187,KANSAS,2017,June,Hail,"ELLIS",2017-06-15 14:32:00,CST-6,2017-06-15 14:32:00,0,0,0,0,,NaN,,NaN,38.71,-99.32,38.71,-99.32,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711188,KANSAS,2017,June,Hail,"TREGO",2017-06-15 15:00:00,CST-6,2017-06-15 15:00:00,0,0,0,0,,NaN,,NaN,38.87,-99.92,38.87,-99.92,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711189,KANSAS,2017,June,Hail,"RUSH",2017-06-15 15:26:00,CST-6,2017-06-15 15:26:00,0,0,0,0,,NaN,,NaN,38.61,-99.2,38.61,-99.2,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","The hail was mostly quarter sized." +118353,711190,KANSAS,2017,June,Hail,"TREGO",2017-06-15 15:43:00,CST-6,2017-06-15 15:43:00,0,0,0,0,,NaN,,NaN,38.72,-99.9,38.72,-99.9,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711191,KANSAS,2017,June,Hail,"RUSH",2017-06-15 15:46:00,CST-6,2017-06-15 15:46:00,0,0,0,0,,NaN,,NaN,38.54,-99.05,38.54,-99.05,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711192,KANSAS,2017,June,Hail,"RUSH",2017-06-15 15:51:00,CST-6,2017-06-15 15:51:00,0,0,0,0,,NaN,,NaN,38.47,-99.05,38.47,-99.05,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","The hail was mostly quarter sized." +114378,685473,NEW MEXICO,2017,April,Heavy Snow,"SANTA FE METRO AREA",2017-04-28 10:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Various sources across the Santa Fe metro area reported very impressive snowfall amounts of 6 to 12 inches. The heaviest amounts occurred in the area from the Santa Fe Plaza to Lamy and Eldorado where near one foot of snow fell." +114378,685475,NEW MEXICO,2017,April,Heavy Snow,"SANDIA/MANZANO MOUNTAINS",2017-04-28 11:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Various sources across the East Mountain communities within the Sandia and Manzano mountains reported snowfall amounts between 6 and 12 inches. Severe travel conditions developed in this area. A few sites set new daily records for snowfall on April 29th. Travel was severely impacted across portions of this area." +118353,711209,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 17:58:00,CST-6,2017-06-15 17:58:00,0,0,0,0,,NaN,,NaN,37.96,-98.73,37.96,-98.73,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +113533,679652,OREGON,2017,April,Frost/Freeze,"JACKSON COUNTY",2017-04-08 23:00:00,PST-8,2017-04-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the growing season starts on the Oregon west side, freezes have more of an impact. Clearing skies and a lingering cold air mass allowed temperatures to drop below freezing in some of the west side valleys.","Recorded low temperatures ranged from 27 to 32 degrees." +114477,686482,COLORADO,2017,April,Tornado,"PROWERS",2017-04-12 15:13:00,MST-7,2017-04-12 15:17:00,0,0,0,0,0.00K,0,0.00K,0,38.029,-102.2885,38.0363,-102.3012,"A strong storm produced a brief landspout tornado just south of Granada.","A brief landspout tornado was witnessed by a trained spotter. The tornado caused no damage from which the NWS could assign an EF-scale rating." +118353,711210,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:02:00,CST-6,2017-06-15 18:02:00,0,0,0,0,,NaN,,NaN,38,-98.76,38,-98.76,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711211,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:03:00,CST-6,2017-06-15 18:03:00,0,0,0,0,,NaN,,NaN,37.96,-98.73,37.96,-98.73,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +114558,687053,ILLINOIS,2017,April,Hail,"TAZEWELL",2017-04-05 12:02:00,CST-6,2017-04-05 12:07:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-89.55,40.67,-89.55,"Low pressure tracking from the Ozarks into the Ohio River Valley brought widespread showers and thunderstorms to southeast Illinois on April 5th. A few of the storms produced gusty winds of 50 to 60 mph and hail as large as quarters in Richland and Lawrence counties. Further north into the cool sector of the system, isolated cells dropped penny-sized hail across parts of Peoria and Tazewell counties.","" +114558,687054,ILLINOIS,2017,April,Hail,"RICHLAND",2017-04-05 14:49:00,CST-6,2017-04-05 14:53:00,0,0,0,0,0.00K,0,0.00K,0,38.643,-88.0846,38.643,-88.0846,"Low pressure tracking from the Ozarks into the Ohio River Valley brought widespread showers and thunderstorms to southeast Illinois on April 5th. A few of the storms produced gusty winds of 50 to 60 mph and hail as large as quarters in Richland and Lawrence counties. Further north into the cool sector of the system, isolated cells dropped penny-sized hail across parts of Peoria and Tazewell counties.","" +114623,687468,IOWA,2017,April,Heavy Rain,"DALLAS",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-93.84,41.62,-93.84,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.07 inches of rain in the last 24 hours and 1.82 inches in the last 49 hours." +114623,687469,IOWA,2017,April,Heavy Rain,"WARREN",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-93.71,41.44,-93.71,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.60 inches of rainfall in the past 24 hours." +114623,687470,IOWA,2017,April,Heavy Rain,"POLK",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-93.72,41.74,-93.72,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Official NWS observation of 1.24 inches of rain over the past 24 hours and 2.08 inches over the past 48 hours." +114623,687471,IOWA,2017,April,Heavy Rain,"TAMA",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-92.47,42.19,-92.47,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop report of 1.35 inches over the past 24 hours and 1.70 inches over the past 48 hours." +114661,687724,KANSAS,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 21:23:00,CST-6,2017-04-29 22:50:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-95.71,37.2244,-95.7129,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Flooding continued across numerous roads, especially across the west side of town, but the situation was starting to improve." +114661,687725,KANSAS,2017,April,Flash Flood,"LABETTE",2017-04-29 21:32:00,CST-6,2017-04-29 22:51:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-95.11,37.0505,-95.1056,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Flash flooding occurred on Highway 166 west of Chetopa. Highway 166 would likely be closed." +114661,687727,KANSAS,2017,April,Flood,"MONTGOMERY",2017-04-29 19:15:00,CST-6,2017-04-30 11:45:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-95.71,37.2244,-95.7129,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","There was a lot of street flooding in town." +118353,711231,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-15 18:01:00,CST-6,2017-06-15 18:01:00,1,0,0,0,,NaN,,NaN,37.02,-98.57,37.02,-98.57,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","A semi truck was blown off the road by the high wind. The driver suffered non-life threatening head injuries but was taken to the hospital." +118353,711233,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-15 14:00:00,CST-6,2017-06-15 14:00:00,0,0,0,0,,NaN,,NaN,38.85,-99.34,38.85,-99.34,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711234,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-15 14:06:00,CST-6,2017-06-15 14:06:00,0,0,0,0,,NaN,,NaN,38.85,-99.27,38.85,-99.27,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711235,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-15 14:15:00,CST-6,2017-06-15 14:15:00,0,0,0,0,,NaN,,NaN,38.85,-99.37,38.85,-99.37,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Winds were estimated to be 70 MPH." +114988,689945,MAINE,2017,April,Heavy Snow,"ANDROSCOGGIN",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +118353,711236,KANSAS,2017,June,Thunderstorm Wind,"TREGO",2017-06-15 14:40:00,CST-6,2017-06-15 14:40:00,0,0,0,0,,NaN,,NaN,38.81,-99.64,38.81,-99.64,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Winds were estimated to be 65 MPH." +118355,711253,KANSAS,2017,June,Hail,"FORD",2017-06-17 19:29:00,CST-6,2017-06-17 19:29:00,0,0,0,0,,NaN,,NaN,37.55,-100.21,37.55,-100.21,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711255,KANSAS,2017,June,Hail,"KIOWA",2017-06-17 19:37:00,CST-6,2017-06-17 19:37:00,0,0,0,0,,NaN,,NaN,37.61,-99.32,37.61,-99.32,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711256,KANSAS,2017,June,Hail,"FORD",2017-06-17 19:40:00,CST-6,2017-06-17 19:40:00,0,0,0,0,,NaN,,NaN,37.48,-100.14,37.48,-100.14,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711257,KANSAS,2017,June,Hail,"KIOWA",2017-06-17 19:43:00,CST-6,2017-06-17 19:43:00,0,0,0,0,,NaN,,NaN,37.61,-99.31,37.61,-99.31,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","Golf ball and baseball sized hail was observed." +118355,711258,KANSAS,2017,June,Hail,"MEADE",2017-06-17 19:43:00,CST-6,2017-06-17 19:43:00,0,0,0,0,,NaN,,NaN,37.44,-100.14,37.44,-100.14,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","The hail was quarter to ping pong ball sized." +115030,690400,GEORGIA,2017,April,Drought,"MURRAY",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690417,GEORGIA,2017,April,Drought,"BARTOW",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +118358,711327,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-21 17:50:00,CST-6,2017-06-21 17:50:00,0,0,0,0,,NaN,,NaN,37.66,-100.6,37.66,-100.6,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118358,711322,KANSAS,2017,June,Thunderstorm Wind,"GRANT",2017-06-21 17:15:00,CST-6,2017-06-21 17:15:00,0,0,0,0,,NaN,,NaN,37.52,-101.41,37.52,-101.41,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118358,711325,KANSAS,2017,June,Thunderstorm Wind,"FINNEY",2017-06-21 17:35:00,CST-6,2017-06-21 17:35:00,0,0,0,0,,NaN,,NaN,37.93,-100.72,37.93,-100.72,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118358,711328,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-21 18:15:00,CST-6,2017-06-21 18:15:00,0,0,0,0,,NaN,,NaN,37.65,-100.23,37.65,-100.23,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 65 MPH." +120818,727448,OHIO,2017,November,Thunderstorm Wind,"SANDUSKY",2017-11-05 15:40:00,EST-5,2017-11-05 15:40:00,0,0,0,0,30.00K,30000,0.00K,0,41.3772,-83.241,41.3772,-83.241,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds snapped a large tree and flattened a shed along County Road 90 east of Gibsonburg." +115365,692680,ARKANSAS,2017,April,Thunderstorm Wind,"INDEPENDENCE",2017-04-29 10:40:00,CST-6,2017-04-29 10:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.75,-91.5,35.75,-91.5,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A tree was down on a house in Sulphur Rock." +114084,691113,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 00:55:00,CST-6,2017-04-29 02:55:00,0,0,0,0,0.00K,0,0.00K,0,37.1603,-93.322,37.1595,-93.3224,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","There was about a foot of water over the intersection of Battlefield and Cox Road." +114084,691114,MISSOURI,2017,April,Flash Flood,"TANEY",2017-04-29 01:27:00,CST-6,2017-04-29 03:27:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-93.14,36.5789,-93.138,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route J was impassable and closed due to flooding." +114084,691115,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 01:50:00,CST-6,2017-04-29 03:50:00,0,0,0,0,0.00K,0,0.00K,0,37.1594,-93.2564,37.1593,-93.2568,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The intersection of Battlefield and Luster Road was impassable." +114084,691382,MISSOURI,2017,April,Flash Flood,"LAWRENCE",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,800.00K,800000,0.00K,0,37.1418,-93.957,37.1399,-93.9371,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Lawrence County." +114084,691383,MISSOURI,2017,April,Flash Flood,"JASPER",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,500.00K,500000,0.00K,0,37.084,-94.4487,37.0863,-94.4524,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Jasper County." +114084,691384,MISSOURI,2017,April,Flash Flood,"DADE",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,500.00K,500000,0.00K,0,37.4004,-93.8021,37.389,-93.8061,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Several roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Dade County." +114084,691385,MISSOURI,2017,April,Flash Flood,"BARTON",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,250.00K,250000,0.00K,0,37.4522,-94.2868,37.4493,-94.2819,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Several roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Barton County." +115183,696706,ILLINOIS,2017,April,Flash Flood,"DOUGLAS",2017-04-29 19:15:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8808,-88.3424,39.7338,-88.4741,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Douglas County. Several streets in Tuscola were impassable. Numerous rural roads and highways in the county were inundated, particularly U.S. Highway 36 from Tuscola to Newman, and U.S. Highway 45 near Tuscola which was closed due to high water." +115183,696708,ILLINOIS,2017,April,Flash Flood,"EDGAR",2017-04-29 20:30:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8801,-87.9371,39.7922,-87.9369,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Edgar County. Numerous streets in Paris were impassable. Most rural roads and highways in the southern part of the county from Kansas to Vermilion were inundated, including Illinois Route 49 which was closed near Kansas due to flowing water." +114952,692180,OKLAHOMA,2017,April,Thunderstorm Wind,"OKLAHOMA",2017-04-21 08:15:00,CST-6,2017-04-21 08:15:00,0,0,0,0,5.00K,5000,0.00K,0,35.548,-97.566,35.548,-97.566,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","Ten power poles were downed alone May ave between 63rd and Wilshire." +119435,716868,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-75.8,36.3,-75.8,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.54 inches was measured at Poplar Branch (5 ENE)." +119435,716871,NORTH CAROLINA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-77.24,36.52,-77.24,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.58 inches was measured at Severn (2 W)." +119435,716875,NORTH CAROLINA,2017,July,Heavy Rain,"PERQUIMANS",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-76.43,36.12,-76.43,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.90 inches was measured at Burgess (1 SW)." +112258,673683,GEORGIA,2017,January,Tornado,"UPSON",2017-01-21 11:32:00,EST-5,2017-01-21 11:34:00,0,0,0,0,20.00K,20000,,NaN,32.9182,-84.36,32.9237,-84.3718,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a brief EF0 tornado with maximum winds of 75 MPH and a maximum path width of 100 yards began in northern Upson County along Baker Britt Road southwest of Hannahs Mill. Numerous trees were snapped or uprooted as the tornado moved northwest for less than a mile before ending along Basin Creek northeast of Kings Mountain. [01/21/17: Tornado #8, County #1/1, EF0, Upson, 2017:009]." +115789,695836,VERMONT,2017,June,Thunderstorm Wind,"CALEDONIA",2017-06-25 17:40:00,EST-5,2017-06-25 17:40:00,0,0,0,0,5.00K,5000,0.00K,0,44.43,-71.95,44.43,-71.95,"A few scattered thunderstorms developed in VT during the afternoon hours of June 25th with one isolated severe thunderstorm in Caledonia county that produced localized damaging winds and large hail.","Trees reported down along utility lines along Route 18." +115936,696598,NEW YORK,2017,June,Hail,"ESSEX",2017-06-27 12:25:00,EST-5,2017-06-27 12:25:00,0,0,0,0,0.00K,0,0.00K,0,44.48,-73.51,44.48,-73.51,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th. Due to the cold air mass, a few of these thunderstorms produced hail up to one inch in diameter across the Champlain Valley of NY.","Quarter size hail reported." +115936,696600,NEW YORK,2017,June,Hail,"CLINTON",2017-06-27 12:45:00,EST-5,2017-06-27 12:45:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-73.45,44.56,-73.45,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th. Due to the cold air mass, a few of these thunderstorms produced hail up to one inch in diameter across the Champlain Valley of NY.","Quarter size hail reported." +115936,696602,NEW YORK,2017,June,Hail,"ESSEX",2017-06-27 16:35:00,EST-5,2017-06-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-73.44,43.84,-73.44,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th. Due to the cold air mass, a few of these thunderstorms produced hail up to one inch in diameter across the Champlain Valley of NY.","Quarter size hail reported." +115936,696603,NEW YORK,2017,June,Hail,"ESSEX",2017-06-27 16:35:00,EST-5,2017-06-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.21,-73.53,44.21,-73.53,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th. Due to the cold air mass, a few of these thunderstorms produced hail up to one inch in diameter across the Champlain Valley of NY.","Greater than quarter but less than golf ball size hail." +115937,696605,VERMONT,2017,June,Hail,"WASHINGTON",2017-06-27 15:10:00,EST-5,2017-06-27 15:10:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-72.45,44.39,-72.45,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th across eastern NY into VT. Due to the cold air mass, a few of these thunderstorms produced hail with one report of one inch in diameter in Calais, VT.","Quarter size hail reported." +115937,696606,VERMONT,2017,June,Hail,"WASHINGTON",2017-06-27 15:17:00,EST-5,2017-06-27 15:17:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-72.42,44.44,-72.42,"The combination of an unseasonably cold air mass and moderately unstable atmosphere accounted for the development of showers and thunderstorms during the afternoon of June 27th across eastern NY into VT. Due to the cold air mass, a few of these thunderstorms produced hail with one report of one inch in diameter in Calais, VT.","Dime size hail reported with tree limbs and branches down." +115081,691436,COLORADO,2017,April,Winter Weather,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-04-03 23:00:00,MST-7,2017-04-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought a period of locally heavy snow to portions of the Front Range Mountains and Foothills. The heaviest snowfall occurred in and near the foothills of Clear Creek, southern Boulder, northern Jefferson and Gilpin Counties. Storm totals in those areas included: 16 inches at Eldorado Springs, 15 inches at Echo Lake, 14 inches at St. Mary's Glacier and Winter Park Ski Area, 13.5 inches at Genesee, 13 inches at Rough and Tumble SNOTEL and near Tiny Town, 12.5 inches near Allenspark and Idaho Springs, 12 inches at Joe Wright SNOTEL, 11 inches near Conifer, 10 inches at Breckenridge. Across the rest of the Front Range mountains and foothills, the western suburbs of Denver and Boulder, storm totals ranged from 4 to 8 inches.","Storm totals included: 15 inches at Echo Lake, 14 inches at Winter Park Ski Area, 13 inches at Rough and Tumble SNOTEL, 12 inches at Joe Wright SNOTEL, 10 inches at Breckenridge. Elsewhere lesser amounts of 4 to 9 inches were recorded." +115081,691440,COLORADO,2017,April,Winter Weather,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-04-03 23:00:00,MST-7,2017-04-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought a period of locally heavy snow to portions of the Front Range Mountains and Foothills. The heaviest snowfall occurred in and near the foothills of Clear Creek, southern Boulder, northern Jefferson and Gilpin Counties. Storm totals in those areas included: 16 inches at Eldorado Springs, 15 inches at Echo Lake, 14 inches at St. Mary's Glacier and Winter Park Ski Area, 13.5 inches at Genesee, 13 inches at Rough and Tumble SNOTEL and near Tiny Town, 12.5 inches near Allenspark and Idaho Springs, 12 inches at Joe Wright SNOTEL, 11 inches near Conifer, 10 inches at Breckenridge. Across the rest of the Front Range mountains and foothills, the western suburbs of Denver and Boulder, storm totals ranged from 4 to 8 inches.","Storm totals included: 13.5 inches at Genesee, 13 inches near Evergreen, Kittredge and Tiny Town, 12.5 inches near Idaho Springs and 11 inches near Conifer. Elsewhere lesser amounts of 5 to 10 inches were reported." +115081,691437,COLORADO,2017,April,Winter Weather,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-04-03 23:00:00,MST-7,2017-04-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought a period of locally heavy snow to portions of the Front Range Mountains and Foothills. The heaviest snowfall occurred in and near the foothills of Clear Creek, southern Boulder, northern Jefferson and Gilpin Counties. Storm totals in those areas included: 16 inches at Eldorado Springs, 15 inches at Echo Lake, 14 inches at St. Mary's Glacier and Winter Park Ski Area, 13.5 inches at Genesee, 13 inches at Rough and Tumble SNOTEL and near Tiny Town, 12.5 inches near Allenspark and Idaho Springs, 12 inches at Joe Wright SNOTEL, 11 inches near Conifer, 10 inches at Breckenridge. Across the rest of the Front Range mountains and foothills, the western suburbs of Denver and Boulder, storm totals ranged from 4 to 8 inches.","Storm totals included: 5.8 inches in Louisville, 5 inches in Wheat Ridge, with 4.5 inches at the Weather Forecast Office in Boulder and Westminster." +114751,693483,TENNESSEE,2017,April,Tornado,"BEDFORD",2017-04-05 14:47:00,CST-6,2017-04-05 14:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.4125,-86.5069,35.4893,-86.4257,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A rare and unique anticyclonic landspout tornado touched down in southern Bedford County off a left splitting supercell and an anticyclonic rear flank downdraft coupled with strong southwesterly surface flow. The damage path started off of Charlie Russell Road consisting of uprooted and snapped trees as well as a barn sustaining significant damage from rear flank downdraft winds. The path continued northeast uprooting and snapping dozens of hardwood and softwood trees. Off of Highway 412, several homes sustained roof damage as well as loss of underpinning off of a couple of mobile homes. Additional barn damage was observed on Womack Road along with several more trees uprooted and snapped. Significant tree damage occurred off of Narrows Lane including a 4ft wide oak tree snapped at the base. The tornado then weakened and continued northeast across Highway 82 and Highway 130 blowing down more trees. Entering Shelbyville, the tornado weakened further, but still blew a boat across a parking lot, shifted a few cars, and tossed a dumpster at the Davis Estates Apartments on Anthony Lane, then blew down some playground equipment at Coopers Steel Manufacturing on Hillcrest Drive before lifting. The tornado was widely viewed and documented on video by numerous residents of the area.||NWS Nashville greatly appreciates the opinions and expertise from NWS Norman and NWS Huntsville in determining the characteristics of this very unique event." +114751,693488,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-05 14:57:00,CST-6,2017-04-05 14:57:00,0,0,0,0,5.00K,5000,0.00K,0,35.5363,-86.4199,35.5363,-86.4199,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A Facebook photo showed several panels of sheet metal roofing were blown off horse stables on Fairfield Pike." +116473,700469,TENNESSEE,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-18 14:15:00,CST-6,2017-06-18 14:20:00,0,0,0,0,3.00K,3000,0.00K,0,35.2333,-89.6543,35.2358,-89.6248,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Two trees down along Airline Road about one mile south of Donelson." +115282,693231,WASHINGTON,2017,April,Flood,"OKANOGAN",2017-04-04 00:00:00,PST-8,2017-04-30 23:59:00,0,0,0,0,4.00M,4000000,0.00K,0,48.9881,-120.8167,48.9809,-118.905,"In addition to a wet March, periodic heavy rains continued during the month of April. In Ferry County, the COOP station at Republic recorded 2.93 inches of rain for the month, which is 1.42 inches above average. In Okanogan County the Omak ASOS station recorded 2.66 inches of rain, which is 1.62 inches above average. At Mazama the COOP observer recorded 2.45 inches of precipitation, which is 1.42 inches above average. ||All of this rain on top of spring time snow melt promoted saturated soil conditions which resulted in numerous debris flows and areal and small stream flooding issues through out Ferry and Okanogan Counties during the month of April.||Ferry County had been experiencing these issues through the end of March but more rain in April aggravated the situation resulting in major debris flows and flooding which cut key roads through the county. The Sanpoil River also flooded to levels which a media statement issued by the Ferry County Sheriff's Office and the Colville Tribal Police described as the worst flooding in decades. ||Okanogan County largely escaped problems during the month of March but April brought the axis of periodic heavy rain storms and accelerated low elevation snow melt to this county. Saturated soil conditions, often over extensive recent burn scars, resulted in numerous debris flows and small stream floods which disrupted travel for much of the month and isolated a few back country residents for long periods of time. Highway 20, one of the major roads through the region remained closed over Loup Loup Pass while major repair work continued into the month of May.","Areal Flooding, mudslides and debris flows in rough terrain plagued Okanogan County during the month of April as a result of saturated soil conditions brought on by periodic heavy rain and spring snow melt. ||At least 24 roads through out the county were closed or damaged by washouts and debris flows during the month. ||Most notably, State Route 20, a main east to west route between Twisp and Okanogan was cut by a washout on April 7th near mile post 221 and then suffered a second washout on April 15th near mile post 211. Both washouts cut deep chasms through the road bed and closed a 10 mile section of the highway through the rest of the month and into May. Five residences between these washouts were isolated while the road was repaired.||A second major route through the county, State Route 153, was cut by a debris flow on April 7th causing a temporary closure of a three mile stretch near Pateros.||Salmon Creek near Conconully flooded and damaged summer homes and properties along it's banks." +114755,688782,TENNESSEE,2017,April,Flash Flood,"WILSON",2017-04-22 13:30:00,CST-6,2017-04-22 14:30:00,0,0,0,0,0.00K,0,0.00K,0,36.207,-86.2924,36.1981,-86.2939,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Wilson County Emergency Management reported flash flooding in and around Lebanon. A water rescue of a person swept away was conducted off South Cumberland Street near Spring Street where both roads were submerged by rushing water. Bethany Lane east of Lebanon, and a nearby bridge on Trousdale Ferry Road, were also submerged by rushing water and closed." +114755,688787,TENNESSEE,2017,April,Flood,"PUTNAM",2017-04-22 14:00:00,CST-6,2017-04-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.116,-85.58,36.109,-85.5812,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A tSpotter Twitter report indicated Cane Creek was overflowing banks and flooding Bennett Road near Brookstone Drive." +114755,688789,TENNESSEE,2017,April,Thunderstorm Wind,"WAYNE",2017-04-22 14:11:00,CST-6,2017-04-22 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,35.3124,-87.7745,35.3124,-87.7745,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A tree fell on a home on Savannah Highway west of Merriman Lane." +114755,688790,TENNESSEE,2017,April,Thunderstorm Wind,"WAYNE",2017-04-22 14:11:00,CST-6,2017-04-22 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,35.2767,-87.7669,35.2767,-87.7669,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Trees were blown down and a funnel cloud was spotted around 3 miles south of Waynesboro." +114755,688791,TENNESSEE,2017,April,Funnel Cloud,"WAYNE",2017-04-22 14:15:00,CST-6,2017-04-22 14:15:00,0,0,0,0,0.00K,0,0.00K,0,35.2482,-87.7669,35.2482,-87.7669,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A funnel cloud was reported that lasted for 30 seconds." +115614,694427,VERMONT,2017,April,Strong Wind,"WESTERN WINDHAM",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. There were peak wind gusts ranging from 30 to 40 mph across southern Vermont.","Peak wind gusts from CWOP stations were around 35 mph." +115614,694426,VERMONT,2017,April,Strong Wind,"BENNINGTON",2017-04-16 15:00:00,EST-5,2017-04-16 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pre-frontal trough moved through the region during the afternoon and evening hours, producing an area of showers and strong, damaging winds. There were peak wind gusts ranging from 30 to 40 mph across southern Vermont.","Peak wind gusts from ASOS and Mesowest stations ranged from 33 to 38 mph." +114084,691308,MISSOURI,2017,April,Flash Flood,"HOWELL",2017-04-29 18:21:00,CST-6,2017-04-29 21:21:00,0,0,0,0,60.00M,60000000,0.00K,0,36.7354,-91.8553,36.7335,-91.8549,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Extreme flash floods hit the West Plains area. All roads in and out of West Plains were flooded and impassable. Numerous structures were flooded, including 51 that were affected and 13 destroyed, two of which accounted for a very large share of the dollar damage. The Missouri State University campus in West Plains also suffered severe flood water damage. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Howell County." +114084,691365,MISSOURI,2017,April,Flash Flood,"DOUGLAS",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,3.00M,3000000,0.00K,0,36.918,-92.4909,36.9156,-92.496,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and at least four businesses sustained severe flood damage across Douglas County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Douglas County." +114952,692194,OKLAHOMA,2017,April,Thunderstorm Wind,"LOVE",2017-04-21 18:00:00,CST-6,2017-04-21 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.94,-97.12,33.94,-97.12,"Numerous showers and storms formed under the influence of an upper level low across Oklahoma and western north Texas from the evening of the 20th throughout the day on the 21st.","A street light was blown down and a roof blown off a building onto vehicle. Several trees were uprooted. A few other buildings sustained roof damage." +117437,706239,GEORGIA,2017,June,Heavy Rain,"PIERCE",2017-06-11 23:00:00,EST-5,2017-06-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-82.29,31.38,-82.29,"Near record moisture content (PWAT 2.23 inches) was across the local area and combined with diurnal instability and sea breeze forcing, very heavy waves of slow moving showers and thunderstorms producing daily rainfall amounts of 3-5 inches.","The USGS rain gauge at the Alabaha River site recorded a daily rainfall total of 2.02 inches as of 5 pm local time." +117438,706242,FLORIDA,2017,June,Flood,"ST. JOHNS",2017-06-13 15:55:00,EST-5,2017-06-13 15:55:00,0,0,0,0,0.00K,0,0.00K,0,29.7442,-81.4776,29.7401,-81.4778,"Another near record saturated airmass (PWATs near 2.2-2.3 inches) combined with daytime heating and forcing from the stronger Atlantic sea breeze and outflow boundaries produced locally heavy rainfall and an observed funnel cloud over Clay county in the afternoon.","The roadway was flooded at State Road 13 and County Road 207." +117438,706243,FLORIDA,2017,June,Funnel Cloud,"CLAY",2017-06-13 13:00:00,EST-5,2017-06-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-81.72,30.12,-81.72,"Another near record saturated airmass (PWATs near 2.2-2.3 inches) combined with daytime heating and forcing from the stronger Atlantic sea breeze and outflow boundaries produced locally heavy rainfall and an observed funnel cloud over Clay county in the afternoon.","A funnel cloud was observed." +117439,706283,FLORIDA,2017,June,Flood,"DUVAL",2017-06-14 19:35:00,EST-5,2017-06-14 21:45:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.75,30.3,-81.65,"Passing short wave trough energy over SE GA combined with the sea breezes and elevated moisture content (PWAT 2 inches) brought waves of heavy rainfall in showers and thunderstorms across NE Florida, as well the potential for wet downburst winds.","At 8:35 pm, local broadcast media reported minor flooding on and near Casset Avenue on the Jacksonville Westside. At 8:55 pm, the media reported minor flooding in San Marco. At 9:17 pm, the media reported flooding in Springfield along Hogan's Creek in Klutho Park. Two cars in the parking lot were stranded. At 10:45 pm, the media reported 1-2 ft of standing water was over McCoy's Creek Blvd." +117439,706284,FLORIDA,2017,June,Funnel Cloud,"DUVAL",2017-06-14 18:16:00,EST-5,2017-06-14 18:16:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-81.7,30.19,-81.7,"Passing short wave trough energy over SE GA combined with the sea breezes and elevated moisture content (PWAT 2 inches) brought waves of heavy rainfall in showers and thunderstorms across NE Florida, as well the potential for wet downburst winds.","" +117439,706286,FLORIDA,2017,June,Thunderstorm Wind,"MARION",2017-06-14 16:24:00,EST-5,2017-06-14 16:24:00,0,0,0,0,0.00K,0,0.00K,0,29.32,-82.19,29.32,-82.19,"Passing short wave trough energy over SE GA combined with the sea breezes and elevated moisture content (PWAT 2 inches) brought waves of heavy rainfall in showers and thunderstorms across NE Florida, as well the potential for wet downburst winds.","Trees and power lines were blown down. The time of damage was based on radar." +114782,688466,KANSAS,2017,April,Hail,"LINCOLN",2017-04-15 19:10:00,CST-6,2017-04-15 19:11:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-98.04,38.9,-98.04,"Several severe thunderstorms moved across north central Kansas dropping hail stones ranging from the size of nickels to ping pong balls. Isolated flash flooding was also noted.","Reports sent via Twitter. Drifts of hail were also reported." +114759,688640,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:41:00,CST-6,2017-04-30 13:41:00,0,0,0,0,3.00K,3000,0.00K,0,35.9188,-86.8603,35.9188,-86.8603,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Trees and power lines were blown down on Murfreesboro Road between Margin Street and Eddy Lane near downtown Franklin." +116828,702551,WASHINGTON,2017,June,Thunderstorm Wind,"WALLA WALLA",2017-06-26 15:29:00,PST-8,2017-06-26 15:34:00,0,0,0,0,0.00K,0,0.00K,0,46.07,-118.34,46.07,-118.34,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Strong thunderstorm winds downed power lines in Walla Walla." +117545,706916,OREGON,2017,June,Thunderstorm Wind,"UMATILLA",2017-06-08 14:53:00,PST-8,2017-06-08 15:58:00,0,0,0,0,0.00K,0,0.00K,0,45.81,-118.42,45.81,-118.42,"A disturbance caused strong to locally severe thunderstorms over Umatilla county in Oregon and Walla Walla county in Washington.","Thunderstorm wind gust to 62 mph with sustained winds of 24 mph at the same time." +116828,708691,WASHINGTON,2017,June,Flash Flood,"BENTON",2017-06-26 16:01:00,PST-8,2017-06-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,46.3,-119.27,46.2386,-119.353,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Numerous intersections were flooded in Kennewick and Richland Washington, including Canal Drive and Volland Street, Gage Boulevard and Quinault Street. The Columbia Park Trail was closed from Hillwood to Rockwood due to flooding. Vista Field in Kennewick had 1.05 inches in one hour, with spotter reports of 0.64 inches to 0.94 inches in Richland and 0.70 inches to 1.01 inches in Kennewick." +117523,707829,NEW MEXICO,2017,August,Hail,"HARDING",2017-08-09 16:30:00,MST-7,2017-08-09 16:33:00,0,0,0,0,0.00K,0,0.00K,0,35.99,-103.69,35.99,-103.69,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of pennies stripped leaves off of trees." +115772,698375,GEORGIA,2017,April,Hail,"TELFAIR",2017-04-05 17:04:00,EST-5,2017-04-05 17:14:00,0,0,0,0,,NaN,,NaN,31.9,-82.8,31.9,-82.8,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Telfair County Emergency Manager reported quarter size hail on Fishing Creek Road." +115772,698376,GEORGIA,2017,April,Hail,"TOOMBS",2017-04-05 17:18:00,EST-5,2017-04-05 17:28:00,0,0,0,0,,NaN,,NaN,32.0148,-82.364,32.0148,-82.364,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Toombs County Emergency Manager reported quarter to half dollar size hail off of Sam Beasley Road." +115772,698377,GEORGIA,2017,April,Hail,"HEARD",2017-04-05 17:43:00,EST-5,2017-04-05 17:53:00,0,0,0,0,,NaN,,NaN,33.16,-85.2,33.16,-85.2,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Heard County Emergency Manager reported quarter size hail." +115772,698378,GEORGIA,2017,April,Hail,"PAULDING",2017-04-05 20:29:00,EST-5,2017-04-05 20:39:00,0,0,0,0,1.40M,1400000,,NaN,33.84,-84.98,33.84,-84.98,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Paulding County Emergency Manager reported golf ball size hail near the intersection of Highway 101 and Highway 120." +115772,698380,GEORGIA,2017,April,Hail,"GWINNETT",2017-04-05 21:58:00,EST-5,2017-04-05 22:08:00,0,0,0,0,,NaN,,NaN,33.99,-83.89,33.99,-83.89,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Gwinnett County Emergency Manager reported nickel size hail in Dacula." +115794,696269,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-04-06 12:14:00,EST-5,2017-04-06 12:14:00,0,0,0,0,0.00K,0,0.00K,0,37.5002,-75.9929,37.5002,-75.9929,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 42 knots was measured at Silver Beach." +115794,696271,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-04-06 12:12:00,EST-5,2017-04-06 12:12:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 45 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +115775,695918,GEORGIA,2017,April,Lightning,"UPSON",2017-04-27 13:30:00,EST-5,2017-04-27 13:30:00,0,0,0,0,20.00K,20000,,NaN,32.8431,-84.2015,32.8431,-84.2015,"Afternoon heating combined with ample, deep moisture over the region resulted in a moderately unstable atmosphere across the area by late afternoon. This unstable atmosphere combined with moderate shear and a strong cold front sweeping through north and central Georgia to produce a few severe thunderstorms and an isolated tornado across portions of central Georgia.","The Upson County Emergency Manager reported a structure fire at a residence on Kendall Drive. Lightning struck a transformer outside the home causing the fire." +115775,695923,GEORGIA,2017,April,Thunderstorm Wind,"HARRIS",2017-04-27 17:54:00,EST-5,2017-04-27 18:04:00,0,0,0,0,2.00K,2000,,NaN,32.6857,-84.7326,32.6857,-84.7326,"Afternoon heating combined with ample, deep moisture over the region resulted in a moderately unstable atmosphere across the area by late afternoon. This unstable atmosphere combined with moderate shear and a strong cold front sweeping through north and central Georgia to produce a few severe thunderstorms and an isolated tornado across portions of central Georgia.","The Harris County Emergency Manager reported a large tree branch blown down onto a power line at a residence on Waverly Circle in Waverly Hall." +115775,695985,GEORGIA,2017,April,Tornado,"TAYLOR",2017-04-27 12:45:00,EST-5,2017-04-27 12:46:00,0,0,0,0,10.00K,10000,,NaN,32.6717,-84.3665,32.6793,-84.3512,"Afternoon heating combined with ample, deep moisture over the region resulted in a moderately unstable atmosphere across the area by late afternoon. This unstable atmosphere combined with moderate shear and a strong cold front sweeping through north and central Georgia to produce a few severe thunderstorms and an isolated tornado across portions of central Georgia.","A National Weather Service survey team found a long-track tornado path across southeast Talbot County that briefly crossed into Taylor County before crossing back into Talbot County and ending. The entire path length was nearly 22 miles and the maximum path width was 700 yards. As the tornado crossed into Taylor County it had weakened to EF-0 with maximum wind speed around 75 MPH and a maximum width around 100 yards. The tornado caused mainly minor damage to softwood trees and travelled around a mile before crossing back into Talbot County. No injuries were reported. [04/27/17: Tornado #1/1, County #2/3, EF-0, Talbot, Taylor, Talbot, 2017:067]." +115183,691605,ILLINOIS,2017,April,Thunderstorm Wind,"MORGAN",2017-04-29 14:54:00,CST-6,2017-04-29 14:59:00,0,0,0,0,10.00K,10000,0.00K,0,39.62,-90.1064,39.62,-90.1064,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Power lines were blown down 3 miles west of Franklin." +115183,691639,ILLINOIS,2017,April,Thunderstorm Wind,"SANGAMON",2017-04-29 15:15:00,CST-6,2017-04-29 15:20:00,0,0,0,0,12.00K,12000,0.00K,0,39.6621,-89.92,39.6621,-89.92,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A tree was uprooted and an outbuilding was damaged." +115183,691634,ILLINOIS,2017,April,Thunderstorm Wind,"SANGAMON",2017-04-29 15:25:00,CST-6,2017-04-29 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,39.87,-89.86,39.87,-89.86,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A few trees were damaged east of Pleasant Plains." +115357,692641,KANSAS,2017,April,Blizzard,"WICHITA",2017-04-30 06:00:00,CST-6,2017-04-30 18:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Blizzard conditions were reported 11 N of Leoti along with no power since 3 AM CST. Between 20 and 30 inches of snowfall occurred across the county. A federal disaster was declared by President Donald J. Trump." +115357,692644,KANSAS,2017,April,Blizzard,"SHERIDAN",2017-04-30 06:00:00,CST-6,2017-04-30 11:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Visibility down to a block and a half in Selden and less than a quarter mile in Angelus. Many vehicles slid off or stuck on highway 24 due to drivers trying to circumvent the closed interstate. Poles/power lines down in Hoxie and 7 W of town. Power lines also down across CR 7 west of Hoxie. Repair crews were out during the blizzard trying to restore power. Power lines were also down across Highway 23, five to six miles south of Hoxie. During the peak of the storm 150-170 residents had to shelter in place in Hoxie due to no heat. Snowfall amounts ranged from 10 to around 20 inches across most of the county. A federal disaster was declared by President Donald J. Trump." +115357,692646,KANSAS,2017,April,Blizzard,"NORTON",2017-04-30 07:30:00,CST-6,2017-04-30 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Visibility less than a quarter mile in Norton. Power outages and very strong winds reported in Norton as well. A federal disaster was declared by President Donald J. Trump." +115357,692642,KANSAS,2017,April,Blizzard,"DECATUR",2017-04-30 08:00:00,CST-6,2017-04-30 23:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Blizzard conditions were reported in Oberlin. Many power outages were reported across the county due to poles and/or lines blown down. There were no accidents but many cars were off the road or abandoned. Up to 20 inches of snowfall occurred across the county, with two measured reports of 13-14 inches. One over the northeast part of the county and one over the south. A federal disaster was declared by President Donald J. Trump." +115357,692635,KANSAS,2017,April,Blizzard,"RAWLINS",2017-04-30 09:30:00,CST-6,2017-04-30 20:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Atleast three inches of snow per hour were occurring near Herndon. Near zero visibility was reported near Herndon and near Atwood. Cedar trees 50 ft. tall 7 NW of Atwood had lost almost all of their branches, with diameters of the limbs ranging from 6-8 inches. A dead tree standing for 67 years with a diameter of four and a half feet fell over. Power is out for many across the county, with some still without power the day after the storm. Four people were rescued from stranded cars, 40 people had to shelter in place in Atwood. Fifteen inches of snow was reported 8 SSE of Atwood, with potentially a few more inches toward the southeast part of the county. Snowfall amounts declined to the northwest, with almost no snow reported over the far northwest corner of the county. A federal disaster was declared by President Donald J. Trump." +115869,696340,OREGON,2017,April,High Wind,"CENTRAL OREGON COAST",2017-04-07 04:00:00,PST-8,2017-04-07 14:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","Weather stations in Yachats, South Beach, Newport, and Gleneden Beach all recorded wind gusts up to 60 to 68 mph." +115363,693974,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"HAMPTON",2017-04-03 15:43:00,EST-5,2017-04-03 15:44:00,0,0,0,0,,NaN,,NaN,32.85,-81.18,32.85,-81.18,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A Hampton County emergency manager reported around 20 trees down on Thomas Hamilton Road." +115415,693978,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 16:15:00,EST-5,2017-04-03 16:16:00,0,0,0,0,,NaN,,NaN,31.41,-81.31,31.41,-81.31,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","The NERRS site at Sapelo Island recorded a 36 knot wind gust with a passing thunderstorm." +115363,693976,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DORCHESTER",2017-04-03 17:11:00,EST-5,2017-04-03 17:12:00,0,0,0,0,,NaN,,NaN,33.11,-80.3,33.11,-80.3,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The public reported several large trees down along portions of West Meadow Drive." +115417,694822,SOUTH CAROLINA,2017,April,Lightning,"COLLETON",2017-04-05 18:14:00,EST-5,2017-04-05 18:14:00,0,0,0,0,40.00K,40000,,NaN,32.83,-80.78,32.83,-80.78,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","Lightning struck a large oak tree which resulted in a fire that destroyed a 30x50 foot work shop, tools and moderate size utility tractor." +115631,694699,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-04-06 16:45:00,EST-5,2017-04-06 16:45:00,0,0,0,0,,NaN,,NaN,41.2501,-72.7521,41.2501,-72.7521,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 35 knots was measured at the Thimble Islands mesonet location." +115631,694695,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-04-06 16:31:00,EST-5,2017-04-06 16:31:00,0,0,0,0,,NaN,,NaN,40.96,-73.04,40.96,-73.04,"An approaching cold front triggered isolated strong to severe thunderstorms impacting Long Island Sound, the South Sore Bays of Long Island and the coastal waters South of Western and Central Long Island.","A gust of 51 knots was measured at the Mt. Sinai Harbor mesonet location." +115800,695898,OHIO,2017,April,Hail,"JEFFERSON",2017-04-27 18:47:00,EST-5,2017-04-27 18:47:00,0,0,0,0,0.00K,0,0.00K,0,40.27,-80.78,40.27,-80.78,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115800,695900,OHIO,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-27 16:40:00,EST-5,2017-04-27 16:40:00,0,0,0,0,0.50K,500,0.00K,0,40.52,-80.88,40.52,-80.88,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","Local 911 reported a large tree down blocking State Route 164." +115800,695901,OHIO,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-27 19:00:00,EST-5,2017-04-27 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.29,-80.68,40.29,-80.68,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","Local 911 reported numerous trees down in Wells Township." +115800,695902,OHIO,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-27 19:00:00,EST-5,2017-04-27 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.37,-80.65,40.37,-80.65,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","Local 911 reported numerous trees down across the Steubenville area." +115294,696688,ILLINOIS,2017,April,Flood,"MENARD",2017-04-29 22:45:00,CST-6,2017-04-30 08:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1111,-89.993,39.9015,-89.994,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Menard County. Numerous streets in Petersburg were impassable, as were numerous rural roads and highways in the county. Illinois Route 97 between Lincoln's New Salem site and Petersburg was closed due to high water. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by mid-morning on the 30th." +115294,696660,ILLINOIS,2017,April,Flood,"TAZEWELL",2017-04-29 22:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7489,-89.5317,40.4357,-89.919,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across western Tazewell County. Numerous streets in Pekin and East Peoria were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 29 from Green Valley to South Pekin. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +115053,690654,ARKANSAS,2017,April,Drought,"FRANKLIN",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115053,690655,ARKANSAS,2017,April,Drought,"MADISON",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115053,690656,ARKANSAS,2017,April,Drought,"SEBASTIAN",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115053,690652,ARKANSAS,2017,April,Drought,"BENTON",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115053,690653,ARKANSAS,2017,April,Drought,"CRAWFORD",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115099,691586,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 12:02:00,CST-6,2017-04-29 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3552,-94.2228,36.3532,-94.2228,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","A road near the Bentonville Municipal Airport was flooded." +115099,691588,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-29 12:34:00,CST-6,2017-04-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0907,-94.1829,36.0767,-94.185,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Numerous streets were flooded in downtown Fayetteville." +115099,691591,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-29 13:00:00,CST-6,2017-04-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0543,-94.0846,36.0546,-94.0823,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Portions of Mally Wagnon Road east of Fayetteville were flooded." +115099,691593,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 13:50:00,CST-6,2017-04-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3334,-94.0658,36.3318,-94.0658,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Areas of the Prairie Creek Golf Course were severely flooded." +115063,690861,OKLAHOMA,2017,April,Thunderstorm Wind,"MUSKOGEE",2017-04-21 04:45:00,CST-6,2017-04-21 04:45:00,0,0,0,0,0.00K,0,0.00K,0,35.488,-95.1689,35.488,-95.1689,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","A storm chaser estimated thunderstorm wind gusts of 65 mph near the intersection of the Muskogee Turnpike and I-40." +115063,690862,OKLAHOMA,2017,April,Thunderstorm Wind,"MUSKOGEE",2017-04-21 04:50:00,CST-6,2017-04-21 04:50:00,0,0,0,0,0.00K,0,0.00K,0,35.489,-95.1233,35.489,-95.1233,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","The Oklahoma Mesonet station near Webbers Falls measured 73 mph thunderstorm wind gusts." +115063,690863,OKLAHOMA,2017,April,Thunderstorm Wind,"SEQUOYAH",2017-04-21 05:35:00,CST-6,2017-04-21 05:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.4212,-94.5146,35.4212,-94.5146,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind damaged the roof of a building, and blew down trees." +115063,690864,OKLAHOMA,2017,April,Thunderstorm Wind,"CREEK",2017-04-21 09:48:00,CST-6,2017-04-21 09:48:00,0,0,0,0,15.00K,15000,0.00K,0,35.9438,-96.2166,35.9438,-96.2166,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind blew down trees and severely damaged a barn." +115098,691752,OKLAHOMA,2017,April,Flash Flood,"SEQUOYAH",2017-04-29 18:45:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,35.4941,-94.9796,35.5054,-94.9788,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous streets were flooded in Vian." +115098,691755,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-29 19:29:00,CST-6,2017-04-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1909,-95.8993,36.1917,-95.9063,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Numerous streets were flooded on the northeast side of town." +115098,691757,OKLAHOMA,2017,April,Flash Flood,"ROGERS",2017-04-29 20:20:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4679,-95.7076,36.4656,-95.7078,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Portions of the E 380 Road were flooded east of Highway 169." +115098,691758,OKLAHOMA,2017,April,Flash Flood,"ROGERS",2017-04-29 20:25:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.3145,-95.7191,36.3122,-95.716,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","A portion of Highway 20 at Keetonville Hill was down to one lane due to debris in the roadway following a mud slide." +114041,683311,KENTUCKY,2017,April,Hail,"HENRY",2017-04-28 23:24:00,EST-5,2017-04-28 23:24:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-85.32,38.46,-85.32,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,683312,KENTUCKY,2017,April,Hail,"HENRY",2017-04-28 23:35:00,EST-5,2017-04-28 23:35:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-85.17,38.43,-85.17,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,683314,KENTUCKY,2017,April,Hail,"BOYLE",2017-04-29 17:21:00,EST-5,2017-04-29 17:21:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-84.78,37.6,-84.78,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,683315,KENTUCKY,2017,April,Hail,"WASHINGTON",2017-04-29 17:07:00,EST-5,2017-04-29 17:07:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-85.3,37.82,-85.3,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Hail up to quarter size reported from a pilot." +114041,683316,KENTUCKY,2017,April,Hail,"JESSAMINE",2017-04-29 18:11:00,EST-5,2017-04-29 18:11:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-84.5,37.86,-84.5,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,683317,KENTUCKY,2017,April,Hail,"BOURBON",2017-04-29 19:06:00,EST-5,2017-04-29 19:06:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-84.27,38.09,-84.27,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +113801,681386,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 16:45:00,EST-5,2017-04-05 16:45:00,0,0,0,0,,NaN,,NaN,37.78,-85.67,37.78,-85.67,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681391,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 17:00:00,EST-5,2017-04-05 17:00:00,0,0,0,0,,NaN,0.00K,0,37.81,-85.46,37.81,-85.46,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681393,KENTUCKY,2017,April,Hail,"HENRY",2017-04-05 17:03:00,EST-5,2017-04-05 17:03:00,0,0,0,0,,NaN,,NaN,38.43,-85.02,38.43,-85.02,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681399,KENTUCKY,2017,April,Hail,"TAYLOR",2017-04-05 17:43:00,EST-5,2017-04-05 17:43:00,0,0,0,0,,NaN,0.00K,0,37.33,-85.35,37.33,-85.35,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681394,KENTUCKY,2017,April,Hail,"HENRY",2017-04-05 17:06:00,EST-5,2017-04-05 17:06:00,0,0,0,0,,NaN,,NaN,38.43,-84.98,38.43,-84.98,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681403,KENTUCKY,2017,April,Hail,"FAYETTE",2017-04-05 19:05:00,EST-5,2017-04-05 19:05:00,0,0,0,0,,NaN,0.00K,0,37.9,-84.35,37.9,-84.35,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The hail resulted in a few home windows broken and shingles damaged." +113801,681667,KENTUCKY,2017,April,Thunderstorm Wind,"MADISON",2017-04-05 19:22:00,EST-5,2017-04-05 19:22:00,0,0,0,0,10.00K,10000,0.00K,0,37.79,-84.21,37.79,-84.21,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A NWS Storm Survey team found many shingles off a roof and a garage door caved in on Diamond Brook Drive." +115596,694265,UTAH,2017,April,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-04-07 20:00:00,MST-7,2017-04-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved through Utah on April 7, 8, and 9, bringing heavy snowfall, gusty winds, and hail with associated thunderstorms.","Storm total snowfall included 26 inches at Alta Ski Area, 18 inches at Snowbird Ski & Summer Resort, and 17 inches at Brighton Resort. Winds were also strong, particularly early in the event, with peak recorded gusts of 87 mph at the Sundance Mountain Resort Arrowhead Summit sensor, 80 mph at the Brighton Resort Brighton Crest sensor, and 77 mph at the Dreamscape Study Plot." +119435,716896,NORTH CAROLINA,2017,July,Heavy Rain,"CURRITUCK",2017-07-29 09:07:00,EST-5,2017-07-29 09:07:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-76.08,36.45,-76.08,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.34 inches was measured at Sligo." +119435,716897,NORTH CAROLINA,2017,July,Heavy Rain,"PASQUOTANK",2017-07-29 09:13:00,EST-5,2017-07-29 09:13:00,0,0,0,0,0.00K,0,0.00K,0,36.35,-76.28,36.35,-76.28,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.66 inches was measured at Burnt Mills (3 SSW)." +119435,716898,NORTH CAROLINA,2017,July,Heavy Rain,"PERQUIMANS",2017-07-29 09:13:00,EST-5,2017-07-29 09:13:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-76.3,36.17,-76.3,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.95 inches was measured at Jacocks (2 WNW)." +115771,698179,GEORGIA,2017,April,Tornado,"WILKINSON",2017-04-03 13:16:00,EST-5,2017-04-03 13:23:00,0,0,0,0,25.00K,25000,,NaN,32.8899,-83.2291,32.9033,-83.16,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that the thunderstorm responsible for the EF2 tornado around Gordon in northwest Wilkinson County produced an EF0 tornado in northern Wilkinson County. The tornado touched down near the intersection of Sheppard Bridge Road and DP Carr Road and travelled northeast crossing Mt. Carmel Road and US Highway 441 before ending around the intersection of Smith Startley Road and Wriley Road. Although most of the path consisted of snapped trees, the tornado caused roof damage to a residence at the intersection of Napier Pond-|Wriley Road and Parker Hill Road. No injuries were reported. [04/03/17: Tornado #21. County #1/1, EF-0, Wilkinson, 2017:053]." +115772,698320,GEORGIA,2017,April,Tornado,"COWETA",2017-04-05 11:03:00,EST-5,2017-04-05 11:09:00,0,0,0,0,20.00K,20000,,NaN,33.37,-84.6655,33.3513,-84.6002,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF1 tornado touched down north of Sharpsburg just west of Highway 154 and tracked southeast snapping both|hardwood and softwood trees as it crossed Willis Road and Highway 54. The greatest damage occurred north of Keg Creek along Reese Road where a swath of 10 to 15 trees were snapped. The tornado turned eastward snapping several trees along its path until it lifted near the intersection of Christopher Road and McIntosh Trail. No injuries were reported. [04/05/17: Tornado #1, County #1/1, EF-1, Coweta, 2017:060]." +115772,698321,GEORGIA,2017,April,Tornado,"NEWTON",2017-04-05 11:09:00,EST-5,2017-04-05 11:10:00,0,0,0,0,25.00K,25000,,NaN,33.7202,-83.8795,33.7196,-83.8753,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 88 MPH and a maximum path width of 350 yards touched down in far northern Newton County along the Walton County line. This is where the most damage occurred, mainly along Wapakoneta Trail. Multiple softwood trees were snapped and uprooted with one causing damage to a vehicle. The tornado quickly moved eastward into Walton County. No injuries were reported. [04/05/17: Tornado #2, County #1/2, EF-1, Newton, Walton, 2017:061]." +115772,698626,GEORGIA,2017,April,Thunderstorm Wind,"WALTON",2017-04-05 23:00:00,EST-5,2017-04-05 23:05:00,0,0,0,0,15.00K,15000,,NaN,33.6563,-83.7181,33.6563,-83.7181,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Walton County Emergency Manager reported trees blown down on a car wash in Social Circle." +115772,698624,GEORGIA,2017,April,Thunderstorm Wind,"SPALDING",2017-04-05 22:25:00,EST-5,2017-04-05 22:30:00,0,0,0,0,4.00K,4000,,NaN,33.2462,-84.2752,33.2462,-84.2752,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","An amateur radio operator reported trees blown down at the intersection of 14th Street and West Poplar Street." +115772,698384,GEORGIA,2017,April,Hail,"JACKSON",2017-04-05 22:35:00,EST-5,2017-04-05 22:40:00,0,0,0,0,,NaN,,NaN,34.2498,-83.4604,34.2498,-83.4604,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported quarter size hail at the QuickTrip gas station near Commerce." +115774,695909,GEORGIA,2017,April,Thunderstorm Wind,"MACON",2017-04-23 16:05:00,EST-5,2017-04-23 16:10:00,0,0,0,0,3.00K,3000,,NaN,32.2943,-84.0709,32.293,-84.0058,"A deep upper-level low along with an associated strong surface low and cold front swept through the region. By late afternoon, strong daytime heating across central Georgia resulted in a moderately unstable atmosphere and scattered severe thunderstorms.","The Macon County 911 center reported trees blown down on West Anderson Street in Oglethorpe and at the intersection of Spaulding Road and Travelers Rest Road in Montezuma." +115774,695915,GEORGIA,2017,April,Thunderstorm Wind,"HOUSTON",2017-04-23 16:25:00,EST-5,2017-04-23 16:35:00,1,0,0,0,45.00K,45000,,NaN,32.3418,-83.7896,32.4974,-83.6726,"A deep upper-level low along with an associated strong surface low and cold front swept through the region. By late afternoon, strong daytime heating across central Georgia resulted in a moderately unstable atmosphere and scattered severe thunderstorms.","The Houston County Sheriff's Office and the 911 center reported numerous trees and power lines blown down across southern and central Houston County from west of Elko to northeast of Perry. A tree was blown over onto Highway 127 around Arena road resulting in a 3-car traffic accident and one minor injury. Power lines were blown down around the intersection of Highway 41 and Highway 26. Several trees were blown down onto I-75 between mile markers 131 and 133. A few trees were also blown down on Sewell Road and a large branch was blown off a tree on Frank Satterfield Road damaging a car." +115911,696627,NEW MEXICO,2017,June,Flash Flood,"LINCOLN",2017-06-26 18:00:00,MST-7,2017-06-26 22:00:00,0,0,0,0,0.00K,0,0.00K,0,33.9462,-105.7906,33.9414,-105.7788,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","U.S. Highway 54 was closed for several hours after torrential rainfall and large hail flooded the roadway." +115911,696625,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-26 16:31:00,MST-7,2017-06-26 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-106.15,34.76,-106.15,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Hail up to the size of quarters between Estancia and Torreon." +115911,696651,NEW MEXICO,2017,June,Hail,"UNION",2017-06-26 19:36:00,MST-7,2017-06-26 19:39:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-103.5,36.66,-103.5,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Hail up to the size of half dollars near Grenville." +117236,705086,TEXAS,2017,June,Flash Flood,"TARRANT",2017-06-02 15:35:00,CST-6,2017-06-02 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.8286,-97.3251,32.8218,-97.3256,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","Fort Worth PD reported that the intersection of Mark IV and Meacham Blvd was flooded." +117236,705078,TEXAS,2017,June,Hail,"DALLAS",2017-06-02 16:25:00,CST-6,2017-06-02 16:25:00,0,0,0,0,0.00K,0,0.00K,0,32.79,-96.58,32.79,-96.58,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","A social media report indicated 2-inch diameter hail in the city of Mesquite, TX." +117236,705087,TEXAS,2017,June,Flash Flood,"TARRANT",2017-06-02 15:35:00,CST-6,2017-06-02 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.9082,-97.3342,32.9019,-97.3352,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","Fort Worth PD reported that Harmon Road at the intersection of Presidio Vista Dr was flooded." +117236,705079,TEXAS,2017,June,Hail,"DALLAS",2017-06-02 16:20:00,CST-6,2017-06-02 16:20:00,0,0,0,0,50.00K,50000,0.00K,0,32.8243,-96.6344,32.8243,-96.6344,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","A social media report indicated 2.5 inch diameter hail near the intersection of Interstate 30 and Highway 635." +117236,705088,TEXAS,2017,June,Flash Flood,"TARRANT",2017-06-02 16:10:00,CST-6,2017-06-02 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.8064,-97.1898,32.7954,-97.1864,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","Fort Worth Police Department reported that the intersection of Precinct Line and Trinity Blvd was flooded." +117236,709699,TEXAS,2017,June,Flash Flood,"DALLAS",2017-06-02 16:15:00,CST-6,2017-06-02 18:45:00,0,0,0,0,0.00K,0,0.00K,0,32.9094,-96.7225,32.9052,-96.7238,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","A social media report indicated over a foot of water across Lake Highlands just north of Northwest Freeway." +117236,709701,TEXAS,2017,June,Flash Flood,"KAUFMAN",2017-06-04 19:17:00,CST-6,2017-06-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.744,-96.2809,32.7373,-96.2827,"An upper level trough situated west of North and Central Texas generated a couple of weak disturbances that produced thunderstorms the afternoon of Friday June 2. A few storms produced severe hail, but the primary result was flash flooding due to the slow-moving nature of the convection.","Kaufman County Emergency Management reported that several high water rescues were ongoing across North Terrell." +115938,696619,NORTH DAKOTA,2017,June,Tornado,"GRAND FORKS",2017-06-07 12:02:00,CST-6,2017-06-07 12:04:00,0,0,0,0,,NaN,,NaN,47.89,-97.49,47.8927,-97.481,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado touched down about 2 miles south of Arvilla. The tornado tracked to the east-northeast across county road 2, causing no significant damage. Peak winds were estimated at 70 mph." +115938,696608,NORTH DAKOTA,2017,June,Funnel Cloud,"GRAND FORKS",2017-06-07 11:35:00,CST-6,2017-06-07 11:35:00,0,0,0,0,0.00K,0,0.00K,0,48.05,-97.68,48.05,-97.68,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","Two funnels were viewed over Agnes Township, between McCanna and Inkster, between 1230 and 1240 pm CDT. Multiple reports came from observers near Larimore and the Kolding Dam Recreation Area. Photos were also posted on social media." +115938,696609,NORTH DAKOTA,2017,June,Funnel Cloud,"GRAND FORKS",2017-06-07 11:50:00,CST-6,2017-06-07 11:50:00,0,0,0,0,0.00K,0,0.00K,0,47.87,-97.53,47.87,-97.53,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","A funnel in the early stage of formation was reported." +112310,722843,PENNSYLVANIA,2017,February,Winter Storm,"LEHIGH",2017-02-09 02:00:00,EST-5,2017-02-09 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 7.0 inches in Salisbury Township, and 7.1 inches at Lehigh Valley International Airport." +114040,684599,INDIANA,2017,April,Flood,"WASHINGTON",2017-04-29 16:45:00,EST-5,2017-04-30 01:35:00,0,0,0,0,0.00K,0,0.00K,0,38.4366,-86.1933,38.4375,-86.1852,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","Several episodes of heavy rain totaling between 6 and 8 inches caused the Blue River at Fredericksburg to go into minor flood. The river crested at 21.5 feet, 1.5 feet above flood stage." +115795,695887,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WESTMORELAND",2017-04-20 13:28:00,EST-5,2017-04-20 13:28:00,0,0,0,0,2.00K,2000,0.00K,0,40.3433,-79.7722,40.3433,-79.7722,"Approaching mid level low and cold front supported several severe thunderstorms across western Pennsylvania and northern West Virginia. With sufficient instability and bulk shear for strong updrafts, there were several reports of large hail, some slightly larger than a golf ball, across the area. Some isolated wind damage was also observed over West Virginia.","State official reported trees down on Carpenter Lane." +115800,695899,OHIO,2017,April,Hail,"JEFFERSON",2017-04-27 19:02:00,EST-5,2017-04-27 19:02:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-80.61,40.32,-80.61,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115801,695907,PENNSYLVANIA,2017,April,Hail,"BUTLER",2017-04-27 20:05:00,EST-5,2017-04-27 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-79.73,40.7,-79.73,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115802,695912,WEST VIRGINIA,2017,April,Hail,"BROOKE",2017-04-27 19:05:00,EST-5,2017-04-27 19:05:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-80.56,40.36,-80.56,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115863,696314,NEBRASKA,2017,April,Hail,"HOLT",2017-04-15 01:20:00,CST-6,2017-04-15 01:20:00,0,0,0,0,0.00K,0,0.00K,0,42.16,-99.06,42.16,-99.06,"An upper level disturbance combined with an approaching cold front, leading to the development of thunderstorms across portions of western Nebraska during the early evening hours of April 14h. As this activity tracked east, it became severe over portions of central Nebraska. Large hail up to the size of golf balls were reported. A second round of storms impacted portions of north Central Nebraska during the early morning hours of April 15th and was associated with the first round of storms over central Nebraska.","" +115626,694624,NEW YORK,2017,April,Lightning,"NASSAU",2017-04-06 15:45:00,EST-5,2017-04-06 15:45:00,0,0,0,0,5.00K,5000,0.00K,0,40.7776,-73.5596,40.7776,-73.5596,"An approaching cold front triggered isolated severe thunderstorms impacting Nassau and Suffolk counties.","A lightning strike caused a house fire on Westwood Drive in Westwood Village near Westbury." +115645,694887,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-04-05 18:50:00,EST-5,2017-04-05 18:51:00,0,0,0,0,,NaN,0.00K,0,33.9624,-77.9437,33.9624,-77.9437,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","WeatherFlow equipment measured a wind gust to 56 mph." +115669,695116,INDIANA,2017,April,Hail,"MONTGOMERY",2017-04-10 21:45:00,EST-5,2017-04-10 21:47:00,0,0,0,0,,NaN,,NaN,40.04,-86.9,40.04,-86.9,"A cold front pushed into northwest portions of central Indiana during the evening of the April the 10th. Some showers and thunderstorms developed ahead of the front, producing a few hail reports, two of which were severe.","Some minor street flooding was also observed." +115942,696855,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BENSON",2017-06-09 18:20:00,CST-6,2017-06-09 18:20:00,0,0,0,0,,NaN,,NaN,48.2,-99.59,48.2,-99.59,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A large pine tree was blown down." +115942,696857,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PEMBINA",2017-06-09 18:24:00,CST-6,2017-06-09 18:24:00,0,0,0,0,,NaN,,NaN,48.6,-97.8,48.6,-97.8,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by a personal weather station." +116463,700428,LOUISIANA,2017,May,Hail,"ST. MARY",2017-05-03 10:05:00,CST-6,2017-05-03 10:05:00,0,0,0,0,1.00K,1000,0.00K,0,29.82,-91.54,29.82,-91.54,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","A spotter reported golf ball size hail which cracked the windshield of a truck." +116002,701423,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:56:00,EST-5,2017-05-05 01:56:00,0,0,0,0,2.50K,2500,0.00K,0,35.7755,-80.0238,35.7755,-80.0238,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Several trees were reported down on Fuller Mill Road at Old Post Office Road." +115942,696897,NORTH DAKOTA,2017,June,Hail,"CASS",2017-06-09 22:37:00,CST-6,2017-06-09 22:37:00,0,0,0,0,,NaN,,NaN,46.86,-96.85,46.86,-96.85,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Brief pea to dime sized hail fell." +115959,696898,MINNESOTA,2017,June,Hail,"CLAY",2017-06-09 18:24:00,CST-6,2017-06-09 18:24:00,0,0,0,0,,NaN,,NaN,46.73,-96.51,46.73,-96.51,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115959,696899,MINNESOTA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-09 20:20:00,CST-6,2017-06-09 20:20:00,0,0,0,0,,NaN,,NaN,48.36,-96.33,48.36,-96.33,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Trees were blown down." +115959,696900,MINNESOTA,2017,June,Hail,"CLAY",2017-06-09 23:20:00,CST-6,2017-06-09 23:20:00,0,0,0,0,,NaN,,NaN,47.08,-96.26,47.08,-96.26,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +118173,710164,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-14 15:42:00,EST-5,2017-06-14 15:42:00,0,0,0,0,8.00K,8000,0.00K,0,35.01,-78.69,35.01,-78.69,"Scattered showers and thunderstorms developed across Central North Carolina during the afternoon and evening. A few storms became severe, producing isolated damaging winds.","A tree was blown down onto a house on Carol Street in Stedman." +118173,710166,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GUILFORD",2017-06-14 19:45:00,EST-5,2017-06-14 20:02:00,0,0,0,0,5.00K,5000,0.00K,0,36.15,-79.88,36.04,-79.8,"Scattered showers and thunderstorms developed across Central North Carolina during the afternoon and evening. A few storms became severe, producing isolated damaging winds.","Several trees were blown down onto roadways along a swath from approximately 4 miles south of Summerfield to 3 miles south-southeast of Greensboro. This includes the intersections of Mobile Street at Randleman Road, Immanuel Road at South Holden Road, Willoughby Boulevard at Redford Drive and Carlson Dairy Road at Horse Pen Creek." +118173,710169,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-14 16:40:00,EST-5,2017-06-14 16:40:00,0,0,0,0,5.00K,5000,0.00K,0,34.97,-78.95,34.97,-78.95,"Scattered showers and thunderstorms developed across Central North Carolina during the afternoon and evening. A few storms became severe, producing isolated damaging winds.","Several trees were blown down near the Hope Mills Town Hall." +118176,710174,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GUILFORD",2017-06-13 15:20:00,EST-5,2017-06-13 15:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.24,-79.99,36.24,-79.99,"A line of showers and thunderstorms developed in association with an upper level low and associated cold pool aloft. A couple thunderstorms embedded in the line produced isolated wind damage in Guilford County.","A tree was blown down onto power lines, resulting in a fire and numerous power outages in the Stokesdale area." +118176,710175,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GUILFORD",2017-06-13 15:48:00,EST-5,2017-06-13 16:03:00,0,0,0,0,3.00K,3000,0.00K,0,36.1,-79.9,36.1,-79.81,"A line of showers and thunderstorms developed in association with an upper level low and associated cold pool aloft. A couple thunderstorms embedded in the line produced isolated wind damage in Guilford County.","A few trees were blown down along a swath from west-northwest to north-northeast of Greensboro, including one across Oak Ridge Meadow Road, one across Pineburr Road and one across Kirkpatrick Place." +118178,710189,NORTH CAROLINA,2017,June,Flash Flood,"NASH",2017-06-05 17:30:00,EST-5,2017-06-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.99,-77.9,35.99,-77.82,"Scattered showers and thunderstorms developed over Central NC as small amplitude waves in cyclonic flow aloft moved through the area. An isolated thunderstorm produced wind damage and flash flooding in Nash County.","Heavy Rain resulted in a few impassible roadways near Dortches. High water was reported on Green Hills Road, Highway 43 near Thomas Betts Parkway and on Tharrington Road." +118178,710190,NORTH CAROLINA,2017,June,Thunderstorm Wind,"NASH",2017-06-05 16:40:00,EST-5,2017-06-05 16:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.97,-77.87,35.97,-77.87,"Scattered showers and thunderstorms developed over Central NC as small amplitude waves in cyclonic flow aloft moved through the area. An isolated thunderstorm produced wind damage and flash flooding in Nash County.","A tree was blown down onto a mobile home in the Brook Valley Mobile Home Park off Sunset Avenue near Dortches." +117926,708721,KANSAS,2017,June,Hail,"GRAHAM",2017-06-13 20:22:00,CST-6,2017-06-13 20:22:00,0,0,0,0,0.00K,0,0.00K,0,39.5001,-99.8448,39.5001,-99.8448,"During the evening quarter size hail was reported north of Hill City from a severe thunderstorm.","" +118116,709853,SOUTH CAROLINA,2017,June,Hail,"OCONEE",2017-06-15 16:28:00,EST-5,2017-06-15 16:28:00,0,0,0,0,,NaN,,NaN,34.51,-82.99,34.51,-82.99,"Scattered thunderstorms developed over Upstate South Carolina during the late afternoon and evening. A few of the storms produced brief periods of hail and locally damaging winds.","Public reported pea to penny size hail in the Fair Play area." +118118,709855,NORTH CAROLINA,2017,June,Hail,"MCDOWELL",2017-06-16 15:16:00,EST-5,2017-06-16 15:16:00,0,0,0,0,,NaN,,NaN,35.64,-82.02,35.64,-82.02,"Scattered thunderstorms developed during the afternoon across the North Carolina Blue Ridge. One of the storms produced brief hail in McDowell County.","Media reported nickel size hail at the I-40 rest area near Marion." +118119,709858,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"OCONEE",2017-06-16 17:00:00,EST-5,2017-06-16 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.9,-83.07,34.9,-83.07,"Widely scattered thunderstorms developed during the afternoon and evening across Upstate South Carolina. One storm produced a brief microburst over northern Oconee County.","County reported numerous trees blown down, along with non-specific roof damage to a home on Jumping Branch Road." +118123,709864,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ROWAN",2017-06-18 22:25:00,EST-5,2017-06-18 22:25:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-80.6,35.61,-80.6,"Scattered thunderstorms developed across the Piedmont during the evening. One storm produced brief damaging winds in Rowan County.","Public reported multiple large trees blown knocked down near China Grove." +118124,709873,NORTH CAROLINA,2017,June,Thunderstorm Wind,"GASTON",2017-06-19 21:53:00,EST-5,2017-06-19 21:53:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-81.14,35.19,-81.14,"Scattered to numerous thunderstorms impacted the southwest Piedmont of North Carolina during the evening. One storm produced brief damaging winds near Gastonia, while training thunderstorms resulted in localized flash flooding in Union County.","EM reported two trees blown down and a power pole on fire due to lightning." +118125,709876,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"OCONEE",2017-06-23 20:40:00,EST-5,2017-06-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-83.04,34.67,-83.04,"Scattered showers and thunderstorms moved into Upstate South Carolina during the evening. One storm produced a brief period of damaging winds in Oconee County.","County comms reported numerous trees down with power outages in the area around Old Seneca Rd and Richland Rd." +118170,710151,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"GREENVILLE",2017-06-24 14:46:00,EST-5,2017-06-24 14:46:00,0,0,0,0,10.00K,10000,0.00K,0,35,-82.27,35,-82.27,"Thunderstorms developed along the Blue Ridge during the early afternoon and briefly organized into a cluster as they moved southeast across the foothills. A brief, isolated area of damaging winds occurred in this area.","Power company reported multiple trees and large limbs blown down on power lines in the Greer/Blue Ridge area. At least one tree fell on a house." +118170,710152,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"SPARTANBURG",2017-06-24 14:46:00,EST-5,2017-06-24 14:46:00,0,0,0,0,1.00K,1000,0.00K,0,35.12,-82.15,35.12,-82.15,"Thunderstorms developed along the Blue Ridge during the early afternoon and briefly organized into a cluster as they moved southeast across the foothills. A brief, isolated area of damaging winds occurred in this area.","Public reported (via Social Media) a gazebo blown against a house." +118154,710069,FLORIDA,2017,June,Lightning,"SANTA ROSA",2017-06-15 08:07:00,CST-6,2017-06-15 08:07:00,0,0,0,0,50.00K,50000,0.00K,0,30.5898,-87.0419,30.5898,-87.0419,"Thunderstorms produced heavy rain and lightning strikes which caused damage.","A lightning strike caused a structural fire." +118154,710070,FLORIDA,2017,June,Lightning,"SANTA ROSA",2017-06-15 08:07:00,CST-6,2017-06-15 08:07:00,0,0,0,0,50.00K,50000,0.00K,0,30.6466,-87.0766,30.6466,-87.0766,"Thunderstorms produced heavy rain and lightning strikes which caused damage.","A lightning strike caused a house fire on Ridgeview Drive." +118154,710077,FLORIDA,2017,June,Lightning,"SANTA ROSA",2017-06-15 14:11:00,CST-6,2017-06-15 14:11:00,0,0,0,0,50.00K,50000,0.00K,0,30.6522,-87.0922,30.6522,-87.0922,"Thunderstorms produced heavy rain and lightning strikes which caused damage.","House fire caused by lightning strike on Camille Gardens Circle." +118155,710089,MISSISSIPPI,2017,June,Hail,"GEORGE",2017-06-16 17:20:00,CST-6,2017-06-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,30.9098,-88.5919,30.9098,-88.5919,"Thunderstorms moved across southeast Mississippi and produced large hail and high winds.","" +118155,710091,MISSISSIPPI,2017,June,Thunderstorm Wind,"STONE",2017-06-16 21:45:00,CST-6,2017-06-16 21:47:00,0,0,0,0,50.00K,50000,0.00K,0,30.85,-89.13,30.85,-89.13,"Thunderstorms moved across southeast Mississippi and produced large hail and high winds.","Winds estimated at 70 mph downed a tree on a house. Multiple trees were also downed in the area." +118157,710113,ALABAMA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-16 19:00:00,CST-6,2017-06-16 19:02:00,0,0,0,0,5.00K,5000,0.00K,0,31.65,-88.15,31.65,-88.15,"Thunderstorms produced high winds which downed trees and power lines in southwest Alabama.","Winds estimated at 60 mph downed trees in the Frankville community." +118157,710114,ALABAMA,2017,June,Thunderstorm Wind,"CLARKE",2017-06-16 19:55:00,CST-6,2017-06-16 19:57:00,0,0,0,0,5.00K,5000,0.00K,0,31.65,-87.7,31.65,-87.7,"Thunderstorms produced high winds which downed trees and power lines in southwest Alabama.","Winds estimated at 60 mph downed trees and power lines." +118171,710161,GULF OF MEXICO,2017,June,Marine Tropical Storm,"MISSISSIPPI SOUND",2017-06-20 20:00:00,CST-6,2017-06-20 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.","Katrina Cut recorded sustained winds of 34 knots during this time with a peak gust of 39 knots." +118171,710162,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-06-21 16:14:00,CST-6,2017-06-21 16:15:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-88.01,30.44,-88.01,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.","Middle Bay Lighthouse recorded a 45 knot, 52 mph, thunderstorm wind gust." +118055,709764,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-06-16 16:00:00,EST-5,2017-06-16 16:00:00,0,0,0,0,,NaN,,NaN,26.82,-80.78,26.82,-80.78,"Strong thunderstorms developing with the interaction of the seabreezes and the Lake Okeechobee breeze produced a strong wind gust over Lake Okeechobee during the afternoon hours.","SFWMD mesonet site L006 located over the southern end of Lake Okeechobee recorded a wind gust to 37 knots/43 mph." +118062,709846,ATLANTIC SOUTH,2017,June,Waterspout,"LAKE OKEECHOBEE",2017-06-27 17:52:00,EST-5,2017-06-27 17:52:00,0,0,0,0,0.00K,0,0.00K,0,27,-80.65,27,-80.65,"A line of thunderstorms that developed during the afternoon due to the collision of boundaries over Lake Okeechobee produced two waterspouts.","A trained spotter reported two waterspouts that had developed with a line of thunderstorms over Lake Okeechobee." +118057,709877,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-19 07:58:00,EST-5,2017-06-19 07:58:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 35 knots / 40 mph was recorded by the C-MAN station FWFY1 located at Fowey Rocks at an elevation of 144 feet." +118057,709878,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-19 08:07:00,EST-5,2017-06-19 08:07:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 39 knots / 45 mph was recorded by the C-MAN station FWFY1 located at Fowey Rocks at an elevation of 144 feet." +118057,709879,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-19 09:48:00,EST-5,2017-06-19 09:48:00,0,0,0,0,0.00K,0,0.00K,0,25.43,-80.32,25.43,-80.32,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 34 knots / 39 mph was recorded by the WxFlow mesonet site XTKY at an elevation of 62 feet." +118057,709880,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-19 09:59:00,EST-5,2017-06-19 09:59:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 36 knots / 41 mph was recorded by the C-MAN station FWFY1 located at Fowey Rocks at and elevation of 144 feet." +118352,711172,KANSAS,2017,June,Hail,"CLARK",2017-06-13 19:26:00,CST-6,2017-06-13 19:26:00,0,0,0,0,,NaN,,NaN,37.19,-99.77,37.19,-99.77,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711174,KANSAS,2017,June,Hail,"RUSH",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,,NaN,,NaN,38.52,-99.2,38.52,-99.2,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711175,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-13 18:30:00,CST-6,2017-06-13 18:30:00,0,0,0,0,15.00K,15000,,NaN,37.84,-99.72,37.84,-99.72,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","A downburst produced an approximate 70 MPH gust that damaged the roof of the grade school. Additionally, a nearby small shed was overturned and a trampoline was tossed. Wind direction was southeast to northwest." +118352,711176,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-13 18:16:00,CST-6,2017-06-13 18:16:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-99.91,37.65,-99.91,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","Winds were estimated to be 60 MPH." +118352,711177,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-13 18:21:00,CST-6,2017-06-13 18:21:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-99.64,37.52,-99.64,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118351,711178,KANSAS,2017,June,Flood,"FORD",2017-06-08 12:00:00,CST-6,2017-06-08 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7175,-100.0734,37.7046,-100.058,"A series of H5 vort maxima kicked out of the Colorado Rockies into the Western High Plains within a northwest flow. Thunderstorms developed as low/mid level lapse rates steepened within a southeasterly upslope flow. Increasing instability with CAPE values in excess of 1000 J/kg and decent vertical shear profiles created areas of intense rainfall in Ford County.","Many county roads were covered by flowing water." +120818,725985,OHIO,2017,November,Thunderstorm Wind,"LORAIN",2017-11-05 17:25:00,EST-5,2017-11-05 17:30:00,0,0,0,0,200.00K,200000,100.00K,100000,41.1963,-82.3336,41.2056,-82.243,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds estimated to be at least 75 mph caused extensive damage across southwestern Lorain County. Damage was observed from the Huron County line east across Rochester, Brighton and Cambden Townships. Damage was observed as far north as Kipton. The damage was most concentrated along and west of State Route 511 from near Brighton north to State Route 303. Six homes and buildings on Gore-Orphanage, Baird and Betts roads were damaged by the strong winds. All of these buildings had west facing overhead garage doors which were blown in. Significant roof and tree damage was also observed. Nearly every property along State Route 511 north from Brighton to near Bronson Road had visible storm damage. At least one farm building was leveled and all of the homes in the area had missing siding, missing roofing or both. Dozens of trees were downed and unharvested cornfields along State Route 511 between Peck Wadsworth and Betts Roads were flattened." +120818,726000,OHIO,2017,November,Tornado,"SENECA",2017-11-05 16:53:00,EST-5,2017-11-05 16:54:00,0,0,0,0,200.00K,200000,0.00K,0,41.1653,-82.9399,41.1686,-82.9326,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A weak tornado touched down along Township Road 100 in West Lodi. The location is about 100 yards west of County Road 27. Two storage sheds near the initial touchdown were destroyed and their contents thrown across the area. Debris from the sheds peppered the two houses associated with the sheds. Both homes had projectiles from the sheds sticking out of three of their four sides. Both houses also sustained major roof damage and were shifted off of their foundations. The tornado then continued northeast across County Road 27 and strengthened to EF1 intensity. A couple homes on the east side of Country Road 27 had windows blown out and suffered roof damage. Many trees in the area were also snapped or uprooted. The tornado then continued northeast across farm land before lifting as it approached Township Road 134. Portions of a corn field were flattened by the tornado. The damage path was just under a half mile in width and over 150 yards in width at time." +116013,697249,KANSAS,2017,April,Hail,"MEADE",2017-04-01 07:55:00,CST-6,2017-04-01 07:55:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-100.22,37.26,-100.22,"A thunderstorm across Meade county briefly produced marginally severe hail.","" +116013,697250,KANSAS,2017,April,Hail,"MEADE",2017-04-01 08:07:00,CST-6,2017-04-01 08:07:00,0,0,0,0,,NaN,,NaN,37.38,-100.2,37.38,-100.2,"A thunderstorm across Meade county briefly produced marginally severe hail.","" +118326,711039,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-06-05 18:41:00,EST-5,2017-06-05 18:41:00,0,0,0,0,0.00K,0,0.00K,0,24.8398,-80.7916,24.8398,-80.7916,"A weak surface low over the western Gulf of Mexico associated with an upper level trough of low pressure promoted rapid development of scattered showers and thunderstorms. | The showers and thunderstorms moved rapidly north across the Florida Straits, crossing the middle and upper Florida Keys. Only isolated gale force wind gusts were observed.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station at the Florida Keys Aqueduct Pump Station on Long Key." +118327,711040,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-06-06 17:50:00,EST-5,2017-06-06 17:50:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A synoptic-scale lower tropospheric convergence zone was aligned across the southeast Gulf of Mexico through southwest Florida. Numerous showers and scattered thunderstorms moved northeast along this zone, producing a few instances of gale-force wind gusts near Dry Tortugas National Park.","A wind gust of 42 knots was measured at Pulaski Shoal Light." +118327,711041,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-06-06 21:02:00,EST-5,2017-06-06 21:02:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A synoptic-scale lower tropospheric convergence zone was aligned across the southeast Gulf of Mexico through southwest Florida. Numerous showers and scattered thunderstorms moved northeast along this zone, producing a few instances of gale-force wind gusts near Dry Tortugas National Park.","A wind gust of 36 knots was measured at Pulaski Shoal Light." +118328,711042,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-06-07 04:58:00,EST-5,2017-06-07 04:58:00,0,0,0,0,0.00K,0,0.00K,0,24.7263,-81.0477,24.7263,-81.0477,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 34 knots was measured at the Florida Keys Marathon International Airport." +118328,711043,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-07 03:58:00,EST-5,2017-06-07 03:58:00,0,0,0,0,0.00K,0,0.00K,0,24.5571,-81.7554,24.5571,-81.7554,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 34 knots was measured at Key West International Airport." +114001,682810,MAINE,2017,April,Flood,"AROOSTOOK",2017-04-13 09:00:00,EST-5,2017-04-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,45.6726,-68.0392,45.7263,-68.003,"Snow melt and rain led to rising levels on the Mattawamkeag River. The river slowly rose...reaching flood stage during the morning of the 13th. The river continued to slowly rise...cresting slightly over a foot above flood stage...during the afternoon of the 18th. The river then slowly fell...dropping below flood stage during the morning of the 22nd. A portion of the Bancroft Road was closed for several days due to the flooding.","The Mattawamkeag River crested slightly over a foot above flood stage. A portion of Bancroft Road was closed for several days due to the flooding." +114013,682835,TEXAS,2017,April,Hail,"CHILDRESS",2017-04-29 00:19:00,CST-6,2017-04-29 00:19:00,0,0,0,0,0.00K,0,0.00K,0,34.5428,-100.051,34.5428,-100.051,"A very strong upper level storm system moved from the four corners region into New Mexico early on the morning of the 29th. This system acted upon a very unstable elevated air mass producing scattered thunderstorms over the entire region. Some of these storms became severe with ample instability available.","A HAM radio operator reported quarter size hail." +114013,682836,TEXAS,2017,April,Hail,"LUBBOCK",2017-04-29 01:17:00,CST-6,2017-04-29 01:17:00,0,0,0,0,0.00K,0,0.00K,0,33.43,-101.6327,33.43,-101.6327,"A very strong upper level storm system moved from the four corners region into New Mexico early on the morning of the 29th. This system acted upon a very unstable elevated air mass producing scattered thunderstorms over the entire region. Some of these storms became severe with ample instability available.","The Slaton Fire Department relayed a report of hail up to half-dollar size. No damage was reported." +114013,682837,TEXAS,2017,April,Hail,"FLOYD",2017-04-29 02:30:00,CST-6,2017-04-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,33.8879,-101.219,33.8879,-101.219,"A very strong upper level storm system moved from the four corners region into New Mexico early on the morning of the 29th. This system acted upon a very unstable elevated air mass producing scattered thunderstorms over the entire region. Some of these storms became severe with ample instability available.","" +114019,682844,KENTUCKY,2017,April,Hail,"ROCKCASTLE",2017-04-29 17:40:00,EST-5,2017-04-29 17:40:00,0,0,0,0,,NaN,,NaN,37.3,-84.36,37.3,-84.36,"Isolated supercell thunderstorms produced quarter to ping pong ball size hail across portions of eastern KY during the evening and early overnight hours on April 29, 2017.","Quarter to half dollar size hail was reported via social media." +114019,682851,KENTUCKY,2017,April,Hail,"PIKE",2017-04-29 21:20:00,EST-5,2017-04-29 21:20:00,0,0,0,0,,NaN,,NaN,37.32,-82.65,37.32,-82.65,"Isolated supercell thunderstorms produced quarter to ping pong ball size hail across portions of eastern KY during the evening and early overnight hours on April 29, 2017.","Quarter size hail was reported in Longfork west of Virgie." +114019,682852,KENTUCKY,2017,April,Hail,"FLOYD",2017-04-29 22:12:00,EST-5,2017-04-29 22:12:00,0,0,0,0,,NaN,,NaN,37.67,-82.74,37.67,-82.74,"Isolated supercell thunderstorms produced quarter to ping pong ball size hail across portions of eastern KY during the evening and early overnight hours on April 29, 2017.","Quarter size hail occurred in Lancer." +112919,722445,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 17:46:00,CST-6,2017-02-28 17:48:00,0,0,0,0,0.00K,0,0.00K,0,41.5869,-88.1819,41.5869,-88.1819,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Half dollar size hail was reported near Lily Cache Road." +112919,722447,ILLINOIS,2017,February,Hail,"COOK",2017-02-28 20:52:00,CST-6,2017-02-28 20:55:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-87.7,41.52,-87.7,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +112859,678363,NEW JERSEY,2017,March,Winter Storm,"NORTHWESTERN BURLINGTON",2017-03-14 03:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Snowfall across northwest Burlington County ranged from 4-6 inches with ice accumulation up to a couple tenths of an inch in spots." +112859,678364,NEW JERSEY,2017,March,Winter Storm,"MIDDLESEX",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Four to Eight inches of snow fell across the county." +118353,711237,KANSAS,2017,June,Thunderstorm Wind,"RUSH",2017-06-15 15:26:00,CST-6,2017-06-15 15:26:00,0,0,0,0,,NaN,,NaN,38.61,-99.2,38.61,-99.2,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Winds were estimated to be 60 to 70 MPH." +118353,711238,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-15 17:40:00,CST-6,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-98.95,37.1,-98.95,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","Winds were estimated to be near 60 MPH." +118353,711239,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-15 18:17:00,CST-6,2017-06-15 18:17:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-98.58,37.29,-98.58,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711240,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-15 18:00:00,CST-6,2017-06-15 18:00:00,0,0,0,0,,NaN,,NaN,37.02,-98.6138,37.02,-98.6138,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","There was also a blowout and fire at a crude oil tank." +118353,711241,KANSAS,2017,June,Thunderstorm Wind,"PRATT",2017-06-15 18:51:00,CST-6,2017-06-15 18:51:00,0,0,0,0,,NaN,,NaN,37.81,-98.5,37.81,-98.5,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","There was also golf ball sized hail with the high wind." +118355,711242,KANSAS,2017,June,Hail,"PAWNEE",2017-06-17 16:40:00,CST-6,2017-06-17 16:40:00,0,0,0,0,,NaN,,NaN,38.06,-98.95,38.06,-98.95,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +114378,685486,NEW MEXICO,2017,April,Heavy Snow,"CENTRAL HIGHLANDS",2017-04-28 13:00:00,MST-7,2017-04-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","The combination of roughly 2 to 4 inches of snowfall, strong winds, low visibility, and temperatures in the 20's produced severe travel conditions along the Interstate 40 corridor around Clines Corners." +114378,685535,NEW MEXICO,2017,April,Heavy Snow,"NORTHEAST HIGHLANDS",2017-04-28 12:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Various sources around the Las Vegas area reported between 3 and 5 inches of snowfall. NMDOT reported severe driving conditions with slick travel and low visibility." +114558,687055,ILLINOIS,2017,April,Hail,"RICHLAND",2017-04-05 15:09:00,CST-6,2017-04-05 15:14:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-87.93,38.77,-87.93,"Low pressure tracking from the Ozarks into the Ohio River Valley brought widespread showers and thunderstorms to southeast Illinois on April 5th. A few of the storms produced gusty winds of 50 to 60 mph and hail as large as quarters in Richland and Lawrence counties. Further north into the cool sector of the system, isolated cells dropped penny-sized hail across parts of Peoria and Tazewell counties.","" +114558,687056,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-05 12:15:00,CST-6,2017-04-05 12:20:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-89.6,40.7,-89.6,"Low pressure tracking from the Ozarks into the Ohio River Valley brought widespread showers and thunderstorms to southeast Illinois on April 5th. A few of the storms produced gusty winds of 50 to 60 mph and hail as large as quarters in Richland and Lawrence counties. Further north into the cool sector of the system, isolated cells dropped penny-sized hail across parts of Peoria and Tazewell counties.","" +114560,687063,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 13:49:00,CST-6,2017-04-10 13:54:00,0,0,0,0,0.00K,0,0.00K,0,40.529,-90.2,40.529,-90.2,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687065,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 14:04:00,CST-6,2017-04-10 14:09:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-90.03,40.57,-90.03,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687066,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 14:06:00,CST-6,2017-04-10 14:11:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-90.03,40.57,-90.03,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687067,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 14:10:00,CST-6,2017-04-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-90.03,40.57,-90.03,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687068,ILLINOIS,2017,April,Hail,"FULTON",2017-04-10 14:10:00,CST-6,2017-04-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,40.6402,-90.0165,40.6402,-90.0165,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114623,687472,IOWA,2017,April,Heavy Rain,"CALHOUN",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.39,-94.63,42.39,-94.63,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop observer report of 1.22 inches of rain over the past 24 hours and 1.91 inches over the past 48 hours." +114623,687473,IOWA,2017,April,Heavy Rain,"TAMA",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-92.3,42.21,-92.3,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.28 inches of rain over the past 24 hours." +114623,687474,IOWA,2017,April,Heavy Rain,"WARREN",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-93.6,41.37,-93.6,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop observer report of 2.33 inches of rain over the past 24 hours and 2.41 inches over the past 48 hours." +114623,687475,IOWA,2017,April,Heavy Rain,"MARSHALL",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-92.92,42.03,-92.92,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop observer reported 1.17 inches of rain over the past 24 hours and 1.57 inches over the past 48." +114661,687728,KANSAS,2017,April,Flood,"NEOSHO",2017-04-29 19:50:00,CST-6,2017-04-30 07:45:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-95.17,37.4688,-95.2345,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","There were a few reports of minor flooding across Neosho County." +114661,687729,KANSAS,2017,April,Flood,"WILSON",2017-04-29 19:50:00,CST-6,2017-04-30 07:45:00,0,0,0,0,0.00K,0,0.00K,0,37.4445,-95.68,37.4402,-95.6671,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","There were reports of minor flooding in Neodesha." +114661,687730,KANSAS,2017,April,Flood,"MONTGOMERY",2017-04-29 20:22:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.2845,-95.55,37.2802,-95.5371,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Several vehicles were flooded. No rescues were reported at this time. Half of the roads in Cherryvale were flooded." +114988,690024,MAINE,2017,April,Heavy Snow,"SOUTHERN OXFORD",2017-04-01 00:00:00,EST-5,2017-04-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Ohio Valley on the morning of the 31st moved very slowly to just southeast of Long Island, NY, by the morning of April 1st and then southeast of Nova Scotia by the morning of the 2nd. The storm brought heavy snow to the western portions of the State, with amounts ranging from about 6 inches in eastern Sagadahoc, eastern Androscoggin and eastern Oxford Counties to more than a foot across northern York and southern Oxford Counties. ||Although the heaviest snow ended during the afternoon of the 1st, some light snow persisted into the early morning hours of the 2nd.","" +114595,687267,IOWA,2017,April,Hail,"TAYLOR",2017-04-09 22:07:00,CST-6,2017-04-09 22:07:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-94.72,40.68,-94.72,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Coop observer reported quarter sized hail. This is a delayed report." +114595,687276,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 20:14:00,CST-6,2017-04-09 20:16:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-93.49,43.05,-93.49,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported lots of hail over the last few minutes and ongoing up to quarters in size." +114595,687282,IOWA,2017,April,Hail,"CERRO GORDO",2017-04-09 20:52:00,CST-6,2017-04-09 20:52:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-93.2,43.15,-93.2,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported quarter sized hail. Time estimated by radar and report from social media." +118361,711352,KANSAS,2017,June,Hail,"BARBER",2017-06-29 22:06:00,CST-6,2017-06-29 22:06:00,0,0,0,0,,NaN,,NaN,37.42,-98.9,37.42,-98.9,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711355,KANSAS,2017,June,Hail,"CLARK",2017-06-29 22:40:00,CST-6,2017-06-29 22:40:00,0,0,0,0,,NaN,,NaN,37.06,-99.75,37.06,-99.75,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711356,KANSAS,2017,June,Hail,"CLARK",2017-06-30 01:43:00,CST-6,2017-06-30 01:43:00,0,0,0,0,,NaN,,NaN,37.14,-100.08,37.14,-100.08,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +115039,690444,COLORADO,2017,April,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-04-03 14:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115030,690401,GEORGIA,2017,April,Drought,"LUMPKIN",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690418,GEORGIA,2017,April,Drought,"BANKS",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115039,690449,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-03 18:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690452,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-04-03 18:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +111483,670346,ALABAMA,2017,January,Tornado,"GENEVA",2017-01-02 19:35:00,CST-6,2017-01-02 19:37:00,0,0,0,0,50.00K,50000,0.00K,0,31.1104,-85.5078,31.1292,-85.4856,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A tornado touched down in Geneva County near the Houston County border along Rehobeth Road before lifting after crossing US 231 just east of the National Peanut Festival Grounds in Houston county. In Geneva County, the tornado debarked and denuded several large trees and removed the roof from a home under construction. In addition, numerous trees were snapped or uprooted. In Houston County, the most significant damage occurred at the National Peanut Festival grounds. Multiple buildings were damaged or destroyed and several utility poles were snapped. This tornado was rated EF1 in Geneva county and EF2 in Houston county. Max winds in Houston county were estimated at 115 mph. Damage cost was estimated." +111484,670341,GEORGIA,2017,January,Tornado,"EARLY",2017-01-02 21:18:00,EST-5,2017-01-02 21:33:00,0,0,0,0,500.00K,500000,0.00K,0,31.2567,-84.9037,31.328,-84.7396,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF2 tornado with max winds near 115 mph initially touched down on the Early County side of the Early-Miller County line near Three Notch Road. Damage in this area was mainly limited to trees and a few farm buildings that were destroyed. Damage in this area was generally consistent with EF1 damage. The tornado moved NE toward US-27 near the intersection with Bates Road. A mobile home suffered roof damage and numerous pines were snapped or uprooted on the west side of US-27. The tornado continued northeast and intensified before reaching Middleton Road. Many trees were snapped, with a few debarked in this area. One farm building was completely destroyed in this area. The tornado continued moving to the east-northeast and ultimately lifted near Old Damascus Road where a few trees were snapped and a pivot irrigation system was overturned. Damage cost was estimated." +114084,691117,MISSOURI,2017,April,Flash Flood,"CHRISTIAN",2017-04-29 02:47:00,CST-6,2017-04-29 04:47:00,0,0,0,0,0.00K,0,0.00K,0,37.0597,-93.3171,37.0571,-93.3231,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","A roadway was inundated by flowing water about 150 yards wide and 2 to 3 feet deep. Flood water approached front porches of homes." +114084,691118,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 03:00:00,CST-6,2017-04-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.1237,-93.119,37.124,-93.1212,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The low water bridge near Highway 60 and State Highway 125 near the Rogersville High School was flooded." +114084,691119,MISSOURI,2017,April,Flash Flood,"STONE",2017-04-29 03:02:00,CST-6,2017-04-29 05:02:00,0,0,0,0,0.00K,0,0.00K,0,36.7517,-93.3791,36.7523,-93.3809,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The Reeds Spring downtown area was evacuated due to flood water." +114084,691120,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 03:14:00,CST-6,2017-04-29 05:14:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-93.24,37.1383,-93.2378,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water was over the roadway near Lone Pine and East Republic Road." +114084,691268,MISSOURI,2017,April,Flash Flood,"DOUGLAS",2017-04-29 03:26:00,CST-6,2017-04-29 06:26:00,0,0,0,0,0.00K,0,0.00K,0,36.9845,-92.1684,36.9863,-92.1692,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 76 was impassable and closed due to flooding." +114084,691389,MISSOURI,2017,April,Flash Flood,"CEDAR",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,200.00K,200000,0.00K,0,37.6914,-93.7681,37.6953,-93.7717,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes sustained flood damage across the county. A few roads and bridges were damaged by flood water. There was minor flood damage at the Stockton State Park. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Cedar County." +114084,691399,MISSOURI,2017,April,Flash Flood,"MILLER",2017-04-30 14:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,2.00M,2000000,0.00K,0,38.2261,-92.6008,38.1956,-92.5959,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Miller County." +114084,691404,MISSOURI,2017,April,Flood,"CAMDEN",2017-04-30 14:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,38.1211,-92.6477,38.1198,-92.6384,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and roads sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Camden County." +114084,691406,MISSOURI,2017,April,Flood,"MORGAN",2017-04-30 14:00:00,CST-6,2017-04-30 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,38.315,-92.824,38.3296,-92.8441,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several roads sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Morgan County." +115183,696710,ILLINOIS,2017,April,Flash Flood,"COLES",2017-04-29 18:45:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.6508,-88.4714,39.373,-88.4707,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Coles County. Several streets in Charleston were impassable. Numerous rural roads and highways in the southern part of the county from Lerna to Ashmore were inundated, including parts of Illinois Routes 16 and 130 which were closed at times." +115183,696880,ILLINOIS,2017,April,Flash Flood,"CUMBERLAND",2017-04-29 18:30:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.373,-88.4707,39.1705,-88.4708,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 4.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Cumberland County. Several streets in Neoga and Greenup were impassable. Numerous rural roads and highways were inundated, particularly along U.S. Highway 40 near the Clark County line." +119185,715749,ARIZONA,2017,July,Hail,"GILA",2017-07-15 14:20:00,MST-7,2017-07-15 14:25:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-111.31,34.23,-111.31,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","One inch diameter hail was reported in Payson via social media. Time was estimated using radar." +119185,715750,ARIZONA,2017,July,Thunderstorm Wind,"GILA",2017-07-15 14:30:00,MST-7,2017-07-15 14:40:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-111.33,34.2119,-111.4096,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","Pine trees were bend over sideways. There was also damage to manzanita and scrub oak trees." +115369,692696,FLORIDA,2017,April,Rip Current,"COASTAL PALM BEACH COUNTY",2017-04-10 13:30:00,EST-5,2017-04-10 13:30:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong east winds brought rough seas and rip currents to all Atlantic beaches during the day. A young female was caught in a rip current while swimming, necessitating rescue.","A 14 year old girl was caught in a rip current an unable to return back to shore along the beach near North Ocean Boulevard and Angler Avenue. The girl's father was able to rescue her and return back to shore, and she was later transported to a local hospital as a precaution. Time is based on local low tide." +116515,701192,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-05-07 18:06:00,EST-5,2017-05-07 18:06:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Rappahannock Light." +116515,701194,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-05-07 18:10:00,EST-5,2017-05-07 18:10:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-76.27,37.57,-76.27,"Scattered showers and thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 35 knots was measured at Stingray Point." +116667,701479,ARKANSAS,2017,May,Thunderstorm Wind,"SHARP",2017-05-27 19:50:00,CST-6,2017-05-27 19:50:00,0,0,0,0,5.00K,5000,0.00K,0,36.22,-91.61,36.22,-91.61,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Power lines were blown down and a tree was blown down on a house." +116667,701480,ARKANSAS,2017,May,Hail,"SHARP",2017-05-27 19:47:00,CST-6,2017-05-27 19:47:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-91.48,36.32,-91.48,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","" +115370,692697,ATLANTIC SOUTH,2017,April,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-04-11 07:20:00,EST-5,2017-04-11 07:20:00,0,0,0,0,,NaN,,NaN,26.83,-79.92,26.83,-79.92,"Morning showers moving across the local Atlantic waters produced as waterspout near the Palm Beach County coast.","An airplane pilot reported a waterspout 12 miles northeast of Palm Beach associated with showers over the Atlantic." +117246,705116,VERMONT,2017,June,Thunderstorm Wind,"ADDISON",2017-06-30 16:05:00,EST-5,2017-06-30 16:05:00,0,0,0,0,5.00K,5000,0.00K,0,43.92,-73.12,43.92,-73.12,"A weak mid atmospheric disturbance moved across a warm, humid air mass during the afternoon of June 30th. This caused some scattered thunderstorms across eastern NY that moved into VT. One storm briefly produced localized damaging winds that knocked down a few trees in Salisbury, VT.","A few trees downed by thunderstorm winds on Morgan road." +116065,697582,WYOMING,2017,June,Thunderstorm Wind,"FREMONT",2017-06-04 16:59:00,MST-7,2017-06-04 16:59:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-108.45,43.07,-108.45,"A high based shower collapsed near Riverton and produced strong wind gusts. A wind gust of 59 mph was reported at the ASOS at the Riverton airport.","A 59 mph wind gust occurred at the ASOS at the Riverton airport." +116193,698443,WYOMING,2017,June,Thunderstorm Wind,"FREMONT",2017-06-20 15:16:00,MST-7,2017-06-20 15:16:00,0,0,0,0,0.00K,0,0.00K,0,42.9489,-108.6107,42.9489,-108.6107,"A thunderstorm developed over the Wind River Basin and collapsed to the West of Riverton. With very big dew point depressions, strong outflow winds spread out of the storm. Many locations had wind gusts past 50 mph. The highest recorded gust was 61 mph at the Sharpnose RAWs site near Hudson. In Riverton, a tree was snapped off by the high winds.","The Sharpnose RAWS site recorded a thunderstorm wind gust to 61 mph." +116279,699176,WYOMING,2017,June,Thunderstorm Wind,"SUBLETTE",2017-06-28 14:28:00,MST-7,2017-06-28 14:28:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-110.12,42.58,-110.12,"A combination of a weak shortwave moving across Wyoming and very large dew point depressions brought very strong wind gusts to some areas as showers and thunderstorms collapsed. Wind gusts of 64 and 58 mph were reported at the Riverton and Big Piney ASOS stations, respectively.","The ASOS at the Big Piney airport reported a wind gust of 64 mph." +116279,699177,WYOMING,2017,June,Thunderstorm Wind,"FREMONT",2017-06-28 13:54:00,MST-7,2017-06-28 13:54:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-108.45,43.07,-108.45,"A combination of a weak shortwave moving across Wyoming and very large dew point depressions brought very strong wind gusts to some areas as showers and thunderstorms collapsed. Wind gusts of 64 and 58 mph were reported at the Riverton and Big Piney ASOS stations, respectively.","The ASOS at the Riverton airport reported a wind gust to 59 mph." +116280,699178,WYOMING,2017,June,Hail,"FREMONT",2017-06-29 12:45:00,MST-7,2017-06-29 13:18:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-108.77,42.94,-108.43,"A thunderstorm developed east of the Absarokas and became severe as it moved into the Wind River Basin. The storm dropped up to quarter size hail in and around Ethete.","There were numerous reports of hail across the Wind River Reservation from Ethete to near around Fort Washakie. The largest report was southeast of Arapahoe where hail of quarter size was reported." +116426,700196,WYOMING,2017,June,Flood,"PARK",2017-06-17 04:00:00,MST-7,2017-06-22 04:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1917,-109.5631,44.196,-109.5677,"Very warm temperatures on still substantial snow in the Absaraoka Mountains lead to more flooding along the South Fork of the Shoshone River. The river crested at 9.4 feet, about 0.4 feet above flood stage at the flood gauge. Flooding was largely confined to the low lands along the river and caused little damage.","The South Fork of the Shoshone River crested at around 9.4 feet on June 18th and June 21st. The flooding remained in the low lands around the river and caused little to no damage." +114358,685261,WYOMING,2017,April,Winter Storm,"NORTHERN CAMPBELL",2017-04-27 21:00:00,MST-7,2017-04-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to parts of northeastern Wyoming. Rain developed early in the evening, then changed over to snow overnight and persisted into Friday morning. Snowfall was limited to Campbell and Weston Counties, where two to six inches were reported. The heaviest snow fell in a narrow band across central and southern Campbell County, where around a foot of snow was measured.","" +114358,685262,WYOMING,2017,April,Winter Storm,"SOUTH CAMPBELL",2017-04-27 22:00:00,MST-7,2017-04-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to parts of northeastern Wyoming. Rain developed early in the evening, then changed over to snow overnight and persisted into Friday morning. Snowfall was limited to Campbell and Weston Counties, where two to six inches were reported. The heaviest snow fell in a narrow band across central and southern Campbell County, where around a foot of snow was measured.","" +114358,685263,WYOMING,2017,April,Winter Weather,"WESTON",2017-04-28 00:00:00,MST-7,2017-04-28 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A spring storm system brought rain and snow to parts of northeastern Wyoming. Rain developed early in the evening, then changed over to snow overnight and persisted into Friday morning. Snowfall was limited to Campbell and Weston Counties, where two to six inches were reported. The heaviest snow fell in a narrow band across central and southern Campbell County, where around a foot of snow was measured.","" +114360,685276,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"BUTTE",2017-04-17 20:15:00,MST-7,2017-04-17 20:15:00,0,0,0,0,0.00K,0,0.00K,0,45.11,-103.27,45.11,-103.27,"A severe thunderstorm produced wind gusts to 60 mph in the Hoover area.","The observer estimated wind gusts around 60 mph." +114361,685277,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"BUTTE",2017-04-17 19:28:00,MST-7,2017-04-17 19:28:00,0,0,0,0,0.00K,0,0.00K,0,44.6845,-103.85,44.6845,-103.85,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","" +114361,685278,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"BUTTE",2017-04-17 20:00:00,MST-7,2017-04-17 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-103.42,44.71,-103.42,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","" +114361,685279,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"MEADE",2017-04-17 19:48:00,MST-7,2017-04-17 19:53:00,0,0,0,0,0.00K,0,0.00K,0,44.4211,-103.5474,44.4211,-103.5474,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","" +114361,685280,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-17 19:28:00,MST-7,2017-04-17 19:28:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-103.9614,44.49,-103.9614,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","" +114751,693489,TENNESSEE,2017,April,Tornado,"WARREN",2017-04-05 15:59:00,CST-6,2017-04-05 16:06:00,1,0,0,0,50.00K,50000,0.00K,0,35.5627,-85.7538,35.5948,-85.7081,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A fast-moving weak tornado, which was widely viewed and documented on video by numerous residents, touched down in the Irving College area of southeast Warren County about 7 miles southeast of McMinnville. Damage began on Smith Hollow Road where a barn was heavily damaged and several trees were snapped. Another barn was damaged and more trees blown down on Northcutt Cove Road, and one dozen gravestones were blown over and trees blown down at a cemetery between Northcutt Cove Road and Maude Etter Road. Large trees were blown down on Dry Creek Road where one fell onto and heavily damaged a home. The most concentrated damage was around the intersection of Highway 56 and Chapel Hill Drive, where a mobile home was destroyed injuring a woman inside, an outbuilding was destroyed, part of the roof was blown off a home, and several trees and power poles were blown down. The tornado blew down some more trees on Hill Road before lifting near the Collins River. This survey was aided by the Warren County Emergency Management Agency and Warren County 911 Center." +114751,693496,TENNESSEE,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:06:00,CST-6,2017-04-05 15:06:00,0,0,0,0,2.00K,2000,0.00K,0,35.6151,-85.7048,35.6151,-85.7048,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Two trees were snapped on Kesey Ford Road." +114751,693505,TENNESSEE,2017,April,Strong Wind,"MONTGOMERY",2017-04-05 16:46:00,CST-6,2017-04-05 16:46:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Media photos showed a large 18 year old willow tree uprooted in Clarksville." +115282,693056,WASHINGTON,2017,April,Flood,"FERRY",2017-04-01 00:00:00,PST-8,2017-04-28 00:00:00,0,0,0,0,1.50M,1500000,0.00K,0,47.8467,-118.3887,47.9686,-118.8611,"In addition to a wet March, periodic heavy rains continued during the month of April. In Ferry County, the COOP station at Republic recorded 2.93 inches of rain for the month, which is 1.42 inches above average. In Okanogan County the Omak ASOS station recorded 2.66 inches of rain, which is 1.62 inches above average. At Mazama the COOP observer recorded 2.45 inches of precipitation, which is 1.42 inches above average. ||All of this rain on top of spring time snow melt promoted saturated soil conditions which resulted in numerous debris flows and areal and small stream flooding issues through out Ferry and Okanogan Counties during the month of April.||Ferry County had been experiencing these issues through the end of March but more rain in April aggravated the situation resulting in major debris flows and flooding which cut key roads through the county. The Sanpoil River also flooded to levels which a media statement issued by the Ferry County Sheriff's Office and the Colville Tribal Police described as the worst flooding in decades. ||Okanogan County largely escaped problems during the month of March but April brought the axis of periodic heavy rain storms and accelerated low elevation snow melt to this county. Saturated soil conditions, often over extensive recent burn scars, resulted in numerous debris flows and small stream floods which disrupted travel for much of the month and isolated a few back country residents for long periods of time. Highway 20, one of the major roads through the region remained closed over Loup Loup Pass while major repair work continued into the month of May.","Ferry County was affected by numerous road washouts due to areal flooding and debris flows during much of the month of April. Travel was disrupted through out the county with at least 20 roads closed or reduced to one lane due to damage. ||The most notable road closures include Highway 395 near Boyds, which suffered a 100 foot section of the road washed away into a 20 foot deep chasm on April 13th, and Highway 21 where a temporary one lane bridge was constructed to cross a 100 foot total washout of the road 15 miles south of Republic, and the Inchelium Highway near Inchelium where a debris flow cut the road on April 15th. All of these roads are major north-south highways through the county. ||The Sanpoil River flooded during this period causing one house to wash away into the river and threatened another home as the flood undermined the bluff it was located on." +114755,688794,TENNESSEE,2017,April,Flood,"WAYNE",2017-04-22 14:00:00,CST-6,2017-04-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-87.76,35.322,-87.7616,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A Facebook photo showed two lanes of Dexter L. Woods Blvd flooded near the Sonic in Waynesboro." +114755,688796,TENNESSEE,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-22 14:52:00,CST-6,2017-04-22 14:52:00,0,0,0,0,2.00K,2000,0.00K,0,35.1705,-87.2684,35.1705,-87.2684,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A trained spotter reported 18-inch diameter trees were blown down at Revilo Road and Fall River Road." +114755,688800,TENNESSEE,2017,April,Hail,"GILES",2017-04-22 15:09:00,CST-6,2017-04-22 15:09:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-87.08,35.15,-87.08,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Quarter size hail covered the ground in Goodspring." +114755,688801,TENNESSEE,2017,April,Thunderstorm Wind,"GILES",2017-04-22 15:17:00,CST-6,2017-04-22 15:17:00,0,0,0,0,3.00K,3000,0.00K,0,35.0503,-87.0458,35.0503,-87.0458,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Two trees were blown over including one with a large rootball around 7 miles southeast of Minor Hill." +114755,688802,TENNESSEE,2017,April,Hail,"GILES",2017-04-22 15:29:00,CST-6,2017-04-22 15:29:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-86.9,35.05,-86.9,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Golf ball size hail fell in Elkton. Report relayed via WHNT-TV in Huntsville." +114084,691361,MISSOURI,2017,April,Flash Flood,"SHANNON",2017-04-29 15:00:00,CST-6,2017-04-29 19:00:00,0,0,0,0,5.00M,5000000,0.00K,0,37.1569,-91.3636,37.1549,-91.3648,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous campgrounds and river access areas were severely damaged across Shannon County and in the Ozark National Scenic Riverways Park. Numerous homes and businesses were severely damage or washed away along the Jack Fork River and Current River. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Shannon County." +117410,706087,ARIZONA,2017,June,Wildfire,"NORTHERN GILA COUNTY",2017-06-10 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Highline Fire started on June 10 about 8 miles north of Payson. The fire eventually merged with the Bear Fire and, together, burned 9780 acres by July 7.","The Highline Fire started on June 10 about 8 miles north of Payson. The fire eventually merged with the Bear Fire and, together, burned 9780 acres by July 7." +116492,700645,INDIANA,2017,June,Flood,"DEARBORN",2017-06-23 20:24:00,EST-5,2017-06-23 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-85.01,38.9793,-85.0115,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported across West Laughery Creek Road near State Route 262." +117553,706965,ARIZONA,2017,June,Wildfire,"EASTERN MOGOLLON RIM",2017-06-02 12:51:00,MST-7,2017-06-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Slim Fire was lightning cause on June 2 about 16 mile west of Heber and 4 miles north of Forest Lakes. This fire burned around 3,241 acres of Timber (litter and understory) with mixed conifer and ponderosa pine.","The Slim Fire burned through 3,241 acres of timber (litter and understory) with mixed conifer and ponderosa pine on the Eastern Mogollon Rim." +117182,706735,CONNECTICUT,2017,June,Hail,"LITCHFIELD",2017-06-21 15:15:00,EST-5,2017-06-21 15:15:00,0,0,0,0,,NaN,,NaN,41.94,-72.97,41.94,-72.97,"A surface trough passed through the area, allowing for isolated to scattered thunderstorms to develop during the afternoon. All of the thunderstorms were sub-severe, except for one in Litchfield county, CT, where it produced 1 inch hail.","Penny size hail was reported by a spotter during a thunderstorm 1 mile north-northwest of Barkhampsted." +117594,707225,ARIZONA,2017,June,Excessive Heat,"CHINLE VALLEY",2017-06-17 11:00:00,MST-7,2017-06-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 97 in Canyon de Chelly on June 17 tied record last set in 2002.||The high of 103 in Canyon de Chelly on June 23 broke the record of 101 last set in 2012." +117440,706295,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-15 15:45:00,EST-5,2017-06-15 16:45:00,0,0,0,0,0.00K,0,0.00K,0,28.98,-81.92,28.98,-81.92,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","The public estimated 3 inches of rainfall in one hour." +117440,706292,FLORIDA,2017,June,Hail,"CLAY",2017-06-15 17:50:00,EST-5,2017-06-15 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-81.77,30.12,-81.77,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A video of quarter size hail near Doctor's Inlet was shared with the NWS." +117440,706293,FLORIDA,2017,June,Hail,"CLAY",2017-06-15 17:55:00,EST-5,2017-06-15 17:55:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-81.77,30.12,-81.77,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Hail was photographed and shared from Doctor's Inlet area." +117440,706294,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-15 13:20:00,EST-5,2017-06-15 14:20:00,0,0,0,0,0.00K,0,0.00K,0,29.06,-82.05,29.06,-82.05,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A spotter measured 2.25 inches of rainfall in one hour." +117440,706296,FLORIDA,2017,June,Lightning,"DUVAL",2017-06-15 15:10:00,EST-5,2017-06-15 15:10:00,1,0,0,0,0.00K,0,0.00K,0,30.46,-81.59,30.46,-81.59,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A home was struck by lightning. A person inside was shocked." +117440,706299,FLORIDA,2017,June,Thunderstorm Wind,"MARION",2017-06-15 16:20:00,EST-5,2017-06-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,29.04,-81.93,29.04,-81.93,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A tree was blown down." +115191,691716,LOUISIANA,2017,April,Hail,"ACADIA",2017-04-02 06:45:00,CST-6,2017-04-02 06:45:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-92.5,30.12,-92.5,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Quarter size hail reported in Morse." +115191,691717,LOUISIANA,2017,April,Hail,"ACADIA",2017-04-02 07:32:00,CST-6,2017-04-02 07:32:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-92.27,30.24,-92.27,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115191,691718,LOUISIANA,2017,April,Hail,"LAFAYETTE",2017-04-02 07:35:00,CST-6,2017-04-02 07:35:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-92.19,30.23,-92.19,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115191,691719,LOUISIANA,2017,April,Hail,"LAFAYETTE",2017-04-02 07:48:00,CST-6,2017-04-02 07:48:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-92.03,30.22,-92.03,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","One inch in diameter hail was reported by Lafayette media." +121832,730649,ILLINOIS,2017,December,Winter Weather,"CARROLL",2017-12-11 13:00:00,CST-6,2017-12-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved eastward from Minnesota into Michigan during the day bringing snow to eastern Iowa and northwest Illinois. The heaviest snow fall across northwest Illinois where snowfall amounts ranged from 2 to 5 inches in Carroll, Jo Daviess, Stephenson, and Whiteside Counties.","Trained spotter snowfall reports ranged from 3 inches at Lanark to 5 inches at Mount Carroll." +121832,730650,ILLINOIS,2017,December,Winter Weather,"JO DAVIESS",2017-12-11 12:45:00,CST-6,2017-12-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved eastward from Minnesota into Michigan during the day bringing snow to eastern Iowa and northwest Illinois. The heaviest snow fall across northwest Illinois where snowfall amounts ranged from 2 to 5 inches in Carroll, Jo Daviess, Stephenson, and Whiteside Counties.","Snowfall reports ranged from 1 inch at Galena to 4 inches 7 miles south at Stockton." +115191,691720,LOUISIANA,2017,April,Hail,"LAFAYETTE",2017-04-02 07:55:00,CST-6,2017-04-02 07:55:00,0,0,0,0,0.00K,0,0.00K,0,30.22,-92.03,30.22,-92.03,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Pictures and video posted to social media indicated half dollar size hail." +115191,691721,LOUISIANA,2017,April,Hail,"RAPIDES",2017-04-02 13:10:00,CST-6,2017-04-02 13:10:00,0,0,0,0,0.00K,0,0.00K,0,31.29,-92.46,31.29,-92.46,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115208,691784,OHIO,2017,April,Winter Storm,"MEDINA",2017-04-06 20:00:00,EST-5,2017-04-07 14:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of deep low pressure moved up the East Coast on April 6th and 7th. Precipitation associated with this storm spread west across the Upper Ohio Valley. Rain developed on the 6th and changed to snow after sunset. The snow then continued overnight before finally ending by mid morning on the 7th as the low moved over the New England states. The snow was enhanced by Lake Erie with periods of moderate to heavy snow reported along the central lake shore counties. Snowfall rates were greater than inch per hour during the early morning hours of the 7th. The Cleveland Metro area saw some of the heaviest snow with more than 6 inches of snow over much of Medina and Cuyahoga Counties. Some of the higher totals in Cuyahoga County included 10.1 inches at North Royalton; 10.0 inches at Broadview Heights; 7.5 inches at Parma and 6.0 inches in Shaker Heights. In Medina County the highest totals was 7.0 inches northeast of Medina with 6.8 inches at Brunswick and 6.2 inches at Hinckley. Northwest winds gusts to more than 30 mph during this event causing a lot of blowing and drifting. Many accidents were reported and some schools were delayed or cancelled on the 7th.","An area of deep low pressure moved up the East Coast on April 6th and 7th. Precipitation associated with this storm spread west across the Upper Ohio Valley. Rain developed on the 6th and changed to snow after sunset. The snow then continued overnight before finally ending by mid morning on the 7th as the low moved over the New England states. The snow was enhanced by Lake Erie with periods of moderate to heavy snow reported along the central lake shore counties. Snowfall rates were greater than inch per hour during the early morning hours of the 7th. The Cleveland Metro area saw some of the heaviest snow with more than 6 inches of snow over much of Medina and Cuyahoga Counties. In Medina County the highest totals was 7.0 inches northeast of Medina with 6.8 inches at Brunswick and 6.2 inches at Hinckley. Northwest winds gusts to more than 30 mph during this event causing a lot of blowing and drifting. Many accidents were reported and some schools were delayed or cancelled on the 7th." +115231,691849,WISCONSIN,2017,April,Hail,"JEFFERSON",2017-04-10 14:23:00,CST-6,2017-04-10 14:23:00,0,0,0,0,0.00K,0,0.00K,0,43.01,-88.81,43.01,-88.81,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115772,698381,GEORGIA,2017,April,Hail,"HALL",2017-04-05 22:08:00,EST-5,2017-04-05 22:18:00,0,0,0,0,,NaN,,NaN,34.32,-83.79,34.32,-83.79,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Hall County Emergency Manager reported quarter size hail at the Hall County EOC in Gainesville." +115772,698382,GEORGIA,2017,April,Hail,"GWINNETT",2017-04-05 22:00:00,EST-5,2017-04-05 22:10:00,0,0,0,0,,NaN,,NaN,34.05,-83.93,34.05,-83.93,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","An amateur radio operator reported quarter size hail around the intersection of Highway 324 and Highway 124." +115772,698383,GEORGIA,2017,April,Hail,"BARROW",2017-04-05 22:07:00,EST-5,2017-04-05 22:17:00,0,0,0,0,,NaN,,NaN,34.01,-83.83,34.01,-83.83,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported ping pong ball size hail in Auburn." +115273,692060,OHIO,2017,April,Thunderstorm Wind,"MAHONING",2017-04-30 14:52:00,EST-5,2017-04-30 14:55:00,0,0,0,0,500.00K,500000,0.00K,0,41.0266,-80.6671,41.029,-80.6359,"A warm front lifted north across the Upper Ohio Valley causing a line of showers and thunderstorms to develop. A couple of the stronger storms became severe. A downburst hit portions of Mahoning County causing extensive damage in Boardman.","Thunderstorm downburst winds estimated to be in excess of 70 mph caused extensive damage in Boardman. The worst of the damage was from near the intersection of U.S. Highway 224 and Market Street east to near Interstate 680. A few businesses on Market Street lost sections of roofing. Several storage trailers in the area were also knocked over. Just to the east of Market Street many trees were downed along Crestline Place and Marinthana Avenue. Homes along these streets lost sections of roofing as well. The damage extended as far east as the Applewood Acres neighborhood. Downed trees and minor home damage were reported in that area as well. A couple of billboards were also damaged. Widespread power outages were reported in Boardman. It took more than a day for power to be fully restored." +115772,698385,GEORGIA,2017,April,Hail,"BANKS",2017-04-05 22:30:00,EST-5,2017-04-05 22:40:00,0,0,0,0,241.00K,241000,,NaN,34.25,-83.38,34.25,-83.38,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A CoCoRaHS observer reported golf ball size hail." +115772,698387,GEORGIA,2017,April,Hail,"JACKSON",2017-04-05 22:05:00,EST-5,2017-04-05 22:15:00,0,0,0,0,,NaN,,NaN,34.12,-83.76,34.12,-83.76,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A report was received of quarter size hail at the intersection of I-85 and Highway 53 on social media." +115792,695862,TEXAS,2017,April,Hail,"MOORE",2017-04-21 03:23:00,CST-6,2017-04-21 03:23:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.97,35.86,-101.97,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Late report from Moore county Sheriffs office of quarter size hail in western and downtown Dumas." +115792,695863,TEXAS,2017,April,Hail,"HUTCHINSON",2017-04-21 03:35:00,CST-6,2017-04-21 03:35:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-101.44,35.82,-101.44,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Public called and reported slightly larger than ping pong ball sized hail in Stinett." +115792,695864,TEXAS,2017,April,Hail,"OCHILTREE",2017-04-21 03:47:00,CST-6,2017-04-21 03:47:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-100.8,36.39,-100.8,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Report via Facebook." +115792,695867,TEXAS,2017,April,Hail,"LIPSCOMB",2017-04-21 03:56:00,CST-6,2017-04-21 03:56:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-100.15,36.44,-100.15,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Late report...time estimated by radar." +115183,691607,ILLINOIS,2017,April,Thunderstorm Wind,"MENARD",2017-04-29 16:00:00,CST-6,2017-04-29 16:05:00,0,0,0,0,24.00K,24000,0.00K,0,40,-89.84,40,-89.84,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A three-foot diameter oak tree was blown down. Several other trees and power lines were blown down as well." +115183,691613,ILLINOIS,2017,April,Thunderstorm Wind,"SANGAMON",2017-04-29 16:00:00,CST-6,2017-04-29 16:05:00,0,0,0,0,,NaN,0.00K,0,39.59,-89.54,39.59,-89.54,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Six empty train coal cars were derailed due to high winds." +115183,691609,ILLINOIS,2017,April,Thunderstorm Wind,"CHRISTIAN",2017-04-29 16:10:00,CST-6,2017-04-29 16:15:00,0,0,0,0,15.00K,15000,0.00K,0,39.5271,-89.3092,39.5271,-89.3092,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Power lines were blown down along Highway 48 south of Taylorville." +115813,696008,OKLAHOMA,2017,April,Flood,"OTTAWA",2017-04-21 16:15:00,CST-6,2017-04-24 07:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9577,-94.9938,36.9455,-94.957,"A frontal boundary sagged into northeastern Oklahoma early on the 20th and moved slowly into southeastern Oklahoma on the 21st. Several rounds of thunderstorms developed over the region along and north of the front. Areas of northeastern Oklahoma received between 2.5 and 6 inches of rain over the two-day period as a result of this widespread and repetitive thunderstorm activity. This excessive rainfall resulted in moderate flooding of the Neosho River near Commerce, and moderate flooding of the Illinois River near Watts, Chewey, and Tahlequah.","The Neosho River near Commerce rose above its flood stage of 15 feet at 5:15 pm CDT on April 21st. The river crested at 19.08 feet at 2:00 am CDT on the 23rd, resulting in moderate flooding. The river fell below flood stage at 8:15 am CDT on the 24th." +115813,696039,OKLAHOMA,2017,April,Flood,"ADAIR",2017-04-21 22:30:00,CST-6,2017-04-22 21:45:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-94.57,36.12,-94.6094,"A frontal boundary sagged into northeastern Oklahoma early on the 20th and moved slowly into southeastern Oklahoma on the 21st. Several rounds of thunderstorms developed over the region along and north of the front. Areas of northeastern Oklahoma received between 2.5 and 6 inches of rain over the two-day period as a result of this widespread and repetitive thunderstorm activity. This excessive rainfall resulted in moderate flooding of the Neosho River near Commerce, and moderate flooding of the Illinois River near Watts, Chewey, and Tahlequah.","The Illinois River near Watts rose above its flood stage of 13 feet at 11:30 pm CDT on April 21st. The river crested at 19.41 feet at 1:00 pm CDT on the 22nd, resulting in moderate flooding. The river fell below flood stage at 10:45 pm CDT on the 22nd." +115813,696317,OKLAHOMA,2017,April,Flood,"ADAIR",2017-04-22 06:00:00,CST-6,2017-04-23 04:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1128,-94.777,36.1121,-94.7681,"A frontal boundary sagged into northeastern Oklahoma early on the 20th and moved slowly into southeastern Oklahoma on the 21st. Several rounds of thunderstorms developed over the region along and north of the front. Areas of northeastern Oklahoma received between 2.5 and 6 inches of rain over the two-day period as a result of this widespread and repetitive thunderstorm activity. This excessive rainfall resulted in moderate flooding of the Neosho River near Commerce, and moderate flooding of the Illinois River near Watts, Chewey, and Tahlequah.","The Illinois River near Chewey rose above its flood stage of 12 feet at 7:00 am CDT on April 22nd. The river crested at 16.11 feet at 9:15 pm CDT on the 22nd, resulting in moderate flooding. The river fell below flood stage at 5:15 am CDT on the 23rd." +115415,693984,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 17:23:00,EST-5,2017-04-03 17:24:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","A Weatherflow site on South Tybee Island recorded a 36 knot wind gust with a passing thunderstorm." +115415,693985,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 17:33:00,EST-5,2017-04-03 17:34:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","A Weatherflow site on South Tybee Island recorded a 37 knot wind gust." +115415,693988,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 17:26:00,EST-5,2017-04-03 17:27:00,0,0,0,0,,NaN,,NaN,31.4,-80.87,31.4,-80.87,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","Buoy 41008 recorded a 39 knot wind gust with a passing thunderstorm." +115801,695903,PENNSYLVANIA,2017,April,Hail,"ALLEGHENY",2017-04-27 19:40:00,EST-5,2017-04-27 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-80.11,40.58,-80.11,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115801,695904,PENNSYLVANIA,2017,April,Hail,"ALLEGHENY",2017-04-27 19:44:00,EST-5,2017-04-27 19:44:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-80.05,40.61,-80.05,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115801,695905,PENNSYLVANIA,2017,April,Hail,"BUTLER",2017-04-27 19:45:00,EST-5,2017-04-27 19:45:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-80.12,40.69,-80.12,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115801,695906,PENNSYLVANIA,2017,April,Hail,"BUTLER",2017-04-27 20:05:00,EST-5,2017-04-27 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-79.72,40.69,-79.72,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","" +115801,695908,PENNSYLVANIA,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-27 19:10:00,EST-5,2017-04-27 19:10:00,0,0,0,0,5.00K,5000,0.00K,0,40.38,-80.39,40.38,-80.39,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","State official trees down in Smith Township." +115801,695910,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ALLEGHENY",2017-04-27 19:40:00,EST-5,2017-04-27 19:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.58,-80.11,40.58,-80.11,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","The public reported large limbs brought down by thunderstorm wind." +115294,696690,ILLINOIS,2017,April,Flood,"SCOTT",2017-04-29 21:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7907,-90.5974,39.6966,-90.6457,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the early evening hours, on already saturated ground, resulted in flash flooding across much of Scott County. Numerous streets in Winchester were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 106 which was closed in spots near Alsey. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +115294,696692,ILLINOIS,2017,April,Flood,"MORGAN",2017-04-29 21:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8747,-90.5826,39.7907,-90.5974,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 4.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Morgan County. Numerous streets in Jacksonville and Meredosia were impassable, as were numerous rural roads and highways in the county including parts of Illinois Route 104 and Route 100 which were closed in spots. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +115053,690657,ARKANSAS,2017,April,Drought,"WASHINGTON",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of northwestern Arkansas during the month of April 2017. Rainfall amounts across the area ranged from about four inches to nearly twenty inches, which corresponded to near normal rainfall to as much as 500 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690665,OKLAHOMA,2017,April,Drought,"PUSHMATAHA",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690666,OKLAHOMA,2017,April,Drought,"CHOCTAW",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690668,OKLAHOMA,2017,April,Drought,"OSAGE",2017-04-01 00:00:00,CST-6,2017-04-18 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690670,OKLAHOMA,2017,April,Drought,"PAWNEE",2017-04-01 00:00:00,CST-6,2017-04-18 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115099,691592,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 13:20:00,CST-6,2017-04-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4851,-94.47,36.4757,-94.4669,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Rural roads near Sulphur Springs were flooded." +115099,691594,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 14:07:00,CST-6,2017-04-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-94.53,36.1929,-94.532,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Roads were flooded and impassable in Siloam Springs." +115099,691620,ARKANSAS,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-29 16:05:00,CST-6,2017-04-29 16:05:00,0,0,0,0,5.00K,5000,0.00K,0,35.649,-94.394,35.649,-94.394,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Strong thunderstorm wind blew down power lines, and damaged buildings." +115099,691676,ARKANSAS,2017,April,Tornado,"CRAWFORD",2017-04-29 15:57:00,CST-6,2017-04-29 16:05:00,0,0,0,0,50.00K,50000,0.00K,0,35.6709,-94.4602,35.7202,-94.3833,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","A tornado developed northwest of Natural Dam and moved northeast. It destroyed a mobile home, uprooted numerous trees, and damaged a permanent home along Highway 59. The tornado uprooted more trees as it crossed Liberty Hill Road, and then dissipated over wooded terrain south of Cove Creek Crossing. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +115063,690870,OKLAHOMA,2017,April,Thunderstorm Wind,"OKFUSKEE",2017-04-21 09:50:00,CST-6,2017-04-21 09:50:00,0,0,0,0,0.00K,0,0.00K,0,35.4317,-96.2627,35.4317,-96.2627,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","The Oklahoma Mesonet station near Okemah measured 64 mph thunderstorm wind gusts." +115063,690871,OKLAHOMA,2017,April,Thunderstorm Wind,"OKMULGEE",2017-04-21 10:06:00,CST-6,2017-04-21 10:06:00,0,0,0,0,0.00K,0,0.00K,0,35.4395,-95.9803,35.4395,-95.9803,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind snapped large tree limbs." +115063,690872,OKLAHOMA,2017,April,Thunderstorm Wind,"OKMULGEE",2017-04-21 10:10:00,CST-6,2017-04-21 10:10:00,0,0,0,0,0.00K,0,0.00K,0,35.8416,-96.0024,35.8416,-96.0024,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","The Oklahoma Mesonet station west of Hectorville measured 68 mph thunderstorm wind gusts." +115063,690873,OKLAHOMA,2017,April,Thunderstorm Wind,"MCINTOSH",2017-04-21 10:20:00,CST-6,2017-04-21 10:20:00,0,0,0,0,0.00K,0,0.00K,0,35.5199,-95.7518,35.5199,-95.7518,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind snapped large tree limbs." +115098,691760,OKLAHOMA,2017,April,Flash Flood,"OKMULGEE",2017-04-29 21:24:00,CST-6,2017-04-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5221,-95.9621,35.5214,-95.9621,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Cherry Road northwest of Schulter was closed due to high water." +115098,691759,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-29 20:30:00,CST-6,2017-04-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2801,-95.9032,36.2766,-95.9037,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Portions of E 86th Street N were flooded and closed between N Sheridan Road and N Yale Avenue." +115098,691763,OKLAHOMA,2017,April,Flash Flood,"HASKELL",2017-04-29 22:00:00,CST-6,2017-04-29 23:15:00,0,0,0,0,500.00K,500000,0.00K,0,35.1273,-95.2455,35.1146,-95.2476,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Approximately 40 structures were damaged by flood waters. Numerous roads were flooded in town." +115098,691762,OKLAHOMA,2017,April,Flash Flood,"OKMULGEE",2017-04-29 22:00:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,35.8312,-95.9033,35.8328,-95.897,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Portions of Bixby Road were closed between Hectorville Road and Ferguson Road due to flooding." +114041,683321,KENTUCKY,2017,April,Thunderstorm Wind,"OLDHAM",2017-04-29 07:53:00,EST-5,2017-04-29 07:53:00,0,0,0,0,50.00K,50000,0.00K,0,38.4,-85.58,38.4,-85.58,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Power poles were broken, reported by mPing." +114041,683324,KENTUCKY,2017,April,Lightning,"HENRY",2017-04-28 23:55:00,EST-5,2017-04-28 23:55:00,0,0,0,0,30.00K,30000,0.00K,0,38.54,-85.1,38.54,-85.1,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","The Henry County COOP Observer reported a barn struck by lightning, resulting in minor damage." +114041,683325,KENTUCKY,2017,April,Thunderstorm Wind,"BARREN",2017-04-30 15:14:00,CST-6,2017-04-30 15:14:00,0,0,0,0,20.00K,20000,0.00K,0,36.96,-86.14,36.96,-86.14,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees were down on Colesbend Road." +114041,683326,KENTUCKY,2017,April,Thunderstorm Wind,"ALLEN",2017-04-30 14:58:00,CST-6,2017-04-30 14:58:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-86.19,36.78,-86.19,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down on Smiths Grove Road." +114041,683327,KENTUCKY,2017,April,Thunderstorm Wind,"ALLEN",2017-04-30 15:02:00,CST-6,2017-04-30 15:02:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-86.14,36.86,-86.14,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees down on Port Oliver Road." +114041,683328,KENTUCKY,2017,April,Thunderstorm Wind,"HART",2017-04-30 15:40:00,CST-6,2017-04-30 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.91,37.35,-85.91,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +113801,681419,KENTUCKY,2017,April,Thunderstorm Wind,"WARREN",2017-04-05 15:29:00,CST-6,2017-04-05 15:29:00,0,0,0,0,,NaN,0.00K,0,37.06,-86.27,37.06,-86.27,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A barn was damaged due to severe thunderstorm winds." +114598,687306,IOWA,2017,April,Hail,"MITCHELL",2017-04-09 20:48:00,CST-6,2017-04-09 20:48:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-92.92,43.39,-92.92,"Thunderstorms developed along a cold front across parts of northeast Iowa during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms only impacted Mitchell County around St. Ansgar and Stacyville. The largest hail reported was 2.5 inches in diameter northeast of Stacyville.","Quarter sized hail fell just north of St. Ansgar." +114598,687308,IOWA,2017,April,Hail,"MITCHELL",2017-04-09 20:47:00,CST-6,2017-04-09 20:47:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-92.92,43.38,-92.92,"Thunderstorms developed along a cold front across parts of northeast Iowa during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms only impacted Mitchell County around St. Ansgar and Stacyville. The largest hail reported was 2.5 inches in diameter northeast of Stacyville.","Quarter to half dollar sized hail was reported in St. Ansgar." +114598,687310,IOWA,2017,April,Hail,"MITCHELL",2017-04-09 20:58:00,CST-6,2017-04-09 20:58:00,0,0,0,0,0.00K,0,0.00K,0,43.44,-92.78,43.44,-92.78,"Thunderstorms developed along a cold front across parts of northeast Iowa during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms only impacted Mitchell County around St. Ansgar and Stacyville. The largest hail reported was 2.5 inches in diameter northeast of Stacyville.","Half dollar sized hail fell in Stacyville." +114598,687311,IOWA,2017,April,Hail,"MITCHELL",2017-04-09 21:00:00,CST-6,2017-04-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,43.46,-92.75,43.46,-92.75,"Thunderstorms developed along a cold front across parts of northeast Iowa during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms only impacted Mitchell County around St. Ansgar and Stacyville. The largest hail reported was 2.5 inches in diameter northeast of Stacyville.","Tennis ball sized hail was reported northeast of Stacyville." +114606,687341,WISCONSIN,2017,April,Hail,"JACKSON",2017-04-09 23:28:00,CST-6,2017-04-09 23:28:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-90.84,44.28,-90.84,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","Quarter sized hail was reported in Black River Falls." +118093,709749,VIRGINIA,2017,June,Thunderstorm Wind,"JAMES CITY",2017-06-19 17:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,37.24,-76.76,37.24,-76.76,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Numerous trees were downed in Williamsburg along Jamestown Road." +118093,709750,VIRGINIA,2017,June,Thunderstorm Wind,"WILLIAMSBURG (C)",2017-06-19 17:05:00,EST-5,2017-06-19 17:05:00,0,0,0,0,2.00K,2000,0.00K,0,37.27,-76.72,37.27,-76.72,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Numerous trees were downed along William and Mary campus from Jamestown Road to Monticello Avenue." +118093,709751,VIRGINIA,2017,June,Thunderstorm Wind,"KING WILLIAM",2017-06-19 17:22:00,EST-5,2017-06-19 17:22:00,0,0,0,0,2.00K,2000,0.00K,0,37.77,-77.12,37.77,-77.12,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed in Aylett and Manquin." +118093,709752,VIRGINIA,2017,June,Thunderstorm Wind,"POWHATAN",2017-06-19 17:30:00,EST-5,2017-06-19 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.61,-77.92,37.61,-77.92,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Large tree was downed along Cosby Road just west of Maidens Road." +118093,709753,VIRGINIA,2017,June,Thunderstorm Wind,"HANOVER",2017-06-19 17:35:00,EST-5,2017-06-19 17:35:00,0,0,0,0,1.00K,1000,0.00K,0,37.73,-77.65,37.73,-77.65,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Tree was downed across Georgetown Road." +115772,698329,GEORGIA,2017,April,Tornado,"STEWART",2017-04-05 11:28:00,EST-5,2017-04-05 11:43:00,0,0,0,0,50.00K,50000,,NaN,31.9224,-84.793,31.9558,-84.6549,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF2 tornado with maximum wind speeds of 120 MPH and a maximum path width of 1320 yards touched down |near the Randolph-Stewart County line along US Highway 27 and quickly moved northeast into Stewart County. The tornado touched down in extreme northwest Randolph County at EF1 strength. The tornado then traveled across southeast Stewart County snapping or uprooting trees. About 5 miles west of Weston, but still in Stewart County, EF2 damage occurred from County Road 91 across County Road 148 to the Freeman Extension south of Goodwins Pond Road. A number of trees were uprooted while most were snapped at the trunk, including trunks with diameters as large as 2 feet. Two chicken houses were destroyed and two trailers suffered roof damage. One of the trailers was largely destroyed, but not moved from its foundation. The tornado weakened to EF1 and continued into Webster County. No injuries were reported. [04/05/17: Tornado #3, County #1/2, EF-2, Stewart, Webster, 2017:062]." +118093,709754,VIRGINIA,2017,June,Thunderstorm Wind,"POWHATAN",2017-06-19 17:35:00,EST-5,2017-06-19 17:35:00,0,0,0,0,2.00K,2000,0.00K,0,37.54,-77.88,37.54,-77.88,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Power lines were downed and blocking the roadway along Anderson Road/US-60 at Buckingham Road." +119185,715754,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-15 14:53:00,MST-7,2017-07-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-112.33,34.6909,-112.4313,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","Thunderstorms produced wind gusts to 60 MPH." +119185,715756,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-15 16:20:00,MST-7,2017-07-15 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.11,-112.3,34.1624,-112.3277,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","A peak wind gust of 67 MPH was measured at the Humbug Creek RAWS (estimated time)." +119146,715574,MARYLAND,2017,July,Thunderstorm Wind,"DORCHESTER",2017-07-14 17:40:00,EST-5,2017-07-14 17:40:00,0,0,0,0,1.00K,1000,0.00K,0,38.58,-76.26,38.58,-76.26,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Large tree was downed." +115772,698330,GEORGIA,2017,April,Tornado,"WEBSTER",2017-04-05 11:43:00,EST-5,2017-04-05 11:55:00,0,0,0,0,100.00K,100000,,NaN,31.9558,-84.6549,31.9708,-84.5496,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that the tornado that began in Randolph County and moved across southeastern Stewart County moved into Webster County at EF1 intensity, with maximum wind speeds of 104 MPH and a maximum path width of 880 yards, south of Goodwins Pond Road. The tornado continued moving east crossing Highway 41 and Highway 520 before ending around the intersection of Hudson Leverette Road and County Road 23. The damage was mostly to trees, power lines, and small farm outbuildings. One peanut farm storage building was destroyed, but fortunately the employees had been sent home earlier in the day due to the threat for severe weather. The owner of the farm had left minutes prior to the arrival of the tornado after receiving a phone call stating that Weston was in the path of the storm. No injuries were reported. [04/05/17: Tornado #3, County #2/2, EF-1, Stewart, Webster, 2017:062]." +117516,706845,TEXAS,2017,June,Flash Flood,"JEFFERSON",2017-06-04 08:40:00,CST-6,2017-06-04 09:40:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-94.16,30.043,-94.147,"A moist air mass was in place across Southeast Texas while and upper disturbance moved through. Scattered thunderstorms developed, however only one report of flooding was received.","The Jefferson County Sheriff's Department reported street flooding in Beaumont including along Brooks Road." +115774,695916,GEORGIA,2017,April,Thunderstorm Wind,"WILKINSON",2017-04-23 17:35:00,EST-5,2017-04-23 17:40:00,0,0,0,0,1.00K,1000,,NaN,32.8174,-83.1663,32.8174,-83.1663,"A deep upper-level low along with an associated strong surface low and cold front swept through the region. By late afternoon, strong daytime heating across central Georgia resulted in a moderately unstable atmosphere and scattered severe thunderstorms.","The Wilkinson County Sheriff's Office reported a tree blown down Parker Street." +115776,695987,GEORGIA,2017,April,Thunderstorm Wind,"WHITFIELD",2017-04-29 17:15:00,EST-5,2017-04-29 17:20:00,0,0,0,0,8.00K,8000,,NaN,34.982,-84.9314,34.982,-84.9314,"Near record warmth combined with ample low-level moisture resulting in a very unstable atmosphere by late afternoon. Scattered strong thunderstorms developed with an isolated report of wind damage in north Georgia.","The local media reported numerous trees and power lines blown down along Cleveland Highway near the Tennessee state line." +117837,708288,TEXAS,2017,June,Flash Flood,"JEFFERSON",2017-06-25 20:30:00,CST-6,2017-06-25 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,29.9,-93.93,29.9219,-93.9122,"Tropical Storm Cindy moved inland during the 22nd. A moist and unstable air mass remained in place for around a week after the system moved through. This produced multiple days of rain and one severe storm.","Heavy rain produced flooding in Port Arthur. This caused several cars to be stalled on Jimmy Johnson Blvd." +117837,708289,TEXAS,2017,June,Flash Flood,"JEFFERSON",2017-06-27 13:00:00,CST-6,2017-06-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.133,-94.1676,30.1012,-94.2304,"Tropical Storm Cindy moved inland during the 22nd. A moist and unstable air mass remained in place for around a week after the system moved through. This produced multiple days of rain and one severe storm.","Heavy rain produced street flooding around Beaumont. Pictures and video were also sent in of flooded Porter and Brooklyn Streets." +117837,708290,TEXAS,2017,June,Flash Flood,"ORANGE",2017-06-29 06:50:00,CST-6,2017-06-29 06:50:00,0,0,0,0,0.00K,0,0.00K,0,30.0228,-93.8761,30.1202,-93.7862,"Tropical Storm Cindy moved inland during the 22nd. A moist and unstable air mass remained in place for around a week after the system moved through. This produced multiple days of rain and one severe storm.","Posts to social media indicated extensive street flooding in Bridge City and Orange. Many streets were impassable and water approached some structures." +117707,707824,WASHINGTON,2017,June,Flood,"OKANOGAN",2017-06-01 00:00:00,PST-8,2017-06-05 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,48.9191,-119.4791,48.1814,-119.773,"Responding to spring time mountain snow melt, the Okanogan River achieved Minor Flood Stage on May 23rd and continued flood through the beginning of June. No structures were flooded but inundation of bottom lands and fields along the river was extensive.","The Okanogan River Gage at Tonasket recorded a rise above the Flood Stage of 15.0 feet at 7:30 AM PST on May 23rd. The river continued to flood into the first week of June, achieving and cresting at the Moderate Flood Stage of 17.0 feet from 7:30 PM to 10:15 PM on June 1st. The river slowly dropped during the first week of June and passed below the Flood Stage at 10:15 PM PST on June 5th." +115911,696648,NEW MEXICO,2017,June,Thunderstorm Wind,"BERNALILLO",2017-06-26 17:30:00,MST-7,2017-06-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-106.62,35.04,-106.62,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","A potent gap wind surged through Tijeras Canyon and spawned thunderstorms that enhanced high winds with small hail and heavy rainfall over the Albuquerque Sunport. Peak winds up to 59 mph occurred for half an hour." +115941,696658,NEW MEXICO,2017,June,Thunderstorm Wind,"SOCORRO",2017-06-27 15:49:00,MST-7,2017-06-27 15:51:00,0,0,0,0,0.00K,0,0.00K,0,33.79,-106.49,33.79,-106.49,"A thunderstorm that developed over the high terrain west of Bosque del Apache moved east through the wildlife preserve and strengthened over the White Sands Missile Range. A wind gust to 68 mph was reported at the Mine mesonet station.","White Sands Missile Range Mine station." +116560,700887,NEW MEXICO,2017,June,Wildfire,"NORTHWEST PLATEAU",2017-06-29 15:00:00,MST-7,2017-06-29 16:00:00,0,0,0,0,80.00K,80000,0.00K,0,NaN,NaN,NaN,NaN,"A brush fire in Bloomfield caused several residents to evacuate their homes as the fire destroyed two structures and three vehicles. The Bloomfield, Farmington and San Juan County fire departments were dispatched to reports of a brush fire near San de Cristo Court around 4 p.m. The Bloomfield Police Department also responded to the scene. No homes were destroyed in the fire, but two outbuildings and three vehicles were destroyed. About 3 acres of land was burned. A reverse 911 call was made to residents along San De Cristo Court to evacuate and meet at Bloomfield High School. Traffic along U.S. Highway 64 was shut down between North First Avenue and Mustang Lane due to the fire.","A brush fire at San de Cristo Court in Bloomfield burned two outbuildings and three vehicles." +116562,700890,NEW MEXICO,2017,June,Hail,"COLFAX",2017-06-30 15:47:00,MST-7,2017-06-30 15:49:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-105,36.88,-105,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Penny size hail at Vermejo Park." +115938,696622,NORTH DAKOTA,2017,June,Tornado,"TRAILL",2017-06-07 12:13:00,CST-6,2017-06-07 12:15:00,0,0,0,0,,NaN,,NaN,47.52,-97.36,47.5267,-97.3364,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado was viewed by local residents. Peak winds were estimated at 75 mph." +115938,696626,NORTH DAKOTA,2017,June,Tornado,"GRAND FORKS",2017-06-07 12:17:00,CST-6,2017-06-07 12:19:00,0,0,0,0,,NaN,,NaN,47.92,-97.43,47.9226,-97.4182,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","A funnel cloud was reported by Grand Forks Air Force Base observers west-southwest of their location. A damage survey noted an apparent brief touchdown with broken branches in a shelterbelt just south of U. S. Highway 2, with branch debris flung eastward into the adjacent field. Peak winds were estimated at 75 mph." +115938,696628,NORTH DAKOTA,2017,June,Tornado,"TRAILL",2017-06-07 12:18:00,CST-6,2017-06-07 12:28:00,0,0,0,0,,NaN,,NaN,47.57,-97.42,47.6013,-97.32,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado produced a tall dust swirl but little apparent damage. Peak winds were estimated at 75 mph." +115938,696634,NORTH DAKOTA,2017,June,Tornado,"GRAND FORKS",2017-06-07 12:23:00,CST-6,2017-06-07 12:30:00,0,0,0,0,,NaN,,NaN,47.69,-97.34,47.7066,-97.3082,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","No significant damage was found along this tornado track. Peak winds were estimated at 75 mph." +114063,686302,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:40:00,CST-6,2017-04-02 08:40:00,0,0,0,0,15.00K,15000,,NaN,30.4147,-97.7648,30.4147,-97.7648,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 60 mph that knocked a five inch tree limb down a parked car near the intersection of Sans Souci Cove and Sans Souci Pl. in the Great Hills area of northwestern Austin." +114623,687437,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:20:00,CST-6,2017-04-15 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.2698,-93.4619,41.2698,-93.4619,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Emergency manager reported quarter sized hail at 180th and Tripoli." +115772,698354,GEORGIA,2017,April,Hail,"MUSCOGEE",2017-04-05 04:00:00,EST-5,2017-04-05 04:10:00,0,0,0,0,,NaN,,NaN,32.49,-84.94,32.49,-84.94,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported nickel size hail in the Columbus area." +115772,698369,GEORGIA,2017,April,Hail,"CRISP",2017-04-05 14:20:00,EST-5,2017-04-05 14:30:00,0,0,0,0,,NaN,,NaN,31.83,-83.74,31.83,-83.74,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The Crisp County Emergency Manager reported quarter size hail I'm Arabi." +115772,698379,GEORGIA,2017,April,Hail,"TROUP",2017-04-05 21:25:00,EST-5,2017-04-05 21:35:00,0,0,0,0,,NaN,,NaN,33.0213,-85.1355,33.0213,-85.1355,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported quarter size hail in the Pyne Road area." +115771,698567,GEORGIA,2017,April,Thunderstorm Wind,"LAMAR",2017-04-03 11:56:00,EST-5,2017-04-03 12:01:00,0,0,0,0,7.00K,7000,,NaN,32.9726,-84.1137,32.9726,-84.1137,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","Am amateur radio operator reported trees blown down around the intersection of Highway 341 and Willis Road." +113357,678811,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-04-06 18:23:00,EST-5,2017-04-06 18:23:00,0,0,0,0,,NaN,,NaN,39.64,-74.21,39.64,-74.21,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front leading to strong/high winds from the thunderstorms with another round of wind after the cold frontal passage.","Weatherflow site." +115815,696034,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-04-04 12:25:00,EST-5,2017-04-04 12:25:00,0,0,0,0,0.00K,0,0.00K,0,28.7975,-80.7378,28.7975,-80.7378,"Clusters of strong thunderstorms moved quickly off the mainland and crossed the intracoastal and coastal waters with strong wind gusts.","USAF wind tower 0022 at the Kennedy Space Center measured a peak gust of 34 knots from the northeast as a strong thunderstorm passed nearby." +115796,696299,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"FENWICK IS DE TO CHINCOTEAGUE VA OUT 20NM",2017-04-06 13:45:00,EST-5,2017-04-06 13:45:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-75.2,38.21,-75.2,"Scattered thunderstorms in advance of strong low pressure and its associated cold front produced gusty winds across portions of the Maryland Coastal Waters.","Wind gust of 38 knots was measured." +115867,696337,NEW YORK,2017,April,Flood,"YATES",2017-04-20 22:15:00,EST-5,2017-04-21 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.5714,-77.1542,42.5724,-77.1512,"An area of moderate to heavy rain, with embedded thunderstorms, moved through Central New York causing areas of common urban flooding and ponding of water in a few locations.","Ponded water was reported on West Lake Road." +115705,696503,PUERTO RICO,2017,April,Flood,"VEGA ALTA",2017-04-17 21:19:00,AST-4,2017-04-17 21:19:00,0,0,0,0,0.00K,0,0.00K,0,18.4151,-66.332,18.4224,-66.3305,"Moist flow from south pushing against a frontal boundary extending out of a low pressure in the central Atlantic produced copious rainfall for much of Puerto Rico and St. Croix, USVI. A flash flood watch was in effect for the local area.","Rio Cibuco was reported out of its banks at PR-2,PR-160 and At Barrio Arenales." +116002,701437,NORTH CAROLINA,2017,May,Thunderstorm Wind,"RANDOLPH",2017-05-05 01:58:00,EST-5,2017-05-05 01:58:00,0,0,0,0,2.50K,2500,0.00K,0,35.8126,-79.9026,35.8126,-79.9026,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","Trees were reported down on Beeson Farm Road at Edgar Road." +116002,701446,NORTH CAROLINA,2017,May,Thunderstorm Wind,"GUILFORD",2017-05-05 02:41:00,EST-5,2017-05-05 02:41:00,0,0,0,0,10.00K,10000,0.00K,0,36.2194,-79.7883,36.2194,-79.7883,"A strong cold front moved across the region during the early morning hours of May 5th. Widespread Winds damage occurred in associated with the storms, along with one tornado in Granville County.","One tree was reported down an North Church Street at Highway 150." +116733,701977,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-05-21 20:15:00,CST-6,2017-05-21 20:15:00,0,0,0,0,0.00K,0,0.00K,0,28.63,-91.49,28.63,-91.49,"A weak cold front moved through the coastal waters during the 21st. One storm became severe.","KIER recorded a wind gust of 61 MPH." +116734,702041,NEW HAMPSHIRE,2017,May,Thunderstorm Wind,"GRAFTON",2017-05-18 19:28:00,EST-5,2017-05-18 19:33:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-71.97,44.17,-71.97,"A very hot and humid airmass for the time of year was in place over New Hampshire and western Maine during the evening of the 18th. Afternoon temperatures reached the lower to mid 90s in many inland locations. Showers and thunderstorms ahead of an approaching cold front moved out of western New England during the early evening and pushed into New Hampshire. Numerous reports of wind damage were reported with these storms as they moved across New Hampshire.","A severe thunderstorm downed trees and wires in Bath." +115236,702177,IOWA,2017,May,Thunderstorm Wind,"WINNESHIEK",2017-05-15 18:08:00,CST-6,2017-05-15 18:08:00,0,0,0,0,3.00K,3000,0.00K,0,43.0874,-91.772,43.0874,-91.772,"Severe thunderstorms moved across northeast Iowa during the evening of May 15th. These storms produced a small, short-lived tornado between Fort Atkinson and Calmar (Winneshiek County). Wind gusts in excess of 60 mph and reports of wind damage were common from Osage (Mitchell County) and Marble Rock (Floyd County) east to Monona and Guttenberg (Clayton County). Large hail was also common with Fort Atkinson getting hit especially hard. The large hail shredded the siding and damaged the roofs on an estimated 70 to 80 percent of the buildings in the town.","Several large trees were blown down south of Ossian." +114736,702208,KANSAS,2017,May,Hail,"SHAWNEE",2017-05-18 17:58:00,CST-6,2017-05-18 17:59:00,0,0,0,0,,NaN,,NaN,38.99,-95.76,38.99,-95.76,"Severe t-storms developed near a warm front during the late afternoon of May 18th. The storms were very slow moving and had reports of funnels and lowerings from time to time as they moved across Morris, Dickinson and into Wabaunsee counties. A brief tornado was reported by chasers in open country in the Flint Hills. No damage was reported from the tornado.","" +115959,696901,MINNESOTA,2017,June,Hail,"BECKER",2017-06-09 23:50:00,CST-6,2017-06-10 00:10:00,0,0,0,0,,NaN,,NaN,47.1,-95.84,47.1,-95.84,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115959,696903,MINNESOTA,2017,June,Hail,"MAHNOMEN",2017-06-10 00:15:00,CST-6,2017-06-10 00:15:00,0,0,0,0,,NaN,,NaN,47.15,-95.6,47.15,-95.6,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115959,696902,MINNESOTA,2017,June,Hail,"MAHNOMEN",2017-06-10 00:14:00,CST-6,2017-06-10 00:14:00,0,0,0,0,,NaN,,NaN,47.22,-95.65,47.22,-95.65,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The hail fell at the Elk Horn Resort on South Twin Lake." +115959,696904,MINNESOTA,2017,June,Hail,"CLEARWATER",2017-06-10 00:20:00,CST-6,2017-06-10 00:20:00,0,0,0,0,,NaN,,NaN,47.19,-95.42,47.19,-95.42,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115358,692639,TEXAS,2017,June,Thunderstorm Wind,"HALE",2017-06-08 22:00:00,CST-6,2017-06-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-101.76,33.88,-101.76,"Late this evening, a line of severe thunderstorms moved south from the south-central Texas Panhandle and across the South Plains. Isolated downbursts accompanied this line of storms, including multiple downed trees in and near Tulia (Swisher County).","Measured by a Texas Tech University West Texas Mesonet." +117449,706351,ALABAMA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 14:03:00,CST-6,2017-06-15 14:04:00,0,0,0,0,0.00K,0,0.00K,0,33.44,-86.99,33.44,-86.99,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted in the city of Hueytown." +117449,706352,ALABAMA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 14:08:00,CST-6,2017-06-15 14:09:00,0,0,0,0,0.00K,0,0.00K,0,33.3959,-86.9697,33.3959,-86.9697,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Power lines downed near the intersection of 9th Avenue North and 9th Street North in the city of Bessemer." +117449,706353,ALABAMA,2017,June,Thunderstorm Wind,"AUTAUGA",2017-06-15 14:08:00,CST-6,2017-06-15 14:09:00,0,0,0,0,0.00K,0,0.00K,0,33.4075,-86.9609,33.4075,-86.9609,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Roof blown off Canada Auto Sales in the city of Bessemer." +117449,706354,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-15 14:15:00,CST-6,2017-06-15 14:16:00,0,0,0,0,0.00K,0,0.00K,0,34.4548,-85.5399,34.4548,-85.5399,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted along County Road 103." +117449,706355,ALABAMA,2017,June,Thunderstorm Wind,"ETOWAH",2017-06-15 14:20:00,CST-6,2017-06-15 14:21:00,0,0,0,0,0.00K,0,0.00K,0,34.07,-86.04,34.07,-86.04,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Two trees uprooted near the town of Reece City." +117449,706356,ALABAMA,2017,June,Thunderstorm Wind,"ETOWAH",2017-06-15 14:25:00,CST-6,2017-06-15 14:26:00,0,0,0,0,0.00K,0,0.00K,0,33.98,-85.76,33.98,-85.76,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted." +117449,706357,ALABAMA,2017,June,Thunderstorm Wind,"ETOWAH",2017-06-15 14:30:00,CST-6,2017-06-15 14:31:00,0,0,0,0,0.00K,0,0.00K,0,33.96,-85.93,33.96,-85.93,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted near the town of Glencoe." +118171,710181,GULF OF MEXICO,2017,June,Waterspout,"SOUTH MOBILE BAY",2017-06-21 15:51:00,CST-6,2017-06-21 15:52:00,0,0,0,0,0.00K,0,0.00K,0,30.2377,-88.0122,30.2377,-88.0122,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.","Waterspout was sighted just north of Fort Morgan in Mobile Bay." +120818,723678,OHIO,2017,November,Tornado,"ASHTABULA",2017-11-05 18:51:00,EST-5,2017-11-05 18:57:00,0,0,0,0,1.50M,1500000,0.00K,0,41.5189,-80.6467,41.538,-80.5197,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF0 tornado touched downed in a field in rural Wayne Township near the southern border of Ashtabula County. The initial touchdown occurred along Hayes Road about half way between U.S. Route 322 and the county line. A few trees were downed in the area. The tornado continued east northeast across mainly farm land while quickly intensifying to EF1 intensity. The tornado eventually reached the Williamsfield area and crossed State Route 7 just south of its intersection with U.S. Route 322. It then intensified to EF2 strength and roughly followed U.S. 322 for close to two miles. The tornado then took a turn to the northeast as it crossed Simons South Road and lifted just as it reached the Pennsylvania state line. The worst damage was observed along U.S. 322 east of State Route 7. Around 20 properties were affected by the tornado. At least four homes were destroyed with eight more sustaining major damage. The other homes along the damage path sustained lesser amounts of damage. The four destroyed homes were all within a third of mile from each other on U.S. 322. A couple garages along U.S. 322 were also leveled and tree damage was extensive. Debris was observed scattered in fields across the area. The damage path was over six and a half miles in length and up to 200 yards in width. It took several days for power to be restored in the Williamsfield area. No injuries were reported." +120818,725988,OHIO,2017,November,Thunderstorm Wind,"LORAIN",2017-11-05 17:30:00,EST-5,2017-11-05 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-82.3,41.27,-82.3,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An automated wind sensor measured a 59 mph thunderstorm wind gust." +118057,709881,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-19 11:29:00,EST-5,2017-06-19 11:29:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 41 knots / 47 mph was recorded by the C-MAN station FWFY1 located at Fowey Rocks at an elevation of 144 feet." +118057,709882,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-19 11:44:00,EST-5,2017-06-19 11:44:00,0,0,0,0,0.00K,0,0.00K,0,25.66,-80.19,25.66,-80.19,"Fast moving scattered showers and storms developed over the local Atlantic waters during the morning hours of Jun 19. This activity produced several strong wind gusts along the Miami-Dade County coast as it moved into the the coast through late morning.","A marine thunderstorm wind gust of 36 knots / 41 mph was recorded by the WxFlow mesonet site XKBS located off Key Biscayne." +118056,709885,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-18 12:38:00,EST-5,2017-06-18 12:38:00,0,0,0,0,0.00K,0,0.00K,0,25.43,-80.32,25.43,-80.32,"A band of storms developed over the local Atlantic waters during the late morning hours. This band moved northwest into the mainland, and produced several strong wind gusts along the Miami-Dade County coast around midday.","A marine thunderstorm wind gust of 43 knots / 49 mph was recorded by the WxFlow mesonet site XTKY at the Turkey Point Power Plant at an elevation of 62 feet." +118056,709887,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-18 12:44:00,EST-5,2017-06-18 12:44:00,0,0,0,0,0.00K,0,0.00K,0,25.66,-80.19,25.66,-80.19,"A band of storms developed over the local Atlantic waters during the late morning hours. This band moved northwest into the mainland, and produced several strong wind gusts along the Miami-Dade County coast around midday.","A marine thunderstorm wind gust of 34 knots / 39 mph was recorded by the WxFlow site XKBS located offshore Key Biscayne." +118056,709888,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-18 12:52:00,EST-5,2017-06-18 12:52:00,0,0,0,0,0.00K,0,0.00K,0,25.75,-80.1,25.75,-80.1,"A band of storms developed over the local Atlantic waters during the late morning hours. This band moved northwest into the mainland, and produced several strong wind gusts along the Miami-Dade County coast around midday.","A marine thunderstorm wind gust of 35 knots / 40 mph was recorded by the WxFlow site XGVT at an elevation of 63 feet." +118187,710252,FLORIDA,2017,June,Flash Flood,"GLADES",2017-06-03 18:07:00,EST-5,2017-06-03 18:07:00,0,0,0,0,0.00K,0,0.00K,0,26.9467,-81.4926,26.9426,-81.4923,"A plume of deep tropical moisture across South Florida produced another day of heavy showers and thunderstorms across the region. These heavy showers produced flooding in western Glades County, leading to the closure of CR 74 near CR 731.","Florida Highway Patrol reported the closure of CR74 near CR731 (Tasmania Road) due to flooding." +118353,711193,KANSAS,2017,June,Hail,"NESS",2017-06-15 15:58:00,CST-6,2017-06-15 15:58:00,0,0,0,0,,NaN,,NaN,38.7,-99.82,38.7,-99.82,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711195,KANSAS,2017,June,Hail,"NESS",2017-06-15 16:30:00,CST-6,2017-06-15 16:30:00,0,0,0,0,,NaN,,NaN,38.64,-99.94,38.64,-99.94,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711196,KANSAS,2017,June,Hail,"NESS",2017-06-15 16:44:00,CST-6,2017-06-15 16:44:00,0,0,0,0,,NaN,,NaN,38.6,-99.96,38.6,-99.96,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711197,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 16:54:00,CST-6,2017-06-15 16:54:00,0,0,0,0,,NaN,,NaN,38.16,-98.83,38.16,-98.83,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711198,KANSAS,2017,June,Hail,"NESS",2017-06-15 17:02:00,CST-6,2017-06-15 17:02:00,0,0,0,0,,NaN,,NaN,38.55,-100.01,38.55,-100.01,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711199,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 17:05:00,CST-6,2017-06-15 17:05:00,0,0,0,0,,NaN,,NaN,38.17,-98.72,38.17,-98.72,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711200,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 17:15:00,CST-6,2017-06-15 17:15:00,0,0,0,0,,NaN,,NaN,38.16,-98.6,38.16,-98.6,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +120818,726100,OHIO,2017,November,Thunderstorm Wind,"LORAIN",2017-11-05 17:40:00,EST-5,2017-11-05 17:55:00,0,0,0,0,350.00K,350000,0.00K,0,41.23,-82.12,41.3114,-81.8935,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A fast moving line of thunderstorms produced significant straight line wind damage across southeastern Lorain County. Maximum wind gust speeds were estimated to be at least 85 mph. A lot damage was reported in the LaGrange area with dozens of trees downed and many homes and buildings damaged. Most of the building damage was from lost roofing or siding but one business had an exterior wall collapse. A home along Main Street in Lagrange was heavily damaged by a fallen tree. A school building also sustained some roof damage. A whole row of utility poles was snapped south of Lagrange along State Route 301. Many trees, limbs and utility poles were also reported down in the Grafton, Eaton Estates and Columbia Station areas. State Routes 83, 301 and 303 had to be closed because of fallen trees and downed power lines. Many other county roads and streets were also blocked. Over 10,000 electric customers lost power from the storm with full restoration taking over two days. There were reports of many vehicles being damaged by flying debris and fallen trees and limbs. Some of the school districts in the county closed on November 6th." +120818,727425,OHIO,2017,November,Tornado,"HURON",2017-11-05 17:21:00,EST-5,2017-11-05 17:25:00,0,0,0,0,250.00K,250000,0.00K,0,41.2116,-82.4412,41.2203,-82.408,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","An EF1 tornado touched down along Wakeman Town Line Road just north of State Route 18. A home near the initial touchdown sustained significant roof damage and some hardwood trees in the area were damaged. The tornado continued east northeast and damaged a couple buildings as it crossed Fitchville River Road. The tornado then turned to the northeast. A barn on St. Johns Road lost most of its roof. Debris from the roof was found up to a quarter mile away. The tornado continued on the ground for a couple hundred yards more before finally lifting over open farmland. Dozens of trees were snapped or uprooted along the damage path. This tornado was on the ground just under two miles and had a damage path up to 100 yards in the width." +118328,711044,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-07 05:44:00,EST-5,2017-06-07 05:44:00,0,0,0,0,0.00K,0,0.00K,0,24.8558,-80.7318,24.8558,-80.7318,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 37 knots was measured at an automated Citizen Weather Observing Program station on Lower Matecumbe Key at the Florida Keys Mosquito Control District Office." +118328,711047,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-06-07 04:10:00,EST-5,2017-06-07 04:10:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 34 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Sector Key West." +118328,711046,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-06-07 04:06:00,EST-5,2017-06-07 04:06:00,0,0,0,0,0.00K,0,0.00K,0,24.551,-81.808,24.551,-81.808,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 37 knots was measured at a National Ocean Service anemometer at the Florida Keys National Marine Sanctuary Nancy Foster Center." +118328,711048,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-06-07 05:00:00,EST-5,2017-06-07 05:00:00,0,0,0,0,0.00K,0,0.00K,0,24.7436,-80.9786,24.7436,-80.9786,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 35 knots was measured at an automated WeatherFlow station on Vaca Key." +118328,711049,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-06-07 05:14:00,EST-5,2017-06-07 05:14:00,0,0,0,0,0.00K,0,0.00K,0,24.7263,-81.0477,24.7263,-81.0477,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 34 knots was measured at the Florida Keys Marathon International Airport." +116014,697256,KANSAS,2017,April,Flash Flood,"ELLIS",2017-04-12 16:16:00,CST-6,2017-04-12 18:16:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-99.32,38.9391,-99.2608,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","The creek rose 3 to 4 feet in 20 minutes. Many small streams and draws were flowing over roadways." +116014,697257,KANSAS,2017,April,Hail,"TREGO",2017-04-12 15:33:00,CST-6,2017-04-12 15:33:00,0,0,0,0,,NaN,,NaN,39.01,-99.61,39.01,-99.61,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697258,KANSAS,2017,April,Hail,"LANE",2017-04-12 16:10:00,CST-6,2017-04-12 16:10:00,0,0,0,0,,NaN,,NaN,38.6,-100.54,38.6,-100.54,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697259,KANSAS,2017,April,Hail,"ELLIS",2017-04-12 16:22:00,CST-6,2017-04-12 16:22:00,0,0,0,0,,NaN,,NaN,39.01,-99.48,39.01,-99.48,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697260,KANSAS,2017,April,Hail,"LANE",2017-04-12 17:08:00,CST-6,2017-04-12 17:08:00,0,0,0,0,,NaN,,NaN,38.5,-100.43,38.5,-100.43,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697261,KANSAS,2017,April,Hail,"ELLIS",2017-04-12 17:25:00,CST-6,2017-04-12 17:25:00,0,0,0,0,,NaN,,NaN,38.99,-99.47,38.99,-99.47,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697262,KANSAS,2017,April,Hail,"LANE",2017-04-12 17:34:00,CST-6,2017-04-12 17:34:00,0,0,0,0,,NaN,,NaN,38.44,-100.57,38.44,-100.57,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697264,KANSAS,2017,April,Hail,"LANE",2017-04-12 17:42:00,CST-6,2017-04-12 17:42:00,0,0,0,0,,NaN,,NaN,38.45,-100.28,38.45,-100.28,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697265,KANSAS,2017,April,Hail,"LANE",2017-04-12 17:51:00,CST-6,2017-04-12 17:51:00,0,0,0,0,,NaN,,NaN,38.45,-100.27,38.45,-100.27,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697267,KANSAS,2017,April,Hail,"ELLIS",2017-04-12 18:00:00,CST-6,2017-04-12 18:00:00,0,0,0,0,,NaN,,NaN,38.88,-99.31,38.88,-99.31,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697268,KANSAS,2017,April,Hail,"ELLIS",2017-04-12 18:22:00,CST-6,2017-04-12 18:22:00,0,0,0,0,,NaN,,NaN,38.86,-99.26,38.86,-99.26,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697270,KANSAS,2017,April,Hail,"NESS",2017-04-12 18:32:00,CST-6,2017-04-12 18:32:00,0,0,0,0,,NaN,,NaN,38.4,-100.19,38.4,-100.19,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","" +116014,697271,KANSAS,2017,April,Heavy Rain,"ELLIS",2017-04-12 16:17:00,CST-6,2017-04-12 17:34:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-99.32,38.88,-99.32,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","Rainfall of 2.79 inches was observed in 1 hour 17 minutes." +118355,711243,KANSAS,2017,June,Hail,"EDWARDS",2017-06-17 17:08:00,CST-6,2017-06-17 17:08:00,0,0,0,0,,NaN,,NaN,37.94,-99.15,37.94,-99.15,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711244,KANSAS,2017,June,Hail,"HASKELL",2017-06-17 17:36:00,CST-6,2017-06-17 17:36:00,0,0,0,0,,NaN,,NaN,37.61,-100.77,37.61,-100.77,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711245,KANSAS,2017,June,Hail,"EDWARDS",2017-06-17 17:45:00,CST-6,2017-06-17 17:45:00,0,0,0,0,,NaN,,NaN,37.95,-99.1,37.95,-99.1,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711246,KANSAS,2017,June,Hail,"EDWARDS",2017-06-17 18:22:00,CST-6,2017-06-17 18:22:00,0,0,0,0,,NaN,,NaN,37.85,-99.1,37.85,-99.1,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711248,KANSAS,2017,June,Hail,"GRAY",2017-06-17 18:55:00,CST-6,2017-06-17 18:55:00,0,0,0,0,,NaN,,NaN,37.65,-100.34,37.65,-100.34,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","Hail damaged 7 windows, 4 vehicles and a metal building." +111483,671747,ALABAMA,2017,January,Flash Flood,"HOUSTON",2017-01-02 20:30:00,CST-6,2017-01-02 22:00:00,0,0,0,0,0.00K,0,0.00K,0,31.13,-85.42,31.1126,-85.4183,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Helms Road was flooded and impassible during a period of very heavy rainfall rates." +111484,670334,GEORGIA,2017,January,Tornado,"MILLER",2017-01-02 21:41:00,EST-5,2017-01-02 21:45:00,0,0,0,0,0.00K,0,0.00K,0,31.1844,-84.5714,31.2114,-84.5385,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado touched down near Albany Highway and Kimbrel Road in eastern Miller County. The tornado traveled northeast, doing heavy damage to trees in along the path. A home and outbuildings were damaged near Highway 200 in Baker County before the tornado lifted. Max winds were estimated at 105 mph." +114014,682829,OHIO,2017,April,Hail,"MEIGS",2017-04-28 23:29:00,EST-5,2017-04-28 23:29:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-82.07,39.03,-82.07,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. These storms were fueled by strong southerly flow from a low level jet, and produced isolated wind damage and hail across the middle Ohio River Valley overnight into the 29th.","" +112860,677378,PENNSYLVANIA,2017,March,Winter Storm,"UPPER BUCKS",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall generally ranged from 8 to 12 inches with a little sleet mixed in." +120818,727440,OHIO,2017,November,Thunderstorm Wind,"HURON",2017-11-05 17:25:00,EST-5,2017-11-05 17:25:00,0,0,0,0,20.00K,20000,0.00K,0,41.25,-82.4,41.25,-82.4,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed a large tree. The tree landed on a car causing extensive damage." +112860,677380,PENNSYLVANIA,2017,March,Winter Storm,"WESTERN MONTGOMERY",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred.","Snowfall ranged from 6 to 8 inches across Western Portions of the county." +112919,722525,ILLINOIS,2017,February,Thunderstorm Wind,"LA SALLE",2017-02-28 21:53:00,CST-6,2017-02-28 21:53:00,0,0,0,0,0.00K,0,0.00K,0,41.3679,-89.059,41.3679,-89.059,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","A semi truck was blown over near Interstate 80 and Interstate 39." +112919,722527,ILLINOIS,2017,February,Flood,"WILL",2017-02-28 18:30:00,CST-6,2017-02-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.5297,-88.0461,41.5283,-88.046,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","One foot of standing water was reported on Route 30 near Briggs Road." +112919,722528,ILLINOIS,2017,February,Thunderstorm Wind,"COOK",2017-02-28 18:41:00,CST-6,2017-02-28 18:41:00,0,0,0,0,0.50K,500,0.00K,0,41.5718,-87.6655,41.5718,-87.6655,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","A window was blown out of a house near 175th Street and Dixie Highway." +112919,722540,ILLINOIS,2017,February,Thunderstorm Wind,"LA SALLE",2017-02-28 22:12:00,CST-6,2017-02-28 22:12:00,0,0,0,0,0.00K,0,0.00K,0,41.4114,-88.7682,41.4114,-88.7682,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Wind gusts were estimated to 70 mph." +111484,670335,GEORGIA,2017,January,Tornado,"BAKER",2017-01-02 21:45:00,EST-5,2017-01-02 21:53:00,0,0,0,0,50.00K,50000,0.00K,0,31.2114,-84.5385,31.2745,-84.4412,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado touched down near Albany Highway and Kimbrel Road in eastern Miller County. The tornado traveled northeast, doing heavy damage to trees in along the path. A home and outbuildings were damaged near Highway 200 in Baker County before the tornado lifted. Max winds were estimated at 105 mph. Damage was estimated." +118359,711335,KANSAS,2017,June,Thunderstorm Wind,"NESS",2017-06-22 20:45:00,CST-6,2017-06-22 20:45:00,0,0,0,0,,NaN,,NaN,38.57,-100.21,38.57,-100.21,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","A large tree limb was broken by the high wind." +118359,711337,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-22 18:18:00,CST-6,2017-06-22 18:18:00,0,0,0,0,,NaN,,NaN,37.87,-100.45,37.87,-100.45,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 65 MPH." +118359,711339,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-22 19:06:00,CST-6,2017-06-22 19:06:00,0,0,0,0,,NaN,,NaN,37.78,-100,37.78,-100,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be gusting to 60 MPH." +118359,711340,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-22 19:16:00,CST-6,2017-06-22 19:16:00,0,0,0,0,,NaN,,NaN,37.78,-99.97,37.78,-99.97,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +114378,685540,NEW MEXICO,2017,April,Heavy Snow,"HARDING COUNTY",2017-04-29 02:00:00,MST-7,2017-04-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","The Mosquero COOP observer reported a new daily record snowfall of 8.0 inches for April 29th." +114378,685398,NEW MEXICO,2017,April,Heavy Snow,"JEMEZ MOUNTAINS",2017-04-28 08:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Various sources across the Jemez Mountains reported snowfall accumulations of 6 to 12 inches. The Los Alamos and White Rock areas picked up 4 to 8 inches of snowfall in less than 10 hours. Ponderosa reported a whopping 13 inches. Hazardous travel conditions were also reported by NMDOT." +114560,687069,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:10:00,CST-6,2017-04-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,40.5866,-89.8728,40.5866,-89.8728,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687070,ILLINOIS,2017,April,Hail,"SCOTT",2017-04-10 14:11:00,CST-6,2017-04-10 14:16:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-90.48,39.55,-90.48,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687071,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:20:00,CST-6,2017-04-10 14:25:00,0,0,0,0,0.00K,0,0.00K,0,40.6845,-89.68,40.6845,-89.68,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687072,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:30:00,CST-6,2017-04-10 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-89.6609,40.67,-89.6609,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687073,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:30:00,CST-6,2017-04-10 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-89.66,40.67,-89.66,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687074,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:39:00,CST-6,2017-04-10 14:44:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-89.61,40.74,-89.61,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687075,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:35:00,CST-6,2017-04-10 14:40:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-89.61,40.74,-89.61,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114623,687476,IOWA,2017,April,Heavy Rain,"TAMA",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.08,-92.4,42.08,-92.4,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop observer reported 1.58 inches of rain over the past 24 hours and 1.86 inches over the past 48 hours." +114623,687477,IOWA,2017,April,Heavy Rain,"LUCAS",2017-04-15 06:00:00,CST-6,2017-04-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-93.32,41.02,-93.32,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Coop observer reported rainfall of 1.60 inches over the past 24 hours." +114623,687478,IOWA,2017,April,Heavy Rain,"WARREN",2017-04-15 07:00:00,CST-6,2017-04-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-93.39,41.47,-93.39,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS observer reported 1.46 inches of rainfall over the past 24 hours." +114623,687480,IOWA,2017,April,Heavy Rain,"POLK",2017-04-15 09:30:00,CST-6,2017-04-16 09:30:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-93.71,41.54,-93.71,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","CoCoRaHS report of 1.01 inches of rainfall over the past 24 hours and 1.67 inches over the past 48 hours." +114661,687731,KANSAS,2017,April,Flood,"ALLEN",2017-04-29 21:57:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.9869,-95.3649,37.9477,-95.3152,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Multiple roads were flooded. Accidents occurred at the Texas/2000th Street intersection due to hydroplaning." +114661,687732,KANSAS,2017,April,Thunderstorm Wind,"LABETTE",2017-04-29 19:28:00,CST-6,2017-04-29 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-95.26,37.34,-95.26,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","No damage was reported." +114661,687733,KANSAS,2017,April,Thunderstorm Wind,"LABETTE",2017-04-29 19:00:00,CST-6,2017-04-29 19:03:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-95.49,37.06,-95.49,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Roofs were blown off 2 buildings. One outbuilding was destroyed and a livestock trailer was moved several feet. This was a delayed report." +114595,687284,IOWA,2017,April,Thunderstorm Wind,"RINGGOLD",2017-04-09 22:50:00,CST-6,2017-04-09 22:50:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-94.05,40.71,-94.05,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Emergency manager reported trees down on a vehicle along with roof and building damage. This is a delayed report." +114595,687285,IOWA,2017,April,Hail,"MARION",2017-04-09 23:33:00,CST-6,2017-04-09 23:33:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-93.04,41.36,-93.04,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Trained spotter reported up to half dollar sized hail." +114623,687416,IOWA,2017,April,Hail,"POCAHONTAS",2017-04-15 16:26:00,CST-6,2017-04-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,42.5609,-94.86,42.5609,-94.86,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported hail just smaller than golf balls." +114623,687421,IOWA,2017,April,Hail,"CLARKE",2017-04-15 17:37:00,CST-6,2017-04-15 17:37:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-93.77,41.04,-93.77,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Hail lasted for about 2 to 3 minutes with a mixture of sizes from pea to nickels." +111484,670353,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 22:49:00,EST-5,2017-01-02 22:56:00,0,0,1,0,250.00K,250000,0.00K,0,31.734,-83.7417,31.7877,-83.6514,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An NWS survey team determined that straight line winds of 80 mph moved across Turner county. The severe winds downed hundreds of trees, knocked over a church steeple, and removed shingles and metal roofing from mobile homes and well-constructed outbuildings. In addition, a few mobile homes were damaged by falling trees and one outbuilding was destroyed when the wind shifted it off the blocks on which it was located. This resulted in one fatality. The damage was confined to roughly a 6.5 mile by 4 mile box. Damage cost was estimated." +111484,670354,GEORGIA,2017,January,Tornado,"CALHOUN",2017-01-02 21:52:00,EST-5,2017-01-02 21:54:00,0,0,0,0,250.00K,250000,0.00K,0,31.4846,-84.5174,31.4928,-84.5117,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF0 tornado with max winds near 85 mph touched down along Mercer Ave and lifted near Bray St in the town of Leary. Damage consisted of numerous uprooted trees and minor damage to several roofs. Several outbuildings were also damaged, and numerous power lines and power poles were blown down. Damage cost was estimated." +115030,690402,GEORGIA,2017,April,Drought,"JACKSON",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115039,690455,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-03 18:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690460,COLORADO,2017,April,Winter Storm,"NORTHWEST FREMONT COUNTY ABOVE 8500 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690462,COLORADO,2017,April,Winter Storm,"WEST / CENTRAL FREMONT COUNTY BELOW 8500 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690466,COLORADO,2017,April,Winter Storm,"WESTCLIFFE VICINITY / WET MOUNTAIN VALLEY BELOW 8500 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +112258,673684,GEORGIA,2017,January,Tornado,"UPSON",2017-01-21 11:39:00,EST-5,2017-01-21 11:41:00,0,0,0,0,20.00K,20000,,NaN,32.9499,-84.3131,32.9769,-84.3105,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a brief EF1 tornado with maximum winds of 100 MPH and a maximum path width of 175 yards began in northern Upson County near Del Ray Road northeast of Hannahs Mill. Numerous trees were snapped or uprooted as the tornado moved north close to two miles before ending along Jug Town Road. [01/21/17: Tornado #9, County #1/1, EF1, Upson, 2017:010]." +114084,691269,MISSOURI,2017,April,Flash Flood,"WEBSTER",2017-04-29 03:26:00,CST-6,2017-04-29 06:26:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-92.94,37.1895,-92.9407,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water up to 3 feet deep flowed over Highway FF near Panther Creek." +114084,691270,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 03:45:00,CST-6,2017-04-29 06:45:00,0,0,0,0,0.00K,0,0.00K,0,37.1675,-93.3139,37.1699,-93.3206,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water was over the roadway of Kansas Expressway south of Sunshine Street." +114084,691271,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-29 04:06:00,CST-6,2017-04-29 07:06:00,0,0,0,0,0.00K,0,0.00K,0,37.3211,-91.9405,37.3217,-91.9395,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route FF was impassable and closed due to flooding." +114084,691272,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-29 04:07:00,CST-6,2017-04-29 07:07:00,0,0,0,0,0.00K,0,0.00K,0,37.3422,-92.0425,37.3412,-92.0432,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route ZZ was impassable and closed due to flooding." +114084,691273,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-29 04:29:00,CST-6,2017-04-29 07:29:00,0,0,0,0,0.00K,0,0.00K,0,37.2711,-92.1279,37.2715,-92.13,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route M was impassable and closed due to flooding." +114084,691409,MISSOURI,2017,April,Flash Flood,"LACLEDE",2017-04-30 12:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,1.00M,1000000,0.00K,0,37.7564,-92.4511,37.7614,-92.4553,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and roads sustained flood damage across Laclede County. The Gasconade River near Hazelgreen hit a new record river level. Interstate 44 near mile marker 143 was closed down due to flooding. The flooding severely damaged I-44. Bennett Spring State Park suffered some flood damage. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Laclede County." +114084,691363,MISSOURI,2017,April,Flash Flood,"TANEY",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,10.00M,10000000,0.00K,0,36.612,-93.2578,36.6133,-93.2549,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and business sustained severe flood damage across the county. Numerous roads were severely damaged or washed away across the county. Table Rock State Park suffered flood damage according to park officials. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Taney County." +114084,691364,MISSOURI,2017,April,Flash Flood,"OZARK",2017-04-30 13:00:00,CST-6,2017-04-30 17:00:00,0,0,0,0,3.00M,3000000,0.00K,0,36.6099,-92.2701,36.6135,-92.2742,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and business sustained severe flood damage across Ozark County. Numerous roads and bridges were severely damaged or washed away across the county. Dawt Mill suffered extreme flood damage as well as other river outfitters. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Ozark County." +114084,691288,MISSOURI,2017,April,Flash Flood,"POLK",2017-04-29 09:45:00,CST-6,2017-04-29 12:45:00,0,0,0,0,100.00K,100000,0.00K,0,37.6167,-93.3905,37.6137,-93.3968,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous city streets including Highway 83 were flooded and impassable. Several homes and business sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Polk County." +115183,696906,ILLINOIS,2017,April,Flash Flood,"CLARK",2017-04-29 19:30:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4797,-88.014,39.173,-88.0094,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Clark County. Several streets in Casey and Marshall were impassable. Numerous rural roads and highways in the county were inundated, particularly in central and northern Clark County. Many creeks in the Embarras River basin were flooded, one of which over-topped a bridge in Martinsville." +115183,696913,ILLINOIS,2017,April,Flash Flood,"EFFINGHAM",2017-04-29 18:30:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.2146,-88.8059,38.9128,-88.8071,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Effingham County. Several streets in the city of Effingham were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Beecher City to Shumway." +112258,673686,GEORGIA,2017,January,Tornado,"MONROE",2017-01-21 12:08:00,EST-5,2017-01-21 12:20:00,0,0,0,0,15.00K,15000,,NaN,32.9113,-83.8972,33.0158,-83.8092,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 250 yards began in southern Monroe County near the intersection of Zebulon Road and Shi Road. The tornado moved north-northeast crossing Hill Road, King Road, U.S Highway 41, Boling Broke Road, I-75, Rumble Road and Deer Creek Road before ending along Jenkins Road south of Lake Juliette after travelling around 9 miles. Mainly tree and power line damage was reported with this tornado. [01/21/17: Tornado #11, County #1/1, EF0, Monroe, 2017:012]." +117498,706619,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:14:00,EST-5,2017-06-19 14:14:00,0,0,0,0,,NaN,,NaN,38.8689,-77.4342,38.8689,-77.4342,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was blocking Poplar Tree Road near Newbrook Drive." +117498,706620,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:14:00,EST-5,2017-06-19 14:14:00,0,0,0,0,,NaN,,NaN,38.9079,-77.4133,38.9079,-77.4133,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A large tree limb was down on Brightfield Court." +117498,706624,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:16:00,EST-5,2017-06-19 14:16:00,0,0,0,0,,NaN,,NaN,38.8128,-77.3978,38.8128,-77.3978,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Clifton Road and Loth Lorian Drive." +115317,692356,FLORIDA,2017,April,Wildfire,"BAKER",2017-04-06 17:00:00,EST-5,2017-04-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent storm system combined with high speed shear and increasing instability favored discrete pre-frontal super cells across the area. The SPC had the forecast area highlighted under a High Risk for severe storms.","A lightning caused wildfire started in John Bethea State Forest in northern Baker County about 2.5 miles NE of the Eddy Tower in the Okefenokee National Wildlife Refuge. This wildfire grew into the West Mims Wildfire which impacted the region for many months." +115371,692699,ATLANTIC SOUTH,2017,April,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-04-12 13:36:00,EST-5,2017-04-12 13:36:00,0,0,0,0,,NaN,,NaN,26.07,-80.1,26.07,-80.1,"A weak easterly wave moving through the Bahamas allowed for the development of scattered showers and a few thunderstorms across the local Atlantic waters during the morning hours. One of these showers produced as waterspout as it approached the Broward County coast.","The Fort Lauderdale-Hollywood Airport observer reported a waterspout over the water 3 miles east of the airport. The waterspout dissipated shortly after it formed." +112258,673708,GEORGIA,2017,January,Tornado,"TWIGGS",2017-01-21 12:46:00,EST-5,2017-01-21 12:52:00,0,0,0,0,50.00K,50000,,NaN,32.535,-83.385,32.575,-83.33,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 100 yards occurred in southern Twiggs County. The tornado began along Bruce King Road west of Longstreet Road and travelled northeast for a little over 4 miles crossing Carey Road before ending along Bruce Richardson Road. Around 100 trees were downed along the path of this tornado and a section of a large irrigation system was overturned. [01/21/17: Tornado #13, County #1/1, EF0, Twiggs, 2017:014]." +115372,692700,ATLANTIC SOUTH,2017,April,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-04-19 12:02:00,EST-5,2017-04-19 12:02:00,0,0,0,0,,NaN,,NaN,26.52,-80.04,26.52,-80.04,"Isolated morning showers moving across the local Atlantic waters produced as waterspout as they approached the Miami-Dade County coast.","A trained weather spotter reported a waterspout 1 mile southeast of Ocean Ridge." +115373,692701,FLORIDA,2017,April,Wildfire,"INLAND COLLIER COUNTY",2017-04-20 15:46:00,EST-5,2017-04-21 14:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions continued across South Florida into mid April, allowing for the rapid spread of two wildfires, the 30th Avenue Fire, and Frangipani Fire, that started in the Golden Gate Estates area of eastern Naples. Given the proximity of the fires two each other, a large mandatory evacuation area was ordered for the region, from the south side of Golden Gate Boulevard south to I-75, and from Collier Boulevard east to Wilson Boulevard. Additional voluntary evacuations were ordered for homes south of Golden Gate Parkway from Tropicana Boulevard east to Collier Boulevard in Golden Gate City, affecting over 7000 residents. The wildfires resulted in the closures of numerous roads in the area, as well as schools, business, and parks. The Frangipani Fire was contained within 24 hours, however the 30th Avenue Fire was not able to reach containment until 25 April.","The Frangipani wildfire was first reported during the afternoon hours on April 20 in the Golden Gate Estates area of eastern Naples in Collier County. This fire, in combination with the nearby larger 30th Avenue Fire, necessitated the evacuation of a large area of the the Golden Gate area of Naples as well as numerous road, school, and business closures. The fire was contained during the afternoon hours of April 21 with a maximum size of 350 acres." +115376,692706,FLORIDA,2017,April,Rip Current,"COASTAL MIAMI-DADE COUNTY",2017-04-28 18:30:00,EST-5,2017-04-28 18:30:00,2,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong east winds brought rough seas and rip currents to all Atlantic beaches during the day. Several swimmers were caught in a rip current along the Miami-Dade County coast, resulting in several injuries and a fatality.","Five swimmers became distressed while encountering rip currents along coast in Miami Beach, near 43rd Street and Collins Avenue around 730pm. Two women were able to swim ashore and required no further assistance. One male was also able to make it to shore, but was transported to the hospital in addition to another male who was rescued by police and firefighters for evaluation. A third male was brought to shore, but was pronounced dead at the hospital." +116451,700362,WYOMING,2017,June,Flood,"BIG HORN",2017-06-02 08:00:00,MST-7,2017-06-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,44.2997,-107.5375,44.2976,-107.5397,"A very snowy winter and a cool spring left above normal snow pack in the Bighorn Mountains. Warm temperatures in June caused a rapid snow melt that resulted flooding along the Medicine Lodge Creek. The flooding began on the 3rd and continued for a week before receding in June 10th. The flooding was largely restricted to the lowlands around the creek and caused little or no damage.","" +116548,700871,WYOMING,2017,June,Flood,"FREMONT",2017-06-04 00:00:00,MST-7,2017-06-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,43.3181,-109.1517,43.3045,-109.1284,"The combination of a very wet and snowy winter and a rather cool and wet spring set the stage for a prolonged period of flooding along the Wind River. The weather warmed in June and snow melt began, raising the river above flood stage beginning around June 3rd and continuing through the 24th. The crest of 12.1 feet broke the record of 11.8 feet set back in 2011. High water forced the closure of Highway 26 between Kinnear and Crowhart on two seperate occasions for a few days, forcing travelers into a long detour. In addition, the flood waters heavily damaged the irrigation canal near Riverton. The canal was shut down for over two weeks, resulting in a loss of irrigation water for many farmers downstream. Some subdivisions near the damage were put on standby for evacuation due to possible failure. Many other lowlands near the River had flooding for many days, some surrounding homes.","Deep snow pack melted in the mountains and brought flooding along the Wind River near Crowheart, cresting at around 10 feet. The flooding occurred mainly in low lying areas near the river over rural areas and caused little damage." +116548,700872,WYOMING,2017,June,Flood,"FREMONT",2017-06-04 00:00:00,MST-7,2017-06-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,43.1677,-108.7616,43.1379,-108.7063,"The combination of a very wet and snowy winter and a rather cool and wet spring set the stage for a prolonged period of flooding along the Wind River. The weather warmed in June and snow melt began, raising the river above flood stage beginning around June 3rd and continuing through the 24th. The crest of 12.1 feet broke the record of 11.8 feet set back in 2011. High water forced the closure of Highway 26 between Kinnear and Crowhart on two seperate occasions for a few days, forcing travelers into a long detour. In addition, the flood waters heavily damaged the irrigation canal near Riverton. The canal was shut down for over two weeks, resulting in a loss of irrigation water for many farmers downstream. Some subdivisions near the damage were put on standby for evacuation due to possible failure. Many other lowlands near the River had flooding for many days, some surrounding homes.","Snow melt from the mountains produced flooding in the low lying areas near Kinnear. The flooding remained over low lying areas and agricultural land along the Wind River and produced little or no damage." +117065,704227,WYOMING,2017,June,Flash Flood,"FREMONT",2017-06-03 12:00:00,MST-7,2017-06-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.7378,-108.8266,42.7401,-108.8259,"An abnormally high snow pack melted with the warmer temperatures in June and brought flooding along the Middle Fork of the Popo Agie River. The river gauge in Sinks Canyon was above flood stage for a few weeks. However, most of the flooding remained over low lying areas near the River and caused little or no property damage. Some trails in Sinks Canyon Park were closed at times due to high water however.","The Middle Fork of the Popo Agie River went above flood stage for several days in June. Flooding remained in low lying areas and caused little to no property damage." +114361,685281,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-17 19:35:00,MST-7,2017-04-17 19:35:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-103.7789,44.49,-103.7789,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","" +114361,685282,SOUTH DAKOTA,2017,April,Thunderstorm Wind,"MEADE",2017-04-17 20:45:00,MST-7,2017-04-17 20:45:00,0,0,0,0,0.00K,0,0.00K,0,44.2934,-102.474,44.2934,-102.474,"A line of severe thunderstorms developed over southern Butte and Lawrence Counties and tracked eastward across Meade County. The storms produced wind gusts over 60 mph and small hail.","The observer estimated wind gusts at 60 mph." +115463,693375,FLORIDA,2017,April,Rip Current,"BREVARD",2017-04-14 17:30:00,EST-5,2017-04-14 18:30:00,5,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong rip current caused five people to nearly drown as they were pulled about 100 yards seaward from the beach.","Choppy surf and strong rip currents impacted the Brevard beaches and caused five teenagers to be pulled seaward and nearly drown at Patrick Air Force Base Beach. Rescuers returned the individuals to shore and they were transported to a local hospital for treatment of their injuries." +113740,681563,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 17:27:00,CST-6,2017-04-14 17:36:00,0,0,0,0,30.00K,30000,0.00K,0,34.5017,-102.4101,34.5093,-102.3681,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Several storm chasers observed a tornado that began around the intersection of Farm to Market Road 1055 and County Road 618 and moved east for approximately two miles. Video evidence indicated this tornado moved over a feed lot and then into an open field. Several power lines were downed along Farm to Market Road 1055 and County Road 510." +113741,681151,TEXAS,2017,April,Hail,"TERRY",2017-04-16 20:11:00,CST-6,2017-04-16 20:11:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-102.28,33.18,-102.28,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Hail up to the size of golf balls was reported in Brownfield. No damage was reported." +114751,693506,TENNESSEE,2017,April,Strong Wind,"MAURY",2017-04-05 17:00:00,CST-6,2017-04-05 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed a downed tree that caused damage to two vehicles and a residence in Columbia. A peak wind gust of 50 mph was measured at the Maury Regional Airport in Mount Pleasant at 355 PM CST." +114751,693508,TENNESSEE,2017,April,Strong Wind,"RUTHERFORD",2017-04-05 17:00:00,CST-6,2017-04-05 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Facebook images showed a large cedar tree snapped near the base around 6 miles east-northeast of Eagleville." +114751,693509,TENNESSEE,2017,April,Strong Wind,"MAURY",2017-04-05 17:30:00,CST-6,2017-04-05 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed a tree blown down in Columbia." +115424,693054,WASHINGTON,2017,April,Flood,"FERRY",2017-04-08 00:00:00,PST-8,2017-04-15 00:00:00,0,0,0,0,800.00K,800000,0.00K,0,48.4749,-118.7979,48.0454,-118.7293,"Spring snow melt and periodic heavy rain during March and April caused the Sanpoil River running through Colville Tribal lands to flood. A media statement issued by the Ferry County Sheriff's Office and the Colville Tribal Police described the inundation as the worst flooding in decades. The river damaged bridges, roads and parks along the bottom lands and undermined one residence, causing it to topple into the river. Another house was threatened as the river eroded the hill side it was built upon.","The USGS River Gage near Jack Creek recorded a rapid rise beginning on April 8th with a peak on the 9th near 8.5 feet. A second rise occurred on April 14th. While no official Flood Stage exists for this gage, this period of high flow corresponded with extensive flooding of bottom lands, roads, bridges and parks along the river. One residence on the river bank was undermined and eventually toppled into the river. ||A second river gage at Keller, also with no official Flood Stage was observed to achieve 9.7 feet on April 8th which may have set a record flow for this gage." +115424,693055,WASHINGTON,2017,April,Flood,"FERRY",2017-04-09 19:00:00,PST-8,2017-04-09 20:00:00,0,0,0,0,200.00K,200000,0.00K,0,48.0985,-118.6887,48.0967,-118.6876,"Spring snow melt and periodic heavy rain during March and April caused the Sanpoil River running through Colville Tribal lands to flood. A media statement issued by the Ferry County Sheriff's Office and the Colville Tribal Police described the inundation as the worst flooding in decades. The river damaged bridges, roads and parks along the bottom lands and undermined one residence, causing it to topple into the river. Another house was threatened as the river eroded the hill side it was built upon.","A residence located along the Sanpoil River just north of Keller was undermined by the flooding river and eventually toppled into the river. The resident was able to remove most of the valuables and furniture from the house before it went into the river." +113355,678792,NEW JERSEY,2017,April,Thunderstorm Wind,"CUMBERLAND",2017-04-06 14:40:00,EST-5,2017-04-06 14:40:00,0,0,0,0,,NaN,,NaN,39.24,-75.18,39.24,-75.18,"Low pressure tracked from the Ohio Valley into the Western Great Lakes with a warm front surging northward ahead of the low which was followed by a cold front. Moisture and instability was drawn northwest ahead of the front which led to locally heavy showers and thunderstorms. Some of thunderstorms were strong to severe with gusty winds.","NJWXNET, no additional information." +114755,688804,TENNESSEE,2017,April,Hail,"GILES",2017-04-22 15:25:00,CST-6,2017-04-22 15:25:00,0,0,0,0,0.00K,0,0.00K,0,35.1013,-86.8856,35.1013,-86.8856,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Photos showed large amounts of hail up to quarter size hail covered I-65 from Mile Marker 7 to Mile Marker 9." +114755,688817,TENNESSEE,2017,April,Flash Flood,"WILLIAMSON",2017-04-22 16:30:00,CST-6,2017-04-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.908,-86.8483,35.9163,-86.8645,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Aerial imagery showed extensive flooding near the Carnton Plantation in Franklin with some roads in the area under water." +114755,688819,TENNESSEE,2017,April,Flash Flood,"MAURY",2017-04-22 15:00:00,CST-6,2017-04-22 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,35.6884,-87.2614,35.5798,-87.0873,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Maury County Emergency Management reported flash flooding in western and southern parts of Maury County. Greenfield Bend Road near Williamsport was down to one lane due to a road washout. Flooding knocked down a large tree, two power poles, and power lines at 8625 Dry Creek Road south of Mount Pleasant blocking the roadway. Giilespie Lane east of Culleoka was closed due to Dry Creek overflowing the road, and one car was swept off the road due to the flooding but was uninjured." +114755,688823,TENNESSEE,2017,April,Thunderstorm Wind,"WAYNE",2017-04-22 14:11:00,CST-6,2017-04-22 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,35.3097,-87.7711,35.3097,-87.7711,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A large tree was uprooted across Old Hog Creek Road and fell onto a business." +117594,707213,ARIZONA,2017,June,Excessive Heat,"LITTLE COLORADO RIVER VALLEY IN NAVAJO COUNTY",2017-06-17 11:00:00,MST-7,2017-06-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 102 in Winslow on June 17 broke the previous record of 100 set in 1974. ||The high of 103 in Winslow on June 18 tied the previous record last set in 1940. ||The high of 105 in Winslow on June 19 broke the previous record of 104 set in 2016. ||The high of 103 at the Petrified Forest on June 19 broke the previous record of 101 set in 2016. ||The high of 108 in Winslow on June 21 broke the previous record of 106 set in 2012. ||The high of 105 at Petrified Forest on June 21 broke the previous record of 103 set in 2012. ||The high of 107 in Winslow on June 22 broke the previous record of 105 set in 1961. ||The high of 104 in Winslow on June 23 tied record last set in 1961.||The high of 104 in Winslow on June 24 tied record last set in 1961." +117594,707229,ARIZONA,2017,June,Excessive Heat,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-06-18 11:00:00,MST-7,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 95 in Springerville on June 18 tied the previous record last set in 2016. ||The high of 98 in Springerville on June 20 broke the previous record of 97 last set in 2016. ||The high of 95 in Springerville on June 22 tied the previous record last set in 2012. ||The high of 95 in Springerville on June 23 broke the previous record of 94 last set in 1954." +117594,707231,ARIZONA,2017,June,Excessive Heat,"NORTHERN GILA COUNTY",2017-06-18 11:00:00,MST-7,2017-06-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 104 in Payson on June 19 broke the previous record of 103 last set in 2016. ||The high of 105 in Payson on June 20 broke the previous record of 103 last set in 2016." +117408,706077,FLORIDA,2017,June,Hail,"DUVAL",2017-06-01 15:43:00,EST-5,2017-06-01 15:43:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-81.65,30.46,-81.65,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","Quarter size hail was reported near the intersection of Interstate 295 and Interstate 95." +117408,706078,FLORIDA,2017,June,Thunderstorm Wind,"DUVAL",2017-06-01 15:45:00,EST-5,2017-06-01 15:45:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-81.65,30.46,-81.65,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","Estimated wind gust of 60 mph near the intersection of Interstate 295 and Interstate 95." +117440,706301,FLORIDA,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-15 17:05:00,EST-5,2017-06-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,29.62,-81.7,29.62,-81.7,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Tree limbs were blown down onto power lines and large hail (size unknown) was reported." +117440,706298,FLORIDA,2017,June,Thunderstorm Wind,"DUVAL",2017-06-15 14:56:00,EST-5,2017-06-15 14:56:00,0,0,0,0,3.00K,3000,0.00K,0,30.49,-81.68,30.49,-81.68,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Several light poles were blown over at the UPS Building near Pecan Park Road and Cole Flyer Road. The building suffered some structural damage. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +117440,706300,FLORIDA,2017,June,Thunderstorm Wind,"MARION",2017-06-15 16:20:00,EST-5,2017-06-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,29.06,-82.05,29.06,-82.05,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A tree was blown down." +117440,706302,FLORIDA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 18:10:00,EST-5,2017-06-15 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-81.75,30.15,-81.75,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Thick tree branches, about 6 inches in diameter, were blown down from trees." +117441,706303,GEORGIA,2017,June,Thunderstorm Wind,"CHARLTON",2017-06-15 16:35:00,EST-5,2017-06-15 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-82.01,30.87,-82.01,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","Trees were blown down near Highway 121 and U.S. Highway 1 and Gardner Road. The time of damage was based on radar." +117442,706304,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-06-15 18:24:00,EST-5,2017-06-15 18:24:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-81.68,30.18,-81.68,"A deepening upper level trough across GA and the eastern Gulf of Mexico destabilized the mid and upper levels under prevailing moist WSW flow. This upper forcing in concert with convection along the sea breezes and resultant outflows triggered scattered severe storms in the afternoon and early evening across NE FL.","A NOAA Ports Station measured 40 mph winds." +113647,695107,INDIANA,2017,April,Hail,"JENNINGS",2017-04-05 15:27:00,EST-5,2017-04-05 15:29:00,0,0,0,0,,NaN,,NaN,39.01,-85.76,39.01,-85.76,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","" +113647,695108,INDIANA,2017,April,Hail,"DECATUR",2017-04-05 15:40:00,EST-5,2017-04-05 15:42:00,0,0,0,0,,NaN,0.00K,0,39.34,-85.48,39.34,-85.48,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","" +113647,695109,INDIANA,2017,April,Hail,"RANDOLPH",2017-04-05 16:30:00,EST-5,2017-04-05 16:32:00,0,0,0,0,,NaN,,NaN,40.06,-84.95,40.06,-84.95,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","This report came from an off-duty police officer and was relayed through the Emergency Manager." +113647,695110,INDIANA,2017,April,Tornado,"DAVIESS",2017-04-05 17:04:00,EST-5,2017-04-05 17:05:00,0,0,0,0,65.00K,65000,,NaN,38.6418,-86.9805,38.6513,-86.9618,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","A brief EF1 tornado occurred shortly after 6 PM EDT, east of the city of Washington, near Cannelburg in Daviess County, Indiana, about 50 miles northeast of Evansville.||The tornado caused roof damage to a home, destroyed two barns and two outbuildings, a silo, and snapped two wooden power poles. No injuries or fatalities were reported." +113647,695111,INDIANA,2017,April,Hail,"MONROE",2017-04-05 18:06:00,EST-5,2017-04-05 18:08:00,0,0,0,0,1.50K,1500,,NaN,39.15,-86.37,39.15,-86.37,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","Also, a part of a large tree was snapped and brought down some power lines due to strong thunderstorm wind gusts." +113647,695112,INDIANA,2017,April,Hail,"BROWN",2017-04-05 18:18:00,EST-5,2017-04-05 18:20:00,0,0,0,0,,NaN,,NaN,39.2,-86.24,39.2,-86.24,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","This report was relayed by law enforcement." +113647,695117,INDIANA,2017,April,Flood,"RUSH",2017-04-05 16:10:00,EST-5,2017-04-05 17:30:00,0,0,0,0,0.50K,500,0.50K,500,39.6274,-85.301,39.6273,-85.2995,"A complex low pressure system brought damaging winds and hail to central Indiana, as well as one tornado reported southeast of Cannelburg during the afternoon of April 5th.","Some roads in town and some surrounding county roads were underwater. This report was relayed by Emergency Management." +115191,691722,LOUISIANA,2017,April,Hail,"ACADIA",2017-04-02 13:47:00,CST-6,2017-04-02 13:47:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-92.38,30.21,-92.38,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115191,691723,LOUISIANA,2017,April,Hail,"ACADIA",2017-04-02 14:05:00,CST-6,2017-04-02 14:05:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-92.27,30.35,-92.27,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","The Branch Fire Department reported quarter size hail." +115191,691724,LOUISIANA,2017,April,Hail,"RAPIDES",2017-04-02 14:24:00,CST-6,2017-04-02 14:24:00,0,0,0,0,0.00K,0,0.00K,0,31.35,-92.39,31.35,-92.39,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115191,691725,LOUISIANA,2017,April,Hail,"RAPIDES",2017-04-02 14:27:00,CST-6,2017-04-02 14:27:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-92.42,31.33,-92.42,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","" +115191,691726,LOUISIANA,2017,April,Thunderstorm Wind,"ST. LANDRY",2017-04-02 14:35:00,CST-6,2017-04-02 14:35:00,0,0,0,0,4.00K,4000,0.00K,0,30.5771,-92.19,30.5771,-92.19,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Pictures posted to social media showed trees down across Highway 104." +115191,694736,LOUISIANA,2017,April,Tornado,"ST. MARTIN",2017-04-02 08:47:00,CST-6,2017-04-02 08:49:00,0,0,2,0,15.00K,15000,0.00K,0,30.2676,-91.8532,30.2756,-91.8436,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","A tornado touched down in a field off of Zin Zin Road, and caused a single|wide mobile home to roll over. The walls and roof separated from the frame. A 38 year old|woman and a 3 year old girl died in the mobile home. Maximum winds were estimated at 110 MPH." +115191,695061,LOUISIANA,2017,April,Tornado,"RAPIDES",2017-04-02 13:32:00,CST-6,2017-04-02 13:46:00,0,0,0,0,5.00K,5000,0.00K,0,30.9925,-92.5992,31.0748,-92.5221,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","A few pine trees were snapped between Glenmora and Forest Hill.|Most damage was medium to small branches. The storm began near McNary Cutoff and|LA 113 and dissipated near LA 112 and US 165. The maximum estimated wind speed was 105 MPH." +115191,695091,LOUISIANA,2017,April,Tornado,"RAPIDES",2017-04-02 14:20:00,CST-6,2017-04-02 14:21:00,0,0,0,0,0.00K,0,0.00K,0,31.4595,-92.7846,31.4605,-92.7833,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Storm chasers filmed a weak tornado on I-49 near Lena. One of|the storm chase vehicles drove through the tornado. No significant damage was|found in the region. Video of this was seen on social media. Max wind speeds were estimated at 60 MPH." +115260,691998,PENNSYLVANIA,2017,April,Hail,"ERIE",2017-04-20 17:17:00,EST-5,2017-04-20 17:22:00,0,0,0,0,0.00K,0,0.00K,0,41.8495,-80.1025,41.8495,-80.1025,"Low pressure moved northeast across the central Great Lakes. Showers and thunderstorms developed along a warm front associated with this low. A couple of the thunderstorms became severe.","Penny sized hail was observed." +115260,692000,PENNSYLVANIA,2017,April,Hail,"ERIE",2017-04-20 18:10:00,EST-5,2017-04-20 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-79.63,41.92,-79.63,"Low pressure moved northeast across the central Great Lakes. Showers and thunderstorms developed along a warm front associated with this low. A couple of the thunderstorms became severe.","Quarter size hail was observed." +115492,693490,WISCONSIN,2017,April,Thunderstorm Wind,"WALWORTH",2017-04-20 00:37:00,CST-6,2017-04-20 00:37:00,0,0,0,0,5.00K,5000,0.00K,0,42.63,-88.65,42.63,-88.65,"A line of thunderstorms moved through southern Wisconsin in the early morning hours, bringing damaging winds for extreme southeastern WI.","Several trees were downed by strong thunderstorm winds in the town of Delavan." +115755,695768,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-11 16:42:00,CST-6,2017-05-11 16:47:00,0,0,0,0,0.00K,0,0.00K,0,35.8068,-90.73,35.8068,-90.73,"A passing upper level disturbance brought marginal severe hail and flash flooding to portions of northeast Arkansas during the late afternoon and early evening hours of May 11th.","One inch hail on Neely Road in Jonesboro." +115755,695769,ARKANSAS,2017,May,Flash Flood,"MISSISSIPPI",2017-05-11 19:30:00,CST-6,2017-05-11 23:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.9323,-89.8798,35.9255,-89.8797,"A passing upper level disturbance brought marginal severe hail and flash flooding to portions of northeast Arkansas during the late afternoon and early evening hours of May 11th.","Water completely covering Highway 18 on either side of Interstate 55." +115772,698388,GEORGIA,2017,April,Hail,"JACKSON",2017-04-05 22:25:00,EST-5,2017-04-05 22:35:00,0,0,0,0,739.00K,739000,,NaN,34.1216,-83.5944,34.1216,-83.5944,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A report of 2 inch hail in the Preserve Neighborhood near Jefferson Middle School was received on social media." +115772,699181,GEORGIA,2017,April,Flash Flood,"COBB",2017-04-05 11:04:00,EST-5,2017-04-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.8578,-84.2854,33.8555,-84.2828,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A local news station broadcast a video of water flowing over the roadway near the intersection of Shallowford Rd and Sherbrooke Drive NE." +115758,695773,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-19 16:44:00,CST-6,2017-05-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-90.8,35.9,-90.8,"An unstable atmosphere brought a couple of marginally severe storms to portions of the Midsouth during the mid and late afternoon hours of May 19th.","" +115758,695774,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-19 16:45:00,CST-6,2017-05-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-90.8,35.9,-90.8,"An unstable atmosphere brought a couple of marginally severe storms to portions of the Midsouth during the mid and late afternoon hours of May 19th.","" +115757,695772,TENNESSEE,2017,May,Hail,"MADISON",2017-05-19 13:25:00,CST-6,2017-05-19 13:30:00,0,0,0,0,0.00K,0,0.00K,0,35.7125,-88.797,35.7125,-88.797,"An unstable atmosphere brought a couple of marginally severe storms to portions of the Midsouth during the mid and late afternoon hours of May 19th.","" +115759,695775,MISSISSIPPI,2017,May,Thunderstorm Wind,"MONROE",2017-05-21 16:22:00,CST-6,2017-05-21 16:30:00,0,0,0,0,,NaN,0.00K,0,33.9775,-88.6037,33.9797,-88.5977,"A lone severe thunderstorm brought wind damage and large hail to Monroe County Mississippi during the late afternoons hours of May 21st.","A large tree is down across Wren Cemetary Road." +115759,695776,MISSISSIPPI,2017,May,Hail,"MONROE",2017-05-21 16:25:00,CST-6,2017-05-21 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.97,-88.6,33.97,-88.6,"A lone severe thunderstorm brought wind damage and large hail to Monroe County Mississippi during the late afternoons hours of May 21st.","" +115772,699306,GEORGIA,2017,April,Flash Flood,"FULTON",2017-04-05 15:48:00,EST-5,2017-04-05 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.8257,-84.4009,33.8277,-84.415,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","Local news media reported that five City of Atlanta employees were rescued from the roofs of their vehicles after the work trucks, carrying road barricades, were overwhelmed by the flood waters. The rising water was from nearby Peachtree Creek near the intersection of Peachtree Battle Avenue and Woodward Way." +115772,699317,GEORGIA,2017,April,Flash Flood,"FULTON",2017-04-05 13:03:00,EST-5,2017-04-05 17:41:00,0,0,0,0,0.00K,0,0.00K,0,33.8106,-84.415,33.8288,-84.4143,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A USGS stream gage on Peachtree Creek at Northside Drive in Atlanta quickly reached Moderate flood stage of 18 feet. The creek crest at 18.24 feet at 3:00 PM EST. A parking lot near the corner of Peachtree Road and Fairhaven Circle experienced flooding. Woodward Way was reportedly covered with a couple feet of water, and approached the foundation of several unelevated homes. Portions of Hanover West Drive and backyards of some residences on Peachtree Battle Avenue were inundated with a few feet of water." +115792,695865,TEXAS,2017,April,Hail,"OCHILTREE",2017-04-21 03:47:00,CST-6,2017-04-21 03:47:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-100.81,36.39,-100.81,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Late report...time estimated from radar. Hail accumulated several inches deep with little melting so far." +115792,695866,TEXAS,2017,April,Hail,"OCHILTREE",2017-04-21 03:52:00,CST-6,2017-04-21 03:52:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-100.8,36.44,-100.8,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Late report...time estimated by radar." +115792,695868,TEXAS,2017,April,Hail,"HUTCHINSON",2017-04-21 04:28:00,CST-6,2017-04-21 04:28:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.6,35.64,-101.6,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","" +115792,695869,TEXAS,2017,April,Hail,"HUTCHINSON",2017-04-21 04:15:00,CST-6,2017-04-21 04:15:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.6,35.64,-101.6,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Report via Twitter." +115656,694932,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:24:00,CST-6,2017-04-16 16:24:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-100.83,35.44,-100.83,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115183,691638,ILLINOIS,2017,April,Thunderstorm Wind,"CHRISTIAN",2017-04-29 16:15:00,CST-6,2017-04-29 16:20:00,0,0,0,0,25.00K,25000,0.00K,0,39.45,-89.42,39.45,-89.42,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Several trees and power lines were blown down." +115183,691611,ILLINOIS,2017,April,Thunderstorm Wind,"LOGAN",2017-04-29 16:19:00,CST-6,2017-04-29 16:24:00,0,0,0,0,15.00K,15000,0.00K,0,40.22,-89.45,40.22,-89.45,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A semi was blown over on I-155 at mile marker 4 just southwest of Hartsburg." +115183,691621,ILLINOIS,2017,April,Thunderstorm Wind,"CHRISTIAN",2017-04-29 16:22:00,CST-6,2017-04-29 16:27:00,0,0,0,0,50.00K,50000,0.00K,0,39.52,-89.26,39.52,-89.26,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Several mature trees were uprooted and 2 houses were damaged." +115813,696320,OKLAHOMA,2017,April,Flood,"CHEROKEE",2017-04-22 16:15:00,CST-6,2017-04-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1089,-94.8035,36.1203,-94.83,"A frontal boundary sagged into northeastern Oklahoma early on the 20th and moved slowly into southeastern Oklahoma on the 21st. Several rounds of thunderstorms developed over the region along and north of the front. Areas of northeastern Oklahoma received between 2.5 and 6 inches of rain over the two-day period as a result of this widespread and repetitive thunderstorm activity. This excessive rainfall resulted in moderate flooding of the Neosho River near Commerce, and moderate flooding of the Illinois River near Watts, Chewey, and Tahlequah.","The Illinois River near Tahlequah rose above its flood stage of 11 feet at 5:15 pm CDT on April 22nd. The river crested at 16.26 feet at 8:00 am CDT on the 23rd, resulting in moderate flooding. Rural roads were flooded and some cabin parks were inundated near the river. The river fell below flood stage at 9:30 pm CDT on the 23rd." +115391,692825,NEBRASKA,2017,April,Blizzard,"RED WILLOW",2017-04-30 09:30:00,CST-6,2017-04-30 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the morning widespread blizzard conditions moved in from the east, and persisted into the afternoon before gradually shifting back east. Visibility of a quarter mile or less was reported across Hitchcock, Red Willow, and the east half of Dundy counties due to the combination of heavy snowfall and wind gusts around 40 MPH. The combined effect of the heavy snow and wind gusts snapped power poles, mainly east-west running power poles. During the worst of the blizzard roughly two-thirds of Red Willow County was without power, with most of the poles broken along Highway 89 in Red Willow County. Snowfall amounts were highest near the state line in Hitchcock and Red Willow counties where close to 20 inches fell. Amounts quickly declined to the northwest.","Multiple vehicle slide-offs were reported across the county. Numerous power poles were snapped across the county, with greatest number of poles snapped along Highway 89 from Marion to Lebanon. During the worst of the storm roughly two-thirds of the county had no power. Snowfall amounts ranged from around 4 inches in the far northern part of the county to close to 20 inches south of Highway 89. A federal disaster was declared by President Donald J. Trump." +115869,696336,OREGON,2017,April,High Wind,"NORTHERN OREGON COAST",2017-04-07 06:34:00,PST-8,2017-04-07 13:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","A weather station in Pacific City recorded winds gusting up to 72 mph. Other weather stations near Cannon Beach, Tillamook, and Garibaldi recorded wind gusts up to 60 to 65 mph." +115869,696348,OREGON,2017,April,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-04-07 09:12:00,PST-8,2017-04-07 13:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","A weather station on Marys Peak recorded wind gusts up to 93 mph. The Rockhouse RAWS recorded wind gusts up to 76 mph, and a spotter in Swisshome recorded a peak gusts of 60 mph." +115415,694293,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 17:30:00,EST-5,2017-04-03 17:31:00,0,0,0,0,,NaN,,NaN,31.41,-81.31,31.41,-81.31,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","The NERRS site at Sapelo Island recorded a 35 knot wind gust with a passing line of thunderstorms." +115415,694297,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-03 17:51:00,EST-5,2017-04-03 17:52:00,0,0,0,0,,NaN,,NaN,32.6528,-79.9384,32.6528,-79.9384,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","The Weatherflow site at Folly Beach Pier recorded a 37 knot wind gust with a passing line of thunderstorms." +115415,694299,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-04-03 17:56:00,EST-5,2017-04-03 17:57:00,0,0,0,0,,NaN,,NaN,32.7512,-79.8707,32.7512,-79.8707,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","The Weatherflow site at Fort Sumter recorded a 38 knot wind gust with a passing line of thunderstorms." +115801,695911,PENNSYLVANIA,2017,April,Thunderstorm Wind,"ARMSTRONG",2017-04-27 20:13:00,EST-5,2017-04-27 20:13:00,0,0,0,0,1.00K,1000,0.00K,0,40.75,-79.64,40.75,-79.64,"A weak cold/occluded front was the trigger for isolated strong to severe storms in the evening of the 27th. While strong shear was present, instability was rather limited due to rather unimpressive dew points and lingering cloud cover, which supported a low risk for widespread severe. Damaging wind gusts and downed trees were the main impacts, but some small hail was also observed.","The public reported large tree branches down." +115803,695913,OHIO,2017,April,Thunderstorm Wind,"COSHOCTON",2017-04-30 14:12:00,EST-5,2017-04-30 14:12:00,0,0,0,0,5.00K,5000,0.00K,0,40.29,-81.9,40.29,-81.9,"Isolated showers and storms developed in the afternoon of the 30th as shortwave rode along in the upper ridge. One storm produced wind damage in Coshocton, OH.","Local law enforcement reported multiple trees down." +112882,674364,INDIANA,2017,March,Thunderstorm Wind,"CLARK",2017-03-01 06:02:00,EST-5,2017-03-01 06:12:00,0,0,0,0,150.00K,150000,0.00K,0,38.4708,-85.9935,38.4325,-85.8128,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A NWS Storm Survey team concluded that intermittent pockets of straight line winds occurred along a 10 mile path across portions of Clark County. A roof was removed from an abandoned building in Borden. Winds blew out glass and a screen covered porch off the back of a house at Deam Lake near Borden. The sporadic damage continued east along and near Indiana 60 past Bennettsville, where a tree was toppled on to the roof of a house. Peak wind speeds were estimated between 60 and 80 mph." +115294,696695,ILLINOIS,2017,April,Flood,"SANGAMON",2017-04-29 22:15:00,CST-6,2017-04-30 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9015,-89.994,39.5222,-89.9262,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across central and southern Sangamon County. Numerous streets in Springfield were impassable, as were numerous rural roads and highways in the county. The greatest impacts occurred in the far northwest and southern parts of the county, from south of Ashland toward Loami and Auburn. Parts of Illinois Route 4 toward Thayer were closed. Additional rain of 0.50 to 1.00 inch during the early morning hours kept many roads flooded. Flood waters subsided by early afternoon on the 30th." +112882,674386,INDIANA,2017,March,Thunderstorm Wind,"HARRISON",2017-03-01 06:22:00,EST-5,2017-03-01 06:22:00,0,0,0,0,25.00K,25000,0.00K,0,38.3256,-86.1427,38.3256,-86.1427,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A trained spotter reported a roof was blown off a concrete block dugout at a youth softball field behind North Harrison High School." +115294,696697,ILLINOIS,2017,April,Flood,"CHRISTIAN",2017-04-29 22:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.5665,-89.0227,39.6239,-89.2,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Christian County. Numerous streets in Taylorville and Pana were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern part of the county near Morrisonville, where Illinois Route 48 was closed due to flowing water. Additional rain around 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 2nd." +115054,690671,OKLAHOMA,2017,April,Drought,"TULSA",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690672,OKLAHOMA,2017,April,Drought,"ROGERS",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690673,OKLAHOMA,2017,April,Drought,"MAYES",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690675,OKLAHOMA,2017,April,Drought,"DELAWARE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690676,OKLAHOMA,2017,April,Drought,"CREEK",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115099,691731,ARKANSAS,2017,April,Flash Flood,"WASHINGTON",2017-04-29 17:57:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.0888,-94.1695,36.0881,-94.1695,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Portions of Poplar Street were flooded and impassable. Cars were stranded with people trapped by high water." +115099,691769,ARKANSAS,2017,April,Flash Flood,"BENTON",2017-04-29 23:23:00,CST-6,2017-04-30 03:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1729,-94.4343,36.1681,-94.438,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Portions of Highway 412 east of Siloam Springs were flooded with briskly flowing water across all four lanes of traffic." +115099,697038,ARKANSAS,2017,April,Flash Flood,"CARROLL",2017-04-29 19:00:00,CST-6,2017-04-29 23:00:00,0,0,1,0,0.00K,0,0.00K,0,36.3985,-93.734,36.4254,-93.7362,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of northwestern Arkansas, along and north of a warm front that had moved into the area during the day. These storms produced hail up to golfball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, damaging wind, and locally heavy rainfall.","Leatherwood Creek flooded several roads north and northeast of town. People were playing in and near the creek. One of them was swept downstream and drowned." +115876,696358,ARKANSAS,2017,April,Flood,"CRAWFORD",2017-04-30 01:15:00,CST-6,2017-04-30 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.4839,-94.3884,35.4786,-94.3911,"A warm front lifted north from Texas into eastern Oklahoma and northwestern Arkansas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma and northwestern Arkansas, with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in major flooding of Lee Creek near Van Buren.","Lee Creek near Van Buren rose above its flood stage of 401 feet at 2:15 am CDT on April 30th. The river crested at 406.6 feet at 7:30 am CDT on the 30th, resulting in major flooding. Tailwater Park, campgrounds, and Rena Road were inundated by high water. The river fell below flood stage at 2:45 pm CDT on the 30th." +115063,690874,OKLAHOMA,2017,April,Thunderstorm Wind,"MCINTOSH",2017-04-21 10:34:00,CST-6,2017-04-21 10:34:00,0,0,0,0,0.00K,0,0.00K,0,35.4704,-95.5237,35.4704,-95.5237,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind snapped large tree limbs." +115063,690875,OKLAHOMA,2017,April,Thunderstorm Wind,"CHEROKEE",2017-04-21 10:53:00,CST-6,2017-04-21 10:53:00,0,0,0,0,0.00K,0,0.00K,0,35.9632,-95.2491,35.9632,-95.2491,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind uprooted trees." +115063,690893,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-21 10:53:00,CST-6,2017-04-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1193,-95.9304,36.118,-95.9382,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","The local media reported flooding near E 31st Street and S Yale Avenue, and near E 49th Street and Memorial Drive." +115063,690876,OKLAHOMA,2017,April,Thunderstorm Wind,"SEQUOYAH",2017-04-21 11:25:00,CST-6,2017-04-21 11:25:00,0,0,0,0,0.00K,0,0.00K,0,35.4626,-94.7886,35.4626,-94.7886,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind snapped large tree limbs." +115098,691764,OKLAHOMA,2017,April,Flash Flood,"ROGERS",2017-04-29 22:00:00,CST-6,2017-04-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3192,-95.7943,36.3198,-95.7584,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Portions of E 106th Street N were flooded and impassable between N 161st E Avenue and N 193rd E Avenue. Portions of N 193rd E Avenue were flooded between E 106th Street N and Highway 20." +115098,691765,OKLAHOMA,2017,April,Flash Flood,"MCINTOSH",2017-04-29 22:53:00,CST-6,2017-04-29 23:15:00,0,0,0,0,75.00K,75000,0.00K,0,35.4619,-95.5367,35.4619,-95.5128,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","Many roads in town were flooded and impassable, and flood water inundated some homes." +115850,696238,NEW YORK,2017,April,Thunderstorm Wind,"BROOME",2017-04-16 16:03:00,EST-5,2017-04-16 16:13:00,0,0,0,0,6.00K,6000,0.00K,0,42.1,-75.48,42.1,-75.48,"A cold front located over central Michigan early Sunday morning quickly moved east towards central New York and northeast Pennsylvania by Monday afternoon. Showers and thunderstorms developed ahead and along the front within a warm and very unstable air mass as it propagated eastward. Some of these storms became severe.","A thunderstorm moved across the region and became severe. This thunderstorm resulted in a trees being knocked over on power lines and power line poles snapped on River road." +112882,681344,INDIANA,2017,March,Flood,"JEFFERSON",2017-03-01 12:55:00,EST-5,2017-03-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8072,-85.6747,38.8059,-85.6717,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","Widespread thunderstorms over the area brought the Muscatatuck River at Deputy into minor flood stage. The river crested at 26.16 feet." +114041,683329,KENTUCKY,2017,April,Thunderstorm Wind,"LARUE",2017-04-30 16:56:00,EST-5,2017-04-30 16:56:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-85.72,37.56,-85.72,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees down at Lincoln Parkway and Campbellsville Road." +114041,683330,KENTUCKY,2017,April,Thunderstorm Wind,"GREEN",2017-04-30 16:03:00,CST-6,2017-04-30 16:03:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-85.51,37.28,-85.51,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down on Happyville Road." +114041,683331,KENTUCKY,2017,April,Thunderstorm Wind,"GREEN",2017-04-30 16:03:00,CST-6,2017-04-30 16:03:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-85.52,37.29,-85.52,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down on Hodgenville Road." +114041,683332,KENTUCKY,2017,April,Thunderstorm Wind,"NELSON",2017-04-30 17:25:00,EST-5,2017-04-30 17:25:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-85.46,37.81,-85.46,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down on Highway 62 near Stephen Foster Avenue." +114041,683333,KENTUCKY,2017,April,Thunderstorm Wind,"HART",2017-04-30 15:42:00,CST-6,2017-04-30 15:42:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-85.9,37.39,-85.9,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","NWS Employee reported two large oak trees down in the area." +114041,683334,KENTUCKY,2017,April,Thunderstorm Wind,"CLINTON",2017-04-30 16:50:00,CST-6,2017-04-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-85.14,36.69,-85.14,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Power lines were reported down in the area." +114606,688578,WISCONSIN,2017,April,Hail,"JACKSON",2017-04-09 23:30:00,CST-6,2017-04-09 23:30:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-90.85,44.3,-90.85,"Thunderstorms developed along a cold front across portions of western Wisconsin during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Cochrane (Buffalo County) northeast to Rib Lake (Taylor County). The largest hail reported was golf ball sized near Cochrane.","" +116916,703139,VIRGINIA,2017,May,Hail,"AMELIA",2017-05-27 16:40:00,EST-5,2017-05-27 16:40:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-78.12,37.28,-78.12,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703140,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:45:00,EST-5,2017-05-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.59,-77.54,37.59,-77.54,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Half dollar size hail was reported." +116916,703142,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:48:00,EST-5,2017-05-27 16:48:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-77.52,37.66,-77.52,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +118093,709767,VIRGINIA,2017,June,Thunderstorm Wind,"FRANKLIN (C)",2017-06-19 16:24:00,EST-5,2017-06-19 16:24:00,0,0,0,0,1.00K,1000,0.00K,0,36.7,-76.96,36.7,-76.96,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Wind gust of 51 knots (59 mph) was measured." +118094,709768,MARYLAND,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-19 16:32:00,EST-5,2017-06-19 16:32:00,0,0,0,0,2.00K,2000,0.00K,0,38.47,-76.3,38.47,-76.3,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Multiple trees were downed." +118094,709769,MARYLAND,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-19 16:39:00,EST-5,2017-06-19 16:39:00,0,0,0,0,2.00K,2000,0.00K,0,38.56,-76.08,38.56,-76.08,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Multiple trees were downed." +118094,709770,MARYLAND,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-19 16:54:00,EST-5,2017-06-19 16:54:00,0,0,0,0,2.00K,2000,0.00K,0,38.63,-75.87,38.63,-75.87,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Several trees were downed." +118094,709771,MARYLAND,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-19 17:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.63,-75.87,38.63,-75.87,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Numerous trees were downed along Williamsburg Road and East New Market and Hurlock Road areas in Hurlock. One home sustained minor damage." +118094,709772,MARYLAND,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-19 19:20:00,EST-5,2017-06-19 19:20:00,0,0,0,0,1.00K,1000,0.00K,0,38.55,-75.98,38.55,-75.98,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Power line was downed onto road along Route 50 between Cambridge and Linkwood." +118156,710369,VIRGINIA,2017,June,Lightning,"PORTSMOUTH (C)",2017-06-14 17:30:00,EST-5,2017-06-14 17:30:00,0,0,0,0,100.00K,100000,0.00K,0,36.82,-76.32,36.82,-76.32,"Scattered severe thunderstorms associated with a trough of low pressure produced damaging winds across portions of southeast Virginia.","Lightning strike damaged a church on Columbus Avenue." +118213,710374,VIRGINIA,2017,June,Strong Wind,"VIRGINIA BEACH",2017-06-21 07:10:00,EST-5,2017-06-21 07:10:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Scattered showers associated with a trough of low pressure produced isolated damaging winds at a Virginia Beach campground.","Chairs were blown around and RV awnings were damaged or destroyed at North Landing Beach Campground." +116699,701764,COLORADO,2017,July,Hail,"RIO BLANCO",2017-07-20 13:17:00,MST-7,2017-07-20 13:27:00,0,0,0,0,0.00K,0,0.00K,0,40.0059,-108.3729,40.0059,-108.3729,"Subtropical moisture continued to flow northward across the region and led to strong thunderstorms, some with heavy rainfall and hail.","Land management personnel experienced golf-ball size hail." +113801,681444,KENTUCKY,2017,April,Thunderstorm Wind,"CUMBERLAND",2017-04-05 16:18:00,CST-6,2017-04-05 16:18:00,0,0,0,0,15.00K,15000,0.00K,0,36.82,-85.5,36.82,-85.5,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The Cumberland County emergency manager reported a building wall collapsed due to severe thunderstorm winds." +111483,671739,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:13:00,CST-6,2017-01-02 19:13:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-85.91,31.16,-85.91,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Coffee Springs area." +111483,671740,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:17:00,CST-6,2017-01-02 19:17:00,0,0,0,0,0.00K,0,0.00K,0,31.01,-85.74,31.01,-85.74,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Black area." +111483,671741,ALABAMA,2017,January,Thunderstorm Wind,"GENEVA",2017-01-02 19:30:00,CST-6,2017-01-02 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.1,-85.59,31.1,-85.59,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down in the Slocomb area." +115772,698347,GEORGIA,2017,April,Tornado,"LAURENS",2017-04-05 14:38:00,EST-5,2017-04-05 15:05:00,0,0,0,0,150.00K,150000,,NaN,32.3323,-82.9856,32.4051,-82.7003,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A National Weather Service survey team found that an EF2 tornado with maximum wind speeds of 115 MPH and a maximum path width of 400 yards touched down in southwestern Laurens County around the intersection of Evan Colter Road and Frog Hollow Road where a house sustained damage and dozens of trees were snapped and uprooted. Just east of this location, a large auto-body repair shop was destroyed along Coleman Register Road some damage occurred to nearby homes. Dozens of trees were also snapped in the area. The tornado continued moving northeast crossing Five Points Road and snapping trees before clipping home along Baker Church road. The second floor on the south side of the house was mostly destroyed. Nearby, a large, triangular radio tower was completely bent over and several outbuildings were completely destroyed. The tornado continued northeast along James Evans Road crossing US Highway 441 snapping trees and damaging the roofs of homes along the way. The tornado continued snapping and uprooting trees as it moved northeast crossing South Poplar Springs Church Road, Greg Couey Road, Hall Road, Captain Debbie Brown Highway, Rock Springs Road and eventually going over a marshy area in eastern Laurens county before crossing into Treutlen County. The team could not access the marshy area between Rock Spring Road and Highway 199 but did find damage to trees along Highway 199 and Thairdell Road indicating a continuous path through the marshy region. The Tornado crossed Mercer Creek into Treutlen County just east of Thairdell Road. No injuries were reported. [04/05/7: Tornado #7, County #1/2, EF-2, Laurens, Treutlen, 2017:066]." +117712,707837,WASHINGTON,2017,June,Flood,"FERRY",2017-06-01 17:15:00,PST-8,2017-06-03 01:45:00,0,0,0,0,2.00K,2000,0.00K,0,48.9992,-118.782,48.8892,-118.7444,"The Kettle River near Ferry flooded multiple times during the month of May through early June. Bottom lands, fields and roads along the river were flooded during the peak periods but little or no damage to structures was noted. The river continued to run near or slightly above Flood Stage into the month of June.","The Kettle River Gage at Ferry recorded a rise above the Flood Stage of 18.5 feet at 5:15 PM PST on June 1st. The river crested at 19.0 feet at 7:00 PM June 2nd then dropped back below Flood Stage at 1:45 AM on June 3rd." +117719,707860,WASHINGTON,2017,June,Thunderstorm Wind,"SPOKANE",2017-06-26 19:20:00,PST-8,2017-06-26 19:30:00,0,0,0,0,15.00K,15000,0.00K,0,47.5,-117.4,47.5,-117.4,"During the early evening of June 26th a line of thunderstorms tracked west to east through the Spokane area. Several reports of trees down were received with some damage to homes and cars.","A member of the public reported a tree split apart with half of it falling on a house near the town of Spangle." +117719,707867,WASHINGTON,2017,June,Thunderstorm Wind,"SPOKANE",2017-06-26 19:45:00,PST-8,2017-06-26 19:50:00,0,0,0,0,50.00K,50000,0.00K,0,47.95,-117.48,47.95,-117.48,"During the early evening of June 26th a line of thunderstorms tracked west to east through the Spokane area. Several reports of trees down were received with some damage to homes and cars.","A tree was blown down onto a house near Deer Park." +117719,707874,WASHINGTON,2017,June,Thunderstorm Wind,"SPOKANE",2017-06-27 19:30:00,PST-8,2017-06-27 19:45:00,0,0,0,0,25.00K,25000,0.00K,0,47.751,-117.4276,47.751,-117.4276,"During the early evening of June 26th a line of thunderstorms tracked west to east through the Spokane area. Several reports of trees down were received with some damage to homes and cars.","A member of the public near Whitworth College tweeted a photo of a large tree blown down onto his car." +116157,698115,SOUTH CAROLINA,2017,June,Flash Flood,"RICHLAND",2017-06-15 21:30:00,EST-5,2017-06-15 21:35:00,0,0,0,0,0.10K,100,0.10K,100,33.9876,-81.029,33.9882,-81.0275,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","The USGS gage along Rocky Branch Creek at Whaley St and Main St went above the flood stage of 7.2 feet at 1030pm EDT (930 pm EST). The stream crested at 9.84 feet at 1100 pm EDT (1000 pm EST)." +116157,698116,SOUTH CAROLINA,2017,June,Flash Flood,"RICHLAND",2017-06-15 21:38:00,EST-5,2017-06-15 21:43:00,0,0,0,0,0.10K,100,0.10K,100,34.0055,-81.0222,34.0048,-81.0215,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Richland County reported flooding on Gervais St near Harden St under the railroad bridge." +116562,700889,NEW MEXICO,2017,June,Hail,"COLFAX",2017-06-30 15:19:00,MST-7,2017-06-30 15:24:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-104.48,36.78,-104.48,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Nickel hail along Interstate 25. Motorists needed to pull off roadway." +116562,700891,NEW MEXICO,2017,June,Hail,"UNION",2017-06-30 15:55:00,MST-7,2017-06-30 15:59:00,0,0,0,0,50.00K,50000,0.00K,0,36.44,-103.74,36.44,-103.74,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of golf balls knocked out windows of several cars and homes near the Sofia Community." +116562,700892,NEW MEXICO,2017,June,Hail,"UNION",2017-06-30 16:30:00,MST-7,2017-06-30 16:38:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-103.51,36.34,-103.51,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of quarters covering highway 412 up to three inches deep." +115938,696637,NORTH DAKOTA,2017,June,Hail,"TRAILL",2017-06-07 13:00:00,CST-6,2017-06-07 13:00:00,0,0,0,0,,NaN,,NaN,47.66,-97.11,47.66,-97.11,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","The report came from social media." +115938,696640,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WALSH",2017-06-07 13:10:00,CST-6,2017-06-07 13:10:00,0,0,0,0,,NaN,,NaN,48.28,-97.19,48.28,-97.19,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","Numerous poplar trees were snapped in shelterbelts and farm yards across eastern Walshville and Pulaski townships." +115938,696641,NORTH DAKOTA,2017,June,Funnel Cloud,"TRAILL",2017-06-07 13:15:00,CST-6,2017-06-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-97.02,47.47,-97.02,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","The funnel cloud was viewed and photographed from downtown Hillsboro. The report came from social media." +115942,696674,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CAVALIER",2017-06-09 17:20:00,CST-6,2017-06-09 17:20:00,0,0,0,0,,NaN,,NaN,48.83,-98.44,48.83,-98.44,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Numerous 4 to 8 inch diameter tree branches were blown down at a farmstead." +114084,683534,MISSOURI,2017,April,Lightning,"TEXAS",2017-04-29 04:00:00,CST-6,2017-04-29 04:00:00,0,0,0,0,70.00K,70000,0.00K,0,37.1346,-92.1005,37.1346,-92.1005,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","A dairy farmer near Cabool lost 32 dairy cows due to a lightning strike. Time and location was estimated." +114041,684596,KENTUCKY,2017,April,Heavy Rain,"TRIMBLE",2017-04-29 10:45:00,EST-5,2017-04-29 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-85.25,38.53,-85.25,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +116014,697266,KANSAS,2017,April,Hail,"ELLIS",2017-04-12 17:54:00,CST-6,2017-04-12 17:54:00,0,0,0,0,,NaN,,NaN,38.88,-99.33,38.88,-99.33,"Thunderstorms developed along a surface boundary late in the afternoon in the presence of an unstable atmosphere.","The hail covered the ground." +115772,698386,GEORGIA,2017,April,Hail,"JACKSON",2017-04-05 22:20:00,EST-5,2017-04-05 22:30:00,0,0,0,0,,NaN,,NaN,34.1,-83.67,34.1,-83.67,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","The public reported half dollar size hail." +115771,698554,GEORGIA,2017,April,Thunderstorm Wind,"STEWART",2017-04-03 11:20:00,EST-5,2017-04-03 11:25:00,0,0,0,0,6.00K,6000,,NaN,32.0763,-84.6727,32.0763,-84.6727,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Stewart County Emergency Manager reported trees and power poles blown down along Highway 520 in Richland." +115400,692885,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-05-04 15:57:00,EST-5,2017-05-04 15:57:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"An upper level low pressure center closed off over the Tennessee River Valley while a developing surface low pressure formed across Arkansas and tracked NE as it deepened toward the Ohio River Valley. A trailing cold front pressed eastward across the forecast area. This forcing combined with high moisture and instability initiated a squall line of severe storms that also produced 2 confirmed tornadoes in SE Georgia. Large hail and wind damage also occurred.","A mesonet site measured wind gust to 43 mph at Vilano Beach." +115403,692906,GEORGIA,2017,May,Funnel Cloud,"CAMDEN",2017-05-22 14:30:00,EST-5,2017-05-22 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.85,-81.6,30.85,-81.6,"Very high atmospheric moisture content with precipitable water values 1.9-2.1 inches in addition to forcing from active sea breezes under SW steering flow fueled severe storms and locally heavy rainfall during the late afternoon and evening.","" +116774,702272,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"MARION",2017-05-28 19:21:00,EST-5,2017-05-28 19:22:00,0,0,0,0,1.00K,1000,0.00K,0,34.2838,-79.3677,34.2838,-79.3677,"A weak trough was positioned west of the area. Strong heating and an approaching mid-level shortwave trough eroded a cap and allowed organized thunderstorms to develop. These thunderstorms were able to feed on substantial instability and mature to strong to severe levels.","A tree was reported down across Dew Rd." +116311,702519,INDIANA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-10 22:25:00,EST-5,2017-05-10 22:25:00,0,0,0,0,,NaN,,NaN,39.42,-86.42,39.42,-86.42,"Thunderstorms developed near a cold front during the evening of May 10th. These storms produced wind damage and hail as they moved across the area into the early morning hours of May 11th.","Thunderstorm wind gusts in this location was estimated at 60-plus mph." +120150,719869,SOUTH DAKOTA,2017,August,Hail,"AURORA",2017-08-21 11:05:00,CST-6,2017-08-21 11:05:00,0,0,0,0,0.00K,0,0.00K,0,43.5,-98.63,43.5,-98.63,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","" +116844,702588,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"WILLIAMSBURG",2017-05-29 20:55:00,EST-5,2017-05-29 20:56:00,0,0,0,0,1.00K,1000,0.00K,0,33.6824,-79.8364,33.6824,-79.8364,"Mid-level vorticity impulses embedded in enhanced southwest flow tapped surface based and elevated instability to produce widespread thunderstorms in two distinct waves, one late evening and another overnight. The environment was characterized by modest mixed layer CAPE values and relatively high shear which helped to organize and intensify the convection.","A tree was reported down across Indiantown Rd. The time was estimated based on radar data." +116881,702726,ALABAMA,2017,May,Thunderstorm Wind,"BLOUNT",2017-05-28 01:42:00,CST-6,2017-05-28 01:43:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-86.62,33.9,-86.62,"A QLCS moved southward out of Tennessee and across north Alabama during the early morning hours of May 28th. Warm and moist low level southwest winds ushered in surface dewpoints in the upper 60s and lower 70s ahead of the convective line. 0-6km Bulk Shear values near 50 knots also helped maintain the intensity of the QLCS as it produced damaging winds across portions of north central Alabama.","Several trees uprooted in the town of Locust Fork." +115959,696908,MINNESOTA,2017,June,Hail,"HUBBARD",2017-06-10 00:50:00,CST-6,2017-06-10 00:50:00,0,0,0,0,,NaN,,NaN,47.16,-95.13,47.16,-95.13,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115965,696935,MINNESOTA,2017,June,High Wind,"NORMAN",2017-06-13 08:44:00,CST-6,2017-06-13 08:44:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The wind gust was measured by a MNDOT RWIS station near Hendrum." +115965,696938,MINNESOTA,2017,June,High Wind,"WEST MARSHALL",2017-06-13 09:10:00,CST-6,2017-06-13 09:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","" +115965,696958,MINNESOTA,2017,June,High Wind,"PENNINGTON",2017-06-13 10:00:00,CST-6,2017-06-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The Thief River Falls airport reported sustained winds of 41 mph with gusts to 49 mph." +115965,696960,MINNESOTA,2017,June,High Wind,"RED LAKE",2017-06-13 10:00:00,CST-6,2017-06-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The MNDOT RWIS station just south of Brooks reported sustained winds at 45 mph with gusts to 56 mph." +117449,706358,ALABAMA,2017,June,Thunderstorm Wind,"SHELBY",2017-06-15 14:30:00,CST-6,2017-06-15 14:31:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-86.78,33.32,-86.78,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed near Oak Mountain State Park." +117449,706360,ALABAMA,2017,June,Thunderstorm Wind,"SHELBY",2017-06-15 14:48:00,CST-6,2017-06-15 14:49:00,0,0,0,0,0.00K,0,0.00K,0,33.35,-86.53,33.35,-86.53,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Power lines downed along Highway 109." +117449,706361,ALABAMA,2017,June,Thunderstorm Wind,"SHELBY",2017-06-15 14:52:00,CST-6,2017-06-15 14:53:00,0,0,0,0,0.00K,0,0.00K,0,33.2064,-86.7317,33.2064,-86.7317,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted along County Road 26." +117449,706513,ALABAMA,2017,June,Thunderstorm Wind,"ST. CLAIR",2017-06-15 14:56:00,CST-6,2017-06-15 14:57:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-86.2,33.61,-86.2,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted in the Riverside community." +117449,706515,ALABAMA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 15:25:00,CST-6,2017-06-15 15:27:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-85.85,33.27,-85.85,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed in and around the city of Ashland." +117449,706516,ALABAMA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 15:30:00,CST-6,2017-06-15 15:31:00,0,0,0,0,0.00K,0,0.00K,0,33.4343,-85.708,33.4343,-85.708,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed along State Lake Road." +117449,706517,ALABAMA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 15:34:00,CST-6,2017-06-15 15:35:00,0,0,0,0,0.00K,0,0.00K,0,33.2726,-85.774,33.2726,-85.774,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted along Old Mill Road." +117449,706518,ALABAMA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 15:34:00,CST-6,2017-06-15 15:35:00,0,0,0,0,0.00K,0,0.00K,0,33.3665,-85.7081,33.3665,-85.7081,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed along County Road 9." +120818,727426,OHIO,2017,November,Thunderstorm Wind,"CUYAHOGA",2017-11-05 17:55:00,EST-5,2017-11-05 18:17:00,0,0,0,0,1.25M,1250000,0.00K,0,41.2956,-81.8776,41.2977,-81.5759,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A thunderstorm downburst produced wind gusts of at least 85 mph and caused extensive damage across the southern end of Cuyahoga County. The damage path began along the county line west of Strongsville and continued east across Strongsville, North Royalton, Broadview Heights, Brecksville and Chagrin Falls. The damage was most concentrated south of State Route 82. Hundreds if not thousands of trees were downed or snapped. Many of the trees landed on homes or parked vehicles. Many other homes lost roofing or siding. Many utility poles were also snapped and widespread power outages occurred. At the peak of the storm over 35,000 customers were without power in Cuyahoga County. The outages were most widespread in Strongsville with over 6,000 impacted. Many school districts had to close on November 6th because of lack of power and blocked roads. It took around three days for power to be fully restored." +118283,710837,FLORIDA,2017,June,Drought,"GLADES",2017-06-01 00:00:00,EST-5,2017-06-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought which began in March across Southwest Florida was wiped out by days of very heavy rainfall and flooding, especially during the period of June 4-8. As much as 20 inches of rain fell during this period in the Big Cypress Preserve of Collier County, with widespread 5-15 inches over the rest of Collier County and parts of Hendry County. In Glades County, the heavier rainfall arrived a little later, prolonging the drought slightly in that area.","Heavier rains arrived in Glades County during the June 7-10 period, rapidly eliminating the severe drought which began the month." +118283,710841,FLORIDA,2017,June,Drought,"HENDRY",2017-06-01 00:00:00,EST-5,2017-06-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought which began in March across Southwest Florida was wiped out by days of very heavy rainfall and flooding, especially during the period of June 4-8. As much as 20 inches of rain fell during this period in the Big Cypress Preserve of Collier County, with widespread 5-15 inches over the rest of Collier County and parts of Hendry County. In Glades County, the heavier rainfall arrived a little later, prolonging the drought slightly in that area.","The severe drought which began the month in Hendry County was downgraded to a moderate drought on June 6th as heavy rains affected the area. The drought was completely eliminated by the next drought monitor update on June 13th." +118283,710842,FLORIDA,2017,June,Drought,"INLAND COLLIER COUNTY",2017-06-01 00:00:00,EST-5,2017-06-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought which began in March across Southwest Florida was wiped out by days of very heavy rainfall and flooding, especially during the period of June 4-8. As much as 20 inches of rain fell during this period in the Big Cypress Preserve of Collier County, with widespread 5-15 inches over the rest of Collier County and parts of Hendry County. In Glades County, the heavier rainfall arrived a little later, prolonging the drought slightly in that area.","The severe drought which began the month in Collier County was downgraded to a moderate drought on June 6th as heavy rains affected the area. The drought was completely eliminated by the next drought monitor update on June 13th." +118283,710843,FLORIDA,2017,June,Drought,"COASTAL COLLIER COUNTY",2017-06-01 00:00:00,EST-5,2017-06-06 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought which began in March across Southwest Florida was wiped out by days of very heavy rainfall and flooding, especially during the period of June 4-8. As much as 20 inches of rain fell during this period in the Big Cypress Preserve of Collier County, with widespread 5-15 inches over the rest of Collier County and parts of Hendry County. In Glades County, the heavier rainfall arrived a little later, prolonging the drought slightly in that area.","The severe drought which began the month in Collier County was downgraded to a moderate drought on June 6th as heavy rains affected the area. The drought was completely eliminated by the next drought monitor update on June 13th." +118312,710951,FLORIDA,2017,June,Lightning,"COLLIER",2017-06-30 17:00:00,EST-5,2017-06-30 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,26.2122,-81.7653,26.2122,-81.7653,"Scattered thunderstorms developed along the Gulf Coast sea breeze during the afternoon and early evening hours.","Lightning struck the Greater Naples YMCA building around 6 PM, damaging the air conditioning to the 40,000 square foot gym as well as disabling the 24-hour wellness clinic, multi-station kitchen and fire alarm. No injuries were reported.||The building was significantly damaged by another lightning strike in September 2013." +118353,711213,KANSAS,2017,June,Hail,"BARBER",2017-06-15 18:05:00,CST-6,2017-06-15 18:05:00,0,0,0,0,,NaN,,NaN,37.01,-98.65,37.01,-98.65,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711215,KANSAS,2017,June,Hail,"BARBER",2017-06-15 18:06:00,CST-6,2017-06-15 18:06:00,0,0,0,0,,NaN,,NaN,37.05,-98.57,37.05,-98.57,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","All windows were shattered around the house. There were one foot diameter holes created in the vinyl siding. There could have actually be larger hail that did this damage." +118353,711216,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:10:00,CST-6,2017-06-15 18:10:00,0,0,0,0,,NaN,,NaN,37.96,-98.67,37.96,-98.67,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711218,KANSAS,2017,June,Hail,"BARBER",2017-06-15 18:15:00,CST-6,2017-06-15 18:15:00,0,0,0,0,,NaN,,NaN,37.05,-98.48,37.05,-98.48,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711219,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:16:00,CST-6,2017-06-15 18:16:00,0,0,0,0,,NaN,,NaN,37.94,-98.6,37.94,-98.6,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711221,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:18:00,CST-6,2017-06-15 18:18:00,0,0,0,0,,NaN,,NaN,37.92,-98.6,37.92,-98.6,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711222,KANSAS,2017,June,Hail,"BARBER",2017-06-15 18:20:00,CST-6,2017-06-15 18:20:00,0,0,0,0,,NaN,,NaN,37.02,-98.48,37.02,-98.48,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +120818,727427,OHIO,2017,November,Thunderstorm Wind,"MEDINA",2017-11-05 17:47:00,EST-5,2017-11-05 18:05:00,0,0,0,0,1.10M,1100000,0.00K,0,41.2325,-81.9723,41.2383,-81.6857,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","A thunderstorm downbust with winds estimated to be as much as 85 mph caused extensive damage across the northern end of Medina County. The damage began west of Valley City along the county line and continued east across the Brunswick and Hinckley areas. The damage was most concentrated in Liverpool township where there was significant tree and power pole damage. Hundreds of trees were also downed in Brunswick and Hinckley. Many homes lost roofing or siding and a few were damaged by fallen trees. In Brunswick alone, there were 300 reports of damage with four homes sustaining structural damage and a fifth destroyed from a complete roof collapse caused by a fallen tree. There was also damage across Medina and Granger Townships but it wasn't as widespread. Many roads, including county and state routes were blocked by fallen trees and power lines. Several school districts in the county were closed on November 6th because of power outages. At the peak of the storm over 10,000 people were without power in Median County. It took a couple of days for power to be fully restored." +120818,727437,OHIO,2017,November,Thunderstorm Wind,"GEAUGA",2017-11-05 18:15:00,EST-5,2017-11-05 18:35:00,0,0,0,0,800.00K,800000,0.00K,0,41.3757,-81.3911,41.3799,-81.0022,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm downburst winds gusted to as much as 85 mph and caused extensive damage across the southern tier of townships in Geauga County. Sporadic damage was also reported further north in the county. The damage began west of Bainbridge at the county line and continued east to the Parkman area. The damage was most concentrated in the Bainbridge area. Hundreds of trees were snapped or uprooted and many utility poles were damaged. Many homes lost roofing or siding and several others were damaged by fallen trees. There were reports of road closures because of fallen trees and lines. A tower at the Auburn Township Fire Department was toppled by the strong winds. Just to the east in Troy Township, a moving vehicle was struck by a falling tree trapping the occupant. No serious injuries were reported. Power outages were widespread and in some cases took several days to be restored. Some of the school districts in Geauga County closed on November 6th because of power outages." +116768,702249,TEXAS,2017,June,Thunderstorm Wind,"BURNET",2017-06-03 16:30:00,CST-6,2017-06-03 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,30.5781,-98.2923,30.5738,-98.2836,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with a mesoscale surface boundary to initiate isolated thunderstorms. One of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 75 mph that blew down some trees with trunks from 12-14 inches diameter along 2nd St. between Industrial Blvd. and Ave. N. in Marble Falls." +116772,702256,TEXAS,2017,June,Hail,"COMAL",2017-06-04 14:14:00,CST-6,2017-06-04 14:14:00,0,0,0,0,0.00K,0,0.00K,0,29.62,-98.29,29.62,-98.29,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","" +116772,702259,TEXAS,2017,June,Thunderstorm Wind,"DE WITT",2017-06-04 16:55:00,CST-6,2017-06-04 16:55:00,0,0,0,0,0.00K,0,0.00K,0,29.19,-97.47,29.19,-97.47,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph. The report from the Westoff Fire Department was relayed to the NWS by the DeWitt County emergency manager." +116772,702264,TEXAS,2017,June,Thunderstorm Wind,"BANDERA",2017-06-04 19:55:00,CST-6,2017-06-04 19:55:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-99.25,29.78,-99.25,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph near Medina." +118328,711051,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-07 05:30:00,EST-5,2017-06-07 05:30:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +118328,711052,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-07 05:30:00,EST-5,2017-06-07 05:30:00,0,0,0,0,0.00K,0,0.00K,0,24.8558,-80.7318,24.8558,-80.7318,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 37 knots was measured at an automated Citizen Weather Observing Program station on Lower Matecumbe Key at the Florida Keys Mosquito Control District Office." +118328,711053,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-06-07 15:43:00,EST-5,2017-06-07 15:43:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 45 knots was measured at Pulaski Shoal Light." +118328,711055,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-07 16:16:00,EST-5,2017-06-07 16:16:00,0,0,0,0,0.00K,0,0.00K,0,24.5801,-81.6829,24.5801,-81.6829,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 37 knots was measured at the U.S. Naval Air Station Key West Boca Chica Field." +118328,711056,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-07 17:13:00,EST-5,2017-06-07 17:13:00,0,0,0,0,0.00K,0,0.00K,0,24.6478,-81.4812,24.6478,-81.4812,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 37 knots was measured at an automated Citizen Weather Observing Program station on the south end of Cudjoe Bay." +118355,711265,KANSAS,2017,June,Hail,"CLARK",2017-06-17 21:23:00,CST-6,2017-06-17 21:23:00,0,0,0,0,,NaN,,NaN,37.24,-99.76,37.24,-99.76,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711266,KANSAS,2017,June,Hail,"COMANCHE",2017-06-17 21:23:00,CST-6,2017-06-17 21:23:00,0,0,0,0,,NaN,,NaN,37.06,-99.34,37.06,-99.34,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711267,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-17 18:00:00,CST-6,2017-06-17 18:00:00,0,0,0,0,,NaN,,NaN,37.55,-100.61,37.55,-100.61,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","A train grain car was overturned by the high wind." +118355,711268,KANSAS,2017,June,Thunderstorm Wind,"KIOWA",2017-06-17 19:35:00,CST-6,2017-06-17 19:35:00,0,0,0,0,,NaN,,NaN,37.61,-99.32,37.61,-99.32,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","Winds were estimated to be 70 MPH." +118356,711269,KANSAS,2017,June,Hail,"NESS",2017-06-17 23:40:00,CST-6,2017-06-17 23:40:00,0,0,0,0,,NaN,,NaN,38.33,-100.06,38.33,-100.06,"A thunderstorm in Ness county produced near severe sized hail.","" +118358,711316,KANSAS,2017,June,Hail,"KEARNY",2017-06-21 15:51:00,CST-6,2017-06-21 15:51:00,0,0,0,0,,NaN,,NaN,38.14,-101.13,38.14,-101.13,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118358,711317,KANSAS,2017,June,Hail,"GRAY",2017-06-21 17:45:00,CST-6,2017-06-21 17:45:00,0,0,0,0,,NaN,,NaN,37.81,-100.48,37.81,-100.48,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118358,711319,KANSAS,2017,June,Thunderstorm Wind,"GRAY",2017-06-21 18:00:00,CST-6,2017-06-21 18:00:00,0,0,0,0,1.00K,1000,,NaN,37.59,-100.53,37.59,-100.53,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Several power poles were blown down at Road 8 and Road CC." +118358,711320,KANSAS,2017,June,Thunderstorm Wind,"KEARNY",2017-06-21 16:32:00,CST-6,2017-06-21 16:32:00,0,0,0,0,,NaN,,NaN,37.93,-101.52,37.93,-101.52,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118358,711321,KANSAS,2017,June,Thunderstorm Wind,"KEARNY",2017-06-21 16:45:00,CST-6,2017-06-21 16:45:00,0,0,0,0,,NaN,,NaN,37.89,-101.23,37.89,-101.23,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +116015,697272,KANSAS,2017,April,Flash Flood,"PAWNEE",2017-04-15 18:00:00,CST-6,2017-04-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-99.1,38.215,-99.1032,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","Water was reported over several county roads." +116015,697273,KANSAS,2017,April,Flash Flood,"STAFFORD",2017-04-15 20:45:00,CST-6,2017-04-15 22:45:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-98.97,37.948,-98.9758,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","Water was across many county roads and even across parts of US 50 in Macksville. Many ditches were full of water. Also, Rattlesnake creek had risen 6 to 8 inches in a matter of hours." +116015,697274,KANSAS,2017,April,Hail,"COMANCHE",2017-04-15 18:23:00,CST-6,2017-04-15 18:23:00,0,0,0,0,,NaN,,NaN,37.35,-99.33,37.35,-99.33,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697276,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 18:31:00,CST-6,2017-04-15 18:31:00,0,0,0,0,,NaN,,NaN,38.25,-99.44,38.25,-99.44,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","The hail was quarter to half dollar sized." +116015,697277,KANSAS,2017,April,Hail,"COMANCHE",2017-04-15 18:40:00,CST-6,2017-04-15 18:40:00,0,0,0,0,,NaN,,NaN,37.16,-99.48,37.16,-99.48,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697278,KANSAS,2017,April,Hail,"COMANCHE",2017-04-15 19:11:00,CST-6,2017-04-15 19:11:00,0,0,0,0,,NaN,,NaN,37.09,-99.31,37.09,-99.31,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697279,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 19:17:00,CST-6,2017-04-15 19:17:00,0,0,0,0,,NaN,,NaN,38.19,-99.31,38.19,-99.31,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697280,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 19:25:00,CST-6,2017-04-15 19:25:00,0,0,0,0,,NaN,,NaN,38.19,-99.24,38.19,-99.24,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +118360,711341,KANSAS,2017,June,Hail,"SCOTT",2017-06-26 18:27:00,CST-6,2017-06-26 18:27:00,0,0,0,0,,NaN,,NaN,38.67,-100.92,38.67,-100.92,"A jet streak within the northwest flow aloft extended from South Dakota into northern Missouri, and this perturbation was pushing southeast. A weak frontal push at the surface aided in convective initiation and severe storms. Longer lived storms had hail up to 3 inches.","" +118360,711342,KANSAS,2017,June,Hail,"SCOTT",2017-06-26 18:36:00,CST-6,2017-06-26 18:36:00,0,0,0,0,,NaN,,NaN,38.62,-100.96,38.62,-100.96,"A jet streak within the northwest flow aloft extended from South Dakota into northern Missouri, and this perturbation was pushing southeast. A weak frontal push at the surface aided in convective initiation and severe storms. Longer lived storms had hail up to 3 inches.","" +118360,711343,KANSAS,2017,June,Hail,"STEVENS",2017-06-26 19:34:00,CST-6,2017-06-26 19:34:00,0,0,0,0,,NaN,,NaN,37.27,-101.22,37.27,-101.22,"A jet streak within the northwest flow aloft extended from South Dakota into northern Missouri, and this perturbation was pushing southeast. A weak frontal push at the surface aided in convective initiation and severe storms. Longer lived storms had hail up to 3 inches.","" +118361,711345,KANSAS,2017,June,Hail,"STANTON",2017-06-29 19:44:00,CST-6,2017-06-29 19:44:00,0,0,0,0,,NaN,,NaN,37.57,-101.89,37.57,-101.89,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711346,KANSAS,2017,June,Hail,"STANTON",2017-06-29 19:51:00,CST-6,2017-06-29 19:51:00,0,0,0,0,,NaN,,NaN,37.55,-101.85,37.55,-101.85,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711347,KANSAS,2017,June,Hail,"STANTON",2017-06-29 20:10:00,CST-6,2017-06-29 20:10:00,0,0,0,0,,NaN,,NaN,37.41,-101.67,37.41,-101.67,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +114014,682830,OHIO,2017,April,Thunderstorm Wind,"JACKSON",2017-04-28 22:37:00,EST-5,2017-04-28 22:37:00,0,0,0,0,5.00K,5000,0.00K,0,39.12,-82.54,39.12,-82.54,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. These storms were fueled by strong southerly flow from a low level jet, and produced isolated wind damage and hail across the middle Ohio River Valley overnight into the 29th.","Multiple large trees were blown down by thunderstorms winds. The winds also removed the underpinning from a mobile home, and blew over a chest freezer that was stored outside." +114014,682831,OHIO,2017,April,Thunderstorm Wind,"JACKSON",2017-04-28 22:57:00,EST-5,2017-04-28 22:57:00,0,0,0,0,2.00K,2000,0.00K,0,39.05,-82.63,39.05,-82.63,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. These storms were fueled by strong southerly flow from a low level jet, and produced isolated wind damage and hail across the middle Ohio River Valley overnight into the 29th.","Multiple trees were knocked down as a thunderstorm moved through." +114014,682834,OHIO,2017,April,Hail,"MEIGS",2017-04-28 23:25:00,EST-5,2017-04-28 23:25:00,0,0,0,0,5.00K,5000,0.00K,0,39,-82.05,39,-82.05,"A slow moving warm front combined with an upper level disturbance kicked off showers and thunderstorms late on the 28th. These storms were fueled by strong southerly flow from a low level jet, and produced isolated wind damage and hail across the middle Ohio River Valley overnight into the 29th.","Some vehicles were dented by the hail." +113828,681932,VIRGINIA,2017,April,Flood,"DICKENSON",2017-04-23 14:00:00,EST-5,2017-04-24 07:00:00,0,0,0,0,50.00K,50000,0.00K,0,37.1885,-82.5336,37.2825,-82.2995,"Multiple waves of low pressure brought a prolonged period of rainy weather from the 20th through the 22nd. Generally one to three inches of rain fell during this time. This caused a slow rise on creeks and streams across Southwestern Virginia. On the 23rd, two to three inches of rain fell, pushing some creeks and streams out of their banks. Periods of rainfall continued overnight before drier weather arrived and flooding subsided around daybreak on the 24th. In addition to the flooding, the soggy soil resulted in numerous mudslides.||The cooperative observer at Nora measured 5.43 inches of rainfall from the 21st through the morning of the 24th. The cooperative observer at Grundy measured 3 inches over the same time period.||The Cranes Nest River near Clintwood experienced minor flooding, cresting at 13.9 feet, or about a foot above bankfull of 13 feet.","Multiple roads were closed due to flooding, with several roads partially washed out. Water entered the basements of some homes along Coeburn Road south of Clintwood." +113871,681935,WEST VIRGINIA,2017,April,Flood,"MCDOWELL",2017-04-23 23:00:00,EST-5,2017-04-24 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.3652,-81.8263,37.4521,-81.836,"Multiple waves of low pressure brought a prolonged period of rainy weather from the 20th into the 24th. This caused a slow rise on creeks and streams across Southern West Virginia. On the 23rd, one to two inches of rain fell through the afternoon and evening, finally pushing some creeks and streams out of their banks. Periods of rainfall continued overnight before drier weather arrived and flooding subsided around daybreak on the 24th.||The Bradshaw Gage on the Dry Fork River crested just above its 10 foot bankfull level shortly after midnight on the 24th.","The Dry Fork River flooded near Beartown and Carlos. Several homes experienced minor flooding downstream of the Bradshaw Gage." +119943,719295,CALIFORNIA,2017,August,Heavy Rain,"SAN DIEGO",2017-08-01 12:00:00,PST-8,2017-08-01 14:00:00,0,0,0,0,,NaN,,NaN,32.8868,-116.7902,32.8868,-116.7902,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","A thunderstorm produced heavy rain with subsequent runoff that raised El Capitan Reservoir, a reservoir with a capacity of 112,800 acre feet, by 3 inches overnight." +119943,719296,CALIFORNIA,2017,August,Lightning,"RIVERSIDE",2017-08-03 02:00:00,PST-8,2017-08-03 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.8328,-116.5443,33.8328,-116.5443,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","Lightning strikes produced power outages in Palm Springs." +114225,684233,HAWAII,2017,April,Heavy Rain,"MAUI",2017-04-20 23:09:00,HST-10,2017-04-21 01:49:00,0,0,0,0,0.00K,0,0.00K,0,20.9898,-156.6513,20.8858,-156.4982,"A gradually-dissipating front near Oahu and Maui County triggered heavy showers over parts of West Maui. The downpours caused small stream and drainage ditch flooding, and ponding on roadways. No significant injuries or property damage were reported.","" +112258,673672,GEORGIA,2017,January,Tornado,"TAYLOR",2017-01-21 11:18:00,EST-5,2017-01-21 11:33:00,0,0,0,0,100.00K,100000,,NaN,32.5937,-84.3997,32.6883,-84.2217,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum winds of 105 MPH and a maximum path width of 400 yards began in western Taylor County along Highway 96 east of Junction City where a few trees were snapped. The tornado moved northeast snapping and uprooting trees as it crossed Watson Pond Road, North Culverhouse Road and Suddeth Road. As the tornado crossed Wilson Road it destroyed two metal barns and a small silo that was ripped from the ground and thrown at least 300 yards. This is where the tornado reached its maximum estimated strength blowing windows out of a home and causing significant roof damage. The tornado then continued northeast snapping and uprooting trees. Just northeast of Highway 19 along Montford Road a trailer sustained significant damage to the roof and siding and several large trees were blown down. The tornado weakened quickly after this as it moved northeast across a wooded area and ended in a pasture before reaching County Road 108. [01/21/17: Tornado #5, County #1/1, EF1, Taylor, 2017:006]." +114230,684271,NEW MEXICO,2017,April,High Wind,"CENTRAL HIGHLANDS",2017-04-24 11:10:00,MST-7,2017-04-24 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies generated localized strong winds across New Mexico. Southwest winds increased over the region on the 24th as the jet stream crossed overhead. A Pacific cold front then raced through the state on the 25th and delivered another round of localized strong west to northwest winds. Windy conditions across the region were exacerbated by scattered showers with light rain and patchy blowing dust. Temperatures were cold enough with this system to produce three to six inches of snowfall across the northern high terrain.","Clines Corners." +114378,685399,NEW MEXICO,2017,April,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-04-28 10:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Local broadcast media reported via Twitter that heavy snow fell along the west slopes of the Sangre de Cristo Mountains, including 8 to 16 inches around Tres Ritos. Severe driving conditions were reported through mountain passes by NMDOT." +112258,673682,GEORGIA,2017,January,Tornado,"UPSON",2017-01-21 11:25:00,EST-5,2017-01-21 11:34:00,0,0,0,0,75.00K,75000,,NaN,32.8477,-84.4077,32.8946,-84.3364,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum winds of 95 MPH and a maximum path width of 200 yards began in western Upson County near Roland Road south of Highway 36. In this area numerous trees were snapped or uprooted, power lines were downed and a home sustained significant roof damage. The tornado moved northeast Crossing Reid Place Road and snapping or uprooting more trees. Just before crossing Highway 36 near the intersection with Goshen Road the tornado blew the porch off of a house and continued to down trees and power lines as it moved into the western side of Thomaston. More trees and power lines were downed across western parts of Thomaston along Peachbelt Road and in the Highway 74 and West Main Street areas where the tornado ended. [01/21/17: Tornado #7, County #1/1, EF1, Upson, 2017:008]." +114378,685400,NEW MEXICO,2017,April,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-04-28 12:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Snowfall amounts up to one foot were reported within the high terrain of Taos County. Severe driving conditions were reported through the high terrain by NMDOT." +114560,687076,ILLINOIS,2017,April,Hail,"TAZEWELL",2017-04-10 14:42:00,CST-6,2017-04-10 14:47:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-89.57,40.67,-89.57,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687077,ILLINOIS,2017,April,Hail,"WOODFORD",2017-04-10 14:40:00,CST-6,2017-04-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7802,-89.4935,40.7802,-89.4935,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687078,ILLINOIS,2017,April,Hail,"TAZEWELL",2017-04-10 14:52:00,CST-6,2017-04-10 14:57:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-89.4,40.7,-89.4,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687079,ILLINOIS,2017,April,Hail,"SANGAMON",2017-04-10 15:15:00,CST-6,2017-04-10 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-89.71,39.7,-89.71,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687080,ILLINOIS,2017,April,Hail,"WOODFORD",2017-04-10 15:20:00,CST-6,2017-04-10 15:25:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-89.01,40.81,-89.01,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687081,ILLINOIS,2017,April,Hail,"SANGAMON",2017-04-10 15:12:00,CST-6,2017-04-10 15:17:00,0,0,0,0,0.00K,0,0.00K,0,39.7134,-89.7,39.7134,-89.7,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687082,ILLINOIS,2017,April,Hail,"SANGAMON",2017-04-10 16:00:00,CST-6,2017-04-10 16:05:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-89.75,39.58,-89.75,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114623,687479,IOWA,2017,April,Heavy Rain,"MARION",2017-04-15 17:00:00,CST-6,2017-04-16 07:30:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-93.1,41.33,-93.1,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported 1.40 inches of rain since 6 pm the day before. This is a delayed report." +113829,681551,MONTANA,2017,April,Hail,"PETROLEUM",2017-04-23 15:30:00,MST-7,2017-04-23 15:30:00,0,0,0,0,0.00K,0,0.00K,0,46.83,-108.35,46.83,-108.35,"With a weak upper-level trough moving over the northern and central Rockies and a steady southwest flow aloft over eastern Montana, just enough instability was positioned over southern Petroleum and Garfield counties to allow a few short-lived strong to severe thunderstorms to develop and move eastward south of highway 200.","Public reported nickel to quarter sized hail." +114697,687973,CALIFORNIA,2017,April,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-04-26 21:51:00,PST-8,2017-04-26 22:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A weak storm system moved through the Great Basin, bringing gusty winds to the deserts and desert slopes on the 26th of April. Winds were strongest along the slopes of the San Bernardino County Mountains. No significant impacts were reported.","The Burns Canyon RAWS reported a peak gust of 70 mph. Elsewhere peak wind gusts were in the 40-55 mph range." +114698,687975,CALIFORNIA,2017,April,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-04-29 04:51:00,PST-8,2017-04-29 05:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Santa Ana Winds developed over the region on the 29th of April as a surface high settled over the Great Basin. The event was of weak to moderate strength Santa Ana, but it brought low relative humidity values that combined with two months without significant rainfall to produce an elevated fire risk. Several small wildfires occurred in the Inland Empire on the 30th.","The Fremont Canyon mesonet reported a peak wind gust of 70 mph, along with multiple gusts into the 60 mph range between 0051 and 0851PST." +114698,687976,CALIFORNIA,2017,April,Wildfire,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-04-30 14:23:00,PST-8,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Santa Ana Winds developed over the region on the 29th of April as a surface high settled over the Great Basin. The event was of weak to moderate strength Santa Ana, but it brought low relative humidity values that combined with two months without significant rainfall to produce an elevated fire risk. Several small wildfires occurred in the Inland Empire on the 30th.","Low relative humidity and gusty winds helped the Opera Fire begin on the 30th. The fire consumed 1350 acres east of Riverside before being fully contained on May 2nd." +114661,688397,KANSAS,2017,April,Flood,"NEOSHO",2017-04-29 19:50:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.7005,-95.1241,37.4476,-95.17,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","A few reports were received of minor flooding across Neosho County." +114956,689568,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-13 16:00:00,PST-8,2017-04-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","The Walker Pass RAWS reported a peak wind gust of 61 mph." +114623,687431,IOWA,2017,April,Hail,"TAMA",2017-04-15 18:12:00,CST-6,2017-04-15 18:12:00,0,0,0,0,3.00K,3000,0.00K,0,42.2904,-92.4169,42.2904,-92.4169,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Emergency manager reported their truck sustained hail damage from hail just under golf ball size just south of the Black Hawk and Tama county lines on S Ave. Time estimated from radar." +114623,687432,IOWA,2017,April,Hail,"WARREN",2017-04-15 18:13:00,CST-6,2017-04-15 18:13:00,0,0,0,0,5.00K,5000,0.00K,0,41.22,-93.57,41.22,-93.57,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Media relayed via social media public reports of hail just under baseball in size. Time estimated from radar." +114623,687448,IOWA,2017,April,Hail,"LUCAS",2017-04-15 18:54:00,CST-6,2017-04-15 18:54:00,0,0,0,0,0.00K,0,0.00K,0,41.082,-93.4222,41.082,-93.4222,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Public reported half dollar sized hail. Image relayed by WHOTV via social media." +117892,708505,PUERTO RICO,2017,June,Flash Flood,"GUAYNABO",2017-06-14 15:00:00,AST-4,2017-06-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4109,-66.1103,18.4079,-66.1142,"Upper level trough with associated strong upper level divergence provided strong dynamics and lifting mechanism to resulting in showers and thunderstorms developing over the area.","The police reported road closures due to flash flooding in Expreso Martinez Nadal near SanPatricio and in the intersection of Ave. Kennedy and route 2." +117892,708507,PUERTO RICO,2017,June,Flash Flood,"GUAYNABO",2017-06-14 15:00:00,AST-4,2017-06-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4012,-66.1049,18.4016,-66.1062,"Upper level trough with associated strong upper level divergence provided strong dynamics and lifting mechanism to resulting in showers and thunderstorms developing over the area.","Flooding was reported on Hillside Street in Urb. Summit Hills." +117892,708510,PUERTO RICO,2017,June,Flash Flood,"SAN JUAN",2017-06-14 15:00:00,AST-4,2017-06-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3923,-66.0731,18.3896,-66.0799,"Upper level trough with associated strong upper level divergence provided strong dynamics and lifting mechanism to resulting in showers and thunderstorms developing over the area.","Several road closures were reported by the police due to flash flooding across Las Americas expressway near Exit 6A to Centro Medico. In Villa Nevares, a small creek was reported out of its banks. Also, in Villa Nevares, flooding on street 10 and in the intersection of street 5 and 18 residences were affected with 3 to 5 feet of water." +115030,690404,GEORGIA,2017,April,Drought,"HARALSON",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115039,690471,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690475,COLORADO,2017,April,Winter Storm,"PIKES PEAK ABOVE 11000 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690472,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-04-03 18:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +115039,690478,COLORADO,2017,April,Winter Storm,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +117501,706655,MARYLAND,2017,June,Thunderstorm Wind,"ANNE ARUNDEL",2017-06-19 15:18:00,EST-5,2017-06-19 15:18:00,0,0,0,0,,NaN,,NaN,39.1477,-76.553,39.1477,-76.553,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down with wires on the road along the 800 block of South Shore Drive." +117501,706656,MARYLAND,2017,June,Thunderstorm Wind,"ANNE ARUNDEL",2017-06-19 15:21:00,EST-5,2017-06-19 15:21:00,0,0,0,0,,NaN,,NaN,38.982,-76.519,38.982,-76.519,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree fell onto a house along the 200 block of Gross Avenue." +117501,706653,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:58:00,EST-5,2017-06-19 14:58:00,0,0,0,0,,NaN,,NaN,38.957,-76.8043,38.957,-76.8043,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","Two large trees were down along the intersection of Silvergate lane and Silverbrook Way in Bowie." +117501,706654,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:58:00,EST-5,2017-06-19 14:58:00,0,0,0,0,,NaN,,NaN,38.995,-76.852,38.995,-76.852,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A few trees were down on Goddard Space Flight Center's campus." +117501,706657,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 15:49:00,EST-5,2017-06-19 15:49:00,0,0,0,0,,NaN,,NaN,38.3924,-76.8258,38.3924,-76.8258,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 27000 block of Budds Creek Road." +117501,706658,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 15:55:00,EST-5,2017-06-19 15:55:00,0,0,0,0,,NaN,,NaN,38.313,-76.657,38.313,-76.657,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 23000 block of Maypole Road." +117501,706659,MARYLAND,2017,June,Thunderstorm Wind,"CALVERT",2017-06-19 16:02:00,EST-5,2017-06-19 16:02:00,0,0,0,0,,NaN,,NaN,38.495,-76.622,38.495,-76.622,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along Sixes road and Adelina Road." +117501,706660,MARYLAND,2017,June,Thunderstorm Wind,"CALVERT",2017-06-19 16:05:00,EST-5,2017-06-19 16:05:00,0,0,0,0,,NaN,,NaN,38.5486,-76.5891,38.5486,-76.5891,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 1700 block of German Chapel Road." +114084,691274,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 04:45:00,CST-6,2017-04-29 07:45:00,0,0,0,0,0.00K,0,0.00K,0,36.6964,-93.8554,36.6959,-93.8581,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route U was impassable and closed due to flooding." +114084,691275,MISSOURI,2017,April,Flash Flood,"NEWTON",2017-04-29 05:54:00,CST-6,2017-04-29 08:54:00,0,0,0,0,0.00K,0,0.00K,0,36.9054,-94.2582,36.9047,-94.259,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water was over the roadway in Granby near West Cemetery Road and South Main Street." +114084,691277,MISSOURI,2017,April,Flash Flood,"LACLEDE",2017-04-29 05:30:00,CST-6,2017-04-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.59,-92.51,37.5874,-92.5183,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route B was impassable and closed due to flooding." +114084,691278,MISSOURI,2017,April,Flash Flood,"WRIGHT",2017-04-29 05:00:00,CST-6,2017-04-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-92.62,37.3894,-92.6219,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route M was impassable and closed due to flooding." +114084,691279,MISSOURI,2017,April,Flash Flood,"WRIGHT",2017-04-29 05:00:00,CST-6,2017-04-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2808,-92.3939,37.2769,-92.3985,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route E was impassable and closed due to flooding." +114084,691280,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 05:42:00,CST-6,2017-04-29 08:42:00,0,0,0,0,0.00K,0,0.00K,0,36.7349,-93.6621,36.7304,-93.6764,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 39 was impassable and closed due to flooding." +114084,691377,MISSOURI,2017,April,Flash Flood,"STONE",2017-04-30 13:00:00,CST-6,2017-04-30 17:00:00,0,0,0,0,2.00M,2000000,0.00K,0,36.8102,-93.4653,36.8203,-93.4676,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Numerous homes and business sustained flood damage across Stone County. Numerous roads and bridges were severely damaged or washed away across the county. Galena was especially hit hard with flooding along the James River. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Dent County." +114084,691292,MISSOURI,2017,April,Flash Flood,"DALLAS",2017-04-29 09:00:00,CST-6,2017-04-29 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,37.8325,-93.1949,37.828,-93.1959,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route HH was impassable and closed due to flooding. Several homes and roads sustained flood damage across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Dallas County." +114084,691368,MISSOURI,2017,April,Flash Flood,"WRIGHT",2017-04-30 01:00:00,CST-6,2017-04-30 05:00:00,0,0,0,0,2.00M,2000000,0.00K,0,37.262,-92.4942,37.2552,-92.5028,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","At least 22 homes and business sustained severe flood damage across Wright County. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Wright County." +114084,691396,MISSOURI,2017,April,Flash Flood,"PHELPS",2017-04-30 13:00:00,CST-6,2017-04-30 17:00:00,0,0,0,0,1.00M,1000000,0.00K,0,37.9139,-91.9032,37.9037,-91.8679,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","At least 50 homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across McDonald County." +115183,696915,ILLINOIS,2017,April,Flash Flood,"JASPER",2017-04-29 19:30:00,CST-6,2017-04-29 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.171,-88.3604,38.8508,-88.3615,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Jasper County. Several streets in the city of Newton were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Newton to Hunt City to Yale. Illinois Route 49 was closed between Willow Hill and Hunt City due to flowing water." +115183,696918,ILLINOIS,2017,April,Flash Flood,"CRAWFORD",2017-04-29 20:00:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1735,-87.951,38.8499,-87.9458,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Crawford County. Several streets in Oblong and Robinson were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Bellair to Annapolis in the northern part of the county." +115314,692382,CALIFORNIA,2017,April,Debris Flow,"MARIN",2017-04-07 23:19:00,PST-8,2017-04-08 00:19:00,0,0,0,0,0.00K,0,0.00K,0,38.0188,-122.7269,38.019,-122.7293,"A potent upper level trough with associated cold front moved through on April 6th causing roadway flooding, gusty winds over both land and sea, as well as strong swells which sunk a Bart Barge over the SF Bay. Post frontal conditions on the 8th brought scattered showers, frigid temperatures, and isolated thunderstorms with small hail.","Rock slide blocking all west bound lanes near Samuel Taylor Park." +115326,692399,FLORIDA,2017,April,Wildfire,"BAKER",2017-04-06 16:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning caused a wildfire on April 6th about 2.5 miles NE of the Eddy Tower in John Bethea State Forest. The fire grew rapidly over about 1 week to over 8,000 acres and a National Incident Management Team was deployed. The fire continue to grow through April and into May with several days of large growth driven in mid to late April by strong east coast sea breeze winds and a push to the west. In late April and into early May a prolonged period of dry WNW flow and above normal temperatures supported large fire growth. The fire burned out of the swamp in early May and made a run toward the town of St. George where evacuations were ordered. By mid-May, diurnally driven warm season convection started to increase with waves of rainfall bringing needed rainfall across the fire site. Daily rainfall continue through early June with periods locally heavy rainfall helping suppress active fire growth but hindering containment efforts due to heavy rainfall causing dangerous dirt/sand roads for heavy equipment.","The West Mims wildfire grew to 8418 acres burned on April 12th since its start on April 6th. The fire impacted the Okefenokee NWR, John Bethea State Forest and the Osceola National Forest. On April 15th, the fire grew to 18,851 acres with only 3% containment. On April 24th, the fire grew to 46,413 acres with 4% containment. The fire grew rapidly during the last 24 hour period due to critical fire weather conditions. Through the end of May, the fire grew to over 150,000 acres." +119146,715776,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 04:30:00,EST-5,2017-07-15 04:30:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-75.57,38.45,-75.57,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.49 inches was measured at Delmar." +119146,715777,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 05:26:00,EST-5,2017-07-15 05:26:00,0,0,0,0,0.00K,0,0.00K,0,38.34,-75.51,38.34,-75.51,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.95 inches was measured at SBY." +119146,715778,MARYLAND,2017,July,Heavy Rain,"SOMERSET",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.18,-75.77,38.18,-75.77,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.04 inches was measured at Oriole (2 E)." +119146,715779,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-75.67,38.32,-75.67,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.53 inches was measured at Salisbury (5.5 SW)." +115377,692707,FLORIDA,2017,April,Rip Current,"COASTAL PALM BEACH COUNTY",2017-04-29 17:00:00,EST-5,2017-04-29 17:40:00,3,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong east winds continued to bring rough seas and rip currents to all Atlantic beaches during the end of the month. Several swimmers were caught in a rip current off the Palm Beach County coast, resulting in several injuries.","Three swimmers were caught in a rip current and reported to have been pulled about 50 feet seaward along the coast in South Palm Beach County. Five firefighters were able to rescue the swimmers after about 40 minutes." +114955,692798,OKLAHOMA,2017,April,Thunderstorm Wind,"CADDO",2017-04-29 03:00:00,CST-6,2017-04-29 03:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.3112,-98.5706,35.3112,-98.5706,"Numerous showers and storms formed in the vicinity of a frontal boundary starting just after midnight on the 29th and continuing till mid morning. Storms lingered over eastern Oklahoma into the evening.","Power pole downed across highway 58 just north of Eakly." +115391,692823,NEBRASKA,2017,April,Blizzard,"DUNDY",2017-04-30 09:30:00,MST-7,2017-04-30 15:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the morning widespread blizzard conditions moved in from the east, and persisted into the afternoon before gradually shifting back east. Visibility of a quarter mile or less was reported across Hitchcock, Red Willow, and the east half of Dundy counties due to the combination of heavy snowfall and wind gusts around 40 MPH. The combined effect of the heavy snow and wind gusts snapped power poles, mainly east-west running power poles. During the worst of the blizzard roughly two-thirds of Red Willow County was without power, with most of the poles broken along Highway 89 in Red Willow County. Snowfall amounts were highest near the state line in Hitchcock and Red Willow counties where close to 20 inches fell. Amounts quickly declined to the northwest.","Due on similar conditions occurring over Hitchcock County to the east and Cheyenne county to the south where blizzard conditions were reported, will use observations in these two counties to infer blizzard conditions in eastern Dundy County. Up to two inches of snowfall occurred, mainly over the east half of the county." +115391,692824,NEBRASKA,2017,April,Blizzard,"HITCHCOCK",2017-04-30 09:30:00,CST-6,2017-04-30 20:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the morning widespread blizzard conditions moved in from the east, and persisted into the afternoon before gradually shifting back east. Visibility of a quarter mile or less was reported across Hitchcock, Red Willow, and the east half of Dundy counties due to the combination of heavy snowfall and wind gusts around 40 MPH. The combined effect of the heavy snow and wind gusts snapped power poles, mainly east-west running power poles. During the worst of the blizzard roughly two-thirds of Red Willow County was without power, with most of the poles broken along Highway 89 in Red Willow County. Snowfall amounts were highest near the state line in Hitchcock and Red Willow counties where close to 20 inches fell. Amounts quickly declined to the northwest.","Multiple slide-offs were reported across the county. No information regarding if any injuries occurred. Snowfall amounts ranged from two inches or less across the northwest half to close to 20 inches in the southeast corner of the county." +116548,701208,WYOMING,2017,June,Flood,"FREMONT",2017-06-04 00:00:00,MST-7,2017-06-22 00:00:00,0,0,0,0,2.00M,2000000,0.00K,0,43.0334,-108.5237,43.0283,-108.5223,"The combination of a very wet and snowy winter and a rather cool and wet spring set the stage for a prolonged period of flooding along the Wind River. The weather warmed in June and snow melt began, raising the river above flood stage beginning around June 3rd and continuing through the 24th. The crest of 12.1 feet broke the record of 11.8 feet set back in 2011. High water forced the closure of Highway 26 between Kinnear and Crowhart on two seperate occasions for a few days, forcing travelers into a long detour. In addition, the flood waters heavily damaged the irrigation canal near Riverton. The canal was shut down for over two weeks, resulting in a loss of irrigation water for many farmers downstream. Some subdivisions near the damage were put on standby for evacuation due to possible failure. Many other lowlands near the River had flooding for many days, some surrounding homes.","Abnormally large snowpack melted across the mountains of western and central Wyoming and caused the Wind River to Flood. At the Gauge at Riverton, the river crested above 12 feet, a new record. Along the Riverton Irrigation Canal, the water got high enough to flow directly into the canal, threatening the city of Riverton with flooding. The canal had to be breached to prevent the flooding. As a result, many farmers along the canal were left without irrigation water into July. The repairs to the canal cost around an estimated $2 million dollars. In addition, there was extensive flooding of agricultural land along the Wind River to it's confluence with the Little Wind River." +117066,704245,WYOMING,2017,June,Flood,"PARK",2017-06-22 06:00:00,MST-7,2017-06-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1657,-108.8745,44.165,-108.8652,"A combination of rapid snowmelt, releases from the Boysen Reservoir and some log jams caused flooding along portions of the Greybull and Big Horn Rivers. The flooding remained over low lying areas and caused little or no property damage.","Emergency management reported flooding along the Greybull River. The flooding remained over low lying areas and caused little or no damage." +117066,704252,WYOMING,2017,June,Flood,"BIG HORN",2017-06-22 06:00:00,MST-7,2017-06-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,44.2868,-107.998,44.2715,-107.9853,"A combination of rapid snowmelt, releases from the Boysen Reservoir and some log jams caused flooding along portions of the Greybull and Big Horn Rivers. The flooding remained over low lying areas and caused little or no property damage.","Emergency Managers reported flooding along the Big Horn River near Manderson. The flooding remained over low lying areas and caused no damage." +117329,705676,WYOMING,2017,June,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-06-13 12:50:00,MST-7,2017-06-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient and strong mid level winds mixing to the surface brought high winds to portions of the Green and Rattlesnake Mountains. Some of the highest wind gusts were 66 mph at Camp Creek and 65 mph at Fales Rock.","Wind gusts of 66 and 65 mph were reported at the RAWS sites at Camp Creek and Fales Rock respectively." +116368,699856,TENNESSEE,2017,June,Thunderstorm Wind,"HENRY",2017-06-01 16:55:00,CST-6,2017-06-01 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.3003,-88.2049,36.2992,-88.1728,"An unstable atmosphere allowed for a few thunderstorms to reach strong to severe limits during the afternoon and early evening hours of June 1st.","Power-pole down on Old Union Loop." +113740,681566,TEXAS,2017,April,Tornado,"CASTRO",2017-04-14 17:36:00,CST-6,2017-04-14 18:04:00,0,0,0,0,1.00M,1000000,0.00K,0,34.572,-102.359,34.5305,-102.3957,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","An exceptionally large and significant tornado affected areas west of Dimmitt in Castro County. Along with video provided by storm spotters, a NWS storm survey team determined this tornado began just south of Highway 86 about 4 miles southwest of Dimmitt, before quickly assuming a very large wedge formation while moving slowly northeast. This tornado then turned north and northwest, before ending around the intersection of County Roads 511 and 511A. A satellite tornado reportedly accompanied this large tornado, however multiple video sources revealed this was only a satellite funnel. The most significant damage observed by the NWS survey team was found near the intersection of Farm to Market Road 2392 and County Road 510A. Here, a metal systems building was completely destroyed with its remnants lofted several hundred feet to the northwest. Several nearby homes sustained damage up to EF-2 intensity, with some residents riding out the tornado in their shelters. Fortunately, no injuries or fatalities accompanied this 1.1 mile wide tornado. Elsewhere along this large tornado's path, numerous power poles and center pivot irrigation systems were destroyed." +113740,681257,TEXAS,2017,April,Thunderstorm Wind,"CASTRO",2017-04-14 18:50:00,CST-6,2017-04-14 18:50:00,0,0,0,0,1.00K,1000,0.00K,0,34.5705,-102.2952,34.5705,-102.2952,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A Texas Tech University West Texas mesonet recorded a thunderstorm inflow wind gust to 60 mph. Furthermore, wind-driven hail damaged two anemometers on this mesonet." +114751,693510,TENNESSEE,2017,April,Strong Wind,"DAVIDSON",2017-04-05 19:25:00,CST-6,2017-04-05 19:25:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","MPing report indicated small limbs were snapped and shingles were blown off the roof of a home in Oak Hill." +114751,693503,TENNESSEE,2017,April,Strong Wind,"DAVIDSON",2017-04-05 16:44:00,CST-6,2017-04-05 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A tSpotter Twitter photo showed a large tree down in Oak Hill. A peak wind gust of 40 knots (46 mph) was measured at the John C. Tune Airport AWOS." +116473,700470,TENNESSEE,2017,June,Thunderstorm Wind,"TIPTON",2017-06-18 14:20:00,CST-6,2017-06-18 14:25:00,0,0,0,0,20.00K,20000,0.00K,0,35.408,-89.5506,35.4082,-89.535,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Several large trees and power lines downed near the intersection of Highway 70 and Finde Naifeh Drive." +116473,700471,TENNESSEE,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-18 14:30:00,CST-6,2017-06-18 14:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.158,-89.3623,35.1594,-89.347,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Several trees snapped along Ebenezer Loop just east of Williston." +116473,700472,TENNESSEE,2017,June,Thunderstorm Wind,"CROCKETT",2017-06-18 14:40:00,CST-6,2017-06-18 14:45:00,0,0,0,0,15.00K,15000,0.00K,0,35.78,-89,35.7783,-88.9673,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Trees reported down with one tree falling on a shed." +116473,700473,TENNESSEE,2017,June,Flash Flood,"GIBSON",2017-06-18 14:57:00,CST-6,2017-06-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.1163,-89.0195,36.0769,-89.0219,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Water over the road on Highway 45 between Dyer and Rutherford." +116473,700474,TENNESSEE,2017,June,Flash Flood,"GIBSON",2017-06-18 15:33:00,CST-6,2017-06-18 18:00:00,0,0,0,0,60.00K,60000,0.00K,0,35.987,-88.9604,35.9425,-88.9666,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Apartment complex being evacuated due to flooding." +116492,700643,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-23 16:40:00,EST-5,2017-06-23 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,38.93,-85.27,38.9307,-85.2754,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","A culvert was washed out on S County Road 75 near W County Road 1000 S." +116492,700644,INDIANA,2017,June,Flash Flood,"DEARBORN",2017-06-23 16:45:00,EST-5,2017-06-23 18:30:00,0,0,0,0,15.00K,15000,0.00K,0,39.05,-84.9,39.05,-84.8999,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","A portion of Market Street in Aurora was ripped up due to flood waters." +119146,715781,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-75.59,38.39,-75.59,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 1.43 inches was measured at Salisbury (1 N)." +114654,687667,IOWA,2017,April,Hail,"POCAHONTAS",2017-04-19 18:35:00,CST-6,2017-04-19 18:35:00,0,0,0,0,0.00K,0,0.00K,0,42.63,-94.6,42.63,-94.6,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Trained spotter reported pea to nickel size hail in Palmer." +115557,693892,MICHIGAN,2017,April,High Wind,"BERRIEN",2017-04-05 15:00:00,EST-5,2017-04-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deepening low pressure tracked across the Great Lakes, bringing with it gusty winds, as well as areas of thunderstorms. While severe weather was expected, damage that occurred was the result of the strong gradient winds along the lake shore areas of Lake Michigan where numerous reports of trees, tree limbs and power lines down were received from county officials.","The county dispatch center received between 30 and 40 calls across the county reporting trees, tree limbs and/or power lines down. At it's peak, roughly 3000 people were without power. Local media shared a picture of a large tree that fell into a home in Baroda. No injuries were reported." +114755,694294,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-23 11:03:00,CST-6,2017-04-23 11:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.115,-86.8612,36.115,-86.8612,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A tSpotter Twitter report indicated a large tree was blown down that blocked northbound Harding Pike at Davidson Road." +114755,694295,TENNESSEE,2017,April,Hail,"CHEATHAM",2017-04-23 11:29:00,CST-6,2017-04-23 11:29:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-87.05,36.1,-87.05,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Facebook and Twitter reports and photos indicated large amounts of hail up to dime size covered the ground in Pegram." +114755,694296,TENNESSEE,2017,April,Flood,"DAVIDSON",2017-04-23 11:00:00,CST-6,2017-04-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0923,-87.0009,36.093,-86.9876,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","River flooding along the Harpeth River in Bellevue put the athletic fields at Bellevue Sports Athletic Association under water as well as parts of Newsom Station Road." +114755,694300,TENNESSEE,2017,April,Flood,"VAN BUREN",2017-04-23 15:00:00,CST-6,2017-04-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.78,-85.41,35.7457,-85.4012,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Twitter reports indicated Caney Creek was out of its banks along Cane Creek-Cummingsville Road and flooded parts of the roadway." +114755,694303,TENNESSEE,2017,April,Strong Wind,"SUMNER",2017-04-22 07:00:00,CST-6,2017-04-22 07:00:00,1,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Gradient winds from a wake low caused a large tree to fall through a home on Winding Way Drive south of White House. A man was pinned in his bed inside the home and was taken to the hospital with injuries." +117594,707233,ARIZONA,2017,June,Excessive Heat,"WESTERN MOGOLLON RIM",2017-06-18 11:00:00,MST-7,2017-06-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 92 at the Flagstaff Airport (7000 feet) on June 18 tied the previous record last set in 1940. ||The high of 93 at the Flagstaff Airport (7000 feet) on June 23 tied the previous record last set in 1974. ||The high of 90 in Bellemont (7156 feet) on June 24 tied the previous record last set in 2015." +117408,706080,FLORIDA,2017,June,Thunderstorm Wind,"DUVAL",2017-06-01 16:00:00,EST-5,2017-06-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-81.62,30.5,-81.62,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","Thunderstorm wind gust of 60 mph was observed as well as dime size hail along Zachary Drive by an off-duty NWS employee." +117412,706093,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-06-01 15:16:00,EST-5,2017-06-01 15:16:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.63,30.34,-81.63,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","A thunderstorm wind gust of 48 mph was measured at the Terminal Channel WeatherFlow mesonet site." +117412,706097,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-06-01 15:30:00,EST-5,2017-06-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-81.63,30.4,-81.63,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","A thunderstorm wind gust of 48 mph was measured from NOAA Ports Station, Navy Fuel Depot." +117617,707323,FLORIDA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-17 14:51:00,EST-5,2017-06-17 14:51:00,0,0,0,0,0.20K,200,0.00K,0,30.45,-82.93,30.45,-82.93,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down at Highway 129 and Interstate 75. The cost of damage was estimated." +117470,707672,ARKANSAS,2017,June,Thunderstorm Wind,"BAXTER",2017-06-23 13:15:00,CST-6,2017-06-23 13:15:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-92.49,36.28,-92.49,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Metal roofing material was removed from a home." +117616,707316,FLORIDA,2017,June,Heavy Rain,"FLAGLER",2017-06-16 14:28:00,EST-5,2017-06-16 14:28:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-81.12,29.47,-81.12,"Recent heavy rainfall compromised parts of A1A in Flagler Beach.","State Road A1A was closed from South 12th Street through South 14th Street due to several dune washouts from heavy rainfall." +117617,707319,FLORIDA,2017,June,Lightning,"ST. JOHNS",2017-06-17 20:00:00,EST-5,2017-06-17 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,30.07,-81.55,30.07,-81.55,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","Lightning hit a home which caused a home fire. The cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +117617,707321,FLORIDA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-17 13:38:00,EST-5,2017-06-17 13:38:00,0,0,0,0,0.20K,200,0.00K,0,30.62,-83.25,30.62,-83.25,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down at 152 Lake Alcyone. Cost of damage was estimated." +117617,707322,FLORIDA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-17 13:56:00,EST-5,2017-06-17 13:56:00,0,0,0,0,0.20K,200,0.00K,0,30.56,-83.22,30.56,-83.22,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down at NW 26th Lane and NW 23rd Blvd. The cost of damage was estimated." +117617,707324,FLORIDA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-17 14:54:00,EST-5,2017-06-17 14:54:00,0,0,0,0,0.20K,200,0.00K,0,30.52,-82.95,30.52,-82.95,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down on 5th Avenue SW in Jasper. The cost of damage was estimated." +117617,707325,FLORIDA,2017,June,Thunderstorm Wind,"NASSAU",2017-06-17 17:40:00,EST-5,2017-06-17 17:40:00,0,0,0,0,1.00K,1000,0.00K,0,30.34,-82.03,30.34,-82.03,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down into power lines. The cost of damage was estimated." +115373,692702,FLORIDA,2017,April,Wildfire,"INLAND COLLIER COUNTY",2017-04-20 11:52:00,EST-5,2017-04-25 14:00:00,1,0,0,0,3.50M,3500000,,NaN,NaN,NaN,NaN,NaN,"Drought conditions continued across South Florida into mid April, allowing for the rapid spread of two wildfires, the 30th Avenue Fire, and Frangipani Fire, that started in the Golden Gate Estates area of eastern Naples. Given the proximity of the fires two each other, a large mandatory evacuation area was ordered for the region, from the south side of Golden Gate Boulevard south to I-75, and from Collier Boulevard east to Wilson Boulevard. Additional voluntary evacuations were ordered for homes south of Golden Gate Parkway from Tropicana Boulevard east to Collier Boulevard in Golden Gate City, affecting over 7000 residents. The wildfires resulted in the closures of numerous roads in the area, as well as schools, business, and parks. The Frangipani Fire was contained within 24 hours, however the 30th Avenue Fire was not able to reach containment until 25 April.","The 30th Avenue wildfire was first reported during the afternoon hours on April 20 in the Golden Gate Estates area of eastern Naples in Collier County. This fire, in combination with the nearby Frangipani Fire reported later that afternoon, necessitated the evacuation of a large area of the the Golden Gate area of Naples, as well as numerous road, school, and business closures. The unofficial cause of the fire was a lawn mower that hit a rock that sparked and ignited the very dry vegetation.||Nine homes were destroyed in the fire, most located in the areas of Inez and Smith Roads, and Guevara Avenue. An additional abandoned home on the west side of 32nd Avenue SE, off of Everglades Boulevard was also destroyed. American Farms located off Brantley Boulevard and Inez Road sustained an estimated $1.1 million in damage. Total damage estimates were provided by the Florida Forest Service.||One man was injured while trying to protect his property. He was taken to the hospital with second-degree burns over 18 percent of his body.||Over an inch of rain fell on the fire on April 22 and 23, which helped increase the containment on the fire. The evacuation orders were lifted during the afternoon hours of April 23 as containment increased for the fire." +114371,695126,TENNESSEE,2017,April,Flash Flood,"KNOX",2017-04-22 16:45:00,EST-5,2017-04-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9977,-83.8474,35.9866,-83.8804,"A 500 MB trough of low pressure moved into the central plains on the 20th and 21st, and was associated with a surface front moving southeastward from the Ohio Valley into eastern Kentucky and middle Tennessee. This placed the upper Tennessee Valley in a warm and humid air mass, which aided in the generation of heavy rainfall and some severe storms on those days. The 500 MB trough then deepened into a closed low, while low pressure formed along the surface front and tracked from southern Arkansas on the 22nd to northern Georgia on the 23rd, by which time a surface trough extended from Chattanooga to southwestern Virginia. Upper level divergence on the northeast side of the closed low and these surface boundaries contributed to additional heavy rains on the 22nd and 23rd.","Water completely covered the road at Rutledge Pike and I-40." +113836,681679,KENTUCKY,2017,April,Thunderstorm Wind,"TAYLOR",2017-04-18 17:55:00,EST-5,2017-04-18 17:55:00,0,0,0,0,50.00K,50000,0.00K,0,37.35,-85.33,37.35,-85.33,"Seasonably warm conditions combined with passing weather disturbances led to isolated severe thunderstorms across central Kentucky April 18 and 19. Two counties reported isolated trees and power lines down .","Taylor County officials reported roof damage to the Fiesta Mexico restaurant. There was also a power line down nearby." +115191,695076,LOUISIANA,2017,April,Tornado,"RAPIDES",2017-04-02 13:50:00,CST-6,2017-04-02 13:59:00,0,0,0,0,250.00K,250000,0.00K,0,31.1255,-92.5368,31.2138,-92.5341,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","The tornado began near Bayou Clear and moved north across Bayou|Clear Road where 4 homes were damaged by falling trees. The tornado continued|north across Castor Plunge Road where it reached its maximum width of around|half a mile. Many pine trees were snapped or uprooted. The tornado dissipated|near Bayou Boeuf. Most of the path was in the Kisatchie National Forest. This|tornado was seen and filmed by many people in the area. The maximum wind speed was estimated at 120 MPH." +115191,695090,LOUISIANA,2017,April,Tornado,"RAPIDES",2017-04-02 14:05:00,CST-6,2017-04-02 14:18:00,0,0,0,0,750.00K,750000,0.00K,0,31.2499,-92.4821,31.3281,-92.4778,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","The tornado touched down near US 165 and Bowie Drive, blowing down|several trees, damaging a gas station awning, and blowing the doors in and the|side of a large storage building. It crossed to the west side of US 165 where it|hit residential areas including Cherokee Village and Plantation Acres where|many trees were downed, some landing on homes, garages, and vehicles. Some|buildings had minor roof damage such as shingles or soffit pulled off. The|tornado continued into a business district along Jackson Street west of US 165|where it lifted parts of flat roofs off of businesses. Some of the flying|debris broke windows of vehicles and businesses in the area, as well as|large billboard and other signage. The tornado continued north, crossing|the intersection of LA 28 and US Hwy 165, and dissipated before it reached|I-49. This tornado was seen and filmed by many people in the area. The maximum wind speed was 105 MPH." +115191,695092,LOUISIANA,2017,April,Tornado,"LAFAYETTE",2017-04-02 08:04:00,CST-6,2017-04-02 08:05:00,0,0,0,0,5.00K,5000,0.00K,0,30.1641,-92.0189,30.1649,-92.0185,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","A security video from a car body shop caught a small but intense tornado. The tornado only removed 2 pieces of tin from the shop roof, however it lifted a car off the ground, spun the vehicle around, and then set it down. The tornado dissipated on Ashy Road. Estimated winds were 100 MPH." +115191,695198,LOUISIANA,2017,April,Flash Flood,"RAPIDES",2017-04-02 16:30:00,CST-6,2017-04-03 01:30:00,0,0,0,0,5.00M,5000000,0.00K,0,31.0577,-92.4081,31.4815,-92.2371,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Widespread heavy rain fell across Central Louisiana with amounts ranging from 6 to 10 inches. Many homes in south and west sections of Alexandria along with numerous streets flooded during the event. Flooding was also reported in Boyce and Ball. The debris line from the flood water was noted to be several inches deep in houses across entire neighborhoods during the tornado survey the following day in South Alexandria." +112882,674378,INDIANA,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 06:06:00,EST-5,2017-03-01 06:06:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-86.37,38.22,-86.37,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","An off duty NWS employee reported that severe thunderstorm winds snapped numerous mature cedar trees which blocked State Road 66." +112882,674385,INDIANA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-01 06:10:00,EST-5,2017-03-01 06:10:00,0,0,0,0,150.00K,150000,0.00K,0,38.7671,-85.5456,38.7671,-85.5456,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The public reported that a brick home near Rogers Road and Chicken Run Road was completely missing its roof due to severe thunderstorm winds. The residence next to it had half of its roof missing. Many trees in the area were snapped or uprooted. An NWS damage survey team determined the winds to be near 100 mph. This was part of a larger swath of 70+ mph winds that extended in a 1-2 mile wide path from northern Scott into western Jefferson County." +115771,695991,GEORGIA,2017,April,Tornado,"CARROLL",2017-04-03 09:58:00,EST-5,2017-04-03 10:02:00,0,0,0,0,50.00K,50000,,NaN,33.5688,-85.1141,33.5826,-85.0765,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that a brief EF-1 tornado with maximum wind speeds of 90 MPH and a maximum path width of 300 yards touched down over central Carroll County, near the University of West Georgia. The tornado tracked northeast then turned more easterly before dissipating near Highway 27 in Carrollton. Much of the tornado damage was snapped and uprooted trees, however, significant structural damage occurred to a fire station off Brumbelow Road. A Styrofoam-core metal roof was pulled off of the building and in the process, a portion of a concrete exterior wall was destroyed. Numerous large trees were snapped or uprooted across the street from this location. Based on this damage, estimated|winds were around 90 mph which resulted in an EF-1 rating for this tornado. No injuries were reported. [04/03/17: Tornado #1, County #1/1, EF-1, Carroll, 2017:033]." +112882,675721,INDIANA,2017,March,Tornado,"SCOTT",2017-03-01 06:05:00,EST-5,2017-03-01 06:07:00,10,0,0,0,250.00K,250000,0.00K,0,38.627,-85.784,38.621,-85.745,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The National Weather Service in conjunction with Scott County Emergency Management, determined an EF-1 Tornado touched down 4 miles south of Scottsburg, on Interstate 65 at approximately mile marker 25.5. After overturning a semi tractor-trailer on the Interstate, the tornado moved east-southeast, collapsed a wall on a large cinder block building, then destroyed two metal outbuildings and flipped an unanchored mobile home on a farmstead 1/4 mile east. It continued skipping east, uprooting and snapping trees and destroying an anchored mobile home on Underwood Road. Three residents were in the home at the time when it rolled over and disintegrated. They received minor injuries. The tornado then damaged an outbuilding and numerous more trees as it headed east toward Double or Nothing Road. Near the intersection of Double or Nothing Road and Radio Tower Road, it destroyed a large garage and pushed a double-wide manufactured home off its foundation. The tornado was embedded in a 1-2 mile wide area of 60 to 80 mph winds that extended further east for over 10 miles, and may have briefly touched down within this area as well.||Within the county, this tornado and two areas of straight-line wind resulted in approximately 23 minor injuries and the closure of seven roadways across the county." +115771,695993,GEORGIA,2017,April,Tornado,"FULTON",2017-04-03 10:28:00,EST-5,2017-04-03 10:37:00,0,0,0,0,100.00K,100000,,NaN,33.5678,-84.7811,33.5773,-84.7113,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-1 tornado, with maximum wind speeds of 90 MPH and a maximum path width of 150 yards, touched down along Campbellton Redwine Road in a rural part of southwest Fulton County. A few trees were snapped onto the roadway and in an adjacent field. The tornado moved northeast crossing Upper Wooten Road and Rico Road snapping and uprooting trees before moving through a heavily wooded area north of Upper Wooten Road into an area of bike trails. Hundreds of trees were blown down across these bike trails. The tornado then crossed into Cochran Mill Park snapping a few trees and crossed Cochran Mill Road before lifting just south of Rivertown Road. [04/03/17: Tornado #2, County #1/1, EF-1, Fulton, 2017:034]." +115771,696006,GEORGIA,2017,April,Tornado,"STEWART",2017-04-03 11:16:00,EST-5,2017-04-03 11:18:00,0,0,0,0,20.00K,20000,,NaN,32.0692,-84.7015,32.081,-84.6832,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found a second tornado touched down in Stewart County. This tornado, associated with the same thunderstorm that produced the tornado near Lumpkin, was rated EF-0 with maximum wind speeds of 70 MPH and a maximum path width of 100 yards. The tornado touched down along US Highway 27 southwest of Richland snapping a few trees south of the highway. The tornado moved northeast hitting a small shed on the north side of the highway, ripping off roof panels. The tornado continued northeast along US Highway 27 knocking down a few trees near the intersection with Pleasant Valley Road before ending prior to reaching Highway 520. No injuries were reported. [04/03/17: Tornado #5, County #1/1, EF-0, Stewart, 2017:037]." +115792,695871,TEXAS,2017,April,Hail,"OCHILTREE",2017-04-21 04:25:00,CST-6,2017-04-21 04:25:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-100.56,36.27,-100.56,"The combination of orographic lift from east to east-southeast surface flow, and a shortwave embedded in the longwave trough axis over eastern New Mexico helped early AM convection to get established. With 1500-2000 J/Kg, 850-700 hPa moisture axis ahead of the upper level trough along with a frontal system displaced just to the south of the TX Panhandle, there was enough of a synoptic setup to have storms occur during the early morning hours with predominately severe criteria hail reported with the storms that moved east across the northern TX Panhandle.","Late report. Multiple waves of hail passed over Wolf Creek park with heavy rainfall reported." +115656,694933,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:32:00,CST-6,2017-04-16 16:32:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-100.8,35.44,-100.8,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694934,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:36:00,CST-6,2017-04-16 16:36:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-100.85,35.44,-100.85,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694935,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:45:00,CST-6,2017-04-16 16:45:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-100.79,35.43,-100.79,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","On Highway 273." +115656,694936,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:50:00,CST-6,2017-04-16 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-100.93,35.4,-100.93,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115183,691641,ILLINOIS,2017,April,Thunderstorm Wind,"SHELBY",2017-04-29 16:50:00,CST-6,2017-04-29 16:55:00,0,0,0,0,15.00K,15000,0.00K,0,39.5916,-88.8429,39.5916,-88.8429,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Pine trees were snapped and minor damage occurred to the roof of a house." +115183,691625,ILLINOIS,2017,April,Thunderstorm Wind,"DE WITT",2017-04-29 17:15:00,CST-6,2017-04-29 17:20:00,0,0,0,0,20.00K,20000,0.00K,0,40.22,-88.97,40.22,-88.97,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A power pole was snapped and power lines were blown down in Wapella." +115183,691627,ILLINOIS,2017,April,Thunderstorm Wind,"DE WITT",2017-04-29 17:15:00,CST-6,2017-04-29 17:20:00,0,0,0,0,5.00K,5000,0.00K,0,40.1319,-89.0133,40.1319,-89.0133,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Trees were blown down across Seven Hills Road about 2 miles southwest of Clinton." +115869,696347,OREGON,2017,April,High Wind,"COAST RANGE OF NW OREGON",2017-04-07 05:58:00,PST-8,2017-04-07 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","Weather stations in higher terrain saw the strongest winds, with gusts up to 73 mph at the Newberg/Chehalem Mountain weather station and wind gusts up to 66 mph on Mt Hebo." +115869,696351,OREGON,2017,April,High Wind,"GREATER PORTLAND METRO AREA",2017-04-07 05:58:00,PST-8,2017-04-07 13:53:00,0,0,0,1,70.00K,70000,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","Many weather stations across the area recorded wind gusts up to 60 to 75 mph. The weather station on top of OMSI recorded the highest wind gust, up to 76 mph. The Troutdale and Hillsboro airport ASOS stations recorded wind gusts up to 61 mph. Several trees came down across the area. One large tree limb fell down on a person in Garden Home in his backyard, killing him." +115869,696357,OREGON,2017,April,Strong Wind,"WESTERN COLUMBIA RIVER GORGE",2017-04-07 06:45:00,PST-8,2017-04-07 17:15:00,0,3,0,1,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","Weather stations recorded wind gusts generally up to 45 mph, with the highest wind recorded in Corbett. There was one fatality and three injuries on the Columbia River near Multnomah Falls, where rough conditions caused a boat to capsize." +115869,696364,OREGON,2017,April,High Wind,"CENTRAL WILLAMETTE VALLEY",2017-04-07 05:58:00,PST-8,2017-04-07 06:08:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moves northeasterly up the Oregon and Washington coast, creating a strong pressure gradient across the area. This brought strong winds to all of northwest Oregon, bringing down many trees across the area. One fatalitly occurred due to a fallen tree branch, and another fatality was due to rough conditions on the Columbia River.","A weather station on Chehalem Mountain measured wind gusts up to 73 mph, while the ASOS at the Salem Airport recorded wind gusts up to 60 mph. There were reports of downed trees and power outages around Salem and Keizer." +115415,694301,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-03 17:57:00,EST-5,2017-04-03 17:58:00,0,0,0,0,,NaN,,NaN,31.4,-80.87,31.4,-80.87,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated waterspouts.","Buoy 41008 recorded a 39 knot wind gust." +112258,671695,GEORGIA,2017,January,Thunderstorm Wind,"MERIWETHER",2017-01-21 11:17:00,EST-5,2017-01-21 11:30:00,0,0,0,0,6.00K,6000,,NaN,32.875,-84.5766,32.899,-84.575,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Meriwether County Emergency Manager reported numerous trees blown down along Shirey Road, LL Revell Road and Cove Road." +121755,728832,OHIO,2017,November,Thunderstorm Wind,"COLUMBIANA",2017-11-05 19:25:00,EST-5,2017-11-05 19:25:00,0,0,0,0,2.00K,2000,0.00K,0,40.6,-80.66,40.6,-80.66,"A series of shortwaves and an approaching cold front produced rounds of showers and thunderstorms on the 5th and early on the 6th. A break in the precipitation in the afternoon allowed for sufficient heating and modest instability to support some strong to severe storms in the evening. In addition, dry air in the mid-levels enhanced the downburst potential. There were several reports of downed trees and power lines across eastern Ohio and western Pennsylvania. A tornado was also confirmed near Calcutta, Ohio. Periods of moderate rainfall of up to 2.5-3.0 inches also produced flooding across the region, despite the rather dry antecedent conditions.","Local law enforcement reported several trees down." +112883,674466,MINNESOTA,2017,March,Winter Storm,"LAC QUI PARLE",2017-03-12 08:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 6 to 9 inches of snow across Lac Qui Parle County Sunday morning, through the early evening. Totals included 9 inches in Madison." +112775,673770,MINNESOTA,2017,March,Hail,"MORRISON",2017-03-06 16:34:00,CST-6,2017-03-06 16:39:00,0,0,0,0,0.00K,0,0.00K,0,45.8379,-94.2339,45.8729,-94.157,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to quarter size, fell east of Royalton, to southwest of Buckman." +115294,696699,ILLINOIS,2017,April,Flood,"SHELBY",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.588,-88.8062,39.5656,-89.02,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Shelby County. Numerous streets in Shelbyville were impassable, as were numerous rural roads and highways in the county. The greatest impacts were in the southern half of the county where the heaviest rainfall totals were reported. Parts of Illinois Route 128 near Cowden were closed. Additional rain of 0.50 to 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 2nd." +112775,673759,MINNESOTA,2017,March,Hail,"RENVILLE",2017-03-06 15:51:00,CST-6,2017-03-06 15:56:00,0,0,0,0,0.00K,0,0.00K,0,44.5474,-94.9948,44.5651,-94.9473,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to quarter size, fell from the Renville, and Redwood County line, then northeast past the town of Morton." +112775,673761,MINNESOTA,2017,March,Hail,"MORRISON",2017-03-06 16:05:00,CST-6,2017-03-06 16:05:00,0,0,0,0,0.00K,0,0.00K,0,45.84,-94.3,45.84,-94.3,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +112775,673762,MINNESOTA,2017,March,Hail,"STEARNS",2017-03-06 16:25:00,CST-6,2017-03-06 16:28:00,0,0,0,0,0.00K,0,0.00K,0,45.7431,-94.3073,45.7505,-94.2668,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to nickel size fell north of St. Stephen." +112775,673771,MINNESOTA,2017,March,Hail,"STEARNS",2017-03-06 16:45:00,CST-6,2017-03-06 16:45:00,0,0,0,0,0.00K,0,0.00K,0,45.75,-94.28,45.75,-94.28,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","" +115294,696701,ILLINOIS,2017,April,Flood,"MOULTRIE",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.7373,-88.4758,39.5842,-88.8154,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Moultrie County. Several streets in Sullivan were impassable, as were numerous rural roads and highways in the southern part of the county near the Shelby County line. Additional rain around 0.50 to 1.00 inch, which occurred during the morning hours of the 30th, kept many roads flooded. Areal flooding continued until the early morning hours of May 1st." +115054,690677,OKLAHOMA,2017,April,Drought,"OKFUSKEE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690678,OKLAHOMA,2017,April,Drought,"OKMULGEE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690679,OKLAHOMA,2017,April,Drought,"WAGONER",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690680,OKLAHOMA,2017,April,Drought,"CHEROKEE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690681,OKLAHOMA,2017,April,Drought,"ADAIR",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +112310,722844,PENNSYLVANIA,2017,February,Winter Storm,"NORTHAMPTON",2017-02-09 02:00:00,EST-5,2017-02-09 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Some higher snowfall totals include 7.0 inches in Bangor, 6.1 inches in Easton, and 6.0 inches in Martins Creek." +112882,686763,INDIANA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-01 06:04:00,EST-5,2017-03-01 06:15:00,8,0,0,0,200.00K,200000,0.00K,0,38.6253,-85.7904,38.6052,-85.63,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A 1-2 mile swath of strong straight-line winds estimated at 60-80 mph moved across southern Scott County, downing trees and power lines and causing mainly minor roof damage. An EF-1 tornado was embedded within this area just east of Interstate 65. ||Between this area and another to the northeast of Austin, the Scott Emergency Manager reported that at least 15 homes were severely damaged, including those damaged by the tornado. Within the county, the winds and tornado resulted in approximately 23 minor injuries. There were numerous trees and power lines down which resulted in the closure of seven roadways across the county." +112882,686764,INDIANA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-01 05:56:00,EST-5,2017-03-01 06:02:00,0,0,0,0,150.00K,150000,0.00K,0,38.4827,-86.1005,38.4707,-85.9928,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A NWS Storm Survey team concluded that intermittent pockets of straight line winds occurred along a 1-2 mile wide path that started 9 miles south of Salem and extended east into Clark County. A roof was removed from a house along Indiana Highway 135 at the beginning of the area south of Salem. There were many locations with sporadic tree and barn damage, the worst being along Voyles Road 3 miles south of New Pekin. The roof was removed from an abandoned building in downtown Pekin and a mobile home was flipped. Peak wind speeds were estimated between 60 and 90 mph." +115231,691846,WISCONSIN,2017,April,Hail,"GREEN",2017-04-10 13:47:00,CST-6,2017-04-10 13:47:00,0,0,0,0,0.00K,0,0.00K,0,42.71,-89.44,42.71,-89.44,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115669,695113,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 21:06:00,EST-5,2017-04-10 21:08:00,0,0,0,0,,NaN,,NaN,40.51,-86.84,40.51,-86.84,"A cold front pushed into northwest portions of central Indiana during the evening of the April the 10th. Some showers and thunderstorms developed ahead of the front, producing a few hail reports, two of which were severe.","" +115669,695114,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 21:12:00,EST-5,2017-04-10 21:14:00,0,0,0,0,,NaN,,NaN,40.47,-86.91,40.47,-86.91,"A cold front pushed into northwest portions of central Indiana during the evening of the April the 10th. Some showers and thunderstorms developed ahead of the front, producing a few hail reports, two of which were severe.","" +115669,695115,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 21:15:00,EST-5,2017-04-10 21:17:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-86.81,40.52,-86.81,"A cold front pushed into northwest portions of central Indiana during the evening of the April the 10th. Some showers and thunderstorms developed ahead of the front, producing a few hail reports, two of which were severe.","" +115231,691847,WISCONSIN,2017,April,Hail,"MILWAUKEE",2017-04-10 14:15:00,CST-6,2017-04-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-87.9,42.91,-87.9,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115875,696370,OKLAHOMA,2017,April,Flood,"TULSA",2017-04-29 19:30:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.3967,-95.8162,36.4212,-95.8068,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Caney River near Collinsville rose above its flood stage of 26 feet at 8:30 pm CDT on April 29th. The river crested at 29.71 feet at 8:30 am CDT on the 30th, resulting in moderate flooding. The river remained in flood through the end of the month, finally falling below flood stage at 2:15 pm CDT on May 2nd." +115875,696373,OKLAHOMA,2017,April,Flood,"OSAGE",2017-04-29 19:00:00,CST-6,2017-04-30 09:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4857,-96.0609,36.4887,-96.0399,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","Bird Creek near Avant rose above its flood stage of 17 feet at 8:00 pm CDT on April 29th. The river crested at 23.79 feet at 2:30 am CDT on the 30th, resulting in moderate flooding. County roads west of Highway 11 were inundated. The river fell below flood stage at 10:15 am CDT on the 30th." +115875,696374,OKLAHOMA,2017,April,Flood,"TULSA",2017-04-29 17:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.2572,-95.9484,36.3072,-95.9784,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","Bird Creek near Sperry rose above its flood stage of 21 feet at 6:45 pm CDT on April 29th. The river crested at 26.00 feet at 9:30 pm CDT on the 30th, resulting in moderate flooding. The river remained in flood through the remainder of April, falling below flood stage at 10:30 am CDT on May 1st." +114041,683335,KENTUCKY,2017,April,Thunderstorm Wind,"ADAIR",2017-04-30 16:51:00,CST-6,2017-04-30 16:51:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-85.27,37.05,-85.27,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees were reported down in the area." +114041,683336,KENTUCKY,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-30 18:17:00,EST-5,2017-04-30 18:17:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-84.88,38.2,-84.88,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees were reported down in the area." +114041,683337,KENTUCKY,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-30 18:11:00,EST-5,2017-04-30 18:11:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-84.97,38.15,-84.97,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trees were reported down on Interstate 64." +114041,683338,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-30 18:36:00,EST-5,2017-04-30 18:36:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-84.7,38.37,-84.7,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down at Highway 227 and Suterville Road." +114041,683339,KENTUCKY,2017,April,Thunderstorm Wind,"WOODFORD",2017-04-30 18:39:00,EST-5,2017-04-30 18:39:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-84.64,38.13,-84.64,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down blocking Weisenberger Mill Road." +114041,683340,KENTUCKY,2017,April,Thunderstorm Wind,"WOODFORD",2017-04-30 18:33:00,EST-5,2017-04-30 18:33:00,0,0,0,0,25.00K,25000,0.00K,0,38.05,-84.74,38.05,-84.74,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported trees down on power lines on Wooldridge Lane." +116340,704452,VIRGINIA,2017,May,Tornado,"POWHATAN",2017-05-05 05:40:00,EST-5,2017-05-05 05:50:00,0,0,0,0,100.00K,100000,0.00K,0,37.4742,-77.7899,37.4776,-77.7844,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Tornado tracked from near the Norfolk Southern Railroad northeast to near the intersection of Bradbury Road (VA-672) and Moseley Road (VA-605). Many trees were found snapped or uprooted along this route, including several onto homes." +116340,704454,VIRGINIA,2017,May,Tornado,"MECKLENBURG",2017-05-05 04:40:00,EST-5,2017-05-05 04:50:00,0,0,0,0,200.00K,200000,0.00K,0,36.5767,-78.4405,36.7415,-78.2703,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","Tornado briefly touched down along and just south of the John Kerr Reservoir in southern Mecklenburg county. The tornado caused minor tree damage along Phyllis Road south of Boydton, uprooting a few trees and snapping off several others. The tornado lifted and continued north northeast crossing Route 58, before touching |down again in Baskerville along Baskerville Road, and uprooting and breaking numerous trees. A barn on Baskerville Road was destroyed with at least two walls failing. Some additional minor structural damage to flashing was noted to another outbuilding just north of VA-47." +114334,699674,ARKANSAS,2017,May,Flash Flood,"GRANT",2017-05-03 16:37:00,CST-6,2017-05-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-92.4,34.2768,-92.4019,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","Several county roads are under water due to flash flooding." +113801,697202,KENTUCKY,2017,April,Thunderstorm Wind,"BARREN",2017-04-05 16:03:00,CST-6,2017-04-05 16:06:00,0,0,0,0,200.00K,200000,,NaN,37.1042,-85.8465,37.1255,-85.7745,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Over 160 structures were damaged in a 2-3 mile wide swath extending 15 miles from near Hiseville in Barren County northeast across Metcalfe into Green County. Three EF-1 tornadoes, with maximum winds of 100-110 mph were embedded within this area. Outside of the tornadoes, maximum winds were estimated at 70-90 mph. In Barren County, the most significant damage was in and near Hiseville, where a commercial radio tower collapsed in the high winds, and multiple barns and other outbuildings were flattened." +113801,681430,KENTUCKY,2017,April,Thunderstorm Wind,"BARREN",2017-04-05 15:57:00,CST-6,2017-04-05 15:57:00,0,0,0,0,30.00K,30000,0.00K,0,37.0529,-85.9142,37.0529,-85.9142,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A large barn was flattened by straight-line winds on Old Munfordville Rd north of Glasgow." +114334,704587,ARKANSAS,2017,May,Strong Wind,"PULASKI",2017-05-03 16:22:00,CST-6,2017-05-03 16:22:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","A large tree was blown down across Chenal Parkway in West Little Rock. These winds were associated with a strong mesoscale low pressure system that resulted from earlier thunderstorm activity. There were no storms around West Little Rock when this damage occurred." +114334,704595,ARKANSAS,2017,May,Strong Wind,"SALINE",2017-05-03 17:05:00,CST-6,2017-05-03 17:05:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Severe thunderstorms moved across Arkansas on May 3, 20107 producing large hail and flash flooding. After the storms moved out of the area, a strong low pressure system that was generated by latent heat release associated with the earlier thunderstorm activity, resulted in the generation of strong non-thunderstorm winds that caused some tree damage in central Arkansas.","A large tree was blown down onto a power line knocking down the power line and nearby power pole one mile north of Shaw in Saline County. These winds were associated with a strong mesoscale low pressure system that resulted from earlier thunderstorm activity. There were no thunderstorms in Saline County when this damage occurred." +113801,697211,KENTUCKY,2017,April,Thunderstorm Wind,"METCALFE",2017-04-05 16:06:00,CST-6,2017-04-05 16:14:00,0,0,0,0,400.00K,400000,,NaN,37.1252,-85.7741,37.1604,-85.6714,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Over 160 structures were damaged in a 2-3 mile wide swath extending 15 miles from near Hiseville in Barren County northeast across Metcalfe into Green County. Three EF-1 tornadoes, with maximum winds of 100-110 mph were embedded within this area. Outside of the tornadoes, maximum winds were estimated at 70-90 mph. In Metcalfe County, two of the three tornadoes touched down near the community of Center, which had been hit by a brief EF-1 tornado just eight days earlier. In addition to the dozens of structures damaged by the non-tornadic winds - including the complete destruction of several outbuildings - several headstones were blown over in a small cemetery a half mile north of Center." +113801,681678,KENTUCKY,2017,April,Tornado,"METCALFE",2017-04-05 16:12:00,CST-6,2017-04-05 16:13:00,0,0,0,0,75.00K,75000,,NaN,37.1508,-85.6958,37.1507,-85.6887,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","This small, short-lived tornado touched down shortly after the previous tornado to its northwest lifted. It began in a field west of Center Peggyville Road, taking out several trees in a tree line before moving east where it destroyed a large, well-built barn, lofting debris into the air and sending it as far as 1/4 mile to the east. After crossing the road, it snapped several trees on the edge of a large grove and narrowly missed another home." +117835,708281,LOUISIANA,2017,June,Flash Flood,"CALCASIEU",2017-06-26 15:00:00,CST-6,2017-06-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.1995,-93.3913,30.2348,-93.3939,"Tropical Storm Cindy made landfall on the 22nd, however the region remained in a very moist and unstable air mass. Numerous thunderstorms with heavy rain lingered over the region for around a week which produced flooding.","Multiple reports of street flooding were received from around Sulphur. Many streets were considered impassable." +114949,695148,TEXAS,2017,April,Tornado,"WILBARGER",2017-04-13 14:22:00,CST-6,2017-04-13 14:22:00,0,0,0,0,0.00K,0,0.00K,0,34.0793,-99.14,34.0793,-99.14,"Under the influence of an upper low, numerous showers with embedded thunderstorms formed across western north Texas on the afternoon of the 13th. Despite a lack of other severe reports, one of the thunderstorms produced a brief tornado.","A tornado was observed and videotaped by a storm chaser, and was estimated to have occurred approximately 3 to 4 miles south-southwest of Oklaunion. No damage was reported." +113931,682327,NEBRASKA,2017,April,Hail,"PHELPS",2017-04-09 16:43:00,CST-6,2017-04-09 17:02:00,0,0,0,0,0.00K,0,0.00K,0,40.4993,-99.5896,40.45,-99.37,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Quarter to golf ball size hail was reported." +113931,690457,NEBRASKA,2017,April,Thunderstorm Wind,"FURNAS",2017-04-09 15:49:00,CST-6,2017-04-09 15:49:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-100.17,40.28,-100.17,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +117835,708284,LOUISIANA,2017,June,Flash Flood,"ACADIA",2017-06-29 10:51:00,CST-6,2017-06-29 13:51:00,0,0,0,0,50.00K,50000,0.00K,0,30.35,-92.27,30.4635,-92.2639,"Tropical Storm Cindy made landfall on the 22nd, however the region remained in a very moist and unstable air mass. Numerous thunderstorms with heavy rain lingered over the region for around a week which produced flooding.","Heavy rain moved across portions of Acadiana around mid day. Several inches of rainfall produced numerous flooded streets and some stranded vehicles. Northeast portions of Acadia Parish including Church Point is where most of the flooding occurred." +117835,708285,LOUISIANA,2017,June,Flash Flood,"LAFAYETTE",2017-06-29 11:49:00,CST-6,2017-06-29 13:20:00,0,0,0,0,50.00K,50000,0.00K,0,30.3486,-92.2687,30.4629,-92.2598,"Tropical Storm Cindy made landfall on the 22nd, however the region remained in a very moist and unstable air mass. Numerous thunderstorms with heavy rain lingered over the region for around a week which produced flooding.","Heavy rain in thunderstorms moved across the portions of Acadiana and flooding streets around Carencro. Water closed many streets and approached neared homes. Swanky's Restaurant in Carencro reported 3 inches of water in the structure." +117835,708286,LOUISIANA,2017,June,Flash Flood,"ST. LANDRY",2017-06-29 12:20:00,CST-6,2017-06-29 13:20:00,0,0,0,0,0.00K,0,0.00K,0,30.4689,-91.9824,30.2941,-92.0256,"Tropical Storm Cindy made landfall on the 22nd, however the region remained in a very moist and unstable air mass. Numerous thunderstorms with heavy rain lingered over the region for around a week which produced flooding.","Heavy rain produced street flooding in far south sections of Saint Landry Parish. Water was around 2 feet deep over multiple streets around Cankton." +117837,708287,TEXAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-24 08:15:00,CST-6,2017-06-24 08:15:00,0,0,0,0,10.00K,10000,0.00K,0,29.94,-93.98,29.94,-93.98,"Tropical Storm Cindy moved inland during the 22nd. A moist and unstable air mass remained in place for around a week after the system moved through. This produced multiple days of rain and one severe storm.","Roof damage from a thunderstorm was reported to a law office and an apartment complex near Central Mall." +116157,698119,SOUTH CAROLINA,2017,June,Flash Flood,"RICHLAND",2017-06-15 22:57:00,EST-5,2017-06-15 23:30:00,0,0,0,0,0.10K,100,0.10K,100,33.9884,-81.0273,33.9876,-81.0271,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","The USGS gage along Rocky Branch Creek at Whaley St and Main St rose back above the flood stage of 7.2 feet at 1157 pm EDT (1057 pm EST). The stream crested at 8.78 feet at 12:15 am EDT on June 16th (11:15 pm EST June 15th), then fell below flood stage at 12:30 am EDT on June 16th (11:30 pm EST June 15th)." +116157,698120,SOUTH CAROLINA,2017,June,Flood,"LEXINGTON",2017-06-15 21:50:00,EST-5,2017-06-15 21:55:00,0,0,0,0,0.10K,100,0.10K,100,33.9036,-81.0672,33.8995,-81.0661,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Roadway was partially covered by water along US Hwy 321 near the Farmers Market." +116157,698122,SOUTH CAROLINA,2017,June,Flood,"RICHLAND",2017-06-15 22:54:00,EST-5,2017-06-15 22:59:00,0,0,0,0,0.10K,100,0.10K,100,34.1783,-80.9017,34.1764,-80.9018,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Roadway flooding reported at the intersection of HardScrabble Rd and Lake Carolina Blvd." +116157,698123,SOUTH CAROLINA,2017,June,Flood,"RICHLAND",2017-06-16 00:20:00,EST-5,2017-06-16 00:25:00,0,0,0,0,0.10K,100,0.10K,100,33.9592,-80.9874,33.9567,-80.9843,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Roadway flooding reported near the intersection of S. Beltline Blvd and Shop Rd." +116157,698124,SOUTH CAROLINA,2017,June,Hail,"CHESTERFIELD",2017-06-15 17:53:00,EST-5,2017-06-15 17:58:00,0,0,0,0,0.10K,100,0.10K,100,34.48,-80.31,34.48,-80.31,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Nickel size hail reported along Wire Rd near McBee." +116157,698118,SOUTH CAROLINA,2017,June,Flash Flood,"RICHLAND",2017-06-15 22:09:00,EST-5,2017-06-15 22:14:00,0,0,0,0,0.10K,100,0.10K,100,33.9852,-80.9855,33.9847,-80.9849,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","SC Highway Patrol reported roadway flooding at Deerwood St and Capers Ave." +116562,700894,NEW MEXICO,2017,June,Thunderstorm Wind,"UNION",2017-06-30 17:25:00,MST-7,2017-06-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-103.13,36.15,-103.13,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Thunderstorm outflow." +116562,700893,NEW MEXICO,2017,June,Thunderstorm Wind,"UNION",2017-06-30 16:55:00,MST-7,2017-06-30 16:58:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-103.33,36.27,-103.33,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Thunderstorm outflow." +116562,700895,NEW MEXICO,2017,June,Hail,"GUADALUPE",2017-06-30 18:35:00,MST-7,2017-06-30 18:39:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-104.26,35.07,-104.26,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of nickels with heavy rain." +116878,702696,NORTH CAROLINA,2017,June,Thunderstorm Wind,"HYDE",2017-06-01 19:03:00,EST-5,2017-06-01 19:03:00,0,0,0,0,,NaN,,NaN,35.57,-76.12,35.57,-76.12,"An isolated severe thunderstorm produced strong wind gusts between 60 and 65 mph.","Estimated wind gusts of 60 to 65 mph were reported on N Lake Road between Fairfield and Englehard." +114654,687669,IOWA,2017,April,Heavy Rain,"BOONE",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-94.03,42.04,-94.03,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Official NWS rain gage report of 1.00 inches over the last 24 hours." +114654,687671,IOWA,2017,April,Heavy Rain,"CARROLL",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-94.97,42.01,-94.97,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported heavy rainfall of 1.80 inches." +114661,687726,KANSAS,2017,April,Flood,"CHAUTAUQUA",2017-04-29 16:13:00,CST-6,2017-04-30 08:55:00,0,0,0,0,0.00K,0,0.00K,0,37.0345,-96.18,37.0302,-96.1672,"Pronounced and prolonged moist convergence occurred along an inverted surface trough that extended north from the surface low that was centered over Eastern Oklahoma. Well to the west and southwest, a couple of strong perturbations that were situated over Southwest Kansas and the Four Corners Region would move slowly east. The result would be prolonged, very heavy rains that would cause serious flooding and flash flooding across Southeast Kansas that occurred for most of the day and continued throughout the night. No doubt rivers 'rose to the occasion', most notably the Neosho and the Verdigris. One thunderstorm that struck Labette County proved very severe when the damaging winds tore the roofs off 2 buildings.","Multiple city streets were flooded." +115436,693161,IOWA,2017,May,Hail,"FRANKLIN",2017-05-15 17:38:00,CST-6,2017-05-15 17:38:00,0,0,0,0,1.00K,1000,0.00K,0,42.74,-93.2,42.74,-93.2,"During the day on the 15th, much of Iowa found itself firmly in the warm sector with a warm front/stationary front eventually settling across northern Iowa. Temperatures reached the upper 80s along with dew points in the mid to upper 60s, helping fuel MUCAPE values in excess of 2000 J/kg. Effective bulk shear was generally marginally supportive to supportive in the 25-45 kt range. Isolated storms initiated during the afternoon, eventually leading way to strong more widespread storms in the evening hours that resulted in primarily severe hail. In addition to the severe hail, a handful of thunderstorm damage, severe wind gusts, and even localized flash flooding were reported.","Public reported half dollar sized hail along with tree limbs up to 6 inches in diameter broken off." +115551,693818,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 15:55:00,EST-5,2017-05-24 15:55:00,0,0,0,0,0.00K,0,0.00K,0,27.98,-80.55,27.98,-80.55,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","A Weatherflow mesonet station at Rocky Point measured a peak wind gust of 37 knots from the southwest as a strong storm moved offshore Brevard County into the Atlantic." +115551,693819,ATLANTIC SOUTH,2017,May,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-05-24 16:18:00,EST-5,2017-05-24 16:18:00,0,0,0,0,0.00K,0,0.00K,0,28.6147,-80.6942,28.6147,-80.6942,"A broken band of showers and thunderstorms moved across the east central Florida coastal waters during the afternoon and evening of May 24. Numerous showers and storms developed ahead of the main line and these storms produced strong winds along the coast, in addition to the storms associated with the main line itself. Several observation sites near the coast measured winds between 35 and 51 knots.","ASOS at NASA Shuttle Landing Facility (KTTS) measured a peak wind gust of 39 knots a strong storm moved into the nearshore waters off the Cape in Brevard County." +117008,703738,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"LAGUNA MADRE FROM 5NM N OF PT MANSFIELD TO BAFFIN BAY TX",2017-05-29 06:30:00,CST-6,2017-05-29 07:18:00,0,0,0,0,0.00K,0,0.00K,0,27.297,-97.405,27.297,-97.405,"An intense line of bowing convection ahead of a cold front, moved east southeast across the lower Texas coastal waters. These storms produced winds in excess of 34 knots.","Baffin Bay TCOON station reported peak thunderstorm wind gust of 40 knots at 0648 CST." +112859,678365,NEW JERSEY,2017,March,Winter Storm,"SOMERSET",2017-03-14 04:00:00,EST-5,2017-03-14 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Six to twelve inches of snow fell across the county." +117080,704413,KANSAS,2017,May,Hail,"BARBER",2017-05-11 12:20:00,CST-6,2017-05-11 12:20:00,0,0,0,0,,NaN,,NaN,37.29,-98.58,37.29,-98.58,"An upper low/trough crossed the Texas Panhandle and southwest Kansas through late day. Strong mid-level lapse rates under the 500mb -20C cold pool caused severe hail in Barber County.","" +120150,719883,SOUTH DAKOTA,2017,August,Heavy Rain,"MINNEHAHA",2017-08-21 14:25:00,CST-6,2017-08-21 14:25:00,0,0,0,0,0.00K,0,0.00K,0,43.4765,-96.7605,43.4765,-96.7605,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Flood stage recorded at river gage at Western Avenue." +115965,696965,MINNESOTA,2017,June,High Wind,"ROSEAU",2017-06-13 11:00:00,CST-6,2017-06-13 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The 67 mph wind gusts was measured by the AWOS at the Warroad airport. Multiple trees were blown down in Warroad. 60 mph wind gusts were measured just east of Roseau by the RAWS station." +115965,696967,MINNESOTA,2017,June,High Wind,"LAKE OF THE WOODS",2017-06-13 12:00:00,CST-6,2017-06-13 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","Tree and limb damage was reported from the strong winds." +115967,696973,NORTH DAKOTA,2017,June,Hail,"SARGENT",2017-06-13 18:35:00,CST-6,2017-06-13 18:35:00,0,0,0,0,,NaN,,NaN,45.98,-97.78,45.98,-97.78,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Heavy rain accompanied the hail." +115967,696974,NORTH DAKOTA,2017,June,Funnel Cloud,"SARGENT",2017-06-13 18:42:00,CST-6,2017-06-13 18:42:00,0,0,0,0,0.00K,0,0.00K,0,45.94,-97.63,45.94,-97.63,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A brief funnel was observed high in the cloud." +115967,696975,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RANSOM",2017-06-13 19:15:00,CST-6,2017-06-13 19:15:00,0,0,0,0,,NaN,,NaN,46.3,-97.66,46.3,-97.66,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Several 4 to 6 inch diameter tree limbs were blown down." +115967,696977,NORTH DAKOTA,2017,June,Hail,"CASS",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,,NaN,46.64,-97.6,46.64,-97.6,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","" +117449,706519,ALABAMA,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 15:28:00,CST-6,2017-06-15 15:29:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-85.77,33.48,-85.77,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed." +117449,706521,ALABAMA,2017,June,Thunderstorm Wind,"TALLAPOOSA",2017-06-15 16:20:00,CST-6,2017-06-15 16:21:00,0,0,0,0,0.00K,0,0.00K,0,32.8285,-85.7617,32.8285,-85.7617,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted on East South Street." +117449,706522,ALABAMA,2017,June,Thunderstorm Wind,"TALLAPOOSA",2017-06-15 16:25:00,CST-6,2017-06-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,33.0602,-85.6374,33.0602,-85.6374,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted on Motley Road in the town of Davidson." +117449,706526,ALABAMA,2017,June,Thunderstorm Wind,"ELMORE",2017-06-15 16:04:00,CST-6,2017-06-15 16:05:00,0,0,0,0,0.00K,0,0.00K,0,32.68,-86,32.68,-86,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Power lines downed." +117449,706527,ALABAMA,2017,June,Thunderstorm Wind,"ELMORE",2017-06-15 16:12:00,CST-6,2017-06-15 16:13:00,1,0,0,0,0.00K,0,0.00K,0,32.57,-85.99,32.57,-85.99,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Cinder block wall collapsed and fell on woman causing one injury." +117449,706529,ALABAMA,2017,June,Thunderstorm Wind,"MACON",2017-06-15 16:37:00,CST-6,2017-06-15 16:38:00,0,0,0,0,0.00K,0,0.00K,0,32.56,-85.67,32.56,-85.67,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","" +117449,706530,ALABAMA,2017,June,Thunderstorm Wind,"LEE",2017-06-15 16:50:00,CST-6,2017-06-15 16:52:00,0,0,0,0,0.00K,0,0.00K,0,32.63,-85.48,32.63,-85.48,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several reports of trees uprooted and power lines downed in the city of Auburn." +117449,706531,ALABAMA,2017,June,Thunderstorm Wind,"LEE",2017-06-15 17:20:00,CST-6,2017-06-15 17:22:00,0,0,0,0,0.00K,0,0.00K,0,32.53,-85.08,32.53,-85.08,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several reports of uprooted trees in the Smiths Station community." +118202,710327,NEW YORK,2017,June,Thunderstorm Wind,"BROOME",2017-06-25 17:55:00,EST-5,2017-06-25 18:05:00,0,0,0,0,10.00K,10000,0.00K,0,42.35,-76,42.35,-76,"A cold front moved across the region Sunday afternoon and generated showers and thunderstorms in an environment with unusually strong winds aloft. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and removed a portion of a roof from a house on Caldwell Hill Road." +120818,727441,OHIO,2017,November,Thunderstorm Wind,"MAHONING",2017-11-05 18:44:00,EST-5,2017-11-05 18:44:00,0,0,0,0,2.00K,2000,0.00K,0,41.1,-80.97,41.1,-80.97,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds downed a couple trees near Lake Milton." +118355,711259,KANSAS,2017,June,Hail,"KIOWA",2017-06-17 19:55:00,CST-6,2017-06-17 19:55:00,0,0,0,0,,NaN,,NaN,37.51,-99.24,37.51,-99.24,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711260,KANSAS,2017,June,Hail,"KIOWA",2017-06-17 20:12:00,CST-6,2017-06-17 20:12:00,0,0,0,0,,NaN,,NaN,37.47,-99.47,37.47,-99.47,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711262,KANSAS,2017,June,Hail,"COMANCHE",2017-06-17 20:29:00,CST-6,2017-06-17 20:29:00,0,0,0,0,,NaN,,NaN,37.32,-99.18,37.32,-99.18,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711263,KANSAS,2017,June,Hail,"CLARK",2017-06-17 20:43:00,CST-6,2017-06-17 20:43:00,0,0,0,0,,NaN,,NaN,37.31,-99.63,37.31,-99.63,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711264,KANSAS,2017,June,Hail,"CLARK",2017-06-17 20:49:00,CST-6,2017-06-17 20:49:00,0,0,0,0,,NaN,,NaN,37.19,-99.55,37.19,-99.55,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +120818,727449,OHIO,2017,November,Thunderstorm Wind,"HANCOCK",2017-11-05 16:10:00,EST-5,2017-11-05 16:10:00,0,0,0,0,100.00K,100000,0.00K,0,40.8495,-83.8235,40.8495,-83.8235,"A cold front moved across the Ohio Valley and southern Great Lakes on the afternoon of Sunday, November 5th, 2017. Unseasonably warm and humid air was in place across the region ahead of the front. The cold front gradually progressed across the Ohio Valley and thunderstorms initiated and swept east ahead of the front. The storms formed in a very strong wind field and allowed the storms to move very rapidly east at speeds of 60 to 80 mph. A large macroburst formed and swept east just south of Cleveland and produced winds in excess of 100 mph. The most concentrated damage stretched from southern Lorain County across Cuyahoga County and into northern Summit, northern Portage and southern Geauga Counties. A 105 mph thunderstorm wind gust was measured at Aurora in Portage County. In addition to the damaging winds, at least 13 tornados were reported. Three of the tornadoes reached EF2 intensity with eight EF1 tornadoes and two EF0 tornadoes. Tens of thousands of trees were downed by these storms and widespread power outages occurred. In the Cleveland area alone, over 100,000 electric customers lost power. It took several days for power to be completely restored. Dozens of homes, buildings and barns were damaged or destroyed by the tornadoes.","Thunderstorm winds destroyed a large barn near the intersection of State Route 235 and Township Road 27." +116772,702266,TEXAS,2017,June,Thunderstorm Wind,"MEDINA",2017-06-04 20:47:00,CST-6,2017-06-04 20:47:00,0,0,0,0,0.00K,0,0.00K,0,29.36,-99.18,29.36,-99.18,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts of 67 mph measured by the ASOS at Hondo Municipal Airport. The fastest two minute wind was 54 mph." +116772,702267,TEXAS,2017,June,Hail,"MEDINA",2017-06-04 21:00:00,CST-6,2017-06-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,29.35,-99.14,29.35,-99.14,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","" +116772,702269,TEXAS,2017,June,Thunderstorm Wind,"MEDINA",2017-06-04 21:24:00,CST-6,2017-06-04 21:24:00,0,0,0,0,0.00K,0,0.00K,0,29.19,-98.97,29.19,-98.97,"An upper level short wave trough moved through the long wave trough over the Southern Plains and interacted with mesoscale surface boundaries to initiate scattered thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph near Hwy 173 and FM1343 northwest of Devine." +116779,702280,TEXAS,2017,June,Thunderstorm Wind,"BURNET",2017-06-09 18:00:00,CST-6,2017-06-09 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,30.55,-98.24,30.55,-98.24,"A mesoscale convective vortex moved into South Central Texas from the north and initiated thunderstorms late in the day. Some of these storms produced large hail and strong wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that snapped large tree branches in Marble Falls." +116779,702281,TEXAS,2017,June,Hail,"HAYS",2017-06-09 18:30:00,CST-6,2017-06-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.2,-98.11,30.2,-98.11,"A mesoscale convective vortex moved into South Central Texas from the north and initiated thunderstorms late in the day. Some of these storms produced large hail and strong wind gusts.","A thunderstorm produced golf ball size hail in Dripping Springs." +116779,702282,TEXAS,2017,June,Hail,"HAYS",2017-06-09 19:06:00,CST-6,2017-06-09 19:06:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-98.14,30.07,-98.14,"A mesoscale convective vortex moved into South Central Texas from the north and initiated thunderstorms late in the day. Some of these storms produced large hail and strong wind gusts.","A thunderstorm produced quarter size hail on Mt. Sharp Rd. between Dripping Springs and Wimberley." +116779,702284,TEXAS,2017,June,Hail,"HAYS",2017-06-09 19:22:00,CST-6,2017-06-09 19:22:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-98.15,30.02,-98.15,"A mesoscale convective vortex moved into South Central Texas from the north and initiated thunderstorms late in the day. Some of these storms produced large hail and strong wind gusts.","A thunderstorm produced quarter size hail northwest of Wimberley." +116779,702287,TEXAS,2017,June,Hail,"HAYS",2017-06-09 19:25:00,CST-6,2017-06-09 19:25:00,0,0,0,0,0.00K,0,0.00K,0,30.03,-98.17,30.03,-98.17,"A mesoscale convective vortex moved into South Central Texas from the north and initiated thunderstorms late in the day. Some of these storms produced large hail and strong wind gusts.","A thunderstorm produced ping pong ball size hail on Los Encinos Ranch Rd. northwest of Wimberley." +118328,711057,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-06-07 17:40:00,EST-5,2017-06-07 17:40:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 39 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +118328,711058,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-07 17:50:00,EST-5,2017-06-07 17:50:00,0,0,0,0,0.00K,0,0.00K,0,24.456,-81.877,24.456,-81.877,"A deep cyclonic circulation over the central Gulf of Mexico and Yucatan Peninsula moved northeast into the northeastern Gulf of Mexico. A tropical moisture plume was aligned from the western Caribbean Sea over the southeast Gulf of Mexico and south Florida. Numerous rounds of thunderstorms with multiple convective modes, including multicell clusters and isolated supercells, produced numerous areas of gale-force wind gusts.","A wind gust of 35 knots was measured at the new Sand Key Navigational Light Tower." +118331,711061,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-09 16:00:00,EST-5,2017-06-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,24.5801,-81.6829,24.5801,-81.6829,"A large area of showers, squalls and thunderstorms developed just north of Western Cuba and moved rapidly north across the Florida Straits. Isolated gale-force wind gusts and waterspout were observed near the Lower Florida Keys.","A wind gust of 34 knots was measured at the U.S. Naval Air Station Key West Boca Chica Field." +118331,711064,GULF OF MEXICO,2017,June,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-06-09 16:02:00,EST-5,2017-06-09 16:02:00,0,0,0,0,0.00K,0,0.00K,0,24.64,-81.61,24.64,-81.61,"A large area of showers, squalls and thunderstorms developed just north of Western Cuba and moved rapidly north across the Florida Straits. Isolated gale-force wind gusts and waterspout were observed near the Lower Florida Keys.","A waterspout was observed by the Monroe County Sheriffs Office over the nearshore Gulf of Mexico about one and a half miles north of Mile Marker 13 of the Overseas Highway." +118332,711065,GULF OF MEXICO,2017,June,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-13 14:06:00,EST-5,2017-06-13 14:20:00,0,0,0,0,0.00K,0,0.00K,0,24.5509,-81.6312,24.5509,-81.6312,"An isolated waterspout was observed in association with a convective rain shower over Hawk Channel near Boca Chica Key.","A waterspout was observed about 3 miles east southeast of Boca Chica Key by the contract weather observed at U.S. Naval Air Station Boca Chica Field." +118333,711066,GULF OF MEXICO,2017,June,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-06-15 11:26:00,EST-5,2017-06-15 11:34:00,0,0,0,0,0.00K,0,0.00K,0,24.64,-81.93,24.64,-81.93,"A waterspout was observed near Key West in association with rain showers developing along a lee convergence zone.","A waterspout was observed to the west-northwest of Sunset Pier in Key West. The waterspout was observed as a visible funnel cloud extending part of the way from cloud base to the water surface." +118361,711348,KANSAS,2017,June,Hail,"STEVENS",2017-06-29 20:26:00,CST-6,2017-06-29 20:26:00,0,0,0,0,,NaN,,NaN,37.29,-101.52,37.29,-101.52,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711349,KANSAS,2017,June,Hail,"MORTON",2017-06-29 21:34:00,CST-6,2017-06-29 21:34:00,0,0,0,0,,NaN,,NaN,37.2,-102.01,37.2,-102.01,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711350,KANSAS,2017,June,Hail,"MEADE",2017-06-29 21:53:00,CST-6,2017-06-29 21:53:00,0,0,0,0,,NaN,,NaN,37.38,-100.15,37.38,-100.15,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711351,KANSAS,2017,June,Hail,"BARBER",2017-06-29 21:55:00,CST-6,2017-06-29 21:55:00,0,0,0,0,,NaN,,NaN,37.38,-98.92,37.38,-98.92,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711353,KANSAS,2017,June,Hail,"COMANCHE",2017-06-29 22:09:00,CST-6,2017-06-29 22:09:00,0,0,0,0,,NaN,,NaN,37.23,-99.21,37.23,-99.21,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +118361,711358,KANSAS,2017,June,Heavy Rain,"BARBER",2017-06-30 00:00:00,CST-6,2017-06-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-98.77,37.05,-98.77,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","Rainfall of 2.50 inches was observed." +118361,711357,KANSAS,2017,June,Heavy Rain,"COMANCHE",2017-06-29 22:00:00,CST-6,2017-06-29 23:30:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-99.04,37.03,-99.04,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","The home station observed rates of 9 inches per hour. The total was 3.36 inches." +118361,711359,KANSAS,2017,June,Thunderstorm Wind,"COMANCHE",2017-06-29 22:10:00,CST-6,2017-06-29 22:10:00,0,0,0,0,,NaN,,NaN,37.03,-99.04,37.03,-99.04,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","Four inch diameter tree limbs were broken by the high wind." +118361,711360,KANSAS,2017,June,Thunderstorm Wind,"COMANCHE",2017-06-29 23:10:00,CST-6,2017-06-29 23:10:00,0,0,0,0,,NaN,,NaN,37.03,-99.04,37.03,-99.04,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","Tree limbs of 4 inches in diameter were blown down by the high wind." +118361,711362,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-30 00:13:00,CST-6,2017-06-30 00:13:00,0,0,0,0,,NaN,,NaN,37.04,-98.57,37.04,-98.57,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","A barn roof was torn off by the high winds. There was significant tree damage also." +118361,711363,KANSAS,2017,June,Thunderstorm Wind,"BARBER",2017-06-30 00:13:00,CST-6,2017-06-30 00:13:00,0,0,0,0,,NaN,,NaN,37.04,-98.57,37.04,-98.57,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","Winds to 93 MPH were recorded by the home weather station before the equipment was blown down." +118361,711364,KANSAS,2017,June,Hail,"BARBER",2017-06-29 22:15:00,CST-6,2017-06-29 22:15:00,0,0,0,0,,NaN,,NaN,37.4201,-98.8991,37.4201,-98.8991,"An upper level shortwave trough dipped southeast into the Central Rockies, in turn ejecting a series of H5 vort maxima out across the Western High Plains, downstream of the trough axis. Meanwhile, an attendant frontal boundary pushed through western Kansas later today while moisture continues to pool ahead of it with surface dewpoints remaining well up into the 60s(F). Substantial instability (MLCAPE values in excess of 2000 to 3000 J/kg) and steep low/mid level lapse rates under +70kt westeries aloft |set the stage for thunderstorm development in an axis of increased convergence associated with the boundary.","" +116015,697281,KANSAS,2017,April,Hail,"COMANCHE",2017-04-15 19:32:00,CST-6,2017-04-15 19:32:00,0,0,0,0,,NaN,,NaN,37.12,-99.34,37.12,-99.34,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697282,KANSAS,2017,April,Hail,"NESS",2017-04-15 19:47:00,CST-6,2017-04-15 19:47:00,0,0,0,0,,NaN,,NaN,38.67,-100.13,38.67,-100.13,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697283,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 19:55:00,CST-6,2017-04-15 19:55:00,0,0,0,0,,NaN,,NaN,38.13,-99.1,38.13,-99.1,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697284,KANSAS,2017,April,Hail,"NESS",2017-04-15 19:59:00,CST-6,2017-04-15 19:59:00,0,0,0,0,,NaN,,NaN,38.65,-100.02,38.65,-100.02,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697285,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 20:15:00,CST-6,2017-04-15 20:15:00,0,0,0,0,,NaN,,NaN,38.18,-99.1,38.18,-99.1,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116015,697286,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 20:23:00,CST-6,2017-04-15 20:23:00,0,0,0,0,,NaN,,NaN,38.1,-99.2,38.1,-99.2,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +116016,697287,KANSAS,2017,April,Hail,"EDWARDS",2017-04-19 19:05:00,CST-6,2017-04-19 19:05:00,0,0,0,0,,NaN,,NaN,37.93,-99.56,37.93,-99.56,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","The hail was mostly pea to dime sized with a few larger stones observed." +116017,697288,KANSAS,2017,April,Hail,"HAMILTON",2017-04-27 15:05:00,MST-7,2017-04-27 15:05:00,0,0,0,0,,NaN,,NaN,37.97,-101.69,37.97,-101.69,"An isolated high based thunderstorm produced one severe weather report during the late afternoon.","Quarter to ping pong ball sized hail was reported along the highway." +116016,699481,KANSAS,2017,April,Hail,"RUSH",2017-04-19 18:23:00,CST-6,2017-04-19 18:23:00,0,0,0,0,,NaN,,NaN,38.35,-99.07,38.35,-99.07,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","" +116016,699482,KANSAS,2017,April,Hail,"PAWNEE",2017-04-19 18:51:00,CST-6,2017-04-19 18:51:00,0,0,0,0,,NaN,,NaN,38.19,-99.33,38.19,-99.33,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","The hail was pea to penny sized." +113828,681933,VIRGINIA,2017,April,Flood,"BUCHANAN",2017-04-23 14:00:00,EST-5,2017-04-24 07:00:00,0,0,0,0,15.00K,15000,0.00K,0,37.3107,-82.2436,37.4531,-82.0301,"Multiple waves of low pressure brought a prolonged period of rainy weather from the 20th through the 22nd. Generally one to three inches of rain fell during this time. This caused a slow rise on creeks and streams across Southwestern Virginia. On the 23rd, two to three inches of rain fell, pushing some creeks and streams out of their banks. Periods of rainfall continued overnight before drier weather arrived and flooding subsided around daybreak on the 24th. In addition to the flooding, the soggy soil resulted in numerous mudslides.||The cooperative observer at Nora measured 5.43 inches of rainfall from the 21st through the morning of the 24th. The cooperative observer at Grundy measured 3 inches over the same time period.||The Cranes Nest River near Clintwood experienced minor flooding, cresting at 13.9 feet, or about a foot above bankfull of 13 feet.","Numerous roads were closed across Buchanan County due to flooding and mudslides. Examples included Route 460 near Big Rock and Garden Creek Road near Grundy." +114039,683001,TEXAS,2017,April,High Wind,"CASTRO",2017-04-30 11:25:00,CST-6,2017-04-30 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +114039,683002,TEXAS,2017,April,High Wind,"FLOYD",2017-04-30 11:20:00,CST-6,2017-04-30 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +119520,721614,FLORIDA,2017,September,Flood,"HILLSBOROUGH",2017-09-11 06:00:00,EST-5,2017-09-18 12:00:00,0,0,0,0,2.00M,2000000,0.00K,0,27.8787,-82.2265,27.869,-82.2289,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Alafia River at Lithia to rise above flood stage on the 11th, with flooding continuing through the 18th. The water level crested at 22.79 feet on the 12th, 3.79 feet above the major flooding threshold. This marks the 5th highest crest in history for the Alafia River at Lithia.||The flood waters entered several homes in near Lithia Pinecrest Road. Flood damage to homes was estimated at $2 million." +119520,721615,FLORIDA,2017,September,Flood,"HILLSBOROUGH",2017-09-10 18:00:00,EST-5,2017-09-16 12:00:00,0,0,0,0,2.00M,2000000,0.00K,0,27.665,-82.4022,27.6593,-82.3975,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Little Manatee River at Wimauma to rise above flood stage on the 10th, with flooding continuing through the 16th. The water level crested at 17.69 feet on the 12th, 0.69 feet above the major flooding threshold. ||The flood waters entered several mobile homes on 32nd and 33rd streets in Ruskin. Flood damage to homes was estimated at $2 million." +119520,721815,FLORIDA,2017,September,Hurricane,"COASTAL MANATEE",2017-09-10 08:00:00,EST-5,2017-09-11 09:00:00,0,0,1,0,15.30M,15300000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. ||The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County.||One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal." +119520,721946,FLORIDA,2017,September,Tropical Storm,"INLAND HERNANDO",2017-09-10 23:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,600.00K,600000,600.00K,600000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county.||The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000." +114230,684272,NEW MEXICO,2017,April,High Wind,"SOUTHWEST CHAVES COUNTY",2017-04-25 15:25:00,MST-7,2017-04-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies generated localized strong winds across New Mexico. Southwest winds increased over the region on the 24th as the jet stream crossed overhead. A Pacific cold front then raced through the state on the 25th and delivered another round of localized strong west to northwest winds. Windy conditions across the region were exacerbated by scattered showers with light rain and patchy blowing dust. Temperatures were cold enough with this system to produce three to six inches of snowfall across the northern high terrain.","Dunken." +114230,684273,NEW MEXICO,2017,April,High Wind,"DE BACA COUNTY",2017-04-25 18:10:00,MST-7,2017-04-25 18:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough crossing the southern Rockies generated localized strong winds across New Mexico. Southwest winds increased over the region on the 24th as the jet stream crossed overhead. A Pacific cold front then raced through the state on the 25th and delivered another round of localized strong west to northwest winds. Windy conditions across the region were exacerbated by scattered showers with light rain and patchy blowing dust. Temperatures were cold enough with this system to produce three to six inches of snowfall across the northern high terrain.","Fort Sumner Airport." +114378,685401,NEW MEXICO,2017,April,Heavy Snow,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET",2017-04-28 12:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Snowfall amounts near one foot were reported within the high terrain east of Santa Fe. Severe driving conditions were reported through the high terrain by NMDOT." +114378,685402,NEW MEXICO,2017,April,Heavy Snow,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-04-28 09:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Spotters and COOP observers within the Moreno Valley reported 10 to 16 inches of snowfall. The 11 inches at Gascon set a new daily record for April 29th, breaking the previous record from 1953." +114560,687083,ILLINOIS,2017,April,Hail,"MOULTRIE",2017-04-10 18:24:00,CST-6,2017-04-10 18:29:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-88.73,39.65,-88.73,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687084,ILLINOIS,2017,April,Hail,"WOODFORD",2017-04-10 14:46:00,CST-6,2017-04-10 14:51:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-89.47,40.77,-89.47,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687085,ILLINOIS,2017,April,Hail,"TAZEWELL",2017-04-10 14:45:00,CST-6,2017-04-10 14:50:00,0,0,0,0,0.00K,0,0.00K,0,40.7102,-89.3865,40.7102,-89.3865,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687086,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-10 18:35:00,CST-6,2017-04-10 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-87.85,40.17,-87.85,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687087,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:25:00,CST-6,2017-04-10 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.6366,-89.8,40.6366,-89.8,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687088,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:30:00,CST-6,2017-04-10 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-89.67,40.65,-89.67,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114560,687089,ILLINOIS,2017,April,Hail,"PEORIA",2017-04-10 14:30:00,CST-6,2017-04-10 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.6413,-89.7137,40.6413,-89.7137,"An approaching cold front interacted with an unseasonably warm and humid airmass to trigger severe thunderstorms west of the I-55 corridor during the afternoon and evening of April 10th. Given ample cold air aloft, many of the cells produced very large hail...with the largest hailstones up to the size of tennis balls occurring in Canton in Fulton County.","" +114698,687979,CALIFORNIA,2017,April,Wildfire,"SAN BERNARDINO COUNTY MOUNTAINS",2017-04-30 14:55:00,PST-8,2017-04-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Santa Ana Winds developed over the region on the 29th of April as a surface high settled over the Great Basin. The event was of weak to moderate strength Santa Ana, but it brought low relative humidity values that combined with two months without significant rainfall to produce an elevated fire risk. Several small wildfires occurred in the Inland Empire on the 30th.","The Tower Fire occurred along Interstate 15 through the Cajon Pass. Approximately 150 acres of open country were consumed before the fire was contained on May 3rd." +114718,688080,INDIANA,2017,April,Flash Flood,"RIPLEY",2017-04-29 09:00:00,EST-5,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0891,-85.3027,38.9339,-85.3308,"Thunderstorms trained along a warm front that was lifting through the area.","Multiple culverts were washed out throughout the county." +114718,688077,INDIANA,2017,April,Flash Flood,"DEARBORN",2017-04-29 09:00:00,EST-5,2017-04-29 11:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.12,-84.85,39.1202,-84.8508,"Thunderstorms trained along a warm front that was lifting through the area.","High water was reported on U.S. 50 near Greendale, resulting in a water rescue of an individual from a vehicle." +114761,688369,INDIANA,2017,April,High Wind,"PORTER",2017-04-06 11:15:00,CST-6,2017-04-06 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds over Lake Michigan spread onshore producing gusts to 58 mph in Beverly Shores.","A weather station at a household on the beach measured a wind gust to 58 mph." +114762,688370,ILLINOIS,2017,April,Hail,"MCHENRY",2017-04-10 03:27:00,CST-6,2017-04-10 03:27:00,0,0,0,0,0.00K,0,0.00K,0,42.38,-88.47,42.38,-88.47,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688371,ILLINOIS,2017,April,Hail,"KANE",2017-04-10 03:43:00,CST-6,2017-04-10 03:43:00,0,0,0,0,0.00K,0,0.00K,0,41.81,-88.46,41.81,-88.46,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688372,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 04:15:00,CST-6,2017-04-10 04:15:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-87.97,42.28,-87.97,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688373,ILLINOIS,2017,April,Hail,"IROQUOIS",2017-04-10 05:58:00,CST-6,2017-04-10 05:58:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-87.89,40.57,-87.89,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688374,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 04:15:00,CST-6,2017-04-10 04:15:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-88.05,42.18,-88.05,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688375,ILLINOIS,2017,April,Hail,"KENDALL",2017-04-10 11:50:00,CST-6,2017-04-10 11:50:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-88.26,41.57,-88.26,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688377,ILLINOIS,2017,April,Hail,"WILL",2017-04-10 11:55:00,CST-6,2017-04-10 11:55:00,0,0,0,0,0.00K,0,0.00K,0,41.5651,-88.2004,41.5651,-88.2004,"Scattered thunderstorms moved across northern Illinois producing large hail.","Penny to quarter size hail was reported on Caton Farm Road near Route 59." +114956,689571,CALIFORNIA,2017,April,Flash Flood,"FRESNO",2017-04-13 14:57:00,PST-8,2017-04-13 15:57:00,0,0,0,0,0.00K,0,0.00K,0,36.7669,-119.7339,36.7612,-119.7332,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","Flash Flooding was reported with a picture on Twitter at the intersection of McKinley Ave and Fine Ave in Fresno." +114956,689572,CALIFORNIA,2017,April,Funnel Cloud,"FRESNO",2017-04-13 12:30:00,PST-8,2017-04-13 12:30:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-119.7,36.64,-119.7,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","A funnel cloud was reported near the Highway 99/Clovis Avenue exchange via picture posted on Facebook." +114623,687438,IOWA,2017,April,Hail,"TAMA",2017-04-15 18:16:00,CST-6,2017-04-15 18:22:00,0,0,0,0,5.00K,5000,0.00K,0,42.19,-92.46,42.2672,-92.3132,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Emergency manager reported a wide swath of ping pong ball sized hail from Traer to Hickory Hollow Park. Time estimated from radar." +114623,687436,IOWA,2017,April,Hail,"BLACK HAWK",2017-04-15 18:18:00,CST-6,2017-04-15 18:18:00,0,0,0,0,10.00K,10000,0.00K,0,42.3,-92.35,42.3,-92.35,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Media relayed reports of broken windshields from nearly baseball sized hail. Time estimated from radar." +114623,687454,IOWA,2017,April,Hail,"DALLAS",2017-04-15 20:27:00,CST-6,2017-04-15 20:27:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-93.7942,41.56,-93.7942,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported dime to quarter sized hail at Mills Civic Parkway and Stagecoach Drive." +118446,711760,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-06-19 15:29:00,EST-5,2017-06-19 15:30:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 46 knots was reported at Greenberry Point." +121151,725285,MINNESOTA,2017,December,Blizzard,"WEST POLK",2017-12-04 10:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121151,725286,MINNESOTA,2017,December,Blizzard,"EAST POLK",2017-12-04 10:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +115030,690405,GEORGIA,2017,April,Drought,"HALL",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115039,690479,COLORADO,2017,April,Winter Storm,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-04-03 21:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +113448,679280,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:12:00,EST-5,2017-04-05 18:17:00,0,0,0,0,1.00K,1000,0.00K,0,39.07,-83.86,39.07,-83.86,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A tree was knocked down on Greenbush Road." +115039,690447,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-04-03 18:00:00,MST-7,2017-04-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying storm moving across northern New Mexico generated heavy snow and gusty winds across portions of southern Colorado. Some of the higher reported snow totals included six to nine inches near the communities of Monument, Florissant, Blende, Divide, Falcon, Peterson AFB, Pueblo West, and Rosita. Ten to fifteen inches of snow was measured near Texas Creek, Penrose, Walsenburg, Black Forest, Monarch Pass, Maysville, Manitou Springs, Colorado Springs, La Veta and Colorado City. 17 inches of snow graced locations near WestCliffe, while 21 to 22 inches of snow enveloped the communities of Beulah and Rye respectively.","" +114762,688380,ILLINOIS,2017,April,Hail,"WILL",2017-04-10 13:12:00,CST-6,2017-04-10 13:12:00,0,0,0,0,0.00K,0,0.00K,0,41.6659,-88.2039,41.6659,-88.2039,"Scattered thunderstorms moved across northern Illinois producing large hail.","Penny size hail was reported at the intersection of 119th Street and Route 59." +115051,690629,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-28 18:00:00,MST-7,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115482,693469,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-13 12:42:00,EST-5,2017-06-13 12:52:00,0,0,0,0,1.00K,1000,0.00K,0,40.04,-84.17,40.04,-84.17,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A tree was knocked down on Woodcliff Drive." +115482,693470,OHIO,2017,June,Thunderstorm Wind,"UNION",2017-06-13 19:48:00,EST-5,2017-06-13 19:58:00,0,0,0,0,1.00K,1000,0.00K,0,40.24,-83.38,40.24,-83.38,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","A large branch was reported down on a wire." +115482,693471,OHIO,2017,June,Thunderstorm Wind,"SHELBY",2017-06-13 18:44:00,EST-5,2017-06-13 18:49:00,0,0,0,0,5.00K,5000,0.00K,0,40.44,-84.18,40.44,-84.18,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Two trees were reported knocked down along with damage to the siding of a barn." +115482,693472,OHIO,2017,June,Thunderstorm Wind,"AUGLAIZE",2017-06-13 18:11:00,EST-5,2017-06-13 18:21:00,0,0,0,0,5.00K,5000,0.00K,0,40.54,-84.39,40.54,-84.39,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Trees and power lines were knocked down throughout the western part of Auglaize County, including in St. Marys." +115487,693475,OHIO,2017,June,Flash Flood,"WARREN",2017-06-14 10:30:00,EST-5,2017-06-14 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3423,-84.2778,39.3422,-84.277,"Strong thunderstorms developed in a hot and humid airmass. Some of the thunderstorms produced flooding.","Kings Island Drive was shut down due to high water." +115487,693476,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-14 12:10:00,EST-5,2017-06-14 12:15:00,0,0,0,0,0.50K,500,0.00K,0,39.64,-84.14,39.64,-84.14,"Strong thunderstorms developed in a hot and humid airmass. Some of the thunderstorms produced flooding.","A tree was split in half." +115489,693479,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-15 03:45:00,EST-5,2017-06-15 05:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0647,-85.436,39.0659,-85.4369,"A dying MCS produced heavy rain and flooding.","U.S. 50 was closed near the Ripley/Jennings County line due to water flowing over the roadway." +115526,693591,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-16 15:10:00,EST-5,2017-06-16 15:10:00,0,0,0,0,0.00K,0,0.00K,0,28.7975,-80.7378,28.7975,-80.7378,"A collision of the west and east coast sea breezes generated thunderstorms that produced several strong wind gusts along the Brevard County coast.","USAF wind tower 0022 near the Volusia/Brevard county line measured a peak wind gust of 42 knots out of the west as a line of strong thunderstorms exited into the Atlantic." +115526,693593,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-16 16:06:00,EST-5,2017-06-16 16:06:00,0,0,0,0,0.00K,0,0.00K,0,28.0505,-80.5558,28.0505,-80.5558,"A collision of the west and east coast sea breezes generated thunderstorms that produced several strong wind gusts along the Brevard County coast.","A Weather Underground mesonet site in Melbourne Beach measured a peak wind gust of 34 knots out of the west-southwest as a line of thunderstorms pushed over the site. A CWOP mesonet site, 1 mile to the southeast, recorded a peak wind gust of 47 knots from the south at 1608LST." +114084,691281,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 05:30:00,CST-6,2017-04-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.766,-93.8735,36.759,-93.8741,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route U was impassable and closed due to flooding." +114084,691282,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-29 05:27:00,CST-6,2017-04-29 08:27:00,0,0,0,0,0.00K,0,0.00K,0,36.5062,-94.1102,36.5013,-94.1088,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route KK was impassable and closed due to flooding." +114084,691283,MISSOURI,2017,April,Flash Flood,"LACLEDE",2017-04-29 05:30:00,CST-6,2017-04-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.5581,-92.4748,37.5516,-92.4792,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route B was impassable and closed due to flooding." +114084,691284,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-29 06:45:00,CST-6,2017-04-29 09:45:00,0,0,0,0,0.00K,0,0.00K,0,36.7365,-94.3112,36.7272,-94.3204,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route CC was impassable and closed due to flooding." +114084,691285,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 07:29:00,CST-6,2017-04-29 10:29:00,0,0,0,0,0.00K,0,0.00K,0,37.3748,-93.3149,37.3739,-93.3146,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several creeks and roads flooded rapidly." +114084,691286,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-29 08:00:00,CST-6,2017-04-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-92.05,37.1736,-92.0556,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 63 was impassable and closed due to flooding." +115142,691443,WISCONSIN,2017,April,Flood,"JUNEAU",2017-04-19 05:30:00,CST-6,2017-04-24 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.0265,-90.0727,44.0275,-90.0707,"Two rounds of moderate to heavy rains in the middle of April produced some river flooding across western and central Wisconsin. Flooding was observed along the Trempealeau, Black and Yellow Rivers.","Runoff from heavy rains briefly pushed the Yellow River out of its banks in Necedah on April 19th. The river crested just a few hundredths of a foot above the flood stage at 15.08 feet. Just a few days later, the river went out of its banks again from the afternoon of April 22nd into the evening of April 24th. This time the river crested around a foot and a half above the flood stage at 16.64 feet." +115134,691111,KANSAS,2017,April,Flash Flood,"CHEROKEE",2017-04-21 11:14:00,CST-6,2017-04-21 13:14:00,0,0,0,0,0.00K,0,0.00K,0,37.1879,-94.831,37.1834,-94.8317,"Localized heavy rainfall led a report of flash flooding in southeast Kansas.","Numerous low water crossings were flooded throughout Cherokee County." +113712,689769,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-17 00:08:00,CST-6,2017-04-17 02:08:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-93.9,36.6188,-93.8976,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","A large section of Highway AA near the intersection of Farm Road 2212 was flooded." +115180,691544,ILLINOIS,2017,April,Hail,"CRAWFORD",2017-04-26 15:33:00,CST-6,2017-04-26 15:38:00,0,0,0,0,0.00K,0,0.00K,0,39,-87.92,39,-87.92,"A cold front triggered scattered strong to severe thunderstorms across southeast Illinois during the afternoon of April 26th. Some of the storms produced damaging wind gusts of 65-75mph, as well as hail as large as half dollars. The most heavily impacted areas were from near Ste. Marie in Jasper County northeastward to Oblong in Crawford County.","" +115183,691595,ILLINOIS,2017,April,Tornado,"MORGAN",2017-04-29 15:20:00,CST-6,2017-04-29 15:21:00,0,0,0,0,0.00K,0,0.00K,0,39.7459,-90,39.7557,-89.9985,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A tornado briefly touched down in an open field 3 miles northeast of Alexander at 4:20 PM CDT. No damage was reported." +115183,696922,ILLINOIS,2017,April,Flash Flood,"LAWRENCE",2017-04-29 20:00:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8487,-87.9075,38.7095,-87.9095,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across northwest Lawrence County. Numerous rural roads, highways and creeks in the county were flooded, particularly in the vicinity of Chauncey." +115183,696926,ILLINOIS,2017,April,Flash Flood,"RICHLAND",2017-04-29 19:00:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,38.8473,-88.2584,38.7302,-88.2564,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Richland County. Several streets in the city of Olney were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly north of U.S. Highway 50." +114807,688587,IOWA,2017,April,Flash Flood,"WINNESHIEK",2017-04-14 22:00:00,CST-6,2017-04-15 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.2516,-91.9683,43.2511,-91.9681,"Thunderstorms developed across northeast Iowa during the evening of April 14th as a warm front advanced north toward the region. These storms dumped localized heavy rains that produced some flash flooding in portions of Winneshiek County. County Road W14 sustained damaged and was closed near Ridgeway and a mudslide closed a road in Decorah.","Heavy rains pushed Burr Oak Creek out of its banks causing damage to County Road W14 south of Ridgeway." +114807,688588,IOWA,2017,April,Flash Flood,"WINNESHIEK",2017-04-14 22:15:00,CST-6,2017-04-15 00:15:00,0,0,0,0,0.00K,0,0.00K,0,43.3092,-91.7757,43.3102,-91.7778,"Thunderstorms developed across northeast Iowa during the evening of April 14th as a warm front advanced north toward the region. These storms dumped localized heavy rains that produced some flash flooding in portions of Winneshiek County. County Road W14 sustained damaged and was closed near Ridgeway and a mudslide closed a road in Decorah.","A mudslide caused by heavy rains, closed Ice Cave Road in Decorah." +119520,721999,FLORIDA,2017,September,Hurricane,"INLAND HILLSBOROUGH",2017-09-10 10:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,6.95M,6950000,28.50M,28500000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. ||Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. ||The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million." +119520,722000,FLORIDA,2017,September,Hurricane,"PINELLAS",2017-09-10 11:00:00,EST-5,2017-09-11 09:00:00,0,0,0,2,594.45M,594450000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. ||The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge.||The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage.||One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor." +116388,699870,ARKANSAS,2017,June,Flash Flood,"CRAIGHEAD",2017-06-05 11:07:00,CST-6,2017-06-06 15:07:00,0,0,0,0,10.00K,10000,0.00K,0,35.9527,-90.6259,35.9427,-90.6374,"A stalled frontal boundary produced a narrow east-to-west band of moderate to heavy rain across portions of northeast Arkansas during the midday hours of June 5th.","Highway 351 flooded between County Roads 780 and 785." +116466,700451,ARKANSAS,2017,June,Hail,"MISSISSIPPI",2017-06-16 13:45:00,CST-6,2017-06-16 13:50:00,0,0,0,0,,NaN,0.00K,0,35.7567,-89.9753,35.7567,-89.9753,"A passing upper level disturbance produced a few severe thunderstorms that brought hail and heavy rain to portions of the Midsouth during the mid afternoon of June 16th.","Half dollar size hail dotting the ground between Osceola and Burdette." +115275,692068,IDAHO,2017,April,Thunderstorm Wind,"NEZ PERCE",2017-04-07 06:00:00,PST-8,2017-04-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,46.4313,-116.9344,46.4313,-116.9344,"In the early morning hours of April 7th a cold front with showers and a few embedded thunderstorms moved through the Idaho Panhandle. A bow echo on radar formed along the Idaho/Washington border between Coeur D'Alene and Lewiston and tracked through the Idaho Palouse region and Lewiston area. Numerous trees were toppled in the Moscow, Idaho area with damage and scattered power outages noted through out the Idaho Palouse region.","The Wheatland Fire Station near Lewiston measured a wind gust of 66 mph with estimated 50 mph sustained winds for a brief period. Scattered power outages were noted around Nez Perce County by the Emergency Manager." +115275,692067,IDAHO,2017,April,Thunderstorm Wind,"LATAH",2017-04-07 06:00:00,PST-8,2017-04-07 07:00:00,0,0,0,0,80.00K,80000,0.00K,0,46.73,-117,46.73,-117,"In the early morning hours of April 7th a cold front with showers and a few embedded thunderstorms moved through the Idaho Panhandle. A bow echo on radar formed along the Idaho/Washington border between Coeur D'Alene and Lewiston and tracked through the Idaho Palouse region and Lewiston area. Numerous trees were toppled in the Moscow, Idaho area with damage and scattered power outages noted through out the Idaho Palouse region.","The Latah County Emergency Manager reported broken tree branches and downed power lines in Latah County. The Moscow area was impacted with several large trees down, at least one tree falling on a house, and at least two cars damaged by falling trees." +116388,699869,ARKANSAS,2017,June,Flash Flood,"GREENE",2017-06-05 10:20:00,CST-6,2017-06-05 14:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.0563,-90.4856,36.0547,-90.4872,"A stalled frontal boundary produced a narrow east-to-west band of moderate to heavy rain across portions of northeast Arkansas during the midday hours of June 5th.","Roads flooded near Allen Engineering in Paragould." +116468,700452,MISSISSIPPI,2017,June,Hail,"CALHOUN",2017-06-16 15:10:00,CST-6,2017-06-16 15:20:00,0,0,0,0,,NaN,0.00K,0,33.8724,-89.2186,33.877,-89.151,"A passing upper level disturbance produced a few severe thunderstorms that brought hail and heavy rain to portions of the Midsouth during the mid afternoon of June 16th.","Nickel size hail near Vardemann." +116471,700461,MISSISSIPPI,2017,June,Thunderstorm Wind,"DE SOTO",2017-06-18 13:40:00,CST-6,2017-06-18 13:45:00,0,0,0,0,2.00K,2000,0.00K,0,34.9594,-90.0714,34.9597,-90.0508,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Large tree down on New Horn Lake Road just south of Goodman." +113740,681259,TEXAS,2017,April,Hail,"CASTRO",2017-04-14 20:20:00,CST-6,2017-04-14 20:25:00,0,0,0,0,,NaN,0.00K,0,34.5645,-102.32,34.567,-102.3131,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A NWS cooperative weather observer and a storm chaser reported hail a bit larger than baseball size just north of Dimmitt. Hail damage in this area was not known." +113740,681316,TEXAS,2017,April,Hail,"CASTRO",2017-04-14 21:35:00,CST-6,2017-04-14 21:35:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-102.12,34.38,-102.12,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A NWS cooperative weather observer reported quarter size hail in Hart. No damage was reported." +116475,700478,MISSISSIPPI,2017,June,Tornado,"MARSHALL",2017-06-22 17:30:00,CST-6,2017-06-22 17:40:00,0,0,0,0,,NaN,0.00K,0,34.8299,-89.5763,34.8697,-89.5736,"The remnants of Tropical Storm Cindy produced a brief weak tornado across northwest Mississippi during the early evening hours of June 22nd.","Video confirmation of a brief tornado near 1-22 northwest of Red Banks. Numerous trees were down near Red Banks." +115488,693477,INDIANA,2017,June,Thunderstorm Wind,"SWITZERLAND",2017-06-14 13:10:00,EST-5,2017-06-14 13:15:00,0,0,0,0,0.50K,500,0.00K,0,38.89,-85.07,38.89,-85.07,"Strong thunderstorms developed in a hot and humid airmass.","Four to five inch diameter limbs were knocked down near Fairview." +115489,693478,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-15 03:00:00,EST-5,2017-06-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0607,-85.2607,39.0602,-85.2605,"A dying MCS produced heavy rain and flooding.","Water and debris were flowing across a road in Versaillles." +115489,693481,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-15 03:55:00,EST-5,2017-06-15 05:55:00,0,0,0,0,0.00K,0,0.00K,0,39.2095,-85.3323,39.21,-85.331,"A dying MCS produced heavy rain and flooding.","Water was reported flowing across U.S. 421." +115489,693482,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-15 04:15:00,EST-5,2017-06-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1185,-85.1826,39.1187,-85.1806,"A dying MCS produced heavy rain and flooding.","Water was reported flowing across County Road 300 N." +116492,700560,INDIANA,2017,June,Flash Flood,"RIPLEY",2017-06-23 15:07:00,EST-5,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-85.16,39.0533,-85.1767,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported over several roads in Ripley County, including U.S. 50 near Elrod." +116492,700562,INDIANA,2017,June,Flash Flood,"DEARBORN",2017-06-23 15:12:00,EST-5,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-84.98,39.056,-84.9662,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported in numerous places throughout Dearborn County." +114752,693557,TENNESSEE,2017,April,Flood,"WILLIAMSON",2017-04-17 16:00:00,CST-6,2017-04-17 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.9429,-86.8833,35.9298,-86.8792,"Scattered showers and thunderstorms developed during the afternoon hours on April 17. Heavy rain that fell across the Franklin area of Williamson County resulted in some flooding and one water rescue.","TSpotter Twitter reports and photos showed a car stranded in high water in a parking lot with poor drainage at The Factory in Franklin on Liberty Pike at Franklin Road. One person had to be rescued from the vehicle. High water also surrounded a home on Hillsboro Road due to road construction blocking drainage." +116473,700475,TENNESSEE,2017,June,Flash Flood,"DYER",2017-06-18 16:01:00,CST-6,2017-06-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.0504,-89.0799,36.033,-89.0907,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Water covering the road on Horeshoe Loop." +114654,687668,IOWA,2017,April,Hail,"BOONE",2017-04-19 20:25:00,CST-6,2017-04-19 20:25:00,0,0,0,0,0.00K,0,0.00K,0,42.09,-93.83,42.09,-93.83,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported up to nickel sized hail." +114654,687670,IOWA,2017,April,Heavy Rain,"CARROLL",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-95.06,41.91,-95.06,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported heavy rainfall of 1.24 inches." +114755,694319,TENNESSEE,2017,April,Flash Flood,"WILSON",2017-04-22 15:30:00,CST-6,2017-04-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2205,-86.2596,36.0678,-86.4261,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Wilson County Emergency Management reported flooding of a few roads in parts of the county. High water also covered McCrary Road at Couchville Pike in Gladeville, as well as Eatherly Drive in Lebanon. The two westbound lanes of Belinda Parkway in Mount Juliet were also flooded, but this was apparently due to a clogged storm drain." +114755,694323,TENNESSEE,2017,April,Flood,"WILLIAMSON",2017-04-22 13:30:00,CST-6,2017-04-22 14:30:00,0,0,0,0,0.00K,0,0.00K,0,35.9455,-86.8816,35.9233,-86.8995,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Williamson County Emergency Management reported several roads in Franklin were covered in water. The intersection of Arno Road at Trinity Road east of Franklin was also under water." +114755,694327,TENNESSEE,2017,April,Flood,"CUMBERLAND",2017-04-23 05:00:00,CST-6,2017-04-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8036,-85.053,35.8312,-84.8866,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A report from 1057 News indicated Highway 68 in Grassy Cove was closed due to flooding of the roadway. High water also covered Clint Lowe Road south of Lake Tansi where an elderly lady was trapped in her vehicle from the rising water. She was uninjured." +114755,688806,TENNESSEE,2017,April,Flood,"BEDFORD",2017-04-22 15:30:00,CST-6,2017-04-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5374,-86.3479,35.5181,-86.3421,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","A Facebook report indicated a road near Wartrace was covered in water." +115416,694314,GEORGIA,2017,April,Hail,"CHATHAM",2017-04-05 22:52:00,EST-5,2017-04-05 22:53:00,0,0,0,0,,NaN,,NaN,32.02,-80.86,32.02,-80.86,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","Law enforcement reported ping pong ball size hail on Tybee Island." +115418,694600,ATLANTIC SOUTH,2017,April,Marine Hail,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-04-05 22:55:00,EST-5,2017-04-05 22:56:00,0,0,0,0,,NaN,,NaN,32.0255,-80.8469,32.0255,-80.8469,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","A report via social media indicated golf ball size hail on the northern end of Tybee Island." +115418,694614,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-04-05 19:11:00,EST-5,2017-04-05 19:12:00,0,0,0,0,,NaN,,NaN,32.7512,-79.8707,32.7512,-79.8707,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Fort Sumter recorded a 47 knot wind gust." +115417,694619,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHARLESTON",2017-04-05 19:15:00,EST-5,2017-04-05 19:16:00,0,0,0,0,,NaN,,NaN,32.786,-79.7863,32.786,-79.7863,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","The Weatherflow site at the Isle of Palms Pier recorded a 50 knot wind gust." +115418,694621,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-04-06 02:38:00,EST-5,2017-04-06 02:39:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site located at South Tybee Island recorded a 41 knot wind gust." +117408,706102,FLORIDA,2017,June,Thunderstorm Wind,"DUVAL",2017-06-01 15:44:00,EST-5,2017-06-01 15:44:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-81.63,30.47,-81.63,"Isolated strong to severe storms developed during the afternoon under westerly steering flow and a moist and unstable airmass.","A tree fell down onto a power line in Oceanway. The time of the damage was based on radar." +117414,706103,FLORIDA,2017,June,Heavy Rain,"MARION",2017-06-02 18:30:00,EST-5,2017-06-02 19:30:00,0,0,0,0,0.00K,0,0.00K,0,29.07,-82.04,29.07,-82.04,"A light westerly flow prevailed over the area with elevated moisture and instability fueling sea breeze induced thunderstorms. A few strong storms produced locally heavy rainfall and waterspouts offshore of the local Atlantic coast.","Over 4 inches of rainfall was measured in 1 hour." +117618,707329,GEORGIA,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-17 17:30:00,EST-5,2017-06-17 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-81.64,30.82,-81.64,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A wind gust to 60 mph was measured." +117617,707326,FLORIDA,2017,June,Thunderstorm Wind,"NASSAU",2017-06-17 17:50:00,EST-5,2017-06-17 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-81.45,30.66,-81.45,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","Two trees were blown down in Fernandina Beach. One was blown down across a power line. The other was blown down across a road. The time of the events was based on radar." +117617,707327,FLORIDA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-17 15:12:00,EST-5,2017-06-17 15:12:00,0,0,0,0,0.20K,200,0.00K,0,30.51,-82.73,30.51,-82.73,"A mid to upper level was over the NE GOMEX with prevailing SW steering flow. Drier air was over the area compared to recent days with PWAT values 1.3-1.5 inches, which kept storm coverage lower than prior days, but also enhance DCAPE values due to dry air entrainment into storms.","A tree was blown down at 2680 SW 135 Road. The cost of damage was estimated." +117619,707330,FLORIDA,2017,June,Flood,"ST. JOHNS",2017-06-25 20:50:00,EST-5,2017-06-25 20:50:00,0,0,0,0,15.00K,15000,0.00K,0,29.9047,-81.3226,29.8864,-81.3217,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","Cars were stalled in flood waters in downtown St. Augustine. Cost of damage was unknown, but it was estimated for the event to be included in Storm Data." +117619,707333,FLORIDA,2017,June,Heavy Rain,"ST. JOHNS",2017-06-24 23:00:00,EST-5,2017-06-25 10:59:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-81.34,29.92,-81.34,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","Daily measured rainfall since midnight was 3.24 inches." +117619,707334,FLORIDA,2017,June,Heavy Rain,"DUVAL",2017-06-25 17:49:00,EST-5,2017-06-25 19:11:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.41,30.38,-81.41,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","A spotter measured 2.25 inches in one and a half hours." +117619,707335,FLORIDA,2017,June,Lightning,"DUVAL",2017-06-25 19:13:00,EST-5,2017-06-25 19:13:00,0,0,0,0,20.00K,20000,0.00K,0,30.27,-81.62,30.27,-81.62,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","A lightning strike caused an apartment fire. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +113836,681680,KENTUCKY,2017,April,Thunderstorm Wind,"LOGAN",2017-04-19 15:58:00,CST-6,2017-04-19 15:58:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-86.9,36.85,-86.9,"Seasonably warm conditions combined with passing weather disturbances led to isolated severe thunderstorms across central Kentucky April 18 and 19. Two counties reported isolated trees and power lines down .","Local law enforcement reported trees were blown onto some power lines in the Russellville city limits." +115675,696911,INDIANA,2017,April,Hail,"TIPTON",2017-04-29 22:16:00,EST-5,2017-04-29 22:18:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-85.96,40.36,-85.96,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","" +115675,697014,INDIANA,2017,April,Flood,"JACKSON",2017-04-29 08:10:00,EST-5,2017-04-29 10:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.9582,-85.8674,38.958,-85.8674,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Highway 50 at Burkhart Boulevard was closed due to flooding from heavy thunderstorm rainfall." +115675,697017,INDIANA,2017,April,Hail,"FOUNTAIN",2017-04-29 20:09:00,EST-5,2017-04-29 20:11:00,0,0,0,0,,NaN,,NaN,40.14,-87.39,40.14,-87.39,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","Pea to quarter size hail fell in this location with heavy rain." +115675,697018,INDIANA,2017,April,Hail,"PARKE",2017-04-29 20:14:00,EST-5,2017-04-29 20:16:00,0,0,0,0,,NaN,,NaN,39.85,-87.25,39.85,-87.25,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","" +115675,697021,INDIANA,2017,April,Flood,"HAMILTON",2017-04-29 22:52:00,EST-5,2017-04-29 22:52:00,0,0,0,0,1.00K,1000,0.00K,0,40.031,-86.0052,40.0309,-86.0049,"A frontal boundary and low pressure system remained across the Ohio Valley from April 28th through the 30th. This brought some severe weather but mainly heavy rain across the area, with some areas seeing over 5 of rain total.","A road near this location was flooded due to heavy thunderstorm rainfall. This report was received via social media." +114040,683345,INDIANA,2017,April,Flash Flood,"CRAWFORD",2017-04-28 23:52:00,EST-5,2017-04-28 23:52:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-86.66,38.3307,-86.6538,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","State officials reported high water across State Road 64 just east of Riceville Road." +115191,695204,LOUISIANA,2017,April,Flash Flood,"VERNON",2017-04-02 17:50:00,CST-6,2017-04-03 00:30:00,0,0,0,0,100.00K,100000,0.00K,0,30.8847,-93.5403,30.8917,-92.9375,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Widespread heavy rain fell across Central Louisiana with amounts ranging from 6 to 10 inches. Numerous roads were reported flooding during the event along with some vehicles. The ASOS sites KBKB and KPOE reported 9.74 and 9.30 inches respectively." +115191,695206,LOUISIANA,2017,April,Flash Flood,"EVANGELINE",2017-04-03 03:00:00,CST-6,2017-04-03 06:00:00,0,0,0,0,75.00K,75000,0.00K,0,30.68,-92.27,30.5647,-92.3167,"A cold front and upper trough pushed through the region with severe storms ahead of the system. The very soupy air mass also produced high amounts of rainfall that lead to flooding.","Pictures from social media indicated flooding of a few homes southwest of Ville Platte. Radar indicated 4 to 6 inches of rain in the area." +114130,683498,WISCONSIN,2017,April,Tornado,"MARATHON",2017-04-09 23:54:00,CST-6,2017-04-09 23:55:00,0,0,0,0,0.00K,0,0.00K,0,44.979,-89.741,44.979,-89.732,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","A brief and fast moving tornado developed in association with a |small line of severe thunderstorms in Marathon County. Straight-line wind damage|occurred with the severe thunderstorm in addition to the tornado. Two structures sustained significant storm damage. One had several windows broken and some roofing material ripped off (DI 2, DOD 2 and 3). The other had a garage door blown in and some roof damage (DI 2, DOD 2 and 4). There was minor damage to several others (DI 2, DOD 2). Around 100 mature pine trees were snapped (DI 28, DOD 3 and 4)." +114130,683490,WISCONSIN,2017,April,Thunderstorm Wind,"MARATHON",2017-04-09 23:39:00,CST-6,2017-04-09 23:39:00,0,0,0,0,2.00K,2000,0.00K,0,44.7,-90.22,44.7,-90.22,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorm winds tore the roof from a mobile home and downed numerous trees." +115430,696081,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 08:17:00,CST-6,2017-06-11 08:17:00,0,0,0,0,0.00K,0,0.00K,0,45.27,-92.94,45.27,-92.94,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Report submitted via social media." +112883,674467,MINNESOTA,2017,March,Winter Storm,"LE SUEUR",2017-03-12 11:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 6 to 8 inches of snow across Le Sueur county Sunday afternoon, through early Monday morning. The heaviest snow fell in the far southern part of the county." +115771,695998,GEORGIA,2017,April,Tornado,"MUSCOGEE",2017-04-03 10:42:00,EST-5,2017-04-03 10:48:00,0,0,0,0,100.00K,100000,,NaN,32.4443,-84.9555,32.4484,-84.8996,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-1 tornado touched down in Columbus along Cusseta Road and traveled east crossing Clover Lane, Brennan |Road and into a mobile home community south of St. Mary's Road. Numerous trees were downed and damage occurred to the roofs and skirting of a few trailers in the mobile home community. The tornado crossed St. Mary's Road into another neighborhood where numerous trees were snapped or uprooted along Vivian Lane, Hawaii Way and North Oakley drive where an apartment complex had more than 20 percent of its roof removed. The tornado crossed I-185 a few hundred feet north of the St. Mary's Road exit into the Sunset Trace Neighborhood where numerous trees were snapped or uprooted Some of these trees fell onto homes and cars. The tornado continued east crossing Wickham Drive and Mays Avenue onto Dorado Circle where the most extensive home damage occurred from falling trees. The tornado began to weaken as it crossed Northstar Drive narrowly missing a school and snapping a few |trees nearby before ending along RC Allen Drive prior to crossing onto the Ft. Benning Army Reservation. No injuries were reported. [04/03/17: Tornado #3, County #1/1, EF-1, Muscogee, 2017:035]." +115771,696002,GEORGIA,2017,April,Tornado,"STEWART",2017-04-03 11:10:00,EST-5,2017-04-03 11:12:00,0,0,0,0,100.00K,100000,,NaN,32.0336,-84.8361,32.0306,-84.8097,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 150 yards occurred in central Stewart County. The tornado touched down along Green Grove Road southwest of the town of Lumpkin snapping a few trees west of the Bell Sister Road intersection. The tornado travelled east southeast hitting Steward County High School. Several trees were snapped at the front of the school and roofing material was torn off and spread several hundred yards east of the school. Water damage inside the school resulted From the loss of the roofing material, primarily on the east side of the school. Bleachers on an adjacent baseball field were overturned and sections of fence along the field were blown down. A few more trees were blown down east of the High School |before the tornado lifted just west of US Highway 27. No injuries were reported. [04/03/17: Tornado #4, County #1/1, EF-0, Stewart, 2017:036]." +115656,694937,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:52:00,CST-6,2017-04-16 16:52:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-100.8,35.43,-100.8,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694938,TEXAS,2017,April,Hail,"GRAY",2017-04-16 16:56:00,CST-6,2017-04-16 16:56:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-100.88,35.38,-100.88,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694939,TEXAS,2017,April,Hail,"GRAY",2017-04-16 17:01:00,CST-6,2017-04-16 17:01:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-100.95,35.4,-100.95,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694940,TEXAS,2017,April,Hail,"GRAY",2017-04-16 17:09:00,CST-6,2017-04-16 17:09:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-100.96,35.47,-100.96,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694941,TEXAS,2017,April,Hail,"GRAY",2017-04-16 17:10:00,CST-6,2017-04-16 17:10:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-100.96,35.39,-100.96,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115183,691628,ILLINOIS,2017,April,Thunderstorm Wind,"PIATT",2017-04-29 17:15:00,CST-6,2017-04-29 17:20:00,0,0,0,0,15.00K,15000,0.00K,0,39.8,-88.47,39.8,-88.47,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Numerous large tree limbs were blown down in Atwood." +115183,691632,ILLINOIS,2017,April,Thunderstorm Wind,"EFFINGHAM",2017-04-29 17:20:00,CST-6,2017-04-29 17:25:00,0,0,0,0,15.00K,15000,0.00K,0,38.9245,-88.6744,38.9245,-88.6744,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A semi was blown over on I-57 at Edgewood." +115183,691630,ILLINOIS,2017,April,Thunderstorm Wind,"DOUGLAS",2017-04-29 17:30:00,CST-6,2017-04-29 17:35:00,0,0,0,0,20.00K,20000,0.00K,0,39.8,-88.28,39.8,-88.28,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Powerlines were blown down in Tuscola." +115362,693596,GEORGIA,2017,April,Hail,"LIBERTY",2017-04-03 14:31:00,EST-5,2017-04-03 14:32:00,0,0,0,0,,NaN,,NaN,31.81,-81.54,31.81,-81.54,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A trained spotter relayed a picture of two hail stones ranging between 1 to 2 inches in diameter from Everson Lane in Midway, GA." +115362,693597,GEORGIA,2017,April,Hail,"LIBERTY",2017-04-03 14:35:00,EST-5,2017-04-03 14:36:00,0,0,0,0,,NaN,,NaN,31.82,-81.52,31.82,-81.52,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A spotter reported nickel size hail near the intersection of Highway 84 and Highway 196." +115362,693598,GEORGIA,2017,April,Hail,"BULLOCH",2017-04-03 14:38:00,EST-5,2017-04-03 14:39:00,0,0,0,0,,NaN,,NaN,32.32,-81.83,32.32,-81.83,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The local media relayed a report of quarter size hail or slightly larger near Register, GA." +121928,729835,CALIFORNIA,2017,December,High Wind,"SANTA BARBARA COUNTY MOUNTAINS",2017-12-16 07:47:00,PST-8,2017-12-16 09:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong Sundowner winds developed across the Santa Ynez Mountain range in southern Santa Barbara county. Northerly wind gusts up to 65 MPH were reported.","Strong Sundowner winds developed across the Santa Ynez Mountain range in southern Santa Barbara county. The RAWS sensor at Montecito reported north to northeast winds gusting up to 65 MPH." +121091,725078,MISSOURI,2017,December,Hail,"BATES",2017-12-04 15:20:00,CST-6,2017-12-04 15:20:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-94.36,38.1,-94.36,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","" +121091,725079,MISSOURI,2017,December,Hail,"LAFAYETTE",2017-12-04 15:36:00,CST-6,2017-12-04 15:38:00,0,0,0,0,0.00K,0,0.00K,0,39.09,-93.55,39.09,-93.55,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","" +121091,725080,MISSOURI,2017,December,Hail,"JOHNSON",2017-12-04 15:48:00,CST-6,2017-12-04 15:48:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-93.74,38.68,-93.74,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","" +115921,696526,NORTH CAROLINA,2017,April,Lightning,"BRUNSWICK",2017-04-05 17:58:00,EST-5,2017-04-05 17:58:00,0,0,0,0,10.00K,10000,0.00K,0,33.9065,-78.5389,33.9065,-78.5389,"A cold front produced thunderstorms that started a structural fire from a lightning strike.","Lightning started a structural fire on Kirkcaldy Ct. The extent of the damage is estimated." +115925,696537,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-04-23 00:48:00,CST-6,2017-04-23 00:48:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-88.5,30.21,-88.5,"An isolated strong thunderstorm embedded within a squall line moved through the Mississippi Sound.","WLON station PTBM6 reported a wind gust of 36knots." +115294,696702,ILLINOIS,2017,April,Flood,"CHAMPAIGN",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,40.1018,-88.2058,39.8719,-88.3327,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across southern Champaign County. Several streets in Urbana were impassable. Numerous rural roads and highways in the southern part of the county from Pesotum to Broadlands were inundated. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115294,696705,ILLINOIS,2017,April,Flood,"VERMILION",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,40.2911,-87.5332,40.0158,-87.9378,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.00 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across central and southern Vermilion County. Several streets from Danville to Westville were impassable. Numerous rural roads and highways in the southern part of the county from Sidell to Ridge Farm were inundated, including U.S. Highway 150/Illinois Route 1. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115054,690682,OKLAHOMA,2017,April,Drought,"MUSKOGEE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690683,OKLAHOMA,2017,April,Drought,"MCINTOSH",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690684,OKLAHOMA,2017,April,Drought,"SEQUOYAH",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690685,OKLAHOMA,2017,April,Drought,"PITTSBURG",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690686,OKLAHOMA,2017,April,Drought,"HASKELL",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115430,696126,MINNESOTA,2017,June,Thunderstorm Wind,"STEARNS",2017-06-11 07:10:00,CST-6,2017-06-11 07:10:00,0,0,0,0,0.00K,0,0.00K,0,45.54,-94.25,45.54,-94.25,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were two large trees uprooted." +120869,724314,WISCONSIN,2017,December,Strong Wind,"OZAUKEE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +115063,690894,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-21 12:20:00,CST-6,2017-04-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,36.0498,-95.9952,36.0474,-95.995,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Flooding resulted in the closure of W 81st Street S and S Elwood Avenue." +115063,690895,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-21 12:20:00,CST-6,2017-04-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.975,-95.8697,35.9757,-95.8854,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Portions of E 131st Street S were flooded and closed between S Mingo Road and S Memorial Drive." +115063,690979,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-21 16:42:00,CST-6,2017-04-21 17:42:00,0,0,0,0,0.00K,0,0.00K,0,36.0179,-95.8531,36.0169,-95.8529,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Portions of E 101st Street S were flooded near S Garnett Road." +120869,724315,WISCONSIN,2017,December,Strong Wind,"SHEBOYGAN",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +115063,690982,OKLAHOMA,2017,April,Flash Flood,"CREEK",2017-04-21 17:00:00,CST-6,2017-04-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9879,-96.1199,35.9822,-96.1194,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Portions of S Hickory Street between W Taft Avenue and W Teel Road were closed due to flooding." +115875,696377,OKLAHOMA,2017,April,Flood,"TULSA",2017-04-29 20:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.2276,-95.9143,36.2599,-95.85,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","Bird Creek near Owasso rose above its flood stage of 18 feet at 9:45 pm CDT on April 29th. The river crested at 20.74 feet at 4:00 am CDT on the 30th, resulting in moderate flooding. The river remained in flood through the remainder of April, falling below flood stage at 3:00 pm CDT on May 1st." +115875,696380,OKLAHOMA,2017,April,Flood,"OTTAWA",2017-04-29 16:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.9577,-94.9938,36.9455,-94.957,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Neosho River near Commerce rose above its flood stage of 15 feet at 5:00 pm CDT on April 29th. The river remained in flood through the end of April, and crested at 22.12 feet at 4:45 pm CDT on May 3rd, resulting in moderate flooding. Highway 125 was flooded. Agricultural land was inundated, as was Riverview Park. The river then fell below flood stage at 6:15 pm CDT on May 6th." +114041,684594,KENTUCKY,2017,April,Flash Flood,"JEFFERSON",2017-04-29 00:29:00,EST-5,2017-04-29 00:29:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-85.6,38.3496,-85.6027,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","State officials reported water was rapidly rising out of creek banks and onto Covered Bridge Road at Covered Cove." +114041,684595,KENTUCKY,2017,April,Flash Flood,"OLDHAM",2017-04-29 02:20:00,EST-5,2017-04-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,38.4157,-85.6004,38.4069,-85.6044,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Broadcast media reported large rocks and debris in the roadway from high water at Highway 1793 and Rose Island Road. Large trees fell down across Highway 1793 as well." +114041,684597,KENTUCKY,2017,April,Heavy Rain,"OLDHAM",2017-04-29 10:45:00,EST-5,2017-04-29 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-85.39,38.4,-85.39,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,684598,KENTUCKY,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-30 17:49:00,EST-5,2017-04-30 17:49:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-85.15,37.87,-85.15,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","The public reported trees down in the area." +114041,683313,KENTUCKY,2017,April,Hail,"BOYLE",2017-04-29 17:17:00,EST-5,2017-04-29 17:17:00,0,0,0,0,,NaN,,NaN,37.59,-84.79,37.59,-84.79,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Trained spotters reported hail up to ping pong size which covered the ground in Junction City." +111484,673307,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-02 23:03:00,EST-5,2017-01-02 23:03:00,0,0,0,0,0.00K,0,0.00K,0,31.7699,-83.5579,31.7699,-83.5579,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Trees were blown down on Freeman Road." +116341,700045,NORTH CAROLINA,2017,May,Thunderstorm Wind,"PERQUIMANS",2017-05-05 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.16,-76.32,36.16,-76.32,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","Wind gust of 56 knots (64 mph) was measured at Mesonet Station C6395, 3 miles west of Jacocks." +113801,681677,KENTUCKY,2017,April,Tornado,"METCALFE",2017-04-05 16:11:00,CST-6,2017-04-05 16:13:00,0,0,0,0,150.00K,150000,,NaN,37.154,-85.714,37.157,-85.702,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","This small tornado touched down near the intersection of Iron Mountain and Kidd Roads where it heavily damaged a barn, then moved east-northeast over open farmland before hitting a farm on the west side of Center Three Springs Road. It tore the back end off a large barn there and collapsed a 60 foot silo, then crossed the road and snapped off several trees before lifting. The doors on a nearby barn were blown in." +113801,681657,KENTUCKY,2017,April,Thunderstorm Wind,"ALLEN",2017-04-05 16:20:00,CST-6,2017-04-05 16:20:00,0,0,0,0,10.00K,10000,,NaN,36.7,-86.06,36.7,-86.06,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Severe thunderstorm winds tore portions of a roof off a barn and tossed it onto nearby road." +113801,681676,KENTUCKY,2017,April,Tornado,"GREEN",2017-04-05 16:16:00,CST-6,2017-04-05 16:17:00,0,0,0,0,100.00K,100000,,NaN,37.1804,-85.669,37.1882,-85.6595,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The tornado touched down in an open field and moved northeast toward a corner on Mahogany Lane. Two small vortices, one 50 yards wide and the other 100 yards wide, reached speeds up to 105 mph as they destroyed a large, well-built barn and two smaller outbuildings in addition to a fifth wheel trailer. The debris from each of these structures was blown to the northeast up to �� mile, and exhibited both convergence and rotation." +116916,703145,VIRGINIA,2017,May,Hail,"NOTTOWAY",2017-05-27 17:00:00,EST-5,2017-05-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-78,37.09,-78,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703146,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 17:07:00,EST-5,2017-05-27 17:07:00,0,0,0,0,0.00K,0,0.00K,0,37.53,-77.36,37.53,-77.36,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +113801,681656,KENTUCKY,2017,April,Thunderstorm Wind,"GREEN",2017-04-05 16:13:00,CST-6,2017-04-05 16:18:00,0,0,0,0,300.00K,300000,,NaN,37.16,-85.6708,37.2012,-85.5943,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Over 160 structures were damaged in a 2-3 mile wide swath extending 15 miles from near Hiseville in Barren County northeast across Metcalfe into Green County. Three EF-1 tornadoes, with maximum winds of 100-110 mph were embedded within this area. Outside of the tornadoes, maximum winds were estimated at 70-90 mph. In Green County, non-tornadic winds did the most damage to homes 3/4 mile east-northeast of Crailhope and 1.75 miles west-northwest of Pierce." +113931,690458,NEBRASKA,2017,April,Thunderstorm Wind,"GOSPER",2017-04-09 16:13:00,CST-6,2017-04-09 16:13:00,0,0,0,0,0.00K,0,0.00K,0,40.5181,-99.9578,40.5181,-99.9578,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +113931,690467,NEBRASKA,2017,April,Thunderstorm Wind,"GOSPER",2017-04-09 16:24:00,CST-6,2017-04-09 16:24:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-99.85,40.6,-99.85,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +113931,690469,NEBRASKA,2017,April,Thunderstorm Wind,"DAWSON",2017-04-09 16:35:00,CST-6,2017-04-09 16:35:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-99.73,40.78,-99.73,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Wind gusts were estimated to be near 60 MPH." +113931,690470,NEBRASKA,2017,April,Thunderstorm Wind,"PHELPS",2017-04-09 16:43:00,CST-6,2017-04-09 16:43:00,0,0,0,0,0.00K,0,0.00K,0,40.4993,-99.5896,40.4993,-99.5896,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Wind gusts were estimated to be between 65 and 70 MPH." +113931,690486,NEBRASKA,2017,April,Thunderstorm Wind,"KEARNEY",2017-04-09 17:25:00,CST-6,2017-04-09 17:25:00,0,0,0,0,0.00K,0,0.00K,0,40.3617,-98.9516,40.3617,-98.9516,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Wind gusts estimated to be near 60 MPH accompanied hail up to 2 inches in diameter." +113931,690488,NEBRASKA,2017,April,Hail,"BUFFALO",2017-04-09 17:19:00,CST-6,2017-04-09 17:19:00,0,0,0,0,0.00K,0,0.00K,0,40.7434,-99.25,40.7434,-99.25,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +113931,690489,NEBRASKA,2017,April,Hail,"FRANKLIN",2017-04-09 17:43:00,CST-6,2017-04-09 17:43:00,0,0,0,0,0.00K,0,0.00K,0,40.3145,-98.73,40.3145,-98.73,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +113931,690491,NEBRASKA,2017,April,Hail,"ADAMS",2017-04-09 17:45:00,CST-6,2017-04-09 18:05:00,0,0,0,0,0.00K,0,0.00K,0,40.3976,-98.65,40.42,-98.35,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","" +113931,690502,NEBRASKA,2017,April,Hail,"WEBSTER",2017-04-09 17:45:00,CST-6,2017-04-09 18:10:00,0,0,0,0,0.00K,0,0.00K,0,40.3012,-98.7235,40.3166,-98.4427,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Golf ball size hail broke a car windshield just southeast of Blue Hill." +113931,690511,NEBRASKA,2017,April,Hail,"CLAY",2017-04-09 18:29:00,CST-6,2017-04-09 18:44:00,0,0,0,0,0.00K,0,0.00K,0,40.459,-98.12,40.4039,-97.904,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Quarter to golf ball size hail was reported in the area along this path." +113931,690525,NEBRASKA,2017,April,Hail,"THAYER",2017-04-09 18:54:00,CST-6,2017-04-09 19:21:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-97.8,40.3123,-97.4823,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Hail up to the size of ping pong balls was reported along this path." +113931,690535,NEBRASKA,2017,April,Hail,"FILLMORE",2017-04-09 19:04:00,CST-6,2017-04-09 19:08:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-97.72,40.4255,-97.7024,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Hail up to the size of ping pong balls covered the road near Shickley." +113931,690540,NEBRASKA,2017,April,Hail,"FILLMORE",2017-04-09 19:24:00,CST-6,2017-04-09 19:27:00,0,0,0,0,0.00K,0,0.00K,0,40.5,-97.39,40.407,-97.372,"Mainly between 4:30-8:30 p.m. CDT on this Sunday, a small-scale, but intense severe thunderstorm cluster carved a nearly due west-to-east swath across South Central Nebraska, highlighted by several reports of hail up to around golf ball size and a handful of wind gusts ranging from 60-72 MPH. The vast majority of severe weather concentrated within a narrow, 15 mile wide corridor centered from roughly Elwood-Holdrege-Blue Hill-Fairfield-Milligan. ||Initially, when storms first entered far western counties such as Gosper/Furnas/Phelps, they were in the form of a short-but-intense line segment featuring severe winds, highlighted by a measured 72 MPH gust southwest of Elwood. However, a fairly abrupt transition in storm mode occurred over Phelps and southern Kearney counties, as the wind-producing line segment morphed into more of a supercell structure with a large hail threat. In fact, large hail was the only type of severe weather reported along a roughly 100-mile path from near Holdrege eastward to the edge of the local coverage area near Milligan. Golf ball size stones were reported in or very near communities such as Holdrege, Campbell, Bladen, Blue Hill and Fairfield, with one report of 2-inch diameter hail along the Kearney-Franklin County line. In addition, there were several other reports of quarter to ping pong ball size hail along the way. ||At first glance, this may have seemed like a sneaky severe weather event, as it unfolded behind/to the west of the primary, synoptic scale dryline and instability axis residing from eastern Kansas into Iowa. Because of this, the environment over South Central Nebraska might have seemed less supportive of severe weather compared to areas farther east, especially given surface dewpoints only in the upper 40s-mid 50s F. Nonetheless, multiple factors supported this post frontal severe potential. In the mid-upper levels, a pair of upper level disturbances were traversing the region, including the primary one which entered western Nebraska during the mid-late afternoon. At the surface, forcing/convergence was enhanced by a secondary cold front surging in from the west off the High Plains. Despite modest-at-best low level moisture, cold air aloft and steep lapse rates (evidenced by 500 millibar temperatures of -16 to -18C) resulted in mixed-layer CAPE up to around 1000 J/kg, which proved plenty sufficient for isolated severe storm development given strong effective wind shear of 40-50 knots.","Quarter size hail was reported along a north-south oriented line of thunderstorms." +115772,699296,GEORGIA,2017,April,Flash Flood,"COBB",2017-04-05 11:52:00,EST-5,2017-04-05 13:42:00,0,0,0,0,0.00K,0,0.00K,0,34.0067,-84.697,33.9899,-84.7,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A USGS stream gage on Allatoona Creek on Stilesboro Road NW near Mars Hill quickly reached flood stage of 11 feet. The creek crest at 13.26 feet at 1:15 PM EST. Minor flooding occurred in the woodlands and fields near the creek upstream and downstream from the gage." +116157,698126,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"SUMTER",2017-06-15 16:50:00,EST-5,2017-06-15 16:55:00,0,0,0,0,,NaN,,NaN,33.83,-80.41,33.83,-80.41,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","SC Highway Patrol reported two trees down, one on Starks Ferry Rd near Bethel Church Rd, and one on Pinewood Rd near Gwendale Rd." +116157,698127,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"LEXINGTON",2017-06-15 18:43:00,EST-5,2017-06-15 18:45:00,0,0,0,0,,NaN,,NaN,33.9467,-81.0742,33.9467,-81.0742,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","SC Highway Patrol reported a tree on the road along N Eden Dr near Russell Rd." +116157,698128,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"AIKEN",2017-06-15 20:30:00,EST-5,2017-06-15 20:35:00,0,0,0,0,,NaN,,NaN,33.64,-81.41,33.64,-81.41,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","SC Highway Patrol reported two trees down, one on State Park Rd near SC Hwy 302, and the other on Wagontong Rd near Holstein Rd." +116157,698129,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"AIKEN",2017-06-15 20:30:00,EST-5,2017-06-15 20:30:00,0,0,0,0,,NaN,,NaN,33.65,-81.41,33.65,-81.41,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Outbuilding with aluminum sliding and roof blown over and aluminum scattered a couple hundred yards away. Wind speed estimated at 75 MPH." +116157,698132,SOUTH CAROLINA,2017,June,Heavy Rain,"RICHLAND",2017-06-15 18:00:00,EST-5,2017-06-16 00:00:00,0,0,0,0,0.10K,100,0.10K,100,34.0896,-81.0267,34.0896,-81.0267,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","RCWINDS site at Crane Creek Fire Station, north of Columbia, measured 4.61 inches of rain from thunderstorm activity that occurred during the late afternoon and evening of June 15th into the very early morning hours of June 16th." +116157,698133,SOUTH CAROLINA,2017,June,Heavy Rain,"LEXINGTON",2017-06-15 18:00:00,EST-5,2017-06-16 00:00:00,0,0,0,0,0.10K,100,0.10K,100,33.9419,-81.122,33.9419,-81.122,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Rain gage located at the NWS Office at Columbia Metropolitan Airport measured 3.85 inches of rain from thunderstorm activity that occurred during the late afternoon and evening of June 15th into the very early morning hours of June 16th. The ASOS unit elsewhere at Columbia Metropolitan Airport measured 3.25 inches of rain." +116562,700913,NEW MEXICO,2017,June,Hail,"GUADALUPE",2017-06-30 19:00:00,MST-7,2017-06-30 19:05:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-104.19,34.89,-104.19,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of nickels." +116562,701019,NEW MEXICO,2017,June,Thunderstorm Wind,"DE BACA",2017-06-30 19:45:00,MST-7,2017-06-30 19:48:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-104.09,34.57,-104.09,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Wind gust near 70 mph with dime size hail." +116562,701022,NEW MEXICO,2017,June,Thunderstorm Wind,"DE BACA",2017-06-30 19:57:00,MST-7,2017-06-30 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.48,-104.24,34.48,-104.24,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Thunderstorm outflow winds near 60 mph blew a metal carport over into a nearby street." +115595,694261,FLORIDA,2017,May,Thunderstorm Wind,"DUVAL",2017-05-31 16:12:00,EST-5,2017-05-31 16:12:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-81.44,30.4,-81.44,"A moist and unstable airmass combined with sea breezes produced strong to severe storms across the area. Large CAPE and shear in the hail growth zone fueled very large hail to form in a few severe storms over Nassau, Duval and St. Johns counties during the afternoon and evening.","A roof was peeled off of a local business near the Fort George Ferry Landing along Hecksher Drive. Insulation from the roof was blown toward the west across the road. Winds were estimated between 60-70 mph." +114981,694350,ALABAMA,2017,May,Thunderstorm Wind,"LAUDERDALE",2017-05-28 00:20:00,CST-6,2017-05-28 00:20:00,0,0,0,0,0.20K,200,0.00K,0,34.87,-87.32,34.87,-87.32,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down onto CR 55 near Nugent Branch." +114981,694357,ALABAMA,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-28 00:33:00,CST-6,2017-05-28 00:33:00,0,0,0,0,,NaN,,NaN,34.42,-87.17,34.42,-87.17,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","Trees were knocked down in the Speake community." +114981,694379,ALABAMA,2017,May,Thunderstorm Wind,"MORGAN",2017-05-28 01:07:00,CST-6,2017-05-28 01:07:00,0,0,0,0,0.20K,200,0.00K,0,34.31,-86.92,34.31,-86.92,"Multiple lines of thunderstorms produced several reports of wind damage, particularly in northwest Alabama where winds were measured at or above 75 mph in a couple locations. Trees were either uprooted and toppled over in several locations. Large trees were uprooted and dropped onto at least three homes in Cullman County.","A tree was knocked down at 1190 Old Highway 31." +115244,694635,MISSOURI,2017,May,Hail,"CEDAR",2017-05-30 20:40:00,CST-6,2017-05-30 20:40:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-93.79,37.7,-93.79,"A few severe thunderstorms produced large hail across the Missouri Ozarks.","Half dollar to ping pong size hail was reported near Stockton. There were numerous pictures from social media." +115243,694705,MISSOURI,2017,May,Flash Flood,"LAWRENCE",2017-05-11 16:00:00,CST-6,2017-05-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9585,-93.9003,36.959,-93.9003,"A cold front produced severe thunderstorms with large hail and flash flooding across the Ozarks.","Farm Road 1090 was flooded and closed." +117105,704594,MISSOURI,2017,May,Thunderstorm Wind,"SALINE",2017-05-27 12:55:00,CST-6,2017-05-27 12:58:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-93.21,38.96,-93.21,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","A storm chaser near Marshall reported a measured 61 mph wind gust." +117145,704725,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-05-19 23:30:00,EST-5,2017-05-19 23:30:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Convective showers moving northwest over the Lower Florida Keys coastal waters produced an isolated gale force wind gust outside the Northwest Channel.","A wind gust of 43 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +117081,705138,KANSAS,2017,May,Hail,"SEWARD",2017-05-14 18:32:00,CST-6,2017-05-14 18:32:00,0,0,0,0,,NaN,,NaN,37.17,-100.91,37.17,-100.91,"A weak Pacific cold front moved into northwest Kansas Sunday morning and remain nearly stationary from northern into west central Kansas during the day. A dryline mixed into western Kansas and extended near a line from Liberal to Scott City by late afternoon. The mid levels of the atmosphere remained very warm with H7 temperatures around 10C. Convergence along the dryline was weak, but isolated high based thunderstorms occurred which caused severe hail in Grant, Stevens, Ford and Seward counties.","" +117086,706272,KANSAS,2017,May,Thunderstorm Wind,"NESS",2017-05-25 19:22:00,CST-6,2017-05-25 19:22:00,0,0,0,0,,NaN,,NaN,38.64,-99.7,38.64,-99.7,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +115967,696982,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,,NaN,,NaN,46.15,-96.76,46.15,-96.76,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Four inch diameter tree branches were blown down." +115967,696983,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RANSOM",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,,NaN,,NaN,46.45,-97.3,46.45,-97.3,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The peak winds were measured at the Sheyenne RAWS station." +115967,697145,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 19:54:00,CST-6,2017-06-13 19:54:00,0,0,0,0,,NaN,,NaN,46.87,-96.9,46.87,-96.9,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A few 3 to 4 inch tree branches were blown down." +115967,697148,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 20:00:00,CST-6,2017-06-13 20:00:00,0,0,0,0,,NaN,,NaN,46.58,-96.81,46.58,-96.81,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A stop sign was bent over by the strong winds." +115967,697150,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:04:00,CST-6,2017-06-13 20:05:00,0,0,0,0,,NaN,,NaN,46.82,-96.85,46.82,-96.85,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Very strong winds were reported." +115967,697151,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:07:00,CST-6,2017-06-13 20:09:00,0,0,0,0,,NaN,,NaN,46.92,-96.84,46.92,-96.84,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The strong winds lasted several minutes." +117791,708134,ALABAMA,2017,June,Flash Flood,"MONTGOMERY",2017-06-18 07:00:00,CST-6,2017-06-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3786,-86.3178,32.393,-86.278,"Thunderstorms developed during the early morning hours of June 18th across portions of south central Alabama. The convection formed along a upper trough axis that stretched from Mobile, Alabama, northeastward into northwest Georgia. The storms were slow moving due to light upper level winds near the trough axis.","Several reports of flooded roads in the city of Montgomery." +117449,709775,ALABAMA,2017,June,Thunderstorm Wind,"RANDOLPH",2017-06-15 16:10:00,CST-6,2017-06-15 16:12:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-85.47,33.3,-85.47,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several reports of trees uprooted and power lines downed across Randolph County." +117453,706381,IOWA,2017,June,Hail,"POLK",2017-06-28 16:23:00,CST-6,2017-06-28 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-93.71,41.62,-93.71,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","NWS employee reported quarter sized hail." +118358,711329,KANSAS,2017,June,Thunderstorm Wind,"STEVENS",2017-06-21 18:15:00,CST-6,2017-06-21 18:15:00,0,0,0,0,,NaN,,NaN,37.16,-101.37,37.16,-101.37,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118358,711330,KANSAS,2017,June,Thunderstorm Wind,"MEADE",2017-06-21 18:35:00,CST-6,2017-06-21 18:35:00,0,0,0,0,,NaN,,NaN,37.22,-100.59,37.22,-100.59,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118358,711331,KANSAS,2017,June,Thunderstorm Wind,"SEWARD",2017-06-21 18:38:00,CST-6,2017-06-21 18:38:00,0,0,0,0,,NaN,,NaN,37.2,-100.7,37.2,-100.7,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118359,711333,KANSAS,2017,June,Hail,"STANTON",2017-06-22 17:12:00,CST-6,2017-06-22 17:12:00,0,0,0,0,,NaN,,NaN,37.5,-101.76,37.5,-101.76,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118359,711336,KANSAS,2017,June,Thunderstorm Wind,"STANTON",2017-06-22 17:10:00,CST-6,2017-06-22 17:10:00,0,0,0,0,,NaN,,NaN,37.5,-101.76,37.5,-101.76,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +122087,730876,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN PISCATAQUIS",2017-12-28 04:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills during the morning of the 28th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122087,730877,MAINE,2017,December,Extreme Cold/Wind Chill,"CENTRAL PISCATAQUIS",2017-12-28 04:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills during the morning of the 28th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122088,730883,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN SOMERSET",2017-12-28 20:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 28th into the morning of the 29th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122088,730884,MAINE,2017,December,Extreme Cold/Wind Chill,"CENTRAL PISCATAQUIS",2017-12-28 20:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 28th into the morning of the 29th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122091,730886,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN SOMERSET",2017-12-31 20:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 31st into the morning of January 1st. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122091,730887,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN PISCATAQUIS",2017-12-31 20:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 31st into the morning of January 1st. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +117687,707691,TEXAS,2017,June,Heat,"KERR",2017-06-07 12:00:00,CST-6,2017-06-07 12:00:00,0,0,0,2,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High temperatures in the upper 80s sent heat index values into the lower 90s. Two young |children died after being left in a vehicle for approximately 15 hours mainly during the overnight hours.","The high temperatures were in the upper 80s to lower 90s, with heat index values in the lower 90s during the peak heating of the day. Two young children died after being left in a vehicle for approximately 15 hours mainly during the overnight hours. Appears from the story that this is not the normal child heat death from accidentally being left in a car, but more of child abuse case with the kids known to be in the car. Heat appears however to be the main cause of death." +115454,693298,COLORADO,2017,June,Hail,"OTERO",2017-06-03 13:26:00,MST-7,2017-06-03 13:31:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-103.53,37.98,-103.53,"A strong storm produced hail up to the size of pennies.","" +122091,730889,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN PENOBSCOT",2017-12-31 20:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 31st into the morning of January 1st. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122091,730890,MAINE,2017,December,Extreme Cold/Wind Chill,"CENTRAL PISCATAQUIS",2017-12-31 20:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills from the evening of the 31st into the morning of January 1st. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +115455,693299,COLORADO,2017,June,Hail,"TELLER",2017-06-07 12:58:00,MST-7,2017-06-07 13:11:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-105.22,38.96,-105.22,"A strong storm produced hail up to the size of nickels.","" +116085,697708,COLORADO,2017,June,Hail,"BACA",2017-06-26 15:29:00,MST-7,2017-06-26 15:34:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-102.47,37.17,-102.47,"A few severe storms produced hail up to the size of golf balls.","" +116085,697709,COLORADO,2017,June,Hail,"BACA",2017-06-26 16:20:00,MST-7,2017-06-26 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37,-102.53,37,-102.53,"A few severe storms produced hail up to the size of golf balls.","" +116085,697710,COLORADO,2017,June,Hail,"PUEBLO",2017-06-26 16:57:00,MST-7,2017-06-26 17:03:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-104.76,38.33,-104.76,"A few severe storms produced hail up to the size of golf balls.","" +116085,697711,COLORADO,2017,June,Hail,"EL PASO",2017-06-26 18:06:00,MST-7,2017-06-26 18:11:00,0,0,0,0,0.00K,0,0.00K,0,38.91,-104.86,38.91,-104.86,"A few severe storms produced hail up to the size of golf balls.","" +116085,697712,COLORADO,2017,June,Hail,"EL PASO",2017-06-26 18:22:00,MST-7,2017-06-26 18:27:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-104.8,38.88,-104.8,"A few severe storms produced hail up to the size of golf balls.","" +118335,711067,GULF OF MEXICO,2017,June,Waterspout,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-06-16 10:31:00,EST-5,2017-06-16 10:31:00,0,0,0,0,0.00K,0,0.00K,0,24.99,-80.58,24.99,-80.58,"Waterspouts were observed first in association with a convective cloud line developing over the Upper and Middle Florida Keys. Then, as convective outflows disrupted the initial cloud line, a second cloud line developed along and north of the Lower Florida Keys.","A waterspout was observed by the U.S. Coast Guard and a trained spotter north of Mile Marker 88 of the Overseas Highway in Florida Bay. The waterspout appeared dark grey in color, and very thin." +118335,711071,GULF OF MEXICO,2017,June,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-06-16 12:40:00,EST-5,2017-06-16 12:53:00,0,0,0,0,0.00K,0,0.00K,0,24.77,-81.56,24.77,-81.56,"Waterspouts were observed first in association with a convective cloud line developing over the Upper and Middle Florida Keys. Then, as convective outflows disrupted the initial cloud line, a second cloud line developed along and north of the Lower Florida Keys.","Two waterspouts were reported by a trained spotter. The first waterspout was very thin and dark grey in appearance. The second waterspout was medium sized and also dark grey. Both waterspouts were eventually overtaken by convective outflow and rain shafts." +118336,711073,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-18 12:05:00,EST-5,2017-06-18 12:05:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Scattered thunderstorms with gale-force wind gusts developed gradually as a surface trough of low pressure moved from the northwest Caribbean Sea into the southeast Gulf of Mexico.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +118336,711074,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-06-18 14:40:00,EST-5,2017-06-18 14:40:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Scattered thunderstorms with gale-force wind gusts developed gradually as a surface trough of low pressure moved from the northwest Caribbean Sea into the southeast Gulf of Mexico.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +118336,711075,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-06-18 14:10:00,EST-5,2017-06-18 14:10:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Scattered thunderstorms with gale-force wind gusts developed gradually as a surface trough of low pressure moved from the northwest Caribbean Sea into the southeast Gulf of Mexico.","A wind gust of 34 knots was measured at Pulaski Shoal Light." +118336,711076,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-18 15:20:00,EST-5,2017-06-18 15:20:00,0,0,0,0,0.00K,0,0.00K,0,24.5571,-81.7554,24.5571,-81.7554,"Scattered thunderstorms with gale-force wind gusts developed gradually as a surface trough of low pressure moved from the northwest Caribbean Sea into the southeast Gulf of Mexico.","A wind gust of 37 knots was measured at Key West International Airport." +116016,699484,KANSAS,2017,April,Hail,"PAWNEE",2017-04-19 19:40:00,CST-6,2017-04-19 19:40:00,0,0,0,0,,NaN,,NaN,38.07,-99.04,38.07,-99.04,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","The ground was covered by the hail." +116016,699486,KANSAS,2017,April,Hail,"STAFFORD",2017-04-19 20:05:00,CST-6,2017-04-19 20:05:00,0,0,0,0,,NaN,,NaN,38.04,-98.77,38.04,-98.77,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","" +116016,699487,KANSAS,2017,April,Hail,"EDWARDS",2017-04-19 20:06:00,CST-6,2017-04-19 20:06:00,0,0,0,0,,NaN,,NaN,37.76,-99.41,37.76,-99.41,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","The hail was mostly pea sized but a few nickel sized were observed." +116016,699488,KANSAS,2017,April,Hail,"KIOWA",2017-04-19 20:46:00,CST-6,2017-04-19 20:46:00,0,0,0,0,,NaN,,NaN,37.66,-99.18,37.66,-99.18,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","" +116016,699490,KANSAS,2017,April,Thunderstorm Wind,"STAFFORD",2017-04-19 20:25:00,CST-6,2017-04-19 20:25:00,0,0,0,0,,NaN,,NaN,37.95,-98.63,37.95,-98.63,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","Winds were estimated to be gusting to 60 MPH." +116016,699491,KANSAS,2017,April,Thunderstorm Wind,"PRATT",2017-04-19 21:00:00,CST-6,2017-04-19 21:00:00,0,0,0,0,,NaN,,NaN,37.63,-98.91,37.63,-98.91,"A cold front swept across the area and helped produce scattered thunderstorms, some of which were severe.","" +116015,699510,KANSAS,2017,April,Tornado,"PAWNEE",2017-04-15 18:05:00,CST-6,2017-04-15 18:08:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-99.55,38.2617,-99.5467,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","Landspout observed but did not do any damage." +116015,699513,KANSAS,2017,April,Tornado,"RUSH",2017-04-15 17:38:00,CST-6,2017-04-15 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-99.26,38.4543,-99.2499,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","This landspout did not damage anything." +113364,678337,NEW MEXICO,2017,April,High Wind,"ROOSEVELT COUNTY",2017-04-04 13:11:00,MST-7,2017-04-04 13:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Dora." +113364,678341,NEW MEXICO,2017,April,High Wind,"CHAVES COUNTY PLAINS",2017-04-04 05:50:00,MST-7,2017-04-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Roswell Industrial Airpark reported high sustained winds over 40 mph periodically for almost 10 hours. A peak wind gust of 61 mph was also reported." +114039,683004,TEXAS,2017,April,High Wind,"CROSBY",2017-04-30 12:40:00,CST-6,2017-04-30 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +114039,683003,TEXAS,2017,April,High Wind,"HALE",2017-04-30 11:17:00,CST-6,2017-04-30 11:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +114039,683005,TEXAS,2017,April,High Wind,"SWISHER",2017-04-30 07:23:00,CST-6,2017-04-30 14:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +113469,679238,FLORIDA,2017,April,Dust Devil,"LEE",2017-04-08 12:45:00,EST-5,2017-04-08 12:50:00,0,0,0,0,30.00K,30000,0.00K,0,26.4403,-81.8228,26.4403,-81.8228,"After a relatively cool start to the morning, the temperature warmed up rapidly under completely clear skies through the afternoon. This intense surface heating helped produce a dust devil that damaged a carport and mobile home in Lee County.","Emergency management and broadcast media reported damage to a carport and the roof of a mobile home in Tahiti Village. A witness reported a mini tornado without a cloud in the sky at around 1:45 PM EDT. Skies were clear at the time." +119057,716734,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 20:24:00,CST-6,2017-07-22 20:27:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-94.38,38.84,-94.38,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Off duty NWS staff reported 60 mph winds at their residence." +117765,708093,NEW MEXICO,2017,August,Hail,"QUAY",2017-08-14 18:00:00,MST-7,2017-08-14 18:03:00,0,0,0,0,0.00K,0,0.00K,0,35.36,-103.43,35.36,-103.43,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Hail up to the size of pennies with torrential rainfall in Logan." +114222,685702,MISSOURI,2017,March,Thunderstorm Wind,"CLAY",2017-03-06 19:35:00,CST-6,2017-03-06 19:38:00,0,0,0,0,,NaN,,NaN,39.38,-94.58,39.38,-94.58,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Estimated 60 mph winds with trailers being moved near the Smithville Hospital. Could be associated with rear flank downdraft from the nearby supercell producing the Smithville Tornado." +117501,706663,MARYLAND,2017,June,Thunderstorm Wind,"CALVERT",2017-06-19 16:08:00,EST-5,2017-06-19 16:08:00,0,0,0,0,,NaN,,NaN,38.403,-76.492,38.403,-76.492,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 2200 block of Leonard Drive." +117501,706664,MARYLAND,2017,June,Thunderstorm Wind,"CALVERT",2017-06-19 16:15:00,EST-5,2017-06-19 16:15:00,0,0,0,0,,NaN,,NaN,38.6068,-76.522,38.6068,-76.522,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","Two trees were down at Wilson and Plum Point Roads." +117501,706662,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 16:05:00,EST-5,2017-06-19 16:05:00,0,0,0,0,,NaN,,NaN,38.4079,-76.62,38.4079,-76.62,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 27000 Block of North Sandgates Road." +122259,732022,IOWA,2017,December,Winter Storm,"SCOTT",2017-12-29 07:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","The official NWS observation at the Davenport Municipal Airport was 3.9 inches. A trained spotter reported 4.0 inches in Bettendorf. An NWS employee reported 5.6 inches 3 miles north northwest of Davenport." +112357,673349,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:32:00,EST-5,2017-01-22 15:32:00,0,0,0,0,0.00K,0,0.00K,0,30.4438,-84.2584,30.4438,-84.2584,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down on the 1500 block of Belmont Trace." +117501,706665,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 16:30:00,EST-5,2017-06-19 16:30:00,0,0,0,0,,NaN,,NaN,38.2385,-76.4336,38.2385,-76.4336,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 20800 Block of Hermanville Road." +118446,711762,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-06-19 15:31:00,EST-5,2017-06-19 15:31:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 43 knots was reported at Thomas Point Lighthouse." +118446,711763,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-06-19 15:36:00,EST-5,2017-06-19 15:36:00,0,0,0,0,,NaN,,NaN,39.01,-76.4,39.01,-76.4,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 36 knots was reported at Sandy Point." +118446,711764,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-06-19 15:30:00,EST-5,2017-06-19 15:30:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 42 to 46 knots were reported at Pylons Point." +118446,711765,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-06-19 15:38:00,EST-5,2017-06-19 15:43:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 39 to 44 knots were reported at Monroe Creek." +118446,711766,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-06-19 15:38:00,EST-5,2017-06-19 15:43:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 43 to 47 knots were reported at Potomac Light." +118446,711767,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-06-19 15:42:00,EST-5,2017-06-19 15:47:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 40 to 49 knots were reported at Cuckold Creek." +118446,711768,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 15:44:00,EST-5,2017-06-19 15:54:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 37 to 49 knots were reported at Cobb Point." +118446,711769,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-06-19 15:28:00,EST-5,2017-06-19 15:33:00,0,0,0,0,,NaN,,NaN,38.677,-76.334,38.677,-76.334,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 39 to 44 knots were reported at Blackwalnut Harbor." +114378,685478,NEW MEXICO,2017,April,Heavy Snow,"ESTANCIA VALLEY",2017-04-28 11:00:00,MST-7,2017-04-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Various sources along the western portions of the Estancia reported snowfall amounts between 6 and 10 inches. The 6.7 inches of snow at Stanley set a new daily record for April 30th, breaking the previous record from 1954. Severe travel conditions developed along Interstate 40 around the Edgewood and Moriarty area." +114378,685523,NEW MEXICO,2017,April,Heavy Snow,"RATON RIDGE/JOHNSON MESA",2017-04-29 02:00:00,MST-7,2017-04-30 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","Observers in the area from Raton Pass to Folsom and Des Moines reported generally 4 to 8 inches of snow with strong winds and low visibility. Snow drifts to 18 inches were also reported. Interstate 25 at Raton Pass and U.S. Highway 64/87 were closed for over 12 hours." +116482,700508,MISSISSIPPI,2017,June,Flash Flood,"MADISON",2017-06-19 15:55:00,CST-6,2017-06-19 18:30:00,0,0,0,0,9.00K,9000,0.00K,0,32.6441,-90.0769,32.6504,-89.9945,"As a frontal boundary was situated across the region, a warm and unstable airmass was conducive for afternoon showers and thunderstorms. These storms brought flash flooding to the region given ample moisture in place over the region.","Standing water occurred on many roads in downtown Canton." +114595,687288,IOWA,2017,April,Hail,"MARION",2017-04-09 23:20:00,CST-6,2017-04-09 23:20:00,0,0,0,0,0.00K,0,0.00K,0,41.22,-93.24,41.22,-93.24,"A broad area of low pressure was situated across much of Nebraska and Kansas during the morning hours and slowly made its way east, northeast through the day. Much of Iowa was in the warm sector throughout the day, resulting in modest temperatures into the mid and upper 70s and dew points to the low 60s. Thermodynamic soundings were not substantial, confirming elevated threat with a sizable cap and MUCAPE values in the 1000-1500 range. As a result, generally isolated to local convection was seen with nearly all severe reports of the hail variety.","Emergency manager reported quarter sized hail." +114605,687328,MINNESOTA,2017,April,Hail,"OLMSTED",2017-04-09 21:19:00,CST-6,2017-04-09 21:19:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-92.56,44.1,-92.56,"Thunderstorms developed along a cold front across portions of southeast Minnesota during the evening of April 9th. These storms were a little unique as they produced large hail with very little rain or gusty winds. The storms dropped the hail from Austin (Mower County) northeast to Hammond and Plainview (Wabasha County). The largest hail reported was egg sized in Dodge Center (Dodge County).","Quarter sized hail was reported on the northwest side of Rochester." +114608,687358,NEBRASKA,2017,April,Winter Storm,"FRONTIER",2017-04-30 06:00:00,CST-6,2017-04-30 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and blowing snow beginning during the morning hours on April 30th, continuing into the late evening hours. Snowfall amounts ranged from 5 to 9 inches in portions of Frontier and Custer County, with 5 to 10 inches from portions of Loup, Garfield, and Holt County. Some blowing and drifting from north winds of 25 to 40 mph caused the closure of a portion of highway 92 in western Custer County, and also power outages to some customers in Frontier County and at least 500 customers in Custer County.","A Cooperative observer located 2 miles northwest of Eustis reported 8.5 inches of snowfall. Snowfall amounts ranged from 5 to 9 inches across Frontier County. With north winds of 25 to 40 mph, some power outages and downed tree limbs were reported across Frontier County." +116482,700509,MISSISSIPPI,2017,June,Flash Flood,"LAUDERDALE",2017-06-19 15:45:00,CST-6,2017-06-19 18:45:00,0,0,0,0,20.00K,20000,0.00K,0,32.3664,-88.6972,32.3675,-88.6953,"As a frontal boundary was situated across the region, a warm and unstable airmass was conducive for afternoon showers and thunderstorms. These storms brought flash flooding to the region given ample moisture in place over the region.","Flash flooding occurred at the intersection of 5th Street and 18th Avenue where a car was stranded in flood waters." +114762,688378,ILLINOIS,2017,April,Hail,"WILL",2017-04-10 12:00:00,CST-6,2017-04-10 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.63,-88.07,41.63,-88.07,"Scattered thunderstorms moved across northern Illinois producing large hail.","Screens on a home were shredded and there was also damage to the siding of a home." +114762,688379,ILLINOIS,2017,April,Hail,"COOK",2017-04-10 12:18:00,CST-6,2017-04-10 12:18:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-87.75,41.72,-87.75,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688381,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 14:02:00,CST-6,2017-04-10 14:02:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-88.08,42.42,-88.08,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688382,ILLINOIS,2017,April,Hail,"OGLE",2017-04-10 14:05:00,CST-6,2017-04-10 14:05:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-89.43,42.05,-89.43,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688383,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 14:06:00,CST-6,2017-04-10 14:06:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-88.18,42.42,-88.18,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688384,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 14:10:00,CST-6,2017-04-10 14:10:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-88.08,42.47,-88.08,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688385,ILLINOIS,2017,April,Hail,"WINNEBAGO",2017-04-10 14:15:00,CST-6,2017-04-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.267,-89.0721,42.267,-89.0721,"Scattered thunderstorms moved across northern Illinois producing large hail.","Nickel size hail was reported at the intersection of East State Street and Regan Street." +114762,688386,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 15:10:00,CST-6,2017-04-10 15:10:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-88.15,42.32,-88.15,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688387,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 15:23:00,CST-6,2017-04-10 15:23:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-88.11,42.35,-88.11,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688388,ILLINOIS,2017,April,Hail,"LIVINGSTON",2017-04-10 15:39:00,CST-6,2017-04-10 15:39:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-88.64,40.88,-88.64,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688389,ILLINOIS,2017,April,Hail,"MCHENRY",2017-04-10 15:41:00,CST-6,2017-04-10 15:41:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-88.29,42.34,-88.29,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688390,ILLINOIS,2017,April,Hail,"COOK",2017-04-10 16:50:00,CST-6,2017-04-10 16:50:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-88.14,42.06,-88.14,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688391,ILLINOIS,2017,April,Hail,"COOK",2017-04-10 16:56:00,CST-6,2017-04-10 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.09,-87.98,42.09,-87.98,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114762,688393,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 17:00:00,CST-6,2017-04-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-87.85,42.17,-87.85,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114956,693034,CALIFORNIA,2017,April,Heavy Rain,"FRESNO",2017-04-13 15:15:00,PST-8,2017-04-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-119.72,36.77,-119.72,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","Heavy rainfall was reported at the Fresno ASOS as 2 inches of rain fell between 415 pm PDT and 600 pm PDT from a nearly stationary thunderstorm. In addition, nearly 2200 customers in Fresno lost power during the thunderstorm." +114956,693035,CALIFORNIA,2017,April,Dust Storm,"SW S.J. VALLEY",2017-04-13 14:00:00,PST-8,2017-04-13 14:20:00,0,2,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","A television station reported a 22 car pileup on Avenal Cutoff Rd near SR 198 just after 300 pm PDT when blowing dust caused by outflow from a nearby thunderstorm reduced visibility to an eighth of a mile. 2 children were reported injured from the pileup." +116055,697527,NEVADA,2017,June,Hail,"ELKO",2017-06-11 15:30:00,PST-8,2017-06-11 15:35:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-115.12,41.75,-115.12,"Nickle size hail was reported about 14 miles northeast of Gibbs Ranch.","" +116056,697528,NEVADA,2017,June,High Wind,"WHITE PINE",2017-06-11 15:00:00,PST-8,2017-06-11 17:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong late spring storm brought high winds to White Pine county. Winds gusting to 58 mph did significant roof damage to a house in Ruth.","Winds gusting up to 58 mph were reported across White Pine county. These high winds did significant roof damage to a house in Ruth." +116057,697529,NEVADA,2017,June,Hail,"WHITE PINE",2017-06-19 15:30:00,PST-8,2017-06-19 15:35:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-115.62,39.94,-115.62,"Thunderstorms brought wind gusts to 65 mph and hail up to the size of quarters to portions of central Nevada.","A report was received via social media of hail roughly the size of quarters near Bald Mountain Mine." +116057,697530,NEVADA,2017,June,Thunderstorm Wind,"EUREKA",2017-06-19 14:00:00,PST-8,2017-06-19 14:05:00,0,0,0,0,,NaN,0.00K,0,39.69,-115.98,39.69,-115.98,"Thunderstorms brought wind gusts to 65 mph and hail up to the size of quarters to portions of central Nevada.","" +116058,697532,NEVADA,2017,June,Thunderstorm Wind,"ELKO",2017-06-20 14:30:00,PST-8,2017-06-20 14:40:00,0,0,0,0,0.00K,0,0.00K,0,39.7359,-115.5186,39.7359,-115.5186,"Thunderstorm outflow winds produced gusts to 65 mph.","" +116058,697533,NEVADA,2017,June,Thunderstorm Wind,"ELKO",2017-06-20 22:00:00,PST-8,2017-06-20 22:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0395,-115.5683,41.0395,-115.5683,"Thunderstorm outflow winds produced gusts to 65 mph.","" +116059,697534,NEVADA,2017,June,Thunderstorm Wind,"ELKO",2017-06-26 18:39:00,PST-8,2017-06-26 18:45:00,0,0,0,0,,NaN,0.00K,0,40.83,-115.76,40.83,-115.76,"Thunderstorm wind gusts caused tree damage on the south side of Elko and a gust to 59 mph at Deeth.","Tree damage was reported from thunderstorms winds along Bullion road in Elko." +116059,697535,NEVADA,2017,June,Thunderstorm Wind,"ELKO",2017-06-26 18:25:00,PST-8,2017-06-26 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-115.25,41.08,-115.25,"Thunderstorm wind gusts caused tree damage on the south side of Elko and a gust to 59 mph at Deeth.","" +117390,707186,NEVADA,2017,February,Flood,"WASHOE",2017-02-08 10:00:00,PST-8,2017-02-09 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2634,-119.952,39.3068,-119.923,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","Twelve to 16 inches of water was running over Mt Rose Highway in the Tahoe Meadows area (near the highway summit) on the morning of the 8th. The highway was closed between Incline Village and the summit until the afternoon of the 9th due to the flooding." +115431,699081,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:25:00,CST-6,2017-06-11 09:25:00,0,0,0,0,0.00K,0,0.00K,0,45.43,-91.73,45.43,-91.73,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","A large oak tree was down, blocking County Road SS." +115431,699084,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:25:00,CST-6,2017-06-11 09:25:00,0,0,0,0,0.00K,0,0.00K,0,45.41,-91.75,45.41,-91.75,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","A tree was blown down." +115431,699079,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:26:00,CST-6,2017-06-11 09:26:00,0,0,0,0,0.00K,0,0.00K,0,45.51,-91.75,45.51,-91.75,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","A few 6 to 8 inch diameter trees were blown down." +115030,690406,GEORGIA,2017,April,Drought,"GWINNETT",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690628,COLORADO,2017,April,Winter Storm,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-04-28 18:00:00,MST-7,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690630,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-04-28 22:00:00,MST-7,2017-04-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690631,COLORADO,2017,April,Winter Storm,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-04-28 22:00:00,MST-7,2017-04-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115569,694468,MINNESOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-13 23:45:00,CST-6,2017-06-13 23:45:00,0,0,0,0,0.00K,0,0.00K,0,44.9392,-93.196,44.9418,-93.1915,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Several trees were blown down at Summit and Cretin Avenues in St. Paul. It was near the University of St. Thomas." +114084,691287,MISSOURI,2017,April,Flash Flood,"JASPER",2017-04-29 09:59:00,CST-6,2017-04-29 12:59:00,0,0,0,0,0.00K,0,0.00K,0,37.101,-94.4964,37.0981,-94.4854,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","There were at least two high water rescues conducted in the Joplin area as well as multiple roads closed due to flood water." +115569,694469,MINNESOTA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-13 23:51:00,CST-6,2017-06-13 23:51:00,0,0,0,0,0.00K,0,0.00K,0,44.673,-92.9726,44.6752,-92.9598,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Several large trees were uprooted." +115569,695500,MINNESOTA,2017,June,Hail,"STEVENS",2017-06-13 06:28:00,CST-6,2017-06-13 06:28:00,0,0,0,0,0.00K,0,0.00K,0,45.59,-95.91,45.59,-95.91,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","" +114084,691289,MISSOURI,2017,April,Flash Flood,"WRIGHT",2017-04-29 10:42:00,CST-6,2017-04-29 13:42:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-92.42,37.1085,-92.421,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","There were at least six mobile homes with water up to the base of the structure." +114084,691290,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-29 12:11:00,CST-6,2017-04-29 15:11:00,0,0,0,0,0.00K,0,0.00K,0,37.3285,-91.9998,37.3277,-92.0091,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 17 near the Big Piney River north of Houston was closed due to flooding." +114084,691291,MISSOURI,2017,April,Flash Flood,"DALLAS",2017-04-29 10:40:00,CST-6,2017-04-29 13:40:00,0,0,0,0,0.00K,0,0.00K,0,37.8416,-92.9783,37.8426,-92.9746,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Route E was impassable and closed due to flooding." +114084,691293,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-29 08:00:00,CST-6,2017-04-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-94.38,36.5885,-94.3863,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","MODOT reported numerous county and state roads were closed due to flooding." +115183,691596,ILLINOIS,2017,April,Hail,"MENARD",2017-04-29 15:48:00,CST-6,2017-04-29 15:53:00,0,0,0,0,0.00K,0,0.00K,0,40.0366,-89.75,40.0366,-89.75,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691597,ILLINOIS,2017,April,Hail,"CHRISTIAN",2017-04-29 16:08:00,CST-6,2017-04-29 16:13:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-89.42,39.58,-89.42,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691598,ILLINOIS,2017,April,Hail,"CHRISTIAN",2017-04-29 16:21:00,CST-6,2017-04-29 16:26:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-89.3,39.55,-89.3,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,696941,ILLINOIS,2017,April,Flash Flood,"CLAY",2017-04-29 19:00:00,CST-6,2017-04-29 23:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9136,-88.6938,38.6054,-88.6982,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Clay County. Several streets in Lewistown and Flora were closed due to high water. Numerous rural roads, highways and creeks in the county were flooded, particularly in the northern part of the county from Iola to Bible Grove, and on U.S. Highway 45 from Hord to Louisville." +114807,688589,IOWA,2017,April,Heavy Rain,"WINNESHIEK",2017-04-14 17:45:00,CST-6,2017-04-14 23:15:00,0,0,0,0,0.00K,0,0.00K,0,43.26,-91.7,43.26,-91.7,"Thunderstorms developed across northeast Iowa during the evening of April 14th as a warm front advanced north toward the region. These storms dumped localized heavy rains that produced some flash flooding in portions of Winneshiek County. County Road W14 sustained damaged and was closed near Ridgeway and a mudslide closed a road in Decorah.","Southeast of Decorah, 2.78 inches of rain fell." +114807,688590,IOWA,2017,April,Heavy Rain,"WINNESHIEK",2017-04-14 17:45:00,CST-6,2017-04-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,43.31,-91.83,43.31,-91.83,"Thunderstorms developed across northeast Iowa during the evening of April 14th as a warm front advanced north toward the region. These storms dumped localized heavy rains that produced some flash flooding in portions of Winneshiek County. County Road W14 sustained damaged and was closed near Ridgeway and a mudslide closed a road in Decorah.","Just west of Decorah, 2.1 inches of rain fell." +115142,691438,WISCONSIN,2017,April,Flood,"TREMPEALEAU",2017-04-21 15:30:00,CST-6,2017-04-24 09:55:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"Two rounds of moderate to heavy rains in the middle of April produced some river flooding across western and central Wisconsin. Flooding was observed along the Trempealeau, Black and Yellow Rivers.","Runoff from heavy rains pushed the Trempealeau River out of its banks in Dodge for the second time in less than a week. The river crested less than a foot above the flood stage at 9.82 feet." +114842,688917,MINNESOTA,2017,April,Hail,"DODGE",2017-04-19 17:57:00,CST-6,2017-04-19 17:57:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.75,44.03,-92.75,"Several rounds of showers and storms moved across southeast Minnesota during the afternoon and evening of April 19th. Some of the storms became strong enough to produce hail across Dodge County with the largest size reported being penny sized in Kasson.","" +114231,684344,WYOMING,2017,April,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-04-07 22:00:00,MST-7,2017-04-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of a deep Pacific trough and ample moisture brought heavy snow to portions of western and central Wyoming. The heaviest snow fell across the western mountains. The Tetons where especially hard hit with 23 inches of new snow at Grand Targhee and 20 inches at the Jackson Hole Ski Resort. Heavy snow also fell in the Star Valley with around 10 inches reported at Afton and the Star Valley Ranch. Upslope flow also brought heavy snow the eastern Bighorn Range with 19 inches at the Cloud Peak SNOTEL site. In the lower elevations, East of the Divide, snow bands developed in some areas. On particularly strong one developed over Fremont County and brought blizzard conditions for a short time. 6 to 8 inches of snow fell over a narrow strip, including the city of Riverton. Only five miles outside of the band, snowfall amounts dropped to almost nothing.","Heavy snow fell in portions of the Salt and Wyoming Ranges. Some of the highest amounts were at the Willow Creek and Cottonwood Creek SNOTEL sites where 20 and 18 inches of new snow fell, respectively." +115343,692534,KANSAS,2017,April,Hail,"ALLEN",2017-04-04 16:50:00,CST-6,2017-04-04 16:50:00,0,0,0,0,,NaN,,NaN,37.93,-95.4,37.93,-95.4,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","" +115343,692535,KANSAS,2017,April,Hail,"COWLEY",2017-04-04 17:28:00,CST-6,2017-04-04 17:28:00,0,0,0,0,,NaN,,NaN,37.0775,-96.9296,37.0775,-96.9296,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","The hail was nickel to quarter size." +112039,668177,GEORGIA,2017,January,Winter Weather,"FLOYD",2017-01-06 15:30:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Floyd County 911 center and a COOP observer reported one half to one inch of snow in the Floyd Springs and Rome areas." +116916,703161,VIRGINIA,2017,May,Thunderstorm Wind,"SURRY",2017-05-27 19:10:00,EST-5,2017-05-27 19:10:00,0,0,0,0,2.00K,2000,0.00K,0,37,-76.9,37,-76.9,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Numerous trees were downed in the area of White Marsh Road and Aberdeen Road." +112039,668180,GEORGIA,2017,January,Winter Weather,"FORSYTH",2017-01-06 18:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers and the public reported one to one and a half inches of snow in the Mars Hill Crossroads and Flowery Branch areas." +112039,668185,GEORGIA,2017,January,Winter Storm,"NORTH FULTON",2017-01-06 20:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","A National Weather Service employee, county officials and the general public reported around a quarter of an inch of freezing rain across the Atlanta Metropolitan area. Several reports of large branches and even trees brought down by ice were received." +122259,732052,IOWA,2017,December,Winter Weather,"BUCHANAN",2017-12-29 00:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","The COOP observer 4 miles west of Stanley reported 3.0 inches of snow." +114084,691394,MISSOURI,2017,April,Flash Flood,"PULASKI",2017-04-30 13:00:00,CST-6,2017-04-30 17:00:00,0,0,0,0,5.40M,5400000,0.00K,0,37.7514,-92.0508,37.7348,-92.0524,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Several homes and business sustained flood damage across the county. Numerous roads and bridges were severely damaged or washed away across the county. There was some infrastructure damage on the Fort Leonard Wood base, including damage to Water Pump Station, roads, bridge, golf course, and the East Gate Access Control Point. This report will contain the total dollar estimate for flood damage to infrastructure, businesses, and homes across Pulaski County." +113368,689647,MISSOURI,2017,April,Thunderstorm Wind,"NEWTON",2017-04-04 17:57:00,CST-6,2017-04-04 17:57:00,0,0,0,0,100.00K,100000,0.00K,0,36.82,-94.37,36.82,-94.37,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","In an area west of the separately reported tornado track, tree limbs were downed and there was minor structural damage to roofs and windows on the southeast side of Neosho." +113368,689725,MISSOURI,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-04 19:05:00,CST-6,2017-04-04 19:05:00,0,0,0,0,10.00K,10000,0.00K,0,36.95,-93.72,36.95,-93.72,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","The Hardess's sign in Aurora was blown off the building and fell on a gas meter." +113712,689776,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 05:00:00,CST-6,2017-04-17 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-94.49,36.64,-94.49,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station ANRM7, about three miles west of Anderson, measured 2.65 inches of rainfall in 24 hours." +113712,689773,MISSOURI,2017,April,Heavy Rain,"LAWRENCE",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-93.93,36.95,-93.93,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-LW-28, about one mile north of Monett, measured 3.23 inches in 24 hours." +113712,689782,MISSOURI,2017,April,Heavy Rain,"CHRISTIAN",2017-04-17 05:30:00,CST-6,2017-04-17 05:30:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-93.3,37.05,-93.3,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-CR-49 near Nixa measured 2.20 inches of rainfall in 24 hours." +115275,692069,IDAHO,2017,April,Thunderstorm Wind,"BENEWAH",2017-04-07 06:00:00,PST-8,2017-04-07 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,47.32,-116.57,47.32,-116.57,"In the early morning hours of April 7th a cold front with showers and a few embedded thunderstorms moved through the Idaho Panhandle. A bow echo on radar formed along the Idaho/Washington border between Coeur D'Alene and Lewiston and tracked through the Idaho Palouse region and Lewiston area. Numerous trees were toppled in the Moscow, Idaho area with damage and scattered power outages noted through out the Idaho Palouse region.","Wind gusts from a thunderstorm resulted in roof and antenna damage to a business in St. Maries." +115275,693042,IDAHO,2017,April,Thunderstorm Wind,"NEZ PERCE",2017-04-07 06:00:00,PST-8,2017-04-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,46.4578,-116.9591,46.4578,-116.9591,"In the early morning hours of April 7th a cold front with showers and a few embedded thunderstorms moved through the Idaho Panhandle. A bow echo on radar formed along the Idaho/Washington border between Coeur D'Alene and Lewiston and tracked through the Idaho Palouse region and Lewiston area. Numerous trees were toppled in the Moscow, Idaho area with damage and scattered power outages noted through out the Idaho Palouse region.","The Shirrod Hill Mesonet station reported a wind gust of 62 mph as a thunderstorm gust front passed through the area. The ASOS station at the Lewiston Airport reported a wind gust of 56 mph." +115278,692078,WASHINGTON,2017,April,Flood,"STEVENS",2017-04-01 00:00:00,PST-8,2017-04-15 07:00:00,0,0,0,0,800.00K,800000,0.00K,0,48.9806,-118.1854,48.9737,-117.5427,"Saturated soil conditions across northeast Washington caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Spokane, Pend Oreille and Stevens Counties was disrupted by numerous road closures due to debris flows and flooding of roads during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.","Saturated soil conditions caused by periodic heavy rain and snow melt during the month of March and the first half of April produced extensive field flooding along the Colville River and debris flows through out the county. Flooding also damage area roads with the most notable event being the closure of Highway 395 near Colville due to persistent flooding. The road was cut by a flood in March, and opened back up in the first week of April. Thirteen other secondary roads in the county were closed due to flooding and debris flows." +115420,693043,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-24 13:27:00,PST-8,2017-04-24 13:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strengthening high pressure over the Eastern Pacific and strengthening low pressure over the Desert Southwest produced a strong pressure gradient over Central California resulting in a period of gusty winds over the Kern County Mountains and Deserts from the afternoon of the 23rd until the evening of the 24th. Several reports of wind gusts exceeding 45 mph were reported during this time frame.","The Bird Springs Pass RAWS reported a peak wind gust of 75 mph." +113740,681319,TEXAS,2017,April,Thunderstorm Wind,"CASTRO",2017-04-14 21:50:00,CST-6,2017-04-14 21:55:00,0,0,0,0,0.00K,0,0.00K,0,34.4234,-102.12,34.4234,-102.12,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A Texas Tech University West Texas mesonet station measured a wind gust to 80 mph." +113741,681152,TEXAS,2017,April,Hail,"LYNN",2017-04-16 20:21:00,CST-6,2017-04-16 20:21:00,0,0,0,0,0.00K,0,0.00K,0,33.1668,-101.9807,33.1668,-101.9807,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Quarter size hail was reported at the intersection of US Highway 380 and Farm to Market Road 1328. No damage was reported." +113741,681153,TEXAS,2017,April,Hail,"BRISCOE",2017-04-16 20:50:00,CST-6,2017-04-16 20:50:00,0,0,0,0,25.00K,25000,0.00K,0,34.5551,-101.4536,34.5551,-101.4536,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Golf ball size hail was reported at Mackenzie Reservoir. The hail broke windows on cars and campers." +113741,681171,TEXAS,2017,April,Hail,"SWISHER",2017-04-16 21:25:00,CST-6,2017-04-16 21:25:00,0,0,0,0,0.00K,0,0.00K,0,34.4774,-101.4835,34.4774,-101.4835,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Tennis ball size hail was reported near the Swisher/Briscoe County line. However, no damage was reported." +113741,681173,TEXAS,2017,April,Funnel Cloud,"SWISHER",2017-04-16 21:25:00,CST-6,2017-04-16 21:25:00,0,0,0,0,0.00K,0,0.00K,0,34.4773,-101.4854,34.4773,-101.4854,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","A funnel cloud was spotted near the Swisher/Briscoe County line." +114753,688346,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-18 15:08:00,CST-6,2017-04-18 15:18:00,0,0,0,0,50.00K,50000,0.00K,0,36.1728,-86.6502,36.2095,-86.6243,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","A NWS storm survey along with Nashville OEM determined an intense 3 mile long by 1/2 mile wide microburst caused significant wind damage in parts of Donelson and Hermitage. The worst damage was in the Stanford Estates neighborhood in Donelson on Lebanon Pike, where dozens of trees and large tree limbs were snapped or uprooted, with many falling onto homes. A total of 6 homes had significant damage due to downed trees. The roof of a dugout was also partially blown off at the Donelson Christian Academy, and several fences were blown down in the area. Damage was in a clear starburst pattern from the west to the north-northeast across Stanford Estates. Farther to the northeast, more trees were blown down in Hermitage along the Stones River Greenway and in the Ravenwood and Hermitage Hills neighborhoods. A few more trees were blown down in Rotary Park in Hermitage and a baseball field backstop was damaged. Winds were estimated up to 75 mph." +114753,688345,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-18 15:03:00,CST-6,2017-04-18 15:03:00,0,0,0,0,3.00K,3000,0.00K,0,36.1508,-86.7918,36.1508,-86.7918,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","A tSpotter Twitter report showed a large tree fell on a parked car on Music Row." +114753,688344,TENNESSEE,2017,April,Hail,"DAVIDSON",2017-04-18 14:55:00,CST-6,2017-04-18 14:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1386,-86.6657,36.1386,-86.6657,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","A Facebook photo showed nickel size hail fell on Donelson Pike near the Nashville Airport." +114753,688347,TENNESSEE,2017,April,Hail,"DAVIDSON",2017-04-18 15:12:00,CST-6,2017-04-18 15:12:00,0,0,0,0,0.00K,0,0.00K,0,36.1709,-86.7468,36.1709,-86.7468,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","Penny size hail and estimated 50 mph wind gusts were reported in East Nashville." +114753,688349,TENNESSEE,2017,April,Flash Flood,"DAVIDSON",2017-04-18 18:30:00,CST-6,2017-04-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1641,-86.7947,36.1126,-86.7822,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","George L. Davis Blvd. was closed due to flooding near Jo Johnston Road. Browns Creek also overflowed its banks and caused flooding along portions of Sutton Hill Road." +114654,687672,IOWA,2017,April,Heavy Rain,"CARROLL",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-94.87,42.07,-94.87,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Carroll AWOS reported heavy rainfall of 1.08 inches." +114654,687673,IOWA,2017,April,Heavy Rain,"CERRO GORDO",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-93.37,43.14,-93.37,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","KAAL TV relayed public report of heavy rainfall of 1.50 inches." +121202,725558,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTH BELTRAMI",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +114755,688809,TENNESSEE,2017,April,Flood,"OVERTON",2017-04-22 15:30:00,CST-6,2017-04-22 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.34,-85.39,36.3184,-85.4378,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Hardys Chapel Road was closed due to flooding." +114755,694311,TENNESSEE,2017,April,Flash Flood,"WILLIAMSON",2017-04-22 05:00:00,CST-6,2017-04-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9693,-86.6747,35.9006,-86.992,"Widespread showers and thunderstorms spread across Middle Tennessee in the early morning hours on April 22 and continued into the next day on April 23. One supercell thunderstorm developed and tracked across Wayne, Lawrence, and Giles Counties, producing many reports of large hail and wind damage. Heavy rainfall from all of the showers and thunderstorms also produced widespread reports of flooding.","Numerous tSpotter Twitter reports, photos and videos showed flash flooding of several roadways in Williamson County, especially in the Nolensville area. Parts of Clovercroft Road near Nolensville Road were flooded, and a house was surrounded by flood waters on Nolensville Park Road. Flooding from Mill Creek covered part of the intersection of Sunset Road at Nolensville Road. Kittrell Road near Hunter Road south of Franklin was also under water. High water also covered parts of Southall Road in Leipers Fork." +114759,688636,TENNESSEE,2017,April,Thunderstorm Wind,"MAURY",2017-04-30 13:20:00,CST-6,2017-04-30 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,35.6858,-87.0547,35.6858,-87.0547,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Large tree down blocking both lanes of Darks Mill Road." +114759,688637,TENNESSEE,2017,April,Thunderstorm Wind,"MAURY",2017-04-30 13:35:00,CST-6,2017-04-30 13:35:00,0,0,0,0,3.00K,3000,0.00K,0,35.7502,-86.9312,35.7502,-86.9312,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","Trees were blown down on Highway 43 in Spring Hill." +121202,725559,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTH BELTRAMI",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +114759,688638,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:53:00,CST-6,2017-04-30 13:53:00,0,0,0,0,2.00K,2000,0.00K,0,36.0578,-86.7531,36.0578,-86.7531,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A trained spotter reported two trees were snapped on Kincannon Drive in Crieve Hall." +115368,692694,FLORIDA,2017,April,Wildfire,"INLAND BROWARD COUNTY",2017-04-05 18:01:00,EST-5,2017-04-07 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Dry and windy conditions allowed for the rapid spread of the Holiday wildfire along the wild land/urban interface in western Broward County.","The Holiday wildfire started during the evening hours of April 5th near the Holly Lake mobile home community at the intersection of US 27 and Johnson Street in far western Pembroke Pines. Gusty winds on April 6th and 7th and dry conditions allowed for rapid spread of the fire, which reached 5500 acres by the evening of April 7th. Both Everglades Holiday Park and Mack's Fish Camp located near the fire were threatened and evacuated at times. Begin time and date is the first reporting time of incident, and end date/time is of last report from state emergency management." +115418,694780,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-04-06 03:08:00,EST-5,2017-04-06 03:09:00,0,0,0,0,,NaN,,NaN,32.28,-80.41,32.28,-80.41,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","A 35 knot wind gust was recorded at the Fripp Nearshore buoy." +115418,694816,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:33:00,EST-5,2017-04-06 03:34:00,0,0,0,0,,NaN,,NaN,32.68,-79.88,32.68,-79.88,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The C-MAN station at Folly Beach recorded a 41 knot wind gust." +115418,694818,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-04-06 03:40:00,EST-5,2017-04-06 03:41:00,0,0,0,0,,NaN,,NaN,32.76,-79.82,32.76,-79.82,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked through the region and produced strong winds over coastal waters during the evening and overnight hours.","The Weatherflow site at Sullivan's Island recorded a peak wind gust of 38 knots." +115638,694830,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"CURRITUCK BEACH LT TO OREGON INLET NC OUT 20NM",2017-04-22 19:25:00,EST-5,2017-04-22 19:25:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-75.59,35.91,-75.59,"Severe thunderstorms produced strong wind gusts across the northern Outer Banks.","Jennettes Pier Weatherflow." +115637,694824,NORTH CAROLINA,2017,April,Strong Wind,"GREENE",2017-04-06 13:00:00,EST-5,2017-04-06 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds behind a cold front led to damage to a mobile home roof near Snow Hill. A wind gust to 65 mph was measured on the Outer Banks.","Roof damage on a mobile home occurred on Murry Rd north of Snow Hill." +115637,694827,NORTH CAROLINA,2017,April,High Wind,"EASTERN DARE",2017-04-06 13:15:00,EST-5,2017-04-06 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds behind a cold front led to damage to a mobile home roof near Snow Hill. A wind gust to 65 mph was measured on the Outer Banks.","Khk Resort Weatherflow." +117620,707344,FLORIDA,2017,June,Flood,"DUVAL",2017-06-26 16:57:00,EST-5,2017-06-26 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.157,-81.6449,30.2007,-81.6226,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","Reports of flooding from the Mandarin area were relay to the NWS. At 5:57 pm, the public reported via social media 8-12 inches of water covered Beauclerc and Scott Mill Road. At 6:05 pm, the public relayed a video of water flowing over Mandarin Road near Riverplace Drive." +117619,707336,FLORIDA,2017,June,Heavy Rain,"ST. JOHNS",2017-06-24 23:00:00,EST-5,2017-06-25 10:59:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-81.34,29.92,-81.34,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","A home weather station measured 2.65 inches of rainfall since midnight." +117620,707341,FLORIDA,2017,June,Flood,"DUVAL",2017-06-26 16:26:00,EST-5,2017-06-26 16:27:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-81.66,30.3289,-81.6501,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","Parts of downtown Jacksonville were flooded included Main Street at Church Street and at North Liberty Street at Church Street. Portions of roadways in these areas were completely flooded." +117620,707343,FLORIDA,2017,June,Flood,"ST. JOHNS",2017-06-26 16:52:00,EST-5,2017-06-26 16:52:00,0,0,0,0,0.00K,0,0.00K,0,30.0933,-81.4659,30.067,-81.4999,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A spotter reported 1 foot of rainfall across County Road 210 between Highway 1 and Interstate 95." +114040,683350,INDIANA,2017,April,Flood,"CRAWFORD",2017-04-29 06:00:00,EST-5,2017-04-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.29,-86.48,38.2912,-86.4832,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","A trained spotter reported that Indiana Highway 237 was under 5-8 feet of water from the Little Blue River. A water rescue was necessary when a man drove into the water." +114040,683351,INDIANA,2017,April,Flood,"CRAWFORD",2017-04-29 06:00:00,EST-5,2017-04-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-86.32,38.3615,-86.3182,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","A trained spotter reported that both approaches to a small bridge on Hogtown Road were washed out." +114040,683352,INDIANA,2017,April,Flood,"HARRISON",2017-04-29 06:00:00,EST-5,2017-04-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-86.1,38.2778,-86.0977,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","The Harrison County COOP observer reported 1.5 feet of water over Tee Road, and Big Indian Creek was flooded." +114040,683353,INDIANA,2017,April,Flood,"DUBOIS",2017-04-29 06:59:00,EST-5,2017-04-29 06:59:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-86.93,38.3901,-86.9247,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","Local law enforcement reported that Highway 164 closed due to flooding." +114040,683354,INDIANA,2017,April,Flood,"CLARK",2017-04-29 07:04:00,EST-5,2017-04-29 07:04:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-85.76,38.3931,-85.7481,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","Clark County reported roads were closed due to flooding." +115237,691871,WISCONSIN,2017,April,Heavy Snow,"VILAS",2017-04-10 23:00:00,CST-6,2017-04-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance in the upper levels of the atmosphere and unstable conditions at mid levels helped to produce significant amounts of snow across north central Wisconsin in just 8 hours. Snow totals were in excess of 6 inches at several locations, and the highest snowfall total was 9.0 inches north of Heafford Junction (Oneida Co.).","The highest measured snowfall total in Vilas County was 8.5 inches at Land O' Lakes." +115237,691872,WISCONSIN,2017,April,Heavy Snow,"ONEIDA",2017-04-10 23:00:00,CST-6,2017-04-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance in the upper levels of the atmosphere and unstable conditions at mid levels helped to produce significant amounts of snow across north central Wisconsin in just 8 hours. Snow totals were in excess of 6 inches at several locations, and the highest snowfall total was 9.0 inches north of Heafford Junction (Oneida Co.).","The highest measured snowfall totals in Oneida County were 9.0 inches near Heafford Junction and 8.0 inches at Lake Tomahawk." +115237,691873,WISCONSIN,2017,April,Heavy Snow,"FOREST",2017-04-10 23:00:00,CST-6,2017-04-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance in the upper levels of the atmosphere and unstable conditions at mid levels helped to produce significant amounts of snow across north central Wisconsin in just 8 hours. Snow totals were in excess of 6 inches at several locations, and the highest snowfall total was 9.0 inches north of Heafford Junction (Oneida Co.).","The highest measured snowfall total in Forest County was 8.0 inches near Alvin." +115698,695229,LOUISIANA,2017,April,Hail,"BEAUREGARD",2017-04-26 18:19:00,CST-6,2017-04-26 18:19:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-93.57,30.53,-93.57,"Severe weather occurred in Southeast Texas along an advancing cold front, however most activity dissipated before moving into Louisiana. One storm held together and moved into Beauregard Parish where large hail was produced.","A report of golf ball size hail was relayed by KPLC TV near Fields." +115700,695279,LOUISIANA,2017,April,Tornado,"AVOYELLES",2017-04-30 03:20:00,CST-6,2017-04-30 03:24:00,0,0,0,0,110.00K,110000,0.00K,0,30.9444,-92.2257,30.9524,-92.2205,"Winds increased across Louisiana ahead of a system that was kicking out of West Texas. This produced a couple reports of tree damage. Later in the afternoon and into the night scattered reports of severe weather and flooding were received as the system moved through.","Tornado started south of LA 115 along Haasville Rd. Ripped tin off out buildings |and snapped tree limbs. As the tornado crossed LA 115 it strengthened toppling a large tree onto a carport damaging it and several vehicles. Other trees were also toppled in the damage path. A daycare business next door also had its metal roof ripped off. The estimated maximum winds of the tornado was 100 MPH." +115430,695732,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:10:00,CST-6,2017-06-11 06:10:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-95.18,45.15,-95.18,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were 8 to 10 inch diameter trees down on the road." +115771,696029,GEORGIA,2017,April,Tornado,"TALBOT",2017-04-03 11:18:00,EST-5,2017-04-03 11:22:00,0,0,0,0,25.00K,25000,,NaN,32.6956,-84.5267,32.7069,-84.4908,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team that an EF-0 tornado with maximum wind speeds of 70 MPH and a maximum path width of 75 yards occurred in central Talbot County. The tornado touched down northeast of Talbotton along Boot Kelly Road near Buckrun Road. The tornado snapped trees and tossed several trampolines near the beginning of the track where a few homes were located. As the tornado traveled northeast, the area became more forested and damage was limited to trees snapped on either side of Boot Kelly Road. The tornado ended east of Boot Kelly Road and west of PoBiddy Road. No injuries were reported. [04/03/17: Tornado #7, County #1/1, EF-0, Talbot, 2017:039]." +115771,696018,GEORGIA,2017,April,Tornado,"LUMPKIN",2017-04-03 11:17:00,EST-5,2017-04-03 11:26:00,0,0,0,0,75.00K,75000,,NaN,34.4858,-83.9252,34.5356,-83.8714,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-1 tornado with maximum wind speeds of 100 MPH and a maximum path width of 350 yards occurred in Lumpkin County. The tornado began east of Georgia Highway 400 along Red Oak Flats Road near Red Oak Flats Loop. Numerous uprooted trees were found along the majority of Red Oak Flats Road as the tornado moved northeast. After the tornado crossed Old Dahlonega Highway it strengthened to an EF-1 along a ridgetop causing significant damage to barns and sheds. Damage to a home was found on Dunagan Drive along with numerous large trees uprooted in a pasture behind the road. The tornado continued northeast along Cleveland Highway but weakened to EF-0, causing damage to numerous trees and the collapse of a large chicken coop on Francis Smith Road. The tornado ended after moving east of Francis Smith Road. No injuries were reported. [04/03/17: Tornado #6, County #1/1, EF-1, Lumpkin, 2017:038]." +115771,696043,GEORGIA,2017,April,Tornado,"WEBSTER",2017-04-03 11:29:00,EST-5,2017-04-03 11:33:00,0,0,0,0,15.00K,15000,,NaN,32.1409,-84.6112,32.1492,-84.5456,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-0 tornado with maximum wind speeds of 75 MPH and a maximum path width of 150 yards occurred in northern Webster County. The tornado touched down just west of Seminole Road snapping several trees onto the roadway. The tornado moved east snapping trees as it crossed County Roads 8 and 123 before ending prior to crossing Highway 41. No injuries were reported. [04/03/17: Tornado #9, County #1/1, EF-0, Webster, 2017:041]." +115656,694943,TEXAS,2017,April,Hail,"GRAY",2017-04-16 18:03:00,CST-6,2017-04-16 18:03:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-101.01,35.29,-101.01,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694944,TEXAS,2017,April,Hail,"GRAY",2017-04-16 18:04:00,CST-6,2017-04-16 18:04:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-101.04,35.26,-101.04,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694945,TEXAS,2017,April,Hail,"GRAY",2017-04-16 18:04:00,CST-6,2017-04-16 18:04:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-100.99,35.3,-100.99,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694946,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:12:00,CST-6,2017-04-16 18:12:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-101.15,35.3,-101.15,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694947,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:32:00,CST-6,2017-04-16 18:32:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-101.18,35.27,-101.18,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115183,691633,ILLINOIS,2017,April,Thunderstorm Wind,"EFFINGHAM",2017-04-29 17:40:00,CST-6,2017-04-29 17:45:00,0,0,0,0,75.00K,75000,0.00K,0,39.07,-88.37,39.07,-88.37,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Shingles were blown off several houses. A large tree was blown down and two empty semis were tipped over." +115183,691622,ILLINOIS,2017,April,Thunderstorm Wind,"CUMBERLAND",2017-04-29 17:50:00,CST-6,2017-04-29 17:55:00,0,0,0,0,7.00K,7000,0.00K,0,39.27,-88.25,39.27,-88.25,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A power pole was snapped." +115183,691631,ILLINOIS,2017,April,Thunderstorm Wind,"MOULTRIE",2017-04-29 18:05:00,CST-6,2017-04-29 18:10:00,0,0,0,0,2.00K,2000,0.00K,0,39.71,-88.65,39.71,-88.65,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A tree was blown down and fascia was stripped off a garage." +115362,693599,GEORGIA,2017,April,Hail,"LIBERTY",2017-04-03 14:38:00,EST-5,2017-04-03 14:39:00,0,0,0,0,,NaN,,NaN,31.8,-81.44,31.8,-81.44,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A spotter reported nickel size hail near Midway, GA." +115362,693600,GEORGIA,2017,April,Hail,"BULLOCH",2017-04-03 14:43:00,EST-5,2017-04-03 14:44:00,0,0,0,0,,NaN,,NaN,32.33,-81.81,32.33,-81.81,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Bulloch County 911 Call Center reported quarter size hail near the intersection of Highway 46 and Sinkhole Road." +115362,693601,GEORGIA,2017,April,Hail,"LIBERTY",2017-04-03 14:47:00,EST-5,2017-04-03 14:48:00,0,0,0,0,,NaN,,NaN,31.86,-81.43,31.86,-81.43,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A trained spotter reported quarter size hail falling on Freedman Grove Road." +115930,696544,LOUISIANA,2017,April,Coastal Flood,"ST. TAMMANY",2017-04-30 12:45:00,CST-6,2017-04-30 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Strong onshore flow resulted tides rising approximately 2 feet above normal. This caused flooding across the Mandeville lake front during high tide." +115930,696550,LOUISIANA,2017,April,Tornado,"POINTE COUPEE",2017-04-30 12:15:00,CST-6,2017-04-30 12:17:00,0,0,0,0,,NaN,,NaN,30.5533,-91.5593,30.556,-91.5488,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","A tornado touched down on Hwy 77 south of Hwy 190. It initially moved southeast but turned more toward the east as it reached BMG Dr and then to the northeast as it reached the end of BMG Dr. I then moved northerly as it approached and crossed Hwy 190. The tornado snapped multiple trees and caused minor roof damage to a mobile home and Church in Livonia. Maximum winds were estimated near 90 mph." +115930,696553,LOUISIANA,2017,April,Tornado,"EAST BATON ROUGE",2017-04-30 12:50:00,CST-6,2017-04-30 12:52:00,0,0,0,0,0.00K,0,0.00K,0,30.6437,-91.0843,30.6453,-91.0798,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","A tornado touched down on Deer Creek Dr north of Hwy 64. It moved northeast downing a few trees and destroying a framed car port. Maximum estimated winds were 80 mph. Time estimated based on radar." +115930,696558,LOUISIANA,2017,April,Thunderstorm Wind,"ST. HELENA",2017-04-30 07:58:00,CST-6,2017-04-30 07:58:00,0,0,0,0,0.00K,0,0.00K,0,30.7424,-90.58,30.7424,-90.58,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Strong winds downed a few trees near the intersection of Hwy 43 and Hwy 1045." +115930,696538,LOUISIANA,2017,April,Coastal Flood,"LOWER JEFFERSON",2017-04-30 10:15:00,CST-6,2017-04-30 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A squall line with embedded severe thunderstorms moved through the area ahead of a cold front. Strong onshore flow ahead of the front also led to coastal flooding.","Strong onshore flow caused tides to rise approximately 1.5 feet above normal resulting in impassible roads during high tide on Grand Isle." +113340,678204,NORTH DAKOTA,2017,April,Flood,"TOWNER",2017-04-01 00:00:00,CST-6,2017-04-05 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-99.5,48.54,-99.46,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th and continued into early April, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +115294,696707,ILLINOIS,2017,April,Flood,"DOUGLAS",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8888,-88.3391,39.7331,-88.4771,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 2.50 to 3.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Douglas County. Several streets in Tuscola were impassable. Numerous rural roads and highways in the county were inundated, particularly U.S. Highway 36 from Tuscola to Newman, and U.S. Highway 45 near Tuscola which was closed due to high water. An additional 1.00 inch off rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 2nd." +115294,696709,ILLINOIS,2017,April,Flood,"EDGAR",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8872,-87.9342,39.7926,-87.9364,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Edgar County. Numerous streets in Paris were impassable. Most rural roads and highways in the southern part of the county from Kansas to Vermilion were inundated, including Illinois Route 49 which was closed near Kansas due to flowing water. An additional 1.00 to 2.00 inches of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115054,690687,OKLAHOMA,2017,April,Drought,"LATIMER",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115054,690688,OKLAHOMA,2017,April,Drought,"LE FLORE",2017-04-01 00:00:00,CST-6,2017-04-25 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread, heavy rainfall occurred across much of eastern Oklahoma during the month of April 2017. Rainfall amounts across the area ranged from about four inches to more than fifteen inches, which corresponded to near normal rainfall to as much as 400 percent above normal average rainfall for the month. As a result of this widespread, heavy rainfall, Severe Drought (D2) conditions that began the month across much of the region, were eliminated toward the end of the month. Monetary damage estimates resulting from the drought were not available.","" +115061,690845,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 18:35:00,CST-6,2017-04-04 18:35:00,0,0,0,0,0.00K,0,0.00K,0,35.2968,-94.0369,35.2968,-94.0369,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690846,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 18:48:00,CST-6,2017-04-04 18:48:00,0,0,0,0,0.00K,0,0.00K,0,35.4711,-93.83,35.4711,-93.83,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690848,ARKANSAS,2017,April,Hail,"WASHINGTON",2017-04-04 18:59:00,CST-6,2017-04-04 18:59:00,0,0,0,0,0.00K,0,0.00K,0,35.9242,-94.1889,35.9242,-94.1889,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115430,696168,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:20:00,CST-6,2017-06-11 07:20:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-93.79,44.85,-93.79,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A 12 diameter branch was blown down." +117765,708087,NEW MEXICO,2017,August,Hail,"UNION",2017-08-14 14:30:00,MST-7,2017-08-14 14:35:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-103.61,36.59,-103.61,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Hail up to the size of nickels accumulated on highway near Grenville. Traffic stopped along U.S. 64/87." +115063,690879,OKLAHOMA,2017,April,Thunderstorm Wind,"CHOCTAW",2017-04-21 20:41:00,CST-6,2017-04-21 20:41:00,0,0,0,0,2.00K,2000,0.00K,0,34.049,-95.27,34.049,-95.27,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma for much of the day. Several rounds of strong to severe thunderstorms developed north of the front across eastern Oklahoma during the early morning through evening hours as the system approached the area. Damaging wind was the most commonly occurring severe weather event as each round of storms moved east across the area, with large hail and even some flash flooding remaining isolated.","Strong thunderstorm wind blew down power lines." +115065,690908,OKLAHOMA,2017,April,Thunderstorm Wind,"TULSA",2017-04-25 21:30:00,CST-6,2017-04-25 21:30:00,0,0,0,0,0.00K,0,0.00K,0,36.16,-96.07,36.16,-96.07,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A storm spotter measured 63 mph thunderstorm wind gusts." +115065,690916,OKLAHOMA,2017,April,Thunderstorm Wind,"ROGERS",2017-04-25 22:12:00,CST-6,2017-04-25 22:12:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-95.8,36.27,-95.8,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind snapped large tree limbs." +115065,690942,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-25 22:15:00,CST-6,2017-04-25 23:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1448,-96.101,36.1434,-96.1007,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Portions of Forest Drive were flooded and impassable." +115065,690943,OKLAHOMA,2017,April,Flash Flood,"TULSA",2017-04-25 22:33:00,CST-6,2017-04-25 22:33:00,0,0,0,0,0.00K,0,0.00K,0,36.2976,-95.9827,36.2961,-95.9831,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Portions of Highway 11 were flooded on the south side of Sperry." +115065,690918,OKLAHOMA,2017,April,Thunderstorm Wind,"MAYES",2017-04-25 22:45:00,CST-6,2017-04-25 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.4368,-95.2718,36.4368,-95.2718,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Thunderstorm wind gusts were estimated to around 70 mph." +115875,696383,OKLAHOMA,2017,April,Flood,"OTTAWA",2017-04-29 15:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.9661,-94.7313,36.9607,-94.7116,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Spring River near Quapaw rose above its flood stage of 20 feet at 4:00 pm CDT on April 29th. The river remained in flood through the end of April, and crested at 34.57 feet at 2:00 am CDT on May 1st, resulting in major flooding. Agricultural lands and county roads were flooded to a depth of several feet. The river then fell below flood stage at 12:00 am CDT on May 5th." +115875,696387,OKLAHOMA,2017,April,Flood,"ADAIR",2017-04-29 10:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-94.57,36.12,-94.6094,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Illinois River near Watts rose above its flood stage of 13 feet at 11:00 am CDT on April 29th. The river crested at 30.16 feet at 7:00 am CDT on the 30th, resulting in record flooding. Disastrous flooding occurred from the Arkansas border to the Chewey Bridge, with many permanent campgrounds and cabins overtopped. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 8:30 am CDT on May 1st." +114041,683323,KENTUCKY,2017,April,Tornado,"OLDHAM",2017-04-28 22:53:00,EST-5,2017-04-28 22:56:00,0,0,0,0,200.00K,200000,0.00K,0,38.397,-85.596,38.402,-85.573,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","A tornado developed in a new subdivision in Goshen, KY. The tornado traveled along a 1 mile path to the ENE. Numerous trees were snapped or uprooted along the path. A couple of houses and two church buildings sustained roof damage. Power lines and power poles were downed along the path as well." +114041,683319,KENTUCKY,2017,April,Thunderstorm Wind,"OLDHAM",2017-04-28 23:04:00,EST-5,2017-04-28 23:04:00,0,0,0,0,,NaN,0.00K,0,38.4,-85.58,38.4,-85.58,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","Multiple trees were downed in the Goshen area." +114041,683318,KENTUCKY,2017,April,Hail,"GARRARD",2017-04-29 17:55:00,EST-5,2017-04-29 17:55:00,0,0,0,0,,NaN,,NaN,37.74,-84.62,37.74,-84.62,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","" +114041,683341,KENTUCKY,2017,April,Thunderstorm Wind,"BARREN",2017-04-30 15:22:00,CST-6,2017-04-30 15:22:00,0,0,0,0,25.00K,25000,0.00K,0,36.98,-85.93,36.98,-85.93,"An unseasonably warm and humid air mass developed across the lower Ohio Valley during late April 2017. A powerful weather system across the central Plains brought several rounds of strong to severe thunderstorms over the 3 day period. Large hail, damaging winds, and flash flooding occurred. A brief EF-1 tornado occurred in Oldham County late in the evening on April 28, damaging several homes.","The public reported a tree on a house." +113801,681368,KENTUCKY,2017,April,Hail,"BUTLER",2017-04-05 13:38:00,CST-6,2017-04-05 13:38:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-86.75,37.19,-86.75,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681369,KENTUCKY,2017,April,Hail,"HANCOCK",2017-04-05 13:45:00,CST-6,2017-04-05 13:45:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-86.88,37.86,-86.88,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +117396,706026,COLORADO,2017,July,Flash Flood,"OURAY",2017-07-20 15:15:00,MST-7,2017-07-20 16:15:00,0,0,0,0,50.00K,50000,0.00K,0,37.9806,-107.7094,37.9836,-107.7054,"Subtropical moisture over the area produced some thunderstorms with heavy rainfall. Flash flooding occurred at a location in Ouray County.","Heavy rainfall resulted in flash flooding and mudslides southwest of the town of Ouray. The costliest flash flood in the impacted area tore up a section of County Road 361 where new construction had just been completed. The crib wall, culverts, and other cement road structures were damaged beyond repair. Additionally, several culverts along County Road 361 became clogged by debris. Flash flooding with tons of debris deposits also occurred further down on Yankee Boy Road where 26 mudslides occurred. Additional mudslides and flooding also came down across Corkscrew Road. Radar estimated rainfall was between 0.50 to 1.00 inches at the time." +117133,704702,COLORADO,2017,July,Funnel Cloud,"ROUTT",2017-07-26 09:44:00,MST-7,2017-07-26 09:48:00,0,0,0,0,0.00K,0,0.00K,0,40.3531,-106.7611,40.3531,-106.7611,"Subtropical moisture in the region resulted in scattered thunderstorms, and one storm in Routt County produced a funnel cloud.","A funnel cloud was photographed just west of Rabbit Ears Pass by a person who was traveling on Highway 40." +116372,699826,ARKANSAS,2017,May,Hail,"BOONE",2017-05-11 14:05:00,CST-6,2017-05-11 14:05:00,0,0,0,0,0.00K,0,0.00K,0,36.4522,-93.1886,36.4522,-93.1886,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +116699,712845,COLORADO,2017,July,Heavy Rain,"MONTEZUMA",2017-07-20 15:00:00,MST-7,2017-07-20 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-108.66,37.56,-108.66,"Subtropical moisture continued to flow northward across the region and led to strong thunderstorms, some with heavy rainfall and hail.","Within 30 minutes, 0.85 of an inch of rain fell near Yellow Jacket, Colorado." +118648,712838,COLORADO,2017,July,Debris Flow,"PITKIN",2017-07-11 18:00:00,MST-7,2017-07-11 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-106.88,39.2397,-106.8797,"A moist and unsettled atmosphere under southwesterly flow aloft resulted in scattered showers and thunderstorms that produced heavy rainfall and some rockslides in Pitkin County.","Several rockslides occurred after showers and storms produced heavy rain, which blocked eastbound lanes on portions of Colorado Highway 82. Radar estimated 0.50 to 0.70 inches of rain fell earlier in the afternoon. The Aspen-Pitkin County Airport ASOS measured 0.93 of an inch of rain in the early evening." +118649,712839,COLORADO,2017,July,Heavy Rain,"RIO BLANCO",2017-07-19 15:00:00,MST-7,2017-07-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-107.89,40.05,-107.89,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","The automated station at the Meeker Coulter Field Airport measured 1.15 inches of rain within one hour." +113801,681417,KENTUCKY,2017,April,Thunderstorm Wind,"HARDIN",2017-04-05 16:27:00,EST-5,2017-04-05 16:27:00,0,0,0,0,25.00K,25000,0.00K,0,37.72,-85.88,37.72,-85.88,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A tree was uprooted due to severe thunderstorm winds and fell onto a mobile home." +113801,681431,KENTUCKY,2017,April,Thunderstorm Wind,"HENRY",2017-04-05 16:53:00,EST-5,2017-04-05 16:53:00,0,0,0,0,200.00K,200000,,NaN,38.38,-85.15,38.38,-85.15,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Local broadcast media reported that severe thunderstorm winds blew off a roof from a modular home. Four to five barns were destroyed. A mobile home was destroyed near Watkins Lane. Numerous trees were downed, and several boards were peeled off a fence." +115350,692620,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:05:00,CST-6,2017-04-02 20:05:00,0,0,0,0,10.00K,10000,0.00K,0,26.23,-97.58,26.23,-97.58,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Rio Hondo Police reported baseball size hail. Windshields of four vehicles in possession of the city of Rio Hondo broken due to hail. Unknown roof damage was also likely; details and damage estimates will be provided as information is received." +113801,681660,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 17:55:00,EST-5,2017-04-05 17:55:00,0,0,0,0,50.00K,50000,,NaN,38.27,-84.65,38.27,-84.65,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A NWS Storm Survey team found damage to barns and outbuildings, and large limbs down, along Duvall Station Road." +113932,690546,KANSAS,2017,April,Hail,"OSBORNE",2017-04-12 16:57:00,CST-6,2017-04-12 16:57:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-98.8563,39.47,-98.8563,"Following a brief break from morning and early afternoon thunderstorms, additional storms developed across portions of central Kansas late this Wednesday afternoon. While much of the late afternoon activity stayed along and south of Interstate 70, a few drifted through north central Kansas. The strongest of these storms passed through northwestern Osborne County, dropping quarter size hail approximately 6 miles northwest of Alton. Hail was reported to be up to 4 inches deep in spots.||A subtle mid-level shortwave trough was working east through the Central and Northern Plains through the day, with these late afternoon storms developing on the southern edge of the disturbance in an area of subtle convergence. At the surface, low pressure was located over southeastern Colorado, with a trough axis extending northeast into far south central Nebraska. This boundary was likely reinforced by outflow from convection earlier in the afternoon. These storms formed along a narrow axis of instability along the surface boundary, with MLCAPE values up to 1000 j/kg. Deeper layer shear was right around 30 knots. These storms developed a little after 4 PM CDT, but with overall weak forcing and waning instability and shear with time, were fairly scattered in nature and dissipated by 7:30 PM CDT.","" +113934,689574,KANSAS,2017,April,Hail,"OSBORNE",2017-04-15 18:33:00,CST-6,2017-04-15 18:33:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-98.796,39.18,-98.796,"Upper level shortwave energy associated with low pressure over central Canada pushed east into the Central and Northern Plains on this Saturday afternoon. Accompanying this system was a surface cold front, which trekked southeast across the region during the day. By early evening, surface low pressure was located over the Oklahoma and Texas panhandle region, with the cold front extending northeast through central Kansas and into far southeastern Nebraska.| |Shortly after 6 PM CDT, thunderstorms started to develop along the surface cold front. The main line of activity formed just outside the southeast corner of the NWS Hastings coverage area. One storm did develop just north of the main cold front, over far eastern portions of Rooks County. This storm pushed east, then southeast through central and southern portions of Osborne County, dropping hail up to the size of golf balls over areas northeast and east of Natoma before pushing out of the coverage area by 8:30 PM CDT. While the best environment for thunderstorms was along and south of the front, this storm still had MLCAPE values near 2000 j/kg to tap into, with deep layer shear values near 40 knots.","" +116157,698135,SOUTH CAROLINA,2017,June,Heavy Rain,"RICHLAND",2017-06-15 18:00:00,EST-5,2017-06-16 00:00:00,0,0,0,0,0.10K,100,0.10K,100,33.9528,-80.8724,33.9528,-80.8724,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","RCWINDS site at Lower Richland Fire Station measured 4.33 inches of rain from thunderstorm activity that occurred during the late afternoon and evening of June 15th into the very early morning hours of June 16th." +116165,698164,SOUTH CAROLINA,2017,June,Lightning,"KERSHAW",2017-06-24 14:54:00,EST-5,2017-06-24 14:55:00,0,0,0,0,0.50K,500,0.10K,100,34.22,-80.68,34.22,-80.68,"Daytime heating allowed scattered afternoon thunderstorms to develop.","Lightning struck a two story residence, causing minor damage. A school alarm was also set off." +116157,709334,SOUTH CAROLINA,2017,June,Flood,"RICHLAND",2017-06-15 21:38:00,EST-5,2017-06-15 21:43:00,0,0,0,0,0.10K,100,0.10K,100,34.1353,-80.991,34.1299,-80.993,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","Approximately 4 inches of water was reported on Wilson Blvd near Killian Rd." +117112,704575,TENNESSEE,2017,June,Thunderstorm Wind,"CAMPBELL",2017-06-14 13:00:00,EST-5,2017-06-14 13:00:00,0,0,0,0,,NaN,,NaN,36.37,-84.13,36.37,-84.13,"An isolated severe thunderstorm formed on the Cumberland Plateau during peak heating. Damaging wind gusts occurred with this storm.","A few trees were reported down across the county." +117116,704600,TENNESSEE,2017,June,Thunderstorm Wind,"MARION",2017-06-15 13:07:00,CST-6,2017-06-15 13:07:00,0,0,0,0,,NaN,,NaN,35.02,-85.71,35.02,-85.71,"A couple severe thunderstorms developed on the Plateau during the peak instability available during the afternoon. Trees were reported down in a few spots.","Several trees were reported down in the South Pittsburg area." +117116,704603,TENNESSEE,2017,June,Thunderstorm Wind,"MARION",2017-06-15 13:15:00,CST-6,2017-06-15 13:15:00,0,0,0,0,,NaN,,NaN,35.02,-85.71,35.02,-85.71,"A couple severe thunderstorms developed on the Plateau during the peak instability available during the afternoon. Trees were reported down in a few spots.","Power outages reported in several locations due to severe wind gust produced by thunderstorms." +117925,708714,IDAHO,2017,June,Thunderstorm Wind,"BINGHAM",2017-06-04 15:46:00,MST-7,2017-06-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5016,-112.7213,43.5016,-112.7213,"Thunderstorm winds reached severe levels in several locations .","A thunderstorm produced a 62 mph wind gust at the Materials Fuels ARL mesonet site." +117925,708716,IDAHO,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-04 15:56:00,MST-7,2017-06-04 16:10:00,0,0,0,0,0.00K,0,0.00K,0,43.723,-112.3686,43.723,-112.3686,"Thunderstorm winds reached severe levels in several locations .","A thunderstorm produced a 60 mph wind at the Rover ARL mesonet site." +117925,708717,IDAHO,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-04 16:11:00,MST-7,2017-06-04 16:25:00,0,0,0,0,0.00K,0,0.00K,0,43.8402,-112.4158,43.8402,-112.4158,"Thunderstorm winds reached severe levels in several locations .","The Terreton ARL mesonet site recorded a thunderstorm produced wind gust of 60 mph." +116562,701029,NEW MEXICO,2017,June,Thunderstorm Wind,"DE BACA",2017-06-30 20:15:00,MST-7,2017-06-30 20:20:00,0,0,0,0,50.00K,50000,0.00K,0,34.44,-104.01,34.44,-104.01,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Several roadways signs along U.S. Highway 60 between Tolar and Taiban were blown away due to severe winds." +116562,701032,NEW MEXICO,2017,June,Thunderstorm Wind,"ROOSEVELT",2017-06-30 20:47:00,MST-7,2017-06-30 20:51:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-103.8,34.3,-103.8,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Melrose Range." +116562,701033,NEW MEXICO,2017,June,Thunderstorm Wind,"ROOSEVELT",2017-06-30 20:54:00,MST-7,2017-06-30 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-103.8,34.3,-103.8,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","The Melrose Range RAWS site reported winds as high as 85 mph. Major damage occurred at the Melrose Bombing Range." +115942,696858,NORTH DAKOTA,2017,June,Tornado,"BENSON",2017-06-09 18:34:00,CST-6,2017-06-09 18:37:00,0,0,0,0,,NaN,,NaN,48.14,-99.32,48.1235,-99.2832,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","This tornado tracked largely over open country for about 2 miles, causing no significant damage. The ground swirl of the tornado was videoed by storm chasers near the west bay of Devils Lake, though very dusty conditions made visual detection difficult. Peak winds were estimated at 80 mph." +115942,696859,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-09 18:35:00,CST-6,2017-06-09 18:35:00,0,0,0,0,,NaN,,NaN,48.29,-99.42,48.29,-99.42,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696860,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-09 18:35:00,CST-6,2017-06-09 18:35:00,0,0,0,0,,NaN,,NaN,48.29,-99.46,48.29,-99.46,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Pea to nickel sized hail covered the ground. A wall cloud was also visible to the south from this location around 730 pm CDT." +115967,697153,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:13:00,CST-6,2017-06-13 20:13:00,0,0,0,0,,NaN,,NaN,47.16,-97.22,47.16,-97.22,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The wind gusts were measured by a personal weather station." +115967,697155,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 20:13:00,CST-6,2017-06-13 20:13:00,0,0,0,0,,NaN,,NaN,46.27,-96.74,46.27,-96.74,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The wind gusts were measured by a ND DOT RWIS station." +115967,697157,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:10:00,CST-6,2017-06-13 20:10:00,0,0,0,0,,NaN,,NaN,47.1,-97.26,47.1,-97.26,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Trees were blown down." +115967,697160,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:15:00,CST-6,2017-06-13 20:15:00,0,0,0,0,,NaN,,NaN,46.88,-96.82,46.88,-96.82,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Some street flooding was also reported." +115967,697161,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 20:20:00,CST-6,2017-06-13 20:20:00,0,0,0,0,,NaN,,NaN,47.07,-96.94,47.07,-96.94,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A few large trees were blown down in Argusville." +115967,697163,NORTH DAKOTA,2017,June,Thunderstorm Wind,"TRAILL",2017-06-13 20:30:00,CST-6,2017-06-13 20:30:00,0,0,0,0,,NaN,,NaN,47.28,-96.98,47.28,-96.98,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Vehicles were pulled over to the side of Interstate 29 due to very limited visibility in heavy rain and strong winds." +118688,714991,KANSAS,2017,July,Flash Flood,"JOHNSON",2017-07-27 04:00:00,CST-6,2017-07-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9294,-94.6193,38.9321,-94.628,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. Another site that had record flooding as a result of this event was Tomahawk Creek at Roe Avenue in Leawood. Tomahawk Creek crested at 20.81 feet, which was a new record for that location. Numerous city vehicles were damaged or destroyed when a lot near the creek containing those vehicles flooded. Across the rest of the KC metro area roughly 5 to 7 inches of rain fell, resulting in other numerous water rescues. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Tomahawk Creek at Roe Avenue reached a record crest of 20.81 feet and caused several houses and business to be flooded. The city of Leawood lost several service vehicles in a compound near the creek's banks. The value of these losses were not provided." +121150,725273,NORTH DAKOTA,2017,December,Blizzard,"GRAND FORKS",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121150,725275,NORTH DAKOTA,2017,December,Blizzard,"STEELE",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121150,725278,NORTH DAKOTA,2017,December,Blizzard,"BARNES",2017-12-04 12:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +117400,706042,TEXAS,2017,June,Flash Flood,"THROCKMORTON",2017-06-02 11:15:00,CST-6,2017-06-02 14:00:00,0,0,0,0,460.00K,460000,0.00K,0,33.16,-99.18,33.1598,-99.1588,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","About four homes and 2 businesses were flooded on the south side of Throckmorton. In addition, many roads were closed because of high water. Also, 3 cars were were damaged by flood waters. Firefighters rescued a couple from their residence located near the spillway." +118337,711080,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-19 06:40:00,EST-5,2017-06-19 06:40:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A warm-core low pressure system over of the southern Gulf of Mexico helped focus a convective band through the Florida Straits and southeast Gulf of Mexico. A few areas of convective gale-force winds were observed, along with a brief episode of gale-force non-convective winds over the western Florida Straits.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +116155,698112,ARKANSAS,2017,May,Flood,"RANDOLPH",2017-05-01 17:00:00,CST-6,2017-05-05 13:00:00,0,0,0,0,15.00M,15000000,0.00K,0,36.4368,-90.7862,36.3606,-90.7883,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","Heavy rain brought the Black River at Pocahontas to a record crest that topped the April 2011 flood. The levee east of town broke in at least nine places, including one 300 yard stretch, sending water across much of Randolph County. East Pocahontas was flooded and suffered major damage. Highway 67 was flooded between Pocahontas and Walnut Ridge. Highway 67/62 between Pocahontas and Corning was flooded. Highways 166 and 304 were also closed. Highway 304 was closed for 37 days. The Current River also flooded farmland in eastern Randolph County. Numerous homes, farms, businesses and vehicles were flooded. Many roads and bridges were flooded and damaged. More than 500 people were evacuated Pocahontas. At least 50 homes were destroyed or damaged by flooding in Pocahontas. The Elnora Freewill Baptist Church was heavily damaged. The Randolph County Jail had to evacuate prisoners." +116155,698109,ARKANSAS,2017,May,Flash Flood,"LAWRENCE",2017-05-03 12:00:00,CST-6,2017-05-04 05:00:00,0,0,0,0,2.00M,2000000,0.00K,0,36.1495,-90.9522,36.0636,-91.0207,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","The Black River levee east of Pocahontas suffered several breaches during the early morning hours of May 3rd. The water flowed south along the Big Running Water Creek and eventually flooded parts of Lawrence County. Highway 63 was closed between Portia and Walnut Ridge. Water flowing over the highway damaged the shoulders. Roads leading into Clover Bend were flooded and several houses in the area had water inside them." +118337,711082,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-19 08:44:00,EST-5,2017-06-19 08:44:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"A warm-core low pressure system over of the southern Gulf of Mexico helped focus a convective band through the Florida Straits and southeast Gulf of Mexico. A few areas of convective gale-force winds were observed, along with a brief episode of gale-force non-convective winds over the western Florida Straits.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +118337,711084,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-06-19 09:04:00,EST-5,2017-06-19 09:04:00,0,0,0,0,0.00K,0,0.00K,0,24.9537,-80.5868,24.9537,-80.5868,"A warm-core low pressure system over of the southern Gulf of Mexico helped focus a convective band through the Florida Straits and southeast Gulf of Mexico. A few areas of convective gale-force winds were observed, along with a brief episode of gale-force non-convective winds over the western Florida Straits.","A wind gust of 43 knots was measured during the passage of a rain squall at the U.S. Coast Guard Station Islamorada on Plantation Key." +118337,711085,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-19 08:59:00,EST-5,2017-06-19 08:59:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A warm-core low pressure system over of the southern Gulf of Mexico helped focus a convective band through the Florida Straits and southeast Gulf of Mexico. A few areas of convective gale-force winds were observed, along with a brief episode of gale-force non-convective winds over the western Florida Straits.","A wind gust of 35 knots was measured at Molasses Reef Light." +118338,711086,GULF OF MEXICO,2017,June,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-06-27 19:07:00,EST-5,2017-06-27 19:13:00,0,0,0,0,0.00K,0,0.00K,0,24.6,-81.35,24.6,-81.35,"An isolated waterspout developed in association with a convective cloud line south of the Lower Florida Keys.","A waterspout was observed south of Big Pine Key. The waterspout was observed as a funnel cloud extending one quarter of the way from cloud base to the water surface. No spray ring was visible." +118339,711088,GULF OF MEXICO,2017,June,Waterspout,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-06-30 05:44:00,EST-5,2017-06-30 05:49:00,0,0,0,0,0.00K,0,0.00K,0,25.26,-80.26,25.26,-80.26,"An isolated waterspout was observed in association with a convective rain shower in Hawk Channel near Ocean Reef.","A waterspout was observed east of North Key Largo. No spray ring was visible." +112356,673333,ALABAMA,2017,January,Thunderstorm Wind,"HENRY",2017-01-22 13:25:00,CST-6,2017-01-22 13:25:00,0,0,0,0,3.00K,3000,0.00K,0,31.41,-85.13,31.41,-85.13,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms.||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County.||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities.||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Power lines were blown down near Halesburg." +112357,673336,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:27:00,EST-5,2017-01-22 15:27:00,0,0,0,0,0.00K,0,0.00K,0,30.4023,-84.2805,30.4023,-84.2805,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down near the intersection of Tram Road and South Monroe Street." +112357,673337,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:27:00,EST-5,2017-01-22 15:27:00,0,0,0,0,0.00K,0,0.00K,0,30.3932,-84.3226,30.3932,-84.3226,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 4505 Spring Hill Road." +112258,673713,GEORGIA,2017,January,Tornado,"BLECKLEY",2017-01-21 12:50:00,EST-5,2017-01-21 12:55:00,0,0,0,0,30.00K,30000,0.00K,0,32.444,-83.313,32.469,-83.245,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 100yards occurred in eastern Bleckley County northeast of Cochran. The tornado began just west of Churchwell Road where it downed several trees and a fence as well as lifting much of the roof off of a small barn. The tornado continued northeast downing more trees on Butts Road then increased in strength as it snapped 20 to 30 large trees and power poles in a small subdivision on Emergency Road 445A off of Highway 26. The tornado weakened but still damaged an abandoned fire station on Emergency Road 450R at Highway 26 before ending around Cary Salem Road. [01/21/17: Tornado #14, County #1/1, EF1, Bleckley, 2017:015]." +117892,709391,PUERTO RICO,2017,June,Flash Flood,"SAN JUAN",2017-06-14 15:00:00,AST-4,2017-06-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3905,-66.0715,18.3909,-66.0693,"Upper level trough with associated strong upper level divergence provided strong dynamics and lifting mechanism to resulting in showers and thunderstorms developing over the area.","Flooding was reported in Sector Reparto Metropolitano on PR Road 21 near Oso Blanco where 3 lanes were closed due to flood waters." +118266,710746,PUERTO RICO,2017,June,Thunderstorm Wind,"MOCA",2017-06-30 13:05:00,AST-4,2017-06-30 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,18.38,-67.07,18.3798,-67.1091,"A tropical wave, combined with an upper level trough to our west brought scattered to numerous showers with strong thunderstorms across the western interior and northwest sections of Puerto Rico.","Power line down were reported at barrio Voladoras." +118266,710747,PUERTO RICO,2017,June,Thunderstorm Wind,"AGUADILLA",2017-06-30 13:00:00,AST-4,2017-06-30 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,18.4445,-67.1418,18.4742,-67.1212,"A tropical wave, combined with an upper level trough to our west brought scattered to numerous showers with strong thunderstorms across the western interior and northwest sections of Puerto Rico.","Power line down at sector cuesta Nueva, and a fallen tree at Barrio Corralez road PR-459." +118267,710752,PUERTO RICO,2017,June,Flood,"SAN SEBASTIAN",2017-06-18 17:00:00,AST-4,2017-06-18 18:15:00,0,0,0,0,0.00K,0,0.00K,0,18.35,-67.0171,18.3431,-67.0179,"Available low level moisture combined with daytime heating and local effects produced scattered to numerous showers with thunderstorms across the western interior and northwest sections of Puerto Rico.","Flooding was reported at roads PR-125 and PR-446." +118268,710792,PUERTO RICO,2017,June,Flash Flood,"AGUADA",2017-06-19 17:16:00,AST-4,2017-06-19 18:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3717,-67.141,18.372,-67.1402,"Tropical wave brought deep tropical moisture across the region. Scattered to numerous showers with thunderstorms affected the western interior and northwest sections of Puerto Rico. Another area of heavy showers affected the east section of Puerto Rico. Rainfall amounts were between three to five inches in San Sebastian, and Aguada and up to three inches were observed in Rio Grande.","Flash flooding occured at Barrio Mamey. A car was stranded in water." +118268,710795,PUERTO RICO,2017,June,Flash Flood,"RIO GRANDE",2017-06-19 19:00:00,AST-4,2017-06-19 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.3516,-65.7938,18.3529,-65.7837,"Tropical wave brought deep tropical moisture across the region. Scattered to numerous showers with thunderstorms affected the western interior and northwest sections of Puerto Rico. Another area of heavy showers affected the east section of Puerto Rico. Rainfall amounts were between three to five inches in San Sebastian, and Aguada and up to three inches were observed in Rio Grande.","A car was stranded due to urban flooding at road PR-967." +117276,705368,MICHIGAN,2017,June,Tornado,"ALLEGAN",2017-06-30 19:31:00,EST-5,2017-06-30 19:32:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-86.09,42.43,-86.09,"A very weak landspout tornado developed just north of Grand Junction. Dust and rows of plastic mulch cover were lofted from a field. No other damage was reported.","An EF-0 landspout tornado developed from a weak thunderstorm. No signficant damage was reported." +117367,705858,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 17:12:00,EST-5,2017-06-16 18:15:00,0,0,0,0,0.00K,0,0.00K,0,38.4202,-78.6385,38.4221,-78.6384,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Bethel Church Road was closed near River Road due to flooding." +117367,705994,VIRGINIA,2017,June,Flood,"AUGUSTA",2017-06-16 14:50:00,EST-5,2017-06-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,38.1253,-79.0335,38.1261,-79.0344,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","There were 12 to 14 inches of water on Rowe Road." +117367,705995,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 15:59:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3677,-78.7256,38.3683,-78.7272,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Route 991 was flooded and closed south of Mcgaheysville at Stony Run." +117367,706006,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 16:20:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.4085,-78.6587,38.4079,-78.6585,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Route 979 was flooded and closed at the Quail Run Crossing." +117367,706007,VIRGINIA,2017,June,Flood,"AUGUSTA",2017-06-16 17:10:00,EST-5,2017-06-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,38.0135,-78.9883,38.0145,-78.9888,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Eight inches of water was flowing across Patton Farm Road at a low water crossing over South River." +117367,706008,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 17:15:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3713,-78.732,38.3714,-78.7326,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Mcgaheysville Road was still closed near Jacob Burner Drive due to residual high water." +117367,706009,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 18:15:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3924,-78.6558,38.3935,-78.6537,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","The 11000 Block of Model Road was closed due to residual high water." +116260,698952,GEORGIA,2017,May,Hail,"CHATHAM",2017-05-22 16:00:00,EST-5,2017-05-22 16:05:00,0,0,0,0,,NaN,0.00K,0,32.15,-81.18,32.15,-81.18,"Isolated to scattered thunderstorms developed in the late afternoon hours within a warm and humid airmass out ahead of a cold front well to the west. One cluster of thunderstorms impacted the Savannah area and produce very heavy rainfall, damaging wind gusts, and large hail.","A report of nickel sized hail in Port Wentworth was received via social media." +116317,699376,LOUISIANA,2017,May,Lightning,"EAST BATON ROUGE",2017-05-03 18:45:00,CST-6,2017-05-03 18:45:00,0,0,0,0,50.00K,50000,0.00K,0,30.4544,-91.1353,30.4544,-91.1353,"Strong low pressure moving out of the Gulf of Mexico produced two waves of severe weather across southeast Louisiana and the adjacent coastal waters. The first round was associated with a warm front on the afternoon of the 3rd, the second with a cold front early in the morning of the 4th.","Lightning struck a house on Melrose Boulevard around 745 pm, which led to a fire. The house sustained heavy smoke damage according to the Baton Rouge Fire Department. The fire was put out, but reignited on the morning of the 4th, destroying the house." +117501,706666,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 16:31:00,EST-5,2017-06-19 16:31:00,0,0,0,0,,NaN,,NaN,38.2369,-76.4149,38.2369,-76.4149,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A pine tree snapped in half at Three Notch Road and Wickshire Court." +117501,706667,MARYLAND,2017,June,Thunderstorm Wind,"ST. MARY'S",2017-06-19 16:34:00,EST-5,2017-06-19 16:34:00,0,0,0,0,,NaN,,NaN,38.258,-76.403,38.258,-76.403,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down along the 48000 Block of Long Lane." +117501,706668,MARYLAND,2017,June,Thunderstorm Wind,"ANNE ARUNDEL",2017-06-19 15:22:00,EST-5,2017-06-19 15:22:00,0,0,0,0,,NaN,,NaN,39.1542,-76.4957,39.1542,-76.4957,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A wind gust of 58 mph was measured." +117503,706671,VIRGINIA,2017,June,Thunderstorm Wind,"ALBEMARLE",2017-06-30 16:12:00,EST-5,2017-06-30 16:12:00,0,0,0,0,,NaN,,NaN,37.8734,-78.7171,37.8734,-78.7171,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down along the intersection of Route 29 and Faber Road." +117503,706672,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-30 16:17:00,EST-5,2017-06-30 16:17:00,0,0,0,0,,NaN,,NaN,37.9423,-78.8069,37.9423,-78.8069,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down near the intersection of Greenfield Road and Ennis Mountain Road." +117503,706673,VIRGINIA,2017,June,Thunderstorm Wind,"ALBEMARLE",2017-06-30 16:47:00,EST-5,2017-06-30 16:47:00,0,0,0,0,,NaN,,NaN,38.1022,-78.4579,38.1022,-78.4579,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down on Polo Grounds Road just east of Route 29." +117503,706674,VIRGINIA,2017,June,Thunderstorm Wind,"ALBEMARLE",2017-06-30 16:51:00,EST-5,2017-06-30 16:51:00,0,0,0,0,,NaN,,NaN,38.1353,-78.5137,38.1353,-78.5137,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down on wires in the 700 Block of Reasford Road." +117503,706675,VIRGINIA,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 17:06:00,EST-5,2017-06-30 17:06:00,0,0,0,0,,NaN,,NaN,38.1653,-78.2952,38.1653,-78.2952,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down along the 4400 Block of Constitution Highway." +113364,678342,NEW MEXICO,2017,April,High Wind,"SOUTHWEST CHAVES COUNTY",2017-04-04 07:00:00,MST-7,2017-04-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Dunken." +113364,678344,NEW MEXICO,2017,April,High Wind,"CHAVES COUNTY PLAINS",2017-04-04 08:00:00,MST-7,2017-04-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Buck Springs reported peak wind gusts between 58 mph and 62 mph for several hours." +113364,678345,NEW MEXICO,2017,April,High Wind,"CENTRAL HIGHLANDS",2017-04-04 06:30:00,MST-7,2017-04-04 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Harvey Ranch." +112039,668158,GEORGIA,2017,January,Winter Weather,"CATOOSA",2017-01-06 12:30:00,EST-5,2017-01-07 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","CoCoRaHS observers in the Ringgold area reported between a half inch and one inch of snow." +112039,668160,GEORGIA,2017,January,Winter Weather,"CHATTOOGA",2017-01-06 12:00:00,EST-5,2017-01-07 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","A CoCoRaHS observer in the Summerville area reported an inch of snow." +114039,683006,TEXAS,2017,April,High Wind,"CHILDRESS",2017-04-30 10:25:00,CST-6,2017-04-30 10:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong upper level storm system which brought severe storms early on the 29th, also brought high winds during the daytime on the 30th as it moved away from the region. A corridor of severe wind gusts and high sustained winds were observed from Castro County southeastward through Crosby County.||The following severe wind gusts are from the Texas Tech University West Texas mesonet, ASOS, or AWOS sites:||65 mph at Hart (Castro County), 63 mph at Floydada (Floyd County), 62 mph at Aiken (Hale County), 60 mph at Abernathy (Hale County), 60 mph at White River Lake (Crosby County), 59 mph at Dimmitt (Castro County), 58 mph at Childress (Childress County), and 58 mph at Plainview (Hale County).||The following high sustained winds are from the Texas Tech University West Texas mesonet:||45 mph at Vigo Park (Swisher County), and 44 mph at Tulia (Swisher County).","" +114059,683046,VERMONT,2017,April,Winter Weather,"EASTERN ADDISON",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 8 inches with locally higher amounts fell across Addison county. Some specific totals include; 12 inches in south Hancock, 7 inches in Orwell, 6 inches in Ferrisburgh, Vergennes and New Haven, 5 inches in Middlebury and 3 inches in South Lincoln." +114059,683054,VERMONT,2017,April,Winter Weather,"LAMOILLE",2017-04-01 00:00:00,EST-5,2017-04-01 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from the Ohio River Valley on March 31st to south of New England and then out to sea on April 1st. A wet snow, occasionally mixed with rain began across Vermont by midday on the 31st, but accumulations were limited due to above freezing temperatures and March solar radiation. An increase in snow intensity and lack of solar radiation, along with temperatures near freezing allowed for significant snowfall accumulations above 1000-1200 feet, especially in eastern and central parts of Vermont. ||Snowfall totals were generally 3 to 6 inches in the Champlain Valley and along the Canadian border with 6 to 12 inches elsewhere. The snow load of the heavy, wet snow did allow for some scattered power outages and numerous vehicle mishaps as well.","Widespread 3 to 7 inches fell across Lamoille county, including; 7 inches in Johnson and 6 inches in Hyde Park, Wolcott, Morrisville and Jeffersonville." +111785,666756,MISSOURI,2017,January,Ice Storm,"MERCER",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +111785,666757,MISSOURI,2017,January,Ice Storm,"PUTNAM",2017-01-15 15:00:00,CST-6,2017-01-16 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +114279,684630,NEW MEXICO,2017,April,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-04-25 08:00:00,MST-7,2017-04-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds associated with an upper trough approaching the region from the west imparted strong westerly winds to portions of southeastern New Mexico.","" +122259,732025,IOWA,2017,December,Winter Storm,"LINN",2017-12-29 06:00:00,CST-6,2017-12-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Trained spotter snowfall reports ranged from 4.8 inches 5 miles northwest of Cedar Rapids to 6.0 inches 1 mile southeast of Cedar Rapids." +117632,708178,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ERIE",2017-06-18 18:03:00,EST-5,2017-06-18 18:03:00,0,0,0,0,1.00K,1000,0.00K,0,42.2591,-79.7731,42.2591,-79.7731,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +117632,708179,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ERIE",2017-06-18 18:14:00,EST-5,2017-06-18 18:14:00,0,0,0,0,1.00K,1000,0.00K,0,42,-79.8779,42,-79.8779,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +122259,732026,IOWA,2017,December,Winter Storm,"BENTON",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","The COOP observer in Vinton reported 5.3 inches of snow." +115431,709697,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:30:00,CST-6,2017-06-11 09:30:00,0,0,0,1,0.00K,0,0.00K,0,45.3,-91.65,45.3,-91.65,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","The Chetek Police Department confirmed a storm-related fatality, as a 46-year-old was killed while cutting down storm damage and the debris rolled over the individual. This was an indirect fatality." +115431,699082,WISCONSIN,2017,June,Thunderstorm Wind,"RUSK",2017-06-11 09:35:00,CST-6,2017-06-11 09:35:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-91.53,45.5,-91.53,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Large trees and branches were blown down." +117509,706765,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-26 19:55:00,CST-6,2017-06-26 20:00:00,0,0,0,0,100.00K,100000,0.00K,0,37.7,-97.05,37.7,-97.05,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The Emergency Manager reported that campers were overturned at Santa Fe Lake but there were no injuries. Multiple trees were downed in this area. The damage was spread across about a 1 mile diameter. The time of the event was estimated from radar." +114378,685539,NEW MEXICO,2017,April,Heavy Snow,"UNION COUNTY",2017-04-29 02:00:00,MST-7,2017-04-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level low pressure system that moved slowly east across central New Mexico combined with a strong back door cold front to produce heavy late season snowfall across the higher terrain and the Santa Fe metro area. Widespread snow accumulations of 3 to 6 inches were reported across the east central and northeast plains. Very impressive accumulations of 10 to 18 inches were reported along the Sandia Mountains into the Santa Fe metro area and over the Sangre de Cristo Mountains. Numerous long-term daily snowfall records were smashed across the region, including 11 inches at Gascon, 8 inches at Mosquero and Pasamonte, 6 inches at Cimarron, and 5.5 inches at Tucumcari. The 7.5 inches of snowfall at Clayton established a new daily record for April 29th and was the greatest 24-hour snowfall amount of the entire winter season. Significant impacts to travel were noted along Interstate 25 and Interstate 40 north and east of Albuquerque. Interstate 25 was closed at Raton Pass.","The Clayton COOP observer reported a new daily record snowfall of 7.5 inches for April 29th. This was also the greatest 24-hour snowfall of the entire winter season. Grenville also set a new daily record snowfall amount of 5.0 inches. U.S. Highway 64/87 was closed for several hours due to extreme winter travel conditions." +115431,699086,WISCONSIN,2017,June,Thunderstorm Wind,"RUSK",2017-06-11 09:50:00,CST-6,2017-06-11 09:50:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-91.09,45.47,-91.09,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Numerous trees of various sizes were blown down. Also, a car was blown off the road." +114395,685616,WYOMING,2017,April,Winter Storm,"ABSAROKA MOUNTAINS",2017-04-27 05:00:00,MST-7,2017-04-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Heavy snow fell in some of the higher elevations of the Absaroka Mountains. Some of the higher amounts included 25 inches at the Marquette SNOTEL and 19 inches at the Kirwin SNOTEL." +114608,687359,NEBRASKA,2017,April,Winter Storm,"CUSTER",2017-04-30 10:00:00,CST-6,2017-04-30 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and blowing snow beginning during the morning hours on April 30th, continuing into the late evening hours. Snowfall amounts ranged from 5 to 9 inches in portions of Frontier and Custer County, with 5 to 10 inches from portions of Loup, Garfield, and Holt County. Some blowing and drifting from north winds of 25 to 40 mph caused the closure of a portion of highway 92 in western Custer County, and also power outages to some customers in Frontier County and at least 500 customers in Custer County.","General public located 5 miles west of Merna reported 8 inches of snowfall. Snowfall amounts ranged from 6 to 8 inches across Custer County. With north winds of 25 to 40 mph, some power outages and downed tree limbs were reported across Custer County. A portion of highway 92 between Arnold and Merna was closed during the evening and overnight hours." +114608,687360,NEBRASKA,2017,April,Winter Storm,"LOUP",2017-04-30 10:00:00,CST-6,2017-04-30 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and blowing snow beginning during the morning hours on April 30th, continuing into the late evening hours. Snowfall amounts ranged from 5 to 9 inches in portions of Frontier and Custer County, with 5 to 10 inches from portions of Loup, Garfield, and Holt County. Some blowing and drifting from north winds of 25 to 40 mph caused the closure of a portion of highway 92 in western Custer County, and also power outages to some customers in Frontier County and at least 500 customers in Custer County.","A CoCoRaHS observer located 12 miles west of Taylor reported 10 inches of snowfall. Snowfall amounts ranged from 6 to 10 inches across Loup County. With north winds of 25 to 40 mph, blowing and drifting snow with some downed tree limbs were reported across Loup County." +114608,687361,NEBRASKA,2017,April,Winter Storm,"GARFIELD",2017-04-30 10:00:00,CST-6,2017-04-30 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and blowing snow beginning during the morning hours on April 30th, continuing into the late evening hours. Snowfall amounts ranged from 5 to 9 inches in portions of Frontier and Custer County, with 5 to 10 inches from portions of Loup, Garfield, and Holt County. Some blowing and drifting from north winds of 25 to 40 mph caused the closure of a portion of highway 92 in western Custer County, and also power outages to some customers in Frontier County and at least 500 customers in Custer County.","A Cooperative observer located 8 miles west northwest of Ericson reported 6 inches of snowfall. Snowfall amounts ranged from 6 to 10 inches across Garfield County. With north winds of 25 to 40 mph, blowing and drifting snow with some downed tree limbs were reported across Garfield County." +118276,710818,OKLAHOMA,2017,June,Hail,"GRADY",2017-06-30 17:08:00,CST-6,2017-06-30 17:08:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-97.94,35.05,-97.94,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710819,OKLAHOMA,2017,June,Hail,"CADDO",2017-06-30 17:14:00,CST-6,2017-06-30 17:14:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-98.36,34.9,-98.36,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +114762,688394,ILLINOIS,2017,April,Hail,"LAKE",2017-04-10 17:02:00,CST-6,2017-04-10 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-87.96,42.17,-87.96,"Scattered thunderstorms moved across northern Illinois producing large hail.","" +114764,688392,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-04-10 15:57:00,CST-6,2017-04-10 16:10:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-87.81,42.35,-87.81,"A line of thunderstorms moved over Lake Michigan producing strong winds.","" +114764,689057,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-04-10 06:21:00,CST-6,2017-04-10 06:30:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-87.15,41.65,-87.15,"A line of thunderstorms moved over Lake Michigan producing strong winds.","" +114763,688395,INDIANA,2017,April,Hail,"PORTER",2017-04-10 19:37:00,CST-6,2017-04-10 19:37:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-87.2,41.4,-87.2,"Scattered thunderstorms moved across northwestern Indiana producing large hail.","" +114765,688396,LAKE MICHIGAN,2017,April,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-04-20 01:40:00,CST-6,2017-04-20 01:50:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-87.81,42.35,-87.81,"Scattered thunderstorms moved over Lake Michigan producing strong winds.","" +114420,686021,INDIANA,2017,April,Flood,"RIPLEY",2017-04-28 20:50:00,EST-5,2017-04-28 22:50:00,0,0,0,0,0.00K,0,0.00K,0,39.0656,-85.22,39.0641,-85.2201,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","High water was reported in several places along U.S. 50." +114420,686022,INDIANA,2017,April,Hail,"RIPLEY",2017-04-28 19:21:00,EST-5,2017-04-28 19:24:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-85.33,39.21,-85.33,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","" +114420,686023,INDIANA,2017,April,Hail,"DEARBORN",2017-04-28 19:53:00,EST-5,2017-04-28 19:56:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-84.86,39.22,-84.86,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","" +114420,686024,INDIANA,2017,April,Hail,"RIPLEY",2017-04-28 22:35:00,EST-5,2017-04-28 22:38:00,0,0,0,0,2.00K,2000,0.00K,0,39.21,-85.31,39.21,-85.31,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Glass in a greenhouse was shattered by hail, estimated to be golf ball size." +114420,686026,INDIANA,2017,April,Thunderstorm Wind,"RIPLEY",2017-04-28 19:25:00,EST-5,2017-04-28 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.16,-85.29,39.16,-85.29,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","A tree was knocked down on a power line between Osgood and Napoleon." +114420,686027,INDIANA,2017,April,Thunderstorm Wind,"DEARBORN",2017-04-28 19:54:00,EST-5,2017-04-28 19:59:00,0,0,0,0,2.00K,2000,0.00K,0,39.22,-84.86,39.22,-84.86,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Several trees were reported down in the Bright area." +114424,686071,KENTUCKY,2017,April,Hail,"GRANT",2017-04-29 00:15:00,EST-5,2017-04-29 00:18:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-84.55,38.63,-84.55,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","" +114956,689569,CALIFORNIA,2017,April,High Wind,"TULARE CTY MTNS",2017-04-13 16:10:00,PST-8,2017-04-13 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large low pressure system which was centered off the central California Coast on the morning of April 13 lifted northeast across northern California that afternoon while an associated upper trough pushed into the western United States. This system pushed a cold front through central California during the afternoon which produced strong wind gusts across much of the area on the 13th. There were numerous reports of winds gusts exceeding 35 mph int he San Joaquin Valley and several reports of gusts exceeding 45 mph across the Kern County Mountains and Deserts. Moderate rainfall associated with the cold front produced a quarter to half inch of rain in a few hours across Merced and Mariposa Counties as well as across Yosemite National Park. In addition, isolated thunderstorms formed in the cooler post frontal airmass. A nearly stationary thunderstorm in Fresno produced 2.00 inches of rainfall at Fresno Yosemite International Airport there were media reports of flash flooding in Fresno. In fact the 2.04 inches of rain measured at the Fresno Airport on April 13 set a new record rainfall amount for the date, and is now also the highest amount for any day in April since records began in the 1880's. Meanwhile, outflow from thunderstorms produced blowing dust on the west side of the San Joaquin Valley as there were numerous reports of vehicular accidents and visibility was reduced to less than an eighth of a mile in the vicinity of Lemoore.","The Bear Peak RAWS reported a peak wind gust of 73 mph." +114905,689258,CALIFORNIA,2017,April,High Wind,"W CENTRAL S.J. VALLEY",2017-04-06 22:27:00,PST-8,2017-04-06 22:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure center moved into northern California on the 6th and spread precipitation into central California by late afternoon. This system brought a period of cool, windy and unsettled conditions to the area which continued through the 8th. There were several reports of 10-20 inches of new snow over the Southern Sierra Nevada above 8000 feet while thunderstorms during the afternoon of April 8 produced heavy rainfall in some areas. There were numerous reports of heavy rainfall over the Southern Sierra Nevada and adjacent foothills where 2 to 4 inches of rain fell. There were also strong winds across much of the area during this event with several locations reporting wind gusts above 50 mph.","The Panoche Road RAWS reported a maximum wind gust of 84 mph." +114905,689262,CALIFORNIA,2017,April,High Wind,"INDIAN WELLS VLY",2017-04-08 15:26:00,PST-8,2017-04-08 15:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure center moved into northern California on the 6th and spread precipitation into central California by late afternoon. This system brought a period of cool, windy and unsettled conditions to the area which continued through the 8th. There were several reports of 10-20 inches of new snow over the Southern Sierra Nevada above 8000 feet while thunderstorms during the afternoon of April 8 produced heavy rainfall in some areas. There were numerous reports of heavy rainfall over the Southern Sierra Nevada and adjacent foothills where 2 to 4 inches of rain fell. There were also strong winds across much of the area during this event with several locations reporting wind gusts above 50 mph.","The Indian Wells Canyon RAWS reported a maximum wind gust of 62 mph." +118276,710839,OKLAHOMA,2017,June,Flash Flood,"STEPHENS",2017-06-30 20:04:00,CST-6,2017-06-30 23:04:00,0,0,0,0,5.00K,5000,0.00K,0,34.37,-97.97,34.3695,-97.9605,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Some homes were surrounded by water and a vehicle was stalled on highway 81." +118276,710840,OKLAHOMA,2017,June,Thunderstorm Wind,"CARTER",2017-06-30 21:15:00,CST-6,2017-06-30 21:15:00,0,0,0,0,0.00K,0,0.00K,0,34.29,-97,34.29,-97,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710833,OKLAHOMA,2017,June,Hail,"JACKSON",2017-06-30 18:29:00,CST-6,2017-06-30 18:29:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-99.33,34.65,-99.33,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710834,OKLAHOMA,2017,June,Thunderstorm Wind,"COTTON",2017-06-30 18:29:00,CST-6,2017-06-30 18:29:00,0,0,0,0,10.00K,10000,0.00K,0,34.39,-98.23,34.39,-98.23,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Many power lines were downed." +118276,710835,OKLAHOMA,2017,June,Thunderstorm Wind,"COTTON",2017-06-30 18:59:00,CST-6,2017-06-30 18:59:00,0,0,0,0,10.00K,10000,0.00K,0,34.36,-98.17,34.36,-98.17,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Multiple power poles were downed." +118276,710838,OKLAHOMA,2017,June,Flash Flood,"COMANCHE",2017-06-30 19:49:00,CST-6,2017-06-30 22:49:00,0,0,0,0,0.00K,0,0.00K,0,34.6053,-98.4049,34.6046,-98.405,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Street was closed near the veterans center." +118276,710845,OKLAHOMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-30 21:40:00,CST-6,2017-06-30 21:40:00,0,0,0,0,0.00K,0,0.00K,0,34.04,-96.94,34.04,-96.94,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710847,OKLAHOMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-30 21:50:00,CST-6,2017-06-30 21:50:00,0,0,0,0,10.00K,10000,0.00K,0,33.97,-96.69,33.97,-96.69,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Power lines downed and a sheet metal building was destroyed. Time estimated from radar." +118276,710848,OKLAHOMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-30 21:58:00,CST-6,2017-06-30 21:58:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-96.8,34.09,-96.8,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710849,OKLAHOMA,2017,June,Thunderstorm Wind,"BRYAN",2017-06-30 22:15:00,CST-6,2017-06-30 22:15:00,0,0,0,0,0.00K,0,0.00K,0,34,-96.57,34,-96.57,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Estimated 60-70 mph near Johnson Creek campgrounds. Possible microburst. No damage found as of yet." +118277,710850,TEXAS,2017,June,Thunderstorm Wind,"WILBARGER",2017-06-30 19:15:00,CST-6,2017-06-30 19:15:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-99.29,34.22,-99.29,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118277,710851,TEXAS,2017,June,Thunderstorm Wind,"WICHITA",2017-06-30 19:55:00,CST-6,2017-06-30 19:55:00,0,0,0,0,0.00K,0,0.00K,0,33.86,-98.49,33.86,-98.49,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +115690,696251,MONTANA,2017,June,High Wind,"NORTHERN VALLEY",2017-06-22 12:44:00,MST-7,2017-06-22 12:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough pushed across eastern Montana, bringing strong gusty winds to the area for much of the afternoon.","A 58 mph wind gust was measured at the Bluff Creek (BLUM8) RAWS site." +115396,694440,MISSOURI,2017,April,Flash Flood,"BOONE",2017-04-29 13:11:00,CST-6,2017-04-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2462,-92.4293,38.9958,-92.5612,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 3 and 6 inches of rain fell causing flash flooding. Numerous roads were flooded including Route V northwest of Hallsville. About 3 miles north of Ashland, a water rescue had to be performed at Angel Lane and U.S. Highway 63." +117937,708835,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-17 21:16:00,CST-6,2017-06-17 21:17:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.11,37.57,-97.11,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a trained spotter." +117937,708836,KANSAS,2017,June,Hail,"BUTLER",2017-06-17 21:28:00,CST-6,2017-06-17 21:29:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.13,37.57,-97.13,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","At the Rose Hill fire station." +117937,708837,KANSAS,2017,June,Thunderstorm Wind,"ALLEN",2017-06-17 21:42:00,CST-6,2017-06-17 21:43:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-95.17,37.92,-95.17,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","A pole barn was destroyed." +115030,690407,GEORGIA,2017,April,Drought,"GORDON",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690632,COLORADO,2017,April,Winter Storm,"WESTCLIFFE VICINITY / WET MOUNTAIN VALLEY BELOW 8500 FT",2017-04-28 18:00:00,MST-7,2017-04-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690633,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-04-28 18:00:00,MST-7,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690634,COLORADO,2017,April,Winter Storm,"WET MOUNTAINS ABOVE 10000 FT",2017-04-28 18:00:00,MST-7,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115430,696064,MINNESOTA,2017,June,Hail,"SCOTT",2017-06-11 07:42:00,CST-6,2017-06-11 07:42:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-93.53,44.78,-93.53,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117561,706998,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-06-16 22:06:00,CST-6,2017-06-16 22:06:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-89.33,30.33,-89.33,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 48 knot wind gust was reported at the NOAA-C-MAN station at Bay St Louis." +117561,707003,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-06-16 23:09:00,CST-6,2017-06-16 23:09:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 36 knot wind gust was reported at the Lakefront Airport (KNEW) ASOS." +117561,707005,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"BRETON SOUND",2017-06-16 23:51:00,CST-6,2017-06-16 23:51:00,0,0,0,0,0.00K,0,0.00K,0,29.33,-89.4,29.33,-89.4,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 40 knots wind gust was reported at the Bootheville (KBVE) ASOS." +114084,691294,MISSOURI,2017,April,Flash Flood,"NEWTON",2017-04-29 11:00:00,CST-6,2017-04-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8792,-94.3698,36.8701,-94.3636,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","MODOT reported numerous state and county roads across Newton County were closed due to flood water. Multiple water rescues occurred through out Newton County." +114084,691296,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 12:30:00,CST-6,2017-04-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.1078,-93.4606,37.1106,-93.453,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 60 was flooded near the Walmart and near the streets of Lynn and Miller Road." +114084,691295,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 11:00:00,CST-6,2017-04-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6758,-93.8678,36.67,-93.8783,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","MODOT reported numerous county and state roads were closed throughout Barry County due to flood water. Numerous flood water rescues occurred throughout the county." +114084,691297,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 13:42:00,CST-6,2017-04-29 16:42:00,0,0,0,0,0.00K,0,0.00K,0,36.6758,-93.8659,36.6736,-93.8644,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The Budget Inn on Highway 112 was evacuated because of flood water." +115926,696567,ARKANSAS,2017,May,Thunderstorm Wind,"MISSISSIPPI",2017-05-27 21:30:00,CST-6,2017-05-27 21:40:00,0,0,0,0,50.00K,50000,0.00K,0,35.5197,-90.2757,35.5024,-90.262,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Large tree fell on a house in Whitton." +114084,691298,MISSOURI,2017,April,Flash Flood,"TANEY",2017-04-29 13:45:00,CST-6,2017-04-29 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.6602,-93.2317,36.6617,-93.2388,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Westwood Drive was flooded and impassable." +115183,691599,ILLINOIS,2017,April,Hail,"MACON",2017-04-29 16:54:00,CST-6,2017-04-29 16:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8278,-88.9934,39.8278,-88.9934,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691600,ILLINOIS,2017,April,Hail,"CHAMPAIGN",2017-04-29 17:45:00,CST-6,2017-04-29 17:50:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-88.25,39.98,-88.25,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691601,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-29 18:47:00,CST-6,2017-04-29 18:52:00,0,0,0,0,0.00K,0,0.00K,0,39.94,-87.65,39.94,-87.65,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +116484,701156,MISSISSIPPI,2017,June,Flood,"LAUDERDALE",2017-06-23 21:30:00,CST-6,2017-06-23 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.26,-88.76,32.264,-88.7548,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Bronson Road Bridge over Okatibbee Creek was impassable due to flooding." +116484,701161,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-23 19:15:00,CST-6,2017-06-23 20:15:00,0,0,0,0,3.00K,3000,0.00K,0,31.62,-89.04,31.6261,-89.0474,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Township Road was flooded." +116484,701164,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-23 14:50:00,CST-6,2017-06-23 16:45:00,0,0,0,0,7.00K,7000,0.00K,0,31.6914,-89.1341,31.6903,-89.1323,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred on Leotyne Price Blvd. in the 600 block and at the intersection with Jefferson Street. The Teresa Street underpass was also flooded." +116484,701166,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-23 15:23:00,CST-6,2017-06-23 16:45:00,0,0,0,0,3.00K,3000,0.00K,0,31.72,-89.05,31.7227,-89.0411,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Keahey Gore Road flooded near Magnolia Road." +116484,701167,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-23 16:10:00,CST-6,2017-06-23 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.79,-88.98,31.7847,-88.97,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred at Eucutta Road and Arley Williams Road." +116593,701170,MISSISSIPPI,2017,June,Thunderstorm Wind,"JEFFERSON DAVIS",2017-06-29 14:10:00,CST-6,2017-06-29 14:10:00,0,0,0,0,25.00K,25000,0.00K,0,31.5,-89.72,31.5,-89.72,"An upper level low pressure system moving north from the Gulf of Mexico combined with a warm and unstable airmass over the region.","A wood frame home that was in the middle of being remodeled was blown across the street. Some trees next to the home were blown down as well." +116594,701178,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-30 14:55:00,CST-6,2017-06-30 14:55:00,0,0,0,0,4.00K,4000,0.00K,0,31.6528,-89.3906,31.6528,-89.3906,"A moist and unstable airmass was in place over the region. This helped fuel some showers and thunderstorms during the afternoon that brought strong winds.","A tree was blown down on Oak Bowery Road." +115343,692536,KANSAS,2017,April,Hail,"COWLEY",2017-04-04 17:45:00,CST-6,2017-04-04 17:45:00,0,0,0,0,,NaN,,NaN,37.2596,-96.7708,37.2596,-96.7708,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","" +115343,692537,KANSAS,2017,April,Thunderstorm Wind,"COWLEY",2017-04-04 18:00:00,CST-6,2017-04-04 18:00:00,0,0,0,0,5.00K,5000,,NaN,37.316,-96.7359,37.316,-96.7359,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","Power lines were reported down just east of Burden." +115343,692539,KANSAS,2017,April,Thunderstorm Wind,"CHAUTAUQUA",2017-04-04 18:08:00,CST-6,2017-04-04 18:08:00,0,0,0,0,,NaN,,NaN,37.02,-96.18,37.02,-96.18,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","A trained spotter reported the gust." +115343,692540,KANSAS,2017,April,Thunderstorm Wind,"CHAUTAUQUA",2017-04-04 18:08:00,CST-6,2017-04-04 18:08:00,0,0,0,0,,NaN,,NaN,37.13,-96.18,37.13,-96.18,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","Winds were estimated at 70 mph with pea size hail covering the ground." +115343,692541,KANSAS,2017,April,Thunderstorm Wind,"CHAUTAUQUA",2017-04-04 18:08:00,CST-6,2017-04-04 18:08:00,0,0,0,0,20.00K,20000,,NaN,37.02,-96.18,37.02,-96.18,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","Power lines were reported down across US highway 99 and 6 to 8 inch tree limbs were down all across town." +113712,689778,MISSOURI,2017,April,Heavy Rain,"STONE",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-93.57,36.57,-93.57,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-SE-15, about five miles east northeast of Golden, measured 2.41 inches of rainfall in 24 hours." +113712,689779,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-93.87,36.67,-93.87,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-FSA-009 near Cassville measured 2.30 inches of rainfall in 24 hours." +113712,689780,MISSOURI,2017,April,Heavy Rain,"WEBSTER",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-93.01,37.11,-93.01,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-WB-31, about two miles east of Rogersville, measured 2.27 inches of rainfall in 24 hours." +113712,689781,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-94.51,36.6,-94.51,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-MD-009 near Noel measured 2.27 inches of rainfall in 24 hours." +113712,689784,MISSOURI,2017,April,Heavy Rain,"STONE",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-93.55,36.59,-93.55,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-SE-16 near Shell Knob measured 2.15 inches of rainfall in 24 hours." +113712,689785,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.84,-93.9,36.84,-93.9,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-BY-30 near Purdy measured 2.13 inches of rainfall in 24 hours." +113712,689787,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 06:00:00,CST-6,2017-04-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-94.45,36.59,-94.45,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-MD-1 near Lanagan measured 3.66 inches of rainfall in 24 hours." +113712,689777,MISSOURI,2017,April,Heavy Rain,"MCDONALD",2017-04-17 06:30:00,CST-6,2017-04-17 06:30:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-94.57,36.66,-94.57,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-MD-5, about two miles east of Tiff City, measured 2.47 inches of rainfall in 24 hours." +113712,689774,MISSOURI,2017,April,Heavy Rain,"BARRY",2017-04-17 07:00:00,CST-6,2017-04-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-93.66,36.53,-93.66,"Localized heavy rainfall fell across portions of the Missouri Ozarks.","The CoCoRaHS station MO-BY-12 at Golden measured 3.06 inches of rainfall in 24 hours." +113831,689792,MISSOURI,2017,April,Flash Flood,"NEWTON",2017-04-21 09:37:00,CST-6,2017-04-21 11:37:00,0,0,0,0,0.00K,0,0.00K,0,36.8918,-94.188,36.889,-94.1879,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Water was over Kentucky Road and Teal Drive. The road was impassable." +115420,693044,CALIFORNIA,2017,April,High Wind,"TULARE CTY MTNS",2017-04-24 11:10:00,PST-8,2017-04-24 11:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strengthening high pressure over the Eastern Pacific and strengthening low pressure over the Desert Southwest produced a strong pressure gradient over Central California resulting in a period of gusty winds over the Kern County Mountains and Deserts from the afternoon of the 23rd until the evening of the 24th. Several reports of wind gusts exceeding 45 mph were reported during this time frame.","The Bear Peak RAWS reported a peak wind gust of 58 mph." +115414,693039,CALIFORNIA,2017,April,High Wind,"SE KERN CTY DESERT",2017-04-20 17:40:00,PST-8,2017-04-20 17:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system pushed through the Pacific Northwest and Northern California on April 20 producing a strong pressure gradient over Central California. This resulted in a period of increased winds over the Kern County Mountains and Deserts.","The AWOS at the Mojave Airport reported a peak wind gust of 62 mph." +115414,693040,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-20 06:27:00,PST-8,2017-04-20 06:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system pushed through the Pacific Northwest and Northern California on April 20 producing a strong pressure gradient over Central California. This resulted in a period of increased winds over the Kern County Mountains and Deserts.","The Bird Springs Pass RAWS reported a peak wind gust of 79 mph." +115421,693048,CALIFORNIA,2017,April,High Wind,"INDIAN WELLS VLY",2017-04-26 14:26:00,PST-8,2017-04-26 14:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong northwest flow aloft brought a series of shortwave troughs north of Central California between the 26th and 28th of April. The first of these systems produced a strong pressure gradient over Central California during the afternoon and evening of the 26th resulting in a period of increased winds over the Kern County Mountains and Deserts with widespread gusts between 45 and 55 mph and a few wind prone areas reporting gusts between 65 and 80 mph.","The Indian Wells Canyon RAWS reported a peak wind gust of 67 mph." +115427,693059,TEXAS,2017,April,Thunderstorm Wind,"WALLER",2017-04-02 06:11:00,CST-6,2017-04-02 06:11:00,0,0,0,0,,NaN,,NaN,30.1881,-95.8277,30.1881,-95.8277,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Thunderstorm winds downed a tree along FM 1488 near Oak Hollow Blvd." +115427,693060,TEXAS,2017,April,Hail,"MONTGOMERY",2017-04-02 06:35:00,CST-6,2017-04-02 06:35:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-95.7,30.39,-95.7,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Quarter sized hail was reported." +115427,693064,TEXAS,2017,April,Hail,"HOUSTON",2017-04-02 10:25:00,CST-6,2017-04-02 10:25:00,0,0,0,0,0.00K,0,0.00K,0,31.1863,-95.6382,31.1863,-95.6382,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Quarter sized hail was reported." +115427,693067,TEXAS,2017,April,Thunderstorm Wind,"WALKER",2017-04-02 11:25:00,CST-6,2017-04-02 11:25:00,0,0,0,0,0.00K,0,0.00K,0,30.754,-95.6495,30.754,-95.6495,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Trees were downed near the intersection of Highway 75 and FM 1696." +113741,681177,TEXAS,2017,April,Debris Flow,"BRISCOE",2017-04-16 22:40:00,CST-6,2017-04-16 22:50:00,0,0,0,0,0.00K,0,0.00K,0,34.4736,-101.0865,34.4714,-101.0866,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","A rock slide occurred along State Highway 256 near County Road 27 following very heavy rainfall. This made the road impassable for an unknown amount of time." +113741,681150,TEXAS,2017,April,Hail,"TERRY",2017-04-16 19:16:00,CST-6,2017-04-16 19:45:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-102.28,33.2106,-102.2915,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Trained spotters and a NWS cooperative weather observer reported hail with sizes ranging from ping-pong balls to hen eggs. However, no damage was reported." +113741,681168,TEXAS,2017,April,Hail,"HALE",2017-04-16 20:40:00,CST-6,2017-04-16 20:40:00,0,0,0,0,0.00K,0,0.00K,0,34.1855,-101.7,34.1855,-101.7,"Scattered thunderstorms developed early in the evening on the 16th from the extreme south-central Texas Panhandle through the southern South Plains. Several of these storms became severe due to a very unstable atmosphere. Very heavy rains from a storm in Briscoe County caused a rock slide along State Highway 256 which caused the road to be impassable.","Quarter size hail was reported by a NWS cooperative weather observer. No damage was reported." +113770,681130,TEXAS,2017,April,Hail,"HALL",2017-04-20 21:29:00,CST-6,2017-04-20 21:29:00,0,0,0,0,0.00K,0,0.00K,0,34.5066,-100.43,34.5066,-100.43,"An approaching upper level disturbance acted upon a very moist and unstable airmass late in the evening on the 20th. Scattered thunderstorms developed across the extreme southeastern Texas Panhandle. One of these storms became severe as it moved across southeastern Hall County.","A citizen reported hail to the size of ping pong balls. No damage was reported." +116473,700464,TENNESSEE,2017,June,Thunderstorm Wind,"SHELBY",2017-06-18 13:42:00,CST-6,2017-06-18 13:45:00,0,0,0,0,2.00K,2000,0.00K,0,35.1328,-90.0604,35.1328,-90.0583,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Traffic light damaged from winds at the intersection of Main street and G.E. Patterson." +116473,700466,TENNESSEE,2017,June,Thunderstorm Wind,"SHELBY",2017-06-18 13:45:00,CST-6,2017-06-18 13:50:00,0,0,0,0,80.00K,80000,0.00K,0,35.1427,-90.0189,35.1419,-89.9794,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Downed large tree caused damage to two homes in Midtown." +116473,700468,TENNESSEE,2017,June,Thunderstorm Wind,"SHELBY",2017-06-18 13:52:00,CST-6,2017-06-18 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.099,-89.8281,35.0984,-89.8199,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Large tree and power lines downed near the intersection of Riverdale Road and Oak Run Drive." +114753,688351,TENNESSEE,2017,April,Flash Flood,"WILLIAMSON",2017-04-18 19:05:00,CST-6,2017-04-18 20:05:00,0,0,0,0,0.00K,0,0.00K,0,36.0166,-86.9424,35.9936,-86.9486,"Widely scattered thunderstorms developed across Middle Tennessee during the afternoon and evening hours on April 18. A couple of storms became severe in the Nashville area causing some hail and wind damage. A few reports of flash flooding were also received in other areas.","Temple Road, Old Natchez Trace, and Old Hillsboro Road were all flooded in places and impassable." +114063,686298,TEXAS,2017,April,Thunderstorm Wind,"TRAVIS",2017-04-02 08:19:00,CST-6,2017-04-02 08:19:00,0,0,0,0,1.00M,1000000,0.00K,0,30.3794,-97.9928,30.3794,-97.9928,"An upper level low moved out of Mexico and pushed a cold front through Texas. This generated thunderstorms that became severe.","A thunderstorm produced wind gusts estimated at 75 to 80 mph that downed large trees on Point Venture near Lake Travis. In addition, several homes sustained wind damage especially those that were on the south side of the point facing Lakeway. Roofs and patios had the most damage as radar indicated winds in excess of 70 kt blowing through the area. With multiple homes damage including resulting water damage, estimates of monetary loss may be as high as one million dollars." +114754,688357,TENNESSEE,2017,April,Hail,"CANNON",2017-04-21 13:08:00,CST-6,2017-04-21 13:08:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-86.17,35.73,-86.17,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon hours on April 21. Two storms became severe with large hail and wind damage, including one storm that became a supercell in Bedford County. Another report of minor flooding was also received in Rutherford County.","A Facebook photo showed hail larger than quarter size but smaller than half dollar size fell in Bradyville." +114754,688358,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-21 14:51:00,CST-6,2017-04-21 14:52:00,0,0,0,0,10.00K,10000,0.00K,0,35.4872,-86.4666,35.4887,-86.4603,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon hours on April 21. Two storms became severe with large hail and wind damage, including one storm that became a supercell in Bedford County. Another report of minor flooding was also received in Rutherford County.","A NWS storm survey along with Bedford County Emergency Management determined straight-line winds caused a small area of generally minor damage in downtown Shelbyville. A large tree limb was blown down on Courtland Drive. An awning was damaged and a small weak tree blown down at Thomas Magnet School on Tate Avenue. Half of the roof of a nearby two-story America's Best Value Inn motel on West End Circle was blown off, with debris blown a considerable distance across the street. However, this part of the roof was an addition on top of the original flat roof, and appeared poorly constructed with 2 by 4 rafters and a sheet metal surface. No other damage was noted in this concentrated commercial area of the city. Eyewitnesses and radar data suggested this may have been a brief weak tornado, but this could not be confirmed. Winds were estimated up to 70 mph." +114754,688361,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-21 15:08:00,CST-6,2017-04-21 15:08:00,0,0,0,0,3.00K,3000,0.00K,0,35.5899,-86.3732,35.5899,-86.3732,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon hours on April 21. Two storms became severe with large hail and wind damage, including one storm that became a supercell in Bedford County. Another report of minor flooding was also received in Rutherford County.","Trees were blown down at Highway 82 and Coop Road." +114654,687674,IOWA,2017,April,Heavy Rain,"CERRO GORDO",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-93.2,43.16,-93.2,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","KIMT reported heavy rainfall of 1.36 inches over the last 24 hours." +114654,687675,IOWA,2017,April,Heavy Rain,"CERRO GORDO",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-93.33,43.16,-93.33,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Mason City ASOS reported heavy rainfall of 1.17 inches over the last 24 hours." +114654,687676,IOWA,2017,April,Heavy Rain,"CERRO GORDO",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-93.19,43.17,-93.19,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Mason City Coop observer reported heavy rainfall of 1.48 inches over the last 24 hours." +114759,688639,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:39:00,CST-6,2017-04-30 13:39:00,0,0,0,0,2.00K,2000,0.00K,0,35.9136,-86.8788,35.9136,-86.8788,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter photo showed a large tree was uprooted which crushed a small trailer on Everbright Avenue." +114759,688641,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:41:00,CST-6,2017-04-30 13:41:00,0,0,0,0,1.00K,1000,0.00K,0,35.9209,-86.8619,35.9209,-86.8619,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter photo showed a large tree was uprooted in Pinkerton Park." +114759,688642,TENNESSEE,2017,April,Thunderstorm Wind,"GILES",2017-04-30 13:27:00,CST-6,2017-04-30 13:27:00,0,0,0,0,1.00K,1000,0.00K,0,35.0806,-87.0366,35.0806,-87.0366,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down on Crooked Hill Road south of Pulaski." +114759,688643,TENNESSEE,2017,April,Thunderstorm Wind,"GILES",2017-04-30 13:45:00,CST-6,2017-04-30 13:45:00,0,0,0,0,1.00K,1000,0.00K,0,35.1914,-86.8558,35.1914,-86.8558,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down on Old Highway 64 in Frankewing." +114759,688644,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:48:00,CST-6,2017-04-30 13:48:00,0,0,0,0,1.00K,1000,0.00K,0,36.0092,-86.8034,36.0092,-86.8034,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated a large tree was uprooted along with several large branches broken on the east side of Franklin Road in Brentwood." +114759,688645,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:48:00,CST-6,2017-04-30 13:48:00,0,0,0,0,1.00K,1000,0.00K,0,35.9899,-86.7923,35.9899,-86.7923,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated a tree was snapped on Warner Road in Brentwood." +115637,694828,NORTH CAROLINA,2017,April,High Wind,"WESTERN DARE",2017-04-06 13:09:00,EST-5,2017-04-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds behind a cold front led to damage to a mobile home roof near Snow Hill. A wind gust to 65 mph was measured on the Outer Banks.","Alligator River Bridge Weatherflow." +114845,688928,NORTH CAROLINA,2017,April,Flash Flood,"DUPLIN",2017-04-24 20:05:00,EST-5,2017-04-24 22:05:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-78.14,35.0986,-78.1341,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","High water reported on Warren Road near Faison. Road is closed." +114845,688930,NORTH CAROLINA,2017,April,Flash Flood,"ONSLOW",2017-04-24 22:00:00,EST-5,2017-04-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-77.58,34.7289,-77.5874,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Water flooding intersection of Harris Creek Road and Burgaw Highway west of Jacksonville. Both roads closed." +114845,688932,NORTH CAROLINA,2017,April,Flash Flood,"JONES",2017-04-24 22:30:00,EST-5,2017-04-25 00:30:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-77.59,34.998,-77.5655,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Weyerhaeuser Road near Highway 41 flooded and closed." +114845,688934,NORTH CAROLINA,2017,April,Flash Flood,"DUPLIN",2017-04-24 22:45:00,EST-5,2017-04-25 00:45:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-78.11,35.0313,-78.0936,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Seymore Blackmore Road flooded and closed north of Warsaw." +114845,688937,NORTH CAROLINA,2017,April,Flash Flood,"CRAVEN",2017-04-25 02:45:00,EST-5,2017-04-25 04:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-77.16,35.3112,-77.1528,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Third street in Vanceboro closed due to high water." +114845,688938,NORTH CAROLINA,2017,April,Flash Flood,"BEAUFORT",2017-04-25 04:30:00,EST-5,2017-04-25 06:30:00,0,0,0,0,0.00K,0,0.00K,0,35.54,-76.62,35.5491,-76.6125,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Several roads in Belhaven are flooded and closed." +117620,707345,FLORIDA,2017,June,Hail,"DUVAL",2017-06-26 16:19:00,EST-5,2017-06-26 16:19:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-81.56,30.19,-81.56,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","Dime size hail was reported near Old St. Augustine Road and Interstate 95." +117620,707346,FLORIDA,2017,June,Lightning,"DUVAL",2017-06-26 15:53:00,EST-5,2017-06-26 15:53:00,0,0,0,0,50.00K,50000,0.00K,0,30.19,-81.61,30.19,-81.61,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A home was struck by lightning on Tawa Trail. Smoke filled the home. The cost of damage was unknown, but it was estimated for Storm Data." +117620,707347,FLORIDA,2017,June,Lightning,"DUVAL",2017-06-26 15:54:00,EST-5,2017-06-26 15:54:00,0,0,0,0,30.00K,30000,0.00K,0,30.23,-81.6,30.23,-81.6,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A home was struck by lightning. Smoke was coming from the refrigerator. The cost of damage was unknown, but it was estimated for Storm Data." +117621,707353,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-06-26 17:50:00,EST-5,2017-06-26 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just |NW of the Altamaha River Basin early in the morning.","A Mesonet station measured a wind gust to 41 mph." +114040,683355,INDIANA,2017,April,Flood,"CRAWFORD",2017-04-29 08:45:00,EST-5,2017-04-29 08:45:00,0,0,0,0,4.00M,4000000,0.00K,0,38.33,-86.46,38.3321,-86.4198,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","State officials reported severe flooding across the county. Portions of Interstate 64 were closed and impassable. Approximately 75% of Crawford County roads were affected by flood waters. Culverts, bridges, gravel and blacktop roads were washed out by high water, making most impassable." +114040,683356,INDIANA,2017,April,Flood,"FLOYD",2017-04-29 08:50:00,EST-5,2017-04-29 08:50:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-85.96,38.322,-85.9787,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","State officials reported many roads still impassable across the county. The hardest hit area was Georgetownn and Greenville area where a swift water rescue was reported." +114040,683357,INDIANA,2017,April,Flood,"CLARK",2017-04-29 08:55:00,EST-5,2017-04-29 08:55:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-85.95,38.4758,-85.95,"An unseasonably warm and humid air mass developed across the lower Ohio Valley toward late April 2017. A powerful storm system across the central Plains brought several rounds of strong to severe thunderstorms to the region. Damaging winds and large hail occurred late on April 28 and into the morning hours April 29. Widespread rainfall of 3 to 6 inches fell across southern Indiana, resulting in flash flooding in some places.","State officials reported roads closed due to flooding." +114130,683445,WISCONSIN,2017,April,Hail,"LINCOLN",2017-04-09 17:06:00,CST-6,2017-04-09 17:06:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-90,45.55,-90,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell near Tripoli." +114799,688557,PUERTO RICO,2017,April,Flood,"GUAYANILLA",2017-04-16 18:18:00,AST-4,2017-04-16 20:30:00,0,0,0,0,0.00K,0,0.00K,0,18.0383,-66.7644,18.0179,-66.7547,"Moist and unstable weather conditions prevailed across the region. The focus of showers and thunderstorms development was along Cordillera Central of PR.","Rio Guayanilla was reported out of its banks at Barrio Quebrada Honda." +114799,695344,PUERTO RICO,2017,April,Flood,"NAGUABO",2017-04-16 19:57:00,AST-4,2017-04-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,18.2151,-65.7752,18.2139,-65.7733,"Moist and unstable weather conditions prevailed across the region. The focus of showers and thunderstorms development was along Cordillera Central of PR.","Rio Blanco at exit 22 in the intersection between road PR-31 and PR-53 was reported flooded." +114799,695345,PUERTO RICO,2017,April,Flood,"YAUCO",2017-04-16 19:57:00,AST-4,2017-04-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,18.0271,-66.8453,18.0243,-66.8437,"Moist and unstable weather conditions prevailed across the region. The focus of showers and thunderstorms development was along Cordillera Central of PR.","Quebrada Barranchin in Yauco was reported out of its banks on road PR-335." +113783,681206,NEVADA,2017,April,Thunderstorm Wind,"CLARK",2017-04-03 13:45:00,PST-8,2017-04-03 13:45:00,0,0,0,0,0.00K,0,0.00K,0,35.4869,-114.6922,35.4869,-114.6922,"A cold front brought thunderstorms to the Mojave Desert. Some of the storms produced high winds, along with heavy rain and small hail.","This gust occurred at Cottonwood Cove." +113782,681204,ARIZONA,2017,April,Thunderstorm Wind,"MOHAVE",2017-04-03 15:15:00,MST-7,2017-04-03 15:25:00,0,0,0,0,100.00K,100000,0.00K,0,35.1929,-114.561,35.102,-114.5174,"A cold front brought thunderstorms to the Mojave Desert. Some of the storms produced high winds, along with heavy rain and small hail.","The peak gust occurred at the Bullhead City Airport. There was widespread roof damage in the city." +113782,681205,ARIZONA,2017,April,Thunderstorm Wind,"MOHAVE",2017-04-03 15:28:00,MST-7,2017-04-03 15:44:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-113.93,35.23,-113.93,"A cold front brought thunderstorms to the Mojave Desert. Some of the storms produced high winds, along with heavy rain and small hail.","These winds occurred at the Kingman Airport." +113784,681207,NEVADA,2017,April,High Wind,"WESTERN CLARK/SOUTHERN NYE",2017-04-07 11:28:00,PST-8,2017-04-07 11:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system passing by brought isolated high winds to the Mojave Desert.","This gust occurred at Mercury-Desert Rock." +113957,682452,CALIFORNIA,2017,April,High Wind,"WESTERN MOJAVE DESERT",2017-04-24 11:40:00,PST-8,2017-04-24 12:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad trough brought isolated high winds to the Mojave Desert.","These winds occurred at Barstow-Daggett Airport (KDAG)." +113957,682454,CALIFORNIA,2017,April,High Wind,"WESTERN MOJAVE DESERT",2017-04-24 21:14:00,PST-8,2017-04-24 21:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad trough brought isolated high winds to the Mojave Desert.","This gust occurred at Barstow-Daggett Airport (KDAG)." +115771,696040,GEORGIA,2017,April,Tornado,"TALBOT",2017-04-03 11:26:00,EST-5,2017-04-03 11:32:00,0,0,0,0,50.00K,50000,,NaN,32.7458,-84.4357,32.7462,-84.3729,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-1 tornado with maximum wind speeds of 105 MPH and a maximum path width of 200 yards occurred in Talbot County. The tornado touched down along Pobiddy Road near the intersection with Jeff Hendricks Road and traveled east snapping a few trees before crossing Poplar Cross Road where several trees were snapped or uprooted onto the road. The tornado continued east along the north side of Carl Mathis Road in a wooded area downing trees. At an unoccupied home along Carl Mathis Road, a nearly 100 year old barn was completely destroyed along with a small shed. Numerous pecan and other hardwood trees north of the home were snapped and uprooted. The tornado crossed George Smith road continuing to down trees before weakening in a wooded area east of George Smith Road. No injuries were reported. [04/03/17: Tornado #8, County #1/1, EF-1, Talbot, 2017:040]." +115771,696052,GEORGIA,2017,April,Tornado,"SPALDING",2017-04-03 11:35:00,EST-5,2017-04-03 11:37:00,0,0,0,0,50.00K,50000,,NaN,33.2599,-84.2874,33.2613,-84.2773,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 150 yards occurred in central Spalding County. The tornado touched down just northwest of the town of Griffin, near the University of Georgia-Griffin campus around the intersection of Melrose Avenue and Baker Street. The tornado travelled east snapping or uprooting numerous trees with some falling on several homes causing extensive structural damage. This damage occurred in a narrow path between Melrose Avenue and Cedar Avenue, along and near Ellis Road. No injuries were reported. [04/03/17: Tornado #10, County #1/1, EF-0, Spalding, 2017:042]." +115771,696058,GEORGIA,2017,April,Tornado,"UPSON",2017-04-03 11:36:00,EST-5,2017-04-03 11:39:00,0,0,0,0,30.00K,30000,,NaN,32.8198,-84.3151,32.8296,-84.2875,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-0 tornado with maximum wind speeds of 70 MPH and a maximum path width of 75 yards occurred in south-central Upson County. The tornado briefly touched down south of Thomaston along John B Gordon road snapping a few trees then moved northeast crossing US Highway 19 following along New Harmony Church Road were several trees were snapped or uprooted. Minor roof damage was noted to some homes along Samuel Atwater Road. The tornado ended along New Harmony Church Road before crossing Wolf Creek. No injuries were reported. [04/03/17: Tornado #11 County #1/1, EF-0, Upson, 2017:043]." +115656,694948,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:35:00,CST-6,2017-04-16 18:35:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-101.11,35.28,-101.11,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694949,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:52:00,CST-6,2017-04-16 18:52:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-101.16,35.25,-101.16,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694950,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:56:00,CST-6,2017-04-16 18:56:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-101.16,35.25,-101.16,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694951,TEXAS,2017,April,Hail,"CARSON",2017-04-16 18:59:00,CST-6,2017-04-16 18:59:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-101.15,35.24,-101.15,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694952,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:06:00,CST-6,2017-04-16 19:06:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.25,35.2,-101.25,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115183,691637,ILLINOIS,2017,April,Thunderstorm Wind,"CUMBERLAND",2017-04-29 18:51:00,CST-6,2017-04-29 18:56:00,0,0,0,0,7.00K,7000,0.00K,0,39.27,-88.25,39.27,-88.25,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A power pole was snapped." +122050,730659,IOWA,2017,December,Winter Weather,"LEE",2017-12-24 00:30:00,CST-6,2017-12-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports ranged from 2.3 miles north of Fort Madison to 3.5 inches 3 miles northwest of Keokuk." +122050,730660,IOWA,2017,December,Winter Weather,"HENRY",2017-12-24 01:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","A snow total of 2.3 inches was reported 4 miles west of Mount Pleasant." +115362,693602,GEORGIA,2017,April,Hail,"BULLOCH",2017-04-03 14:52:00,EST-5,2017-04-03 14:53:00,0,0,0,0,,NaN,,NaN,32.39,-81.76,32.39,-81.76,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A social media picture showed a handful of quarter size hail stones." +115362,693603,GEORGIA,2017,April,Hail,"BRYAN",2017-04-03 14:59:00,EST-5,2017-04-03 15:00:00,0,0,0,0,,NaN,,NaN,31.92,-81.34,31.92,-81.34,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A trained spotter relayed a report of dime to nickel size hail from the 4900 block of Highway 17." +115362,693604,GEORGIA,2017,April,Hail,"BRYAN",2017-04-03 15:03:00,EST-5,2017-04-03 15:04:00,0,0,0,0,,NaN,,NaN,31.93,-81.31,31.93,-81.31,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","A trained spotter reported quarter size hail near Richmond Hill, GA." +115855,696289,FLORIDA,2017,April,Thunderstorm Wind,"LAKE",2017-04-06 03:40:00,EST-5,2017-04-06 03:40:00,0,0,0,0,,NaN,,NaN,28.9026,-81.8892,28.9026,-81.8892,"During the early morning hours, a strong thunderstorm along a decaying squall line produced localized wind damage in the town of Lady Lake. Tree damage occurred, along with very minor damage to one home. ||As the squall line continued to sag southward, it became reinvigorated toward mid morning. A cluster of strong storms formed into a bow echo as it approached the Kissimmee River near the border of southwest Osceola and northwest Okeechobee Counties. Very strong straight line winds destroyed two recreational vehicles within the Kissimmee Prairie Preserve State Park and resulted in two injuries. As the cell continued east, a tornado developed and impacted Fort Drum with EF-2 damage to several mobile homes and numerous trees.","A strong thunderstorm along a decaying squall line produced localized wind damage in the town of Lady Lake. Several trees were snapped off or uprooted and many large tree limbs were downed across three adjacent large properties. Only minor structural damage reported, with aluminum fascia torn off the edge of a roof. About a mile west of this location, a fence was blown down." +115855,696300,FLORIDA,2017,April,Thunderstorm Wind,"OKEECHOBEE",2017-04-06 08:30:00,EST-5,2017-04-06 08:33:00,2,0,0,0,100.00K,100000,,NaN,27.5835,-81.0553,27.582,-81.04,"During the early morning hours, a strong thunderstorm along a decaying squall line produced localized wind damage in the town of Lady Lake. Tree damage occurred, along with very minor damage to one home. ||As the squall line continued to sag southward, it became reinvigorated toward mid morning. A cluster of strong storms formed into a bow echo as it approached the Kissimmee River near the border of southwest Osceola and northwest Okeechobee Counties. Very strong straight line winds destroyed two recreational vehicles within the Kissimmee Prairie Preserve State Park and resulted in two injuries. As the cell continued east, a tornado developed and impacted Fort Drum with EF-2 damage to several mobile homes and numerous trees.","A Kissimmee Prairie Preserve biologist reported that a storm flipped over two travel trailers, uprooted several large trees and caused sheet metal to become lodged in a tree. Two people within one of the trailers were injured, one suffered a punctured lung and several broken ribs and the other received very minor injuries. The damage was concentrated in the park from the equestrian campground to the family campground.|Follow-up information from Okeechobee Emergency Management and a NWS damage survey confirmed the impacts were the result of intense straight-line winds estimated near 80 mph, as a cluster of thunderstorms organized into a bow echo, then began to evolve into a supercell while continuing eastward." +113340,678205,NORTH DAKOTA,2017,April,Flood,"CAVALIER",2017-04-01 00:00:00,CST-6,2017-04-05 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-98.98,48.57,-98.94,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th and continued into early April, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +113340,678206,NORTH DAKOTA,2017,April,Flood,"PEMBINA",2017-04-01 00:00:00,CST-6,2017-04-05 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.99,-97.93,48.56,-97.89,"Over the winter of 2016-2017, the most snow fell across the Devils Lake basin up into northeast North Dakota. By late March 2017, snow water equivalents in this area ranged from 3 to 4 inches, with isolated pockets of 5 inches. There was even more snow in southern Manitoba, and some of this water would come down the Pembina River in northeast North Dakota. A push of warm weather which began on March 28th and continued into early April, started the melt in earnest. Even the low temperatures at night stayed around or just above freezing. As the snow melted, the water ponded in low spots and moved through the area drainage systems. This resulted in rural road closures from the overland flooding.","" +115506,693535,MASSACHUSETTS,2017,April,Drought,"EASTERN FRANKLIN",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in southeastern Franklin County to Moderate Drought (D1) on April 4." +114089,686409,TEXAS,2017,April,Flash Flood,"LLANO",2017-04-10 22:40:00,CST-6,2017-04-11 00:45:00,0,0,0,0,0.00K,0,0.00K,0,30.79,-98.76,30.7042,-98.7932,"A cold front moved through South Central Texas and generated thunderstorms. Some of these storms produced large hail and heavy rain that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing several county roads west of Llano." +115294,696711,ILLINOIS,2017,April,Flood,"COLES",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.6434,-88.4822,39.38,-88.4715,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a three hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Coles County. Several streets in Charleston were impassable. Numerous rural roads and highways in the southern part of the county from Lerna to Ashmore were inundated, including parts of Illinois Routes 16 and 130 which were closed at times. An additional 1.00 inch of rain occurred on April 30th, keeping many roads flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115294,696879,ILLINOIS,2017,April,Flood,"CUMBERLAND",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.3812,-88.0138,39.373,-88.4707,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 4.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across Cumberland County. Several streets in Neoga and Greenup were impassable. Numerous rural roads and highways were inundated, particularly along U.S. Highway 40 near the Clark County line. An additional 0.50 to 1.00 inch of rain occurred on April 30th into May 1st, keeping many roads flooded. As a result, areal flooding continued until the early morning hours of May 4th, before another round of heavy rain produced additional flash flooding." +115061,690847,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 18:58:00,CST-6,2017-04-04 18:58:00,0,0,0,0,0.00K,0,0.00K,0,35.4898,-93.8174,35.4898,-93.8174,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690849,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 19:03:00,CST-6,2017-04-04 19:03:00,0,0,0,0,0.00K,0,0.00K,0,35.4795,-93.8049,35.4795,-93.8049,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690850,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 19:29:00,CST-6,2017-04-04 19:29:00,0,0,0,0,15.00K,15000,0.00K,0,35.43,-93.76,35.43,-93.76,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690851,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-04 19:30:00,CST-6,2017-04-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3408,-94.1256,36.3408,-94.1256,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","Strong thunderstorm wind uprooted trees." +115060,690770,OKLAHOMA,2017,April,Hail,"OKFUSKEE",2017-04-04 15:05:00,CST-6,2017-04-04 15:05:00,0,0,0,0,0.00K,0,0.00K,0,35.4795,-96.4549,35.4795,-96.4549,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690771,OKLAHOMA,2017,April,Hail,"ROGERS",2017-04-04 15:23:00,CST-6,2017-04-04 15:23:00,0,0,0,0,0.00K,0,0.00K,0,36.2347,-95.5559,36.2347,-95.5559,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690772,OKLAHOMA,2017,April,Hail,"OKMULGEE",2017-04-04 15:26:00,CST-6,2017-04-04 15:26:00,0,0,0,0,0.00K,0,0.00K,0,35.7409,-96.007,35.7409,-96.007,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115065,690919,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-25 22:53:00,CST-6,2017-04-25 22:53:00,0,0,0,0,20.00K,20000,0.00K,0,35.4502,-95.7408,35.4502,-95.7408,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115654,694928,SOUTH CAROLINA,2017,April,Flash Flood,"GEORGETOWN",2017-04-24 07:58:00,EST-5,2017-04-24 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.4517,-79.5639,33.4499,-79.5643,"Complex low pressure along with a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flash flooding was reported along portions of S Beech Ave. due to more than 5 inches of rain which began overnight and was ongoing. One residence reportedly had water coming into the house. Poor drainage contributed to the flooding." +115654,694929,SOUTH CAROLINA,2017,April,Flash Flood,"GEORGETOWN",2017-04-24 08:05:00,EST-5,2017-04-24 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.4555,-79.5585,33.4489,-79.5606,"Complex low pressure along with a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Several structures were reportedly flooded in the city of Andrews, especially along Rosemary Ave. which was reportedly impassable. Poor drainage contributed to the flooding." +115065,690921,OKLAHOMA,2017,April,Thunderstorm Wind,"MCINTOSH",2017-04-25 23:15:00,CST-6,2017-04-25 23:15:00,0,0,0,0,0.00K,0,0.00K,0,35.4551,-95.6458,35.4551,-95.6458,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","A storm chaser measured 73 mph thunderstorm wind gusts on I-40 at Highway 150." +115655,694931,NORTH CAROLINA,2017,April,Flash Flood,"NEW HANOVER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.1886,-77.8816,34.1852,-77.8835,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Water up to a foot deep was reported along the 3200 block of Red Berry Dr." +115655,694942,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:30:00,EST-5,2017-04-24 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.3838,-77.7778,34.3837,-77.7777,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","A portion of Knollwood Dr. was reported flooded." +115655,694957,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.4549,-77.8842,34.4545,-77.884,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flooding was reported at the intersection of Lanier Ave. and Highway 117." +115655,694962,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.6243,-78.02,34.6132,-78.0101,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flooding was reported along a portion of Shiloh Rd." +115875,696392,OKLAHOMA,2017,April,Flood,"ADAIR",2017-04-29 10:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.1134,-94.7769,36.113,-94.77,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Illinois River near Chewey rose above its flood stage of 12 feet at 11:45 am CDT on April 29th. The river crested at 31.95 feet at 1:30 pm CDT on the 30th, resulting in major/near record flooding (2nd highest crest on record). Disastrous flooding occurred from near Fidler's Bend to near Hanging Rock, with many permanent campgrounds and cabins overtopped, and roads inundated. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 3:15 pm CDT on May 1st." +115875,696396,OKLAHOMA,2017,April,Flood,"CHEROKEE",2017-04-29 11:30:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-94.97,35.87,-94.9097,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Illinois River near Tahlequah rose above its flood stage of 11 feet at 12:30 pm CDT on April 29th. The river crested at 29.35 feet at 10:00 pm CDT on the 30th, resulting in major/near record flooding (2nd highest crest on record). Devastating flooding occurred from near Hanging Rock to the headwaters of Lake Tenkiller, with many permanent campgrounds and cabins overtopped, and roads inundated. Monetary damage estimates were not available. The river remained in flood through the end of April, then fell below flood stage at 9:30 am CDT on May 2nd." +113801,681370,KENTUCKY,2017,April,Hail,"BRECKINRIDGE",2017-04-05 13:55:00,CST-6,2017-04-05 13:55:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-86.46,37.78,-86.46,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681372,KENTUCKY,2017,April,Hail,"BRECKINRIDGE",2017-04-05 14:04:00,CST-6,2017-04-05 14:04:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-86.29,37.88,-86.29,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681373,KENTUCKY,2017,April,Hail,"BUTLER",2017-04-05 14:14:00,CST-6,2017-04-05 14:14:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-86.74,37.14,-86.74,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681374,KENTUCKY,2017,April,Hail,"BUTLER",2017-04-05 14:18:00,CST-6,2017-04-05 14:18:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-86.8,37.33,-86.8,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681376,KENTUCKY,2017,April,Hail,"BRECKINRIDGE",2017-04-05 14:56:00,CST-6,2017-04-05 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-86.49,37.79,-86.49,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681377,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:02:00,CST-6,2017-04-05 15:02:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-86.42,36.96,-86.42,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Dime size hail was reported at Warren County Airport by the Civil Air Patrol." +113801,681378,KENTUCKY,2017,April,Hail,"MEADE",2017-04-05 16:04:00,EST-5,2017-04-05 16:04:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-86.31,38.15,-86.31,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681674,KENTUCKY,2017,April,Tornado,"HENRY",2017-04-05 16:54:00,EST-5,2017-04-05 16:56:00,0,0,0,0,100.00K,100000,0.00K,0,38.373,-85.144,38.394,-85.127,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The National Weather Service surveyed a small tornado path in Henry County. There were also areas of wind and hail damage along US 421. The first evidence of tornado damage was just south of US 421 where the tornado passed between two farms. Barns on either side of the path were damaged with the debris thrown clockwise which showed an anticyclonic rotation. Also, a nearby house���s siding was severely damaged by hail, with witnesses saying the hail was several inches deep. The tornado crossed US 421 and continued northeast. The last evidence of a tornado was at a house on Point Pleasant Road. The tornado blew in a garage door and caused siding damage again due to hail." +115350,692615,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:03:00,CST-6,2017-04-02 20:03:00,0,0,0,0,,NaN,0.00K,0,26.2198,-97.6893,26.2198,-97.6893,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Golf ball size hail reported in north Harlingen at the intersection of 7th Street and Vinson. Hail from this particular storm caused an unknown amount of damage at auto dealerships along Interstate Highway 2, on the west side of Harlingen. Information will be updated as data are received." +113801,681668,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 18:04:00,EST-5,2017-04-05 18:04:00,0,0,0,0,30.00K,30000,,NaN,38.27,-84.47,38.27,-84.47,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A NWS Storm Survey team found a large barn heavily damaged along Highway 62." +113934,690087,KANSAS,2017,April,Hail,"OSBORNE",2017-04-15 18:05:00,CST-6,2017-04-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,39.2736,-98.97,39.2736,-98.97,"Upper level shortwave energy associated with low pressure over central Canada pushed east into the Central and Northern Plains on this Saturday afternoon. Accompanying this system was a surface cold front, which trekked southeast across the region during the day. By early evening, surface low pressure was located over the Oklahoma and Texas panhandle region, with the cold front extending northeast through central Kansas and into far southeastern Nebraska.| |Shortly after 6 PM CDT, thunderstorms started to develop along the surface cold front. The main line of activity formed just outside the southeast corner of the NWS Hastings coverage area. One storm did develop just north of the main cold front, over far eastern portions of Rooks County. This storm pushed east, then southeast through central and southern portions of Osborne County, dropping hail up to the size of golf balls over areas northeast and east of Natoma before pushing out of the coverage area by 8:30 PM CDT. While the best environment for thunderstorms was along and south of the front, this storm still had MLCAPE values near 2000 j/kg to tap into, with deep layer shear values near 40 knots.","" +115774,699180,GEORGIA,2017,April,Flash Flood,"GWINNETT",2017-04-23 16:26:00,EST-5,2017-04-23 17:14:00,0,0,0,0,0.00K,0,0.00K,0,33.9361,-84.0325,33.9214,-84.0458,"A deep upper-level low along with an associated strong surface low and cold front swept through the region. By late afternoon, strong daytime heating across central Georgia resulted in a moderately unstable atmosphere and scattered severe thunderstorms.","A USGS stream gage on Pew Creek on Patterson Road SW in Lawrenceville quickly reached flood stage of 11 feet. The creek crest at 11.37 feet at 4:45 PM EST. Minor flooding occurred in the natural floodplain upstream and downstream from the gage. The parking lot of the Saratoga Swim and Tennis Club downstream from the river gage experienced flooding." +115772,699316,GEORGIA,2017,April,Flash Flood,"FULTON",2017-04-05 16:30:00,EST-5,2017-04-05 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.8282,-84.4411,33.8471,-84.432,"Another strong short wave, the second in three days, rotated through a large and deep upper-level trough over the eastern U.S. A deep surface low and strong cold front moved through the state combining with moderate instability and strong low-level shear to produce another round of widespread severe weather across north and central Georgia, including several tornadoes.","A USGS stream gage on Nancy Creek at West Wesley Road in Atlanta quickly reached flood stage of 12 feet. The creek crest at 12.30 feet at 6:30 PM EST. Minor flooding of residential yards occured along the creek upstream and downstream from the gage, including Nancy Creek Road and Ridge Valley Court. Portions of The Westminster Schools athletic fields upstream from the gage also flooded." +115771,698538,GEORGIA,2017,April,Thunderstorm Wind,"CARROLL",2017-04-03 10:10:00,EST-5,2017-04-03 10:15:00,0,0,0,0,10.00K,10000,,NaN,33.5824,-85.0623,33.5824,-85.0623,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported multiple trees blown down at the intersection of Highway 166 and Cedar Street." +117931,708725,IDAHO,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 18:24:00,MST-7,2017-06-11 18:45:00,0,0,0,0,1.50K,1500,0.00K,0,42.93,-114.4,42.93,-114.4,"Several severe thunderstorm winds were recorded along with some damage from the outflow winds.","Multiple trees were reported downed in Shoshone due to thunderstorm winds. A roof was also ripped off of a barn. Some power lines were downed and 100 people lost power in the city." +117931,708726,IDAHO,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 18:40:00,MST-7,2017-06-11 18:55:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-114.17,43.05,-114.17,"Several severe thunderstorm winds were recorded along with some damage from the outflow winds.","A 59 mph thunderstorm outflow wind was measured in Richfield." +117931,708739,IDAHO,2017,June,Thunderstorm Wind,"BLAINE",2017-06-11 19:10:00,MST-7,2017-06-11 19:25:00,0,0,0,0,0.50K,500,0.00K,0,43.47,-114.27,43.47,-114.27,"Several severe thunderstorm winds were recorded along with some damage from the outflow winds.","Multiple trees were uprooted in Bellevue due to thunderstorm winds. The largest was 2 feet in diameter." +117931,708743,IDAHO,2017,June,Thunderstorm Wind,"BLAINE",2017-06-11 20:00:00,MST-7,2017-06-11 20:10:00,0,0,0,0,0.00K,0,0.00K,0,43.6412,-114.4994,43.6412,-114.4994,"Several severe thunderstorm winds were recorded along with some damage from the outflow winds.","A 69 mph wind gust was recorded on Bald Mountain." +117925,708723,IDAHO,2017,June,Thunderstorm Wind,"MINIDOKA",2017-06-04 18:00:00,MST-7,2017-06-04 18:20:00,0,0,0,0,0.00K,0,0.00K,0,42.8114,-113.5637,42.8114,-113.5637,"Thunderstorm winds reached severe levels in several locations .","The Minidoka ARL mesonet site measured a 59 mph thunderstorm wind gust." +117931,708749,IDAHO,2017,June,Funnel Cloud,"FREMONT",2017-06-11 20:05:00,MST-7,2017-06-11 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.0088,-111.8101,44.0088,-111.8101,"Several severe thunderstorm winds were recorded along with some damage from the outflow winds.","A funnel cloud was spotted by the emergency manager west of St Anthony." +117933,708769,IDAHO,2017,June,Wildfire,"CARIBOU HIGHLANDS",2017-06-08 14:00:00,MST-7,2017-06-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire began on June 8th and burned 500 acres east of Century High School in south Pocatello. the fire threatened several homes but evacuations were not required. The fire was human caused by stray bullets from target shooting in the hllls near the high school. Firefighters and rain had the fire under control by late in the day on June 9th.","A wildfire began on June 8th and burned 500 acres east of Century High School in south Pocatello. the fire threatened several homes but evacuations were not required. The fire was human caused by stray bullets from target shooting in the hills near the high school. Firefighters and rain had the fire under control by late in the day on June 9th." +117934,708803,IDAHO,2017,June,Hail,"BONNEVILLE",2017-06-12 09:50:00,MST-7,2017-06-12 10:15:00,0,0,0,0,1.00K,1000,0.00K,0,43.48,-112.03,43.48,-112.03,"Severe thunderstorms brought large hail and power outages to Idaho Falls.","Hail 1.25 inches was recorded in Idaho Falls and 3,000 Idaho Falls Power customers lost power due to a transformer failure. The outage was areas south of 17th street." +117935,708804,IDAHO,2017,June,Thunderstorm Wind,"POWER",2017-06-26 18:11:00,MST-7,2017-06-26 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-112.6,42.92,-112.6,"Severe thunderstorm winds downed power lines in Pocatello on Jefferson Avenue around 745. Idaho Power reported 2,000 customers in the Pocatello area. The Pocatello Regional Airport reported a wind gust of 61 mph.","A 61 mph gust was recorded by the Pocatello ASOS at the Pocatello Regional Airport." +116562,701044,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 21:07:00,MST-7,2017-06-30 21:16:00,0,0,0,0,100.00K,100000,0.00K,0,34.24,-103.6,34.24,-103.6,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of baseballs. Damage sustained to crops, homes, and vehicles." +116562,701046,NEW MEXICO,2017,June,Thunderstorm Wind,"ROOSEVELT",2017-06-30 21:00:00,MST-7,2017-06-30 21:05:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-103.72,34.27,-103.72,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Local weather station several miles west-northwest of Floyd reported a peak wind gust to 67 mph." +116562,701248,NEW MEXICO,2017,June,Thunderstorm Wind,"CHAVES",2017-06-30 21:16:00,MST-7,2017-06-30 21:17:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-104.56,33.91,-104.56,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Peak wind gust to 59 mph at Buck Springs." +115967,697165,NORTH DAKOTA,2017,June,Heavy Rain,"CASS",2017-06-13 20:38:00,CST-6,2017-06-13 20:48:00,0,0,0,0,,NaN,,NaN,46.88,-96.82,46.88,-96.82,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Minor street flooding occurred on Main Avenue near downtown Fargo." +116011,697166,MINNESOTA,2017,June,Hail,"MAHNOMEN",2017-06-13 14:35:00,CST-6,2017-06-13 14:35:00,0,0,0,0,,NaN,,NaN,47.39,-95.66,47.39,-95.66,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Dime to quarter sized hail fell along with very heavy rain." +116011,697167,MINNESOTA,2017,June,Hail,"MAHNOMEN",2017-06-13 14:45:00,CST-6,2017-06-13 14:45:00,0,0,0,0,,NaN,,NaN,47.46,-95.63,47.46,-95.63,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A few nickel to half dollar sized hail fell along with very heavy rain." +116011,697168,MINNESOTA,2017,June,Hail,"BELTRAMI",2017-06-13 15:06:00,CST-6,2017-06-13 15:06:00,0,0,0,0,,NaN,,NaN,47.63,-94.88,47.63,-94.88,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","The hail fell along Irvine Avenue." +116011,697170,MINNESOTA,2017,June,Hail,"CLEARWATER",2017-06-13 15:25:00,CST-6,2017-06-13 15:30:00,0,0,0,0,,NaN,,NaN,47.74,-95.51,47.74,-95.51,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A few dime to quarter sized hail fell with brief heavy rain." +116011,697171,MINNESOTA,2017,June,Hail,"WILKIN",2017-06-13 18:05:00,CST-6,2017-06-13 18:05:00,0,0,0,0,,NaN,,NaN,46.05,-96.29,46.05,-96.29,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Dime to quarter sized hail fell along with very heavy rain." +119520,721574,FLORIDA,2017,September,Tornado,"HARDEE",2017-09-10 07:59:00,EST-5,2017-09-10 08:01:00,0,0,0,0,40.00K,40000,0.00K,0,27.565,-81.8147,27.5651,-81.8151,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Roof damage and downed power poles were found in Wauchula along US Highway 17. An NWS storm survey crew had difficulty differentiating tornado damage from the surrounding hurricane damage, but given that the initial damage report was received well before the tropical storm and hurricane force winds arrived, it was determined that a brief tornado more than likely touched down. Time was estimated from radar." +119520,721616,FLORIDA,2017,September,Flood,"HARDEE",2017-09-12 06:00:00,EST-5,2017-09-24 12:00:00,0,0,0,0,1.64M,1640000,0.00K,0,27.5802,-81.8123,27.5571,-81.8001,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Peace River at Zolfo Springs to rise above flood stage on the 12th, with flooding continuing through the 24th. The water level crested at 23.85 feet on the 13th, 1.85 feet above the major flooding threshold. This marks the third highest crest in history for the Peace River at Zolfo Springs.||The waters were reported to have flooded the Little Charlie Creek RV Park near Wauchula. Flood damage to homes was estimated at $1.64 million." +119520,721618,FLORIDA,2017,September,Flood,"DE SOTO",2017-09-10 18:00:00,EST-5,2017-09-28 12:00:00,0,0,0,0,1.00M,1000000,0.00K,0,27.2861,-81.8653,27.2304,-81.8961,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Peace River at Arcadia to rise above flood stage on the 10th, with flooding continuing through the 28th. The water level crested at 19.20 feet on the 15th, 3.20 feet above the major flooding threshold. This marks the third highest crest in history for the Peace River at Zolfo Springs.||On the nearby Horse Creek, flooding began on the 10th at the river gage near Arcadia, and continued through the 22nd. The water level crested at 17.07 feet on the 11th, 1.07 feet above the major flood stage. This marks the 5th highest flood stage on record for the Horse Creek near Arcadia. ||The waters were reported to have flooded homes in the River Acres neighborhood, as well as the Peace River Campground. The flood damage cost is unknown, but was guessed to be around $1 million." +119520,721630,FLORIDA,2017,September,Flood,"LEE",2017-09-10 18:00:00,EST-5,2017-09-13 00:00:00,0,0,0,0,500.00M,500000000,0.00K,0,26.3421,-81.771,26.3313,-81.771,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma on the 10th and 11th cause water levels to rise on the Imperial River in southern Lee county to rise, resulting in flooding of hundreds of homes in Imperial Bonita Estates and the surrounding areas. ||Flood damage from Irma in Lee County was roughly estimated at $500 million." +115929,696840,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:05:00,CST-6,2017-05-27 22:10:00,0,0,0,0,0.00K,0,0.00K,0,35.148,-90.0508,35.1261,-90.0288,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Sixty-nine mile per hour gust measured in downtown Memphis." +115929,698143,TENNESSEE,2017,May,Thunderstorm Wind,"MCNAIRY",2017-05-27 23:05:00,CST-6,2017-05-27 23:15:00,0,0,0,0,30.00K,30000,0.00K,0,35.0649,-88.4475,35.051,-88.4216,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Tree down on a house in Highway 22 in Michie." +115929,696841,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:12:00,CST-6,2017-05-27 22:15:00,0,0,0,0,0.00K,0,0.00K,0,35.05,-89.98,35.0256,-89.9657,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Sixty-one mile per hour gust at Memphis International." +115929,699688,TENNESSEE,2017,May,Thunderstorm Wind,"TIPTON",2017-05-27 21:40:00,CST-6,2017-05-27 21:45:00,0,0,0,0,50.00K,50000,0.00K,0,35.5233,-89.8503,35.4849,-89.8213,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Several poles down along Double bridges road near Munford." +115929,699689,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:05:00,CST-6,2017-05-27 22:15:00,0,0,0,0,100.00K,100000,0.00K,0,35.1206,-89.7653,35.1168,-89.7586,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","External warning siren destroyed at Bazemore Road and Forest Hill Irene." +118020,709488,ARIZONA,2017,June,Excessive Heat,"TUCSON METRO AREA",2017-06-06 15:30:00,MST-7,2017-06-07 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the season was punctuated by high temperatures around 110 degrees in the Tucson Metro area. No heat-related fatalities were reported.","Temperatures topped out between 108 and 111 degrees in parts of the Tucson Metro area on June 6th and 7th. The highest temperature recorded at the Tucson International Airport during this period was 107 degrees on the 7th." +119058,716746,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 20:47:00,CST-6,2017-07-22 20:50:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-94.75,38.99,-94.75,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A street light and a fence were both blown down by strong thunderstorm wind gusts." +119058,716747,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 20:54:00,CST-6,2017-07-22 20:57:00,0,0,0,0,,NaN,,NaN,38.99,-94.93,38.99,-94.93,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","About 15 large trees were down across the De Soto area. Some trees were over 2 feet in diameter. A home weather station in De Soto measured 85 mph winds. This report was relayed via Johnson County Sheriff to the NWS." +117401,709339,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-08 17:21:00,CST-6,2017-06-08 17:21:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.29,31.37,-100.29,"On June 8, an isolated thunderstorm resulted in a microburst at Wall located about 15 miles east of San Angelo. On June 9, thunderstorms with very heavy rain resulted in flash flooding of low water crossings and small creeks about 3 miles southwest of Mason.","The Texas Tech West Texas Mesonet at Wall measured a thunderstorm wind gust of 63 mph." +112258,673717,GEORGIA,2017,January,Tornado,"WILKINSON",2017-01-21 12:54:00,EST-5,2017-01-21 13:11:00,0,0,0,0,10.00K,10000,,NaN,32.797,-83.17,32.827,-83.076,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 100 yards began along the Highway 441 Bypass on the southern edge of Irwinton where several trees were blown down. The tornado moved east-northeast crossing Bear Camp and Water Fork Roads before meeting up with and travelling along Highway 57 into Toomsboro downing several more trees along the way. [01/21/17: Tornado #15, County #1/1, EF1, Wilkinson, 2017:016]." +117367,705812,VIRGINIA,2017,June,Flash Flood,"PAGE",2017-06-16 12:53:00,EST-5,2017-06-16 15:45:00,0,0,0,0,5.00K,5000,0.00K,0,38.6609,-78.4646,38.6651,-78.464,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","South Court Street was flooded and closed due to heavy rain. A couple inches of water was entering one structure." +117367,705835,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 13:30:00,EST-5,2017-06-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4144,-78.9389,38.4148,-78.9386,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Main Street was closed near College Street due to high water." +117367,705840,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 13:30:00,EST-5,2017-06-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4797,-78.8189,38.4802,-78.8197,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","There was flooding along Route 11 near the 3500 Block near the Economy Inn Hotel. Lanes were closed." +117367,705850,VIRGINIA,2017,June,Flash Flood,"HARRISONBURG (C)",2017-06-16 13:52:00,EST-5,2017-06-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4607,-78.8662,38.4645,-78.8639,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","North Liberty Street was flooded near a small stream out of its banks north of Harrisonburg. Jefferson Street near Madison Street was also closed due to high water." +117367,705852,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 14:00:00,EST-5,2017-06-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4211,-78.9387,38.4221,-78.9396,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","The 2000 Block of Silver Lake Road was closed due to high water." +117367,705853,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 14:02:00,EST-5,2017-06-16 15:45:00,0,0,0,0,0.00K,0,0.00K,0,38.4073,-78.7391,38.408,-78.7416,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Massanutten Drive was flooded and closed near Strony Run in the 3000 Block." +117367,705855,VIRGINIA,2017,June,Flash Flood,"STAUNTON (C)",2017-06-16 14:24:00,EST-5,2017-06-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.1732,-79.0893,38.1748,-79.0897,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","There were six to eight inches of water estimated flowing down the 1700 Block Englewood Drive." +117367,706011,VIRGINIA,2017,June,Flood,"ROCKINGHAM",2017-06-16 18:15:00,EST-5,2017-06-16 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38.421,-78.6393,38.4205,-78.6392,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Bethel Church Road was still closed near River Road due to residual high water." +117374,706012,WEST VIRGINIA,2017,June,Flood,"MORGAN",2017-06-16 17:25:00,EST-5,2017-06-16 22:15:00,0,0,0,0,0.00K,0,0.00K,0,39.525,-78.4523,39.5257,-78.4507,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","There was high standing water on Route 9 in Paw Paw." +117493,706590,WEST VIRGINIA,2017,June,Thunderstorm Wind,"GRANT",2017-06-14 13:45:00,EST-5,2017-06-14 13:45:00,0,0,0,0,,NaN,,NaN,39.0484,-79.1449,39.0484,-79.1449,"A weak boundary remained overhead. Warm and humid conditions ahead of the boundary caused a couple severe thunderstorms to develop.","A few trees were down north of Petersburg." +117493,706591,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MINERAL",2017-06-14 16:45:00,EST-5,2017-06-14 16:45:00,0,0,0,0,,NaN,,NaN,39.4148,-78.9694,39.4148,-78.9694,"A weak boundary remained overhead. Warm and humid conditions ahead of the boundary caused a couple severe thunderstorms to develop.","A couple of trees were down just southeast of Keyser." +117495,706593,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-15 18:17:00,EST-5,2017-06-15 18:17:00,0,0,0,0,,NaN,,NaN,37.7457,-78.9694,37.7457,-78.9694,"An isolated severe thunderstorm developed due to a warm and humid airmass in place.","A tree was on a power line just south of Roseland." +117497,706603,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-18 16:30:00,EST-5,2017-06-18 16:30:00,0,0,0,0,,NaN,,NaN,37.9235,-78.803,37.9235,-78.803,"An isolated severe thunderstorm developed due to a warm and humid airmass in place.","A tree was down on Taylor Creek Road at Locust Grove Lane." +117498,706604,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-19 12:10:00,EST-5,2017-06-19 12:10:00,0,0,0,0,,NaN,,NaN,37.6816,-78.9597,37.6816,-78.9597,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Old Rose Mill Road near Thomas Nelson Highway." +117498,706605,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-19 12:21:00,EST-5,2017-06-19 12:21:00,0,0,0,0,,NaN,,NaN,37.6811,-78.8911,37.6811,-78.8911,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Variety Mills Road near Arrington Road." +117498,706606,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-19 12:28:00,EST-5,2017-06-19 12:28:00,0,0,0,0,,NaN,,NaN,37.6927,-78.8192,37.6927,-78.8192,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Finlay Mountain Road near Williamstown Road." +117498,706629,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:21:00,EST-5,2017-06-19 14:21:00,0,0,0,0,,NaN,,NaN,38.905,-77.276,38.905,-77.276,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree branch five inches in diameter was down near the Intersection of Lawyers Road and Upham Place." +117498,706630,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:23:00,EST-5,2017-06-19 14:23:00,0,0,0,0,,NaN,,NaN,38.9028,-77.3045,38.9028,-77.3045,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down blocking Vale Road at Hunter Mill Road." +117498,706631,VIRGINIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-19 14:49:00,EST-5,2017-06-19 14:49:00,0,0,0,0,,NaN,,NaN,38.3242,-78.4286,38.3242,-78.4286,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down at Madison and South River Road." +117498,706632,VIRGINIA,2017,June,Thunderstorm Wind,"ALBEMARLE",2017-06-19 15:08:00,EST-5,2017-06-19 15:08:00,0,0,0,0,,NaN,,NaN,38.0954,-78.387,38.0954,-78.387,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Stony Point Road near Fosters Branch Road." +117498,706633,VIRGINIA,2017,June,Thunderstorm Wind,"NELSON",2017-06-19 15:13:00,EST-5,2017-06-19 15:13:00,0,0,0,0,,NaN,,NaN,37.7498,-78.9791,37.7498,-78.9791,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was in the Roadway on Roseland Road near Route 151." +117498,706642,VIRGINIA,2017,June,Thunderstorm Wind,"ALBEMARLE",2017-06-19 15:50:00,EST-5,2017-06-19 15:50:00,0,0,0,0,,NaN,,NaN,38.0488,-78.468,38.0488,-78.468,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down near the intersection of Rio Road East and Brookway Drive." +117498,706643,VIRGINIA,2017,June,Thunderstorm Wind,"FAIRFAX",2017-06-19 14:16:00,EST-5,2017-06-19 14:16:00,0,0,0,0,,NaN,,NaN,38.8778,-77.4086,38.8778,-77.4086,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A wind gust of 58 mph was reported at the Chantilly High School." +117501,706644,MARYLAND,2017,June,Thunderstorm Wind,"FREDERICK",2017-06-19 12:50:00,EST-5,2017-06-19 12:50:00,0,0,0,0,,NaN,,NaN,39.4928,-77.4202,39.4928,-77.4202,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree fell in the roadway near the intersection of Sundays Lane and Pocono Court." +117503,706677,VIRGINIA,2017,June,Thunderstorm Wind,"MADISON",2017-06-30 17:15:00,EST-5,2017-06-30 17:15:00,0,0,0,0,,NaN,,NaN,38.278,-78.3165,38.278,-78.3165,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down along the 1400 Block of Jacks Shop Road." +117503,706678,VIRGINIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 17:17:00,EST-5,2017-06-30 17:17:00,0,0,0,0,,NaN,,NaN,38.3129,-78.4359,38.3129,-78.4359,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down blocking Octonia Road near Ford Avenue." +117503,706679,VIRGINIA,2017,June,Thunderstorm Wind,"MADISON",2017-06-30 17:27:00,EST-5,2017-06-30 17:27:00,0,0,0,0,,NaN,,NaN,38.3539,-78.3437,38.3539,-78.3437,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down near the intersection of Shelby Road and Wolftown-Hoold Road." +117503,706680,VIRGINIA,2017,June,Thunderstorm Wind,"MADISON",2017-06-30 17:32:00,EST-5,2017-06-30 17:32:00,0,0,0,0,,NaN,,NaN,38.4607,-78.3035,38.4607,-78.3035,"A southerly flow around high pressure over the Atlantic produced a warm and humid airmass. Showers and thunderstorms developed around a pressure trough and some thunderstorms became severe due to the unstable atmosphere.","A tree was down in the 1100 Block of Old Blue Ridge Turnpike." +117501,706681,MARYLAND,2017,June,Tornado,"MONTGOMERY",2017-06-19 14:49:00,EST-5,2017-06-19 14:50:00,0,0,0,0,,NaN,,NaN,39.0274,-77.0176,39.0284,-77.0138,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","The National Weather Service in Baltimore MD/Washington DC has confirmed a tornado in the Four Corners section of Silver Spring in Montgomery County Maryland on June 19, 2017.||The National Weather Service conducted a ground survey of the damaged community. The survey was greatly assisted by Montgomery Countys Office of Emergency Management. An eyewitness reported damaging winds blowing to the east, |followed immediately by damaging winds blowing west. This aligns with a small, weak rotation noted on FAAs Terminal Doppler Weather Radar located at Joint Base Andrews. The damage area was very compact, with most of the damage confined to a wooded community along a two block stretch of Dennis Avenue, between Royalton Road and Eastwood Avenue. Damage was entirely to trees and objects/homes that trees fell on. Most of the damage was to and the result of moderate sized branches of tulip poplars about 8 to 12 inches in diameter. Two trees were uprooted as well. Homes, vehicles, and power lines were damaged from falling trees and branches, with some homes rendered uninhabitable. No structural damage was noted that was not the result of falling trees. While much of the tree damage was from an easterly wind, there was damage noted in multiple directions. Most of the tree damage was to the higher branches. No injuries or fatalities were reported as of the evening of the survey. The entire event likely transpired in less than a minute." +118446,711770,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-06-19 16:08:00,EST-5,2017-06-19 16:08:00,0,0,0,0,,NaN,,NaN,38.3901,-76.4988,38.3901,-76.4988,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby." +118446,711771,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-06-19 16:15:00,EST-5,2017-06-19 16:15:00,0,0,0,0,,NaN,,NaN,38.6143,-76.512,38.6143,-76.512,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby." +118446,711772,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-06-19 16:32:00,EST-5,2017-06-19 16:32:00,0,0,0,0,,NaN,,NaN,38.469,-76.2991,38.469,-76.2991,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby in Taylors Island." +118446,711774,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-06-19 16:34:00,EST-5,2017-06-19 16:34:00,0,0,0,0,,NaN,,NaN,38.2852,-76.3823,38.2852,-76.3823,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust around 50 knots was estimated based on thunderstorm wind damage nearby Patuxent River." +118446,711775,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATUXENT RIVER TO BROOMES ISLAND MD",2017-06-19 16:18:00,EST-5,2017-06-19 16:24:00,0,0,0,0,,NaN,,NaN,38.32,-76.45,38.32,-76.45,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 34 to 46 knots were reported at Solomons Island." +118446,711776,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-06-19 16:20:00,EST-5,2017-06-19 16:30:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 39 to 41 knots were reported at Gooses Reef." +118446,711778,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-06-19 16:41:00,EST-5,2017-06-19 17:06:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts up to 47 knots were reported at Lower Hoopers Island." +121151,725287,MINNESOTA,2017,December,Blizzard,"PENNINGTON",2017-12-04 10:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121202,725553,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"KITTSON",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725554,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"ROSEAU",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725555,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"LAKE OF THE WOODS",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725556,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST MARSHALL",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725557,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST MARSHALL",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +116436,700375,TEXAS,2017,May,Thunderstorm Wind,"STEPHENS",2017-05-19 06:20:00,CST-6,2017-05-19 06:20:00,0,0,0,0,5.00K,5000,0.00K,0,32.87,-98.73,32.87,-98.73,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","Emergency management reported downed utility poles just southwest of the city of Ivan, TX." +116436,700384,TEXAS,2017,May,Thunderstorm Wind,"HOOD",2017-05-19 22:10:00,CST-6,2017-05-19 22:10:00,0,0,0,0,0.00K,0,0.00K,0,32.49,-97.8,32.49,-97.8,"Thunderstorms which developed just west of the region along a dryline produced large hail and damaging winds in several counties as they spread east into North and Central Texas. In one instance, high non-thunderstorm winds occurred downstream from the convection, likely due to a heat burst beneath the anvil.","A mesonet weather station reported a 60 MPH wind gust just east of Oak Trail Shores." +116513,700663,MICHIGAN,2017,May,Hail,"DELTA",2017-05-17 18:30:00,EST-5,2017-05-17 18:34:00,0,0,0,0,0.00K,0,0.00K,0,45.74,-87.07,45.74,-87.07,"A upper level disturbance moving across a slow-moving frontal boundary interacted with a warm and moist air mass to produce strong thunderstorms and heavy rainfall from the evening of the 17th into the morning of the 18th.","A spotter in Escanaba observed heavy rain and pea to nickel sized hail." +116525,700737,OHIO,2017,May,Hail,"CRAWFORD",2017-05-18 20:26:00,EST-5,2017-05-18 20:26:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-82.98,40.8,-82.98,"A cold front moved across the region initiating a broken line of thunderstorms. Some of the stronger thunderstorms became severe and downed some trees.","Penny sized hail was observed." +116463,700960,LOUISIANA,2017,May,Flash Flood,"EVANGELINE",2017-05-03 17:36:00,CST-6,2017-05-03 18:36:00,0,0,0,0,0.00K,0,0.00K,0,30.67,-92.51,30.6524,-92.4599,"Less than a week after a flooding event in South Louisiana another wet period unfolded over the region. A strong short wave moved east across Texas while a warm front slowly moved north from the gulf. Numerous strong storms developed over the region. Heavy rainfall also occurred on already saturated soil.","Highway 13 in Reddell was closed from flooding." +112039,668165,GEORGIA,2017,January,Winter Storm,"CLAYTON",2017-01-06 22:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The ASOS at Atlanta Hartsville-Jackson International Airport recorded just under a third of an inch of freezing rain. A COOP observer in Jonesboro reported a very light dusting of snow as the storm ended early in the morning." +117105,704567,MISSOURI,2017,May,Hail,"HENRY",2017-05-27 12:53:00,CST-6,2017-05-27 12:53:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-93.55,38.31,-93.55,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","" +117105,704592,MISSOURI,2017,May,Thunderstorm Wind,"BATES",2017-05-27 11:46:00,CST-6,2017-05-27 11:49:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-94.33,38.4,-94.33,"On the morning and afternoon of May 27 strong storms took advantage of incredibly high instability over eastern Kansas and western Missouri. Storms initiated in eastern Kansas and produced some marginally severe hail and strong winds. These storms then moved into Missouri and produced hail up to softballs and damaging winds.","Trained spotter near Adrian reported 60 mph wind gusts." +117117,704624,KANSAS,2017,May,Thunderstorm Wind,"MIAMI",2017-05-31 12:39:00,CST-6,2017-05-31 12:43:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-94.94,38.62,-94.94,"On the afternoon of May 31 strong storms moved through eastern Kansas and into western Missouri. These storms brought hail up to 2 inches in diameter and caused some scattered wind damage.","A 6 inch tree limb fell at the corner of HWY 68 and Osawatomie Road." +117082,705120,KANSAS,2017,May,Thunderstorm Wind,"ELLIS",2017-05-15 21:10:00,CST-6,2017-05-15 21:10:00,0,0,0,0,,NaN,,NaN,38.7487,-99.27,38.7487,-99.27,"An elevated mixed layer with H7 temperatures at 10C persisted over western Kansas from 14th, but a subtle short wave trough and convergence along a dryline were sufficient enough to support development of widely scattered thunderstorms late in the day. With sufficient deep layer shear for sustained updrafts and rotation, severe hail fell in Seward, Morton, Stanton, Grant, Kearny, Stevens, Scott and Finney counties.. Severe wind gusts occurred in Stevens, Scott, Ellis, and Finney counties, and thunderstorm wind damage occurred in Rush county.","A steel building was blown into a field. There was also some roof damage and power lines were down." +117083,705164,KANSAS,2017,May,Hail,"GRAY",2017-05-16 14:27:00,CST-6,2017-05-16 14:27:00,0,0,0,0,,NaN,,NaN,37.76,-100.28,37.76,-100.28,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117083,705172,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:17:00,CST-6,2017-05-16 15:17:00,0,0,0,0,,NaN,,NaN,37.83,-101.01,37.83,-101.01,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +118276,710820,OKLAHOMA,2017,June,Hail,"POTTAWATOMIE",2017-06-30 17:18:00,CST-6,2017-06-30 17:18:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-97.05,35.12,-97.05,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710821,OKLAHOMA,2017,June,Hail,"COMANCHE",2017-06-30 17:20:00,CST-6,2017-06-30 17:20:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-98.5,34.78,-98.5,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710822,OKLAHOMA,2017,June,Hail,"COMANCHE",2017-06-30 17:33:00,CST-6,2017-06-30 17:33:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-98.5,34.78,-98.5,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710823,OKLAHOMA,2017,June,Thunderstorm Wind,"COMANCHE",2017-06-30 17:52:00,CST-6,2017-06-30 17:52:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-98.42,34.6,-98.42,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710824,OKLAHOMA,2017,June,Thunderstorm Wind,"COMANCHE",2017-06-30 17:57:00,CST-6,2017-06-30 17:57:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-98.47,34.59,-98.47,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710825,OKLAHOMA,2017,June,Hail,"MCCLAIN",2017-06-30 18:00:00,CST-6,2017-06-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.02,-97.37,35.02,-97.37,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710826,OKLAHOMA,2017,June,Hail,"COMANCHE",2017-06-30 18:01:00,CST-6,2017-06-30 18:01:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-98.33,34.59,-98.33,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710827,OKLAHOMA,2017,June,Thunderstorm Wind,"COMANCHE",2017-06-30 18:05:00,CST-6,2017-06-30 18:05:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-98.33,34.59,-98.33,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710828,OKLAHOMA,2017,June,Hail,"JACKSON",2017-06-30 18:08:00,CST-6,2017-06-30 18:08:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-99.33,34.65,-99.33,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +118276,710829,OKLAHOMA,2017,June,Thunderstorm Wind,"MCCLAIN",2017-06-30 18:15:00,CST-6,2017-06-30 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,34.92,-97.3,34.92,-97.3,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Power pole downed by wind." +118276,710830,OKLAHOMA,2017,June,Thunderstorm Wind,"COTTON",2017-06-30 18:16:00,CST-6,2017-06-30 18:16:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-98.31,34.36,-98.31,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","No damage reported." +118276,710832,OKLAHOMA,2017,June,Hail,"JACKSON",2017-06-30 18:26:00,CST-6,2017-06-30 18:26:00,0,0,0,0,0.00K,0,0.00K,0,34.6407,-99.3182,34.6407,-99.3182,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","" +113364,678347,NEW MEXICO,2017,April,High Wind,"EASTERN LINCOLN COUNTY",2017-04-04 11:05:00,MST-7,2017-04-04 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","CSBF Transwestern Pump station." +113364,678611,NEW MEXICO,2017,April,Heavy Snow,"JEMEZ MOUNTAINS",2017-04-03 18:00:00,MST-7,2017-04-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts ranged from 5 inches in Jemez Springs to 10 inches near Seven Springs. The Los Alamos area picked up 2 to 4 inches as well." +113364,678612,NEW MEXICO,2017,April,Heavy Snow,"WEST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-04-03 22:00:00,MST-7,2017-04-05 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts along the western slope of the Sangre de Cristo Mountains ranged from 6 inches near Questa to 10 inches near Shady Brook. Difficult travel conditions were reported through this region mainly in the morning hours." +113536,679665,OREGON,2017,April,High Wind,"SOUTH CENTRAL OREGON COAST",2017-04-06 23:07:00,PST-8,2017-04-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The NOS/NWLON at Port Orford recorded numerous gusts exceeding 57 mph during this interval. The peak gust was 70 mph recorded at 07/0236 PST." +113536,679669,OREGON,2017,April,High Wind,"CURRY COUNTY COAST",2017-04-06 21:41:00,PST-8,2017-04-07 05:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The Brookings ASOS recorded a gust to 61 mph at 06/2144 PST. A CWOP in Brookings recorded a gust to 64 mph at 06/2333 PST. The Gold Beach ASOS recorded a gust to 58 mph at 07/0059 PST and a gust to 66 mph at 07/0259 PST. The Red Mound RAWS recorded a gust to 60 mph at 07/0321 PST, a gust to 64 mph at 07/0421 PST, and a gust to 59 mph at 07/0521 PST. The Flynn Prairie RAWS recorded gusts to 58 mph at 07/0113 PST and 07/0213 PST." +113812,681466,TEXAS,2017,April,Hail,"MITCHELL",2017-04-01 15:25:00,CST-6,2017-04-01 15:30:00,0,0,0,0,,NaN,,NaN,32.45,-100.76,32.45,-100.76,"A low pressure system over the Arizona and New Mexico border moved through New Mexico, and a frontal boundary was across the Lower Trans Pecos by the late afternoon. There was enough moisture and upper level support to produce some scattered severe storms with large hail.","" +113812,681467,TEXAS,2017,April,Hail,"MITCHELL",2017-04-01 15:10:00,CST-6,2017-04-01 15:15:00,0,0,0,0,,NaN,,NaN,32.42,-100.7543,32.42,-100.7543,"A low pressure system over the Arizona and New Mexico border moved through New Mexico, and a frontal boundary was across the Lower Trans Pecos by the late afternoon. There was enough moisture and upper level support to produce some scattered severe storms with large hail.","" +113814,681479,TEXAS,2017,April,Hail,"WINKLER",2017-04-12 13:25:00,CST-6,2017-04-12 13:30:00,0,0,0,0,,NaN,,NaN,31.75,-103.15,31.75,-103.15,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,681480,TEXAS,2017,April,Hail,"REEVES",2017-04-12 14:10:00,CST-6,2017-04-12 14:20:00,0,0,0,0,,NaN,,NaN,30.9611,-103.4712,30.9611,-103.4712,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Golf ball size hail covering I-10 at mile marker 221." +113814,681481,TEXAS,2017,April,Hail,"CULBERSON",2017-04-12 14:50:00,CST-6,2017-04-12 14:55:00,0,0,0,0,,NaN,,NaN,31.89,-104.4,31.89,-104.4,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Quarter size hail was covering FM 652." +113814,681482,TEXAS,2017,April,Hail,"REEVES",2017-04-12 14:50:00,CST-6,2017-04-12 15:00:00,0,0,0,0,,NaN,,NaN,30.9074,-103.5187,30.9074,-103.5187,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Quarter size hail was covering 25 percent of the road and melting, but passable. Hail was roughly 2 inches deep in a few locations." +113814,681486,TEXAS,2017,April,Hail,"CULBERSON",2017-04-12 15:00:00,CST-6,2017-04-12 15:05:00,0,0,0,0,,NaN,,NaN,31.89,-104.38,31.89,-104.38,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Quarter to half dollar size hail on FM 652." +111785,666732,MISSOURI,2017,January,Winter Weather,"PLATTE",2017-01-13 22:00:00,CST-6,2017-01-14 03:00:00,0,3,0,1,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","There was some minor icing on Friday night in advance of a more significant freezing rain event a couple days later. This event is not considered part of the bigger event due to almost 30 hours between observations of freezing rain late Friday January 13 until early Sunday morning when the more significant icing arrived. On Friday night there was a brief period of freezing rain that moved through the Kansas City Metro area. This icing cause area roads to be very slick. On Interstate 29 a van with 12 people on board ran off the road due to icy conditions at mile marker 20.8 at 12:18 am (Saturday January 14). The driver of the van, a 35 year old male, was not wearing a seat belt, was ejected from the rolling vehicle, and died at the scene. Three other passengers in the van were transported for moderate injuries, while 3 others had minor injuries that did not require medical attention." +115265,692008,KENTUCKY,2017,May,Thunderstorm Wind,"CHRISTIAN",2017-05-20 14:15:00,CST-6,2017-05-20 14:15:00,0,0,0,0,40.00K,40000,0.00K,0,36.7005,-87.485,36.7005,-87.485,"Clusters and short lines of thunderstorms occurred along a warm front that extended southeast from a low pressure center over central Missouri. A couple of storms produced hail up to the size of nickels and isolated wind damage.","Three power poles were broken off on Highway 117. The road was blocked. A wind gust to 55 mph was measured a few miles away at the Fort Campbell automated weather observing system." +114278,684628,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-25 07:51:00,MST-7,2017-04-25 19:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds associated with an upper trough approaching the region from the west imparted strong westerly winds to portions of west Texas.","" +114278,684637,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-25 07:03:00,MST-7,2017-04-25 11:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds associated with an upper trough approaching the region from the west imparted strong westerly winds to portions of west Texas.","" +114278,684623,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-25 07:52:00,MST-7,2017-04-25 16:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds associated with an upper trough approaching the region from the west imparted strong westerly winds to portions of west Texas.","" +115430,697431,MINNESOTA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-11 07:37:00,CST-6,2017-06-11 07:37:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-93.53,44.77,-93.53,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were 8 inch diameter tree limbs blown down." +113740,681253,TEXAS,2017,April,Hail,"PARMER",2017-04-14 15:14:00,CST-6,2017-04-14 15:26:00,0,0,0,0,0.00K,0,0.00K,0,34.4992,-102.91,34.5255,-102.8838,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser measured hail slightly larger than golf ball size along US Highway 60 southwest and northeast of Bovina. No damage was reported." +113740,681255,TEXAS,2017,April,Hail,"PARMER",2017-04-14 15:54:00,CST-6,2017-04-14 16:14:00,0,0,0,0,3.00K,3000,0.00K,0,34.5422,-102.8351,34.5142,-102.73,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser reported hail up to baseball size along US Highway 60 northeast of Bovina. Some storm chasers and a law enforcement vehicle received damage to their windshields." +115926,696832,ARKANSAS,2017,May,Thunderstorm Wind,"CRITTENDEN",2017-05-27 21:50:00,CST-6,2017-05-27 21:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.1691,-90.1672,35.1531,-90.1502,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Damage to casino." +114395,685618,WYOMING,2017,April,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-04-27 11:00:00,MST-7,2017-04-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Heavy snow fell throughout the eastern slopes of the Bighorn range. Some of the highest amounts included 20 inches at the Little Goose SNOTEL site and 19 inches at the Soldier Park SNOTEL." +114395,685621,WYOMING,2017,April,Winter Storm,"NORTHEAST JOHNSON COUNTY",2017-04-27 16:00:00,MST-7,2017-04-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Trained spotters measured anywhere from 3.5 to 13 inches across Northern Johnson County, with the highest amounts in the foothills of the Bighorn range." +114608,687362,NEBRASKA,2017,April,Winter Storm,"HOLT",2017-04-30 10:00:00,CST-6,2017-04-30 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow and blowing snow beginning during the morning hours on April 30th, continuing into the late evening hours. Snowfall amounts ranged from 5 to 9 inches in portions of Frontier and Custer County, with 5 to 10 inches from portions of Loup, Garfield, and Holt County. Some blowing and drifting from north winds of 25 to 40 mph caused the closure of a portion of highway 92 in western Custer County, and also power outages to some customers in Frontier County and at least 500 customers in Custer County.","A Cooperative observer located in O'Neill reported 10 inches of snowfall. Snowfall amounts ranged from 6 to 10 inches across Holt County. With north winds of 20 to 30 mph, blowing and drifting snow with some downed tree limbs were reported across Holt County." +114623,687409,IOWA,2017,April,Hail,"CALHOUN",2017-04-15 15:46:00,CST-6,2017-04-15 15:46:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-94.84,42.31,-94.84,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel to quarter size hail covering the ground along with winds to around 50 mph." +114623,687410,IOWA,2017,April,Hail,"CALHOUN",2017-04-15 16:00:00,CST-6,2017-04-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-94.77,42.34,-94.77,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported quarter sized hail." +114623,687414,IOWA,2017,April,Hail,"STORY",2017-04-15 16:24:00,CST-6,2017-04-15 16:24:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-93.59,42.19,-93.59,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Amateur radio operator reported penny sized hail." +114424,686073,KENTUCKY,2017,April,Thunderstorm Wind,"OWEN",2017-04-28 23:44:00,EST-5,2017-04-28 23:49:00,0,0,0,0,1.00K,1000,0.00K,0,38.51,-84.97,38.51,-84.97,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","A tree was reported down along Kentucky Route 355." +114424,686074,KENTUCKY,2017,April,Thunderstorm Wind,"PENDLETON",2017-04-29 00:28:00,EST-5,2017-04-29 00:33:00,0,0,0,0,1.00K,1000,0.00K,0,38.67,-84.33,38.67,-84.33,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","A tree was knocked down." +114424,686076,KENTUCKY,2017,April,Thunderstorm Wind,"BRACKEN",2017-04-29 00:57:00,EST-5,2017-04-29 01:02:00,0,0,0,0,5.00K,5000,0.00K,0,38.67,-84.09,38.67,-84.09,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Several trees were knocked down throughout the county. A barn was damaged near the intersection of Highway 18 and Hamilton Road." +114484,686531,OHIO,2017,April,Hail,"HAMILTON",2017-04-28 20:31:00,EST-5,2017-04-28 20:34:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-84.39,39.29,-84.39,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","" +114484,686536,OHIO,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-28 20:26:00,EST-5,2017-04-28 20:31:00,0,0,0,0,0.25K,250,0.00K,0,39.2,-84.43,39.2,-84.43,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Numerous large branches were knocked down." +114484,686538,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-28 22:28:00,EST-5,2017-04-28 22:33:00,0,0,0,0,2.00K,2000,0.00K,0,39.06,-83.39,39.06,-83.39,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Several trees were snapped at the tip and several trees were uprooted in the Sinking Springs area." +114484,686544,OHIO,2017,April,Thunderstorm Wind,"PIKE",2017-04-29 02:14:00,EST-5,2017-04-29 02:19:00,0,0,0,0,15.00K,15000,0.00K,0,39.04,-83.14,39.04,-83.14,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","A tree fell on the roof of a house along State Route 772, causing part of the roof and ceiling structure to cave in." +114424,686077,KENTUCKY,2017,April,Thunderstorm Wind,"BRACKEN",2017-04-29 01:00:00,EST-5,2017-04-29 01:05:00,0,0,0,0,8.00K,8000,0.00K,0,38.6822,-84.0658,38.6822,-84.0658,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","Multiple trees were knocked down in the Brookville area, including one in a house on Woodward Ave." +114424,686078,KENTUCKY,2017,April,Thunderstorm Wind,"BRACKEN",2017-04-29 01:02:00,EST-5,2017-04-29 01:07:00,0,0,0,0,3.00K,3000,0.00K,0,38.71,-84.05,38.71,-84.05,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","A barn was flattened along Route 19 just outside of Brookville." +113448,679264,OHIO,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-05 17:18:00,EST-5,2017-04-05 17:23:00,0,0,0,0,6.00K,6000,0.00K,0,39.75,-84.4,39.75,-84.4,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Several large limbs were knocked down. Also pieces of a barn's tin roof were blown off." +114905,689259,CALIFORNIA,2017,April,High Wind,"TULARE CTY MTNS",2017-04-08 19:10:00,PST-8,2017-04-08 19:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure center moved into northern California on the 6th and spread precipitation into central California by late afternoon. This system brought a period of cool, windy and unsettled conditions to the area which continued through the 8th. There were several reports of 10-20 inches of new snow over the Southern Sierra Nevada above 8000 feet while thunderstorms during the afternoon of April 8 produced heavy rainfall in some areas. There were numerous reports of heavy rainfall over the Southern Sierra Nevada and adjacent foothills where 2 to 4 inches of rain fell. There were also strong winds across much of the area during this event with several locations reporting wind gusts above 50 mph.","The Bear Peak RAWS reported a maximum wind gust of 71 mph." +114905,689263,CALIFORNIA,2017,April,High Wind,"SE KERN CTY DESERT",2017-04-08 19:23:00,PST-8,2017-04-08 19:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure center moved into northern California on the 6th and spread precipitation into central California by late afternoon. This system brought a period of cool, windy and unsettled conditions to the area which continued through the 8th. There were several reports of 10-20 inches of new snow over the Southern Sierra Nevada above 8000 feet while thunderstorms during the afternoon of April 8 produced heavy rainfall in some areas. There were numerous reports of heavy rainfall over the Southern Sierra Nevada and adjacent foothills where 2 to 4 inches of rain fell. There were also strong winds across much of the area during this event with several locations reporting wind gusts above 50 mph.","Cache Creek reported a maximum wind gust of 61 mph." +114905,689260,CALIFORNIA,2017,April,High Wind,"KERN CTY MTNS",2017-04-08 19:27:00,PST-8,2017-04-08 19:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure center moved into northern California on the 6th and spread precipitation into central California by late afternoon. This system brought a period of cool, windy and unsettled conditions to the area which continued through the 8th. There were several reports of 10-20 inches of new snow over the Southern Sierra Nevada above 8000 feet while thunderstorms during the afternoon of April 8 produced heavy rainfall in some areas. There were numerous reports of heavy rainfall over the Southern Sierra Nevada and adjacent foothills where 2 to 4 inches of rain fell. There were also strong winds across much of the area during this event with several locations reporting wind gusts above 50 mph.","The Bird Springs Pass RAWS reported a maximum wind gust of 82 mph." +115430,695725,MINNESOTA,2017,June,Thunderstorm Wind,"CHIPPEWA",2017-06-11 05:35:00,CST-6,2017-06-11 05:35:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-95.72,44.95,-95.72,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines and trees were blown down in town." +117920,708652,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-13 18:20:00,CST-6,2017-06-13 18:20:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-99.73,36.17,-99.73,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +116594,701180,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-30 15:10:00,CST-6,2017-06-30 15:15:00,0,0,0,0,20.00K,20000,0.00K,0,31.65,-89.23,31.6863,-89.2194,"A moist and unstable airmass was in place over the region. This helped fuel some showers and thunderstorms during the afternoon that brought strong winds.","A tree fell onto a van that was traveling down Highway 29. No injuries occurred. Another large pine tree fell across Rose Lane." +116594,701181,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-30 15:28:00,CST-6,2017-06-30 15:28:00,0,0,0,0,5.00K,5000,0.00K,0,31.6076,-89.0465,31.6076,-89.0465,"A moist and unstable airmass was in place over the region. This helped fuel some showers and thunderstorms during the afternoon that brought strong winds.","A tree fell and partially blocked George Boutwell Road." +115430,697438,MINNESOTA,2017,June,Thunderstorm Wind,"STEARNS",2017-06-11 07:05:00,CST-6,2017-06-11 07:05:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-94.22,45.55,-94.22,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large trees were blown down." +117920,708650,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-13 18:09:00,CST-6,2017-06-13 18:09:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-99.84,36.14,-99.84,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708651,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-13 18:15:00,CST-6,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-99.81,36.14,-99.81,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708653,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-13 18:30:00,CST-6,2017-06-13 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-99.71,36.18,-99.71,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708654,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-13 18:36:00,CST-6,2017-06-13 18:36:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-99.62,36.26,-99.62,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708655,OKLAHOMA,2017,June,Hail,"WOODWARD",2017-06-13 18:39:00,CST-6,2017-06-13 18:39:00,0,0,0,0,0.00K,0,0.00K,0,36.21,-99.59,36.21,-99.59,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708656,OKLAHOMA,2017,June,Hail,"HARMON",2017-06-13 18:45:00,CST-6,2017-06-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-99.93,34.9,-99.93,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +117920,708657,OKLAHOMA,2017,June,Thunderstorm Wind,"BLAINE",2017-06-14 00:30:00,CST-6,2017-06-14 00:30:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-98.54,35.85,-98.54,"Storms formed off of the dryline in the Texas panhandle during the afternoon of the 13th. Storms moved eastward into Oklahoma and continued into early on the 14th.","" +118269,710756,OKLAHOMA,2017,June,Hail,"CUSTER",2017-06-14 19:42:00,CST-6,2017-06-14 19:42:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-98.97,35.52,-98.97,"The evening of the 14th saw a few isolated storms develop along a stalled front in western Oklahoma.","" +115030,690408,GEORGIA,2017,April,Drought,"GILMER",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690644,COLORADO,2017,April,Winter Storm,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-04-28 18:00:00,MST-7,2017-04-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690645,COLORADO,2017,April,Winter Storm,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-04-29 00:00:00,MST-7,2017-04-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690648,COLORADO,2017,April,Winter Storm,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-04-28 22:00:00,MST-7,2017-04-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +121223,725906,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"TRAILL",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725907,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BARNES",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725908,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CASS",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725909,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RANSOM",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725910,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SARGENT",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725911,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RICHLAND",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725912,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"KITTSON",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725913,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"ROSEAU",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725914,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"LAKE OF THE WOODS",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725915,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST MARSHALL",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +114084,691300,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-29 13:00:00,CST-6,2017-04-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9201,-93.9234,36.9195,-93.9238,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Kelly Creek flooded nearby streets in Monett." +121224,725916,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST MARSHALL",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +114084,691301,MISSOURI,2017,April,Flash Flood,"OZARK",2017-04-29 14:44:00,CST-6,2017-04-29 17:44:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-92.66,36.7118,-92.6571,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway D north of Thornfield was flooded and impassable." +114084,691302,MISSOURI,2017,April,Flash Flood,"HOWELL",2017-04-29 15:49:00,CST-6,2017-04-29 18:49:00,0,0,0,0,0.00K,0,0.00K,0,36.7389,-91.836,36.7387,-91.8378,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Flood water was over Highway 160 at several locations. Flood water was over Highway 63 north of West Plains." +114084,691303,MISSOURI,2017,April,Flash Flood,"MILLER",2017-04-29 15:57:00,CST-6,2017-04-29 18:57:00,0,0,0,0,0.00K,0,0.00K,0,38.249,-92.5905,38.2489,-92.5893,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Car Rock Road just east of Highway 54 near Eldon was flooded along with Blue Springs Drive at Little Gravois Creek." +114084,691304,MISSOURI,2017,April,Flash Flood,"BARTON",2017-04-29 16:13:00,CST-6,2017-04-29 19:13:00,0,0,0,0,0.00K,0,0.00K,0,37.6223,-94.551,37.6206,-94.5514,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway K at the Highway V intersection in Barton County was flooded and impassable." +115183,691602,ILLINOIS,2017,April,Hail,"MACON",2017-04-29 17:00:00,CST-6,2017-04-29 17:05:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-88.88,39.77,-88.88,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691603,ILLINOIS,2017,April,Hail,"VERMILION",2017-04-29 18:38:00,CST-6,2017-04-29 18:43:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-87.71,39.91,-87.71,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115183,691604,ILLINOIS,2017,April,Hail,"CHAMPAIGN",2017-04-29 17:40:00,CST-6,2017-04-29 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-88.25,39.96,-88.25,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","" +115536,693697,ALABAMA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-15 12:43:00,CST-6,2017-06-15 12:43:00,0,0,0,0,0.20K,200,0.00K,0,34.52,-86.83,34.52,-86.83,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down and blocking a road." +115536,693698,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-15 12:47:00,CST-6,2017-06-15 12:47:00,0,0,0,0,0.20K,200,0.00K,0,34.7,-86.52,34.7,-86.52,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down near the intersection of Highway 431 and Dug Hill Road." +115536,693699,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-15 12:53:00,CST-6,2017-06-15 12:53:00,0,0,0,0,0.50K,500,0.00K,0,34.79,-86.41,34.79,-86.41,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Trees were knocked down along Hurricane Creek Road." +115536,693700,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 13:06:00,CST-6,2017-06-15 13:06:00,0,0,0,0,0.20K,200,0.00K,0,34.83,-87.6,34.83,-87.6,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down on Indian Springs Drive." +115536,693701,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:11:00,CST-6,2017-06-15 13:11:00,0,0,0,0,0.20K,200,0.00K,0,34.31,-86.43,34.31,-86.43,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down across Lookout Drive." +115536,693702,ALABAMA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-15 13:17:00,CST-6,2017-06-15 13:17:00,0,0,0,0,0.20K,200,0.00K,0,34.54,-86.26,34.54,-86.26,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down blocking Fish Trap Road near Grant Road." +115343,692545,KANSAS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-04 18:30:00,CST-6,2017-04-04 18:30:00,0,0,0,0,,NaN,,NaN,37.29,-95.91,37.29,-95.91,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","A trained spotter reported the gust." +115343,692547,KANSAS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-04 18:52:00,CST-6,2017-04-04 18:52:00,0,0,0,0,,NaN,,NaN,37.1,-95.57,37.1,-95.57,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","" +115343,692548,KANSAS,2017,April,Thunderstorm Wind,"WILSON",2017-04-04 18:56:00,CST-6,2017-04-04 18:56:00,0,0,0,0,10.00K,10000,,NaN,37.5,-95.75,37.5,-95.75,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","Highway signs were blown down by the gusts." +115343,692549,KANSAS,2017,April,Thunderstorm Wind,"WILSON",2017-04-04 19:00:00,CST-6,2017-04-04 19:00:00,0,0,0,0,,NaN,,NaN,37.42,-95.68,37.42,-95.68,"A line of elevated showers and thunderstorms developed and moved across portions of Southern Kansas during the late afternoon and evening hours of April 4th, 2017. A few large hail reports occurred, but the main story was the damaging winds reported along a progressive eastward moving line of storms. This line of storms produced wind gusts of 70 to 80 mph from Winfield, Kansas to Neodesha, Kansas. Some heavy rainfall was also reported with numerous rainfall reports of 1 to 2 inches of rain.","The public estimated the winds to be 50 to 60 mph." +115536,693714,ALABAMA,2017,June,Thunderstorm Wind,"DEKALB",2017-06-15 14:10:00,CST-6,2017-06-15 14:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.41,-85.67,34.41,-85.67,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Trees were knocked down on CR 261 near Adamsburg." +113831,689793,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-21 09:42:00,CST-6,2017-04-21 11:42:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-93.84,36.7289,-93.8372,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A low water bridge at Farm Road 2140 and State Highway Y had one foot of water over the roadway. The intersection was closed." +113831,689794,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-21 10:00:00,CST-6,2017-04-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.737,-94.309,36.7306,-94.3127,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","The Elkhorn Branch on State Highway CC had water flowing over the road. This report was from social media." +116341,704441,NORTH CAROLINA,2017,May,Tornado,"CHOWAN",2017-05-05 06:33:00,EST-5,2017-05-05 06:45:00,0,0,0,0,200.00K,200000,0.00K,0,36.1311,-76.7302,36.23,-76.6551,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","The tornado tracked from Bertie county into Chowan county. In Chowan county, the tornado uprooted trees and caused minor damage to homes from Tynch Town Road and Whites Landing Road northeast to Evans Bass Road and Rocky Hock Landing Road. A barn was severely damaged on Evans Bass Road. The tornado then crossed Rocky Hock Road destroying a barn along with several outbuildings. Another barn was severely damaged and windows were blown in on a nearby house. Numerous large pines were snapped and winds were estimated at 80 mph along Rocky Hock Road.||The tornado continued moving northeast knocking a single wide mobile home off its foundation near Parish Road. More outbuildings were destroyed and a house sustained minor damage with shingle and siding loss near the intersection of Nixon Road and Parish Road. The tornado weakened as it crossed Rocky Hock Road a second time just west of Highway 32 where several trees were snapped. The end of the tornado was observed along Highway 32 just north of Center Hill Road where a few trees were uprooted." +116341,704445,NORTH CAROLINA,2017,May,Tornado,"CAMDEN",2017-05-05 07:02:00,EST-5,2017-05-05 07:08:00,0,0,0,0,15.00K,15000,0.00K,0,36.3144,-76.1431,36.3688,-76.1206,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","The tornado track was a discontinuous 8 mile path from just east of Camden along the Pasquotank River near Bushell Road, continuing north northeast and crossing Highway 158 into Currituck county. Minor damage to a few houses was noted on this track |at the intersection of Belcross Road and Pinch Gut Road. However, no major structural damage was seen. Numerous trees were sheared or snapped along the track." +113831,689796,MISSOURI,2017,April,Flash Flood,"BARRY",2017-04-21 10:15:00,CST-6,2017-04-21 12:15:00,0,0,0,0,0.00K,0,0.00K,0,36.7719,-93.8139,36.7733,-93.8114,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway U was closed due to flooding along Flat Creek." +113831,689797,MISSOURI,2017,April,Flash Flood,"MCDONALD",2017-04-21 10:15:00,CST-6,2017-04-21 12:15:00,0,0,0,0,0.00K,0,0.00K,0,36.6834,-94.0961,36.6833,-94.0945,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway U was closed due to flooding along Mikes Creek." +113831,689798,MISSOURI,2017,April,Flash Flood,"TANEY",2017-04-21 10:15:00,CST-6,2017-04-21 12:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-92.91,36.7992,-92.909,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Beaver Creek was out of the banks on Old Cheese Plant Road." +113831,689799,MISSOURI,2017,April,Flash Flood,"LAWRENCE",2017-04-21 12:30:00,CST-6,2017-04-21 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,36.9765,-94.0327,36.9736,-94.0345,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","The Lawrence County Road and Bridge District in Pierce City reported that secondary roads were flooded across the county. One vehicle was submerged in flooding on County Road 2210 about two miles northwest of Pierce City." +115427,693078,TEXAS,2017,April,Hail,"JACKSON",2017-04-02 16:40:00,CST-6,2017-04-02 16:40:00,0,0,0,0,3.00K,3000,0.00K,0,28.9508,-96.4831,28.9508,-96.4831,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Golf ball sized hail destroyed a vehicle windshield near the intersection of Highway 172 and Highway 111." +115427,693079,TEXAS,2017,April,Thunderstorm Wind,"WALKER",2017-04-02 11:45:00,CST-6,2017-04-02 11:45:00,0,0,0,0,0.00K,0,0.00K,0,30.8598,-95.3456,30.8598,-95.3456,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Numerous trees were downed with some onto homes." +115427,693653,TEXAS,2017,April,Flash Flood,"HOUSTON",2017-04-02 11:33:00,CST-6,2017-04-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4967,-95.5069,31.2833,-95.5186,"A storm system produced large hail, strong winds, a tornado and flash flooding.","Numerous roads were flooded and impassable in Grapeland, Latexo and Crockett. Sections of Loop 304 and Highway 19 in Crockett were closed due to flooding." +115427,693184,TEXAS,2017,April,Tornado,"WALKER",2017-04-02 11:25:00,CST-6,2017-04-02 11:27:00,0,0,0,0,15.00K,15000,0.00K,0,30.8242,-95.4322,30.83,-95.4377,"A storm system produced large hail, strong winds, a tornado and flash flooding.","At the beginning of its path, the tornado deposited a barn across and onto Jim White Road before it tracked across an open field and damaged trees." +115357,692826,KANSAS,2017,April,High Wind,"GOVE",2017-04-30 03:45:00,CST-6,2017-04-30 03:45:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"During the night moderate to heavy snowfall moved north over Northwest Kansas. Locations in Greeley, Logan, Wallace, and Wichita counties had more than 8 inches of snow before the blizzard began on the morning of the 30th. During the overnight and early morning hours of the 30th north winds increased as a broad area of heavier snowfall moved up from the southeast. The strongest wind gusts occurred during the overnight and first few hours of the morning on the 30th. Some of these gusts blew down tree branches up to 9 inches in diameter. The highest wind gust reported was 64 MPH near Colby.||The widespread blizzard conditions moved northwest through the day, but only extended as far west as Highway 27. At the height of the storm blizzard conditions extended to roughly 110 miles wide across Northwest Kansas. The combined effect of wind gusts of 45-64 MPH along with the heavy, wet snow broke thousands of east-west running power poles. Some residents did not receive power until almost a week after the blizzard. Conditions were so inhospitable some counties stopped trying to clear roads until the storm ended. The National Guard in Thomas County had trouble rescuing stranded motorists due to two of their four vehicles being stuck in the snow because of the extreme driving conditions. Nearly all roads were closed due to zero visibility or drifts across the road. Snowfall amounts up to almost 30 inches were reported, with some locations receiving as much as three inches of snow per hour. Within the broad band of heavy snow thundersnow was also reported. Due to the very warm ground temperatures the snow melted quickly, causing snowfall measurements to be difficult without considering the effects of blowing snow. If the ground temperatures had been colder, even higher snowfall amounts would have been reported. Despite the heavy, wet snow eight to ten foot drifts were reported. The heavy, wet snow caused the wheat to be flattened on the ground in many of the fields.||The corridor of blizzard conditions narrowed to the west through early afternoon then shifted back east. This caused counties along and east of Highway 83 to have anywhere from one to five hours of a lull before blizzard conditions returned from the west. The blizzard exited Northwest Kansas by midnight on the 30th.","Occurred 5 ESE of Gove ahead of the swath of blizzard conditions approaching from the southeast." +115356,692630,COLORADO,2017,April,Winter Weather,"KIT CARSON COUNTY",2017-04-29 07:00:00,MST-7,2017-04-30 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Rain changed to snow in the morning of the 29th, remaining over the county until early in the morning on the 30th when the snow shifted east into Kansas. Many tree branches were blown down due to the combined force of the heavy snow and the wind. Up to 5 inches of snowfall were measured, with the highest amounts in the southeast corner of the county. Wind gusts up to 40 MPH were common. The slick roads caused many slide-offs and minor accidents.","Minor accidents were reported in Stratton due to the slick roads. In Burlington many tree limbs were broken off the trees due to the combination of wind and weight of the heavy snow. Many slide-offs were also reported in Burlington, some due to drivers ignoring Road Closed signs. No additional information was given for the minor accidents or the size of the tree limbs broken off." +113359,678454,SOUTH DAKOTA,2017,April,Winter Weather,"NORTHERN BLACK HILLS",2017-04-02 19:00:00,MST-7,2017-04-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought rain to much of the area. Temperatures were cold enough for snow across the higher elevations of the Black Hills during the night and early morning hours. Areas above 5000 feet elevation received as much as four inches of snow with the highest elevations of the northern and central Black Hills had localized amounts of six inches or more.","" +113359,678455,SOUTH DAKOTA,2017,April,Winter Weather,"CENTRAL BLACK HILLS",2017-04-02 19:00:00,MST-7,2017-04-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought rain to much of the area. Temperatures were cold enough for snow across the higher elevations of the Black Hills during the night and early morning hours. Areas above 5000 feet elevation received as much as four inches of snow with the highest elevations of the northern and central Black Hills had localized amounts of six inches or more.","" +115272,692054,IDAHO,2017,April,Debris Flow,"BOUNDARY",2017-04-07 14:50:00,PST-8,2017-04-08 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,48.59,-116.38,48.5904,-116.3823,"Saturated soil conditions across north Idaho caused by periodic heavy rain and melting snow during the month of March and into early April produced numerous debris flows and areas of small stream and field flooding. Travel in Boundary and Bonner Counties in particular was disrupted by numerous road closures due to debris flows and flooding undermining road beds during the first half of April. Many travel restrictions remained through the rest of the month with road crews unable to address the damage until soil conditions dried and stabilized.||In addition to two debris flows cutting highway 95, which is a main artery in Boundary County, at least eight secondary roads were washed out, undermined or otherwise damaged by flooding in the county.||In Bonner County at least seven secondary roads were closed in the county due to flood damage.","A debris flow cut Highway 95, which is a primary route through Boundary County, near the town of Naples." +114751,688833,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 15:21:00,CST-6,2017-04-05 15:21:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-86.08,35.48,-86.08,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","" +114754,688362,TENNESSEE,2017,April,Flood,"RUTHERFORD",2017-04-21 16:25:00,CST-6,2017-04-21 17:25:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-86.52,35.99,-86.5306,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon hours on April 21. Two storms became severe with large hail and wind damage, including one storm that became a supercell in Bedford County. Another report of minor flooding was also received in Rutherford County.","A tSpotter Twitter report indicated several roadways had minor flooding in Smyrna." +114757,688352,TENNESSEE,2017,April,Thunderstorm Wind,"STEWART",2017-04-26 21:52:00,CST-6,2017-04-26 21:52:00,0,0,0,0,3.00K,3000,0.00K,0,36.5431,-87.6674,36.5431,-87.6674,"A weakening squall line moved eastward from West Tennessee into Middle Tennessee during the late evening hours on April 26 into the early morning hours on April 27. One report of wind damage was received in Stewart County.","Several trees were blown down and minor fence damage occurred at Red Top Road and Rorie Hollow Road." +115521,693580,MASSACHUSETTS,2017,April,Lightning,"DUKES",2017-04-06 18:16:00,EST-5,2017-04-06 18:17:00,0,0,0,0,1.00K,1000,0.00K,0,41.4539,-70.5611,41.4539,-70.5611,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 6:16 PM EST, a house was struck by lightning on Great Rock Road in Oak Bluffs." +115521,693581,MASSACHUSETTS,2017,April,Lightning,"PLYMOUTH",2017-04-06 18:20:00,EST-5,2017-04-06 18:21:00,0,0,0,0,2.00K,2000,0.00K,0,41.9378,-70.643,41.9378,-70.643,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 6:20 PM EST, a house on Christopher Road was struck by lightning." +115521,693582,MASSACHUSETTS,2017,April,Strong Wind,"EASTERN PLYMOUTH",2017-04-06 17:49:00,EST-5,2017-04-06 20:35:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 7:49 PM EST, wind brought a tree down on Gunners Exchange Road in Plymouth, blocking the road. At 8:35 PM EST, wind brought a tree down on Grove Street at Prospect Street." +115521,693583,MASSACHUSETTS,2017,April,Strong Wind,"SOUTHERN PLYMOUTH",2017-04-06 19:47:00,EST-5,2017-04-06 20:09:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 8:47 PM EST, wind brought a tree down on Indian Neck Road in Wareham. At 8:09 PM EST, wind brought a tree down on on Snipatuit Road near Pine Street in Rochester." +115521,693584,MASSACHUSETTS,2017,April,Strong Wind,"NORTHERN BRISTOL",2017-04-06 20:09:00,EST-5,2017-04-06 20:09:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 8:09 PM EST, wind brought a tree down on Fieldstone Drive in Dighton." +114654,687678,IOWA,2017,April,Heavy Rain,"CRAWFORD",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-95.33,42.04,-95.33,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Coop observer reported heavy rainfall of 1.11 inches over the last 24 hours." +114654,687679,IOWA,2017,April,Heavy Rain,"HANCOCK",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.11,-93.8,43.11,-93.8,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Coop observer reported heavy rainfall of 1.10 inches over the last 24 hours." +114654,687680,IOWA,2017,April,Heavy Rain,"SAC",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-94.98,42.43,-94.98,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Coop observer reported heavy rainfall of 1.35 inches over the last 24 hours." +114759,688646,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 13:50:00,CST-6,2017-04-30 13:50:00,0,0,0,0,3.00K,3000,0.00K,0,36.0095,-86.7805,36.0095,-86.7805,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated part of tree was snapped and fell on a garage on Wilson Pike." +114759,688647,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:52:00,CST-6,2017-04-30 13:52:00,0,0,0,0,1.00K,1000,0.00K,0,36.0488,-86.7609,36.0488,-86.7609,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A large hackberry tree was blown down at Hill Road and Maxwell Crossing in Crieve Hall." +114759,688648,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:55:00,CST-6,2017-04-30 13:55:00,0,0,0,0,1.00K,1000,0.00K,0,36.0398,-86.7404,36.0398,-86.7404,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A trained spotter reported a tree was blown down on Old Hickory Blvd. in Nippers Corner." +114759,688649,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:55:00,CST-6,2017-04-30 13:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.0777,-86.7316,36.0777,-86.7316,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated a tree, a power pole, and power lines were blown down across Harding Place at Milner Drive." +114759,688651,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:56:00,CST-6,2017-04-30 13:56:00,0,0,0,0,1.00K,1000,0.00K,0,36.0719,-86.7532,36.0719,-86.7532,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down across Fieldcrest Drive at Montclair Drive." +114759,688652,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 13:57:00,CST-6,2017-04-30 13:57:00,0,0,0,0,1.00K,1000,0.00K,0,36.1497,-86.7897,36.1497,-86.7897,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter photo showed a large tree branch was blown down onto and crushed part of a fence between the Gulch and Music Row." +114845,688939,NORTH CAROLINA,2017,April,Flash Flood,"BEAUFORT",2017-04-25 05:10:00,EST-5,2017-04-25 07:10:00,0,0,0,0,0.00K,0,0.00K,0,35.5325,-77.0665,35.5161,-77.0368,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Portions of Whichards Beach Road flooded and closed." +114845,688941,NORTH CAROLINA,2017,April,Flash Flood,"BEAUFORT",2017-04-25 05:10:00,EST-5,2017-04-25 07:10:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-77.05,35.555,-77.0219,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Multiple streets in Washington flooded and closed." +114845,688942,NORTH CAROLINA,2017,April,Flash Flood,"CRAVEN",2017-04-25 06:00:00,EST-5,2017-04-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-77.16,35.3168,-77.1539,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Several streets in Vanceboro flooded and closed." +114845,688944,NORTH CAROLINA,2017,April,Flood,"DUPLIN",2017-04-24 20:00:00,EST-5,2017-04-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35,-78.09,35.0161,-78.0846,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","High water reported on several roads near Warsaw." +114845,688947,NORTH CAROLINA,2017,April,Flood,"DUPLIN",2017-04-24 20:00:00,EST-5,2017-04-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-78.03,35.1354,-78.004,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Several inches of water reported on Highway 403 south of Mount Olive." +114845,688957,NORTH CAROLINA,2017,April,Flood,"GREENE",2017-04-26 20:00:00,EST-5,2017-04-26 21:00:00,0,0,1,0,0.00K,0,0.00K,0,35.576,-77.815,35.5672,-77.8126,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","A women drowned near Stantonsburg on Highway 58 near Paris road due to flooding along Contentnea Creek. The woman drove around barricades and into flood waters and was swept off the road and the car became submerged." +114845,694825,NORTH CAROLINA,2017,April,High Wind,"EASTERN DARE",2017-04-25 02:36:00,EST-5,2017-04-25 02:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Buxton Weatherflow." +117620,707349,FLORIDA,2017,June,Thunderstorm Wind,"CLAY",2017-06-26 16:30:00,EST-5,2017-06-26 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-81.75,30.16,-81.75,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A tree was blown down across Blanding Blvd near Constitution Ave. Traffic was stopped until the tree was cleared." +117620,707348,FLORIDA,2017,June,Lightning,"DUVAL",2017-06-26 16:52:00,EST-5,2017-06-26 16:52:00,0,0,0,0,8.00K,8000,0.00K,0,30.15,-81.62,30.15,-81.62,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A home chimney was struck by lightning, but no fire occurred. The cost of damage was unknown, but it was estimated for Storm Data." +117620,707350,FLORIDA,2017,June,Thunderstorm Wind,"ST. JOHNS",2017-06-26 16:37:00,EST-5,2017-06-26 16:37:00,0,0,0,0,0.00K,0,0.00K,0,30.01,-81.61,30.01,-81.61,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","A tree was blown down near State Road 13 and State Road 16A. The time of damage was based on radar." +114130,683449,WISCONSIN,2017,April,Hail,"MARINETTE",2017-04-09 17:25:00,CST-6,2017-04-09 17:25:00,0,0,0,0,0.00K,0,0.00K,0,45.3561,-88.2308,45.3561,-88.2308,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nickel size hail fell near the Caldron Falls Dam." +114130,683451,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:30:00,CST-6,2017-04-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-89.73,45.58,-89.73,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell north of Tomahawk." +114130,683452,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:35:00,CST-6,2017-04-09 17:35:00,0,0,0,0,0.00K,0,0.00K,0,45.66,-89.65,45.66,-89.65,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Penny size hail fell at Harshaw." +114130,683454,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:45:00,CST-6,2017-04-09 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-89.41,45.63,-89.41,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Penny size hail fell near Rhinelander." +113958,682455,NEVADA,2017,April,High Wind,"ESMERALDA/CENTRAL NYE",2017-04-25 00:15:00,PST-8,2017-04-25 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad trough brought isolated high winds to the Mojave Desert.","These winds occurred 38 miles ENE of Beatty." +114227,684246,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-27 15:37:00,HST-10,2017-04-27 20:01:00,0,0,0,0,0.00K,0,0.00K,0,21.4097,-158.1441,21.3317,-157.7548,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,684247,HAWAII,2017,April,Heavy Rain,"HAWAII",2017-04-28 01:12:00,HST-10,2017-04-28 03:04:00,0,0,0,0,0.00K,0,0.00K,0,20.0355,-155.6625,19.8986,-155.8864,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,684248,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-28 08:53:00,HST-10,2017-04-28 16:55:00,0,0,0,0,0.00K,0,0.00K,0,21.5606,-158.1839,21.3061,-157.7637,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,684249,HAWAII,2017,April,Heavy Rain,"KAUAI",2017-04-28 12:31:00,HST-10,2017-04-28 18:25:00,0,0,0,0,0.00K,0,0.00K,0,22.1291,-159.7055,21.956,-159.3759,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +117765,708091,NEW MEXICO,2017,August,Hail,"UNION",2017-08-14 15:59:00,MST-7,2017-08-14 16:04:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-103.81,36.45,-103.81,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Periodic hail up to the size of nickels 14 miles northeast of Gladstone." +115771,696068,GEORGIA,2017,April,Tornado,"UPSON",2017-04-03 11:44:00,EST-5,2017-04-03 11:52:00,0,0,0,0,20.00K,20000,,NaN,32.843,-84.2483,32.8724,-84.1389,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF-1 tornado with maximum wind speeds of 90 MPH and a maximum path width of 150 yards occurred in eastern Upson County. This tornado developed out of the same storm that produced a short-track tornado south of Thomaston 6 minutes earlier. The tornado touched down west of Birdsong Road snapping a few trees and continued east along Waymanville Road where numerous trees were snapped and uprooted. The tornado path turned more northeasterly and crossed Kendall Drive uprooting several trees before crossing Logtown Road at the intersection with Traylor drive where several trees were snapped or uprooted and minor damage to a church occurred. The tornado continued northeast crossing Kendall Road several times as it traveled essentially parallel to it, snapping a few trees along the way. The tornado crossed Pleasant Grove Road snapping and uprooting a few trees before lifting in a wooded area east of that location before crossing into Monroe County. No injuries were reported. [04/03/17: Tornado #12, County #1/1, EF-1, Upson, 2017:044]." +115771,698121,GEORGIA,2017,April,Tornado,"SCHLEY",2017-04-03 11:46:00,EST-5,2017-04-03 11:56:00,0,0,0,0,500.00K,500000,,NaN,32.2295,-84.3569,32.2272,-84.2632,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 105 MPH and a maximum path width of 200 yards touched down west of Ellaville near a small farm south of Chancey Drive. The tornado moved east snapping and uprooting trees along its path south of Chancey Drive into southern Ellaville. The tornado snapped and uprooted dozens of trees as it crossed Pinefield Drive and Ridgewood Drive where several homes were impacted. The tornado continued east crossing Ebenezer Road and travelling along Pine Circle snapping trees and causing roof damage to homes. The tornado crossed South Callaway Drive and Broad Street where a large metal building collapsed onto peanut storage bins. The |tornado then turned southeast hitting a large warehouse and mobile home manufacturer. A metal building was heavily damaged and several new mobile homes were overturned in a holding lot. The tornado then turned east once again crossing Highway 19 and paralleling Highway 228, snapping a few trees, before lifting west of Lacross Road. In total, more than 40 homes were damaged with 3 destroyed by falling trees. Twelve businesses sustained damage of varying degrees and the entire town of Ellaville was without power for more than 24 hours. No injuries were reported. [04/03/17: Tornado #13, County #1/1, EF-1, Schley, 2017:45]." +115656,694953,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:06:00,CST-6,2017-04-16 19:06:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-101.24,35.25,-101.24,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694954,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:07:00,CST-6,2017-04-16 19:07:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.18,35.2,-101.18,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694955,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:07:00,CST-6,2017-04-16 19:07:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-101.12,35.21,-101.12,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694956,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:14:00,CST-6,2017-04-16 19:14:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.25,35.2,-101.25,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694958,TEXAS,2017,April,Hail,"CARSON",2017-04-16 19:15:00,CST-6,2017-04-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.11,35.2,-101.11,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115362,693605,GEORGIA,2017,April,Hail,"EFFINGHAM",2017-04-03 15:42:00,EST-5,2017-04-03 15:43:00,0,0,0,0,,NaN,,NaN,32.48,-81.39,32.48,-81.39,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The public reported quarter size hail at Rahn's Greenhouse off Old Dixie Highway South." +115362,693731,GEORGIA,2017,April,Thunderstorm Wind,"JENKINS",2017-04-03 15:01:00,EST-5,2017-04-03 15:02:00,0,0,0,0,,NaN,,NaN,32.91,-81.95,32.91,-81.95,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Jenkins County 911 Call Center reported 4 trees down near Perkins, GA." +115362,693732,GEORGIA,2017,April,Thunderstorm Wind,"CANDLER",2017-04-03 15:09:00,EST-5,2017-04-03 15:10:00,0,0,0,0,,NaN,,NaN,32.4,-82.06,32.4,-82.06,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Candler County 911 Call Center reported a tree down in Metter near the intersection of Washington Street and Bay Street." +115855,696333,FLORIDA,2017,April,Tornado,"OKEECHOBEE",2017-04-06 08:51:00,EST-5,2017-04-06 09:01:00,0,0,0,0,250.00K,250000,,NaN,27.5739,-80.8352,27.5739,-80.768,"During the early morning hours, a strong thunderstorm along a decaying squall line produced localized wind damage in the town of Lady Lake. Tree damage occurred, along with very minor damage to one home. ||As the squall line continued to sag southward, it became reinvigorated toward mid morning. A cluster of strong storms formed into a bow echo as it approached the Kissimmee River near the border of southwest Osceola and northwest Okeechobee Counties. Very strong straight line winds destroyed two recreational vehicles within the Kissimmee Prairie Preserve State Park and resulted in two injuries. As the cell continued east, a tornado developed and impacted Fort Drum with EF-2 damage to several mobile homes and numerous trees.","A NWS damage survey found that tornado damage began in Fort Drum, just west of US-441 and NW 358th Boulevard. The tornado continued eastward for 4.1 miles, crossing Highway 441 and the Florida Turnpike before dissipating. While much of the path occurred through an unpopulated area, several streets and mobile homes were impacted. Three mobile homes were destroyed, 1 sustained major damage, 13 had minor damage and an additional two were affected. Many trees were snapped, twisted above the base or uprooted. The tornado reached peak intensity just east of Highway 441, where mobile home and tree damage suggested winds reached near 115 mph (EF-2). There were no casualties as most of the residents in the affected area were not at home during the tornado. DI3, DOD8, EXP-LB; DI27, DOD4, EXP-UB." +115881,696376,WASHINGTON,2017,April,Flood,"CLARK",2017-04-01 00:00:00,PST-8,2017-04-03 21:30:00,0,0,0,0,0.00K,0,0.00K,0,45.6335,-122.6981,45.63,-122.6903,"Recent heavy rains from late March combined with snow melt caused the Columbia River at Vancouver to continue to flood until April 3rd.","To start off April, the Columbia River gauge at Vancouver was up around 17.22 ft, which is 1.22 ft above flood stage. On April 3rd, the river finally dropped below flood stage." +115868,696352,NORTH CAROLINA,2017,April,Flash Flood,"WAKE",2017-04-25 07:30:00,EST-5,2017-04-25 09:59:00,0,0,0,0,10.00K,10000,0.00K,0,35.908,-78.7933,35.9042,-78.8103,"A Flash Flood Watch was issued in advance of an abnormally deep upper level low moving over Central North Carolina. The trough became negatively tilted, pulling deep, moist air from the southwest into the region. The moist southwesterly flow overrunning a cold pool at the surface produced a prolonged period of moderate to heavy rain, which resulted in widespread areal flooding across the region. However, only isolated Flash Flooding occurred.","Lumley road was closed due to flash flooding between Interstate 540 and Brier Creek Parkway." +115804,695914,WEST VIRGINIA,2017,April,Thunderstorm Wind,"MARION",2017-04-11 18:15:00,EST-5,2017-04-11 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.5,-80.17,39.5,-80.17,"Weak cold front passage spawned widely scattered showers and thunderstorms across the region on April 11th. With rather weak instability and forcing for ascent, most storms did not pose problems.","The public reported trees and power lines down." +115506,693536,MASSACHUSETTS,2017,April,Drought,"NORTHERN WORCESTER",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in northwestern Worcester County to Moderate Drought (D1) on April 4." +115506,693537,MASSACHUSETTS,2017,April,Drought,"WESTERN HAMPDEN",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in the southeast part of western Hampden County to Moderate Drought (D1) on April 4." +115294,696905,ILLINOIS,2017,April,Flood,"CLARK",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.4793,-88.0157,39.1653,-88.0007,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across most of Clark County. Several streets in Casey and Marshall were impassable. Numerous rural roads and highways in the county were inundated, particularly in central and northern Clark County. Many creeks in the Embarras River basin were flooded, one of which over-topped a bridge in Martinsville. An additional 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115294,696912,ILLINOIS,2017,April,Flood,"EFFINGHAM",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.2113,-88.8104,38.9141,-88.8052,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Effingham County. Several streets in the city of Effingham were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Beecher City to Shumway. An additional 0.50 to 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115061,690852,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 19:30:00,CST-6,2017-04-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2972,-94.0371,35.2972,-94.0371,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690854,ARKANSAS,2017,April,Hail,"CARROLL",2017-04-04 19:49:00,CST-6,2017-04-04 19:49:00,0,0,0,0,0.00K,0,0.00K,0,36.3649,-93.5671,36.3649,-93.5671,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115061,690853,ARKANSAS,2017,April,Hail,"FRANKLIN",2017-04-04 19:48:00,CST-6,2017-04-04 19:48:00,0,0,0,0,0.00K,0,0.00K,0,35.4711,-93.83,35.4711,-93.83,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon hours, and moved into northwestern Arkansas during the evening. The strongest storms produced hail up to golfball size and damaging wind gusts.","" +115064,690865,ARKANSAS,2017,April,Thunderstorm Wind,"SEBASTIAN",2017-04-21 05:45:00,CST-6,2017-04-21 05:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3829,-94.4033,35.3829,-94.4033,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down an oak tree." +115060,690773,OKLAHOMA,2017,April,Hail,"OKMULGEE",2017-04-04 15:30:00,CST-6,2017-04-04 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.7423,-96.0706,35.7423,-96.0706,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690777,OKLAHOMA,2017,April,Hail,"OKFUSKEE",2017-04-04 15:35:00,CST-6,2017-04-04 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.4716,-96.4468,35.4716,-96.4468,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690775,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:30:00,CST-6,2017-04-04 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2973,-95.9918,36.2973,-95.9918,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690778,OKLAHOMA,2017,April,Hail,"CREEK",2017-04-04 15:41:00,CST-6,2017-04-04 15:41:00,0,0,0,0,0.00K,0,0.00K,0,36.109,-96.58,36.109,-96.58,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690779,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:48:00,CST-6,2017-04-04 15:48:00,0,0,0,0,0.00K,0,0.00K,0,35.9519,-95.8863,35.9519,-95.8863,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115655,694963,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.463,-77.8853,34.4616,-77.8855,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flooding was reported along a portion of Highway 117." +115655,694964,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.5752,-77.959,34.5685,-77.9591,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flooding was reported along a portion of New Savannah Rd." +115655,694965,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.5665,-77.9321,34.5696,-77.9361,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Flooding was reported in the curve of Old Savannah Rd." +115655,694970,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.5211,-78.0306,34.5233,-78.0232,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","A portion of Herrings Chapel Rd. and Malpass Corner Rd. were reported flooded." +115655,694971,NORTH CAROLINA,2017,April,Flash Flood,"PENDER",2017-04-24 18:00:00,EST-5,2017-04-24 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.546,-77.9644,34.5301,-77.9796,"Complex low pressure and a coastal front helped to feed tropical-like moisture into the area for a prolonged period of time.","Portions of Henry Brown Rd., Walkertown Rd. and Highway 53 were reported flooded." +115065,690922,OKLAHOMA,2017,April,Thunderstorm Wind,"MCINTOSH",2017-04-25 23:20:00,CST-6,2017-04-25 23:20:00,0,0,0,0,5.00K,5000,0.00K,0,35.5145,-95.5164,35.5145,-95.5164,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down a large highway sign on US-69." +115065,690923,OKLAHOMA,2017,April,Thunderstorm Wind,"MCINTOSH",2017-04-25 23:20:00,CST-6,2017-04-25 23:20:00,0,0,0,0,2.00K,2000,0.00K,0,35.4748,-95.5234,35.4748,-95.5234,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew down trees and power lines on the north side of Checotah." +115065,690924,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-25 23:29:00,CST-6,2017-04-25 23:29:00,0,0,0,0,25.00K,25000,0.00K,0,35.5215,-95.4944,35.5215,-95.4944,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115875,696402,OKLAHOMA,2017,April,Flood,"DELAWARE",2017-04-29 10:45:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-94.7215,36.1703,-94.7368,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Flint Creek near Kansas rose above its flood stage of 11 feet at 11:45 am CDT on April 29th. The river crested at 18.31 feet at 2:00 pm CDT on the 29th, resulting in major flooding (2nd highest crest on record). Devastating flooding occurred from near Fidlers Bend to the Chewey Bridge, and permanent campgrounds and cabins were overtopped. Monetary damage estimates were not available. The river fell below flood stage at 11:45 pm CDT on the 29th." +115875,696405,OKLAHOMA,2017,April,Flood,"CHEROKEE",2017-04-30 00:45:00,CST-6,2017-04-30 09:15:00,0,0,0,0,0.00K,0,0.00K,0,35.9392,-94.8414,35.9208,-94.8414,"A warm front lifted north into eastern Oklahoma from Texas on the 28th. A strong low level jet developed across the region, resulting in the unseasonably moist air that was in place being lifted over the frontal boundary. Widespread thunderstorm activity developed across the area from late on the 28th through the early morning hours of the 30th. Rainfall amounts of 2 to 4 inches were typical across eastern Oklahoma with local areas receiving 6 to 10 inches of rain. This excessive rainfall, on top of what had fallen in the previous ten days, resulted in moderate to major river flooding in the Verdigris River Basin, the Grand-Neosho River Basin, and the Lower Arkansas River Basin.","The Baron Fork River near Eldon rose above its flood stage of 18 feet at 1:45 am CDT on April 30th. The river crested at 25.10 feet at 4:30 am CDT on the 30th, resulting in major flooding. Campgrounds and cabins were severely flooded. Monetary damage estimates were not available. The river fell below flood stage at 10:15 am CDT on the 30th." +113801,681379,KENTUCKY,2017,April,Hail,"EDMONSON",2017-04-05 15:17:00,CST-6,2017-04-05 15:17:00,0,0,0,0,0.00K,0,0.00K,0,37.21,-86.38,37.21,-86.38,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681380,KENTUCKY,2017,April,Hail,"WARREN",2017-04-05 15:22:00,CST-6,2017-04-05 15:22:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-86.48,36.97,-86.48,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681383,KENTUCKY,2017,April,Hail,"HARDIN",2017-04-05 16:25:00,EST-5,2017-04-05 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-85.91,37.68,-85.91,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681384,KENTUCKY,2017,April,Hail,"HARDIN",2017-04-05 16:25:00,EST-5,2017-04-05 16:25:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-85.87,37.7,-85.87,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +115929,696830,TENNESSEE,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 21:45:00,CST-6,2017-05-27 21:50:00,0,0,0,0,10.00K,10000,0.00K,0,35.53,-89,35.5111,-88.9577,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Several trees down and uprooted." +115929,696833,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 21:50:00,CST-6,2017-05-27 22:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.1711,-90.0858,35.1452,-90.046,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Tractor trailer overturned on the Hernando Desoto I-40 bridge." +113801,681388,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 16:47:00,EST-5,2017-04-05 16:47:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-85.67,37.78,-85.67,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681389,KENTUCKY,2017,April,Hail,"HENRY",2017-04-05 16:55:00,EST-5,2017-04-05 16:55:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-85.06,38.4,-85.06,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681390,KENTUCKY,2017,April,Hail,"HART",2017-04-05 15:57:00,CST-6,2017-04-05 15:57:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-85.89,37.26,-85.89,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +116916,703152,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:40:00,EST-5,2017-05-27 17:40:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-77.49,37.32,-77.49,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Half dollar size hail was reported." +113801,681671,KENTUCKY,2017,April,Thunderstorm Wind,"SCOTT",2017-04-05 18:04:00,EST-5,2017-04-05 18:04:00,0,0,0,0,25.00K,25000,,NaN,38.27,-84.47,38.27,-84.47,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","A NWS Storm Survey team found barn and tree damage due to severe thunderstorm winds. The metal sheeting was blown away 400 yards. Winds were estimated to be around 70 mph." +116916,703154,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:47:00,EST-5,2017-05-27 17:47:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-77.44,37.36,-77.44,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703155,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:52:00,EST-5,2017-05-27 17:52:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-77.41,37.35,-77.41,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Golf ball size hail was reported." +116916,703156,VIRGINIA,2017,May,Hail,"SOUTHAMPTON",2017-05-27 18:39:00,EST-5,2017-05-27 18:39:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-77.38,36.69,-77.38,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703157,VIRGINIA,2017,May,Hail,"SOUTHAMPTON",2017-05-27 18:43:00,EST-5,2017-05-27 18:43:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-77.34,36.7,-77.34,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported southwest of Drewryville." +116916,703158,VIRGINIA,2017,May,Hail,"SOUTHAMPTON",2017-05-27 19:08:00,EST-5,2017-05-27 19:08:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-77.29,36.66,-77.29,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703159,VIRGINIA,2017,May,Thunderstorm Wind,"HANOVER",2017-05-27 17:25:00,EST-5,2017-05-27 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,37.88,-77.61,37.88,-77.61,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Trees and power lines were downed near Coatesville." +113801,681434,KENTUCKY,2017,April,Thunderstorm Wind,"FAYETTE",2017-04-05 18:50:00,EST-5,2017-04-05 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.97,-84.47,37.97,-84.47,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","The public reported shingles were blown off a home." +113801,681432,KENTUCKY,2017,April,Thunderstorm Wind,"HARRISON",2017-04-05 18:15:00,EST-5,2017-04-05 18:15:00,0,0,0,0,25.00K,25000,0.00K,0,38.39,-84.33,38.39,-84.33,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","Officials reported that severe thunderstorm winds blew a roof off a house on Spruce Drive and Kentucky State Highway 365." +115598,695801,UTAH,2017,April,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-04-13 14:40:00,MST-7,2017-04-13 19:20:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","Peak recorded wind gusts included 76 mph at the I-80 @ mp 1 sensor, 70 mph at the V-Grid sensor in the Dugway Proving Ground mesonet, 69 mph at both Lakeside Mountain and the Wendover Airport AWOS, and numerous other gusts in the 60-67 mph range. Three semitrailers were blown over by the strong winds on Interstate 80 between Wendover and Tooele; one of the trucks was blown over near milepost 77, west of Grantsville, while the other two were blown over near milepost 40." +115598,695802,UTAH,2017,April,High Wind,"SOUTHERN WASATCH FRONT",2017-04-13 19:02:00,MST-7,2017-04-13 20:19:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","A peak wind gust of 71 mph was recorded at Lehi. Wind damage was widespread across Lehi, including multiple trampolines that were damaged or became airborne, a large digital road construction sign that was damaged, a car window that was blown out, significant damage to homes under construction, damaged playground equipment, several damaged fences, and a set of baseball bleachers that was blown onto the adjacent backstop. In Eagle Mountain City, power lines were knocked down, closing the Pony Express Parkway at Porter's Crossing." +115771,698541,GEORGIA,2017,April,Thunderstorm Wind,"TROUP",2017-04-03 10:30:00,EST-5,2017-04-03 10:35:00,0,0,0,0,6.00K,6000,,NaN,33.0106,-84.9442,33.0106,-84.9442,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Troup County Emergency Manager reported trees blown down at Upper Big Springs Road and Knott Road." +115771,698551,GEORGIA,2017,April,Thunderstorm Wind,"MERIWETHER",2017-04-03 10:40:00,EST-5,2017-04-03 10:45:00,0,0,0,0,20.00K,20000,,NaN,33.03,-84.71,33.03,-84.71,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Meriwether County Emergency Manager reported trees blown down onto homes in Greenville. No injuries were reported." +115771,698540,GEORGIA,2017,April,Thunderstorm Wind,"HANCOCK",2017-04-03 10:25:00,EST-5,2017-04-03 10:30:00,0,0,0,0,12.00K,12000,,NaN,33.3301,-83.0661,33.2757,-82.9705,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Hancock County Emergency Manager reported trees blown down from around the intersection of Hunts Chapel Road and Highway 16 into downtown Sparta." +115771,698550,GEORGIA,2017,April,Thunderstorm Wind,"COBB",2017-04-03 10:40:00,EST-5,2017-04-03 10:45:00,0,0,0,0,5.00K,5000,,NaN,33.8154,-84.6,33.8154,-84.6,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported trees and traffic lights blown down at Veterans Memorial Highway and South Gordon Road." +115771,698552,GEORGIA,2017,April,Thunderstorm Wind,"MUSCOGEE",2017-04-03 10:54:00,EST-5,2017-04-03 10:59:00,0,0,0,0,10.00K,10000,,NaN,32.5832,-84.7844,32.5663,-84.7545,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Columbus local broadcast media reported several trees blown down from County Line Road to Fulton Road." +115771,698553,GEORGIA,2017,April,Thunderstorm Wind,"STEWART",2017-04-03 11:13:00,EST-5,2017-04-03 11:18:00,0,0,0,0,1.00K,1000,,NaN,32.0519,-84.7913,32.0519,-84.7913,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Stewart County Emergency Manager reported trees blown down at Rockwell Street and Hardwick Lane." +117935,708805,IDAHO,2017,June,Thunderstorm Wind,"BANNOCK",2017-06-26 18:35:00,MST-7,2017-06-26 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,42.87,-112.43,42.87,-112.43,"Severe thunderstorm winds downed power lines in Pocatello on Jefferson Avenue around 745. Idaho Power reported 2,000 customers in the Pocatello area. The Pocatello Regional Airport reported a wind gust of 61 mph.","Thunderstorm winds downed a power line on Jefferson Avenue and many power outages occurred in Pocatello on the 26th. Idaho Power reported 2,000 customers without power." +117938,708841,IDAHO,2017,June,Hail,"BLAINE",2017-06-28 13:20:00,MST-7,2017-06-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3724,-113.95,43.3724,-113.95,"Large hail occurred in southeast Idaho.","One inch hail occurred near Carey." +117938,708846,IDAHO,2017,June,Hail,"BINGHAM",2017-06-28 14:14:00,MST-7,2017-06-28 14:25:00,0,0,0,0,1.50K,1500,0.00K,0,43.0079,-112.85,43.0079,-112.85,"Large hail occurred in southeast Idaho.","One and a half inch hail fell north of Aberdeen. Some vehicle damage reported and a home gutter damaged." +117938,708852,IDAHO,2017,June,Hail,"BANNOCK",2017-06-28 16:16:00,MST-7,2017-06-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-112.45,42.92,-112.45,"Large hail occurred in southeast Idaho.","One inch hail reported in Chubbuck." +117959,709095,IDAHO,2017,June,Wildfire,"EASTERN MAGIC VALLEY",2017-06-08 12:00:00,MST-7,2017-06-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 40 acre fire was human started 2 miles north of Shoshone and moved north. Highway 75 was closed for one hour fighting the fire and several structures were threatened but none were damaged.","A 40 acre fire was human started 2 miles north of Shoshone and moved north. Highway 75 was closed for one hour fighting the fire and several structures were threatened but none were damaged." +117963,709134,IDAHO,2017,June,Wildfire,"UPPER SNAKE RIVER PLAIN",2017-06-22 17:00:00,MST-7,2017-06-22 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire occurred on June 22nd near US route 26 near Ririe. The fire burned cars parked in a field and closed one lane of eastbound US route 26 as well.","A wildfire occurred on June 22nd near US route 26 near Ririe. The fire burned cars parked in a field and closed one lane of eastbound US route 26 as well. A small outbuilding burned as well." +117984,709213,IDAHO,2017,June,Flood,"BANNOCK",2017-06-01 00:00:00,MST-7,2017-06-17 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.87,-112.43,42.8291,-112.4858,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","The Portneuf River gradually receded below flood stage and field flooding also was reduced during the month. Some minor damage to agriculture continued along with west nile mosquito control for ponding of water early in the month." +117984,709219,IDAHO,2017,June,Flood,"BEAR LAKE",2017-06-01 00:00:00,MST-7,2017-06-20 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.5519,-111.5611,42.23,-111.5955,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","The Bear River near the Wyoming border receded below flood stage and the flooding situation improved throughout the month. Repair to damaged roads continued along with west nile mosquito control." +117984,709225,IDAHO,2017,June,Flood,"BINGHAM",2017-06-01 00:00:00,MST-7,2017-06-20 00:00:00,0,0,0,0,15.00K,15000,0.00K,0,43.43,-112.82,42.95,-112.85,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Minor flooding continued the first part of June with agricultural damage continuing along with west nile mosquito control due to ponding water." +116562,701254,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 21:45:00,MST-7,2017-06-30 21:49:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-103.33,33.93,-103.33,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of ping pong balls." +116562,701257,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 22:10:00,MST-7,2017-06-30 22:18:00,0,0,0,0,250.00K,250000,0.00K,0,33.88,-103.13,33.88,-103.13,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of baseballs produced severe damage to the area around Causey. Several homes saw windows smashed out with extension damage to exteriors. Numerous vehicles were also severely damaged." +116562,701258,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 21:50:00,MST-7,2017-06-30 21:56:00,0,0,0,0,50.00K,50000,0.00K,0,33.98,-103.32,33.98,-103.32,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of hen eggs produced severe damage to a home northeast of Dora. Windows, skylights, satellite dishes, and siding were destroyed." +119520,721947,FLORIDA,2017,September,Tropical Storm,"INLAND CITRUS",2017-09-10 23:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,2.95M,2950000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. ||The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County." +119520,721952,FLORIDA,2017,September,Tropical Storm,"COASTAL CITRUS",2017-09-10 23:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,2.95M,2950000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. ||The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County." +119520,721953,FLORIDA,2017,September,Tropical Storm,"COASTAL LEVY",2017-09-11 01:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,130.00K,130000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county.||The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County." +119520,722003,FLORIDA,2017,September,Hurricane,"COASTAL PASCO",2017-09-08 23:00:00,EST-5,2017-09-11 09:00:00,0,0,0,1,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines.||The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. ||One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree." +119520,721819,FLORIDA,2017,September,Hurricane,"POLK",2017-09-10 08:00:00,EST-5,2017-09-11 09:00:00,0,0,0,3,68.98M,68980000,93.50M,93500000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Polk County, the highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected.||The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million.||One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage.||Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell at an Assisted Living Facility." +119520,721945,FLORIDA,2017,September,Tropical Storm,"INLAND PASCO",2017-09-10 20:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,3.00M,3000000,7.30M,7300000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. ||The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million." +117498,706607,VIRGINIA,2017,June,Thunderstorm Wind,"MADISON",2017-06-19 13:20:00,EST-5,2017-06-19 13:20:00,0,0,0,0,,NaN,,NaN,38.4581,-78.3014,38.4581,-78.3014,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down on Old Blue Ridge Turnpike." +117498,706609,VIRGINIA,2017,June,Thunderstorm Wind,"RAPPAHANNOCK",2017-06-19 13:37:00,EST-5,2017-06-19 13:37:00,0,0,0,0,,NaN,,NaN,38.692,-78.012,38.692,-78.012,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down near 300 Hackleys Mill Road." +117498,706610,VIRGINIA,2017,June,Thunderstorm Wind,"LOUDOUN",2017-06-19 13:52:00,EST-5,2017-06-19 13:52:00,0,0,0,0,,NaN,,NaN,39.1359,-77.6354,39.1359,-77.6354,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","Trees were down near the 39000 Block of East Colonial Highway." +117498,706612,VIRGINIA,2017,June,Thunderstorm Wind,"RAPPAHANNOCK",2017-06-19 13:56:00,EST-5,2017-06-19 13:56:00,0,0,0,0,,NaN,,NaN,38.644,-78.0588,38.644,-78.0588,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down at 500 Richmond Road." +117498,706613,VIRGINIA,2017,June,Thunderstorm Wind,"LOUDOUN",2017-06-19 13:57:00,EST-5,2017-06-19 13:57:00,0,0,0,0,,NaN,,NaN,39.146,-77.6008,39.146,-77.6008,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A couple large poplar trees were snapped off 10 to 20 feet above the ground along Tim Tact Court." +117498,706614,VIRGINIA,2017,June,Thunderstorm Wind,"LOUDOUN",2017-06-19 13:58:00,EST-5,2017-06-19 13:58:00,0,0,0,0,,NaN,,NaN,39.134,-77.586,39.134,-77.586,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A few large poplar and pine trees were snapped and uprooted along Alysheba Drive." +117498,706615,VIRGINIA,2017,June,Thunderstorm Wind,"LOUDOUN",2017-06-19 14:05:00,EST-5,2017-06-19 14:05:00,0,0,0,0,0.00K,0,0.00K,0,39.1339,-77.5914,39.1339,-77.5914,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","Two large trees were snapped and one large tree was uprooted near the intersection of 7 and Farm Market Road." +117498,706617,VIRGINIA,2017,June,Thunderstorm Wind,"PRINCE WILLIAM",2017-06-19 14:00:00,EST-5,2017-06-19 14:00:00,0,0,0,0,,NaN,,NaN,38.835,-77.6702,38.835,-77.6702,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down near the intersection of Antioch Road and Silver Lake Road." +117501,706645,MARYLAND,2017,June,Thunderstorm Wind,"FREDERICK",2017-06-19 13:09:00,EST-5,2017-06-19 13:09:00,0,0,0,0,,NaN,,NaN,39.3071,-77.4981,39.3071,-77.4981,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree fell in the roadway along the 4800 Block of East Basford Road." +117501,706646,MARYLAND,2017,June,Thunderstorm Wind,"FREDERICK",2017-06-19 13:23:00,EST-5,2017-06-19 13:23:00,0,0,0,0,,NaN,,NaN,39.3756,-77.2714,39.3756,-77.2714,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree fell across the roadway near the 5200 Block of Green Valley Road." +117501,706647,MARYLAND,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-19 14:37:00,EST-5,2017-06-19 14:37:00,0,0,0,0,,NaN,,NaN,39.008,-77.16,39.008,-77.16,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A tree was down and Blocking all lanes on Seven Locks Road near the intersection of Glennon Drive." +117501,706648,MARYLAND,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-19 14:45:00,EST-5,2017-06-19 14:45:00,0,0,0,0,,NaN,,NaN,39.025,-77.046,39.025,-77.046,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","At least six houses were damaged from trees at the intersection of Georgia Avenue and Dennis Avenue." +117501,706649,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:49:00,EST-5,2017-06-19 14:49:00,0,0,0,0,,NaN,,NaN,38.9867,-76.9189,38.9867,-76.9189,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","Numerous large trees were down around Lake Artemesia." +117501,706650,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:51:00,EST-5,2017-06-19 14:51:00,0,0,0,0,,NaN,,NaN,38.9868,-76.9561,38.9868,-76.9561,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A part of a tree was snapped off onto a portin of the road near the intersection of Adelphi Road and University Boulevard." +117501,706651,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:54:00,EST-5,2017-06-19 14:54:00,0,0,0,0,,NaN,,NaN,39.0016,-76.8834,39.0016,-76.8834,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A 12 to 14 inch in diameter tree fell onto the fence on Ridge Road." +117501,706652,MARYLAND,2017,June,Thunderstorm Wind,"PRINCE GEORGE'S",2017-06-19 14:56:00,EST-5,2017-06-19 14:56:00,0,0,0,0,,NaN,,NaN,38.8874,-76.8154,38.8874,-76.8154,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to become severe.","A large tree limb fell in the road near MD 202 and Kettering Drive." +118446,711752,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-06-19 14:45:00,EST-5,2017-06-19 14:45:00,0,0,0,0,,NaN,,NaN,38.8614,-77.0719,38.8614,-77.0719,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 44 knots was reported at Hoffman-Boston Elementary School." +118446,711753,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-06-19 14:49:00,EST-5,2017-06-19 14:49:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 39 knots was reported at Nationals Park." +118446,711754,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-06-19 14:40:00,EST-5,2017-06-19 14:50:00,0,0,0,0,,NaN,,NaN,39.28,-76.62,39.28,-76.62,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 39 knots was reported at Orioles Park." +118446,711755,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-06-19 14:45:00,EST-5,2017-06-19 14:45:00,0,0,0,0,,NaN,,NaN,39.28,-76.61,39.28,-76.61,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 35 knots was reported at the Maryland Science Center." +118446,711756,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-06-19 14:48:00,EST-5,2017-06-19 14:48:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 34 knots was reported at Key Bridge." +118446,711757,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-06-19 14:54:00,EST-5,2017-06-19 14:54:00,0,0,0,0,,NaN,,NaN,39.26,-76.52,39.26,-76.52,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 34 knots was reported at Dundalk Elementary School." +118446,711758,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-06-19 14:50:00,EST-5,2017-06-19 14:50:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 37 knots was reported at North Bay." +118446,711759,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-06-19 15:13:00,EST-5,2017-06-19 15:43:00,0,0,0,0,,NaN,,NaN,39.253,-76.371,39.253,-76.371,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts up to 37 knots were reported at Hart Miller Island." +118446,711779,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-06-19 18:29:00,EST-5,2017-06-19 18:29:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Raccoon Point." +118446,711780,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:19:00,EST-5,2017-06-19 18:19:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Cobb Point." +118446,711781,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:30:00,EST-5,2017-06-19 18:30:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Lewisetta." +118446,711782,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:30:00,EST-5,2017-06-19 18:30:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Lewisetta." +118446,711783,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:37:00,EST-5,2017-06-19 18:37:00,0,0,0,0,,NaN,,NaN,38.13,-76.42,38.13,-76.42,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 34 to 35 knots were reported at St. Inigoes." +118446,711784,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:40:00,EST-5,2017-06-19 18:40:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 35 knots were reported at Potomac Point Lookout." +118446,711785,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 18:41:00,EST-5,2017-06-19 18:41:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 39 knots were reported at Point Lookout." +118446,711786,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-06-19 18:39:00,EST-5,2017-06-19 18:39:00,0,0,0,0,,NaN,,NaN,38.139,-75.788,38.139,-75.788,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 35 knots was reported at Raccoon Point." +121223,725894,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"TOWNER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725895,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CAVALIER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725896,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"PEMBINA",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +117823,708249,CALIFORNIA,2017,June,Heat,"S SIERRA FOOTHILLS",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees between June 18 and June 23." +121223,725897,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BENSON",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725898,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RAMSEY",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725899,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EASTERN WALSH",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725900,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"WESTERN WALSH",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725901,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EDDY",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725902,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"NELSON",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121223,725903,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRAND FORKS",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +116484,700514,MISSISSIPPI,2017,June,Flood,"FORREST",2017-06-22 12:50:00,CST-6,2017-06-22 12:50:00,0,0,0,0,20.00K,20000,0.00K,0,31.3289,-89.3237,31.3289,-89.3248,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A sinkhole occurred at 22nd Avenue and Emerson Drive. The sinkhole was 16 feet deep and four feet wide." +116484,700512,MISSISSIPPI,2017,June,Flash Flood,"CLARKE",2017-06-22 05:30:00,CST-6,2017-06-22 07:30:00,0,0,0,0,15.00K,15000,0.00K,0,31.8403,-88.4784,31.8485,-88.58,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A number of roads in southeast Clarke County were flooded from continued heavy rainbands, including Highway 661, 631, 640, 671, 662, 650, 610, 630, 511, and 621." +116484,700515,MISSISSIPPI,2017,June,Strong Wind,"COVINGTON",2017-06-22 13:10:00,CST-6,2017-06-22 13:10:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down on Highway 588 near the intersection with Highway 84 northeast of Collins. Another tree fell onto powerlines and resulted in power outages in Seminary." +116484,700521,MISSISSIPPI,2017,June,Thunderstorm Wind,"WARREN",2017-06-23 09:13:00,CST-6,2017-06-23 09:13:00,0,0,0,0,10.00K,10000,0.00K,0,32.43,-90.78,32.43,-90.78,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A few trees were blown down in the area, with one blown down on powerlines." +116484,700522,MISSISSIPPI,2017,June,Flash Flood,"WARREN",2017-06-23 10:10:00,CST-6,2017-06-23 10:30:00,0,0,0,0,2.00K,2000,0.00K,0,32.3428,-90.8446,32.3436,-90.8456,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred at Clay Street and I-20." +116484,700524,MISSISSIPPI,2017,June,Thunderstorm Wind,"WARREN",2017-06-23 10:15:00,CST-6,2017-06-23 10:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.344,-90.7482,32.344,-90.7482,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down in the 3500 block of Warriors Trail." +117556,706971,KANSAS,2017,June,Flood,"BUTLER",2017-06-27 07:49:00,CST-6,2017-06-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7397,-97.07,37.7405,-97.1041,"On the morning of the 27th, an isolated, but slow-moving, severe thunderstorm struck Western Butler County with half dollar and ping pong ball-sized hail. With the severe thunderstorm moving southeast at only 10 mph, the heavy rains it produced caused the Dry Creek to overflow. (Dry Creek certainly wasn't dry.) The flooding occurred at the SW 50th/Tawakoni Rd Intersection where waters were 3 feet deep.","The Dry Creek overflowed, flooding the road near the SW 50th/Tawakoni Rd Intersection to a depth of 3 feet." +117556,706972,KANSAS,2017,June,Hail,"BUTLER",2017-06-27 08:33:00,CST-6,2017-06-27 08:35:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.98,37.69,-96.98,"On the morning of the 27th, an isolated, but slow-moving, severe thunderstorm struck Western Butler County with half dollar and ping pong ball-sized hail. With the severe thunderstorm moving southeast at only 10 mph, the heavy rains it produced caused the Dry Creek to overflow. (Dry Creek certainly wasn't dry.) The flooding occurred at the SW 50th/Tawakoni Rd Intersection where waters were 3 feet deep.","" +117556,706973,KANSAS,2017,June,Hail,"BUTLER",2017-06-27 08:47:00,CST-6,2017-06-27 08:50:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.98,37.69,-96.98,"On the morning of the 27th, an isolated, but slow-moving, severe thunderstorm struck Western Butler County with half dollar and ping pong ball-sized hail. With the severe thunderstorm moving southeast at only 10 mph, the heavy rains it produced caused the Dry Creek to overflow. (Dry Creek certainly wasn't dry.) The flooding occurred at the SW 50th/Tawakoni Rd Intersection where waters were 3 feet deep.","" +117556,708854,KANSAS,2017,June,Hail,"BUTLER",2017-06-27 07:07:00,CST-6,2017-06-27 07:08:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-97.08,37.77,-97.08,"On the morning of the 27th, an isolated, but slow-moving, severe thunderstorm struck Western Butler County with half dollar and ping pong ball-sized hail. With the severe thunderstorm moving southeast at only 10 mph, the heavy rains it produced caused the Dry Creek to overflow. (Dry Creek certainly wasn't dry.) The flooding occurred at the SW 50th/Tawakoni Rd Intersection where waters were 3 feet deep.","" +115569,706480,MINNESOTA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-14 00:02:00,CST-6,2017-06-14 00:04:00,0,0,0,0,100.00K,100000,0.00K,0,44.7233,-92.8861,44.7291,-92.8504,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","There were 8 homes that had trees fall onto their roofs and cause damage, and about 1500 people lost power. All this damage occurred in a small area of town (about a 6-8 block radius) from 15th Street south to the Vermillion River." +115569,706993,MINNESOTA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-13 20:10:00,CST-6,2017-06-13 20:10:00,0,0,0,0,,NaN,0.00K,0,45.8379,-95.7,45.8379,-95.7,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Three buildings at a farm, including a machine shop, were completely destroyed by thunderstorm winds. Radar indicates a mini bow echo went through the area. Several other buildings, including a turkey barn, were also damaged. Three barns, two shops, a machine shed and a garage were all damaged." +117558,706981,KANSAS,2017,June,Thunderstorm Wind,"NEOSHO",2017-06-30 01:40:00,CST-6,2017-06-30 01:43:00,0,0,0,0,10.00K,10000,0.00K,0,37.67,-95.46,37.67,-95.46,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","Trees and power poles were blown down across town. The report was received at 320 AM CDT/220 AM CST." +116440,701277,TEXAS,2017,May,Thunderstorm Wind,"ROBERTSON",2017-05-28 17:40:00,CST-6,2017-05-28 17:40:00,0,0,0,0,5.00K,5000,0.00K,0,30.98,-96.65,30.98,-96.65,"Thunderstorms moved into North Texas late Saturday night/early Sunday morning as a weak cold front pushed south of the Red River. Additional storms popped up Sunday afternoon as the boundary sagged south of the I-20 corridor.","Robertson County Sheriff's Department reported roof damage in the city of Calvert, TX." +115096,701512,OKLAHOMA,2017,May,Hail,"OSAGE",2017-05-10 15:35:00,CST-6,2017-05-10 15:35:00,0,0,0,0,0.00K,0,0.00K,0,36.7821,-96.663,36.7821,-96.663,"A slow-moving upper level storm system moved from the Southern Rockies into the Southern Plains during the 10th and 11th. Warm, moist, and unstable air was in place across eastern Oklahoma ahead of this system. Several disturbances translated across the Southern Plains ahead of the main system, resulting in multiple rounds of strong to severe thunderstorm development along the associated frontal boundary that slowly progressed eastward and southward through the region. These storms produced several tornadoes, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +116680,701607,OREGON,2017,May,Flood,"WALLOWA",2017-05-05 20:30:00,PST-8,2017-05-06 01:15:00,0,0,0,0,0.00K,0,0.00K,0,45.5465,-116.8364,45.5473,-116.8317,"Increased snow melt caused minor flooding along portions of the Imnaha river on May 5th.","The Imnaha River at Imnaha had minor flooding early on May 6th, due to snow melt. The river crested at the flood stage of 5.5 feet early on May 6th." +116737,702093,NEW HAMPSHIRE,2017,May,Hail,"CARROLL",2017-05-31 18:00:00,EST-5,2017-05-31 18:04:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-71.18,43.89,-71.18,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in inland locations away from a deep marine layer across southern Maine and southeast New Hampshire. Multiple reports of large hail and wind damage were associated with these storms.","A severe thunderstorm produced 1.75 inch hail in Silver Lake." +117937,708838,KANSAS,2017,June,Thunderstorm Wind,"ALLEN",2017-06-17 21:45:00,CST-6,2017-06-17 21:46:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-95.17,37.87,-95.17,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Several power poles were snapped off along highway 59 two to three miles south of Moran." +117937,708840,KANSAS,2017,June,Thunderstorm Wind,"ELK",2017-06-17 21:50:00,CST-6,2017-06-17 21:51:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-96.41,37.38,-96.41,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a trained spotter." +117083,705178,KANSAS,2017,May,Hail,"FINNEY",2017-05-16 15:34:00,CST-6,2017-05-16 15:34:00,0,0,0,0,,NaN,,NaN,37.98,-100.86,37.98,-100.86,"A strong shortwave trough over the southwestern states moved east northeastward toward the central and southern Plains as another low pressure system dropped into the Pacific Northwest. A dryline set up and high dewpoints were in the area by mid-afternoon, resulting in even stronger CAPE. This created severe hail and wind across the counties mentioned above, as well as tornadoes in Clark, Ford, and Pawnee counties.","" +117086,706265,KANSAS,2017,May,Hail,"GRANT",2017-05-25 17:24:00,CST-6,2017-05-25 17:24:00,0,0,0,0,,NaN,,NaN,37.69,-101.14,37.69,-101.14,"A well-defined short-wave trough over the northern inter-mountain region and large-scale forcing ahead of this feature aided a band of mid-level moistening across southern WY during the day. A forced-corridor of convection evolved across northern CO/southern WY by early afternoon then slowly grew upscale as it propagated into the central High Plains. While low-level moisture was somewhat lacking, mid-upper 40s dew points were more than adequate for robust surface-based thunderstorm development ahead of the short wave. This system produced severe hail in Grant, Ford, Trego, and Ellis counties, and severe wind in Ness, Trego and Ellis counties.","" +114372,685388,LOUISIANA,2017,May,Thunderstorm Wind,"SABINE",2017-05-03 17:00:00,CST-6,2017-05-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-93.62,31.45,-93.62,"A warm front had begun to lift north across Deep East Texas and Southwest Louisiana during the early morning hours of May 3rd, in response to a developing area of surface low pressure over Westcentral Texas along a cold front that extended northeast into Central Oklahoma. This cold front was out ahead of a positively tilted upper trough, as it progressed southeast into Oklahoma during the afternoon. Meanwhile, a shortwave trough ejecting northeast over Southeast Texas and Central Louisiana ahead of the main upper trough during the morning contributed to scattered to numerous shower and thunderstorm development over Southeast Texas and Southwest Louisiana prior to daybreak on the 3rd, which advanced northeast into Deep East Texas and Central/Southern Louisiana shortly there-afterwards. Additional showers and thunderstorms quickly developed over Southeast Oklahoma and Southwest Arkansas along and just ahead of the front and associated upper trough around/shortly after daybreak. Given the adequate shear and steep lapse rates aloft ahead of the main upper trough, some of the storms over Southeast Oklahoma became severe, producing large hail during the morning. Isolated severe thunderstorms also developed farther south across East Texas and Western Louisiana, with large hail initially the main threat. However, as the air mass destabilized with additional diurnal heating ahead of the front, more numerous strong to severe thunderstorms developed by afternoon as large scale forcing increased ahead of the approaching upper trough, interacting with the warm front over East Texas/Western Louisiana, as well as a mesoscale boundary left behind over portions of the Sam Rayburn Country across Central Louisiana from the morning storms. Large hail and damaging winds were common with these storms during the afternoon and early evening, before the storms exited the region by mid-evening. Isolated areas of flash flooding was also observed across portions of Southwest Arkansas and East Texas, where storms produced very heavy rainfall and briefly moved repeatedly over the same areas.","Several trees were downed along Hwy. 191 west of Florien, Louisiana." +114107,685915,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ELK",2017-05-01 15:28:00,EST-5,2017-05-01 15:28:00,0,0,0,0,7.00K,7000,0.00K,0,41.3153,-78.6721,41.3153,-78.6721,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees southeast of Brandy Camp." +114107,685970,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 18:15:00,EST-5,2017-05-01 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-77.02,41.24,-77.02,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced a wind gust measured at 85 mph in Williamsport." +114665,688159,ALABAMA,2017,May,Thunderstorm Wind,"MADISON",2017-05-20 16:48:00,CST-6,2017-05-20 16:48:00,0,0,0,0,,NaN,,NaN,34.8,-86.49,34.8,-86.49,"A line of strong to severe thunderstorms tracked from central through north central and northeast Alabama during the late afternoon and early evening hours. One segment of the thunderstorms produced widespread wind damage to Madison County, including the Huntsville area. At least 20,000 were without power as a result of the thunderstorms. A funnel cloud was observed in the Hampton Cove area.","Thunderstorm wind produced damage at Riverton Intermediate School. A roof was blown off of a softball dugout along with around 20 masonry rocks. Metal fascia of around 200 feet was torn off at two locations at the school." +114811,688611,KENTUCKY,2017,May,Thunderstorm Wind,"PIKE",2017-05-24 13:25:00,EST-5,2017-05-24 13:25:00,0,0,0,0,,NaN,,NaN,37.4131,-82.3219,37.4131,-82.3219,"An area of showers and thunderstorms moved across eastern Kentucky this morning, intensifying across far eastern Kentucky. This produced wind damage and flash flooding in Pike County along with isolated flash flooding in Martin County. A few homes and businesses had water infiltrate them, while a few bridges were washed out. Additional storms moved into the Lake Cumberland region during the mid to late afternoon, producing large hail and damaging winds across Pulaski and Rockcastle Counties. A funnel cloud was also observed near Morehead.","Law enforcement observed a tree down west of Fedscreek." +114838,688899,OHIO,2017,May,Thunderstorm Wind,"PERRY",2017-05-19 17:45:00,EST-5,2017-05-19 17:45:00,0,0,0,0,0.50K,500,0.00K,0,39.7216,-82.2992,39.7216,-82.2992,"Showers and thunderstorms formed along a cold front which moved through southeastern Ohio during the evening of the 19th. Most storms stayed below severe levels, however one pulsed up and resulted in tree damage in Perry County.","A tree was blown down and blocked a road in Junction City." +114849,688969,VIRGINIA,2017,May,Flash Flood,"DICKENSON",2017-05-24 13:23:00,EST-5,2017-05-24 14:45:00,0,0,0,0,3.00K,3000,0.00K,0,37.1514,-82.4687,37.162,-82.4476,"Showers and thunderstorms developed along a warm front on the 24th. The showers and storms produced very heavy rainfall with one to two inches of rain in a short time. This rain fell on already saturated soils resulting in flash flooding. One storm briefly pulsed up and produced hail.","Several roads in and around Clintwood were closed due to flooding." +115430,696082,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:35:00,CST-6,2017-06-11 07:35:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-93.47,44.94,-93.47,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large branches and power lines were blown down." +121224,725926,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MAHNOMEN",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +113364,678613,NEW MEXICO,2017,April,Heavy Snow,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-04-03 20:00:00,MST-7,2017-04-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts ranged from 6 to 10 inches in the area from Red River to the Shuree SNOTEL. Difficult travel was reported across this area mainly during the morning hours." +113364,678614,NEW MEXICO,2017,April,Heavy Snow,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-04-03 21:00:00,MST-7,2017-04-05 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts along the east slope of the Sangre de Cristo Mountains ranged from around 5 inches in Mineral Hill to 14 inches in Angel Fire and 6 inches around Ute Park. A band of snowfall that set up during the evening hours of the 4th produced snowfall rates of 2 inches per hour. Difficult travel conditions were reported." +121224,725927,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"HUBBARD",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +113536,679670,OREGON,2017,April,High Wind,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-04-07 02:42:00,PST-8,2017-04-07 02:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The Sexton Summit ASOS recorded a gust to 67 mph at 07/0256 PST." +113536,679680,OREGON,2017,April,High Wind,"CENTRAL DOUGLAS COUNTY",2017-04-07 01:12:00,PST-8,2017-04-07 05:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The North Bank RAWS recorded several gusts exceeding 57 mph during this interval. The peak gust to 65 mph occurred at 07/0511 PST." +113538,679675,CALIFORNIA,2017,April,High Wind,"CENTRAL SISKIYOU COUNTY",2017-04-07 00:51:00,PST-8,2017-04-07 00:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across northern California. There were scattered power outages due to the wind.","The Siskiyou-Montague ASOS recorded a gust to 67 mph at 07/0053 PST." +113536,679673,OREGON,2017,April,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-04-06 23:04:00,PST-8,2017-04-07 08:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong developing low off the coast brought high winds to a number of locations across southwest and south central Oregon. At the peak of the storm, more than 60,000 people in many cities were without power, mostly in Josephine County. Pacific Power reported the loss of one high voltage line, one major substation and five satellite substations. Many trees were down, including a number onto power lines. Schools were closed across Coos and Curry county, and school closures occurred in Grants Pass and Rogue River.","The Summit RAWS recorded several gusts exceeding 57 mph during this interval. The peak gust to 77 mph occurred at 07/0003 PST." +113814,681487,TEXAS,2017,April,Hail,"PECOS",2017-04-12 15:10:00,CST-6,2017-04-12 15:15:00,0,0,0,0,,NaN,,NaN,31.094,-103.219,31.094,-103.219,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","Quarter size hail reported along US 285 about 1 mile south of the Reeves and Pecos county line." +113814,681488,TEXAS,2017,April,Hail,"REEVES",2017-04-12 15:31:00,CST-6,2017-04-12 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.9542,-103.4302,30.9542,-103.4302,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683138,TEXAS,2017,April,Hail,"REEVES",2017-04-12 16:30:00,CST-6,2017-04-12 16:35:00,0,0,0,0,,NaN,,NaN,31.0933,-103.5929,31.0933,-103.5929,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683139,TEXAS,2017,April,Hail,"REEVES",2017-04-12 16:45:00,CST-6,2017-04-12 16:50:00,0,0,0,0,,NaN,,NaN,31.1659,-103.6032,31.1659,-103.6032,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683142,TEXAS,2017,April,Hail,"REEVES",2017-04-12 17:35:00,CST-6,2017-04-12 17:40:00,0,0,0,0,,NaN,,NaN,31.3554,-103.3047,31.3554,-103.3047,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683143,TEXAS,2017,April,Hail,"CULBERSON",2017-04-12 17:42:00,CST-6,2017-04-12 17:47:00,0,0,0,0,,NaN,,NaN,31.05,-104.6849,31.05,-104.6849,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683144,TEXAS,2017,April,Hail,"CULBERSON",2017-04-12 18:00:00,CST-6,2017-04-12 18:05:00,0,0,0,0,,NaN,,NaN,31.07,-104.4993,31.07,-104.4993,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +112883,674464,MINNESOTA,2017,March,Winter Storm,"FARIBAULT",2017-03-12 10:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 7 to 9 inches of snow across Faribault county late Sunday morning, through early Monday morning." +114093,683483,TEXAS,2017,April,Hail,"ANDREWS",2017-04-16 18:03:00,CST-6,2017-04-16 18:10:00,0,0,0,0,,NaN,,NaN,32.3016,-102.5407,32.3016,-102.5407,"An upper level disturbance was moving over northern Mexico, and a dryline was set up from southeast New Mexico to the Big Bend area. Very unstable air was east of the dryline and lead to storms developing during the time of peak heating. Some of these storms became severe with large hail and strong winds due to the large amount of instability.","" +115104,691910,MONTANA,2017,June,Thunderstorm Wind,"VALLEY",2017-06-01 20:23:00,MST-7,2017-06-01 20:23:00,0,0,0,0,0.00K,0,0.00K,0,48.09,-106.48,48.09,-106.48,"A moderately unstable atmosphere combined with a cold front from the west to set off numerous rain showers and scattered thunderstorms with multiple downdrafts and outflows - a few of which became severe in Valley County.","Trained spotter measured a 59 mph wind gust. Multiple tree limbs downed." +114286,684656,TEXAS,2017,April,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-04-28 09:51:00,MST-7,2017-04-28 16:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds affected the Guadalupe and Davis Mountains due to a passing upper trough.","" +114286,684662,TEXAS,2017,April,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-04-29 15:40:00,CST-6,2017-04-29 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds affected the Guadalupe and Davis Mountains due to a passing upper trough.","" +115104,691911,MONTANA,2017,June,Thunderstorm Wind,"VALLEY",2017-06-01 20:40:00,MST-7,2017-06-01 20:40:00,0,0,0,0,0.00K,0,0.00K,0,48.45,-107.3,48.45,-107.3,"A moderately unstable atmosphere combined with a cold front from the west to set off numerous rain showers and scattered thunderstorms with multiple downdrafts and outflows - a few of which became severe in Valley County.","The Saco US-2 DOT site measured a 58 mph wind gust." +115249,691918,TEXAS,2017,June,Flash Flood,"BOWIE",2017-06-04 09:00:00,CST-6,2017-06-04 11:15:00,0,0,0,0,0.00K,0,0.00K,0,33.5442,-94.7078,33.5449,-94.7074,"Scattered showers and thunderstorms developed throughout the morning and afternoon hours on June 4th, ahead of a slow moving upper level storm system that drifted east across the Red River Valley of Southern Oklahoma and North Texas. These storms were slow moving, and given the moderate instability and very moist atmosphere in place, they produced locally heavy rainfall as the moved repeatedly over the same areas across portions of Northeast Texas. As a result, instances of flash flooding were observed across Eastern Red River, Western Bowie, and portions of Northern Smith counties where rainfall amounts of three to in excess of five inches fell over a period of two to four hours, over grounds which were nearing saturation due to earlier rainfall that fell during the previous couple of days.","Texarkana DPS reported over a foot of water covered Highway 82 just west of County Road 3319." +115228,691825,OREGON,2017,June,Frost/Freeze,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-06-05 01:00:00,PST-8,2017-06-05 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a cold air mass brought freezing temperatures to a few locations in south central Oregon.","The cooperative observer at Chemult reported a low temperature of 24 degrees." +122259,732094,IOWA,2017,December,Winter Weather,"HENRY",2017-12-29 08:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from a trained spotter report of 0.7 inches at New London to a COOP obserer report of 1.5 inches one mile south southwest of Mount Pleasant." +113740,681256,TEXAS,2017,April,Hail,"PARMER",2017-04-14 16:34:00,CST-6,2017-04-14 16:34:00,0,0,0,0,0.00K,0,0.00K,0,34.5261,-102.6224,34.5261,-102.6224,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser measured hail on the ground slightly larger than baseball size. No damage was reported." +113740,681258,TEXAS,2017,April,Hail,"CASTRO",2017-04-14 19:39:00,CST-6,2017-04-14 19:39:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-102.32,34.55,-102.32,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Local broadcast media relayed a report of quarter size hail in Dimmitt." +113740,681260,TEXAS,2017,April,Hail,"CASTRO",2017-04-14 20:55:00,CST-6,2017-04-14 20:55:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-102.1,34.55,-102.1,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","Golf ball size hail was reported in Nazareth. No damage was reported." +114395,685622,WYOMING,2017,April,Winter Storm,"SOUTHEAST JOHNSON COUNTY",2017-04-27 17:00:00,MST-7,2017-04-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Anywhere from 6 to 12 inches of snow was measured across southern Johnson county." +114395,685629,WYOMING,2017,April,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-04-26 14:00:00,MST-7,2017-04-28 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","Heavy snow fell in portions of the Tetons. Some the highest amounts included 23 inches at the Jackson Hole Ski Resort and 29 inches at the Grand Targhee SNOTEL." +114623,687417,IOWA,2017,April,Thunderstorm Wind,"HARDIN",2017-04-15 17:02:00,CST-6,2017-04-15 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-93.2,42.27,-93.2,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Amateur radio operator reported 60 mph wind gusts." +114623,687418,IOWA,2017,April,Hail,"HARDIN",2017-04-15 17:12:00,CST-6,2017-04-15 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-93.1,42.33,-93.1,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel sized hail." +114623,687419,IOWA,2017,April,Hail,"GRUNDY",2017-04-15 17:25:00,CST-6,2017-04-15 17:25:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-92.97,42.35,-92.97,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported lots of dime to quarter sized hail along Highway 175 just east of the Hardin-Grundy county line." +114623,687420,IOWA,2017,April,Hail,"MARION",2017-04-15 17:37:00,CST-6,2017-04-15 17:37:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-93.04,41.36,-93.04,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported penny sized hail." +113448,679267,OHIO,2017,April,Thunderstorm Wind,"GREENE",2017-04-05 17:36:00,EST-5,2017-04-05 17:41:00,0,0,0,0,10.00K,10000,0.00K,0,39.62,-84.1,39.62,-84.1,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Twenty to twenty five trees were broken off high above the ground in the Sugarcreek MetroPark, just to the northeast of the Conference Road and Wilmington-Dayton Road intersection." +113448,679148,OHIO,2017,April,Tornado,"CLARK",2017-04-05 17:51:00,EST-5,2017-04-05 17:52:00,0,0,0,0,30.00K,30000,0.00K,0,39.8709,-83.9524,39.8714,-83.951,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","The first evidence of damage occurred to a home and farm |buildings along Dayton-Springfield Road southwest of Enon. ||While there were numerous homes in the area which sustained tree |damage and lightweight debris damage, the vast majority of this |damage was from straight line winds estimated at 70 mph. The wind |damage was southwest to northeast with no evidence of tornadic |winds making direct contact with the ground nor debris found on |downwind sides of buildings.||There was embedded damage to a farm home and barns where large|sections of roofing material were peeled off and lofted, causing|damage to the downwind home. There was additional roof damage to|the home and 2 additional farm buildings. The southward facing|garage door to the home was blown inward. Two combines located in|one of the outbuildings were pushed downwind, with the outbuilding|itself collapsed. ||Where there was evidence of tornado damage was in the |downwind/northeast facing wall of the home and one of the barns, |where debris splatter was observed. Because of heavy rain after |the passage of the storm, direct ground damage indicative of a |tornado in contact with the ground was inconclusive." +113448,679272,OHIO,2017,April,Thunderstorm Wind,"CLARK",2017-04-05 18:03:00,EST-5,2017-04-05 18:08:00,0,0,0,0,5.00K,5000,0.00K,0,39.97,-83.87,39.97,-83.87,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","There was scattered home damage throughout the neighborhood, including a shed flipped over and lawn furniture thrown around." +113448,679275,OHIO,2017,April,Thunderstorm Wind,"BROWN",2017-04-05 18:07:00,EST-5,2017-04-05 18:12:00,0,0,0,0,3.00K,3000,0.00K,0,39.03,-83.92,39.03,-83.92,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Numerous instances of tree damage were reported in the northern part of the county. Also, a roof of a trailer was blown off near East Main Street." +113448,679276,OHIO,2017,April,Thunderstorm Wind,"BROWN",2017-04-05 18:08:00,EST-5,2017-04-05 18:13:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-83.91,39.02,-83.91,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","One large limb, six inches in diameter, was knocked down." +113448,679277,OHIO,2017,April,Thunderstorm Wind,"BROWN",2017-04-05 18:10:00,EST-5,2017-04-05 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.98,-83.9,38.98,-83.9,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","Damage to a home, along with tree damage, was reported along Bingamon Road." +117477,706520,NEW MEXICO,2017,August,Thunderstorm Wind,"MORA",2017-08-07 19:30:00,MST-7,2017-08-07 19:32:00,0,0,0,0,0.50K,500,0.00K,0,36.0491,-104.6967,36.0491,-104.6967,"A small cluster of thunderstorms that developed over the higher terrain of western Mora County moved southeast toward Wagon Mound shortly after sunset. Severe outflow winds from this storm cluster downed a large tree branch and associated power line onto the side of a home three miles north of Wagon Mound. Fortunately, no damage occurred to the property. Torrential rainfall that accompanied the storm added a significant amount of water to a nearby lake. Residents reported being able to see the lake from their property for the first time in many years. Other parts of San Miguel and Mora counties reported daily rainfall totals between one and three inches.","A large tree branch was blown down onto the side of a home. A power line fell onto a nearby barn. No structural damage occurred." +113368,689644,MISSOURI,2017,April,Thunderstorm Wind,"MCDONALD",2017-04-04 17:53:00,CST-6,2017-04-04 17:53:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-94.44,36.66,-94.44,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A trained spotter estimated wind gusts up to 70 mph at that location." +113368,689648,MISSOURI,2017,April,Hail,"NEWTON",2017-04-04 17:45:00,CST-6,2017-04-04 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-94.37,36.87,-94.37,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689649,MISSOURI,2017,April,Funnel Cloud,"NEWTON",2017-04-04 18:07:00,CST-6,2017-04-04 18:07:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-94.11,36.92,-94.11,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A trained weather spotter reported a funnel cloud about 10 miles west of Monett." +113368,689650,MISSOURI,2017,April,Hail,"NEWTON",2017-04-04 17:50:00,CST-6,2017-04-04 17:50:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-94.43,36.88,-94.43,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Quarter size hail was reported at I-49 and Highway 86 near Neosho. This report was from social media." +113368,689652,MISSOURI,2017,April,Hail,"LAWRENCE",2017-04-04 18:45:00,CST-6,2017-04-04 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.82,37.12,-93.82,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +115536,693688,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-15 12:32:00,CST-6,2017-06-15 12:32:00,0,0,0,0,0.20K,200,0.00K,0,34.72,-86.77,34.72,-86.77,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto Balch Road." +115536,693690,ALABAMA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-15 12:33:00,CST-6,2017-06-15 12:33:00,0,0,0,0,1.00K,1000,0.00K,0,34.47,-87.06,34.47,-87.06,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Power lines were knocked down and blocking a road intersection." +115536,693691,ALABAMA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-15 12:35:00,CST-6,2017-06-15 12:35:00,0,0,0,0,2.00K,2000,0.00K,0,34.61,-86.98,34.61,-86.98,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Multiple trees were knocked down in Decatur." +115536,693694,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-15 12:40:00,CST-6,2017-06-15 12:40:00,0,0,0,0,0.50K,500,0.00K,0,34.76,-86.63,34.76,-86.63,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down onto power lines on Broadmor Road." +115536,693695,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-15 12:42:00,CST-6,2017-06-15 12:42:00,0,0,0,0,0.50K,500,0.00K,0,34.67,-86.54,34.67,-86.54,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A large tree was knocked down in Jones Valley." +115536,693696,ALABAMA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-15 12:42:00,CST-6,2017-06-15 12:42:00,0,0,0,0,1.00K,1000,0.00K,0,34.44,-86.94,34.44,-86.94,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Multiple tree was knocked down in Hartselle." +115030,690392,GEORGIA,2017,April,Drought,"WHITFIELD",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690409,GEORGIA,2017,April,Drought,"FORSYTH",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690649,COLORADO,2017,April,Winter Storm,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-04-28 22:00:00,MST-7,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690651,COLORADO,2017,April,Winter Storm,"LA JUNTA VICINITY / OTERO COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690658,COLORADO,2017,April,Winter Storm,"EASTERN LAS ANIMAS COUNTY",2017-04-29 00:00:00,MST-7,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115706,695365,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:16:00,CST-6,2017-06-23 14:16:00,0,0,0,0,0.50K,500,0.00K,0,34.6936,-86.6208,34.6936,-86.6208,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Trees were knocked down at Newson Road and Westdale Court in Huntsville." +115706,695367,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:16:00,CST-6,2017-06-23 14:16:00,0,0,0,0,0.50K,500,0.00K,0,34.6486,-86.7413,34.6486,-86.7413,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Trees were knocked down at 235 Williams Circle in Huntsville." +115706,695369,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:17:00,CST-6,2017-06-23 14:17:00,0,0,0,0,0.50K,500,0.00K,0,34.7274,-86.5969,34.7274,-86.5969,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A power pole and lines were knocked down on a fence on Brown Street in Huntsville." +115706,695370,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:44:00,CST-6,2017-06-23 14:44:00,0,0,0,0,0.20K,200,0.00K,0,34.8599,-86.7666,34.8599,-86.7666,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down across Carroll Road south of Harvest Road." +115706,695371,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 14:48:00,CST-6,2017-06-23 14:48:00,0,0,0,0,0.20K,200,0.00K,0,34.7373,-86.5597,34.7373,-86.5597,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down on Toll Gate Road in Huntsville." +115706,695372,ALABAMA,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 15:11:00,CST-6,2017-06-23 15:11:00,0,0,0,0,0.20K,200,0.00K,0,34.6821,-86.5583,34.6821,-86.5583,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down on the road at Macon Circle in Huntsville." +114084,691306,MISSOURI,2017,April,Flash Flood,"HOWELL",2017-04-29 16:41:00,CST-6,2017-04-29 19:41:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-91.91,36.8698,-91.9146,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","The fire department reported numerous high water rescues across Howell County. Numerous people were evacuated from homes and numerous basements flooded." +114084,691307,MISSOURI,2017,April,Flash Flood,"OZARK",2017-04-29 18:06:00,CST-6,2017-04-29 21:06:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.14,36.52,-92.1413,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 142 near Bakersfield was flooded. A vehicle was submerged in the flood water." +114084,691309,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 18:48:00,CST-6,2017-04-29 21:48:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-93.28,37.3051,-93.2842,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Farm Road 159 near Highway AA and Farm Road 84 were flooded and impassable." +114084,691310,MISSOURI,2017,April,Flash Flood,"GREENE",2017-04-29 22:58:00,CST-6,2017-04-30 01:58:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-93.16,37.1181,-93.1602,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Highway 60 was flooded and closed between Farm Road 213 and Harmony Ave." +114084,691311,MISSOURI,2017,April,Flash Flood,"CHRISTIAN",2017-04-29 13:34:00,CST-6,2017-04-29 16:34:00,0,0,1,0,0.00K,0,0.00K,0,37.0008,-93.4645,37.0024,-93.4645,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","A 72 year old woman drowned when her vehicle entered a flooded area along Highway K south of Clever." +115183,691619,ILLINOIS,2017,April,Thunderstorm Wind,"LOGAN",2017-04-29 15:56:00,CST-6,2017-04-29 16:15:00,0,0,0,0,2.00M,2000000,0.00K,0,40.1,-89.58,40.1944,-89.4854,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","A downburst with estimated 80mph winds impacted locations from Middeltown to 1.5 miles north of Burton View between 4:56 PM CDT and 5:15 PM CDT. 43 homes were damaged by falling trees and 29 power poles were snapped. Several large outbuildings and two grain bins were severely damaged. In addition, tree limbs were blown onto a car in Middletown." +115183,696613,ILLINOIS,2017,April,Flash Flood,"MARSHALL",2017-04-29 18:30:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,41.1481,-89.5952,40.9737,-89.6387,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 3.00 to 4.00 inches in about a two hour period during the evening hours resulted in flash flooding across parts of western and central Marshall County. Streets in Henry and Lacon were impassable, as were numerous rural roads in the county. Illinois Route 17 from Lacon to Sparland was also closed due to high water." +117662,707520,MICHIGAN,2017,June,Thunderstorm Wind,"ST. JOSEPH",2017-06-19 17:59:00,EST-5,2017-06-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-85.63,41.93,-85.63,"Weak shortwave in upper level flow, surface trough moving over the area during the early afternoon-evening hours. Bulk effective shear of approximately 25-30 knots. Numerous outflow boundaries help locally intensify some storms with occasional bowing segments.","Amateur radio operators reported a tree fell onto a car as well as power lines." +114951,691729,OKLAHOMA,2017,April,Tornado,"MAJOR",2017-04-16 17:43:00,CST-6,2017-04-16 17:47:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-98.94,36.365,-98.946,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","A storm chaser from KOCO (TV) observed a tornado estimated to have occurred about 5 miles southwest of Bouse Junction. The tornado slowly drifted south or southwest through 647 pm CDT. No known damage occurred." +114951,691730,OKLAHOMA,2017,April,Tornado,"MAJOR",2017-04-16 18:09:00,CST-6,2017-04-16 18:09:00,0,0,0,0,0.00K,0,0.00K,0,36.319,-98.29,36.319,-98.29,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","A KOCO (TV) storm chaser observed a tornado just east of US-281 near county road EW-48. No known damage occurred." +115207,691739,KANSAS,2017,April,Hail,"GOVE",2017-04-15 18:56:00,CST-6,2017-04-15 18:56:00,0,0,0,0,0.00K,0,0.00K,0,38.8297,-100.4951,38.8297,-100.4951,"During the evening thunderstorms moved through Gove County. The strongest storms produced hail up to quarter size south of Gove, and broke three inch diameter branches off a cedar tree north of Pendennis.","Hail already covering the ground and ranged in sizes from pea to nickel size, with a few quarter size stones." +115207,691753,KANSAS,2017,April,Thunderstorm Wind,"GOVE",2017-04-15 19:22:00,CST-6,2017-04-15 19:22:00,0,0,0,0,0.50K,500,0.00K,0,38.7605,-100.3459,38.7605,-100.3459,"During the evening thunderstorms moved through Gove County. The strongest storms produced hail up to quarter size south of Gove, and broke three inch diameter branches off a cedar tree north of Pendennis.","Living cedar tree branches up to three inches in diameter broken off." +115186,691646,NEBRASKA,2017,April,Thunderstorm Wind,"DUNDY",2017-04-09 13:12:00,MST-7,2017-04-09 13:12:00,0,0,0,0,0.00K,0,0.00K,0,40.2368,-101.5777,40.2368,-101.5777,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","" +115186,691649,NEBRASKA,2017,April,Thunderstorm Wind,"HITCHCOCK",2017-04-09 14:28:00,CST-6,2017-04-09 14:28:00,0,0,0,0,0.00K,0,0.00K,0,40.2608,-101.278,40.2608,-101.278,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","Blowing dust was reducing the visibility." +115350,692614,TEXAS,2017,April,Hail,"WILLACY",2017-04-02 19:58:00,CST-6,2017-04-02 19:58:00,0,0,0,0,,NaN,0.00K,0,26.55,-97.43,26.55,-97.43,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Willacy County EM reported golf ball size hail in Port Mansfield." +115350,692616,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:03:00,CST-6,2017-04-02 20:11:00,0,0,0,0,,NaN,0.00K,0,26.21,-97.77,26.21,-97.77,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","NWS employee reported half dollar size hail that lasted for 8 to 10 minutes." +115367,692693,ATLANTIC SOUTH,2017,April,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-04-02 17:45:00,EST-5,2017-04-02 17:45:00,0,0,0,0,,NaN,,NaN,26.96,-80.94,26.96,-80.94,"A warm and humid pattern allowed for isolated showers and thunderstorms to develop along the sea breezes as they moved inland in the afternoon. One of these thunderstorms produced a strong wind gust as it moved over Lake Okeechobee.","Mesonet site L005 in the west end of Lake Okeechobee recorded a wind gust of 48 knots / 55 mph with a thunderstorm." +113831,689800,MISSOURI,2017,April,Flash Flood,"CHRISTIAN",2017-04-21 15:55:00,CST-6,2017-04-21 17:55:00,0,0,0,0,0.00K,0,0.00K,0,37.0579,-92.9746,37.0595,-92.9735,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A swift water rescue was conducted near Ottawa Road and North Marshfield Road." +113831,689801,MISSOURI,2017,April,Flash Flood,"TEXAS",2017-04-22 02:00:00,CST-6,2017-04-22 04:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0558,-91.6854,37.059,-91.685,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","There was flash flooding along the Upper Jacks Fork River across much of southeast Texas County and western Shannon County." +113831,689802,MISSOURI,2017,April,Flood,"NEWTON",2017-04-21 06:30:00,CST-6,2017-04-21 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8912,-94.5294,36.8903,-94.5295,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","There was water over a low water crossing south of Racine on State Highway CC." +116916,703147,VIRGINIA,2017,May,Hail,"RICHMOND",2017-05-27 17:16:00,EST-5,2017-05-27 17:16:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-77.43,37.54,-77.43,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Hen egg size hail was reported near the Richmond State Capitol." +116916,703148,VIRGINIA,2017,May,Hail,"DINWIDDIE",2017-05-27 17:30:00,EST-5,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-77.73,37.15,-77.73,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Quarter size hail was reported." +116916,703149,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:34:00,EST-5,2017-05-27 17:34:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-77.51,37.34,-77.51,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Hen egg size hail was reported." +116916,703150,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:35:00,EST-5,2017-05-27 17:35:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-77.57,37.28,-77.57,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Ping pong ball size hail was reported." +113831,689803,MISSOURI,2017,April,Flood,"NEWTON",2017-04-21 06:30:00,CST-6,2017-04-21 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8693,-94.3727,36.8694,-94.3719,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","West Spring Street between Valley Streat and South Neosho Blvd in Neosho was closed due to flood water." +113831,691033,MISSOURI,2017,April,Flood,"BARRY",2017-04-21 07:00:00,CST-6,2017-04-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.821,-93.787,36.8182,-93.7897,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway C was closed in both directions at Flat Creek due to flooding." +113831,691034,MISSOURI,2017,April,Flood,"HOWELL",2017-04-21 11:50:00,CST-6,2017-04-21 14:50:00,0,0,0,0,0.00K,0,0.00K,0,36.667,-92.0595,36.6677,-92.0584,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway K was closed due to flooding." +113831,691035,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-21 12:00:00,CST-6,2017-04-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9665,-92.7251,36.9645,-92.7272,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway Y was closed due to flooding at Cowskin Creek." +113359,678456,SOUTH DAKOTA,2017,April,Winter Weather,"SOUTHERN BLACK HILLS",2017-04-02 21:00:00,MST-7,2017-04-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought rain to much of the area. Temperatures were cold enough for snow across the higher elevations of the Black Hills during the night and early morning hours. Areas above 5000 feet elevation received as much as four inches of snow with the highest elevations of the northern and central Black Hills had localized amounts of six inches or more.","" +113499,679428,SOUTH DAKOTA,2017,April,Winter Weather,"BUTTE",2017-04-09 20:00:00,MST-7,2017-04-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679429,SOUTH DAKOTA,2017,April,Winter Weather,"NORTHERN MEADE CO PLAINS",2017-04-09 22:00:00,MST-7,2017-04-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679430,SOUTH DAKOTA,2017,April,Winter Storm,"NORTHERN BLACK HILLS",2017-04-09 18:00:00,MST-7,2017-04-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679432,SOUTH DAKOTA,2017,April,Winter Storm,"NORTHERN FOOT HILLS",2017-04-09 20:00:00,MST-7,2017-04-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +114751,688825,TENNESSEE,2017,April,Hail,"ROBERTSON",2017-04-05 14:45:00,CST-6,2017-04-05 14:45:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-86.8,36.43,-86.8,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A Facebook report indicated nickel size hail fell in Greenbrier." +114751,688826,TENNESSEE,2017,April,Hail,"ROBERTSON",2017-04-05 14:38:00,CST-6,2017-04-05 14:38:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-86.75,36.38,-86.75,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","A Facebook video showed hail up to nickel size in Ridgetop." +114751,688828,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-05 15:00:00,CST-6,2017-04-05 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.53,-86.35,35.53,-86.35,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Trees were reported blown down across the county with scattered power outages." +114751,688830,TENNESSEE,2017,April,Hail,"BEDFORD",2017-04-05 15:03:00,CST-6,2017-04-05 15:03:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-86.42,35.4,-86.42,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed quarter size hail in the Flat Creek Area." +115521,693585,MASSACHUSETTS,2017,April,Strong Wind,"SOUTHERN BRISTOL",2017-04-06 19:49:00,EST-5,2017-04-06 19:49:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 749 PM EST, wind brought wires down on Bates Street in New Bedford." +115521,693586,MASSACHUSETTS,2017,April,Strong Wind,"WESTERN ESSEX",2017-04-06 19:39:00,EST-5,2017-04-06 19:39:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 7:39 PM EST, wind brought multiple trees and wires down on East Street in Methuen." +115521,696556,MASSACHUSETTS,2017,April,Flood,"PLYMOUTH",2017-04-06 19:00:00,EST-5,2017-04-07 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.0848,-70.9159,42.0852,-70.9149,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 740 PM EST, flooding was reported at a home on Winter Street in Hanson." +114758,688353,TENNESSEE,2017,April,Thunderstorm Wind,"WHITE",2017-04-29 18:20:00,CST-6,2017-04-29 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,35.85,-85.5,35.85,-85.5,"Scattered thunderstorms developed over East Tennessee during the late afternoon hours on April 29, then spread northwest across the Upper Cumberland through the evening. A few reports of large hail and wind damage were received.","A Facebook report indicated several trees were blown down around Doyle." +114758,688354,TENNESSEE,2017,April,Thunderstorm Wind,"SMITH",2017-04-29 19:10:00,CST-6,2017-04-29 19:10:00,0,0,0,0,1.00K,1000,0.00K,0,36.28,-85.98,36.28,-85.98,"Scattered thunderstorms developed over East Tennessee during the late afternoon hours on April 29, then spread northwest across the Upper Cumberland through the evening. A few reports of large hail and wind damage were received.","A tSpotter Twitter report indicated a tree was blown down in the Tanglewood community." +114758,688355,TENNESSEE,2017,April,Hail,"CLAY",2017-04-29 19:14:00,CST-6,2017-04-29 19:14:00,0,0,0,0,0.00K,0,0.00K,0,36.4974,-85.5291,36.4974,-85.5291,"Scattered thunderstorms developed over East Tennessee during the late afternoon hours on April 29, then spread northwest across the Upper Cumberland through the evening. A few reports of large hail and wind damage were received.","Quarter size hail was reported around 4 miles south-southwest of Celina." +115521,693578,MASSACHUSETTS,2017,April,Lightning,"BRISTOL",2017-04-06 17:48:00,EST-5,2017-04-06 17:49:00,0,0,0,0,1.00K,1000,0.00K,0,41.6967,-70.9834,41.6967,-70.9834,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 5:48 PM EST, lightning brought down a large tree on Hill Hill Road in Dartmouth." +114654,687681,IOWA,2017,April,Heavy Rain,"STORY",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-93.58,42.19,-93.58,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","NWS rain gage recorded heavy rainfall of 1.10 inches over the last 24 hours." +114654,687682,IOWA,2017,April,Heavy Rain,"WINNEBAGO",2017-04-19 06:00:00,CST-6,2017-04-20 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-93.54,43.43,-93.54,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Coop observer reported heavy rainfall of 1.14 inches over the last 24 hours." +114654,687683,IOWA,2017,April,Thunderstorm Wind,"HAMILTON",2017-04-19 20:24:00,CST-6,2017-04-19 20:24:00,0,0,0,0,20.00K,20000,0.00K,0,42.25,-93.64,42.25,-93.64,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Iowa DOT and Hamilton County dispatch reported downed power lines and power poles over Highway 69 south of Jewell." +114759,688655,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 14:03:00,CST-6,2017-04-30 14:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.1576,-86.6579,36.1576,-86.6579,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A Facebook report indicated a large tree was uprooted on Teakwood Drive in Donelson." +114759,688656,TENNESSEE,2017,April,Thunderstorm Wind,"DAVIDSON",2017-04-30 14:04:00,CST-6,2017-04-30 14:04:00,0,0,0,0,1.00K,1000,0.00K,0,36.1734,-86.6821,36.1734,-86.6821,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A large tree was uprooted on Fairway Drive in Donelson." +114759,688657,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-30 14:15:00,CST-6,2017-04-30 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.4924,-86.4781,35.4924,-86.4781,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down on a house on Dover Street." +114759,688658,TENNESSEE,2017,April,Thunderstorm Wind,"SUMNER",2017-04-30 14:16:00,CST-6,2017-04-30 14:16:00,0,0,0,0,1.00K,1000,0.00K,0,36.2949,-86.5972,36.2949,-86.5972,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter report indicated a large tree limb knocked down the chimney of a house on Indian Lake Road in Hendersonville." +114759,688659,TENNESSEE,2017,April,Thunderstorm Wind,"SUMNER",2017-04-30 14:13:00,CST-6,2017-04-30 14:13:00,0,0,0,0,2.00K,2000,0.00K,0,36.2515,-86.6109,36.2515,-86.6109,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter photo showed a tree and power line were blown down on Sterling Road in Hendersonville." +114759,688660,TENNESSEE,2017,April,Thunderstorm Wind,"BEDFORD",2017-04-30 14:16:00,CST-6,2017-04-30 14:16:00,0,0,0,0,1.00K,1000,0.00K,0,35.6067,-86.6456,35.6067,-86.6456,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tree was blown down on Osteen Lane." +114845,694826,NORTH CAROLINA,2017,April,High Wind,"EASTERN HYDE",2017-04-25 03:51:00,EST-5,2017-04-25 03:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong coastal low pressure system moved ashore over Eastern North Carolina during the early morning hours of April 25th. This storm produced strong gusty winds, and led to several flash flood events and significant river flooding. Winds gusted to over 50 mph on the Outer Banks.","Ocracoke Weatherflow." +115645,694877,ATLANTIC SOUTH,2017,April,Marine Hail,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-04-05 18:11:00,EST-5,2017-04-05 18:13:00,0,0,0,0,,NaN,0.00K,0,33.8935,-78.4352,33.8935,-78.4352,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of dimes increased to the size of quarters." +115645,694878,ATLANTIC SOUTH,2017,April,Marine Hail,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-04-05 18:16:00,EST-5,2017-04-05 18:18:00,0,0,0,0,,NaN,0.00K,0,33.915,-78.3741,33.915,-78.3741,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of quarters was reported." +115645,694885,ATLANTIC SOUTH,2017,April,Marine Hail,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-04-05 18:17:00,EST-5,2017-04-05 18:19:00,0,0,0,0,,NaN,0.00K,0,33.9146,-78.2862,33.9146,-78.2862,"Clusters of thunderstorms merged into a squall line that moved through the area during the evening.","Hail to the size of quarters and half dollars was reported." +121262,726200,MONTANA,2017,December,Winter Storm,"CHOUTEAU",2017-12-30 04:55:00,MST-7,2017-12-30 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along US-87 from the Cascade/Chouteau County line to Carter." +115130,693120,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"DILLON",2017-04-05 16:00:00,EST-5,2017-04-05 16:01:00,1,0,0,0,45.00K,45000,0.00K,0,34.3415,-79.4351,34.3415,-79.4351,"Clusters of thunderstorms developed along a warm front during the afternoon and produced large hail and damaging winds.","A large oak tree fell onto a house on Bethea St. and crashed through the roof. The family was in the home at the time. A 4 year old child suffered head injuries and was hospitalized. The fallen tree resulted in significant structural damage. A nearby vehicle was severely damaged and a power line was also reported down. Hail of unknown size was also reported." +115552,693828,TEXAS,2017,April,Hail,"NOLAN",2017-04-01 15:55:00,CST-6,2017-04-01 15:58:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-100.54,32.45,-100.54,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","The Sweetwater Police Department estimated golf ball size hail." +117622,707355,FLORIDA,2017,June,Flood,"ALACHUA",2017-06-29 18:24:00,EST-5,2017-06-29 18:24:00,0,0,0,0,0.00K,0,0.00K,0,29.63,-82.34,29.63,-82.3364,"Several rounds of heavy rainfall caused flooding across portions of Highway 441 south of Gainesville.","Portions of Highway 441 were flooded south of Gainesville." +117620,707351,FLORIDA,2017,June,Flood,"DUVAL",2017-06-26 16:26:00,EST-5,2017-06-26 16:26:00,0,0,0,0,0.00K,0,0.00K,0,30.3131,-81.5933,30.313,-81.5901,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just|NW of the Altamaha River Basin early in the morning. ||Waves of showers and isolated thunderstorms moved across the area under moist SW steering flow. Convection increased in intensity in the afternoon due to diurnal heating |interacting with the surface front, lingering outflows from past storms, and coastal convergence as NE flow funneled southward down the Atlantic coast as the surface front edged farther south across N Florida. ||PWAT values of near 2 inches with the weak front and slow storm motion under upper level lift all favored heavy rainfall potential.","Glynlea Road at Oglethorpe Road was flooded. Water was up to the door of a home." +117621,707354,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-06-26 17:18:00,EST-5,2017-06-26 17:18:00,0,0,0,0,0.00K,0,0.00K,0,29.96,-81.34,29.96,-81.34,"Broad surface low pressure lingered offshore of the GA/SC Atlantic coast as the parent upper level tough deepened over the eastern CONUS. A surface cold front was just |NW of the Altamaha River Basin early in the morning.","The St. Augustine airport measured a wind gust to 46 mph." +117690,707735,NEW MEXICO,2017,June,Thunderstorm Wind,"OTERO",2017-06-07 21:55:00,MST-7,2017-06-07 21:55:00,0,0,0,0,0.00K,0,0.00K,0,32.8408,-105.9891,32.8408,-105.9891,"A weak disturbance moved through northwest flow aloft. This disturbance combined with some moderate instability, as dew points were in the lower to mid 50s across the region. This was enough to get a severe thunderstorm gust reported in Alamogordo.","The Alamogordo ASOS recorded a peak gust of 60 mph." +117692,707751,NEW MEXICO,2017,June,Hail,"DONA ANA",2017-06-19 17:16:00,MST-7,2017-06-19 17:16:00,0,0,0,0,0.00K,0,0.00K,0,31.8494,-106.6407,31.8494,-106.6407,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to 1.25 inches and wind gusts to 68 mph were reported with these storms.","" +117692,707752,NEW MEXICO,2017,June,Thunderstorm Wind,"DONA ANA",2017-06-19 18:10:00,MST-7,2017-06-19 18:10:00,0,0,0,0,0.00K,0,0.00K,0,32.4328,-106.5626,32.4328,-106.5626,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to 1.25 inches and wind gusts to 68 mph were reported with these storms.","Wind gust measured at San Augustin Pass." +114130,683458,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:48:00,CST-6,2017-04-09 17:48:00,0,0,0,0,0.00K,0,0.00K,0,45.698,-89.51,45.698,-89.51,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell in Newbold." +114130,683459,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:52:00,CST-6,2017-04-09 17:52:00,0,0,0,0,0.00K,0,0.00K,0,45.69,-89.41,45.69,-89.41,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Penny size hail fell about 4 miles north of Rhinelander." +114130,683460,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 17:55:00,CST-6,2017-04-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-89.3,45.78,-89.3,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell at Sugar Camp." +114130,683462,WISCONSIN,2017,April,Hail,"VILAS",2017-04-09 22:28:00,CST-6,2017-04-09 22:28:00,0,0,0,0,0.00K,0,0.00K,0,45.96,-89.88,45.96,-89.88,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Golf ball size hail fell near Lac du Flambeau, covering the ground." +114227,684250,HAWAII,2017,April,Heavy Rain,"MAUI",2017-04-28 15:27:00,HST-10,2017-04-28 17:43:00,0,0,0,0,0.00K,0,0.00K,0,21.1563,-157.1038,21.1576,-156.7481,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,684251,HAWAII,2017,April,Heavy Rain,"HONOLULU",2017-04-28 22:06:00,HST-10,2017-04-28 23:19:00,0,0,0,0,0.00K,0,0.00K,0,21.4212,-157.7506,21.3089,-157.8114,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,684252,HAWAII,2017,April,Heavy Rain,"MAUI",2017-04-29 04:05:00,HST-10,2017-04-29 18:23:00,0,0,0,0,0.00K,0,0.00K,0,20.9321,-156.525,20.6463,-156.1075,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","A sinkhole reopened on the Kaupo side of the Alalele Bridge in the southern part of East Maui along Piilani Highway, or Highway 31, at mile marker 39. This was about 1800 HST on the 29th." +114227,684253,HAWAII,2017,April,Heavy Rain,"MAUI",2017-04-29 20:45:00,HST-10,2017-04-30 13:22:00,0,0,0,0,0.00K,0,0.00K,0,20.9564,-156.6692,20.7178,-156.0251,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","" +114227,695429,HAWAII,2017,April,High Wind,"BIG ISLAND SUMMIT",2017-04-29 23:30:00,HST-10,2017-04-30 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","The winds first reached High Wind Warning threshold at 1130 PM HST on the 29th, and continued to reach Warning levels through 830 AM on the 30th. The peak measured wind gust was 71 mph at 1249 AM on the 30th." +117470,707674,ARKANSAS,2017,June,Thunderstorm Wind,"BAXTER",2017-06-23 13:30:00,CST-6,2017-06-23 13:30:00,0,0,1,0,0.00K,0,0.00K,0,36.24,-92.25,36.24,-92.25,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","ONE FATAL, and this is a delayed report. A man was in Lake Norfork when thunderstorm winds overturned his kayak. Emergency personnel tried to revive him...but he eventually died." +115598,695800,UTAH,2017,April,High Wind,"NORTHERN WASATCH FRONT",2017-04-13 17:21:00,MST-7,2017-04-13 17:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","A maximum wind gust of 60 mph was reported in South Ogden, and approximately 3,000 customers lost power in Roy and Riverdale." +115598,695805,UTAH,2017,April,High Wind,"SOUTHWEST UTAH",2017-04-13 13:35:00,MST-7,2017-04-13 17:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong winds developed across much of Utah on April 13, ahead of an approaching dry cold front, with wind damage reported in several locations across the state.","The ASOS at the Milford Municipal Airport/Ben and Judy Briscoe Field recorded a maximum wind gust of 63 mph, with other reports in the area of 60 mph at the Murdock sensor and 59 mph at the Brimstone Reservoir RAWS." +115769,695807,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-29 23:24:00,CST-6,2017-04-29 23:25:00,0,0,0,0,0.00K,0,0.00K,0,28.1144,-97.0244,28.1176,-97.0144,"A strong thunderstorm moved across the coastal waters around Rockport during the early morning hours of the 30th. Wind gusts from the storms were between 35 and 40 knots.","TCOON site at Copano Bay measured a gust to 38 knots." +115769,695810,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-04-29 23:55:00,CST-6,2017-04-29 23:59:00,0,0,0,0,0.00K,0,0.00K,0,28.304,-96.823,28.2954,-96.7779,"A strong thunderstorm moved across the coastal waters around Rockport during the early morning hours of the 30th. Wind gusts from the storms were between 35 and 40 knots.","RAWS site at Aransas Wildlife Refuge measured a gust to 34 knots." +115771,698125,GEORGIA,2017,April,Tornado,"HENRY",2017-04-03 11:52:00,EST-5,2017-04-03 11:55:00,0,0,0,0,50.00K,50000,,NaN,33.3184,-84.1156,33.3181,-84.085,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 250 yards touched down in southern Henry County, just south of the Locust Grove community near the intersection of LG Griffin Road and Hartwell Road. The tornado traveled east for less than 2 miles, mainly snapping or uprooting trees. In a neighborhood off Jayley|Parkway, numerous shingles were pulled off of the roof of one residence. Just south of this location, a large tree fell on the corner of a home resulting in significant roof and exterior wall damage. The tornado lifted along Grove Pointe Circle just east of Locust Road. This tornado was associated with the same thunderstorm that produced an EF0 |tornado in Griffin about 20 minutes earlier. No injuries were reported. [04/03/17: Tornado #14, County #1/1, EF-0, Henry, 2017:046]." +115771,698131,GEORGIA,2017,April,Tornado,"MONROE",2017-04-03 12:06:00,EST-5,2017-04-03 12:22:00,0,0,0,0,300.00K,300000,,NaN,32.9899,-83.9028,33.0316,-83.7716,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 110 MPH and a maximum path width of 300 yards touched down west of US Highway 41 near Montpelier Road. The tornado traveled northeast crossing Highway 41 near Old Rumble Road snapping or uprooting numerous trees. The tornado widened as it approached Gose Road west of I-75. More than a hundred trees were |snapped or uprooted in a wooded area west of Gose Road. Along Gose Road, numerous homes sustained roof damage from the wind or from falling trees. The tornado continued northeast crossing I-75 where several trees fell onto cars on the interstate and blocked the highway. The interstate was shut down for several hours due to debris. The tornado continued northeast crossing Lee King Road where it damaged a small garage roof and snapped dozens of trees before crossing Abares Road and Jenkins Road. A couple homes sustained damage in this area due to falling|trees. The tornado began to weaken as it continued northeast crossing Dames Ferry Road then dissipating shortly before entering Lake Juliette. In total, several thousand customers were left without power, 30 homes sustained damage and 1 home was destroyed. A family was trapped in their home along Music Row, however no injuries were reported. [04/03/17: Tornado #15, County #1/1, EF-1, Monroe, 2017:047]." +115656,694959,TEXAS,2017,April,Hail,"ARMSTRONG",2017-04-16 19:28:00,CST-6,2017-04-16 19:28:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-101.36,35.18,-101.36,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694960,TEXAS,2017,April,Hail,"ARMSTRONG",2017-04-16 20:14:00,CST-6,2017-04-16 20:14:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-101.19,35.03,-101.19,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115656,694961,TEXAS,2017,April,Hail,"ARMSTRONG",2017-04-16 20:20:00,CST-6,2017-04-16 20:20:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.45,35.11,-101.45,"A dryline out ahead of a cold front moving east across the central TX/OK Panhandle during the day on the 16th helped set up the environment for storm development. Eventually, it turned out to be a meso-boundary working west. In an environment where MUCAPE was 2000-3000 J/Kg with little to no CIN and 30-40 kts of effective shear, a supercell formed along the westward moving outflow boundary and produced large hail at times around baseball size. The one supercell then drifted south of Amarillo along another outflow boundary and dissipated by later in the evening.","" +115680,695175,TEXAS,2017,April,Hail,"HUDSPETH",2017-04-12 14:40:00,MST-7,2017-04-12 14:55:00,0,0,0,0,2.00M,2000000,0.00K,0,31.1776,-105.3561,31.1776,-105.3561,"A back door cold front moved in from the east to near the Rio Grande Valley. Deep moisture behind the front combined with a weak upper trough lifting out of the Baja region to produce severe thunderstorms with large hail around Sierra Blanca.","Hail from 1.5 inches to 2.5 inches in diameter was reported in and around Sierra Blanca. Some areas had hail up to 3 inches deep. Numerous house windows and automobile windshields were damaged, with many cars left dented. Hail also severely damaged dozens of roofs and even penetrated a few." +115775,695983,GEORGIA,2017,April,Tornado,"TALBOT",2017-04-27 12:15:00,EST-5,2017-04-27 12:45:00,0,0,0,0,300.00K,300000,,NaN,32.5409,-84.6735,32.6765,-84.3665,"Afternoon heating combined with ample, deep moisture over the region resulted in a moderately unstable atmosphere across the area by late afternoon. This unstable atmosphere combined with moderate shear and a strong cold front sweeping through north and central Georgia to produce a few severe thunderstorms and an isolated tornado across portions of central Georgia.","A National Weather Service survey team found a long-track tornado path across southeast Talbot County that briefly crossed into Taylor County before crossing back into Talbot County and ending. The entire path length was nearly 22 miles and the maximum path width was 700 yards. The tornado path began south of Highway 80 near the Talbot-Muscogee County line moving northeast and causing minor tree damage in a wooded area. It then crossed Box Spring Road where it caused EF-1 damage in a residential area destroying 2 barns and uprooting several large trees. The tornado then briefly weakened causing sparse damage to trees as it continued to move northeast crossing US Highway 80 at Cusseta Highway and passing to the north of Geneva. The tornado began to strengthen considerably as it approached the area northwest of Junction City with EF-1 damage indicated by the flattening of a large swath of trees. At the Junction City Quarry, a power substation weighing approximately 2-3 tons was moved three feet off of its foundation. Along Rock Church Road the tornado reached a width of at least a quarter of a mile, blowing over trees along the road and damaging multiple manufactured homes. As the tornado continued along Stalling Lane large areas of pine trees were snapped and a mid-sized barn was flattened. The tornado continued to increase in strength, causing EF-2 damage about 1.5 miles north of Junction City where hundreds of trees were snapped at their bases and very few trees, if any, were left standing. As the tornado continued northeast crossing Lee Duncan Road southeast of Ingram Road, it was at its most intense with wind speeds estimated to be 120 mph and a maximum path width around 700 yards. The tornado knocked over trees onto a home and destroyed a barn with wood posts anchored about a foot into the ground. The tornado began to weaken as it continued to the northeast over mostly wooded areas causing more large swaths of snapped trees as it crossed Hwy 208 and briefly crossed into Taylor County. No injuries were reported. [04/27/17: Tornado #1/1, County #1/3, EF-2, Talbot, Taylor, Talbot, 2017:067]." +115362,693733,GEORGIA,2017,April,Thunderstorm Wind,"SCREVEN",2017-04-03 15:16:00,EST-5,2017-04-03 15:17:00,0,0,0,0,,NaN,,NaN,32.81,-81.69,32.81,-81.69,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Screven County 911 Call Center reported a tree down near the intersection of Buttermilk road and Parker Road." +115362,693737,GEORGIA,2017,April,Thunderstorm Wind,"SCREVEN",2017-04-03 15:23:00,EST-5,2017-04-03 15:24:00,0,0,0,0,,NaN,,NaN,32.94,-81.53,32.94,-81.53,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Screven County 911 Call Center reported a tree down near the intersection of Oglethorpe Trail and Highway 301." +115362,693736,GEORGIA,2017,April,Thunderstorm Wind,"SCREVEN",2017-04-03 15:19:00,EST-5,2017-04-03 15:20:00,0,0,0,0,,NaN,,NaN,32.89,-81.59,32.89,-81.59,"A warm front lifted north over the area early, increasing instability over much of the Southeast well ahead of a cold front approaching from the west late. Aloft, a mid/upper trough of low pressure over the Central United States took on a negative tilt while tracking east. As this occurred, an embedded H5 shortwave rounded the southern periphery of the longwave trough, shifting over the Southeast United States in a dampening state. The combination of surface based instability advecting north into the area, strong shear, modest mid-level lapse rates and forcing associated with the approaching H5 shortwave and entrance region of an upper level jet helped produce an environment capable of damaging straight-line winds, small to moderate size hail and isolated tornadoes.","The Screven County 911 Call Center reported a tree down near the intersection of Plantation Road and Highway 301." +115868,696350,NORTH CAROLINA,2017,April,Flash Flood,"WAKE",2017-04-25 00:45:00,EST-5,2017-04-25 09:59:00,0,0,0,0,150.00K,150000,0.00K,0,35.8437,-78.6803,35.8175,-78.6939,"A Flash Flood Watch was issued in advance of an abnormally deep upper level low moving over Central North Carolina. The trough became negatively tilted, pulling deep, moist air from the southwest into the region. The moist southwesterly flow overrunning a cold pool at the surface produced a prolonged period of moderate to heavy rain, which resulted in widespread areal flooding across the region. However, only isolated Flash Flooding occurred.","Numerous roads were closed due to flash flooding along Crabtree Creek. Road closures included Atlantic Avenue at Hodges Street, Six Forks Road at Wake Forest Road and Creedmoor Road at Glenwood Avenue. Wycliff Road at Lake Boone Trail was also closed due to flooding." +119520,721735,FLORIDA,2017,September,Hurricane,"COASTAL LEE",2017-09-10 06:00:00,EST-5,2017-09-11 03:00:00,0,0,1,0,163.14M,163140000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. ||The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. ||The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County.||There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th." +115506,693538,MASSACHUSETTS,2017,April,Drought,"EASTERN HAMPSHIRE",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in Eastern Hampshire County to Moderate Drought (D1) on April 4." +115431,699064,WISCONSIN,2017,June,Hail,"BARRON",2017-06-11 08:54:00,CST-6,2017-06-11 08:54:00,0,0,0,0,0.00K,0,0.00K,0,45.24,-91.98,45.24,-91.98,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115929,696834,TENNESSEE,2017,May,Hail,"MADISON",2017-05-27 21:52:00,CST-6,2017-05-27 21:55:00,0,0,0,0,0.00K,0,0.00K,0,35.6096,-88.7573,35.6096,-88.7573,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","" +115506,693539,MASSACHUSETTS,2017,April,Drought,"EASTERN HAMPDEN",2017-04-01 00:00:00,EST-5,2017-04-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"April precipitation was above normal in most of Massachusetts, and as much as 2 to 3 inches above normal in Northeast Massachusetts. Central Massachusetts reported amounts that ranged from normal to an inch above normal. Individual stations in Western Massachusetts reported monthly totals of 0.25 to 0.50 inches below normal, while other stations in the region were between 0.25 and 1.0 inches above normal. Average temperatures for April were between 2.5 and 6.0 degrees above normal. ||River and streams were at normal or above normal levels through the month.||Ground water conditions improved during the month. Most monitored wells showed normal to above normal levels. A few wells in Southeast Massachusetts and the Connecticut Valley were still below normal. Reservoir levels were recovering, but a few remained at below-normal levels.||A Drought Advisory was in effect for most of Massachusetts, an improvement in the Connecticut River Valley and Southeast regions which had been in a Drought Watch during March.","The U.S. Drought Monitor lowered the existing Severe Drought (D2) designation in Eastern Hampden County near and west of the Connecticut River to Moderate Drought (D1) on April 4." +115294,696914,ILLINOIS,2017,April,Flood,"JASPER",2017-04-29 23:15:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.1691,-88.3669,38.8508,-88.3615,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 5.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Jasper County. Several streets in the city of Newton were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Newton to Hunt City to Yale. Illinois Route 49 was closed between Willow Hill and Hunt City due to flowing water. An additional 0.50 to 1.00 inch of rain occurred on April 30th into May 2nd, keeping many roads flooded. As a result, areal flooding continued until the early morning hours of May 4th, before another round of heavy rain produced additional flash flooding." +115294,696917,ILLINOIS,2017,April,Flood,"CRAWFORD",2017-04-29 23:45:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.1736,-87.95,38.8489,-87.9454,"Heavy rainfall impacted central and southeast Illinois from April 29th into April 30th...creating flash flooding, which led to widespread areal flooding. Periods of thunderstorms with very high rainfall rates dropped 2.00 to 6.50 inches of rain across much of central and southeast Illinois from April 29th into early on May 1st. This rainfall, occurring on top of already saturated soils, created flash flooding in a number of locations. Numerous roads were closed due to high water...including portions of Highway 29 in Peoria where a mudslide occurred. Low pressure lifted into the Great Lakes on May 1st, pulling the persistent frontal boundary out of the area and bringing a temporary end to the rain. Even though the rain had stopped, high water continued to impact many rural roads across central Illinois, particularly those near creeks and streams. Persistent flooding issues occurred across Christian, Shelby, and Douglas counties...as well as along the Embarras River Basin in Cumberland and Jasper counties.","Rain amounts of 3.00 to 4.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Crawford County. Several streets in Oblong and Robinson were impassable. Numerous rural roads, highways and creeks in the county were flooded, particularly from Bellair to Annapolis in the northern part of the county. An additional 0.50 to 1.00 inch of rain occurred on April 30th, keeping many roads and creeks flooded. As a result, areal flooding continued until the late morning hours of May 1st." +115064,690866,ARKANSAS,2017,April,Thunderstorm Wind,"SEBASTIAN",2017-04-21 05:46:00,CST-6,2017-04-21 05:46:00,0,0,0,0,2.00K,2000,0.00K,0,35.3649,-94.4128,35.3649,-94.4128,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down power lines." +115064,690867,ARKANSAS,2017,April,Thunderstorm Wind,"SEBASTIAN",2017-04-21 05:49:00,CST-6,2017-04-21 05:49:00,0,0,0,0,10.00K,10000,0.00K,0,35.3258,-94.3009,35.3258,-94.3009,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down a large tree onto a camper trailer. Several people were trapped inside the trailer." +115064,690868,ARKANSAS,2017,April,Thunderstorm Wind,"CRAWFORD",2017-04-21 05:56:00,CST-6,2017-04-21 05:56:00,0,0,0,0,0.00K,0,0.00K,0,35.4779,-94.2214,35.4779,-94.2214,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down a tree." +115064,690869,ARKANSAS,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-21 06:27:00,CST-6,2017-04-21 06:27:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-93.8333,35.48,-93.8333,"A strong upper level disturbance moved into the Southern Plains from the west on the 21st. A moist and unstable air mass was in place north of a stationary frontal boundary that extended across southern Oklahoma. Strong to severe thunderstorms developed north of the front during the early morning hours. The strongest storms produced damaging wind as they moved across northwestern Arkansas.","Strong thunderstorm wind blew down trees onto Highway 23." +115066,690933,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-25 23:57:00,CST-6,2017-04-25 23:57:00,0,0,0,0,0.00K,0,0.00K,0,36.2829,-94.3074,36.2829,-94.3074,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","The ASOS at the Northwest Arkansas Regional Airport (XNA) measured 61 mph thunderstorm wind gusts." +115066,690934,ARKANSAS,2017,April,Thunderstorm Wind,"BENTON",2017-04-25 23:58:00,CST-6,2017-04-25 23:58:00,0,0,0,0,1.00K,1000,0.00K,0,36.2613,-94.3564,36.2613,-94.3564,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across northwestern Arkansas during the early morning hours of the 26th, resulting in one tornado, hail up to quarter size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","Strong thunderstorm wind blew a portion of the metal roof off of a barn." +115060,690780,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:50:00,CST-6,2017-04-04 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35.9447,-95.976,35.9447,-95.976,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690781,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:52:00,CST-6,2017-04-04 15:52:00,0,0,0,0,5.00K,5000,0.00K,0,35.9448,-95.8867,35.9448,-95.8867,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690782,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:53:00,CST-6,2017-04-04 15:53:00,0,0,0,0,25.00K,25000,0.00K,0,36.0174,-95.7975,36.0174,-95.7975,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690783,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 15:55:00,CST-6,2017-04-04 15:55:00,0,0,0,0,0.00K,0,0.00K,0,36.0608,-95.8864,36.0608,-95.8864,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115060,690785,OKLAHOMA,2017,April,Hail,"TULSA",2017-04-04 16:00:00,CST-6,2017-04-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0909,-95.8307,36.0909,-95.8307,"A strong upper level disturbance translated from New Mexico to western Oklahoma on the 4th. A warm front over northern Texas moved northward into central and eastern Oklahoma, as low pressure developed along it from northwestern Texas into southwestern Missouri by late evening. Marginal instability combined with strong wind shear over the area to produce an environment that supported large hail and damaging wind. Severe thunderstorms developed across central and eastern Oklahoma during the afternoon and evening hours. The strongest storms produced hail up to baseball size and damaging wind gusts.","" +115065,690925,OKLAHOMA,2017,April,Hail,"MCINTOSH",2017-04-25 23:33:00,CST-6,2017-04-25 23:33:00,0,0,0,0,10.00K,10000,0.00K,0,35.5334,-95.5068,35.5334,-95.5068,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115065,690931,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-26 07:12:00,CST-6,2017-04-26 07:12:00,0,0,0,0,15.00K,15000,0.00K,0,34.897,-94.6054,34.897,-94.6054,"Severe thunderstorms developed along and ahead of a cold front that moved into eastern Oklahoma during the evening of the 25th. The storms moved eastward across the area through the early morning hours of the 26th, resulting in three tornadoes, hail up to baseball size, and damaging wind. Locally heavy rainfall of three to four inches resulted in flash flooding.","" +115866,696334,OKLAHOMA,2017,April,Flood,"ADAIR",2017-04-26 18:45:00,CST-6,2017-04-27 10:30:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-94.57,36.12,-94.6094,"A cold front moved slowly through eastern Oklahoma on April 25th and 26th. Periods of showers and thunderstorms occurred across the area as the front pushed through the region, resulting in widespread 1.5 to 3 inch rainfall amounts, and areas of up to 4 inch amounts across east central and northeastern Oklahoma. This excessive rainfall, on the heels of heavy rain from several days earlier, resulted in moderate flooding along the Illinois River near Watts and Tahlequah.","The Illinois River near Watts rose above its flood stage of 13 feet at 7:45 pm CDT on April 26th. The river crested at 19.58 feet at 2:00 am CDT on the 27th, resulting in moderate flooding. The river fell below flood stage at 11:30 am CDT on the 27th." +115866,696335,OKLAHOMA,2017,April,Flood,"CHEROKEE",2017-04-27 10:30:00,CST-6,2017-04-28 07:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1089,-94.8035,36.1203,-94.83,"A cold front moved slowly through eastern Oklahoma on April 25th and 26th. Periods of showers and thunderstorms occurred across the area as the front pushed through the region, resulting in widespread 1.5 to 3 inch rainfall amounts, and areas of up to 4 inch amounts across east central and northeastern Oklahoma. This excessive rainfall, on the heels of heavy rain from several days earlier, resulted in moderate flooding along the Illinois River near Watts and Tahlequah.","The Illinois River near Tahlequah rose above its flood stage of 11 feet at 11:30 am CDT on April 27th. The river crested at 15.18 feet at 1:00 am CDT on the 28th, resulting in moderate flooding. The river fell below flood stage at 8:30 am CDT on the 28th." +115098,691498,OKLAHOMA,2017,April,Hail,"LE FLORE",2017-04-28 21:45:00,CST-6,2017-04-28 21:45:00,0,0,0,0,25.00K,25000,0.00K,0,35.2311,-94.478,35.2311,-94.478,"Strong to severe thunderstorms developed during the late evening hours of the 28th over portions of eastern Oklahoma, along and north of a warm front that had moved into the area during the day. These storms produced a strong tornado, hail up to baseball size, damaging wind, and locally heavy rainfall through the early morning hours of the 29th. ||Another round of severe weather developed during the afternoon hours of the 29th, as a cold front moved into the area from the north. These storms produced a tornado, hail up to golfball size, damaging wind, and locally heavy rainfall.","" +113489,679841,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 08:32:00,EST-5,2017-04-10 08:34:00,0,0,0,0,,NaN,,NaN,40.37,-86.86,40.37,-86.86,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","" +113489,679843,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 08:29:00,EST-5,2017-04-10 08:31:00,0,0,0,0,,NaN,0.00K,0,40.43,-86.88,40.43,-86.88,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","" +113489,679844,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 08:33:00,EST-5,2017-04-10 08:35:00,0,0,0,0,,NaN,,NaN,40.36,-86.89,40.36,-86.89,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","" +113489,679845,INDIANA,2017,April,Hail,"TIPPECANOE",2017-04-10 08:33:00,EST-5,2017-04-10 08:35:00,0,0,0,0,,NaN,,NaN,40.42,-86.82,40.42,-86.82,"A morning round of thunderstorms moved across central Indiana on April 10th, as a cold front advanced toward the area from the west. Hail, some as large as golf balls, fell on parts of the area. Heavy rain also fell at some locations.","" +119520,721950,FLORIDA,2017,September,Tropical Storm,"SUMTER",2017-09-10 20:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,18.88M,18880000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Sumter County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage.||The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures." +113801,681392,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 17:00:00,EST-5,2017-04-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-85.38,37.93,-85.38,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681395,KENTUCKY,2017,April,Hail,"SHELBY",2017-04-05 17:06:00,EST-5,2017-04-05 17:06:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-85.12,38.32,-85.12,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681396,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 17:13:00,EST-5,2017-04-05 17:13:00,0,0,0,0,0.00K,0,0.00K,0,37.91,-85.32,37.91,-85.32,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681397,KENTUCKY,2017,April,Hail,"NELSON",2017-04-05 17:15:00,EST-5,2017-04-05 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-85.38,37.93,-85.38,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681400,KENTUCKY,2017,April,Hail,"BOYLE",2017-04-05 18:03:00,EST-5,2017-04-05 18:03:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-85.01,37.65,-85.01,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681401,KENTUCKY,2017,April,Hail,"SCOTT",2017-04-05 18:05:00,EST-5,2017-04-05 18:05:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-84.55,38.21,-84.55,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +113801,681404,KENTUCKY,2017,April,Hail,"FAYETTE",2017-04-05 19:05:00,EST-5,2017-04-05 19:05:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-84.39,37.96,-84.39,"A strong area of low pressure tracked across the Ohio Valley on April 5. With an unseasonably warm and humid air mass in place, several lines of strong to severe thunderstorms developed across the area. This resulted in large hail and damaging winds across central Kentucky. There were also 4 tornadoes reported in central Kentucky.","" +116916,703160,VIRGINIA,2017,May,Thunderstorm Wind,"CHARLES CITY (C)",2017-05-27 19:07:00,EST-5,2017-05-27 19:07:00,0,0,0,0,3.00K,3000,0.00K,0,37.34,-77.22,37.34,-77.22,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Numerous trees were downed from Shirley Plantation to Berkely. One large tree on a home required a large crane for removal." +118649,712840,COLORADO,2017,July,Heavy Rain,"RIO BLANCO",2017-07-19 15:30:00,MST-7,2017-07-19 16:30:00,0,0,0,0,0.00K,0,0.00K,0,40,-107.85,40,-107.85,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","A total of 0.60 inches of rain was measured within an hour a few miles southeast of Meeker." +118649,712842,COLORADO,2017,July,Heavy Rain,"MESA",2017-07-19 16:00:00,MST-7,2017-07-19 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-108.52,39.12,-108.52,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","A total of 0.78 of an inch of rain fell within an hour and a half." +118649,712843,COLORADO,2017,July,Heavy Rain,"RIO BLANCO",2017-07-19 17:00:00,MST-7,2017-07-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.09,-108.78,40.09,-108.78,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","A heavy rain event produced 0.62 of an inch within 45 minutes." +115841,696208,UTAH,2017,April,Thunderstorm Wind,"TOOELE",2017-04-18 16:10:00,MST-7,2017-04-18 16:10:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-113.33,40.05,-113.33,"A trough moved through Utah on April 18, producing showers and thunderstorms; a severe wind gust was reported with one of those thunderstorms.","The Causeway sensor in the U.S. Army Dugway Proving Ground mesonet recorded a peak wind gust of 60 mph." +115596,694258,UTAH,2017,April,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-04-08 15:30:00,MST-7,2017-04-08 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved through Utah on April 7, 8, and 9, bringing heavy snowfall, gusty winds, and hail with associated thunderstorms.","Winds were strong behind the cold front, with peak recorded wind gusts of 59 mph at Callao in the U.S. Army Dugway Proving Ground mesonet and 58 mph at the I-80 @ mp 1 sensor." +118649,712844,COLORADO,2017,July,Heavy Rain,"MESA",2017-07-19 17:00:00,MST-7,2017-07-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-108.58,39.07,-108.58,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","Minor street flooding occurred as a result of heavy rainfall. Measured rainfall amounts up to a half inch were measured in the area of the street flooding." +118650,712846,UTAH,2017,July,Flash Flood,"DAGGETT",2017-07-20 13:00:00,MST-7,2017-07-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-109.4,40.9306,-109.3994,"Subtropical moisture continued to flow northward across the region and led to strong thunderstorms, some with heavy rainfall and hail.","Streets flooded in Dutch John as a result of heavy rain from showers and thunderstorms. Automated stations near Flaming Gorge measured close to 1.30 inches within two hours. Additionally, half-inch diameter hail was mixed in with the heavy rain." +118651,712848,COLORADO,2017,July,Heavy Rain,"MONTEZUMA",2017-07-21 13:00:00,MST-7,2017-07-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-108.74,37.54,-108.74,"Monsoonal moisture continued to flow into the region which led to another round of scattered to numerous showers and thunderstorms that produced heavy rain in portions of western Colorado.","Within 50 minutes, showers and thunderstorms produced 1.29 inches of rain." +118651,712851,COLORADO,2017,July,Debris Flow,"GARFIELD",2017-07-21 17:00:00,MST-7,2017-07-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-107.77,39.6002,-107.7686,"Monsoonal moisture continued to flow into the region which led to another round of scattered to numerous showers and thunderstorms that produced heavy rain in portions of western Colorado.","Colorado Highway 325 was closed in both directions north of Rifle after heavy rainfall resulted in a mudslide. Law enforcement personnel estimated a foot of mud was across the road." +116015,697275,KANSAS,2017,April,Hail,"PAWNEE",2017-04-15 18:29:00,CST-6,2017-04-15 18:29:00,0,0,0,0,,NaN,,NaN,38.28,-99.44,38.28,-99.44,"Thunderstorms developed along a weak cold front during the afternoon. A low pressure center in the Oklahoma panhandle helped lift moist air north interacting with the front. Behind the front upslope flow promoted additional thunderstorm activity.","" +115842,696209,UTAH,2017,April,Winter Storm,"WASATCH MOUNTAINS SOUTH OF I-80",2017-04-24 07:00:00,MST-7,2017-04-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Pacific storm system moved into Utah starting April 23, bringing heavy snow to Utah's northern mountains, and strong gusty winds to southwest Utah.","Storm total snowfall included 26 inches at Alta Ski Area and 20 inches at Snowbird Ski & Summer Resort." +119520,721737,FLORIDA,2017,September,Hurricane,"COASTAL CHARLOTTE",2017-09-10 06:00:00,EST-5,2017-09-11 07:00:00,0,0,0,0,17.90M,17900000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County.||The total property damage from Irma in Charlotte County was estimated at $43 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures, and $20 million due to 15 miles of sea wall that collapsed when the tide blew out. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County." +119520,721738,FLORIDA,2017,September,Hurricane,"INLAND CHARLOTTE",2017-09-10 05:00:00,EST-5,2017-09-11 07:00:00,0,0,0,0,0.10M,100000,15.90M,15900000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. ||The total property damage from Irma in Charlotte County was estimated at $43 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures, and $20 million due to 15 miles of sea wall that collapsed when the tide blew out. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million." +115771,698539,GEORGIA,2017,April,Thunderstorm Wind,"CHEROKEE",2017-04-03 10:23:00,EST-5,2017-04-03 10:28:00,0,0,0,0,1.00K,1000,,NaN,34.346,-84.5804,34.346,-84.5804,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Cherokee County Emergency Manager reported a tree blown down at the intersection of Reinhardt College Parkway and Salacoa Road." +115771,698555,GEORGIA,2017,April,Thunderstorm Wind,"NEWTON",2017-04-03 12:23:00,EST-5,2017-04-03 12:28:00,0,0,0,0,100.00K,100000,,NaN,33.5187,-83.7378,33.5196,-83.7319,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Newton County Emergency Manager reported multiple structures damaged and a partial building collapse around the intersection of Highways 213 and 11 in downtown Mansfield. No injuries were reported." +115771,698556,GEORGIA,2017,April,Thunderstorm Wind,"PIKE",2017-04-03 11:28:00,EST-5,2017-04-03 11:33:00,0,0,0,0,10.00K,10000,,NaN,33.1675,-84.3216,33.1675,-84.3216,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","The Pike County Emergency Manager reported trees and power lines blown down near the intersection of Patton Road and Sunset Road. The metal roof was also blown off of a barn and wrapped around trees." +115771,698559,GEORGIA,2017,April,Thunderstorm Wind,"SPALDING",2017-04-03 11:35:00,EST-5,2017-04-03 11:40:00,0,0,0,0,8.00K,8000,,NaN,33.2479,-84.2798,33.2667,-84.2392,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported trees blown down from S. 17th Street to Kennedy and N. 2nd Street." +115771,698557,GEORGIA,2017,April,Thunderstorm Wind,"SPALDING",2017-04-03 11:30:00,EST-5,2017-04-03 11:35:00,0,0,0,0,8.00K,8000,,NaN,33.246,-84.2736,33.246,-84.2736,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","An amateur radio operator reported multiple trees and power lines blown down around the intersection of Poplar Street and 13th Street." +117984,709229,IDAHO,2017,June,Flood,"BUTTE",2017-06-01 00:00:00,MST-7,2017-06-20 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.7914,-113.455,43.4977,-113.4712,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Field flooding damaging agriculture continued and also the flooding continued to damage back roads early in the month." +117984,709234,IDAHO,2017,June,Flood,"CUSTER",2017-06-01 00:00:00,MST-7,2017-06-30 04:00:00,0,0,0,0,900.00K,900000,0.00K,0,44.3647,-114.93,44.1177,-115.0727,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","The Salmon River in Salmon had reached moderate flood stage in May and stayed at flood stage into June and this caused flooding from the headwaters of the Salmon south through Challis into Custer County. The Yankee Fork and East fork of the Salmon River flooded along with Thompson Creek, Squaw Creek, Kinnikinic Cerek and Bayhorse and Garden Creek. Most side tributaries recorded record flows. The Valley Creek in Stanley flooded with the peak flow on June 5th. The Big Lost River at Howell Ranch recorded its second highest peak ever and the Big Lost below Mackay Dam reached minor flood stage as well with peak flows continuing through the end of June. Homes, businesses, roads and bridges continued to suffer damage due to the flooding along with agricultural fields and USFS infrastructure." +117984,709237,IDAHO,2017,June,Flood,"JEFFERSON",2017-06-01 01:00:00,MST-7,2017-06-20 00:00:00,0,0,0,0,13.00K,13000,0.00K,0,44,-112.22,43.93,-112.6506,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Minor flooding continued throughout the first half of June with field flooding causing agricultural damage along with money needed for levee repair and recreation facilities." +117984,709240,IDAHO,2017,June,Flash Flood,"MADISON",2017-06-01 01:00:00,MST-7,2017-06-20 01:00:00,0,0,0,0,12.00K,12000,0.00K,0,43.9234,-111.88,43.7,-111.8301,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Minor flooding continued through the first half of June in Madison County requiring road repairs with field flooding damaging agricultural crops and money required for levee repairs." +117984,709245,IDAHO,2017,June,Flood,"TETON",2017-06-01 01:00:00,MST-7,2017-06-24 00:00:00,0,0,0,0,11.00K,11000,0.00K,0,43.92,-111.15,43.87,-111.4102,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Minor flooding continued in June with snow melt being the main contributor to the flooding. Field flooding caused agricultural damage and many roads and recreational facilities received damage." +117984,709227,IDAHO,2017,June,Flood,"BLAINE",2017-06-01 00:00:00,MST-7,2017-06-30 01:00:00,0,0,0,0,4.50M,4500000,0.00K,0,43.8023,-114.4917,43.47,-114.6689,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","The Big Wood River at Hailey went above flood stage again on May 30th and remained until June 11th then again June 19th through 23rd. It was at least at action stage through the entire month. Extensive flooding of business and residential buildings and houses continued in both Hailey and Sun Valley. The Warm Springs Creek region had severe impacts. Several roadways and bridges were washed away and washed out. Many campgrounds experienced major damage as well.; Many agricultural fields were lost." +116562,701260,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 22:10:00,MST-7,2017-06-30 22:16:00,0,0,0,0,50.00K,50000,0.00K,0,33.74,-103.11,33.74,-103.11,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of golf balls produced damage to the roof and windows of a home near Lingo." +116148,701281,MASSACHUSETTS,2017,June,Strong Wind,"WESTERN MIDDLESEX",2017-06-06 02:00:00,EST-5,2017-06-06 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 204 AM EST, winds brought a tree down on Pleasant Street in Framingham. At 403 AM EST, wind brought a tree down on Southfield Road in Concord. At 501 AM EST wind brought a large tree down across Evergreen Avenue in Weston. At 641 AM EST wind brought a tree down on the north side of School Street in Hopkinton." +116148,701282,MASSACHUSETTS,2017,June,Strong Wind,"WESTERN ESSEX",2017-06-06 06:30:00,EST-5,2017-06-06 09:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 638 AM EST, amateur radio operators reported a large tree and wires down on Dwinnell Street in Groveland. At 655 AM EST, a tree was blocking the back end of Morningside Lane in North Andover. At 825 AM EST, a tree was down on State Route 113 west of Garden Street in West Newbury. At 934 AM EST, a large tree was down and partially blocking Bare Hill Road in Boxford." +116148,701283,MASSACHUSETTS,2017,June,Strong Wind,"EASTERN ESSEX",2017-06-06 02:45:00,EST-5,2017-06-06 08:45:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 251 AM EST, amateur radio operators reported a large branch down on wires on Main |Street in Rowley. At 452 AM EST, A tree was down on power lines on Forest Road in Salisbury. At 528 AM EST, a large branch and cable wires were down on Storey Avenue in Newburyport. At 841 AM EST, a large tree was down blocking State Route 97 near Route 35 and the Rail Trail." +116148,701288,MASSACHUSETTS,2017,June,Strong Wind,"WESTERN NORFOLK",2017-06-06 08:30:00,EST-5,2017-06-06 09:40:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 837 AM EST, amateur radio operators reported a large tree down blocking Pine Street near Rocky Brook Road in Dover. At 933 AM EST, a large tree and power lines were down on Cleveland Street in Norfolk." +116148,701293,MASSACHUSETTS,2017,June,Strong Wind,"EASTERN NORFOLK",2017-06-06 08:25:00,EST-5,2017-06-06 08:40:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure passed south of Southern New England and brought gusty northeast winds to Eastern Massachusetts.","At 829 AM EST, amateur radio operators reported a tree and wires down and blocking one lane of Sea Street in Quincy." +117728,707901,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"TWO RIVERS TO SHEBOYGAN WI",2017-06-12 19:15:00,CST-6,2017-06-12 19:15:00,0,0,0,0,0.00K,0,0.00K,0,44,-87.67,44,-87.67,"Thunderstorms that downed trees and power lines across central and east central Wisconsin produced strong gusts as they moved onto the nearshore waters of Lake Michigan.","Thunderstorms produced an estimated wind gust to 40 knots as they moved onto the nearshore waters of Lake Michigan south of Manitowoc." +112039,668161,GEORGIA,2017,January,Winter Storm,"CHEROKEE",2017-01-06 15:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Cherokee County Emergency Manager reported 3 inches of snow in the Lake Arrowhead area. Several reports of 2 to 3 inches of snow were received from CoCoRaHS observers in the Ball Ground, Holly Springs, Canton and Woodstock areas." +112039,668162,GEORGIA,2017,January,Winter Weather,"CLARKE",2017-01-07 01:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers in the Athens and Winterville areas reported a dusting of snow, generally a quarter of an inch or less." +118446,711787,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-06-19 18:51:00,EST-5,2017-06-19 19:01:00,0,0,0,0,,NaN,,NaN,38.258,-76.179,38.258,-76.179,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 34 to 46 knots were reported at Lower Hoopers Island." +118446,711788,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-06-19 19:06:00,EST-5,2017-06-19 19:12:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts up to 36 knots were reported at Bishops Head." +118446,711789,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-06-19 14:54:00,EST-5,2017-06-19 14:54:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 39 knots was reported at Cobb Point." +118447,711790,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-06-21 17:34:00,EST-5,2017-06-21 17:39:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"A couple showers and thunderstorms developed due to an unstable atmosphere.","Wind gusts up to 35 knots were measured at Gunpowder." +118447,711791,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-06-21 17:45:00,EST-5,2017-06-21 17:45:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"A couple showers and thunderstorms developed due to an unstable atmosphere.","Wind gusts in excess of 30 knots were reported at Martin State." +118448,711792,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-06-23 06:18:00,EST-5,2017-06-23 06:24:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"An isolated thunderstorm developed due to an unstable atmosphere.","Wind gusts in excess of 30 knots were reported at Bishops Head." +121224,725917,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTH BELTRAMI",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725918,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTH BELTRAMI",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725919,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST POLK",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725920,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST POLK",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725921,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"PENNINGTON",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725922,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"RED LAKE",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725923,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTH CLEARWATER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +117961,709126,TEXAS,2017,June,Wildfire,"HARTLEY",2017-06-21 17:04:00,CST-6,2017-06-22 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Romero Wildfire began around 1704CST about two miles west southwest of Romero Texas in Hartley county. The wildfire began to the west of the Douglas Lathem Farm or just west of Farm to Market Road 3296 and U.S. Highway 54. The wildfire was caused by lightning and consumed a measured one thousand seven hundred and fifty-eight acres. There were no reports of fatalities or injuries and there were also no reports of homes or other structures threatened or destroyed. It was reported that the wind kept changing directions which made it hard to control the fire and two tractors with discs and a maintainer were used to control the wildfire from area farms. There were seven fire departments and other agencies involved including the Texas A&M Forest Service along with five units from the Dalhart Volunteer Fire Department that responded to the wildfire as well as mutual aid from Amistad New Mexico Fire Department, Channing Volunteer Fire Department, Sedan New Mexico Volunteer Fire Department, Hartley County Road, and the Hartley County Sheriff���s Office. The wildfire was brought under control by 0400CST on June 22. A Texas Department of Public Safety helicopter flew over the wildfire the next day to GPS the size of the fire.","" +116304,700493,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-06 03:40:00,CST-6,2017-06-06 06:15:00,0,0,0,0,40.00K,40000,0.00K,0,31.4202,-89.3264,31.4287,-89.3837,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","A bridge was impassable due to flooding along McLemore Road. At nearby Hattiesburg-Laurel Airport, over six inches of rain fell from 2am to 6am, with about 5 inches of that falling in a two hour time span." +116482,700504,MISSISSIPPI,2017,June,Flash Flood,"HINDS",2017-06-19 14:55:00,CST-6,2017-06-19 17:30:00,0,0,0,0,20.00K,20000,0.00K,0,32.33,-90.16,32.3443,-90.2434,"As a frontal boundary was situated across the region, a warm and unstable airmass was conducive for afternoon showers and thunderstorms. These storms brought flash flooding to the region given ample moisture in place over the region.","Heavy rain fell across the Jackson area, which resulted in flash flooding. A few lanes of I-55 were under water with one to two feet of water over the lanes. A few inches of water covered the parking lots at the Westwood Apartments off Robinson Road. Industrial Drive was completely underwater. A car was halfway submerged under water on Monument Street." +116484,700527,MISSISSIPPI,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 09:51:00,CST-6,2017-06-23 09:51:00,0,0,0,0,3.00K,3000,0.00K,0,32.5525,-90.2156,32.5525,-90.2156,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down at Highway 22 and 463." +116484,700529,MISSISSIPPI,2017,June,Flash Flood,"MADISON",2017-06-23 11:06:00,CST-6,2017-06-23 13:15:00,0,0,0,0,2.00K,2000,0.00K,0,32.52,-90.12,32.5196,-90.1248,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Street flooding occurred in the Red Oak subdivision." +116484,700530,MISSISSIPPI,2017,June,Thunderstorm Wind,"CLAY",2017-06-23 11:23:00,CST-6,2017-06-23 11:23:00,0,0,0,0,5.00K,5000,0.00K,0,33.6087,-88.5088,33.6087,-88.5088,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down along Witherspoon Road near Town Creek Campground." +116484,700532,MISSISSIPPI,2017,June,Flash Flood,"RANKIN",2017-06-23 12:52:00,CST-6,2017-06-23 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,32.29,-89.88,32.295,-89.8829,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred on Highway 80 at Gulde Road." +116484,700533,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-23 13:23:00,CST-6,2017-06-23 13:23:00,0,0,0,0,5.00K,5000,0.00K,0,32.3585,-88.7731,32.3585,-88.7731,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down along North Lakeland Drive." +116484,700534,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-23 14:06:00,CST-6,2017-06-23 14:06:00,0,0,0,0,4.00K,4000,0.00K,0,32.3062,-88.6928,32.3062,-88.6928,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down on Dr. Brock Road." +116484,700535,MISSISSIPPI,2017,June,Strong Wind,"WARREN",2017-06-23 13:30:00,CST-6,2017-06-23 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree fell down on a house along Ford Street." +117910,708596,OHIO,2017,June,Thunderstorm Wind,"STARK",2017-06-29 20:07:00,EST-5,2017-06-29 20:10:00,0,0,0,0,150.00K,150000,0.00K,0,40.904,-81.3904,40.9059,-81.3754,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","A thunderstorm downburst with wind gusts estimated to be as much as 70 mph caused damage in Plain and Lake Township in northern Stark County. The downburst began in a residential development south of Mount Pleasant Street in Plain Township. At least a dozen trees were uprooted or snapped between Fox Run Avenue NW and Peachmont Avenue NW. Additional tree and structural damage was noted between the intersection of Mount Pleasant Street NW and Peachmont Avenue NW to Stonebridge Avenue NW in Lake Township. This damage continued east to Rolling Hill Avenue NW where the damage ended. There were over a dozen homes damaged with most of the damage in the form of lost shingles or siding. Most of this damage occurred on the southern and western sides of the homes." +117811,708212,OHIO,2017,June,Lightning,"WOOD",2017-06-22 16:15:00,EST-5,2017-06-22 16:15:00,1,0,0,0,0.00K,0,0.00K,0,41.37,-83.67,41.37,-83.67,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms became severe.","Lightning stuck a tree at a golf course in Bowling Green causing the tree to fall and land on a golf cart. A person riding on the golf cart was pinned and had to be cut out. The person was transported to a hospital for treatment of their injuries." +117745,707968,MINNESOTA,2017,June,Hail,"CROW WING",2017-06-21 20:42:00,CST-6,2017-06-21 20:42:00,0,0,0,0,,NaN,,NaN,46.6,-94.22,46.6,-94.22,"A thunderstorm intensified over Crow Wing County on June 21 and produced penny size hail.","" +117937,708842,KANSAS,2017,June,Thunderstorm Wind,"SUMNER",2017-06-17 21:57:00,CST-6,2017-06-17 21:58:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-97.4,37.36,-97.4,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","This report is from the Riverdale area." +117937,708843,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-17 22:00:00,CST-6,2017-06-17 22:01:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-97.12,37.39,-97.12,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","A branch about 8 inches in diameter was broken off of a tree. This report was via social media." +117937,708844,KANSAS,2017,June,Lightning,"GREENWOOD",2017-06-17 22:15:00,CST-6,2017-06-17 22:16:00,0,0,0,0,30.00K,30000,0.00K,0,37.62,-96.23,37.62,-96.23,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Lightning struck a home and caused a structural fire. All occupants are okay except for a bit of smoke inhalation." +115430,705699,MINNESOTA,2017,June,Hail,"HENNEPIN",2017-06-11 07:57:00,CST-6,2017-06-11 07:57:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-93.34,44.83,-93.34,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115396,694494,MISSOURI,2017,April,Flash Flood,"LINCOLN",2017-04-29 19:32:00,CST-6,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1385,-91.258,38.9962,-91.2607,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 3 and 6 inches of rain fell causing flash flooding. Numerous roads were flooded including Route BB just west southwest of Davis." +115296,692212,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 11:55:00,EST-5,2017-06-07 11:55:00,0,0,0,0,0.00K,0,0.00K,0,28.101,-80.612,28.101,-80.612,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","A thunderstorm produced wind gusts up to 41 knots from the west at Melbourne International Airport (KMLB) as the storm moved east into the intracoastal waters." +115296,692214,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 12:00:00,EST-5,2017-06-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","USAF wind tower 0300 located near the barge canal measured a peak wind gust of 45 knots from the southwest as a strong thunderstorm exited the Merritt Island and moved across the Banana River, barrier island and into the Atlantic." +115296,692227,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 12:04:00,EST-5,2017-06-07 12:04:00,0,0,0,0,0.00K,0,0.00K,0,28.23,-80.6,28.23,-80.6,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","Observers at Patrick Air Force Base (KCOF) measured a peak gust of 35 knots from the west as a strong thunderstorm crossed the coast and continued into the Atlantic." +115296,692413,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 12:10:00,EST-5,2017-06-07 12:10:00,0,0,0,0,0.00K,0,0.00K,0,28.57,-80.59,28.57,-80.59,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","USAF wind tower 1102 at Cape Canaveral measured a peak wind of 42 knots from the southwest as a strong thunderstorm exited the barrier island and continued into the Atlantic." +115296,692414,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 12:14:00,EST-5,2017-06-07 12:14:00,0,0,0,0,0.00K,0,0.00K,0,27.96,-80.53,27.96,-80.53,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","A mesonet site along the Indian River east of the Valkaria Airport measured a peak wind of 35 knots from the southwest as a strong thunderstorm exited the coast and continued into the intracoastal waters." +115296,692416,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-07 12:20:00,EST-5,2017-06-07 12:20:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"An upper level disturbance over the Gulf of Mexico combined with unseasonably high moisture to produce numerous thunderstorms with strong winds which spread across the intracoastal and nearshore Atlantic waters.","USAF wind tower 0019 at Cape Canaveral measured a peak wind of 36 knots from the west-southwest as a strong thunderstorm exited the barrier island and continued into the Atlantic." +115329,692441,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-06 13:40:00,EST-5,2017-06-06 13:40:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"An upper level weather disturbance over the Gulf of Mexico combined with deep, tropical moisture caused several strong thunderstorms to develop over the eastern peninsula and move across Brevard County and the adjacent coastal waters with winds above 35 knots.","USAF wind tower 0019 at Cape Canaveral measured a peak wind of 38 knots from the southwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115329,692442,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-06 15:55:00,EST-5,2017-06-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,28.75,-80.7,28.75,-80.7,"An upper level weather disturbance over the Gulf of Mexico combined with deep, tropical moisture caused several strong thunderstorms to develop over the eastern peninsula and move across Brevard County and the adjacent coastal waters with winds above 35 knots.","USAF wind tower 0019 at Cape Canaveral measured a peak wind of 35 knots from the west-northwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115329,692443,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-06 16:10:00,EST-5,2017-06-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"An upper level weather disturbance over the Gulf of Mexico combined with deep, tropical moisture caused several strong thunderstorms to develop over the eastern peninsula and move across Brevard County and the adjacent coastal waters with winds above 35 knots.","USAF wind tower 0300 over the Banana River just west of Port Canaveral measured a peak wind of 40 knots from the west-northwest as a strong thunderstorm exited the crossed the intracoastal waterway to the barrier island and nearshore Atlantic." +115330,692449,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-06-08 12:09:00,EST-5,2017-06-08 12:09:00,0,0,0,0,0.00K,0,0.00K,0,27.35,-80.24,27.35,-80.24,"Scattered thunderstorms with gusty winds over 34 knots moved off the peninsula and crossed the intracoastal and near-shore Atlantic waters.","A mesonet site at the St. Lucie Nuclear Power Plant measured a peak wind of 36 knots from the southwest as a strong thunderstorm exited the coast and continued into the Atlantic." +115358,692643,TEXAS,2017,June,Thunderstorm Wind,"SWISHER",2017-06-08 21:20:00,CST-6,2017-06-08 21:27:00,0,0,0,0,20.00K,20000,0.00K,0,34.5352,-101.753,34.53,-101.8392,"Late this evening, a line of severe thunderstorms moved south from the south-central Texas Panhandle and across the South Plains. Isolated downbursts accompanied this line of storms, including multiple downed trees in and near Tulia (Swisher County).","A large downburst toppled multiple trees from Tulia to roughly four miles west of Tulia. Some of these trees damaged power lines, fences and structures. The Swisher County Emergency Manager estimated the high winds lasted up to seven minutes." +115392,692836,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-07 14:00:00,MST-7,2017-06-07 14:08:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-105.34,35.39,-105.34,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","NMDOT reported quarter size hail accumulated five to six inches deep along Interstate 25 near Chapelle." +115304,692828,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-06 13:11:00,MST-7,2017-06-06 13:13:00,0,0,0,0,0.00K,0,0.00K,0,35.0351,-105.4377,35.0351,-105.4377,"A ridge of high pressure centered over southwestern New Mexico continued to provide northwest flow across the state while moist, low-level southeasterly flow deepened across the eastern plains. An upper level jet max moved over the northern periphery of the upper ridge and provided additional support for strong to severe thunderstorms over the state. Gap winds from the previous round of convection over eastern New Mexico the night before pushed moisture as far west as the Continental Divide. Once sufficient heating and instability were in place, showers and thunderstorms developed over the central high terrain and moved southeast into the plains. Several storms produced quarter to golf ball size hail, and in several instances pea size hail accumulated several inches deep. High winds and torrential rainfall were also reported from these storms. No flooding was observed despite rainfall rates on the order of five inches per hour from a few storms. Outflow boundaries surging through the Rio Grande Valley produced areas of blowing dust with wind gusts as high as 50 mph.","Hail up to the size of half dollars along SR-3." +115392,692837,NEW MEXICO,2017,June,Hail,"GUADALUPE",2017-06-07 15:56:00,MST-7,2017-06-07 16:01:00,0,0,0,0,1.00K,1000,0.00K,0,34.9,-105.24,34.9,-105.24,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","Hail up to the size of quarters near Milagro. Spotter reported that a family members windshield was smashed from this same storm farther to the north of this location." +115392,692838,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-07 17:30:00,MST-7,2017-06-07 17:35:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-105.57,33.59,-105.57,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","Hail up to the size of quarters near Capitan." +115392,692840,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-07 17:38:00,MST-7,2017-06-07 17:43:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-105.59,33.54,-105.59,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","Hail up to the size of quarters near Capitan." +115392,692841,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-07 19:35:00,MST-7,2017-06-07 19:39:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-105.66,33.54,-105.66,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","A second round of storms produced quarter size hail in Capitan." +115411,693015,OHIO,2017,June,Hail,"JACKSON",2017-06-05 15:20:00,EST-5,2017-06-05 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-82.63,39.05,-82.63,"A cold front pushed across the Middle Ohio River Valley during the afternoon on the 5th. Showers and thunderstorms formed along the front. While the storms stayed sub-severe, one storm did briefly produce nickle size hail.","" +116740,702104,MAINE,2017,May,Hail,"OXFORD",2017-05-31 17:45:00,EST-5,2017-05-31 17:49:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-70.65,44.38,-70.65,"A cold front sweeping in from the west on the afternoon of May 31st was the focus for afternoon and evening thunderstorms. Numerous storms became severe in New Hampshire but a deep marine layer across southern Maine diminished these storms substantially as they moved into Maine. One cell was strong enough to produce small hail in Oxford County.","A thunderstorm produced 0.88 inch hail in Bryant Pond." +117043,704003,TEXAS,2017,May,Flash Flood,"STARR",2017-05-29 00:20:00,CST-6,2017-05-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,26.3776,-98.819,26.3673,-98.7952,"An intense line of bowing convection developed ahead of a cold front moved southeast across the ranchlands and Rio Grande Valley, bring heavy rainfall, and gusty winds.","Rio Grande City Police Department reported flooding on Embassy Street, La Loma, and at the intersection of Main Street and Washington Street. Radar imagery estimated 2.5 to 3.0 inches of rainfall." +117069,704334,IDAHO,2017,May,Flood,"MADISON",2017-05-01 01:00:00,MST-7,2017-05-31 03:00:00,0,0,0,0,36.00K,36000,0.00K,0,43.9234,-111.88,43.75,-111.9101,"Winter snow melt continued from record winter snowfall and flooding continued throughout much of May in much of southeast Idaho especially in the central mountains and along the Big Wood River.","Minor flooding continued through May in Madison County requiring road repairs with field flooding damaging agricultural crops and money required for levee repairs." +114107,685986,PENNSYLVANIA,2017,May,Thunderstorm Wind,"HUNTINGDON",2017-05-01 19:35:00,EST-5,2017-05-01 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,40.2116,-78.1987,40.2116,-78.1987,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on wires near Coalmont." +114107,686004,PENNSYLVANIA,2017,May,Thunderstorm Wind,"LYCOMING",2017-05-01 18:13:00,EST-5,2017-05-01 18:13:00,0,0,0,0,10.00K,10000,0.00K,0,41.1157,-77.0368,41.1157,-77.0368,"A cold front crossed Pennsylvania the afternoon/evening of May 1, 2017. A squall line containing several bowing segments and mesovorticies formed in a strong vertical shear environment ahead of the front. This line produced widespread wind damage as it crossed central Pennsylvania, with several microbursts observed along with two EF1 tornadoes.","A severe thunderstorm produced winds estimated near 60 mph, knocking down several trees and damaging a barn roof southwest of Elimsport." +114464,686379,COLORADO,2017,May,Hail,"EL PASO",2017-05-06 19:13:00,MST-7,2017-05-06 19:18:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-104.68,38.92,-104.68,"A strong storm produced hail up to the size of nickels.","" +114463,686385,COLORADO,2017,May,Hail,"PUEBLO",2017-05-08 14:00:00,MST-7,2017-05-08 14:05:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-104.93,38.09,-104.93,"A number of severe storms produced hail up to the size of golf balls, and locally heavy rain. The supercell storm on Greenhorn Mountain brought golf ball size hail and a brief tornado at 11,300 feet ASL.","" +114519,686744,GULF OF MEXICO,2017,May,Marine Thunderstorm Wind,"GALVESTON BAY",2017-05-03 19:53:00,CST-6,2017-05-03 19:53:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.9109,29.54,-94.9109,"Severe thunderstorms developed along and ahead of a cold front and produced strong marine thunderstorms winds.","Wind gust was measured at WeatherFlow site XGAL." +114871,689117,FLORIDA,2017,May,Thunderstorm Wind,"LEON",2017-05-12 19:07:00,EST-5,2017-05-12 19:07:00,0,0,0,0,0.00K,0,0.00K,0,30.5486,-84.2772,30.5486,-84.2772,"A line of strong to severe storms affected the tri-state area during the evening hours of May 12th. Most of the impacts were limited to trees and power lines.","A tree was blown down near Meridian Road and Ox Bottom Road." +114872,689121,FLORIDA,2017,May,Thunderstorm Wind,"WALTON",2017-05-20 22:53:00,CST-6,2017-05-20 22:53:00,0,0,0,0,0.00K,0,0.00K,0,30.7194,-86.1268,30.7194,-86.1268,"A line of strong to severe storms affected portions of northwest Florida during the overnight hours of May 20th. Damage was most numerous in Walton county where several trees and power lines were blown down.","A tree was blown down on 18th Street." +114885,689205,MONTANA,2017,May,Thunderstorm Wind,"GOLDEN VALLEY",2017-05-07 16:00:00,MST-7,2017-05-07 16:00:00,0,0,0,0,0.00K,0,,NaN,46.3,-108.97,46.3,-108.97,"An isolated early season severe thunderstorm produced some damaging winds and large hail across Golden Valley and Stillwater Counties.","A very large Cottonwood tree was toppled. In addition, an alfalfa crop was destroyed by wind-driven hail." +114930,689377,COLORADO,2017,May,Hail,"BENT",2017-05-27 15:42:00,MST-7,2017-05-27 15:47:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-103.27,38.06,-103.27,"Severe storms produced hail up to the size of golf balls from near Walsenburg (Huerfano County) and Cheraw (Otero County).","" +114936,689408,NEVADA,2017,May,Hail,"ELKO",2017-05-05 13:40:00,PST-8,2017-05-05 13:45:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-116.23,41.97,-116.23,"Severe thunderstorms produced hail up to the size of Ping Pongs and wind gusts to 67 mph. A car was heavily dented by the Ping Pong size hail near McDermitt and the strong winds did some minor property damage.","" +114982,689864,KENTUCKY,2017,May,Hail,"POWELL",2017-05-27 15:20:00,EST-5,2017-05-27 15:20:00,0,0,0,0,,NaN,,NaN,37.88,-83.86,37.88,-83.86,"Numerous strong to severe thunderstorms caused wind damage, flash flooding, and dropped large hail across eastern Kentucky during the afternoon and evening hours of Saturday, May 27, 2017. The largest hail reported occurred in Powell County and was the size of golf balls. The worst flooding occurred in Pulaski County, where several feet of water was over a road near Shopville for a short period of time. Hail was the primary severe weather mode during this event, with numerous occurrences of quarter size hail reported across the area. Additionally, lightning struck a tree near Clay City, causing a tree to fall on a home.","" +115087,690807,ILLINOIS,2017,May,Thunderstorm Wind,"WINNEBAGO",2017-05-17 17:30:00,CST-6,2017-05-17 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-89.05,42.44,-89.05,"A line of severe thunderstorms moved across northern Illinois late in the evening of May 17th and overnight into the early morning of May 18th. There were numerous reports of damaging winds occurring with these thunderstorms along with a few reports of hail up to the size of golf balls. An EF-1 Tornado also occurred touching down approximately two miles south of Poplar Grove and dissipating approximately 3 miles northwest of Harvard.","Large trees 18 to 20 inches in diameter were uprooted." +115163,691353,OKLAHOMA,2017,May,Thunderstorm Wind,"MCCURTAIN",2017-05-28 00:07:00,CST-6,2017-05-28 00:07:00,0,0,0,0,0.00K,0,0.00K,0,34.0297,-94.7503,34.0297,-94.7503,"A complex of strong to severe thunderstorms developed over Southern Oklahoma during the evening hours of May 27th along and just ahead of a cold front and associated upper level trough, which progressed east across McCurtain County Oklahoma and into adjacent sections of Southwest Arkansas during the early morning hours of May 28th. The air mass ahead of this mesoscale convective complex (MCS) was very warm, moist, and unstable, with strong wind shear helping to sustain these strong to severe thunderstorms. A couple of instances of trees blown down were reported near Hochatown and Broken Bow with these storms.","A tree was blown down and blocking a roadway on the west side of Broken Bow." +115179,691520,WISCONSIN,2017,May,Hail,"DANE",2017-05-15 15:15:00,CST-6,2017-05-15 15:15:00,0,0,0,0,,NaN,0.00K,0,43.22,-89.4,43.22,-89.4,"A surge of warm and moist air aloft brought rounds of strong to severe thunderstorms to southern WI. Large hail and tree damage occurred.","" +115185,691664,WISCONSIN,2017,May,Thunderstorm Wind,"DANE",2017-05-17 19:57:00,CST-6,2017-05-17 20:03:00,0,0,0,0,2.00K,2000,0.00K,0,43.07,-89.39,43.07,-89.39,"A low pressure area and warm front resulted in rounds of strong to severe thunderstorms. Damaging winds caused tree damage and some structural damage. Large hail was also observed.","A few trees and limbs down." +115251,691926,HAWAII,2017,May,Heavy Rain,"MAUI",2017-05-01 16:52:00,HST-10,2017-05-01 17:29:00,0,0,0,0,0.00K,0,0.00K,0,20.9333,-156.3258,20.751,-156.4529,"An upper low southwest of the islands, also known as a kona low, that had been in the area since the latter days of April maintained enough strength to trigger heavy showers and thunderstorms over parts of the Big Island of Hawaii and Maui. The precipitation produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +118269,710758,OKLAHOMA,2017,June,Hail,"CUSTER",2017-06-14 19:47:00,CST-6,2017-06-14 19:47:00,0,0,0,0,0.00K,0,0.00K,0,35.5154,-98.9361,35.5154,-98.9361,"The evening of the 14th saw a few isolated storms develop along a stalled front in western Oklahoma.","" +118270,710759,OKLAHOMA,2017,June,Hail,"HUGHES",2017-06-15 09:30:00,CST-6,2017-06-15 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-96.28,35.27,-96.28,"As a shortwave continued to make its way across the area, a few storms developed over central Oklahoma late morning on the 15th.","" +118270,710760,OKLAHOMA,2017,June,Hail,"LINCOLN",2017-06-15 09:30:00,CST-6,2017-06-15 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-96.82,35.65,-96.82,"As a shortwave continued to make its way across the area, a few storms developed over central Oklahoma late morning on the 15th.","" +118270,710761,OKLAHOMA,2017,June,Hail,"HUGHES",2017-06-15 09:55:00,CST-6,2017-06-15 09:55:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-96.34,35.16,-96.34,"As a shortwave continued to make its way across the area, a few storms developed over central Oklahoma late morning on the 15th.","" +118271,710762,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-15 16:05:00,CST-6,2017-06-15 16:05:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-99.88,36.28,-99.88,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710763,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-15 16:20:00,CST-6,2017-06-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-99.97,36.43,-99.97,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710764,OKLAHOMA,2017,June,Hail,"ELLIS",2017-06-15 17:16:00,CST-6,2017-06-15 17:16:00,0,0,0,0,0.00K,0,0.00K,0,36.48,-99.88,36.48,-99.88,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710765,OKLAHOMA,2017,June,Hail,"WOODS",2017-06-15 17:27:00,CST-6,2017-06-15 17:27:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-99.11,36.77,-99.11,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710766,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-15 17:35:00,CST-6,2017-06-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-99,36.99,-99,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710767,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-15 17:40:00,CST-6,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710768,OKLAHOMA,2017,June,Thunderstorm Wind,"KAY",2017-06-15 20:07:00,CST-6,2017-06-15 20:07:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-97.1,36.73,-97.1,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","" +118271,710769,OKLAHOMA,2017,June,Thunderstorm Wind,"KAY",2017-06-15 20:10:00,CST-6,2017-06-15 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-97.18,36.89,-97.18,"Storms formed in off the dryline in the Texas panhandle on the afternoon of the 15th, then moved eastward into Oklahoma through the evening.","No damage reported." +113364,678616,NEW MEXICO,2017,April,Winter Storm,"FAR NORTHEAST HIGHLANDS",2017-04-03 23:00:00,MST-7,2017-04-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","Snowfall amounts ranged from 2 to 3 inches in Raton to as much as 8 inches around Springer. Difficult travel conditions were reported mainly during the morning hours." +113364,678615,NEW MEXICO,2017,April,Winter Storm,"RATON RIDGE/JOHNSON MESA",2017-04-03 22:00:00,MST-7,2017-04-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level wave gathering strength over the Great Basin deepened into an upper low over northern NM then ejected quickly eastward into the Great Plains. Rain and high terrain snow showers spread over northern and central New Mexico ahead of a potent cold front arriving from the north and west. Rain changed to snow north of the Interstate 40 corridor as colder air surged into the region. Heavy snowfall amounts were reported over portions of the northern mountains and across much of far northeastern New Mexico. Strong winds combined with the snow created areas of blowing snow with reduced visibility. Snowfall amounts ranged from 6 to 10 inches with locally higher amounts near the Colorado border. Winds north and northwest became strong across portions of the area as the storm system departed the state. Wind gusts between 60 and 70 mph were reported from near Clines Corners south to Roswell. Several roads were closed across Union and Colfax counties, including U.S. 64/87.","A solid swath of snowfall amounts near 6 inches were reported from Raton Pass to Capulin. State Road 72 and U.S. Highway 64/87 were closed for nearly 24 hours from icy travel and blowing snow." +113409,678618,KENTUCKY,2017,April,Funnel Cloud,"MONTGOMERY",2017-04-05 19:36:00,EST-5,2017-04-05 19:36:00,0,0,0,0,0.00K,0,0.00K,0,38.0809,-84.0192,38.0809,-84.0192,"A line of thunderstorms moved into the Bluegrass region of eastern Kentucky this evening, producing damaging wind gusts generally between Interstate 64 and Mountain Parkway. Several trees and power lines were reported down as wind gusts of 60 to 70 mph occurred. One storm also produced a funnel cloud near Grassy Lick in Montgomery County.","Dispatch relayed a report of a brief funnel cloud near Grassy Lick on Grassy Lick Road." +112039,668200,GEORGIA,2017,January,Winter Weather,"JACKSON",2017-01-07 02:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers reported a light dusting, generally a quarter of an inch or less, of snow in the Pendergrass and Braselton areas." +112039,668202,GEORGIA,2017,January,Winter Storm,"LUMPKIN",2017-01-06 16:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Lumpkin County 911 center, several CoCoRaHS observers and the public reported from 1 to 4.5 inches of snow across the county. The highest amounts reported, from 3 to 4.5 inches, were in the Dahlonega area." +113814,683145,TEXAS,2017,April,Hail,"ANDREWS",2017-04-12 20:42:00,CST-6,2017-04-12 20:47:00,0,0,0,0,,NaN,,NaN,32.3784,-102.6508,32.3784,-102.6508,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683146,TEXAS,2017,April,Hail,"JEFF DAVIS",2017-04-12 22:19:00,CST-6,2017-04-12 22:24:00,0,0,0,0,,NaN,,NaN,30.58,-103.9809,30.58,-103.9809,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683147,TEXAS,2017,April,Hail,"JEFF DAVIS",2017-04-12 23:22:00,CST-6,2017-04-12 23:27:00,0,0,0,0,,NaN,,NaN,30.58,-103.9977,30.58,-103.9977,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683148,TEXAS,2017,April,Hail,"JEFF DAVIS",2017-04-12 23:00:00,CST-6,2017-04-12 23:05:00,0,0,0,0,0.00K,0,0.00K,0,30.6245,-104.09,30.6245,-104.09,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683149,TEXAS,2017,April,Hail,"REEVES",2017-04-12 16:31:00,CST-6,2017-04-12 16:36:00,0,0,0,0,,NaN,,NaN,31.12,-103.58,31.12,-103.58,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,683243,TEXAS,2017,April,Hail,"REEVES",2017-04-12 16:22:00,CST-6,2017-04-12 16:27:00,0,0,0,0,,NaN,,NaN,31.0285,-103.6536,31.0285,-103.6536,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +113814,681484,TEXAS,2017,April,Hail,"PECOS",2017-04-12 14:55:00,CST-6,2017-04-12 15:00:00,0,0,0,0,,NaN,,NaN,31.0129,-103.2442,31.0129,-103.2442,"A southern stream trough approached the region from the west. Increasing low level moisture, strong upper level lift, instability, and wind shear ahead of the trough supported the development of thunderstorms with large hail across West Texas. The high moisture content of the atmosphere and slow storm motion resulted in heavy rain and flash flooding.","" +117523,707812,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 14:52:00,MST-7,2017-08-09 14:55:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-105.17,35.55,-105.17,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of golf balls reported at the Las Vegas Wildlife Refuge." +117523,707822,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 14:57:00,MST-7,2017-08-09 15:02:00,0,0,0,0,250.00K,250000,0.00K,0,35.66,-105.14,35.66,-105.14,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of baseballs reported near New Mexico Highlands University. Significant damage occurred to vehicles, especially on the southeastern edge of Las Vegas." +114222,685760,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:08:00,CST-6,2017-03-06 20:09:00,0,0,0,0,0.00K,0,0.00K,0,39.08,-94.39,39.08,-94.39,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115536,693673,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 11:30:00,CST-6,2017-06-15 11:30:00,0,0,0,0,0.20K,200,0.00K,0,34.99,-87.35,34.99,-87.35,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down along CR 489." +115536,693674,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 11:32:00,CST-6,2017-06-15 11:32:00,0,0,0,0,0.20K,200,0.00K,0,34.96,-87.34,34.96,-87.34,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","A tree was knocked down on the road at CR 502 between Highway 64 and Second Creek." +113740,681322,TEXAS,2017,April,Hail,"HALE",2017-04-14 23:12:00,CST-6,2017-04-14 23:12:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-101.7175,34.2,-101.7175,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser reported golf ball size hail in Plainview. No damage was reported." +113740,681340,TEXAS,2017,April,Tornado,"SWISHER",2017-04-14 22:25:00,CST-6,2017-04-14 22:32:00,0,0,0,0,0.00K,0,0.00K,0,34.3212,-101.9657,34.3185,-101.95,"On the afternoon of the 14th, isolated thunderstorms developed along a dryline over far east-central New Mexico and moved into Parmer and Bailey Counties. Mixed layer CAPE reached values on the order of 3000 J/kg by late afternoon, with low level wind shear amplifying by early evening. One of these storms evolved into a slow moving supercell that persisted for almost nine hours and produced at least seven known tornadoes, including an exceptionally large EF-3 tornado near Dimmitt (Castro County) that damaged some homes and destroyed several structures. It is possible that satellite tornadoes accompanied the larger tornado at times, but no definitive evidence to this point was available. After remaining in Castro County for nearly four hours and producing flash flooding north and northwest of Dimmitt, the supercell storm finally accelerated southeast before dissipating over Motley County around 0100 CST on the 15th. A plethora of video evidence was available from numerous storm chasers observing this supercell.","A storm chaser recorded a tornado at night northwest of Edmonson. The tornado was backlit by frequent lightning. No damage was reported from this tornado. Radar indicated the parent circulation to this tornado behaved very erratically; initially moving northeast, then stalling for several minutes, then moving slowly southeast while dissipating." +113694,680536,OREGON,2017,April,Frost/Freeze,"JACKSON COUNTY",2017-04-15 02:00:00,PST-8,2017-04-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the growing season starts on the Oregon west side, freezes have more of an impact. Clearing skies and a lingering cold air mass allowed temperatures to drop below freezing in some of the west side valleys.","Reported low temperatures ranged from 26 to 34 degrees." +114395,685633,WYOMING,2017,April,Winter Storm,"JACKSON HOLE",2017-04-26 15:00:00,MST-7,2017-04-28 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","A CocoRAHS spotter reported 11 inches of snow at Moose. Snowfall amounts across the Jackson Valley were very elevation dependent with the city of Jackson only receiving 1.4 inches of snow since the snow mixed with rain at times." +114395,685646,WYOMING,2017,April,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-04-27 14:00:00,MST-7,2017-04-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of cold low pressure moved in from the Pacific Northwest and then strengthened as it moved East of the Continental Divide. The system had ample moisture and brought heavy snow to many areas. The heaviest snow fell along the East Slopes of the Wind River Range where several areas had over 2 feet with the highest amount of 33 inches at the Townsend Creek SNOTEL. Over a foot of snow also fell across portions of the Bighorn Range, Salt and Wyoming Mountains, Absarokas and Tetons. Across the lower elevations, the highest amounts where around the Riverton and Lander areas where 5 to 10 inches of snow fell, depending on elevation. Between 6 to 12 inches of snow also fell across portions of Johnson County as well as the Jackson Valley. However, effects were much less across the lower elevations. With the high late April sun angle, most major roads in the lower elevations remained largely wet through much of the event. An exception was around Beaver Rim where US 287 was shut down during the height of the storm.","A favorable moist upslope flow and chilly temperatures brought very heavy snow to the eastern slopes of the Wind River Range. There were several locations with over 2 feet of new snow with Townsend Creek having the most with 33 inches of new snow. A spotter at Atlantic City measured 24.5 inches of new snow. Even a bit lower in elevation, there was 17 inches of snow in Sinks Canyon State Park." +114623,687422,IOWA,2017,April,Hail,"CLARKE",2017-04-15 17:42:00,CST-6,2017-04-15 17:42:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-93.76,41.06,-93.76,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported nickel to quarter sized hail." +114623,687423,IOWA,2017,April,Hail,"TAMA",2017-04-15 17:51:00,CST-6,2017-04-15 17:51:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-92.69,42.27,-92.69,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Public reported quarter sized hail via social media. Time estimated from radar." +114623,687424,IOWA,2017,April,Hail,"WARREN",2017-04-15 17:56:00,CST-6,2017-04-15 17:56:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-93.75,41.18,-93.75,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Trained spotter reported penny sized hail." +114623,687425,IOWA,2017,April,Hail,"TAMA",2017-04-15 17:58:00,CST-6,2017-04-15 17:58:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-92.66,42.29,-92.66,"An unorganized area of low pressure was situated across areas of Nebraska and Iowa, with boundaries draped north and west of the state, early on the 15th. Throughout the day northwest winds transitioned the relatively stationary boundaries into cold fronts which entered northwest Iowa by early afternoon. Temperatures ahead of the front were modest in the 70s with dew points around 60. Resulting MUCAPE values ran from around 1000 J/kg in areas across northern Iowa to 2000+ J/kg across parts of southwest Iowa. Effective bulk wind shear were also borderline supportive for rotating storms in the 30 to 40kt range. The primary results of severe weather for this event were hail and heavy rainfall.","Public reported quarter sized hail along with estimated winds of 40 to 50 mph." +113448,679315,OHIO,2017,April,Thunderstorm Wind,"HIGHLAND",2017-04-05 18:12:00,EST-5,2017-04-05 18:17:00,0,0,0,0,5.00K,5000,0.00K,0,39.09,-83.86,39.09,-83.86,"Showers and thunderstorms developed ahead of a strengthening surface low which moved from the Middle Mississippi Valley into Northwest Ohio.","A propane tank was upended and a large limb was blown onto a house on Beltz Road." +114484,686530,OHIO,2017,April,Flood,"CHAMPAIGN",2017-04-29 03:03:00,EST-5,2017-04-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,40.14,-84.02,40.1392,-84.0175,"Severe thunderstorms developed along a warm front that was lifting north across the Ohio Valley.","High water was reported near the intersection of State Route 36 and Elm Tree Road, making it impassable." +114489,686881,OHIO,2017,April,Flood,"WARREN",2017-04-29 08:30:00,EST-5,2017-04-29 10:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3575,-84.271,39.3584,-84.2707,"Thunderstorms trained along a warm front that was lifting through the area.","Standing and ponding of water was reported on Kings Mills Rd, due to clogged storm drain." +114489,686554,OHIO,2017,April,Flash Flood,"HAMILTON",2017-04-29 09:18:00,EST-5,2017-04-29 11:18:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-84.46,39.2722,-84.4674,"Thunderstorms trained along a warm front that was lifting through the area.","Roads were reported flooded throughout the city of Glendale, including three feet of water over some of them." +114722,688087,OHIO,2017,April,Thunderstorm Wind,"LICKING",2017-04-30 13:35:00,EST-5,2017-04-30 13:40:00,0,0,0,0,0.25K,250,0.00K,0,39.93,-82.47,39.93,-82.47,"Strong thunderstorms developed along a warm front lifting through the region.","A tree was reported knocked down." +114722,688088,OHIO,2017,April,Thunderstorm Wind,"LICKING",2017-04-30 13:43:00,EST-5,2017-04-30 13:48:00,0,0,0,0,0.50K,500,0.00K,0,40.08,-82.27,40.08,-82.27,"Strong thunderstorms developed along a warm front lifting through the region.","Power lines were knocked down." +114723,688090,KENTUCKY,2017,April,Thunderstorm Wind,"GRANT",2017-04-30 18:59:00,EST-5,2017-04-30 19:04:00,0,0,0,0,0.25K,250,0.00K,0,38.64,-84.56,38.64,-84.56,"Strong thunderstorms developed along a warm front lifting through the region.","A tree was knocked down in Williamstown." +114723,688091,KENTUCKY,2017,April,Thunderstorm Wind,"GRANT",2017-04-30 18:59:00,EST-5,2017-04-30 19:04:00,0,0,0,0,0.25K,250,0.00K,0,38.67,-84.58,38.67,-84.58,"Strong thunderstorms developed along a warm front lifting through the region.","A tree was knocked down on Dixie Highway at Dry Ridge Bypass." +115536,693715,ALABAMA,2017,June,Thunderstorm Wind,"DEKALB",2017-06-15 13:44:00,CST-6,2017-06-15 13:44:00,0,0,0,0,,NaN,,NaN,34.6,-85.76,34.6,-85.76,"A broken line of strong to severe thunderstorms pushed southeast through the Tennessee Valley during the early to mid-afternoon hours. Many of the storms produced strong outflow winds of 40 to 55 mph knocking down numerous tree limbs and small trees. A few pockets of higher winds of 55 to 60 mph knocked larger trees and power lines down. This resulted in scattered power outages.","Two chicken houses were damaged. Two large sections of metal roofing were blown off." +115574,694022,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-18 16:00:00,CST-6,2017-06-18 16:00:00,0,0,0,0,0.20K,200,0.00K,0,34.89,-87.87,34.89,-87.87,"A late afternoon thunderstorm produced winds that knocked a tree down in Lauderdale County.","A tree was knocked down on the roadway at the intersection of CR 189 and CR 6." +113368,689653,MISSOURI,2017,April,Hail,"LAWRENCE",2017-04-04 18:45:00,CST-6,2017-04-04 18:45:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-93.82,37.1,-93.82,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689654,MISSOURI,2017,April,Hail,"BARRY",2017-04-04 18:49:00,CST-6,2017-04-04 18:49:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-93.92,36.82,-93.92,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Quarter size hail was reported near Purdy." +113368,689664,MISSOURI,2017,April,Hail,"LAWRENCE",2017-04-04 18:55:00,CST-6,2017-04-04 18:55:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-93.72,37.2,-93.72,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689670,MISSOURI,2017,April,Hail,"BARRY",2017-04-04 18:50:00,CST-6,2017-04-04 18:50:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-93.91,36.81,-93.91,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689676,MISSOURI,2017,April,Hail,"DADE",2017-04-04 19:09:00,CST-6,2017-04-04 19:09:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-93.68,37.32,-93.68,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689678,MISSOURI,2017,April,Hail,"GREENE",2017-04-04 19:30:00,CST-6,2017-04-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-93.15,37.38,-93.15,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689682,MISSOURI,2017,April,Thunderstorm Wind,"GREENE",2017-04-04 19:26:00,CST-6,2017-04-04 19:26:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-93.43,37.3,-93.43,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","Several large tree limbs were blown down on Highway AB and Southview Road in Willard." +113368,689685,MISSOURI,2017,April,Hail,"GREENE",2017-04-04 19:35:00,CST-6,2017-04-04 19:35:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-93.3,37.37,-93.3,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","" +113368,689687,MISSOURI,2017,April,Thunderstorm Wind,"CHRISTIAN",2017-04-04 19:13:00,CST-6,2017-04-04 19:13:00,0,0,0,0,20.00K,20000,0.00K,0,37.03,-93.47,37.03,-93.47,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A tree was blown down on a carport in Clever damaging two cars." +113368,689689,MISSOURI,2017,April,Thunderstorm Wind,"TANEY",2017-04-04 20:11:00,CST-6,2017-04-04 20:11:00,0,0,0,0,0.00K,0,0.00K,0,36.64,-93.22,36.64,-93.22,"A strong storm system and cold front produced supercells across the Missouri Ozark with damaging winds and large hail. The were a couple damaging tornadoes.","A sixty-one mph wind gust was measured at the Branson Fire Department." +115706,700979,ALABAMA,2017,June,Flash Flood,"MADISON",2017-06-23 14:33:00,CST-6,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-86.64,34.8646,-86.6454,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","Fire Department reported road flooding at the intersection of Pulaski Pike and Beaver Dam Road." +116032,700980,ALABAMA,2017,June,Flood,"MARSHALL",2017-06-30 06:49:00,CST-6,2017-06-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-86.16,34.1969,-86.1618,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Greater than 2 inches of rain in Boaz resulted in significant ponding of water in yards along Highway 168. Report relayed via Social Media." +116032,700984,ALABAMA,2017,June,Flood,"MARSHALL",2017-06-30 07:36:00,CST-6,2017-06-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.26,-86.21,34.2504,-86.2152,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Flooding on Kilpatrick Road in Albertville. Depth of water unknown. Video/report relayed via Social Media." +116032,700985,ALABAMA,2017,June,Flood,"CULLMAN",2017-06-30 07:45:00,CST-6,2017-06-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.06,-86.76,34.072,-86.7616,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Puddles in yard of 1401 Edwards Street in Hanceville congealing into one, causing minor nuisance flooding. EMA reporting house may have sandbags placed around it if conditions worsen. Picture relayed via EMA." +116032,700986,ALABAMA,2017,June,Flood,"MARSHALL",2017-06-30 09:42:00,CST-6,2017-06-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.26,-86.21,34.2764,-86.2181,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Albertville Police Dept reports that numerous streets have minor flooding. Water depth is 3 inches or less and more of a nuisance than anything else. Report relayed via Social Media." +116032,700988,ALABAMA,2017,June,Flood,"MARSHALL",2017-06-30 09:58:00,CST-6,2017-06-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.26,-86.21,34.2771,-86.2259,"Heavy rainfall on the order of 3-5 inches fell across portions of Cullman, Marshall and DeKalb Counties on the 29th into the 30th. Heavy showers and thunderstorms during the morning into the afternoon of the 30th caused excessive runoff and several reports of flooding.","Albertville Police Dept is now barracading George Wallace Drive. Water depth is 3 to 4 inches and due to poor drainage. Nuisance flooding reported elsewhere in Albertville. Report relayed via Social Media." +115030,690393,GEORGIA,2017,April,Drought,"WHITE",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115030,690410,GEORGIA,2017,April,Drought,"FANNIN",2017-04-01 00:00:00,EST-5,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long term drought conditions over north Georgia continued to improve through April, while the short term drought over central and south Georgia worsened. ||By the end of the month, the D3 Extreme Drought area improved to include only eight counties in north Georgia, all in northeast Georgia. The D2 Severe Drought area also improved to include generally a one-county periphery around the Extreme Drought. The recovery across north Georgia was fueled by an active weather pattern and above normal rainfall. Areas north of the Interstate 20 corridor received 5 to 15 inches of rain in April, or 150 to 400 percent of normal. ||The short term drought conditions worsened across central and south Georgia through the month, with the D1 Moderate Drought encompassing a large area south of a line from LaGrange, to Barnesville, to Eatonton, to Louisville. This area received 1 to 6 inches of rain, or 25 to 150 percent of normal. ||Rainfall deficits during this period continued to improve, with many climate sites reporting 365-day deficits of under 12 inches, or a total rainfall that was 75 to 95 percent of normal. Northeast Atlanta (KPDK), West Atlanta (KFTY), Gainesville (KGVL), and Peachtree City (KFFC) continued to have a rainfall deficits exceeding 16 inches. ||By the end of April, reservoirs in north and central Georgia were continuing to recover, and many were on track to fill to expected summer pool levels. Lake Allatoona, West Point, and Carters ended the month within 2 feet of the summer pool level. The headwaters of the Chattahoochee River upstream of Lake Lanier still suffered from extremely low stream flows through the month, and although pool elevations increased, Lake Lanier ended April 8 feet below summer pool.","" +115051,690659,COLORADO,2017,April,Winter Storm,"WESTERN KIOWA COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690660,COLORADO,2017,April,Winter Storm,"EASTERN KIOWA COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115051,690661,COLORADO,2017,April,Winter Storm,"BENT COUNTY",2017-04-29 03:00:00,MST-7,2017-04-30 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous late Spring storm impacted many sections of southern Colorado with impressive snow amounts in combination with gusty winds and localized snow drifts around 5 feet in combination with many downed tree limbs. Some of the higher reported snow totals with this event included six to nine inches of snow near Leadville, Salida, the Air Force Academy, Lamar, Woodland Park, La Junta, Texas Creek, Pueblo, Rocky Ford and Maysville. Ten to fifteen inches of snow was noted near WestCliffe, Manzanola, Walsenburg, Black Forest, Calhan, Pueblo West, Monument, Avondale, Springfield and Blende. 15 to 20 inches of snow graced the communities of Wetmore, Pritchett and Holly. 23 inches of snow was measured near Beulah. An impressive 25 to 30 inches of snow covered the communities of Rye, Colorado City and Two Buttes, while a whopping 39 inches of snow impacted San Isabel.","" +115055,690689,COLORADO,2017,April,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-04-19 05:00:00,MST-7,2017-04-19 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing weather system generated high winds across portions of the southern I-25 corridor including the community of Walsenburg. Winds gusted around 60 mph with this event.","" +118352,711152,KANSAS,2017,June,Hail,"FORD",2017-06-13 15:40:00,CST-6,2017-06-13 15:40:00,0,0,0,0,,NaN,,NaN,37.9,-99.8,37.9,-99.8,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711153,KANSAS,2017,June,Hail,"HODGEMAN",2017-06-13 15:55:00,CST-6,2017-06-13 15:55:00,0,0,0,0,,NaN,,NaN,38.17,-99.71,38.17,-99.71,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711154,KANSAS,2017,June,Hail,"FORD",2017-06-13 16:01:00,CST-6,2017-06-13 16:01:00,0,0,0,0,,NaN,,NaN,37.65,-99.91,37.65,-99.91,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711155,KANSAS,2017,June,Hail,"PAWNEE",2017-06-13 16:32:00,CST-6,2017-06-13 16:32:00,0,0,0,0,,NaN,,NaN,38.17,-99.49,38.17,-99.49,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711156,KANSAS,2017,June,Hail,"ELLIS",2017-06-13 16:58:00,CST-6,2017-06-13 16:58:00,0,0,0,0,,NaN,,NaN,38.93,-99.22,38.93,-99.22,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711157,KANSAS,2017,June,Hail,"FORD",2017-06-13 17:45:00,CST-6,2017-06-13 17:45:00,0,0,0,0,,NaN,,NaN,37.78,-100.03,37.78,-100.03,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711158,KANSAS,2017,June,Hail,"FORD",2017-06-13 17:47:00,CST-6,2017-06-13 17:47:00,0,0,0,0,,NaN,,NaN,37.76,-100.03,37.76,-100.03,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +114084,691313,MISSOURI,2017,April,Hail,"BARRY",2017-04-28 22:10:00,CST-6,2017-04-28 22:10:00,0,0,0,0,,NaN,0.00K,0,36.59,-93.96,36.59,-93.96,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","Quarter to golf ball sized hail was reported." +114084,691314,MISSOURI,2017,April,Hail,"BARRY",2017-04-28 22:23:00,CST-6,2017-04-28 22:23:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.87,36.68,-93.87,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691315,MISSOURI,2017,April,Hail,"TANEY",2017-04-28 22:33:00,CST-6,2017-04-28 22:33:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-92.87,36.61,-92.87,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","This report was from Mping." +114084,691316,MISSOURI,2017,April,Hail,"DOUGLAS",2017-04-28 23:27:00,CST-6,2017-04-28 23:27:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-92.3,36.97,-92.3,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691317,MISSOURI,2017,April,Hail,"BARRY",2017-04-29 00:37:00,CST-6,2017-04-29 00:37:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-93.94,36.53,-93.94,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +114084,691318,MISSOURI,2017,April,Hail,"STONE",2017-04-29 01:23:00,CST-6,2017-04-29 01:23:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-93.45,36.63,-93.45,"Multiple rounds of severe thunderstorms and extremely heavy rainfall over several days led to historic and devastating flash floods, record breaking river levels, large hail, wind damage, and at least one tornado across the Missouri Ozarks region. Most counties across the Missouri Ozarks region were declared a federal disaster from the President and FEMA.","" +115183,696621,ILLINOIS,2017,April,Flash Flood,"PEORIA",2017-04-29 17:45:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9737,-89.6387,40.7783,-89.9844,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 4.00 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across parts of eastern and central Peoria County. Numerous streets in Peoria were impassable, as were numerous rural roads in the county. Illinois Route 29 north of the McClugage Bridge in Peoria was closed for one mile due to a mudslide." +115183,696635,ILLINOIS,2017,April,Flash Flood,"SCHUYLER",2017-04-29 18:45:00,CST-6,2017-04-29 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2861,-90.9089,40.1052,-90.9135,"Low pressure tracking along a stationary frontal boundary near the I-70 corridor brought widespread strong to severe thunderstorms to much of central and southeast Illinois during the late afternoon and evening of April 29th. A tornado briefly touched down in an open field northeast of Alexander in Morgan County. Elsewhere, thunderstorms packed winds of 60-70mph and caused significant wind damage. A downburst with estimated winds of 80mph caused property damage of around 2 million dollars in Middletown in Logan County. In addition to the strong winds, many of the storms dropped copious amounts of rain, causing widespread flash flooding. Numerous roads were closed due to high water, including Highway 29 north of the McClugage Bridge in Peoria where a mudslide occurred.","Rain amounts of 2.50 to 3.50 inches in about a two hour period during the evening hours, on already saturated ground, resulted in flash flooding across much of Schuyler County. Numerous streets in Rushville were impassable, as were numerous rural roads in the county west of U.S. Highway 67." +115186,691652,NEBRASKA,2017,April,Thunderstorm Wind,"HITCHCOCK",2017-04-09 15:02:00,CST-6,2017-04-09 15:02:00,0,0,0,0,1.00K,1000,0.00K,0,40.35,-101.11,40.35,-101.11,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","Estimated 80 MPH wind gusts were reported in town. These wind gusts split a large hack-berry tree." +115186,691655,NEBRASKA,2017,April,Thunderstorm Wind,"HITCHCOCK",2017-04-09 15:03:00,CST-6,2017-04-09 15:03:00,0,0,0,0,0.00K,0,0.00K,0,40.1633,-101.0632,40.1633,-101.0632,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","" +115186,691656,NEBRASKA,2017,April,Thunderstorm Wind,"RED WILLOW",2017-04-09 15:10:00,CST-6,2017-04-09 15:10:00,0,0,0,0,0.00K,0,0.00K,0,40.266,-100.657,40.266,-100.657,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","Near zero visibility was reported in the blowing dust." +115186,691658,NEBRASKA,2017,April,Thunderstorm Wind,"RED WILLOW",2017-04-09 15:28:00,CST-6,2017-04-09 15:28:00,0,0,0,0,0.00K,0,0.00K,0,40.2702,-100.4211,40.2702,-100.4211,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","" +115186,691660,NEBRASKA,2017,April,Thunderstorm Wind,"RED WILLOW",2017-04-09 15:10:00,CST-6,2017-04-09 15:10:00,0,0,0,0,0.25K,250,0.00K,0,40.2,-100.62,40.2,-100.62,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","Thunderstorm winds were blowing some shingles off of the roof." +115186,691662,NEBRASKA,2017,April,High Wind,"RED WILLOW",2017-04-09 15:59:00,CST-6,2017-04-09 15:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon a cluster of thunderstorms moved east across Southwest Nebraska. These thunderstorms sent out wind gusts up to 80 MPH, with some of the wind gusts causing damage. The highest wind gust occurred in Palisade where a large hack-berry tree was split in half. Behind the cluster of storms high wind gusts of 58 MPH were measured at McCook.","These winds occurred behind the line of storms that were east of McCook." +115350,692617,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:09:00,CST-6,2017-04-02 20:09:00,0,0,0,0,,NaN,0.00K,0,26.23,-97.65,26.23,-97.65,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","Quarter size hail reported by FAA at Valley International Airport." +115350,692618,TEXAS,2017,April,Hail,"CAMERON",2017-04-02 20:33:00,CST-6,2017-04-02 20:33:00,0,0,0,0,,NaN,0.00K,0,26.21,-97.69,26.21,-97.69,"Scattered severe thunderstorms developed across the coastal counties between 730 and 8 pm, aided by the combination of weak surface convergence, light easterly flow, and the apporach of the tail of an upper level disturbance. Southward moving boundaries from earlier storms converged with very unstable air in central Willacy County fired off another severe thunderstorm, whose updraft supported and sustained hail the size of quarters to golf balls along State Highway 186 from near La Sara through Raymondville, San Perlita, and Port Mansfield. Shortly before 9 pm, another storm developed between La Feria and Harlingen, dropping quarter to golf ball sized hail to the north half of Harlingen, from near Bass Boulevard north of I-2 eastward to Loop 499 and Valley International Airport; a second round formed on the rear flank of the initial storm and dropped another round of smaller hail 15 to 30 minutes later over some of the same areas. The first Harlingen storm peaked over Rio Hondo, 7 miles east of Harlingen, between 905 and 920 pm, where hailstones up to 3.5 inches in diameter fell. Dozens of vehicles in each storm sustained damage from cracked windshields and dinged or dented exteriors, as well as roofs.","NWS employee reports half dollar size hail on the north side of Harlingen." +113831,691036,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-21 12:00:00,CST-6,2017-04-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9576,-92.623,36.9574,-92.622,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway FF was closed due to flooding at Hunter Creek." +113831,691037,MISSOURI,2017,April,Flood,"DOUGLAS",2017-04-21 12:00:00,CST-6,2017-04-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.01,-92.52,37.0102,-92.5239,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway U was closed due to flooding at Bryant Creek." +113831,691038,MISSOURI,2017,April,Flood,"WEBSTER",2017-04-21 12:30:00,CST-6,2017-04-21 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0951,-92.9251,37.0983,-92.9191,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway Z was closed due to flooding at the Finley Creek." +118649,712841,COLORADO,2017,July,Heavy Rain,"RIO BLANCO",2017-07-19 15:00:00,MST-7,2017-07-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0894,-108.7717,40.0894,-108.7717,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","A rainfall total of 1.11 inches was measured at the Rangely water treatment plant." +113831,691039,MISSOURI,2017,April,Flood,"HOWELL",2017-04-21 12:45:00,CST-6,2017-04-21 15:45:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-92.01,36.517,-92.0116,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","State Highway 142 was closed due to flooding." +113831,691040,MISSOURI,2017,April,Flood,"MCDONALD",2017-04-21 13:08:00,CST-6,2017-04-21 16:08:00,0,0,0,0,0.00K,0,0.00K,0,36.6552,-94.1799,36.6543,-94.1835,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","A former NWS employee reported flooding along Route E and Kings Hollow Road at several low water crossings." +113831,691041,MISSOURI,2017,April,Flood,"WRIGHT",2017-04-21 13:20:00,CST-6,2017-04-21 16:20:00,0,0,0,0,0.00K,0,0.00K,0,37.168,-92.5275,37.1639,-92.5287,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","MODOT reported Route AB was closed due to flooding at Wolf Creek." +113831,691042,MISSOURI,2017,April,Flood,"TANEY",2017-04-21 13:46:00,CST-6,2017-04-21 16:46:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-93.25,36.6507,-93.2495,"Multiple rounds of thunderstorms led to widespread heavy rainfall of two to four inches with isolated amounts up to five inches. Numerous low water crossings, creeks, and streams were flooded. Some main stem rivers reached minor to moderate flood stage.","Roark Valley Road was closed between Truman and Forsyth Road in Branson. Jupiter and Caudill Road were closed because of flooded low water crossings." +113499,679435,SOUTH DAKOTA,2017,April,Winter Storm,"CENTRAL BLACK HILLS",2017-04-09 18:00:00,MST-7,2017-04-10 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679438,SOUTH DAKOTA,2017,April,Winter Weather,"HAAKON",2017-04-09 23:00:00,MST-7,2017-04-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679437,SOUTH DAKOTA,2017,April,Winter Weather,"PENNINGTON CO PLAINS",2017-04-09 23:00:00,MST-7,2017-04-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679439,SOUTH DAKOTA,2017,April,Winter Weather,"OGLALA LAKOTA",2017-04-10 00:00:00,MST-7,2017-04-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +113499,679440,SOUTH DAKOTA,2017,April,Winter Storm,"JACKSON",2017-04-10 00:00:00,MST-7,2017-04-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong, fast-moving system moved across the region, bringing rain and snow to much of the area. The heaviest snow fell across the northern and central Black Hills, as upslope-enhanced precipitation produced four to eight inches of snow overnight. Another band of heavy snow developed across portions of Jackson, Mellette, and northern Tripp counties early in the morning, where some areas received four to ten inches of snow. Two to four inches of snow fell across the plains of western South Dakota.","" +114751,688831,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 15:18:00,CST-6,2017-04-05 15:18:00,0,0,0,0,0.00K,0,0.00K,0,35.5346,-86.1612,35.5346,-86.1612,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Golf ball size hail reported on I-24 at mile marker 105." +114751,688832,TENNESSEE,2017,April,Hail,"RUTHERFORD",2017-04-05 15:16:00,CST-6,2017-04-05 15:16:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-86.3,35.77,-86.3,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Facebook report of quarter size hail in the Pleasant View area." +114751,688834,TENNESSEE,2017,April,Hail,"COFFEE",2017-04-05 15:26:00,CST-6,2017-04-05 15:26:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-86.08,35.48,-86.08,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Quarter size hail was reported in Manchester." +114751,688835,TENNESSEE,2017,April,Hail,"SUMNER",2017-04-05 15:27:00,CST-6,2017-04-05 15:27:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-86.52,36.58,-86.52,"A powerful spring storm system moved across the eastern US on Wednesday, April 5, 2017. This system brought numerous severe thunderstorms to many states from the Midwest into the Southeast, with hundreds of reports of large hail, wind damage, and numerous tornadoes. Across Middle Tennessee, several supercell thunderstorms developed along and ahead of a cold front that moved west to east across the area, with dozens of reports of large hail up to golf ball size, wind damage, and two confirmed EF1 tornadoes. In addition, strong westerly gradient winds measured up to 50 mph behind the cold front caused wind damage in several areas.","Photos showed hail up to nickel size in Portland." +115521,693572,MASSACHUSETTS,2017,April,Flood,"ESSEX",2017-04-06 19:00:00,EST-5,2017-04-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6643,-71.1704,42.6647,-71.1699,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 7:58 PM EST, Beacon Street in front of West Elementary School was flooded." +115521,693579,MASSACHUSETTS,2017,April,Lightning,"DUKES",2017-04-06 18:09:00,EST-5,2017-04-06 18:10:00,0,0,0,0,15.00K,15000,0.00K,0,41.4547,-70.6036,41.4547,-70.6036,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 6:09 PM EST, Lightning struck a house in Vineyard Haven, causing damage to the roof." +115521,693571,MASSACHUSETTS,2017,April,Flood,"MIDDLESEX",2017-04-06 04:00:00,EST-5,2017-04-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5572,-71.283,42.5572,-71.2836,"A pair of storms moving up the coastal plain brought between two and five inches of rain to Massachusetts between April 4 and April 7. The rain, along with snowmelt from above freezing temperatures, caused both poor drainage flooding and main-stem river flooding.","At 4:10 PM EST, media reported that the Concord River in Billerica had risen above its banks. At 6:34 PM EST, flooding was reported on Elsie Avenue in Billerica from the Concord River." +115416,694305,GEORGIA,2017,April,Hail,"EFFINGHAM",2017-04-05 17:10:00,EST-5,2017-04-05 17:14:00,0,0,0,0,,NaN,,NaN,32.41,-81.42,32.41,-81.42,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported nickel size hail lasting 3-4 minutes on Georgia Highway 21." +115416,694306,GEORGIA,2017,April,Hail,"BRYAN",2017-04-05 17:14:00,EST-5,2017-04-05 17:15:00,0,0,0,0,,NaN,,NaN,32.14,-81.62,32.14,-81.62,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A report on social media indicated penny size hail." +115416,694307,GEORGIA,2017,April,Hail,"EFFINGHAM",2017-04-05 17:31:00,EST-5,2017-04-05 17:32:00,0,0,0,0,,NaN,,NaN,32.43,-81.26,32.43,-81.26,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported penny size hail in the Clyo and Stillwell areas." +115416,694308,GEORGIA,2017,April,Hail,"CHATHAM",2017-04-05 22:50:00,EST-5,2017-04-05 22:51:00,0,0,0,0,,NaN,,NaN,31.99,-80.85,31.99,-80.85,"Moderately unstable conditions and a highly sheared environment developed ahead of a strong cold front sweeping through the Southeast United States. As this occurred, a squall line of severe thunderstorms tracked over the region and produced large hail and damaging straight-line winds.","A trained spotter reported penny size hail near the intersection of 15th Street and 2nd Avenue." +114654,687685,IOWA,2017,April,Thunderstorm Wind,"BUTLER",2017-04-19 20:59:00,CST-6,2017-04-19 20:59:00,0,0,0,0,5.00K,5000,0.00K,0,42.75,-92.8,42.75,-92.8,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported tree damage, with extent unknown at the time. Relayed by an NWS employee. Time radar estimated." +114654,687686,IOWA,2017,April,Thunderstorm Wind,"BUTLER",2017-04-19 21:08:00,CST-6,2017-04-19 21:08:00,0,0,0,0,10.00K,10000,0.00K,0,42.79,-92.63,42.79,-92.63,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Public reported large tree down along with partial roof removed from a Morton building. Relayed by NWS employee. Time radar estimated." +114654,687687,IOWA,2017,April,Thunderstorm Wind,"BREMER",2017-04-19 21:13:00,CST-6,2017-04-19 21:13:00,0,0,0,0,30.00K,30000,0.00K,0,42.77,-92.53,42.77,-92.53,"A low pressure center located along the Kansas-Nebraska border during the morning of the 19th moved ENE toward and through Iowa that evening and overnight. Generally, two areas of storms initiated, one along the cold front through west-central and central Iowa and another further north along and ahead of the warm front. MUCAPE values within the warm sector were modest in the 1000-2000 J/kg range. Effective bulk shear was also supportive of sustaining updrafts, with values in the 40 to 60kt neighborhood. The resulting storms primarily produced a tornado report back in west central Iowa and heavy rainfall and severe wind reports through parts of central and northern Iowa. Damage reports were not associated with the warm front storms in the morning and early afternoon, instead they were associated with the cold front initiated storms during the evening hours.","Emergency manager reported a 30 foot camper tipped over by strong winds. This is a delayed report." +114759,688661,TENNESSEE,2017,April,Thunderstorm Wind,"SUMNER",2017-04-30 14:15:00,CST-6,2017-04-30 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,36.2881,-86.5959,36.2881,-86.5959,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A tSpotter Twitter photo showed a large tree fell across a power line and driveway on East Drive." +114759,688662,TENNESSEE,2017,April,Thunderstorm Wind,"WILLIAMSON",2017-04-30 14:09:00,CST-6,2017-04-30 14:09:00,0,0,0,0,2.00K,2000,0.00K,0,35.78,-86.68,35.78,-86.68,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A friend of a NWS employee reported trees were blown down in the College Grove area." +114759,688663,TENNESSEE,2017,April,Thunderstorm Wind,"SUMNER",2017-04-30 14:26:00,CST-6,2017-04-30 14:26:00,0,0,0,0,1.00K,1000,0.00K,0,36.4,-86.45,36.4,-86.45,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A Facebook report indicated a large tree branch was blown down in Gallatin." +114759,688666,TENNESSEE,2017,April,Thunderstorm Wind,"RUTHERFORD",2017-04-30 14:44:00,CST-6,2017-04-30 14:44:00,0,0,0,0,1.00K,1000,0.00K,0,35.893,-86.4147,35.893,-86.4147,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A large tree was snapped on Haynes Drive." +114759,688668,TENNESSEE,2017,April,Thunderstorm Wind,"RUTHERFORD",2017-04-30 14:42:00,CST-6,2017-04-30 14:42:00,0,0,0,0,1.00K,1000,0.00K,0,35.8884,-86.4265,35.8884,-86.4265,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","The historic McFadden cemetery tree was snapped in the Stones River Battleground." +114759,688669,TENNESSEE,2017,April,Thunderstorm Wind,"RUTHERFORD",2017-04-30 14:46:00,CST-6,2017-04-30 14:46:00,0,0,0,0,1.00K,1000,0.00K,0,35.8396,-86.3622,35.8396,-86.3622,"A QLCS (Quasi-Linear Convective System) moved from southwest to northeast across Middle Tennessee during the afternoon hours on April 30. Numerous reports of wind damage were received. Gusty south gradient winds up to 45 mph out ahead of the approaching QLCS also resulted in one death in Nashville.","A small tree was snapped on Apollo Drive near Hobgood School." +115552,693829,TEXAS,2017,April,Hail,"NOLAN",2017-04-01 15:57:00,CST-6,2017-04-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-100.54,32.45,-100.54,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693830,TEXAS,2017,April,Hail,"NOLAN",2017-04-01 16:02:00,CST-6,2017-04-01 16:05:00,0,0,0,0,0.00K,0,0.00K,0,32.46,-100.54,32.46,-100.54,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693832,TEXAS,2017,April,Hail,"RUNNELS",2017-04-01 17:28:00,CST-6,2017-04-01 17:31:00,0,0,0,0,0.00K,0,0.00K,0,31.72,-100.05,31.72,-100.05,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693833,TEXAS,2017,April,Hail,"RUNNELS",2017-04-01 17:30:00,CST-6,2017-04-01 17:33:00,0,0,0,0,0.00K,0,0.00K,0,31.76,-100.04,31.76,-100.04,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693834,TEXAS,2017,April,Hail,"RUNNELS",2017-04-01 17:35:00,CST-6,2017-04-01 17:38:00,0,0,0,0,0.00K,0,0.00K,0,31.65,-100.05,31.65,-100.05,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693835,TEXAS,2017,April,Hail,"RUNNELS",2017-04-01 17:41:00,CST-6,2017-04-01 17:44:00,0,0,0,0,0.00K,0,0.00K,0,31.74,-99.96,31.74,-99.96,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693836,TEXAS,2017,April,Hail,"RUNNELS",2017-04-01 17:40:00,CST-6,2017-04-01 17:43:00,0,0,0,0,0.00K,0,0.00K,0,31.65,-100.05,31.65,-100.05,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693838,TEXAS,2017,April,Hail,"COLEMAN",2017-04-01 19:12:00,CST-6,2017-04-01 19:15:00,0,0,0,0,0.00K,0,0.00K,0,31.75,-99.55,31.75,-99.55,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +115552,693839,TEXAS,2017,April,Hail,"TOM GREEN",2017-04-01 19:26:00,CST-6,2017-04-01 19:29:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-100.45,31.45,-100.45,"A dryline and a triple point interacted with an unstable air mass and triggered isolated supercells. One of the supercells produced large hail just south of Coleman and several other reports near Sweetwater and Ballinger.","" +117692,707753,NEW MEXICO,2017,June,Hail,"DONA ANA",2017-06-19 18:28:00,MST-7,2017-06-19 18:28:00,0,0,0,0,0.00K,0,0.00K,0,32.3825,-106.4987,32.3825,-106.4987,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to 1.25 inches and wind gusts to 68 mph were reported with these storms.","Hail reported at the White Sands Missile Range Main Post." +117694,707758,NEW MEXICO,2017,June,Thunderstorm Wind,"GRANT",2017-06-24 16:55:00,MST-7,2017-06-24 16:55:00,0,0,0,0,0.00K,0,0.00K,0,32.631,-108.1501,32.631,-108.1501,"An upper trough moved through the plains states which brought an easterly push of moisture into the region which made it to the Arizona state line. The easterly surface winds brought dew points into the 50s for the area with dry northwest flow aloft providing sufficient instability and shear for severe thunderstorms to develop.","" +117696,707763,NEW MEXICO,2017,June,Flash Flood,"SIERRA",2017-06-26 16:26:00,MST-7,2017-06-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3584,-107.6592,33.3425,-107.6597,"Good low level moisture remained over the region with morning dew points over 60F and a boundary continued to remain near the Rio Grande Valley. A weak upper level trough helped to trigger afternoon thunderstorms which produced heavy rain in northwest Sierra county which resulted in flash flooding around Winston.","Spotter reported water 4 feet deep crossing Highway 52 at the low water crossing in Winston." +116829,702540,WISCONSIN,2017,June,Hail,"CLARK",2017-06-03 16:53:00,CST-6,2017-06-03 16:53:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-90.45,44.94,-90.45,"A line of thunderstorms moved across north central Wisconsin during the late afternoon hours of June 3rd. These storms dropped dime sized hail near Curtiss in Clark County.","" +116829,702542,WISCONSIN,2017,June,Hail,"CLARK",2017-06-03 16:55:00,CST-6,2017-06-03 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-90.47,44.94,-90.47,"A line of thunderstorms moved across north central Wisconsin during the late afternoon hours of June 3rd. These storms dropped dime sized hail near Curtiss in Clark County.","" +116845,702618,MINNESOTA,2017,June,Thunderstorm Wind,"OLMSTED",2017-06-12 13:22:00,CST-6,2017-06-12 13:22:00,0,0,0,0,0.00K,0,0.00K,0,44.0506,-92.4254,44.0506,-92.4254,"A line of thunderstorms moved across southeast Minnesota during the afternoon of June 12th. These storms produced damaging winds around the Rochester area (Olmsted County) and dropped quarter sized hail in Chatfield (Fillmore County).","A 62 mph wind gust was measured on the northeast side of Rochester." +116845,702627,MINNESOTA,2017,June,Hail,"FILLMORE",2017-06-12 13:40:00,CST-6,2017-06-12 13:40:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-92.19,43.84,-92.19,"A line of thunderstorms moved across southeast Minnesota during the afternoon of June 12th. These storms produced damaging winds around the Rochester area (Olmsted County) and dropped quarter sized hail in Chatfield (Fillmore County).","Quarter sized hail was reported in Chatfield." +114130,683463,WISCONSIN,2017,April,Hail,"VILAS",2017-04-09 22:30:00,CST-6,2017-04-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,45.9526,-89.88,45.9526,-89.88,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Thunderstorms produced quarter size hail and winds estimated at 40 to 45 mph as they passed south of Lac du Flambeau." +114130,683464,WISCONSIN,2017,April,Hail,"VILAS",2017-04-09 23:02:00,CST-6,2017-04-09 23:02:00,0,0,0,0,0.00K,0,0.00K,0,46.04,-89.25,46.04,-89.25,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Nickel size hail fell at Conover." +114130,683465,WISCONSIN,2017,April,Hail,"LINCOLN",2017-04-09 23:08:00,CST-6,2017-04-09 23:08:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-89.76,45.47,-89.76,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Quarter size hail fell near Tomahawk." +114130,683466,WISCONSIN,2017,April,Hail,"ONEIDA",2017-04-09 23:30:00,CST-6,2017-04-09 23:30:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-89.43,45.63,-89.43,"Thunderstorms developed in the vicinity of a frontal boundary and an upper level disturbance. Some of the storms were severe with large hail and damaging winds. Most of the large hail was in the penny to quarter size range, but hail as large as golf ball size fell near Lac du Flambeau (Vilas Co.). Thunderstorm winds downed power lines and hundreds of trees, tore the roof from a mobile home, and heavily damaged a metal outbuilding. Microburst winds, estimated near 80 mph, downed nearly 200 trees in southwest Marathon County. A weak tornado briefly touched down in the Wausau area (Marathon Co.).","Penny size hail fell west of Rhinelander." +114227,695428,HAWAII,2017,April,Winter Weather,"BIG ISLAND SUMMIT",2017-04-29 18:00:00,HST-10,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With surface and upper air instability and abundant low-level moisture, most of the island chain was affected by heavy downpours toward the end of April. The most significant problem to occur was the reopening of a sinkhole along Piilani Highway on Maui. Otherwise, the heavy rain produced small stream and drainage ditch flooding, and ponding on roadways. There were no reports of serious property damage or injuries. Strong winds and winter weather also occurred over the summits of the Big Island.","Rangers on Mauna Kea reported a mix of snow and ice pellets with accumulations of 4 to 6 inches at the summit." +115719,695432,OHIO,2017,April,Hail,"DEFIANCE",2017-04-19 19:16:00,EST-5,2017-04-19 19:17:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-84.77,41.26,-84.77,"Scattered thunderstorms developed in the vicinity of a cold front moving slowly south into the area. 0-6 km shear on the order of 30 to 40 knots and weak instability allowed some of the storms to become severe.","" +116900,702964,WISCONSIN,2017,June,Thunderstorm Wind,"JUNEAU",2017-06-14 12:54:00,CST-6,2017-06-14 12:54:00,0,0,0,0,4.00K,4000,0.00K,0,43.88,-90.15,43.88,-90.15,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","Trees and power lines were blown down near New Lisbon." +116900,702967,WISCONSIN,2017,June,Thunderstorm Wind,"ADAMS",2017-06-14 13:27:00,CST-6,2017-06-14 13:27:00,0,0,0,0,2.00K,2000,0.00K,0,44.16,-89.62,44.16,-89.62,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","Trees were blown down northeast of Big Flats." +116900,702974,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-14 11:53:00,CST-6,2017-06-14 11:53:00,0,0,0,0,1.00K,1000,0.00K,0,43.49,-90.68,43.49,-90.68,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","A tree was blown down near Viola." +116928,703225,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:12:00,CST-6,2017-06-16 17:12:00,0,0,0,0,0.00K,0,0.00K,0,44.25,-91.5,44.25,-91.5,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Quarter sized hail fell in Arcadia." +114951,695157,OKLAHOMA,2017,April,Thunderstorm Wind,"DEWEY",2017-04-16 19:40:00,CST-6,2017-04-16 19:40:00,0,0,0,0,10.00K,10000,0.00K,0,36.153,-98.926,36.153,-98.926,"Scattered showers and thunderstorms formed out ahead of and along a front across Oklahoma on the evening of the 16th overnight into the 17th.","Thunderstorm winds destroyed an RV on the north side of Seiling. The time of the wind is estimated." +114954,695125,OKLAHOMA,2017,April,Tornado,"PONTOTOC",2017-04-25 21:13:00,CST-6,2017-04-25 21:14:00,0,0,0,0,4.00K,4000,0.00K,0,34.93,-96.694,34.932,-96.683,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","Trees and power poles were damaged in extreme northern Pontotoc County." +114954,691735,OKLAHOMA,2017,April,Tornado,"HUGHES",2017-04-25 21:50:00,CST-6,2017-04-25 21:52:00,0,0,0,0,5.00K,5000,0.00K,0,35.0763,-96.3949,35.0887,-96.3797,"As a cold front swept through into abundant moisture on the evening of the 25th, storms fired along and near the front with several of them becoming severe.","A few trees were damaged and there was some roof damage to some homes and businesses as a small tornado moved northeast across the south and east side of Holdenville." +114837,695812,VIRGINIA,2017,April,Funnel Cloud,"MECKLENBURG",2017-04-22 15:00:00,EST-5,2017-04-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-78.2,36.75,-78.2,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Public reported a funnel cloud west of South Hill." +114837,695813,VIRGINIA,2017,April,Hail,"MECKLENBURG",2017-04-22 15:02:00,EST-5,2017-04-22 15:02:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-78.13,36.73,-78.13,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Quarter size hail was reported in South Hill." +114837,695814,VIRGINIA,2017,April,Thunderstorm Wind,"MECKLENBURG",2017-04-22 14:50:00,EST-5,2017-04-22 14:50:00,0,0,0,0,2.00K,2000,0.00K,0,36.74,-78.35,36.74,-78.35,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Numerous trees were downed in the 700 block of Stony Cross Road." +114837,695815,VIRGINIA,2017,April,Thunderstorm Wind,"BRUNSWICK",2017-04-22 15:15:00,EST-5,2017-04-22 15:15:00,0,0,0,0,2.00K,2000,0.00K,0,36.71,-77.99,36.71,-77.99,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Several trees were downed on Route 58." +114837,695816,VIRGINIA,2017,April,Thunderstorm Wind,"MECKLENBURG",2017-04-22 15:12:00,EST-5,2017-04-22 15:12:00,0,0,0,0,2.00K,2000,0.00K,0,36.7,-78.04,36.7,-78.04,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Numerous trees were downed." +114837,695817,VIRGINIA,2017,April,Thunderstorm Wind,"GREENSVILLE",2017-04-22 15:50:00,EST-5,2017-04-22 15:50:00,0,0,0,0,2.00K,2000,0.00K,0,36.75,-77.64,36.75,-77.64,"Scattered severe thunderstorms along a frontal boundary produced damaging winds and large hail across portions of south central Virginia.","Trees were downed along Route 58." +115771,698136,GEORGIA,2017,April,Tornado,"HOUSTON",2017-04-03 12:35:00,EST-5,2017-04-03 12:45:00,0,0,0,0,100.00K,100000,,NaN,32.65,-83.7088,32.6545,-83.6079,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 93 MPH and a maximum path width of 600 yards moved east into Houston County from Peach County. The tornado entered the county along US Highway 41 at the intersection with Dunbar Road. The tornado continued eastward across northern sections of Centerville and Warner Robins before ending just east of Highway 129 near the northern end of Robins AFB. The primary damage along this path was snapped or uprooted trees. A few of these trees struck homes causing damage. No injuries were reported. [04/03/17: Tornado #16, County #2/2, EF-1, Peach, Houston, 2017:048]." +115771,698134,GEORGIA,2017,April,Tornado,"PEACH",2017-04-03 12:30:00,EST-5,2017-04-03 12:35:00,0,0,0,0,75.00K,75000,,NaN,32.6576,-83.7657,32.65,-83.7088,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 93 MPH and a maximum path width of 600 yards touched down in west Byron. The tornado moved east, crossing I-75 and travelling east along Dunbar Road before crossing US Highway 41 into Houston County. The primary damage along this path was snapped or uprooted trees. A few of these trees struck homes causing damage. No injuries were reported. [04/03/17: Tornado #16, County #1/2, EF-1, Peach, Houston, 2017:048]." +115771,698141,GEORGIA,2017,April,Tornado,"TWIGGS",2017-04-03 12:56:00,EST-5,2017-04-03 13:04:00,0,0,0,0,30.00K,30000,,NaN,32.6682,-83.5264,32.6682,-83.4267,"A strong short wave and associated surface low swept through the southern and eastern U.S. and combined with moderate instability and strong shear resulted in widespread severe weather, including numerous tornadoes, across north and central Georgia from late morning through the afternoon.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 93 MPH and a maximum path width of 440 yards touched down in Twiggs County about 4 miles northeast of Robins AFB long US Highway 129-Alt. The tornado travelled east crossing Alton White Boulevard and Friendship Church Road. The tornado than followed along Bullard Road crossing I-16 before lifting just past Marion Ripley Road. This tornado remained over rural, wooded country and damage consisted of numerous hardwood and softwood trees snapped or uprooted. No injuries were reported. [04/03/17: Tornado #18, County #1/1, EF-1, Twiggs, 2017:050]." +114061,691204,MONTANA,2017,April,High Wind,"FLATHEAD/MISSION VALLEYS",2017-04-07 10:45:00,MST-7,2017-04-07 16:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Strong wind gusts from showers and thunderstorms caused significant tree damage, as well as localized roof and sign damage across western Montana. Kalispell, Missoula and the Polson Kerr Dam climate stations reported all-time record precipitation for the combined February and March months, and it is thought the saturated soils from this contributed to the tree damage. Stronger than normal mid-level winds caused very fast moving storms. This resulted in outflow winds being stronger than what would normally be expected from the relatively moderate strength storms.","Close to seventeen incidents of fallen trees with various damage from strong gusty winds over 50 mph were reported across the Flathead Valley and Flathead Lake areas. Damages included signs, a totaled porch, power lines down and damage to several roofs including one that was partially torn off." +114061,691217,MONTANA,2017,April,Strong Wind,"KOOTENAI/CABINET REGION",2017-04-07 10:45:00,MST-7,2017-04-07 16:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong wind gusts from showers and thunderstorms caused significant tree damage, as well as localized roof and sign damage across western Montana. Kalispell, Missoula and the Polson Kerr Dam climate stations reported all-time record precipitation for the combined February and March months, and it is thought the saturated soils from this contributed to the tree damage. Stronger than normal mid-level winds caused very fast moving storms. This resulted in outflow winds being stronger than what would normally be expected from the relatively moderate strength storms.","Two incidents of trees blocking the road and two power outages were reported from Libby to Kila due to strong wind gusts." +114061,691218,MONTANA,2017,April,Strong Wind,"POTOMAC / SEELEY LAKE REGION",2017-04-07 10:45:00,MST-7,2017-04-07 16:30:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Strong wind gusts from showers and thunderstorms caused significant tree damage, as well as localized roof and sign damage across western Montana. Kalispell, Missoula and the Polson Kerr Dam climate stations reported all-time record precipitation for the combined February and March months, and it is thought the saturated soils from this contributed to the tree damage. Stronger than normal mid-level winds caused very fast moving storms. This resulted in outflow winds being stronger than what would normally be expected from the relatively moderate strength storms.","A local resort in Seeley Lake reported strong winds that caused several trees to fall on their property." +115775,695986,GEORGIA,2017,April,Tornado,"TALBOT",2017-04-27 12:46:00,EST-5,2017-04-27 12:47:00,0,0,0,0,7.00K,7000,,NaN,32.6793,-84.3512,32.6822,-84.3434,"Afternoon heating combined with ample, deep moisture over the region resulted in a moderately unstable atmosphere across the area by late afternoon. This unstable atmosphere combined with moderate shear and a strong cold front sweeping through north and central Georgia to produce a few severe thunderstorms and an isolated tornado across portions of central Georgia.","A National Weather Service survey team found a long-track tornado path across southeast Talbot County that briefly crossed into Taylor County before crossing back into Talbot County and ending. The entire path length was nearly 22 miles and the maximum path width was 700 yards. The tornado crossed back into Talbot County and continued northeast for a half mile as an EF-0 with maximum wind speed around 80 MPH and a maximum width around 100 yards causing mainly minor damage to softwood trees before ending. No injuries were reported. [04/27/17: Tornado #1/1, County #3/3, EF-0, Talbot, Taylor, Talbot, 2017:067]." +117479,706538,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-19 12:17:00,EST-5,2017-06-19 12:17:00,0,0,0,0,,NaN,,NaN,42.5125,-73.6007,42.5125,-73.6007,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Trees were reported down along Route 20 in Nassau due to thunderstorm winds." +117479,706539,NEW YORK,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-19 12:40:00,EST-5,2017-06-19 12:40:00,0,0,0,0,,NaN,,NaN,43.31,-73.56,43.31,-73.56,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Multiple trees and power poles were snapped at the intersection of Route 196 and Burgoyne Avenue in Hudson Falls due to thunderstorm winds." +117479,706540,NEW YORK,2017,June,Thunderstorm Wind,"ALBANY",2017-06-19 14:15:00,EST-5,2017-06-19 14:15:00,0,0,0,0,,NaN,,NaN,42.649,-73.9355,42.649,-73.9355,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Route 85A was closed westbound in the village of Voorheesville due to downed power lines from thunderstorm winds." +117479,706541,NEW YORK,2017,June,Thunderstorm Wind,"ULSTER",2017-06-19 14:15:00,EST-5,2017-06-19 14:15:00,0,0,0,0,,NaN,,NaN,41.74,-74.09,41.74,-74.09,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Two trees were reported down in New Paltz due to thunderstorm winds." +117479,706542,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 14:45:00,EST-5,2017-06-19 14:45:00,0,0,0,0,,NaN,,NaN,41.87,-73.72,41.87,-73.72,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Trees and wires were reported down in the town of Stanford." +119520,721791,FLORIDA,2017,September,Hurricane,"COASTAL SARASOTA",2017-09-10 07:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,2.73M,2730000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. ||The total property damage from Irma in Sarasota County was estimated at $262.5 million, including $261.21 million in individual assistance claims and $1.29 million in public assistance claims, of which, $236 million was estimated to be caused by wind damage in coastal portions of Sarasota County." +116419,700061,CALIFORNIA,2017,June,Hail,"EL DORADO",2017-06-11 22:30:00,PST-8,2017-06-11 22:40:00,0,0,0,0,1.00K,1000,0.00K,0,38.9,-120.83,38.9,-120.83,"A cold low from western Canada brought wintry storm conditions to the mountains, as well as hail and funnel clouds to the foothills and Central Valley. Additional rain also caused mudslides in already saturated mountain locations.","Large amounts of small hail were reported covering the ground like snow in Georgetown. Photos on Twitter also showed hail completely covering the ground at nearby Garden Valley. This hail created very slippery driving conditions on area roads." +116419,700605,CALIFORNIA,2017,June,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-06-12 00:00:00,PST-8,2017-06-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold low from western Canada brought wintry storm conditions to the mountains, as well as hail and funnel clouds to the foothills and Central Valley. Additional rain also caused mudslides in already saturated mountain locations.","There was a 24 hour total of 6 of snow reported by Caltrans at Donner Pass, 5 at Kingvale. There was 4 of snow reported at Squaw Valley Ski Resort. This late season snow event brought chain controls and travel slow downs over the Sierra passes." +117402,706068,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 19:16:00,CST-6,2017-06-23 19:16:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.5,31.37,-100.5,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","At 8:16 PM CDT, the San Angelo ASOS at Mathis Field measured a sustained wind of 58 mph with a gust to 77 mph from the north northwest." +117400,706037,TEXAS,2017,June,Flash Flood,"THROCKMORTON",2017-06-02 08:41:00,CST-6,2017-06-02 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-99.18,33.1455,-99.1784,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","U.S. Highway 183 about 2 miles south of Throckmorton was closed because of high water according to the Texas Department of Transportation's Highway Department." +117444,706313,TEXAS,2017,June,Thunderstorm Wind,"FISHER",2017-06-23 15:55:00,CST-6,2017-06-23 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.8799,-100.1927,32.8799,-100.1927,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","Fisher County Sheriff's office reported 5 power poles blown down on Farm to Market Road 540 and 1 power pole down on State Highway 92." +117691,707739,TEXAS,2017,June,Hail,"EL PASO",2017-06-19 17:11:00,MST-7,2017-06-19 17:11:00,0,0,0,0,0.00K,0,0.00K,0,31.8835,-106.5715,31.8835,-106.5715,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","" +117691,707742,TEXAS,2017,June,Hail,"EL PASO",2017-06-19 17:09:00,MST-7,2017-06-19 17:09:00,0,0,0,0,0.00K,0,0.00K,0,31.9397,-106.4484,31.9397,-106.4484,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","" +117691,707748,TEXAS,2017,June,Flash Flood,"EL PASO",2017-06-19 17:22:00,MST-7,2017-06-19 18:30:00,0,0,0,0,0.00K,0,0.00K,0,31.9051,-106.6359,31.9047,-106.5866,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","Water rushing over the curbs and into yards in Canutillo." +119520,721951,FLORIDA,2017,September,Tropical Storm,"COASTAL HERNANDO",2017-09-10 21:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,0.50M,500000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected.||The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County." +117691,707766,TEXAS,2017,June,Hail,"HUDSPETH",2017-06-19 16:00:00,MST-7,2017-06-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1632,-105.7098,31.1632,-105.7098,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","" +117071,707767,WISCONSIN,2017,June,Flash Flood,"LAFAYETTE",2017-06-28 19:00:00,CST-6,2017-06-28 21:15:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-90.42,42.75,-89.851,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Over 3 hours of heavy rainfall from thunderstorms caused flash flooding. Many roads were closed due to water running across them. The flooding was concentrated in the southeastern portion of the county. Radar rainfall estimates were up to 7 inches in some spots." +117071,707725,WISCONSIN,2017,June,Thunderstorm Wind,"IOWA",2017-06-28 16:57:00,CST-6,2017-06-28 16:57:00,0,0,0,0,60.00K,60000,0.00K,0,42.92,-90.41,42.92,-90.41,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several wooden electrical transmission lines were downed or snapped along highway 80 as a strong line of thunderstorms moved through the area." +117353,707893,WISCONSIN,2017,June,Flood,"WAUPACA",2017-06-12 18:03:00,CST-6,2017-06-12 18:35:00,0,0,0,0,1.00K,1000,0.00K,0,44.62,-88.75,44.6245,-88.7569,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused street flooding in Clintonville." +117353,707891,WISCONSIN,2017,June,Flood,"WAUSHARA",2017-06-12 17:15:00,CST-6,2017-06-12 17:45:00,0,0,0,0,1.00K,1000,0.00K,0,44.0753,-89.295,44.0732,-89.2846,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused some street flooding in Wautoma." +117353,707897,WISCONSIN,2017,June,Flood,"WINNEBAGO",2017-06-12 17:45:00,CST-6,2017-06-12 18:30:00,0,0,0,0,2.00K,2000,0.00K,0,44.0103,-88.5803,43.9449,-88.579,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused flooding near Interstate 41 at 9th Avenue and at State Highway 26." +117353,707900,WISCONSIN,2017,June,Flood,"MANITOWOC",2017-06-12 19:15:00,CST-6,2017-06-12 19:55:00,0,0,0,0,1.00K,1000,0.00K,0,44.0709,-87.6634,44.0888,-87.664,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused minor urban flooding in Manitowoc." +115300,692222,COLORADO,2017,June,Hail,"LOGAN",2017-06-07 15:09:00,MST-7,2017-06-07 15:09:00,0,0,0,0,,NaN,,NaN,40.58,-103.21,40.58,-103.21,"Severe thunderstorms produced hail up to quarter size over the northeast plains. A tornado also touched down briefly in open country.","" +115300,692224,COLORADO,2017,June,Tornado,"WASHINGTON",2017-06-07 17:28:00,MST-7,2017-06-07 17:33:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-103.34,39.95,-103.34,"Severe thunderstorms produced hail up to quarter size over the northeast plains. A tornado also touched down briefly in open country.","A tornado touched down briefly in open country, no damage was observed." +115239,691894,COLORADO,2017,June,Thunderstorm Wind,"ARAPAHOE",2017-06-05 13:38:00,MST-7,2017-06-05 13:38:00,0,0,0,0,,NaN,,NaN,39.73,-104.4,39.73,-104.4,"A thunderstorm produced damaging downburst winds which snapped a power pole. A weak short-lived landspout also touched down and tossed around some lawn furniture.","Intense downburst winds snapped a power pole near the interchange of Interstate 70 and US 36." +115239,691895,COLORADO,2017,June,Thunderstorm Wind,"ARAPAHOE",2017-06-05 13:32:00,MST-7,2017-06-05 13:32:00,0,0,0,0,,NaN,,NaN,39.74,-104.43,39.74,-104.43,"A thunderstorm produced damaging downburst winds which snapped a power pole. A weak short-lived landspout also touched down and tossed around some lawn furniture.","" +115462,693324,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:15:00,MST-7,2017-06-12 13:15:00,0,0,0,0,,NaN,,NaN,40.41,-105.01,40.41,-105.01,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115239,691891,COLORADO,2017,June,Tornado,"ARAPAHOE",2017-06-05 13:32:00,MST-7,2017-06-05 13:34:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-104.44,39.72,-104.44,"A thunderstorm produced damaging downburst winds which snapped a power pole. A weak short-lived landspout also touched down and tossed around some lawn furniture.","A weak landspout touched down briefly and tossed around some lawn furniture." +117879,708406,NORTH DAKOTA,2017,June,Funnel Cloud,"MOUNTRAIL",2017-06-29 15:23:00,CST-6,2017-06-29 15:25:00,0,0,0,0,0.00K,0,0.00K,0,47.95,-102.13,47.95,-102.13,"Thunderstorms developed along and near a cold front as it moved through western North Dakota in the afternoon. One thunderstorm produced one inch diameter hail in Mountrail County, while another produced a funnel cloud.","" +115458,693353,NORTH DAKOTA,2017,June,Hail,"FOSTER",2017-06-09 19:35:00,CST-6,2017-06-09 19:38:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-99.13,47.45,-99.13,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693354,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-09 19:38:00,CST-6,2017-06-09 19:40:00,0,0,0,0,0.00K,0,0.00K,0,46.91,-98.71,46.91,-98.71,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693355,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-09 20:01:00,CST-6,2017-06-09 20:03:00,0,0,0,0,0.00K,0,0.00K,0,47.23,-98.56,47.23,-98.56,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117611,707252,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 15:43:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1891,-101.8738,35.1891,-101.8733,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Severe flooding at paramount and church Ave. Cars starting to move by the water. About 6 inches." +117611,707253,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:00:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1893,-101.8841,35.1892,-101.8841,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Vehicle rescue at 2200 block of S Western." +117611,707254,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:00:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1948,-101.9213,35.1948,-101.922,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Vehicle rescues going on at Coulter and Wallace." +117611,707255,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:00:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1946,-101.8663,35.1935,-101.8664,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Fast flowing water down Georgia. Water almost into businesses." +117611,707256,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:05:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1263,-101.9382,35.1264,-101.9378,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Covered roads at 335 and SW 81st some areas around the road are under 2ft of water. Low lying areas filling up and running off onto Soncy. Emergency vehicles are blocking intersections." +117611,707258,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:10:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1933,-101.8819,35.1927,-101.882,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","High water rescue near Tascosa high school." +117947,709010,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-21 20:13:00,CST-6,2017-06-21 20:13:00,0,0,0,0,0.00K,0,0.00K,0,36.24,-101.81,36.24,-101.81,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Trained Spotter estimated 65 mph wind gust." +117947,709011,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-21 20:32:00,CST-6,2017-06-21 20:32:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-101.81,36.28,-101.81,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Late report of thunderstorm wind gusts between 65 to 70 mph." +117947,709012,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-21 20:55:00,CST-6,2017-06-21 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.49,-101.81,36.49,-101.81,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Late report of thunderstorm wind gust 60 to 70 mph. Gusts constantly high between 1030 and 1100 PM." +117947,709013,TEXAS,2017,June,Thunderstorm Wind,"HANSFORD",2017-06-21 21:08:00,CST-6,2017-06-21 21:08:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-101.48,36.06,-101.48,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117950,709017,OKLAHOMA,2017,June,Hail,"CIMARRON",2017-06-25 17:15:00,CST-6,2017-06-25 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-102.25,36.81,-102.25,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report from Cimmaron County EM, baseball sized hail reported. Structural and tree damage sustained throughout Keyes, due to wind and large hail." +111785,666758,MISSOURI,2017,January,Ice Storm,"SULLIVAN",2017-01-15 15:00:00,CST-6,2017-01-16 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +111785,666759,MISSOURI,2017,January,Ice Storm,"LINN",2017-01-15 15:00:00,CST-6,2017-01-16 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117139,705981,OKLAHOMA,2017,June,Hail,"PAWNEE",2017-06-18 05:43:00,CST-6,2017-06-18 05:43:00,0,0,0,0,10.00K,10000,0.00K,0,36.27,-96.84,36.27,-96.84,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","" +117140,705986,OKLAHOMA,2017,June,Thunderstorm Wind,"MUSKOGEE",2017-06-30 17:14:00,CST-6,2017-06-30 17:14:00,0,0,0,0,0.00K,0,0.00K,0,35.529,-95.3,35.529,-95.3,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","Strong thunderstorm wind uprooted trees and snapped numerous large tree limbs." +117139,705963,OKLAHOMA,2017,June,Thunderstorm Wind,"OTTAWA",2017-06-17 06:36:00,CST-6,2017-06-17 06:36:00,0,0,0,0,0.00K,0,0.00K,0,36.6931,-94.9625,36.6931,-94.9625,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind blew down a tree." +117751,707975,MICHIGAN,2017,June,Thunderstorm Wind,"MONROE",2017-06-22 17:47:00,EST-5,2017-06-22 17:47:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-83.44,41.91,-83.44,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Multiple trees reported down." +111785,674607,MISSOURI,2017,January,Ice Storm,"WORTH",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117767,708045,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 00:46:00,CST-6,2017-06-24 00:46:00,0,0,0,0,0.00K,0,0.00K,0,35,-101.95,35,-101.95,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","" +117767,708046,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 00:47:00,CST-6,2017-06-24 00:47:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.94,34.98,-101.94,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","" +111787,666763,MISSOURI,2017,January,Freezing Fog,"PLATTE",2017-01-18 03:00:00,CST-6,2017-01-18 09:00:00,0,1,0,1,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Freezing fog overnight and into the morning hours of January 18, 2017 caused several accidents on local roadways. The most notable incident occurred when a vehicle slid into another vehicle, causing one fatality and one injury.","A 51 year old male was killed around 7:30 am on January 18 when his car slid across a slick roadway and collided with another oncoming vehicle. The driver was eastbound on HWY 92 near Bethel Road, when his 1987 Chevrolet El Camino slid across the roadway and collided with a 2000 Buick Century. The man in the El Camino died, while the 33 year old male in the Buick was rushed to the hospital with non-life threatening injuries." +117767,708047,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 01:02:00,CST-6,2017-06-24 01:02:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.92,34.98,-101.92,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","" +117767,708048,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 01:14:00,CST-6,2017-06-24 01:14:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.87,34.98,-101.87,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","" +118066,709611,LAKE ST CLAIR,2017,June,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-06-30 16:50:00,EST-5,2017-06-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,42.6105,-82.8318,42.6105,-82.8318,"Thunderstorms moving through Lake St. Clair and Detroit River produced wind gusts around 60 mph.","" +116139,698077,CALIFORNIA,2017,June,High Wind,"OWENS VALLEY",2017-06-11 15:42:00,PST-8,2017-06-11 15:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually deep late season trough brought unusually strong winds and cool temperatures to the Mojave Desert.","This gust occurred 4 miles NW of Independence." +116140,698078,NEVADA,2017,June,High Wind,"WESTERN CLARK/SOUTHERN NYE",2017-06-11 13:19:00,PST-8,2017-06-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually deep late season trough brought unusually strong winds and cool temperatures to the Mojave Desert.","High winds occurred at the Mercury-Desert Rock ASOS and 13 miles NW of Mercury." +117364,705786,MASSACHUSETTS,2017,June,Lightning,"MIDDLESEX",2017-06-23 13:13:00,EST-5,2017-06-23 13:13:00,0,0,0,0,1.00K,1000,0.00K,0,42.458,-71.2636,42.458,-71.2636,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 113 pm EST, in Lexington, a tree was brought down due to lightning. The tree was on Wood Street near M.I.T. Lincoln Labs." +117364,705796,MASSACHUSETTS,2017,June,Lightning,"MIDDLESEX",2017-06-23 13:14:00,EST-5,2017-06-23 13:14:00,0,0,0,0,2.00K,2000,0.00K,0,42.5584,-71.1868,42.5584,-71.1868,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 114 pm EST, lightning struck a residence at Brand Avenue in Wilmington, MA." +117364,705822,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:18:00,EST-5,2017-06-23 13:18:00,0,0,0,0,5.00K,5000,0.00K,0,42.6063,-71.0893,42.6063,-71.0893,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 118 PM EST, trees and wires were down on Jenkins Road at the entrance of Camp Evergreen Day Camp in Andover, MA." +117364,705832,MASSACHUSETTS,2017,June,Thunderstorm Wind,"ESSEX",2017-06-23 13:37:00,EST-5,2017-06-23 13:37:00,0,0,0,0,1.00K,1000,0.00K,0,42.7626,-71.0475,42.7626,-71.0475,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 137 PM EST, a tree was down and blocking one lane of Lincoln Avenue in Haverhill, MA." +117373,709387,MASSACHUSETTS,2017,June,Hail,"ESSEX",2017-06-27 16:34:00,EST-5,2017-06-27 16:34:00,0,0,0,0,0.00K,0,0.00K,0,42.5946,-71.0163,42.5946,-71.0163,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 434 PM EST, nickel size hail was covering the ground and making roads slick in Middleton, MA." +117373,709417,MASSACHUSETTS,2017,June,Thunderstorm Wind,"WORCESTER",2017-06-27 18:26:00,EST-5,2017-06-27 18:26:00,0,0,0,0,4.00K,4000,0.00K,0,42.5699,-72.2709,42.5699,-72.2709,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 626 PM EST, in Athol, trees and wires were down on Partridgeville Road and Daniel Shays Highway. Tree and wires were also down on Chestnut Hill Avenue." +117373,709418,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-27 19:55:00,EST-5,2017-06-27 19:55:00,0,0,0,0,1.00K,1000,0.00K,0,42.3222,-71.2314,42.3222,-71.2314,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 755 PM EST, a tree was down on Devonshire Road in Newton." +117324,705632,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 14:50:00,CST-6,2017-06-20 15:05:00,0,0,0,0,0.00K,0,0.00K,0,39.3526,-100.3031,39.3526,-100.3031,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +115430,695714,MINNESOTA,2017,June,Hail,"KANDIYOHI",2017-06-11 06:10:00,CST-6,2017-06-11 06:10:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-95.18,45.15,-95.18,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,697432,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:25:00,CST-6,2017-06-11 07:25:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-93.75,44.94,-93.75,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A 20 inch diameter tree was blown down." +112039,668166,GEORGIA,2017,January,Winter Storm,"COBB",2017-01-06 19:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The public reported at least 1.5 inches of sleet in the Mount Bethel and Lost Mountain areas as well as a quarter of an inch of freezing rain in Marietta. Several CoCoRaHS reports of a half inch or less of snow were received." +112039,668167,GEORGIA,2017,January,Winter Weather,"COWETA",2017-01-06 22:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several reports of around a tenth of an inch of freezing rain were received from CoCoRaHS observers and the public in the Newnan and Senoia areas." +112039,668168,GEORGIA,2017,January,Winter Weather,"DAWSON",2017-01-06 17:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Dawson County Emergency Manager reported 2 inches of snow in Dawsonville." +112039,668169,GEORGIA,2017,January,Winter Storm,"DE KALB",2017-01-06 20:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several reports of a quarter on an inch of freezing rain were received from the public in the Decatur, Northwoods and Emory areas, inckuding .24 inches from the ASOS at DeKalb-Peachtree Airport, KPDK. Several CoCoRaHS reports of a quarter of an inch or less of snow were received from the Tucker and Decatur areas." +112039,668170,GEORGIA,2017,January,Winter Storm,"DOUGLAS",2017-01-06 20:30:00,EST-5,2017-01-07 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Douglas County Emergency Manager and the public reported around a quarter of an inch of freezing rain." +122259,732035,IOWA,2017,December,Winter Storm,"JONES",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from 2.7 inches from a COOP observer in Cascade to a trained spotter report of 3.5 inches in Wyoming." +122259,732042,IOWA,2017,December,Winter Storm,"CEDAR",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from a COOP observer report of 4.3 inches in Lowden to a trained spotter estimate of 6.0 inches in Tipton." +122259,732045,IOWA,2017,December,Winter Storm,"MUSCATINE",2017-12-29 07:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from an estimate of 6.0 inches 1 mile east northeast of Muscatine to 6.5 inches southwest of Muscatine." +117481,706572,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-19 15:22:00,EST-5,2017-06-19 15:22:00,0,0,0,0,,NaN,,NaN,42.1018,-73.2505,42.1018,-73.2505,"A cold front tracked east across western Massachusetts during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees were reported down in New Marlborough due to thunderstorm winds." +122259,732049,IOWA,2017,December,Winter Storm,"CLINTON",2017-12-29 07:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","A COOP observer in Clinton reported 2.6 inches of snow." +122259,732051,IOWA,2017,December,Winter Weather,"DUBUQUE",2017-12-29 07:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","The official NWS observation at the Dubuque Regional Airport was 1.9 inches. A trained spotter in Cascade reported 3.0 inches." +122259,732053,IOWA,2017,December,Winter Weather,"DELAWARE",2017-12-29 06:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from 1.8 inches south of Edgewood to a COOP observer report of 2.8 inches in Manchester." +122259,732055,IOWA,2017,December,Winter Weather,"JACKSON",2017-12-29 07:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","A COOP observer 4 miles west of Maquoketa reported 2.1 inches of snow." +122259,732056,IOWA,2017,December,Winter Weather,"KEOKUK",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","COOP observer snowfall reports ranged from 0.8 inches at Sigourney to 3.0 inches near North English." +122259,732057,IOWA,2017,December,Winter Weather,"WASHINGTON",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from a COOP observer report of 1.7 inches in Washington to a trained spotter reported of 3.0 inches in Crawfordsville." +118153,710110,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:29:00,CST-6,2017-06-13 19:29:00,0,0,0,0,,NaN,0.00K,0,45.46,-96.44,45.46,-96.44,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Multiple trees were uprooted and snapped in Clinton by estimated eighty mph winds." +118153,710111,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.28,-96.24,45.28,-96.24,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds dented several grain bins, took off a section of a machine shed roof, tipped over a grain auger, along with breaking some windows." +118153,710112,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.37,-96.33,45.37,-96.33,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Seventy mph winds damaged an outbuilding." +118153,710115,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.55,-96.34,45.55,-96.34,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Seventy mph winds caused minor damage to the roof of a barn." +118153,710116,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.58,-96.34,45.58,-96.34,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds completely destroyed an open faced shed." +118153,710117,MINNESOTA,2017,June,Thunderstorm Wind,"TRAVERSE",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.59,-96.33,45.59,-96.33,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Large tree branches were downed by sixty-five mph winds." +117877,710072,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:29:00,CST-6,2017-06-13 18:29:00,0,0,0,0,,NaN,0.00K,0,45.31,-97.63,45.31,-97.63,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Ninety mph winds or higher downed numerous trees with a storage shed completely destroyed." +117877,710073,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:31:00,CST-6,2017-06-13 18:31:00,0,0,0,0,,NaN,0.00K,0,45.34,-97.65,45.34,-97.65,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Several power poles were downed by an estimated ninety mph winds." +117877,710074,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:32:00,CST-6,2017-06-13 18:32:00,0,0,0,0,,NaN,0.00K,0,45.34,-97.52,45.34,-97.52,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","An estimated seventy-five mph wind downed several power lines in Webster." +121151,725288,MINNESOTA,2017,December,Blizzard,"RED LAKE",2017-12-04 10:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121151,725289,MINNESOTA,2017,December,Blizzard,"NORMAN",2017-12-04 12:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +115959,696910,MINNESOTA,2017,June,Thunderstorm Wind,"HUBBARD",2017-06-10 01:08:00,CST-6,2017-06-10 01:08:00,0,0,0,0,200.00K,200000,,NaN,47.17,-94.7,47.17,-94.7,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Numerous trees were blown down around Kabekona Lake and across southern Lakeport Township. Peak winds were estimated from 85 to 95 mph." +115959,696907,MINNESOTA,2017,June,Hail,"CLEARWATER",2017-06-10 00:45:00,CST-6,2017-06-10 00:45:00,0,0,0,0,500.00K,500000,,NaN,47.21,-95.21,47.21,-95.21,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The hail fell at Itasca State Park and was reported via social media." +115967,696979,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,200.00K,200000,,NaN,45.94,-96.81,45.94,-96.81,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Vehicle windows were broken by wind driven gravel. Several trees were also blown down in the area." +115967,696980,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,200.00K,200000,,NaN,46.05,-96.6,46.05,-96.6,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Trees and buildings were damaged by the strong wind." +115967,696985,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 19:45:00,CST-6,2017-06-13 19:45:00,0,0,0,0,200.00K,200000,,NaN,46.14,-96.6,46.14,-96.6,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A grain bin and building were damaged." +115430,696133,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:18:00,CST-6,2017-06-11 06:18:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-94.88,44.95,-94.88,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines were blown down." +121151,725291,MINNESOTA,2017,December,Blizzard,"CLAY",2017-12-04 12:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121152,725292,MINNESOTA,2017,December,Winter Storm,"LAKE OF THE WOODS",2017-12-04 12:00:00,CST-6,2017-12-04 23:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +118191,710280,NEW YORK,2017,June,Thunderstorm Wind,"STEUBEN",2017-06-18 18:20:00,EST-5,2017-06-18 18:30:00,0,0,0,0,6.00K,6000,0.00K,0,42.16,-77.09,42.16,-77.09,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees. Trees were also knocked over in the locations of Riverside and Hornby." +118191,710281,NEW YORK,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-18 18:30:00,EST-5,2017-06-18 18:40:00,0,0,0,0,4.00K,4000,0.00K,0,42.31,-76.82,42.31,-76.82,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118191,710282,NEW YORK,2017,June,Thunderstorm Wind,"CAYUGA",2017-06-18 18:35:00,EST-5,2017-06-18 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,42.83,-76.4,42.83,-76.4,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118191,710283,NEW YORK,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-18 18:35:00,EST-5,2017-06-18 18:45:00,0,0,0,0,4.00K,4000,0.00K,0,42.47,-76.77,42.47,-76.77,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118191,710284,NEW YORK,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-18 18:50:00,EST-5,2017-06-18 19:00:00,0,0,0,0,8.00K,8000,0.00K,0,42.28,-76.97,42.28,-76.97,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and wires." +116086,697720,COLORADO,2017,June,Hail,"PROWERS",2017-06-29 16:50:00,MST-7,2017-06-29 16:55:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-102.72,38.27,-102.72,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697721,COLORADO,2017,June,Hail,"PROWERS",2017-06-29 16:55:00,MST-7,2017-06-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-102.72,38.21,-102.72,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697722,COLORADO,2017,June,Hail,"KIOWA",2017-06-29 15:49:00,MST-7,2017-06-29 15:54:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-103.11,38.47,-103.11,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697723,COLORADO,2017,June,Hail,"PROWERS",2017-06-29 17:43:00,MST-7,2017-06-29 17:48:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-102.72,38.21,-102.72,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697724,COLORADO,2017,June,Hail,"PROWERS",2017-06-29 18:11:00,MST-7,2017-06-29 18:16:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-102.07,37.81,-102.07,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697725,COLORADO,2017,June,Hail,"BENT",2017-06-29 18:25:00,MST-7,2017-06-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.16,-102.84,38.16,-102.84,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697726,COLORADO,2017,June,Hail,"PROWERS",2017-06-29 18:56:00,MST-7,2017-06-29 19:01:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-102.61,37.82,-102.61,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697727,COLORADO,2017,June,Hail,"BACA",2017-06-29 19:30:00,MST-7,2017-06-29 19:35:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-102.39,37.56,-102.39,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697728,COLORADO,2017,June,Hail,"BACA",2017-06-29 19:57:00,MST-7,2017-06-29 20:02:00,0,0,0,0,0.00K,0,0.00K,0,37.43,-102.2,37.43,-102.2,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697729,COLORADO,2017,June,Hail,"BACA",2017-06-29 19:56:00,MST-7,2017-06-29 20:01:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-102.28,37.39,-102.28,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697730,COLORADO,2017,June,Hail,"BACA",2017-06-29 20:13:00,MST-7,2017-06-29 20:18:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-102.19,37.29,-102.19,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +115547,705926,WISCONSIN,2017,June,Thunderstorm Wind,"MANITOWOC",2017-06-14 15:15:00,CST-6,2017-06-14 15:15:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-87.66,44.08,-87.66,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed several trees in Manitowoc." +115547,705928,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-14 13:38:00,CST-6,2017-06-14 13:38:00,0,0,0,0,0.00K,0,0.00K,0,44.04,-89.3,44.04,-89.3,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorms produced a wind gust to 59 mph at Wautoma Municipal Airport." +115547,705927,WISCONSIN,2017,June,Thunderstorm Wind,"DOOR",2017-06-14 16:00:00,CST-6,2017-06-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-87.38,44.83,-87.38,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds caused widespread tree damage across Door County." +115547,705929,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-14 13:50:00,CST-6,2017-06-14 13:50:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-89.25,44.18,-89.25,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A thunderstorm produced a wind gust to 65 mph in Wild Rose." +115547,705930,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-14 14:09:00,CST-6,2017-06-14 14:09:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-89.13,44.46,-89.13,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A thunderstorm wind gust to 60 mph was measured in Scandinavia." +115547,705932,WISCONSIN,2017,June,Thunderstorm Wind,"CALUMET",2017-06-14 14:32:00,CST-6,2017-06-14 14:32:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-88.4,44.23,-88.4,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorms produced an estimated 65 mph wind gust south of Appleton." +115547,705931,WISCONSIN,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 15:09:00,CST-6,2017-06-14 15:09:00,0,0,0,0,0.00K,0,0.00K,0,44.66,-88.23,44.66,-88.23,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A thunderstorm produced a wind gust to 64 mph in Pulaski." +118222,710634,MONTANA,2017,June,Drought,"DAWSON",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across northwestern Richland County by June 13th, and spread to the rest of the county by June 27th. Rainfall amounts across the most heavily impacted areas of the county averaged from around one to one and a half inches of precipitation, which was approximately one to two inches below normal for the month. Drought conditions persisted into July." +118222,710639,MONTANA,2017,June,Drought,"WIBAUX",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across Wibaux County by June 20th, and quickly worsened (D3 - Extreme) by June 27th. Rainfall amounts averaged from around one half of an inch to one inch of precipitation, which was up to two to three inches below normal for the month. Drought conditions persisted into July." +118222,710644,MONTANA,2017,June,Drought,"CENTRAL AND SE PHILLIPS",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across southeastern Phillips County by June 13th, and spread to much of central Phillips County by June 27th. Rainfall amounts averaged from around one quarter of an inch to one inch of precipitation, which was approximately one to two inches below normal for the month. Drought conditions persisted into July." +118045,710254,FLORIDA,2017,June,Flood,"COLLIER",2017-06-06 06:45:00,EST-5,2017-06-07 20:00:00,0,0,0,0,30.00K,30000,0.00K,0,25.9393,-81.7177,25.9354,-81.7149,"A disturbance meandering across the Gulf of Mexico in combination with an upper level system across the western Gulf of Mexico lead to nearly a week of heavy rainfall across South Florida. The heaviest rainfall fell in the corridor from Marco Island and southern Collier county northeast into Broward and southern Palm Beach counties. Many locations in this swath saw rainfall amounts in excess of 9 to 10 inches in a single day, and as high as almost 15 inches on the heaviest day, resulting in event totals of 15 to 20 inches in this area. Elsewhere, rainfall amounts ranged from around 4 inches across southern Miami-Dade to 7 to 8 inches in the remainder of South Florida. ||This rainfall forced the closure of numerous roads across South Florida, especially in Collier and Broward counties where cars were trapped at times in the flood waters. Flooding also lead to the closure of Everglades Airpark as well as Sawgrass Mills Mall in Broward County. Significant flooding was also recorded in the Everglades, leading to road and trail closures in Big Cypress National Park.","Multiple streets in Marco Island were closed due to flooding, including Bald Eagle Road from Bayport to San Marco Roads and South Collier Boulevard near Winterberry Drive.|Multiple cars were stalled in the middle of the road at the time of call. Marco Island had received 6 to 8 inches of rainfall in the past 6 to 12 hours, with a storm total of up to 15 inches over a 3-day period." +118045,710257,FLORIDA,2017,June,Flood,"COLLIER",2017-06-06 09:30:00,EST-5,2017-06-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,25.7545,-80.8568,26.1162,-80.9088,"A disturbance meandering across the Gulf of Mexico in combination with an upper level system across the western Gulf of Mexico lead to nearly a week of heavy rainfall across South Florida. The heaviest rainfall fell in the corridor from Marco Island and southern Collier county northeast into Broward and southern Palm Beach counties. Many locations in this swath saw rainfall amounts in excess of 9 to 10 inches in a single day, and as high as almost 15 inches on the heaviest day, resulting in event totals of 15 to 20 inches in this area. Elsewhere, rainfall amounts ranged from around 4 inches across southern Miami-Dade to 7 to 8 inches in the remainder of South Florida. ||This rainfall forced the closure of numerous roads across South Florida, especially in Collier and Broward counties where cars were trapped at times in the flood waters. Flooding also lead to the closure of Everglades Airpark as well as Sawgrass Mills Mall in Broward County. Significant flooding was also recorded in the Everglades, leading to road and trail closures in Big Cypress National Park.","Flooding across central and eastern Collier County resulted in the closure of Gulf Coast Visitor Center of Everglades National Park, in Everglades City, the Everglades City Airport, as well as Big Cypress National Preserve from June 6th through June 7th. ||Picture received from the National Park Service show flooding of numerous access roads, trails, campgrounds, and bridges around the park, along with widespread areas of higher than normal water across the park, including flooding of normally dry forest. The Ochopee Post Office was flooding during the event, with water encroaching on Tamiami Trail (US 41) in places where it bisects the park. ||County Road 29 south of Tamiami Trail (US 41), which is used to access many of these areas, was also closed the Collier County Sheriff's Office on June 6th due to flooding." +120869,724305,WISCONSIN,2017,December,Strong Wind,"DODGE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724307,WISCONSIN,2017,December,Strong Wind,"IOWA",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724309,WISCONSIN,2017,December,Strong Wind,"LAFAYETTE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +118222,710611,MONTANA,2017,June,Drought,"SHERIDAN",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across Sheridan County by June 13th, and quickly worsened (D3 - Extreme) by June 20th. Rainfall amounts averaged from around one quarter of an inch to one half of an inch of precipitation, which was two to three inches below normal for the month. Drought conditions persisted into July." +118222,710600,MONTANA,2017,June,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across central and southern Valley County by June 13th, and quickly worsened (D3 - Extreme) by June 20th. Rainfall amounts averaged from less than one quarter of an inch to three quarters of an inch of precipitation, which was approximately two to three inches below normal for the month. Drought conditions persisted into July." +118192,710294,SOUTH DAKOTA,2017,June,Hail,"CLARK",2017-06-22 02:40:00,CST-6,2017-06-22 02:40:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-97.8,44.58,-97.8,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +118192,710301,SOUTH DAKOTA,2017,June,Hail,"DEUEL",2017-06-22 02:51:00,CST-6,2017-06-22 02:51:00,0,0,0,0,,NaN,,NaN,44.56,-96.55,44.56,-96.55,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","Golf ball sized hail destroyed crops and damaged homes in and around Astoria." +118192,710305,SOUTH DAKOTA,2017,June,Hail,"STANLEY",2017-06-22 03:00:00,MST-7,2017-06-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-100.63,44.47,-100.63,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +115430,696074,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 08:00:00,CST-6,2017-06-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-93.06,45.17,-93.06,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117161,704755,GEORGIA,2017,June,Thunderstorm Wind,"COWETA",2017-06-22 15:55:00,EST-5,2017-06-22 16:05:00,0,0,0,0,7.00K,7000,,NaN,33.24,-84.85,33.24,-84.85,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","The Coweta County Emergency Manager reported a tree blown down onto power lines on Grandma Branch Road." +117161,704757,GEORGIA,2017,June,Thunderstorm Wind,"HALL",2017-06-22 18:44:00,EST-5,2017-06-22 19:00:00,0,0,0,0,3.00K,3000,,NaN,34.3965,-83.8275,34.4031,-83.7749,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","The Hall County 911 center reported trees blown down from Highland Circle to Clarks Bridge Road." +117161,704759,GEORGIA,2017,June,Thunderstorm Wind,"GWINNETT",2017-06-22 18:50:00,EST-5,2017-06-22 19:00:00,0,0,0,0,1.00K,1000,,NaN,33.82,-83.94,33.82,-83.94,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","A trained spotter reported a large tree blown down southwest of Loganville." +117161,704761,GEORGIA,2017,June,Thunderstorm Wind,"OGLETHORPE",2017-06-22 20:05:00,EST-5,2017-06-22 20:15:00,0,0,0,0,0.50K,500,,NaN,33.8461,-83.269,33.8461,-83.269,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","The Oglethorpe County 911 center reported a small tree blown down on Wolfskin Road near Double Bridges Road." +117161,704762,GEORGIA,2017,June,Thunderstorm Wind,"HARRIS",2017-06-22 15:35:00,EST-5,2017-06-22 15:45:00,0,0,0,0,1.00K,1000,,NaN,32.854,-84.746,32.854,-84.746,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","The Harris County Emergency Manager reported a tree blown down along Highway 190 in the F.D. Roosevelt State Park." +117162,704764,GEORGIA,2017,June,Thunderstorm Wind,"CHATTOOGA",2017-06-23 16:30:00,EST-5,2017-06-23 16:40:00,0,0,0,0,1.00K,1000,,NaN,34.4462,-85.3628,34.4462,-85.3628,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Chattooga County Emergency Manager reported a tree blown down and blocking the southbound lane of Highway 100 at Norton Road." +118275,710786,OKLAHOMA,2017,June,Thunderstorm Wind,"ALFALFA",2017-06-30 00:05:00,CST-6,2017-06-30 00:05:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-98.36,36.74,-98.36,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710787,OKLAHOMA,2017,June,Thunderstorm Wind,"ALFALFA",2017-06-30 00:10:00,CST-6,2017-06-30 00:10:00,0,0,0,0,20.00K,20000,0.00K,0,36.9127,-98.3661,36.75,-98.35,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","Sheriff's department reported some minor structural damage across the county including a mobile home with the roof removed in Burlington, 3 homes that sustained minor damage in Amorita, one home with minor damage in Byron, and another mobile home with minor damage in the eastern portion of the county. Tree limbs are down all across Cherokee. Time of occurrence based on radar ranged from shortly before 1am in the western part of the county to around 130am in the eastern part of the county." +118275,710788,OKLAHOMA,2017,June,Thunderstorm Wind,"ALFALFA",2017-06-30 00:10:00,CST-6,2017-06-30 00:10:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-98.36,36.74,-98.36,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710789,OKLAHOMA,2017,June,Thunderstorm Wind,"ALFALFA",2017-06-30 00:15:00,CST-6,2017-06-30 00:15:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-98.36,36.74,-98.36,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710790,OKLAHOMA,2017,June,Thunderstorm Wind,"ALFALFA",2017-06-30 00:20:00,CST-6,2017-06-30 00:20:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-98.36,36.74,-98.36,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118273,710776,OKLAHOMA,2017,June,Hail,"CARTER",2017-06-23 13:46:00,CST-6,2017-06-23 13:46:00,0,0,0,0,0.00K,0,0.00K,0,34.1735,-97.1643,34.1735,-97.1643,"An isolated severe storm formed along a cold front in south central Oklahoma on the afternoon of the 23rd.","" +118273,710777,OKLAHOMA,2017,June,Hail,"CADDO",2017-06-23 22:53:00,CST-6,2017-06-23 22:53:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-98.24,35.08,-98.24,"An isolated severe storm formed along a cold front in south central Oklahoma on the afternoon of the 23rd.","" +118197,710323,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"MARLBORO",2017-06-05 19:30:00,EST-5,2017-06-05 19:31:00,0,0,0,0,1.00K,1000,0.00K,0,34.5765,-79.5518,34.5765,-79.5518,"A cold front dropped south in the evening and supplied additional forcing to briefly intensify ongoing convection and produce wind damage.","A tree was reported down along Society St. The time was estimated based on radar data." +118197,710324,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"DILLON",2017-06-05 19:34:00,EST-5,2017-06-05 19:35:00,0,0,0,0,1.00K,1000,0.00K,0,34.4401,-79.5184,34.4401,-79.5184,"A cold front dropped south in the evening and supplied additional forcing to briefly intensify ongoing convection and produce wind damage.","A tree was reported in the roadway along Fire Tower Rd. The time was estimated based on radar data." +115430,697447,MINNESOTA,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-11 07:18:00,CST-6,2017-06-11 07:18:00,0,0,0,0,0.00K,0,0.00K,0,45.25,-93.94,45.25,-93.94,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several trees were blown down along County Road 37, northeast of Maple Lake." +115430,695737,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:15:00,CST-6,2017-06-11 06:20:00,0,0,0,0,0.00K,0,0.00K,0,45.201,-95.0228,45.24,-94.94,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","The local emergency manager, and a local cooperative observer reported numerous trees, some up to 30 inches in diameter, blown down from north of Willmar to Green Lake, or around Spicer." +115430,696077,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 08:02:00,CST-6,2017-06-11 08:02:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-93.06,45.17,-93.06,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Report submitted via social media." +118239,710596,UTAH,2017,June,Thunderstorm Wind,"RICH",2017-06-20 17:30:00,MST-7,2017-06-20 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.9336,-111.4201,41.9336,-111.4201,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","A maximum wind gust of 45 mph was recorded at the Bear Lake sensor. Wind damage was reported near Bear Lake and in Garden City, including large tree limbs that were damaged and roof shingles that were blown off of a house." +118233,710533,UTAH,2017,June,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-06-11 15:45:00,MST-7,2017-06-12 09:55:00,1,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter-like storm brought damaging winds to northern and central Utah on June 11 and 12, with the strongest winds in many locations occurring on the morning of June 12 as the cold front passed through the state.","Peak recorded wind gusts included 76 mph at Hat Island, 65 mph at Upper Cedar Mountain, 59 mph at Gunnison Island, and dozens of wind gust reports between 50 mph and 57 mph. Four semitrailers were knocked over by the high winds along Interstate 80, closing the highway for a period of time on the morning of June 12, and causing delays in both directions. One of these accidents resulted in minor injuries for the semitruck driver." +118233,710539,UTAH,2017,June,High Wind,"SAN RAFAEL SWELL",2017-06-12 12:25:00,MST-7,2017-06-12 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter-like storm brought damaging winds to northern and central Utah on June 11 and 12, with the strongest winds in many locations occurring on the morning of June 12 as the cold front passed through the state.","Maximum recorded wind gusts included 61 mph at Hanksville and 60 mph at Torrey." +118233,710516,UTAH,2017,June,High Wind,"NORTHERN WASATCH FRONT",2017-06-12 09:25:00,MST-7,2017-06-12 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter-like storm brought damaging winds to northern and central Utah on June 11 and 12, with the strongest winds in many locations occurring on the morning of June 12 as the cold front passed through the state.","Strong winds caused damage in parts of Davis County, including knocking off roof shingles, uprooting multiple trees, and knocking over a mailbox. In addition, over 1,000 customers lost power in Davis and Weber counties. Peak recorded wind gusts included 82 mph at the Fremont Island - Miller Hill sensor, 68 mph at Hill Air Force Base, 61 mph in South Ogden, and 58 mph at the Great Salt Lake Minerals sensor." +115928,698148,MISSISSIPPI,2017,May,Thunderstorm Wind,"UNION",2017-05-27 23:25:00,CST-6,2017-05-27 23:40:00,0,0,0,0,500.00K,500000,0.00K,0,34.5535,-89.0394,34.3885,-89.0143,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Hole in the roof of the Health and Rehab Center. Several homes damaged along county roads 73 and 75 north of New Albany. Some home suffered damage along county road 107 south of the city. More damage occurred on Highway 15 near Ingomar. One distinct home suffered roof and column damage in New Albany." +115210,691767,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-05 15:42:00,MST-7,2017-06-05 15:42:00,0,0,0,0,0.00K,0,0.00K,0,43.9183,-103.511,43.9183,-103.511,"A slow-moving thunderstorm became severe over the central Black Hills, producing hail to the size of quarters in the Hill City area.","" +115302,692225,NEW MEXICO,2017,June,Thunderstorm Wind,"CHAVES",2017-06-04 16:19:00,MST-7,2017-06-04 16:26:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-104.56,33.91,-104.56,"Northwest flow aloft over New Mexico and moist, low level southeasterly flow across the eastern plains flow allowed scattered showers and thunderstorms to develop over the northern high terrain. A few of these storms developed into clusters as they moved southeast down the Pecos Valley. One storm complex produced a brief 61 mph wind gust near Mesa.","Peak wind gust to 61 mph at Buck Springs." +115358,692640,TEXAS,2017,June,Thunderstorm Wind,"CROSBY",2017-06-08 23:25:00,CST-6,2017-06-08 23:25:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-101.17,33.53,-101.17,"Late this evening, a line of severe thunderstorms moved south from the south-central Texas Panhandle and across the South Plains. Isolated downbursts accompanied this line of storms, including multiple downed trees in and near Tulia (Swisher County).","Measured by a Texas Tech University West Texas Mesonet." +115452,693296,COLORADO,2017,June,Hail,"EL PASO",2017-06-06 14:15:00,MST-7,2017-06-06 14:20:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-104.75,39.01,-104.75,"A strong storm produced hail up to the size of nickels in El Paso County, and a severe storm produced hail up to the size of quarters in Baca County.","" +115514,693552,WEST VIRGINIA,2017,June,Heavy Rain,"KANAWHA",2017-06-16 07:00:00,EST-5,2017-06-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3346,-81.5998,38.3346,-81.5998,"An unstable airmass with plenty of moisture remained in place ahead of a weak cold front on the 16th. This caused showers and thunderstorms with pockets of heavy rain through the day. This led to widespread ponding of water on roadways as drains became clogged by debris, however there was also some minor flash flooding in Kanawha County.","A former NWS employee measured 2.75 inches of rainfall from 7 AM to 11 AM EST. There was some minor water seepage into the basement." +115524,693570,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"OGLALA LAKOTA",2017-06-12 22:45:00,MST-7,2017-06-12 22:45:00,0,0,0,0,0.00K,0,0.00K,0,43.47,-102.88,43.47,-102.88,"A severe thunderstorm tracked northeast from northwestern Nebraska across portions of southwestern South Dakota. The storm produced strong wind gusts and small hail.","The spotter estimated wind gusts at 60 mph." +115513,693650,TEXAS,2017,June,Thunderstorm Wind,"CHILDRESS",2017-06-15 17:46:00,CST-6,2017-06-15 17:46:00,0,0,0,0,0.00K,0,0.00K,0,34.46,-100.2,34.46,-100.2,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Measured by a Texas Tech University West Texas mesonet." +115496,694868,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BLAIR",2017-06-15 18:20:00,EST-5,2017-06-15 18:20:00,0,0,0,0,1.00K,1000,0.00K,0,40.47,-78.48,40.47,-78.48,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across a roadway." +115652,694918,FLORIDA,2017,June,Hail,"VOLUSIA",2017-06-01 15:35:00,EST-5,2017-06-01 15:35:00,0,0,0,0,0.00K,0,0.00K,0,29.02,-80.93,29.02,-80.93,"A sea breeze collision produced a severe thunderstorm over east central Volusia county during the late afternoon. Several reports of quarter to half dollar sized hail were received from Port Orange to New Smyrna Beach.","A New Smyrna Beach resident reported quarter sized hail during a strong thunderstorm, per social media account. Duration unknown." +115697,695298,KENTUCKY,2017,June,Flash Flood,"ROWAN",2017-06-23 20:50:00,EST-5,2017-06-23 22:50:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-83.44,38.162,-83.5491,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch relayed reports of flash flooding throughout the county, including along U.S. Highway 60 in several spots near and around Morehead. Various other roads were closed along Triplett Creek, extending toward Farmers as 2 to 4 inches of rain fell this evening." +115697,695308,KENTUCKY,2017,June,Flash Flood,"ELLIOTT",2017-06-23 21:10:00,EST-5,2017-06-23 22:40:00,0,0,0,0,10.00K,10000,0.00K,0,38.2196,-83.1566,38.2207,-83.1502,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Emergency management reported flood waters covering the road at the intersection of Kentucky Highways 1620 and 504 west of Gimlet. A couple of homes were surrounded by flood waters, prompting the rescue of citizens in two residences as 2 to 3 inches of rain fell." +115899,696662,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-25 14:45:00,MST-7,2017-06-25 14:48:00,0,0,0,0,0.00K,0,0.00K,0,33.4798,-105.3677,33.4798,-105.3677,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Dime to quarter size hail near Lincoln." +115899,696663,NEW MEXICO,2017,June,Hail,"MORA",2017-06-25 16:20:00,MST-7,2017-06-25 16:23:00,0,0,0,0,0.00K,0,0.00K,0,36.0819,-104.8113,36.0819,-104.8113,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of ping pong balls northwest of Wagon Mound." +116019,697213,NORTH DAKOTA,2017,June,Thunderstorm Wind,"EDDY",2017-06-10 04:27:00,CST-6,2017-06-10 04:27:00,0,0,0,0,,NaN,,NaN,47.68,-98.57,47.68,-98.57,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","The wind gust was measured by the NDAWN station 8 miles north of McHenry." +116019,697214,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-10 04:28:00,CST-6,2017-06-10 04:28:00,0,0,0,0,,NaN,,NaN,48.08,-98.87,48.08,-98.87,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","The peak wind was measured by a ND DOT RWIS station near Devils Lake." +116019,697215,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-10 04:31:00,CST-6,2017-06-10 04:31:00,0,0,0,0,,NaN,,NaN,48.11,-98.9,48.11,-98.9,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","" +116038,697399,OHIO,2017,June,Flash Flood,"DEFIANCE",2017-06-30 18:00:00,EST-5,2017-06-30 20:45:00,0,0,0,0,0.00K,0,0.00K,0,41.2092,-84.3965,41.3162,-84.2282,"Vigorous shortwave within generally weak to moderate low level flow and a very moist column helped to create a hazardous heavy rain event.","Emergency management officials reported a house was surrounded by water in Ayersville. At least a half dozen roads were closed due to flowing water over them. No reports of rescues or evacuations." +116378,699840,MONTANA,2017,June,Thunderstorm Wind,"BEAVERHEAD",2017-06-27 05:25:00,MST-7,2017-06-27 05:25:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-112.32,44.57,-112.32,"A few severe thunderstorms affected north-central and southwest Montana on June 26th and 27th. These storms developed ahead of an eastward-advancing cold front and within an environment characterized by appreciable instability and weak to moderate vertical wind shear.","Monida Pass mesonet station reported 59 mph thunderstorm wind gust." +116397,699943,WYOMING,2017,June,Flood,"PARK",2017-06-08 12:00:00,MST-7,2017-06-11 09:30:00,0,0,0,0,20.00K,20000,0.00K,0,44.255,-109.5152,44.2525,-109.5136,"After an exceptionally snowy winter and cool spring, warming temperatures brought rapid snow melt to the Absarokas. In addition, locally heavy rain fell helping speed the melting of snow. As a result, the South Fork of the Shoshone River rose rapidly and flooded. Along South Fork Road, downstream of Valley and near Aldrich Creek, the water damaged the Ishawooa Bridge. The bridge remained open, but was restricted to one lane while repairs were performed. Conditions improved when waters dropped on the 11th of June as cooler mountain temperatures slowed snow melt.","Snow melt flowing downstream from the Absarokas brought flooding and high water along the South Fork of the Shoshone River. At the Ishawooa Bridge, downstream from Valley and near Aldrich Creek, the high water severely damaged the bridge. The bridge remained open, but was reduced to one lane while repairs were made. Waters receded on the 11th as cooler mountain temperatures slowed snow melt." +115995,697130,FLORIDA,2017,June,Lightning,"LEE",2017-06-29 15:30:00,EST-5,2017-06-29 15:30:00,1,0,1,0,0.00K,0,0.00K,0,26.61,-81.79,26.61,-81.79,"Afternoon sea breeze thunderstorms developing across southwest Florida produced numerous lightning strikes throughout the area - one of which hit a woman who was 9 months pregnant.","Local broadcast media reported that a 9 month pregnant woman was struck by lightning in a neighborhood in Fort Myers. She was transported to a local hospital. After arriving at the hospital, doctors delivered the baby. After a few weeks in intensive care, the child passed away. The mother was eventually released from the hospital and is back home recovering from her injuries." +116439,700275,ILLINOIS,2017,June,Hail,"CASS",2017-06-17 21:00:00,CST-6,2017-06-17 21:05:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-90.43,40.02,-90.43,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","" +122050,730667,IOWA,2017,December,Winter Weather,"SCOTT",2017-12-24 04:30:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","The official NWS observation at the Davenport Municipal Airport was 1.5 inches. A trained spotter reported 1.8 inches in Eldridge." +115871,696683,NEW MEXICO,2017,June,Heat,"CENTRAL HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Central Highlands ranged from 96 to 101 degrees on four consecutive days. Record high temperatures were set at Pedernal and Clines Corners." +122050,730668,IOWA,2017,December,Winter Weather,"CLINTON",2017-12-24 04:55:00,CST-6,2017-12-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","The COOP observer in Clinton reported 1.5 inches." +115871,696684,NEW MEXICO,2017,June,Heat,"UNION COUNTY",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across Union County ranged from 100 to 105 degrees on three consecutive days. Record high temperatures were set at Clayton." +119520,721736,FLORIDA,2017,September,Hurricane,"INLAND LEE",2017-09-10 05:00:00,EST-5,2017-09-11 03:00:00,0,0,0,0,163.14M,163140000,9.60M,9600000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. ||The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million." +119671,717822,NEW MEXICO,2017,September,Flash Flood,"VALENCIA",2017-09-29 16:45:00,MST-7,2017-09-29 18:45:00,0,0,0,0,7500.00K,7500000,0.00K,0,34.6657,-106.7902,34.6461,-106.788,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Retention ponds in Belen overflowing into neighborhoods on west side of Belen. Widespread street flooding in town. Travel along Interstate 25 becoming very difficult as water is ponding along the highway." +116956,703397,KENTUCKY,2017,June,Flash Flood,"MARSHALL",2017-06-17 17:35:00,CST-6,2017-06-17 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-88.36,36.8544,-88.4207,"A slow-moving cluster of thunderstorms produced localized flash flooding between Benton and Murray. The storms occurred in a very warm and moist southwest wind flow ahead of a cold front over northwest Missouri. A weak 500 mb trough axis extended from the Ohio Valley to the central Gulf coast.","Several inches of water flowed over roads west of Benton. A number of roads were closed by local firefighters, sheriff deputies, and road crews. Three to four inches of rainfall was reported in some areas, most of which fell in a couple hours." +115435,693128,OHIO,2017,June,Flash Flood,"VINTON",2017-06-13 10:50:00,EST-5,2017-06-13 11:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.3539,-82.3394,39.2958,-82.4081,"A rather tropical like atmosphere with abundant moisture, and several weak upper level waves, led to scattered showers and thunderstorms on the 13th. With the high moisture content, heavy rainfall occurred in many storms. An automated rain gauge near Zaleski in Vinton County received over 3 inches of rainfall during the morning hours.","State Route 278 was flooded in spots between US-50 and the Hocking County Line." +115743,696727,OHIO,2017,June,Flash Flood,"ATHENS",2017-06-23 19:09:00,EST-5,2017-06-24 05:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.3867,-82.2833,39.3801,-82.1956,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Hewett Fork flooded, causing closures on State Routes 56 and 356 south of Carbondale." +115744,695700,WEST VIRGINIA,2017,June,Flash Flood,"JACKSON",2017-06-23 22:14:00,EST-5,2017-06-23 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,38.6995,-81.6075,38.6719,-81.6137,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Broadtree Run overflowed its banks, causing minor flooding of one basement, as well as some yards and cropland." +119520,721590,FLORIDA,2017,September,Flood,"HERNANDO",2017-09-11 06:00:00,EST-5,2017-09-30 00:00:00,0,0,0,0,5.00M,5000000,0.00K,0,28.5792,-82.2183,28.4785,-82.2135,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Withlacoochee River at Trilby to rise above flood stage on the 11th, with flooding continuing through the rest of the month. The water level crested at 17.67 feet on September 21st, 1.17 feet above the major flooding threshold. This marks the 5th highest river crest on record for the Withlacoochee River at Trilby.||Farther upstream on the Withlacoochee River, flooding begin at Croom on the 13th and continued through the rest of the month. The river level crested at 11.27 feet on the 22nd, 0.47 feet above the moderate flood stage.||The flood waters entered numerous homes, with Hernando County reporting that 4000 residents were impacted by the flooding. Flood damage to homes was estimated at $5 million." +119520,721575,FLORIDA,2017,September,Storm Surge/Tide,"COASTAL CHARLOTTE",2017-09-10 12:00:00,EST-5,2017-09-12 00:00:00,0,0,0,0,20.00M,20000000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","County emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day.||Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims." +119520,721594,FLORIDA,2017,September,Flood,"PASCO",2017-09-11 06:00:00,EST-5,2017-09-18 12:00:00,0,0,0,0,460.00K,460000,0.00K,0,28.2167,-82.7051,28.208,-82.71,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Anclote River at Elfers to rise above flood stage on the 11th, with flooding continuing through the 18th. The water level crested at 24.87 feet on the 12th, 0.87 feet above the major flooding threshold. ||The flood waters entered several homes in the Anclote River Estates and Anclote River Acres neighborhoods. Flood damage to homes was estimated at $460,000." +119520,721602,FLORIDA,2017,September,Flood,"HILLSBOROUGH",2017-09-12 12:00:00,EST-5,2017-09-19 12:00:00,0,0,0,0,2.00M,2000000,0.00K,0,28.0855,-82.3342,28.0755,-82.3343,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","Heavy rains from Hurricane Irma caused the Hillsborough River at Morris Bridge to rise above flood stage on the 12th, with flooding continuing through the 20th. The water level crested at 34.66 feet on the 14th, 0.66 feet above the moderate flooding threshold. This marks the highest crest in history for the Hillsborough River at Morris Bridge.||The flood waters entered mobile homes in the Pine Ridge Estates neighborhood. Flood damage to homes was estimated at $2 million." +119520,721812,FLORIDA,2017,September,Hurricane,"INLAND MANATEE",2017-09-10 08:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,3.00M,3000000,23.50M,23500000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. ||The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million." +117071,704339,WISCONSIN,2017,June,Tornado,"GREEN",2017-06-28 17:55:00,CST-6,2017-06-28 17:58:00,0,0,0,0,145.00K,145000,0.00K,0,42.703,-89.621,42.7005,-89.6103,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A short lived tornado removed a portion of the roof from two industrial buildings and broke multiple windows in each building. Elsewhere, a trailer was flipped and multiple trees were either snapped or uprooted. A dumpster was also lifted and blown across Highway 69." +117152,704742,GEORGIA,2017,June,Thunderstorm Wind,"UPSON",2017-06-01 14:05:00,EST-5,2017-06-01 14:15:00,0,0,0,0,15.00K,15000,,NaN,32.9414,-84.2462,32.9414,-84.2462,"Moderate instability along a stationary frontal boundary resulted in an isolated severe thunderstorm in central Georgia.","The Upson County Emergency Manager reported a barn and a camper damaged along Rock Hill School Road. Portions of the barn's tin roof and some siding on the north side of the building were blown off." +117155,704743,GEORGIA,2017,June,Thunderstorm Wind,"COBB",2017-06-12 15:45:00,EST-5,2017-06-12 15:55:00,0,0,0,0,5.00K,5000,,NaN,33.994,-84.6837,33.994,-84.6837,"Strong daytime heating and moderate instability resulted in scattered strong thunderstorms, and an isolated severe thunderstorm, across north Georgia.","The public reported several large trees blown down and others damaged between Creekwood Circle and Allatoona Lane." +117156,704749,GEORGIA,2017,June,Thunderstorm Wind,"BANKS",2017-06-14 17:15:00,EST-5,2017-06-14 17:25:00,0,0,0,0,2.00K,2000,,NaN,34.2587,-83.3821,34.2587,-83.3821,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Banks County 911 center reported trees blown down near Sims Bridge Road and Amber Lane." +117156,704750,GEORGIA,2017,June,Thunderstorm Wind,"GILMER",2017-06-14 17:43:00,EST-5,2017-06-14 18:05:00,0,0,0,0,8.00K,8000,,NaN,34.7029,-84.5153,34.6508,-84.4277,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Gilmer County Emergency Manager and the Gilmer County 911 center reported several trees blown down from around Highway 282 and Old Tails Creek Road to around Highway 52 and Lower Cartecay Road." +117156,704751,GEORGIA,2017,June,Thunderstorm Wind,"COBB",2017-06-14 18:55:00,EST-5,2017-06-14 19:15:00,0,0,0,0,3.00K,3000,,NaN,33.8877,-84.5843,33.9527,-84.5497,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Cobb County Emergency Manager reported trees blown down from around the intersection of Austell Road and Callaway Road Southwest to the Marietta Square." +116830,702568,WISCONSIN,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-11 18:42:00,CST-6,2017-06-11 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,45.36,-90.8,45.36,-90.8,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","Tree branches were blown down in Jump River from an estimated 58 mph wind gust." +116830,702571,WISCONSIN,2017,June,Thunderstorm Wind,"CLARK",2017-06-11 19:05:00,CST-6,2017-06-11 19:05:00,0,0,0,0,2.00K,2000,0.00K,0,44.96,-90.8,44.96,-90.8,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","Trees were blown down in Thorp." +116900,702961,WISCONSIN,2017,June,Thunderstorm Wind,"VERNON",2017-06-14 12:04:00,CST-6,2017-06-14 12:04:00,0,0,0,0,1.00K,1000,0.00K,0,43.58,-90.7,43.58,-90.7,"For the second time in three days, a line of severe thunderstorms moved across portions of western Wisconsin during the afternoon of June 14th. These storms blew down trees and power lines from Viola and La Farge (Vernon County) to northeast of Big Flats (Adams County).","A tree was blown down west of La Farge." +116927,703215,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 15:50:00,CST-6,2017-06-16 15:50:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-92.45,44.01,-92.45,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Up to quarter sized hail was reported on the southeast side of Rochester." +116927,703220,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 15:59:00,CST-6,2017-06-16 15:59:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-92.35,44.02,-92.35,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Walnut sized hail was reported just outside of Chester." +121151,725281,MINNESOTA,2017,December,Blizzard,"KITTSON",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121202,725560,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"HUBBARD",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +117479,706543,NEW YORK,2017,June,Thunderstorm Wind,"SARATOGA",2017-06-19 14:23:00,EST-5,2017-06-19 14:23:00,0,0,0,0,,NaN,,NaN,42.83,-73.72,42.83,-73.72,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","A metal sign was blown down in Halfmoon with minor damage to trees due to thunderstorm winds." +119520,721998,FLORIDA,2017,September,Hurricane,"COASTAL HILLSBOROUGH",2017-09-10 10:00:00,EST-5,2017-09-11 09:00:00,0,0,0,3,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. ||The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge.||The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County.||Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground." +117479,706544,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 14:25:00,EST-5,2017-06-19 14:25:00,0,0,0,0,,NaN,,NaN,41.78,-73.93,41.78,-73.93,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Power lines were reported down in Hyde Park due to thunderstorm winds." +117479,706545,NEW YORK,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-19 14:40:00,EST-5,2017-06-19 14:40:00,0,0,0,0,,NaN,,NaN,43.0664,-73.4479,43.0664,-73.4479,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","A tree and a utility pole were downed on Route 372 near Greenwich due to thunderstorm winds. The roadway was closed as a result of the damage." +117479,706546,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 14:31:00,EST-5,2017-06-19 14:31:00,0,0,0,0,,NaN,,NaN,41.9305,-73.9126,41.9305,-73.9126,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Thunderstorm winds downed a tree, which was blocking a roadway, in Rhinebeck." +117479,706547,NEW YORK,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-19 15:07:00,EST-5,2017-06-19 15:07:00,0,0,0,0,,NaN,,NaN,42.18,-73.53,42.18,-73.53,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Wires were reported down in the town of Hillsdale due to thunderstorm winds." +112398,670129,GEORGIA,2017,January,Tornado,"BURKE",2017-01-21 14:09:00,EST-5,2017-01-21 14:12:00,0,0,0,0,,NaN,,NaN,32.8601,-82.2922,32.8787,-82.2891,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","An EF-0 tornado touched down near Old Wadley Rd and Hwy 17. The storm tracked NNE 1.3 miles, with a width of 250 yards, before dissipating near Bark Camp Church Rd. The tornado downed several trees and turned over an irrigation system." +112398,670130,GEORGIA,2017,January,Tornado,"BURKE",2017-01-21 14:23:00,EST-5,2017-01-21 14:25:00,0,0,0,0,,NaN,,NaN,32.9581,-82.1649,32.9501,-82.1886,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","An EF-0 tornado touched down near Reeves Rd. The storm tracked NE 1.5 miles, with a width of 100 yards, before dissipating near Rosier Rd. The tornado damaged a metal barn roof and several dairy calf weaning huts." +112039,668143,GEORGIA,2017,January,Winter Weather,"BANKS",2017-01-06 20:00:00,EST-5,2017-01-07 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Banks County Emergency Manager and several CoCoRaHS observers reported around 1.5 inches of snow across Banks County, including in the Hollingsworth and Baldwin areas." +117509,706766,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-26 20:00:00,CST-6,2017-06-26 20:03:00,0,0,0,0,0.00K,0,0.00K,0,37.71,-96.98,37.71,-96.98,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The Emergency Manager reported downed trees and power poles on Ohio Avenue north of Augusta." +117509,706767,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-26 20:05:00,CST-6,2017-06-26 20:08:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.98,37.69,-96.98,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","Trees and power poles were downed in town." +111785,666752,MISSOURI,2017,January,Ice Storm,"GENTRY",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +111785,666755,MISSOURI,2017,January,Ice Storm,"DAVIESS",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117071,707726,WISCONSIN,2017,June,Thunderstorm Wind,"IOWA",2017-06-28 17:01:00,CST-6,2017-06-28 17:01:00,0,0,0,0,30.00K,30000,0.00K,0,42.97,-90.33,42.97,-90.33,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several electrical transmission lines were downed as a strong line of thunderstorms moved through the area." +117071,707727,WISCONSIN,2017,June,Thunderstorm Wind,"IOWA",2017-06-28 17:07:00,CST-6,2017-06-28 17:07:00,0,0,0,0,5.00K,5000,0.00K,0,42.84,-90.16,42.84,-90.16,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A small farm building was destroyed as a strong line of thunderstorms moved through the area." +117071,707730,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-28 17:49:00,CST-6,2017-06-28 17:49:00,0,0,0,0,10.00K,10000,0.00K,0,43.24,-88.22,43.24,-88.22,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Multiple trees were damaged as a strong thunderstorm moved through the area." +117071,707731,WISCONSIN,2017,June,Thunderstorm Wind,"WAUKESHA",2017-06-28 17:49:00,CST-6,2017-06-28 17:49:00,0,0,0,0,10.00K,10000,0.00K,0,43.15,-88.2,43.15,-88.2,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several trees were downed and several trees had large branches torn off as a strong thunderstorm moved through the area." +117071,707734,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-28 17:53:00,CST-6,2017-06-28 17:53:00,0,0,0,0,50.00K,50000,0.00K,0,43.22,-88.12,43.22,-88.12,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A heating unit was ripped off the roof of a building as a strong thunderstorm moved through the area." +117071,707732,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN",2017-06-28 17:58:00,CST-6,2017-06-28 17:58:00,0,0,0,0,11.00K,11000,0.00K,0,42.6,-89.54,42.6,-89.54,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A farm building was destroyed and 1 tree was snapped as a strong line of thunderstorms moved through the area." +117071,707743,WISCONSIN,2017,June,Thunderstorm Wind,"DANE",2017-06-28 18:25:00,CST-6,2017-06-28 18:25:00,0,0,0,0,5.00K,5000,0.00K,0,42.99,-89.23,42.99,-89.23,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","A 3 foot diameter tree was uprooted as a strong line of thunderstorms moved through the area." +117701,707777,WISCONSIN,2017,June,Hail,"SAUK",2017-06-14 12:45:00,CST-6,2017-06-14 12:45:00,0,0,0,0,,NaN,,NaN,43.58,-90.12,43.58,-90.12,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","" +117729,707903,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"TWO RIVERS TO SHEBOYGAN WI",2017-06-14 15:20:00,CST-6,2017-06-14 15:20:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-87.64,44.09,-87.64,"Thunderstorms that produced severe weather as they moved across central and east central Wisconsin continued to produce high winds as they moved onto the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms produced an estimated 45 knot wind gust as they moved onto the nearshore waters of Lake Michigan." +117353,707899,WISCONSIN,2017,June,Flood,"MANITOWOC",2017-06-12 19:13:00,CST-6,2017-06-12 19:55:00,0,0,0,0,1.00K,1000,0.00K,0,44.1445,-87.8255,44.1448,-87.8254,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused street flooding at Highway 10 and Pine Street in Whitelaw." +117729,707902,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-06-14 15:15:00,CST-6,2017-06-14 15:15:00,0,0,0,0,0.00K,0,0.00K,0,44.69,-87.97,44.69,-87.97,"Thunderstorms that produced severe weather as they moved across central and east central Wisconsin continued to produce high winds as they moved onto the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms produced an estimated 50 knot wind gust as they move onto the waters of Green Bay." +117419,706129,WISCONSIN,2017,June,Hail,"PORTAGE",2017-06-16 13:14:00,CST-6,2017-06-16 13:14:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-89.53,44.45,-89.53,"Thunderstorms that moved across central and east central Wisconsin produced isolated damaging winds and large hail.","Nickel size hail fell in Plover." +117419,706130,WISCONSIN,2017,June,Hail,"SHAWANO",2017-06-16 13:47:00,CST-6,2017-06-16 13:47:00,0,0,0,0,0.00K,0,0.00K,0,44.81,-88.45,44.81,-88.45,"Thunderstorms that moved across central and east central Wisconsin produced isolated damaging winds and large hail.","Quarter size hail fell in Cecil." +117419,706131,WISCONSIN,2017,June,Thunderstorm Wind,"KEWAUNEE",2017-06-16 22:00:00,CST-6,2017-06-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,44.6505,-87.7524,44.6505,-87.7524,"Thunderstorms that moved across central and east central Wisconsin produced isolated damaging winds and large hail.","Thunderstorm winds snapped a large tree in Dyckesville near the intersection of County Road DK and Debaker Lane." +117419,706132,WISCONSIN,2017,June,Thunderstorm Wind,"SHAWANO",2017-06-16 13:38:00,CST-6,2017-06-16 13:38:00,0,0,0,0,0.00K,0,0.00K,0,44.7873,-88.5598,44.7873,-88.5598,"Thunderstorms that moved across central and east central Wisconsin produced isolated damaging winds and large hail.","A thunderstorm wind gust to 58 mph was measured at Shawano Municipal Airport." +117421,706134,WISCONSIN,2017,June,Hail,"MANITOWOC",2017-06-19 16:05:00,CST-6,2017-06-19 16:05:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-87.96,44.12,-87.96,"Scattered showers and thunderstorms moved across much of Wisconsin during the late morning and afternoon hours of June 19th. One of the storms produced Quarter size hail in east central Wisconsin.","Quarter size hail fell south of Reedsville, in western Manitowoc County, during the late afternoon hours." +115462,693325,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:26:00,MST-7,2017-06-12 13:26:00,0,0,0,0,,NaN,,NaN,40.42,-105.02,40.42,-105.02,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693326,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:28:00,MST-7,2017-06-12 13:28:00,0,0,0,0,,NaN,,NaN,40.48,-104.97,40.48,-104.97,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693327,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:30:00,MST-7,2017-06-12 13:30:00,0,0,0,0,,NaN,,NaN,40.51,-104.95,40.51,-104.95,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693356,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-09 20:24:00,CST-6,2017-06-09 20:27:00,0,0,0,0,0.00K,0,0.00K,0,46.79,-98.57,46.79,-98.57,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693357,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-09 20:30:00,CST-6,2017-06-09 20:33:00,0,0,0,0,0.00K,0,0.00K,0,46.75,-98.51,46.75,-98.51,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693358,NORTH DAKOTA,2017,June,Hail,"STARK",2017-06-09 22:40:00,MST-7,2017-06-09 22:44:00,0,0,0,0,30.00K,30000,0.00K,0,46.84,-102.43,46.84,-102.43,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Wind driven hail caused damage to the home, barns, and vehicles. Multiple windows were shattered on the home causing damage inside." +117611,707259,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:10:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1482,-101.8804,35.148,-101.8799,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Three high water rescues in progress." +117611,707260,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:10:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1482,-101.8804,35.148,-101.8799,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Three high water rescues in progress." +117611,707261,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:10:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1827,-101.884,35.1823,-101.8841,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","High water rescue at Western and King." +117611,707262,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:15:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1909,-101.8878,35.1909,-101.8877,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Water over car hoods on Teckla." +117611,707263,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:25:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1907,-101.901,35.1905,-101.9036,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Interstate 40 closed at Bell, due to high water." +117611,707264,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:43:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1171,-101.9194,35.1173,-101.9201,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Water up to the bumper of a car. Cars being pulled out of high water by a wrecker just north of loop 335 on Coulter." +117611,707265,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:45:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1654,-101.8972,35.1653,-101.8971,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","High water rescue from a car, at Granada and Kingston." +117950,709018,OKLAHOMA,2017,June,Hail,"CIMARRON",2017-06-25 17:24:00,CST-6,2017-06-25 17:24:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-102.25,36.83,-102.25,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Baseball size hail reported on North Road 430, north of Keyes." +117950,709019,OKLAHOMA,2017,June,Hail,"CIMARRON",2017-06-25 17:44:00,CST-6,2017-06-25 17:44:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-102.29,36.71,-102.29,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report of tennis ball to baseball sized hail. Hail was reported throughout a farm south to southwest of Keyes. All crops on farm sustained hail damage resulting in a total loss. Location relayed by Cimmaron County EM with time estimated from radar." +117950,709020,OKLAHOMA,2017,June,Tornado,"CIMARRON",2017-06-25 17:08:00,CST-6,2017-06-25 17:08:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-102.24,36.89,-102.24,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report of a weak and brief tornado observed. Picture received from storm chasers that followed storm." +117950,709021,OKLAHOMA,2017,June,Tornado,"CIMARRON",2017-06-25 17:33:00,CST-6,2017-06-25 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-102.38,36.76,-102.38,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Sheriff���s Office reported tornado on the ground at intersection of HWY 64 and HWY 56 from a law enforcement officer in the field." +117950,709022,OKLAHOMA,2017,June,Thunderstorm Wind,"CIMARRON",2017-06-25 17:15:00,CST-6,2017-06-25 17:15:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-102.25,36.81,-102.25,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report from Cimmaron County EM, baseball sized hail reported. Structural and tree damage sustained throughout Keyes, due to wind and large hail." +117952,709038,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-25 22:13:00,CST-6,2017-06-25 22:13:00,0,0,0,0,0.00K,0,0.00K,0,35.1947,-101.8494,35.1945,-101.8473,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Interstate 40 at Washington closed for east bound and west bound traffic." +111785,666733,MISSOURI,2017,January,Winter Weather,"NODAWAY",2017-01-13 23:00:00,CST-6,2017-01-14 05:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","A light icing event occurred overnight Friday night (Jan 13) into early Saturday morning (Jan 14). Nearby observations in Falls City, Nebraska and Clarinda, Iowa did not report any freezing precipitation, but Kansas City International Airport did report a few hours of freezing rain late Friday night into Saturday morning. The roads in Nodaway County were reported covered in ice when a fatal vehicle accident occurred early Saturday morning. A 22 year old male slid off the road and struck a fence before rolling several times. The driver was ejected from the vehicle while not wearing a seat belt, and was pronounced dead at the scene once state troopers arrived. That accident occurred on Route E, north of 220th Street near Ravenwood around 4:30 am. While there was a more significant ice storm for Nodaway County a couple days later this event has been separated due to a prolonged period of dry weather between this event and the ice storm that occurred on Sunday, January 15." +117139,705964,OKLAHOMA,2017,June,Thunderstorm Wind,"DELAWARE",2017-06-17 07:10:00,CST-6,2017-06-17 07:10:00,0,0,0,0,0.00K,0,0.00K,0,36.2054,-94.7978,36.2054,-94.7978,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind blew down trees." +117139,705966,OKLAHOMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-17 07:50:00,CST-6,2017-06-17 07:50:00,0,0,0,0,2.00K,2000,0.00K,0,35.9345,-94.97,35.9345,-94.97,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Thunderstorm wind gusts were measured to 63 mph one mile east of the airport. Power lines were blown down in Tahlequah." +112883,674479,MINNESOTA,2017,March,Winter Storm,"WASECA",2017-03-12 11:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 7 to 9 inches of snow across Waseca county Sunday afternoon, through early Monday morning." +117139,705967,OKLAHOMA,2017,June,Thunderstorm Wind,"MUSKOGEE",2017-06-17 08:01:00,CST-6,2017-06-17 08:01:00,0,0,0,0,2.00K,2000,0.00K,0,35.5163,-95.1318,35.5163,-95.1318,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind blew down power lines across Highway 100." +121202,725563,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST POLK",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725564,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST POLK",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725565,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"PENNINGTON",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725566,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"RED LAKE",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725567,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORMAN",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725568,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MAHNOMEN",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725569,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"CLAY",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725570,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST BECKER",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725571,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST BECKER",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725572,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WADENA",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725573,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST OTTER TAIL",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725574,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST OTTER TAIL",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725575,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WILKIN",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +112883,674469,MINNESOTA,2017,March,Winter Storm,"MARTIN",2017-03-12 09:30:00,CST-6,2017-03-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 8 to 10 inches of snow across Martin county Sunday morning, through early Monday morning." +112883,674470,MINNESOTA,2017,March,Winter Storm,"NICOLLET",2017-03-12 10:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 8 to 10 inches of snow across Nicollet county late Sunday morning, through early Monday morning. The heaviest snow fell in the far southern part of the county." +112883,674465,MINNESOTA,2017,March,Winter Storm,"FREEBORN",2017-03-12 11:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 7 to 9 inches of snow across Freeborn county Sunday afternoon, through early Monday morning." +117373,709422,MASSACHUSETTS,2017,June,Lightning,"NORFOLK",2017-06-27 20:23:00,EST-5,2017-06-27 20:23:00,0,0,0,0,1.00K,1000,0.00K,0,42.1696,-71.0948,42.1696,-71.0948,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 823 PM, a house on Waterman Road in Canton, MA was struck by lightning, with minor damage to the home." +118010,709428,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-30 16:24:00,EST-5,2017-06-30 16:24:00,0,0,0,0,1.50K,1500,0.00K,0,42.6395,-72.9254,42.6395,-72.9254,"A weak disturbance moving through the atmosphere combined with a warm and humid air mass to generate showers and thunderstorms over Western Massachusetts.","At 424 PM EST, in Charlemont, a tree was down on state route 2 near the Savoy Mountain State Forest, partially blocking the road." +118011,709438,CONNECTICUT,2017,June,Thunderstorm Wind,"HARTFORD",2017-06-30 17:11:00,EST-5,2017-06-30 17:11:00,0,0,0,0,5.00K,5000,0.00K,0,41.8579,-72.8916,41.8579,-72.8916,"A weak disturbance moving through the atmosphere combined with a warm and humid air mass to generate showers and thunderstorms over Western Connecticut.","At 511 PM EST, in Canton, CT, trees were down on East Hill Road, Gracey Road, and at the intersection of Lawton Road and Washburn Road." +112883,674475,MINNESOTA,2017,March,Winter Storm,"SIBLEY",2017-03-12 10:30:00,CST-6,2017-03-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 6 to 8 inches of snow across far southeast Sibley county late Sunday morning, through early Monday morning." +118011,709431,CONNECTICUT,2017,June,Flood,"HARTFORD",2017-06-30 17:41:00,EST-5,2017-06-30 19:45:00,0,0,0,0,0.00K,0,0.00K,0,41.7893,-72.7476,41.786,-72.7448,"A weak disturbance moving through the atmosphere combined with a warm and humid air mass to generate showers and thunderstorms over Western Connecticut.","At 541 PM EST, in West Hartford, the junction of North Main Street and Albany Avenue had flooding to a depth of two and one-half feet." +117341,707190,INDIANA,2017,June,Flood,"JENNINGS",2017-06-15 03:45:00,EST-5,2017-06-15 06:00:00,0,0,0,0,7.00K,7000,1.00K,1000,39.0666,-85.447,39.0644,-85.4472,"The heaviest rains of more than 4 inches, fell on the 13th and 14th of June in portions of northwest and southeast Indiana. Precipitation covered nearly the entire state on the 14th.","State Road 50 was closed at the Jennings and Ripley County line due to heavy rainfall. A semi-truck was stuck in high water." +117341,707198,INDIANA,2017,June,Flood,"DECATUR",2017-06-15 05:49:00,EST-5,2017-06-15 08:00:00,0,0,0,0,2.00K,2000,3.00K,3000,39.3382,-85.5148,39.3372,-85.5138,"The heaviest rains of more than 4 inches, fell on the 13th and 14th of June in portions of northwest and southeast Indiana. Precipitation covered nearly the entire state on the 14th.","Numerous roads were flooded or impacted by high water due to heavy rainfall." +117518,706848,NEW YORK,2017,June,Flash Flood,"ORANGE",2017-06-13 18:44:00,EST-5,2017-06-13 19:14:00,0,0,0,0,0.00K,0,0.00K,0,41.361,-74.1367,41.3614,-74.1346,"A cold front moved slowly across the area during the afternoon and evening hours, sparking scattered thunderstorms that resulted in isolated flash flooding across Orange County. One spotter in the Highland Mills area reported over one inch of rain in 30 minutes, with over 2 inches falling in the span of 45 minutes.","Lent Drive and Schunnemunk Road at Ridge Road were closed due to flooding in Highland Mills." +115430,696067,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:50:00,CST-6,2017-06-11 07:50:00,0,0,0,0,0.00K,0,0.00K,0,45.14,-93.24,45.14,-93.24,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +121151,725290,MINNESOTA,2017,December,Blizzard,"MAHNOMEN",2017-12-04 12:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +112039,668172,GEORGIA,2017,January,Winter Storm,"FANNIN",2017-01-06 13:30:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several COOP and CoCoRaHS observers reported between 3 and 4.5 inches of snow across the county, including in the Cherry Log, Morganton, Blue Ridge and Suches areas. The highest amounts around 4.5 inches were reported in the Morganton area." +121201,725535,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"TOWNER",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +112039,668174,GEORGIA,2017,January,Winter Weather,"FAYETTE",2017-01-06 21:00:00,EST-5,2017-01-07 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Fayette County 911 center reported .15 inches of freezing rain. Several other reports of .05 to .15 inches of freezing rain were received including .08 inches fro the ASOS at Falcon Field Airport in Peachtree City." +112039,668193,GEORGIA,2017,January,Winter Storm,"SOUTH FULTON",2017-01-06 20:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","County officials and the general public reported around a quarter of an inch of freezing rain across the Atlanta Metropolitan area. Several reports of large branches and even trees brought down by ice were received. The ASOS at Fulton County Airport, Brown Field, reported .24 inches of freezing rain." +112039,668195,GEORGIA,2017,January,Winter Storm,"GILMER",2017-01-06 13:30:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several reports of 2.5 to 4 inches of snow were received from CoCoRaHS observers and the public around the Ellijay area." +112039,668197,GEORGIA,2017,January,Winter Storm,"GORDON",2017-01-06 14:30:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Gordon County 911 center reported 2 inches of snow in Resaca. Several reports of 1 to 2 inches of snow were received from CoCoRaHS observers and the public in the Calhoun and Sugar Valley areas." +112039,668198,GEORGIA,2017,January,Winter Weather,"GWINNETT",2017-01-06 20:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers reported a light dusting, generally a quarter of an inch or less, of snow in the Dacula, Suwanee, Buford and Lawrenceville areas." +112039,668199,GEORGIA,2017,January,Winter Storm,"HALL",2017-01-06 20:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers reported between 1 and 2 inches of snow across the county including around Gainesville and Flowery Branch. A recently retired National Weather Service employee reported 2 inches of snow in the Timberidge area." +122259,732075,IOWA,2017,December,Winter Weather,"LOUISA",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","" +122259,732100,IOWA,2017,December,Winter Weather,"DES MOINES",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","COOP observer snowfall reports ranged from 0.5 inches 2 mile south of Burlington to 3.0 inches near Gladstone." +122276,732110,ILLINOIS,2017,December,Winter Storm,"ROCK ISLAND",2017-12-29 07:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","The official NWS observation at the Moline-Quad Cities Airport was 6.7 inches." +122276,732112,ILLINOIS,2017,December,Winter Storm,"WHITESIDE",2017-12-29 08:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from 3.0 inches at Prophetstown to 3.4 inches at Rock Falls." +118153,710103,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 18:20:00,CST-6,2017-06-13 18:20:00,0,0,0,0,,NaN,0.00K,0,45.32,-96.46,45.32,-96.46,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Sixty-five mph winds damaged a shed along with downing some large branches." +112039,668203,GEORGIA,2017,January,Winter Weather,"MADISON",2017-01-06 23:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS and COOP observers reported a dusting, generally a half of an inch or less, of snow in the Danielsville and Commerce areas." +112039,668204,GEORGIA,2017,January,Winter Weather,"MURRAY",2017-01-06 16:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Reports of 1.5 inches of snow were received from a COOP observer and the public in the Chatsworth area." +112039,668205,GEORGIA,2017,January,Winter Weather,"OCONEE",2017-01-07 00:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several CoCoRaHS observers reported a dusting, generally a half inch or less, of snow in the Bogart, Bishop and Watkinsville areas." +122276,732230,ILLINOIS,2017,December,Winter Storm,"HENRY",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from 4.0 inches 1 mile east of Kewanee to 5.2 inches 5 mile east south east of Moline." +118153,710119,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,,NaN,0.00K,0,45.57,-96.29,45.57,-96.29,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Seventy mph winds caused a partial loss of a roof." +118153,710120,MINNESOTA,2017,June,Thunderstorm Wind,"TRAVERSE",2017-06-13 19:45:00,CST-6,2017-06-13 19:45:00,0,0,0,0,,NaN,0.00K,0,46.01,-96.32,46.01,-96.32,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Many large tree limbs were downed by an estimated sixty-five mph winds." +118153,710121,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,0.00K,0,0.00K,0,45.4162,-96.6402,45.4162,-96.6402,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","" +118153,710122,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:23:00,CST-6,2017-06-13 19:23:00,0,0,0,0,0.00K,0,0.00K,0,45.26,-96.34,45.26,-96.34,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","" +118153,710123,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:35:00,CST-6,2017-06-13 19:35:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-96.49,45.56,-96.49,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","" +117877,708398,SOUTH DAKOTA,2017,June,Funnel Cloud,"DAY",2017-06-13 17:39:00,CST-6,2017-06-13 17:39:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-97.89,45.5,-97.89,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710075,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:34:00,CST-6,2017-06-13 18:34:00,0,0,0,0,,NaN,0.00K,0,45.4,-97.55,45.4,-97.55,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Three power poles were downed by estimated eighty mph winds." +117877,710076,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:35:00,CST-6,2017-06-13 18:35:00,0,0,0,0,,NaN,0.00K,0,45.3,-97.37,45.3,-97.37,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A dairy barn was partially destroyed by estimated eighty-five mph winds." +117877,710078,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:37:00,CST-6,2017-06-13 18:37:00,0,0,0,0,,NaN,0.00K,0,45.34,-97.31,45.34,-97.31,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Eighty mph winds caused a lot of damage throughout Waubay with trees uprooted and damage to several structures. There were also many power outages." +117453,706387,IOWA,2017,June,Funnel Cloud,"UNION",2017-06-28 16:54:00,CST-6,2017-06-28 16:54:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-94.06,41.13,-94.06,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported a funnel cloud." +114396,686056,KANSAS,2017,March,Hail,"LEAVENWORTH",2017-03-06 18:57:00,CST-6,2017-03-06 18:58:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-94.97,39.3,-94.97,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +115967,697146,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-13 19:59:00,CST-6,2017-06-13 19:59:00,0,0,0,0,750.00K,750000,,NaN,46.8,-96.82,46.8,-96.82,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A high voltage electrical tower was bent over by extreme downburst winds. Numerous wooden power poles were snapped and trees were damaged in the area." +116011,697177,MINNESOTA,2017,June,Thunderstorm Wind,"WILKIN",2017-06-13 19:45:00,CST-6,2017-06-13 19:45:00,0,0,0,0,500.00K,500000,,NaN,46.04,-96.45,46.04,-96.45,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Several large grain bins were caved in by the strong wind and a couple of empty grain cars were blown over." +116011,697181,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:12:00,CST-6,2017-06-13 20:12:00,0,0,0,0,150.00K,150000,,NaN,46.45,-96.23,46.45,-96.23,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Two tractor-trailers were blown over on Interstate 94 between Elizabeth and Rothsay. The Rothsay MNDOT RWIS also experienced a power outage during this time." +116011,697185,MINNESOTA,2017,June,Thunderstorm Wind,"GRANT",2017-06-13 20:18:00,CST-6,2017-06-13 20:18:00,0,0,0,0,250.00K,250000,,NaN,46.09,-95.9,46.09,-95.9,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Several semi-trucks were blown off Interstate 94 near Ashby." +115430,697446,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:40:00,CST-6,2017-06-11 07:40:00,0,0,0,0,0.00K,0,0.00K,0,45.21,-93.55,45.21,-93.55,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A semi was blown over at Highway 101 and County Road 39." +118158,710118,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-30 02:40:00,CST-6,2017-06-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5848,-87.1271,30.768,-87.1106,"Slow moving thunderstorm dropped copious amounts of rain over portions of northwest Florida, particularly the Pace and Milton areas of Santa Rosa County where 9 to 12 inches of rain was observed.","Heavy rain caused several roads to be closed due to water over the roadway." +121091,724923,MISSOURI,2017,December,Thunderstorm Wind,"RANDOLPH",2017-12-04 16:52:00,CST-6,2017-12-04 16:55:00,0,0,0,0,50.00K,50000,0.00K,0,39.3046,-92.5116,39.3046,-92.5116,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","A weakened brick building was destroyed by strong winds preceding the tornado that formed just east of Higbee. The damage was extensive, but considering the dilapidated nature of the building and the unidirectional nature of the damage, strong thunderstorm winds of around 70 to 80 mph were deemed to be the cause of the damage." +112797,673866,FLORIDA,2017,January,Thunderstorm Wind,"BROWARD",2017-01-23 03:05:00,EST-5,2017-01-23 03:05:00,0,0,0,0,,NaN,,NaN,26.11,-80.27,26.11,-80.27,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Several large tree branches down and scattered debris located at the Jacaranda Golf Club. Wind gusts off 50-60 mph were measured with the line of thunderstorms as it moved across Broward County." +121091,725081,MISSOURI,2017,December,Hail,"LAFAYETTE",2017-12-04 15:55:00,CST-6,2017-12-04 15:57:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-93.57,38.99,-93.57,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","" +121091,725083,MISSOURI,2017,December,Thunderstorm Wind,"MACON",2017-12-04 16:00:00,CST-6,2017-12-04 16:03:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-92.76,40.02,-92.76,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","Some small branches were broken off of a tree near South Gifford. Winds were estimated around 60 mph." +120869,724304,WISCONSIN,2017,December,Strong Wind,"DANE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred. A small portion of a wooden fence was blown down in Brooklyn, WI." +118191,710286,NEW YORK,2017,June,Thunderstorm Wind,"TIOGA",2017-06-18 19:30:00,EST-5,2017-06-18 19:40:00,0,0,0,0,2.00K,2000,0.00K,0,42.1,-76.24,42.1,-76.24,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees on Main Street and railroad tracks." +118191,710285,NEW YORK,2017,June,Thunderstorm Wind,"TOMPKINS",2017-06-18 18:50:00,EST-5,2017-06-18 19:00:00,0,0,0,0,8.00K,8000,0.00K,0,42.44,-76.5,42.44,-76.5,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and wires." +117673,707606,SOUTH DAKOTA,2017,June,Hail,"JONES",2017-06-11 00:30:00,CST-6,2017-06-11 00:30:00,0,0,0,0,,NaN,,NaN,43.99,-100.86,43.99,-100.86,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707607,SOUTH DAKOTA,2017,June,Hail,"LYMAN",2017-06-11 00:30:00,CST-6,2017-06-11 00:30:00,0,0,0,0,,NaN,,NaN,44.04,-100.27,44.04,-100.27,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +116086,697732,COLORADO,2017,June,Hail,"EL PASO",2017-06-29 20:40:00,MST-7,2017-06-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-104.41,38.62,-104.41,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +115452,693297,COLORADO,2017,June,Hail,"BACA",2017-06-06 16:22:00,MST-7,2017-06-06 16:27:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-102.72,37.51,-102.72,"A strong storm produced hail up to the size of nickels in El Paso County, and a severe storm produced hail up to the size of quarters in Baca County.","" +119057,716725,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:41:00,CST-6,2017-07-22 21:44:00,0,0,0,0,,NaN,,NaN,39.02,-94.28,39.02,-94.28,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs of unknown size or condition were down near Blue Springs." +116909,703032,WISCONSIN,2017,June,Hail,"MARATHON",2017-06-11 10:50:00,CST-6,2017-06-11 10:50:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-89.96,44.91,-89.96,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Nickel size hail fell near Edgar." +116909,703035,WISCONSIN,2017,June,Hail,"LINCOLN",2017-06-11 11:03:00,CST-6,2017-06-11 11:03:00,0,0,0,0,0.00K,0,0.00K,0,45.18,-89.64,45.18,-89.64,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Nickel size hail fell near Merrill." +118239,710568,UTAH,2017,June,Thunderstorm Wind,"WASATCH",2017-06-20 17:20:00,MST-7,2017-06-20 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-111.53,40.41,-111.53,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","The sensor at US-189 at Deer Creek Dam reported a peak wind gust of 64 mph." +118222,710618,MONTANA,2017,June,Drought,"MCCONE",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across McCone County by June 13th, and quickly worsened (D3 - Extreme) across northern McCone County by June 20th. Rainfall amounts averaged from around one quarter of an inch to one half of an inch of precipitation, which was approximately two to three inches below normal for the month. Drought conditions persisted into July." +115430,696187,MINNESOTA,2017,June,Thunderstorm Wind,"MCLEOD",2017-06-11 06:55:00,CST-6,2017-06-11 06:55:00,0,0,0,0,10.00K,10000,0.00K,0,44.73,-94.39,44.73,-94.39,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several large tree limbs were blown down and a tree was uprooted in the Brownton area. On 147 5th Ave South in Brownton, a tree branch punctured a roof." +118222,710666,MONTANA,2017,June,Drought,"PETROLEUM",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Although drought conditions (D1 - Moderate) persisted since June 13th, severe drought conditions (D2 - Severe) began across Petroleum County by June 27th. Rainfall amounts averaged from around one quarter of an inch to one half of an inch of precipitation across the most heavily impacted areas, which was two to three inches below normal for the month. Drought conditions persisted into July." +118041,710244,FLORIDA,2017,June,Heavy Rain,"MIAMI-DADE",2017-06-02 08:40:00,EST-5,2017-06-02 10:30:00,1,0,0,0,20.00K,20000,,NaN,25.8286,-80.2854,25.8286,-80.2854,"Deep and moist southeasterly flow brought a round of heavy morning showers from the Atlantic into the Miami-Dade metro area during the morning hours, leading to flooding of streets across Miami, and a partial collapse of a roof under construction.","A roof under construction along West 2nd Avenue in Hialeah began leaking and collapsed partially due to heavy rainfall, displacing 15 people in 6 families. A 10 month old child suffered facial injuries in the collapse and was transported to the hospital in stable condition." +115559,704355,NEBRASKA,2017,June,Thunderstorm Wind,"WEBSTER",2017-06-13 17:54:00,CST-6,2017-06-13 17:54:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-98.58,40.32,-98.58,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts were estimated to be near 60 MPH." +115559,704368,NEBRASKA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-13 18:35:00,CST-6,2017-06-13 18:37:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-97.9,41.08,-97.8616,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated to be near 60 MPH resulted in some small tree branches being downed in the area." +115559,704370,NEBRASKA,2017,June,Hail,"CLAY",2017-06-13 18:40:00,CST-6,2017-06-13 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-98.27,40.68,-98.27,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704371,NEBRASKA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-13 18:45:00,CST-6,2017-06-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4089,-98.4551,40.4089,-98.4551,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704373,NEBRASKA,2017,June,Hail,"HAMILTON",2017-06-13 18:48:00,CST-6,2017-06-13 18:48:00,0,0,0,0,0.00K,0,0.00K,0,40.7288,-98.2176,40.7288,-98.2176,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704379,NEBRASKA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-13 19:10:00,CST-6,2017-06-13 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.9109,-97.8459,40.9109,-97.8459,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704380,NEBRASKA,2017,June,Hail,"HAMILTON",2017-06-13 19:13:00,CST-6,2017-06-13 19:13:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-98,40.87,-98,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704381,NEBRASKA,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-13 19:15:00,CST-6,2017-06-13 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-98,40.88,-98,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704387,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-13 20:11:00,CST-6,2017-06-13 20:11:00,0,0,0,0,0.00K,0,0.00K,0,40.2399,-98.3482,40.2399,-98.3482,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704388,NEBRASKA,2017,June,Hail,"FRANKLIN",2017-06-13 20:08:00,CST-6,2017-06-13 20:13:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-98.77,40.1,-98.77,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704390,NEBRASKA,2017,June,Thunderstorm Wind,"NUCKOLLS",2017-06-13 20:25:00,CST-6,2017-06-13 20:25:00,0,0,0,0,0.00K,0,0.00K,0,40.2779,-98.1999,40.2779,-98.1999,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated to be near 60 MPH were accompanied by pea size hail." +115559,704391,NEBRASKA,2017,June,Hail,"CLAY",2017-06-13 20:32:00,CST-6,2017-06-13 20:32:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-98.13,40.35,-98.13,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704392,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-13 20:40:00,CST-6,2017-06-13 20:40:00,0,0,0,0,0.00K,0,0.00K,0,40.0331,-98.5662,40.0331,-98.5662,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704393,NEBRASKA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 20:42:00,CST-6,2017-06-13 20:42:00,0,0,0,0,0.00K,0,0.00K,0,40.4968,-97.9445,40.4968,-97.9445,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated to be near 60 MPH were accompanied by nickel size hail." +115559,704394,NEBRASKA,2017,June,Hail,"CLAY",2017-06-13 20:44:00,CST-6,2017-06-13 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-98.05,40.4466,-98.0673,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704396,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-13 20:50:00,CST-6,2017-06-13 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-98.53,40.1,-98.53,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704344,KANSAS,2017,June,Hail,"OSBORNE",2017-06-13 17:22:00,CST-6,2017-06-13 17:22:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-99.02,39.18,-99.02,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704348,KANSAS,2017,June,Hail,"PHILLIPS",2017-06-13 19:14:00,CST-6,2017-06-13 19:14:00,0,0,0,0,0.00K,0,0.00K,0,39.7524,-99.42,39.7524,-99.42,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704349,KANSAS,2017,June,Hail,"PHILLIPS",2017-06-13 19:21:00,CST-6,2017-06-13 19:21:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-99.32,39.75,-99.32,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704351,KANSAS,2017,June,Hail,"PHILLIPS",2017-06-13 20:56:00,CST-6,2017-06-13 20:56:00,0,0,0,0,0.00K,0,0.00K,0,39.7993,-99.61,39.7993,-99.61,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704352,KANSAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-13 21:08:00,CST-6,2017-06-13 21:08:00,0,0,0,0,0.00K,0,0.00K,0,39.3734,-98.48,39.3734,-98.48,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +117788,708125,CALIFORNIA,2017,June,Excessive Heat,"COACHELLA VALLEY",2017-06-24 10:00:00,PST-8,2017-06-24 15:00:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"This is a continuation of the heat wave that began on June 16th.","An Elderly hiker died while hiking on a trail in La Quinta. Heat was suspected as a factor." +117788,708126,CALIFORNIA,2017,June,Excessive Heat,"COACHELLA VALLEY",2017-06-24 10:00:00,PST-8,2017-06-25 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"This is a continuation of the heat wave that began on June 16th.","Palm Springs recorded an afternoon high of 122 degrees on both the 24th and 25th, just on degree shy of the all time record." +116916,703151,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:35:00,EST-5,2017-05-27 17:35:00,0,0,0,0,2.00K,2000,0.00K,0,37.32,-77.57,37.32,-77.57,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Tea cup size hail was reported." +118192,710307,SOUTH DAKOTA,2017,June,Hail,"HUGHES",2017-06-22 04:19:00,CST-6,2017-06-22 04:19:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-100.31,44.4,-100.31,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +115430,696076,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 08:05:00,CST-6,2017-06-11 08:05:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-92.99,45.17,-92.99,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Report submitted via social media." +118192,710309,SOUTH DAKOTA,2017,June,Hail,"STANLEY",2017-06-22 03:19:00,MST-7,2017-06-22 03:19:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-100.38,44.37,-100.38,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +118192,710313,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAMLIN",2017-06-22 02:09:00,CST-6,2017-06-22 02:09:00,0,0,0,0,,NaN,,NaN,44.73,-97.13,44.73,-97.13,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","Eighty mph winds downed 16 to 20 power poles southeast of Thomas." +117162,704766,GEORGIA,2017,June,Thunderstorm Wind,"FLOYD",2017-06-23 16:30:00,EST-5,2017-06-23 16:55:00,0,0,0,0,15.00K,15000,,NaN,34.1674,-85.3432,34.4192,-85.1125,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Floyd County 911 center reported numerous trees and power lines blown down across the county from north of Cave Spring through Rome to northeast of Armuchee. Locations include Old River Road around Highway 20 near the boat ramp, near the intersection of Highway 20 and Highway 100, Wilson Road, Lyons Bridge Road SW at Booger Hollow Road, Booger Hollow Road at Miller Mountain Road, Donahoo Road SE and Reeceburg Road SE, Pine Ridge Drive and Old Rockmart Road, Old Dalton Road near Covered Springs Drive, Grant Road off of Highway 156, and Ridgeview Drive at Old Rockmart Road." +117162,704775,GEORGIA,2017,June,Thunderstorm Wind,"DAWSON",2017-06-23 18:06:00,EST-5,2017-06-23 18:15:00,0,0,0,0,1.00K,1000,,NaN,34.58,-84.3025,34.58,-84.3025,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Georgia DOT reported a tree blown down on Highway 52 near Amicalola." +117162,704779,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 18:30:00,EST-5,2017-06-23 18:50:00,0,0,0,0,10.00K,10000,,NaN,34.1021,-84.5189,34.172,-84.4162,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Cherokee County Emergency Manager reported trees and power lines blown down from Woodstock to Hickory Flat. Locations include East Main Street in Woodstock, near the intersection of Univeter Road and Stover Road, along Highway 140 near Big Springs Road and Riverlake Drive." +117162,704790,GEORGIA,2017,June,Thunderstorm Wind,"BANKS",2017-06-23 19:48:00,EST-5,2017-06-23 19:58:00,0,0,0,0,1.00K,1000,,NaN,34.35,-83.64,34.35,-83.64,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Banks County 991 center reported a tree blown down near the intersection of Antioch Road and Glenn Road." +118045,710310,FLORIDA,2017,June,Flood,"BROWARD",2017-06-07 07:00:00,EST-5,2017-06-09 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,26.146,-80.3301,26.0887,-80.3429,"A disturbance meandering across the Gulf of Mexico in combination with an upper level system across the western Gulf of Mexico lead to nearly a week of heavy rainfall across South Florida. The heaviest rainfall fell in the corridor from Marco Island and southern Collier county northeast into Broward and southern Palm Beach counties. Many locations in this swath saw rainfall amounts in excess of 9 to 10 inches in a single day, and as high as almost 15 inches on the heaviest day, resulting in event totals of 15 to 20 inches in this area. Elsewhere, rainfall amounts ranged from around 4 inches across southern Miami-Dade to 7 to 8 inches in the remainder of South Florida. ||This rainfall forced the closure of numerous roads across South Florida, especially in Collier and Broward counties where cars were trapped at times in the flood waters. Flooding also lead to the closure of Everglades Airpark as well as Sawgrass Mills Mall in Broward County. Significant flooding was also recorded in the Everglades, leading to road and trail closures in Big Cypress National Park.","The heaviest rainfall of the event across Broward County fell during June 7th and 8th. The worst impacts were generally reported across Sunrise, Weston, and Davie. There was a multiday closure of the Sawgrass Mills Mall located in Sunrise, the second largest attraction in the state of Florida, due to flooding of the parking lot and mall entrances. Sunrise Fire Station 59 sustained roof damage to the lobby and firefighter sleeping quarters and damage was sustained to the Sunrise Civic Center due to seeping water in the orchestra pit and the public assembly area of the facility. An off-duty NWS employee also reported 6 to 8 inches of water in most low-lying areas and roadways in the vicinity. Most swales and lakes were also out of there banks and flooding adjacent yards. The city of Davie reported several road closures, numerous flooded roadways, as well as a number of flooding homes due to both roof leaks and water encroachment from swales and lakes. Elsewhere across the county, widespread minor to moderate flooding was reported along with several unconfirmed reports of roof collapses." +118048,709595,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-06 17:06:00,EST-5,2017-06-06 17:06:00,0,0,0,0,,NaN,,NaN,26.21,-81.82,26.21,-81.82,"Deep tropical moisture and a disturbance over the Gulf of Mexico led to several rounds of strong storms along the Collier County coast. Several strong wind gusts were recorded with activity during the early morning hours, and again during the afternoon and evening.","WeatherBug mesonet site NPLSR located at the Naples Grande Beach Resort recorded a wind gust of 37 knots/43 mph with a thunderstorm. A later gust to 34 knots/39 mph was recorded at the same site at 1757 EST." +118049,709596,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-06 05:19:00,EST-5,2017-06-06 05:19:00,0,0,0,0,,NaN,,NaN,25.6852,-80.1628,25.6852,-80.1628,"Deep tropical moisture and a disturbance over the Gulf of Mexico led to strong storms along the Atlantic coast during the early morning hours. Several strong wind gusts were recorded with this activity.","A wind gust of 39 knots/45mph was recorded at WeatherBug mesonet site KYBSC located on Key Biscayne." +117615,707306,OHIO,2017,June,Thunderstorm Wind,"SENECA",2017-06-13 15:35:00,EST-5,2017-06-13 15:35:00,0,0,0,0,5.00K,5000,0.00K,0,41.2053,-83.0558,41.2053,-83.0558,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds downed some trees." +117615,707307,OHIO,2017,June,Thunderstorm Wind,"MORROW",2017-06-13 15:30:00,EST-5,2017-06-13 15:30:00,0,0,0,0,15.00K,15000,0.00K,0,40.4988,-82.9087,40.4988,-82.9087,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds downed some trees and power lines in the Cardington area." +117615,707312,OHIO,2017,June,Hail,"MORROW",2017-06-13 15:50:00,EST-5,2017-06-13 15:50:00,0,0,0,0,0.00K,0,0.00K,0,40.6102,-82.8242,40.6102,-82.8242,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Penny sized hail was observed." +117615,707313,OHIO,2017,June,Hail,"HURON",2017-06-13 15:50:00,EST-5,2017-06-13 15:50:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-82.73,41.05,-82.73,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Nickel sized hail was observed." +117615,707314,OHIO,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 15:45:00,EST-5,2017-06-13 15:45:00,0,0,0,0,25.00K,25000,0.00K,0,40.708,-82.3988,40.708,-82.3988,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds toppled a large tree along State Route 39 near Lucas. The tree landed on an old barn causing extensive damage." +117615,707317,OHIO,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-13 17:05:00,EST-5,2017-06-13 17:05:00,0,0,0,0,35.00K,35000,0.00K,0,41,-83.8,41,-83.8,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds snapped a couple utility poles and some trees resulting in a few power outages." +117615,707318,OHIO,2017,June,Hail,"STARK",2017-06-13 13:56:00,EST-5,2017-06-13 13:56:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-81.3609,40.8,-81.3609,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Half dollar sized hail was observed." +118239,710576,UTAH,2017,June,Thunderstorm Wind,"TOOELE",2017-06-20 14:35:00,MST-7,2017-06-20 15:40:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-113.53,40.37,-113,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","Many sensors in the U.S. Army Dugway Proving Ground mesonet recorded strong winds from a thunderstorm, including 73 mph at Causeway, 63 mph at Upper Cedar Mountain, 62 mph at the APG sensor, 61 mph at Playa Station and V-Grid, 60 mph at the Salt Flats sensor, and 58 mph at Wig Mountain." +115431,699049,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:17:00,CST-6,2017-06-11 08:17:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-92.68,45.16,-92.68,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115929,696541,TENNESSEE,2017,May,Thunderstorm Wind,"WEAKLEY",2017-05-27 18:05:00,CST-6,2017-05-27 18:15:00,0,0,0,0,100.00K,100000,0.00K,0,36.2632,-88.8162,36.3186,-88.5429,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees down county wide. Fifteen to twenty roads temporarily blocked." +115929,696542,TENNESSEE,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 18:20:00,CST-6,2017-05-27 18:30:00,0,0,0,0,100.00K,100000,0.00K,0,36.3113,-88.4351,36.3799,-88.2772,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Several trees down on roadways across Henry County, including Antioch, Rowe School road, and Old Paris Murray road." +115929,696543,TENNESSEE,2017,May,Thunderstorm Wind,"HENRY",2017-05-27 18:25:00,CST-6,2017-05-27 18:35:00,0,0,0,0,30.00K,30000,0.00K,0,36.2338,-88.1646,36.2454,-88.1172,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Tree fell on vehicle on Highway 69A between Springville and Big Sandy." +117615,707303,OHIO,2017,June,Thunderstorm Wind,"KNOX",2017-06-13 14:30:00,EST-5,2017-06-13 14:40:00,0,0,0,0,15.00K,15000,0.00K,0,40.3985,-82.3446,40.447,-82.2581,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds downed several tress in the Apple Valley and Danville areas. Trees were reported down along Apple Valley Road, Danville-Amity Road and Jonathon Drive." +117615,707315,OHIO,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-13 15:32:00,EST-5,2017-06-13 15:34:00,0,0,0,0,5.00K,5000,0.00K,0,40.73,-82.78,40.73,-82.78,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds downed a couple of large tree limbs. The limbs took out some power lines resulting in some power outages." +115431,699052,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:25:00,CST-6,2017-06-11 08:25:00,0,0,0,0,0.00K,0,0.00K,0,44.92,-92.45,44.92,-92.45,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115431,699053,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:25:00,CST-6,2017-06-11 08:25:00,0,0,0,0,0.00K,0,0.00K,0,45.13,-92.54,45.13,-92.54,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115929,696545,TENNESSEE,2017,May,Thunderstorm Wind,"CARROLL",2017-05-27 18:43:00,CST-6,2017-05-27 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,36.03,-88.25,36.0415,-88.2279,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Several large limbs as well as a large tree down. Winds estimated at 60+ mph." +117390,707560,NEVADA,2017,February,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-02-06 05:30:00,PST-8,2017-02-06 20:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","The Reno-Tahoe International airport recorded a gust to 73 mph at 1934PST on the 6th. Gusts 65 to 73 mph were noted in the foothills along Interstate 580 south of Reno and near the Stead airport." +117674,707616,KANSAS,2017,June,Flash Flood,"SEDGWICK",2017-06-14 23:36:00,CST-6,2017-06-15 04:06:00,0,0,0,0,0.00K,0,0.00K,0,37.6107,-97.2985,37.6008,-97.2964,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Several roads along highway K15 north of 47th street have water over them." +117674,707617,KANSAS,2017,June,Flood,"BUTLER",2017-06-15 19:33:00,CST-6,2017-06-15 22:33:00,0,0,0,0,0.00K,0,0.00K,0,37.6912,-96.9877,37.6703,-96.9942,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Minor street flooding across the city was reported." +117674,707618,KANSAS,2017,June,Hail,"RICE",2017-06-13 19:08:00,CST-6,2017-06-13 19:09:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-98.16,38.52,-98.16,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +115706,695357,ALABAMA,2017,June,Thunderstorm Wind,"COLBERT",2017-06-23 12:27:00,CST-6,2017-06-23 12:27:00,0,0,0,0,0.20K,200,0.00K,0,34.7799,-87.6167,34.7799,-87.6167,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down at NE Markate Avenue." +115929,696835,TENNESSEE,2017,May,Thunderstorm Wind,"HENDERSON",2017-05-27 21:56:00,CST-6,2017-05-27 22:05:00,0,0,0,0,50.00K,50000,0.00K,0,35.73,-88.5,35.691,-88.3987,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees and power lines down across central and northern sections of Henderson County." +115929,696836,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:00:00,CST-6,2017-05-27 22:10:00,0,0,0,0,5.00K,5000,0.00K,0,35.1699,-90.0096,35.1343,-89.9622,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Large tree down on East Parkway near Sam Cooper Blvd." +115929,696838,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 21:55:00,CST-6,2017-05-27 22:05:00,0,0,0,0,100.00K,100000,0.00K,0,35.2109,-90.1016,35.157,-90.033,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Partial building collapse and gas leak at the 100 block of Harbor Circle on Mud Island just north of downtown Memphis." +115929,696839,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:07:00,CST-6,2017-05-27 22:15:00,0,0,0,0,50.00K,50000,0.00K,0,35.172,-89.8668,35.1507,-89.8471,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Large satellite dish blown off of the roof of the Memphis office of Emergency Management." +117674,707631,KANSAS,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-13 20:34:00,CST-6,2017-06-13 20:35:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-98.15,39.04,-98.15,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Three to four in diameter tree limbs were blown out of trees." +115432,695625,MINNESOTA,2017,June,Thunderstorm Wind,"RICE",2017-06-12 12:30:00,CST-6,2017-06-12 12:35:00,0,0,0,0,0.00K,0,0.00K,0,44.2186,-93.4543,44.2349,-93.4348,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","A storm chaser measured a wind gust of 58 mph in the city of Morristown. There was also several trees blown down in the city." +115677,695516,MINNESOTA,2017,June,Hail,"MARTIN",2017-06-21 23:05:00,CST-6,2017-06-21 23:05:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-94.62,43.67,-94.62,"Scattered convection began the night of June 21st in Central and Southern Minnesota in a moist and unstable environment ahead of and along a cold front. Thunderstorms continued through the late morning with isolated large hail.","" +115677,695517,MINNESOTA,2017,June,Hail,"FARIBAULT",2017-06-21 23:05:00,CST-6,2017-06-21 23:05:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-94.16,43.67,-94.16,"Scattered convection began the night of June 21st in Central and Southern Minnesota in a moist and unstable environment ahead of and along a cold front. Thunderstorms continued through the late morning with isolated large hail.","" +115697,695315,KENTUCKY,2017,June,Thunderstorm Wind,"ESTILL",2017-06-23 19:38:00,EST-5,2017-06-23 19:38:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-83.83,37.72,-83.83,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","A citizen reported several trees down blocking Cobhill Road in Cobhill." +115697,695317,KENTUCKY,2017,June,Thunderstorm Wind,"WOLFE",2017-06-23 19:55:00,EST-5,2017-06-23 20:15:00,0,0,0,0,25.00K,25000,0.00K,0,37.74,-83.55,37.78,-83.33,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch relayed reports of several trees blown down from Campton to Vortex to Helechawa. A tree on Whitestone Road near Vortex fell on a vehicle, while Mountain Parkway and Kentucky Highway 191 at Bethel Chapel Road were blocked by downed trees." +115899,696455,NEW MEXICO,2017,June,Hail,"LOS ALAMOS",2017-06-25 14:24:00,MST-7,2017-06-25 14:27:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-106.33,35.9,-106.33,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of nickels in Los Alamos." +115899,696470,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-25 15:40:00,MST-7,2017-06-25 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35,-105.38,35,-105.38,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of golf balls along Interstate 40." +115933,696575,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 15:38:00,CST-6,2017-06-02 15:38:00,0,0,0,0,,NaN,,NaN,48.63,-99.47,48.63,-99.47,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","The hail was accompanied by very heavy rain." +116019,697216,NORTH DAKOTA,2017,June,Thunderstorm Wind,"NELSON",2017-06-10 04:43:00,CST-6,2017-06-10 04:43:00,0,0,0,0,,NaN,,NaN,47.81,-98.3,47.81,-98.3,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","The peak wind was measured by the NDAWN station near Pekin." +116019,697217,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PEMBINA",2017-06-10 05:31:00,CST-6,2017-06-10 05:31:00,0,0,0,0,,NaN,,NaN,48.56,-97.38,48.56,-97.38,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","The wind gust was measured by a personal weather station." +116019,697218,NORTH DAKOTA,2017,June,Hail,"GRAND FORKS",2017-06-10 07:15:00,CST-6,2017-06-10 07:15:00,0,0,0,0,,NaN,,NaN,47.93,-97.07,47.93,-97.07,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","Dime to nickel sized hail fell." +116439,700276,ILLINOIS,2017,June,Thunderstorm Wind,"STARK",2017-06-17 18:58:00,CST-6,2017-06-17 19:03:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-89.87,41.1,-89.87,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees were blown down." +116439,700277,ILLINOIS,2017,June,Thunderstorm Wind,"STARK",2017-06-17 18:37:00,CST-6,2017-06-17 18:42:00,0,0,0,0,0.00K,0,0.00K,0,41.0566,-89.87,41.0566,-89.87,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees were blown down." +116439,700278,ILLINOIS,2017,June,Thunderstorm Wind,"STARK",2017-06-17 18:48:00,CST-6,2017-06-17 18:53:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-89.77,41.07,-89.77,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees were blown down." +115871,696685,NEW MEXICO,2017,June,Heat,"SOUTHWEST CHAVES COUNTY",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across Southwest Chaves County ranged from 95 to 100 degrees on four consecutive days. Record high temperatures were set at Elk." +115871,700786,NEW MEXICO,2017,June,Wildfire,"QUAY COUNTY",2017-06-21 19:00:00,MST-7,2017-06-21 21:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","A wildfire that developed in Quay County experienced a 180 degree wind shift and burned over two volunteer firefighters while they were refilling their water tanker. One firefighter was killed and the other sustained burn injuries. The injured firefighter was released from the hospital." +115513,693631,TEXAS,2017,June,Flash Flood,"HOCKLEY",2017-06-15 16:00:00,CST-6,2017-06-15 18:00:00,0,0,0,0,0.00K,0,2.00M,2000000,33.518,-102.2395,33.4367,-102.1955,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Many roads between Levelland and Ropesville had sections covered by flowing water up to several feet deep at times. The torrential rainfall (estimated by radar as great as 4 inches in 30 minutes), completely washed away vast stretches of cotton, sorghum, and some corn fields. Initial estimates are that 2000 acres of cotton alone were lost. No roads were damaged from the floodwaters, however mud flows from area fields required extensive cleanup efforts before roads could be re-opened." +116961,703402,KENTUCKY,2017,June,Flash Flood,"MCCRACKEN",2017-06-18 16:15:00,CST-6,2017-06-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-88.53,37.03,-88.67,"A slow-moving cluster of thunderstorms drifted east across the Paducah area, generating three to four inches of rain in three hours or less. The storms occurred along a cold front that trailed southwest across the Ohio Valley from a low pressure center near Detroit, Michigan. The storms occurred near the base of a broad 500 mb trough that covered the Mississippi Valley and Great Lakes regions.","Numerous streets and highways were flooded in the city of Paducah and surrounding communities, including Lone Oak and Reidland. Police and emergency management personnel blocked numerous roads on the south side of Paducah, including U.S. Highways 60 and 62. In Lone Oak, a rainfall amount of 3.71 inches was observed in three hours. A similar rainfall rate was reported by a weather service employee in Reidland." +115742,695623,KENTUCKY,2017,June,Heavy Rain,"CARTER",2017-06-23 16:00:00,EST-5,2017-06-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-83.1,38.35,-83.1,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Spotter measured 3.4 inches of rainfall." +115743,696730,OHIO,2017,June,Flood,"ATHENS",2017-06-24 05:00:00,EST-5,2017-06-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3867,-82.2836,39.3799,-82.2,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Following flash flooding along Hewett Fork, lingering high water kept State Routes 56 and 356 closed into the afternoon." +115744,695702,WEST VIRGINIA,2017,June,Flash Flood,"KANAWHA",2017-06-23 21:32:00,EST-5,2017-06-23 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.351,-81.6109,38.3752,-81.6463,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Areas of high water were reported just north of Charleston. This included along Mill Creek Road, Indian Creek Road, and Hemingway Place. The intersection of Pennsylvania Road and New House Drive in Mink Shoals was shut down to a mud slide." +119520,721739,FLORIDA,2017,September,Hurricane,"HIGHLANDS",2017-09-10 06:00:00,EST-5,2017-09-11 09:00:00,0,0,0,4,360.00M,360000000,70.00M,70000000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Highlands County, the highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected.||The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million.||There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th." +119520,721769,FLORIDA,2017,September,Hurricane,"HARDEE",2017-09-10 07:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,1.64M,1640000,57.50M,57500000,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In Hardee County, the highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected.||Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage.||The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million." +111787,666764,MISSOURI,2017,January,Freezing Fog,"DE KALB",2017-01-17 21:00:00,CST-6,2017-01-18 08:00:00,0,1,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing fog overnight and into the morning hours of January 18, 2017 caused several accidents on local roadways. The most notable incident occurred when a vehicle slid into another vehicle, causing one fatality and one injury.","A 39 year old male suffered serious injuries when his vehicle went into a ditch and overturned around 8 am January 18." +117156,710946,GEORGIA,2017,June,Thunderstorm Wind,"COBB",2017-06-14 18:55:00,EST-5,2017-06-14 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.9874,-84.4738,33.9874,-84.4738,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","A tree was reported down on a house near the intersection of Daffodil Drive and Skylane Drive. No injuries reported." +117157,707081,GEORGIA,2017,June,Thunderstorm Wind,"WHITFIELD",2017-06-15 14:50:00,EST-5,2017-06-15 15:10:00,0,0,0,0,15.00K,15000,,NaN,34.876,-84.9659,34.7788,-84.8975,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Whitfield County 911 center reported numerous trees and power lines blown down in and around Dalton. Locations include near Reed Road and Reed Pond Road, Highway 71 and Maple Grove Road, Reed Road and Highway 41, Wiggins Road and Mitchell Bridge Road, and North Selvidge Street and Chattanooga Avenue." +117157,707086,GEORGIA,2017,June,Thunderstorm Wind,"FLOYD",2017-06-15 15:50:00,EST-5,2017-06-15 16:00:00,0,0,0,0,10.00K,10000,,NaN,34.2938,-85.212,34.2907,-85.1516,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Floyd County Emergency Manager reported numerous trees blown down across north Rome from Technology Parkway to Robin Street and Mahogany Street." +117157,707094,GEORGIA,2017,June,Thunderstorm Wind,"POLK",2017-06-15 16:10:00,EST-5,2017-06-15 16:25:00,0,0,0,0,10.00K,10000,,NaN,34.0735,-85.2634,34.0344,-85.072,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Polk County Emergency Manager reported trees and power lines blown down from north of Cedartown to southwest of Aragon. Locations include Booger Hollow Road near Duke Road, Lindsey Chapel Road and Prospect Road." +117157,707103,GEORGIA,2017,June,Thunderstorm Wind,"HARALSON",2017-06-15 16:30:00,EST-5,2017-06-15 16:45:00,0,0,0,0,7.00K,7000,,NaN,33.8293,-85.3494,33.8012,-85.1964,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Haralson County 911 center reported trees blown down from north of Tallapoosa to Buchanan. Locations include Broad Street near the Alabama state line, Wildcat Road, Highway 100 near Poplar Springs Church Road and Highway 120 at Jacksonville Road." +116927,703222,MINNESOTA,2017,June,Hail,"FILLMORE",2017-06-16 16:07:00,CST-6,2017-06-16 16:07:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-92.35,43.84,-92.35,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Golfball sized hail fell north of Spring Valley near the Olmsted County line." +116927,703224,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 15:57:00,CST-6,2017-06-16 15:57:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-92.4,44.01,-92.4,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Half dollar sized hail was reported west of Chester." +116927,703231,MINNESOTA,2017,June,Thunderstorm Wind,"FILLMORE",2017-06-16 16:56:00,CST-6,2017-06-16 16:56:00,0,0,0,0,6.00K,6000,0.00K,0,43.7086,-91.9714,43.7086,-91.9714,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Several trees were blown down or damaged in Lanesboro, including at the golf course. One of the downed trees fell across a road." +116927,703234,MINNESOTA,2017,June,Thunderstorm Wind,"FILLMORE",2017-06-16 17:00:00,CST-6,2017-06-16 17:00:00,0,0,0,0,4.00K,4000,0.00K,0,43.6644,-91.89,43.6644,-91.89,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Numerous trees were blown down along County Highway 23 near Highland." +116927,703235,MINNESOTA,2017,June,Thunderstorm Wind,"WINONA",2017-06-16 17:02:00,CST-6,2017-06-16 17:02:00,0,0,0,0,2.00K,2000,0.00K,0,44.05,-91.66,44.05,-91.66,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Trees were blown down in Winona." +121151,725284,MINNESOTA,2017,December,Blizzard,"EAST MARSHALL",2017-12-04 10:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121223,725904,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRIGGS",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +117479,706548,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 15:07:00,EST-5,2017-06-19 15:07:00,0,0,0,0,,NaN,,NaN,41.7585,-73.5805,41.7585,-73.5805,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Thunderstorm winds downed a tree on Tinkertown Road (New York State Highway 343) in the town of Amenia. The roadway was briefly closed as a result of the downed tree." +111785,666760,MISSOURI,2017,January,Ice Storm,"SCHUYLER",2017-01-15 15:00:00,CST-6,2017-01-16 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117480,706550,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-19 12:17:00,EST-5,2017-06-19 12:17:00,0,0,0,0,,NaN,,NaN,41.88,-73.47,41.88,-73.47,"A cold front tracked east across northwestern Connecticut during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","A tree was reported down in Sharon due to thunderstorm winds." +117480,706551,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-19 12:50:00,EST-5,2017-06-19 12:50:00,0,0,0,0,,NaN,,NaN,42.02,-73.41,42.02,-73.41,"A cold front tracked east across northwestern Connecticut during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","A tree was reported down one mile south of Taconic due to thunderstorm winds." +117480,706552,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-19 15:16:00,EST-5,2017-06-19 15:16:00,0,0,0,0,,NaN,,NaN,41.8839,-73.2999,41.8839,-73.2999,"A cold front tracked east across northwestern Connecticut during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees and wires were reported down on Rocky Cove Lane in West Cornwall due to thunderstorm winds." +117480,706555,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-19 15:05:00,EST-5,2017-06-19 15:05:00,0,0,0,0,,NaN,,NaN,41.9841,-73.4225,41.9841,-73.4225,"A cold front tracked east across northwestern Connecticut during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees and power lines were down on Under Mountain Road in Salisbury due to thunderstorm winds." +117480,706553,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-19 15:19:00,EST-5,2017-06-19 15:19:00,0,0,0,0,,NaN,,NaN,41.6777,-73.4903,41.6777,-73.4903,"A cold front tracked east across northwestern Connecticut during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees and wires were reported down 1 mile east-northeast of Bulls Bridge due to thunderstorm winds." +116916,703162,VIRGINIA,2017,May,Thunderstorm Wind,"CHESTERFIELD",2017-05-27 19:15:00,EST-5,2017-05-27 19:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.33,-77.32,37.33,-77.32,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Trees were downed along East Hundred Road." +116916,703163,VIRGINIA,2017,May,Thunderstorm Wind,"AMELIA",2017-05-27 19:38:00,EST-5,2017-05-27 19:38:00,0,0,0,0,2.00K,2000,0.00K,0,37.31,-78.08,37.31,-78.08,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Power line and tree were downed near Jetersville." +116943,703332,VIRGINIA,2017,May,Hail,"HAMPTON (C)",2017-05-31 15:59:00,EST-5,2017-05-31 15:59:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.43,37.04,-76.43,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Quarter size hail was reported." +116943,703333,VIRGINIA,2017,May,Hail,"HAMPTON (C)",2017-05-31 16:05:00,EST-5,2017-05-31 16:05:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.38,37.05,-76.38,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Quarter size hail was reported." +116943,703334,VIRGINIA,2017,May,Thunderstorm Wind,"NEWPORT NEWS (C)",2017-05-31 16:02:00,EST-5,2017-05-31 16:02:00,0,0,0,0,2.00K,2000,0.00K,0,37,-76.41,37,-76.41,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Tree was downed onto a vehicle." +116943,703341,VIRGINIA,2017,May,Thunderstorm Wind,"HAMPTON (C)",2017-05-31 18:52:00,EST-5,2017-05-31 18:52:00,0,0,0,0,1.00K,1000,0.00K,0,37.09,-76.37,37.09,-76.37,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds and large hail across portions of southeast Virginia.","Wind gust of 52 knots (60 mph) was measured at Langley Air Force Base (LFI)." +116341,700043,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CURRITUCK",2017-05-05 07:15:00,EST-5,2017-05-05 07:15:00,0,0,0,0,2.00K,2000,0.00K,0,36.49,-76.14,36.49,-76.14,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","Trees were downed across Sawyertown Road, adjacent to Caratoke Highway or State Route 168." +116341,700044,NORTH CAROLINA,2017,May,Thunderstorm Wind,"PASQUOTANK",2017-05-05 08:12:00,EST-5,2017-05-05 08:12:00,0,0,0,0,2.00K,2000,0.00K,0,36.3,-76.22,36.3,-76.22,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","Numerous trees were downed across the downtown area." +118655,712855,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-23 14:30:00,MST-7,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-107.88,37.47,-107.88,"Lingering subtropical moisture remained over the Four Corners Region and resulted in showers and thunderstorms that produced heavy rain in La Plata County.","Within 30 minutes, an inch of rain was measured near Hermosa." +119109,715340,COLORADO,2017,July,Debris Flow,"MESA",2017-07-29 15:00:00,MST-7,2017-07-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2012,-108.0429,39.2014,-108.0438,"Lingering subtropical moisture produced some thunderstorms with heavy rainfall.","Heavy rainfall caused a large amount of mud and rocks to flow across Highway 330 between mile markers 7 and 8." +111785,666749,MISSOURI,2017,January,Ice Storm,"ATCHISON",2017-01-15 11:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +118654,712854,UTAH,2017,July,Heavy Rain,"SAN JUAN",2017-07-22 17:00:00,MST-7,2017-07-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-109.93,37.27,-109.93,"Subtropical moisture remained over the Four Corners Region which resulted in another round of showers and thunderstorms that produced heavy rain and localized flooding.","A thunderstorm with heavy rainfall produced 0.61 of an inch within 30 minutes. Minor street flooding was reported." +118655,712856,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-23 13:30:00,MST-7,2017-07-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-107.68,37.35,-107.68,"Lingering subtropical moisture remained over the Four Corners Region and resulted in showers and thunderstorms that produced heavy rain in La Plata County.","Within 30 minutes, an inch of rain was measured near Vallecito." +117701,707778,WISCONSIN,2017,June,Hail,"DANE",2017-06-14 13:26:00,CST-6,2017-06-14 13:26:00,0,0,0,0,,NaN,,NaN,42.86,-89.04,42.86,-89.04,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","" +117701,707779,WISCONSIN,2017,June,Hail,"RACINE",2017-06-14 22:30:00,CST-6,2017-06-14 22:30:00,0,0,0,0,,NaN,,NaN,42.68,-88.25,42.68,-88.25,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","" +117701,707783,WISCONSIN,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-14 12:45:00,CST-6,2017-06-14 12:45:00,0,0,0,0,3.00K,3000,,NaN,42.57,-90.23,42.57,-90.23,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Trees and power lines down." +117701,707785,WISCONSIN,2017,June,Thunderstorm Wind,"SAUK",2017-06-14 12:58:00,CST-6,2017-06-14 13:04:00,0,0,0,0,2.00K,2000,0.00K,0,43.54,-89.76,43.54,-89.76,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Three 8 inch diameter trees down." +111785,666751,MISSOURI,2017,January,Ice Storm,"NODAWAY",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +117701,707786,WISCONSIN,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-14 12:55:00,CST-6,2017-06-14 13:30:00,0,0,0,0,15.00K,15000,,NaN,43.46,-89.4988,43.573,-89.2543,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Numerous trees down from south to north through the county, including the Portage area." +117701,707787,WISCONSIN,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-14 13:05:00,CST-6,2017-06-14 13:15:00,0,0,0,0,25.00K,25000,0.00K,0,43.5367,-89.4497,43.5367,-89.4497,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Many large trees down. Roofs were torn off small sheds." +117701,707792,WISCONSIN,2017,June,Thunderstorm Wind,"DANE",2017-06-14 13:23:00,CST-6,2017-06-14 13:33:00,0,0,0,0,10.00K,10000,,NaN,42.93,-89.52,42.93,-89.52,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Dozens of trees down between Verona and Belleville, including the Paoli area." +117701,707794,WISCONSIN,2017,June,Thunderstorm Wind,"DANE",2017-06-14 13:10:00,CST-6,2017-06-14 13:30:00,0,0,0,0,8.00K,8000,,NaN,42.9223,-89.8366,43.03,-89.64,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Numerous reports of trees down in the western portion of the county." +115926,696555,ARKANSAS,2017,May,Thunderstorm Wind,"GREENE",2017-05-27 20:35:00,CST-6,2017-05-27 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.9967,-90.721,36.0036,-90.6839,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees blocking the road at Highways 141 and 358." +115926,696560,ARKANSAS,2017,May,Thunderstorm Wind,"CRAIGHEAD",2017-05-27 20:45:00,CST-6,2017-05-27 20:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.8636,-90.7622,35.7912,-90.699,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees and power lines down in west Jonesboro." +115926,696552,ARKANSAS,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 20:28:00,CST-6,2017-05-27 20:35:00,0,0,0,0,75.00K,75000,0.00K,0,36.0403,-91.0259,36.0801,-90.927,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Tree fell on house on Gum Street in Walnut Ridge." +117695,707760,TEXAS,2017,June,Thunderstorm Wind,"EL PASO",2017-06-25 15:45:00,MST-7,2017-06-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,31.849,-106.0709,31.849,-106.0709,"A decaying frontal boundary was located near the Rio Grande Valley with dry westerly flow aloft. Dew points were still in the lower to mid 50s east of the boundary. This setup was enough to trigger isolated storms over eastern El Paso County which produced severe wind gusts near Hueco Tanks.","Spotter 5 miles south-southwest of Hueco Tanks reported power out and pea size hail." +117333,707527,INDIANA,2017,June,Hail,"ST. JOSEPH",2017-06-13 12:05:00,EST-5,2017-06-13 12:06:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-86.3,41.64,-86.3,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","" +117333,707528,INDIANA,2017,June,Hail,"ST. JOSEPH",2017-06-13 12:26:00,EST-5,2017-06-13 12:27:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-86.23,41.66,-86.23,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","" +117333,707529,INDIANA,2017,June,Hail,"ST. JOSEPH",2017-06-13 12:49:00,EST-5,2017-06-13 12:54:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-86.08,41.67,-86.08,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","The public reported hail to the size of nickels fell for around 5 minutes." +117333,707530,INDIANA,2017,June,Hail,"ELKHART",2017-06-13 13:00:00,EST-5,2017-06-13 13:01:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-86.01,41.64,-86.01,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","" +115462,693328,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:32:00,MST-7,2017-06-12 13:32:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-104.99,40.52,-104.99,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693329,COLORADO,2017,June,Hail,"WELD",2017-06-12 13:32:00,MST-7,2017-06-12 13:32:00,0,0,0,0,,NaN,,NaN,40.49,-104.93,40.49,-104.93,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693330,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 13:58:00,MST-7,2017-06-12 13:58:00,0,0,0,0,,NaN,,NaN,40.59,-104.96,40.59,-104.96,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693359,NORTH DAKOTA,2017,June,Hail,"STARK",2017-06-09 22:45:00,MST-7,2017-06-09 22:48:00,0,0,0,0,15.00K,15000,0.00K,0,46.86,-102.29,46.86,-102.29,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Five windows were shattered by the hail." +115458,693360,NORTH DAKOTA,2017,June,Hail,"STARK",2017-06-09 23:11:00,MST-7,2017-06-09 23:14:00,0,0,0,0,50.00K,50000,0.00K,0,46.86,-102.19,46.86,-102.19,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Multiple car windshields were broken between mile marker 90 and 91 on Interstate 94." +115458,693361,NORTH DAKOTA,2017,June,Hail,"MORTON",2017-06-10 00:03:00,CST-6,2017-06-10 00:06:00,0,0,0,0,0.00K,0,0.00K,0,46.9,-102.05,46.9,-102.05,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117611,707266,TEXAS,2017,June,Flash Flood,"RANDALL",2017-06-02 16:58:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.1398,-101.9021,35.1396,-101.9021,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","High water rescue in progress, at Bell and Farmers." +117612,707267,TEXAS,2017,June,Hail,"MOORE",2017-06-08 18:08:00,CST-6,2017-06-08 18:08:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-101.82,35.69,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707268,TEXAS,2017,June,Hail,"MOORE",2017-06-08 18:10:00,CST-6,2017-06-08 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.78,-101.86,35.78,-101.86,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707269,TEXAS,2017,June,Hail,"HANSFORD",2017-06-08 18:26:00,CST-6,2017-06-08 18:26:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-101.36,36.22,-101.36,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707270,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:31:00,CST-6,2017-06-08 19:31:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-101.83,35.32,-101.83,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Givens Avenue and Highway 87." +117612,707271,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:32:00,CST-6,2017-06-08 19:32:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-101.83,35.27,-101.83,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117951,709023,TEXAS,2017,June,Hail,"HARTLEY",2017-06-25 19:29:00,CST-6,2017-06-25 19:29:00,0,0,0,0,0.00K,0,0.00K,0,36.04,-102.57,36.04,-102.57,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Social media picture confirmed, golfball sized hail." +117951,709024,TEXAS,2017,June,Hail,"DALLAM",2017-06-25 19:30:00,CST-6,2017-06-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.08,-102.54,36.08,-102.54,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Hail covering the roadways at the intersection of FM 1727 and HWY 87 north." +117951,709025,TEXAS,2017,June,Hail,"HARTLEY",2017-06-25 19:30:00,CST-6,2017-06-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-102.56,36.02,-102.56,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Live feed from storm chasers showed baseball sized hail." +117951,709026,TEXAS,2017,June,Hail,"HARTLEY",2017-06-25 19:33:00,CST-6,2017-06-25 19:33:00,0,0,0,0,0.00K,0,0.00K,0,36,-102.59,36,-102.59,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Hail ranging from golfball to baseball size reported by the public southwest of Dalhart. Property damage from the hail and wind was reported as well." +117951,709027,TEXAS,2017,June,Hail,"DEAF SMITH",2017-06-25 20:52:00,CST-6,2017-06-25 20:52:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-102.66,35.03,-102.66,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +117951,709028,TEXAS,2017,June,Thunderstorm Wind,"DALLAM",2017-06-25 19:05:00,CST-6,2017-06-25 19:05:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-102.63,36.14,-102.63,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Center pivot irrigation system flipped at the intersection of HWY 87 and 102." +121152,725293,MINNESOTA,2017,December,Winter Storm,"NORTH BELTRAMI",2017-12-04 12:00:00,CST-6,2017-12-04 23:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121201,725536,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CAVALIER",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121152,725295,MINNESOTA,2017,December,Winter Storm,"SOUTH BELTRAMI",2017-12-04 12:00:00,CST-6,2017-12-04 23:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121152,725296,MINNESOTA,2017,December,Winter Storm,"NORTH CLEARWATER",2017-12-04 12:00:00,CST-6,2017-12-04 23:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +117139,705969,OKLAHOMA,2017,June,Thunderstorm Wind,"MUSKOGEE",2017-06-17 08:07:00,CST-6,2017-06-17 08:07:00,0,0,0,0,0.00K,0,0.00K,0,35.8,-95.1965,35.8,-95.1965,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind blew down trees." +117139,705972,OKLAHOMA,2017,June,Thunderstorm Wind,"SEQUOYAH",2017-06-17 08:30:00,CST-6,2017-06-17 08:30:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-95.12,35.53,-95.12,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind blew down large tree limbs." +117139,705976,OKLAHOMA,2017,June,Thunderstorm Wind,"LATIMER",2017-06-17 09:50:00,CST-6,2017-06-17 09:50:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-95.3377,34.92,-95.3377,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Thunderstorm wind gusts were measured to 65 mph." +121152,725297,MINNESOTA,2017,December,Winter Storm,"SOUTH CLEARWATER",2017-12-04 12:00:00,CST-6,2017-12-04 18:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121152,725298,MINNESOTA,2017,December,Winter Storm,"HUBBARD",2017-12-04 12:00:00,CST-6,2017-12-04 18:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +117523,707835,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 19:00:00,MST-7,2017-08-09 19:03:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-104.44,35.63,-104.44,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of golf balls reported 10 miles east-southeast of Maes." +117523,707909,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 14:50:00,MST-7,2017-08-09 14:53:00,0,0,0,0,0.00K,0,0.00K,0,35.6752,-105.2322,35.6752,-105.2322,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of tennis balls at Storrie Lake." +117524,706861,NEW YORK,2017,June,Flash Flood,"WESTCHESTER",2017-06-19 16:10:00,EST-5,2017-06-19 17:06:00,0,0,0,0,0.00K,0,0.00K,0,41.0378,-73.7788,41.0336,-73.7771,"A cold front crossing the area during the afternoon and evening produced numerous showers and thunderstorms, some of which resulted in flash flooding across parts of the Lower Hudson Valley and New York City. These storms developed in an environment with precipitable water values of around 2 inches. Rainfall totals ranged from 1-3 inches across the area, with 2.45 reported by a trained spotter in Middletown, NY.","The southbound Bronx River Parkway was closed due to flooding between Westchester County Center and Chatterton Avenue in White Plains." +117524,706862,NEW YORK,2017,June,Flash Flood,"KINGS",2017-06-19 16:36:00,EST-5,2017-06-19 17:06:00,0,0,0,0,0.00K,0,0.00K,0,40.6685,-73.9879,40.6785,-73.9806,"A cold front crossing the area during the afternoon and evening produced numerous showers and thunderstorms, some of which resulted in flash flooding across parts of the Lower Hudson Valley and New York City. These storms developed in an environment with precipitable water values of around 2 inches. Rainfall totals ranged from 1-3 inches across the area, with 2.45 reported by a trained spotter in Middletown, NY.","Flash flooding was reported in the Gowanus section of Brooklyn." +119057,716717,MISSOURI,2017,July,Hail,"JACKSON",2017-07-22 20:17:00,CST-6,2017-07-22 20:17:00,0,0,0,0,0.00K,0,0.00K,0,38.91,-94.38,38.91,-94.38,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","" +117402,709347,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-23 17:56:00,CST-6,2017-06-23 17:56:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-100.38,31.38,-100.38,"A cold front interacted with a very hot and unstable airmass across the region during the late afternoon and evening. This combination resulted in powerful thunderstorm downburst winds resulting in widespread damage and thunderstorm wind gusts in excess of 80 mph across San Angelo. Heavy rain also resulted in some street flooding across San Angelo.","The San Angelo ASOS recorded a 78 mph wind at Mathis Field in San Angelo." +117342,708425,INDIANA,2017,June,Flood,"CARROLL",2017-06-23 05:30:00,EST-5,2017-06-23 07:00:00,0,0,0,0,0.25K,250,0.00K,0,40.6087,-86.542,40.6085,-86.542,"The second significant rain event of June occurred on the 23rd. The combination of a cold front and the moisture from a tropical storm dumped heavy rains of 2 to more than 5 inches in portions of north central, east central and southeast Indiana. This lead to flooding across central and northern portions of central Indiana.","Minor street flooding was observed in this location due to heavy rainfall." +117342,708438,INDIANA,2017,June,Flood,"HAMILTON",2017-06-23 11:03:00,EST-5,2017-06-23 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.9417,-86.048,39.9415,-86.048,"The second significant rain event of June occurred on the 23rd. The combination of a cold front and the moisture from a tropical storm dumped heavy rains of 2 to more than 5 inches in portions of north central, east central and southeast Indiana. This lead to flooding across central and northern portions of central Indiana.","Flooding from heavy rainfall closed 106th Street between Allisonville and Hague Roads." +117342,708441,INDIANA,2017,June,Flood,"HANCOCK",2017-06-23 12:48:00,EST-5,2017-06-23 15:00:00,0,0,0,0,0.50K,500,0.00K,0,39.7994,-85.7699,39.8,-85.7699,"The second significant rain event of June occurred on the 23rd. The combination of a cold front and the moisture from a tropical storm dumped heavy rains of 2 to more than 5 inches in portions of north central, east central and southeast Indiana. This lead to flooding across central and northern portions of central Indiana.","Law enforcement reported high water along State Road 9 around McKenzie Road due to heavy rainfall." +117453,706380,IOWA,2017,June,Hail,"POLK",2017-06-28 16:22:00,CST-6,2017-06-28 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-93.73,41.59,-93.73,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported quarter sized hail." +122276,732233,ILLINOIS,2017,December,Winter Storm,"BUREAU",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from 4.2 inches 5 miles north northeast of Princeton to 5.5 inches 2 miles north of Tiskilawa." +122276,732235,ILLINOIS,2017,December,Winter Storm,"PUTNAM",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","The COOP observer in Hennepin reported 6.5 inches of snow." +122276,732239,ILLINOIS,2017,December,Winter Weather,"MERCER",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","A trained spotter estimated 4.5 inches of snow in Aledo." +122276,732241,ILLINOIS,2017,December,Winter Weather,"HENDERSON",2017-12-29 09:00:00,CST-6,2017-12-29 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","A trained spotter reported 3.2 inches of snow." +111482,671787,FLORIDA,2017,January,Flood,"WALTON",2017-01-02 13:11:00,CST-6,2017-01-03 22:00:00,0,0,1,0,0.00K,0,0.00K,0,30.787,-86.3865,30.7713,-86.3857,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","Flood waters were approaching a resident's home. He possibly made an attempt to walk to his vehicle and was swept away in the flood water. No other homes were affected. The person involved was an elderly male in a travel trailer and possibly fell when stepping outside. The water level outside was approximately 3 feet deep. This flooding was river flooding from the Shoal River." +112039,668207,GEORGIA,2017,January,Winter Storm,"PICKENS",2017-01-06 17:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Pickens County 911 center, several CoCoRaHS and COOP observers and the public reported between 2 and 4 inches of snow across the county, including in the Nelson and Jasper areas." +112039,668208,GEORGIA,2017,January,Winter Weather,"POLK",2017-01-06 16:00:00,EST-5,2017-01-07 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Polk County 911 center reported 1.5 inches of snow in the Lake Creek area. A CoCoRaHS observer in the Cedartown area reported around a half inch of snow." +112039,668210,GEORGIA,2017,January,Winter Storm,"TOWNS",2017-01-06 14:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","Several reports of 4 to 6.5 inches of snow were received from CoCoRaHS observers and the public in the Hiawassee, Friendship and Young Harris areas." +112039,668212,GEORGIA,2017,January,Winter Storm,"UNION",2017-01-06 15:00:00,EST-5,2017-01-07 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Union County Emergency Manager and several CoCoRaHS observers reported 4 to 5 inches of snow in the Blairsville area." +112039,668214,GEORGIA,2017,January,Winter Weather,"WALKER",2017-01-06 15:30:00,EST-5,2017-01-07 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The public reported just under an inch of snow in the Rossville area." +122276,732242,ILLINOIS,2017,December,Winter Weather,"WARREN",2017-12-29 09:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","A COOP observer in Monmouth reported 3.6 inches of snow." +122276,732244,ILLINOIS,2017,December,Winter Weather,"CARROLL",2017-12-29 08:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from a CoCORaHS observer reported 2.0 inches in Chadwick to 2.8 inches from a COOP observer in Mount Carroll." +122276,732249,ILLINOIS,2017,December,Winter Weather,"JO DAVIESS",2017-12-29 08:00:00,CST-6,2017-12-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from 1.4 inches from a COOP observer in Stockton to a traind spotter report of 1.7 inches 1 mile east southeast of Nora." +122276,732252,ILLINOIS,2017,December,Winter Weather,"STEPHENSON",2017-12-29 10:00:00,CST-6,2017-12-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during the day on December 29th and brought snow along and north of a line from Gladstone to Galesburg Illinois. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to about 6.5 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Gladstone to Galesburg.","Snowfall reports ranged from 1.2 inches from a CoCoRaHS in Winslow to 1.6 inches from a COOP observer in Freeport." +122049,730653,MISSOURI,2017,December,Winter Weather,"SCOTLAND",2017-12-24 01:00:00,CST-6,2017-12-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. Snowfall amounts of 2 to 4 inches were reported in Clark and Scotland Counties.","Snowfall reports ranged from 3.5 inches at Memphis to 4 inches near South Gorin." +122049,730654,MISSOURI,2017,December,Winter Weather,"CLARK",2017-12-24 01:00:00,CST-6,2017-12-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. Snowfall amounts of 2 to 4 inches were reported in Clark and Scotland Counties.","A snowfall report of 3.5 inches was reported near Acasto." +117877,708399,SOUTH DAKOTA,2017,June,Funnel Cloud,"CODINGTON",2017-06-13 18:25:00,CST-6,2017-06-13 18:25:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-97.33,45.06,-97.33,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708422,SOUTH DAKOTA,2017,June,Hail,"FAULK",2017-06-13 15:30:00,CST-6,2017-06-13 15:30:00,0,0,0,0,,NaN,,NaN,44.9,-98.84,44.9,-98.84,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708421,SOUTH DAKOTA,2017,June,Hail,"HAND",2017-06-13 14:50:00,CST-6,2017-06-13 14:50:00,0,0,0,0,0.00K,0,0.00K,0,44.74,-99.05,44.74,-99.05,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708423,SOUTH DAKOTA,2017,June,Hail,"HUGHES",2017-06-13 15:40:00,CST-6,2017-06-13 15:40:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-100.25,44.42,-100.25,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710079,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"GRANT",2017-06-13 19:05:00,CST-6,2017-06-13 19:05:00,0,0,0,0,,NaN,0.00K,0,45.19,-96.68,45.19,-96.68,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A large section of the roof on a dairy barn was blown off by estimated eighty to ninety mph winds." +117877,710080,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"GRANT",2017-06-13 19:10:00,CST-6,2017-06-13 19:10:00,0,0,0,0,,NaN,0.00K,0,45.22,-96.64,45.22,-96.64,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Multiple trees were downed by estimated seventy to eighty mph winds along with many electrical lines downed. A few fires were started by the electrical lines." +117877,710081,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.74,-96.73,45.74,-96.73,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","An estimated ninety mph wind or higher destroyed two cabins. One was destroyed by the wind with the other one destroyed when a large tree fell onto it." +118166,710147,NORTH CAROLINA,2017,June,Flash Flood,"GUILFORD",2017-06-19 21:36:00,EST-5,2017-06-20 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.04,-79.91,36.04,-79.72,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Heavy rainfall resulted in flash flooding in the Greensboro area. Several roads were closed due to flash flooding, including Yanceyville Street at East Cornwallis Drive, South Holden Road at Center Street, East Cone Boulevard between Church Street and Yanceyville Street and on Shelby Drive at Ashebrook Drive. A water rescue was needed when car became stranded in flood waters on McKnight Mill Road in North Greensboro." +118166,710153,NORTH CAROLINA,2017,June,Flash Flood,"ORANGE",2017-06-19 23:40:00,EST-5,2017-06-20 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.065,-79.13,36.065,-79.1,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Heavy rain resulted in flash flooding on the south side of Hillsborough. A couple of roads were closed, including Dimmocks Mill Road at West Hill Avenue and Eno Street at Dimmocks Mill Road. A car became stranded in flood waters at the latter location." +118166,710155,NORTH CAROLINA,2017,June,Thunderstorm Wind,"HARNETT",2017-06-19 14:37:00,EST-5,2017-06-19 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,35.49,-78.71,35.43,-78.67,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Several trees and a power line were blown down along a swath from the 1000 block of Old Stage Road near Angier to Abattoir Road near Coats." +116011,697182,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:12:00,CST-6,2017-06-13 20:12:00,0,0,0,0,50.00K,50000,,NaN,46.46,-96.27,46.46,-96.27,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","A grain bin was blown over with numerous trees and branches also knocked down." +116011,697184,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:17:00,CST-6,2017-06-13 20:17:00,0,0,0,0,250.00K,250000,,NaN,46.28,-96.07,46.28,-96.07,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Trees and limbs were blown down around town, with some minor street flooding also reported." +116011,697186,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:20:00,CST-6,2017-06-13 20:20:00,0,0,0,0,300.00K,300000,,NaN,46.35,-96.07,46.35,-96.07,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Roofs were blown off turkey barns, trees were uprooted, and a barn was leveled." +116011,697191,MINNESOTA,2017,June,Thunderstorm Wind,"OTTER TAIL",2017-06-13 20:26:00,CST-6,2017-06-13 20:26:00,0,0,0,0,200.00K,200000,,NaN,46.53,-95.81,46.53,-95.81,"During the late afternoon and evening of the 13th, another round of severe thunderstorms fired up, mainly affecting southeast North Dakota into west central Minnesota. These storms started out producing large hail and a few funnel clouds, then transitioned to bow echoes and 60 to 70 mph winds. These strong winds hit the Fargo-Moorhead area as well as the Fergus Falls, Minnesota area.","Numerous trees and large tree branches were blown down mainly on northeast edges of numerous small lakes across Star Lake and Dead Lake townships. Numerous sections of county and township roads were blocked by downed trees and branches." +118239,710571,UTAH,2017,June,Thunderstorm Wind,"DUCHESNE",2017-06-20 19:35:00,MST-7,2017-06-20 19:35:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-110.05,40.28,-110.05,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","A maximum wind gust of 63 mph was recorded at the Roosevelt Municipal Airport AWOS." +119057,716727,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:42:00,CST-6,2017-07-22 21:45:00,0,0,0,0,,NaN,,NaN,39.02,-94.28,39.02,-94.28,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs of unknown size or condition were down near Blue Springs." +117901,708943,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 20:20:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6577,-87.1077,30.5801,-87.0845,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Water over the road near Anderson Road and Berryhill Road." +117901,709319,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 21:20:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6577,-87.1077,30.5801,-87.0845,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Parts of Highway 90 and West Spencer Field Road were closed due to water over the roadway." +117901,709320,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 21:20:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6577,-87.1077,30.5801,-87.0845,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Vehicle stalled in in high water on Highway 90 and Glover Lane." +117901,709321,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 21:20:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6577,-87.1077,30.5801,-87.0845,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Pace Fire rescue dispatched to a resident reporting flooding on Sherdian Drive." +117901,709323,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 21:20:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6577,-87.1077,30.5801,-87.0845,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Eastbound entrance and exit ramps of I-10 temporarily closed overnight due to water over the roadway at exit 22 and Avalon Blvd." +120869,724310,WISCONSIN,2017,December,Strong Wind,"MARQUETTE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724311,WISCONSIN,2017,December,Strong Wind,"GREEN LAKE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724312,WISCONSIN,2017,December,Strong Wind,"COLUMBIA",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +115478,693432,TEXAS,2017,June,Hail,"KENT",2017-06-14 18:55:00,CST-6,2017-06-14 18:55:00,0,0,0,0,0.00K,0,0.00K,0,33.3211,-100.6255,33.3211,-100.6255,"For a third consecutive day, isolated thunderstorms developed along a dryline under a very unstable atmosphere. One of these storms became severe as it moved over Kent County producing golf ball size hail.","The Kent County Sheriff's office reported golf ball size hail along State Highway 70 between Girard and Jayton. No damage was reported." +115625,694623,TEXAS,2017,June,Thunderstorm Wind,"PARMER",2017-06-20 23:50:00,CST-6,2017-06-20 23:50:00,0,0,0,0,0.00K,0,0.00K,0,34.6505,-102.7051,34.6505,-102.7051,"Thunderstorms formed over the higher terrain of eastern New Mexico on the evening of the 20th on the east side of a strong upper level ridge. This thunderstorm activity was decaying by the time it reached the Texas/New Mexico state line early on the 21st but was still able to produce a severe wind gust near Friona (Parmer County).","A Texas Tech University mesonet site near Friona measured a wind gust to 59 mph." +120869,724313,WISCONSIN,2017,December,Strong Wind,"SAUK",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +115642,694836,TEXAS,2017,June,Thunderstorm Wind,"PARMER",2017-06-21 19:20:00,CST-6,2017-06-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.6505,-102.7051,34.6505,-102.7051,"For a second consecutive evening, northwest flow thunderstorms produced severe wind gusts in Parmer County. Sustained winds in excess of 50 mph accompanied the severe wind gusts for a period of ten minutes.","A Texas Tech University West Texas mesonet site near Friona measured wind gusts up to 65 mph for 10 minutes." +117673,707608,SOUTH DAKOTA,2017,June,Hail,"LYMAN",2017-06-11 00:42:00,CST-6,2017-06-11 00:42:00,0,0,0,0,,NaN,,NaN,44.13,-99.75,44.13,-99.75,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707609,SOUTH DAKOTA,2017,June,Hail,"LYMAN",2017-06-11 00:45:00,CST-6,2017-06-11 00:45:00,0,0,0,0,,NaN,,NaN,44.08,-99.59,44.08,-99.59,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707610,SOUTH DAKOTA,2017,June,Hail,"LYMAN",2017-06-11 01:30:00,CST-6,2017-06-11 01:30:00,0,0,0,0,,NaN,,NaN,44.07,-99.58,44.07,-99.58,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707611,SOUTH DAKOTA,2017,June,Hail,"HAND",2017-06-11 01:40:00,CST-6,2017-06-11 01:40:00,0,0,0,0,,NaN,,NaN,44.22,-99.19,44.22,-99.19,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +116909,703037,WISCONSIN,2017,June,Thunderstorm Wind,"MARATHON",2017-06-11 10:40:00,CST-6,2017-06-11 10:40:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-90.2,44.91,-90.2,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds sent tree branches flying across the road east of Colby." +116909,703039,WISCONSIN,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 11:10:00,CST-6,2017-06-11 11:10:00,0,0,0,0,2.00K,2000,0.00K,0,45.26,-89.44,45.26,-89.44,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds carried a 15 to 20 foot section of barn roof 400 to 500 yards into a field." +116909,703041,WISCONSIN,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 11:10:00,CST-6,2017-06-11 11:10:00,0,0,0,0,20.00K,20000,0.00K,0,45.28,-89.53,45.28,-89.53,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds destroyed a barn southwest of Gleason." +116909,703042,WISCONSIN,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 11:10:00,CST-6,2017-06-11 11:10:00,0,0,0,0,0.00K,0,0.00K,0,45.3,-89.5,45.3,-89.5,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed multiple trees in Gleason." +118041,710240,FLORIDA,2017,June,Flash Flood,"MIAMI-DADE",2017-06-02 08:40:00,EST-5,2017-06-02 10:30:00,0,0,0,0,10.00K,10000,0.00K,0,25.7785,-80.2995,25.7756,-80.2981,"Deep and moist southeasterly flow brought a round of heavy morning showers from the Atlantic into the Miami-Dade metro area during the morning hours, leading to flooding of streets across Miami, and a partial collapse of a roof under construction.","Widespread amounts of 2 to 4 inches fell across the Miami-Dade metropolitan area during the morning hours of June 2, generally during the morning rush hour. Nearly 5 inches of rain were measured in a few locations, most notably at Miami International Airport. This lead to flooding of several streets across the area, with multiple cars inundated with floodwaters at the NW 62nd Avenue and 7th Street intersection." +118045,710255,FLORIDA,2017,June,Tornado,"BROWARD",2017-06-05 18:07:00,EST-5,2017-06-05 18:08:00,0,0,0,0,0.00K,0,0.00K,0,26.0319,-80.3133,26.032,-80.3123,"A disturbance meandering across the Gulf of Mexico in combination with an upper level system across the western Gulf of Mexico lead to nearly a week of heavy rainfall across South Florida. The heaviest rainfall fell in the corridor from Marco Island and southern Collier county northeast into Broward and southern Palm Beach counties. Many locations in this swath saw rainfall amounts in excess of 9 to 10 inches in a single day, and as high as almost 15 inches on the heaviest day, resulting in event totals of 15 to 20 inches in this area. Elsewhere, rainfall amounts ranged from around 4 inches across southern Miami-Dade to 7 to 8 inches in the remainder of South Florida. ||This rainfall forced the closure of numerous roads across South Florida, especially in Collier and Broward counties where cars were trapped at times in the flood waters. Flooding also lead to the closure of Everglades Airpark as well as Sawgrass Mills Mall in Broward County. Significant flooding was also recorded in the Everglades, leading to road and trail closures in Big Cypress National Park.","Public posted a video on social media of a brief tornado in the area of Sheridan Street and Flamingo Road. Video was relayed by local broadcast media. Time estimated from radar. No damage was reported or observed by local officials or weather spotters." +118222,710630,MONTANA,2017,June,Drought,"RICHLAND",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across northwestern Richland County by June 13th, and spread to the rest of the county by June 27th. Rainfall amounts across the most heavily impacted areas of the county averaged from around one half of an inch to one inch of precipitation, which was approximately one to two inches below normal for the month. Drought conditions persisted into July." +115559,704397,NEBRASKA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 20:50:00,CST-6,2017-06-13 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.4222,-97.9403,40.4222,-97.9403,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts were estimated to be near 60 MPH." +115559,704399,NEBRASKA,2017,June,Thunderstorm Wind,"NUCKOLLS",2017-06-13 21:05:00,CST-6,2017-06-13 21:05:00,0,0,0,0,0.00K,0,0.00K,0,40.1386,-98.1504,40.1386,-98.1504,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +118222,710661,MONTANA,2017,June,Drought,"PRAIRIE",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Although drought conditions (D1 - Moderate) persisted since June 6th, severe drought conditions (D2 - Severe) began across Prairie County by June 27th. Rainfall amounts averaged from around one half of an inch to one inch of precipitation, which was one to two inches below normal for the month. Drought conditions persisted into July." +118222,710601,MONTANA,2017,June,Drought,"NORTHERN VALLEY",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across northern Valley County by June 20th. Rainfall amounts averaged from around one half of an inch to two inches of precipitation, which was approximately two to two and a half inches below normal for the month across the most heavily impacted areas. Drought conditions persisted into July." +118222,710429,MONTANA,2017,June,Drought,"WESTERN ROOSEVELT",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across western Roosevelt County by June 13th, and quickly worsened (D3 - Extreme) by June 20th. Rainfall amounts averaged from around one quarter of an inch to one inch of precipitation, which was up to two to three inches below normal for the month. Drought conditions persisted into July." +116860,702640,UTAH,2017,June,Flood,"CACHE",2017-06-02 08:00:00,MST-7,2017-06-09 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,41.9208,-111.5785,41.9279,-111.5339,"Warm temperatures to begin the month of June led to rapid snowmelt near the Utah/Idaho border and flooding along the Logan River.","The Logan River exceeded flood stage several times through the first two weeks of June, with the gauge near Logan peaking at 1450 cfs on the morning of June 6. The flooding resulted in the closure of multiple campgrounds and other recreation areas in Logan Canyon, but otherwise mitigation and sandbagging helped prevent further damages." +118259,710720,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"GEORGETOWN",2017-06-15 14:11:00,EST-5,2017-06-15 14:12:00,0,0,0,0,1.00K,1000,0.00K,0,33.354,-79.2929,33.354,-79.2929,"Thunderstorms blossomed in the afternoon heat and humidity and produced several reports of wind damage and one report of large hail.","A large tree was observed down on Highway 17." +118259,710722,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"DARLINGTON",2017-06-15 19:07:00,EST-5,2017-06-15 19:08:00,0,0,0,0,1.00K,1000,0.00K,0,34.2053,-80.0396,34.2053,-80.0396,"Thunderstorms blossomed in the afternoon heat and humidity and produced several reports of wind damage and one report of large hail.","A tree was reported down on Christmas Tree Rd. The time was estimated based on radar data." +118259,710723,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"DARLINGTON",2017-06-15 18:17:00,EST-5,2017-06-15 18:18:00,0,0,0,0,1.00K,1000,0.00K,0,34.2233,-79.9795,34.2233,-79.9795,"Thunderstorms blossomed in the afternoon heat and humidity and produced several reports of wind damage and one report of large hail.","A tree was reported down on S Center Rd. near the intersection with Country Manor Rd. The time was estimated based on radar data." +118259,710724,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"DARLINGTON",2017-06-15 18:17:00,EST-5,2017-06-15 18:18:00,0,0,0,0,1.00K,1000,0.00K,0,34.2155,-79.9708,34.2155,-79.9708,"Thunderstorms blossomed in the afternoon heat and humidity and produced several reports of wind damage and one report of large hail.","A tree was reported down on S Center Rd. near the intersection with Lake Swamp Rd. The time was estimated based on radar data." +116155,698107,ARKANSAS,2017,May,Flood,"CLAY",2017-05-01 00:00:00,CST-6,2017-05-03 12:00:00,0,0,0,0,1.00M,1000000,0.00K,0,36.4953,-90.78,36.4937,-90.7217,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","The Current River experienced a record flood upstream at Doniphan, MO in early May. The water moved downstream and caused the evacuation of Success, AR on May 1st. Highways 328 and 211 were flooded along with thousands of acres of farmland. The swiftness of the water deposited large amounts of sand and gravel across much of the farmland. Highway 67 south of Corning was flooded." +118192,710321,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAMLIN",2017-06-22 02:10:00,CST-6,2017-06-22 02:10:00,0,0,0,0,,NaN,0.00K,0,44.73,-97.11,44.73,-97.11,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","Eighty mph winds downed multiple trees blocking the intersection of Highways 81 and 22." +118192,710331,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DEUEL",2017-06-22 02:48:00,CST-6,2017-06-22 02:48:00,0,0,0,0,0.00K,0,,NaN,44.57,-96.66,44.57,-96.66,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","An estimated seventy mph wind along with hail layed downed and damaged several acres of corn." +118192,710332,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-22 03:35:00,CST-6,2017-06-22 03:35:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-98.95,44.14,-98.95,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","Several bales of hay were blown over by estimated sixty mph winds." +118239,710572,UTAH,2017,June,Thunderstorm Wind,"TOOELE",2017-06-20 14:05:00,MST-7,2017-06-20 14:05:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-113.7,39.95,-113.7,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","The Callao sensor in the U.S. Army Dugway Proving Ground mesonet recorded a wind gust of 58 mph." +118233,710522,UTAH,2017,June,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-06-12 08:10:00,MST-7,2017-06-12 13:45:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter-like storm brought damaging winds to northern and central Utah on June 11 and 12, with the strongest winds in many locations occurring on the morning of June 12 as the cold front passed through the state.","Peak recorded wind gusts included 77 mph at the SR-201 at I-80 sensor, 74 mph at the Great Salt Lake Marina, 71 mph at the Center Tailings sensor, 67 mph at Vernon Hill, 62 mph at Stockton Bar, and 60 mph at both the UDOT I-80 @ mp 78 sensor and the Salt Lake City International Airport SLC Airport Wind 3 sensor. In addition, a secondary weather sensor at the Great Salt Lake Marina recorded a gust of 90 mph. The most significant damage across the area occurred at the Great Salt Lake Marina, where several sailboats were damaged by the winds. In addition, tree limbs were damaged across the Salt Lake Valley, including a large branch that fell onto and damaged a home in Holladay. As many as 8,500 Rocky Mountain Power customers were without power at one point on June 12, with the majority of outages occurring in Rose Park, Glendale, and South Salt Lake." +118239,710581,UTAH,2017,June,Thunderstorm Wind,"TOOELE",2017-06-19 19:20:00,MST-7,2017-06-19 19:20:00,0,0,0,0,1.00K,1000,0.00K,0,40.73,-113.5,40.73,-113.5,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","A maximum wind gust of 93 mph was recorded by the I-80 @ mp 29 sensor. The Utah Department of Transportation reported that a variable message sign at milepost 29 was blown down." +118239,710577,UTAH,2017,June,Thunderstorm Wind,"TOOELE",2017-06-20 15:15:00,MST-7,2017-06-20 15:20:00,0,0,0,0,0.00K,0,0.00K,0,40.7272,-113.469,40.73,-113.47,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","Multiple sensors along Interstate 80 recorded strong wind gusts, including 59 mph at the U.S. Army Dugway Proving Ground Interstate 80 sensor and 58 mph at the I-80 @ mp 29 sensor." +118237,710543,WYOMING,2017,June,High Wind,"UINTA",2017-06-12 13:36:00,MST-7,2017-06-12 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The same winter-like storm that moved through Utah also produced strong wind gusts in far southwest Wyoming.","Maximum recorded wind gusts included 63 mph at Church Butte and 60 mph at Fort Bridger." +115613,694445,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-15 08:09:00,CST-6,2017-06-15 08:09:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-91.42,41.92,-91.42,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Tree limbs were reported down in southeast corner of Mt Vernon and power was knocked out to the city of Mt Vernon. The time was estimated to have occurred with the early morning storms." +117153,710125,GEORGIA,2017,June,Flash Flood,"MURRAY",2017-06-04 22:20:00,EST-5,2017-06-05 02:30:00,0,0,0,0,3.00K,3000,0.00K,0,34.6896,-84.7421,34.6838,-84.7392,"Ample moisture from the Gulf of Mexico combined with a weak upper disturbance to produce heavy rainfall and flash flooding in northwest Georgia June 4th and into June 5th. Precipitable water values were near record levels for early June, and efficient storms quickly produced widespread 3 to 6 inches of rainfall over the far northwest Georgia counties.","Emergency Manager reported that Rock Creek Drive was closed due to the nearby Rock Creek rising out of its banks." +117153,710126,GEORGIA,2017,June,Flash Flood,"WALKER",2017-06-05 00:00:00,EST-5,2017-06-05 04:00:00,0,0,0,0,3.00K,3000,0.00K,0,34.562,-85.2828,34.609,-85.2711,"Ample moisture from the Gulf of Mexico combined with a weak upper disturbance to produce heavy rainfall and flash flooding in northwest Georgia June 4th and into June 5th. Precipitable water values were near record levels for early June, and efficient storms quickly produced widespread 3 to 6 inches of rainfall over the far northwest Georgia counties.","Flash flooding resulted in the closure of Halls Valley Road near the Walker-Chattooga County line. Radar estimates in the area indicate that 4 to 5 inches of rainfall occurred in this area." +117615,707320,OHIO,2017,June,Hail,"STARK",2017-06-13 14:00:00,EST-5,2017-06-13 14:00:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-81.25,40.67,-81.25,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Penny sized hail was observed." +117153,710127,GEORGIA,2017,June,Flash Flood,"CHATTOOGA",2017-06-05 00:10:00,EST-5,2017-06-05 03:30:00,0,0,0,0,9.00K,9000,0.00K,0,34.3986,-85.3952,34.3921,-85.3893,"Ample moisture from the Gulf of Mexico combined with a weak upper disturbance to produce heavy rainfall and flash flooding in northwest Georgia June 4th and into June 5th. Precipitable water values were near record levels for early June, and efficient storms quickly produced widespread 3 to 6 inches of rainfall over the far northwest Georgia counties.","The Emergency Manager reported that Starling Mill Road nearly Lyerly Dam road experienced minor street flooding as a result of heavy rainfall. Multiple driveways were reported to be washed out. Radar estimates for the area indicate 3 to 5 inches of rainfall occurred over the area." +117154,710365,GEORGIA,2017,June,Flash Flood,"SUMTER",2017-06-07 01:30:00,EST-5,2017-06-07 08:30:00,0,0,0,0,12.00K,12000,0.00K,0,31.9437,-84.2964,31.9139,-84.2492,"A cold front moving south across the state provided a focus for shower and thunderstorm development over central Georgia on June 7th. The anonymously moist and unstable environment produced stubborn, slow moving thunderstorms and isolated flash flooding. In southern Sumter county, a persistent storms dropped 4 to 6 inches of rainfall over a very localized area.","Emergency manager reported multiple areas of flash flooding extending from 2 SSE Sumter to 3 SW Leslie. Multiple roadways were covered with water, including Sam Hill Dogleg Road, RW Jones Road, and County Line Sneed Road. Other roadways were washed out, including Beauchamp Road, Wiggins Road, Buck Nelson Road and Cobb-Cheek Road. Radar estimates indicate rainfall amounts of 4 to 6 inches occurred over the area." +118049,709597,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-06 05:42:00,EST-5,2017-06-06 05:42:00,0,0,0,0,,NaN,,NaN,25.75,-80.1,25.75,-80.1,"Deep tropical moisture and a disturbance over the Gulf of Mexico led to strong storms along the Atlantic coast during the early morning hours. Several strong wind gusts were recorded with this activity.","A wind gust of 40 knots/46 mph was recorded at the WxFlow mesonet site at Government Cut (XGVT). This site has an elevation of 63 feet." +118050,709599,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-07 14:15:00,EST-5,2017-06-07 14:15:00,0,0,0,0,,NaN,,NaN,25.93,-81.73,25.93,-81.73,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Collier County coast.","A wind gust of 34 knots/39 mph was recorded at WeatherBug mesonet site MRCSL located at the Marco Island Marriott Beach Resort. This anemometer is elevated on top of a building." +118050,709598,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-07 14:00:00,EST-5,2017-06-07 14:00:00,0,0,0,0,,NaN,,NaN,26.13,-81.81,26.13,-81.81,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Collier County coast.","A thunderstorm wind gust of 34 knots/39 mph was reported at the NOS-NWLON mesonet site NPSF1." +118050,709600,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-07 14:47:00,EST-5,2017-06-07 14:47:00,0,0,0,0,,NaN,,NaN,25.93,-81.73,25.93,-81.73,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Collier County coast.","A wind gust of 47 knots/54 mph was recorded at WeatherBug mesonet site MRCSL located at the Marco Island Marriott Beach Resort. This anemometer is elevated on top of a building." +118051,709734,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-07 17:59:00,EST-5,2017-06-07 17:59:00,0,0,0,0,,NaN,,NaN,25.66,-80.19,25.66,-80.19,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","WxFlow mesonet site XKBS recorded a winds gust of 37 knots/43 mph with a thunderstorm." +118051,709733,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-07 17:58:00,EST-5,2017-06-07 17:58:00,0,0,0,0,,NaN,,NaN,25.71,-80.21,25.71,-80.21,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","WxFlow mesonet site XDIN recorded a winds just of 34 knots/40 mph with a thunderstorm." +118051,709736,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-07 18:07:00,EST-5,2017-06-07 18:07:00,0,0,0,0,,NaN,,NaN,25.75,-80.1,25.75,-80.1,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","WxFlow mesonet site XGVT located at Government Cut recorded a gust of 39 knots/45 mph with a thunderstorm." +117674,707619,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 02:19:00,CST-6,2017-06-14 02:20:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-96.78,37.69,-96.78,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +115432,693108,MINNESOTA,2017,June,Thunderstorm Wind,"WASECA",2017-06-12 12:25:00,CST-6,2017-06-12 12:30:00,0,0,0,0,0.00K,0,0.00K,0,44.0698,-93.5173,44.0802,-93.4744,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","Multiple large tree limbs were blown down in the city of Waseca." +117674,707620,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 18:15:00,CST-6,2017-06-14 18:16:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-97.08,37.58,-97.08,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707621,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 18:58:00,CST-6,2017-06-14 18:59:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-97.01,37.52,-97.01,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707622,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 19:25:00,CST-6,2017-06-14 19:26:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.13,37.57,-97.13,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707623,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 19:39:00,CST-6,2017-06-14 19:40:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-97.06,37.48,-97.06,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707624,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 20:53:00,CST-6,2017-06-14 20:54:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-97.15,37.61,-97.15,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707625,KANSAS,2017,June,Hail,"SEDGWICK",2017-06-14 21:02:00,CST-6,2017-06-14 21:03:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-97.26,37.55,-97.26,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","This report is courtesy KFDI radio." +117674,707626,KANSAS,2017,June,Hail,"SEDGWICK",2017-06-14 21:24:00,CST-6,2017-06-14 21:25:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-97.26,37.55,-97.26,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707627,KANSAS,2017,June,Hail,"SEDGWICK",2017-06-14 21:26:00,CST-6,2017-06-14 21:27:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-97.26,37.55,-97.26,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Report from Twitter on social media." +117674,707628,KANSAS,2017,June,Hail,"BUTLER",2017-06-14 21:30:00,CST-6,2017-06-14 21:31:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.13,37.57,-97.13,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707629,KANSAS,2017,June,Hail,"SEDGWICK",2017-06-14 21:40:00,CST-6,2017-06-14 21:41:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-97.3,37.61,-97.3,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Minor street flooding is also noted." +117674,707630,KANSAS,2017,June,Thunderstorm Wind,"RUSSELL",2017-06-13 17:04:00,CST-6,2017-06-13 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98.87,38.89,-98.87,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Two semi tractor trailers were blown over west of town on interstate 70." +115677,695518,MINNESOTA,2017,June,Hail,"RICE",2017-06-22 06:23:00,CST-6,2017-06-22 06:23:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-93.45,44.23,-93.45,"Scattered convection began the night of June 21st in Central and Southern Minnesota in a moist and unstable environment ahead of and along a cold front. Thunderstorms continued through the late morning with isolated large hail.","" +115129,691021,MINNESOTA,2017,June,Hail,"KANDIYOHI",2017-06-02 16:36:00,CST-6,2017-06-02 16:36:00,0,0,0,0,0.00K,0,0.00K,0,45.4,-95.08,45.4,-95.08,"A low wind shear environment, but with ample instability, produced a few large hail reports as thunderstorms develop in the afternoon of Friday, June 2nd. These storms only lasted 15 minutes or less, but some of the stronger updrafts allowed for a few large hail stones to fall southwest of Belgrade, and in Hutchinson. In addition, severe wind damage occurred in Waseca County.","" +115129,693124,MINNESOTA,2017,June,Thunderstorm Wind,"WASECA",2017-06-02 17:49:00,CST-6,2017-06-02 17:49:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-93.57,44.16,-93.57,"A low wind shear environment, but with ample instability, produced a few large hail reports as thunderstorms develop in the afternoon of Friday, June 2nd. These storms only lasted 15 minutes or less, but some of the stronger updrafts allowed for a few large hail stones to fall southwest of Belgrade, and in Hutchinson. In addition, severe wind damage occurred in Waseca County.","Several trees and power poles were blown down." +115431,699073,WISCONSIN,2017,June,Hail,"DUNN",2017-06-11 08:43:00,CST-6,2017-06-11 08:43:00,0,0,0,0,0.00K,0,0.00K,0,45.05,-92.13,45.05,-92.13,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +117674,707632,KANSAS,2017,June,Thunderstorm Wind,"RUSSELL",2017-06-13 17:04:00,CST-6,2017-06-13 17:05:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-98.82,38.87,-98.82,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","" +117674,707633,KANSAS,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-13 20:40:00,CST-6,2017-06-13 20:41:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-98.39,39.03,-98.39,"A strong storm produced strong winds, hail, and some flooding at many locations across the area.","Just north of Sylvan Grove on Highway 14." +117390,707650,NEVADA,2017,February,High Wind,"WESTERN NEVADA BASIN AND RANGE",2017-02-09 09:00:00,PST-8,2017-02-09 13:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","Periodic sustained winds over 40 mph with gusts as high as 62 mph were reported in various locations from near Lovelock (Toulon NDOT site) south and west to near Lahontan Reservoir (Bango DRI site) and Fallon (Naval Air Station)." +117388,705993,CALIFORNIA,2017,February,Flood,"LASSEN",2017-02-07 07:00:00,PST-8,2017-02-14 12:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0892,-121.1874,41.0447,-121.1411,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Major flooding from the Pit River affected much of Big Valley between the 7th and 14th. The Reno National Weather Service hydrologist toured the area for picture evidence.||NOTE: There was clearly damage to some homes and structures in the Bieber area as evidenced by pictures; however, no storm damage estimates were available to the Storm Data preparer." +115432,705711,MINNESOTA,2017,June,Thunderstorm Wind,"RICE",2017-06-12 12:48:00,CST-6,2017-06-12 12:54:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-93.32,44.33,-93.32,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","" +115432,695629,MINNESOTA,2017,June,Thunderstorm Wind,"RICE",2017-06-12 12:35:00,CST-6,2017-06-12 12:45:00,0,0,0,0,0.00K,0,0.00K,0,44.2348,-93.4509,44.2964,-93.3247,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","Several reports of downed trees, power lines and power outages occurred from Morristown, northeast toward the city of Faribault. Some of the spotters measured wind gusts of 59 and 62 mph." +115432,693109,MINNESOTA,2017,June,Thunderstorm Wind,"STEELE",2017-06-12 12:38:00,CST-6,2017-06-12 12:38:00,0,0,0,0,0.00K,0,0.00K,0,44.19,-93.25,44.19,-93.25,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","A large tree was blown down on Highway 45 in Steele County." +115432,693107,MINNESOTA,2017,June,Thunderstorm Wind,"BLUE EARTH",2017-06-12 11:48:00,CST-6,2017-06-12 11:49:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-94.24,43.9652,-94.235,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","Several trees were uprooted or blown down at the intersection of County Roads 10 & 20, in southern Blue Earth County." +115929,699690,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:00:00,CST-6,2017-05-27 22:10:00,0,0,0,0,200.00K,200000,0.00K,0,35.1549,-89.9684,35.1472,-89.9594,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Dollar General Store at 2980 Summer Ave received 50 percent of roof collapse." +115929,696837,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 22:00:00,CST-6,2017-05-27 22:10:00,0,0,0,0,9.00M,9000000,0.00K,0,35.1694,-89.9135,35.0913,-89.8551,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees and power-lines down countywide. Several of them on cars. Many buildings damaged by falling trees. Over 180,000 people without power." +117388,706005,CALIFORNIA,2017,February,Flood,"LASSEN",2017-02-09 12:00:00,PST-8,2017-02-10 10:00:00,0,0,0,0,500.00K,500000,0.00K,0,40.4125,-120.6655,40.4106,-120.6451,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Major flooding on the Susan River caused extensive damage in and to the east of Susanville from the afternoon of the 9th into the 10th. The flooding prompted the evacuation of a number of homes and apartment complexes in Susanville during the afternoon and evening of the 9th. The damage estimate for this event is rough and could be significantly in error." +115431,699055,WISCONSIN,2017,June,Thunderstorm Wind,"POLK",2017-06-11 08:20:00,CST-6,2017-06-11 08:45:00,0,0,0,0,100.00K,100000,0.00K,0,45.3213,-92.693,45.4198,-92.1698,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","There were multiple reports of downed trees, power lines and vehicles blown off the road across portions of southern and central Polk County. This includes the towns of Osceola, Amery, Alden, Farmington, St. Croix Falls, Garfield, Clam Falls, Johnstown, Lincoln and Milltown." +115569,694458,MINNESOTA,2017,June,Thunderstorm Wind,"LAC QUI PARLE",2017-06-13 19:14:00,CST-6,2017-06-13 19:16:00,0,0,0,0,0.00K,0,0.00K,0,45.1388,-96.4148,45.1537,-96.3979,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","There were numerous trees blown down or snapped off near the intersection of 330th and 121st Ave, west of Bellingham. Also, a few trees were blown down in the community of Rosen." +118231,710493,UTAH,2017,June,Thunderstorm Wind,"DAVIS",2017-06-04 20:10:00,MST-7,2017-06-04 20:20:00,0,0,0,0,5.00K,5000,0.00K,0,41.1,-112.02,41.12,-111.97,"A strong thunderstorm produced a severe wind gust in the northern Wasatch Front.","Strong winds from a dry microburst knocked over a section of fence and caused damage to large tree limbs in Clearfield. In addition, a 64 mph wind gust was recorded at Hill Air Force Base." +118239,710565,UTAH,2017,June,Thunderstorm Wind,"BEAVER",2017-06-20 13:00:00,MST-7,2017-06-20 13:05:00,0,0,0,0,0.00K,0,0.00K,0,38.42,-113.01,38.42,-113.01,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","The ASOS at the Milford Municipal Airport/Ben and Judy Briscoe Field recorded a peak wind gust of 61 mph." +121150,725274,NORTH DAKOTA,2017,December,Blizzard,"GRIGGS",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +118149,710015,MISSISSIPPI,2017,June,Flash Flood,"WAYNE",2017-06-22 10:23:00,CST-6,2017-06-22 11:30:00,0,0,0,0,0.00K,0,0.00K,0,31.7868,-88.6267,31.8265,-88.4729,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week. ||The primary impact across inland southeast Mississippi was from heavy rain and flooding. Storm totals ranged from 5 to 8 inches, resulting in periods of flash flooding and significant river flooding.","Numerous roads were closed due to flash flooding." +121223,725905,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"STEELE",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +118149,710019,MISSISSIPPI,2017,June,Flash Flood,"GEORGE",2017-06-22 07:07:00,CST-6,2017-06-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.95,-88.65,30.9417,-88.6272,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week. ||The primary impact across inland southeast Mississippi was from heavy rain and flooding. Storm totals ranged from 5 to 8 inches, resulting in periods of flash flooding and significant river flooding.","Flash flooding was reported on Highway 198 between Bexley Road and U.S. Highway 98." +117723,709914,ALABAMA,2017,June,Flash Flood,"ESCAMBIA",2017-06-21 11:40:00,CST-6,2017-06-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,31.0991,-87.0774,31.1048,-87.0788,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Jennings Park in Brewton was underwater due to the rapid rise of the Murder and Burnt Corn Creeks." +117723,709917,ALABAMA,2017,June,Storm Surge/Tide,"LOWER BALDWIN",2017-06-21 09:19:00,CST-6,2017-06-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","The right lane of eastbound Highway 90 at the Interstate 10 interchange was closed due to flooding. The tidal gauge at Coast Guard Sector Mobile reached 2.4 feet MHHW." +117723,709962,ALABAMA,2017,June,Flash Flood,"CHOCTAW",2017-06-22 13:00:00,CST-6,2017-06-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8814,-88.3016,31.885,-88.2561,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Mosley Bridge road was closed due to rushing water over the road." +117723,709964,ALABAMA,2017,June,Flash Flood,"CLARKE",2017-06-22 21:00:00,CST-6,2017-06-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9441,-87.8989,31.6676,-88.0005,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flash flooding resulted in the closure of numerous roads in Winn, Chilton, and Thomasville." +115697,695319,KENTUCKY,2017,June,Thunderstorm Wind,"MORGAN",2017-06-23 20:00:00,EST-5,2017-06-23 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.8577,-83.3904,37.7895,-83.2791,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch reported trees blown down on U.S. Highway 460 near Murphy Fork Road west of Mize. Tree damage also occurred near Cannel City while a utility pole was snapped." +115697,695320,KENTUCKY,2017,June,Thunderstorm Wind,"BREATHITT",2017-06-23 20:18:00,EST-5,2017-06-23 20:26:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-83.34,37.4524,-83.3147,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","A National Weather Service employee observed trees downed on Kentucky Highway 30 east of Jackson and along Dube Road south of Lost Creek." +115933,696574,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 15:24:00,CST-6,2017-06-02 15:24:00,0,0,0,0,,NaN,,NaN,48.94,-99.32,48.94,-99.32,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","The hail was mostly small." +115933,696576,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 15:50:00,CST-6,2017-06-02 15:50:00,0,0,0,0,,NaN,,NaN,48.88,-99.49,48.88,-99.49,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Dime to half dollar sized hail fell with very heavy rain." +115933,696577,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-02 15:55:00,CST-6,2017-06-02 15:55:00,0,0,0,0,,NaN,,NaN,47.91,-99.71,47.91,-99.71,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Dime to quarter sized hail covered the ground." +115940,696645,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-14 14:54:00,EST-5,2017-06-14 14:54:00,0,0,0,0,0.00K,0,0.00K,0,27.95,-82.47,27.95,-82.47,"Deep moisture across the area led to scattered thunderstorms developing over the Florida Peninsula and working west towards the coast through the afternoon. Some of these storms produced marine wind gusts, as well as a waterspout.","A home weather station in Tampa recorded a wind gust of 39 knots." +116019,697219,NORTH DAKOTA,2017,June,Hail,"STEELE",2017-06-10 03:30:00,CST-6,2017-06-10 03:30:00,0,0,0,0,,NaN,,NaN,47.59,-97.63,47.59,-97.63,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","Dime to quarter sized hail was reported." +116019,697222,NORTH DAKOTA,2017,June,Hail,"GRAND FORKS",2017-06-10 07:05:00,CST-6,2017-06-10 07:05:00,0,0,0,0,,NaN,,NaN,47.92,-97.07,47.92,-97.07,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","Dime sized hail was reported at Altru hospital." +116038,697395,OHIO,2017,June,Flash Flood,"PAULDING",2017-06-30 17:15:00,EST-5,2017-06-30 20:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9896,-84.7089,40.9901,-84.5244,"Vigorous shortwave within generally weak to moderate low level flow and a very moist column helped to create a hazardous heavy rain event.","Emergency management officials reported several roads with water on them across portions of the county. The hardest hit area extended from near Haviland northeast to Charloe and Oakwood. Mesonet sites recorded four to over five inches of rain falling in the area. The highest amount was 5.17 inches southwest of Charloe. At least two culverts were washed out on county roads near Melrose and Hedges. Water was reported as deep as three feet on the Baughman Tile Company, on State Route 637, north of State Route 613. Several houses near Blue Creek experienced flooding issues due to its flashy nature. No rescues were reported." +116064,697581,WYOMING,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-01 19:06:00,MST-7,2017-06-01 19:06:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-106.72,44.37,-106.72,"A strong thunderstorm developed over the Bighorn Range and moved east. There was only light rain with the storm. However, the storm collapsed near Buffalo and produced very strong winds gusts in portions of northern Johnson County. The strongest gust recorded was 74 mph at the Buffalo airport.","A wind gust of 74 mph was measured at the Buffalo airport." +116439,700279,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-17 19:30:00,CST-6,2017-06-17 19:35:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-89.23,40.85,-89.23,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","A detached garage was destroyed, a dairy barn was damaged, and several 18 to 20-inch diameter trees were blown down near 1800N and 1700E." +116439,700280,ILLINOIS,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-17 20:15:00,CST-6,2017-06-17 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-88.78,40.65,-88.78,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous tree limbs were blown down across Lexington." +116439,700281,ILLINOIS,2017,June,Thunderstorm Wind,"CHAMPAIGN",2017-06-17 21:15:00,CST-6,2017-06-17 21:20:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-88.15,40.32,-88.15,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees, tree branches, and power lines were blown down across Rantoul." +115954,696807,OHIO,2017,June,Flash Flood,"UNION",2017-06-23 11:26:00,EST-5,2017-06-23 12:56:00,0,0,0,0,0.00K,0,0.00K,0,40.4262,-83.292,40.4258,-83.2922,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Several roads were flooded, including East Bomford Street where water was 2 feet high in spots." +115954,696808,OHIO,2017,June,Flash Flood,"MIAMI",2017-06-23 12:00:00,EST-5,2017-06-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9354,-84.2942,39.9369,-84.2952,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported across both lanes of Frederick-Garland Road near State Route 48." +115954,696809,OHIO,2017,June,Flash Flood,"HIGHLAND",2017-06-23 14:23:00,EST-5,2017-06-23 16:23:00,0,0,0,0,0.00K,0,0.00K,0,39.32,-83.59,39.321,-83.5848,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Flowing water was reported over several locations along Route 72 North between Samantha and Highland. The road was impassable." +115954,696810,OHIO,2017,June,Flash Flood,"GREENE",2017-06-23 14:30:00,EST-5,2017-06-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6768,-83.7943,39.6814,-83.7922,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was reported over Old U.S. 35." +115954,696811,OHIO,2017,June,Flash Flood,"HIGHLAND",2017-06-23 14:30:00,EST-5,2017-06-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2398,-83.794,39.2391,-83.7917,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was reported over State Route 134." +115954,696812,OHIO,2017,June,Flash Flood,"HIGHLAND",2017-06-23 14:30:00,EST-5,2017-06-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2498,-83.6561,39.2503,-83.6539,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","State Route 73 was impassable just outside of Hillsboro." +115871,700787,NEW MEXICO,2017,June,Wildfire,"NORTHWEST PLATEAU",2017-06-20 18:00:00,MST-7,2017-06-20 19:00:00,3,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","Three people were hospitalized after a brush fire broke out seven miles south of Farmington. According to the Farmington Daily Times, the fire destroyed a number of sheds and vehicles on private property. Two residents and a firefighter were treated for smoke inhalation and other minor injuries. Investigators say the fire was caused by a welding torch, being used to dismantle a table." +116562,700915,NEW MEXICO,2017,June,Hail,"DE BACA",2017-06-30 19:30:00,MST-7,2017-06-30 19:36:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-104.14,34.73,-104.14,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of golf balls. Windows were broken out of a nearby neighbor's home." +115548,693762,TEXAS,2017,June,Excessive Heat,"GARZA",2017-06-17 14:49:00,CST-6,2017-06-17 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115742,695627,KENTUCKY,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-23 21:47:00,EST-5,2017-06-23 21:47:00,0,0,0,0,0.50K,500,0.00K,0,38.17,-82.67,38.17,-82.67,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","One tree fell down along State Route 3 due to wet soils and gusty winds." +115435,693181,OHIO,2017,June,Flood,"VINTON",2017-06-13 11:45:00,EST-5,2017-06-13 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.3539,-82.3394,39.2958,-82.4081,"A rather tropical like atmosphere with abundant moisture, and several weak upper level waves, led to scattered showers and thunderstorms on the 13th. With the high moisture content, heavy rainfall occurred in many storms. An automated rain gauge near Zaleski in Vinton County received over 3 inches of rainfall during the morning hours.","Following flash flooding earlier in the day, ponding water restricted travel lanes into the afternoon along State Route 278 in the Zaleski area." +115412,693016,WEST VIRGINIA,2017,June,Flood,"FAYETTE",2017-06-05 09:30:00,EST-5,2017-06-05 13:30:00,0,0,0,0,4.00K,4000,0.00K,0,37.9927,-81.3561,38.0861,-81.3323,"Southerly flow pumped lots of moisture into the Central Appalachians on the 4th and 5th. This moisture, combined with an approaching wave of low pressure, caused a prolonged period of showers and thunderstorms resulting in flooding in the central mountains of West Virginia on the 5th. The cooperative observer in Beckley had 2.01 inches of rain on the 5th.","Prolonged heavy rainfall led to flooding in southwestern Fayette County. This included areas near Scarbro, Kincaid and Mossy, where water ponded in yards." +115743,696732,OHIO,2017,June,Flood,"WASHINGTON",2017-06-24 05:00:00,EST-5,2017-06-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5904,-81.4388,39.572,-81.2664,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Following flash flooding during the early morning hours, flooding lingered along Duck Creek and the Little Muskingum River through much of the day. Duck Creek returned into its banks by late afternoon, while the Little Muskingum River remained in flood stage at Bloomfield until almost midnight." +115744,695707,WEST VIRGINIA,2017,June,Tornado,"HARRISON",2017-06-23 18:58:00,EST-5,2017-06-23 19:04:00,0,0,0,0,300.00K,300000,0.00K,0,39.2638,-80.4799,39.2791,-80.4001,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Damage consistent with an EF-1 tornado and estimated maximum wind speeds of 110 mph was found by a National Weather Service storm survey. Many trees were snapped or uprooted along the path of the tornado. Near the start of the path along Shaws Run Road, a cinder block garage partially collapsed. The structure was under construction and the trusses had not even been installed yet, so it was just 4 walls with an open top. The house on the same property had some minor roof damage. Across the street, an old wood barn suffered a full collapse and the eastern wall blew out on two-story single family house. About a mile and a half farther along the path, along Gawthorp Lane, a house received significant roof damage, with about 20 percent of the roof decking and shingles removed, a small shed was also destroyed. Just down the block from here, a resident recalls that she had just arrived home when she heard a rush of wind. Her front window blew in as she ran for shelter deeper in the house. She remembers it being over in an instant and when she came back into the front room she could see her SUV flipped on its top in the neighbors yard, across the street from where she had parked it just minutes before. The tornado continued along just south of Sun Valley Road, with a lot of tree and power line damage along Old Davisson Run Road. Toward the end of the tornado path, damage was much lighter with just small trees and branches down near the intersection of Sun Valley Road and US 50." +112883,674484,MINNESOTA,2017,March,Winter Storm,"YELLOW MEDICINE",2017-03-12 08:00:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 7 to 9 inches of snow across Yellow Medicine county Sunday morning, through the early evening." +112883,674453,MINNESOTA,2017,March,Winter Storm,"BROWN",2017-03-12 09:30:00,CST-6,2017-03-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 9 to 11 inches of snow across Brown county Sunday morning, through early Monday morning." +112883,674463,MINNESOTA,2017,March,Winter Storm,"CHIPPEWA",2017-03-12 09:30:00,CST-6,2017-03-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 6 to 8 inches of snow across Chippewa county Sunday morning, through the evening. The heaviest snow fell in the southwest portion of the county." +112883,674477,MINNESOTA,2017,March,Winter Storm,"STEELE",2017-03-12 12:00:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 6 to 8 inches of snow across far southern Steele county Sunday afternoon, through early Monday morning." +117157,707131,GEORGIA,2017,June,Thunderstorm Wind,"PAULDING",2017-06-15 16:55:00,EST-5,2017-06-15 17:05:00,0,0,0,0,7.00K,7000,,NaN,33.8074,-84.7898,33.8074,-84.7898,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Paulding County Emergency Manager reported trees and power lines blown down near the intersection of Mein Mitchell Road and Austin Bridge Road." +117157,707155,GEORGIA,2017,June,Thunderstorm Wind,"OGLETHORPE",2017-06-15 17:20:00,EST-5,2017-06-15 17:30:00,0,0,0,0,7.00K,7000,,NaN,33.7487,-83.1712,33.876,-83.1111,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Oglethorpe County Emergency Manager reported trees and power lines blown down from Maxeys to Lexington. Locations include Union Point Road in Maxeys and Upson Court in Lexington." +117157,707158,GEORGIA,2017,June,Thunderstorm Wind,"WALTON",2017-06-15 17:24:00,EST-5,2017-06-15 17:44:00,0,0,0,0,5.00K,5000,,NaN,33.8428,-83.7842,33.8181,-83.6319,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Walton County 911 center reported several trees blown down from northwest of Monroe to north of Good Hope. Locations include Double Springs Church Road at New Hope Church Road and Snows Mill Road at Powers Road." +117157,707159,GEORGIA,2017,June,Thunderstorm Wind,"HENRY",2017-06-15 17:30:00,EST-5,2017-06-15 17:40:00,0,0,0,0,1.00K,1000,,NaN,33.6462,-84.1876,33.6462,-84.1876,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Henry County 911 center reported a tree blown down onto Panola Road near Highway 155." +117157,707165,GEORGIA,2017,June,Thunderstorm Wind,"GWINNETT",2017-06-15 17:36:00,EST-5,2017-06-15 17:46:00,0,0,0,0,18.00K,18000,,NaN,33.8435,-84.066,33.8369,-84.0588,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Gwinnett County Emergency Manager reported a tree blown down onto a house on McDaniels Bridge Road and power lines blown down on Lamar Way." +117157,707168,GEORGIA,2017,June,Thunderstorm Wind,"TROUP",2017-06-15 17:40:00,EST-5,2017-06-15 17:55:00,0,0,0,0,5.00K,5000,,NaN,33.062,-85.1925,32.9188,-85.1629,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Troup County 911 center reported trees blown down in the West Point Lake area including around the intersection of Rock Mills Road and Holliday Road, and in the Lakeside Trails Mountain Bike Park." +116927,703279,MINNESOTA,2017,June,Thunderstorm Wind,"HOUSTON",2017-06-16 17:48:00,CST-6,2017-06-16 17:48:00,0,0,0,0,2.00K,2000,0.00K,0,43.78,-91.34,43.78,-91.34,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Trees were blown down north of Hokah along County Road 21." +116927,703281,MINNESOTA,2017,June,Hail,"FILLMORE",2017-06-16 16:24:00,CST-6,2017-06-16 16:24:00,0,0,0,0,10.00K,10000,0.00K,0,43.79,-92.03,43.79,-92.03,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Golfball sized hail fell near Pilot Mound that damage some crops." +117370,705846,MASSACHUSETTS,2017,June,Flood,"BRISTOL",2017-06-24 09:43:00,EST-5,2017-06-24 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,41.6887,-71.1593,41.6894,-71.1591,"The remnants of Tropical Storm Cindy moved across Southern New England. This was followed by a cold front shortly after. This brought locally heavy downpours of up to one and one-half inches to the South Coasts of Rhode Island and Massachusetts.","At 943 AM EST, a section of Warren Street in Fall River flooded with 8 to 12 inches of standing water." +117306,705501,IOWA,2017,June,Flood,"CLAYTON",2017-06-01 00:00:00,CST-6,2017-06-01 11:45:00,0,0,0,0,3.00K,3000,2.00K,2000,43.0296,-91.1737,43.0298,-91.1719,"Flooding along the Mississippi River that began in late May at McGregor (Clayton County) ended on the first day of June.","Mississippi River flooding that began in late May at McGregor ended on June 1st." +117238,705080,IOWA,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-29 20:48:00,CST-6,2017-06-29 20:48:00,0,0,0,0,2.00K,2000,0.00K,0,43.44,-92.78,43.44,-92.78,"A complex of thunderstorms moved across northeast Iowa during the evening of June 29th. These storms briefly produced some damaging winds that blew down trees in Stacyville (Mitchell County).","Trees were blown down in Stacyville. One of these landed across a road by Riverside Park." +117184,704857,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 16:37:00,CST-6,2017-06-28 16:37:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-90.99,42.72,-90.99,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","An estimated 60 mph wind gust occurred in Cassville." +111787,666765,MISSOURI,2017,January,Freezing Fog,"ANDREW",2017-01-17 19:00:00,CST-6,2017-01-18 08:00:00,0,2,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Freezing fog overnight and into the morning hours of January 18, 2017 caused several accidents on local roadways. The most notable incident occurred when a vehicle slid into another vehicle, causing one fatality and one injury.","On Tuesday night [January 17], two Northwest Missouri State University football players were injured in an accident blamed on slick road condition on southbound Interstate 29, five miles north of St. Joseph. The Missouri State Highway Patrol said Cole M. Forney, 22, was driving a Ford F-250 when the vehicle hit a slick spot and struck a concrete barrier. He was taken to Mosaic Life Care with injuries described as serious. The accident occurred at 7:50 p.m. His passenger, 22-year-old Jacob Vollstedt, was taken to Mosaic with injuries described as moderate." +112883,674474,MINNESOTA,2017,March,Winter Storm,"RENVILLE",2017-03-12 10:00:00,CST-6,2017-03-13 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 7 to 9 inches of snow across Renville county late Sunday morning, through early Monday morning. The heaviest snow fell in the far southern part of the county." +112731,673253,IOWA,2017,February,Heavy Snow,"MONONA",2017-02-23 17:00:00,CST-6,2017-02-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level disturbance and associated surface cyclone moved from the central Rockies early on the 23rd across Nebraska and Iowa and into the mid Mississippi River Valley by late on the 24th. Along the track of this system significant precipitation was observed. This initially developed as scattered thunderstorms across eastern Nebraska into western Iowa with some hail reported. To the north of these thunderstorms snow began to fall over northeast Nebraska during the evening on the 23rd, and then quickly into west central Iowa. The snow, heavy at times, continued into Friday the 24th. North and northwest winds of 15 to 25 mph with gusts over 30 mph also created considerable blowing and drifting of the new snow.","Heavy snow fell across the western and northern halves of the county. A measured 8 inches was reported at Castana and Little Sioux." +117481,706564,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-19 13:00:00,EST-5,2017-06-19 13:00:00,0,0,0,0,,NaN,,NaN,42.3832,-73.1223,42.3832,-73.1223,"A cold front tracked east across western Massachusetts during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees and wires were reported down blocking Upper Valley Road and Route 8 due to thunderstorm winds." +117481,706567,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-19 13:11:00,EST-5,2017-06-19 13:11:00,0,0,0,0,,NaN,,NaN,42.6895,-73.1117,42.6895,-73.1117,"A cold front tracked east across western Massachusetts during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Multiple trees were reported down in North Adams due to thunderstorm winds." +117481,706570,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-19 15:21:00,EST-5,2017-06-19 15:21:00,0,0,0,0,,NaN,,NaN,42.19,-73.36,42.19,-73.36,"A cold front tracked east across western Massachusetts during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Multiple trees were reported down in the Division Street Area of Great Barrington due to thunderstorm winds." +117481,706575,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-19 15:22:00,EST-5,2017-06-19 15:22:00,0,0,0,0,,NaN,,NaN,42.3939,-73.3682,42.3939,-73.3682,"A cold front tracked east across western Massachusetts during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines.","Trees and wires were reported down along Canaan Road in Richmond due to thunderstorm winds." +117482,706579,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.8975,-72.5999,42.8949,-72.596,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Heavy rainfall from thunderstorms led to flash flooding in Brattleboro. A large mudslide was covering Route 30 near the Dummerston-Brattleboro town line." +112883,674439,MINNESOTA,2017,March,Winter Storm,"BLUE EARTH",2017-03-12 10:30:00,CST-6,2017-03-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong but fairly fast Alberta Clipper type winter storm moved across the Northern Plains, and through the Midwest Sunday, and into Monday morning. A broad area of 2 to 4 inches fell along and south of I-94 in Minnesota, with the heaviest amounts of 6 to 11 inches along the Minnesota River Valley. The bulk of the snow fell between noon and 8 pm Sunday where snowfall rates averaged between 1 & 2 inches per hour. An observer in Redwood County measured 2.5 of snow in one hour during the height of the storm Sunday afternoon. The heaviest snow tapered off Sunday evening with mostly light snow, and flurries between midnight and 6 am. Almost all of the snow ended shortly after sunrise Monday in south central Minnesota. ||The heavier totals include; 11.3 inches in Madelia, 11 inches in Wabasso, 9.5 inches in St. James, and 9 inches in Madison.","A winter storm dropped 8 to 11 inches of snow across Blue Earth county late Sunday morning, through early Monday morning. The heaviest snow fell in the southwest portion of the county." +122259,732027,IOWA,2017,December,Winter Storm,"IOWA",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","A trained spotter 4 miles north Marengo estimated 7.0 inches of snow." +122259,732031,IOWA,2017,December,Winter Storm,"JOHNSON",2017-12-29 06:00:00,CST-6,2017-12-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm moved across the region during on December 29th and brought snow along and north of a line from Fairfield to Burlington Iowa. The heaviest snow fell in the counties along the Interstate 80 corridor where 4 to 7 inches of snow was reported. 1 to 4 inches of snow was reported to the south and north of that line with the lightest amounts along the U.S. Highway 20 corridor and along a line from Fairfield to Burlington.","Snowfall reports ranged from 4.1 inches from a COOP observer in Iowa City to 7.5 inches 1 mile northeast of Lake MacBride State Park." +121152,725299,MINNESOTA,2017,December,Winter Storm,"EAST BECKER",2017-12-04 12:00:00,CST-6,2017-12-04 18:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121152,725300,MINNESOTA,2017,December,Winter Storm,"WEST BECKER",2017-12-04 12:00:00,CST-6,2017-12-04 18:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121201,725537,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"PEMBINA",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +112734,673260,NEBRASKA,2017,February,Winter Weather,"DOUGLAS",2017-02-07 23:00:00,CST-6,2017-02-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving storm system brought a narrow band of moderate snowfall to northeast Nebraska into western Iowa. The snow began during the evening on the 7rd and continued, moderate at times, overnight and ended during the morning on the 8th.","Moderate snowfall fell across the county. Generally 3 to 5 inches were observed including a measured 4 inches in Valley and 4.4 at Boys Town." +117701,707796,WISCONSIN,2017,June,Thunderstorm Wind,"MARQUETTE",2017-06-14 13:16:00,CST-6,2017-06-14 13:16:00,0,0,0,0,5.00K,5000,,NaN,43.89,-89.57,43.89,-89.57,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Multiple branches and trees down in Lawrence." +117701,707797,WISCONSIN,2017,June,Thunderstorm Wind,"MARQUETTE",2017-06-14 13:20:00,CST-6,2017-06-14 13:20:00,0,0,0,0,3.00K,3000,,NaN,43.92,-89.49,43.92,-89.49,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A few trees uprooted." +117701,707802,WISCONSIN,2017,June,Thunderstorm Wind,"MARQUETTE",2017-06-14 13:15:00,CST-6,2017-06-14 13:40:00,0,0,0,0,8.00K,8000,,NaN,43.658,-89.5894,43.8311,-89.2083,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Numerous trees down scattered across the county." +117701,707803,WISCONSIN,2017,June,Thunderstorm Wind,"MARQUETTE",2017-06-14 13:39:00,CST-6,2017-06-14 13:39:00,0,0,0,0,4.00K,4000,,NaN,43.97,-89.21,43.97,-89.21,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Trees and power lines down in Neshkoro." +117701,707808,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN LAKE",2017-06-14 13:41:00,CST-6,2017-06-14 13:41:00,0,0,0,0,2.00K,2000,0.00K,0,43.86,-89.13,43.86,-89.13,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A few trees down in Princeton." +117701,707818,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-14 13:55:00,CST-6,2017-06-14 14:02:00,0,0,0,0,2.00K,2000,,NaN,43.6211,-88.9617,43.6211,-88.9617,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Trees down on the southeast shore of Lake Emily." +117701,707823,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-14 13:58:00,CST-6,2017-06-14 13:58:00,0,0,0,0,1.00K,1000,,NaN,43.35,-88.74,43.35,-88.74,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A large tree down and a sign bent on Highway 26." +117701,707825,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-14 13:58:00,CST-6,2017-06-14 13:58:00,0,0,0,0,,NaN,,NaN,43.31,-88.72,43.31,-88.72,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","" +117333,707531,INDIANA,2017,June,Hail,"ELKHART",2017-06-13 13:16:00,EST-5,2017-06-13 13:17:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-85.95,41.7,-85.95,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","" +117333,707532,INDIANA,2017,June,Lightning,"ELKHART",2017-06-13 13:10:00,EST-5,2017-06-13 13:11:00,1,0,0,0,0.00K,0,0.00K,0,41.66,-85.97,41.66,-85.97,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Local media reported lightning struck a tree, injuring a person standing next to it." +117333,707534,INDIANA,2017,June,Thunderstorm Wind,"ELKHART",2017-06-13 13:34:00,EST-5,2017-06-13 13:35:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-85.71,41.67,-85.71,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Amateur radio operators reported a few small tree limbs were blown down, as was a few signs of unknown size." +117333,707537,INDIANA,2017,June,Thunderstorm Wind,"STEUBEN",2017-06-13 15:15:00,EST-5,2017-06-13 15:16:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-85.05,41.53,-85.05,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Emergency management officials reported small to medium size trees were blown down onto fencing along Old 27. As a result, some cattle got loose, but were rounded up without incident." +117333,707538,INDIANA,2017,June,Thunderstorm Wind,"WABASH",2017-06-13 16:30:00,EST-5,2017-06-13 16:31:00,0,0,0,0,0.00K,0,0.00K,0,41,-85.77,41,-85.77,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","The public reported minor roof damage to a Dairy Queen on State Route 13, north of State Route 114." +117333,707539,INDIANA,2017,June,Thunderstorm Wind,"KOSCIUSKO",2017-06-13 16:35:00,EST-5,2017-06-13 16:36:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-85.7,41.08,-85.7,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Emergency management officials reported multiple trees down in the area." +115462,693331,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:18:00,MST-7,2017-06-12 14:18:00,0,0,0,0,,NaN,,NaN,40.7,-104.78,40.7,-104.78,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693332,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:24:00,MST-7,2017-06-12 14:24:00,0,0,0,0,,NaN,,NaN,40.7,-104.94,40.7,-104.94,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693333,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:25:00,MST-7,2017-06-12 14:25:00,0,0,0,0,,NaN,,NaN,40.7,-104.94,40.7,-104.94,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693362,NORTH DAKOTA,2017,June,Hail,"MORTON",2017-06-10 00:06:00,CST-6,2017-06-10 00:10:00,0,0,0,0,0.00K,0,0.00K,0,46.9,-102.07,46.9,-102.07,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693363,NORTH DAKOTA,2017,June,Hail,"MORTON",2017-06-10 00:10:00,CST-6,2017-06-10 00:15:00,0,0,0,0,0.00K,0,0.00K,0,46.96,-101.83,46.96,-101.83,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693364,NORTH DAKOTA,2017,June,Hail,"MORTON",2017-06-10 00:30:00,CST-6,2017-06-10 00:38:00,0,0,0,0,40.00K,40000,15.00K,15000,46.93,-101.57,46.93,-101.57,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","The home suffered paint and window damage. The metal roof on the barn had dents. Holes were punched in corn storage bags and crop damage was reported around the area." +117612,707272,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:35:00,CST-6,2017-06-08 19:35:00,0,0,0,0,0.00K,0,0.00K,0,35.2017,-101.8159,35.2017,-101.8159,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Hail occurred at 9th and Ross." +117612,707274,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:35:00,CST-6,2017-06-08 19:35:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-101.82,35.3,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707275,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:37:00,CST-6,2017-06-08 19:37:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-101.79,35.26,-101.79,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Hail was at 24th and Grand St." +117612,707276,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:37:00,CST-6,2017-06-08 19:37:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-101.81,35.23,-101.81,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Hail was at Martin Road Lake." +117612,707277,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:40:00,CST-6,2017-06-08 19:40:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.83,35.2,-101.83,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Quarter to half dollar sized hail reported." +117612,707278,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:41:00,CST-6,2017-06-08 19:41:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-101.84,35.18,-101.84,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Washington and I-27." +117951,709030,TEXAS,2017,June,Thunderstorm Wind,"OLDHAM",2017-06-25 21:15:00,CST-6,2017-06-25 21:15:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-102.24,35.19,-102.24,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report from Oldham County Emergency of downed powerlines, along TX Route 809 just south of Wildorado. Time estimated from radar." +117951,709029,TEXAS,2017,June,Thunderstorm Wind,"OLDHAM",2017-06-25 21:05:00,CST-6,2017-06-25 21:05:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-102.43,35.25,-102.43,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report from Oldham County Emergency Manager with damage to RV���s and carports and about 20 downed power lines in Vega." +117951,709031,TEXAS,2017,June,Thunderstorm Wind,"DEAF SMITH",2017-06-25 21:40:00,CST-6,2017-06-25 21:40:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-102.2,35.04,-102.2,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","Late report by Emergency Manger of power poles down. Also, part of roof off barn near HWY 809 and CR 21." +117951,709032,TEXAS,2017,June,Thunderstorm Wind,"HARTLEY",2017-06-25 19:38:00,CST-6,2017-06-25 19:38:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-102.55,36.03,-102.55,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +117951,709033,TEXAS,2017,June,Thunderstorm Wind,"HARTLEY",2017-06-25 19:50:00,CST-6,2017-06-25 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-102.69,35.91,-102.69,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","From the KVII school net site at Olson Ranch." +117951,709034,TEXAS,2017,June,Thunderstorm Wind,"OLDHAM",2017-06-25 21:04:00,CST-6,2017-06-25 21:04:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-102.42,35.24,-102.42,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +121201,725550,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RANSOM",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725551,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SARGENT",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725552,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RICHLAND",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +115496,694866,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CLEARFIELD",2017-06-15 17:08:00,EST-5,2017-06-15 17:08:00,0,0,0,0,5.00K,5000,0.00K,0,41.1,-78.64,41.1,-78.64,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","A severe thunderstorm producing winds estimated near 60 mph knocked down tree and wires along Home Camp Road in Union Township." +117139,705978,OKLAHOMA,2017,June,Thunderstorm Wind,"LATIMER",2017-06-17 10:20:00,CST-6,2017-06-17 10:20:00,0,0,0,0,5.00K,5000,0.00K,0,34.9272,-95.2133,34.9272,-95.2133,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Strong thunderstorm wind damaged a barn in Panola, and snapped numerous large tree limbs across the county." +117139,705979,OKLAHOMA,2017,June,Flash Flood,"LATIMER",2017-06-17 10:30:00,CST-6,2017-06-17 13:30:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-95.32,34.8977,-95.3185,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","Portions of several roads were flooded in Wilburton and Panola." +117751,707976,MICHIGAN,2017,June,Thunderstorm Wind,"LENAWEE",2017-06-22 17:55:00,EST-5,2017-06-22 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-83.95,42.03,-83.95,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Multiple trees reported down in Tecumseh area." +112797,673858,FLORIDA,2017,January,Tornado,"PALM BEACH",2017-01-23 01:40:00,EST-5,2017-01-23 01:49:00,0,0,0,0,1.00M,1000000,0.00K,0,26.8596,-80.1432,26.8931,-80.057,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Tornado damage was first noted in the Mirabella neighborhood of Palm Beach Gardens west of Florida Turnpike between PGA Boulevard and Donald Ross Road, then followed a somewhat discontinuous path ENE across Palm Beach Gardens to Juno Beach where it moved offshore at the Juno Beach Pier. ||EF-1 damage (winds around 90 mph) was concentrated mainly in the Mirabella neighborhood and east of I-95 at The Benjamin School. A few homes had tiles removed in Mirabella, causing broken windows from flying debris. At The Benjamin School Upper Campus, a full set of metal bleachers was blown across a football field for at least 50 yards, with some of the pieces of the bleachers landing in an adjacent wooded area well over 100 yards away. Debris from this location ended up as far away as Dwyer High School about 500 yards east from the original location. At Dwyer High School, the tornadic winds as well as flying debris broke windows, damaged a softball field and caused a small hole in the ceiling over a classroom in the school's main building.||Most of the remainder of the damage along the path was rated EF-0 (winds 65 to 85 mph) and consisted mainly of broken tree branches, uprooted trees and minor roof and fence damage. Areas of concentrated damage were in the Evergrene Community, along Donald Ross Road just east of Old Dixie Highway, and at the Juno Beach Condo mobile home park where 8 units sustained damage. The tornado moved offshore at the Juno Beach Pier around 149 AM where a wind gust of 87 mph was recorded at Juno Beach Pier at 150 AM EDT. The roof was lifted off of one lifeguard stand near the pier, and wood railings were damaged at the north side of the pier. ||Estimate of damage at Dwyer High School is between $500,000 and $1 million, with damage estimates not received from other locations." +112797,673865,FLORIDA,2017,January,Thunderstorm Wind,"MIAMI-DADE",2017-01-23 04:20:00,EST-5,2017-01-23 04:20:00,0,0,0,0,,NaN,,NaN,25.67,-80.16,25.67,-80.16,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Multiple trees were blown over by thunderstorm wind at Bill Baggs Cape Florida State Park." +114222,685701,MISSOURI,2017,March,Thunderstorm Wind,"PLATTE",2017-03-06 19:35:00,CST-6,2017-03-06 19:38:00,0,0,0,0,,NaN,,NaN,39.2209,-94.6577,39.2209,-94.6577,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Reports of power lines down at 70th and Montrose Avenue." +119057,716722,MISSOURI,2017,July,Thunderstorm Wind,"CLAY",2017-07-22 21:32:00,CST-6,2017-07-22 21:35:00,0,0,0,0,,NaN,,NaN,39.22,-94.48,39.22,-94.48,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Several trees of unknown size or conditions were down, along with a few power lines." +117342,708442,INDIANA,2017,June,Flood,"HENDRICKS",2017-06-23 13:22:00,EST-5,2017-06-23 16:30:00,0,0,0,0,0.50K,500,0.50K,500,39.7394,-86.5083,39.7411,-86.5063,"The second significant rain event of June occurred on the 23rd. The combination of a cold front and the moisture from a tropical storm dumped heavy rains of 2 to more than 5 inches in portions of north central, east central and southeast Indiana. This lead to flooding across central and northern portions of central Indiana.","Portions of Cartersburg Road was closed due to flooding from heavy rainfall." +118111,709828,CONNECTICUT,2017,June,Thunderstorm Wind,"NEW HAVEN",2017-06-30 17:55:00,EST-5,2017-06-30 17:55:00,0,0,0,0,11.00K,11000,,NaN,41.5,-72.9,41.5,-72.9,"A passing upper level disturbance triggered isolated severe thunderstorms in Fairfield and New Haven Counties.","Two trees were reported down in Cheshire, at the intersection of Waterbury Road and Lakeview Avenue and into the house at 20 Farview Drive." +118111,709827,CONNECTICUT,2017,June,Thunderstorm Wind,"NEW HAVEN",2017-06-30 17:41:00,EST-5,2017-06-30 17:41:00,0,0,0,0,5.00K,5000,,NaN,41.55,-73.03,41.55,-73.03,"A passing upper level disturbance triggered isolated severe thunderstorms in Fairfield and New Haven Counties.","Numerous trees and power lines were reported down throughout Waterbury." +119057,716723,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:38:00,CST-6,2017-07-22 21:41:00,0,0,0,0,,NaN,,NaN,38.91,-94.38,38.91,-94.38,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Numerous trees of unknown size or condition were down near Lee's Summit." +118111,709826,CONNECTICUT,2017,June,Thunderstorm Wind,"FAIRFIELD",2017-06-30 17:37:00,EST-5,2017-06-30 17:37:00,0,0,0,0,1.00K,1000,,NaN,41.4077,-73.3824,41.4077,-73.3824,"A passing upper level disturbance triggered isolated severe thunderstorms in Fairfield and New Haven Counties.","A tree was reported down between Danbury and Newtown at 156 Walnut Hill Road between Weed and Old Hawleyville Roads." +118101,709793,CONNECTICUT,2017,June,Thunderstorm Wind,"FAIRFIELD",2017-06-19 16:37:00,EST-5,2017-06-19 16:37:00,0,0,0,0,2.00K,2000,,NaN,41.2279,-73.4783,41.2279,-73.4783,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Fairfield and New Haven counties.","A downed tree brought down utility lines between Ridgefield and Wilton at 808 Ridgefield Road between Ruscoe Road and Bald Hill Road." +118101,709794,CONNECTICUT,2017,June,Thunderstorm Wind,"NEW HAVEN",2017-06-19 16:42:00,EST-5,2017-06-19 16:42:00,0,0,0,0,0.75K,750,,NaN,41.4452,-73.1998,41.4452,-73.1998,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Fairfield and New Haven counties.","A large limb was reported down southeast of Southbury on Stonegate Drive, covering three quarters of the road." +118101,709796,CONNECTICUT,2017,June,Thunderstorm Wind,"NEW HAVEN",2017-06-19 17:25:00,EST-5,2017-06-19 17:25:00,0,0,0,0,1.50K,1500,,NaN,41.3516,-72.8571,41.3516,-72.8571,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Fairfield and New Haven counties.","A downed tree was reported southeast of North Haven at the intersection of Montowese Avenue and Fitch Street." +118100,709787,NEW JERSEY,2017,June,Thunderstorm Wind,"BERGEN",2017-06-19 16:27:00,EST-5,2017-06-19 16:27:00,0,0,0,0,10.00K,10000,,NaN,41.02,-74.1,41.02,-74.1,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Bergen County.","A large tree fell on a house in Ho-Ho-Kus." +115430,695736,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:06:00,CST-6,2017-06-11 06:08:00,0,0,0,0,500.00K,500000,0.00K,0,45.01,-95.1,45.01,-95.1,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A large grain bin was blown down near Svea. There were also several turkey barns with roofs blown off." +112357,673338,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4197,-84.2968,30.4197,-84.2968,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 843 Campbell Road." +112357,673339,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4309,-84.2495,30.4309,-84.2495,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down on Blair Stone Road at Lafayette." +112357,673340,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:28:00,EST-5,2017-01-22 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.4288,-84.2573,30.4288,-84.2573,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 1533 Indianhead Road." +112358,673421,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-21 12:40:00,EST-5,2017-01-21 12:40:00,0,0,0,0,40.00K,40000,0.00K,0,31.553,-84.2,31.553,-84.2,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A stop sign blew over and a tree fell on top of 2 cars on Gleneagles Drive. Damage cost was estimated." +112358,673424,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-21 13:00:00,EST-5,2017-01-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-83.95,31.53,-83.95,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Several trees were blown down near Porters Corner Road." +117877,708424,SOUTH DAKOTA,2017,June,Hail,"HAND",2017-06-13 15:45:00,CST-6,2017-06-13 15:45:00,0,0,0,0,,NaN,,NaN,44.89,-98.77,44.89,-98.77,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708429,SOUTH DAKOTA,2017,June,Hail,"HUGHES",2017-06-13 15:45:00,CST-6,2017-06-13 15:45:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-100.08,44.49,-100.08,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708430,SOUTH DAKOTA,2017,June,Hail,"HUGHES",2017-06-13 16:08:00,CST-6,2017-06-13 16:08:00,0,0,0,0,0.00K,0,0.00K,0,44.5,-99.78,44.5,-99.78,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708431,SOUTH DAKOTA,2017,June,Hail,"POTTER",2017-06-13 16:08:00,CST-6,2017-06-13 16:08:00,0,0,0,0,,NaN,,NaN,45.14,-99.87,45.14,-99.87,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710082,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.88,-96.91,45.88,-96.91,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Several trees were uprooted along with many large branches downed by estimated eighty mph winds." +117877,710083,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.88,-96.92,45.88,-96.92,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tree was uprooted by estimated seventy-five mph winds." +117877,710084,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:25:00,CST-6,2017-06-13 19:25:00,0,0,0,0,,NaN,0.00K,0,45.89,-96.9,45.89,-96.9,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Large branches were downed by estimated sixty to seventy mph winds." +118166,710156,NORTH CAROLINA,2017,June,Thunderstorm Wind,"MOORE",2017-06-19 18:14:00,EST-5,2017-06-19 18:16:00,0,0,0,0,5.00K,5000,0.00K,0,35.13,-79.52,35.11,-79.43,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Several trees were blown down along a swath between Rose Ridge Road northwest of Pinebluff and Highway 15-501 south of Aberdeen." +118166,710157,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ORANGE",2017-06-19 20:35:00,EST-5,2017-06-19 20:35:00,0,0,0,0,4.00K,4000,0.00K,0,36.17,-79.14,36.17,-79.14,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Several trees were blown down across northern Orange county, a few miles west-northwest of Schley." +118166,710158,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ANSON",2017-06-19 21:18:00,EST-5,2017-06-19 21:18:00,0,0,0,0,2.00K,2000,0.00K,0,35.13,-80.21,35.11,-80.2,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","A few trees were blown down along a swath from Race Track Road to Cribbs Creek Road west-northwest of Ansonville." +118166,710159,NORTH CAROLINA,2017,June,Flash Flood,"PERSON",2017-06-19 20:10:00,EST-5,2017-06-19 22:55:00,0,0,0,0,0.00K,0,0.00K,0,36.443,-78.9924,36.3752,-79.035,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Numerous roads were closed in and around Roxboro due to flash flooding." +118166,710160,NORTH CAROLINA,2017,June,Flash Flood,"ORANGE",2017-06-19 23:35:00,EST-5,2017-06-20 02:10:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-79.24,36.07,-79.261,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","A couple of roads were closed due to flash flooding south-southeast of Mebane, including Ben Wilson Road near Bowman Road and the 2700 block of Mebane Oaks Road." +116019,697220,NORTH DAKOTA,2017,June,Thunderstorm Wind,"NELSON",2017-06-10 04:45:00,CST-6,2017-06-10 04:45:00,0,0,0,0,60.00K,60000,,NaN,47.82,-98.28,47.82,-98.28,"By 1 am CDT on Saturday June 10th, surface low pressure was located between Devils Lake and Jamestown, North Dakota. By sunrise, the low had shifted into the northwest corner of Minnesota, with northwest winds behind it. Thunderstorms moved into the Devils Lake to Cooperstown area just before 4 am CDT and tracked east-northeast to near Crookston, Minnesota, staying just south of the city of Grand Forks. Then, a second area of thunderstorms moved into the Devils Lake region around 530 am CDT, tracking east-northeast into the northwest corner of Minnesota around sunrise. About the same time, a third area of thunderstorms formed near Brantford, in Eddy County. These storms also tracked to the east-northeast, eventually moving through the cities of Grand Forks and East Grand Forks. These three rounds of storms produced strong wind gusts and large hail.","One steel grain bin was popped off its foundation and rolled, while a second one was tipped over." +117901,709620,FLORIDA,2017,June,Heavy Rain,"SANTA ROSA",2017-06-06 21:40:00,CST-6,2017-06-06 21:40:00,0,0,0,0,0.00K,0,0.00K,0,30.6409,-87.1024,30.6409,-87.1024,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Over 7.48 inches of rain measured at Berryhill Elementary via Weather Bug mesonet." +117901,709621,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 22:00:00,CST-6,2017-06-07 01:00:00,0,0,0,0,250.00K,250000,0.00K,0,30.6,-87.02,30.5641,-87.0117,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Water across the road at exit 281 off I-10 on Avalon Blvd." +117901,709790,FLORIDA,2017,June,Heavy Rain,"SANTA ROSA",2017-06-06 23:00:00,CST-6,2017-06-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6402,-87.0419,30.6402,-87.0419,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","CWOP mesonet site recorded 10.03 inches." +117901,709791,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-06 22:00:00,CST-6,2017-06-07 01:00:00,0,0,0,0,250.00K,250000,0.00K,0,30.6,-87.02,30.5641,-87.0117,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","Approximately 1-4 inches of water entered 12 houses in the Pace area. Numerous other roads and bridges were closed due to rushing water over the roadway." +117901,709795,FLORIDA,2017,June,Heavy Rain,"SANTA ROSA",2017-06-07 06:00:00,CST-6,2017-06-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5993,-87.0657,30.5993,-87.0657,"Numerous slow moving thunderstorms resulted in very heavy rain and flooding across northwest Florida. Some locations received 9 to 11 inches of rain on June 6th and June 7th.","A 24 hour rainfall total of 9.10 inches from CoCoRahs station." +118177,710191,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:42:00,CST-6,2017-06-27 19:42:00,0,0,0,0,10.00K,10000,0.00K,0,41.25,-100.29,41.25,-100.29,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Flipped an empty pivot trailer. Metal building sustained damage to sliding doors and had the sky lights popped out and carried away." +118177,710200,NEBRASKA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 19:49:00,CST-6,2017-06-27 19:49:00,0,0,0,0,5.00K,5000,0.00K,0,41.44,-100.17,41.44,-100.17,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Roof and decking peeled back on a well built home." +115981,697069,TEXAS,2017,June,Thunderstorm Wind,"STONEWALL",2017-06-23 15:25:00,CST-6,2017-06-23 15:25:00,0,0,0,0,3.00K,3000,0.00K,0,33.0784,-100.2179,33.0784,-100.2179,"Isolated thunderstorms developed south of a stalled out cold frontal boundary oriented east to west across the southern South Plains and southern Rolling Plains. Strong instability south of the boundary allowed one thunderstorm to become severe in Stonewall County before moving south.","The Stonewall County Sheriff's office reported a power pole that had been blown over and several tree limbs down on US Highway 83 south of Aspermont." +116394,699912,TEXAS,2017,June,Hail,"CHILDRESS",2017-06-30 18:23:00,CST-6,2017-06-30 18:37:00,0,0,0,0,2.00M,2000000,,NaN,34.4187,-100.2262,34.4252,-100.1912,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Numerous photos of hail larger than baseballs were received from the south and southeast parts of the city of Childress. The slow movement of this supercell storm compounded damage to hundreds of vehicles, homes and buildings in the area. Combined property losses are estimated to be around $2 million." +116394,699913,TEXAS,2017,June,Hail,"KENT",2017-06-30 18:27:00,CST-6,2017-06-30 18:27:00,0,0,0,0,,NaN,0.00K,0,33.25,-100.57,33.25,-100.57,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Damage, if any, was unknown." +118185,710226,ARIZONA,2017,June,Wildfire,"SANTA CATALINA AND RINCON MOUNTAINS",2017-06-30 10:23:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The human caused Burro Fire started in tall grass and brush in the foothills of Redington Pass on the southeast side of the Santa Catalina Mountains on June 30th. It was contained on July 19th after it consumed over 27,000 acres.","The Burro Fire started in the foothills of the southeast side of the Santa Catalina Mountains northwest of Redington Pass. The fire was less than a 1,000 acres in size at the end of June but grew considerably during July." +117673,707612,SOUTH DAKOTA,2017,June,Hail,"LYMAN",2017-06-11 02:00:00,CST-6,2017-06-11 02:00:00,0,0,0,0,,NaN,,NaN,44.07,-99.58,44.07,-99.58,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707613,SOUTH DAKOTA,2017,June,Hail,"HAND",2017-06-11 02:15:00,CST-6,2017-06-11 02:15:00,0,0,0,0,,NaN,,NaN,44.27,-98.83,44.27,-98.83,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707614,SOUTH DAKOTA,2017,June,Hail,"BUFFALO",2017-06-11 02:35:00,CST-6,2017-06-11 02:35:00,0,0,0,0,,NaN,,NaN,44.15,-98.94,44.15,-98.94,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707615,SOUTH DAKOTA,2017,June,Hail,"DEUEL",2017-06-11 03:00:00,CST-6,2017-06-11 03:00:00,0,0,0,0,,NaN,,NaN,44.62,-96.62,44.62,-96.62,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +116909,703046,WISCONSIN,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-11 11:10:00,CST-6,2017-06-11 11:10:00,0,0,0,0,0.00K,0,0.00K,0,45.9,-89.48,45.9,-89.48,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds snapped 18 inch diameter trees about 15 feet above the ground." +116909,703045,WISCONSIN,2017,June,Thunderstorm Wind,"MARATHON",2017-06-11 11:10:00,CST-6,2017-06-11 11:10:00,0,0,0,0,2.00K,2000,0.00K,0,44.9,-89.41,44.9,-89.41,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed trees and tore shingles from roofs." +116909,703047,WISCONSIN,2017,June,Thunderstorm Wind,"VILAS",2017-06-11 11:12:00,CST-6,2017-06-11 11:12:00,0,0,0,0,0.00K,0,0.00K,0,45.989,-89.5254,45.989,-89.5254,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds uprooted a few trees near the intersection of Highway 155 and County Road N." +116909,703049,WISCONSIN,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-11 11:19:00,CST-6,2017-06-11 11:19:00,0,0,0,0,0.00K,0,0.00K,0,45.86,-89.69,45.86,-89.69,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed 4 to 6 inch diameter trees." +118222,710598,MONTANA,2017,June,Drought,"EASTERN ROOSEVELT",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across eastern Roosevelt County by June 13th. Rainfall amounts averaged from around one half of an inch to one inch of precipitation, which was approximately a one to two inches below normal for the month. Drought conditions persisted into July." +118222,710602,MONTANA,2017,June,Drought,"GARFIELD",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across northern Garfield County by June 13th, and quickly worsened (D3 - Extreme) by June 20th. Southern Garfield County entered drought (D2 - Severe) by June 20th. Rainfall amounts averaged from around one half of an inch to one inch of precipitation, which was approximately one to two inches below normal for the month. These conditions persisted into July." +118222,710607,MONTANA,2017,June,Drought,"DANIELS",2017-06-13 00:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The transition from spring to summer across the northern high plains region primarily featured a building ridge of high pressure over the greater Rocky Mountains. This flow pattern steered most storm systems away from northeast Montana. D2 drought conditions encroached into the area from the northeast by mid-June and worsened to D3 conditions from Sheridan County, stretching southwest through Fort Peck Lake through the end of June. Most locations reported less than one inch of precipitation for the month while many locations in the D3 area reported less than half an inch.","Drought conditions (D2 - Severe) began across southern Daniels County by June 13th, and quickly worsened (D3 - Extreme) by June 20th. In northern Daniels County, drought conditions (D2 - Severe) began by June 20th. Rainfall amounts averaged from around one half of an inch to one inch of precipitation, which was approximately two to three inches below normal for the month. Drought conditions persisted into July." +118259,710721,SOUTH CAROLINA,2017,June,Hail,"GEORGETOWN",2017-06-15 14:11:00,EST-5,2017-06-15 14:13:00,0,0,0,0,1.00K,1000,0.00K,0,33.354,-79.2929,33.354,-79.2929,"Thunderstorms blossomed in the afternoon heat and humidity and produced several reports of wind damage and one report of large hail.","Hail stones up to 1.25 inches in diameter were measured." +117390,707234,NEVADA,2017,February,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-02-09 08:30:00,PST-8,2017-02-09 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","Widespread gusts between 60 and 70 mph were recorded in the valleys on the 9th, with gusts 70 to as high as 92 mph (Browns Creek Bridge on I-580) in the foothills. Numerous downed trees and power lines were noted, with as many as 7,000 to 8,000 customers without power early in the afternoon, mostly in Douglas County. A big rig was blown over on Highway 395 near Stead. Finally, at least 7 flights into the Reno-Tahoe International airport were delayed or cancelled due to the winds." +117881,708418,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-14 00:50:00,CST-6,2017-06-14 00:50:00,0,0,0,0,,NaN,,NaN,46.1483,-91.9697,46.1483,-91.9697,"A strong thunderstorm moved across Washburn county and produced a wind gust to 50 knots near the Minong Sutherland Airport.","The thunderstorm wind gust was measured by the automated RAWS site MRZW3." +118192,710292,SOUTH DAKOTA,2017,June,Hail,"HAMLIN",2017-06-22 02:20:00,CST-6,2017-06-22 02:20:00,2,0,0,0,0.00K,0,0.00K,0,44.73,-97.03,44.73,-97.03,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +115929,696546,TENNESSEE,2017,May,Thunderstorm Wind,"DECATUR",2017-05-27 19:20:00,CST-6,2017-05-27 19:30:00,0,0,0,0,100.00K,100000,0.00K,0,35.6414,-88.1505,35.6507,-88.0911,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees and power lines down across the county. Several roads blocked." +115929,696547,TENNESSEE,2017,May,Hail,"GIBSON",2017-05-27 20:18:00,CST-6,2017-05-27 20:23:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-88.92,35.82,-88.92,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","" +115929,696548,TENNESSEE,2017,May,Hail,"GIBSON",2017-05-27 20:30:00,CST-6,2017-05-27 20:35:00,0,0,0,0,0.00K,0,0.00K,0,35.8,-88.77,35.8,-88.77,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","" +115432,693106,MINNESOTA,2017,June,Thunderstorm Wind,"BLUE EARTH",2017-06-12 11:55:00,CST-6,2017-06-12 11:55:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-94.15,43.89,-94.15,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","Power lines were blown down on the east side of Amboy." +115431,699054,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:32:00,CST-6,2017-06-11 08:32:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-92.36,45.15,-92.36,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Report submitted via social media." +115431,699063,WISCONSIN,2017,June,Hail,"BARRON",2017-06-11 08:55:00,CST-6,2017-06-11 08:55:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-92.13,45.34,-92.13,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +117153,710128,GEORGIA,2017,June,Flash Flood,"CHATTOOGA",2017-06-05 00:40:00,EST-5,2017-06-05 03:30:00,0,0,0,0,15.00K,15000,0.00K,0,34.4725,-85.2005,34.4511,-85.2086,"Ample moisture from the Gulf of Mexico combined with a weak upper disturbance to produce heavy rainfall and flash flooding in northwest Georgia June 4th and into June 5th. Precipitable water values were near record levels for early June, and efficient storms quickly produced widespread 3 to 6 inches of rainfall over the far northwest Georgia counties.","The Emergency Manager reported that portions of Dry Creek Road near Little Sand Mountain Road and Haywood Valley Road were flooded and washed out. The road was littered with tree limbs, branches and other debris carried by the high water. Portions of the embankment on Haywood Valley Road gave way, forcing the closure of half of the road. Flooding also occurred at a nearby campground, where water was a few feet deep. Radar estimates indicate that 4 to 5 inches of rain fell over the area." +117159,710366,GEORGIA,2017,June,Flash Flood,"MORGAN",2017-06-20 01:30:00,EST-5,2017-06-20 04:00:00,0,0,0,0,6.00K,6000,0.00K,0,33.5519,-83.4171,33.5504,-83.396,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","Emergency Manager reported multiple driveways were washed out south of Interstate 20 near South Sugar Creek. Radar estimates indicate that 4 to 5 inches of rain occurred over the area." +117159,710368,GEORGIA,2017,June,Flash Flood,"NEWTON",2017-06-20 01:30:00,EST-5,2017-06-20 04:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.5121,-83.9008,33.4848,-83.904,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","Multiple roads were closed due to flooding, including Channing Cope Road, King Bostick Road, Belcher Road, and Benton Road. Radar estimates indicate 6 to 8 inches occurred over the area." +117159,710733,GEORGIA,2017,June,Flash Flood,"COBB",2017-06-20 13:28:00,EST-5,2017-06-20 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,33.8338,-84.4993,33.8256,-84.4974,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","Public reported standing water on Interstate 285 between Atlanta Road and South Cobb Drive. Radar estimates indicate that 4 to 5 inches of rain occurred in the area." +118051,709732,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-07 17:43:00,EST-5,2017-06-07 17:43:00,0,0,0,0,,NaN,,NaN,25.4299,-80.3495,25.4299,-80.3495,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","WxFlow mesonet site XTKY located at Turkey Point recorded a winds just of 38 knots/44 mph with a thunderstorm. This site was located at an elevation of 62 feet." +118052,709739,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-08 14:25:00,EST-5,2017-06-08 14:25:00,0,0,0,0,,NaN,,NaN,25.87,-80.12,25.87,-80.12,"A frontal boundary moving down the peninsula in the wake of a departing area of low pressure lead to several strong afternoon thunderstorms along the Miami-Dade County coast.","WeatherBug mesonet site located at the Mater Beach Academy recorded a wind gust of 36 knots/42 mph with a thunderstorm." +118052,709738,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-08 14:23:00,EST-5,2017-06-08 14:23:00,0,0,0,0,,NaN,,NaN,25.71,-80.21,25.71,-80.21,"A frontal boundary moving down the peninsula in the wake of a departing area of low pressure lead to several strong afternoon thunderstorms along the Miami-Dade County coast.","WxFlow mesonet site XDIN located at Dinner Key recorded a wind gust of 38 knots/44 mph with a thunderstorm." +118053,709740,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-09 18:03:00,EST-5,2017-06-09 18:03:00,0,0,0,0,,NaN,,NaN,25.43,-80.35,25.43,-80.35,"Showers and thunderstorms developed along an unseasonable summertime cold front that passed through South Florida during the day. Several strong wind gusts were recorded with this activity along the Miami-Dade County coast.","WxFlow mesonet site XTKY located at Turkey Point recorded a wind gust to 34 knots/39 mph with a thunderstorm. The height of the anemometer is 62 feet." +118053,709743,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-09 18:24:00,EST-5,2017-06-09 18:24:00,0,0,0,0,,NaN,,NaN,25.66,-80.19,25.66,-80.19,"Showers and thunderstorms developed along an unseasonable summertime cold front that passed through South Florida during the day. Several strong wind gusts were recorded with this activity along the Miami-Dade County coast.","WxFlow Mesonet XKBS station located at southwest of Key Biscayne recorded a wind gust to 39 knots/45 mph with a thunderstorm." +122050,730662,IOWA,2017,December,Winter Weather,"JOHNSON",2017-12-24 04:30:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Trained spotters ranged from less than an inch near north Liberty to 1.2 inches 2 miles southeast of Iowa City." +122050,730663,IOWA,2017,December,Winter Weather,"DES MOINES",2017-12-24 02:00:00,CST-6,2017-12-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports ranged from 2.5 inches 1 mile north of Burlington to 3.8 inches in Burlington." +117388,706013,CALIFORNIA,2017,February,Flood,"SIERRA",2017-02-09 14:00:00,PST-8,2017-02-10 14:00:00,0,0,0,0,6.80M,6800000,0.00K,0,39.6173,-120.4761,39.5787,-120.382,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Flooding from creeks covered the intersection of Highways 49 and 89 in Sierraville on the afternoon of the 9th. Shallow water was photographed up against buildings at the Sierraville Ranger Station on the morning of the 10th. A washout caused the closure of Highway 49 between Sattley and Yuba Pass. Damage estimates are only for repairs to Highways 49 and 89 based on a CALTRANS report." +117388,707144,CALIFORNIA,2017,February,Flood,"EL DORADO",2017-02-08 08:00:00,PST-8,2017-02-11 21:00:00,0,0,0,0,1.00M,1000000,0.00K,0,38.834,-120.0189,38.8652,-120.0093,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Heavy rain fell in areas with significant snow berms and blocked storm drains, resulting in substantial flooding to around 50 homes in the Meyers area. Some of the worst flood damage was seen on Nahane Dr and Wailaki St per a KCRA news article. The end time of the flooding is estimated. Damage estimates are also roughly estimated." +117684,707667,NEVADA,2017,February,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-02-16 03:00:00,PST-8,2017-02-16 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching cold front brought a period of high winds on the morning of the 16th, mainly in the foothills and higher valleys of far western Nevada.","Wind gusts in the foothills of far western Nevada and in the north valleys of Reno ranged from 60 to 75 mph on the 16th." +116524,700715,PENNSYLVANIA,2017,June,Flash Flood,"ERIE",2017-06-18 17:50:00,EST-5,2017-06-18 21:00:00,0,0,0,0,2.80M,2800000,0.00K,0,42.0106,-80.4034,42.1503,-80.045,"A prefrontal trough moved over northwest Pennsylvania on the evening of the 18th. A convergence boundary over lakeshore Erie County produced multiple rounds of storms from 230 pm through 730 pm. Rainfall rates were measured around 6 inches per hour at the height of the storms.","Storms moved over lakeshore Erie County starting around 230 pm. Additional storms occurred at 350 pm, 500 pm, and again at 610 pm. The heaviest rainfall occurred with the later storms with rainfall rates peaking at over 6/hr around 630 pm. This rainfall over an area that had received 2.50 of rainfall already lead to rapid flash flooding. By the end of the rain at 730 pm there was a storm total measured 5.05 at the Emergency Operations Center in Mill Creek. Other rainfall reports in the area are 4.60 in Girard, 4.00 in Lake City, and 3.65 at the Erie International Airport. ||Numerous reports came in of flash flooding in the area, most notably in Mill Creek. Water rescues were performed on Ridge Street and Imperial Parkway in Lake City where water was up to the car windows. Water rescues were also conducted on State Route 98 in Fairview. In Mill Creek over 100 homes were impacted by the flooding. The foundation collapsed at the sewer pump station. Caughey Road had 8 of flowing water. W 17th Street and W 15th Street had 2' of water into the homes. W 28th Street had 2 to 8 feet of water with many flooded homes. Most of the damaged homes were near W Ridge Road." +117388,707151,CALIFORNIA,2017,February,Flood,"EL DORADO",2017-02-08 08:00:00,PST-8,2017-02-11 21:00:00,0,0,0,0,250.00K,250000,0.00K,0,38.9471,-119.9577,38.945,-119.9569,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Heavy rain combined with snow berms and clogged storm drains to bring flooding to around 10 homes in South Lake Tahoe starting on the 8th. Bill and Shirley Avenues saw the most flooding damage per a KCRA news article. The damages are roughly estimated." +115431,706336,WISCONSIN,2017,June,Hail,"DUNN",2017-06-11 08:45:00,CST-6,2017-06-11 09:10:00,0,0,0,0,0.00K,0,0.00K,0,45.1482,-92.0929,45.1725,-91.7056,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","There were numerous reports that large hail, up to quarter size, fell north of Highway 170, and also along Highway 25 and Highway FF." +115431,699066,WISCONSIN,2017,June,Hail,"BARRON",2017-06-11 09:05:00,CST-6,2017-06-11 09:05:00,0,0,0,0,0.00K,0,0.00K,0,45.26,-91.81,45.26,-91.81,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115431,699048,WISCONSIN,2017,June,Hail,"BARRON",2017-06-11 09:07:00,CST-6,2017-06-11 09:07:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-91.86,45.33,-91.86,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +116517,700695,OHIO,2017,June,Flash Flood,"RICHLAND",2017-06-13 15:30:00,EST-5,2017-06-13 20:45:00,0,0,0,0,640.00K,640000,0.00K,0,40.897,-82.6982,40.663,-82.6433,"A weak and slow Southward-moving cold front was located over the southern Great Lakes on the afternoon of the 13th. To the south of the boundary, a warm and moist airmass was present where clusters of showers and thunderstorms began to develop. Some locations saw repeated rounds of heavy rain from the thunderstorms leading to flash flooding. More than three inches of rain forced many commuters to find alternative routes home as flash flooding closed many area streets and roads.","On the afternoon of the 13th clusters of showers and thunderstorms began to produce repeated heavy rainfall over Richland County. By 4:30 PM, Doppler radar estimated nearly two and a half inches of rain across the area triggering flash flooding. In Franklin Township, some vehicles were submerged up to their bumper along with some homes having water up to their foundations on Ganges-Five Points Road. Other roads also experienced flooding including Linn Road with several inches of water flowing across the roadway. Water half-way up a stop sign post on Crall Road was reported in Madison Township. In the city of Mansfield, the motor speedway experienced flooding as well as several city streets after 5:45 PM. A sink hole consumed the shoulder of the US 30 Fifth Avenue exit ramp. Several major roads were flooded in Lexington and a private dam was over-topped on Shelby-Ganges Road in Shelby. At Mansfield Lahm Airport, 3.33 inches | of rain were observed in total; however, Doppler radar estimated that some locations received nearly 5 inches of rain. Flash flooding subsided by around 9:45 PM." +117388,707590,CALIFORNIA,2017,February,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-02-09 09:00:00,PST-8,2017-02-09 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","High winds were noted along Highway 395 south of Janesville. Winds were sustained over 40 mph at the Doyle CALTRANS site, with gusts to 63 mph at the Doyle RAWS. A semi-truck was blown over near Hallelujah Junction." +117388,707660,CALIFORNIA,2017,February,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-02-09 08:00:00,PST-8,2017-02-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Between 2 and 4 feet of snow fell at ski areas on the 9th and 10th. Below 7000 feet, snow amounts fell off substantially as significant amounts of rain fell there. At 6300 and 6700 feet in Incline Village 10 and 18 inches was reported, respectively. In Tahoe City near lake level, only 7 inches was reported by a cooperative observer. In South Lake Tahoe, only 3 inches fell at the airport." +117388,707663,CALIFORNIA,2017,February,Heavy Snow,"MONO",2017-02-09 13:00:00,PST-8,2017-02-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","For elevations above 8500 feet, 2 to 3 feet of snow fell near the Sierra crest with around 18 inches east of Highway 395 and north of Bridgeport. At 8200 feet in Mammoth Lakes, 16 inches was reported by a National Weather Service spotter. Below 7500 feet along Highway 395, mostly rain fell with snowfall totals only reaching 1 to 2 inches." +117684,707668,NEVADA,2017,February,High Wind,"MINERAL/SOUTHERN LYON",2017-02-16 06:00:00,PST-8,2017-02-16 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An approaching cold front brought a period of high winds on the morning of the 16th, mainly in the foothills and higher valleys of far western Nevada.","Sustained winds between 40 and 50 mph with gusts 60 to 84 mph occurred over Sweetwater Summit and along Highway 95 near Walker Lake on the morning of the 16th." +115569,694459,MINNESOTA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-13 20:20:00,CST-6,2017-06-13 20:20:00,0,0,0,0,0.00K,0,0.00K,0,46.06,-95.74,46.06,-95.74,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","A few trees were blown down and uprooted near Melby. Some structural damage occur to a local home with ripped shingles and damaged siding." +115569,694462,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-13 23:02:00,CST-6,2017-06-13 23:02:00,0,0,0,0,0.00K,0,0.00K,0,44.86,-93.82,44.8603,-93.8175,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","A power line was blown down near County Road 10, between County Road 30 and Waconia Parkway." +113850,681788,TEXAS,2017,February,Flash Flood,"CALLAHAN",2017-02-19 19:24:00,CST-6,2017-02-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.41,-99.4,32.4101,-99.4304,"A strong upper low over the Southern Rockies with a trailing upper trough enabled the development of a few severe storms across West Central Texas. The airmass over the region was warm and moist in the low levels. A few of these storms produced hail and some flooding across the area.","Heavy rain from thunderstorms caused flooding about a mile north of Baird. This water flooded one home." +117390,707645,NEVADA,2017,February,High Wind,"MINERAL/SOUTHERN LYON",2017-02-09 13:00:00,PST-8,2017-02-09 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","Winds over Sweetwater Summit (NV Highway 338) were sustained between 45 and 62 mph with gusts up to 82 mph on the 9th. Elsewhere, Wellington recorded gusts up to 59 mph and the Walker Lake NDOT had brief periods of high winds with gusts as high as 76 mph." +117631,707955,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-18 18:25:00,EST-5,2017-06-18 18:25:00,0,0,0,0,1.00K,1000,0.00K,0,41.23,-80.57,41.23,-80.57,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +118149,710022,MISSISSIPPI,2017,June,Flash Flood,"GEORGE",2017-06-22 10:30:00,CST-6,2017-06-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9824,-88.7836,30.9765,-88.6693,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week. ||The primary impact across inland southeast Mississippi was from heavy rain and flooding. Storm totals ranged from 5 to 8 inches, resulting in periods of flash flooding and significant river flooding.","Flash flooding resulted in the closure of multiple roads across the western half of George County." +117723,708702,ALABAMA,2017,June,Tornado,"COVINGTON",2017-06-21 17:57:00,CST-6,2017-06-21 18:08:00,0,0,0,0,50.00K,50000,0.00K,0,31.2252,-86.3078,31.2893,-86.3408,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","The tornado touched down on Jackson Town Road, just north of Adams Pond Road. A residence experienced the loss of its roof over an open door garage. Numerous trees|were uprooted in the same area. The tornado continued northwest, causing sporadic damage mainly to trees, but one home did suffer some minor roof damage. The tornado crossed Highway 84 and lifted near Nelson Road. The tornado was rated an EF-1 with estimated peak winds of 95 mph. Damage values are estimated." +117723,709919,ALABAMA,2017,June,Thunderstorm Wind,"MOBILE",2017-06-21 16:12:00,CST-6,2017-06-21 16:13:00,0,0,0,0,5.00K,5000,0.00K,0,30.36,-88.13,30.36,-88.13,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A severe thunderstorm downed trees across Highway 188 near Dauphin Island Parkway." +117723,709920,ALABAMA,2017,June,Thunderstorm Wind,"MOBILE",2017-06-21 16:27:00,CST-6,2017-06-21 16:28:00,0,0,0,0,5.00K,5000,0.00K,0,30.59,-88.25,30.59,-88.25,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A severe thunderstorm downed trees across Dawes Lane near Three Notch Road." +117723,709996,ALABAMA,2017,June,Flash Flood,"CLARKE",2017-06-23 18:35:00,CST-6,2017-06-23 20:35:00,0,0,0,0,50.00K,50000,0.00K,0,31.796,-88.1049,31.768,-88.087,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flash flooding resulted in a portion of north bound Highway 69 collapsing. A section of Tallahatta Springs Road about 5 miles west of Highway 49 caved in." +117723,710010,ALABAMA,2017,June,Flash Flood,"CLARKE",2017-06-23 19:00:00,CST-6,2017-06-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8047,-87.7516,31.7787,-87.7585,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flash flooding resulted in the closure of Bassetts Creek Road." +117157,707085,GEORGIA,2017,June,Thunderstorm Wind,"CHATTOOGA",2017-06-15 15:15:00,EST-5,2017-06-15 15:25:00,0,0,0,0,20.00K,20000,,NaN,34.4997,-85.4908,34.5594,-85.3935,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Chattooga County Emergency Manager reported numerous trees blown down across the county from near Menlo to northwest or Trion. Locations include Along Highway 48 near Ridge Street and Highway 157, and along Highway 337 near Trion Taloga Road and Highway 117. Trees fell onto a car on Highway 337 north of Highway 117. No injuries were reported." +115240,691896,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-05 17:30:00,EST-5,2017-06-05 17:30:00,0,0,0,0,,NaN,0.00K,0,38.32,-85.61,38.32,-85.61,"As a strong cold front passed through north central Kentucky during the afternoon hours June 5, a line of strong to severe thunderstorms developed along the Ohio River. As this line moved into north central Kentucky, damaging wind gusts were observed which brought down several large trees across the Louisville metro.","Local broadcast media reported downed trees near Prospect, Kentucky in the Wolf Pen and Springdale neighborhood areas." +115240,691897,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-05 17:40:00,EST-5,2017-06-05 17:40:00,0,0,0,0,25.00K,25000,0.00K,0,38.35,-85.61,38.35,-85.61,"As a strong cold front passed through north central Kentucky during the afternoon hours June 5, a line of strong to severe thunderstorms developed along the Ohio River. As this line moved into north central Kentucky, damaging wind gusts were observed which brought down several large trees across the Louisville metro.","Local broadcast media reported power outages in Prospect due to downed trees." +115240,691898,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-05 17:45:00,EST-5,2017-06-05 17:45:00,0,0,0,0,,NaN,0.00K,0,38.26,-85.59,38.26,-85.59,"As a strong cold front passed through north central Kentucky during the afternoon hours June 5, a line of strong to severe thunderstorms developed along the Ohio River. As this line moved into north central Kentucky, damaging wind gusts were observed which brought down several large trees across the Louisville metro.","Local broadcast media reported trees down in Lyndon due to severe thunderstorm winds." +115240,691899,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-05 17:59:00,EST-5,2017-06-05 17:59:00,0,0,0,0,,NaN,0.00K,0,38.2399,-85.7066,38.2399,-85.7066,"As a strong cold front passed through north central Kentucky during the afternoon hours June 5, a line of strong to severe thunderstorms developed along the Ohio River. As this line moved into north central Kentucky, damaging wind gusts were observed which brought down several large trees across the Louisville metro.","Local broadcast media reported several large trees were blown over blocking portions of Cherokee Parkway." +115240,691900,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-05 17:59:00,EST-5,2017-06-05 17:59:00,0,0,0,0,50.00K,50000,0.00K,0,38.24,-85.72,38.24,-85.72,"As a strong cold front passed through north central Kentucky during the afternoon hours June 5, a line of strong to severe thunderstorms developed along the Ohio River. As this line moved into north central Kentucky, damaging wind gusts were observed which brought down several large trees across the Louisville metro.","A large tree fell on a vehicle and also a home resulting in structural damage." +118194,710302,NEW YORK,2017,June,Thunderstorm Wind,"CORTLAND",2017-06-05 16:20:00,EST-5,2017-06-05 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.64,-76.18,42.64,-76.18,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and wires." +117161,710968,GEORGIA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-22 19:10:00,EST-5,2017-06-22 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4577,-83.5497,33.4577,-83.5497,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","Tree blown down on Little River Road and Hwy 83 South. Time estimated from radar." +118195,710315,NEW YORK,2017,June,Thunderstorm Wind,"TIOGA",2017-06-19 12:25:00,EST-5,2017-06-19 12:35:00,0,0,0,0,1.00K,1000,0.00K,0,42.1,-76.26,42.1,-76.26,"A cold front extended from north to south across western New York and Pennsylvania Monday morning and showers and thunderstorms were organized ahead and along the front. The front quickly moved east into a very unstable air mass and additional showers and thunderstorms developed across central New York and northeast Pennsylvania. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree." +118195,710316,NEW YORK,2017,June,Thunderstorm Wind,"SULLIVAN",2017-06-19 13:15:00,EST-5,2017-06-19 13:25:00,0,0,0,0,4.00K,4000,0.00K,0,41.9,-74.83,41.9,-74.83,"A cold front extended from north to south across western New York and Pennsylvania Monday morning and showers and thunderstorms were organized ahead and along the front. The front quickly moved east into a very unstable air mass and additional showers and thunderstorms developed across central New York and northeast Pennsylvania. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118195,710314,NEW YORK,2017,June,Thunderstorm Wind,"BROOME",2017-06-19 12:17:00,EST-5,2017-06-19 12:27:00,0,0,0,0,10.00K,10000,0.00K,0,42.1,-76.06,42.1,-76.06,"A cold front extended from north to south across western New York and Pennsylvania Monday morning and showers and thunderstorms were organized ahead and along the front. The front quickly moved east into a very unstable air mass and additional showers and thunderstorms developed across central New York and northeast Pennsylvania. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over power line poles and wires." +117819,708237,TEXAS,2017,June,Thunderstorm Wind,"CAMERON",2017-06-05 16:48:00,CST-6,2017-06-05 16:48:00,0,0,0,0,10.00K,10000,0.00K,0,26.08,-97.26,26.08,-97.26,"A final spoke of upper level energy associated with a broader disturbance passing through Texas brought scattered thunderstorms, some strong to severe, during the afternoon hours of June 5th across the region, moving into the Lower Valley. These storms produced gusty and damaging winds of 50 to 60 mph in Willacy and Cameron counties.","Winds of an estimated 60 mph lifted a tin roof, knocked down a fence, and damaged an above ground pool at a home in Laguna Heights." +117815,708220,TEXAS,2017,June,Hail,"BROOKS",2017-06-04 22:45:00,CST-6,2017-06-22 22:46:00,0,0,0,0,0.00K,0,0.00K,0,27.22,-98.07,27.22,-98.07,"An upper level disturbance sliding across the state on June 4th triggered scattered thunderstorms across the South Texas Brush Country, some of which became strong to severe and produced large hail across the northern ranchlands of Deep South Texas.","Brooks County Sheriffs Office reported golf ball size hail 5 miles east of US 281 along SR 285." +117818,708225,TEXAS,2017,June,Thunderstorm Wind,"WILLACY",2017-06-05 07:15:00,CST-6,2017-06-05 07:15:00,0,0,0,0,3.00K,3000,0.00K,0,26.39,-97.81,26.39,-97.81,"Strong thunderstorms associated with a spoke of energy associated with a broader upper level disturbance moving through Texas moved southeast across the South Texas Brush Country and into the Lower Rio Grande Valley coastal communities during the early morning hours of June 5th. These storms produced strong and gusty winds to 50 mph, causing minor damage in Willacy County.","A couple of utility poles were reported down along FM 491, approximately one mile west of Business 77." +116049,697479,KENTUCKY,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-30 20:40:00,EST-5,2017-06-30 20:40:00,0,0,0,0,,NaN,0.00K,0,38.2099,-85.6512,38.2099,-85.6512,"A line of strong thunderstorms crossed the Ohio River during the evening hours on June 30. As the storms reached the Louisville metro area, severe winds brought down several large tree limbs in the city.","The public reported large diameter tree branches broken." +115602,694331,KENTUCKY,2017,June,Lightning,"LOGAN",2017-06-18 11:00:00,CST-6,2017-06-18 11:00:00,0,0,0,0,100.00K,100000,0.00K,0,36.67,-86.85,36.67,-86.85,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","A house was struck by lightning and caught on fire. The house burned to the ground." +115602,694332,KENTUCKY,2017,June,Thunderstorm Wind,"NELSON",2017-06-18 15:28:00,EST-5,2017-06-18 15:28:00,0,0,0,0,,NaN,0.00K,0,37.88,-85.3,37.88,-85.3,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Local law enforcement reported downed trees blocking the road near the intersection of Highway 62 and Highway 55." +115697,695321,KENTUCKY,2017,June,Thunderstorm Wind,"MAGOFFIN",2017-06-23 20:25:00,EST-5,2017-06-23 20:50:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-83.15,37.6175,-82.9777,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch relayed reports of trees blown down from Patton on U.S. Highway 460 to along Kentucky Highway 7 near Fredville." +115697,695322,KENTUCKY,2017,June,Thunderstorm Wind,"FLOYD",2017-06-23 21:05:00,EST-5,2017-06-23 21:05:00,0,0,0,0,15.00K,15000,0.00K,0,37.57,-82.64,37.57,-82.64,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","A trained spotter and emergency management reported multiple trees down near Tram. A mobile home was also knocked off of its block." +115641,695455,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 11:25:00,EST-5,2017-06-19 11:25:00,0,0,0,0,2.00K,2000,0.00K,0,39.79,-77.73,39.79,-77.73,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down wires in Greencastle." +115933,696578,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-02 16:15:00,CST-6,2017-06-02 16:15:00,0,0,0,0,,NaN,,NaN,48.23,-99.11,48.23,-99.11,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Dime to quarter sized hail fell with very heavy rain." +115933,696579,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 16:35:00,CST-6,2017-06-02 16:35:00,0,0,0,0,,NaN,,NaN,48.44,-99.28,48.44,-99.28,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Nickel to half dollar sized hail covered the ground. Very heavy rain was also reported." +115933,696580,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-02 16:46:00,CST-6,2017-06-02 16:46:00,0,0,0,0,,NaN,,NaN,48.22,-99.05,48.22,-99.05,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Dime to quarter sized hail covered the ground." +115912,696491,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-12 14:35:00,EST-5,2017-06-12 14:45:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"Scattered afternoon thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and moved west and into the Gulf of Mexico. One of these storms produced gusty winds along the coast.","The WeatherFlow station reported a marine wind gust of 36 knots." +115966,697013,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-19 13:28:00,EST-5,2017-06-19 13:28:00,0,0,0,0,0.00K,0,0.00K,0,27.59,-82.66,27.59,-82.66,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station near the Skyway Bridge in the Tampa Bay recorded a 37 knot marine thunderstorm wind gust." +115994,697129,GULF OF MEXICO,2017,June,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-06-28 19:23:00,EST-5,2017-06-28 19:28:00,0,0,0,0,0.00K,0,0.00K,0,28.38,-82.71,28.38,-82.71,"Sea breeze thunderstorms began developing along the Gulf Coast during the late evening hours. One storm produced a brief, but very visible waterspout off of the coast of Hudson.","Multiple trained spotters, as well as the general public, reported a very visible waterspout just off the coast of Hudson. The waterspout lasted only a few minutes. Later in the evening, pictures of the waterspout were seen on social media." +115972,697009,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-22 19:15:00,EST-5,2017-06-22 19:15:00,0,0,0,0,0.00K,0,0.00K,0,27.9147,-82.4473,27.9147,-82.4473,"Late evening sea breeze thunderstorms developed over Tampa Bay producing localized strong wind gusts across the Bay.","The AWOS at Peter O. Knight airport on Davis Island measured a wind gust of 34 knots." +115969,696997,FLORIDA,2017,June,Thunderstorm Wind,"HERNANDO",2017-06-22 18:25:00,EST-5,2017-06-22 18:25:00,0,0,0,0,6.00K,6000,0.00K,0,28.45,-82.56,28.45,-82.56,"Late evening sea breeze thunderstorms developed along the Gulf Coast. One strong storm across Hernando County produced an area of isolated wind damage.","Numerous trees were uprooted and snapped near the intersection of Vancouver Rd. and Gaspar Ave. in Spring Hill. There were also a few downed power poles in the area." +115838,696188,FLORIDA,2017,June,Thunderstorm Wind,"CHARLOTTE",2017-06-07 11:55:00,EST-5,2017-06-07 11:55:00,0,0,0,0,0.00K,0,0.00K,0,26.99,-82.11,26.99,-82.11,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced damaging wind gusts over Southwest Florida.","A home weather station in Port Charlotte reported a peak wind gust of 53 knots." +115838,696190,FLORIDA,2017,June,Thunderstorm Wind,"LEE",2017-06-07 12:39:00,EST-5,2017-06-07 12:39:00,0,0,0,0,0.00K,0,0.00K,0,26.5381,-81.7567,26.5381,-81.7567,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced damaging wind gusts over Southwest Florida.","The ASOS at Southwest Florida International Airport (KRSW) reported a 50 knot thunderstorm wind gust." +116439,700282,ILLINOIS,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-17 21:35:00,CST-6,2017-06-17 21:40:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-88.78,40.65,-88.78,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Several power poles were blown down." +116439,700283,ILLINOIS,2017,June,Thunderstorm Wind,"MORGAN",2017-06-17 21:00:00,CST-6,2017-06-17 21:05:00,0,0,0,0,0.00K,0,0.00K,0,39.8673,-90.5055,39.8673,-90.5055,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Small trees were blown down on IL Route 67 near the Morgan/Cass County line." +116439,700284,ILLINOIS,2017,June,Thunderstorm Wind,"SANGAMON",2017-06-17 21:52:00,CST-6,2017-06-17 21:57:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-89.75,39.75,-89.75,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Several power lines were blown down." +115954,696813,OHIO,2017,June,Flash Flood,"HIGHLAND",2017-06-23 14:30:00,EST-5,2017-06-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-83.59,39.2995,-83.5889,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was reported over State Route 72." +115954,696815,OHIO,2017,June,Flash Flood,"HAMILTON",2017-06-23 15:19:00,EST-5,2017-06-23 17:19:00,0,0,0,0,0.00K,0,0.00K,0,39.2246,-84.3185,39.2244,-84.3182,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Flowing water was reported near State Route 126 and Beech Rd." +115954,696816,OHIO,2017,June,Flash Flood,"CLINTON",2017-06-23 15:21:00,EST-5,2017-06-23 16:21:00,0,0,0,0,0.00K,0,0.00K,0,39.37,-83.67,39.3681,-83.6716,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported near the intersection of Antioch Rd and Johnson Rd." +115954,696817,OHIO,2017,June,Flash Flood,"ROSS",2017-06-23 15:29:00,EST-5,2017-06-23 16:29:00,0,0,0,0,0.00K,0,0.00K,0,39.3695,-83.3711,39.3698,-83.3736,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was running rapidly across Route 138 near Greenfield." +115954,696818,OHIO,2017,June,Flash Flood,"HIGHLAND",2017-06-23 15:38:00,EST-5,2017-06-23 16:38:00,0,0,0,0,0.00K,0,0.00K,0,39.33,-83.49,39.3285,-83.4821,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Two to three inches of water was reported in several places over both lanes of Centerfield Rd." +115954,696820,OHIO,2017,June,Flash Flood,"BROWN",2017-06-23 16:07:00,EST-5,2017-06-23 17:07:00,0,0,0,0,3.00K,3000,0.00K,0,39.1962,-83.8995,39.1916,-83.8994,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was completely covering State Route 251 just north of U.S. Route 50 east of Fayetteville. A car was submerged and three individuals were rescued with no injuries." +115954,696821,OHIO,2017,June,Flash Flood,"BROWN",2017-06-23 16:44:00,EST-5,2017-06-23 17:44:00,0,0,0,0,0.00K,0,0.00K,0,39.154,-83.9348,39.1546,-83.9299,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was flowing across Gausche Rd. and McCafferty Rd at U.S. 68." +115954,696822,OHIO,2017,June,Flash Flood,"BROWN",2017-06-23 16:44:00,EST-5,2017-06-23 17:44:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-83.94,39.1726,-83.9518,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water was flowing across S.R. 131 in two places between U.S. 68 and U.S. 50. The road was impassable." +115548,693761,TEXAS,2017,June,Excessive Heat,"LUBBOCK",2017-06-17 13:53:00,CST-6,2017-06-17 16:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115548,693763,TEXAS,2017,June,Excessive Heat,"TERRY",2017-06-17 13:45:00,CST-6,2017-06-17 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115548,693764,TEXAS,2017,June,Excessive Heat,"TERRY",2017-06-17 14:59:00,CST-6,2017-06-17 17:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +116342,700874,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-13 15:35:00,CST-6,2017-06-13 15:35:00,0,0,0,0,8.00K,8000,0.00K,0,31.64,-88.99,31.64,-88.99,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","A few trees were blown down in the Forest, Freedom, and Norton Roads area." +115742,696734,KENTUCKY,2017,June,Flash Flood,"LAWRENCE",2017-06-23 20:48:00,EST-5,2017-06-24 01:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.1361,-82.6444,38.1517,-82.6543,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Multiple roads were flooded across central Lawrence County. Old Lick Road in Louisa was flooded by water from Lick Creek. Route 3395 west of Louisa was flooded by water from Issac Branch." +115743,696733,OHIO,2017,June,Flood,"VINTON",2017-06-24 05:00:00,EST-5,2017-06-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3877,-82.4357,39.3,-82.4585,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Following flash flooding earlier in the day, portions Raccoon Creek and the West Branch of Raccoon Creek remained flooded as water worked through the water system. State Route 56 near Orland and State Route 328 south of New Plymouth remained closed through the afternoon." +115412,693020,WEST VIRGINIA,2017,June,Flood,"RALEIGH",2017-06-05 12:05:00,EST-5,2017-06-05 15:05:00,0,0,0,0,5.00K,5000,0.00K,0,37.9554,-81.4696,37.8561,-81.3962,"Southerly flow pumped lots of moisture into the Central Appalachians on the 4th and 5th. This moisture, combined with an approaching wave of low pressure, caused a prolonged period of showers and thunderstorms resulting in flooding in the central mountains of West Virginia on the 5th. The cooperative observer in Beckley had 2.01 inches of rain on the 5th.","Sections of County Route 1 near Dorothy, Route 3 and Harper Road near Harper and Sandlick Road near Glen Daniel were closed due to high water." +115514,693548,WEST VIRGINIA,2017,June,Flash Flood,"KANAWHA",2017-06-16 10:22:00,EST-5,2017-06-16 11:50:00,0,0,0,0,30.00K,30000,0.00K,0,38.3353,-81.6403,38.3753,-81.5982,"An unstable airmass with plenty of moisture remained in place ahead of a weak cold front on the 16th. This caused showers and thunderstorms with pockets of heavy rain through the day. This led to widespread ponding of water on roadways as drains became clogged by debris, however there was also some minor flash flooding in Kanawha County.","Lick Branch Creek spilled over its banks, causing flooding along South Ruffner Road and Roundhill Road. The foundation of a garage was buckled near Roundhill Road and Callie Road which eventually led the the collapse of the garage. There was also some minor basement flooding reported in the East End of Charleston, along Washington Street East and Kanawha Boulevard East." +115744,695708,WEST VIRGINIA,2017,June,Thunderstorm Wind,"HARRISON",2017-06-23 19:18:00,EST-5,2017-06-23 19:19:00,0,0,0,0,15.00K,15000,0.00K,0,39.2883,-80.3094,39.2887,-80.307,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Multiple healthy, mature trees were snapped or uprooted along a 0.25 mile path. One home lost about an 11x8 foot section of shingles from its roof and anther home lost a 20x10 foot section of shingles." +121201,725540,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EASTERN WALSH",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725541,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"WESTERN WALSH",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725542,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EDDY",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725543,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"NELSON",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725544,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRAND FORKS",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725545,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRIGGS",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725546,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"STEELE",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725547,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"TRAILL",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725548,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BARNES",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +117157,707171,GEORGIA,2017,June,Thunderstorm Wind,"SPALDING",2017-06-15 18:20:00,EST-5,2017-06-15 18:30:00,0,0,0,0,1.00K,1000,,NaN,33.2729,-84.2616,33.2729,-84.2616,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Spalding County 911 center reported a tree blown down near the intersection of Lincoln Road and Spellman Avenue." +117157,707172,GEORGIA,2017,June,Thunderstorm Wind,"WALTON",2017-06-15 18:24:00,EST-5,2017-06-15 18:34:00,0,0,0,0,1.00K,1000,,NaN,33.8246,-83.8952,33.8246,-83.8952,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Walton County 911 center reported a tree blown down near the intersection of Tommy Lee Fuller Road and Baker Carter Drive." +113490,679370,NEW YORK,2017,March,Thunderstorm Wind,"SCHENECTADY",2017-03-08 14:05:00,EST-5,2017-03-08 14:05:00,0,0,0,0,,NaN,,NaN,42.86,-73.9,42.86,-73.9,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down on Bruce Drive in Alplaus due to thunderstorm winds." +113490,679371,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:07:00,EST-5,2017-03-08 14:07:00,0,0,0,0,,NaN,,NaN,42.6212,-73.8294,42.6212,-73.8294,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down in Delmar due to thunderstorm winds." +121201,725549,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CASS",2017-12-25 14:35:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +117157,707191,GEORGIA,2017,June,Thunderstorm Wind,"HARALSON",2017-06-15 16:35:00,EST-5,2017-06-15 16:40:00,0,0,0,0,1.00K,1000,,NaN,33.7397,-85.3089,33.7397,-85.3089,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Haralson County 911 center reported a tree blown down near the intersection of Providence Church Road and Old Highway 78." +117157,707193,GEORGIA,2017,June,Thunderstorm Wind,"COWETA",2017-06-15 17:45:00,EST-5,2017-06-15 17:50:00,0,0,0,0,1.00K,1000,,NaN,33.2382,-84.8234,33.2382,-84.8234,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Coweta County Emergency Manager reported a tree blown down around the intersection of Griffin Street and Stokes Street." +117157,710964,GEORGIA,2017,June,Thunderstorm Wind,"HOUSTON",2017-06-15 19:50:00,EST-5,2017-06-15 19:55:00,0,0,0,0,0.00K,0,0.00K,0,32.3319,-83.7893,32.3319,-83.7893,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","Multiple trees down at the intersection of Highway 41 and Old Vienna Road." +117158,704754,GEORGIA,2017,June,Thunderstorm Wind,"LAURENS",2017-06-17 15:00:00,EST-5,2017-06-17 15:35:00,0,0,0,0,3.00K,3000,,NaN,32.4714,-83.0558,32.4918,-82.9019,"Strong daytime heating resulted in scattered thunderstorms across north and central Georgia, with isolated severe thunderstorms in central Georgia during the mid to late afternoon.","The Laurens County 911 center reported trees blown down from around the intersection of Scooter Rue Road and Hillbridge Road to Southern Pines Road near Highway 19." +117184,704864,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:03:00,CST-6,2017-06-28 17:03:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-90.43,42.97,-90.43,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","An estimated 80 mph wind gust occurred in Montfort." +117184,704868,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:03:00,CST-6,2017-06-28 17:03:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-90.47,42.93,-90.47,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","A 78 mph wind gust occurred northwest of Livingston." +117184,705008,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:04:00,CST-6,2017-06-28 17:04:00,0,0,0,0,20.00K,20000,0.00K,0,42.8998,-90.4518,42.8998,-90.4518,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","A roof was blown off a barn just east of Livingston." +117184,705072,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:05:00,CST-6,2017-06-28 17:05:00,0,0,0,0,170.00K,170000,0.00K,0,42.93,-90.43,42.93,-90.43,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","More than 20 power poles were snapped causing power lines to go down along State Highway 80 between Livingston and Montfort. Farm buildings were damaged north of Livingston." +117184,705075,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 16:45:00,CST-6,2017-06-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.86,-90.71,42.86,-90.71,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","A 58 mph wind gust was measured just north of Lancaster." +117523,713984,NEW MEXICO,2017,August,Tornado,"MORA",2017-08-09 16:50:00,MST-7,2017-08-09 16:51:00,0,0,0,0,0.00K,0,0.00K,0,35.8595,-104.6608,35.857,-104.6557,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","A KRQE viewer sent in a picture of a small tornado southeast of Wagon Mound. No damage was reported." +119671,717844,NEW MEXICO,2017,September,Tornado,"CIBOLA",2017-09-30 13:55:00,MST-7,2017-09-30 13:57:00,0,0,0,0,0.00K,0,0.00K,0,34.9611,-107.1871,34.9628,-107.1438,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","A tornado touched down briefly along Interstate 40 near state highway 6. No damage was reported. The large wall cloud and associated funnel was observed from the NWS office in Albuquerque." +117482,706583,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,50.00K,50000,0.00K,0,42.8554,-72.5613,42.8576,-72.5634,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Brattleboro Police Department reported numerous road closures due to high water in the Brattleboro area. Some of the roads affected were Linden Street (Route 30) and Putney Road." +117482,706584,VERMONT,2017,June,Thunderstorm Wind,"WINDHAM",2017-06-19 13:53:00,EST-5,2017-06-19 13:53:00,0,0,0,0,,NaN,,NaN,42.86,-72.567,42.86,-72.567,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","A tree was reported down in Brattleboro due to thunderstorm winds." +117482,706844,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.8887,-72.5698,42.8857,-72.5668,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Black Mountain Road was closed due to flash flooding from thunderstorm heavy rainfall." +117482,706841,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,25.00K,25000,0.00K,0,42.8452,-72.5717,42.8441,-72.572,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Brattleboro Police Department reported Maple Street was closed due to high water in Brattleboro. A clogged culvert caused the road to become damaged due to the flooding." +117473,706487,NEW YORK,2017,June,Hail,"SARATOGA",2017-06-30 14:35:00,EST-5,2017-06-30 14:35:00,0,0,0,0,,NaN,,NaN,42.99,-73.8,42.99,-73.8,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A trained spotter reported golfball size hail during a thunderstorm in the town of Malta." +117473,706488,NEW YORK,2017,June,Tornado,"FULTON",2017-06-30 14:49:00,EST-5,2017-06-30 14:50:00,0,0,0,0,,NaN,,NaN,43.025,-74.164,43.027,-74.16,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A National Weather Service Survey team inspected damage along County Route 107 in Broadalbin. The team confirmed an EF-1 tornado with maximum winds of 90 mph, a path width of 50 yards and a path length of one quarter of a mile. A pole barn was destroyed. Several snapped trees were ejected up 150 feet. A destroyed carport was hurled into a tree. Blown-in garage doors were also observed. Siding and shingles were ripped off homes." +117473,706489,NEW YORK,2017,June,Tornado,"HERKIMER",2017-06-30 16:28:00,EST-5,2017-06-30 16:29:00,0,0,0,0,,NaN,,NaN,43.026,-75.21,43.025,-75.2,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","The National Weather Service Survey Team in Albany, NY confirmed an EF-1 tornado near Sauquoit in Herkimer county, NY. There were no injuries or fatalities reported. The tornado began near the intersection of Mallory Road and Graffenburg Road in Sauquoit. The tornado dissipated near the 8th tee of Stonebridge Golf and Country Club. A stable was partially destroyed. Debris from the stable was ejected 700 yards onto the golf course. Numerous trees were uprooted and snapped. A home sustained some siding damage. Although horses and donkeys were in the field as the tornado passed through, none of the animals were injured." +117701,707826,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-14 14:05:00,CST-6,2017-06-14 14:05:00,0,0,0,0,1.00K,1000,,NaN,43.74,-88.78,43.74,-88.78,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A tree down on power lines." +117701,707827,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-14 14:25:00,CST-6,2017-06-14 14:25:00,0,0,0,0,3.00K,3000,,NaN,43.67,-88.53,43.67,-88.53,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Several trees down." +117701,707830,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-14 14:30:00,CST-6,2017-06-14 14:30:00,0,0,0,0,5.00K,5000,,NaN,43.9,-88.22,43.9,-88.22,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A roof torn off a milking parlor." +119057,716718,MISSOURI,2017,July,Hail,"JACKSON",2017-07-22 20:24:00,CST-6,2017-07-22 20:24:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-94.37,38.9,-94.37,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","" +119057,716720,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:25:00,CST-6,2017-07-22 21:28:00,0,0,0,0,,NaN,,NaN,39.06,-94.58,39.06,-94.58,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs were snapped along Gillham Road near the UMKC Campus." +117701,707832,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-14 14:45:00,CST-6,2017-06-14 14:45:00,0,0,0,0,1.00K,1000,,NaN,43.65,-88.2,43.65,-88.2,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A tree down on power lines." +117701,707836,WISCONSIN,2017,June,Thunderstorm Wind,"SHEBOYGAN",2017-06-14 14:40:00,CST-6,2017-06-14 14:50:00,0,0,0,0,8.00K,8000,,NaN,43.65,-88.1,43.65,-88.1,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Scattered tree damage reported throughout the county but most concentrated in the Township of Mitchell." +117701,707838,WISCONSIN,2017,June,Thunderstorm Wind,"SHEBOYGAN",2017-06-14 14:52:00,CST-6,2017-06-14 15:00:00,0,0,0,0,5.00K,5000,,NaN,43.73,-88.03,43.73,-88.03,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Several power poles knocked down." +117701,707840,WISCONSIN,2017,June,Thunderstorm Wind,"SHEBOYGAN",2017-06-14 14:58:00,CST-6,2017-06-14 15:05:00,0,0,0,0,3.00K,3000,0.00K,0,43.75,-87.98,43.75,-87.98,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Several trees down." +117701,707841,WISCONSIN,2017,June,Thunderstorm Wind,"SHEBOYGAN",2017-06-14 14:58:00,CST-6,2017-06-14 15:05:00,0,0,0,0,5.00K,5000,,NaN,43.76,-87.94,43.76,-87.94,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Tractor trailer overturned by straight-line winds." +117333,707540,INDIANA,2017,June,Thunderstorm Wind,"WHITLEY",2017-06-13 16:42:00,EST-5,2017-06-13 16:43:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-85.67,41.06,-85.67,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Emergency management officials reported tree damage on River Road." +117333,707541,INDIANA,2017,June,Thunderstorm Wind,"WHITLEY",2017-06-13 16:43:00,EST-5,2017-06-13 16:44:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-85.66,41.06,-85.66,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Emergency management officials reported power lines down on West County Road 700 South between 850 West and 900 West." +117333,707542,INDIANA,2017,June,Thunderstorm Wind,"WHITLEY",2017-06-13 16:49:00,EST-5,2017-06-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-85.63,41.09,-85.63,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Emergency management officials reported tree damage on County Road 500 South, just west of State Route 5. Trees were reported to be large and healthy." +117333,707543,INDIANA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-14 17:25:00,EST-5,2017-06-14 17:26:00,0,0,0,0,0.00K,0,0.00K,0,41.22,-86.27,41.22,-86.27,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Law enforcement officials reported a large tree was blown down. DOWN." +117333,707544,INDIANA,2017,June,Thunderstorm Wind,"GRANT",2017-06-14 18:03:00,EST-5,2017-06-14 18:04:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-85.82,40.51,-85.82,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Trained spotters reported trees and power lines down in the area." +117333,707545,INDIANA,2017,June,Thunderstorm Wind,"ELKHART",2017-06-13 13:34:00,EST-5,2017-06-13 13:35:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-85.71,41.67,-85.71,"A lake breeze developed and worked inland, providing the focus for widely scattered thunderstorm development. Storms were pulse in nature with cell intensification aided at times by boundary interactions or mergers. Isolated damage reports were received. Video footage of a possible gustnado was received in the Milford area in Kosciusko county.","Amateur radio operators estimated wind gusts to 60 mph. No signs of damage in the area." +115462,693334,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:38:00,MST-7,2017-06-12 14:38:00,0,0,0,0,,NaN,,NaN,40.64,-104.85,40.64,-104.85,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693335,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:43:00,MST-7,2017-06-12 14:43:00,0,0,0,0,,NaN,,NaN,40.7,-104.78,40.7,-104.78,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693336,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:45:00,MST-7,2017-06-12 14:45:00,0,0,0,0,,NaN,,NaN,40.62,-104.91,40.62,-104.91,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693365,NORTH DAKOTA,2017,June,Hail,"OLIVER",2017-06-10 00:40:00,CST-6,2017-06-10 00:43:00,0,0,0,0,0.00K,0,0.00K,0,47.1,-101.44,47.1,-101.44,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693366,NORTH DAKOTA,2017,June,Thunderstorm Wind,"MORTON",2017-06-10 00:45:00,CST-6,2017-06-10 00:50:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-101.28,46.88,-101.28,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Thunderstorm wind gusts to 70 mph were estimated by a National Weather Service employee." +115458,693367,NORTH DAKOTA,2017,June,Hail,"OLIVER",2017-06-10 00:48:00,CST-6,2017-06-10 00:51:00,0,0,0,0,0.00K,0,0.00K,0,47.11,-101.3,47.11,-101.3,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117898,708550,ALABAMA,2017,June,Flash Flood,"MOBILE",2017-06-06 20:37:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5317,-88.3548,30.5,-88.23,"Heavy rain developed across southwest Alabama and produced flooding.","A vehicle stalled in high water on Argyle Road just south of Tom Waller Road." +117898,709792,ALABAMA,2017,June,Flash Flood,"BALDWIN",2017-06-07 00:00:00,CST-6,2017-06-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6224,-87.58,30.5636,-87.5281,"Heavy rain developed across southwest Alabama and produced flooding.","Minor flooding reported at the Riverside RV resort." +117612,707279,TEXAS,2017,June,Hail,"RANDALL",2017-06-08 19:43:00,CST-6,2017-06-08 19:43:00,0,0,0,0,0.00K,0,0.00K,0,35.14,-101.86,35.14,-101.86,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707280,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:46:00,CST-6,2017-06-08 19:46:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-101.84,35.16,-101.84,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Hail occurred at 58th and Washington." +117612,707282,TEXAS,2017,June,Hail,"POTTER",2017-06-08 19:49:00,CST-6,2017-06-08 19:49:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.82,35.2,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Quarter to half dollar sized hail reported." +117612,707283,TEXAS,2017,June,Hail,"RANDALL",2017-06-08 19:59:00,CST-6,2017-06-08 19:59:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-101.85,35.04,-101.85,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Six to 8 inches of hail covering both sides of Washington just north of Camp Don Harrington." +117612,707284,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:47:00,CST-6,2017-06-08 20:12:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.82,35.11,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","A damage survey conducted determined that a microburst associated with a severe thunderstorm caused damage associated with approximately 90MPH winds." +117951,709035,TEXAS,2017,June,Thunderstorm Wind,"OLDHAM",2017-06-25 21:25:00,CST-6,2017-06-25 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-102.21,35.21,-102.21,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +117951,709036,TEXAS,2017,June,Thunderstorm Wind,"DEAF SMITH",2017-06-25 21:55:00,CST-6,2017-06-25 21:55:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-102.33,34.86,-102.33,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +117951,709037,TEXAS,2017,June,Thunderstorm Wind,"ARMSTRONG",2017-06-25 22:14:00,CST-6,2017-06-25 22:14:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-101.19,35.03,-101.19,"Decent chance for storms to develop and move across the majority of the area overnight. Due to the increased instability and better shear today, stronger storms expected. Severe storms with large hail and damaging winds being the primary threats. One storm became a flash flooding issue for typical poor drainage along I-40 in Amarillo.","" +115496,694867,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CAMBRIA",2017-06-15 17:22:00,EST-5,2017-06-15 17:22:00,0,0,0,0,3.00K,3000,0.00K,0,40.3104,-78.9081,40.3104,-78.9081,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires on Ash Street." +115496,694870,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BLAIR",2017-06-15 18:25:00,EST-5,2017-06-15 18:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.6901,-78.331,40.6901,-78.331,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across a roadway." +115496,699147,PENNSYLVANIA,2017,June,Flash Flood,"BLAIR",2017-06-15 20:54:00,EST-5,2017-06-15 22:15:00,0,0,0,0,0.00K,0,0.00K,0,40.3957,-78.3837,40.3772,-78.4644,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","Heavy rain produced an earth slide on Dunnings Highway near Showalters Road." +115496,699148,PENNSYLVANIA,2017,June,Flash Flood,"CENTRE",2017-06-16 16:15:00,EST-5,2017-06-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9349,-77.655,40.9284,-77.6727,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","Flash flooding occurred, impacting Zion Back Road in Walker Township." +117107,709371,VIRGINIA,2017,June,Heavy Rain,"AMHERST",2017-06-15 17:50:00,EST-5,2017-06-15 20:15:00,0,0,0,0,0.00K,0,0.00K,0,37.6005,-79.0758,37.6005,-79.0758,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","A storm spotter reported 3.50 inches of rain in about 2.5 hours." +117751,707978,MICHIGAN,2017,June,Thunderstorm Wind,"MONROE",2017-06-22 18:12:00,EST-5,2017-06-22 18:12:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-83.39,42.06,-83.39,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Numerous trees and power lines reported down." +117751,707979,MICHIGAN,2017,June,Thunderstorm Wind,"WAYNE",2017-06-22 18:55:00,EST-5,2017-06-22 18:55:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-83.38,42.28,-83.38,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Multiple power lines and 8.5 inch diameter tree reported down." +117751,709480,MICHIGAN,2017,June,Thunderstorm Wind,"WAYNE",2017-06-22 18:40:00,EST-5,2017-06-22 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-83.16,42.24,-83.16,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Power lines reported down." +117751,709481,MICHIGAN,2017,June,Thunderstorm Wind,"WAYNE",2017-06-22 18:55:00,EST-5,2017-06-22 18:55:00,0,0,0,0,0.50K,500,0.00K,0,42.3,-83.35,42.3,-83.35,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Gas station sign blown out." +119057,716726,MISSOURI,2017,July,Thunderstorm Wind,"CLAY",2017-07-22 21:42:00,CST-6,2017-07-22 21:45:00,0,0,0,0,,NaN,,NaN,39.13,-94.56,39.13,-94.56,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Numerous trees of unknown size or condition were down near North Kansas City." +117765,708089,NEW MEXICO,2017,August,Hail,"UNION",2017-08-14 15:25:00,MST-7,2017-08-14 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-103.49,36.52,-103.49,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Nickel size hail accumulated along highway near Mount Dora. Traffic stopped in white out conditions with heavy rainfall." +117765,708090,NEW MEXICO,2017,August,Funnel Cloud,"UNION",2017-08-14 15:28:00,MST-7,2017-08-14 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-103.15,36.45,-103.15,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Observer reported funnel cloud developing with strongly rotating wall cloud over Clayton." +117453,709543,IOWA,2017,June,Tornado,"WARREN",2017-06-28 16:54:00,CST-6,2017-06-28 16:57:00,0,0,0,0,10.00K,10000,1.00K,1000,41.3348,-93.3588,41.3364,-93.3284,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Tornado developed in far eastern Warren County and hit a farmstead along the county line road with Marion County, producing EF1 damage at the site. The tornado then moved into Marion County." +118100,709788,NEW JERSEY,2017,June,Thunderstorm Wind,"BERGEN",2017-06-19 16:30:00,EST-5,2017-06-19 16:30:00,0,0,0,0,3.00K,3000,,NaN,40.8236,-74.102,40.8236,-74.102,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Bergen County.","A tree limb fell on a car along Feronia Way in Rutherford." +118100,709789,NEW JERSEY,2017,June,Thunderstorm Wind,"UNION",2017-06-19 15:34:00,EST-5,2017-06-19 15:34:00,0,0,0,0,,NaN,,NaN,40.675,-74.175,40.675,-74.175,"An approaching upper level shortwave and associated surface cold front triggered isolated severe thunderstorms in Bergen County.","A 63 mph wind gust was measured at Newark-Liberty International Airport." +118076,709662,NEW YORK,2017,June,Hail,"ORANGE",2017-06-13 17:55:00,EST-5,2017-06-13 17:55:00,0,0,0,0,,NaN,,NaN,41.3855,-74.2,41.32,-74.2,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","Nickel size hail was reported from south of Blooming Grove to Monroe." +118076,709664,NEW YORK,2017,June,Hail,"ORANGE",2017-06-13 18:08:00,EST-5,2017-06-13 18:08:00,0,0,0,0,,NaN,,NaN,41.3669,-74.1773,41.32,-74.2,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","Dime to quarter size hail was reported from South Blooming Grove to Monroe." +118076,709667,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-13 18:00:00,EST-5,2017-06-13 18:00:00,0,0,0,0,7.50K,7500,,NaN,41.342,-74.1689,41.342,-74.1689,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","Numerous trees were reported down across the Village of Kiryas Joel." +118076,709668,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-13 18:03:00,EST-5,2017-06-13 18:03:00,0,0,0,0,7.50K,7500,,NaN,41.35,-74.13,41.35,-74.13,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","Numerous trees were reported down southwest of Woodbury." +118076,709670,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-13 18:58:00,EST-5,2017-06-13 18:58:00,0,0,0,0,1.50K,1500,,NaN,41.2079,-74.2082,41.2079,-74.2082,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","A tree was reported down in Tuxedo Park near the intersection of Mountain Farm and West Lake Roads." +118108,709820,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 16:39:00,EST-5,2017-06-30 16:39:00,0,0,0,0,10.00K,10000,,NaN,41.4482,-74.0508,41.4482,-74.0508,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","A tree fell onto a house on South Jacqueline Street in Firthcliffe Heights." +118108,709824,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 16:41:00,EST-5,2017-06-30 16:41:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-74.06,41.44,-74.05,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","A microburst occurred in Cornwall, downing several large hardwood trees, some falling on power lines, a house and a shed. The microburst was confined to an area bounded by Jacquelin Street, Briarcliff Place, Mill Street and Bede Terrace. One tree was sheared off just above the ground. Wind speeds were estimated to be between 86-96 mph with the microburst, with a maximum path width of 1/4 mile and a path length of one mile." +115430,697120,MINNESOTA,2017,June,Hail,"KANDIYOHI",2017-06-11 06:20:00,CST-6,2017-06-11 06:20:00,0,0,0,0,0.00K,0,0.00K,0,45.1,-94.95,45.1,-94.95,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117877,708432,SOUTH DAKOTA,2017,June,Hail,"BUFFALO",2017-06-13 16:14:00,CST-6,2017-06-13 16:14:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-99.45,44.06,-99.45,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708435,SOUTH DAKOTA,2017,June,Hail,"BROWN",2017-06-13 17:00:00,CST-6,2017-06-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,45.4,-98.31,45.4,-98.31,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708434,SOUTH DAKOTA,2017,June,Hail,"EDMUNDS",2017-06-13 16:31:00,CST-6,2017-06-13 16:31:00,0,0,0,0,,NaN,,NaN,45.3,-99.68,45.3,-99.68,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,708436,SOUTH DAKOTA,2017,June,Hail,"FAULK",2017-06-13 17:06:00,CST-6,2017-06-13 17:06:00,0,0,0,0,0.00K,0,0.00K,0,44.99,-99.08,44.99,-99.08,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710085,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:25:00,CST-6,2017-06-13 19:25:00,0,0,0,0,,NaN,0.00K,0,45.91,-96.89,45.91,-96.89,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Ninety mph winds or higher took the roof off of a barn." +117877,710086,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:28:00,CST-6,2017-06-13 19:28:00,0,0,0,0,,NaN,0.00K,0,45.92,-96.87,45.92,-96.87,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Several trees were snapped by estimated eighty mph winds." +117877,710088,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,0.00K,0,45.92,-96.86,45.92,-96.86,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Ninety mph winds or higher uprooted several trees along with denting several grain bins." +117877,710087,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,0.00K,0,0.00K,0,45.91,-96.88,45.91,-96.88,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Several trees were uprooted by estimated ninety mph winds." +114222,685761,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:11:00,CST-6,2017-03-06 20:15:00,0,0,0,0,,NaN,,NaN,39.11,-94.38,39.11,-94.38,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115942,696672,NORTH DAKOTA,2017,June,Tornado,"CAVALIER",2017-06-09 17:09:00,CST-6,2017-06-09 17:12:00,0,0,0,0,,NaN,10.00K,10000,48.91,-98.56,48.8806,-98.5088,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A tornado engulfed in downburst winds and hail tracked near Wales, snapping numerous tree limbs in shelterbelts along its path. Nearby fields were stripped of crops by wind driven hail. Peak winds were estimated at 85 mph." +116037,697393,MINNESOTA,2017,June,Hail,"CLAY",2017-06-17 13:15:00,CST-6,2017-06-17 13:20:00,0,0,0,0,0.00K,0,200.00K,200000,46.84,-96.34,46.84,-96.34,"A thunderstorm cell formed over northern Cass County in North Dakota during the early afternoon of June 17th. The storm tracked east-southeast and passed to the north of the Fargo-Moorhead area, and straight into central Clay County in Minnesota, where it dropped quarter sized hail near Hawley.","A video showed large hail and stripped crops near Silver Lake." +115431,699050,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:25:00,CST-6,2017-06-11 08:25:00,0,0,0,0,0.00K,0,0.00K,0,45.08,-92.54,45.08,-92.54,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +120869,724316,WISCONSIN,2017,December,Strong Wind,"ROCK",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724317,WISCONSIN,2017,December,Strong Wind,"WALWORTH",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724318,WISCONSIN,2017,December,Strong Wind,"WASHINGTON",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724320,WISCONSIN,2017,December,High Wind,"MILWAUKEE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Mostly minor to modest tree damage but with a small amount of more significant tree damage such as uprooting." +120869,724321,WISCONSIN,2017,December,High Wind,"RACINE",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Mostly minor to modest tree damage but with a small amount of more significant tree damage such as uprooting." +120869,724322,WISCONSIN,2017,December,High Wind,"KENOSHA",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Mostly minor to modest tree damage but with a small amount of more significant tree damage such as uprooting." +120869,724323,WISCONSIN,2017,December,High Wind,"GREEN",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Mostly minor to modest tree damage but with a small amount of more significant tree damage such as uprooting." +122120,731032,KANSAS,2017,December,Winter Weather,"SHERMAN",2017-12-21 07:00:00,MST-7,2017-12-21 07:00:00,0,1,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"During the day freezing drizzle moved through, coating surfaces with a few hundredths of an inch of ice. The icy roads lead to numerous slide offs, rollovers, and accidents. There were two injury accidents, one in Sherman County and one in Thomas County.","An injury accident occurred at exit 9 on I-70 in the morning from a vehicle rolling over due to the icy roadway. Estimated the time in the morning of the accident." +116394,699917,TEXAS,2017,June,Thunderstorm Wind,"STONEWALL",2017-06-30 19:05:00,CST-6,2017-06-30 19:05:00,0,0,0,0,5.00K,5000,0.00K,0,33.14,-100.22,33.14,-100.22,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Law enforcement reported some roof damage to the high school's gym." +116394,699918,TEXAS,2017,June,Thunderstorm Wind,"STONEWALL",2017-06-30 19:24:00,CST-6,2017-06-30 19:24:00,0,0,0,0,0.00K,0,0.00K,0,33.14,-100.22,33.14,-100.22,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","The second severe storm within 20 minutes in Aspermont produced a round of more widespread damaging winds. Several small tree limbs were downed in the area." +117673,707642,SOUTH DAKOTA,2017,June,Hail,"CLARK",2017-06-11 03:38:00,CST-6,2017-06-11 03:38:00,0,0,0,0,,NaN,,NaN,44.96,-97.58,44.96,-97.58,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +119057,716733,MISSOURI,2017,July,Thunderstorm Wind,"SALINE",2017-07-22 22:55:00,CST-6,2017-07-22 22:58:00,0,0,0,0,,NaN,,NaN,39.12,-93.2,39.12,-93.2,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A large tree was down near Marshall." +117673,707644,SOUTH DAKOTA,2017,June,Hail,"HAMLIN",2017-06-11 04:25:00,CST-6,2017-06-11 04:25:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-97.12,44.58,-97.12,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707646,SOUTH DAKOTA,2017,June,Hail,"DEUEL",2017-06-11 04:30:00,CST-6,2017-06-11 04:30:00,0,0,0,0,,NaN,,NaN,44.87,-96.83,44.87,-96.83,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707647,SOUTH DAKOTA,2017,June,Hail,"GRANT",2017-06-11 04:30:00,CST-6,2017-06-11 04:30:00,0,0,0,0,,NaN,,NaN,45.06,-96.57,45.06,-96.57,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +116909,703052,WISCONSIN,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-11 11:36:00,CST-6,2017-06-11 11:36:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-89.3,45.78,-89.3,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm wind downed numerous trees and power lines." +116909,703050,WISCONSIN,2017,June,Thunderstorm Wind,"LANGLADE",2017-06-11 11:27:00,CST-6,2017-06-11 11:27:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-89.15,45.15,-89.15,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed trees and power lines in Antigo." +116909,703053,WISCONSIN,2017,June,Thunderstorm Wind,"SHAWANO",2017-06-11 11:40:00,CST-6,2017-06-11 11:40:00,0,0,0,0,0.00K,0,0.00K,0,44.86,-88.96,44.86,-88.96,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds snapped a tree limb in Bowler." +116909,703054,WISCONSIN,2017,June,Thunderstorm Wind,"FOREST",2017-06-11 11:45:00,CST-6,2017-06-11 11:45:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-88.68,45.56,-88.68,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed trees and power lines across Forest County. The time of this event is an estimate based on radar data." +118192,710291,SOUTH DAKOTA,2017,June,Hail,"HUGHES",2017-06-22 02:08:00,CST-6,2017-06-22 02:08:00,0,0,0,0,,NaN,,NaN,44.41,-100.28,44.41,-100.28,"An early morning storm system impacted parts of central and northeast South Dakota. While large hail fell in the Pierre area, parts of Hamlin and Deuel counties were the hardest hit experiencing winds over 80 mph along with large hail. Northwest of Castlewood, multiple power poles were downed blocking the intersection of Highways 81 and 22. In the city of Castlewood, winds caused structural and extensive tree damage, with wind-driven hail breaking windows and punching holes in siding. The assisted living center was evacuated due to damage on the north end of the building. Two of the residents at the center received minor injuries from broken glass. No travel was advised in the city due to debris blocking roadways. Further southeast, hail up to the size of golf balls damaged homes in the town of Astoria. Significant crop damage was also noted along the path of this storm.","" +117946,708983,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"ANDERSON",2017-06-13 16:35:00,EST-5,2017-06-13 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-82.54,34.72,-82.54,"Scattered to numerous thunderstorms developed during the afternoon and evening across Upstate South Carolina. A few storms reached severe levels for brief periods, producing localized wind damage and hail to the size of quarters.","Media reported several large trees uprooted or snapped along Wren School Road. Highway Patrol reported at least one more tree down nearby on Mountain Springs Rd." +117388,705996,CALIFORNIA,2017,February,Flood,"PLUMAS",2017-02-07 06:00:00,PST-8,2017-02-13 05:00:00,0,0,0,0,2.00M,2000000,0.00K,0,39.7497,-120.6108,39.7901,-120.656,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","The Middle Fork of the Feather River saw record flooding (a record crest at Portola on the 10th) and caused extensive structural damage in Portola, Clio, and downstream to Blairsden. Highway 89 was closed near Clio due to water over the road. Many schools were closed on the 9th in the Portola area and along the Feather River. Damage estimate only for repairs to Highway 89 (per a CALTRANS report) so actual flooding damage likely much higher." +115687,695512,WISCONSIN,2017,June,Hail,"EAU CLAIRE",2017-06-16 18:25:00,CST-6,2017-06-16 18:25:00,0,0,0,0,0.00K,0,0.00K,0,44.6,-90.96,44.6,-90.96,"An upper level disturbance in an unstable environment caused thunderstorms that produced hail up to the size of golf balls in West Central Wisconsin. The same disturbance caused localized severe wind in South Central Minnesota.","" +115431,705709,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:10:00,CST-6,2017-06-11 08:10:00,0,0,0,0,0.00K,0,0.00K,0,44.98,-92.76,44.98,-92.76,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115431,705710,WISCONSIN,2017,June,Hail,"BARRON",2017-06-11 09:09:00,CST-6,2017-06-11 09:09:00,0,0,0,0,0.00K,0,0.00K,0,45.4,-91.85,45.4,-91.85,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115432,693110,MINNESOTA,2017,June,Thunderstorm Wind,"WASECA",2017-06-12 12:20:00,CST-6,2017-06-12 12:25:00,0,0,0,0,0.00K,0,0.00K,0,44.0597,-93.4925,44.0597,-93.4925,"Thunderstorms developed during the afternoon of Monday, June 12th in far southern Minnesota. These storms moved northeast and produced short-lived bow echoes in Blue Earth County, then east-northeast into Waseca, Steele, Rice and Goodhue Counties. Measured wind gusts of 58 to 62 mph occurred from the town of Morristown to the southwest part of Faribault. There were several trees blown down from Morristown, northeast to the city of Faribault. In addition, there were sporadic power outages and large amounts of blown down power lines and tree limbs.","The Minnesota Department of Transportation mesonet site at the southern edge of Waseca, along Highway 14, measured a wind gust of 63 mph. The first severe wind gust was 1220 LST at 59 mph, and continued to gust up to 63 mph through 1225 LST." +115687,695513,WISCONSIN,2017,June,Hail,"EAU CLAIRE",2017-06-16 18:27:00,CST-6,2017-06-16 18:27:00,0,0,0,0,0.00K,0,0.00K,0,44.61,-90.98,44.61,-90.98,"An upper level disturbance in an unstable environment caused thunderstorms that produced hail up to the size of golf balls in West Central Wisconsin. The same disturbance caused localized severe wind in South Central Minnesota.","" +115676,695515,MINNESOTA,2017,June,Thunderstorm Wind,"BLUE EARTH",2017-06-16 14:56:00,CST-6,2017-06-16 14:56:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-94.24,43.89,-94.24,"An upper level disturbance in an unstable environment caused thunderstorms that produced wind damage in South Central Minnesota. The same disturbance caused severe hail in West Central Wisconsin.","A few trees were blown down near Amboy." +115569,694455,MINNESOTA,2017,June,Hail,"STEVENS",2017-06-13 18:22:00,CST-6,2017-06-13 18:22:00,0,0,0,0,0.00K,0,0.00K,0,45.69,-96.01,45.69,-96.01,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","" +117159,710732,GEORGIA,2017,June,Flash Flood,"DE KALB",2017-06-20 00:30:00,EST-5,2017-06-20 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,33.9126,-84.2363,33.8614,-84.2033,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","Heavy rainfall resulted in flash flooding across northern DeKalb county, especially in areas along Nancy and Peachtree Creeks. The Emergency Manager reported residential water rescues occurred at locations on Warrenhall Lane along Nancy Creek. Flood waters also covered Bamby Lane along North Fork Peachtree Creek, and Cove Circle and Burch Circle in the Drew Valley Neighborhood. A smaller creek flowed out of its banks and inundated Dresden Road. A person was rescued near the intersection of Oakcliff Road and Pleasantdale Road after their vehicle stalled in approximately two feet of water. Portions of South Fork Peachtree Creek flooded, eroding the area around Plantation Park Apartments, resulting in a partial collapse of the foundation. No injuries were reported. Rainfall estimates indicate that widespread 3 to 6 inches of rain occurred over northern DeKalb county." +117388,707235,CALIFORNIA,2017,February,High Wind,"MONO",2017-02-09 07:30:00,PST-8,2017-02-09 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","Wind gusts between 60 and 82 mph were recorded along Highway 395 between Bridgeport and Crowley Lake on the 9th. According to the California Highway Patrol, two semi-trucks were blown over in Lee Vining with another blown over near the Mammoth airport." +117388,707561,CALIFORNIA,2017,February,High Wind,"SURPRISE VALLEY",2017-02-09 11:00:00,PST-8,2017-02-09 21:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two significant waves of precipitation associated with an atmospheric river brought heavy rain and higher elevation (mainly above 6500 feet) snowfall to northeast California. Widespread rainfall totals between 5 and 8 inches were reported between the 6th and 10th, with rainfall and/or liquid equivalent amounts up to between 10 and 16 inches near the northern Sierra crest. The rainfall brought widespread flooding to the region with several northeast California rivers coming out of their banks.","The Surprise Valley RAWS recorded gusts between 61 and 71 mph on the 9th." +117159,710734,GEORGIA,2017,June,Flash Flood,"FULTON",2017-06-20 13:30:00,EST-5,2017-06-20 16:30:00,0,0,0,0,20.00K,20000,0.00K,0,33.81,-84.38,33.809,-84.3716,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The Public and Broadcast Media reported flash flooding that resulted from heavy rain over the area. Flash Flooding inundated the Buford Connector near Monroe Drive and Armour Drive. Ottley Drive under the Marta service bridge was also flooded and impassable, leaving cars stranded. Radar estimates indicate that rainfall amounts of 4 to 5 inches occurred over the area." +117159,710735,GEORGIA,2017,June,Flash Flood,"GWINNETT",2017-06-20 13:50:00,EST-5,2017-06-20 17:00:00,0,0,0,0,12.00K,12000,0.00K,0,33.9388,-84.2531,33.9247,-84.2555,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The public reported that a parking lot on Mimms Road flooded, submerging cars. Radar estimates indicate that rainfall amounts of 3 to 4 inches occurred in the area." +118054,709762,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-12 13:07:00,EST-5,2017-06-12 13:07:00,0,0,0,0,,NaN,,NaN,26.2186,-81.8169,26.2186,-81.8169,"A line of showers and storms developing with the collision of the seabreezes along the Collier County coast produced a strong wind gust as they moved offshore.","WeatherBug mesonet site NPLSR measured a wind gust to 44 knots/51 mph with a thunderstorm." +122050,730664,IOWA,2017,December,Winter Weather,"LOUISA",2017-12-24 03:00:00,CST-6,2017-12-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","COOP observer reports in neighboring counties ranged from 1.5 inches in Washington, Washington County, to 1.7 inches 2 miles north of Muscatine in Muscatine County to 3.8 inches in West Burlington in Des Moines County." +122050,730665,IOWA,2017,December,Winter Weather,"MUSCATINE",2017-12-24 03:30:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports ranged from 1.1 inches 2 miles north of Muscatine to 1.6 inches 3 miles northwest." +122050,730666,IOWA,2017,December,Winter Weather,"CEDAR",2017-12-24 04:30:00,CST-6,2017-12-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports ranged from 1.3 inches at Lowden to 1.5 inches near Durant." +115431,699078,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:00:00,CST-6,2017-06-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,45.45,-92.04,45.45,-92.04,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","A few medium sized trees were downed and a greenhouse was blown over." +115431,699085,WISCONSIN,2017,June,Thunderstorm Wind,"BARRON",2017-06-11 09:15:00,CST-6,2017-06-11 09:15:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-91.74,45.5,-91.74,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Numerous small to large trees were downed." +117631,707958,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-18 13:33:00,EST-5,2017-06-18 13:40:00,0,0,0,0,10.00K,10000,0.00K,0,41.23,-80.57,41.23,-80.57,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed several trees in and around Brookfield." +117632,708169,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 13:14:00,EST-5,2017-06-18 13:14:00,0,0,0,0,1.00K,1000,0.00K,0,41.67,-80.33,41.67,-80.33,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree across a road in Summit Township." +117632,708170,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 13:14:00,EST-5,2017-06-18 13:14:00,0,0,0,0,1.00K,1000,0.00K,0,41.6891,-80.2048,41.6891,-80.2048,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +117632,708171,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 18:10:00,EST-5,2017-06-18 18:10:00,0,0,0,0,1.00K,1000,0.00K,0,41.63,-80.15,41.63,-80.15,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +117632,708172,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 18:05:00,EST-5,2017-06-18 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,41.73,-80.15,41.73,-80.15,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +117632,708173,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 13:55:00,EST-5,2017-06-18 13:55:00,0,0,0,0,12.00K,12000,0.00K,0,41.63,-79.98,41.63,-79.98,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed several trees." +117470,707702,ARKANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-23 17:05:00,CST-6,2017-06-23 17:05:00,0,0,1,0,0.00K,0,0.00K,0,34.24,-92.13,34.24,-92.13,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","One fatality occurred...when a tree was blown over onto a car. There were other people in the car but none of the others were hurt." +117509,706736,KANSAS,2017,June,Hail,"BUTLER",2017-06-26 19:13:00,CST-6,2017-06-26 19:15:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-97.13,38.05,-97.13,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","This was a delayed report of quarter to half dollar-sized hail. The time of the event is estimated from radar." +117509,706737,KANSAS,2017,June,Hail,"COWLEY",2017-06-26 21:03:00,CST-6,2017-06-26 21:05:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-97.04,37.13,-97.04,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","" +117509,706740,KANSAS,2017,June,Tornado,"SALINE",2017-06-26 17:20:00,CST-6,2017-06-26 17:22:00,0,0,0,0,,NaN,0.00K,0,38.8969,-97.5644,38.83,-97.47,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","Tractor trailers were flipped on I-70 at the Ohio Street Interchange. The time of the report is an approximation. The public reported the tornado to dispatch when east of Salina." +117811,708211,OHIO,2017,June,Thunderstorm Wind,"LUCAS",2017-06-22 17:01:00,EST-5,2017-06-22 17:04:00,0,0,0,0,75.00K,75000,0.00K,0,41.65,-83.3332,41.65,-83.3138,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms became severe.","Thunderstorm winds downed some trees, utility poles and large limbs east of Oregon in eastern Lucas County. The wind gusts also tore some metal roofing off a building." +117811,708208,OHIO,2017,June,Thunderstorm Wind,"WOOD",2017-06-22 16:40:00,EST-5,2017-06-22 16:40:00,0,0,0,0,60.00K,60000,0.00K,0,41.5153,-83.4631,41.5153,-83.4631,"An area of showers and thunderstorms developed along a warm front advancing north across the region. A couple of the thunderstorms became severe.","Thunderstorm wind gusts overturned a semi truck near the intersection of Interstate 280 and the Ohio Turnpike. No injuries were reported." +117816,708221,LAKE ERIE,2017,June,Waterspout,"AVON POINT TO WILLOWICK OH",2017-06-26 06:50:00,EST-5,2017-06-26 07:20:00,0,0,0,0,0.00K,0,0.00K,0,41.7937,-81.5,41.7937,-81.5,"Showers and thunderstorms developed over Lake Erie. Several waterspouts were reported.","Pilots flying over Lake Erie reported waterspouts 12 to 13 miles north of Willowick." +117910,708603,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-29 19:48:00,EST-5,2017-06-29 19:48:00,0,0,0,0,2.00K,2000,0.00K,0,41.18,-80.9608,41.18,-80.9608,"A warm front moved over northern Ohio causing a line of showers and thunderstorms to develop. Portions of the line became severe and a downburst caused a lot of damage in Stark County.","Thunderstorm winds downed a couple trees east of Newton Falls." +117913,708607,OHIO,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-30 18:13:00,EST-5,2017-06-30 18:13:00,0,0,0,0,50.00K,50000,0.00K,0,40.73,-82.78,40.7346,-82.7221,"A frontal system moved across northern Ohio causing showers and thunderstorms to develop. A couple of thunderstorms became severe.","Thunderstorm winds downed a few trees and leveled a small shed in Galion. A barn on Millsboro Road just west of the Richland County line was also damaged. A home nearby sustained damage from a fallen tree. Many trees were also reported down along Blooming Grove Road." +117509,706768,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 20:33:00,CST-6,2017-06-26 20:35:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-97.03,37.39,-97.03,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The trained spotter reported limbs 4 to 6 inches in diameter were downed at the Kansas Highway 15/U.S. Highway 77 intersection." +117509,706785,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 21:12:00,CST-6,2017-06-26 21:15:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-97.04,37.07,-97.04,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The emergency manager reported limbs 4 to 6 inches in diameter were downed. The time of the event is an approximation." +115431,699088,WISCONSIN,2017,June,Thunderstorm Wind,"CHIPPEWA",2017-06-11 09:55:00,CST-6,2017-06-11 09:55:00,0,0,0,0,0.00K,0,0.00K,0,44.96,-90.94,44.96,-90.94,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Trees were blown down." +117509,706786,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-26 17:40:00,CST-6,2017-06-26 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-97.43,38.71,-97.43,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","There were no reports of damage." +117509,706790,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 20:27:00,CST-6,2017-06-26 20:30:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-97.04,37.39,-97.04,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The trained spotter estimated 55 to 60 mph gusts." +117509,706795,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 20:45:00,CST-6,2017-06-26 20:48:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-96.97,37.28,-96.97,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The trained spotter estimated 65 to 70 mph winds." +117509,706800,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 20:59:00,CST-6,2017-06-26 21:02:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-97.04,37.13,-97.04,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","No damage was reported." +117723,708707,ALABAMA,2017,June,Tornado,"ESCAMBIA",2017-06-21 14:08:00,CST-6,2017-06-21 14:09:00,0,0,0,0,,NaN,0.00K,0,31.0563,-86.8075,31.068,-86.8119,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A brief tornado touchdown occurred in the Conecuh National Forest. The first observed point of damage was on Beaver Creek Road just south of Bradley Road. The tornado may have started farther to the southeast, but that area was not accessible. The tornado tracked northwest across Bradley Road and lifted. Tree damage was observed|along the path. The tornado was rated an EF-0 with estimated peak winds of 75 mph." +117723,708709,ALABAMA,2017,June,Tornado,"CLARKE",2017-06-21 19:35:00,CST-6,2017-06-21 19:36:00,0,0,0,0,25.00K,25000,0.00K,0,31.6501,-87.6558,31.6516,-87.6573,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A brief EF-0 tornado touched down on a private hunting cap just west of Amityville Road. The tornado damaged a 100 to 150 pine trees along its short path." +117723,709930,ALABAMA,2017,June,High Surf,"LOWER BALDWIN",2017-06-21 09:30:00,CST-6,2017-06-21 09:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A 10 year old boy was killed in Fort Morgan when a large wave knocked a beach log on top of him." +117723,709932,ALABAMA,2017,June,Rip Current,"LOWER BALDWIN",2017-06-23 13:00:00,CST-6,2017-06-23 13:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A 57 year old man drowned while attempting to rescue children who were in distress near Fort Morgan." +118305,710932,ARIZONA,2017,June,Wildfire,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-06-07 16:45:00,MST-7,2017-06-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Bowie Fire ignited on June 7th and burned over 3,000 acres before containment was achieved on June 14th.","The lightning caused Bowie Fire started on June 7th on the northwest side of the Chiricahua Mountains near Fort Bowie and was spread by gusty winds. The Fort Bowie National Historic Site was closed due to the fire and the Diamond Mountain Retreat Center was evacuated. A total of 3,036 acres burned." +117723,710026,ALABAMA,2017,June,Storm Surge/Tide,"LOWER MOBILE",2017-06-20 10:30:00,CST-6,2017-06-20 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flooding was reported in low lying areas on the west end of Dauphin Island." +118126,709895,FLORIDA,2017,June,Tornado,"OKALOOSA",2017-06-21 05:18:00,CST-6,2017-06-21 05:20:00,0,0,0,0,40.00K,40000,0.00K,0,30.4122,-86.592,30.441,-86.6178,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across the western Florida Panhandle was from heavy rain and flooding. Storm total rainfall ranged from 5 to 10 inches across much of the western Florida Panhandle. The top rainfall report was from NAS Whiting Field which measured 9.46 inches. Based on radar estimates, up to a foot of rain likely fell in parts of eastern Santa Rosa County, but there were no gauge reports available from that area. The heavy rain resulted in periods of flash flooding. ||Minor coastal flooding was observed, particularly on Highway 399 in Santa Rosa County. Maximum inundation was just above 2 feet MHHW based on the Pensacola Bay tidal gauge. ||One EF-0 tornado occurred in southern Okaloosa County.","The EF-0 tornado first touched down near Hollywood Blvd NE and tracked two and a half miles northeast, ending near the Falcon House Apartments. The path was non continuous and at times the only visible damage was at tree top level. The tornado produced roof damage to a couple of homes, along with damage to oak and pine trees. The tornado was near its strongest point as it moved over Ferry Park and produced damage at a baseball field. Damage values are estimated." +117157,707185,GEORGIA,2017,June,Thunderstorm Wind,"FLOYD",2017-06-15 16:00:00,EST-5,2017-06-15 16:10:00,0,0,0,0,4.00K,4000,,NaN,34.1212,-85.1882,34.1829,-85.1786,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Floyd County Emergency Manager reported trees blown down from around the intersection of Doyle Road and Reeceburg Road to Van Tressel Drive." +117157,707100,GEORGIA,2017,June,Thunderstorm Wind,"BARTOW",2017-06-15 16:25:00,EST-5,2017-06-15 16:35:00,0,0,0,0,20.00K,20000,,NaN,34.216,-84.8357,34.1901,-84.8139,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","Reports were received from the Bartow County 911 center and on social media of trees and power lines blown down on the northwest side of Cartersville. Locations include Heritage Cove where a tree fell on a house, Little Valley Drive at Highway 41 and around Grassdale Road and Cassville Road. No injuries were reported." +117157,707189,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-15 16:30:00,EST-5,2017-06-15 16:35:00,0,0,0,0,1.00K,1000,,NaN,34.3441,-84.3865,34.3441,-84.3865,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Cherokee County Emergency Manager reported a tree blown down near the intersection of Mineral Springs Road and Purcell Free Lane." +117157,707113,GEORGIA,2017,June,Thunderstorm Wind,"GWINNETT",2017-06-15 16:40:00,EST-5,2017-06-15 16:55:00,0,0,0,0,30.00K,30000,,NaN,33.9558,-84.1072,34.0284,-83.9865,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Gwinnett County Emergency Manager reported numerous trees and a few power lines blown down northwest of Lawrenceville. Locations include North Fork Court where a tree fell on a house, Breckinridge Boulevard and Newpoint Place, Azalea Drive where a tree fell on a house, Weatherwood Trace where a tree fell on a house, Azalea Drive and Camp Perrin Road, Deer Run Road and The Circle, and between Village OaksLane and Gatewood Drive. No injuries were reported." +117157,707121,GEORGIA,2017,June,Thunderstorm Wind,"DE KALB",2017-06-15 16:55:00,EST-5,2017-06-15 17:20:00,0,0,0,0,10.00K,10000,,NaN,33.6578,-84.2802,33.6691,-84.1835,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The DeKalb County 911 center reported numerous trees blown down across the southern end of the county. Locations include Oakvale Road at Panthersville Road, Flakes Mill Road at Brookstone Road, Dogwood Farms Drive and Tarragon Drive, Dogwood Farms Road and Highway 155, Browns Mill Road east of Highway 155, and Snapfinger Road at River Road." +117162,704774,GEORGIA,2017,June,Thunderstorm Wind,"HARALSON",2017-06-23 17:35:00,EST-5,2017-06-23 17:45:00,0,0,0,0,4.00K,4000,,NaN,33.8729,-85.2179,33.8729,-85.2179,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Haralson County 911 center reported trees blown down along Highway 27 between Mormon Church Road and Harpers Creek Road." +117162,704769,GEORGIA,2017,June,Thunderstorm Wind,"POLK",2017-06-23 17:20:00,EST-5,2017-06-23 17:35:00,0,0,0,0,3.00K,3000,,NaN,33.9421,-85.3881,34.0241,-85.2581,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Polk County 911 center reported trees blown down from Esom Hill to Cedartown including on Treat Mountain Road between Culp Lake Road and Diamond Road and on Jule Peek Avenue." +117162,704773,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 17:35:00,EST-5,2017-06-23 17:45:00,0,0,0,0,10.00K,10000,,NaN,34.2537,-84.6315,34.3555,-84.4914,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Cherokee County Emergency Manager reported numerous trees blown down across northwest Cherokee County from around Sutallee to northeast of Waleska. Locations include White Road at Mount Olive Church Road, Reinhardt College Parkway right before Salacoa Road, near the intersection of Puckett Road and Fincher Road, near the intersection of Lake Arrowhead Drive and Indian Ridge Way, and near the intersection of Pittman Road and Dixon Road." +117162,704777,GEORGIA,2017,June,Thunderstorm Wind,"PAULDING",2017-06-23 18:10:00,EST-5,2017-06-23 18:20:00,0,0,0,0,5.00K,5000,,NaN,33.96,-84.79,33.96,-84.79,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Paulding County Emergency Manager reported trees and power lines blown down near the intersection of Old Cartersville Road and Dallas Acworth Highway. Multiple reports of power outages were received in this area as well." +117162,704780,GEORGIA,2017,June,Thunderstorm Wind,"COBB",2017-06-23 18:48:00,EST-5,2017-06-23 18:53:00,0,0,0,0,1.00K,1000,,NaN,33.9981,-84.6522,33.9981,-84.6522,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The public reported a tree blown down near the intersection of Stilesboro Road and Paul Samuel Road." +115602,694330,KENTUCKY,2017,June,Flash Flood,"NELSON",2017-06-18 15:40:00,EST-5,2017-06-18 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.9,-85.31,37.8987,-85.3058,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Law enforcement reported that parts of Highway 62 south of Bloomfield became impassable due to flash flooding and was briefly closed." +115602,694333,KENTUCKY,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-18 15:54:00,EST-5,2017-06-18 15:54:00,0,0,0,0,15.00K,15000,0.00K,0,38.19,-84.87,38.19,-84.87,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Local broadcast media reported trees and power poles snapped." +115602,694334,KENTUCKY,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-18 15:58:00,EST-5,2017-06-18 15:58:00,0,0,0,0,,NaN,0.00K,0,38.05,-84.73,38.05,-84.73,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Local media reported trees down in the area." +115602,694335,KENTUCKY,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-18 16:02:00,EST-5,2017-06-18 16:02:00,0,0,0,0,12.00K,12000,0.00K,0,38.1118,-84.5194,38.1118,-84.5194,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Local media reported trees and power lines down on Georgetown Road." +115602,694336,KENTUCKY,2017,June,Thunderstorm Wind,"MADISON",2017-06-18 16:39:00,EST-5,2017-06-18 16:39:00,0,0,0,0,,NaN,0.00K,0,37.74,-84.33,37.74,-84.33,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","State officials reported trees down west of Richmond." +115602,694337,KENTUCKY,2017,June,Thunderstorm Wind,"CLARK",2017-06-18 16:50:00,EST-5,2017-06-18 16:50:00,0,0,0,0,,NaN,0.00K,0,38.0845,-84.1752,38.0845,-84.1752,"A very unstable and humid air mass interacted with a passing cold front during the afternoon hours on June 18. This sparked a round of strong to severe thunderstorms which brought locally damaging winds to parts of the Bluegrass region. In addition, the very moist air mass resulted in heavy rain and localized flash flooding.","Local law enforcement reported downed trees blocking portions of Highway 627 near the Bourbon County line." +115703,702404,KENTUCKY,2017,June,Flash Flood,"HARDIN",2017-06-23 18:30:00,EST-5,2017-06-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-85.9,37.6602,-85.8891,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Westbound lanes of the Western Kentucky Parkway at mile marker 133 were blocked due to high water. Traffic was rerouted off the road as a result." +115703,702406,KENTUCKY,2017,June,Flash Flood,"NICHOLAS",2017-06-23 18:30:00,EST-5,2017-06-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-84.03,38.3164,-84.0346,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","The Nicholas County emergency manager reported many closed roads across the county and water in some homes." +115703,702405,KENTUCKY,2017,June,Flash Flood,"NELSON",2017-06-23 18:30:00,EST-5,2017-06-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-85.51,37.8121,-85.4951,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Officials reported multiple roads closed to high water including Boston Road and Bloomfield Road." +118357,711281,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:30:00,CST-6,2017-06-20 14:30:00,0,0,0,0,,NaN,,NaN,38.48,-100.95,38.48,-100.95,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711282,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:36:00,CST-6,2017-06-20 14:36:00,0,0,0,0,,NaN,,NaN,38.54,-100.94,38.54,-100.94,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711283,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:41:00,CST-6,2017-06-20 14:41:00,0,0,0,0,,NaN,,NaN,38.48,-100.91,38.48,-100.91,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711284,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:42:00,CST-6,2017-06-20 14:42:00,0,0,0,0,,NaN,,NaN,38.49,-100.88,38.49,-100.88,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711285,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:47:00,CST-6,2017-06-20 14:47:00,0,0,0,0,,NaN,,NaN,38.49,-100.91,38.49,-100.91,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +115563,703774,NEBRASKA,2017,June,Hail,"POLK",2017-06-16 18:28:00,CST-6,2017-06-16 18:28:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-97.66,41.28,-97.66,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703775,NEBRASKA,2017,June,Hail,"YORK",2017-06-16 18:33:00,CST-6,2017-06-16 18:33:00,0,0,0,0,0.00K,0,0.00K,0,40.7934,-97.7927,40.7934,-97.7927,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703780,NEBRASKA,2017,June,Hail,"FILLMORE",2017-06-16 19:00:00,CST-6,2017-06-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-97.4882,40.65,-97.4882,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703781,NEBRASKA,2017,June,Hail,"YORK",2017-06-16 19:33:00,CST-6,2017-06-16 19:33:00,0,0,0,0,0.00K,0,0.00K,0,40.9166,-97.3969,40.9166,-97.3969,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703785,NEBRASKA,2017,June,Hail,"FILLMORE",2017-06-16 20:35:00,CST-6,2017-06-16 20:41:00,0,0,0,0,0.00K,0,0.00K,0,40.3791,-97.3963,40.4034,-97.5273,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703787,NEBRASKA,2017,June,Hail,"THAYER",2017-06-16 20:50:00,CST-6,2017-06-16 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-97.551,40.34,-97.551,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115713,703877,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-20 20:22:00,CST-6,2017-06-20 20:22:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-98.53,40.1,-98.53,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","" +115716,703760,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-21 19:30:00,CST-6,2017-06-21 19:38:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-99.77,40.2493,-99.8102,"Isolated to scattered thunderstorm activity rumbled across mainly southwestern and far northern portions of South Central Nebraska on this Wednesday evening, resulting in a few instances of marginally severe hail and winds. The majority of ground-truth reports were from the Edison area of Furnas County, including nickel to ping pong ball size hail and estimated 60 MPH winds. Meanwhile, a completely separate, isolated storm to the north in Valley County dropped quarter size hail near Fort Hartsuff State Park. ||Timing-wise, the first storms of the day to affect South Central Nebraska developed between 5-7 p.m. CDT, consisting of a smattering of non-severe multicells roaming mainly the far western counties of Dawson, Gosper and Furnas. During the next few hours this activity strengthened somewhat, yielding the aforementioned reports near Edison as it also gradually morphed into a rather compact, east-southeast propagating linear complex. Between 10 p.m. and midnight CDT, this storm complex drifted through mainly Harlan, Franklin and Webster counties before departing into far northern Kansas, likely producing gusty winds and small hail along the way but resulting in no additional severe-criteria reports. Farther north, the Valley County storm was severe only briefly, moving in out of Custer County around 9 p.m. CDT and weakening/dissipating within an hour. ||Despite the occurrence of a few severe storms, this setup held the potential to be a bit more active than it turned out to be. However, factors working against more widespread severe weather ultimately outweighed the more favorable ones. More specifically, the coverage and intensity of severe storms was likely mitigated in part by: 1) rather warm air aloft and resultant capping, as evidenced by 700 millibar temperatures in the 13-16 C range...2) Fairly weak deep layer wind shear only around 30 knots. On the flip side, there was considerable instability to work with, as hot afternoon temperatures in the mid-upper 90s F combined with dewpoints well into the 60s to create mixed layer CAPE of 2000-4000 J/kg. At the surface, storms initiated along a north-south oriented trough axis stretched from central Nebraska into northwest Kansas.","" +115716,703761,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-21 19:35:00,CST-6,2017-06-21 19:35:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-99.8079,40.28,-99.8079,"Isolated to scattered thunderstorm activity rumbled across mainly southwestern and far northern portions of South Central Nebraska on this Wednesday evening, resulting in a few instances of marginally severe hail and winds. The majority of ground-truth reports were from the Edison area of Furnas County, including nickel to ping pong ball size hail and estimated 60 MPH winds. Meanwhile, a completely separate, isolated storm to the north in Valley County dropped quarter size hail near Fort Hartsuff State Park. ||Timing-wise, the first storms of the day to affect South Central Nebraska developed between 5-7 p.m. CDT, consisting of a smattering of non-severe multicells roaming mainly the far western counties of Dawson, Gosper and Furnas. During the next few hours this activity strengthened somewhat, yielding the aforementioned reports near Edison as it also gradually morphed into a rather compact, east-southeast propagating linear complex. Between 10 p.m. and midnight CDT, this storm complex drifted through mainly Harlan, Franklin and Webster counties before departing into far northern Kansas, likely producing gusty winds and small hail along the way but resulting in no additional severe-criteria reports. Farther north, the Valley County storm was severe only briefly, moving in out of Custer County around 9 p.m. CDT and weakening/dissipating within an hour. ||Despite the occurrence of a few severe storms, this setup held the potential to be a bit more active than it turned out to be. However, factors working against more widespread severe weather ultimately outweighed the more favorable ones. More specifically, the coverage and intensity of severe storms was likely mitigated in part by: 1) rather warm air aloft and resultant capping, as evidenced by 700 millibar temperatures in the 13-16 C range...2) Fairly weak deep layer wind shear only around 30 knots. On the flip side, there was considerable instability to work with, as hot afternoon temperatures in the mid-upper 90s F combined with dewpoints well into the 60s to create mixed layer CAPE of 2000-4000 J/kg. At the surface, storms initiated along a north-south oriented trough axis stretched from central Nebraska into northwest Kansas.","" +115716,711150,NEBRASKA,2017,June,Hail,"VALLEY",2017-06-21 20:40:00,CST-6,2017-06-21 20:40:00,0,0,0,0,0.00K,0,0.00K,0,41.7167,-99.0084,41.7167,-99.0084,"Isolated to scattered thunderstorm activity rumbled across mainly southwestern and far northern portions of South Central Nebraska on this Wednesday evening, resulting in a few instances of marginally severe hail and winds. The majority of ground-truth reports were from the Edison area of Furnas County, including nickel to ping pong ball size hail and estimated 60 MPH winds. Meanwhile, a completely separate, isolated storm to the north in Valley County dropped quarter size hail near Fort Hartsuff State Park. ||Timing-wise, the first storms of the day to affect South Central Nebraska developed between 5-7 p.m. CDT, consisting of a smattering of non-severe multicells roaming mainly the far western counties of Dawson, Gosper and Furnas. During the next few hours this activity strengthened somewhat, yielding the aforementioned reports near Edison as it also gradually morphed into a rather compact, east-southeast propagating linear complex. Between 10 p.m. and midnight CDT, this storm complex drifted through mainly Harlan, Franklin and Webster counties before departing into far northern Kansas, likely producing gusty winds and small hail along the way but resulting in no additional severe-criteria reports. Farther north, the Valley County storm was severe only briefly, moving in out of Custer County around 9 p.m. CDT and weakening/dissipating within an hour. ||Despite the occurrence of a few severe storms, this setup held the potential to be a bit more active than it turned out to be. However, factors working against more widespread severe weather ultimately outweighed the more favorable ones. More specifically, the coverage and intensity of severe storms was likely mitigated in part by: 1) rather warm air aloft and resultant capping, as evidenced by 700 millibar temperatures in the 13-16 C range...2) Fairly weak deep layer wind shear only around 30 knots. On the flip side, there was considerable instability to work with, as hot afternoon temperatures in the mid-upper 90s F combined with dewpoints well into the 60s to create mixed layer CAPE of 2000-4000 J/kg. At the surface, storms initiated along a north-south oriented trough axis stretched from central Nebraska into northwest Kansas.","NeRAIN observer reported quarter size hail." +115641,695457,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:05:00,EST-5,2017-06-19 12:05:00,0,0,0,0,2.00K,2000,0.00K,0,40.47,-76.93,40.47,-76.93,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down a pole and wires across a roadway near Halifax." +115641,695459,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-19 12:15:00,EST-5,2017-06-19 12:15:00,0,0,0,0,3.00K,3000,0.00K,0,39.9843,-77.2479,39.9843,-77.2479,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down wires and damaged a transformer near the Bendersville Post Office." +115641,695461,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-19 12:19:00,EST-5,2017-06-19 12:19:00,0,0,0,0,5.00K,5000,0.00K,0,40.0144,-77.2747,40.0144,-77.2747,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down nnumerous trees along Pine Grove Furnace Road near Aspers." +115641,695463,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 11:50:00,EST-5,2017-06-19 11:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.4841,-76.932,40.4841,-76.932,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees across Route 147 between Halfax and Millersburg." +115641,695464,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEBANON",2017-06-19 13:23:00,EST-5,2017-06-19 13:23:00,0,0,0,0,2.00K,2000,0.00K,0,40.3393,-76.4186,40.3393,-76.4186,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Lebanon." +115641,695466,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:50:00,EST-5,2017-06-19 12:50:00,0,0,0,0,3.00K,3000,0.00K,0,40.2006,-76.7653,40.2006,-76.7653,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree on wires on Wayne Avenue in Middletown." +115933,696581,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 15:59:00,CST-6,2017-06-02 15:59:00,0,0,0,0,,NaN,,NaN,48.46,-99.29,48.46,-99.29,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Dime to half dollar sized hail fell." +115933,696582,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-02 16:25:00,CST-6,2017-06-02 16:25:00,0,0,0,0,,NaN,,NaN,47.96,-99.42,47.96,-99.42,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +115933,696583,NORTH DAKOTA,2017,June,Hail,"TOWNER",2017-06-02 16:48:00,CST-6,2017-06-02 16:48:00,0,0,0,0,,NaN,,NaN,48.49,-99.2,48.49,-99.2,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +115838,696191,FLORIDA,2017,June,Thunderstorm Wind,"LEE",2017-06-07 11:25:00,EST-5,2017-06-07 11:25:00,0,0,0,0,0.00K,0,0.00K,0,26.72,-82.26,26.72,-82.26,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced damaging wind gusts over Southwest Florida.","A WeatherFlow station on Boca Grande reported a 50 knot thunderstorm wind gust." +115838,696193,FLORIDA,2017,June,Thunderstorm Wind,"CHARLOTTE",2017-06-07 11:20:00,EST-5,2017-06-07 11:20:00,0,0,0,0,20.00K,20000,0.00K,0,26.883,-82.272,26.883,-82.272,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced damaging wind gusts over Southwest Florida.","Charlotte County Emergency Management reported that a tree limb fell through a roof and broke a window in Rotonda West as a result of thunderstorm wind gusts. Additionally, a carport and screen porch were damaged on Griggs Road in Englewood." +115838,696194,FLORIDA,2017,June,Thunderstorm Wind,"CHARLOTTE",2017-06-07 11:40:00,EST-5,2017-06-07 11:40:00,0,0,0,0,5.00K,5000,0.00K,0,26.8112,-81.7624,26.8112,-81.7624,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced damaging wind gusts over Southwest Florida.","Charlotte County Emergency Management reported that an aluminum canopy was ripped off the back of a home along State Road 31 in Punta Gorda by thunderstorm wind gusts." +115873,696438,FLORIDA,2017,June,Rip Current,"PINELLAS",2017-06-08 18:15:00,EST-5,2017-06-08 18:15:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Breezy onshore winds behind a cold front produced conditions favorable for rip currents along the coast. One man drowned when he was unable to escape the rip current.","Several swimmers were caught in rough surf on Treasure Island Beach, prompting a call to 911. Beach goers and rescue crews helped the swimmers to shore, but one of the swimmers, a 48 year old man, was unconscious. Rescuers performed CPR on the man before taking him to a hospital, where he died the next morning." +115988,697221,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"BERKELEY",2017-06-01 19:25:00,EST-5,2017-06-01 19:26:00,0,0,0,0,,NaN,,NaN,33.07,-80.05,33.07,-80.05,"An unstable atmosphere developed within deep moisture and warm temperatures ahead of an inland moving seabreeze.","A trained spotter reported a 50 feet pine tree snapped in half near the Google Data Center facility off of Highway 52 between Goose Creek and Moncks Corner." +115934,696591,FLORIDA,2017,June,Lightning,"LAKE",2017-06-26 14:27:00,EST-5,2017-06-26 14:27:00,0,1,0,0,5.00K,5000,0.00K,0,28.7753,-81.8915,28.7753,-81.8915,"A collision of the west and east coast sea breezes generated numerous thunderstorms across east central Florida. One storm over Leesburg produced a lightning strike that hit a tree, causing several branches to fall onto a mobile home, resulting in structural damage and a related injury.","Lake County Emergency Services reported that several large branches fell onto a mobile home in Leesburg after lightning from a nearby thunderstorm struck a tree next to the mobile home. A 68-year-old woman was injured when the branches fell on her as she was sleeping in her bedroom. The woman managed to get outside of her mobile home where neighbors called 911. The woman was transported to a local hospital with minor injuries and later released." +115964,696928,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 15:29:00,MST-7,2017-06-27 15:44:00,0,0,0,0,0.00K,0,0.00K,0,43.7231,-103.9914,43.7231,-103.9914,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696930,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 15:57:00,MST-7,2017-06-27 15:57:00,0,0,0,0,,NaN,0.00K,0,43.73,-103.62,43.73,-103.62,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696931,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 16:00:00,MST-7,2017-06-27 16:00:00,0,0,0,0,,NaN,0.00K,0,43.77,-103.6,43.77,-103.6,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Part of the YMCA building's roof was torn off, a large sign was blown down, and trees were toppled by strong winds in Custer." +116439,700285,ILLINOIS,2017,June,Thunderstorm Wind,"CLAY",2017-06-18 02:19:00,CST-6,2017-06-18 02:24:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-88.48,38.67,-88.48,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Several trees were blown down, including one that fell through the roof of a house." +116439,700286,ILLINOIS,2017,June,Thunderstorm Wind,"CLAY",2017-06-18 02:19:00,CST-6,2017-06-18 02:24:00,0,0,0,0,0.00K,0,0.00K,0,38.6571,-88.4389,38.6571,-88.4389,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Power poles and power lines were blown down on Highway 45 just south of Flora." +116439,700287,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-17 19:22:00,CST-6,2017-06-17 19:27:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-89.57,40.73,-89.57,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees were blown down in Peoria Heights." +115954,696823,OHIO,2017,June,Flash Flood,"ADAMS",2017-06-23 18:44:00,EST-5,2017-06-23 19:44:00,0,0,0,0,0.00K,0,0.00K,0,38.7058,-83.6515,38.7029,-83.6502,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported over a portion of State Route 41 in Sprigg Township." +115954,696824,OHIO,2017,June,Flash Flood,"ADAMS",2017-06-23 18:44:00,EST-5,2017-06-23 19:44:00,0,0,0,0,0.00K,0,0.00K,0,38.9089,-83.5645,38.909,-83.5658,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported over a portion of State Route 247 in Wayne Township." +115954,696825,OHIO,2017,June,Hail,"FRANKLIN",2017-06-19 17:35:00,EST-5,2017-06-19 17:38:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-83.01,39.98,-83.01,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","" +115954,696827,OHIO,2017,June,Flood,"GREENE",2017-06-23 08:55:00,EST-5,2017-06-23 09:55:00,0,0,0,0,0.00K,0,0.00K,0,39.7175,-84.031,39.7184,-84.0304,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Approximately four inches of moving water was reported on the side of Dayton-Xenia Road." +115954,696828,OHIO,2017,June,Thunderstorm Wind,"HOCKING",2017-06-23 14:09:00,EST-5,2017-06-23 14:14:00,0,0,0,0,1.00K,1000,0.00K,0,39.49,-82.22,39.49,-82.22,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","A tree was knocked down on Carbon Hill Rd." +115954,700369,OHIO,2017,June,Flood,"HIGHLAND",2017-06-23 18:19:00,EST-5,2017-06-23 20:19:00,0,0,0,0,0.00K,0,0.00K,0,39.2054,-83.7417,39.2037,-83.7417,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported over a portion of U.S. 50 near Hillsboro." +115954,700378,OHIO,2017,June,Flood,"BROWN",2017-06-23 20:40:00,EST-5,2017-06-23 22:40:00,0,0,0,0,0.00K,0,0.00K,0,38.9061,-83.8511,38.9034,-83.9198,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Law enforcement was reporting lingering high water in several locations throughout Brown County." +115954,700413,OHIO,2017,June,Flood,"HIGHLAND",2017-06-23 23:00:00,EST-5,2017-06-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0767,-83.8466,39.0781,-83.8423,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Route 134 was closed due to high water." +115954,700414,OHIO,2017,June,Flood,"ROSS",2017-06-23 23:28:00,EST-5,2017-06-24 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3542,-83.3662,39.3544,-83.3774,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported on Route 41 near Route 28." +115548,693765,TEXAS,2017,June,Excessive Heat,"HALL",2017-06-17 14:30:00,CST-6,2017-06-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115548,693766,TEXAS,2017,June,Excessive Heat,"HOCKLEY",2017-06-17 14:40:00,CST-6,2017-06-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115548,693769,TEXAS,2017,June,Excessive Heat,"BRISCOE",2017-06-17 14:32:00,CST-6,2017-06-17 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +116342,700875,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAMAR",2017-06-14 16:55:00,CST-6,2017-06-14 16:55:00,0,0,0,0,2.00K,2000,0.00K,0,31.2845,-89.3854,31.2845,-89.3854,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","A tree was blown down on Steelman Road." +115742,696740,KENTUCKY,2017,June,Flash Flood,"GREENUP",2017-06-23 18:56:00,EST-5,2017-06-24 02:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.6028,-82.9852,38.4776,-83.0502,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Coal Branch flooded, closing a section of Route 827. There was also urban flooding in Russell and Raceland." +115514,693554,WEST VIRGINIA,2017,June,Heavy Rain,"KANAWHA",2017-06-16 07:00:00,EST-5,2017-06-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-81.6,38.37,-81.6,"An unstable airmass with plenty of moisture remained in place ahead of a weak cold front on the 16th. This caused showers and thunderstorms with pockets of heavy rain through the day. This led to widespread ponding of water on roadways as drains became clogged by debris, however there was also some minor flash flooding in Kanawha County.","The automated rain gauge at Yeager Airport in Charleston measured 2.45 inches of rain from 7 AM to 11 AM EST." +115744,695675,WEST VIRGINIA,2017,June,Thunderstorm Wind,"WOOD",2017-06-23 17:11:00,EST-5,2017-06-23 17:11:00,0,0,0,0,1.00K,1000,0.00K,0,39.27,-81.49,39.27,-81.49,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Gusty winds downed a power line at the intersection of 16th and Race Streets." +116971,703466,ILLINOIS,2017,June,Flash Flood,"SALINE",2017-06-23 09:45:00,CST-6,2017-06-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-88.48,37.62,-88.72,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall across southern Illinois, with pockets of flash flooding.","Several roads were closed due to flash flooding throughout the county. Rainfall rates were from one to two inches per hour, with a measured storm total of 3.8 inches." +115744,695709,WEST VIRGINIA,2017,June,Thunderstorm Wind,"HARRISON",2017-06-23 19:00:00,EST-5,2017-06-23 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.28,-80.57,39.28,-80.57,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Power lines were blown down along Halls Run Road in Salem." +116972,703471,MISSOURI,2017,June,Flash Flood,"PERRY",2017-06-23 07:25:00,CST-6,2017-06-23 10:15:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-89.88,37.68,-90,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall, with isolated pockets of flash flooding.","In the Perryville area, portions of State Highway T were closed, and standing water was over portions of Highway 51. Rainfall rates of two inches per hour were not uncommon. Storm totals were locally near four inches in Perryville." +116975,703476,INDIANA,2017,June,Flash Flood,"GIBSON",2017-06-23 10:15:00,CST-6,2017-06-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-87.45,38.2523,-87.4539,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall and isolated flash flooding.","Local creeks and streams were out of their banks in the Francisco area. A trained spotter at Fort Branch measured 3.30 inches of rain during the morning." +119057,716721,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:25:00,CST-6,2017-07-22 21:28:00,0,0,0,0,,NaN,,NaN,39.12,-94.39,39.12,-94.39,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Multiple trees fell in this area. At least one tree fell on a power line, knocking out the power." +117731,707905,NEW MEXICO,2017,August,Thunderstorm Wind,"GUADALUPE",2017-08-11 15:55:00,MST-7,2017-08-11 15:57:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-104.64,34.94,-104.64,"The center of upper level high pressure shifted east into Texas on the 11th and allowed a deep tap of moisture to spread north into New Mexico. Atmospheric moisture values over the region surged to the highest levels of the season. Numerous showers and thunderstorms developed over the central and western high terrain during the morning hours then moved east toward the Rio Grande Valley and high plains. Several outflow boundaries converged over the Albuquerque metro area by mid to late day and led to the development of strong thunderstorms with heavy rainfall. Many folks in Albuquerque picked up their greatest 24-hour totals of the season. Unfortunately, one man died after being swept away by flood waters in the Embudo Channel at Carlisle and Interstate 40. His body was found later near the Rio Grande at the terminus of the North Diversion Channel. A storm that moved northward across the Interstate 40 corridor near Edgewood downed about a dozen power poles. This led to an extended power outage for an estimated 6,300 customers. Many areas of eastern New Mexico picked up another one to two inches of rainfall, adding to the impressive summer totals. This was just the first of several very active weather days across the area.","Santa Rosa airport peak wind gust up to 61 mph." +117731,707906,NEW MEXICO,2017,August,Thunderstorm Wind,"SANTA FE",2017-08-11 16:46:00,MST-7,2017-08-11 16:49:00,0,0,0,0,75.00K,75000,0.00K,0,35.1,-106.19,35.1,-106.19,"The center of upper level high pressure shifted east into Texas on the 11th and allowed a deep tap of moisture to spread north into New Mexico. Atmospheric moisture values over the region surged to the highest levels of the season. Numerous showers and thunderstorms developed over the central and western high terrain during the morning hours then moved east toward the Rio Grande Valley and high plains. Several outflow boundaries converged over the Albuquerque metro area by mid to late day and led to the development of strong thunderstorms with heavy rainfall. Many folks in Albuquerque picked up their greatest 24-hour totals of the season. Unfortunately, one man died after being swept away by flood waters in the Embudo Channel at Carlisle and Interstate 40. His body was found later near the Rio Grande at the terminus of the North Diversion Channel. A storm that moved northward across the Interstate 40 corridor near Edgewood downed about a dozen power poles. This led to an extended power outage for an estimated 6,300 customers. Many areas of eastern New Mexico picked up another one to two inches of rainfall, adding to the impressive summer totals. This was just the first of several very active weather days across the area.","Outflow winds from a wet microburst north of Edgewood downed about a dozen power poles. An extended power outage impacted at least 6,300 customers." +115279,692085,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 17:12:00,EST-5,2017-06-05 17:14:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-84.2,39.77,-84.2,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Hail size was estimated from social media photo." +115954,696829,OHIO,2017,June,Thunderstorm Wind,"HOCKING",2017-06-23 13:57:00,EST-5,2017-06-23 14:03:00,0,0,0,0,1.00K,1000,0.00K,0,39.58,-82.55,39.58,-82.55,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","A tree was knocked down on Opossum Hollow Road." +115954,696814,OHIO,2017,June,Flash Flood,"CLERMONT",2017-06-23 15:19:00,EST-5,2017-06-23 17:19:00,0,0,0,0,0.00K,0,0.00K,0,39.2666,-84.2101,39.2644,-84.207,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported flowing over portions of O'Bannonville Rd." +117401,706043,TEXAS,2017,June,Flash Flood,"MASON",2017-06-09 17:45:00,CST-6,2017-06-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-99.26,30.6819,-99.2287,"On June 8, an isolated thunderstorm resulted in a microburst at Wall located about 15 miles east of San Angelo. On June 9, thunderstorms with very heavy rain resulted in flash flooding of low water crossings and small creeks about 3 miles southwest of Mason.","A National Weather Service Rainfall Observer located about 3 miles southwest of Mason reported water flowing across low water crossings. He also reported small streams and creeks were also flooding in that same area." +116599,701206,CALIFORNIA,2017,June,Heat,"EAST BAY INTERIOR VALLEYS",2017-06-18 14:00:00,PST-8,2017-06-18 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bay Area had its first summer heat wave starting June 17th and lasting until the 23rd. Strong high pressure and offshore flow brought record breaking heat to the area not seen since 2008 and 2006. The heat wave stretched across much of the rest of the state as well as the Desert Southwest. Heat Advisories and Excessive Heat Warnings were issued across the Central Coast. There were at least two confirmed human fatalities in Santa Clara county from the heat as well as widespread power outages.","Over 5,000 residents in Livermore and over 2,000 in Concord lost power due to the heat|http://abc7news.com/weather/thousands-left-without-power-on-scorching-hot-day/2116951/ http://sanfrancisco.cbslocal.com/2017/06/20/bay-area-heat-wave-flex-alert-conserve-electricity/." +116599,701207,CALIFORNIA,2017,June,Heat,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-06-19 16:00:00,PST-8,2017-06-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bay Area had its first summer heat wave starting June 17th and lasting until the 23rd. Strong high pressure and offshore flow brought record breaking heat to the area not seen since 2008 and 2006. The heat wave stretched across much of the rest of the state as well as the Desert Southwest. Heat Advisories and Excessive Heat Warnings were issued across the Central Coast. There were at least two confirmed human fatalities in Santa Clara county from the heat as well as widespread power outages.","Two heat related deaths were reported on Monday June 19th. Two elderly residents in San Jose died of hyperthermia http://www.mercurynews.com/2017/06/21/state-agency-asks-for-energy-conservation-as-temperatures-soar-across-california/. Timing is an estimation." +115279,692116,OHIO,2017,June,Hail,"MIAMI",2017-06-05 15:58:00,EST-5,2017-06-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9614,-84.3283,39.9614,-84.3283,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Dime to quarter size hail fell in West Milton." +115279,692113,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-05 16:28:00,EST-5,2017-06-05 16:31:00,0,0,0,0,25.00K,25000,0.00K,0,40.021,-84.3719,40.021,-84.3719,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","On Fenner Road, just to the west of Rangeline Road, one barn was partially destroyed with only some of it still standing, while a second one had major damage." +117184,705343,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:22:00,CST-6,2017-06-28 17:22:00,0,0,0,0,15.00K,15000,0.00K,0,42.967,-91.0877,42.967,-91.0877,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","A tree was blown down onto a house north of Bagley." +117184,704863,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 16:54:00,CST-6,2017-06-28 16:54:00,0,0,0,0,3.00K,3000,0.00K,0,42.88,-90.67,42.88,-90.67,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","A 64 mph wind gust occurred northeast of Lancaster." +117184,705340,WISCONSIN,2017,June,Thunderstorm Wind,"GRANT",2017-06-28 17:02:00,CST-6,2017-06-28 17:02:00,0,0,0,0,58.00K,58000,0.00K,0,42.9516,-90.4846,42.9516,-90.4846,"A line of thunderstorms moved across southwest Wisconsin during the afternoon of June 28th. Some of these storms produced damaging winds that impacted farm buildings and blew down numerous power poles near Livingston (Grant County). Three mobile home were knocked off their foundations southwest of Montfort (Grant County). Numerous reports of 75 to 80 mph gusts were received from the Livingston and Montfort areas.","Three mobile homes were pushed off their foundations southwest of Montfort." +116970,703455,IOWA,2017,June,Hail,"FLOYD",2017-06-28 14:20:00,CST-6,2017-06-28 14:20:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-92.87,42.96,-92.87,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","" +116970,703456,IOWA,2017,June,Hail,"CHICKASAW",2017-06-28 14:45:00,CST-6,2017-06-28 14:45:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-92.31,43.06,-92.31,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","" +116970,703457,IOWA,2017,June,Thunderstorm Wind,"CLAYTON",2017-06-28 16:03:00,CST-6,2017-06-28 16:03:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-91.35,42.96,-91.35,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","A 60 mph wind gust occurred just east of Farmersburg." +119057,716724,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:40:00,CST-6,2017-07-22 21:43:00,0,0,0,0,,NaN,,NaN,39.0336,-94.6052,39.0408,-94.5858,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Numerous trees of unknown size or condition, along with large tree limbs were down across County Club Plaza and Ward Parkway areas." +117731,707907,NEW MEXICO,2017,August,Heavy Rain,"BERNALILLO",2017-08-11 15:00:00,MST-7,2017-08-11 15:20:00,0,0,0,1,0.00K,0,0.00K,0,35.1064,-106.6038,35.1064,-106.6038,"The center of upper level high pressure shifted east into Texas on the 11th and allowed a deep tap of moisture to spread north into New Mexico. Atmospheric moisture values over the region surged to the highest levels of the season. Numerous showers and thunderstorms developed over the central and western high terrain during the morning hours then moved east toward the Rio Grande Valley and high plains. Several outflow boundaries converged over the Albuquerque metro area by mid to late day and led to the development of strong thunderstorms with heavy rainfall. Many folks in Albuquerque picked up their greatest 24-hour totals of the season. Unfortunately, one man died after being swept away by flood waters in the Embudo Channel at Carlisle and Interstate 40. His body was found later near the Rio Grande at the terminus of the North Diversion Channel. A storm that moved northward across the Interstate 40 corridor near Edgewood downed about a dozen power poles. This led to an extended power outage for an estimated 6,300 customers. Many areas of eastern New Mexico picked up another one to two inches of rainfall, adding to the impressive summer totals. This was just the first of several very active weather days across the area.","An unidentified man was swept away in the Embudo Channel near Carlisle and Interstate 40. His body was later discovered at the terminus of the North Diversion Channel near Alameda." +117482,706843,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,25.00K,25000,0.00K,0,42.8764,-72.6731,42.8751,-72.6729,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Vermont State officials noted a mudslide on Route 9 outside of Brattleboro near the Vermont Maple Museum due to flash flooding from thunderstorm heavy rainfall. The road was closed until the mud could be removed." +117365,705785,NEW YORK,2017,June,Hail,"COLUMBIA",2017-06-27 13:53:00,EST-5,2017-06-27 13:53:00,0,0,0,0,,NaN,,NaN,42.45,-73.69,42.45,-73.69,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Quarter size hail was reported near Valatie Colony during a thunderstorm." +117365,705787,NEW YORK,2017,June,Hail,"HERKIMER",2017-06-27 14:09:00,EST-5,2017-06-27 14:09:00,0,0,0,0,,NaN,,NaN,43.064,-74.9099,43.064,-74.9099,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Penny size hail was reported during a thunderstorm near Kelhi Corners in the town of Little Falls." +117365,705788,NEW YORK,2017,June,Hail,"SARATOGA",2017-06-27 14:15:00,EST-5,2017-06-27 14:15:00,0,0,0,0,,NaN,,NaN,42.9,-73.77,42.9,-73.77,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Quarter size hail was reported during a thunderstorm near Round Lake." +117473,706490,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-30 14:42:00,EST-5,2017-06-30 14:42:00,0,0,0,0,,NaN,,NaN,43.0488,-74.3391,43.0488,-74.3391,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Trees and wires were reported down on Dean Street in Gloversville due to thunderstorm winds." +117473,706493,NEW YORK,2017,June,Thunderstorm Wind,"GREENE",2017-06-30 15:09:00,EST-5,2017-06-30 15:09:00,0,0,0,0,,NaN,,NaN,42.3815,-73.9415,42.3815,-73.9415,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Route 81 was closed between Lo See Road and Eagle Nest Road due to downed wires in the town of Greenville due to thunderstorm winds." +117473,706497,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-30 15:40:00,EST-5,2017-06-30 15:40:00,0,0,0,0,,NaN,,NaN,42.5008,-73.4494,42.5008,-73.4494,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A tree and power lines were downed as a result of thunderstorm winds in the town of Stephentown." +114222,685773,MISSOURI,2017,March,Thunderstorm Wind,"RAY",2017-03-06 20:26:00,CST-6,2017-03-06 20:29:00,0,0,0,0,,NaN,,NaN,39.34,-93.83,39.34,-93.83,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Multiple barns and outbuildings were destroyed due to strong straight line winds across Ray County." +114222,685774,MISSOURI,2017,March,Thunderstorm Wind,"LIVINGSTON",2017-03-06 20:26:00,CST-6,2017-03-06 20:29:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-93.56,39.8,-93.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The public called in a report of 60 to 70 mph winds near Chillicothe." +121224,725924,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTH CLEARWATER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +117670,707551,WISCONSIN,2017,June,Thunderstorm Wind,"MARQUETTE",2017-06-12 17:00:00,CST-6,2017-06-12 17:35:00,0,0,0,0,10.00K,10000,,NaN,43.8763,-89.3903,43.8267,-89.2172,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Numerous branches and trees down throughout the county with the exception of the southwest side of the county." +117670,707552,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN LAKE",2017-06-12 17:27:00,CST-6,2017-06-12 17:40:00,0,0,0,0,5.00K,5000,,NaN,43.8498,-89.1248,43.8498,-89.1248,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Several tree tops snapped off and other trees down." +117670,707553,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-12 18:05:00,CST-6,2017-06-12 18:20:00,0,0,0,0,20.00K,20000,,NaN,43.68,-88.55,43.68,-88.55,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","A tree fell onto a garage causing structural damage and damage to the vehicle inside. Numerous tree damage including an uprooted tree and the trunks of smaller trees split." +117670,707554,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-12 17:45:00,CST-6,2017-06-12 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.6398,-88.74,43.64,-88.72,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Straight-line wind damage on the north side of Waupun. Half the shingles blown off the roof of a home and branches and trees down." +117670,707555,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-12 18:00:00,CST-6,2017-06-12 18:15:00,0,0,0,0,60.00K,60000,,NaN,43.6769,-88.488,43.6788,-88.3994,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Straight-line winds sheared off a stave silo and collapsed a large barn. Tree damage also occurred including a 2-3 foot diameter tree down." +121224,725925,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORMAN",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +117670,707556,WISCONSIN,2017,June,Thunderstorm Wind,"FOND DU LAC",2017-06-12 17:50:00,CST-6,2017-06-12 18:00:00,0,0,0,0,5.00K,5000,,NaN,43.74,-88.77,43.74,-88.77,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Tree branches and trees down." +117670,707566,WISCONSIN,2017,June,Tornado,"FOND DU LAC",2017-06-12 18:21:00,CST-6,2017-06-12 18:25:00,0,0,0,0,7.00K,7000,,NaN,43.6604,-88.2283,43.6423,-88.1937,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Storm survey revealed EF-0 damage with a peak wind around 80 mph. A couple uprooted trees and many snapped tree branches. Minor damage to the sliding door of a barn. A boat canopy was damaged. There were numerous eyewitnesses of a waterspout/tornado in the Kettle Moraine Lake area." +117757,708016,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-11 14:03:00,EST-5,2017-06-11 14:08:00,0,0,0,0,0.00K,0,0.00K,0,45.89,-87.01,45.89,-87.01,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","There were reports of downed trees and power lines around the Gladstone and Rapid River areas." +117757,708017,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-11 15:15:00,EST-5,2017-06-11 15:20:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","A measured wind gust at Minneapolis Shoals Light station." +117757,708019,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-11 14:17:00,EST-5,2017-06-11 14:21:00,0,0,0,0,0.00K,0,0.00K,0,45.72,-86.66,45.72,-86.66,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","Large tree limbs were reported down in and around the campground at Fayette Historic State Park." +117757,708020,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"5NM E OF FAIRPORT MI TO ROCK ISLAND PASSAGE",2017-06-11 14:22:00,EST-5,2017-06-11 14:32:00,0,0,0,0,0.00K,0,0.00K,0,45.6195,-86.6599,45.6195,-86.6599,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","Measured wind gusts at the Fairport GLOS were near 36 knots through the period." +117757,708021,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"SEUL CHOIX POINT TO POINT DETOUR MI",2017-06-11 14:35:00,EST-5,2017-06-11 14:40:00,0,0,0,0,0.00K,0,0.00K,0,45.96,-86.25,45.96,-86.25,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","The local hospital emergency coordinator reported several trees down in and around Manistique resulting in power outages around town and at the hospital." +117757,708022,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-11 22:25:00,EST-5,2017-06-11 22:30:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","A measured wind gust at the Minneapolis Shoals Light station." +117757,708023,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-12 01:25:00,EST-5,2017-06-12 01:30:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"Several clusters of strong to severe thunderstorms moved across the bay of Green Bay and northern Lake Michigan from the afternoon of the 11th into the early morning of the 12th.","Measured wind gust at the Minneapolis Shoal Light station." +117759,708025,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-06-11 15:00:00,EST-5,2017-06-11 15:05:00,0,0,0,0,0.00K,0,0.00K,0,46.72,-87.41,46.72,-87.41,"Another line of strong storms with gusty winds moved across Lake Superior on the afternoon of the 11th.","A thunderstorm wind gust measured at the Granite Island Light." +115462,693337,COLORADO,2017,June,Hail,"WELD",2017-06-12 14:59:00,MST-7,2017-06-12 14:59:00,0,0,0,0,,NaN,,NaN,40.7,-104.68,40.7,-104.68,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693338,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:00:00,MST-7,2017-06-12 15:00:00,0,0,0,0,,NaN,,NaN,40.63,-104.75,40.63,-104.75,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693339,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:01:00,MST-7,2017-06-12 15:01:00,0,0,0,0,,NaN,,NaN,40.7,-104.59,40.7,-104.59,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693368,NORTH DAKOTA,2017,June,Thunderstorm Wind,"OLIVER",2017-06-10 02:40:00,CST-6,2017-06-10 02:50:00,0,0,0,0,0.00K,0,0.00K,0,47.1,-101.44,47.1,-101.44,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Thunderstorm wind gusts of 60 mph were estimated by a trained spotter." +115458,693369,NORTH DAKOTA,2017,June,Thunderstorm Wind,"OLIVER",2017-06-10 02:40:00,CST-6,2017-06-10 02:45:00,0,0,0,0,0.00K,0,0.00K,0,47.11,-101.43,47.11,-101.43,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693370,NORTH DAKOTA,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-10 02:54:00,CST-6,2017-06-10 02:59:00,0,0,0,0,0.00K,0,0.00K,0,47.3,-101.04,47.3,-101.04,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117797,708545,MICHIGAN,2017,June,Thunderstorm Wind,"SANILAC",2017-06-17 17:34:00,EST-5,2017-06-17 17:34:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-82.83,43.42,-82.83,"A severe thunderstorm tracking in from Gratiot County produced a path of wind damage in Fenmore in Saginaw County associated with straight line winds with wet micro-bursts leading to pockets of enhanced damage. Another severe thunderstorm producing wind damage occurred over Sandusky in Sanilac county.","Trees reported blown down." +117612,707286,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 20:00:00,CST-6,2017-06-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-101.85,35.07,-101.85,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","One-thousand-pound building blown over. Pieces of metal torn off roof." +117612,707287,TEXAS,2017,June,Thunderstorm Wind,"POTTER",2017-06-08 18:56:00,CST-6,2017-06-08 18:56:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-101.82,35.41,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707288,TEXAS,2017,June,Thunderstorm Wind,"POTTER",2017-06-08 19:19:00,CST-6,2017-06-08 19:19:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-101.72,35.22,-101.72,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707290,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:43:00,CST-6,2017-06-08 19:43:00,0,0,0,0,0.00K,0,0.00K,0,35.14,-101.86,35.14,-101.86,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","NWS employee estimated 60 MPH wind gust." +117612,707291,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:48:00,CST-6,2017-06-08 19:48:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-101.8,35.08,-101.8,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +114222,685693,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:52:00,CST-6,2017-03-06 18:55:00,0,0,0,0,,NaN,,NaN,40.25,-94.68,40.25,-94.68,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +117982,709184,IDAHO,2017,June,Wildfire,"SOUTH CENTRAL HIGHLANDS",2017-06-27 13:00:00,MST-7,2017-06-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started by lightning on the 27th and reached 3,700 acres and was controlled on the 30th. It was called the MM 271 fire because it was located near mile marker 271 off of interstate 84. It was a grass, brush and juniper fire and threatened no structures.","A wildfire started by lightning on the 27th and reached 3,700 acres and was controlled on the 30th. It was called the MM 271 fire because it was located near mile marker 271 off of interstate 84. It was a grass, brush and juniper fire and threatened no structures." +117984,709214,IDAHO,2017,June,Flood,"BONNEVILLE",2017-06-01 00:00:00,MST-7,2017-06-20 05:00:00,0,0,0,0,8.00K,8000,0.00K,0,43.58,-112.5694,43.47,-112.3789,"Winter snow melt and river flooding continued throughout much of June with Blaine and Custer counties receiving the worst of it.","Very minor flooding continue early in the month with damage to agricultural fields along with levee repair conducted. Snake River Road in the Heise area closed on the 15th due to flooding." +116467,700457,VIRGINIA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-04 15:30:00,EST-5,2017-06-04 15:30:00,0,0,0,0,1.00K,1000,,NaN,37.12,-79.71,37.12,-79.71,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts knocked down a couple of trees." +115496,699150,PENNSYLVANIA,2017,June,Flash Flood,"CAMBRIA",2017-06-16 16:36:00,EST-5,2017-06-16 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.3404,-78.9376,40.3115,-78.9642,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","Similar to the flash flood the night before, Johnstown received 1.16 inches of rain in 15 minutes. This brief downburst produced more localized flash flooding in the Johnstown area. Several roads were closed and basements were flooded." +115496,699152,PENNSYLVANIA,2017,June,Flash Flood,"CAMBRIA",2017-06-15 18:21:00,EST-5,2017-06-15 20:45:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-78.83,40.389,-78.9409,"Scattered thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the late afternoon and evening of June 15, 2017. These storms produced a handful of reports of wind damage across the western highlands of Pennsylvania. Johnstown reported 1.85 of rain in 20 minutes which resulted in localized flash flooding.","A twenty minute rainfall total of 1.85 inches was reported at Johnstown. This brought rapid flash flooding to the area. Most of the flooding occurred in Johnstown, with reports of flooding in Upper Yoder Township, Southmont and Westmont. No injuries were reported. A car was trapped in the flooding with several people inside it on Iron Street. The occupants escaped the waters before emergency help arrived. In additions to numerous flooded roadways, many basements flooded as well. A sampling of roads flooded included Mount Airy Drive in Richland Township, Fairfield Avenue, Grove Avenue, and Osborne Street in Johnstown. Gilbert Street in Brownstown and Berkley Road in Upper Yoder Township." +117169,704782,NORTH CAROLINA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 23:50:00,EST-5,2017-06-17 01:50:00,0,0,0,0,450.00K,450000,0.00K,0,36.39,-79.98,36.4177,-79.977,"A warm, moist and unstable air mass along the western edge of high pressure centered over the western Atlantic induced numerous showers and thunderstorms across portions of the western North Carolina piedmont. Slow-moving storms over parts of Rockingham County dropped rainfall of 1 to 2.5 inches in a few hours over parts of the county including Madison and Mayodan causing flooding. This was the second time in June that businesses were flooded in downtown Madison. Several larger rivers in Rockingham County reacted sharply to the rainfall including the Mayo River near Price (PRIN7) rising from under 3 feet (645 cfs) to just over Action Stage (7 ft) reaching 7.35 feet (7032 cfs) in about 2.5 hours and the Smith River at Eden (EDSN7) rising above Action Stage (9 ft) from 3.25 feet (950 cfs) to 9.51 feet (9050 cfs) in about 8 hours.","Numerous swift water rescues were made from residents in homes and in vehicles in both Madison and Mayodan. Multiple roads were closed due to the high water. Several businesses in downtown Madison were severely flooded, resulting in extensive damage to merchandise and flooring." +117751,709489,MICHIGAN,2017,June,Flash Flood,"BAY",2017-06-22 23:30:00,EST-5,2017-06-23 02:00:00,0,0,0,0,3.00M,3000000,0.00K,0,43.9005,-84.1484,43.6,-84.1499,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Five to eight inches of rain fell, leading to widespread significant flooding. 145 homes were damaged. 50 roads and bridges damaged or destroyed." +117751,709494,MICHIGAN,2017,June,Flood,"SAGINAW",2017-06-24 15:31:00,EST-5,2017-06-28 13:42:00,0,0,0,0,0.00K,0,0.00K,0,43.5405,-84.1482,43.4507,-84.2723,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Moderate flooding occurred along the Saginaw River, as the river crested at 18.69 feet on June 26th at 3 AM EDT. 36 homes were damaged, with 10 roads and bridges damaged or destroyed. Near record flooding occurred along the Tittabawassee River." +117751,709486,MICHIGAN,2017,June,Flash Flood,"MIDLAND",2017-06-22 23:30:00,EST-5,2017-06-23 02:00:00,0,0,0,0,116.40M,116400000,0.00K,0,43.8152,-84.606,43.4659,-84.607,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Five to eight inches of rain fell, leading to widespread major flooding. 57 homes were destroyed with over 1900 homes damaged. 193 roads and bridges damaged or destroyed." +119057,716728,MISSOURI,2017,July,Thunderstorm Wind,"CLAY",2017-07-22 21:45:00,CST-6,2017-07-22 21:48:00,0,0,0,0,,NaN,,NaN,39.22,-94.48,39.22,-94.48,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs of unknown size or condition were down." +119058,716758,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 21:05:00,CST-6,2017-07-22 21:08:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-94.76,38.99,-94.76,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A trained spotter reported 70 mph winds." +119058,716760,KANSAS,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-22 21:15:00,CST-6,2017-07-22 21:18:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.66,39.03,-94.66,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A member of the public reported 60 to 70 mph winds." +116140,698080,NEVADA,2017,June,High Wind,"ESMERALDA/CENTRAL NYE",2017-06-11 16:30:00,PST-8,2017-06-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually deep late season trough brought unusually strong winds and cool temperatures to the Mojave Desert.","This gust occurred 40 miles E of Beatty." +116140,698081,NEVADA,2017,June,High Wind,"LINCOLN COUNTY EXCEPT THE SHEEP RANGE",2017-06-11 18:00:00,PST-8,2017-06-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually deep late season trough brought unusually strong winds and cool temperatures to the Mojave Desert.","This gust occurred 1 mile WNW of Rachel." +117591,707166,NEVADA,2017,June,Heat,"NORTHEAST CLARK",2017-06-06 00:00:00,PST-8,2017-06-06 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of temperatures 5-10 degrees above normal led to five deaths in the Las Vegas Valley and one at Valley of Fire State Park.","One woman died of heat related causes at Valley of Fire State Park." +117591,707167,NEVADA,2017,June,Heat,"LAS VEGAS VALLEY",2017-06-03 00:00:00,PST-8,2017-06-07 23:59:00,0,0,2,3,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of temperatures 5-10 degrees above normal led to five deaths in the Las Vegas Valley and one at Valley of Fire State Park.","Five people died of heat related causes in the Las Vegas Valley." +117592,707169,NEVADA,2017,June,Heat,"LAS VEGAS VALLEY",2017-06-16 00:00:00,PST-8,2017-06-16 23:59:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died of heat related causes in the Las Vegas Valley.","Two people died of heat related causes in the Las Vegas Valley." +117765,708094,NEW MEXICO,2017,August,Thunderstorm Wind,"HARDING",2017-08-14 18:11:00,MST-7,2017-08-14 18:14:00,0,0,0,0,0.00K,0,0.00K,0,35.45,-103.45,35.45,-103.45,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Peak wind gust up to 60 mph." +117593,707173,NEVADA,2017,June,Excessive Heat,"LAS VEGAS VALLEY",2017-06-17 00:00:00,PST-8,2017-06-25 23:59:00,0,0,15,3,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of excessive heat affected the Mojave Desert. 18 people died of heat-related causes in the Las Vegas Valley.","Eighteen people died of heat-related causes in the Las Vegas Valley." +118108,709815,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 15:51:00,EST-5,2017-06-30 15:51:00,0,0,0,0,4.00K,4000,,NaN,41.4367,-74.5485,41.4367,-74.5485,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","Trees were reported down on top of wires south of Otisville at the intersection of Guymard and Finchville Turnpikes." +118108,709816,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 16:31:00,EST-5,2017-06-30 16:31:00,0,0,0,0,5.00K,5000,,NaN,41.4537,-74.0573,41.4537,-74.0573,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","A tree was reported down on a vehicle in Vails Gate on Route 32 south of the 5 corners intersection." +118108,709817,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 16:37:00,EST-5,2017-06-30 16:37:00,0,0,0,0,5.00K,5000,,NaN,41.47,-74.02,41.47,-74.02,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","Numerous trees and wires were reported down across New Windsor." +118108,709821,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-30 16:40:00,EST-5,2017-06-30 16:40:00,0,0,0,0,5.00K,5000,,NaN,41.47,-74.02,41.47,-74.02,"A passing upper level disturbance triggered isolated severe thunderstorms in Orange County.","Trees and Wires were reported down throughout New Windsor, including on Route 32 near Ardmore Street, and at 1 Briarcliff Place." +118106,709802,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-06-19 15:39:00,EST-5,2017-06-19 15:39:00,0,0,0,0,,NaN,,NaN,40.67,-74.03,40.67,-74.03,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 37 knots was measured at the Bayonne mesonet location." +118106,709803,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-06-19 15:42:00,EST-5,2017-06-19 15:42:00,0,0,0,0,,NaN,,NaN,40.66,-74.07,40.66,-74.07,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 39 knots was measured at the National Ocean Service location at Robbins Reef." +118106,709804,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-06-19 15:44:00,EST-5,2017-06-19 15:44:00,0,0,0,0,,NaN,,NaN,40.5,-74.28,40.5,-74.28,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 44 knots was measured at the Perth Amboy mesonet site." +118106,709805,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-06-19 16:17:00,EST-5,2017-06-19 16:17:00,0,0,0,0,,NaN,,NaN,40.92,-73.73,40.92,-73.73,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 37 knots was measured at the Larchmont Harbor mesonet site." +118106,709806,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-06-19 16:19:00,EST-5,2017-06-19 16:19:00,0,0,0,0,,NaN,,NaN,40.6821,-74.1696,40.6821,-74.1696,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 43 knots was measured by the Newark-Liberty International Airport ASOS." +115929,696539,TENNESSEE,2017,May,Thunderstorm Wind,"OBION",2017-05-27 17:55:00,CST-6,2017-05-27 18:05:00,0,0,0,0,30.00K,30000,0.00K,0,36.4357,-89.3116,36.4434,-89.1094,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees and power lines down in Obion County. especially along Highway 22 from Union City to Samburg. Trees are also down in Clayton and Woodland Mills." +115929,696540,TENNESSEE,2017,May,Thunderstorm Wind,"OBION",2017-05-27 18:00:00,CST-6,2017-05-27 18:10:00,0,0,0,0,10.00K,10000,0.00K,0,36.2,-89.1225,36.2111,-89.0651,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Trees and power lines down." +122050,730655,IOWA,2017,December,Winter Weather,"VAN BUREN",2017-12-24 00:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports ranged from 2.8 inches in Keosauqua to 4.0 inches on the west side of Cantril." +122050,730656,IOWA,2017,December,Winter Weather,"JEFFERSON",2017-12-24 02:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","A trained spotter reported 2.5 inches 2 mile southeast of Fairfield." +117877,708476,SOUTH DAKOTA,2017,June,Tornado,"HAND",2017-06-13 15:32:00,CST-6,2017-06-13 15:33:00,0,0,0,0,0.00K,0,0.00K,0,44.86,-98.75,44.8608,-98.7482,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Another brief tornado touched down southwest of Zell with no damage reported. Scattered debris was noted by the storm survey." +117877,708488,SOUTH DAKOTA,2017,June,Tornado,"BROWN",2017-06-13 17:05:00,CST-6,2017-06-13 17:06:00,0,0,0,0,0.00K,0,0.00K,0,45.391,-98.0978,45.3923,-98.0967,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado touched down briefly south of Groton. No damage occurred." +122050,730657,IOWA,2017,December,Winter Weather,"KEOKUK",2017-12-24 00:45:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall reports in neighboring counties were: 1.0 inch at Ladora in Iowa County, 1.5 inches in Washington County, and 2.5 inches in Jefferson County." +122050,730658,IOWA,2017,December,Winter Weather,"IOWA",2017-12-24 04:00:00,CST-6,2017-12-24 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","Snowfall amounts or 1 inch were reported 2 miles southwest of Ladora and 4 miles north of Marengo." +117877,708504,SOUTH DAKOTA,2017,June,Tornado,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:23:00,0,0,0,0,,NaN,0.00K,0,45.8477,-96.9548,45.8527,-96.9525,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado touched down southwest of New Effington causing extensive tree damage with many trees snapped at their trunks or uprooted." +117877,710062,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SPINK",2017-06-13 16:20:00,CST-6,2017-06-13 16:20:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-98.36,45.16,-98.36,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty mph winds downed some large tree limbs." +117877,710090,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SPINK",2017-06-13 16:30:00,CST-6,2017-06-13 16:30:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-98.51,45.16,-98.51,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710092,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CLARK",2017-06-13 17:58:00,CST-6,2017-06-13 17:58:00,0,0,0,0,,NaN,0.00K,0,44.8149,-97.72,44.8149,-97.72,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710093,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CLARK",2017-06-13 18:05:00,CST-6,2017-06-13 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.9,-97.58,44.9,-97.58,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty-five mph winds were estimated." +117877,710094,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CODINGTON",2017-06-13 18:25:00,CST-6,2017-06-13 18:25:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-97.33,45.06,-97.33,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty mph winds were estimated." +115942,696848,NORTH DAKOTA,2017,June,Tornado,"CAVALIER",2017-06-09 17:45:00,CST-6,2017-06-09 18:11:00,0,0,0,0,1.50M,1500000,2.00M,2000000,48.81,-98.21,48.645,-97.9266,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","This tornado was partially engulfed in downburst winds and hail along its nearly 20 mile path. Large wooden power poles were snapped, roofing was stripped off of homes, steel pole sheds were totally dismantled, numerous steel grain bins were crushed, and large metal segments were carried for a mile or more downwind. Bean and grain fields were completely stripped. Peak winds were estimated at 120 mph." +115942,696678,NORTH DAKOTA,2017,June,Tornado,"CAVALIER",2017-06-09 17:27:00,CST-6,2017-06-09 17:29:00,0,0,0,0,100.00K,100000,5.00K,5000,48.81,-98.37,48.8028,-98.3438,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A weak tornado blew the doors off a seed company elevator and spread door and roof panels around the grounds in a circular pattern. Further downstream, the tornado snapped 6 power poles along 96th avenue northeast, a quarter mile east of highway 1. Peak winds were estimated at 105 mph." +115942,696852,NORTH DAKOTA,2017,June,Tornado,"BENSON",2017-06-09 18:08:00,CST-6,2017-06-09 18:20:00,0,0,0,0,200.00K,200000,10.00K,10000,48.26,-99.74,48.1811,-99.5601,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","This tornado and corresponding rear flank downdraft wind produced widespread dust, which greatly reduced the visibility. Numerous ash, poplar, cottonwood, and evergreen trees were snapped or uprooted in shelterbelts and groves along its path. Peak winds of 119 mph were measured by a mobile system." +115431,706329,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:25:00,CST-6,2017-06-11 08:25:00,0,0,0,0,0.00K,0,0.00K,0,45.14,-92.43,45.14,-92.43,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115929,696831,TENNESSEE,2017,May,Thunderstorm Wind,"SHELBY",2017-05-27 21:47:00,CST-6,2017-05-27 21:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.3645,-89.941,35.3348,-89.9073,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and overnight hours of May 27th. The storms severely impacted Shelby County. Winds downed over 480 trees across the county, with over 100 buildings damaged (many from falling trees). Over 180,000 people were without power. It took over a week for all power to be restored.","Tree down on trailer where one person was trapped for a short period of time and suffered minor injuries." +121262,726201,MONTANA,2017,December,Winter Storm,"JUDITH BASIN",2017-12-30 02:17:00,MST-7,2017-12-30 02:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along US-87 from Geyser to Eddie's Corner." +121262,726202,MONTANA,2017,December,Winter Storm,"FERGUS",2017-12-30 02:17:00,MST-7,2017-12-30 02:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along US-87 from Geyser to Eddie's Corner." +121478,727197,MONTANA,2017,December,Extreme Cold/Wind Chill,"TOOLE",2017-12-26 09:00:00,MST-7,2017-12-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic ridge of high pressure advanced southeastward from Alberta and Saskatchewan into Central and Eastern Montana. This allowed skies to clear on Christmas night into the morning of December 26th. These clearing skies and light winds allowed significant nocturnal cooling to occur. In addition, a few extreme wind chills were realized in North-Central Montana on the 26th.","MT DOT station near Sunburst reported wind chill of -47F with sustained wind of 11 mph." +115431,706335,WISCONSIN,2017,June,Thunderstorm Wind,"DUNN",2017-06-11 09:10:00,CST-6,2017-06-11 09:10:00,0,0,0,0,0.00K,0,0.00K,0,45.1657,-91.6996,45.17,-91.68,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Several trees were blown down in the Township of Sand Creek. An irrigation system also tipped over near Sand Creek." +122040,730618,CALIFORNIA,2017,December,Winter Weather,"SOUTHERN HUMBOLDT INTERIOR",2017-12-20 10:00:00,PST-8,2017-12-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper trough moved south across northern California and aided in high elevation snow, as well as small hail across the coast.","Estimated 2 inches of snow reported at Kneeland airport. Time estimated." +122040,730619,CALIFORNIA,2017,December,Winter Weather,"NORTHERN HUMBOLDT INTERIOR",2017-12-20 07:00:00,PST-8,2017-12-20 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper trough moved south across northern California and aided in high elevation snow, as well as small hail across the coast.","Snow on Wiregrass Ridge. Around 1 inch at 3000 feet, and 2 to 3 inches at 3300 feet. Location estimated. Report from social media." +122159,731212,MARYLAND,2017,December,Winter Storm,"GARRETT",2017-12-25 00:00:00,EST-5,2017-12-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapid warmup followed up a rapid cool down allowed rain to change to snow for Christmas morning. Heavy mountain snows were apparent for several hours of the morning. Oakland, MD, received 6 inches of snowfall over a very short window in the morning hours.","" +122160,731214,WEST VIRGINIA,2017,December,Winter Storm,"EASTERN TUCKER",2017-12-25 00:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rapid warmup followed up a rapid cool down allowed rain to change to snow for Christmas morning. Heavy mountain snows were apparent for several hours of the morning. Snow snow reports from eastern Tucker County, WV, include 6.7 inches at Canaan Valley and 6.4 inches at Canaan Heights.","" +122161,731219,MARYLAND,2017,December,Winter Storm,"GARRETT",2017-12-29 19:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 7 inches at McHenry and 6.4 inches at Oakland.","" +116394,699919,TEXAS,2017,June,Hail,"LAMB",2017-06-30 21:50:00,CST-6,2017-06-30 23:05:00,0,0,0,0,10.00M,10000000,20.00M,20000000,34.08,-102.52,33.8306,-102.1989,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","An intense, slow-moving supercell tracked slowly southeast along and near U.S. Highway 84 causing significant damage along its 28-mile path, particularly in Amherst and Littlefield. Wind driven hail as large as softballs devastated home siding, shattered windows, punctured roofs in homes, and severely damaged vehicles. An estimated 1500 homes and buildings in Amherst and Littlefield sustained moderate to severe hail damage, with many rural homes and outbuildings also affected. Financially, the greatest losses were dealt to approximately 50,000 acres of corn, cotton and sorghum. Those crops that avoided the worst hail succumbed to torrential rains, flooding and wash outs. Total crop losses are estimated at approximately $20 million. Many farmers were determined to replant with 90-day corn or sorghum." +116394,700103,TEXAS,2017,June,Thunderstorm Wind,"LAMB",2017-06-30 22:40:00,CST-6,2017-06-30 23:05:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-102.32,33.8381,-102.2214,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Intense straight line winds accompanied hail as great as 4 inches in diameter." +117673,707649,SOUTH DAKOTA,2017,June,Hail,"GRANT",2017-06-11 05:05:00,CST-6,2017-06-11 05:05:00,0,0,0,0,,NaN,,NaN,45,-96.57,45,-96.57,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","" +117673,707652,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CODINGTON",2017-06-11 04:40:00,CST-6,2017-06-11 04:40:00,0,0,0,0,,NaN,,NaN,44.92,-97.17,44.92,-97.17,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Seventy mph winds brought some trees down along with causing some power outages in Watertown." +117673,707654,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DEUEL",2017-06-11 04:50:00,CST-6,2017-06-11 04:50:00,0,0,0,0,,NaN,,NaN,44.85,-96.67,44.85,-96.67,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Eighty mph winds downed several trees along with snapping several evergreens off just off the ground." +116909,703058,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-11 12:06:00,CST-6,2017-06-11 12:06:00,0,0,0,0,0.00K,0,0.00K,0,45,-88.38,45,-88.38,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed numerous trees and power lines in Suring." +116909,703056,WISCONSIN,2017,June,Thunderstorm Wind,"MENOMINEE (C)",2017-06-11 11:53:00,CST-6,2017-06-11 11:53:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-88.63,44.88,-88.63,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed multiple trees and power lines across Keshena. Highway 55 had to be closed due to downed trees in the road. The time of this event is an estimate based on radar data." +116909,703062,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-11 12:08:00,CST-6,2017-06-11 12:08:00,0,0,0,0,3.50K,3500,0.00K,0,45.09,-88.4,45.09,-88.4,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds heavily damaged the roof of a cottage and downed several trees near Breed." +116909,703064,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-11 12:13:00,CST-6,2017-06-11 12:13:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-88.23,44.94,-88.23,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed numerous trees northwest of Oconto Falls." +115431,706337,WISCONSIN,2017,June,Thunderstorm Wind,"CHIPPEWA",2017-06-11 09:15:00,CST-6,2017-06-11 09:20:00,0,0,0,0,0.00K,0,0.00K,0,45.1258,-91.6062,45.1548,-91.5093,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","Several structures had vinyl siding damaged by large hail on Highway DD south of Highway 64 in Auburn Township. In addition, there were several large tree branches blown across Highway SS, near 87th Street, north of the city of Bloomer." +115569,694465,MINNESOTA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-13 23:25:00,CST-6,2017-06-13 23:25:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-93.44,44.67,-93.44,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","A few trees and a large shed were blown down south of Prior Lake, near the intersection of Panama St and 190th Ave SE." +115569,694466,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-13 23:30:00,CST-6,2017-06-13 23:30:00,0,0,0,0,0.00K,0,0.00K,0,44.854,-93.363,44.854,-93.363,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","A few trees and power lines were blown down near West Bush Lake Road and 84th St." +117159,710736,GEORGIA,2017,June,Flash Flood,"GWINNETT",2017-06-20 15:30:00,EST-5,2017-06-20 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.94,-84.1138,33.9372,-84.1108,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","A USGS stream gage on the Sweetwater Creek at Club Drive NW in Lilburn reached flood stage and crest at 13.4 feet. Minor flooding occurred in the woodlands downstream from the gage, and portions of the Northwood Country Club Golf Course were flooded upstream of the gage. An old concrete golf cart bridge downstream of the gage was also flooded with a few feet of water. Radar estimates indicate that 3 to 4 inches of rain occurred over the area." +117159,710737,GEORGIA,2017,June,Heavy Rain,"DE KALB",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-84.3,33.88,-84.3,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The KPDK ASOS reported 4.86 inches of rain for the 24-hour period ending at 9:30 PM EST." +117509,706764,KANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-26 17:25:00,CST-6,2017-06-26 17:28:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.62,38.82,-97.62,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","This was a delayed report of tree damage at the Salina Country Club where limbs around 1 foot in diameter were broken off. The time of the event is estimated from radar as well as previous reports." +117632,708176,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ERIE",2017-06-18 18:07:00,EST-5,2017-06-18 18:07:00,0,0,0,0,1.00K,1000,0.00K,0,41.9,-79.85,41.9,-79.85,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds knocked a tree down on some railroad tracks." +117159,710738,GEORGIA,2017,June,Heavy Rain,"ROCKDALE",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-83.94,33.67,-83.94,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the Yellow River on Gees Mill Road near Conyers, below Milstead, reported 4.06 inches of rain for the 24-hour period ending at 9:30 PM EST." +117159,710739,GEORGIA,2017,June,Heavy Rain,"DE KALB",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.87,-84.29,33.87,-84.29,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at a North Fork Peachtree Creek tributary on Dresden Drive reported 4.56 inches of rain for the 24-hour period ending at 9:30 PM EST." +118058,709883,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-06-19 10:23:00,EST-5,2017-06-19 10:23:00,0,0,0,0,0.00K,0,0.00K,0,26.2177,-81.8166,26.2177,-81.8166,"Scattered showers and storms moving across the South Florida peninsula during the late morning hours produced a strong wind gust as this activity moved offshore the Collier County coast.","A marine thunderstorm wind gust of 37 knots / 43 mph was recorded by the WeatherBug mesonet site NPLSR located at the Naples Grande Beach Resort." +115613,694389,IOWA,2017,June,Hail,"LINN",2017-06-15 11:19:00,CST-6,2017-06-15 11:19:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-91.8,42.18,-91.8,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","A spotter reported the hail near I-380 mile marker 32." +118239,710566,UTAH,2017,June,Thunderstorm Wind,"BOX ELDER",2017-06-20 16:00:00,MST-7,2017-06-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-112.61,41.91,-112.61,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","A peak wind gust of 59 mph was recorded at the Chaulk Hill sensor." +117509,706840,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-26 21:12:00,CST-6,2017-06-26 21:17:00,0,0,0,0,9.00K,9000,0.00K,0,37.07,-97.05,37.07,-97.05,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","Westar Energy reported 9 large power poles down between 151st and 131st Roads on 252nd Road just northwest of Arkansas City. Northern parts of Arkansas City were still without power." +118239,710567,UTAH,2017,June,Thunderstorm Wind,"TOOELE",2017-06-20 16:15:00,MST-7,2017-06-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-112.38,40.13,-112.38,"Isolated high-based thunderstorms developed across Utah on the evening of June 19, and then scattered thunderstorms developed on the afternoon of June 20. Most of these storms produced little rainfall, and the stronger storms over primarily northern Utah created strong microburst winds.","The Vernon Hill sensor recorded a maximum wind gust of 80 mph." +118489,711990,CALIFORNIA,2017,February,Heavy Snow,"MONO",2017-02-20 04:00:00,PST-8,2017-02-22 02:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern California on the 22nd, bringing heavy snow to the eastern Sierra and northeast California.","An estimated 3 to 4 feet of snow fell near the Sierra crest between the 20th and 22nd, with around 2 feet for high elevations east of Highway 395 (Lobdell Lake SNOTEL). Cooperative observers along Highway 395 received minimal snowfall (up to 2 inches) as snow levels remained elevated until early on the 22nd." +118489,711959,CALIFORNIA,2017,February,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-02-20 01:00:00,PST-8,2017-02-22 04:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Slow-moving low pressure moved from the eastern Pacific on the 20th into northern California on the 22nd, bringing heavy snow to the eastern Sierra and northeast California.","Four to 5 feet of snow was reported at ski areas from the 20th to the 22nd. Between 22 and 34 inches of snow was reported near lake level on the north and west sides of Lake Tahoe, with 15 to 17 inches near South Lake Tahoe. Interstate 80 was periodically closed due to spinouts and low visibility, with the longest full closure between 1422PST and 2129PST on the 21st." +118505,712010,MICHIGAN,2017,June,Thunderstorm Wind,"MACKINAC",2017-06-11 15:31:00,EST-5,2017-06-11 15:38:00,0,0,0,0,9.00K,9000,0.00K,0,45.8226,-84.7273,45.86,-84.64,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","A camper was flipped over on the Mackinac Bridge. A 60 mph gust was measured at the Mackinac Island Airport." +115430,697127,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:10:00,CST-6,2017-06-11 07:10:00,0,0,0,0,0.00K,0,0.00K,0,44.84,-93.82,44.84,-93.82,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Waconia Middle School wind observation." +115430,696062,MINNESOTA,2017,June,Hail,"HENNEPIN",2017-06-11 07:44:00,CST-6,2017-06-11 07:44:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-93.35,44.83,-93.35,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117723,708724,ALABAMA,2017,June,Tornado,"BALDWIN",2017-06-21 14:02:00,CST-6,2017-06-21 14:03:00,0,0,0,0,0.00K,0,0.00K,0,30.4655,-87.6758,30.467,-87.6759,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A public video captured a brief tornado touchdown in an open field just north of Engel Road and west of the Baldwin Beach Express." +117723,709899,ALABAMA,2017,June,Flash Flood,"BALDWIN",2017-06-20 23:18:00,CST-6,2017-06-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.249,-87.6852,30.2479,-87.6852,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Heavy rain caused flooding around the Castaways Condominium complex." +112039,668156,GEORGIA,2017,January,Winter Storm,"BARTOW",2017-01-06 14:00:00,EST-5,2017-01-07 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","The Bartow County 911 center as well as several COOP observers and the general public reported 2 to 2.5 inches of snow around the county, including the Cartersville, Adairsville and Kingston areas. The ASOS in Cartersville, KVPC reported .01 inches of freezing rain early in the evening." +117723,709936,ALABAMA,2017,June,Storm Surge/Tide,"LOWER BALDWIN",2017-06-22 05:05:00,CST-6,2017-06-22 14:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flooding of the Highway 90 causeway started roughly around 6am CDT with both the east and west bound lanes of the Causeway closed near the Interstate 10 interchange by 9am CDT. The flooding abated by 3 to 4pm CDT.||A sidewalk near the Fairhope pier was damaged by the coastal flooding. Bayfront park in Daphne also experienced flooding. ||The tidal gauge at the Coast Gurad Sector Mobile reached at 2.99 ft MHHW at 906am CDT." +117723,709940,ALABAMA,2017,June,Storm Surge/Tide,"LOWER MOBILE",2017-06-22 05:00:00,CST-6,2017-06-22 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Shell Belt Road in Bayou La Batre was flooded. The tidal gauge at Bayou La Batre reached 2.6 feet MHHW at 1130am CDT." +118126,709900,FLORIDA,2017,June,Flash Flood,"SANTA ROSA",2017-06-21 01:30:00,CST-6,2017-06-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.07,30.4013,-86.855,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across the western Florida Panhandle was from heavy rain and flooding. Storm total rainfall ranged from 5 to 10 inches across much of the western Florida Panhandle. The top rainfall report was from NAS Whiting Field which measured 9.46 inches. Based on radar estimates, up to a foot of rain likely fell in parts of eastern Santa Rosa County, but there were no gauge reports available from that area. The heavy rain resulted in periods of flash flooding. ||Minor coastal flooding was observed, particularly on Highway 399 in Santa Rosa County. Maximum inundation was just above 2 feet MHHW based on the Pensacola Bay tidal gauge. ||One EF-0 tornado occurred in southern Okaloosa County.","Several roads in Santa Rosa County were closed due to flash flooding, including Tibet Drive in Gulf Breeze, County Road 191 at Mary Kitchens Road near Garcon Point, and Ortega Street near Navarre." +118126,709902,FLORIDA,2017,June,Flash Flood,"ESCAMBIA",2017-06-21 09:30:00,CST-6,2017-06-21 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3961,-87.2833,30.3965,-87.2812,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across the western Florida Panhandle was from heavy rain and flooding. Storm total rainfall ranged from 5 to 10 inches across much of the western Florida Panhandle. The top rainfall report was from NAS Whiting Field which measured 9.46 inches. Based on radar estimates, up to a foot of rain likely fell in parts of eastern Santa Rosa County, but there were no gauge reports available from that area. The heavy rain resulted in periods of flash flooding. ||Minor coastal flooding was observed, particularly on Highway 399 in Santa Rosa County. Maximum inundation was just above 2 feet MHHW based on the Pensacola Bay tidal gauge. ||One EF-0 tornado occurred in southern Okaloosa County.","Reports of knee deep water the the Forest Creek Apartments." +117157,707124,GEORGIA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-15 17:00:00,EST-5,2017-06-15 17:20:00,0,0,0,0,15.00K,15000,,NaN,33.6771,-84.8901,33.701,-84.7418,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Douglas County Emergency Manager reported trees and power lines blown down across the central part of the county from southeast of Villa Rica to south of Douglasville. Locations include West Union Hill Road just east of Ephesus Church Road, Jason Industrial Parkway at Bankhead Highway, Highway 5 at Wenona Street, Baldwood Drive at Kings Highway, and on Jims Court." +117157,707138,GEORGIA,2017,June,Thunderstorm Wind,"FULTON",2017-06-15 17:10:00,EST-5,2017-06-15 17:15:00,0,0,0,0,7.00K,7000,,NaN,33.77,-84.4907,33.8071,-84.3504,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The local broadcast media reported trees and power lines blown down from west Atlanta to Morningside. Locations include Lynhurst Drive, Riverside, and Lenox Road." +117157,707145,GEORGIA,2017,June,Thunderstorm Wind,"COWETA",2017-06-15 17:25:00,EST-5,2017-06-15 17:55:00,0,0,0,0,10.00K,10000,,NaN,33.4253,-84.6502,33.3794,-84.9187,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Coweta County Emergency Manager reported numerous trees and a few power lines blown down across the northern end of the county from west of Newnan to northeast of Thomas Crossroads. Locations include Handy Road west of Summers McKoy Road, Dyers Road and Wagers Mill Road near Plant Yates, Welcome Road and Hope Shirey Road west of Newnan, Smokey Road west of Newnan, Highway 154 north of Thomas Crossroads, and around the intersection of Andrew Bailey Road and Kripple Kreek Drive." +117157,707177,GEORGIA,2017,June,Thunderstorm Wind,"HOUSTON",2017-06-15 20:05:00,EST-5,2017-06-15 20:35:00,0,0,0,0,15.00K,15000,,NaN,32.3905,-83.7254,32.5857,-83.5998,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Houston County 911 center reported numerous trees and powerlines blown down from near Elko to Warner Robins and Bonaire. Locations include Elko Road at Gilbert Road, Bear Branch Road at Sand Ridge Drive, Old Perry Road at Roberts Road, near the intersection of Chattooga Way and Hiawassee Drive, and on Elaine Drive." +117157,707179,GEORGIA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-15 20:15:00,EST-5,2017-06-15 20:20:00,0,0,0,0,1.00K,1000,,NaN,32.9399,-82.8107,32.9399,-82.8107,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Washington County 911 center reported a tree blown down on Highway 15 in Tennille." +117162,704783,GEORGIA,2017,June,Thunderstorm Wind,"FORSYTH",2017-06-23 18:55:00,EST-5,2017-06-23 19:10:00,0,0,0,0,6.00K,6000,,NaN,34.2095,-84.235,34.2548,-84.1067,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Forsyth County Emergency Manager reported trees blown down across the county from west of Cumming to Coal Mountain. Locations include around the intersection of Fowler Road and Fowler Hill Road, Hyde Road north of Drew Campground Road, near the intersection of Castleberry Road and Bethelview Road, and near the intersection o0f Dahlonega Highway and Punch Hammond Road." +117162,704784,GEORGIA,2017,June,Thunderstorm Wind,"HEARD",2017-06-23 19:05:00,EST-5,2017-06-23 19:15:00,0,0,0,0,5.00K,5000,,NaN,33.2336,-85.1818,33.3117,-85.1166,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Heard County 911 center reported trees blown down across southern Heard County from southeast of Texas to east of Franklin. Locations include near the intersection of Lipham Road and Straylott Road, along Highway 219 near the Troup County line, near the intersection of Franklin Parkway and Old Field Road, and on Minardi Drive near Puckett Drive." +117162,704789,GEORGIA,2017,June,Thunderstorm Wind,"COWETA",2017-06-23 19:35:00,EST-5,2017-06-23 19:45:00,0,0,0,0,1.00K,1000,,NaN,33.3689,-84.7991,33.3689,-84.7991,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Coweta County Emergency Manager reported a tree blown down near the intersection of Highway 29 South and Reese Street in Newnan. Line of storms had a history of producing wind damage in Heard County." +117162,704787,GEORGIA,2017,June,Thunderstorm Wind,"HALL",2017-06-23 19:30:00,EST-5,2017-06-23 19:40:00,0,0,0,0,6.00K,6000,,NaN,34.226,-83.8843,34.41,-83.8498,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Hall County 911 center reported several trees blown down from Oakwood to east of Murrayville. Locations include Oak Street in Oakwood where two trees were downed, near the intersection of Twin Oaks Lane and Oakfield Court in Murrayville, and near the intersection of Mt. Vernon Road and Buckhorn Road." +117010,705910,NEBRASKA,2017,June,Thunderstorm Wind,"DAWSON",2017-06-27 20:55:00,CST-6,2017-06-27 20:55:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-99.77,40.78,-99.77,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","" +115703,697492,KENTUCKY,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-23 17:25:00,EST-5,2017-06-23 17:25:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-85.24,37.69,-85.24,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Washington County officials reported multiple trees down across the county." +115703,697495,KENTUCKY,2017,June,Thunderstorm Wind,"ANDERSON",2017-06-23 17:35:00,EST-5,2017-06-23 17:35:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-84.9,38.04,-84.9,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Trees were reported down in the area due to severe thunderstorm winds." +115703,697587,KENTUCKY,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-23 17:42:00,EST-5,2017-06-23 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-85.29,37.35,-85.29,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","A tree fell across Reids Chapel Road." +115703,702407,KENTUCKY,2017,June,Flash Flood,"WOODFORD",2017-06-23 18:30:00,EST-5,2017-06-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-84.73,38.0543,-84.7492,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Roads were closed due to high water at Big Sink Pike and McAllens Ferry." +115703,702408,KENTUCKY,2017,June,Flash Flood,"TAYLOR",2017-06-23 18:38:00,EST-5,2017-06-23 18:38:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-85.38,37.3822,-85.3828,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","There was a swift water rescue on Salem Church Road." +115703,702409,KENTUCKY,2017,June,Flash Flood,"FAYETTE",2017-06-23 18:45:00,EST-5,2017-06-23 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-84.49,38.0515,-84.4982,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Officials reported numerous roads closed around Lexington due to high water. Broadway Street was closed in several places." +118357,711286,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:50:00,CST-6,2017-06-20 14:50:00,0,0,0,0,,NaN,,NaN,38.48,-100.91,38.48,-100.91,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711287,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 15:23:00,CST-6,2017-06-20 15:23:00,0,0,0,0,,NaN,,NaN,38.4,-100.95,38.4,-100.95,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711288,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 15:31:00,CST-6,2017-06-20 15:31:00,0,0,0,0,,NaN,,NaN,38.61,-101.1,38.61,-101.1,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711289,KANSAS,2017,June,Hail,"TREGO",2017-06-20 15:32:00,CST-6,2017-06-20 15:32:00,0,0,0,0,,NaN,,NaN,38.86,-99.92,38.86,-99.92,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711290,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 16:14:00,CST-6,2017-06-20 16:14:00,0,0,0,0,,NaN,,NaN,38.44,-100.91,38.44,-100.91,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +117011,706121,NEBRASKA,2017,June,Hail,"FRANKLIN",2017-06-28 23:48:00,CST-6,2017-06-28 23:48:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-99.15,40.08,-99.15,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","" +117012,706126,KANSAS,2017,June,Hail,"MITCHELL",2017-06-28 21:09:00,CST-6,2017-06-28 21:09:00,0,0,0,0,0.00K,0,0.00K,0,39.5235,-98.0913,39.5235,-98.0913,"During a roughly 30-hour period between the early morning hours of Wednesday the 28th and Thursday the 29th, essentially three separate rounds of thunderstorms affected this six-county North Central Kansas area. While the vast majority of this activity was sub-severe, there were two reports meeting severe-criteria. First of all, during the first of the three rounds during the pre-dawn hours of the 28th, a storm briefly intensified around 1 a.m. CDT, producing a wind gust of 58 MPH at Rooks County Regional Airport. This round of convection moved out of the local area by sunrise, followed by several hours of storm-free weather through the day. Then, around sunset on the 28th, another round of convection erupted over eastern portions of the area, with radar indicative of severe weather potential mainly within Mitchell and Jewell counties. The only ground-truth report from this activity consisted of quarter size hail near Beloit around 10 p.m. CDT. As this round eventually weakened and/or drifted eastward into northeast Kansas, yet another cluster of storms moved in from the west after 3:30 a.m. CDT on the 29th, with radar again indicative of at least marginally severe hail and/or wind within parts of the area. However, the only ground-truth report consisted of sub-severe dime size hail in Stockton around 4 a.m. CDT, with this entire North Central Kansas area again storm-free by 7:30 a.m. CDT. ||These rounds of nocturnal convection were very typical of late-June, with the mid-upper levels featuring quasi-zonal flow and a series of passing, low-amplitude shortwave troughs. On both nights/early mornings, a strong southerly low level jet (evident per 850 millibar analysis) aided convective initiation/sustainment. At the surface, all of this activity occurred in the vicinity of a slow-moving front meandering over the region. Through much of the 28th, this boundary drifted southeastward into North Central Kansas as a weak cold front, but by the evening and overnight hours it stalled out and began lifting back north.","" +117012,710831,KANSAS,2017,June,Thunderstorm Wind,"ROOKS",2017-06-28 00:00:00,CST-6,2017-06-28 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-99.3,39.35,-99.3,"During a roughly 30-hour period between the early morning hours of Wednesday the 28th and Thursday the 29th, essentially three separate rounds of thunderstorms affected this six-county North Central Kansas area. While the vast majority of this activity was sub-severe, there were two reports meeting severe-criteria. First of all, during the first of the three rounds during the pre-dawn hours of the 28th, a storm briefly intensified around 1 a.m. CDT, producing a wind gust of 58 MPH at Rooks County Regional Airport. This round of convection moved out of the local area by sunrise, followed by several hours of storm-free weather through the day. Then, around sunset on the 28th, another round of convection erupted over eastern portions of the area, with radar indicative of severe weather potential mainly within Mitchell and Jewell counties. The only ground-truth report from this activity consisted of quarter size hail near Beloit around 10 p.m. CDT. As this round eventually weakened and/or drifted eastward into northeast Kansas, yet another cluster of storms moved in from the west after 3:30 a.m. CDT on the 29th, with radar again indicative of at least marginally severe hail and/or wind within parts of the area. However, the only ground-truth report consisted of sub-severe dime size hail in Stockton around 4 a.m. CDT, with this entire North Central Kansas area again storm-free by 7:30 a.m. CDT. ||These rounds of nocturnal convection were very typical of late-June, with the mid-upper levels featuring quasi-zonal flow and a series of passing, low-amplitude shortwave troughs. On both nights/early mornings, a strong southerly low level jet (evident per 850 millibar analysis) aided convective initiation/sustainment. At the surface, all of this activity occurred in the vicinity of a slow-moving front meandering over the region. Through much of the 28th, this boundary drifted southeastward into North Central Kansas as a weak cold front, but by the evening and overnight hours it stalled out and began lifting back north.","" +117012,711013,KANSAS,2017,June,Hail,"ROOKS",2017-06-29 03:13:00,CST-6,2017-06-29 03:13:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-99.28,39.43,-99.28,"During a roughly 30-hour period between the early morning hours of Wednesday the 28th and Thursday the 29th, essentially three separate rounds of thunderstorms affected this six-county North Central Kansas area. While the vast majority of this activity was sub-severe, there were two reports meeting severe-criteria. First of all, during the first of the three rounds during the pre-dawn hours of the 28th, a storm briefly intensified around 1 a.m. CDT, producing a wind gust of 58 MPH at Rooks County Regional Airport. This round of convection moved out of the local area by sunrise, followed by several hours of storm-free weather through the day. Then, around sunset on the 28th, another round of convection erupted over eastern portions of the area, with radar indicative of severe weather potential mainly within Mitchell and Jewell counties. The only ground-truth report from this activity consisted of quarter size hail near Beloit around 10 p.m. CDT. As this round eventually weakened and/or drifted eastward into northeast Kansas, yet another cluster of storms moved in from the west after 3:30 a.m. CDT on the 29th, with radar again indicative of at least marginally severe hail and/or wind within parts of the area. However, the only ground-truth report consisted of sub-severe dime size hail in Stockton around 4 a.m. CDT, with this entire North Central Kansas area again storm-free by 7:30 a.m. CDT. ||These rounds of nocturnal convection were very typical of late-June, with the mid-upper levels featuring quasi-zonal flow and a series of passing, low-amplitude shortwave troughs. On both nights/early mornings, a strong southerly low level jet (evident per 850 millibar analysis) aided convective initiation/sustainment. At the surface, all of this activity occurred in the vicinity of a slow-moving front meandering over the region. Through much of the 28th, this boundary drifted southeastward into North Central Kansas as a weak cold front, but by the evening and overnight hours it stalled out and began lifting back north.","" +116588,701120,ARKANSAS,2017,June,Flash Flood,"ASHLEY",2017-06-23 09:30:00,CST-6,2017-06-23 10:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.2378,-91.8715,33.2281,-91.8706,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affected the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Ashley County Road 12 was closed due to water over the roadway." +116588,701123,ARKANSAS,2017,June,Flood,"ASHLEY",2017-06-23 17:10:00,CST-6,2017-06-23 19:10:00,0,0,0,0,5.00K,5000,0.00K,0,33.1924,-91.8345,33.2037,-91.8224,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affected the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Ashley County Road 17 was flooded." +116270,700334,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-16 16:47:00,CST-6,2017-06-16 16:47:00,0,0,0,0,3.00K,3000,0.00K,0,32.521,-88.8656,32.521,-88.8656,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down on Wildcat Road." +116270,700335,MISSISSIPPI,2017,June,Flash Flood,"LAUDERDALE",2017-06-16 16:45:00,CST-6,2017-06-16 20:45:00,0,0,0,0,3.00K,3000,0.00K,0,32.53,-88.9,32.5347,-88.8809,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Water covered Highway 19." +116270,700336,MISSISSIPPI,2017,June,Flash Flood,"BOLIVAR",2017-06-16 16:55:00,CST-6,2017-06-16 20:15:00,0,0,0,0,3.00K,3000,0.00K,0,33.7379,-90.7477,33.7379,-90.743,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Water covered the road near Bishop and Terrace streets following torrential downpours that lasted 30 minutes." +116270,700337,MISSISSIPPI,2017,June,Thunderstorm Wind,"BOLIVAR",2017-06-16 16:45:00,CST-6,2017-06-16 16:55:00,0,0,0,0,25.00K,25000,0.00K,0,33.8182,-90.9695,33.75,-90.72,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down across the county." +116270,707596,MISSISSIPPI,2017,June,Thunderstorm Wind,"COVINGTON",2017-06-16 20:21:00,CST-6,2017-06-16 20:23:00,0,0,0,0,5.00K,5000,0.00K,0,31.56,-89.5,31.56,-89.5,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Multiple trees were blown down in Seminary." +116270,707634,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-16 20:27:00,CST-6,2017-06-16 20:29:00,0,0,0,0,3.00K,3000,0.00K,0,31.51,-89.38,31.51,-89.38,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down onto a power line along Guthrie Carter Road." +116270,707648,MISSISSIPPI,2017,June,Thunderstorm Wind,"JEFFERSON DAVIS",2017-06-16 19:58:00,CST-6,2017-06-16 20:30:00,0,0,0,0,50.00K,50000,0.00K,0,31.75,-89.93,31.45,-89.8,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging wind that blew down numerous trees and power lines across Jefferson Davis County. Some trees fell onto and damaged sheds." +115513,693649,TEXAS,2017,June,Thunderstorm Wind,"CHILDRESS",2017-06-15 17:36:00,CST-6,2017-06-15 17:36:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-100.28,34.43,-100.28,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Measured by the Childress ASOS." +115513,693651,TEXAS,2017,June,Thunderstorm Wind,"MOTLEY",2017-06-15 18:15:00,CST-6,2017-06-15 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-100.6,34.27,-100.6,"Very hot temperatures helped fuel scattered thunderstorms over the South Plains and also in the far southeast Texas Panhandle this afternoon. Some of these high-based storms acquired rotation and produced bursts of large hail, flooding and destructive downbursts.","Measured by a Texas Tech University West Texas mesonet." +115451,693291,TEXAS,2017,June,Hail,"FLOYD",2017-06-12 20:43:00,CST-6,2017-06-12 20:43:00,0,0,0,0,,NaN,,NaN,33.9084,-101.4164,33.9084,-101.4164,"Isolated storms formed along a late spring season dryline over the central South Plains. With abundant instability, these storms quickly became severe and produced very large hail and strong wind gusts. Several vehicles were damaged in and around Plainview (Hale County) from large hail.","A trained spotter reported hail up to two inches in diameter. Damage was unknown." +115451,693289,TEXAS,2017,June,Hail,"HALE",2017-06-12 18:08:00,CST-6,2017-06-12 18:11:00,0,0,0,0,,NaN,,NaN,34.1898,-101.7124,34.2307,-101.7371,"Isolated storms formed along a late spring season dryline over the central South Plains. With abundant instability, these storms quickly became severe and produced very large hail and strong wind gusts. Several vehicles were damaged in and around Plainview (Hale County) from large hail.","Numerous reports were received of hail ranging from two to three inches in diameter from the southwest through northwest sides of Plainview. Many vehicles sustained significant damage including shattered windows. Also, hundreds of homes and businesses on the west and northwest side of Plainview received varying degrees of roof damage. Monetary damage estimates were unavailable at the time of this entry." +115530,694325,MONTANA,2017,June,Thunderstorm Wind,"MCCONE",2017-06-16 17:37:00,MST-7,2017-06-16 17:37:00,0,0,0,0,0.00K,0,0.00K,0,47.6904,-105.4929,47.6904,-105.4929,"Amid otherwise benign rain showers, a subtle dry-line became the focus for some stronger rain showers and a few isolated thunderstorms, one of which produced severe downdraft winds in eastern McCone County.","Cow Creek MT-13 DOT site recorded a 60 mph wind gust as a strong rain shower was passing by." +115610,694401,WEST VIRGINIA,2017,June,Flash Flood,"BOONE",2017-06-19 07:44:00,EST-5,2017-06-19 11:45:00,0,0,0,0,5.00K,5000,0.00K,0,37.9739,-81.8797,37.9823,-81.8924,"A slow moving cold front, combined with an upper level trough brought showers and thunderstorms late on the 18th into the 19th. Some pockets of heavy rain occurred within the overall area of showers and thunderstorms, leading to flash flooding in the West Virginia Coal Fields. Two to three inches of rain fell across a localized part of Boone and Logan Counties.","Six mile creek overflowed its banks, flooding Six Mile Road near Dakota Lane." +115641,695467,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:45:00,EST-5,2017-06-19 12:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.2501,-76.6642,40.2501,-76.6642,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires at the intersection of Sand Hill and Hilltop Roads near Hershey." +115641,695468,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:45:00,EST-5,2017-06-19 12:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.1909,-76.6232,40.1909,-76.6232,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on Route 283 near mile-marker 10.2." +115641,695548,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-19 13:30:00,EST-5,2017-06-19 13:30:00,0,0,0,0,3.00K,3000,0.00K,0,40.1805,-76.18,40.1805,-76.18,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree on a house in Ephrata." +115641,695549,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEBANON",2017-06-19 13:30:00,EST-5,2017-06-19 13:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.33,-76.51,40.33,-76.51,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees along Route 422 between Palmyra and Lebanon." +115641,695551,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEBANON",2017-06-19 13:45:00,EST-5,2017-06-19 13:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.2486,-76.4796,40.2486,-76.4796,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and large limbs on Timber and Hillcrest Roads near Mount Gretna." +115641,695552,PENNSYLVANIA,2017,June,Thunderstorm Wind,"SCHUYLKILL",2017-06-19 13:05:00,EST-5,2017-06-19 13:05:00,0,0,0,0,2.00K,2000,0.00K,0,40.86,-76.24,40.86,-76.24,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Ringtown." +115933,696584,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-02 16:58:00,CST-6,2017-06-02 16:58:00,0,0,0,0,,NaN,,NaN,48.32,-98.94,48.32,-98.94,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","A six inch diameter apple tree was snapped." +115933,696585,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-02 16:59:00,CST-6,2017-06-02 17:04:00,0,0,0,0,,NaN,,NaN,48.28,-98.9,48.28,-98.9,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Nickel to half dollar sized hail fell." +115933,696586,NORTH DAKOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-02 17:00:00,CST-6,2017-06-02 17:00:00,0,0,0,0,,NaN,,NaN,48.27,-99.01,48.27,-99.01,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Three trees about 12 to 18 inches in diameter were twisted and snapped. Dime sized hail and 1.25 inches of rain were also reported." +116110,697853,ARIZONA,2017,June,Excessive Heat,"GREATER PHOENIX AREA",2017-06-19 10:00:00,MST-7,2017-06-25 20:00:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the desert southwest during the latter portion of June 2017, and this led to widespread and prolonged excessive heat across the lower deserts of southeast California as well as southern Arizona. High temperatures over the hotter deserts, including the greater Phoenix area, routinely exceeded 112 degrees each day and many of the hotter deserts approached or even exceeded 120 degrees at times. Numerous high temperature records were tied or broken, including those at Phoenix. Although an Excessive Heat Warning ran for 10 consecutive days across the lower deserts, the hottest period ran from Monday June 19 through Wednesday June 21; Phoenix reached highs of 118, 119 and 116 on those 3 days respectively. The extremely dangerous heat was responsible for the death of an elderly couple living in a retirement community in Apache Junction on the far eastern portion of the greater Phoenix area; the couple was found dead in their extremely hot apartment with the air conditioner not functional.","Strong high pressure aloft developed over the desert southwest and this lead to a prolonged period of excessive heat across the central Arizona deserts during the second half of June 2017. High temperatures each day routinely reached or exceeded 112 degrees, occasionally breaking records in the process. An Excessive Heat Warning was issued for the greater Phoenix area; it ran for 10 consecutive days starting on Saturday June 17. The most significant heat occurred in a 7 day stretch beginning on Monday June 19 when the mercury at Phoenix hit 118 degrees, setting a new record. 119 was hit the following day. The long stretch of dangerous heat claimed 2 victims; on Friday June 23rd, local sheriff's deputies responded to a welfare check at the Palmas Del Sol East retirement community in Apache Junction. They found the apartment to be extremely hot, with fans running at their maximum setting and the air conditioner not functioning. Two people were found dead in the apartment due to the excessive and dangerous heat. The high temperature in Phoenix on Friday was 112 degrees and this was the sixth consecutive day where the high reached or exceeded 110 degrees." +115922,696528,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-06-27 14:25:00,EST-5,2017-06-27 14:25:00,0,0,0,0,0.00K,0,0.00K,0,27.96,-80.53,27.96,-80.53,"A collision of the west and east coast sea breezes generated numerous thunderstorms across east-central Florida. One storm became strong and produced a wind gusts over 34 knots along the Brevard County coast.","A mesonet site on the Indian River (XIND) measured a peak wind gust of 34 knots from the north as a strong thunderstorm moved offshore the southern Brevard county coast." +115998,697228,SOUTH CAROLINA,2017,June,Rip Current,"CHARLESTON",2017-06-18 13:05:00,EST-5,2017-06-18 13:06:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A few rip currents occurred along parts of the Southeast South Carolina beaches as a south wind developed along the western edge of Atlantic high pressure.","A lifeguard reported one female rescue in a small rip current about 400 feet east of the groin at Folly Beach State Park." +115999,697313,GEORGIA,2017,June,Rip Current,"COASTAL CHATHAM",2017-06-19 09:00:00,EST-5,2017-06-19 12:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A south/southwest wind along with large swell helped produce a few rip currents along the beaches of Southeast Georgia.","Lifeguards reported 5 rescues along Tybee Island beach due to rip currents between 50 to 70 yards wide and 25 to 35 yards long." +115964,696939,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 16:17:00,MST-7,2017-06-27 16:17:00,0,0,0,0,,NaN,0.00K,0,43.7343,-103.358,43.7343,-103.358,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696943,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"FALL RIVER",2017-06-27 15:55:00,MST-7,2017-06-27 15:55:00,0,0,0,0,0.00K,0,0.00K,0,43.37,-103.38,43.37,-103.38,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696947,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"FALL RIVER",2017-06-27 15:57:00,MST-7,2017-06-27 15:57:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-103.76,43.43,-103.76,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696949,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 15:49:00,MST-7,2017-06-27 15:49:00,0,0,0,0,,NaN,0.00K,0,43.87,-103.7439,43.87,-103.7439,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696951,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:20:00,MST-7,2017-06-27 16:20:00,0,0,0,0,,NaN,0.00K,0,44.08,-103.43,44.08,-103.43,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Pine trees were snapped and part of a roof was damaged by the wind." +115964,696953,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:25:00,MST-7,2017-06-27 16:25:00,0,0,0,0,0.00K,0,0.00K,0,44.018,-103.2411,44.018,-103.2411,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696956,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:30:00,MST-7,2017-06-27 16:30:00,0,0,0,0,,NaN,0.00K,0,44.03,-103.18,44.03,-103.18,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","A metal building was damaged by the wind." +116439,700288,ILLINOIS,2017,June,Thunderstorm Wind,"SANGAMON",2017-06-17 21:59:00,CST-6,2017-06-17 22:04:00,0,0,0,0,0.00K,0,0.00K,0,39.71,-89.64,39.71,-89.64,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","A large tree limb was snapped off." +116439,700289,ILLINOIS,2017,June,Thunderstorm Wind,"EFFINGHAM",2017-06-18 02:04:00,CST-6,2017-06-18 02:09:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-88.62,38.95,-88.62,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous tree limbs and power lines were blown down in Mason. Two semi trailers were blown over." +116439,700290,ILLINOIS,2017,June,Thunderstorm Wind,"EFFINGHAM",2017-06-18 02:06:00,CST-6,2017-06-18 02:11:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-88.57,39.02,-88.57,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","A large tree was blown across train tracks, stopping rail traffic." +115954,700416,OHIO,2017,June,Flood,"HIGHLAND",2017-06-24 04:40:00,EST-5,2017-06-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-83.7429,39.0704,-83.7457,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Taylorsville Road was closed due to high water." +115954,700417,OHIO,2017,June,Flood,"HIGHLAND",2017-06-24 04:40:00,EST-5,2017-06-24 06:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1716,-83.7654,39.1716,-83.7641,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Abernathy Road was closed due to high water." +116354,699773,VERMONT,2017,June,Flood,"CHITTENDEN",2017-06-30 05:15:00,EST-5,2017-06-30 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,44.5565,-73.2602,44.2813,-73.2221,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern Vermont from Chittenden County into Lamoille and Washington Counties. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Heavy rainfall from the overnight hours of June 29 into early morning June 30 caused flooding across Chittenden County on June 30. In Hinesburg, nearly every hill road sustained damage. High water on the Browns River flooded portions of Route 128 in Essex, the Huntington River spilled its banks and threatened a home in Huntington, and water covered Pine Island Road in Colchester." +116354,700567,VERMONT,2017,June,Flash Flood,"CHITTENDEN",2017-06-29 23:30:00,EST-5,2017-06-30 01:00:00,0,0,0,0,350.00K,350000,0.00K,0,44.2981,-73.2028,44.425,-73.2097,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern Vermont from Chittenden County into Lamoille and Washington Counties. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Heavy rainfall from the overnight hours of June 29 into early morning June 30 caused Flash Flooding across southern Chittenden County. The worst flood damage was in Hinesburg, where nearly every hill road sustained damage. Lincoln Hill and Beecher Hill Roads were particularly hard hit with destroyed culverts and major damage." +116507,700651,ILLINOIS,2017,June,Flash Flood,"JEFFERSON",2017-06-04 14:00:00,CST-6,2017-06-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-88.93,38.3505,-89.0442,"A weak cold front over eastern Missouri triggered numerous showers and thunderstorms. Some of these storms were very slow-moving and produced copious amounts of rain.","Some area creeks and streams rose out of their banks several miles southwest of Mt. Vernon. A trained spotter in the area measured 3.75 inches of rain in an hour and 45 minutes." +116507,700650,ILLINOIS,2017,June,Flood,"WAYNE",2017-06-04 12:00:00,CST-6,2017-06-04 15:30:00,0,0,0,0,0.00K,0,0.00K,0,38.38,-88.37,38.4419,-88.499,"A weak cold front over eastern Missouri triggered numerous showers and thunderstorms. Some of these storms were very slow-moving and produced copious amounts of rain.","Standing water was reported over portions of U.S. Highway 45 just north of Jeffersonville." +115548,693770,TEXAS,2017,June,Excessive Heat,"MOTLEY",2017-06-17 13:25:00,CST-6,2017-06-17 16:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +115548,693771,TEXAS,2017,June,Excessive Heat,"CROSBY",2017-06-17 14:35:00,CST-6,2017-06-17 16:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In advance of a Canadian cold front, a dome of exceptionally hot and dry air overspread much of the Texas South Plains. High temperatures in many locations of 110 to 112 degrees were the hottest recorded since the infamous summer heatwave of 2011. At Lubbock, a new daily record high of 112 degrees was set which fell just two degrees shy of tying the all-time hottest temperature set on 27 June 1994. Amazingly, no heat-related illnesses were reported that required medical attention. This was fortunate particularly in areas of west and northwest Lubbock where old power grids blacked out at times during the afternoon. Also fortunate was the fact this was a dry heat as maximum heat indices were held to around 100 degrees. All event entries recorded highs of at least 110 degrees, with maximums of 112 set at both Lubbock International Airport and near Lake Alan Henry (Garza County).","" +116342,700878,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-15 16:04:00,CST-6,2017-06-15 16:04:00,0,0,0,0,50.00K,50000,0.00K,0,32.35,-88.69,32.35,-88.69,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","A tree was blown down on a house." +116342,700877,MISSISSIPPI,2017,June,Flash Flood,"LAUDERDALE",2017-06-15 16:22:00,CST-6,2017-06-15 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.35,-88.7,32.3516,-88.6959,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","Flooding occurred on North Frontage Road." +116484,701162,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-23 14:44:00,CST-6,2017-06-23 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,31.6172,-89.1032,31.5824,-89.105,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred on Old Highway 15 South. George Boutwell Road was flooded in multiple locations." +115742,697043,KENTUCKY,2017,June,Flash Flood,"BOYD",2017-06-23 20:35:00,EST-5,2017-06-24 02:00:00,0,0,0,0,60.00K,60000,0.00K,0,38.4684,-82.7109,38.3868,-82.7335,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Widespread flash flooding caused road closures across the county. Laurel Creek flooded, with water flowing over the bridge at State Route 3 and Jula Lane in Cannonsburg. Hood Creek came out of its banks, closing State Route 5 near Rockhouse Road. One driver had to be rescued. Water flowed over a bridge near the intersection of Prichard and Iowa Street in Westwood due to flooding along Little Hood Creek. In the Rush area, Long Branch Road and State Route 854 were closed due to flooding from Long Branch and Garner Creek. One house received minor flood damage." +115744,695678,WEST VIRGINIA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-23 17:45:00,EST-5,2017-06-23 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.063,-81.7814,39.063,-81.7814,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Multiple trees were blown down along Milhoan Ridge Road." +116971,703461,ILLINOIS,2017,June,Flash Flood,"PERRY",2017-06-23 08:05:00,CST-6,2017-06-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-89.23,38.0492,-89.3964,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall across southern Illinois, with pockets of flash flooding.","Flash flooding was reported in Pinckneyville. A section of Highway 13 on the south side of town was blocked due to flooding. Photos of flooded roads were relayed via social media. Rainfall rates of two inches per hour were not uncommon, with storm totals between three and four inches." +116971,703468,ILLINOIS,2017,June,Flash Flood,"JACKSON",2017-06-23 07:30:00,CST-6,2017-06-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-89.55,37.9434,-89.33,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall across southern Illinois, with pockets of flash flooding.","Flooded roadways were reported in the Ava and Campbell Hill area. Rainfall rates of two inches per hour were not uncommon, with storm totals from four to five inches." +116971,703464,ILLINOIS,2017,June,Flood,"FRANKLIN",2017-06-23 08:30:00,CST-6,2017-06-23 11:30:00,0,0,0,0,40.00K,40000,0.00K,0,38,-89.05,37.9956,-89.0215,"The remnants of Tropical Storm Cindy moved northward from the central Gulf coast, while a cold front approached the Ohio Valley from the northwest. The tropical moisture from Cindy was squeezed out by the approaching cold front. Precipitable water values ranged from 2 to 2.4 inches, and marginal elevated instability was sufficient for embedded thunderstorms. The result was widespread heavy rainfall across southern Illinois, with pockets of flash flooding.","A portion of a local side road was washed out." +116956,703398,KENTUCKY,2017,June,Flash Flood,"CALLOWAY",2017-06-17 17:45:00,CST-6,2017-06-17 21:00:00,0,0,0,0,100.00K,100000,0.00K,0,36.65,-88.45,36.7102,-88.2828,"A slow-moving cluster of thunderstorms produced localized flash flooding between Benton and Murray. The storms occurred in a very warm and moist southwest wind flow ahead of a cold front over northwest Missouri. A weak 500 mb trough axis extended from the Ohio Valley to the central Gulf coast.","Several roads across the northwest part of the county were flooded and closed, including Kentucky Highway 299. Kentucky Highway 783 was closed due to a washout. Flash flooding of the north fork of Duncan Creek impacted a residence just east of Kentucky Highway 299. Floodwaters rose rapidly toward the residence, prompting a response from the emergency management agency. A barn was submerged in three feet of water from the creek. A high water rescue was conducted on a county road west of U.S. Highway 641 due to a vehicle that was driven into floodwaters. A couple miles northwest of Almo, multiple people were trapped in a vehicle caught in a flooded creek. A water rescue was conducted. A trained spotter a few miles southwest of Hardin measured 4.75 inches of rain." +117060,704160,WYOMING,2017,June,Flood,"FREMONT",2017-06-03 12:00:00,MST-7,2017-06-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9591,-108.5078,42.9546,-108.468,"A cool and wet winter and spring built up abnormally large snow pack across the Wind River Range. Warmer weather in June caused rapid melting of the snow and resulted in flooding along the Little Wind River for several weeks. The River Gauge at Riverton peaked above 10 feet. Flooding was most notable around portions of the Wind River Reservation where homes close to the river had flood waters surrounding them and some roads near the River were flooded and closed for several days. However, ample preparation and sandbagging efforts kept property damage to a minimum. The waters receded around June 22nd as water levels dropped below flood stage.","Rain and rapid snow melt brought flooding along the Little Wind River. The most notable flooding was on the Wind River Reservation near Arapahoe. The water surrounded several homes along the River Bank, however, sandbagging efforts were successful and little property damage was noted." +117453,709545,IOWA,2017,June,Tornado,"MARION",2017-06-28 16:57:00,CST-6,2017-06-28 17:26:00,0,0,0,0,75.00K,75000,5.00K,5000,41.3364,-93.3284,41.4515,-93.0556,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Tornado moved into Marion County from Warren County. The tornado remained in rural portions of the county south and east of Pleasantville with the tornado lifting just southwest of Otley. Several rural residences received light damage with much tree damage along the path." +116599,701211,CALIFORNIA,2017,June,Heat,"EAST BAY INTERIOR VALLEYS",2017-06-20 20:30:00,PST-8,2017-06-21 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bay Area had its first summer heat wave starting June 17th and lasting until the 23rd. Strong high pressure and offshore flow brought record breaking heat to the area not seen since 2008 and 2006. The heat wave stretched across much of the rest of the state as well as the Desert Southwest. Heat Advisories and Excessive Heat Warnings were issued across the Central Coast. There were at least two confirmed human fatalities in Santa Clara county from the heat as well as widespread power outages.","Several hundred residents were without power across the San Francisco Bay Area on Tuesday night due to the heat http://www.ktvu.com/weather/weather-news-headlines/262766743-story." +115482,693458,OHIO,2017,June,Thunderstorm Wind,"MERCER",2017-06-13 18:20:00,EST-5,2017-06-13 18:30:00,0,0,0,0,3.00K,3000,0.00K,0,40.56,-84.5,40.56,-84.5,"Strong to severe thunderstorms developed in a hot and humid airmass. Some the thunderstorms produced flash flooding.","Several trees were knocked down and powerlines were also downed, north of Grand Lake St. Marys in the eastern part of the county." +115624,694554,OHIO,2017,June,Hail,"FRANKLIN",2017-06-19 17:06:00,EST-5,2017-06-19 17:08:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-83.01,39.98,-83.01,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","" +115624,694555,OHIO,2017,June,Thunderstorm Wind,"DARKE",2017-06-19 14:45:00,EST-5,2017-06-19 14:50:00,0,0,0,0,0.50K,500,0.00K,0,40.18,-84.59,40.18,-84.59,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","One small tree was knocked down on Greenville-St.Marys Road." +115624,694556,OHIO,2017,June,Thunderstorm Wind,"SHELBY",2017-06-19 15:12:00,EST-5,2017-06-19 15:17:00,0,0,0,0,1.00K,1000,0.00K,0,40.25,-84.2,40.25,-84.2,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","A tree was knocked down onto Schenk Road." +115624,694557,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 17:14:00,EST-5,2017-06-19 17:19:00,0,0,0,0,0.00K,0,0.00K,0,40,-82.89,40,-82.89,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","" +115624,694558,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 17:03:00,EST-5,2017-06-19 17:08:00,0,0,0,0,3.00K,3000,0.00K,0,40.01,-83.03,40.01,-83.03,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","Multiple large trees, two to three feet in diameter, were knocked down near The Ohio State University campus." +115624,694560,OHIO,2017,June,Thunderstorm Wind,"CLARK",2017-06-19 16:05:00,EST-5,2017-06-19 16:10:00,0,0,0,0,3.00K,3000,0.00K,0,39.96,-83.86,39.96,-83.86,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","Playground equipment was knocked into a parked vehicle." +115624,694562,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 17:05:00,EST-5,2017-06-19 17:10:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-83.07,40.03,-83.07,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","Several trees were knocked down." +116970,703458,IOWA,2017,June,Thunderstorm Wind,"CLAYTON",2017-06-28 15:55:00,CST-6,2017-06-28 15:55:00,0,0,0,0,2.00K,2000,0.00K,0,42.98,-91.39,42.98,-91.39,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Trees were blown down northwest of Farmersburg." +116970,703459,IOWA,2017,June,Thunderstorm Wind,"WINNESHIEK",2017-06-28 15:03:00,CST-6,2017-06-28 15:03:00,0,0,0,0,1.00K,1000,0.00K,0,43.18,-91.86,43.18,-91.86,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","A tree was snapped off in Calmar." +116970,704860,IOWA,2017,June,Thunderstorm Wind,"CLAYTON",2017-06-28 16:23:00,CST-6,2017-06-28 16:23:00,0,0,0,0,3.00K,3000,0.00K,0,42.96,-91.25,42.96,-91.25,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Power lines and a large, two-foot diameter tree were blown down southwest of McGregor." +116970,704870,IOWA,2017,June,Heavy Rain,"FAYETTE",2017-06-28 13:15:00,CST-6,2017-06-28 17:21:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-91.81,42.96,-91.81,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","In West Union, 4.75 inches of rain fell." +116970,705006,IOWA,2017,June,Flash Flood,"FAYETTE",2017-06-28 18:17:00,CST-6,2017-06-28 19:45:00,0,0,0,0,0.00K,0,0.00K,0,42.82,-91.88,42.8201,-91.8774,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Locally heavy rains pushed the Little Volga River out of its banks north of Maynard and over 130th Street." +116970,705074,IOWA,2017,June,Hail,"CHICKASAW",2017-06-28 14:59:00,CST-6,2017-06-28 14:59:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-92.24,43.06,-92.24,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","" +116970,705506,IOWA,2017,June,Flood,"CLAYTON",2017-06-28 22:25:00,CST-6,2017-06-30 04:40:00,0,0,0,0,0.00K,0,0.00K,0,42.7517,-91.3814,42.7511,-91.382,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Runoff from heavy rains pushed the Volga River out of its banks in Littleport. The river crested almost two and a half feet above the flood stage at 14.4 feet." +114222,685694,MISSOURI,2017,March,Thunderstorm Wind,"NODAWAY",2017-03-06 18:51:00,CST-6,2017-03-06 18:54:00,0,0,0,0,,NaN,,NaN,40.4,-94.74,40.4,-94.74,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A shed was blown into Road 220 near Ravenwood." +117449,706514,ALABAMA,2017,June,Thunderstorm Wind,"CALHOUN",2017-06-15 15:00:00,CST-6,2017-06-15 15:02:00,0,0,0,0,0.00K,0,0.00K,0,33.77,-85.81,33.77,-85.81,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Numerous trees uprooted between the towns of Weaver and Saks." +117365,705789,NEW YORK,2017,June,Hail,"SARATOGA",2017-06-27 14:20:00,EST-5,2017-06-27 14:20:00,0,0,0,0,,NaN,,NaN,42.8703,-73.726,42.8703,-73.726,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Quarter size hail was reported during a thunderstorm in the hamlet of Newtown in the town of Halfmoon." +117365,705791,NEW YORK,2017,June,Thunderstorm Wind,"HERKIMER",2017-06-27 14:10:00,EST-5,2017-06-27 14:10:00,0,0,0,0,,NaN,,NaN,43.0475,-74.8597,43.0475,-74.8597,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed due to thunderstorm winds in Little Falls." +117365,705793,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-27 14:58:00,EST-5,2017-06-27 14:58:00,0,0,0,0,,NaN,,NaN,43.1,-74.27,43.1,-74.27,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed in Mayfield due to thunderstorm winds." +117365,705792,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-27 14:47:00,EST-5,2017-06-27 14:47:00,0,0,0,0,,NaN,,NaN,43.05,-74.34,43.05,-74.34,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed near Gloversville due to thunderstorm winds." +117365,705797,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-27 15:02:00,EST-5,2017-06-27 15:02:00,0,0,0,0,,NaN,,NaN,43.0716,-74.158,43.0716,-74.158,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed along Bornt Road east of Broadalbin due to thunderstorm winds." +117473,706494,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-30 15:28:00,EST-5,2017-06-30 15:28:00,4,0,0,0,,NaN,,NaN,42.4974,-73.6742,42.4974,-73.6742,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Four people suffered minor injuries after a fireworks display tent collapsed at the Pilot truck stop on Route 9 in Schodack due to severe thunderstorm winds." +117473,706495,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-30 15:32:00,EST-5,2017-06-30 15:32:00,0,0,0,0,,NaN,,NaN,42.496,-73.52,42.496,-73.52,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Route 20 was closed between Bliss School House Road and Route 66 due to downed trees and wires in the town of Nassau as a result of thunderstorm winds." +117473,706496,NEW YORK,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-30 15:40:00,EST-5,2017-06-30 15:40:00,0,0,0,0,,NaN,,NaN,42.4704,-73.3798,42.4704,-73.3798,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A tree was downed blocking US Highway 20 in Lebanon Springs due to thunderstorm winds." +117474,706502,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-30 15:51:00,EST-5,2017-06-30 15:51:00,0,0,0,0,,NaN,,NaN,42.4561,-73.2434,42.4561,-73.2434,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which results in some downed trees across the Berkshires.","A tree was down blocking the road at the intersection of Cherry Street and Willow Street in Pittsfield due to thunderstorm winds." +119594,717508,MINNESOTA,2017,August,Funnel Cloud,"SIBLEY",2017-08-06 13:36:00,CST-6,2017-08-06 13:36:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-93.92,44.71,-93.92,"During the afternoon of Sunday, August 6th, scattered showers developed across most of Minnesota, and into western Wisconsin. A few storms also developed and led to several outflow boundaries, and caused funnel clouds to form along the interaction of these boundaries. No touchdowns occurred during this event.","Numerous funnel clouds were reported near Green Isle, Minnesota." +117765,708092,NEW MEXICO,2017,August,Hail,"UNION",2017-08-14 17:26:00,MST-7,2017-08-14 17:31:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-103.09,35.92,-103.09,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Hail up to the size of quarters near Amistad with one inch of rain in 20 minutes." +117670,707568,WISCONSIN,2017,June,Hail,"SHEBOYGAN",2017-06-12 18:45:00,CST-6,2017-06-12 18:45:00,0,0,0,0,,NaN,,NaN,43.75,-87.96,43.75,-87.96,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","" +117670,707571,WISCONSIN,2017,June,Hail,"WASHINGTON",2017-06-12 18:30:00,CST-6,2017-06-12 18:30:00,0,0,0,0,,NaN,,NaN,43.32,-88.39,43.32,-88.39,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","" +117670,707586,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:00:00,CST-6,2017-06-12 18:10:00,0,0,0,0,2.00K,2000,,NaN,43.53,-88.56,43.53,-88.56,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Six to 12 inch diameter tree limbs down." +117765,708095,NEW MEXICO,2017,August,Hail,"HARDING",2017-08-14 18:11:00,MST-7,2017-08-14 18:14:00,0,0,0,0,0.00K,0,0.00K,0,35.45,-103.45,35.45,-103.45,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Hail up to the size of nickels with strong winds." +117670,707588,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:06:00,CST-6,2017-06-12 18:18:00,0,0,0,0,3.00K,3000,0.00K,0,43.59,-88.4502,43.59,-88.44,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Large tree limbs down in Lomira." +117670,707589,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 17:55:00,CST-6,2017-06-12 18:10:00,0,0,0,0,3.00K,3000,0.00K,0,43.45,-88.85,43.45,-88.85,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Many tree limbs down on southwest side of Beaver Dam." +117670,707591,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:00:00,CST-6,2017-06-12 18:15:00,0,0,0,0,50.00K,50000,0.00K,0,43.5,-88.57,43.4982,-88.5289,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Numerous trees and power lines down throughout Mayville. Some trees uprooted, others snapped. A large tree on a house and trees down on vehicles. City Works Department using front end loaders to clear the streets from fallen trees." +117670,707592,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 17:46:00,CST-6,2017-06-12 17:53:00,0,0,0,0,1.00K,1000,0.00K,0,43.54,-89,43.54,-89,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","One 12 inch diameter tree down." +117670,707593,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:01:00,CST-6,2017-06-12 18:05:00,0,0,0,0,,NaN,,NaN,43.41,-88.69,43.41,-88.69,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Estimated 60 mph wind gust." +117759,708026,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-06-11 15:00:00,EST-5,2017-06-11 15:10:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Another line of strong storms with gusty winds moved across Lake Superior on the afternoon of the 11th.","Thunderstorm wind gusts measured at the Stannard Rock Light station." +117759,708027,LAKE SUPERIOR,2017,June,Marine Thunderstorm Wind,"HURON ISLANDS TO MARQUETTE MI",2017-06-11 14:20:00,EST-5,2017-06-11 14:25:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-87.68,46.84,-87.68,"Another line of strong storms with gusty winds moved across Lake Superior on the afternoon of the 11th.","A measured thunderstorm wind gust at the Big Bay Light station." +117774,708069,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-06-16 16:19:00,EST-5,2017-06-16 16:24:00,0,0,0,0,0.00K,0,0.00K,0,45.46,-87.32,45.46,-87.32,"An upper disturbance moving across a stalled frontal boundary produced strong to severe storms over the bay of Green Bay on the 16th.","Several trees reported down near Highway M-35." +117776,708079,MICHIGAN,2017,June,Hail,"DICKINSON",2017-06-16 11:45:00,CST-6,2017-06-16 11:49:00,0,0,0,0,0.00K,0,0.00K,0,45.79,-87.94,45.79,-87.94,"An upper disturbance moving along a stalled out frontal boundary produced severe thunderstorms over south central Upper Michigan on the 16th.","The trained spotter near Norway reported nickel sized hail." +117776,708080,MICHIGAN,2017,June,Thunderstorm Wind,"MENOMINEE",2017-06-16 14:45:00,CST-6,2017-06-16 14:50:00,0,0,0,0,0.50K,500,0.00K,0,45.53,-87.67,45.53,-87.67,"An upper disturbance moving along a stalled out frontal boundary produced severe thunderstorms over south central Upper Michigan on the 16th.","There was a public report of a large tree broken near the base near the town of Banat. The tree was estimated to be ten inches in diameter." +117776,708081,MICHIGAN,2017,June,Thunderstorm Wind,"MENOMINEE",2017-06-16 15:19:00,CST-6,2017-06-16 15:25:00,0,0,0,0,1.50K,1500,0.00K,0,45.46,-87.32,45.46,-87.32,"An upper disturbance moving along a stalled out frontal boundary produced severe thunderstorms over south central Upper Michigan on the 16th.","There were several trees down along Highway M-35 from thunderstorm winds." +117777,708082,MICHIGAN,2017,June,Hail,"DELTA",2017-06-17 17:55:00,EST-5,2017-06-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,45.999,-87.07,45.999,-87.07,"A severe thunderstorm dropped golf ball sized hail just north of Perkins in the early evening of the 17th.","There was a report of golf ball hail sized two miles north of Perkins." +117791,708131,ALABAMA,2017,June,Flash Flood,"AUTAUGA",2017-06-18 04:45:00,CST-6,2017-06-18 10:15:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-86.69,32.43,-86.42,"Thunderstorms developed during the early morning hours of June 18th across portions of south central Alabama. The convection formed along a upper trough axis that stretched from Mobile, Alabama, northeastward into northwest Georgia. The storms were slow moving due to light upper level winds near the trough axis.","Heavy rainfall during the early morning hours produced rainfall amounts of 3-5 inches in a time span of two to three hours. Widespread flooding was reported over the eastern half of Autauga County. Up to four feet of water was reported at the intersection of Highway 82 and County Road 21. Flooding washed out portions of Manning Road. Vehicle with occupants became trapped by the rising water on County Road 59." +115462,693340,COLORADO,2017,June,Hail,"LARIMER",2017-06-12 15:15:00,MST-7,2017-06-12 15:15:00,0,0,0,0,,NaN,,NaN,40.56,-105.01,40.56,-105.01,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693341,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:35:00,MST-7,2017-06-12 15:35:00,0,0,0,0,,NaN,,NaN,40.94,-104.3,40.94,-104.3,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693342,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:40:00,MST-7,2017-06-12 15:40:00,0,0,0,0,,NaN,,NaN,40.95,-104.37,40.95,-104.37,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115458,693371,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WELLS",2017-06-10 03:50:00,CST-6,2017-06-10 03:55:00,0,0,0,0,0.00K,0,0.00K,0,47.49,-99.68,47.49,-99.68,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693317,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PIERCE",2017-06-09 17:37:00,CST-6,2017-06-09 18:00:00,0,0,0,0,75.00K,75000,0.00K,0,48.36,-100.12,48.3689,-99.9962,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Very strong straight line winds occurred with a thunderstorm that moved from west of Rugby into Rugby. The strongest wind gust reported was an instantaneous, non-averaged measurement of 104 mph taken three miles west of Rugby by a research team from the National Severe Storms Laboratory, which would correlate to an estimated 87 mph 5-second average gust based upon past published research. Four miles west-northwest of Rugby a large, older barn collapsed. In Rugby, large evergreen trees were uprooted at the cemetery at the northwest end of town." +117797,708148,MICHIGAN,2017,June,Thunderstorm Wind,"SAGINAW",2017-06-17 15:47:00,EST-5,2017-06-17 15:58:00,0,0,0,0,80.00K,80000,0.00K,0,43.1746,-84.3684,43.232,-84.1168,"A severe thunderstorm tracking in from Gratiot County produced a path of wind damage in Fenmore in Saginaw County associated with straight line winds with wet micro-bursts leading to pockets of enhanced damage. Another severe thunderstorm producing wind damage occurred over Sandusky in Sanilac county.","Pockets of damage observed roughly along a 12 mile southwest-northeast path. Estimated 100 trees snapped or uprooted, otherwise just lots of minor tree damage. Structural damage to outhouse. A couple old barns collapsed or destroyed. Large uprooted tree landed on deck of a house. One house suffered roof damage. A garage door was caved in, leading to walls of garage buckling. Damage to house awning." +117612,707293,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:50:00,CST-6,2017-06-08 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.8,35.11,-101.8,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707294,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:55:00,CST-6,2017-06-08 19:55:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.8,35.11,-101.8,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117612,707296,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 20:10:00,CST-6,2017-06-08 20:10:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.87,34.98,-101.87,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","NWS employee estimated 70 MPH winds." +117612,707297,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 20:12:00,CST-6,2017-06-08 20:12:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.92,34.98,-101.92,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","Trained spotter estimated 60 MPH wind gusts." +117613,707980,TEXAS,2017,June,Hail,"GRAY",2017-06-13 15:30:00,CST-6,2017-06-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-101.05,35.55,-101.05,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","Pea to marble size hail with nickel mixed in at 152 and Price in Pampa." +116467,700463,VIRGINIA,2017,June,Thunderstorm Wind,"BEDFORD",2017-06-04 16:14:00,EST-5,2017-06-04 16:14:00,0,0,0,0,0.50K,500,,NaN,37.23,-79.56,37.23,-79.56,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts knocked down a tree." +116467,700467,VIRGINIA,2017,June,Thunderstorm Wind,"BEDFORD",2017-06-04 16:18:00,EST-5,2017-06-04 16:18:00,0,0,0,0,0.50K,500,,NaN,37.09,-79.588,37.09,-79.588,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts caused a large limb to fall and block Smith Mountain Lake Parkway." +116467,700476,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-04 17:14:00,EST-5,2017-06-04 17:14:00,0,0,0,0,1.00K,1000,,NaN,36.7903,-79.5984,36.7903,-79.5984,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts caused multiple trees to fall over Maple Road." +116467,700479,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-04 17:24:00,EST-5,2017-06-04 17:24:00,0,0,0,0,0.50K,500,,NaN,36.8814,-79.182,36.8814,-79.182,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts caused a tree to fall down across Riceville Road." +116467,700453,VIRGINIA,2017,June,Thunderstorm Wind,"HALIFAX",2017-06-04 17:30:00,EST-5,2017-06-04 17:30:00,0,0,0,0,0.50K,500,,NaN,36.8314,-79.0812,36.8314,-79.0812,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts caused a tree to fall down on Chatham Road." +116467,700460,VIRGINIA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-04 15:33:00,EST-5,2017-06-04 15:33:00,0,0,0,0,5.00K,5000,,NaN,36.97,-80.11,36.97,-80.11,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Multiple trees down on and near 5 Mile Mountain Road likely caused by a microburst." +117107,704533,VIRGINIA,2017,June,Heavy Rain,"GRAYSON",2017-06-15 16:00:00,EST-5,2017-06-15 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-81.08,36.66,-81.08,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","A storm spotter measured rainfall of 3.62 inches in 50 minutes, between 310 and 400 PM EST. Per NOAA Atlas 14 this is slightly in excess of the 200-year annual recurrence interval or .005 Annual Exceedance Probability." +117107,704534,VIRGINIA,2017,June,Heavy Rain,"GRAYSON",2017-06-15 16:00:00,EST-5,2017-06-15 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.66,-81.08,36.66,-81.08,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","A spotter reported training thunderstorms with heavy rain totaling up to 3.72 inches along a ridgetop near Independence, VA." +117107,704540,VIRGINIA,2017,June,Flash Flood,"GRAYSON",2017-06-15 16:09:00,EST-5,2017-06-15 18:09:00,0,0,0,0,2.00K,2000,0.00K,0,36.604,-81.1866,36.6153,-81.1268,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","Water was reported flowing across Riverside Road (Route 274), partially washing it out. Large rocks were left blocking the road." +118021,709496,ARIZONA,2017,June,Excessive Heat,"SOUTH CENTRAL PINAL COUNTY",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperature recorded during the period was 115 degrees at Picacho Peak." +118021,709497,ARIZONA,2017,June,Excessive Heat,"SOUTHEAST PINAL COUNTY",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperature recorded during the period was 111 degrees at San Manuel." +118021,709499,ARIZONA,2017,June,Excessive Heat,"UPPER GILA RIVER AND ARAVAIPA VALLEYS",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperature recorded during the period were 113 at the Safford Ag Center, 112 at the Safford Airport and 110 at Duncan." +118021,709502,ARIZONA,2017,June,Excessive Heat,"WHITE MOUNTAINS OF GRAHAM AND GREENLEE COUNTIES",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +117400,706040,TEXAS,2017,June,Flash Flood,"THROCKMORTON",2017-06-02 09:37:00,CST-6,2017-06-02 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-99.18,33.1804,-99.1559,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","Multiple roads were closed in and around Throckmorton, including U.S. Highway 380 east." +117400,706041,TEXAS,2017,June,Flash Flood,"THROCKMORTON",2017-06-02 09:42:00,CST-6,2017-06-02 09:42:00,0,0,0,0,0.00K,0,0.00K,0,33.17,-99.19,33.1777,-99.1887,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","At 942 AM, the West Texas Mesonet located near Lake Throckmorton measured 7.09 inches of rainfall. A total of 8.44 inches of rain fell." +117400,709336,TEXAS,2017,June,Thunderstorm Wind,"NOLAN",2017-06-02 18:18:00,CST-6,2017-06-02 18:18:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-100.53,32.35,-100.53,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","The Texas Tech West Texas Mesonet about 11 miles southwest of Sweetwater measured a 70 mph thunderstorm wind gust." +117595,707174,NEVADA,2017,June,Heat,"LAS VEGAS VALLEY",2017-06-30 00:00:00,PST-8,2017-06-30 23:59:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died of heat-related causes in the Las Vegas Valley.","Two people died of heat-related causes in the Las Vegas Valley." +117604,707236,CALIFORNIA,2017,June,Flood,"INYO",2017-06-02 12:00:00,PST-8,2017-06-30 23:59:00,0,0,0,0,10.00M,10000000,0.00K,0,37.4477,-118.4093,37.4293,-118.7293,"After exceptionally heavy snow during the winter, warming temperatures led to significant snowmelt runoff in the Eastern Sierra and the Owens Valley. The episode continued into July. The total estimated damage from the episode was reported in this month.","Widespread flooding occurred in western Inyo County due to melting of exceptionally heavy winter snowpack in the Sierra. Numerous roads, bridges, culverts, and other structures were damaged. The event continued into July. The damage estimate for the entire event is given in this month." +117453,709547,IOWA,2017,June,Tornado,"WARREN",2017-06-28 17:18:00,CST-6,2017-06-28 17:19:00,0,0,0,0,0.00K,0,0.00K,0,41.184,-93.6865,41.1851,-93.6769,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","A brief tornado developed east of New Virginia and moved through a rural field before lifting." +112346,669803,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-07 13:23:00,EST-5,2017-01-07 13:23:00,0,0,0,0,0.00K,0,0.00K,0,26.0966,-80.1082,26.0966,-80.1082,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 54 MPH / 47 knots was reported by a CWOP station AU497 at 1:23 PM EST. Instrument is on top of a building at a height of almost 400 feet above ground level." +118106,709808,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-06-19 17:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,,NaN,,NaN,40.8579,-73.7897,40.8579,-73.7897,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 35 knots was measured at the City Island mesonet site." +118106,709809,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-06-19 17:02:00,EST-5,2017-06-19 17:02:00,0,0,0,0,,NaN,,NaN,40.9,-73.63,40.9,-73.63,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 43 knots was measured at the Bayville mesonet site." +118106,709812,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-06-19 15:34:00,EST-5,2017-06-19 15:34:00,0,0,0,0,0.00K,0,0.00K,0,40.6827,-74.1692,40.6827,-74.1692,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 55 knots was measured by the Newark-Liberty International Airport ASOS." +117751,709487,MICHIGAN,2017,June,Flood,"MIDLAND",2017-06-23 02:00:00,EST-5,2017-06-27 22:57:00,0,0,0,0,0.00K,0,0.00K,0,43.8127,-84.616,43.4636,-84.6008,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Widespread flash flooding across Midland county was slow to recede, with flooding persisting through the entire day on June 23rd. Meanwhile, near record flooding occurred on the Tittabawassee River, which peaked at 32.15 feet on June 24th at 7 PM EDT. The river fell below flood stage on June 27th at 1157 PM EDT." +118106,709811,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-06-19 17:15:00,EST-5,2017-06-19 17:15:00,0,0,0,0,,NaN,,NaN,40.96,-73.58,40.96,-73.58,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 38 knots was measured by Buoy 44040 in Western Long Island Sound." +117339,706194,INDIANA,2017,June,Thunderstorm Wind,"FOUNTAIN",2017-06-16 18:05:00,EST-5,2017-06-16 18:05:00,0,0,0,0,1.50K,1500,,NaN,39.9678,-87.2738,39.9678,-87.2738,"A storm developed within a cluster of convection along the Illinois-Indiana state line, northwest of Cayuga. This storm continued to develop and push east southeast, causing tree damage in southern Fountain County.","Several tree limbs of unknown size were downed in the Kingman area due to damaging thunderstorm wind gusts." +116528,700719,OHIO,2017,June,Flash Flood,"CUYAHOGA",2017-06-30 17:30:00,EST-5,2017-06-30 23:30:00,0,0,0,0,120.00K,120000,0.00K,0,41.3877,-81.4856,41.5549,-81.5913,"A cold front advanced eastward from the Midwest by the evening of the 30th. A seasonably warm and moist airmass over Northern Ohio generated enough instability for the development of thunderstorms. As an upper-level trough propagated into the region, shower and thunderstorm coverage increased and evolved into several clusters. In some locations, the thunderstorms produced repeated heavy rain leading to flash flooding.","Flash flooding began to gradually develop by around 6 PM as several clusters of thunderstorms producing heavy rain traversed Cleveland and surrounding suburbs. In the city of Cleveland, I-77 had several lanes under water near Grant Road by around 5:30 PM. Other city streets also experienced flooding. I-480 at Ridge Road experienced flooding with two cars submerged in Brooklyn. Street flooding and water rescues were also reported in Bedford Heights and Garfield Heights. The same area was affected by a flash flood in April, where many of the same businesses were impacted though not as severely this time. There were flooded cars stranded in parking lots off of Brookpark Road. Brookpark road was closed for several hours. A few homes had water in their basements.||Doppler radar rainfall amounts were estimated at nearly three inches by 7:50 PM across the county. The majority of the thunderstorms and heavy rain exited the area by 10:30 PM with only light rain remaining. Most flooding subsided by 12:30 AM on the 31st. Rainfall rates were measured around 5 inches per hour at the peak of the storm. Some rainfall reports in the area: Jennings Parkway 3.03, Olmsted Falls 3.30, and Cleveland Hopkins Airport had 2.24." +117877,708506,SOUTH DAKOTA,2017,June,Tornado,"ROBERTS",2017-06-13 19:25:00,CST-6,2017-06-13 19:26:00,0,0,0,0,0.00K,0,0.00K,0,45.8851,-96.9201,45.886,-96.9177,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado touched down and damaged a tree grove. Multiple trees were uprooted or snapped at the trunk. Large branches were downed and tossed multiple directions." +122050,730661,IOWA,2017,December,Winter Weather,"WASHINGTON",2017-12-24 03:00:00,CST-6,2017-12-24 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Fairfield to Burlington where 2 to 4 inches of snow was reported. From the previously mentioned line northward to the U.S. Highway 30 corridor 1 to 2 inches of snow fell.","The COOP Observer in Washington reported 1.5 inches." +117877,708509,SOUTH DAKOTA,2017,June,Tornado,"DAY",2017-06-13 18:29:00,CST-6,2017-06-13 18:30:00,0,0,0,0,,NaN,0.00K,0,45.3122,-97.6343,45.3152,-97.6341,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado briefly occurred to the southeast of Holmquist. The tornado destroyed a farm shed, throwing much of the debris about 150 yards to the north. The tornado tracked north through a shelter belt, snapping and uprooting numerous trees before dissipating shortly after entering a farm field." +117877,710061,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SULLY",2017-06-13 16:12:00,CST-6,2017-06-13 16:12:00,0,0,0,0,,NaN,0.00K,0,44.7,-99.76,44.7,-99.76,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","An estimated seventy-five mph wind uprooted two trees." +117877,710095,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:31:00,CST-6,2017-06-13 18:31:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-97.61,45.34,-97.61,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710096,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:33:00,CST-6,2017-06-13 18:33:00,0,0,0,0,0.00K,0,0.00K,0,45.25,-97.41,45.25,-97.41,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty-five mph winds were estimated." +117877,710097,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:35:00,CST-6,2017-06-13 18:35:00,0,0,0,0,0.00K,0,0.00K,0,45.29,-97.52,45.29,-97.52,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710098,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DAY",2017-06-13 18:50:00,CST-6,2017-06-13 18:50:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-97.39,45.34,-97.39,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +116417,702637,CALIFORNIA,2017,June,Excessive Heat,"CENTRAL SACRAMENTO VALLEY",2017-06-17 00:00:00,PST-8,2017-06-23 00:00:00,2,0,2,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure ridging brought an unusually long and strong heat wave for the month of June, with a remarkable 24 new record high temperatures and 16 record high minimum temperatures being set in the area. At the peak of the heat wave on the 21st, Redding reached 112, Red Bluff 113, Marysville 112, downtown Sacramento 108 and Stockton 108. A heat related fatality was reported in Sacramento County, two in Glenn County, as well as multiple people hospitalized due to the heat. There were nine cooling centers opened at the peak of the heat event in Sacramento County. Several power outages were reported at a hospital in Sacramento, and one roadway may have had damage due to the heat.","Glenn County had 4 heat related hospital visits, with two fatalities where heat was a contributing factor, along with hypo-tonic dehydration. One of the fatalities was located in a mobile home without air conditioning, found on 06/17/2017 at 1926 PDT. The temperature of the house was over 100 inside. The other individual was located outside, in an orchard, found on 06/20/2017 at 1816 PDT. This person was not homeless. An Excessive Heat Warning was in effect for the area. High temperatures in downtown Sacramento were 111 on the 18th (record), 113 on the 19th (record), 110 on the 20th (record), 110 on the 21st (record), 110 on the 22nd, 109 on the 23rd, and 112 on the 24th." +115942,696667,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CAVALIER",2017-06-09 16:46:00,CST-6,2017-06-09 16:46:00,0,0,0,0,100.00K,100000,500.00K,500000,48.99,-98.81,48.99,-98.81,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","The wind gust was measured by a sensor along the Canadian border. Nearby corn and small grain fields were stripped of their leaves by wind driven hail. Evergreen and poplar trees were uprooted and steel grain bins were damaged in various farmsteads across Byron Township." +116417,700054,CALIFORNIA,2017,June,Excessive Heat,"SOUTHERN SACRAMENTO VALLEY",2017-06-18 00:00:00,PST-8,2017-06-23 00:00:00,0,0,4,2,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure ridging brought an unusually long and strong heat wave for the month of June, with a remarkable 24 new record high temperatures and 16 record high minimum temperatures being set in the area. At the peak of the heat wave on the 21st, Redding reached 112, Red Bluff 113, Marysville 112, downtown Sacramento 108 and Stockton 108. A heat related fatality was reported in Sacramento County, two in Glenn County, as well as multiple people hospitalized due to the heat. There were nine cooling centers opened at the peak of the heat event in Sacramento County. Several power outages were reported at a hospital in Sacramento, and one roadway may have had damage due to the heat.","The Sacramento County Coroner reported a total of 6 heat related deaths in the county. One victim was a 88-year-old woman found outside her home in Elk Grove on June 16th. She had been doing yard work. Her air conditioner was on inside her residence. Another decedent was a 36 year old male found collapsed behind his residence in the city of Sacramento on June 19th. Cause of death was hyperthermia due to environmental heat exposure in combination with acute methamphetamine intoxication. He died at Sutter Medical Center. Another decedent was a 53 year old male found unresponsive on Two Rivers Trail at N. 7th Street in the city of Sacramento on June 21st. Cause of death was hyperthermia due to environmental heat exposure in combination with acute methamphetamine intoxication. He died at Sutter Medical Center. Another decedent was a 56 year old male that collapsed in his home on June 22nd in the city of Sacramento. it is unknown if his air conditioner was broken, but no air was on when he was found. He���d made statements to family that he was hot, but refused to accept help. He died at Kaiser Hospital ��� South. Another decedent was an 89 year old female with extensive medical history that was found unresponsive in her home on June 20th in the city of Sacramento. Decedent had an air conditioner. It is unknown if it was broken or just turned off. She died after an extended stay at Kaiser Hospital ��� South from heat stroke. Another decedent was an 83 year old female with extensive medical history that was found unresponsive on June 20th in her home in the city of Sacramento. She had air conditioning, but it was turned off. She died at after an extensive stay at Sutter Medical Center. Cause of death was hyperthermia due to heat stroke. | |An Excessive Heat Warning was in effect for the area through the period. High temperatures in downtown Sacramento were 106 on the 18th (record), 107 on the 19th (record), 106 on the 20th, 106 on the 21st, and 108 on the 22nd (record)." +115569,694467,MINNESOTA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-13 23:40:00,CST-6,2017-06-13 23:44:00,0,0,0,0,0.00K,0,0.00K,0,44.64,-93.15,44.6409,-93.1346,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Several trees and power lines were blown down near the intersection of Highway 50 and Highway 3 in Farmington." +121150,725270,NORTH DAKOTA,2017,December,Blizzard,"WESTERN WALSH",2017-12-04 10:00:00,CST-6,2017-12-04 15:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +118177,710187,NEBRASKA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-27 19:40:00,CST-6,2017-06-27 19:40:00,0,0,0,0,25.00K,25000,0.00K,0,41.36,-100.45,41.36,-100.45,"A warm front situated along the high plains combined with a shortwave aloft to bring numerous thunderstorms, many of which were severe, to a large part of western and north central Nebraska.","Shed destroyed. The bottom plate was nailed down, but the studs looked partially rotted." +121150,725271,NORTH DAKOTA,2017,December,Blizzard,"NELSON",2017-12-04 10:00:00,CST-6,2017-12-04 15:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121201,725538,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BENSON",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121201,725539,NORTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"RAMSEY",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121150,725272,NORTH DAKOTA,2017,December,Blizzard,"EASTERN WALSH",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +116394,700104,TEXAS,2017,June,Thunderstorm Wind,"HOCKLEY",2017-06-30 23:05:00,CST-6,2017-06-30 23:30:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-102.18,33.75,-102.09,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Intense straight line winds accompanied hail as great as baseball size." +116394,700108,TEXAS,2017,June,Hail,"YOAKUM",2017-06-30 23:35:00,CST-6,2017-06-30 23:35:00,0,0,0,0,,NaN,,NaN,33.18,-102.83,33.18,-102.83,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Damage, if any, was unknown." +116394,700123,TEXAS,2017,June,Flood,"LUBBOCK",2017-06-30 23:50:00,CST-6,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,33.5258,-101.728,33.5461,-101.7028,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Sections of FM Road 835 and County Road 7000 flooded and were eventually closed by Texas DPS officials shortly after midnight CST on July 1st. The flooded roads focused along the west end of Buffalo Springs Lake." +117673,707655,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DEUEL",2017-06-11 04:45:00,CST-6,2017-06-11 04:45:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-96.68,44.77,-96.68,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Sixty mph winds were estimated." +117673,707657,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"GRANT",2017-06-11 04:30:00,CST-6,2017-06-11 04:30:00,0,0,0,0,,NaN,0.00K,0,45.06,-96.57,45.06,-96.57,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Three large trees were downed by an estimated eighty mph winds." +117673,707658,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"DEUEL",2017-06-11 04:30:00,CST-6,2017-06-11 04:30:00,0,0,0,0,,NaN,,NaN,44.87,-96.83,44.87,-96.83,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Estimated ninety mph winds brought beams from a shed through the roof of a house. Much of the roof on another shed was blown off." +116909,703070,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-11 12:20:00,CST-6,2017-06-11 12:20:00,0,0,0,0,30.00K,30000,0.00K,0,44.95,-88.07,44.95,-88.07,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds caused a barn to collapse and tore the roof from another." +116909,703072,WISCONSIN,2017,June,Thunderstorm Wind,"MARINETTE",2017-06-11 12:34:00,CST-6,2017-06-11 12:34:00,0,0,0,0,0.00K,0,0.00K,0,45.3606,-87.9541,45.3606,-87.9541,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Pea size hail fell and thunderstorm winds downed trees across Highway 141." +116909,703074,WISCONSIN,2017,June,Thunderstorm Wind,"DOOR",2017-06-11 12:55:00,CST-6,2017-06-11 12:55:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-87.38,44.83,-87.38,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds downed trees and power lines in Sturgeon Bay, Baileys Harbor, Fish Creek and Sister Bay. The time of this report was estimated for Sturgeon Bay based on radar data." +116909,703086,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-11 12:30:00,CST-6,2017-06-11 12:30:00,0,0,0,0,0.00K,0,0.00K,0,44.8916,-87.8966,44.8916,-87.8966,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Thunderstorm winds overturned a pickup truck that was pulling a large trailer on Highway 41 near exit 198 outside of Oconto." +117558,706991,KANSAS,2017,June,Thunderstorm Wind,"NEOSHO",2017-06-30 01:46:00,CST-6,2017-06-30 01:47:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The gust was measured at Chanute's Martin Johnson Airport. The time of the event was corrected." +117159,710740,GEORGIA,2017,June,Heavy Rain,"HEARD",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-85.23,33.34,-85.23,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the Hillabahatchee Creek on Frolona Road near Franklin, reported 4.64 inches of rain for the 24-hour period ending at 9:30 PM EST." +117159,710741,GEORGIA,2017,June,Heavy Rain,"FAYETTE",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-84.48,33.54,-84.48,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the Morningside Creek on Westbridge Road in north Fayetteville, reported 5.79 inches of rain for the 24-hour period ending at 9:30 PM EST." +117159,710742,GEORGIA,2017,June,Heavy Rain,"NEWTON",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.5,-83.88,33.5,-83.88,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the Yellow River at Rocky Plains, reported 7.51 inches of rain for the 24-hour period ending at 9:30 PM EST." +117159,710743,GEORGIA,2017,June,Heavy Rain,"GREENE",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-83.29,33.65,-83.29,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USFS RAWS Station located 2 NE Greshamville reported 4.10 inches of rain for the 24-hour period ending at 9:30 PM EST." +118059,709875,FLORIDA,2017,June,Rip Current,"COASTAL PALM BEACH COUNTY",2017-06-25 16:00:00,EST-5,2017-06-25 16:00:00,3,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty southeasterly winds lead to several days of strong rip currents along the Palm Beaches leading into June 25. A total of 11 swimmers were rescued by lifeguards at several county beaches during the mid and late afternoon, near the time of low tide.","Multiple members of the media reported that 4 swimmers were pulled out of the water from Ocean Reef Park and City Beach Municipal Park. These locations are near/on Singer Island, which is north of Palm Beach. A 14-year-old boy from Pahokee, Florida died in the hospital later that night. The other 3 people rescued were transported to area hospitals." +118060,709849,ATLANTIC SOUTH,2017,June,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-06-26 06:33:00,EST-5,2017-06-26 06:33:00,0,0,0,0,0.00K,0,0.00K,0,26.3538,-80.0402,26.3538,-80.0402,"Developing cumulus and showers during the morning hours produced two seperate waterspouts off the Palm Beach County coast.","A member of the public driving over an overpass in Boca Raton reported a waterspout about 2 miles offshore in the Atlantic ocean. The person reported it was a thin rope waterspout." +115430,695716,MINNESOTA,2017,June,Thunderstorm Wind,"LAC QUI PARLE",2017-06-11 05:40:00,CST-6,2017-06-11 05:40:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-95.9,44.85,-95.9,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large branches were blown down." +115430,697435,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:40:00,CST-6,2017-06-11 07:40:00,0,0,0,0,0.00K,0,0.00K,0,45.03,-93.3,45.03,-93.3,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A 12 to 14 inch diameter tree was blown down on a vehicle." +115430,696065,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-93.15,45.15,-93.15,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,696083,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:20:00,CST-6,2017-06-11 07:20:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-93.65,45.01,-93.65,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A couple of large tree limbs were snapped off." +115430,697436,MINNESOTA,2017,June,Thunderstorm Wind,"ANOKA",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,0.00K,0,0.00K,0,45.21,-93.23,45.21,-93.23,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","An 8 inch diameter tree was blown down." +117723,709904,ALABAMA,2017,June,Flash Flood,"MOBILE",2017-06-21 05:11:00,CST-6,2017-06-21 06:30:00,0,0,0,0,0.00K,0,0.00K,0,30.7,-88.24,30.6991,-88.2355,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","All lanes were underwater at Tanner Williams Road east of the Coast Guard base." +115430,696066,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:50:00,CST-6,2017-06-11 07:50:00,0,0,0,0,0.00K,0,0.00K,0,45.19,-93.18,45.19,-93.18,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117723,709913,ALABAMA,2017,June,Coastal Flood,"LOWER MOBILE",2017-06-21 10:22:00,CST-6,2017-06-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Dauphin Island Police reported flooding from the west end of Dauphin Island east to St. Stephens Street." +117723,709947,ALABAMA,2017,June,Flash Flood,"BUTLER",2017-06-22 06:00:00,CST-6,2017-06-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,31.6885,-86.7625,31.7755,-86.7529,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Road closures near the Bolling community due to flash flooding." +117723,709951,ALABAMA,2017,June,Flash Flood,"WASHINGTON",2017-06-22 09:30:00,CST-6,2017-06-22 12:00:00,0,0,0,0,460.00K,460000,0.00K,0,31.5859,-88.3737,31.6347,-88.3946,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flash flooding caused significant damage to County Road 36 and County Road 11 west of Millry." +118126,709918,FLORIDA,2017,June,Storm Surge/Tide,"COASTAL SANTA ROSA",2017-06-21 05:35:00,CST-6,2017-06-21 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across the western Florida Panhandle was from heavy rain and flooding. Storm total rainfall ranged from 5 to 10 inches across much of the western Florida Panhandle. The top rainfall report was from NAS Whiting Field which measured 9.46 inches. Based on radar estimates, up to a foot of rain likely fell in parts of eastern Santa Rosa County, but there were no gauge reports available from that area. The heavy rain resulted in periods of flash flooding. ||Minor coastal flooding was observed, particularly on Highway 399 in Santa Rosa County. Maximum inundation was just above 2 feet MHHW based on the Pensacola Bay tidal gauge. ||One EF-0 tornado occurred in southern Okaloosa County.","The National Park Service at Gulf Islands National Seashore closed Highway 399 between Navarre Beach and Pensacola Beach due to flooding." +118126,709923,FLORIDA,2017,June,Thunderstorm Wind,"ESCAMBIA",2017-06-21 17:39:00,CST-6,2017-06-21 17:40:00,0,0,0,0,10.00K,10000,0.00K,0,30.4384,-87.2642,30.4384,-87.2642,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across the western Florida Panhandle was from heavy rain and flooding. Storm total rainfall ranged from 5 to 10 inches across much of the western Florida Panhandle. The top rainfall report was from NAS Whiting Field which measured 9.46 inches. Based on radar estimates, up to a foot of rain likely fell in parts of eastern Santa Rosa County, but there were no gauge reports available from that area. The heavy rain resulted in periods of flash flooding. ||Minor coastal flooding was observed, particularly on Highway 399 in Santa Rosa County. Maximum inundation was just above 2 feet MHHW based on the Pensacola Bay tidal gauge. ||One EF-0 tornado occurred in southern Okaloosa County.","A severe thunderstorm downed trees and power lines and produce some cometic damage to homes nar Aquamarine and Emerald Avenue." +118305,710933,ARIZONA,2017,June,Wildfire,"CHIRICAHUA MOUNTAINS",2017-06-07 16:45:00,MST-7,2017-06-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Bowie Fire ignited on June 7th and burned over 3,000 acres before containment was achieved on June 14th.","The lightning caused Bowie Fire started on June 7th on the northwest side of the Chiricahua Mountains near Fort Bowie and was spread by gusty winds. The Fort Bowie National Historic Site was closed due to the fire and the Diamond Mountain Retreat Center was evacuated. A total of 3,036 acres burned." +117157,707180,GEORGIA,2017,June,Thunderstorm Wind,"TWIGGS",2017-06-15 20:55:00,EST-5,2017-06-15 21:00:00,0,0,0,0,6.00K,6000,,NaN,32.6328,-83.3571,32.6456,-83.3141,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Twiggs County 911 center reported trees blown down bear the intersection of Missle Base Road and Hamlin-Floyd Road and on Highway 80 near the Turkey Creek bridge." +116694,701751,NEW YORK,2017,June,Flash Flood,"DELAWARE",2017-06-05 16:50:00,EST-5,2017-06-05 19:00:00,0,0,0,0,35.00K,35000,0.00K,0,42.32,-74.94,42.2809,-74.9178,"A complex area of low pressure moved from the Great Lakes to the Northeast United States triggering numerous thunderstorms during the afternoon and evening. Several rounds of thunderstorms moved across portions of Delaware county where serious localized flooding of small streams, creeks and roads occurred.","Flash flooding of small streams and creeks caused several road washouts along County Route 14 north of Delhi." +116694,701754,NEW YORK,2017,June,Flash Flood,"DELAWARE",2017-06-05 17:00:00,EST-5,2017-06-05 19:30:00,0,0,0,0,8.00K,8000,0.00K,0,42.2002,-75.0836,42.2018,-75.0962,"A complex area of low pressure moved from the Great Lakes to the Northeast United States triggering numerous thunderstorms during the afternoon and evening. Several rounds of thunderstorms moved across portions of Delaware county where serious localized flooding of small streams, creeks and roads occurred.","Flood water was flowing 6 to 8 inches over a bridge on East Brook Road." +116694,701756,NEW YORK,2017,June,Flash Flood,"DELAWARE",2017-06-05 17:15:00,EST-5,2017-06-05 19:45:00,0,0,0,0,25.00K,25000,0.00K,0,42.2184,-75.1101,42.2809,-75.0957,"A complex area of low pressure moved from the Great Lakes to the Northeast United States triggering numerous thunderstorms during the afternoon and evening. Several rounds of thunderstorms moved across portions of Delaware county where serious localized flooding of small streams, creeks and roads occurred.","Flood water was rapidly rising over several locations along County Route 21 near Plymouth Church." +116694,701757,NEW YORK,2017,June,Flash Flood,"DELAWARE",2017-06-05 17:25:00,EST-5,2017-06-05 19:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.2177,-75.084,42.2148,-75.062,"A complex area of low pressure moved from the Great Lakes to the Northeast United States triggering numerous thunderstorms during the afternoon and evening. Several rounds of thunderstorms moved across portions of Delaware county where serious localized flooding of small streams, creeks and roads occurred.","Torrential rains caused severe flooding of streams and creeks in the area with water over the road and culvert washouts on County Route 22. Authorities suspected a beaver dam break occurred." +116694,701758,NEW YORK,2017,June,Flood,"DELAWARE",2017-06-05 16:30:00,EST-5,2017-06-05 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.32,-75.04,42.3291,-75.0318,"A complex area of low pressure moved from the Great Lakes to the Northeast United States triggering numerous thunderstorms during the afternoon and evening. Several rounds of thunderstorms moved across portions of Delaware county where serious localized flooding of small streams, creeks and roads occurred.","There was minor flooding reported with water streaming over a part of Fleming Road." +117010,705911,NEBRASKA,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-27 21:23:00,CST-6,2017-06-27 21:23:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-99.08,40.97,-99.08,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","" +117010,705912,NEBRASKA,2017,June,Thunderstorm Wind,"HOWARD",2017-06-27 21:40:00,CST-6,2017-06-27 21:45:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-98.72,41.0783,-98.6715,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","Wind gusts were estimated to be near 65 MPH. There was tree damage reported on the east side of town." +117010,705914,NEBRASKA,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-27 21:45:00,CST-6,2017-06-27 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-99.2309,40.7,-99.2309,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","" +117010,705915,NEBRASKA,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-27 21:45:00,CST-6,2017-06-27 21:45:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-98.8533,41.03,-98.8533,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","" +117010,706035,NEBRASKA,2017,June,Thunderstorm Wind,"CLAY",2017-06-27 22:51:00,CST-6,2017-06-27 22:51:00,0,0,0,0,0.00K,0,0.00K,0,40.5824,-98.2224,40.5824,-98.2224,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","Wind gusts were estimated to be near 60 MPH." +117010,710854,NEBRASKA,2017,June,Thunderstorm Wind,"BUFFALO",2017-06-27 21:41:00,CST-6,2017-06-27 21:41:00,0,0,0,0,0.00K,0,0.00K,0,40.6834,-99.0271,40.6834,-99.0271,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","" +118196,710982,PENNSYLVANIA,2017,June,Tornado,"BRADFORD",2017-06-19 11:20:00,EST-5,2017-06-19 11:22:00,0,0,0,0,50.00K,50000,0.00K,0,41.8641,-76.6335,41.8683,-76.6139,"A cold front extended from north to south across western New York and Pennsylvania Monday morning and showers and thunderstorms were organized ahead and along the front. The front quickly moved east into a very unstable air mass and additional showers and thunderstorms developed across central New York and northeast Pennsylvania. Some of these storms became severe and produced strong winds in central New York State. One storm produced a small tornado in Bradford County, Pennsylvania.","A tornado touched down on Water Street not far from Main Street|in East Smithfield Bradford County PA around 1220 pm EDT on|Tuesday June 19th. The tornado knocked down many trees along|its path with one tree crushing a pickup truck and others damaging|homes. A barn lost part of its roof. The tornado tracked along or|just north of Main Street in East Smithfield to Peas Hill Road |where it tracked up a hill and then dissipated in a woodlot." +117162,704795,GEORGIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 20:05:00,EST-5,2017-06-23 20:15:00,0,0,0,0,5.00K,5000,,NaN,33.5429,-84.4772,33.5105,-84.4607,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Fayette County 911 center reported trees blown around the intersection of Westbridge Road and Old Ford Road as well as on Kenwood Road near Thornton Road. Multiple powerlines were reported down in the area as well." +118198,710325,NEW YORK,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-20 14:11:00,EST-5,2017-06-20 14:21:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-75.4,43.23,-75.4,"A cold front moved through the region the day before and in its wake was a much cooler atmosphere. The cool air aloft resulted in an unstable environment which caused showers and thunderstorms to develop over New York and Pennsylvania Tuesday afternoon. An isolated thunderstorm became severe and produced strong winds and hail in Oneida County, New York.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and dime sized hail." +115703,697588,KENTUCKY,2017,June,Thunderstorm Wind,"JESSAMINE",2017-06-23 18:21:00,EST-5,2017-06-23 18:21:00,0,0,0,0,45.00K,45000,0.00K,0,37.82,-84.72,37.82,-84.72,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Jessamine County emergency manager reported numerous power poles and several large trees downed due to severe thunderstorm winds." +115703,697592,KENTUCKY,2017,June,Thunderstorm Wind,"JESSAMINE",2017-06-23 18:21:00,EST-5,2017-06-23 18:21:00,0,0,0,0,75.00K,75000,0.00K,0,37.83,-84.69,37.83,-84.69,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","A NWS Storm Survey team found sporadic wind damage along a 5.5 mile path near Wilmore. Several trees were downed along with some utility poles snapped or bent. There also minor structural damage." +115703,697590,KENTUCKY,2017,June,Thunderstorm Wind,"GARRARD",2017-06-23 18:45:00,EST-5,2017-06-23 18:45:00,0,0,0,0,50.00K,50000,0.00K,0,37.74,-84.65,37.74,-84.65,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","The Garrard County Emergency Manager reported numerous trees down across the northern part of the county. A large tree fell on a storage building and power lines on Chenault Lane near Herrington Lake. Downed power poles and lines were also blocking a county road in the area." +115703,702410,KENTUCKY,2017,June,Flash Flood,"SCOTT",2017-06-23 20:02:00,EST-5,2017-06-23 20:02:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-84.54,38.1594,-84.5458,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Lisle Road was flooded by at least 12 inches of water between US 25 and the railroad tracks." +115703,702411,KENTUCKY,2017,June,Flash Flood,"SCOTT",2017-06-23 20:02:00,EST-5,2017-06-23 20:02:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-84.57,38.2139,-84.5701,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","US Highway 460 was flooded by at least 4 feet of high water." +115703,697579,KENTUCKY,2017,June,Thunderstorm Wind,"MARION",2017-06-23 17:08:00,EST-5,2017-06-23 17:08:00,0,0,0,0,15.00K,15000,0.00K,0,37.63,-85.29,37.63,-85.29,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported trees on a house on St. Rose Road." +118357,711291,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 16:25:00,CST-6,2017-06-20 16:25:00,0,0,0,0,,NaN,,NaN,38.49,-101.08,38.49,-101.08,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711292,KANSAS,2017,June,Hail,"KEARNY",2017-06-20 16:46:00,CST-6,2017-06-20 16:46:00,0,0,0,0,,NaN,,NaN,37.99,-101.13,37.99,-101.13,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711293,KANSAS,2017,June,Hail,"KEARNY",2017-06-20 16:53:00,CST-6,2017-06-20 16:53:00,0,0,0,0,,NaN,,NaN,38.08,-101.12,38.08,-101.12,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711294,KANSAS,2017,June,Hail,"KEARNY",2017-06-20 17:02:00,CST-6,2017-06-20 17:02:00,0,0,0,0,,NaN,,NaN,37.94,-101.26,37.94,-101.26,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711295,KANSAS,2017,June,Hail,"HAMILTON",2017-06-20 16:07:00,MST-7,2017-06-20 16:07:00,0,0,0,0,,NaN,,NaN,37.81,-101.53,37.81,-101.53,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +117011,706123,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-29 00:18:00,CST-6,2017-06-29 00:18:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-98.53,40.1,-98.53,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","" +116270,700338,MISSISSIPPI,2017,June,Thunderstorm Wind,"BOLIVAR",2017-06-16 17:00:00,CST-6,2017-06-16 17:00:00,0,0,0,0,60.00K,60000,0.00K,0,33.6,-90.77,33.6,-90.77,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Three homes sustained wind damage." +116270,700339,MISSISSIPPI,2017,June,Thunderstorm Wind,"KEMPER",2017-06-16 17:24:00,CST-6,2017-06-16 17:24:00,0,0,0,0,3.00K,3000,0.00K,0,32.84,-88.45,32.84,-88.45,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down across Binnsville Road." +116270,700340,MISSISSIPPI,2017,June,Thunderstorm Wind,"JASPER",2017-06-16 17:08:00,CST-6,2017-06-16 17:08:00,0,0,0,0,3.00K,3000,0.00K,0,32.19,-89.17,32.19,-89.17,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down." +116270,700341,MISSISSIPPI,2017,June,Thunderstorm Wind,"NEWTON",2017-06-16 17:09:00,CST-6,2017-06-16 17:11:00,0,0,0,0,3.00K,3000,0.00K,0,32.3162,-89.1402,32.29,-89.13,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A few trees were blown down around Airport Road and Liberty Church Road." +116270,707656,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAMAR",2017-06-16 20:32:00,CST-6,2017-06-16 20:40:00,0,0,0,0,5.00K,5000,0.00K,0,31.43,-89.55,31.34,-89.54,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Winds associated with a line of severe thunderstorms blew down several trees in and around the Sumrall area." +116270,707659,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-16 20:27:00,CST-6,2017-06-16 20:27:00,0,0,0,0,0.50K,500,0.00K,0,31.68,-89.26,31.68,-89.26,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down across Dale Keyes Road." +116270,707661,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-16 20:35:00,CST-6,2017-06-16 20:35:00,0,0,0,0,0.50K,500,0.00K,0,31.7511,-89.1305,31.7511,-89.1305,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown onto the road near the intersection of Hoy Road and Houston Road. The peak wind gust measured at nearby Hesler-Noble Field airport was 31 mph." +118439,711878,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 15:03:00,EST-5,2017-06-23 15:03:00,0,0,0,0,1.00K,1000,0.00K,0,40.1,-79.59,40.1,-79.59,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711879,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 15:04:00,EST-5,2017-06-23 15:04:00,0,0,0,0,1.00K,1000,0.00K,0,40.15,-79.54,40.15,-79.54,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711880,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 15:14:00,EST-5,2017-06-23 15:14:00,0,0,0,0,2.00K,2000,0.00K,0,39.85,-79.91,39.85,-79.91,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Amateur radio operator reported trees down." +118439,711971,PENNSYLVANIA,2017,June,Flash Flood,"FAYETTE",2017-06-23 17:45:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8666,-79.6968,39.8745,-79.6869,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Social media reported that the National Pike Road was under water." +118439,711968,PENNSYLVANIA,2017,June,Flood,"INDIANA",2017-06-23 10:20:00,EST-5,2017-06-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-79.3,40.6579,-79.2937,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Emergency manager reported that flooding from Crooked Creek, continued in to Friday afternoon, June 23rd." +118439,711974,PENNSYLVANIA,2017,June,Flash Flood,"FAYETTE",2017-06-23 18:25:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9527,-79.8575,39.9527,-79.8534,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Amateur radio reported homes flooded on Filbert Orient Road. Boats are being sent to evacuate resident." +117389,710856,PENNSYLVANIA,2017,June,Heavy Rain,"ALLEGHENY",2017-06-13 15:00:00,EST-5,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-79.8,40.34,-79.8,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,710857,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-13 17:00:00,EST-5,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.3479,-79.7938,40.3489,-79.7764,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","State official reported a vehicle stuck in water. Swift Water Rescue was responding." +117389,710858,PENNSYLVANIA,2017,June,Flood,"ALLEGHENY",2017-06-13 18:15:00,EST-5,2017-06-13 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-79.83,40.3298,-79.794,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local fire department reported numerous intersections and roads closed due to heavy rainfall." +117391,706029,OHIO,2017,June,Hail,"HARRISON",2017-06-13 13:17:00,EST-5,2017-06-13 13:17:00,0,0,0,0,0.00K,0,0.00K,0,40.27,-81.29,40.27,-81.29,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117391,706030,OHIO,2017,June,Thunderstorm Wind,"TUSCARAWAS",2017-06-13 12:35:00,EST-5,2017-06-13 12:35:00,0,0,0,0,10.00K,10000,0.00K,0,40.45,-81.63,40.45,-81.63,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Several reports of damage in the town of Ragersville from social media. This includes: a barn roof blown off at the intersection of Ragersville Road and Eckert Road. There were also several other reports of trees down and a small outbuilding had it's roof blow off on Crooked Run Road." +117391,706031,OHIO,2017,June,Thunderstorm Wind,"COLUMBIANA",2017-06-13 14:35:00,EST-5,2017-06-13 14:35:00,0,0,0,0,0.25K,250,0.00K,0,40.63,-80.66,40.63,-80.66,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Department of highways reported a tree down on a roadway." +118286,710862,PENNSYLVANIA,2017,June,Flash Flood,"WASHINGTON",2017-06-14 17:00:00,EST-5,2017-06-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1637,-79.9139,40.1761,-79.9297,"Slow moving thunderstorms developed along a stationary boundary across the region, in a tropical, moisture rich airmass. With the slow movement, heavy rain produced widespread flash flooding across portions of southern Allegheny county, Pennsylvania. This is after the same region received heavy rain the day prior.","Local 911 reported that the intersection of state route 88 and 837 were flooded in Carroll township." +115610,694411,WEST VIRGINIA,2017,June,Flash Flood,"LOGAN",2017-06-19 07:47:00,EST-5,2017-06-19 11:30:00,0,0,0,0,25.00K,25000,0.00K,0,37.9836,-81.9856,37.9704,-81.9956,"A slow moving cold front, combined with an upper level trough brought showers and thunderstorms late on the 18th into the 19th. Some pockets of heavy rain occurred within the overall area of showers and thunderstorms, leading to flash flooding in the West Virginia Coal Fields. Two to three inches of rain fell across a localized part of Boone and Logan Counties.","Garrett Fork spilled over its banks, causing flooding along Garrett's Fork Road. A pickup truck was washed away and became lodged under a bridge. One person also had to be rescued from a flooded vehicle." +115610,694419,WEST VIRGINIA,2017,June,Flash Flood,"BOONE",2017-06-19 09:00:00,EST-5,2017-06-19 11:45:00,0,0,0,0,10.00K,10000,0.00K,0,38.0007,-81.8715,38.0269,-81.8501,"A slow moving cold front, combined with an upper level trough brought showers and thunderstorms late on the 18th into the 19th. Some pockets of heavy rain occurred within the overall area of showers and thunderstorms, leading to flash flooding in the West Virginia Coal Fields. Two to three inches of rain fell across a localized part of Boone and Logan Counties.","Multiple creeks and streams flooded, causing closed roads across western Boone County. This included portions of Low Gap Road, Meadow Fork Road and Six Mile Road." +115610,694429,WEST VIRGINIA,2017,June,Flood,"BOONE",2017-06-19 11:45:00,EST-5,2017-06-19 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.983,-81.8936,37.9642,-81.8625,"A slow moving cold front, combined with an upper level trough brought showers and thunderstorms late on the 18th into the 19th. Some pockets of heavy rain occurred within the overall area of showers and thunderstorms, leading to flash flooding in the West Virginia Coal Fields. Two to three inches of rain fell across a localized part of Boone and Logan Counties.","Following flash flooding earlier in the day, lingering high water kept some roads closed into the afternoon, including Six Mile Road." +115277,692071,OHIO,2017,June,Thunderstorm Wind,"UNION",2017-06-04 14:54:00,EST-5,2017-06-04 14:59:00,0,0,0,0,0.50K,500,0.00K,0,40.43,-83.3,40.43,-83.3,"Strong to severe thunderstorms developed ahead of a cold front dropping south from Lake Erie.","One large tree was knocked down in the Richwood area." +115277,692072,OHIO,2017,June,Thunderstorm Wind,"LOGAN",2017-06-04 16:40:00,EST-5,2017-06-04 16:45:00,0,0,0,0,0.50K,500,0.00K,0,40.31,-83.92,40.31,-83.92,"Strong to severe thunderstorms developed ahead of a cold front dropping south from Lake Erie.","A tree was knocked down near the intersection of Hayes and South Boggs Streets." +115277,692073,OHIO,2017,June,Hail,"LICKING",2017-06-04 13:36:00,EST-5,2017-06-04 13:38:00,0,0,0,0,0.00K,0,0.00K,0,40.059,-82.4016,40.059,-82.4016,"Strong to severe thunderstorms developed ahead of a cold front dropping south from Lake Erie.","" +115279,692076,OHIO,2017,June,Hail,"CLINTON",2017-06-05 14:45:00,EST-5,2017-06-05 14:47:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-83.84,39.39,-83.84,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692079,OHIO,2017,June,Hail,"MERCER",2017-06-05 14:53:00,EST-5,2017-06-05 14:55:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-84.65,40.69,-84.65,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115641,695554,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEBANON",2017-06-19 13:45:00,EST-5,2017-06-19 13:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.2419,-76.5133,40.2419,-76.5133,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires at the intersection of Route 241 and Mine Road." +115641,695555,PENNSYLVANIA,2017,June,Thunderstorm Wind,"SCHUYLKILL",2017-06-19 13:10:00,EST-5,2017-06-19 13:10:00,0,0,0,0,2.00K,2000,0.00K,0,40.7,-76.17,40.7,-76.17,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Port Carbon." +115641,695557,PENNSYLVANIA,2017,June,Thunderstorm Wind,"YORK",2017-06-19 12:45:00,EST-5,2017-06-19 12:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.1221,-76.782,40.1221,-76.782,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on Hill Drive near York Haven." +115641,695566,PENNSYLVANIA,2017,June,Thunderstorm Wind,"YORK",2017-06-19 12:45:00,EST-5,2017-06-19 12:45:00,0,0,0,0,4.00K,4000,0.00K,0,39.86,-76.95,39.86,-76.95,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on High Rock Road north of Hanover." +115641,695567,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LEBANON",2017-06-19 13:10:00,EST-5,2017-06-19 13:10:00,0,0,0,0,8.00K,8000,0.00K,0,40.3408,-76.515,40.3408,-76.515,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on cars near Cleona." +115641,695568,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:45:00,EST-5,2017-06-19 12:45:00,0,0,0,0,2.00K,2000,0.00K,0,40.1974,-76.7185,40.1974,-76.7185,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in the Village of Pineford." +115933,696589,NORTH DAKOTA,2017,June,Thunderstorm Wind,"GRAND FORKS",2017-06-02 20:58:00,CST-6,2017-06-02 20:58:00,0,0,0,0,,NaN,,NaN,47.99,-97.35,47.99,-97.35,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +115933,696590,NORTH DAKOTA,2017,June,Thunderstorm Wind,"GRAND FORKS",2017-06-02 21:10:00,CST-6,2017-06-02 21:10:00,0,0,0,0,,NaN,,NaN,47.94,-97.17,47.94,-97.17,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +115933,696592,NORTH DAKOTA,2017,June,Thunderstorm Wind,"GRAND FORKS",2017-06-02 21:20:00,CST-6,2017-06-02 21:20:00,0,0,0,0,,NaN,,NaN,47.9,-97.07,47.9,-97.07,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Numerous large tree branches were blown down across south central Grand Forks. A large tree was snapped just south of downtown." +116001,697339,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-06-25 14:26:00,EST-5,2017-06-25 14:27:00,0,0,0,0,,NaN,,NaN,32.11,-80.83,32.11,-80.83,"Strong thunderstorms developed over the coastal waters as a cold front slowly approached the coast and encountered the western periphery of Atlantic high pressure.","A mesonet site at the Salty Dog Cafe recorded a 45 knot wind gust." +116000,697324,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"JASPER",2017-06-25 13:35:00,EST-5,2017-06-25 13:36:00,0,0,0,0,,NaN,,NaN,32.48,-80.99,32.48,-80.99,"Strong thunderstorms developed over Southeast South Carolina as a cold front slowly pushed into the area and encountered the western periphery of Atlantic high pressure.","The Jasper County 911 Call Center reported a tree down on a car along 2nd Avenue in Ridgeland." +116000,697326,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"JASPER",2017-06-25 13:40:00,EST-5,2017-06-25 13:41:00,0,0,0,0,,NaN,,NaN,32.31,-81.04,32.31,-81.04,"Strong thunderstorms developed over Southeast South Carolina as a cold front slowly pushed into the area and encountered the western periphery of Atlantic high pressure.","The Jasper County 911 Call Center reported a tree down near the intersection of John Smith Road and Independence Boulevard." +116000,697327,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"BEAUFORT",2017-06-25 13:53:00,EST-5,2017-06-25 13:54:00,0,0,0,0,,NaN,,NaN,32.47,-80.74,32.47,-80.74,"Strong thunderstorms developed over Southeast South Carolina as a cold front slowly pushed into the area and encountered the western periphery of Atlantic high pressure.","The Beaufort County 911 Call Center reported a tree down on Shanklin Road in the Burton area." +116000,697329,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"BEAUFORT",2017-06-25 14:02:00,EST-5,2017-06-25 14:03:00,0,0,0,0,0.50K,500,0.00K,0,32.48,-80.71,32.48,-80.71,"Strong thunderstorms developed over Southeast South Carolina as a cold front slowly pushed into the area and encountered the western periphery of Atlantic high pressure.","A trained spotter reported large tree branches down near the Beaufort Marine Corps Air Station." +115450,694324,MONTANA,2017,June,Funnel Cloud,"DAWSON",2017-06-13 20:15:00,MST-7,2017-06-13 20:15:00,0,0,0,0,0.00K,0,0.00K,0,47.1118,-104.6444,47.1118,-104.6444,"A large low-pressure system moving through the area combined with an unstable atmosphere to create a few strong thunderstorms near the Big Sheep Mountains - one of which became severe.","Public photographed a funnel cloud just east of Glendive. The report was received via social media." +115690,696249,MONTANA,2017,June,High Wind,"CENTRAL AND SOUTHERN VALLEY",2017-06-22 13:00:00,MST-7,2017-06-22 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough pushed across eastern Montana, bringing strong gusty winds to the area for much of the afternoon.","A 58 mph wind gust was measured at the Saint Marie MARCO Site (07MT)." +115856,696264,MONTANA,2017,June,Thunderstorm Wind,"VALLEY",2017-06-26 20:46:00,MST-7,2017-06-26 20:46:00,0,0,0,0,0.00K,0,0.00K,0,47.8,-107.02,47.8,-107.02,"Scattered rain showers and a few thunderstorms moved across the area ahead of an approaching cold front, bringing strong and gusty winds to a few locations.","A 64 mph gust was measured at the King Coulee (KIGM8) RAWS site. Time was estimated by radar." +115964,696957,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:35:00,MST-7,2017-06-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-103.22,44.08,-103.22,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Tree branches were broken throughout Rapid City." +115964,696963,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:37:00,MST-7,2017-06-27 16:37:00,0,0,0,0,,NaN,0.00K,0,44.13,-103.23,44.13,-103.23,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Roof shingles were blown off a house." +115964,696966,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:30:00,MST-7,2017-06-27 16:30:00,0,0,0,0,,NaN,0.00K,0,44.0481,-103.2166,44.0481,-103.2166,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Minor tree damage was caused by the wind." +115964,696970,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MEADE",2017-06-27 16:43:00,MST-7,2017-06-27 16:53:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-103.12,44.15,-103.12,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696971,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:37:00,MST-7,2017-06-27 16:52:00,0,0,0,0,,NaN,0.00K,0,44.05,-103.05,44.05,-103.05,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,696981,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:42:00,MST-7,2017-06-27 16:42:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-103.17,43.98,-103.17,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Wind gusts were estimated at 70 mph." +115964,696987,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-27 17:15:00,MST-7,2017-06-27 17:15:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-101.89,43.81,-101.89,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Dime sized hail also fell with the storm." +116439,700291,ILLINOIS,2017,June,Thunderstorm Wind,"SANGAMON",2017-06-17 22:10:00,CST-6,2017-06-17 22:15:00,0,0,0,0,0.00K,0,0.00K,0,39.6985,-89.698,39.6985,-89.698,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees were blown down on the Piper Glen Golf Course just north of Chatham." +116439,700292,ILLINOIS,2017,June,Thunderstorm Wind,"SANGAMON",2017-06-17 22:10:00,CST-6,2017-06-17 22:15:00,0,0,0,0,0.00K,0,0.00K,0,39.67,-89.7,39.67,-89.7,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","The bleachers, goal posts, and fence at a school were damaged. A tree was also blown down in town." +116439,700293,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-17 19:49:00,CST-6,2017-06-17 19:54:00,0,0,0,0,0.00K,0,0.00K,0,40.6737,-89.0943,40.6737,-89.0943,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","A garage was severely damaged." +115430,697448,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:37:00,CST-6,2017-06-11 07:37:00,0,0,0,0,0.00K,0,0.00K,0,45.11,-93.44,45.11,-93.44,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There was a large 22 inch diameter tree blown down." +115430,697121,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 08:02:00,CST-6,2017-06-11 08:02:00,0,0,0,0,0.00K,0,0.00K,0,45.174,-93.0181,45.174,-93.0181,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115938,696615,NORTH DAKOTA,2017,June,Tornado,"STEELE",2017-06-07 11:59:00,CST-6,2017-06-07 12:05:00,0,0,0,0,,NaN,,NaN,47.62,-97.5,47.639,-97.47,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado was viewed by the Grand Forks Air Traffic Control Tower for nearly 11 minutes, and was initially estimated as being 7 miles southwest of the Grand Forks airport. The tornado had a dramatic dust swirl which was captured on video and photos. Some ground scarring was evident, otherwise no damage was detected. Peak winds were estimated at 80 mph. The tornado continued into Traill County, where it ended one mile north of Hatton at 1210 pm CST." +115938,701157,NORTH DAKOTA,2017,June,Tornado,"TRAILL",2017-06-07 12:05:00,CST-6,2017-06-07 12:10:00,0,0,0,0,,NaN,,NaN,47.639,-97.47,47.6551,-97.4534,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado began in Steele County, about two miles west-southwest of Hatton at 1159 am CST. This tornado was viewed by the Grand Forks Air Traffic Control Tower for nearly 11 minutes, and was initially estimated as being 7 miles southwest of the Grand Forks airport. The tornado had a dramatic dust swirl which was captured on video and photos. Some ground scarring was evident, otherwise no damage was detected. Peak winds were estimated at 80 mph." +115742,697047,KENTUCKY,2017,June,Flash Flood,"BOYD",2017-06-23 22:00:00,EST-5,2017-06-24 02:00:00,0,0,0,0,60.00K,60000,0.00K,0,38.3953,-82.7363,38.4144,-82.7389,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Williams Creek was out of its banks. Water made it into multiple homes." +115744,695679,WEST VIRGINIA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-23 17:30:00,EST-5,2017-06-23 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,38.9406,-81.819,38.9406,-81.819,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Trees down across the road near the Century Aluminum plant." +116442,700305,KENTUCKY,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-18 08:17:00,CST-6,2017-06-18 08:20:00,0,0,0,0,125.00K,125000,0.00K,0,36.9145,-88.3467,36.9089,-88.2966,"A short bowing line of thunderstorms moved east-southeast across western Kentucky. This short line of storms produced a microburst in Marshall County with estimated wind speeds up to 85 mph. The storms occurred ahead of a cold front that extended from southern Michigan southwest across the southeast corner of Missouri.","A microburst with wind speeds estimated near 85 mph caused a three-mile damage path near Draffenville. A 24-by-30 foot garage was blown off its foundation, and its walls were partially caved inward. Two other garages sustained partial roof or siding loss. Siding was blown off an adjacent house. A vehicle window was broken. At least six other homes lost some shingles. Pieces of dock were blown around at a boat dock business. Several trees were uprooted. There were numerous broken limbs from dozens of trees. The damage path was up to 400 yards wide. The damage path extended from west to east, passing just south of Draffenville. The vast majority of the damage was near the intersection of U.S. Highways 68 and 641, where the garage was blown off its foundation." +116444,700307,MISSOURI,2017,June,Thunderstorm Wind,"NEW MADRID",2017-06-18 09:04:00,CST-6,2017-06-18 09:04:00,0,0,0,0,25.00K,25000,0.00K,0,36.52,-89.582,36.52,-89.582,"An isolated severe thunderstorm produced a damaging microburst in New Madrid County. The storm occurred along a cold front that extended from southern Michigan to the southeast corner of Missouri.","A billboard sign and its support tower was blown over at a Pilot truck stop at exit 40 on Interstate 55. A semi tractor-trailer rig was blown over on its side on the exit 40 ramp." +114222,685763,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:11:00,CST-6,2017-03-06 20:12:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-94.35,39.05,-94.35,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115624,694559,OHIO,2017,June,Thunderstorm Wind,"SHELBY",2017-06-19 15:15:00,EST-5,2017-06-19 15:20:00,0,0,0,0,2.00K,2000,0.00K,0,40.29,-84.16,40.29,-84.16,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","One tree was knocked down on the courthouse square in Sidney. The tree damaged a nearby flag pole." +115624,694561,OHIO,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 17:06:00,EST-5,2017-06-19 17:11:00,0,0,0,0,0.50K,500,0.00K,0,39.98,-83.01,39.98,-83.01,"Strong to severe thunderstorms developed during the heating of the day as an upper level disturbance swung into the region.","A twelve inch diameter branch was knocked down in Goodale Park." +115954,700367,OHIO,2017,June,Flood,"GREENE",2017-06-23 09:02:00,EST-5,2017-06-23 11:02:00,0,0,0,0,0.00K,0,0.00K,0,39.7016,-84.0628,39.7013,-84.0626,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","A small stream in the Tara West Subdivision was reported out of its banks." +117453,706382,IOWA,2017,June,Funnel Cloud,"UNION",2017-06-28 16:30:00,CST-6,2017-06-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0991,-94.251,41.0991,-94.251,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +115954,700368,OHIO,2017,June,Flood,"HAMILTON",2017-06-23 16:55:00,EST-5,2017-06-23 18:55:00,0,0,0,0,10.00K,10000,0.00K,0,39.1,-84.51,39.0996,-84.5182,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","There were reports of lingering high water on roadways and some roads remained closed.|Also, there were reports of some basement flooding in homes." +115954,700415,OHIO,2017,June,Flood,"BROWN",2017-06-24 03:00:00,EST-5,2017-06-24 05:30:00,0,0,0,0,5.00K,5000,0.00K,0,39.04,-83.88,39.0401,-83.8739,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Water rescues were performed when two vehicles were submerged at Buford-Bardwell and Klein Roads." +116492,700646,INDIANA,2017,June,Flood,"WAYNE",2017-06-23 22:56:00,EST-5,2017-06-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9714,-84.9435,39.9467,-84.9449,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","Several roads in the northern part of the county remained closed due to high water." +116970,705507,IOWA,2017,June,Flood,"CLAYTON",2017-06-28 20:25:00,CST-6,2017-06-29 14:10:00,0,0,0,0,0.00K,0,0.00K,0,42.845,-91.4043,42.8445,-91.4052,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Runoff from heavy rains pushed the Turkey River out of its banks in Elkader. The river crested over two feet above the flood stage at 14.23 feet." +116970,705508,IOWA,2017,June,Flood,"CLAYTON",2017-06-29 01:20:00,CST-6,2017-06-30 23:05:00,0,0,0,0,0.00K,0,0.00K,0,42.7386,-91.2686,42.7389,-91.2701,"A line of thunderstorms moved across northeast Iowa during the afternoon of June 28th. Some of these storms produced damaging winds and hail. Trees were snapped off or blown down in Calmar (Winneshiek County), near Farmersburg, and southwest of McGregor (Clayton County).","Runoff from heavy rains pushed the Turkey River out of its banks in Garber. The river crested over two feet above the flood stage at 19.37 feet." +115964,696988,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-27 17:30:00,MST-7,2017-06-27 17:30:00,0,0,0,0,,NaN,0.00K,0,43.96,-101.85,43.96,-101.85,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115975,697029,WYOMING,2017,June,Hail,"WESTON",2017-06-28 18:08:00,MST-7,2017-06-28 18:08:00,0,0,0,0,0.00K,0,0.00K,0,43.8488,-104.1947,43.8488,-104.1947,"A thunderstorm briefly became severe over Newcastle, producing hail to the size of quarters.","" +117386,705934,KANSAS,2017,June,Thunderstorm Wind,"WICHITA",2017-06-22 18:52:00,CST-6,2017-06-22 18:52:00,0,0,0,0,0.00K,0,0.00K,0,38.4774,-101.358,38.4774,-101.358,"During the evening a severe thunderstorm produced wind gusts up to 60 MPH across Greeley and Wichita counties. The strongest gust was reported at Tribune.","" +117387,705962,COLORADO,2017,June,Hail,"KIT CARSON",2017-06-26 12:25:00,MST-7,2017-06-26 12:25:00,0,0,0,0,0.00K,0,0.00K,0,39.275,-102.9799,39.275,-102.9799,"During the afternoon a couple severe thunderstorms moved across East Central Colorado producing large hail. The strongest storm produced large hail up to hen egg size in Wray.","The hail size ranged from dime to ping-pong ball size." +117387,705968,COLORADO,2017,June,Hail,"CHEYENNE",2017-06-26 13:43:00,MST-7,2017-06-26 13:43:00,0,0,0,0,5.00K,5000,0.00K,0,38.9541,-102.9836,38.9541,-102.9836,"During the afternoon a couple severe thunderstorms moved across East Central Colorado producing large hail. The strongest storm produced large hail up to hen egg size in Wray.","Quite a bit of golf ball size hail fell. The hail broke windows on the north side of the house." +117387,705970,COLORADO,2017,June,Hail,"YUMA",2017-06-26 14:41:00,MST-7,2017-06-26 14:41:00,0,0,0,0,0.00K,0,0.00K,0,40.1217,-102.2271,40.1217,-102.2271,"During the afternoon a couple severe thunderstorms moved across East Central Colorado producing large hail. The strongest storm produced large hail up to hen egg size in Wray.","" +117453,706383,IOWA,2017,June,Hail,"POLK",2017-06-28 16:30:00,CST-6,2017-06-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-93.77,41.61,-93.77,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported quarter sized hail." +119057,716732,MISSOURI,2017,July,Thunderstorm Wind,"LAFAYETTE",2017-07-22 22:00:00,CST-6,2017-07-22 22:03:00,0,0,0,0,,NaN,,NaN,39.18,-93.87,39.18,-93.87,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs of unknown size or condition, along with some power lines were down." +117365,705795,NEW YORK,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-27 15:01:00,EST-5,2017-06-27 15:01:00,0,0,0,0,,NaN,,NaN,42.96,-74.24,42.96,-74.24,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed onto wires in Fort Johnson due to thunderstorm winds." +117365,705798,NEW YORK,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-27 15:02:00,EST-5,2017-06-27 15:02:00,0,0,0,0,,NaN,,NaN,43.2491,-74.2999,43.2491,-74.2999,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A 12 inch diameter tree was downed across Benson Road near Benson." +117365,705799,NEW YORK,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-27 15:06:00,EST-5,2017-06-27 15:06:00,0,0,0,0,,NaN,,NaN,42.95,-74.2,42.95,-74.2,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Two trees were downed in the city of Amsterdam due to thunderstorm winds." +117365,705800,NEW YORK,2017,June,Thunderstorm Wind,"SARATOGA",2017-06-27 15:17:00,EST-5,2017-06-27 15:17:00,0,0,0,0,,NaN,,NaN,43.0197,-73.9888,43.0197,-73.9888,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Multiple trees were downed near Galway Road and Jockey Street in the hamlet of West Corners in the town of Galway due to thunderstorm winds." +117365,705802,NEW YORK,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-27 15:53:00,EST-5,2017-06-27 15:53:00,0,0,0,0,,NaN,,NaN,43.2543,-73.5846,43.2543,-73.5846,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed due to thunderstorm winds on Route 4 at County Road 46 in Fort Edward. The downed tree was blocking all lanes of the roadway." +117473,706498,NEW YORK,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-30 15:40:00,EST-5,2017-06-30 15:40:00,0,0,0,0,,NaN,,NaN,42.5,-73.45,42.5,-73.45,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A tree was downed onto power lines on Winslow Road in the town of New Lebanon due to thunderstorm winds." +117473,706499,NEW YORK,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-30 15:49:00,EST-5,2017-06-30 15:49:00,0,0,0,0,,NaN,,NaN,42.0001,-73.5765,42.0001,-73.5765,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A tree was reported down on County Route 8A in the town of Ancram due to thunderstorm winds." +117473,706501,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-30 14:42:00,EST-5,2017-06-30 14:42:00,0,0,0,0,,NaN,,NaN,43.064,-74.3382,43.064,-74.3382,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","A tree limb was downed on East 11th Avenue in Gloversville due to thunderstorm winds." +117765,708096,NEW MEXICO,2017,August,Hail,"QUAY",2017-08-14 18:56:00,MST-7,2017-08-14 18:59:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-103.22,35.61,-103.22,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Hail up to the size of half dollars seven miles southwest of Nara Visa." +117765,708088,NEW MEXICO,2017,August,Thunderstorm Wind,"CHAVES",2017-08-14 15:12:00,MST-7,2017-08-14 15:14:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-104.69,33.93,-104.69,"The ridge of upper level high pressure that settled into northern Mexico on the 13th continued to allow faster west-northwest flow aloft to remain in place over New Mexico on the 14th. The deepest moisture and instability focused over northeastern New Mexico where a southeasterly wind shift enhanced low level convergence. Showers and thunderstorms developed over the higher terrain of central New Mexico by late morning then moved quickly east into the eastern plains by the early afternoon hours. Several storms became strong to briefly severe around Union County. This activity shifted southward into Harding and Quay counties while organizing into a more developed area of severe thunderstorms. Several reports of nickel to half dollar size hail and 60 mph winds were reported. Another one to two inches of rainfall accompanied the stronger storms, adding even more to the impressive precipitation numbers for August 2017.","Peak outflow wind gust up to 60 mph at Buck Springs." +117670,707594,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:00:00,CST-6,2017-06-12 18:05:00,0,0,0,0,,NaN,,NaN,43.56,-88.6,43.56,-88.6,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Measured 61 mph at Horicon Marsh RAWS site." +117670,707597,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-12 18:20:00,CST-6,2017-06-12 18:38:00,0,0,0,0,25.00K,25000,0.00K,0,43.52,-88.22,43.52,-88.22,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Numerous fallen trees in Kewaskum. Some roads blocked by fallen trees. Minor structural damage from high winds or fallen trees." +117670,707598,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-12 18:20:00,CST-6,2017-06-12 18:55:00,0,0,0,0,25.00K,25000,0.00K,0,43.3403,-88.3644,43.3347,-88.098,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Numerous trees and power lines down across the county." +117670,707599,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-12 18:30:00,CST-6,2017-06-12 18:45:00,0,0,0,0,1.00K,1000,,NaN,43.36,-88.19,43.36,-88.19,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","A horse trailer was blown over." +117670,709317,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-12 18:10:00,CST-6,2017-06-12 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,43.5884,-88.4053,43.5884,-88.4053,"A warm front and shortwave trough produced a line of severe thunderstorms that moved across southern WI. Straight-line winds caused tree damage and some structural damage. Some large hail was reported along with one weak tornado.","Many large trees snapped at ground level throughout a golf course." +117701,707784,WISCONSIN,2017,June,Thunderstorm Wind,"SAUK",2017-06-14 12:40:00,CST-6,2017-06-14 13:10:00,0,0,0,0,12.00K,12000,,NaN,43.475,-90.1057,43.5775,-89.8441,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","Numerous branches and trees down across the northern portion of the county. 65 knot wind gust measured at the AWOS in Reedsburg at 12:55 PM CST." +117071,707729,WISCONSIN,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-28 16:59:00,CST-6,2017-06-28 17:38:00,0,0,0,0,10.00K,10000,0.00K,0,42.811,-90.423,42.657,-89.85,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Scattered tree damage occurred across the county as a strong line of thunderstorms moved through the area. However, there was no concentrated area of damage." +117791,708132,ALABAMA,2017,June,Flash Flood,"ELMORE",2017-06-18 06:00:00,CST-6,2017-06-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4285,-86.4126,32.4303,-86.4048,"Thunderstorms developed during the early morning hours of June 18th across portions of south central Alabama. The convection formed along a upper trough axis that stretched from Mobile, Alabama, northeastward into northwest Georgia. The storms were slow moving due to light upper level winds near the trough axis.","Cooter Pond Road flooded due to Pine Creek overflowing its banks and the adjacent Mobile Home Park also flooded." +117791,708133,ALABAMA,2017,June,Flash Flood,"MONTGOMERY",2017-06-18 07:00:00,CST-6,2017-06-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,32.38,-86.33,32.3786,-86.3178,"Thunderstorms developed during the early morning hours of June 18th across portions of south central Alabama. The convection formed along a upper trough axis that stretched from Mobile, Alabama, northeastward into northwest Georgia. The storms were slow moving due to light upper level winds near the trough axis.","Several reports of flooded streets in the western portions of the city of Montgomery." +117625,708144,MAINE,2017,June,Thunderstorm Wind,"PENOBSCOT",2017-06-12 16:40:00,EST-5,2017-06-12 16:40:00,0,0,0,0,,NaN,,NaN,45.7,-68.71,45.7,-68.71,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","A tree was toppled on Lake Road by wind gusts estimated at 65 mph. The time is estimated." +117625,708146,MAINE,2017,June,Thunderstorm Wind,"PENOBSCOT",2017-06-12 16:40:00,EST-5,2017-06-12 16:40:00,0,0,0,0,,NaN,,NaN,45.68,-68.79,45.68,-68.79,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Trees were toppled across the driveway of a home near Smith Pond by wind gusts estimated at 65 mph. The time is estimated." +117625,708147,MAINE,2017,June,Thunderstorm Wind,"PENOBSCOT",2017-06-12 16:45:00,EST-5,2017-06-12 16:45:00,0,0,0,0,,NaN,,NaN,45.62,-68.53,45.62,-68.53,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Around 50 trees were toppled or snapped in Medway by wind gusts estimated at 70 mph. Power lines were also toppled." +117625,708145,MAINE,2017,June,Thunderstorm Wind,"AROOSTOOK",2017-06-12 15:35:00,EST-5,2017-06-12 15:35:00,0,0,0,0,,NaN,,NaN,46.12,-67.83,46.12,-67.83,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Trees and power lines were toppled on Putnam Avenue...North Street and along Route 1 by wind gusts estimated at 60 mph. The time is estimated." +115462,693343,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:40:00,MST-7,2017-06-12 15:40:00,0,0,0,0,,NaN,,NaN,40.97,-104.3,40.97,-104.3,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693344,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:47:00,MST-7,2017-06-12 15:47:00,0,0,0,0,,NaN,,NaN,40.97,-104.22,40.97,-104.22,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +115462,693345,COLORADO,2017,June,Hail,"WELD",2017-06-12 15:48:00,MST-7,2017-06-12 15:48:00,0,0,0,0,,NaN,,NaN,40.97,-104.3,40.97,-104.3,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","" +117919,708637,OKLAHOMA,2017,June,Thunderstorm Wind,"KIOWA",2017-06-09 00:40:00,CST-6,2017-06-09 00:40:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-99.04,34.99,-99.04,"With outflow boundaries in the area, scattered storms formed over western and southwestern Oklahoma just after midnight on the 9th.","" +117919,708638,OKLAHOMA,2017,June,Hail,"KIOWA",2017-06-09 00:48:00,CST-6,2017-06-09 00:48:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-99.09,35.03,-99.09,"With outflow boundaries in the area, scattered storms formed over western and southwestern Oklahoma just after midnight on the 9th.","" +117919,708639,OKLAHOMA,2017,June,Thunderstorm Wind,"KIOWA",2017-06-09 00:48:00,CST-6,2017-06-09 00:48:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-99.09,35.03,-99.09,"With outflow boundaries in the area, scattered storms formed over western and southwestern Oklahoma just after midnight on the 9th.","" +117613,707981,TEXAS,2017,June,Hail,"GRAY",2017-06-13 15:31:00,CST-6,2017-06-13 15:31:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-101.05,35.55,-101.05,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","Quarter size hail reported on state highway 152 west of Pampa." +115569,694454,MINNESOTA,2017,June,Hail,"STEVENS",2017-06-13 17:45:00,CST-6,2017-06-13 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-95.79,45.5,-95.79,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","" +117613,707982,TEXAS,2017,June,Hail,"CARSON",2017-06-13 16:10:00,CST-6,2017-06-13 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.11,35.2,-101.11,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707983,TEXAS,2017,June,Hail,"ROBERTS",2017-06-13 16:25:00,CST-6,2017-06-13 16:25:00,0,0,0,0,0.00K,0,0.00K,0,35.81,-100.7,35.81,-100.7,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707984,TEXAS,2017,June,Hail,"OCHILTREE",2017-06-13 16:30:00,CST-6,2017-06-13 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-100.62,36.39,-100.62,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","Ping pong ball sized hail reported 10 miles east of Perryton." +117613,707985,TEXAS,2017,June,Hail,"LIPSCOMB",2017-06-13 16:45:00,CST-6,2017-06-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-100.54,36.46,-100.54,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +116467,700456,VIRGINIA,2017,June,Hail,"BEDFORD",2017-06-04 16:25:00,EST-5,2017-06-04 16:25:00,0,0,0,0,,NaN,,NaN,37.12,-79.55,37.12,-79.55,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","" +116467,700477,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-04 17:18:00,EST-5,2017-06-04 17:18:00,0,0,0,0,5.00K,5000,,NaN,36.7308,-79.4219,36.7308,-79.4219,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts caused multiple trees to fall down across Pleasant Gap Road." +116467,700455,VIRGINIA,2017,June,Thunderstorm Wind,"HALIFAX",2017-06-04 17:33:00,EST-5,2017-06-04 17:33:00,0,0,0,0,0.50K,500,,NaN,37,-79.02,37,-79.02,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Thunderstorm wind gusts cause a tree to fall down; dime size hail from the storm was also reported." +116467,704854,VIRGINIA,2017,June,Thunderstorm Wind,"SALEM (C)",2017-06-04 17:40:00,EST-5,2017-06-04 17:40:00,0,0,0,0,5.00K,5000,,NaN,37.24,-80.14,37.24,-80.14,"Southerly flow around high pressure pushing off to the east provided suitable moisture into the region to cause afternoon thunderstorms to develop in the Virginia piedmont. Thunderstorms began in the North Carolina high country before progressing northeast, tapping into higher instabilities where the storms became severe.","Several trees were blown down by thunderstorm winds near River Road in West Salem." +116701,701773,VIRGINIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-13 12:50:00,EST-5,2017-06-13 12:50:00,0,0,0,0,1.00K,1000,,NaN,37.0769,-80.4425,37.0769,-80.4425,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused several large tree limbs to fall down at Auburn Hills Golf Club." +116701,703170,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-13 13:42:00,EST-5,2017-06-13 13:42:00,0,0,0,0,0.50K,500,,NaN,37.2529,-79.9267,37.2529,-79.9267,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused a tree to fall down on Riverland Road Southeast." +117107,704560,VIRGINIA,2017,June,Flash Flood,"ROANOKE",2017-06-15 17:51:00,EST-5,2017-06-15 18:51:00,0,0,0,0,250.00K,250000,0.00K,0,37.3211,-80.0299,37.2578,-80.0409,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","Urban flash flooding was observed in parts of the Roanoke metro area with numerous flooded roadways throughout the city and reports of people trapped in flooded cars. Numerous stranded and abandoned vehicles were located along Salem Avenue in Roanoke with water up to car mirrors in some locations. A swift water team performed a rescue from a car at the corner of Loudon Ave. and 19th Street in Roanoke. Flash flooding was also reported via Twitter at the Shaffers crossing underpass, a very flood prone area. The Roanoke Airport ASOS (ROA) measured 1.58 from the storm and Roanoke 8N COOP (ROAV2) 1.62. Despite the impacts, for a 1-hour period the rainfall was only about a 5-year annual recurrence interval (0.20 Annual Exceedance Probability)." +117107,704629,VIRGINIA,2017,June,Flash Flood,"HENRY",2017-06-16 02:15:00,EST-5,2017-06-16 04:15:00,0,0,0,0,0.00K,0,0.00K,0,36.5992,-79.848,36.5956,-79.8503,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","Several roads in Henry County were closed due to high water including Pulaski Road and Phospho Springs Road. The flooding was possibly from Reds Creek overflow." +117107,704657,VIRGINIA,2017,June,Heavy Rain,"ROANOKE",2017-06-15 17:20:00,EST-5,2017-06-15 19:20:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-79.97,37.34,-79.97,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","A spotter reported 3.52 inches of rain which matches fairly well with radar estimates just north of Roanoke. The rain fell in about a 2 to 3 hour period." +118021,709504,ARIZONA,2017,June,Excessive Heat,"CHIRICAHUA MOUNTAINS",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +118021,709503,ARIZONA,2017,June,Excessive Heat,"GALIURO AND PINALENO MOUNTAINS",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +118021,709505,ARIZONA,2017,June,Excessive Heat,"DRAGOON/MULE/HUACHUCA AND SANTA RITA MOUNTAINS",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +118021,709507,ARIZONA,2017,June,Excessive Heat,"BABOQUIVARI MOUNTAINS",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +112799,673874,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-23 02:33:00,EST-5,2017-01-23 02:33:00,0,0,0,0,0.00K,0,0.00K,0,26.1,-80.11,26.1,-80.11,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A marine thunderstorm wind gust of 61 mph / 53 kts was reported by the mesonet site AU497 at 233 AM EST. Instrument is on top of a building at a height of almost 400 feet above ground level." +112797,673862,FLORIDA,2017,January,Thunderstorm Wind,"MIAMI-DADE",2017-01-23 03:55:00,EST-5,2017-01-23 03:55:00,0,0,0,0,,NaN,,NaN,25.8831,-80.2066,25.8831,-80.2066,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Downed power lines along with gates and mailboxes blown down near NW 118th street and NW 5th avenue reported via twitter." +112797,673864,FLORIDA,2017,January,Thunderstorm Wind,"MIAMI-DADE",2017-01-23 03:46:00,EST-5,2017-01-23 03:46:00,0,0,0,0,,NaN,,NaN,25.82,-80.32,25.82,-80.32,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","A tractor trailer was overturned near NW 50th Street and 74th avenue in Miami-Dade reported by news media." +114222,685697,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:55:00,CST-6,2017-03-06 18:55:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-94.67,40.36,-94.67,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +119520,721949,FLORIDA,2017,September,Tropical Storm,"INLAND LEVY",2017-09-11 01:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,130.00K,130000,0.00K,0,NaN,NaN,NaN,NaN,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. ||The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County." +116417,700617,CALIFORNIA,2017,June,Excessive Heat,"SOUTHERN SACRAMENTO VALLEY",2017-06-18 00:00:00,PST-8,2017-06-19 00:00:00,0,0,1,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High pressure ridging brought an unusually long and strong heat wave for the month of June, with a remarkable 24 new record high temperatures and 16 record high minimum temperatures being set in the area. At the peak of the heat wave on the 21st, Redding reached 112, Red Bluff 113, Marysville 112, downtown Sacramento 108 and Stockton 108. A heat related fatality was reported in Sacramento County, two in Glenn County, as well as multiple people hospitalized due to the heat. There were nine cooling centers opened at the peak of the heat event in Sacramento County. Several power outages were reported at a hospital in Sacramento, and one roadway may have had damage due to the heat.","Triple-digit heat was to blame for Highway 50 eastbound section buckling on Sunday, June 18th near the Jefferson Boulevard exit in West Sacramento. On June 19th Caltrans crews were out again to make repairs as more cracking/buckling closed the number 3 and 4 lanes well into the evening. High temperatures in downtown Sacramento were 106 on the 18th (record), and 107 on the 19th (record)." +116417,700620,CALIFORNIA,2017,June,Excessive Heat,"SOUTHERN SACRAMENTO VALLEY",2017-06-18 00:00:00,PST-8,2017-06-23 00:00:00,0,0,1,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High pressure ridging brought an unusually long and strong heat wave for the month of June, with a remarkable 24 new record high temperatures and 16 record high minimum temperatures being set in the area. At the peak of the heat wave on the 21st, Redding reached 112, Red Bluff 113, Marysville 112, downtown Sacramento 108 and Stockton 108. A heat related fatality was reported in Sacramento County, two in Glenn County, as well as multiple people hospitalized due to the heat. There were nine cooling centers opened at the peak of the heat event in Sacramento County. Several power outages were reported at a hospital in Sacramento, and one roadway may have had damage due to the heat.","A Sacramento hospital suffered power outages when two different transformers were blown. This caused a postponement of elective surgeries and required the purchase and rental of fans, coolers and other equipment. High temperatures in downtown Sacramento were 106 on the 18th (record), 107 on the 19th (record), 106 on the 20th, 106 on the 21st, and 108 on the 22nd (record)." +117948,709015,OKLAHOMA,2017,June,Thunderstorm Wind,"CIMARRON",2017-06-26 19:05:00,CST-6,2017-06-26 19:05:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-102.88,36.83,-102.88,"Diurnally driven convection from the high terrain off of New Mexico and Colorado worked their way southeastward during the afternoon hours. Across the far western combined Panhandles, storms reached the area with weak shear. However, with CAPE of around 1000 J/Kg and DCAPE of around 1500 J/Kg, there was just enough instability to produce severe criteria winds across the western OK Panhandle. Convection then waned toward the evening hours with the loss of daytime heating.","" +118079,709682,NEW YORK,2017,June,Hail,"ROCKLAND",2017-06-19 11:25:00,EST-5,2017-06-19 11:25:00,0,0,0,0,,NaN,,NaN,41.1975,-73.9643,41.1975,-73.9643,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Quarter size hail was reported in Haverstraw." +118079,709684,NEW YORK,2017,June,Lightning,"ORANGE",2017-06-19 13:42:00,EST-5,2017-06-19 13:42:00,0,0,0,0,2.50K,2500,,NaN,41.4731,-74.3609,41.4731,-74.3609,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Lightning struck a home in Scotchtown on Bonnie Brae Drive." +118079,709685,NEW YORK,2017,June,Lightning,"NASSAU",2017-06-19 16:57:00,EST-5,2017-06-19 16:57:00,0,0,0,0,2.50K,2500,,NaN,40.7512,-73.6452,40.7512,-73.6452,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A lightning strike split two trees in Mineola at 356 Mineola Boulevard." +118079,709687,NEW YORK,2017,June,Thunderstorm Wind,"ROCKLAND",2017-06-19 11:35:00,EST-5,2017-06-19 11:35:00,0,0,0,0,4.00K,4000,,NaN,41.2,-73.98,41.2,-73.98,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Three trees were reported down in West Haverstraw, across Samsondale Avenue, South Central Highway, and at the intersection of Route 9W and Gurnee Avenue." +118079,709690,NEW YORK,2017,June,Thunderstorm Wind,"ORANGE",2017-06-19 14:06:00,EST-5,2017-06-19 14:06:00,0,0,0,0,1.00K,1000,,NaN,41.5342,-74.2265,41.5342,-74.2265,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Wires were reported down 1 mile north of Montgomery at the intersection of River Road and Willow Lane." +118079,709691,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:18:00,EST-5,2017-06-19 14:18:00,0,0,0,0,2.00K,2000,,NaN,41.3861,-73.8445,41.3861,-73.8445,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree was reported down on wires just southeast of Oscawana Lake at 459 Oscawana Lake Road." +118079,709692,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:25:00,EST-5,2017-06-19 14:25:00,0,0,0,0,0.00K,0,,NaN,41.4646,-73.8241,41.4646,-73.8241,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree was reported down in Fahnestock State Park." +118079,709693,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 14:38:00,EST-5,2017-06-19 14:38:00,0,0,0,0,5.00K,5000,,NaN,41.5109,-73.6165,41.5109,-73.6165,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Trees were reported down on wires along Route 311 in Patterson." +118153,710059,MINNESOTA,2017,June,Tornado,"BIG STONE",2017-06-13 19:27:00,CST-6,2017-06-13 19:30:00,0,0,0,0,,NaN,,NaN,45.5128,-96.4359,45.5148,-96.4315,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Storm chasers and residents observed a brief tornado on the leading edge of a line of storms. The tornado moved over one farmstead damaging multiple structures. Over half of the tin roof was ripped from the house along with considerable damage to the siding of the house. One machine shed was completely destroyed. Another machine shed had damage to the southward facing walls and lost over half of the roof. A third machine shed had extensive damage to the westward facing walls and lost over half of the roof. An empty grain bin was completely removed from the cement base and an attached auger was toppled. Another grain bin was dented at the top. One power pole was snapped, with other poles downed due to the weight of the wires. Widespread tree damage including snapped trunks, uprooted trees, and large broken branches occurred on the property. A small area of corn crop was razed to the ground. Some debris was driven into the ground, while other debris was lofted roughly 2000 feet to the northeast." +118153,710104,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.3,-96.44,45.3,-96.44,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds snapped multiple trees along with downing many large tree branches. Some electrical lines were also downed." +117509,706788,KANSAS,2017,June,Thunderstorm Wind,"MARION",2017-06-26 18:30:00,CST-6,2017-06-26 18:32:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-97.2,38.35,-97.2,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","There were no reports of damage." +117509,706789,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-26 19:48:00,CST-6,2017-06-26 19:50:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.08,37.69,-97.08,"Severe thunderstorms quickly developed over Saline County early in the evening. The first severe thunderstorm spawned a tornado 5 miles north/northeast of Salina where a couple tractor trailers were flipped over on I-70 at the Ohio Street Interchange. As the severe thunderstorms surged south/southeast, they became prolific damaging wind producers with speeds that frequently reached around 70 mph.","The speeds ranged from 50 to 60 mph 1 mile north of Highway 400." +118153,710105,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.32,-96.46,45.32,-96.46,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds ripped the patio off of a house which also caused roof damage." +118153,710106,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.33,-96.46,45.33,-96.46,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds uprooted many trees at the Ortonville golf course." +118153,710107,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,,NaN,0.00K,0,45.44,-96.25,45.44,-96.25,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds caved in the sides of two grain bins." +117877,710063,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SPINK",2017-06-13 16:25:00,CST-6,2017-06-13 16:25:00,0,0,0,0,,NaN,0.00K,0,45.17,-98.32,45.17,-98.32,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A power pole was snapped by estimated seventy mph winds." +117877,710064,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CLARK",2017-06-13 17:58:00,CST-6,2017-06-13 17:58:00,0,0,0,0,,NaN,0.00K,0,44.88,-97.73,44.88,-97.73,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Eighty mph winds removed a shed roof along with downing several trees." +117877,710065,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 18:03:00,CST-6,2017-06-13 18:03:00,0,0,0,0,,NaN,0.00K,0,45.46,-98.51,45.46,-98.51,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Several trees were downed by estimated seventy mph winds." +117877,710099,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-13 19:05:00,CST-6,2017-06-13 19:05:00,0,0,0,0,0.00K,0,0.00K,0,45.8,-97.45,45.8,-97.45,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710100,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:14:00,CST-6,2017-06-13 19:14:00,0,0,0,0,0.00K,0,0.00K,0,45.86,-97.1,45.86,-97.1,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty mph winds were estimated." +117877,710101,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,0.00K,0,0.00K,0,45.41,-96.64,45.41,-96.64,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","" +117877,710102,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"ROBERTS",2017-06-13 19:20:00,CST-6,2017-06-13 19:20:00,0,0,0,0,0.00K,0,0.00K,0,45.87,-96.92,45.87,-96.92,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Seventy mph winds were estimated." +115942,696850,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CAVALIER",2017-06-09 18:00:00,CST-6,2017-06-09 18:00:00,0,0,0,0,500.00K,500000,3.00M,3000000,48.67,-97.98,48.67,-97.98,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Large portions of Alma and East Alma townships were stripped of small grain and bean crops by extreme downburst winds and wind driven hail." +115942,696853,NORTH DAKOTA,2017,June,Thunderstorm Wind,"PEMBINA",2017-06-09 18:10:00,CST-6,2017-06-09 18:10:00,0,0,0,0,500.00K,500000,100.00K,100000,48.68,-97.86,48.68,-97.86,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Numerous large tree branches and limbs were broken down or snapped across much of Thingvalla Township. Sheet metal roofing and shingles were blown off buildings in various locations." +115942,696892,NORTH DAKOTA,2017,June,Thunderstorm Wind,"STEELE",2017-06-09 21:15:00,CST-6,2017-06-09 21:15:00,0,0,0,0,10.00K,10000,,NaN,47.28,-97.72,47.28,-97.72,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A chicken coop was destroyed and two large evergreens were blown down." +118505,712012,MICHIGAN,2017,June,Thunderstorm Wind,"EMMET",2017-06-11 15:48:00,EST-5,2017-06-11 15:48:00,0,0,0,0,9.00K,9000,0.00K,0,45.5,-84.79,45.5,-84.79,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Trees were downed in Maple River Township." +115396,694371,MISSOURI,2017,April,Flash Flood,"STE. GENEVIEVE",2017-04-29 10:00:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.6719,-90.2004,37.8752,-89.9448,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between four and eight inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Route C near Weingarten, and Highways A and B west and southwest of Ste. Genevieve." +115396,694437,MISSOURI,2017,April,Flash Flood,"CRAWFORD",2017-04-29 11:25:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2028,-91.0974,38.2103,-91.5344,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Four to seven inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Route E about five miles east northeast of Steelville." +121150,725279,NORTH DAKOTA,2017,December,Blizzard,"CASS",2017-12-04 12:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121150,725280,NORTH DAKOTA,2017,December,Blizzard,"RANSOM",2017-12-04 12:00:00,CST-6,2017-12-04 19:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +116394,700168,TEXAS,2017,June,Lightning,"LUBBOCK",2017-06-30 23:30:00,CST-6,2017-06-30 23:30:00,0,0,0,0,50.00K,50000,0.00K,0,33.5142,-101.9345,33.5142,-101.9345,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","Lightning struck a two-story single family residence and proceeded to cause several small fires within the electrical wiring in the upstairs of the house. The family of four was uninjured, but displaced as fire crews tended to hot spots above the ceiling." +116394,700065,TEXAS,2017,June,Hail,"HOCKLEY",2017-06-30 23:05:00,CST-6,2017-06-30 23:30:00,1,0,0,0,3.00M,3000000,1.50M,1500000,33.82,-102.18,33.75,-102.09,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","This is the continuation path of the devastating supercell that moved slowly southeast along U.S. Highway 84 from Lamb County. Wind-driven hail as large as baseballs shattered home windows, destroyed siding, punctured roofs, heavily damaged vehicles, wiped out crops, and stripped trees across far northeast Hockley County. The mayor of Anton described the hail damage as the worst he had ever seen in decades of living on the Texas South Plains and declared a state of disaster. The American Red Cross said 100% of the roughly 400 homes in Anton sustained serious damage, with each home requiring on average $6,000 of repairs. One resident of Anton was bruised by the large hail and cut by broken glass as he attempted to cover up shattered windows during the storm. About 8,000 acres of crops in extreme northeast Hockley County were a total loss from the hail, torrential rainfall and flooding that ensued." +117673,707651,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CLARK",2017-06-11 03:40:00,CST-6,2017-06-11 03:40:00,0,0,0,0,,NaN,,NaN,44.88,-97.73,44.88,-97.73,"Severe thunderstorms developed north of a warm front across parts of central South Dakota early in the morning hours. These storms tracked along from west to east bringing large hail from quarter size to the size of tennis balls. As they moved into northeast South Dakota, the storms developed into a line as it moved east and bowed out. Sixty to ninety mph winds occurred across parts of Clark, Codington, Hamlin and Deuel counties. Many trees were damaged or blown down in these counties along with some buildings damaged. In Goodwin, beams from a shed went through the roof of a house. Much of the roof on another shed was blown off. A power pole was also snapped in Watertown along with a tree falling onto a house.","Seventy mph winds brought some trees down along with many tree branches in Clark." +117877,708460,SOUTH DAKOTA,2017,June,Tornado,"HAND",2017-06-13 15:25:00,CST-6,2017-06-13 15:28:00,0,0,0,0,,NaN,,NaN,44.839,-98.79,44.84,-98.785,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado touched down southwest of Zell and snapped and uprooted trees around a farm. Several of the those trees fell onto a house that had two occupants. A roof was torn off of a barn and a machine shed was partially destroyed with debris thrown across a neighboring field." +117877,710066,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 18:05:00,CST-6,2017-06-13 18:05:00,0,0,0,0,0.00K,0,0.00K,0,45.46,-98.47,45.46,-98.47,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Some large branches were downed by sixty mph winds." +116909,707795,WISCONSIN,2017,June,Lightning,"MENOMINEE (C)",2017-06-11 11:53:00,CST-6,2017-06-11 11:53:00,0,0,0,0,25.00K,25000,0.00K,0,44.88,-88.63,44.88,-88.63,"Thunderstorms developed in the Dakotas on the night of June 10th in response to very warm and humid air interacting with a stalled frontal system. The line of storms moved across Minnesota and into western Wisconsin on the morning of June 11th and continued across much of central, north central and northeast Wisconsin during the late morning and early afternoon hours.||The storms produced damaging winds, mainly north of Highway 29, downing numerous trees and power lines, flattening at least 2 barns, and causing roof damage to several other buildings. At one point, 55,000 people were without power.","Lightning caused a house fire in Keshena." +117353,705730,WISCONSIN,2017,June,Thunderstorm Wind,"PORTAGE",2017-06-12 17:13:00,CST-6,2017-06-12 17:13:00,0,0,0,0,10.00K,10000,0.00K,0,44.45,-89.53,44.45,-89.53,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","A thunderstorm, with wind gusts to 61 mph, downed trees onto homes and knocked out power to several neighborhoods. The storm also dropped 1.92 inches of rain in less than 45 minutes." +115547,693745,WISCONSIN,2017,June,Tornado,"OUTAGAMIE",2017-06-14 14:30:00,CST-6,2017-06-14 14:34:00,0,0,0,0,2.50K,2500,0.00K,0,44.31,-88.44,44.33,-88.39,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A weak tornado caused minor house damage (DI 2, DOD 2) and ripped small limbs off trees (DI 27, DOD 1 and 2)." +115547,693746,WISCONSIN,2017,June,Tornado,"BROWN",2017-06-14 14:53:00,CST-6,2017-06-14 14:55:00,0,0,0,0,0.00K,0,0.00K,0,44.29,-88,44.3,-87.98,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A weak tornado caused minor tree damage (DI 27, DOD 1 and 2)." +117159,710745,GEORGIA,2017,June,Heavy Rain,"NEWTON",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.51,-83.82,33.51,-83.82,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the Alcovy River at High Point, reported 6.85 inches of rain for the 24-hour period ending at 9:30 PM EST." +117159,710744,GEORGIA,2017,June,Heavy Rain,"HENRY",2017-06-19 21:30:00,EST-5,2017-06-20 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-83.96,33.48,-83.96,"A stalled frontal boundary and anomalously moist air mass produced high rainfall amounts for several days, beginning June 19th. Multiple waves of precipitation including many training storms dropped high rainfall amounts over the metro Atlanta area and along the I-20 corridor. Rainfall amounts were generally 4-6 inches, with isolated amounts approaching 8 inches. Flash flooding resulted, especially within the Nancy Creek, North Fork Peachtree Creek and Yellow River basins.","The USGS precipitation gage located at the South River at Snapping Shoals reported 4.76 inches of rain for the 24-hour period ending at 9:30 PM EST." +118275,710780,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:20:00,CST-6,2017-06-29 23:20:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710781,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:25:00,CST-6,2017-06-29 23:25:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710782,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:30:00,CST-6,2017-06-29 23:30:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710783,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:35:00,CST-6,2017-06-29 23:35:00,0,0,0,0,,NaN,,NaN,36.8,-98.67,36.8,-98.67,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","Sheriff's department reported thunderstorm wind damage throughout the county. This includes trees and power lines down, roof off of a building in Alva, and a gas station awning removed. Also there was a report of a train derailment near Alva. Time of occurrence based on radar was between about midnight and shortly after 1am." +118275,710784,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:35:00,CST-6,2017-06-29 23:35:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118275,710785,OKLAHOMA,2017,June,Thunderstorm Wind,"WOODS",2017-06-29 23:55:00,CST-6,2017-06-29 23:55:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-98.67,36.79,-98.67,"A line of storms formed ahead of a front just after midnight on the 30th and marched southeastward through the overnight hours.","" +118060,709850,ATLANTIC SOUTH,2017,June,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-06-26 09:05:00,EST-5,2017-06-26 09:05:00,0,0,0,0,0.00K,0,0.00K,0,26.7,-80.01,26.7,-80.01,"Developing cumulus and showers during the morning hours produced two seperate waterspouts off the Palm Beach County coast.","A member of the public reported a waterspout off the coast of West Palm Beach this morning. Location and time are estimated." +118061,709890,FLORIDA,2017,June,Lightning,"BROWARD",2017-06-27 12:30:00,EST-5,2017-06-27 12:30:00,1,0,1,0,,NaN,,NaN,26.0079,-80.2838,26.0079,-80.2838,"Afternoon thunderstorms produced a lightning strike that struck two men at a construction site in Broward County.","Multiple members of media reported two men were struck by lightning at a construction site at the Pines City Center in Pembroke Pines. A 34-year-old man was struck directly while the other indirectly. Both men were taken to a local area hospital. The man who was struck directly had entry and exit wounds and was given CPR by other construction workers before rescue crews arrived. He was transported to a local hospital where he died. The other man who was struck indirectly complained of numbness and was transported to the hospital where he was later released.||Time of the report is when the call was received by 911, and archived data showed lightning in that area around the time of the call." +118063,709844,ATLANTIC SOUTH,2017,June,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-29 07:05:00,EST-5,2017-06-29 07:05:00,0,0,0,0,0.00K,0,0.00K,0,26.1577,-79.9748,26.1577,-79.9748,"Isolated showers and storms that developed over the Atlantic during the morning hours produced a waterspout off the Broward County coast.","A pilot reported a waterspout 9 miles northeast of Fort Lauderdale International Airport." +118276,710844,OKLAHOMA,2017,June,Thunderstorm Wind,"LOVE",2017-06-30 21:20:00,CST-6,2017-06-30 21:20:00,0,0,0,0,10.00K,10000,0.00K,0,33.9178,-97.1333,33.9178,-97.1333,"Another line of storms formed along a cold front as it pushed into southern Oklahoma and western north Texas late on the 30th.","Power poles were downed. A semi overturned on I-35 mile marker 11." +112039,668157,GEORGIA,2017,January,Winter Weather,"CARROLL",2017-01-06 22:00:00,EST-5,2017-01-07 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the afternoon of January 6th through the morning of January 7th a fast moving but strong storm system swept across the southeastern U.S. A cold airmass across north and central Georgia combined with rich moisture drawn north from the Gulf of Mexico to produce a mixture of rain, sleet, freezing rain and snow across north and portions of central Georgia.","A CoCoRaHS observer reported a dusting of snow in the Carrollton area. Several reports of a tenth of an inch or less of freezing rain were received around the county." +112258,673719,GEORGIA,2017,January,Tornado,"PUTNAM",2017-01-21 13:10:00,EST-5,2017-01-21 13:12:00,0,0,0,0,25.00K,25000,,NaN,33.1792,-83.343,33.1839,-83.335,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Putnam County Emergency Manager reported an EF0 tornado with a maximum path width of 50 yards and maximum wind speeds of 75 MPH in the Lake Sinclair area of southern Putnam County. Several trees were blown down damaging some homes from around Bluegill Road SW and Ford Road across Dennis Station Road to Dennis Way. [01/21/17: Tornado #16, County #1/1, EF0, Putnam, 2017:017]." +115430,695730,MINNESOTA,2017,June,Thunderstorm Wind,"YELLOW MEDICINE",2017-06-11 05:50:00,CST-6,2017-06-11 05:50:00,0,0,0,0,0.00K,0,0.00K,0,44.75,-95.55,44.75,-95.55,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,696125,MINNESOTA,2017,June,Thunderstorm Wind,"MCLEOD",2017-06-11 06:45:00,CST-6,2017-06-11 06:45:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-94.37,44.89,-94.37,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Numerous tree branches and limbs were blown down, with a few up to 12 inches in diameter. The local emergency manager reported over 17 power poles were damaged throughout the county." +115430,697440,MINNESOTA,2017,June,Thunderstorm Wind,"STEARNS",2017-06-11 07:00:00,CST-6,2017-06-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-94.24,45.55,-94.24,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Numerous trees and power lines were blown down, including one tree on a house." +115430,696069,MINNESOTA,2017,June,Hail,"RAMSEY",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-93.09,45.01,-93.09,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,697442,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:47:00,CST-6,2017-06-11 07:47:00,0,0,0,0,0.00K,0,0.00K,0,45,-93.27,45,-93.27,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large trees were blown down across the road and on a car at NE Main Street and NE 16th Ave in northeast Minneapolis." +115430,695733,MINNESOTA,2017,June,Thunderstorm Wind,"SWIFT",2017-06-11 06:13:00,CST-6,2017-06-11 06:13:00,0,0,0,0,0.00K,0,0.00K,0,45.18,-95.31,45.18,-95.31,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Trees and power lines were blown down." +117723,709953,ALABAMA,2017,June,Flash Flood,"WASHINGTON",2017-06-22 11:30:00,CST-6,2017-06-22 13:30:00,0,0,0,0,25.00K,25000,0.00K,0,31.5289,-88.2298,31.6067,-88.1955,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","Flash flooding resulted in damage to County Road 31 northeast of Chatom." +117723,709955,ALABAMA,2017,June,Flash Flood,"WASHINGTON",2017-06-22 12:05:00,CST-6,2017-06-22 13:30:00,0,0,0,0,15.00K,15000,0.00K,0,31.2906,-88.0644,31.2152,-88.1488,"Tropical Storm Cindy first developed in the central Gulf of Mexico on the afternoon of Tuesday, June 20th and made landfall between Cameron, LA and Port Arthur, TX during the early morning hours of Thursday, June 22nd. Despite the center of the storm being far removed from the north central Gulf Coast, the effects of Cindy extended several hundred miles to the east of the center and impacted the local area starting late Tuesday and persisting through the end of the week.||The primary impact across southwest and south central Alabama was from heavy rain and flooding. The highest storm total observed was in Thomasville, AL which measured 11.37 of rain ending Friday night, June 23rd. Numerous locations across south central and southwest Alabama recorded 5 to 10 inches of rain. The heavy rain resulted in numerous instances of flash flooding and minor to moderate river flooding. ||Coastal flooding also impacted Mobile and Baldwin Counties, particularly in the typical low lying locations. Tidal gauges indicate the maximum inundation was around 3 feet MHHW in the north end of Mobile Bay. ||Four tornadoes occurred in southern Alabama during Cindy, 3 EF-0 and 1 EF-1. ||Two fatalities occurred, one due to high surf and one due to rip currents.","A portion of County Road 4 southwest of McIntosh was damaged by flash flooding. Flooding was also reported in the McIntosh Industrial Park Area." +121202,725561,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTH CLEARWATER",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +121202,725562,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTH CLEARWATER",2017-12-24 18:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass settled over the Northern Plains, with morning lows on the 25th ranging from 10 below to 25 below zero. On the morning of the 26th, temperatures ranged from 15 below to 30 below zero. Winds throughout the period ranged from 5 to 15 mph, which resulted in wind chill values from 40 below to 45 below zero at times.","" +115430,695734,MINNESOTA,2017,June,Thunderstorm Wind,"LAC QUI PARLE",2017-06-11 05:06:00,CST-6,2017-06-11 05:08:00,0,0,0,0,0.00K,0,50.00K,50000,44.9984,-96.4325,45.011,-96.3968,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several large trees and power lines were blown down in Marietta, with the worst damage southeast of the town. Some damage occurred to local soybean crops." +117161,704756,GEORGIA,2017,June,Thunderstorm Wind,"BUTTS",2017-06-22 18:28:00,EST-5,2017-06-22 18:38:00,0,0,0,0,10.00K,10000,,NaN,33.2911,-83.9771,33.2911,-83.9771,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","A National Weather Service survey team determined that straight-line winds caused minor shingle damage to the roof of a funeral home and blew down a large limb in the parking lot of the business. An Oak tree was also blown down around 50 yards east of the funeral home across Old Griffin Road. No injuries were reported." +117161,704758,GEORGIA,2017,June,Thunderstorm Wind,"JASPER",2017-06-22 18:45:00,EST-5,2017-06-22 18:55:00,0,0,0,0,1.00K,1000,,NaN,33.38,-83.82,33.38,-83.82,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","The Jasper County 911 center reported a tree blown down on Jackson Lake Road near Highway 212." +118073,709654,NEW YORK,2017,June,Tornado,"ONEIDA",2017-06-30 15:45:00,EST-5,2017-06-30 15:46:00,0,0,0,0,20.00K,20000,0.00K,0,43.0994,-75.6188,43.0972,-75.5898,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in an unstable atmosphere. These storms quickly moved eastward and developed into line of thunderstorms. Some of these thunderstorms became severe and produced large hail, damaging winds and even a tornado.","A tornado touched down at 445 pm EDT June 30th 2017 near the intersection of Fox Road and Route 365 several miles southwest of Verona, NY in Oneida County. The tornado knocked down around a dozen trees and several power poles along its 1.5 mile path. There were a few homes that sustained damage from trees falling and also loss of a few shingles. Maximum winds were around 70 mph with the worst damage along Route 365 between Fox Road and Stoney Brook Road." +118073,710336,NEW YORK,2017,June,Thunderstorm Wind,"CHENANGO",2017-06-30 12:45:00,EST-5,2017-06-30 12:55:00,0,0,0,0,10.00K,10000,0.00K,0,42.5,-75.69,42.5,-75.69,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in an unstable atmosphere. These storms quickly moved eastward and developed into line of thunderstorms. Some of these thunderstorms became severe and produced large hail, damaging winds and even a tornado.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires. This storm also knocked over trees and wires in the towns of Preston, Pharsalia and Willet." +118073,710340,NEW YORK,2017,June,Thunderstorm Wind,"MADISON",2017-06-30 15:30:00,EST-5,2017-06-30 15:40:00,0,0,0,0,4.00K,4000,0.00K,0,43.11,-75.74,43.11,-75.74,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in an unstable atmosphere. These storms quickly moved eastward and developed into line of thunderstorms. Some of these thunderstorms became severe and produced large hail, damaging winds and even a tornado.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over several trees and branches." +118204,710333,PENNSYLVANIA,2017,June,Hail,"SUSQUEHANNA",2017-06-27 14:00:00,EST-5,2017-06-27 14:10:00,0,0,0,0,1.00K,1000,0.00K,0,41.98,-75.92,41.98,-75.92,"A weak surface front moved across the region Tuesday afternoon in a very unstable environment. The front resulted in scattered showers and thunderstorms developing across the states of New York and Pennsylvania.An isolated storm became severe and produced large hail.","A thunderstorm developed over the area and produced silver dollar sized hail. This report was relayed via News FOX56 and Facebook. This report was radar estimated." +117162,704791,GEORGIA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-23 20:10:00,EST-5,2017-06-23 20:15:00,0,0,0,0,1.00K,1000,,NaN,34.2085,-83.6832,34.2085,-83.6832,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Banks County 911 center reported a tree blown down on Pond Fork Church Road near Pendergrass." +118202,710329,NEW YORK,2017,June,Thunderstorm Wind,"MADISON",2017-06-25 17:59:00,EST-5,2017-06-25 18:09:00,0,0,0,0,2.00K,2000,0.00K,0,42.9,-75.64,42.9,-75.64,"A cold front moved across the region Sunday afternoon and generated showers and thunderstorms in an environment with unusually strong winds aloft. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a couple of trees in the town of Eaton." +118202,710330,NEW YORK,2017,June,Thunderstorm Wind,"MADISON",2017-06-25 18:02:00,EST-5,2017-06-25 18:12:00,0,0,0,0,2.00K,2000,0.00K,0,42.98,-75.58,42.98,-75.58,"A cold front moved across the region Sunday afternoon and generated showers and thunderstorms in an environment with unusually strong winds aloft. Some of these storms became severe and produced strong winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a couple of trees." +117162,704797,GEORGIA,2017,June,Thunderstorm Wind,"ROCKDALE",2017-06-23 20:35:00,EST-5,2017-06-23 20:50:00,0,0,0,0,3.00K,3000,,NaN,33.6354,-84.0491,33.6443,-83.9914,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The Rockdale County 911 center reported trees blown down from southwest through southeast of Conyers. Locations include Grande Road at McCollum Road and at the Woodland Trace Apartments on Iris Drive." +118206,710343,PENNSYLVANIA,2017,June,Hail,"LACKAWANNA",2017-06-30 15:35:00,EST-5,2017-06-30 15:45:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-75.64,41.36,-75.64,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in a very unstable atmosphere. These storms quickly moved eastward formed into a line of thunderstorms. Some of these showers and thunderstorms became severe producing hail and damaging winds.","A thunderstorm developed over the area and produced nickel sized hail." +115703,697593,KENTUCKY,2017,June,Flash Flood,"HARDIN",2017-06-23 16:40:00,EST-5,2017-06-23 16:40:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-85.78,37.7445,-85.7698,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","The Hardin County COOP Observer reported high water flowing across US Highway 62 northeast of Elizabethtown." +115703,697594,KENTUCKY,2017,June,Flash Flood,"HARDIN",2017-06-23 16:54:00,EST-5,2017-06-23 16:54:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-86.07,37.6832,-86.0379,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","High water was observed flowing across Kentucky Highway 86 between Cecilia and the Breckinridge County line." +115703,702391,KENTUCKY,2017,June,Flood,"BOURBON",2017-06-25 01:25:00,EST-5,2017-06-26 03:40:00,0,0,0,0,0.00K,0,0.00K,0,38.2084,-84.2351,38.2032,-84.2362,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Heavy rainfall associated from Tropical Storm Cindy brought the Stoner Creek at Paris into minor flood. The river crested at 19.42 feet on June 24." +115703,702412,KENTUCKY,2017,June,Tornado,"LARUE",2017-06-23 16:37:00,EST-5,2017-06-23 16:45:00,0,0,0,0,100.00K,100000,0.00K,0,37.5285,-85.7443,37.5723,-85.669,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","The tornado first downed a large tree on McDowell Rd 2.8 miles south of Hodgenville. It damaged tree tops at the Lincoln Birthplace National Historical Park as it moved northeast. At the end of Earl Jones Road, the tornado destroyed one cinder block and wood barn and damaged the roof of another, scattering debris several hundred yards. The tornado then skipped intermittently over primarily open farmland for several miles before uprooting and snapping several trees along Leafdale Road west of Highway 470." +115703,697489,KENTUCKY,2017,June,Thunderstorm Wind,"NELSON",2017-06-23 16:54:00,EST-5,2017-06-23 16:54:00,0,0,0,0,,NaN,0.00K,0,37.75,-85.51,37.75,-85.51,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported trees snapped in the Balltown area." +115703,697493,KENTUCKY,2017,June,Thunderstorm Wind,"NELSON",2017-06-23 16:55:00,EST-5,2017-06-23 16:55:00,0,0,0,0,,NaN,0.00K,0,37.7,-85.55,37.7,-85.55,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported multiple trees down across the southern part of Nelson County." +118357,711296,KANSAS,2017,June,Hail,"KEARNY",2017-06-20 17:07:00,CST-6,2017-06-20 17:07:00,0,0,0,0,,NaN,,NaN,37.81,-101.53,37.81,-101.53,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711297,KANSAS,2017,June,Hail,"FINNEY",2017-06-20 17:20:00,CST-6,2017-06-20 17:20:00,0,0,0,0,,NaN,,NaN,38,-101,38,-101,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711298,KANSAS,2017,June,Hail,"FINNEY",2017-06-20 17:22:00,CST-6,2017-06-20 17:22:00,0,0,0,0,,NaN,,NaN,38,-100.99,38,-100.99,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711299,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:05:00,CST-6,2017-06-20 18:05:00,0,0,0,0,,NaN,,NaN,37.72,-101.33,37.72,-101.33,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Windows were broken at this location." +118357,711300,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:10:00,CST-6,2017-06-20 18:10:00,0,0,0,0,,NaN,,NaN,37.61,-101.36,37.61,-101.36,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +117011,706124,NEBRASKA,2017,June,Heavy Rain,"WEBSTER",2017-06-28 18:00:00,CST-6,2017-06-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-98.4543,40.1,-98.4543,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","A 12-hour (overnight) rain total of 3.54 inches occurred four miles east of Red Cloud." +116588,701138,ARKANSAS,2017,June,Flood,"ASHLEY",2017-06-23 18:50:00,CST-6,2017-06-23 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.2638,-91.7596,33.2663,-91.7536,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affected the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Ashley County Road 130 was flooded." +116588,701152,ARKANSAS,2017,June,Thunderstorm Wind,"ASHLEY",2017-06-23 19:10:00,CST-6,2017-06-23 19:30:00,0,0,0,0,12.00K,12000,0.00K,0,33.24,-91.77,33.0572,-91.7194,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affected the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Multiple trees were blown down around the county by strong outflow winds." +116590,701153,LOUISIANA,2017,June,Flash Flood,"RICHLAND",2017-06-23 21:01:00,CST-6,2017-06-23 22:30:00,0,0,0,0,2.00K,2000,0.00K,0,32.51,-91.54,32.5106,-91.5492,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affected the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred at Collins Drive and McHand Drive." +116270,700342,MISSISSIPPI,2017,June,Thunderstorm Wind,"LEFLORE",2017-06-16 17:10:00,CST-6,2017-06-16 17:10:00,0,0,0,0,4.00K,4000,0.00K,0,33.66,-90.21,33.66,-90.21,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down." +116270,700344,MISSISSIPPI,2017,June,Thunderstorm Wind,"NEWTON",2017-06-16 17:22:00,CST-6,2017-06-16 17:22:00,0,0,0,0,15.00K,15000,0.00K,0,32.32,-89.03,32.32,-89.03,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees and powerlines were blown down along Highway 80 in Hickory." +116270,700346,MISSISSIPPI,2017,June,Flash Flood,"NEWTON",2017-06-16 17:30:00,CST-6,2017-06-16 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.3577,-88.9347,32.3439,-88.9336,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Chunky Duffee Road was impassable near Interstate 20 with up to two inches covering the road." +116270,707662,MISSISSIPPI,2017,June,Thunderstorm Wind,"FORREST",2017-06-16 20:49:00,CST-6,2017-06-16 20:54:00,0,0,0,0,25.00K,25000,0.00K,0,31.23,-89.28,31.23,-89.28,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Severe wind gusts blew power lines down onto the road near US Highway 49 and US Highway 98 and blew multiple trees down near Hattiesburg." +116270,707664,MISSISSIPPI,2017,June,Thunderstorm Wind,"FORREST",2017-06-16 20:37:00,CST-6,2017-06-16 20:37:00,0,0,0,0,10.00K,10000,0.00K,0,31.4,-89.3,31.4,-89.3,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down along Monroe Road northwest of Petal." +116270,708396,MISSISSIPPI,2017,June,Thunderstorm Wind,"MARION",2017-06-16 20:33:00,CST-6,2017-06-16 20:41:00,0,0,0,0,30.00K,30000,0.00K,0,31.38,-89.78,31.32,-89.76,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Severe wind gusts from a line of thunderstorms caused damage in northeastern Marion County, including a tree which was blown down along Williamsburg Road and a roof which was damaged near Gates Road and Wolf Howling Road." +118439,711881,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 15:14:00,EST-5,2017-06-23 15:14:00,0,0,0,0,2.00K,2000,0.00K,0,40,-79.87,40,-79.87,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711882,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 15:22:00,EST-5,2017-06-23 15:22:00,0,0,0,0,1.00K,1000,0.00K,0,40.22,-79.23,40.22,-79.23,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down." +118439,711883,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 15:35:00,EST-5,2017-06-23 15:35:00,0,0,0,0,1.00K,1000,0.00K,0,40.17,-79.38,40.17,-79.38,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The public reported trees down." +118439,711975,PENNSYLVANIA,2017,June,Flash Flood,"GREENE",2017-06-23 16:50:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-80.05,39.9134,-79.9872,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported roads closed in and around Fairdale due to high water." +118440,711726,MARYLAND,2017,June,Thunderstorm Wind,"GARRETT",2017-06-23 17:38:00,EST-5,2017-06-23 17:38:00,0,0,0,0,5.00K,5000,0.00K,0,39.66,-79.41,39.66,-79.41,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down near Friendsville." +118439,711976,PENNSYLVANIA,2017,June,Flash Flood,"GREENE",2017-06-23 18:32:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-80.19,39.8961,-80.2977,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported three feet of water on Oak Forest Road. Also, a construction trailer at West Greene High School was washed down the creek and under a railroad tressel." +118286,710863,PENNSYLVANIA,2017,June,Flash Flood,"WASHINGTON",2017-06-14 17:00:00,EST-5,2017-06-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2591,-79.9866,40.2558,-79.9857,"Slow moving thunderstorms developed along a stationary boundary across the region, in a tropical, moisture rich airmass. With the slow movement, heavy rain produced widespread flash flooding across portions of southern Allegheny county, Pennsylvania. This is after the same region received heavy rain the day prior.","County 911 reported flooding at the intersection of McChain Road and Stone Church Road." +118286,710867,PENNSYLVANIA,2017,June,Flood,"ALLEGHENY",2017-06-14 19:15:00,EST-5,2017-06-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-79.98,40.36,-79.95,"Slow moving thunderstorms developed along a stationary boundary across the region, in a tropical, moisture rich airmass. With the slow movement, heavy rain produced widespread flash flooding across portions of southern Allegheny county, Pennsylvania. This is after the same region received heavy rain the day prior.","County 911 continued to reports residual flooding from heavy rain on the 14th. Several roads were closed until the morning of the 15th." +118291,710874,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:35:00,EST-5,2017-06-15 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,40.57,-80.03,40.57,-80.03,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Local 911 reported a tree down on a car." +118291,710876,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:35:00,EST-5,2017-06-15 14:35:00,0,0,0,0,0.50K,500,0.00K,0,40.58,-80.04,40.58,-80.04,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Local 911 center reported a tree down across the roadway at 176 West Ingomar Road." +118291,710877,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:40:00,EST-5,2017-06-15 14:40:00,0,0,0,0,3.00K,3000,0.00K,0,40.58,-80.03,40.58,-80.03,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Local 911 reported trees down at the intersections of Ingomar Road and Saratoga Drive and McKnight Road and Blazier Drive." +115559,704384,NEBRASKA,2017,June,Thunderstorm Wind,"POLK",2017-06-13 19:25:00,CST-6,2017-06-13 19:25:00,0,0,0,0,25.00K,25000,0.00K,0,41.2,-97.43,41.2,-97.43,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated to be near 65 MPH resulted in roof damage to a storage shed on the far east side of Shelby as well as some small tree limbs being downed." +115559,704385,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-13 19:40:00,CST-6,2017-06-13 19:45:00,0,0,0,0,75.00K,75000,500.00K,500000,40.1,-98.65,40.1,-98.53,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Hail ranged in size from quarter to ping pong balls." +115559,704389,NEBRASKA,2017,June,Hail,"NUCKOLLS",2017-06-13 20:18:00,CST-6,2017-06-13 20:18:00,0,0,0,0,75.00K,75000,250.00K,250000,40.3,-98.27,40.3,-98.27,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704398,NEBRASKA,2017,June,Thunderstorm Wind,"WEBSTER",2017-06-13 20:57:00,CST-6,2017-06-13 20:57:00,0,0,0,0,25.00K,25000,500.00K,500000,40.0966,-98.3824,40.0966,-98.3824,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated near 70 MPH were accompanied by dime size hail." +115559,704400,NEBRASKA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 21:20:00,CST-6,2017-06-13 21:20:00,0,0,0,0,5.00K,5000,0.00K,0,40.37,-97.97,40.37,-97.97,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts estimated near 60 MPH caused some minor tree damage in town." +118421,711653,PENNSYLVANIA,2017,June,Hail,"VENANGO",2017-06-29 21:29:00,EST-5,2017-06-29 21:29:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-79.88,41.2,-79.88,"Passing shortwave supported isolated strong/severe storms on the 29th.","" +118421,711654,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-29 22:05:00,EST-5,2017-06-29 22:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.68,-80.22,40.68,-80.22,"Passing shortwave supported isolated strong/severe storms on the 29th.","State official reported numerous trees and wires down blocking Freedom-Crider Road." +118422,711655,OHIO,2017,June,Thunderstorm Wind,"COLUMBIANA",2017-06-29 21:19:00,EST-5,2017-06-29 21:19:00,0,0,0,0,2.50K,2500,0.00K,0,40.71,-80.8,40.71,-80.8,"Passing shortwave supported isolated strong/severe storms on the 29th.","State official reported trees down on Route 518." +118422,711656,OHIO,2017,June,Thunderstorm Wind,"COLUMBIANA",2017-06-29 21:36:00,EST-5,2017-06-29 21:36:00,0,0,0,0,0.50K,500,0.00K,0,40.68,-80.58,40.68,-80.58,"Passing shortwave supported isolated strong/severe storms on the 29th.","Member of the public reported a large tree down on Midland Fredricktown Road on Social Media." +118422,711657,OHIO,2017,June,Thunderstorm Wind,"CARROLL",2017-06-29 21:50:00,EST-5,2017-06-29 21:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.51,-81.09,40.51,-81.09,"Passing shortwave supported isolated strong/severe storms on the 29th.","Member of the public reported a tree down on a car on route 322." +118423,711658,PENNSYLVANIA,2017,June,Flash Flood,"MERCER",2017-06-30 22:19:00,EST-5,2017-06-30 23:00:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-80.5,41.2301,-80.5058,"Stationary boundary became the focus for scattered showers and storms, that produced heavy rain over Mercer county on the 30th. Some flooding was reported.","A trained spotter reported two feet of moving water on East Connelly Blvd." +115563,703766,NEBRASKA,2017,June,Hail,"NANCE",2017-06-16 17:50:00,CST-6,2017-06-16 17:52:00,0,0,0,0,25.00K,25000,175.00K,175000,41.5079,-97.73,41.4705,-97.7027,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703770,NEBRASKA,2017,June,Hail,"HAMILTON",2017-06-16 18:11:00,CST-6,2017-06-16 18:14:00,0,0,0,0,125.00K,125000,250.00K,250000,40.8555,-98,40.8802,-97.9865,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","Up to hen egg size hail was reported in and near Aurora." +115430,695738,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:00:00,CST-6,2017-06-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-95.24,45.02,-95.24,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Numerous trees were blown down." +115430,697450,MINNESOTA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-11 07:40:00,CST-6,2017-06-11 07:40:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-93.43,44.77,-93.43,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A 12 inch in diameter tree was snapped in half." +115926,696564,ARKANSAS,2017,May,Thunderstorm Wind,"POINSETT",2017-05-27 21:15:00,CST-6,2017-05-27 21:20:00,0,0,0,0,75.00K,75000,0.00K,0,35.6233,-90.3488,35.5949,-90.2966,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Trees down on roads and houses in Lepanto." +115926,696568,ARKANSAS,2017,May,Thunderstorm Wind,"CRITTENDEN",2017-05-27 21:40:00,CST-6,2017-05-27 21:50:00,0,0,0,0,100.00K,100000,0.00K,0,35.2473,-90.3361,35.2182,-90.3056,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","A large tree fell on two mobile homes in Crawfordsville. One minor injury occurred. A farm building was pushed off it's slab on Highway 50." +115926,696569,ARKANSAS,2017,May,Thunderstorm Wind,"CRITTENDEN",2017-05-27 21:42:00,CST-6,2017-05-27 21:50:00,0,0,0,0,150.00K,150000,0.00K,0,35.22,-90.2,35.1935,-90.1717,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Tree fell on a house in Marion. Trees and powerlines down county wide." +118679,712961,GUAM,2017,June,Drought,"MARSHALL ISLANDS",2017-06-01 00:00:00,GST10,2017-06-30 23:59:00,0,0,0,0,0.00K,0,50.00K,50000,NaN,NaN,NaN,NaN,"Dry weather prevails across parts of Micronesia. The rainfall has been so light that drought conditions persist across many islands.","The Experimental Drought Assessment of the U.S. Drought Monitor showed that Utirik in the Northern Marshall Islands remained in short term extreme drought (Drought Level 3 of 4) and that Wotje remained in severe drought (Drought Level 2 of 4).||Kwajalein (Ebeye) improved their assessment as they are now in long-term abnormal dry conditions (Drought Level 0 of 4). ||Rainfall amounts illustrate the dry conditions as Utirik saw only 1.60 inches of rainfall during the month as opposed to the usual 4.20 inches.||Wotje continues to improve with 8.86 inches compared to the average June rainfall of 5.61 inches. Kwajalein/Ebeye also improved as 10.80 inches fell as opposed to the average of 7.86 inches.||Other locations over the Marshalls also attest to the dry conditions. Alingalaplap |faired slightly worse as the observed June rainfall was 9.45 inches compared to the |average of 10.92 inches. Jaluit saw 5.41 inches compared to 10.37 inches and |Majuro saw 13.03 inches compared to 10.93 inches." +115279,692080,OHIO,2017,June,Hail,"MERCER",2017-06-05 15:11:00,EST-5,2017-06-05 15:13:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-84.61,40.55,-84.61,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692081,OHIO,2017,June,Hail,"MERCER",2017-06-05 15:40:00,EST-5,2017-06-05 15:42:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-84.49,40.41,-84.49,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692082,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 16:50:00,EST-5,2017-06-05 16:52:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-84.36,39.86,-84.36,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692083,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 16:51:00,EST-5,2017-06-05 16:53:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-84.31,39.86,-84.31,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692084,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 16:59:00,EST-5,2017-06-05 17:01:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-84.26,39.81,-84.26,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692086,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 17:24:00,EST-5,2017-06-05 17:26:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-84.15,39.7,-84.15,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692087,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 17:25:00,EST-5,2017-06-05 17:27:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-84.15,39.7,-84.15,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Size was based on a photo from social media." +115279,692089,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 17:28:00,EST-5,2017-06-05 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-84.12,39.68,-84.12,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692090,OHIO,2017,June,Hail,"MONTGOMERY",2017-06-05 17:30:00,EST-5,2017-06-05 17:32:00,0,0,0,0,0.00K,0,0.00K,0,39.64,-84.14,39.64,-84.14,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","" +115279,692091,OHIO,2017,June,Thunderstorm Wind,"BUTLER",2017-06-05 14:17:00,EST-5,2017-06-05 14:22:00,0,0,0,0,0.25K,250,0.00K,0,39.48,-84.57,39.48,-84.57,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A tree limb was knocked down near the intersection of W. Taylor School Road and Brooks Rd." +115279,692093,OHIO,2017,June,Thunderstorm Wind,"MERCER",2017-06-05 14:53:00,EST-5,2017-06-05 14:58:00,0,0,0,0,0.50K,500,0.00K,0,40.69,-84.65,40.69,-84.65,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Several tree limbs, seven to eight inches in diameter, were knocked down in the Rockford area." +115279,692095,OHIO,2017,June,Thunderstorm Wind,"MERCER",2017-06-05 15:03:00,EST-5,2017-06-05 15:08:00,0,0,0,0,1.00K,1000,0.00K,0,40.61,-84.69,40.61,-84.69,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A tree was knocked down across the road at Oregon Road and Township Line Road." +115641,695569,PENNSYLVANIA,2017,June,Thunderstorm Wind,"YORK",2017-06-19 12:28:00,EST-5,2017-06-19 12:28:00,0,0,0,0,8.00K,8000,0.00K,0,40.0878,-77.0215,40.0878,-77.0215,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down about a dozen trees onto Carlisle Road." +115641,695570,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:42:00,EST-5,2017-06-19 12:42:00,0,0,0,0,2.00K,2000,0.00K,0,40.1639,-76.718,40.1639,-76.718,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Route 441 near Three Mile Island." +115641,695573,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:53:00,EST-5,2017-06-19 12:53:00,0,0,0,0,4.00K,4000,0.00K,0,40.25,-76.69,40.25,-76.69,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires south of Hummelstown." +115641,695574,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 12:48:00,EST-5,2017-06-19 12:48:00,0,0,0,0,2.00K,2000,0.00K,0,40.2915,-76.8996,40.2915,-76.8996,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree on wires on Fourth Street in Harrisburg." +115641,695575,PENNSYLVANIA,2017,June,Thunderstorm Wind,"YORK",2017-06-19 12:35:00,EST-5,2017-06-19 12:35:00,0,0,0,0,4.00K,4000,0.00K,0,40.0674,-76.9379,40.0674,-76.9379,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Warrington Township." +115641,695576,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-19 12:20:00,EST-5,2017-06-19 12:20:00,0,0,0,0,2.00K,2000,0.00K,0,40.0125,-77.1183,40.0125,-77.1183,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near York Springs." +115933,696593,NORTH DAKOTA,2017,June,Hail,"RAMSEY",2017-06-02 16:50:00,CST-6,2017-06-02 16:52:00,0,0,0,0,,NaN,,NaN,48.24,-99.01,48.24,-99.01,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Large hail fell sporadically along with very heavy rain." +115935,696594,MINNESOTA,2017,June,Hail,"WADENA",2017-06-02 21:11:00,CST-6,2017-06-02 21:11:00,0,0,0,0,,NaN,,NaN,46.44,-95.13,46.44,-95.13,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +115935,696595,MINNESOTA,2017,June,Thunderstorm Wind,"POLK",2017-06-02 21:25:00,CST-6,2017-06-02 21:25:00,0,0,0,0,,NaN,,NaN,47.85,-96.89,47.85,-96.89,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","" +116115,697907,WYOMING,2017,June,Hail,"NATRONA",2017-06-11 18:00:00,MST-7,2017-06-11 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-106.27,42.87,-106.27,"A shortwave moved across central Wyoming on the evening of June 11th. Thunderstorms developed rapidly across Natrona County and one became severe. The thunderstorm showed good mid level rotation and a tornado warning was issued although there was no confirmed tornado. There were multiple reports of quarter size hail in Evansville.","Multiple trained spotters reported hail up to the size of quarters in Evansville." +116115,697908,WYOMING,2017,June,Hail,"FREMONT",2017-06-11 20:40:00,MST-7,2017-06-11 20:45:00,0,0,0,0,0.00K,0,0.00K,0,42.9763,-108.3976,42.9763,-108.3976,"A shortwave moved across central Wyoming on the evening of June 11th. Thunderstorms developed rapidly across Natrona County and one became severe. The thunderstorm showed good mid level rotation and a tornado warning was issued although there was no confirmed tornado. There were multiple reports of quarter size hail in Evansville.","A motorist driving along Highway 789 south of Riverton reported hail up to the size of quarters." +115996,697224,SOUTH CAROLINA,2017,June,Hail,"DORCHESTER",2017-06-15 16:32:00,EST-5,2017-06-15 16:33:00,0,0,0,0,,NaN,,NaN,32.96,-80.17,32.96,-80.17,"An unstable atmosphere developed within deepening moisture and warm temperatures during afternoon hours. The setup led to strong thunderstorms over the area between a piedmont trough inland and a seabreeze circulation along the coast.","The Dorchester County 911 Call Center relayed a report of hail up to the size of golf balls on Old Trolley Road near Oakbrook Lane." +115996,697225,SOUTH CAROLINA,2017,June,Hail,"DORCHESTER",2017-06-15 16:53:00,EST-5,2017-06-15 16:54:00,0,0,0,0,,NaN,,NaN,32.96,-80.17,32.96,-80.17,"An unstable atmosphere developed within deepening moisture and warm temperatures during afternoon hours. The setup led to strong thunderstorms over the area between a piedmont trough inland and a seabreeze circulation along the coast.","A video on social media indicated hail up to quarter size near Summer Ridge Drive and in the Grand Oaks Preserve neighborhood." +115996,697226,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"DORCHESTER",2017-06-15 16:40:00,EST-5,2017-06-15 16:41:00,0,0,0,0,,NaN,,NaN,32.96,-80.15,32.96,-80.15,"An unstable atmosphere developed within deepening moisture and warm temperatures during afternoon hours. The setup led to strong thunderstorms over the area between a piedmont trough inland and a seabreeze circulation along the coast.","The public reported a tree down near the intersection of Grand Oaks Drive and Spanish Oaks Lane." +115997,697227,GEORGIA,2017,June,Thunderstorm Wind,"BRYAN",2017-06-17 17:54:00,EST-5,2017-06-17 17:55:00,0,0,0,0,,NaN,,NaN,32.14,-81.7,32.14,-81.7,"Strong thunderstorms developed within a warm and moist atmosphere as a weak shortwave passed over Southeast Georgia.","Law enforcement reported multiple trees down on US 280 near Bacontown Road." +116000,697314,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"JASPER",2017-06-25 13:32:00,EST-5,2017-06-25 13:33:00,0,0,0,0,,NaN,,NaN,32.31,-80.98,32.31,-80.98,"Strong thunderstorms developed over Southeast South Carolina as a cold front slowly pushed into the area and encountered the western periphery of Atlantic high pressure.","The Jasper County 911 Call Center reported a tree down near a Walmart on Bluffton Road." +115964,698652,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-27 17:15:00,MST-7,2017-06-27 17:20:00,0,0,0,0,,NaN,0.00K,0,43.836,-101.821,43.836,-101.821,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,698653,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-27 17:55:00,MST-7,2017-06-27 18:00:00,0,0,0,0,,NaN,0.00K,0,43.899,-101.104,43.899,-101.104,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,698654,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:50:00,MST-7,2017-06-27 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.116,-102.93,44.116,-102.93,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,698655,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 17:10:00,MST-7,2017-06-27 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.097,-102.503,44.097,-102.503,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115964,699502,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 16:15:00,MST-7,2017-06-27 16:15:00,0,0,0,0,0.00K,0,0.00K,0,43.856,-103.295,43.856,-103.295,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","The spotter estimated winds at 60 mph." +115964,699507,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:05:00,MST-7,2017-06-27 16:05:00,0,0,0,0,0.00K,0,0.00K,0,43.8985,-103.5931,43.8985,-103.5931,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","A tree blew down onto US Highway 16 south of Hill City." +115964,699509,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAAKON",2017-06-27 17:42:00,MST-7,2017-06-27 17:42:00,0,0,0,0,0.00K,0,0.00K,0,44.0979,-101.6673,44.0979,-101.6673,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Wind gusts were reported as 60 mph." +116439,700294,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-17 19:56:00,CST-6,2017-06-17 20:01:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-89.02,40.73,-89.02,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Numerous trees and tree branches were blown down across El Paso." +116439,709971,ILLINOIS,2017,June,Flash Flood,"STARK",2017-06-17 18:50:00,CST-6,2017-06-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,41.1027,-89.9368,41.0084,-89.944,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rain of 2.00 to 3.00 inches in less than two hours produced flash flooding in the southern half of Stark County. Numerous county roads from Toulon to Wyoming and locations to the south were impassable during the evening hours. The flooding dissipated rapidly by late evening." +116443,700306,ILLINOIS,2017,June,Thunderstorm Wind,"WAYNE",2017-06-18 02:20:00,CST-6,2017-06-18 02:20:00,0,0,0,0,4.00K,4000,0.00K,0,38.3066,-88.58,38.3066,-88.58,"A squall line of thunderstorms moved southeast across portions of southern Illinois, producing isolated wind damage. This line of storms moved to the east-southeast at around 40 knots into a residual corridor of moderate instability. The line of storms occurred ahead of a cold front that extended from southern Lake Michigan southwest across the St. Louis metro area.","A tree was snapped. Several tree limbs were blown down." +115301,693122,MINNESOTA,2017,June,Thunderstorm Wind,"FREEBORN",2017-06-03 14:56:00,CST-6,2017-06-03 14:56:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-93.37,43.65,-93.37,"A line of thunderstorms developed along a cold front during the afternoon of June 3rd from Northwest Wisconsin to Southwest Minnesota. The storms produced severe winds, sub-severe hail, and heavy rain over south central Minnesota.","A large tree limb was blown down in the city of Albert Lea." +115301,693123,MINNESOTA,2017,June,Thunderstorm Wind,"MARTIN",2017-06-03 14:14:00,CST-6,2017-06-03 14:14:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-94.42,43.64,-94.42,"A line of thunderstorms developed along a cold front during the afternoon of June 3rd from Northwest Wisconsin to Southwest Minnesota. The storms produced severe winds, sub-severe hail, and heavy rain over south central Minnesota.","" +115301,693121,MINNESOTA,2017,June,Thunderstorm Wind,"STEELE",2017-06-03 14:10:00,CST-6,2017-06-03 14:10:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-93.39,43.98,-93.39,"A line of thunderstorms developed along a cold front during the afternoon of June 3rd from Northwest Wisconsin to Southwest Minnesota. The storms produced severe winds, sub-severe hail, and heavy rain over south central Minnesota.","A barn roof was lofted due to severe winds. It was misplaced several feet from the original location of the barn." +115431,699051,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:25:00,CST-6,2017-06-11 08:25:00,0,0,0,0,0.00K,0,0.00K,0,45.12,-92.54,45.12,-92.54,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +116562,701026,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 21:30:00,MST-7,2017-06-30 21:35:00,0,0,0,0,10.00K,10000,0.00K,0,34.15,-103.38,34.15,-103.38,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail at least the size of nickels. The combination of hail and wind gusts up to 55 mph produced some damage to outbuildings southwest of Portales." +116562,701263,NEW MEXICO,2017,June,Hail,"ROOSEVELT",2017-06-30 21:45:00,MST-7,2017-06-30 21:53:00,0,0,0,0,500.00K,500000,0.00K,0,34.07,-103.32,34.07,-103.32,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","Hail up to the size of golf balls with high winds produced major damage between Portales and Dora. A barn was blown over and a large farming irrigation sprinkler was overturned. One farmer lost a 4200 acre cotton crop. Winds were estimated to be at least 65 mph." +116633,701340,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-06-20 23:53:00,EST-5,2017-06-20 23:53:00,0,0,0,0,0.00K,0,0.00K,0,29.4,-84.86,29.4,-84.86,"A line of storms moved across the coastal water during the overnight hours of June 20th with strong wind gusts.","" +116152,701317,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:17:00,EST-5,2017-06-13 16:18:00,0,0,0,0,5.00K,5000,0.00K,0,42.3879,-71.1321,42.3879,-71.1321,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 417 PM EST, several trees and wires were reported down on Sherman Street in Cambridge." +115742,697055,KENTUCKY,2017,June,Flood,"BOYD",2017-06-24 02:00:00,EST-5,2017-06-24 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.2772,-82.7824,38.2643,-82.7069,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Following flash flooding very early in the morning, high water lingered as water worked its way through the stream system into the afternoon. Multiple roads were closed, including Old US Route 60 along the Carter County line. Also the I-64 entrance and exit ramps were closed at Exit 181. Portions of State Routes 5 and 854 were also closed." +115744,695680,WEST VIRGINIA,2017,June,Thunderstorm Wind,"WOOD",2017-06-23 17:30:00,EST-5,2017-06-23 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.27,-81.49,39.27,-81.49,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Gusty winds downed a power line along Point Drive." +112346,669801,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-01-07 12:23:00,EST-5,2017-01-07 12:23:00,0,0,0,0,,NaN,,NaN,26.112,-80.1051,26.112,-80.1051,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 45 MPH / 39 knots was reported by the CWOP station AU497 at 1228 PM EST. The instrument is on top of a building at a height of almost 400 feet above ground level." +112346,669807,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-01-07 14:02:00,EST-5,2017-01-07 14:02:00,0,0,0,0,0.00K,0,0.00K,0,25.7495,-80.0995,25.7495,-80.0995,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 45 MPH / 39 knots was recorded by the WxFlow mesonet site XGVT at a height of 75 feet above the surface." +112346,669808,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-01-07 14:07:00,EST-5,2017-01-07 14:07:00,0,0,0,0,0.00K,0,0.00K,0,25.7669,-80.1453,25.7669,-80.1453,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 40 MPH / 35 knots was recorded by the WxFlow mesonet site XDGE." +114222,685695,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:55:00,CST-6,2017-03-06 18:58:00,0,0,0,0,,NaN,,NaN,40.36,-94.67,40.36,-94.67,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +119058,716744,KANSAS,2017,July,Thunderstorm Wind,"LEAVENWORTH",2017-07-22 20:42:00,CST-6,2017-07-22 20:45:00,0,0,0,0,,NaN,,NaN,39,-95,39,-95,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. Wind gusts of up to 80 mph were reported in De Soto and Lenexa. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Two trees, both 8 inches in diameter were blown down by 60-70 mph winds." +114222,685696,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:55:00,CST-6,2017-03-06 18:58:00,0,0,0,0,,NaN,,NaN,40.36,-94.67,40.36,-94.67,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +116845,705358,MINNESOTA,2017,June,Thunderstorm Wind,"OLMSTED",2017-06-12 13:30:00,CST-6,2017-06-12 13:30:00,0,0,0,0,15.00K,15000,0.00K,0,44.0357,-92.474,44.0357,-92.474,"A line of thunderstorms moved across southeast Minnesota during the afternoon of June 12th. These storms produced damaging winds around the Rochester area (Olmsted County) and dropped quarter sized hail in Chatfield (Fillmore County).","Part of a large tree was blown down onto a house on the north side of Rochester." +117263,705332,COLORADO,2017,June,Flash Flood,"YUMA",2017-06-02 17:15:00,MST-7,2017-06-02 22:15:00,0,0,0,0,0.00K,0,0.00K,0,40.4094,-102.5873,40.4095,-102.5869,"Repeated rounds of moderate to heavy rainfall over northwest Yuma County during the evening of the second led to flooding near Clarksville. Eighteen inches of water was over the road at the CR 58 and CR N intersection roughly 2 miles northeast of Clarksville.","Heavy rainfall caused an unnamed creek at the CR 58 and CR N intersection to flood a small part of CR 58. Flooding occurred shortly after the first wave of heavy rainfall, then continued as more rainfall occurred for the next few hours. At one point the water was 18 inches deep." +114222,685766,MISSOURI,2017,March,Thunderstorm Wind,"CALDWELL",2017-03-06 19:04:00,CST-6,2017-03-06 19:08:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-94.38,40.31,-94.38,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Report of a shed roof blown onto the road approximately 4 miles north of HWY 136 on Route N." +117263,705333,COLORADO,2017,June,Flood,"YUMA",2017-06-02 22:16:00,MST-7,2017-06-03 11:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4095,-102.5869,40.4094,-102.5868,"Repeated rounds of moderate to heavy rainfall over northwest Yuma County during the evening of the second led to flooding near Clarksville. Eighteen inches of water was over the road at the CR 58 and CR N intersection roughly 2 miles northeast of Clarksville.","Flooding just east of the CR N and CR 58 intersection over CR 58 continued through the morning of the 3rd before falling to only an inch or two deep." +117188,705005,MINNESOTA,2017,June,Tornado,"OLMSTED",2017-06-28 18:07:00,CST-6,2017-06-28 18:12:00,0,0,0,0,3.00K,3000,0.00K,0,43.998,-92.3098,44.004,-92.305,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","An EF-0 tornado touched down in Chester Woods Park east of Chester and then traveled northeast for about a half mile. The tornado did some minor tree damage along its path." +117275,705367,MICHIGAN,2017,June,Thunderstorm Wind,"GRATIOT",2017-06-17 15:40:00,EST-5,2017-06-17 15:42:00,0,0,0,0,40.00K,40000,0.00K,0,43.16,-84.41,43.16,-84.41,"An isolated severe thunderstorm produced damaging wind gusts estimated at up to 70 mph in southeast Gratiot county.","An isolated severe thunderstorm produced wind damage that included roof damage to a couple of barns, a house and a mobile home. Several trees were also blown down. The damage occurred near the intersection of McClellan and Taft roads east northeast to the county line." +116969,703442,IOWA,2017,June,Hail,"FLOYD",2017-06-22 19:50:00,CST-6,2017-06-22 19:50:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-92.74,43.13,-92.74,"A line of thunderstorms developed over northeast Iowa during the evening of June 22nd. Most of these were non-severe storms that produced some pea sized hail. However, one storm briefly became strong enough to drop quarter sized hail and blow down some large tree branches in Floyd (Floyd County).","Up to quarter sized hail fell in Floyd." +117387,705973,COLORADO,2017,June,Hail,"YUMA",2017-06-26 14:42:00,MST-7,2017-06-26 14:53:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-102.23,40.08,-102.23,"During the afternoon a couple severe thunderstorms moved across East Central Colorado producing large hail. The strongest storm produced large hail up to hen egg size in Wray.","Golf ball to hen egg size hail fell in town." +117387,705975,COLORADO,2017,June,Hail,"YUMA",2017-06-26 14:42:00,MST-7,2017-06-26 14:42:00,0,0,0,0,0.00K,0,0.00K,0,40.1396,-102.2344,40.1396,-102.2344,"During the afternoon a couple severe thunderstorms moved across East Central Colorado producing large hail. The strongest storm produced large hail up to hen egg size in Wray.","" +117140,705990,OKLAHOMA,2017,June,Hail,"MCINTOSH",2017-06-30 18:55:00,CST-6,2017-06-30 18:55:00,0,0,0,0,0.00K,0,0.00K,0,35.263,-95.5547,35.263,-95.5547,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","" +116548,700835,WYOMING,2017,June,Flood,"FREMONT",2017-06-03 00:00:00,MST-7,2017-06-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5783,-109.7444,43.5758,-109.7466,"The combination of a very wet and snowy winter and a rather cool and wet spring set the stage for a prolonged period of flooding along the Wind River. The weather warmed in June and snow melt began, raising the river above flood stage beginning around June 3rd and continuing through the 24th. The crest of 12.1 feet broke the record of 11.8 feet set back in 2011. High water forced the closure of Highway 26 between Kinnear and Crowhart on two seperate occasions for a few days, forcing travelers into a long detour. In addition, the flood waters heavily damaged the irrigation canal near Riverton. The canal was shut down for over two weeks, resulting in a loss of irrigation water for many farmers downstream. Some subdivisions near the damage were put on standby for evacuation due to possible failure. Many other lowlands near the River had flooding for many days, some surrounding homes.","Warm temperatures melted a well above normal snow pack in the mountains to the west of Dubois and led to flooding of the Wind River for a few weeks. There were two periods of flooding, the first from June 3rd through the 13th, and again from June 17th through the 24th. The River peaked at 5.7 feet, about 0.7 feet above flood stage. The flooding was largely across the low lying areas near the River and caused little or no damage." +117244,705530,WYOMING,2017,June,Flood,"SUBLETTE",2017-06-05 00:00:00,MST-7,2017-06-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1392,-109.9539,42.1991,-110.1737,"Warming temperatures in June brought rapid snow melt of mountain snow pack and led to flooding around portions of Sublette County, especially along the New Fork and Green Rivers as well as some of it's tributaries. Several low lying BLM roads were damaged or washed out during the flooding, with some roads having over 2 feet of water on them. In addition, many low lying areas had several days of flooding. However, all major state highways and bridges remained open during the flooding. There was no structural damage to buildings with most damage limited to the aforementioned gravel and dirt roads in low lying areas.","The Sublette County emergency manager reported widespread low land flooding around Labarge along the Green River. Hardest hit were areas around Whalen Road, where up to three feet of water was running across the road at certain times in early and mid June. Many other BLM and USFS roads were completely washed out." +114222,685768,MISSOURI,2017,March,Thunderstorm Wind,"CALDWELL",2017-03-06 20:13:00,CST-6,2017-03-06 20:16:00,0,0,0,0,,NaN,,NaN,39.59,-93.8,39.59,-93.8,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings were damaged across portions of Caldwell County near Braymer." +117453,706384,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-28 16:30:00,CST-6,2017-06-28 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-93.71,41.65,-93.71,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported six inch diameter tree branches down." +117365,705805,NEW YORK,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-27 16:24:00,EST-5,2017-06-27 16:24:00,0,0,0,0,,NaN,,NaN,43.41,-73.26,43.41,-73.26,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","Trees and wires were downed in Granville due to thunderstorm winds." +117365,705801,NEW YORK,2017,June,Thunderstorm Wind,"SARATOGA",2017-06-27 15:53:00,EST-5,2017-06-27 15:53:00,0,0,0,0,,NaN,,NaN,43.3,-73.64,43.3,-73.64,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A large pine tree was snapped in South Glen Falls due to thunderstorm winds." +117366,705806,CONNECTICUT,2017,June,Hail,"LITCHFIELD",2017-06-27 15:55:00,EST-5,2017-06-27 15:55:00,0,0,0,0,,NaN,,NaN,41.95,-73.36,41.95,-73.36,"An upper level low and cold front brought strong thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. One of the thunderstorms produced quarter size hail in Falls Village.","Hail during a thunderstorm in Falls Village was reported to be slightly larger than Nickels (0.88 inch) but smaller than Quarters (1.0 inch)." +116928,703271,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 17:12:00,CST-6,2017-06-16 17:12:00,0,0,0,0,0.00K,0,442.00K,442000,44.25,-91.6,44.25,-91.6,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Golfball sized hail fell southeast of Waumandee." +116928,703277,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 17:30:00,CST-6,2017-06-16 17:30:00,0,0,0,0,10.00K,10000,338.00K,338000,44.34,-91.67,44.34,-91.67,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Walnut sized hail was reported northeast of Waumandee with some crop damage." +117473,706846,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-30 14:42:00,EST-5,2017-06-30 14:42:00,0,0,0,0,,NaN,,NaN,43.052,-74.323,43.052,-74.323,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Trees and wires were reported down on Elmwood Avenue in Gloversville due to thunderstorm winds." +117473,706847,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-30 14:42:00,EST-5,2017-06-30 14:42:00,0,0,0,0,,NaN,,NaN,43.0745,-74.3308,43.0745,-74.3308,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Trees and wires were reported down on Easterly Street in Gloversville due to thunderstorm winds." +117474,706503,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-30 15:52:00,EST-5,2017-06-30 15:52:00,0,0,0,0,,NaN,,NaN,42.2481,-73.3742,42.2481,-73.3742,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which results in some downed trees across the Berkshires.","A tree was downed blocking the road on North Plain Road near a farm in Great Barrington due to thunderstorm winds." +117474,706504,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-30 15:57:00,EST-5,2017-06-30 15:57:00,0,0,0,0,,NaN,,NaN,42.28,-73.35,42.28,-73.35,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which results in some downed trees across the Berkshires.","A tree was reported down in the hamlet of Glendale in Stockbridge due to thunderstorm winds." +117474,706505,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BERKSHIRE",2017-06-30 16:14:00,EST-5,2017-06-30 16:14:00,0,0,0,0,,NaN,,NaN,42.6615,-73.0077,42.6615,-73.0077,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which results in some downed trees across the Berkshires.","A tree was downed blocking Route 2 in Florida due to thunderstorm winds." +114222,685700,MISSOURI,2017,March,Thunderstorm Wind,"PLATTE",2017-03-06 19:35:00,CST-6,2017-03-06 19:38:00,0,0,0,0,,NaN,,NaN,39.1953,-94.6859,39.1953,-94.6859,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Reports of power lines down at West and 11th Street." +114222,685769,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:15:00,CST-6,2017-03-06 20:19:00,0,0,0,0,,NaN,,NaN,39.1,-94.28,39.1,-94.28,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +121262,726203,MONTANA,2017,December,Winter Storm,"LIBERTY",2017-12-30 04:55:00,MST-7,2017-12-30 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along MT-223 from junction with US-87 in Chouteau County to the Liberty County line." +117071,707728,WISCONSIN,2017,June,Thunderstorm Wind,"DODGE",2017-06-28 17:15:00,CST-6,2017-06-28 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.21,-88.72,43.21,-88.72,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several trees were downed on the north side of Watertown as a strong thunderstorm pushed through the area. There was at least 1 instance of a 12 inch branch was torn off of a tree." +117071,707733,WISCONSIN,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-28 17:52:00,CST-6,2017-06-28 17:52:00,0,0,0,0,10.00K,10000,0.00K,0,43.22,-88.12,43.22,-88.12,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Multiple trees were downed at the Blackstone Creek golf course as a strong thunderstorm moved through the area." +117071,707737,WISCONSIN,2017,June,Thunderstorm Wind,"DANE",2017-06-28 18:10:00,CST-6,2017-06-28 18:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.98,-89.33,42.98,-89.33,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Several trees were damaged as a strong line of thunderstorms moved through the area." +117705,707800,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE AND NORTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-06-11 12:51:00,CST-6,2017-06-11 12:51:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-87.48,44.89,-87.48,"A squall line that produced wind damage in northeast Wisconsin continued to produce strong winds as the storms passed over the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms produced a gust to 40 knots over the waters of Green Bay." +117705,707801,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"ROCK ISLAND PASSAGE TO STURGEON BAY WI",2017-06-11 12:55:00,CST-6,2017-06-11 12:55:00,0,0,0,0,0.00K,0,0.00K,0,44.8,-87.28,44.8,-87.28,"A squall line that produced wind damage in northeast Wisconsin continued to produce strong winds as the storms passed over the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms that produced damaging wind gusts over Door County continued to produce high winds as they moved offshore onto the nearshore waters of Lake Michigan near Sturgeon Bay." +122208,731571,ARIZONA,2017,December,Strong Wind,"TUCSON METRO AREA",2017-12-07 04:00:00,MST-7,2017-12-07 07:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A back door cold front funneled northeast winds between the Santa Catalina and Tortolita Mountains, which caused isolated wind damage in Dove Mountain.","Strong northeast winds downed several small trees at the residence of the Pinal County Emergency Manager." +117625,708151,MAINE,2017,June,Thunderstorm Wind,"AROOSTOOK",2017-06-12 16:00:00,EST-5,2017-06-12 16:00:00,0,0,0,0,,NaN,,NaN,45.97,-68.37,45.97,-68.37,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Several trees were toppled around town by wind gusts estimated at 60 mph. The time is estimated." +117625,708149,MAINE,2017,June,Thunderstorm Wind,"PENOBSCOT",2017-06-12 16:40:00,EST-5,2017-06-12 16:40:00,0,0,0,0,,NaN,,NaN,45.65,-68.72,45.65,-68.72,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Several trees were toppled around town by wind gusts estimated at 65 mph. The time is estimated." +117625,708150,MAINE,2017,June,Thunderstorm Wind,"PENOBSCOT",2017-06-12 17:20:00,EST-5,2017-06-12 17:20:00,0,0,0,0,,NaN,,NaN,45.4,-68.13,45.4,-68.13,"Showers and thunderstorms developed during the afternoon of the 12th in advance of an approaching cold front. An upper level disturbance also crossed the region. Several of the thunderstorms became severe producing damaging winds. Around 4000 customers lost power in an area from Millinocket to Medway. The showers and thunderstorms persisted into the evening.","Trees and power lines were toppled around town by wind gusts estimated at 65 mph. The time is estimated." +122087,730872,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHWEST AROOSTOOK",2017-12-28 04:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills during the morning of the 28th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +122087,730874,MAINE,2017,December,Extreme Cold/Wind Chill,"NORTHERN SOMERSET",2017-12-28 04:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winds and very cold temperatures produced dangerous wind chills during the morning of the 28th. Wind chill temperatures ranged from 30 to 40 below zero.","Wind chill temperatures ranged from 30 to 40 below zero." +116916,703153,VIRGINIA,2017,May,Hail,"CHESTERFIELD",2017-05-27 17:40:00,EST-5,2017-05-27 17:40:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-77.5,37.38,-77.5,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Golf ball size hail was reported." +117709,707831,WASHINGTON,2017,June,Flood,"CHELAN",2017-06-01 00:00:00,PST-8,2017-06-01 07:45:00,0,0,0,0,2.00K,2000,0.00K,0,48.3613,-120.7274,48.3513,-120.7356,"Spring time mountain snow melt caused the Stehekin River near Stehekin to rise above Flood Stage during the last week of May and continue above Flood Stage into early June. The river flooded bottom lands and roads along the river with no damage to any structures.","The Stehekin River Gage at Stehekin recorded a rise above the Flood Stage of 24.0 feet at 8:30 PM PST on May 28th, crested near 25.8 feet at 2:15 AM on May 31st, and then receded, passing below the Flood Stage at 7:45 AM on June 1st." +117719,707863,WASHINGTON,2017,June,Thunderstorm Wind,"SPOKANE",2017-06-26 19:20:00,PST-8,2017-06-26 19:25:00,0,0,0,0,0.00K,0,0.00K,0,47.78,-117.56,47.78,-117.56,"During the early evening of June 26th a line of thunderstorms tracked west to east through the Spokane area. Several reports of trees down were received with some damage to homes and cars.","A two foot diameter Ponderosa Pine tree was uprooted at Sontag Park northwest of Spokane. Several other trees were blown down or snapped in the vicinity." +115462,693346,COLORADO,2017,June,Tornado,"WELD",2017-06-12 15:40:00,MST-7,2017-06-12 15:57:00,0,0,0,0,,NaN,,NaN,40.8995,-104.3346,41.002,-104.3051,"Severe thunderstorm produced damaging hail, ranging from quarter to softball size across eastern Larimer and northwestern Weld Counties. The tornado was assigned a damage rating of EF-1. Areas of sporadic tornado damage were noted from 8 miles south-southwest of Hereford to north of Hereford near the Colorado-Wyoming border. In Weld County, the tornado was approximately 300 yards in width at one point and its path was 7.24 miles in length, it then crossed over into Wyoming. According County and City Emergency Management, hail damage occurred in the northwest part of Weld county including the towns of Pierce and Nunn. Several vehicles sustained broken windshields. The windshields of two patrol vehicles with Weld County Sheriff's Office were damaged. The officers were responding to unrelated calls when their vehicles were struck by golf ball size hail. Light damage to cars and general aviation aircraft was also reported at the Northern Colorado Regional Airport in Loveland.","A tornado touched down southwest of Hereford and continued to quickly move north northeast into Wyoming. Areas of sporadic tornado damage were noted from 8 miles south southwest of Hereford to north of Hereford near the Colorado-Wyoming border. The damage along the patch ranged from EF-0 to EF-1." +117879,708407,NORTH DAKOTA,2017,June,Hail,"MOUNTRAIL",2017-06-29 13:15:00,CST-6,2017-06-29 13:18:00,0,0,0,0,0.00K,0,0.00K,0,48.31,-102.61,48.31,-102.61,"Thunderstorms developed along and near a cold front as it moved through western North Dakota in the afternoon. One thunderstorm produced one inch diameter hail in Mountrail County, while another produced a funnel cloud.","" +117878,708403,NORTH DAKOTA,2017,June,Thunderstorm Wind,"STUTSMAN",2017-06-19 18:17:00,CST-6,2017-06-19 18:22:00,0,0,0,0,25.00K,25000,0.00K,0,46.81,-98.71,46.81,-98.71,"A short wave trough and cold front moving through North Dakota combined with modest instability and elevated deep layer shear to produce thunderstorms over portions of eastern North Dakota into the James River Valley. One thunderstorm briefly became severe over Stutsman County. The storm caused property damage at a business south of Jamestown, where a portion of the roof was torn off a pole barn style building, and a semi trailer was tipped over.","Portions of a roof were torn from a pole barn style building, and a semi trailer was blown over." +117802,708164,NORTH DAKOTA,2017,June,Thunderstorm Wind,"MORTON",2017-06-27 19:45:00,CST-6,2017-06-27 19:48:00,0,0,0,0,0.00K,0,0.00K,0,46.71,-100.86,46.71,-100.86,"A short wave trough moved from northwest South Dakota into south central North Dakota where elevated instability and shear were noted, producing isolated severe thunderstorms. Golf ball sized hail was the largest reported, and occurred just south of Mandan in Morton County. The strongest thunderstorm wind gusts of 58 mph were reported in both Morton and Burleigh counties.","" +117802,708165,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BURLEIGH",2017-06-27 20:04:00,CST-6,2017-06-27 20:06:00,0,0,0,0,0.00K,0,0.00K,0,46.78,-100.75,46.78,-100.75,"A short wave trough moved from northwest South Dakota into south central North Dakota where elevated instability and shear were noted, producing isolated severe thunderstorms. Golf ball sized hail was the largest reported, and occurred just south of Mandan in Morton County. The strongest thunderstorm wind gusts of 58 mph were reported in both Morton and Burleigh counties.","" +117919,708640,OKLAHOMA,2017,June,Hail,"JACKSON",2017-06-09 02:42:00,CST-6,2017-06-09 02:42:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-99.33,34.64,-99.33,"With outflow boundaries in the area, scattered storms formed over western and southwestern Oklahoma just after midnight on the 9th.","" +117919,708641,OKLAHOMA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-09 02:55:00,CST-6,2017-06-09 02:55:00,0,0,0,0,2.00K,2000,0.00K,0,34.6403,-99.2186,34.6403,-99.2186,"With outflow boundaries in the area, scattered storms formed over western and southwestern Oklahoma just after midnight on the 9th.","Power pole downed just east of Altus air force base on highway 62." +117607,708628,OKLAHOMA,2017,June,Flash Flood,"KAY",2017-06-04 07:51:00,CST-6,2017-06-04 10:51:00,0,0,0,0,0.00K,0,0.00K,0,36.7857,-97.0738,36.784,-97.0522,"Scattered to numerous thunderstorms formed along a cold front across Oklahoma early on the 4th. Storms had little motion, resulting in flash flooding.","Water flowing over several county roads and US highway 77." +117607,708629,OKLAHOMA,2017,June,Flash Flood,"KAY",2017-06-04 08:22:00,CST-6,2017-06-04 11:22:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-97,36.769,-96.9809,"Scattered to numerous thunderstorms formed along a cold front across Oklahoma early on the 4th. Storms had little motion, resulting in flash flooding.","Coleman road was closed due to flooding." +117606,708626,TEXAS,2017,June,Flash Flood,"WILBARGER",2017-06-02 06:00:00,CST-6,2017-06-02 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.1535,-99.0867,34.1449,-99.087,"An area of thunderstorms formed in the early morning in central Texas, then expanded into southwest Oklahoma early on the 2nd. With high rain rates, these storms produced flash flooding.","FM 370 was closed due to water over road." +117605,708624,OKLAHOMA,2017,June,Flash Flood,"COMANCHE",2017-06-02 08:48:00,CST-6,2017-06-02 11:48:00,0,0,0,0,0.00K,0,0.00K,0,34.583,-98.3709,34.5745,-98.4753,"An area of thunderstorms formed in the early morning in central Texas, then expanded into southwest Oklahoma early on the 2nd. With high rain rates, these storms produced flash flooding.","Heavy flooding on most streets. Several vehicles stalled out." +117605,708625,OKLAHOMA,2017,June,Flash Flood,"COMANCHE",2017-06-02 08:51:00,CST-6,2017-06-02 11:51:00,0,0,0,0,0.00K,0,0.00K,0,34.6302,-98.4141,34.6302,-98.4123,"An area of thunderstorms formed in the early morning in central Texas, then expanded into southwest Oklahoma early on the 2nd. With high rain rates, these storms produced flash flooding.","Water rescue 16th and Lincoln." +117340,706195,INDIANA,2017,June,Thunderstorm Wind,"MARION",2017-06-30 15:28:00,EST-5,2017-06-30 15:28:00,0,0,0,0,1.50K,1500,0.00K,0,39.85,-86.12,39.85,-86.12,"After nearly 6 days of generally dry weather, rainfall of one-half to over 4 inches fell mainly near and north of Interstate 70 in central and northern Indiana on the last day of June. One storm, moving southwest to northeast across the Indianapolis metropolitan area, produced tree damage in the Broad Ripple area. Also, the total of 2.15��� at Indianapolis on the 30th set a new record rainfall amount for the date.","A six-inch diameter tree branch was broken and other nearby trees were damaged due to damaging thunderstorm wind gusts." +117613,707986,TEXAS,2017,June,Hail,"HEMPHILL",2017-06-13 16:55:00,CST-6,2017-06-13 16:55:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-100.38,35.91,-100.38,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","Tennis ball sized hail reported at 555 PM." +117613,707987,TEXAS,2017,June,Hail,"HEMPHILL",2017-06-13 16:58:00,CST-6,2017-06-13 16:58:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-100.33,35.91,-100.33,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","Quarter sized hail reported east of Canadian." +117613,707988,TEXAS,2017,June,Hail,"HEMPHILL",2017-06-13 16:58:00,CST-6,2017-06-13 16:58:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-100.42,35.98,-100.42,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707989,TEXAS,2017,June,Hail,"DONLEY",2017-06-13 17:19:00,CST-6,2017-06-13 17:19:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-100.58,34.81,-100.58,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707990,TEXAS,2017,June,Hail,"HEMPHILL",2017-06-13 17:24:00,CST-6,2017-06-13 17:24:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-100.24,36.03,-100.24,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +116701,703171,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-13 13:42:00,EST-5,2017-06-13 13:42:00,0,0,0,0,0.50K,500,,NaN,37.2737,-79.912,37.2737,-79.912,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused a tree to fall down on Dale Avenue." +116701,703172,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-13 13:42:00,EST-5,2017-06-13 13:42:00,0,0,0,0,0.50K,500,,NaN,37.2891,-79.9326,37.2891,-79.9326,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused a tree to fall down on Wayne Street." +116701,703174,VIRGINIA,2017,June,Thunderstorm Wind,"BOTETOURT",2017-06-13 13:50:00,EST-5,2017-06-13 13:50:00,0,0,0,0,1.00K,1000,,NaN,37.6908,-79.8107,37.6908,-79.8107,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm winds caused two trees to fall down near the intersection of Botetourt Road and Gala Loop Road." +116701,703175,VIRGINIA,2017,June,Hail,"PITTSYLVANIA",2017-06-13 16:03:00,EST-5,2017-06-13 16:03:00,0,0,0,0,,NaN,,NaN,36.74,-79.38,36.74,-79.38,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Hail from thunderstorms fell at a business on Highway 29 for at least 10 minutes. Most of the hail reported was between 0.5 to 0.75 inches, but several of the stones were the size of a quarter or slightly larger." +116701,703206,VIRGINIA,2017,June,Hail,"GRAYSON",2017-06-13 17:15:00,EST-5,2017-06-13 17:15:00,0,0,0,0,,NaN,,NaN,36.5671,-80.942,36.5671,-80.942,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Hail from thunderstorms ranging from pea to penny size fell at the cool breeze campground." +116701,703195,VIRGINIA,2017,June,Hail,"PULASKI",2017-06-13 12:10:00,EST-5,2017-06-13 12:10:00,0,0,0,0,,NaN,,NaN,37.11,-80.71,37.11,-80.71,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +117126,704660,VIRGINIA,2017,June,Flash Flood,"HENRY",2017-06-16 22:45:00,EST-5,2017-06-17 01:45:00,0,0,0,0,100.00K,100000,0.00K,0,36.7643,-80.0553,36.7511,-79.9448,"Evening convection redeveloped on the 16th with the Blue Ridge foothills and southside VA counties (Henry, Pittsylvania, Franklin and Halifax) once again receiving the bulk of the rainfall. Rainfall was estimated by radar at 1 to 2.5 inches in a few hours. Several reports were received of flooding issues in the Bassett area north of Martinsville. Lesser amounts produced minor flooding in Tazewell County.","A vehicle was submerged in water and one lane closed of the Route 220 bypass at the Stanleytown Elementary School as a result of flooding from Little Reed Creek. Water also rose to the level of basement window on a two-story home on Fairystone Parkway. Blackberry Creek was reported to be flooding along Blackberry Road, although the gauge on the creek was out of service. A large section of Route 58 was badly damaged as a hole six feet deep and 12 feet wide opened along the westbound lanes due to the heavy rain and runoff. A small stream runs under the highway at this location." +117107,709372,VIRGINIA,2017,June,Flood,"PITTSYLVANIA",2017-06-16 01:09:00,EST-5,2017-06-16 04:09:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-79.32,36.7795,-79.3135,"With a persistent surface high pressure area centered off the Atlantic coast circulating warm and very moist air into the region, showers once again blossomed during the late afternoon of June 15th and into the early morning hours of the 16th, partially in response to an approaching upper trough. Radar estimated rainfall amounts ranged from 2 to 4 inches across parts of Grayson, Henry, Pittsylvania, Amherst and Halifax counties most of which fell in about a 1 to 3 hour period under the most intense thunderstorm cores.","The Pittsylvania County 911 center Twitter account reported high water on Snakepath Road." +117126,709370,VIRGINIA,2017,June,Heavy Rain,"MARTINSVILLE (C)",2017-06-16 07:00:00,EST-5,2017-06-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-79.87,36.68,-79.87,"Evening convection redeveloped on the 16th with the Blue Ridge foothills and southside VA counties (Henry, Pittsylvania, Franklin and Halifax) once again receiving the bulk of the rainfall. Rainfall was estimated by radar at 1 to 2.5 inches in a few hours. Several reports were received of flooding issues in the Bassett area north of Martinsville. Lesser amounts produced minor flooding in Tazewell County.","The 2.43 in 24-hours was the 7th highest June daily rainfall at the Martinsville COOP station (MARV2) , with nearly complete data back to 1930." +117126,709376,VIRGINIA,2017,June,Flood,"TAZEWELL",2017-06-16 17:50:00,EST-5,2017-06-16 20:50:00,0,0,0,0,0.00K,0,0.00K,0,37.24,-81.26,37.2448,-81.26,"Evening convection redeveloped on the 16th with the Blue Ridge foothills and southside VA counties (Henry, Pittsylvania, Franklin and Halifax) once again receiving the bulk of the rainfall. Rainfall was estimated by radar at 1 to 2.5 inches in a few hours. Several reports were received of flooding issues in the Bassett area north of Martinsville. Lesser amounts produced minor flooding in Tazewell County.","Reported urban flooding caused several streets to be flooded along Beaver Pond Creek. Rainfall was 1 to 1.25 inches according to radar estimates and nearby rain gages." +117626,708152,MAINE,2017,June,Hail,"PISCATAQUIS",2017-06-19 13:35:00,EST-5,2017-06-19 13:35:00,0,0,0,0,,NaN,,NaN,45.26,-69.5,45.26,-69.5,"An isolated severe thunderstorm developed in southwest Piscataquis county during the afternoon of the 19th in warm humid air. The storm produced large hail and gusty winds. Isolated flash flooding also occurred across northern Aroostook county where slow moving training thunderstorms produced locally heavy rain. Isolated 3.00 to 5.00 inch rain totals were reported over several hours. Several roads were flooded with damage to roads and culverts. Potato fields were also flooded.","Strong wind gusts were also reported." +117626,708153,MAINE,2017,June,Flash Flood,"AROOSTOOK",2017-06-19 18:30:00,EST-5,2017-06-19 20:00:00,0,0,0,0,0.00K,0,0.00K,0,47.0305,-68.6083,47.0297,-68.5882,"An isolated severe thunderstorm developed in southwest Piscataquis county during the afternoon of the 19th in warm humid air. The storm produced large hail and gusty winds. Isolated flash flooding also occurred across northern Aroostook county where slow moving training thunderstorms produced locally heavy rain. Isolated 3.00 to 5.00 inch rain totals were reported over several hours. Several roads were flooded with damage to roads and culverts. Potato fields were also flooded.","Slow moving training thunderstorms produced very heavy rain. Localized rain totals of 3.00 to 5.00 inches were reported over several hours. Portions of Red River Road were flooded and impassable. Damage to the road and a culvert was also reported." +117626,708155,MAINE,2017,June,Flash Flood,"AROOSTOOK",2017-06-19 18:00:00,EST-5,2017-06-19 20:00:00,0,0,0,0,0.00K,0,0.00K,0,47.2395,-68.4105,47.2525,-68.2926,"An isolated severe thunderstorm developed in southwest Piscataquis county during the afternoon of the 19th in warm humid air. The storm produced large hail and gusty winds. Isolated flash flooding also occurred across northern Aroostook county where slow moving training thunderstorms produced locally heavy rain. Isolated 3.00 to 5.00 inch rain totals were reported over several hours. Several roads were flooded with damage to roads and culverts. Potato fields were also flooded.","Slow moving training thunderstorms produced very heavy rain. Localized rain totals of 3.00 to 5.00 inches were reported over several hours. Water was reported over several roads including portions of Route 161 and Flat Mountain Road. Several potato fields were also flooded." +117629,708159,MAINE,2017,June,Hail,"AROOSTOOK",2017-06-27 15:36:00,EST-5,2017-06-27 15:36:00,0,0,0,0,,NaN,,NaN,46.68,-68.02,46.68,-68.02,"Showers and thunderstorms developed during the afternoon of the 27th in the vicinity of a warm front and in advance of an approaching upper level disturbance. An isolated severe storm produced large hail in Presque Isle.","Gusty winds also toppled a tree at Mantle Lake." +118021,709491,ARIZONA,2017,June,Excessive Heat,"WESTERN PIMA COUNTY",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperatures during the period were 118 at Ajo and 117 at Organ Pipe National Monument." +117523,707833,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-09 17:55:00,MST-7,2017-08-09 18:01:00,0,0,0,1,0.00K,0,0.00K,0,35.63,-104.44,35.63,-104.44,"Deep moisture and instability over eastern New Mexico combined with northwest flow aloft to produce scattered strong to severe thunderstorms over the east-central and northeast plains. Several clusters of thunderstorms developed by mid afternoon along the east slopes of the central mountain chain then moved quickly southeastward. A severe thunderstorm that developed over Las Vegas produced damaging baseball size hail mainly over the southeastern quadrant of town. Severe damage was reported to many vehicles. Several other storms that moved across Harding, Mora, and San Miguel counties produced golf ball to baseball size hail. Funnel clouds also accompanied the storms in Las Vegas and near Grenville. Heavy rainfall amounts up to nearly three inches were reported with several storms. A pilot flying from Texas to New Mexico fatally crashed near Trujillo in San Miguel County during the active weather.","Hail up to the size of baseballs reported with supercell storm north of Trementina. This may be the same storm that resulted in a fatal aircraft accident of an elderly man attempting to reach a private air strip in the area." +118651,715305,COLORADO,2017,July,Heavy Rain,"GARFIELD",2017-07-21 18:00:00,MST-7,2017-07-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5575,-107.398,39.558,-107.3953,"Monsoonal moisture continued to flow into the region which led to another round of scattered to numerous showers and thunderstorms that produced heavy rain in portions of western Colorado.","Heavy rainfall resulted in lots of standing water on Interstate 70 between mile markers 112 and 117. Radar estimated rainfall in that area ranged from about a half inch to an inch." +117949,709016,TEXAS,2017,June,Hail,"HARTLEY",2017-06-30 19:24:00,CST-6,2017-06-30 19:24:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-102.68,35.94,-102.68,"Diurnally driven convection from the high terrain off of New Mexico and Colorado worked their way southeastward during the afternoon hours. Across the far western combined Panhandles, environment of CAPE/MUCAPE of 1000-2000 J/Kg in-conjunction with easterly surface flow and moisture pool behind the passing cold front. This set the environment to support thunderstorms that worked their way east from NM/CO. An isolated cell did make it into the far western TX Panhandle with half dollar size hail reported. Convection then waned toward the evening hours with the loss of daytime heating.","Storm spotter found hail on us HWY 54 about 20 miles SW of Dalhart." +114521,687043,NORTH CAROLINA,2017,April,Flood,"WILKES",2017-04-24 02:36:00,EST-5,2017-04-24 14:36:00,0,0,0,0,5.00K,5000,0.00K,0,36.2214,-81.0272,36.2218,-81.0258,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","A man was rescued from the top of a pickup truck on the flooded low water bridge over the Roaring River at the intersection of Arbor Grove Baptist Church Road and Cotton Mill Road. Water was at least 5 feet deep per photos of the scene. The truck was likely a total loss." +118651,715282,COLORADO,2017,July,Heavy Rain,"GARFIELD",2017-07-21 17:00:00,MST-7,2017-07-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5585,-107.7583,39.5589,-107.7609,"Monsoonal moisture continued to flow into the region which led to another round of scattered to numerous showers and thunderstorms that produced heavy rain in portions of western Colorado.","Water runoff from heavy rain flowed across portions of County Roads 233 and 252 near Rifle Creek. Radar estimated rainfall near those locations ranged from about an inch to an inch and a half." +118051,709735,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-06-07 18:00:00,EST-5,2017-06-07 18:00:00,0,0,0,0,,NaN,,NaN,25.59,-80.1,25.59,-80.1,"A continuing pattern of deep tropical moisture interacting with a disturbance over the Gulf of Mexico brought several strong storms along the Atlantic coast.","Fowey Rocks C-MAN (FWYF1) recorded a wind gust of 43 knots/49 mph with a thunderstorm. This site is located at an elevation of 144 feet." +118079,709694,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 15:43:00,EST-5,2017-06-19 15:43:00,0,0,0,0,1.00K,1000,,NaN,41.4197,-73.6351,41.4197,-73.6351,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree was reported down along Route 312 in Tilly Foster." +118079,709698,NEW YORK,2017,June,Thunderstorm Wind,"NEW YORK",2017-06-19 15:53:00,EST-5,2017-06-19 15:53:00,0,0,0,0,,NaN,,NaN,40.753,-73.9959,40.753,-73.9959,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A large tree branch was reported down, blocking two west bound lanes at 360 West 34th Street." +118079,709700,NEW YORK,2017,June,Thunderstorm Wind,"BRONX",2017-06-19 15:56:00,EST-5,2017-06-19 15:56:00,0,0,0,0,1.50K,1500,,NaN,40.8363,-73.9252,40.8363,-73.9252,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree split in half and blocked West 167th Street near Woodycrest Avenue." +118649,713022,COLORADO,2017,July,Heavy Rain,"MESA",2017-07-19 22:00:00,MST-7,2017-07-19 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8522,-108.3084,38.8522,-108.3084,"A passing upper level disturbance interacted with deep subtropical moisture to produce numerous showers and thunderstorms across western Colorado. Many storms produced heavy rainfall.","Heavy rainfall resulted in some water that flowed over Highway 50 near the Delta-Mesa County line. Radar estimated between 0.50 and 1.0 inches of rainfall in that area." +119109,715351,COLORADO,2017,July,Heavy Rain,"DELTA",2017-07-29 15:15:00,MST-7,2017-07-29 16:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9502,-107.8999,38.9502,-107.8999,"Lingering subtropical moisture produced some thunderstorms with heavy rainfall.","A total of 1.25 inches of rain was measured within 90 minutes." +118079,709702,NEW YORK,2017,June,Thunderstorm Wind,"NEW YORK",2017-06-19 15:54:00,EST-5,2017-06-19 15:54:00,0,0,0,0,7.50K,7500,,NaN,40.7819,-73.9775,40.7819,-73.9775,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree fell on a car along West 78th Street between Amsterdam and Columbus Avenues." +118079,709784,NEW YORK,2017,June,Thunderstorm Wind,"ROCKLAND",2017-06-19 16:24:00,EST-5,2017-06-19 16:24:00,0,0,0,0,1.50K,1500,,NaN,41.202,-74.035,41.202,-74.035,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A downed tree was reported on the Palisades Parkway northbound between exits 13 and 14." +118079,709785,NEW YORK,2017,June,Thunderstorm Wind,"KINGS",2017-06-19 16:37:00,EST-5,2017-06-19 16:37:00,0,0,0,0,10.00K,10000,,NaN,40.6121,-73.9324,40.6121,-73.9324,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree fell into a home in Marine Park." +118079,709786,NEW YORK,2017,June,Thunderstorm Wind,"QUEENS",2017-06-19 16:45:00,EST-5,2017-06-19 16:45:00,0,0,0,0,1.25K,1250,,NaN,40.7182,-73.8455,40.7182,-73.8455,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","A tree fell on a road in Forest Hills." +118107,709814,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"FIRE ISLAND INLET NY TO MORICHES INLET NY FROM 20 TO 40 NM",2017-06-24 07:36:00,EST-5,2017-06-24 07:36:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-73.17,40.25,-73.17,"A passing cold front triggered an isolated strong storm impacting the coastal ocean waters south of western Long Island.","A wind gust of 43 knots was measured by Buoy 44025." +115430,695724,MINNESOTA,2017,June,Thunderstorm Wind,"YELLOW MEDICINE",2017-06-11 05:05:00,CST-6,2017-06-11 05:05:00,0,0,0,0,0.00K,0,0.00K,0,44.79,-96.32,44.79,-96.32,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines were blown down." +118153,710108,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:25:00,CST-6,2017-06-13 19:25:00,0,0,0,0,,NaN,0.00K,0,45.52,-96.58,45.52,-96.58,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds took out the wall of a machine shed along with damaging the roof." +117877,710067,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 18:15:00,CST-6,2017-06-13 18:15:00,0,0,0,0,,NaN,0.00K,0,45.53,-98.39,45.53,-98.39,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tree was downed onto a power line by sixty-five mph winds." +117877,710068,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CODINGTON",2017-06-13 18:18:00,CST-6,2017-06-13 18:18:00,0,0,0,0,,NaN,0.00K,0,45.09,-97.48,45.09,-97.48,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Seventy-five mph winds downed several large trees." +117877,710071,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 18:27:00,CST-6,2017-06-13 18:27:00,0,0,0,0,,NaN,0.00K,0,45.67,-98.01,45.67,-98.01,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Sixty mph winds downed a large tree limb." +111785,666761,MISSOURI,2017,January,Ice Storm,"ADAIR",2017-01-15 15:00:00,CST-6,2017-01-16 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +111785,666762,MISSOURI,2017,January,Ice Storm,"BATES",2017-01-14 18:30:00,CST-6,2017-01-15 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","Freezing rain started on Friday January 14 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. Nearby observations indicated that the freezing rain started on Saturday evening and persisted mostly continuously through the morning hours on Sunday. By mid morning on Sunday there were several reports from locations in and around Bates County of around 1/4 to 1/2 inch of ice accumulation on surfaces. In nearby Linn and Anderson Counties Kansas around 1/4 inch of ice was reported." +115942,697525,NORTH DAKOTA,2017,June,Tornado,"PEMBINA",2017-06-09 18:12:00,CST-6,2017-06-09 18:14:00,0,0,0,0,200.00K,200000,100.00K,100000,48.68,-97.82,48.68,-97.7842,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","This tornado snapped trees in shelterbelts and demolished a pole shed at a farmstead. In addition, shingles and roofing materials were peeled from various buildings and a television antenna was bent over. Debris was spread downstream and over a wide arc to the north and northwest by the east-southeast moving storm. Peak winds were estimated at 110 mph." +115942,696865,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WALSH",2017-06-09 18:52:00,CST-6,2017-06-09 18:52:00,0,0,0,0,200.00K,200000,400.00K,400000,48.46,-97.47,48.46,-97.47,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Extensive tree damage extended from eastern Farmington into Martin township. Numerous large poplar, ash, and cottonwoods were snapped in field and farm shelterbelts." +115942,696871,NORTH DAKOTA,2017,June,Tornado,"EDDY",2017-06-09 19:29:00,CST-6,2017-06-09 19:33:00,0,0,0,0,10.00K,10000,,NaN,47.76,-98.76,47.7592,-98.6638,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","This weak tornado crossed the southern end of Lake Washington, where a condensation plume was observed. Large branches were broken off of trees on either side of the lake, otherwise no significant damage was noted. Peak winds were estimated at 85 mph." +115430,696122,MINNESOTA,2017,June,Thunderstorm Wind,"STEARNS",2017-06-11 06:55:00,CST-6,2017-06-11 06:55:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-94.43,45.47,-94.43,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines were blown down." +111785,666754,MISSOURI,2017,January,Ice Storm,"HARRISON",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +121151,725282,MINNESOTA,2017,December,Blizzard,"ROSEAU",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121151,725283,MINNESOTA,2017,December,Blizzard,"WEST MARSHALL",2017-12-04 10:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +116394,700116,TEXAS,2017,June,Flash Flood,"HOCKLEY",2017-06-30 23:05:00,CST-6,2017-06-30 23:59:00,0,0,0,0,250.00K,250000,0.50M,500000,33.824,-102.1715,33.8086,-102.1516,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","The Sheriff's Office reported that Anton was inaccessible due to flood waters up to three feet deep in locations. Several homes sustained flood damage from water inundation." +117877,708502,SOUTH DAKOTA,2017,June,Tornado,"MARSHALL",2017-06-13 18:55:00,CST-6,2017-06-13 18:56:00,0,0,0,0,,NaN,0.00K,0,45.595,-97.374,45.596,-97.372,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A brief tornado touched down and caused the collapse of the entire roof of a barn. Debris was lofted 500 feet to the northeast. Minor roof damage also occurred to a second outbuilding along with minor tree damage and damage to the siding of a house." +118153,710060,MINNESOTA,2017,June,Tornado,"TRAVERSE",2017-06-13 19:30:00,CST-6,2017-06-13 19:33:00,0,0,0,0,,NaN,,NaN,45.6005,-96.3251,45.6014,-96.3244,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","A resident watched a tornado touchdown in an open field before moving over their farmstead. Minor damage to a garage door and garage siding occurred along with multiple uprooted trees and snapped trunks. Tree limbs and branches were tossed in multiple directions." +118188,710259,SOUTH DAKOTA,2017,June,Hail,"BROWN",2017-06-18 18:22:00,CST-6,2017-06-18 18:22:00,0,0,0,0,0.00K,0,0.00K,0,45.67,-98.21,45.67,-98.21,"A severe thunderstorm brought quarter size hail to the south of Houghton.","" +117861,708377,SOUTH DAKOTA,2017,June,Hail,"BROWN",2017-06-13 02:50:00,CST-6,2017-06-13 02:50:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-98.48,45.47,-98.48,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117861,708379,SOUTH DAKOTA,2017,June,Hail,"HAMLIN",2017-06-13 06:10:00,CST-6,2017-06-13 06:10:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-97.26,44.57,-97.26,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +115547,693748,WISCONSIN,2017,June,Tornado,"OUTAGAMIE",2017-06-14 14:29:00,CST-6,2017-06-14 14:37:00,0,0,0,0,250.00K,250000,0.00K,0,44.244,-88.405,44.3011,-88.2889,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","This tornado moved out of far northeast Winnebago County (1.8 miles south of Appleton) and entered Outagamie County at 3:29 PM CDT. The tornado uprooted or snapped several dozen trees (DI 27 and 28, DOD 1-3), some of which fell on houses along its path across the southeast side of the city of Appleton. Two large industrial buildings suffered damage on Appleton's east side. One building's large HVAC system was blown off its roof and another large building had several overhead doors blown in and lost portions of its roof and a wall (DI 23, DOD 3 and 4). A self-service car wash lost its roof in Kimberly. An industrial park in Little Chute was also affected. A building had an HVAC unit damaged and a couple trees were knocked down. The tornado dissipated after crossing I-41 north of Kaukauna." +115547,693747,WISCONSIN,2017,June,Tornado,"WINNEBAGO",2017-06-14 14:28:00,CST-6,2017-06-14 14:29:00,0,0,0,0,5.00K,5000,0.00K,0,44.236,-88.423,44.244,-88.405,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A tornado developed at 3:28 PM CDT in far northeast Winnebago County near the village of Fox Crossing then moved into Outagamie County, about 1.8 miles south of Appleton, at 3:29 PM CDT. The tornado continued into Outagamie County for another 7 miles before dissipating at 3:37 PM CDT. The tornado damaged nearly two dozen trees and uprooted several others (DI 27 and 28, DOD 1-3) in Winnebago County. One house sustained roof damage by a fallen tree." +115547,694048,WISCONSIN,2017,June,Tornado,"SHAWANO",2017-06-14 12:47:00,CST-6,2017-06-14 12:47:00,0,0,0,0,0.00K,0,0.00K,0,44.869,-88.749,44.869,-88.749,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A weak tornado briefly touched down in an open field near the Shawano/Menominee County line. The tornado was photographed." +115430,696070,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,650.00K,650000,0.00K,0,45.13,-93.15,45.13,-93.15,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Windows broken due to wind-driven hail." +115430,697444,MINNESOTA,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-11 07:25:00,CST-6,2017-06-11 07:25:00,0,0,0,0,0.00K,0,0.00K,0,45.29,-93.8,45.29,-93.8,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines and large branches were blown down via social media." +115430,696072,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:55:00,CST-6,2017-06-11 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,45.2,-93.14,45.1709,-93.2025,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","The hail broke numerous windows around Blaine." +115430,696166,MINNESOTA,2017,June,Thunderstorm Wind,"REDWOOD",2017-06-11 06:26:00,CST-6,2017-06-11 06:26:00,0,0,0,0,0.00K,0,0.00K,0,44.2,-95.39,44.2,-95.39,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power lines were blown down." +115430,697445,MINNESOTA,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-11 07:25:00,CST-6,2017-06-11 07:25:00,0,0,0,0,0.00K,0,0.00K,0,45.28,-93.79,45.28,-93.79,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A cinder block dugout was destroyed at a high school ballpark." +115430,695735,MINNESOTA,2017,June,Thunderstorm Wind,"LAC QUI PARLE",2017-06-11 05:24:00,CST-6,2017-06-11 05:26:00,0,0,0,0,0.00K,0,0.00K,0,44.9298,-96.0734,44.9369,-96.0391,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Numerous trees and power lines blown were blown down near Dawson." +117156,704748,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-14 13:48:00,EST-5,2017-06-14 13:50:00,0,0,0,0,15.00K,15000,,NaN,34.3423,-84.4596,34.3424,-84.3972,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Cherokee County Emergency Manager reported trees blown down from Upper Bethany Road to Lyons Dairy/Mineral Springs Road, including one down on a house on Upper Bethany Road. No injuries were reported." +115430,696073,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:58:00,CST-6,2017-06-11 07:58:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-93.08,45.17,-93.08,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +118309,710943,ARIZONA,2017,June,Wildfire,"UPPER SAN PEDRO RIVER VALLEY",2017-06-20 20:00:00,MST-7,2017-06-25 12:00:00,0,1,0,0,750.00K,750000,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Encino Fire ignited on June 20th south of Sonoita and spread rapidly due to thunderstorm outflow winds. Several homes were burned and one firefighter was injured before containment was reached on June 25th. The fire burned nearly 1300 acres.","The lightning caused Encino Fire ignited on June 20th south of Sonoita and spread rapidly north due to thunderstorm outflow winds. At least five homes and 30 power poles were destroyed by the fire. Many residents of Sonoita were evacuated and State Routes 82 and 83 were both closed temporarily. A firefighter was injured when he broke his ankle. The fire was fully contained by June 25th after burning 1289 acres." +117156,704752,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-14 18:55:00,EST-5,2017-06-14 19:05:00,0,0,0,0,20.00K,20000,,NaN,34.2133,-84.5225,34.2382,-84.4661,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Cherokee County Emergency Manager reported numerous trees and some power lines blown down in the Canton area, including Knox Bridge Highway at Beverly Drive, Killian Road between Celebration Song and Brick Mill Road, W. Haynes Road near Oakdale Road, Cartersville Street at McLain Street, and I-575 at Cumming Highway." +117156,704753,GEORGIA,2017,June,Thunderstorm Wind,"COBB",2017-06-14 19:50:00,EST-5,2017-06-14 20:00:00,0,0,0,0,15.00K,15000,,NaN,33.927,-84.6134,33.927,-84.6134,"Strong daytime heating resulted in a moderately unstable atmosphere by late afternoon and evening across north Georgia. Thunderstorms developing along a stationary surface trough and enhanced by a weak mid-level short wave produced scattered reports of damaging thunderstorm wind gusts across north Georgia.","The Cobb County 911 center reported trees blown down from the intersection of Windmill Lane and Wind Hill Lane." +118073,710342,NEW YORK,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-30 16:25:00,EST-5,2017-06-30 16:35:00,0,0,0,0,10.00K,10000,0.00K,0,43,-75.25,43,-75.25,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in an unstable atmosphere. These storms quickly moved eastward and developed into line of thunderstorms. Some of these thunderstorms became severe and produced large hail, damaging winds and even a tornado.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and wires. This thunderstorm created damage to the siding on a roof and a door." +118073,710338,NEW YORK,2017,June,Thunderstorm Wind,"BROOME",2017-06-30 13:39:00,EST-5,2017-06-30 13:49:00,0,0,0,0,1.00K,1000,0.00K,0,42.18,-75.62,42.18,-75.62,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in an unstable atmosphere. These storms quickly moved eastward and developed into line of thunderstorms. Some of these thunderstorms became severe and produced large hail, damaging winds and even a tornado.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees which blocked a roadway." +118194,710296,NEW YORK,2017,June,Hail,"CAYUGA",2017-06-05 15:55:00,EST-5,2017-06-05 16:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.71,-76.42,42.71,-76.42,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced quarter sized hail." +118194,710297,NEW YORK,2017,June,Hail,"CORTLAND",2017-06-05 16:20:00,EST-5,2017-06-05 16:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.64,-76.18,42.64,-76.18,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced quarter sized hail." +118194,710298,NEW YORK,2017,June,Hail,"CHEMUNG",2017-06-05 16:25:00,EST-5,2017-06-05 16:35:00,0,0,0,0,1.00K,1000,0.00K,0,42.09,-76.81,42.09,-76.81,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm developed over the area and produced quarter and penny sized hail." +118206,710345,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LACKAWANNA",2017-06-30 15:35:00,EST-5,2017-06-30 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,41.34,-75.53,41.34,-75.53,"Showers and thunderstorms developed along a surface trough Friday afternoon across central New York and northeast Pennsylvania in a very unstable atmosphere. These storms quickly moved eastward formed into a line of thunderstorms. Some of these showers and thunderstorms became severe producing hail and damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires. The thunderstorm knocked over trees on a house in the town of Covington." +117418,706127,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-29 19:44:00,CST-6,2017-06-29 19:44:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-100.06,40.04,-100.06,"For the fourth consecutive day, at least a small portion of South Central was affected by severe storm activity. On this Thursday, a cluster of thunderstorms developed over western Colorado during the afternoon hours, driven by energy from a mid to upper level shortwave disturbance sliding east-southeast out of the Rockies and through the Central and Northern Plains. This cluster moved its way through northwestern Kansas and eventually along and just south of the Nebraska-Kansas state line through the late evening hours. While rain affected the majority of the NWS Hastings coverage area along and south of Highway 6, only 2 reports of severe weather were received. ||These storms were riding along a surging cold frontal boundary, with a more notable change in wind and dewpoint than temperature, and were aided by increased lower to mid-level frontogenetical forcing. They remained anchored on the northwestern gradient of an axis of higher instability, with MLCAPE values peaking near 1500-2000 j/kg in the area of the storms. Deeper layer shear values were in the 30-40 knot range through the event.","Dime to quarter sized hail fell along with heavy rain." +117418,706128,NEBRASKA,2017,June,Hail,"NUCKOLLS",2017-06-29 22:34:00,CST-6,2017-06-29 22:34:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-98.07,40.02,-98.07,"For the fourth consecutive day, at least a small portion of South Central was affected by severe storm activity. On this Thursday, a cluster of thunderstorms developed over western Colorado during the afternoon hours, driven by energy from a mid to upper level shortwave disturbance sliding east-southeast out of the Rockies and through the Central and Northern Plains. This cluster moved its way through northwestern Kansas and eventually along and just south of the Nebraska-Kansas state line through the late evening hours. While rain affected the majority of the NWS Hastings coverage area along and south of Highway 6, only 2 reports of severe weather were received. ||These storms were riding along a surging cold frontal boundary, with a more notable change in wind and dewpoint than temperature, and were aided by increased lower to mid-level frontogenetical forcing. They remained anchored on the northwestern gradient of an axis of higher instability, with MLCAPE values peaking near 1500-2000 j/kg in the area of the storms. Deeper layer shear values were in the 30-40 knot range through the event.","Hail occurred along with 50 mph wind gusts." +115703,702392,KENTUCKY,2017,June,Flood,"FRANKLIN",2017-06-24 14:35:00,EST-5,2017-06-24 20:10:00,0,0,0,0,0.00K,0,0.00K,0,38.2695,-84.816,38.2701,-84.8132,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Heavy rainfall associated with the remnants of Tropical Storm Cindy brought the Elkhorn Creek at Peaks Mills into minor flood. The river crested at 10.26 feet." +115703,702393,KENTUCKY,2017,June,Flood,"NICHOLAS",2017-06-24 09:55:00,EST-5,2017-06-24 21:05:00,0,0,0,0,0.00K,0,0.00K,0,38.414,-84.0085,38.4149,-84.0062,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Heavy rainfall associated with the remnants of Tropical Storm Cindy brought the Licking River at Blue Licks Spring into minor flood. The river crested at 25.59 feet on June 24." +115703,702394,KENTUCKY,2017,June,Flash Flood,"HARDIN",2017-06-23 16:45:00,EST-5,2017-06-23 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-85.97,37.7517,-85.9703,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","The public reported high water running down street." +115703,702413,KENTUCKY,2017,June,Tornado,"MARION",2017-06-23 17:05:00,EST-5,2017-06-23 17:07:00,0,0,0,0,150.00K,150000,0.00K,0,37.6177,-85.4359,37.6172,-85.3983,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","This tornado spun up in a broader area of 40-60 mph winds that caused minor tree damage across an area over a mile wide in western Marion County. The tornado touched down on the edge of a large wooded area west of Highway 527 0.4 miles south of St Francis. Moving due east, it snapped the trunks of several large trees, blocking the highway, and mowed down a line of trees along Louis Mattingly Road. It continued to to tree-top damage in a heavily wooded area as it moved east, then tore roof panels off several hog barns on the south end of A. Mills Road. Drone footage of corn near the barns showed multiple streaks of converging winds in an area approximately 100 yards in width. Continuing to east-southeast, the tornado left downed numerous more trees in a cyclonic pattern on both sides of Spencer-Hamilton Road south of Loretto. Strong inflow and outflow winds estimated at 60-80 mph damaged several outbuildings and downed other trees south of the tornado along Spencer-Hamilton Road as the tornado dissipated. The Louisville NWS office thanks John Humphress and Tanner Thompson for the drone imagery that helped pinpoint the path of this rural tornado." +115703,697491,KENTUCKY,2017,June,Thunderstorm Wind,"MARION",2017-06-23 17:15:00,EST-5,2017-06-23 17:15:00,0,0,0,0,,NaN,0.00K,0,37.63,-85.37,37.63,-85.37,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","" +118357,711302,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:15:00,CST-6,2017-06-20 18:15:00,0,0,0,0,,NaN,,NaN,37.58,-101.36,37.58,-101.36,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711304,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:23:00,CST-6,2017-06-20 18:23:00,0,0,0,0,,NaN,,NaN,37.59,-101.35,37.59,-101.35,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711305,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:24:00,CST-6,2017-06-20 18:24:00,0,0,0,0,,NaN,,NaN,37.58,-101.35,37.58,-101.35,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711306,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:46:00,CST-6,2017-06-20 18:46:00,0,0,0,0,,NaN,,NaN,37.5,-101.31,37.5,-101.31,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","There was also 50 MPH wind gusts with the hail." +118357,711307,KANSAS,2017,June,Hail,"GRANT",2017-06-20 19:12:00,CST-6,2017-06-20 19:12:00,0,0,0,0,,NaN,,NaN,37.48,-101.21,37.48,-101.21,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +116304,699287,MISSISSIPPI,2017,June,Flash Flood,"COVINGTON",2017-06-06 04:00:00,CST-6,2017-06-06 06:15:00,0,0,0,0,1.50M,1500000,0.00K,0,31.47,-89.42,31.4682,-89.4023,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","Flooding around the Lux Community caused a culvert washout along McConnel Foster Road, and several unoccupied campers had to be towed away from flooding along Okatoma River Road. Flood waters eroded the railroad embankment along a stretch of tracks near the Lux Community. Three train cars later derailed after passing over the weakened tracks. An estimated 3 to 6 inches of rain fell nearby." +116304,699677,MISSISSIPPI,2017,June,Flash Flood,"FORREST",2017-06-06 06:45:00,CST-6,2017-06-06 10:15:00,0,0,0,0,700.00K,700000,0.00K,0,31.41,-89.37,31.3971,-89.3298,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","Flash flooding occurred along Creek Lane and in the Rawls Springs Community. Campers were flooded at Peps Point Water Park, with at least 1 washed down Providence Creek. Multiple homes had water in them, and a bridge was washed out." +118420,711651,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ARMSTRONG",2017-06-22 11:55:00,EST-5,2017-06-22 11:55:00,0,0,0,0,5.00K,5000,0.00K,0,40.8,-79.52,40.8,-79.52,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","State official reported large trees and wires down along Mile Long Hill Road." +118420,711652,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ARMSTRONG",2017-06-22 12:20:00,EST-5,2017-06-22 12:20:00,0,0,0,0,2.50K,2500,0.00K,0,40.72,-79.39,40.72,-79.39,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","State official reported trees and wires down on Cherry Run Road in Plumcreek Township." +116270,700348,MISSISSIPPI,2017,June,Flash Flood,"NEWTON",2017-06-16 17:30:00,CST-6,2017-06-16 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.54,-88.93,32.5357,-88.9306,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","The road was impassable near the intersection of Battlefield and George roads due to four to six inches of rain." +116270,700350,MISSISSIPPI,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-16 17:24:00,CST-6,2017-06-16 17:38:00,0,0,0,0,50.00K,50000,0.00K,0,33.5285,-90.9141,33.2859,-90.8624,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees were blown down across the county." +116270,700351,MISSISSIPPI,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-16 17:45:00,CST-6,2017-06-16 18:07:00,0,0,0,0,60.00K,60000,0.00K,0,33.3998,-90.9668,33.1595,-90.8343,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees were blown down across the county. A tree was blown down on a trailer in Avon." +116270,700352,MISSISSIPPI,2017,June,Hail,"LAUDERDALE",2017-06-16 18:05:00,CST-6,2017-06-16 18:05:00,0,0,0,0,0.00K,0,0.00K,0,32.33,-88.57,32.33,-88.57,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","" +116270,708445,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-16 20:30:00,CST-6,2017-06-16 23:10:00,0,0,0,0,1.00K,1000,0.00K,0,31.6851,-89.1394,31.6835,-89.1413,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Flash flooding occurred at the Leontyne Price Blvd and Interstate 55 underpass area in Laurel following two periods of heavy rainfall." +116270,708450,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-16 20:45:00,CST-6,2017-06-16 23:10:00,0,0,0,0,2.00K,2000,0.00K,0,31.602,-89.1022,31.5733,-89.0986,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Two periods of heavy rainfall produced flash flooding around the Bogue Homo Creek area south of Tuckers Crossing, including along George Boutwell Road and Old Highway 15." +116270,708457,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-16 20:35:00,CST-6,2017-06-16 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,31.6098,-89.2021,31.6084,-89.2021,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Flooding occurred at the intersection of Devall Street and Washington Street in Ellisville following several rounds of heavy rainfall." +118439,711884,PENNSYLVANIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 16:14:00,EST-5,2017-06-23 16:14:00,0,0,0,0,2.50K,2500,0.00K,0,39.79,-80.34,39.79,-80.34,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711885,PENNSYLVANIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 16:18:00,EST-5,2017-06-23 16:18:00,0,0,0,0,2.50K,2500,0.00K,0,39.77,-80.29,39.77,-80.29,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711886,PENNSYLVANIA,2017,June,Thunderstorm Wind,"GREENE",2017-06-23 16:24:00,EST-5,2017-06-23 16:24:00,0,0,0,0,2.50K,2500,0.00K,0,39.76,-80.17,39.76,-80.17,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118440,711727,MARYLAND,2017,June,Thunderstorm Wind,"GARRETT",2017-06-23 18:08:00,EST-5,2017-06-23 18:08:00,0,0,0,0,5.00K,5000,0.00K,0,39.71,-78.95,39.71,-78.95,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down in Finzel." +118440,711728,MARYLAND,2017,June,Thunderstorm Wind,"GARRETT",2017-06-23 20:40:00,EST-5,2017-06-23 20:40:00,0,0,0,0,2.50K,2500,0.00K,0,39.46,-79.23,39.46,-79.23,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported multiple trees down on Bittinger Road." +118441,711888,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MONONGALIA",2017-06-23 16:08:00,EST-5,2017-06-23 16:08:00,0,0,0,0,2.50K,2500,0.00K,0,39.66,-80.4,39.66,-80.4,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118291,710878,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:46:00,EST-5,2017-06-15 14:46:00,0,0,0,0,3.00K,3000,0.00K,0,40.58,-80.04,40.58,-80.04,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Department of highways reported two uprooted trees and six trees sheared three quarters of the way up." +118291,710880,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:52:00,EST-5,2017-06-15 14:52:00,0,0,0,0,3.00K,3000,0.00K,0,40.48,-79.97,40.48,-79.97,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Local 911 reported tree and wires down on Jefferson Street." +118291,710881,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-15 14:59:00,EST-5,2017-06-15 14:59:00,0,0,0,0,0.50K,500,0.00K,0,40.64,-79.82,40.64,-79.82,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Local 911 reported a tree down across the roadway at 300 Tarentum Culmerville Road." +118291,710882,PENNSYLVANIA,2017,June,Thunderstorm Wind,"INDIANA",2017-06-15 16:25:00,EST-5,2017-06-15 16:25:00,0,0,0,0,2.00K,2000,0.00K,0,40.7,-79.15,40.7,-79.15,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Emergency manager reported multiple trees down near Hanging Rock Road and Chambersville Road." +118291,711437,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 15:36:00,EST-5,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.4107,-80.01,40.3311,-80.0646,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","Emergency manager reported flooding on several roads between Dormont and Bethel Park including: State route 51, between Bausman Street and State Route 88; The intersection of 88 and Broughton Road, Library Road, Logan Road and South Park." +118291,711438,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 16:02:00,EST-5,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.3846,-79.9382,40.367,-79.9516,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","County 911 reported a swift water rescue responded to occupants stuck in a stranded vehicle near Chapon's Greenhouse on Streets Run Road." +115561,703753,NEBRASKA,2017,June,Hail,"THAYER",2017-06-15 18:41:00,CST-6,2017-06-15 18:55:00,0,0,0,0,15.00K,15000,150.00K,150000,40.34,-97.608,40.34,-97.57,"Although the vast majority of severe weather within the Central Plains region on this Thursday focused within Kansas and southeast Nebraska, a rogue severe storm blossomed in the far southeast corner of South Central Nebraska (Thayer County) around 7:30 p.m. CDT, resulting in several reports of nickel to golf ball size in the Carleton, Bruning and Belvidere areas before weakening/dissipating near the Jefferson County line by 9 p.m. CDT. ||Briefly examining the meteorological setup, southern Nebraska was under broad quasi-zonal flow in the mid-upper levels containing subtle embedded disturbances . At the surface, the highest low-level moisture levels and resultant instability values focused to the south of a quasi-stationary front stretched from central Kansas into southeast Nebraska. However, this particular severe storm (and others farther east in southeast Nebraska) still managed to develop within the northern fringes of the surface frontal zone, possibly enhanced by outflow emanating northward from a large mesoscale convective system (MCS) racing south through Kansas. Around the time of the Thayer County hail, the environment featured approximately 2500 J/kg mixed-layer CAPE and 40 knots of effective deep layer wind shear.","" +115563,703776,NEBRASKA,2017,June,Hail,"POLK",2017-06-16 18:44:00,CST-6,2017-06-16 18:51:00,0,0,0,0,100.00K,100000,1.00M,1000000,41.18,-97.55,41.2,-97.43,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","Hail ranging from quarter to golf ball size fell along the Highway 81/92 corridor between Osceola and Shelby." +115563,703782,NEBRASKA,2017,June,Hail,"FILLMORE",2017-06-16 20:04:00,CST-6,2017-06-16 20:10:00,0,0,0,0,75.00K,75000,1.00M,1000000,40.6211,-97.45,40.5988,-97.3826,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703784,NEBRASKA,2017,June,Hail,"FILLMORE",2017-06-16 20:12:00,CST-6,2017-06-16 20:14:00,0,0,0,0,100.00K,100000,1.00M,1000000,40.5505,-97.5531,40.53,-97.58,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703788,NEBRASKA,2017,June,Hail,"THAYER",2017-06-16 21:25:00,CST-6,2017-06-16 21:25:00,0,0,0,0,75.00K,75000,250.00K,250000,40.15,-97.4,40.15,-97.4,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +116174,698245,TENNESSEE,2017,June,Thunderstorm Wind,"MACON",2017-06-13 23:05:00,CST-6,2017-06-13 23:05:00,0,0,0,0,5.00K,5000,0.00K,0,36.5297,-85.8415,36.5297,-85.8415,"Scattered thunderstorms affected parts of the Upper Cumberland during the evening hours on June 14. One report of damaging winds was received from Macon County.","Macon County 911 director reports and photos show several trees were uprooted and a gazebo was destroyed near the Donoho Hotel in Red Boiling Springs. Time estimated based on radar." +115713,703870,NEBRASKA,2017,June,Hail,"FRANKLIN",2017-06-20 20:02:00,CST-6,2017-06-20 20:02:00,0,0,0,0,25.00K,25000,150.00K,150000,40.1401,-98.7917,40.1401,-98.7917,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","" +115713,703882,NEBRASKA,2017,June,Thunderstorm Wind,"WEBSTER",2017-06-20 20:12:00,CST-6,2017-06-20 20:12:00,0,0,0,0,5.00K,5000,0.00K,0,40.1,-98.6689,40.1,-98.6689,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","The emergency manager reported several broken tree branches and a broken flagpole." +115713,703872,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-20 20:15:00,CST-6,2017-06-20 20:15:00,0,0,0,0,25.00K,25000,150.00K,150000,40.1,-98.65,40.1,-98.65,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","" +115713,703879,NEBRASKA,2017,June,Hail,"NUCKOLLS",2017-06-20 21:00:00,CST-6,2017-06-20 21:10:00,0,0,0,0,1.00M,1000000,0.00K,0,40.03,-98.07,40.03,-98.07,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","" +116155,698113,ARKANSAS,2017,May,Flood,"LAWRENCE",2017-05-01 00:00:00,CST-6,2017-05-05 00:00:00,0,0,0,0,5.00M,5000000,0.00K,0,36.1374,-91.0983,36.1085,-91.0602,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","Heavy rain brought the Black River at Black Rock to just under record levels in early May. Homes and businesses suffered minor damage from the flooding. Many road and bridges were also flooded and damaged. Thousands of acres of cropland was also flooded. The Lawrence County Dive team performed 14 rescues in the first couple days of May. They rescued people from their vehicle on County Road 514 on May 2nd. The dive team rescued two people from a home on May 3rd." +116155,698106,ARKANSAS,2017,May,Flood,"RANDOLPH",2017-05-01 00:00:00,CST-6,2017-05-01 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,36.4937,-91.1302,36.2699,-91.0368,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","Major flooding occurred along the Eleven Point River. State Highway 90 closed with flooding between Dalton and Ravenden Springs. Campgrounds along the river were impacted. Many roads in Randolph County were flooded. Extensive agricultural acreage inundated." +117615,707301,OHIO,2017,June,Hail,"STARK",2017-06-13 14:18:00,EST-5,2017-06-13 14:18:00,0,0,0,0,0.00K,0,0.00K,0,40.8402,-81.2365,40.8402,-81.2365,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Trained spotters reported hail the size of walnuts." +117615,707302,OHIO,2017,June,Hail,"WOOD",2017-06-13 18:30:00,EST-5,2017-06-13 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.3488,-83.4018,41.3488,-83.4018,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Quarter sized hail was reported." +117615,707304,OHIO,2017,June,Thunderstorm Wind,"RICHLAND",2017-06-13 13:55:00,EST-5,2017-06-13 13:55:00,0,0,0,0,75.00K,75000,0.00K,0,40.67,-82.58,40.67,-82.58,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds caused damage in Lexington and surrounding Troy Township. Several trees large trees and utility poles were downed. Scattered power outages were reported in the area." +117615,707305,OHIO,2017,June,Thunderstorm Wind,"WYANDOT",2017-06-13 14:45:00,EST-5,2017-06-13 14:45:00,0,0,0,0,15.00K,15000,0.00K,0,40.8645,-83.2512,40.8645,-83.2512,"A nearly stationary front was draped across northern Ohio during the afternoon and evening of June 13th. A broken line of showers and thunderstorms developed along this front. A few of the stronger storms became severe.","Thunderstorm winds downed trees just northeast of Upper Sandusky in and near Indian Mill Park." +115279,692104,OHIO,2017,June,Thunderstorm Wind,"PIKE",2017-06-05 16:09:00,EST-5,2017-06-05 16:14:00,0,0,0,0,1.50K,1500,0.00K,0,38.98,-83.13,38.98,-83.13,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Several trees were knocked down and a barn was damaged in Camp Creek Township." +115279,692106,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-05 16:31:00,EST-5,2017-06-05 16:36:00,0,0,0,0,15.00K,15000,0.00K,0,40.01,-84.35,40.01,-84.35,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","On Horseshoe Bend Road, just west of St. Rt. 48, a barn was completely flattened. Also, several large trees and power poles were knocked down." +115279,692107,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-05 16:33:00,EST-5,2017-06-05 16:38:00,0,0,0,0,0.50K,500,0.00K,0,40,-84.34,40,-84.34,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A large tree was split in half." +116155,698108,ARKANSAS,2017,May,Flash Flood,"RANDOLPH",2017-05-03 07:00:00,CST-6,2017-05-04 05:00:00,0,0,0,0,3.00M,3000000,0.00K,0,36.2507,-90.9582,36.1532,-91.0368,"Very heavy rain fell across the Eleven Point River, Current River and Black River basins in Missouri and Arkansas at the end of April into early. As a result major river flooding occured in Clay, Randolph and Lawrence counties into early May. The levee along the Black River east of Pocahontas failed resulting in flash flooding across parts of Randolph and Lawrence counties. A major disaster declaration was granted for Clay, Lawrence and Randolph Counties.","The levee east of Pocahontas broke in several places during the morning hours of May 3rd. Water poured south along the Big Running Water Creek across thousands of acres of farmland. Many small communities were flooded. Several water rescues occurred at the intersection of Highway 67 and Highway 90 in Shannon." +115279,692108,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-05 17:04:00,EST-5,2017-06-05 17:09:00,0,0,0,0,1.00K,1000,0.00K,0,39.8,-84.22,39.8,-84.22,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A large tree was knocked down on Redder Ave." +115279,692109,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-05 17:22:00,EST-5,2017-06-05 17:27:00,0,0,0,0,1.00K,1000,0.00K,0,39.68,-84.14,39.68,-84.14,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A tree was snapped and a few large limbs were knocked down near Irelan Park near Marshall Road." +115279,692110,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-05 17:22:00,EST-5,2017-06-05 17:27:00,0,0,0,0,1.00K,1000,0.00K,0,39.7,-84.15,39.7,-84.15,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A large tree was knocked down in Kettering." +115279,692111,OHIO,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-05 17:27:00,EST-5,2017-06-05 17:32:00,0,0,0,0,1.00K,1000,0.00K,0,39.65,-84.15,39.65,-84.15,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","A large tree was knocked down." +115279,692114,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-05 16:31:00,EST-5,2017-06-05 16:36:00,0,0,0,0,15.00K,15000,0.00K,0,39.9866,-84.3614,39.9866,-84.3614,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","Power lines were knocked down near Elleman Road." +115279,692115,OHIO,2017,June,Thunderstorm Wind,"MIAMI",2017-06-05 16:43:00,EST-5,2017-06-05 16:53:00,0,0,0,0,10.00K,10000,0.00K,0,39.9458,-84.3213,39.9458,-84.3213,"Strong to severe thunderstorms developed ahead of a cold front dropping south through the region.","The village of West Milton had a large number of tree limbs knocked down, along with power lines downed and power poles snapped. The most severely damaged area was the Emerick Road/South Miami Street area." +115486,693474,KENTUCKY,2017,June,Thunderstorm Wind,"GRANT",2017-06-13 12:42:00,EST-5,2017-06-13 12:52:00,0,0,0,0,0.25K,250,0.00K,0,38.64,-84.51,38.64,-84.51,"Strong thunderstorms developed in a hot and humid airmass.","One large tree limb was knocked down." +115546,693725,WYOMING,2017,June,Thunderstorm Wind,"SHERIDAN",2017-06-12 19:05:00,MST-7,2017-06-12 19:05:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-106.97,44.77,-106.97,"An isolated severe thunderstorm produced a severe wind gust just southwest of Sheridan.","" +115480,693894,MONTANA,2017,June,Hail,"CARBON",2017-06-12 17:22:00,MST-7,2017-06-12 17:22:00,0,0,0,0,0.00K,0,0.00K,0,45.25,-108.96,45.25,-108.96,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","" +115787,695833,VERMONT,2017,June,Thunderstorm Wind,"CHITTENDEN",2017-06-18 22:27:00,EST-5,2017-06-18 22:27:00,0,0,0,0,5.00K,5000,0.00K,0,44.63,-72.98,44.63,-72.98,"A pre-frontal trough moved across NY into VT in a moderately unstable air mass during the evening hours of June 18th. A broken line of showers and thunderstorms moved into VT from NY with some isolated wind damage as the storms moved across the northern Champlain Valley.","A few trees down by thunderstorm winds." +115787,695834,VERMONT,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-18 22:30:00,EST-5,2017-06-18 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.67,-72.96,44.67,-72.96,"A pre-frontal trough moved across NY into VT in a moderately unstable air mass during the evening hours of June 18th. A broken line of showers and thunderstorms moved into VT from NY with some isolated wind damage as the storms moved across the northern Champlain Valley.","Trees down on power lines." +115811,696009,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-07 08:00:00,EST-5,2017-06-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,27.77,-82.57,27.77,-82.57,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station at Cut J in the Tampa Bay recorded a 40 knot marine thunderstorm wind gust." +115811,696003,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-07 07:56:00,EST-5,2017-06-07 07:56:00,0,0,0,0,0.00K,0,0.00K,0,27.663,-82.618,27.663,-82.618,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The NOS buoy at Middle Tampa Bay (MTBF1) produced a 36 knot thunderstorm wind gust." +115811,696007,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-07 08:08:00,EST-5,2017-06-07 08:08:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-82.69,27.74,-82.69,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station at Clam Bayou Nature Park recorded a 36 knot marine thunderstorm wind gust." +115209,691761,SOUTH DAKOTA,2017,June,Hail,"LAWRENCE",2017-06-05 14:10:00,MST-7,2017-06-05 14:10:00,0,0,0,0,0.00K,0,0.00K,0,44.2855,-103.87,44.2855,-103.87,"A thunderstorm briefly became severe over the northern Black Hills, producing quarter sized hail near Cheyenne Crossing.","" +115935,696596,MINNESOTA,2017,June,Thunderstorm Wind,"POLK",2017-06-02 21:30:00,CST-6,2017-06-02 21:30:00,0,0,0,0,,NaN,,NaN,48.01,-96.97,48.01,-96.97,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Several 4 to 8 inch diameter tree branches were broken down in various yards. One 12 inch diameter tree was snapped." +115935,696597,MINNESOTA,2017,June,Thunderstorm Wind,"POLK",2017-06-02 21:40:00,CST-6,2017-06-02 21:40:00,0,0,0,0,,NaN,,NaN,48.08,-96.75,48.08,-96.75,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Several 4 to 8 inch diameter tree branches were blown down at several farmsteads in western Angus Township. A few 10 inch diameter poplar trees were snapped. Blowing dust and old crop debris reduced the visibility for brief periods of time." +116030,698057,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-06-30 20:12:00,EST-5,2017-06-30 20:13:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"An unstable atmosphere along the western edge of Atlantic high pressure contributed to a line of thunderstorms capable of producing strong wind gusts near the Southeast Georgia and Southeast South Carolina coasts.","The South Tybee Island Weatherflow sensor recorded a 38 knot wind gust." +115857,696273,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAAKON",2017-06-20 22:43:00,MST-7,2017-06-20 22:43:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-101.6,44.05,-101.6,"A thunderstorm briefly became severe over the Philip area, producing some gusts near 60 mph.","" +116157,698130,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"LEXINGTON",2017-06-15 18:13:00,EST-5,2017-06-15 18:15:00,0,0,0,0,0.10K,100,0.10K,100,33.9419,-81.122,33.9419,-81.122,"An upper disturbance combined with atmospheric instability and moisture to produce scattered severe thunderstorms producing wind damage, along with locally heavy rain with slow moving and training storms, during the evening hours of June 15th into the very early morning hours of June 16th.","A wind gust of 54 MPH was measured by ASOS at the Columbia Metropolitan Airport at 7:13 pm EDT (6:13 pm EST). Also, pea size hail was observed at the airport by NWS personnel." +115470,693398,CALIFORNIA,2017,June,Frost/Freeze,"MODOC COUNTY",2017-06-14 01:00:00,PST-8,2017-06-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop to freezing at several locations in northern California.","Reported low temperatures ranged from 32 to 35 degrees." +116164,698159,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"LEXINGTON",2017-06-18 21:45:00,EST-5,2017-06-18 21:50:00,0,0,0,0,,NaN,,NaN,33.91,-81.51,33.91,-81.51,"Despite limited atmospheric moisture, a sea breeze front penetrated inland and interacted with a surface trough over central SC to allow an isolated severe thunderstorm to develop late in the evening.","Trees and limbs were downed and knocked out a power transformer." +116164,698161,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"LEXINGTON",2017-06-18 21:45:00,EST-5,2017-06-18 21:50:00,0,0,0,0,,NaN,,NaN,33.91,-81.53,33.91,-81.53,"Despite limited atmospheric moisture, a sea breeze front penetrated inland and interacted with a surface trough over central SC to allow an isolated severe thunderstorm to develop late in the evening.","Power lines were downed." +116166,698170,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"AIKEN",2017-06-30 16:32:00,EST-5,2017-06-30 16:37:00,0,0,0,0,,NaN,,NaN,33.5082,-81.9715,33.5082,-81.9715,"A band of showers and thunderstorms developed. One of the storms became severe and produced wind damage.","Thunderstorm winds downed two trees at N Hills Dr and W Martintown Rd in North Augusta, SC." +116159,698157,VERMONT,2017,June,Flash Flood,"ESSEX",2017-06-19 16:00:00,EST-5,2017-06-19 17:00:00,0,0,0,0,7.00K,7000,0.00K,0,44.9937,-71.6745,44.9673,-71.6226,"Thunderstorms with very heavy rainfall developed in humid conditions as a weak surface front moved through Vermont.","Thunderstorms with very heavy rainfall repeatedly moved over the same area in mountainous terrain. Runoff from three to four inches of rain produced flash flooding which washed out a portion of Canaan Hill Road in Averill VT." +115970,696998,SOUTH DAKOTA,2017,June,Hail,"OGLALA LAKOTA",2017-06-27 16:27:00,MST-7,2017-06-27 16:27:00,0,0,0,0,,NaN,0.00K,0,43.23,-102.33,43.23,-102.33,"A severe thunderstorm developed over eastern Oglala Lakota County, producing quarter sized hail and strong wind gusts.","" +115970,697008,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"OGLALA LAKOTA",2017-06-27 17:00:00,MST-7,2017-06-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,43.29,-102.27,43.29,-102.27,"A severe thunderstorm developed over eastern Oglala Lakota County, producing quarter sized hail and strong wind gusts.","" +115961,696920,WYOMING,2017,June,Thunderstorm Wind,"CAMPBELL",2017-06-27 16:01:00,MST-7,2017-06-27 16:01:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-105.63,44.18,-105.63,"A severe thunderstorm produced strong wind gusts across parts of central Campbell County.","" +115961,696923,WYOMING,2017,June,Thunderstorm Wind,"CAMPBELL",2017-06-27 16:41:00,MST-7,2017-06-27 16:41:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-105.19,44.34,-105.19,"A severe thunderstorm produced strong wind gusts across parts of central Campbell County.","" +116223,698750,KANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-30 02:36:00,CST-6,2017-06-30 02:36:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-94.99,37.34,-94.99,"An isolated severe thunderstorm produced a report of wind damage in southeast Kansas.","A few large tree limbs were blown down." +116230,698811,HAWAII,2017,June,Heavy Rain,"HAWAII",2017-06-14 14:21:00,HST-10,2017-06-14 18:04:00,0,0,0,0,0.00K,0,0.00K,0,19.4461,-155.2258,19.0545,-155.5966,"Moisture from an old front was the fuel necessary for heavy showers and isolated thunderstorms to develop over the islands with an unstable atmosphere aloft. Three islands, from Oahu to the Big Island of Hawaii, saw heavy downpours that resulted in ponding on roadways, and small stream and drainage ditch flooding. However, no serious property damage or injuries were reported.","" +116230,698813,HAWAII,2017,June,Heavy Rain,"MAUI",2017-06-14 16:38:00,HST-10,2017-06-14 18:03:00,0,0,0,0,0.00K,0,0.00K,0,20.7943,-156.3193,20.6856,-156.433,"Moisture from an old front was the fuel necessary for heavy showers and isolated thunderstorms to develop over the islands with an unstable atmosphere aloft. Three islands, from Oahu to the Big Island of Hawaii, saw heavy downpours that resulted in ponding on roadways, and small stream and drainage ditch flooding. However, no serious property damage or injuries were reported.","" +115691,698755,MISSOURI,2017,June,Thunderstorm Wind,"GREENE",2017-06-22 11:28:00,CST-6,2017-06-22 11:28:00,0,0,0,0,25.00K,25000,0.00K,0,37.16,-93.34,37.16,-93.34,"A cold front interacting with moisture from a tropical system and caused severe storms with reports of wind damage around the Missouri Ozarks.","A carwash lost the entire roof near the intersection of Golden Ave and Battlefield Road. The roof was blown on to a nearby duplex with damage to the residential property. Powers lines and poles were knocked down due to flying debris." +116439,709980,ILLINOIS,2017,June,Flash Flood,"WOODFORD",2017-06-17 20:40:00,CST-6,2017-06-17 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9229,-89.4711,40.748,-89.555,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 3.00 to 5.00 inches was reported across most of Woodford County. Most of this fell within a 90 minute period during the evening hours. The heaviest rain occurred from Eureka to El Paso and locations to the south. Most county highways were impassable in the southern half of the county." +116439,709981,ILLINOIS,2017,June,Flood,"WOODFORD",2017-06-17 22:45:00,CST-6,2017-06-18 05:30:00,0,0,0,0,0.00K,0,0.00K,0,40.9229,-89.4711,40.748,-89.555,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 3.00 to 5.00 inches was reported across most of Woodford County. Most of this fell within a 90 minute period during the evening hours. The heaviest rain occurred from Eureka to El Paso and locations to the south. Most county highways were impassable in the southern half of the county. Additional rainfall during the late evening and overnight hours kept many roads flooded. The flooding subsided around daybreak on June 18th." +116465,700449,MISSOURI,2017,June,Flood,"CAPE GIRARDEAU",2017-06-01 00:00:00,CST-6,2017-06-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2533,-89.5324,37.2856,-89.531,"The Mississippi River fell back within its banks after major flooding in May.","Minor flooding of the Mississippi River in early June inundated low-lying fields. The river crested in early May, causing major flooding at that time." +115877,696361,NEW MEXICO,2017,June,Hail,"BERNALILLO",2017-06-24 18:40:00,MST-7,2017-06-24 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,35.15,-106.29,35.15,-106.29,"The back door cold front that provided relief to the brutal heatwave across eastern New Mexico on the 23rd surged west through gaps in the central mountain chain on the 24th. The upper level high pressure system to the west of New Mexico loosened it's grip over the region and slightly better coverage of showers and thunderstorms over central and southern New Mexico. A cluster of thunderstorms developed over the Jemez Mountains and moved southeast across the Sandia Mountains. These storms produced quarter to half dollar size hail near Sedillo and Sandia Park. A larger cluster of storms that developed over southern New Mexico forced a large scale outflow boundary north into Soccoro County. Wind gusts near 60 mph were reported at a couple sites on White Sands Missile Range. This outflow boundary continued advancing northward and produced blowing dust all the way north into the Albuquerque Metro Area.","Hail up to the size of half dollars. Hail produced damage to fiberglass paneling of a barn." +115431,699076,WISCONSIN,2017,June,Hail,"CHIPPEWA",2017-06-11 09:20:00,CST-6,2017-06-11 09:20:00,0,0,0,0,0.00K,0,0.00K,0,45.14,-91.49,45.14,-91.49,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115431,699077,WISCONSIN,2017,June,Hail,"ST. CROIX",2017-06-11 08:22:00,CST-6,2017-06-11 08:22:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-92.64,45.16,-92.64,"A mesoscale convective system developed overnight in South Dakota and traversed across Central Minnesota. The system continued into West Central Wisconsin, producing severe wind and hail. ||The combination of large hail, strong winds and torrential rainfall, caused some crop damage, especially in Polk County where damage was extensive to their soybean crop.||A report stated that in St. Croix County in the village of North Hudson, there were sustained damages from straight line winds. Due to the damages, the village signed an emergency declaration for clean up. Six homes were evacuated due to a gas leak. There were other reports of minor or major damage to homes and businesses due to fallen trees, but no injuries were reported. | |A report indicated that in Chippewa County, hail was large enough in the Town of Auburn (near Bloomer) that it damaged a couple homes. One county road was blocked due to downed trees.","" +115874,696355,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-23 14:32:00,MST-7,2017-06-23 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.5804,-105.3942,35.5804,-105.3942,"A back door cold front that brought an end to the blazing heatwave across northeastern New Mexico provided enough moisture for a few showers and thunderstorms along the east slopes of the Sangre de Cristo Mountains. A particularly strong thunderstorm developed over far western San Miguel County and moved southeast toward Interstate 25 during the mid afternoon hours. This storm intensified near San Geronimo and Mineral Hill and produced up to golf ball size hail.","Hail up to the size of half dollars reported near San Geronimo." +116152,701329,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:27:00,EST-5,2017-06-13 16:27:00,0,0,0,0,4.00K,4000,0.00K,0,42.391,-71.0961,42.391,-71.0961,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 427 PM EST, a member of the public reported several trees uprooted in the Winter Hill section of Somerville." +116152,701331,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:28:00,EST-5,2017-06-13 16:28:00,0,0,0,0,1.50K,1500,0.00K,0,42.3946,-71.0946,42.3946,-71.0946,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 428 PM EST, a tree and wires were reported down on Heath Street in Somerville." +116152,701332,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:29:00,EST-5,2017-06-13 16:29:00,0,0,0,0,1.50K,1500,0.00K,0,42.3992,-71.1038,42.3992,-71.1038,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 429 PM EST, a tree and wires were downed on Bow Street in Medford." +116152,701333,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:30:00,EST-5,2017-06-13 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,42.3626,-71.1048,42.3626,-71.1048,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 430 PM EST, a tree and wires were brought down on a car on Pearl Street in Cambridge." +116152,701334,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:30:00,EST-5,2017-06-13 16:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.3811,-71.1076,42.3811,-71.1076,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 430 PM EST, a tree was brought down on Park Street in Somerville." +116152,701335,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:30:00,EST-5,2017-06-13 16:30:00,0,0,0,0,6.00K,6000,0.00K,0,42.4226,-71.1104,42.4226,-71.1104,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 430 PM EST, trees and wires were reported down on Governors Road in Medford." +115742,697060,KENTUCKY,2017,June,Flood,"CARTER",2017-06-24 02:00:00,EST-5,2017-06-24 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,38.4737,-83.1342,38.3133,-83.2262,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Following flash flooding earlier in the day, multiple waterways remained out of their banks into the afternoon. This included Tygarts Creek in Olive Hill and the Little Sandy River around Grayson. Many roads remained closed due to high water. Several homes remained surrounded by water." +115744,695682,WEST VIRGINIA,2017,June,Thunderstorm Wind,"WYOMING",2017-06-23 19:53:00,EST-5,2017-06-23 19:53:00,0,0,0,0,0.50K,500,0.00K,0,37.53,-81.6,37.53,-81.6,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","A tree was blown down across Hemlock Road." +117453,706385,IOWA,2017,June,Funnel Cloud,"UNION",2017-06-28 16:36:00,CST-6,2017-06-28 16:36:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-94.06,41.13,-94.06,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported a funnel cloud." +112798,673870,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-01-23 00:32:00,EST-5,2017-01-23 00:32:00,0,0,0,0,,NaN,,NaN,25.93,-81.73,25.93,-81.73,"A pre-frontal squall line with severe thunderstorms caused gusty winds over the Gulf of Mexico in the early morning hours.","A thunderstorm wind gust of 56 MPH / 49 kts was reported by Weather Bug mesonet site located at Marco Island Marriott Beach resort at 1232 AM EST. The instrument is on top of the building over 100 feet above ground level." +112799,673871,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-01-23 00:30:00,EST-5,2017-01-23 00:30:00,0,0,0,0,,NaN,,NaN,26.96,-80.94,26.96,-80.94,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A marine thunderstorm wind gust of 56 mph / 49 knots was measured at the SFWMD site L005 measured over Lake Okeechobee at 1230 AM EST." +112799,673872,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-01-23 01:06:00,EST-5,2017-01-23 01:06:00,0,0,0,0,,NaN,,NaN,26.61,-80.04,26.61,-80.04,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A marine thunderstorm wind gust of 43 mph / 37 knots was reported by the C-MAN station LKWF1 at Lake Worth Pier at 106 am EST." +119671,717815,NEW MEXICO,2017,September,Flash Flood,"SANDOVAL",2017-09-28 19:00:00,MST-7,2017-09-28 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,35.256,-106.7042,35.2546,-106.705,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Four homes flooded along Arlene Road in Rio Rancho from nearby Lisbon Channel arroyo." +119594,717509,MINNESOTA,2017,August,Funnel Cloud,"HENNEPIN",2017-08-06 15:53:00,CST-6,2017-08-06 15:53:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-93.52,45.04,-93.52,"During the afternoon of Sunday, August 6th, scattered showers developed across most of Minnesota, and into western Wisconsin. A few storms also developed and led to several outflow boundaries, and caused funnel clouds to form along the interaction of these boundaries. No touchdowns occurred during this event.","A funnel cloud was reported near Hamel, or just north of Minnesota Highway 55 and Medina." +119594,717510,MINNESOTA,2017,August,Hail,"DOUGLAS",2017-08-06 15:05:00,CST-6,2017-08-06 15:05:00,0,0,0,0,0.00K,0,0.00K,0,45.87,-95.39,45.87,-95.39,"During the afternoon of Sunday, August 6th, scattered showers developed across most of Minnesota, and into western Wisconsin. A few storms also developed and led to several outflow boundaries, and caused funnel clouds to form along the interaction of these boundaries. No touchdowns occurred during this event.","" +117191,704876,MINNESOTA,2017,August,Hail,"LE SUEUR",2017-08-01 14:55:00,CST-6,2017-08-01 14:55:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-93.54,44.49,-93.54,"Thunderstorms developed Tuesday afternoon, August 1st, along a weak cold front in southern Minnesota. These storms were pulse type and limited the areal coverage of the severe weather. One storm that developed in Scott County, moved southeast and dropped golf ball size hail near New Prague. Another storm produced a downburst and caused several trees to blow down in Owatonna.","" +117444,706314,TEXAS,2017,June,Thunderstorm Wind,"NOLAN",2017-06-23 16:59:00,CST-6,2017-06-23 16:59:00,0,0,0,0,0.00K,0,0.00K,0,32.4928,-100.1533,32.4928,-100.1533,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","Nolan County Sheriff's Office reported an 18 wheeler overturned on I-20. Several other drivers who witnessed the accident, said it resulted from strong thunderstorm wind gusts." +114222,685772,MISSOURI,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-06 20:23:00,CST-6,2017-03-06 20:26:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-93.01,40.48,-93.01,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Unionville dispatch relayed reports of 70 mph winds near Unionville." +116548,700851,WYOMING,2017,June,Flood,"FREMONT",2017-06-07 16:00:00,MST-7,2017-06-20 13:00:00,0,0,0,0,0.00K,0,0.00K,0,43.2262,-108.8948,43.2101,-108.8924,"The combination of a very wet and snowy winter and a rather cool and wet spring set the stage for a prolonged period of flooding along the Wind River. The weather warmed in June and snow melt began, raising the river above flood stage beginning around June 3rd and continuing through the 24th. The crest of 12.1 feet broke the record of 11.8 feet set back in 2011. High water forced the closure of Highway 26 between Kinnear and Crowhart on two seperate occasions for a few days, forcing travelers into a long detour. In addition, the flood waters heavily damaged the irrigation canal near Riverton. The canal was shut down for over two weeks, resulting in a loss of irrigation water for many farmers downstream. Some subdivisions near the damage were put on standby for evacuation due to possible failure. Many other lowlands near the River had flooding for many days, some surrounding homes.","Flood water from the Wind River and flowed across US 26 just to the west of Morton. The water covered the road to a depth of over a foot at times. This resulted in two different closures of the road, the longest of which lasted almost four days, stretching from afternoon of June 7th until around noon on June 11th." +116066,697583,WYOMING,2017,June,Hail,"NATRONA",2017-06-05 18:20:00,MST-7,2017-06-05 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.8589,-106.2335,42.8589,-106.2335,"A cold front swept across Wyoming on the afternoon and evening of June 5th. With some additional upper level support from a vorticity maximum, thunderstorms developed across central Wyoming. A couple of these storms become severe. Quarter size hail was reported near Evansville. In addition, very heavy rain fell with some of these storms and caused localized flash flooding along Webb Creek Road when Webb Creek overflowed it's banks.","A trained spotter reported nickel to quarter size hail, two miles east-southeast of Evansville." +116066,697584,WYOMING,2017,June,Flash Flood,"NATRONA",2017-06-05 19:30:00,MST-7,2017-06-05 20:30:00,0,0,0,0,0.00K,0,0.00K,0,42.798,-106.4375,42.7979,-106.438,"A cold front swept across Wyoming on the afternoon and evening of June 5th. With some additional upper level support from a vorticity maximum, thunderstorms developed across central Wyoming. A couple of these storms become severe. Quarter size hail was reported near Evansville. In addition, very heavy rain fell with some of these storms and caused localized flash flooding along Webb Creek Road when Webb Creek overflowed it's banks.","The Natrona County emergency manager reported heavy thunderstorm rain, causing Webb Creek to overflow on Webb Creek Road on the evening of June 5th." +116278,699175,WYOMING,2017,June,Lightning,"PARK",2017-06-27 13:12:00,MST-7,2017-06-27 13:12:00,0,0,0,0,10.00K,10000,0.00K,0,44.46,-110.83,44.46,-110.83,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","The Park Service reported two cars were damaged by a lightning strike in the Old Faithful Parking Lot. No injuries were reported." +121258,725885,MONTANA,2017,December,High Wind,"TOOLE",2017-12-12 10:00:00,MST-7,2017-12-12 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds just above the surface combined with daytime heating-related mixing of the low-level atmosphere to generate strong, gusty surface winds across portions of North-Central MT.","MT DOT sensor at Sunburst recorded sustained winds of 43 mph from 10 AM to 1 PM MST." +121258,725886,MONTANA,2017,December,High Wind,"EASTERN GLACIER",2017-12-12 10:57:00,MST-7,2017-12-12 10:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds just above the surface combined with daytime heating-related mixing of the low-level atmosphere to generate strong, gusty surface winds across portions of North-Central MT.","Cut Bank Airport ASOS recorded 63 mph peak gust." +122120,731033,KANSAS,2017,December,Winter Weather,"THOMAS",2017-12-21 08:00:00,CST-6,2017-12-21 08:00:00,0,1,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"During the day freezing drizzle moved through, coating surfaces with a few hundredths of an inch of ice. The icy roads lead to numerous slide offs, rollovers, and accidents. There were two injury accidents, one in Sherman County and one in Thomas County.","An injury accident occurred at MM 62 near Mingo on I-70. Two vehicles were involved in the accident, with one of them rolling over. Only one person was injured." +121258,725887,MONTANA,2017,December,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-12-12 09:38:00,MST-7,2017-12-12 09:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds just above the surface combined with daytime heating-related mixing of the low-level atmosphere to generate strong, gusty surface winds across portions of North-Central MT.","MT DOT sensor recorded 60 mph peak gust 2 miles SE of Browning." +121262,726198,MONTANA,2017,December,Winter Storm,"SOUTHERN LEWIS AND CLARK",2017-12-29 07:10:00,MST-7,2017-12-29 07:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along MT-200 near Lincoln." +116928,703242,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:40:00,CST-6,2017-06-16 17:40:00,0,0,0,0,15.00K,15000,1.20M,1200000,44.39,-91.38,44.39,-91.38,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Golfball sized hail was reported southeast of Elk Creek. The hail damaged vehicles and crops." +116928,703272,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:22:00,CST-6,2017-06-16 17:22:00,0,0,0,0,0.00K,0,612.00K,612000,44.31,-91.46,44.31,-91.46,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Golfball sized hail was reported between Arcadia and Independence." +121262,726197,MONTANA,2017,December,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-12-29 02:20:00,MST-7,2017-12-29 02:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along US-2 from Marias Pass to East Glacier." +117530,706876,ARIZONA,2017,June,Wildfire,"WESTERN MOGOLLON RIM",2017-06-01 14:02:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Boundary Fire was started by lightning near the boundary of the Coconino National Forest and the Kaibab National Forest on the northeast side of Kendrick Peak in Kendrick Mountain Wilderness. The Pumpkin Fire (2000) was in this same area which left significant dead and down trees and forest debris. Snags (standing dead trees), steep slopes and overall hazardous terrain led fire officials to use a much safer indirect approach to fight this fire. They let the fire burn to a system of roads at the base of the mountain.","The Boundary Fire burned through 17,788 acres in the Kendrick Mountain Wilderness. This was a lightning caused fire. An indirect suppression strategy was implemented due to the significant safety concerns of putting fire personnel in certain areas on the mountain. Structures near the top of the mountain (including a fire lookout tower and an historic cabin) were successfully saved. The fire burned through timber and litter in understory, short grass, and heavy logging slash. There was also heavy down and dead debris from Pumpkin Fire in 2000." +117539,706907,ARIZONA,2017,June,Wildfire,"YAVAPAI COUNTY MOUNTAINS",2017-06-24 16:00:00,MST-7,2017-06-24 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Goodwin Fire burned just over 28,500 acres in the Bradshaw Mountains between Prescott and Mayer. The vegetation was predominantly dense chaparral and ponderosa pine stands in the drainages. Significant flooding occurred in and below the fire scare during the rainy season just a few days after the fire was contained.","The Goodwin Fire started in the Yavapai County Mountains (Fire Weather Zone above 5000 feet) and around 25,700 total acres burned by the end of June. By July 10, the fire burned around 28,500 total acres. Approximately 16,000 total acres burned above 5000 feet with the rest burning in the Yavapai Valleys and Basins Fire Weather Zone." +117475,706507,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-30 16:30:00,EST-5,2017-06-30 16:30:00,0,0,0,0,,NaN,,NaN,41.81,-73.08,41.81,-73.08,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which caused damage to trees and power lines.","There were multiple reports of trees and wires down on the east side of Torrington due to thunderstorm winds." +117475,706509,CONNECTICUT,2017,June,Thunderstorm Wind,"LITCHFIELD",2017-06-30 16:35:00,EST-5,2017-06-30 16:35:00,0,0,0,0,,NaN,,NaN,41.92,-73.09,41.92,-73.09,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, which caused damage to trees and power lines.","There were multiple reports of wires down in the town of Winsted due to thunderstorm winds." +117576,707139,TEXAS,2017,June,Tropical Storm,"BRAZORIA",2017-06-21 11:00:00,CST-6,2017-06-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy made landfall in southwestern Louisiana between Port Arthur, TX and Cameron, LA in the early morning hours of June 22nd. Cindy's main impact was minor coastal flooding around Galveston Island and especially the Bolivar Peninsula. Storm total rainfall ranged from around one quarter inch at Houston Intercontinental Airport to 4.33 inches on the Bolivar Peninsula with the highest amounts generally across Chambers, Galveston and Liberty counties as well as the Bolivar Peninsula. The highest sustained wind of 37 knots (43 mph) was recorded at WeatherFlow site KCRB on the Bolivar Peninsula and the peak gust of 45 knots (52 mph) was recorded at Rollover Pass on the Bolivar Peninsula. The lowest sea-level pressure was 999 mb at Galveston Scholes Field. Minor coastal flooding was the tropical storm's main impact. Despite predominant offshore winds, long period swells and associated wave run up led to a rise in water levels along Gulf facing beaches. In addition, a persistent northerly wind component lead to a pile up of water on north facing Bay side beaches. Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact. Minor coastal flooding was also experienced around Surfside and Blue Water Highway in Brazoria County.","There was minor coastal flooding around Surfside and Blue Water Highway with minimal impact." +121262,726204,MONTANA,2017,December,Winter Storm,"JEFFERSON",2017-12-29 11:25:00,MST-7,2017-12-29 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along I-15 from Clancy to Montana City." +121478,727198,MONTANA,2017,December,Extreme Cold/Wind Chill,"TOOLE",2017-12-26 09:50:00,MST-7,2017-12-26 09:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic ridge of high pressure advanced southeastward from Alberta and Saskatchewan into Central and Eastern Montana. This allowed skies to clear on Christmas night into the morning of December 26th. These clearing skies and light winds allowed significant nocturnal cooling to occur. In addition, a few extreme wind chills were realized in North-Central Montana on the 26th.","MT DOT station in Sweet Grass recorded a wind chill of -44F with sustained wind of 17 mph." +121395,726665,CALIFORNIA,2017,December,Dense Fog,"NORTHERN HUMBOLDT COAST",2017-12-31 23:23:00,PST-8,2017-12-31 23:23:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dense fog on December 31st reduced visibility for drivers in Humboldt County. The reduction in visibility resulted in an indirect fatality when a car struck a pedestrian near Eureka, CA.","Dense fog on December 31st reduced visibility for drivers in Humboldt County. The reduction in visibility resulted in an indirect fatality when a car struck a pedestrian near Eureka, CA." +117453,706386,IOWA,2017,June,Hail,"MARSHALL",2017-06-28 16:45:00,CST-6,2017-06-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-92.92,42.05,-92.92,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported nickel sized hail." +119057,716735,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:23:00,CST-6,2017-07-22 21:26:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-94.6,39.07,-94.6,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","A trained spotter reported a 60 mph wind gust." +119057,716737,MISSOURI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 21:27:00,CST-6,2017-07-22 21:30:00,0,0,0,0,,NaN,,NaN,39.09,-94.42,39.09,-94.42,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Large tree limbs fell on cars after 60-70 mph winds went through the area." +119057,716738,MISSOURI,2017,July,Thunderstorm Wind,"CLAY",2017-07-22 21:50:00,CST-6,2017-07-22 21:53:00,0,0,0,0,,NaN,,NaN,39.25,-94.42,39.25,-94.42,"A significant severe weather event impacted the greater Kansas City Metro on the evening of Saturday July 22nd. This corridor or strong winds then pushed eastward across southern portions of the Metro, before continuing all the way east through the remainder of the Pleasant Hill forecast area. Wind gusts of 70 mph were commonly reported as this activity pushed eastward into western and central Missouri. Around the Kansas City Metro area many large trees blown down causing damage to houses and property, blocking intersections, and taking down power lines. Storms caused over 100,000 people to be without power in the wake of Saturday night's storms. For more information about this event, visit the website dedicated to the event by NWS Pleasant Hill: https://www.weather.gov/eax/jul222017 .","Winds of 70 to 80 mph went through Liberty and did some minor, superficial structural damage to a few residences." +117444,706315,TEXAS,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-23 17:10:00,CST-6,2017-06-23 17:10:00,0,0,0,0,0.00K,0,0.00K,0,32.5,-100.14,32.5,-100.14,"Afternoon highs reached well above 100 degrees across a large part of West Central Texas. San Angelo measured the highest temperature at 109 degrees. A cold front moving south across the region triggered thunderstorms across a large part of West Central Texas. Several of these storms produced damaging thunderstorm winds that resulted in damage. The City of San Angelo was hardest hit. This information is contained in its own separate episode. As a line of damaging thunderstorms winds formed northwest of Grape Creek, this line continued to move south and resulted in wind damage across Grape Creek, San Angelo, Eldorado and Ozona.","The Nolan County Sheriff's Office reported wind gusts of 60 mph along I-20 near Trent." +115569,706338,MINNESOTA,2017,June,Tornado,"STEVENS",2017-06-13 17:45:00,CST-6,2017-06-13 17:47:00,0,0,0,0,0.00K,0,0.00K,0,45.4433,-95.8244,45.4651,-95.8171,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Multiple videos showed a tornado moving across some fields." +115569,706340,MINNESOTA,2017,June,Tornado,"STEVENS",2017-06-13 17:56:00,CST-6,2017-06-13 18:04:00,0,0,0,0,0.00K,0,0.00K,0,45.5672,-95.7975,45.6079,-95.7785,"A sunrise thunderstorm near Morris, Minnesota produced nickel size hail as a few storms moved across the area. ||During the afternoon of Tuesday, June 13th, a Supercell type storm developed near Montevideo in west central Minnesota, and moved north. It produced two tornadoes near Morris. Several other reports of downed trees were noted in Douglas County as the tornado dissipated but straight line winds developed from the outflow. Later that evening, a line of thunderstorms moved from eastern South Dakota, into west central Minnesota, and eventually across southern Minnesota, and into west central Wisconsin. Although most of the reports were sub-severe with some damage near Bellingham, or in far western Lac Qui Parle County, this line redeveloped west of the Twin Cities. As the storm intensified, it produced several severe wind gusts that caused trees and power lines to blow down around the Twin Cities metro area. A few more significant damage reports came from central Scott, and central Dakota counties where a shed was blown down, and some structural damage near Farmington, and Vermillion.","Multiple videos from storm chasers and others showed this tornado mostly moved along the eastern shore of Long Lake, east of Morris. Occasional tree damage occurred on the eastern shore, where over 100 trees, including some oaks, were broken or uprooted. More trees were felled on the northeast end of Long Lake. An electrical substation just northeast of Long Lake was damaged shortly before the tornado dissipated. Two barn doors were blown off and some shingles were removed from a house." +117802,708166,NORTH DAKOTA,2017,June,Hail,"MORTON",2017-06-27 20:23:00,CST-6,2017-06-27 20:26:00,0,0,0,0,0.00K,0,0.00K,0,46.77,-100.84,46.77,-100.84,"A short wave trough moved from northwest South Dakota into south central North Dakota where elevated instability and shear were noted, producing isolated severe thunderstorms. Golf ball sized hail was the largest reported, and occurred just south of Mandan in Morton County. The strongest thunderstorm wind gusts of 58 mph were reported in both Morton and Burleigh counties.","" +117802,708167,NORTH DAKOTA,2017,June,Hail,"BURLEIGH",2017-06-27 20:32:00,CST-6,2017-06-27 20:34:00,0,0,0,0,0.00K,0,0.00K,0,46.77,-100.7,46.77,-100.7,"A short wave trough moved from northwest South Dakota into south central North Dakota where elevated instability and shear were noted, producing isolated severe thunderstorms. Golf ball sized hail was the largest reported, and occurred just south of Mandan in Morton County. The strongest thunderstorm wind gusts of 58 mph were reported in both Morton and Burleigh counties.","" +117802,708168,NORTH DAKOTA,2017,June,Hail,"BURLEIGH",2017-06-27 20:40:00,CST-6,2017-06-27 20:42:00,0,0,0,0,0.00K,0,0.00K,0,46.71,-100.62,46.71,-100.62,"A short wave trough moved from northwest South Dakota into south central North Dakota where elevated instability and shear were noted, producing isolated severe thunderstorms. Golf ball sized hail was the largest reported, and occurred just south of Mandan in Morton County. The strongest thunderstorm wind gusts of 58 mph were reported in both Morton and Burleigh counties.","" +115500,693520,NORTH DAKOTA,2017,June,Hail,"LOGAN",2017-06-13 17:20:00,CST-6,2017-06-13 17:22:00,0,0,0,0,0.00K,0,0.00K,0,46.38,-99.87,46.38,-99.87,"A strong low pressure system moving through the region resulted in thunderstorms developing in the late afternoon and early evening over portions of south central North Dakota into the James River Valley. One storm became severe over Logan County, with one-inch diameter hail. Later that night additional thunderstorms developed over western North Dakota as the low gradually lifted north, with sub-severe hail reported.","" +115500,693521,NORTH DAKOTA,2017,June,Hail,"MCKENZIE",2017-06-13 23:22:00,MST-7,2017-06-13 23:24:00,0,0,0,0,0.00K,0,0.00K,0,47.8,-103.27,47.8,-103.27,"A strong low pressure system moving through the region resulted in thunderstorms developing in the late afternoon and early evening over portions of south central North Dakota into the James River Valley. One storm became severe over Logan County, with one-inch diameter hail. Later that night additional thunderstorms developed over western North Dakota as the low gradually lifted north, with sub-severe hail reported.","" +115500,693522,NORTH DAKOTA,2017,June,Hail,"BILLINGS",2017-06-13 21:15:00,MST-7,2017-06-13 21:17:00,0,0,0,0,0.00K,0,0.00K,0,47.21,-103.23,47.21,-103.23,"A strong low pressure system moving through the region resulted in thunderstorms developing in the late afternoon and early evening over portions of south central North Dakota into the James River Valley. One storm became severe over Logan County, with one-inch diameter hail. Later that night additional thunderstorms developed over western North Dakota as the low gradually lifted north, with sub-severe hail reported.","" +117324,705630,KANSAS,2017,June,Flood,"GOVE",2017-06-20 16:29:00,CST-6,2017-06-20 16:40:00,0,0,0,0,10.00K,10000,0.00K,0,39.1119,-100.5173,39.1119,-100.5165,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","Intense, heavy rainfall caused many drivers to hydroplane and a semi with trailer to rollover at mile marker 91 on I-70, two miles west of Grainfield." +117324,705631,KANSAS,2017,June,Hail,"GOVE",2017-06-20 14:50:00,CST-6,2017-06-20 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.0854,-100.3529,39.0854,-100.3529,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705633,KANSAS,2017,June,Hail,"GOVE",2017-06-20 14:45:00,CST-6,2017-06-20 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.104,-100.3704,39.104,-100.3704,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705634,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 14:54:00,CST-6,2017-06-20 14:54:00,0,0,0,0,0.00K,0,0.00K,0,39.3526,-100.3352,39.3526,-100.3352,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705635,KANSAS,2017,June,Hail,"GRAHAM",2017-06-20 15:00:00,CST-6,2017-06-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1885,-100.0876,39.1885,-100.0876,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705636,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 15:00:00,CST-6,2017-06-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.276,-100.3241,39.276,-100.3241,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","The time of the report was estimated by radar. Difficult to be sure of time due to many storms around location of report." +117613,707991,TEXAS,2017,June,Hail,"DONLEY",2017-06-13 17:25:00,CST-6,2017-06-13 17:25:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-100.58,34.81,-100.58,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707992,TEXAS,2017,June,Hail,"HEMPHILL",2017-06-13 17:41:00,CST-6,2017-06-13 17:41:00,0,0,0,0,0.00K,0,0.00K,0,36.05,-100.03,36.05,-100.03,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707993,TEXAS,2017,June,Hail,"LIPSCOMB",2017-06-13 17:46:00,CST-6,2017-06-13 17:46:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-100.03,36.12,-100.03,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707994,TEXAS,2017,June,Hail,"COLLINGSWORTH",2017-06-13 18:00:00,CST-6,2017-06-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-100.21,34.84,-100.21,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117613,707995,TEXAS,2017,June,Hail,"WHEELER",2017-06-13 19:43:00,CST-6,2017-06-13 19:43:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-100.44,35.53,-100.44,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +116701,703196,VIRGINIA,2017,June,Hail,"ROANOKE",2017-06-13 13:45:00,EST-5,2017-06-13 13:45:00,0,0,0,0,,NaN,,NaN,37.22,-79.96,37.22,-79.96,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +116701,703167,VIRGINIA,2017,June,Hail,"ROANOKE",2017-06-13 13:48:00,EST-5,2017-06-13 13:48:00,0,0,0,0,,NaN,,NaN,37.24,-79.92,37.24,-79.92,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +116701,703173,VIRGINIA,2017,June,Hail,"BOTETOURT",2017-06-13 13:50:00,EST-5,2017-06-13 13:50:00,0,0,0,0,,NaN,,NaN,37.69,-79.81,37.69,-79.81,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +116702,703212,NORTH CAROLINA,2017,June,Thunderstorm Wind,"STOKES",2017-06-13 14:30:00,EST-5,2017-06-13 14:30:00,0,0,0,0,5.00K,5000,,NaN,36.28,-80.36,36.28,-80.36,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused trees to fall down in the city of King." +116702,703216,NORTH CAROLINA,2017,June,Thunderstorm Wind,"YADKIN",2017-06-13 14:09:00,EST-5,2017-06-13 14:10:00,0,0,0,0,1.00K,1000,,NaN,36.19,-80.87,36.19,-80.87,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused a couple of trees to fall down south of Elkin." +116702,703213,NORTH CAROLINA,2017,June,Thunderstorm Wind,"STOKES",2017-06-13 14:30:00,EST-5,2017-06-13 14:30:00,0,0,0,0,2.50K,2500,,NaN,36.4,-80.2,36.4,-80.2,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused several trees to fall down. Dime size hail was also reported near the hospital with this storm." +117999,709377,PUERTO RICO,2017,June,Flood,"TRUJILLO ALTO",2017-06-10 12:58:00,AST-4,2017-06-10 16:45:00,0,0,0,0,0.00K,0,0.00K,0,18.371,-66.0178,18.3717,-66.0169,"An upper-level low/TUTT over the northeast Carribbean combined with low to mid-level moisture to produce locally and diurnally induced shower activity across the region. With an east southeast flow, a line of showers developed downstream from El Yunque and affected the San Juan metro area during the late morning and afternoon hours.","Urban flooding was reported at PR Road 181 near Plaza Trujillo." +118017,709442,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 15:05:00,EST-5,2017-06-27 15:05:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-72.79,41.68,-72.79,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 305 PM EST, penny size hail fell on New Britain." +118017,709447,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 17:15:00,EST-5,2017-06-27 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-72.75,41.77,-72.75,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 515 PM EST, nickel size hail fell on West Hartford." +118017,709448,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 17:21:00,EST-5,2017-06-27 17:21:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-72.79,41.68,-72.79,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 521 PM EST, penny size hail fell on Corbin Avenue and West Main Street in New Britain." +118017,709449,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 17:22:00,EST-5,2017-06-27 17:22:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-72.79,41.68,-72.79,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 522 PM EST, nickel size hail fell on the southeast part of New Britain." +118017,709450,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 17:44:00,EST-5,2017-06-27 17:44:00,0,0,0,0,0.00K,0,0.00K,0,41.779,-72.586,41.779,-72.586,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 544 PM EST, dime to nickel size hail fell in East Hartford near the Manchester city line." +118017,709451,CONNECTICUT,2017,June,Hail,"HARTFORD",2017-06-27 17:45:00,EST-5,2017-06-27 17:45:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-72.52,41.78,-72.52,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 545 PM EST, penny size hail fell on Manchester." +118021,709492,ARIZONA,2017,June,Excessive Heat,"TOHONO O ODHAM NATION",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperatures during the period was 115 degrees at Sells." +118021,709495,ARIZONA,2017,June,Excessive Heat,"TUCSON METRO AREA",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The Tucson International Airport reached 115 degrees on three consecutive days for the first time ever and recorded the 2nd warmest reading on record of 116 degrees on the 20th. The low temperature of 87 on the 20th was the warmest on record for June. Dozens of heat-related illnesses were reported in the Tucson Metro, but no fatalities were reported." +118021,709500,ARIZONA,2017,June,Excessive Heat,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-06-19 15:00:00,MST-7,2017-06-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperatures recorded during the period were 112 at Willcox and 109 at Bisbee Douglas Airport." +118021,709493,ARIZONA,2017,June,Excessive Heat,"UPPER SANTA CRUZ RIVER AND ALTAR VALLEYS",2017-06-18 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperatures during the period were 112 degrees at Sasabe and Nogales Airport." +114396,686098,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:43:00,CST-6,2017-03-06 19:44:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-94.85,38.94,-94.85,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +115619,694546,MICHIGAN,2017,April,Winter Storm,"MARQUETTE",2017-04-11 02:00:00,EST-5,2017-04-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance and wave of low pressure moving through the Central Great Lakes produced a wintry mix of moderate to heavy snow, sleet and freezing rain across much of Upper Michigan from the 10th into the 11th.","Observers and spotters measured a widespread five to nine inches of wet, heavy snow over a six-hour period on the morning of the 11th. The highest totals of ten inches were reported from near Ishpeming to Negaunee. The wet, heavy snow made for treacherous travel on the 11th as many Marquette County schools closed for the day, including Northern Michigan University." +114222,685741,MISSOURI,2017,March,Thunderstorm Wind,"CLAY",2017-03-06 19:55:00,CST-6,2017-03-06 19:58:00,0,0,0,0,,NaN,,NaN,39.33,-94.31,39.33,-94.31,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","AWOS station KGPH recorded a 59 knot (68 mph) wind gust as a line of thunderstorms moved through that area." +118093,709748,VIRGINIA,2017,June,Thunderstorm Wind,"HENRICO",2017-06-19 16:45:00,EST-5,2017-06-19 16:45:00,0,0,0,0,0.00K,0,3.00K,3000,37.63,-77.56,37.63,-77.56,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Minor damage to crops and vegetation." +117338,705779,INDIANA,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-13 10:55:00,EST-5,2017-06-13 10:55:00,0,0,0,0,20.00K,20000,,NaN,39.5475,-86.2058,39.5475,-86.2058,"On the 13th, scattered thunderstorms developed across central Indiana during the late morning. These storms produced some structure and tree damage in Johnson County and large hail in Boone County.","A barn was damaged and several trees were downed along Whiteland Road due to damaging thunderstorm wind gusts. A likely microburst was reported by BAM WX." +117338,705782,INDIANA,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-13 10:55:00,EST-5,2017-06-13 10:55:00,0,0,0,0,0.75K,750,,NaN,39.56,-86.1,39.56,-86.1,"On the 13th, scattered thunderstorms developed across central Indiana during the late morning. These storms produced some structure and tree damage in Johnson County and large hail in Boone County.","A home sustained minor shingle damage due to strong thunderstorm wind gusts." +117338,705783,INDIANA,2017,June,Hail,"MADISON",2017-06-13 11:00:00,EST-5,2017-06-13 11:02:00,0,0,0,0,,NaN,,NaN,40.1,-85.67,40.1,-85.67,"On the 13th, scattered thunderstorms developed across central Indiana during the late morning. These storms produced some structure and tree damage in Johnson County and large hail in Boone County.","" +117338,705784,INDIANA,2017,June,Hail,"BOONE",2017-06-13 12:47:00,EST-5,2017-06-13 12:49:00,0,0,0,0,,NaN,0.00K,0,39.951,-86.2604,39.951,-86.2604,"On the 13th, scattered thunderstorms developed across central Indiana during the late morning. These storms produced some structure and tree damage in Johnson County and large hail in Boone County.","Quarter-sized hail reported at the Zionsville Town Hall." +117884,708453,INDIANA,2017,June,Thunderstorm Wind,"HENDRICKS",2017-06-14 18:00:00,EST-5,2017-06-14 18:00:00,0,0,0,0,17.00K,17000,0.00K,0,39.7492,-86.4163,39.7492,-86.4163,"A thunderstorm developed over the west side of Indianapolis during the evening of the 14th of June. As this storm grew, it developed a gustnado that impacted some baseball and softball fields in the town of Avon.||A gustnado is a small, usually weak whirlwind, which forms as an eddy in thunderstorm outflows. They do not connect with any cloud-base rotation and are not tornadoes.","Storms Wednesday led to some major damage in Hendricks County, toppling the batting cages at baseball fields managed by the Avon Junior Athletic Association.||Poles were ripped up from the ground and left in a pile. Nets for the batting cages were strewn about.||The storm came quickly Wednesday night and was gone just as suddenly. Video provided to FOX59 showed strong winds churning up what appeared to be a gustnado, according to the National Weather Service." +116435,700253,ILLINOIS,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-14 13:18:00,CST-6,2017-06-14 13:23:00,0,0,0,0,20.00K,20000,0.00K,0,40.01,-90.51,40.01,-90.51,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous tree branches up to 15 inches in diameter were snapped off." +117352,706227,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:40:00,CST-6,2017-07-06 19:40:00,0,0,0,0,0.00K,0,149.00K,149000,43.84,-91.12,43.84,-91.12,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Ping pong ball size hail was reported in Barre Mills." +115587,694227,TENNESSEE,2017,May,Thunderstorm Wind,"FENTRESS",2017-05-27 19:42:00,CST-6,2017-05-27 19:42:00,0,0,0,0,5.00K,5000,0.00K,0,36.18,-85.02,36.18,-85.02,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several trees and power lines were blown down across Fentress County." +117859,708356,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-12 17:18:00,CST-6,2017-07-12 17:18:00,0,0,0,0,3.00K,3000,0.00K,0,43.64,-90.73,43.64,-90.73,"Thunderstorms developed over western Wisconsin during the late afternoon and early evening of July 12th. These storms blew down trees and dropped ping pong ball sized hail northwest of La Farge (Vernon County), produced golf ball sized hail in Cutler (Juneau County) and blew down trees west of Brooks (Adams County).","A half dozen trees were blown down northwest of La Farge." +115942,696888,NORTH DAKOTA,2017,June,Thunderstorm Wind,"STEELE",2017-06-09 21:10:00,CST-6,2017-06-09 21:10:00,0,0,0,0,40.00K,40000,,NaN,47.28,-97.78,47.28,-97.78,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A steel grain bin was blown off its foundation and tumbled for a quarter of a mile." +118416,711991,WISCONSIN,2017,July,Flash Flood,"KENOSHA",2017-07-12 00:40:00,CST-6,2017-07-12 09:15:00,0,0,0,0,100.00K,100000,15.00K,15000,42.4943,-88.3054,42.4894,-87.8041,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Three to eight inches of rain fell over Kenosha County over several hours causing urban and rural flash flooding. The highest amounts occurred west of I-94. Kenosha County declared an emergency. Sheriff deputies assisted with the evacuations of campers at Sunrise and Sunset Campgrounds at the Richard Bong State Recreation Area. Eight people were evacuated from the Pleasant Prairie Mobile Home Park in the Town of Somers due to flooding from the Kilbourn Road Ditch. Some water rescues occurred due to vehicles driving into deep water. The Chicago-Milwaukee Amtrak Hiawatha Service and the Metra Train Service in the Milwaukee district was temporary closed due to flooding. The right lane of I-94 southbound was closed at County Highway A. Many roads were closed or washed-out in and near the Village of Paddock Lake, the Village of Salem Lakes, and in the Town of Somers. Flooding began on the Fox River in the western portion of the county." +118620,712604,WISCONSIN,2017,July,Hail,"FOND DU LAC",2017-07-15 21:05:00,CST-6,2017-07-15 21:05:00,0,0,0,0,,NaN,,NaN,43.74,-88.77,43.74,-88.77,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Estimated wind gusts of 50 mph with 3/4 inch hail." +115933,696588,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BENSON",2017-06-02 17:20:00,CST-6,2017-06-02 17:20:00,0,0,0,0,240.00K,240000,,NaN,48.07,-99.32,48.07,-99.32,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","A deputy reported 18 to 20 power poles snapped along the highway west of Minnewauken. An accompanying photo showed a damage pattern associated with an apparent microburst with very strong outflow. Peak winds were estimated at 110 mph." +115963,696934,NORTH DAKOTA,2017,June,High Wind,"GRAND FORKS",2017-06-13 08:44:00,CST-6,2017-06-13 09:28:00,0,0,0,0,800.00K,800000,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The 70 mph wind gust was measured by the ASOS at the Grand Forks airport and a ND DOT RWIS site just north of Grand Forks. A 59 mph wind gust was also measured by a NDAWN site four miles south of Grand Forks. These strong winds damaged trees, power lines, signs, light poles, and fences around the city of Grand Forks." +117945,708973,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 15:53:00,CST-6,2017-07-19 15:53:00,0,0,0,0,3.00K,3000,0.00K,0,43.15,-93,43.15,-93,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Numerous trees were blown down in Nora Springs." +118637,712802,WISCONSIN,2017,July,Flash Flood,"GRANT",2017-07-21 18:50:00,CST-6,2017-07-22 03:00:00,0,0,0,0,942.00K,942000,7.60M,7600000,42.83,-91.07,42.7491,-91.0522,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","Locally heavy rains of 4 to 8 inches, produced flash flooding across the southern half of Grant County. Parts of State Highway 81 north of Cassville were washed out where a sinkhole formed. The flood waters around Cassville caused five people to be trapped in their residences and swept away three cars. About a dozen homes had water over the first floor and one home was a complete loss as the flood waters shifted it off the foundation. A person had to be rescued from a floating camper at a campground southeast of Cassville. Around 20 roads were closed or significantly damaged throughout the county because of the flooding. Across the county, a total of 5 homes were destroyed, 12 sustained major damage and 20 had minor damage. In Platteville, numerous streets were flooded with lots of houses surrounded by water and some basements were flooded." +121947,730115,OHIO,2017,December,Winter Weather,"PREBLE",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","The observer north of Eaton measured 0.6 inches of snow." +121947,730116,OHIO,2017,December,Winter Weather,"UNION",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","The observer 4 miles northwest of Raymond measured 0.6 inches of snow." +121947,730117,OHIO,2017,December,Winter Weather,"GREENE",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","The CoCoRaHS observer from Xenia measured an inch of snow." +122096,730980,SOUTH CAROLINA,2017,December,Winter Weather,"INLAND GEORGETOWN",2017-12-29 05:30:00,EST-5,2017-12-29 07:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain caused several accidents.","Ice accrued on the Waccamaw River Bridge, which caused several accidents. The bridge was briefly closed." +120927,723898,MARYLAND,2017,December,Winter Weather,"CECIL",2017-12-09 12:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought snow to the region on the afternoon and evening of the 10th. Accumulations generally averaged a few inches across the Eastern Shore.","A spotter near Elkton measured 3.7 inches of snow." +120926,723897,DELAWARE,2017,December,Winter Weather,"NEW CASTLE",2017-12-09 12:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure tracked up the east coast and brought several rounds of snow. The first only impacted Sussex county Friday night the 9th but left several inches of snow. The second round did bring snow to the entire state with several inches of accumulation on the afternoon and evening of the 10th. Along the coast it was warm enough for a mix of rain, sleet and snow. A soccer tournament in Federica went off without a hitch even though the fields were snow covered.","Snowfall of 2-4 inches occurred throughout the county in the afternoon and evening of the 10th." +120927,723899,MARYLAND,2017,December,Winter Weather,"CAROLINE",2017-12-09 12:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought snow to the region on the afternoon and evening of the 10th. Accumulations generally averaged a few inches across the Eastern Shore.","An observer measured 3.2 inches of snow for the event." +120927,723901,MARYLAND,2017,December,Winter Weather,"QUEEN ANNES",2017-12-09 12:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought snow to the region on the afternoon and evening of the 10th. Accumulations generally averaged a few inches across the Eastern Shore.","A facebook report of 3 inches of snow from the event." +120928,723979,NEW JERSEY,2017,December,Winter Weather,"CAMDEN",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Several reports of around 3 inches of snow in the county." +120928,723980,NEW JERSEY,2017,December,Winter Weather,"CUMBERLAND",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Several reports of around 3 inches of snow in the county." +120928,723981,NEW JERSEY,2017,December,Winter Weather,"GLOUCESTER",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 3 to 4.5 inches across the county." +120928,723982,NEW JERSEY,2017,December,Astronomical Low Tide,"HUNTERDON",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall reports ranged from 3 to 5.5 inches across the county." +117453,707251,IOWA,2017,June,Hail,"STORY",2017-06-28 16:22:00,CST-6,2017-06-28 16:22:00,0,0,0,0,2.00K,2000,0.00K,0,42.0043,-93.3172,42.0043,-93.3172,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","" +115732,695497,VIRGINIA,2017,April,Thunderstorm Wind,"PITTSYLVANIA",2017-04-22 13:44:00,EST-5,2017-04-22 13:44:00,0,0,0,0,1.00K,1000,,NaN,37.1007,-79.2754,37.1098,-79.2675,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Thunderstorm winds blew a tree down along Jay Bird Hill Road near the power company entrance, and one tree down along Stone Mill Road. Damage values are estimated." +117861,708380,SOUTH DAKOTA,2017,June,Hail,"HAMLIN",2017-06-13 06:10:00,CST-6,2017-06-13 06:10:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-97.24,44.59,-97.24,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117861,708381,SOUTH DAKOTA,2017,June,Hail,"CODINGTON",2017-06-13 06:13:00,CST-6,2017-06-13 06:13:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-97.17,44.93,-97.17,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117861,708382,SOUTH DAKOTA,2017,June,Hail,"HAMLIN",2017-06-13 06:29:00,CST-6,2017-06-13 06:29:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-97.17,44.73,-97.17,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117861,708386,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HUGHES",2017-06-13 00:19:00,CST-6,2017-06-13 00:19:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-100.32,44.38,-100.32,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +115547,694056,WISCONSIN,2017,June,Tornado,"SHAWANO",2017-06-14 14:51:00,CST-6,2017-06-14 14:59:00,0,0,0,0,75.00K,75000,0.00K,0,44.647,-88.287,44.73,-88.27,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","An EF1 tornado formed and moved north-northeast on the west side of the city of Pulaski. The tornado ripped off a garage door and one side of the garage collapsed inward (DI 2, DOD 4). Another nearby garage door (on a different property) collapsed and one side was heavily damaged (DI 2, DOD 4). In addition, a barn's roof was collapsed (DI 1, DOD 5). Several dozen trees were uprooted in wet soil or heavily damaged (DI 27 and 28, DOD 2 and 3) in the path of the tornado." +115547,694079,WISCONSIN,2017,June,Tornado,"SHAWANO",2017-06-14 14:53:00,CST-6,2017-06-14 14:55:00,0,0,0,0,25.00K,25000,0.00K,0,44.646,-88.363,44.6765,-88.318,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","This tornado, west of Angelica, heavily damaged an old barn (DI 1, DOD 6) and partially tore the roof off an outbuilding (DI 1, DOD 2). Another old barn had most of its roof blown off (DI 1, DOD 5). A nearby home had roof damage (DI 2, DOD 2) and its garage door partially collapsed inward." +115547,694106,WISCONSIN,2017,June,Tornado,"OUTAGAMIE",2017-06-14 14:40:00,CST-6,2017-06-14 14:43:00,0,0,0,0,0.00K,0,0.00K,0,44.571,-88.509,44.5896,-88.4736,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A tornado formed at 3:40 PM CDT and moved northeast, entering Shawano County 1.4 miles north of Nichols at 3:43 PM CDT. The tornado removed some shingles and siding off a house (DI 2, DOD 2) before strengthening as it continued into Shawano County for another 1.8 miles. The tornado dissipated at 3:45 PM CDT." +118638,713647,IOWA,2017,July,Flash Flood,"FLOYD",2017-07-22 02:00:00,CST-6,2017-07-22 09:15:00,0,0,0,0,100.00K,100000,6.90M,6900000,42.9504,-93.0244,42.9087,-93.0244,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","After heavy rains of 4 to 8 inches, flash flooding occurred across the southeast half of Floyd County. A road was partially washed out and a railroad crossing was partially washed out southeast of Charles City." +118576,712322,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"GRAFTON",2017-07-01 14:40:00,EST-5,2017-07-01 14:45:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-71.8,44.22,-71.8,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees on wires in Sugar Hill." +118822,713806,WYOMING,2017,June,Thunderstorm Wind,"ALBANY",2017-06-27 16:22:00,MST-7,2017-06-27 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.31,-105.67,41.31,-105.67,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The wind sensor at the Laramie Airport measured a peak gust of 90 mph. The very strong winds uprooted and snapped trees, crushing homes and vehicles, downed utility poles, and ruptured a gas line in Laramie. Two dozen large trees were down in the parks and Greenhill cemetery. Power outages affected more than 2000 customers. No injuries were reported." +118813,713687,WYOMING,2017,June,Hail,"LARAMIE",2017-06-05 14:45:00,MST-7,2017-06-05 14:48:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-104.7,41.64,-104.7,"A thunderstorm produced large hail over extreme northern Laramie County.","Quarter size hail was observed 10 miles southeast of Chugwater." +117856,708338,WISCONSIN,2017,July,Thunderstorm Wind,"MONROE",2017-07-12 04:37:00,CST-6,2017-07-12 04:37:00,0,0,0,0,2.00K,2000,0.00K,0,43.95,-90.51,43.95,-90.51,"Slow moving thunderstorms moved into southwest Wisconsin during the evening of July 11th. These storms dumped around five inches of rain over western Grant County. This heavy rain resulted in a rock slide on County Road VV and a washout of another road near Cassville. In Jackson County, a culvert was washed out from a road south of Taylor and other roads were covered by waters from small creeks.","Trees were blown down near Tomah." +118807,713643,WYOMING,2017,June,Flash Flood,"LARAMIE",2017-06-01 15:30:00,MST-7,2017-06-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-104.66,41.57,-104.75,"Thunderstorms produced two to four inches of rain over north central Laramie County, which resulted in flash flooding.","At least six inches of water was flowing over County Roads 128, 234 and 238." +118822,713833,WYOMING,2017,June,Thunderstorm Wind,"LARAMIE",2017-06-27 16:43:00,MST-7,2017-06-27 16:55:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-105.2,41.06,-105.08,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The WYDOT sensors at Wildcat Trail and Otto Road measured peak wind gusts between 58 and 61 mph." +118579,712343,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 17:10:00,EST-5,2017-07-01 17:15:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-70.8,44.03,-70.8,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm produced a concentrated area of damage to trees and homes at Mountain Road and Trail Circle in East Fryeburg." +118658,712890,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-08 13:20:00,EST-5,2017-07-08 13:24:00,0,0,0,0,0.00K,0,0.00K,0,43.82,-70.28,43.82,-70.28,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed trees and wires on Valley Road in Cumberland." +118579,712340,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 17:00:00,EST-5,2017-07-01 17:04:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-70.65,44.38,-70.65,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed large branches in Bryant Pond." +118579,712352,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-01 17:28:00,EST-5,2017-07-01 17:32:00,0,0,0,0,,NaN,0.00K,0,44.065,-70.6686,44.065,-70.6686,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees on Cape Monday Road in Harrison." +118416,711659,WISCONSIN,2017,July,Flash Flood,"WALWORTH",2017-07-12 00:11:00,CST-6,2017-07-12 09:15:00,0,0,0,0,10.00M,10000000,30.00K,30000,42.8277,-88.5855,42.8406,-88.3083,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Various road closures over the eastern half of Walworth County due to the flash flooding of creeks or the pooling of water in low spots after 3.50-8.00 inches of rain. Walworth County declared an emergency. Road closures near Springfield, Abells Corners, south and east of East Troy. Also, widespread flooding and road closures in and around Elkhorn after 3.26 inches of rain in an hour. The water flowed into some businesses and the Huber Dorm. Some cars were stranded in deep water. Residents of the Bud Motors Trailer Park in the Town of Lyons evacuated due to flooding from the White River. Also in Lyons, the Ore Creek flooded and destroyed a portion of the foundation of a home. Ten additional homes were flooded and there were extensive roadway washouts in the area." +118673,712918,MAINE,2017,July,Thunderstorm Wind,"KENNEBEC",2017-07-20 16:40:00,EST-5,2017-07-20 16:45:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-69.83,44.44,-69.83,"Good upper-level divergence associated with a jet streak ahead of an approaching shortwave combined with low level instability to produce showers and thunderstorms on the afternoon of July 20th. One isolated thunderstorm cell became severe and produced wind damage in Kennebec County.","A severe thunderstorm downed trees on Route 27 in Belgrade." +119157,715616,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,250.00K,250000,0.00K,0,44.17,-71.97,44.1635,-71.9694,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Bath washing out a bridge." +118576,712328,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-01 16:30:00,EST-5,2017-07-01 16:34:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-71.01,44.16,-71.01,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees in Chatham." +118576,712325,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"GRAFTON",2017-07-01 15:35:00,EST-5,2017-07-01 15:40:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-71.91,43.87,-71.91,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees and wires in Wentworth." +118576,712329,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"GRAFTON",2017-07-01 16:45:00,EST-5,2017-07-01 16:50:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-71.74,43.64,-71.74,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees and wires near Mayhew Turnpike in Bridgewater." +118579,712335,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-01 13:30:00,EST-5,2017-07-01 13:35:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-70.6,43.97,-70.6,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees that blocked Route 302 in Naples." +118656,712871,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 12:55:00,EST-5,2017-07-08 12:59:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-71.12,42.91,-71.12,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees in South Danville." +118656,712868,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 12:45:00,EST-5,2017-07-08 12:49:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-71.28,42.94,-71.28,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed a tree on Route 102 in Chester." +118656,712869,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:50:00,EST-5,2017-07-08 12:55:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-71.57,43.04,-71.57,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed multiple trees in Shirley Hill." +119157,715625,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,4.00K,4000,0.00K,0,44.18,-71.88,44.174,-71.8648,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Landaff washing out several area roads." +119157,715626,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,4.00M,4000000,0.00K,0,43.8896,-72.1034,43.9129,-72.023,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Orford washing out portions of Route 25A and numerous roads along the Connecticut River." +118638,713651,IOWA,2017,July,Flash Flood,"FAYETTE",2017-07-21 10:38:00,CST-6,2017-07-21 12:15:00,0,0,0,0,0.00K,0,0.00K,0,42.8646,-92.0813,42.8332,-92.0815,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Locally heavy rains pushed the Little Wapsipinicon River and small creeks that feed the river out of their banks. These flood waters covered roads northwest of Westgate." +118194,710303,NEW YORK,2017,June,Thunderstorm Wind,"CORTLAND",2017-06-05 16:35:00,EST-5,2017-06-05 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.64,-76.18,42.64,-76.18,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked multiple over trees. This storm also knocked over trees in the town of McGraw." +118194,710300,NEW YORK,2017,June,Thunderstorm Wind,"OTSEGO",2017-06-05 13:14:00,EST-5,2017-06-05 13:24:00,0,0,0,0,10.00K,10000,0.00K,0,42.68,-74.83,42.68,-74.83,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and wires mainly in the northeastern part of the county. This storm also knocked over trees in the towns of Cherry Valley and Milford." +118194,710304,NEW YORK,2017,June,Thunderstorm Wind,"OTSEGO",2017-06-05 13:18:00,EST-5,2017-06-05 13:28:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-74.97,42.64,-74.97,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds measured at 52 knots." +118194,710306,NEW YORK,2017,June,Thunderstorm Wind,"TIOGA",2017-06-05 15:05:00,EST-5,2017-06-05 15:15:00,0,0,0,0,4.00K,4000,0.00K,0,42.3,-76.18,42.3,-76.18,"Dense fog quickly lifted Monday morning and scattered showers developed within its wake in a very unstable air mass. Late Monday afternoon a storm system approached the region from the west and forced a cold front into western New York and Pennsylvania. This front generated a line of showers and thunderstorms. The system quickly moved east and some of these storms became severe producing damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +117161,710969,GEORGIA,2017,June,Thunderstorm Wind,"MORGAN",2017-06-22 19:25:00,EST-5,2017-06-22 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4753,-83.4527,33.4753,-83.4527,"A very moist and moderately unstable air mass in place across the southeastern U.S. combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce scattered severe thunderstorms.","Emergency Manager reported a large tree down at the intersection of Pierce Dairy Road and 7 Island Road. Storms had a history of producing wind damage along a line extending back in Butts County, near Jackson." +117418,710696,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-29 20:15:00,CST-6,2017-06-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0632,-99.83,40.0632,-99.83,"For the fourth consecutive day, at least a small portion of South Central was affected by severe storm activity. On this Thursday, a cluster of thunderstorms developed over western Colorado during the afternoon hours, driven by energy from a mid to upper level shortwave disturbance sliding east-southeast out of the Rockies and through the Central and Northern Plains. This cluster moved its way through northwestern Kansas and eventually along and just south of the Nebraska-Kansas state line through the late evening hours. While rain affected the majority of the NWS Hastings coverage area along and south of Highway 6, only 2 reports of severe weather were received. ||These storms were riding along a surging cold frontal boundary, with a more notable change in wind and dewpoint than temperature, and were aided by increased lower to mid-level frontogenetical forcing. They remained anchored on the northwestern gradient of an axis of higher instability, with MLCAPE values peaking near 1500-2000 j/kg in the area of the storms. Deeper layer shear values were in the 30-40 knot range through the event.","NeRAIN observer reported quarter size hail." +118317,710991,ARIZONA,2017,June,Wildfire,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-06-07 15:30:00,MST-7,2017-06-30 23:59:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Lizard Fire ignited in the Dragoon Mountains on June 7th. The fire spread rapidly due to strong winds and merged with the Dragoon Fire. The fire consumed over 15,000 acres in the first few days but was not fully contained until July 19th.","The lightning caused Lizard Fire started in the Dragoon Mountains on June 7th and quickly spread due to strong winds. The fire merged with the Dragoon Fire which caused an increase in acreage to nearly 15,000 acres. The communities of Dragoon and Cochise Stronghold were evacuated. One home and two outbuildings were destroyed in Dragoon. The fire continued into July before it was fully contained but the overall acreage did not grow much beyond 15,000 acres." +116079,697695,COLORADO,2017,June,Thunderstorm Wind,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:49:00,2,0,0,0,2.00M,2000000,0.00K,0,37.39,-102.3,37.39,-102.3,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","Trees and tree limbs down, causing damage to power lines, structures and vehicles. Two people sustained very minor injuries." +119290,716565,WISCONSIN,2017,July,Flood,"GREEN",2017-07-21 19:03:00,CST-6,2017-07-31 20:45:00,0,0,0,0,172.00K,172000,0.00K,0,42.5862,-89.805,42.5061,-89.7936,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Pecatonica River in Martintown crested at 18.45 ft. which is moderate flood stage. Some homes in the Martintown area have floodwaters in their basements and first floors. In total, 8 homes had either very minor or minor flood damage, with 3 homes having major flood damage. One business in Browntown suffered major flood damage. Portions of Martintown Road, West River Road, and Babler Road are flooded. A portion of Zimmerman Lane was washed out. Upstream in Browntown, Highway MM and West Indies Road are flooded." +115703,702395,KENTUCKY,2017,June,Flash Flood,"BULLITT",2017-06-23 17:45:00,EST-5,2017-06-23 17:45:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-85.73,37.841,-85.7333,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","High water was flowing over Sanders Road with debris." +115703,702396,KENTUCKY,2017,June,Flash Flood,"FRANKLIN",2017-06-23 17:47:00,EST-5,2017-06-23 17:47:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-84.92,38.1126,-84.9393,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported that several roads, including Old Lawrenceburg Road, Green-Wilson Road, Evergreen Road, and Jones Lane were all covered with 6 to 8 inches of water flowing over." +115703,702397,KENTUCKY,2017,June,Flash Flood,"FRANKLIN",2017-06-23 17:47:00,EST-5,2017-06-23 17:47:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-84.86,38.1725,-84.8591,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported Big Eddy Road covered by 6 to 8 inches of high water." +115703,697589,KENTUCKY,2017,June,Thunderstorm Wind,"MARION",2017-06-23 17:38:00,EST-5,2017-06-23 17:38:00,0,0,0,0,10.00K,10000,0.00K,0,37.47,-85.11,37.47,-85.11,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","A NWS Storm Survey concluded that a localized microburst caused damage to a small outbuilding and downed 4 hardwood trees. Winds were estimated around 60 mph." +115703,697494,KENTUCKY,2017,June,Thunderstorm Wind,"MARION",2017-06-23 17:15:00,EST-5,2017-06-23 17:15:00,0,0,0,0,,NaN,0.00K,0,37.64,-85.4,37.64,-85.4,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Trained spotters reported trees down in the area." +115703,697577,KENTUCKY,2017,June,Thunderstorm Wind,"MERCER",2017-06-23 17:55:00,EST-5,2017-06-23 17:55:00,0,0,0,0,,NaN,0.00K,0,37.72,-84.92,37.72,-84.92,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported multiple trees down due to severe thunderstorm winds across Mercer County southweset of Harrodsburg." +118357,711308,KANSAS,2017,June,Hail,"GRANT",2017-06-20 19:17:00,CST-6,2017-06-20 19:17:00,0,0,0,0,,NaN,,NaN,37.55,-101.29,37.55,-101.29,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711309,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-20 17:24:00,CST-6,2017-06-20 17:24:00,0,0,0,0,,NaN,,NaN,39.05,-99.31,39.05,-99.31,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","A 4 x 6 wood post was broken at the base and a double wide mobile home had roof damage." +118357,711310,KANSAS,2017,June,Thunderstorm Wind,"FORD",2017-06-20 19:10:00,CST-6,2017-06-20 19:10:00,0,0,0,0,,NaN,,NaN,37.55,-99.63,37.55,-99.63,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Three inch diameter tree limbs were broken and a trampoline was thrown into power lines." +118357,711311,KANSAS,2017,June,Thunderstorm Wind,"KEARNY",2017-06-20 16:44:00,CST-6,2017-06-20 16:44:00,0,0,0,0,,NaN,,NaN,37.92,-101.24,37.92,-101.24,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Wind gusts were estimated to be 70 MPH." +118420,711718,PENNSYLVANIA,2017,June,Flash Flood,"ARMSTRONG",2017-06-22 17:45:00,EST-5,2017-06-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-79.35,40.6538,-79.3022,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Local 911 reported that five fire departments in Armstrong county were responding to water rescues on Route 156 between 210 and Shelocta." +118420,711719,PENNSYLVANIA,2017,June,Flood,"INDIANA",2017-06-23 02:00:00,EST-5,2017-06-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6614,-79.3113,40.5848,-79.344,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Several roads remain closed per the local broadcast media around Shelocta due to flooding. These include 422 between route 56 and Five Points Road, Rearick Road, Anthony Run Road, and Old Route 56." +118420,711720,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-22 17:20:00,EST-5,2017-06-22 21:20:00,0,0,0,0,0.00K,0,0.00K,0,40.5511,-79.0793,40.542,-79.0439,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","State official reported multiple vehicles trapped on Route 56 in Brush Valley. Little Brush Creek was out of it's banks." +116270,700353,MISSISSIPPI,2017,June,Thunderstorm Wind,"CLARKE",2017-06-16 18:15:00,CST-6,2017-06-16 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.05,-88.64,32.05,-88.64,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down across County Road 671 east of Quitman." +116270,700355,MISSISSIPPI,2017,June,Thunderstorm Wind,"YAZOO",2017-06-16 18:12:00,CST-6,2017-06-16 18:44:00,0,0,0,0,50.00K,50000,0.00K,0,32.9148,-90.3198,32.6663,-90.2477,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees were blown down across the county, including a tree on Williams Eden Midway Road and across Highway 16." +116270,700358,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-16 18:45:00,CST-6,2017-06-16 18:45:00,0,0,0,0,3.00K,3000,0.00K,0,31.73,-88.98,31.73,-88.98,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down on Poole Creek Road." +116270,700360,MISSISSIPPI,2017,June,Hail,"SMITH",2017-06-16 19:15:00,CST-6,2017-06-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,31.87,-89.55,31.87,-89.55,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","" +116270,708497,MISSISSIPPI,2017,June,Thunderstorm Wind,"MARION",2017-06-16 20:32:00,CST-6,2017-06-16 20:50:00,0,0,0,0,20.00K,20000,0.00K,0,31.38,-89.86,31.19,-89.88,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced damaging winds which blew down several trees through central Marion County. Trees were blown down across Goss Bunker Hill Road, Conerly Road, Stuckey Road, and MS Highway 586. A tree also fell onto and damaged a car along Cedar Grove Road north of Columbia." +116270,708511,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAMAR",2017-06-16 20:54:00,CST-6,2017-06-16 20:56:00,0,0,0,0,0.50K,500,0.00K,0,31.24,-89.49,31.24,-89.49,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down along Little Creek Road northwest of Purvis." +116270,708512,MISSISSIPPI,2017,June,Thunderstorm Wind,"FORREST",2017-06-16 20:43:00,CST-6,2017-06-16 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,31.41,-89.17,31.41,-89.17,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Multiple trees were blown down along Macedonia Road." +118439,711887,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 16:45:00,EST-5,2017-06-23 16:45:00,0,0,0,0,2.50K,2500,0.00K,0,39.96,-79.75,39.96,-79.75,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711917,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:08:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.207,-79.2482,40.2081,-79.301,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","County 911 reported several roads closed in Ligonier including Route 711, Route 30 at the intersection with Route 381, McDowell Road, and Brailer Drive." +118439,711918,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:37:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.233,-79.166,40.2418,-79.1848,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","County 911 reported that Nature Run Road and Griffith Road are flooded." +118441,711889,WEST VIRGINIA,2017,June,Thunderstorm Wind,"WETZEL",2017-06-23 16:09:00,EST-5,2017-06-23 16:09:00,0,0,0,0,10.00K,10000,0.00K,0,39.66,-80.45,39.66,-80.45,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Member of social media reported many trees down blocking Rush Run Road. There was significant damage to residence." +118441,711891,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MONONGALIA",2017-06-23 17:04:00,EST-5,2017-06-23 17:04:00,0,0,0,0,2.50K,2500,0.00K,0,39.67,-79.85,39.67,-79.85,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118441,711890,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MONONGALIA",2017-06-23 16:15:00,EST-5,2017-06-23 16:15:00,0,0,0,0,2.50K,2500,0.00K,0,39.68,-80.33,39.68,-80.33,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The public reported trees snapped and some uprooted." +118291,711439,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 17:01:00,EST-5,2017-06-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-79.99,40.2843,-79.9827,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","County 911 reported that Piney Fork Road was closed between Brownsville Road and Single Track Road due to flooding." +118291,711440,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 20:05:00,EST-5,2017-06-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-79.95,40.3313,-79.9398,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","County 911 reported that State route 51 was closed between Bruceton and Lewis Run due to Flooding. Also, a member of the public reported flooding on Coal Valley Road, making it impassable." +118291,711441,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 20:08:00,EST-5,2017-06-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3872,-79.9353,40.3905,-79.9262,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","State official reported that Mifflin Road was closed due to flooding." +118291,711442,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-15 22:30:00,EST-5,2017-06-15 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.35,-79.89,40.3481,-79.8828,"Moist antecedent conditions in conjunction with a passing shortwave helped to produce yet another round of thunderstorms with heavy rain across southwestern Pennsylvania. Southern Allegheny county, Pennsylvania was hardest hit, once again. There were also a few reports off wind damage with a bit more support for downbursts.","State official reported a mudslide on Route 837 as a result of earlier flooding." +115560,704345,KANSAS,2017,June,Hail,"PHILLIPS",2017-06-13 18:04:00,CST-6,2017-06-13 18:04:00,0,0,0,0,25.00K,25000,75.00K,75000,39.77,-99.12,39.77,-99.12,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115560,704350,KANSAS,2017,June,Hail,"SMITH",2017-06-13 20:00:00,CST-6,2017-06-13 20:00:00,0,0,0,0,3.00K,3000,75.00K,75000,39.877,-98.9723,39.877,-98.9723,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +118389,711443,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-16 14:45:00,EST-5,2017-06-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5261,-80.0094,40.5332,-80.0137,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","County 911 reported that swift water teams were assisting with evacuating businesses along McKnight Road in Ross township. Over 2 feet of water was reported to be covering the intersection of McKnight and Siebert Road." +115713,703888,NEBRASKA,2017,June,Thunderstorm Wind,"NUCKOLLS",2017-06-20 21:00:00,CST-6,2017-06-20 21:00:00,0,0,0,0,3.00M,3000000,0.00K,0,40.0258,-98.0665,40.0061,-98.0667,"Although just one lone strong-to-severe thunderstorm tracked across far southern portions of South Central Nebraska on this Tuesday evening, it wreaked havoc on one particular community: Superior in Nuckolls County. Estimated 75 MPH winds struck primarily southern portions of town around 10 p.m. CDT, causing extensive damage to trees and power lines and ripping a 40-foot section of roof from a lumberyard building, among other damages. Although severe wind was the main story in Superior, hail up to golf ball size also fell. While the immediate Superior area bore the brunt of storm headlines, hail ranging from half dollar to ping pong ball size fell a bit farther west in the Riverton and Inavale areas, with some wind damage also reported near Inavale. ||This storm initially flared up around 7:30 p.m. CDT over northern Harlan County and quickly exhibited severe weather potential per radar data, although no ground-truth reports were received early in its life cycle. Between 8-10 p.m. CDT, it tracked east-southeast through portions of Franklin, Webster and Nuckolls counties, fluctuating in intensity and occasionally showing supercell characteristics. Around 10 p.m. CDT it slammed into Superior, with radar data suggesting evidence of a collapsing core and the resultant surge of damaging winds. Shortly thereafter, it slipped south of the state line into Kansas and weakened below severe thresholds within 30 minutes.||In the mid-upper levels, South Central Nebraska was under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, this severe storm developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-lower 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing well into the 90s, contributed to a mesoscale environment fairly supportive of severe weather, featuring 1000-2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","Wind gusts were estimated to around 75 MPH. Tree limbs of 6 to 10 inches in diameter were downed, and several streets closed due to trees across them. Power was out for much of the town for several hours. A couple vehicles were damaged by falling tree limbs. A 40 foot section of a roof was blown off of the local lumberyard and an awning was damaged at another business. At least 9 irrigation pivots were damaged south of town. Most of the damage focused between 8th Street and the Republican River." +115716,703763,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-21 20:42:00,CST-6,2017-06-21 20:44:00,0,0,0,0,15.00K,15000,150.00K,150000,40.309,-99.77,40.309,-99.77,"Isolated to scattered thunderstorm activity rumbled across mainly southwestern and far northern portions of South Central Nebraska on this Wednesday evening, resulting in a few instances of marginally severe hail and winds. The majority of ground-truth reports were from the Edison area of Furnas County, including nickel to ping pong ball size hail and estimated 60 MPH winds. Meanwhile, a completely separate, isolated storm to the north in Valley County dropped quarter size hail near Fort Hartsuff State Park. ||Timing-wise, the first storms of the day to affect South Central Nebraska developed between 5-7 p.m. CDT, consisting of a smattering of non-severe multicells roaming mainly the far western counties of Dawson, Gosper and Furnas. During the next few hours this activity strengthened somewhat, yielding the aforementioned reports near Edison as it also gradually morphed into a rather compact, east-southeast propagating linear complex. Between 10 p.m. and midnight CDT, this storm complex drifted through mainly Harlan, Franklin and Webster counties before departing into far northern Kansas, likely producing gusty winds and small hail along the way but resulting in no additional severe-criteria reports. Farther north, the Valley County storm was severe only briefly, moving in out of Custer County around 9 p.m. CDT and weakening/dissipating within an hour. ||Despite the occurrence of a few severe storms, this setup held the potential to be a bit more active than it turned out to be. However, factors working against more widespread severe weather ultimately outweighed the more favorable ones. More specifically, the coverage and intensity of severe storms was likely mitigated in part by: 1) rather warm air aloft and resultant capping, as evidenced by 700 millibar temperatures in the 13-16 C range...2) Fairly weak deep layer wind shear only around 30 knots. On the flip side, there was considerable instability to work with, as hot afternoon temperatures in the mid-upper 90s F combined with dewpoints well into the 60s to create mixed layer CAPE of 2000-4000 J/kg. At the surface, storms initiated along a north-south oriented trough axis stretched from central Nebraska into northwest Kansas.","" +117009,703757,NEBRASKA,2017,June,Hail,"FURNAS",2017-06-26 12:57:00,CST-6,2017-06-26 13:02:00,0,0,0,0,15.00K,15000,150.00K,150000,40.3,-100.02,40.3,-100.02,"Scattered thunderstorms developed right around midday along a surface frontal boundary on this Monday. This frontal boundary extended across Nebraska, roughly along Interstate 80, separating dew points in the 30s and 40s over northern Nebraska from 50s and lower 60s across the south. Aloft, these storms were driven by yet another in a series of shortwave disturbances crossing the region in northwesterly flow. A storm splitting from a cluster moving into Dawson County took a more southerly track, moving through Gosper and Furnas counties. Able to tap into the 500-1000 j/kg of CAPE available, this storm managed to drop half dollar to golf ball size hail in the town of Holbrook in Furnas County.","" +117010,706034,NEBRASKA,2017,June,Thunderstorm Wind,"HALL",2017-06-27 22:22:00,CST-6,2017-06-27 22:25:00,0,0,0,0,15.00K,15000,0.00K,0,40.97,-98.32,40.97,-98.32,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","Peak wind gusts included 63 MPH at 11:22 p.m. CDT and 70 MPH at 11:25 p.m. CDT." +117010,705907,NEBRASKA,2017,June,Thunderstorm Wind,"NANCE",2017-06-27 22:37:00,CST-6,2017-06-27 22:37:00,0,0,0,0,500.00K,500000,0.00K,0,41.45,-97.73,41.45,-97.73,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","A several block wide stretch of wind damage occurred in Genoa, including several trees down and homes, buildings and vehicles damaged. Local businesses lost power into the following day, and a lumberyard lost a portion of the front of its building, which also sustained electrical damage. The storm also lifted off a section of the post office roof and destroyed a window." +117010,705908,NEBRASKA,2017,June,Thunderstorm Wind,"FILLMORE",2017-06-28 00:05:00,CST-6,2017-06-28 00:05:00,0,0,0,0,15.00K,15000,0.00K,0,40.63,-97.57,40.63,-97.57,"Between 9 p.m. and 1 a.m. CDT on this Tuesday evening into early Wednesday morning, a strong-to-severe, linear mesoscale convective system (MCS) tracked west-to-east through most of South Central Nebraska, but with its most intense elements primarily impacting areas near and north of Interstate 80. Sporadic wind damage was the main issue, as although not all places observed severe-criteria winds (many sites only peaked in the 45-55 MPH range), some locations saw stronger gusts measured or estimated to at least 60-70 MPH. However, no community was harder hit than Genoa on the extreme eastern edge of the local area. Shortly after 11:30 p.m. CDT, a microburst with estimated 70-90 MPH winds slammed into town, causing considerable wind damage over several city blocks. This included many downed trees and large branches, along with structural damage to both residences and businesses. A lumberyard lost a portion of the front of its building and a section of roof was lifted off the post office. One home had twigs embedded into its siding. While Genoa sustained the overall-worst damage in South Central Nebraska, a sampling of other wind reports included: trees downed in and near Boelus and measured gusts of 70 MPH at Grand Island airport, 62 MPH near Ravenna and 61 MPH at Lexington airport. ||Severe storms initially fired up in western Nebraska during the late afternoon and early evening hours and started tracking east. Between 9-10 p.m. CDT, the leading edge of the maturing, strong-to-severe squall line entered the local area into Dawson County. Over the following few hours, this storm complex accelerated eastward while assuming a generally north-northeast to south-southwest orientation. By 1 a.m. CDT, the severe threat had waned as the squall line departed to the east/weakened, although non-severe activity lingered a few more hours within South Central Nebraska before completely ending for the night. ||This was a fairly well-anticipated event, as the Storm Prediction Center upgraded the Day 1 severe threat category to Enhanced Risk (level 3-of-5) during the morning hours. In the mid-upper levels, the pattern was very favorable/typical for summer severe weather, featuring quasi-zonal flow and a respectable, small-scale shortwave trough tracking east across Nebraska over the course of the afternoon and evening. At the surface, low pressure centered over the Dakotas deepened to around 998 millibars by early evening. As a result, southerly breezes across South Central Nebraska averaged 15-25 MPH during the day with higher gusts, allowing a warm front to surge north. By early evening, dewpoints had increased into the mid-60s to low-70s F range ahead of a north-south oriented cold front slowly approaching from the west. As the MCS peaked in intensity over South Central Nebraska, the environment featured mixed-layer CAPE of 2000-3000 J/kg and effective deep layer wind shear around 40 knots, with a strong low level jet of 50-60 knots feeding in from the south.","Tree limbs up to 6 inches in diameter were downed." +116175,698249,TENNESSEE,2017,June,Thunderstorm Wind,"MAURY",2017-06-15 11:00:00,CST-6,2017-06-15 11:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.7428,-86.9952,35.7428,-86.9952,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and early afternoon hours on June 15. One report of wind damage and another report of lightning damage were received.","A tSpotter Twitter report and photo showed a tree was blown down and blocked Petty Lane in Spring Hill. Time estimated based on radar." +116175,698251,TENNESSEE,2017,June,Lightning,"WILLIAMSON",2017-06-15 12:03:00,CST-6,2017-06-15 12:03:00,0,0,0,0,10.00K,10000,0.00K,0,35.9644,-86.8908,35.9644,-86.8908,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and early afternoon hours on June 15. One report of wind damage and another report of lightning damage were received.","A house was struck by lightning and the resulting fire damaged a home in Fieldstone Farms." +120254,721468,GEORGIA,2017,September,Tropical Storm,"WAYNE",2017-09-10 11:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The Little Satilla River near Offerman crested at 12.81 ft on Sept. 12th at 1745 EDT. Moderate flooding occurred at this level." +120497,721898,NEW YORK,2017,September,Thunderstorm Wind,"DUTCHESS",2017-09-05 14:48:00,EST-5,2017-09-05 14:48:00,0,0,0,0,,NaN,,NaN,41.6,-73.86,41.6,-73.86,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in the Capital District and Mid-Hudson Valley with minor wind damage reported.","The public reported a tree down on a house due to thunderstorm winds." +120497,721899,NEW YORK,2017,September,Thunderstorm Wind,"DUTCHESS",2017-09-05 14:50:00,EST-5,2017-09-05 14:50:00,0,0,0,0,,NaN,,NaN,41.62,-73.86,41.62,-73.86,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in the Capital District and Mid-Hudson Valley with minor wind damage reported.","Trees and wires were blown down on Route 376 due to thunderstorm winds." +120497,721900,NEW YORK,2017,September,Thunderstorm Wind,"SCHENECTADY",2017-09-05 16:04:00,EST-5,2017-09-05 16:04:00,0,0,0,0,,NaN,,NaN,42.78,-73.95,42.78,-73.95,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in the Capital District and Mid-Hudson Valley with minor wind damage reported.","Trees and wires were reported down due to thunderstorm winds." +120498,721901,CONNECTICUT,2017,September,Hail,"LITCHFIELD",2017-09-05 16:09:00,EST-5,2017-09-05 16:09:00,0,0,0,0,,NaN,,NaN,41.85,-73.24,41.85,-73.24,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in northwestern Connecticut with wind damage and large hail reported.","Estimated quarter-size hail was reported via Facebook." +119662,717792,MONTANA,2017,September,Drought,"WESTERN ROOSEVELT",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Western Roosevelt County began the month in exceptional (D4) drought conditions, which persisted through the month. The area received varying rainfall amounts, from nearly zero to over one inch of rainfall. This is from one inch below normal to up to one inch above normal." +119662,717793,MONTANA,2017,September,Drought,"WIBAUX",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Wibaux County began the month in extreme (D3) drought conditions. which persisted through the month. The area received two to three inches of rainfall, which was approximately one and a half inches above normal. This led to some improvement in the drought across Wibaux County, and by the end of the month conditions had improved to severe (D2) conditions." +119733,718096,WASHINGTON,2017,September,Wildfire,"CASCADES OF SNOHOMISH AND KING COUNTIES",2017-09-04 13:00:00,PST-8,2017-09-15 00:00:00,0,0,0,0,4.50M,4500000,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started on the 4th 2 miles SE of Lester in the Central Cascades and burned 848 acres through the middle of the month. No structures were lost.","A wildfire started on the 4th 2 miles SE of Lester in the Central Cascades and burned 848 acres through the middle of the month. No structures were lost. It cost $4.5 million dollars to suppress this fire." +118525,715554,ALABAMA,2017,September,Hail,"JACKSON",2017-09-05 15:11:00,CST-6,2017-09-05 15:11:00,0,0,0,0,,NaN,,NaN,34.61,-85.92,34.61,-85.92,"A cold front produced a few strong thunderstorms during the late afternoon hours. Two of the storms produce nickel sized hail.","Nickel sized hail was reported in Dutton." +115559,695426,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-13 18:00:00,CST-6,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.2979,-98.6501,40.32,-98.58,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115811,696183,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-07 13:44:00,EST-5,2017-06-07 13:44:00,0,0,0,0,0.00K,0,0.00K,0,26.45,-82.03,26.45,-82.03,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","A home weather station on Sanibel Island recorded a 41 knot marine thunderstorm wind gust." +118990,715551,ALABAMA,2017,September,Thunderstorm Wind,"MARSHALL",2017-09-19 13:28:00,CST-6,2017-09-19 13:28:00,0,0,0,0,,NaN,,NaN,34.35,-86.3,34.35,-86.3,"Clusters of strong to severe thunderstorms developed during the late morning and early afternoon hours, beginning in northwest Alabama and moving eastward and becoming more numerous by early to mid afternoon. Winds gusted to 59 mph at Muscle Shoals, and wind damage was reported in Marshall County.","Widespread power outages were reported in the Guntersville area." +118990,715552,ALABAMA,2017,September,Thunderstorm Wind,"COLBERT",2017-09-19 10:06:00,CST-6,2017-09-19 10:06:00,0,0,0,0,,NaN,,NaN,34.75,-87.61,34.75,-87.61,"Clusters of strong to severe thunderstorms developed during the late morning and early afternoon hours, beginning in northwest Alabama and moving eastward and becoming more numerous by early to mid afternoon. Winds gusted to 59 mph at Muscle Shoals, and wind damage was reported in Marshall County.","A wind gust of 59 mph was reported by the ASOS at the Northwest Alabama Regional Airport." +118525,715553,ALABAMA,2017,September,Hail,"MORGAN",2017-09-05 13:57:00,CST-6,2017-09-05 13:57:00,0,0,0,0,,NaN,,NaN,34.42,-87.09,34.42,-87.09,"A cold front produced a few strong thunderstorms during the late afternoon hours. Two of the storms produce nickel sized hail.","Nickel sized hail was reported in Danville." +118525,715555,ALABAMA,2017,September,Hail,"DEKALB",2017-09-05 15:28:00,CST-6,2017-09-05 15:28:00,0,0,0,0,,NaN,,NaN,34.7,-85.67,34.7,-85.67,"A cold front produced a few strong thunderstorms during the late afternoon hours. Two of the storms produce nickel sized hail.","Hail up the sized of quarters was reported in Ider." +120541,722181,KANSAS,2017,September,Hail,"RAWLINS",2017-09-13 14:30:00,CST-6,2017-09-13 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7851,-101.3698,39.7851,-101.3698,"A thunderstorm over McDonald produced nickel size hail and damaged some structures in town from the straight-line winds.","" +120544,722183,KANSAS,2017,September,Hail,"NORTON",2017-09-15 19:05:00,CST-6,2017-09-15 19:05:00,0,0,0,0,0.00K,0,0.00K,0,39.9648,-100.0284,39.9648,-100.0284,"Hail up to nickel size was reported northeast of Norcatur.","" +115899,696476,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-25 16:15:00,MST-7,2017-06-25 16:25:00,10,0,0,0,1.00M,1000000,0.00K,0,35.0009,-105.4454,35.0009,-105.4454,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","A major hail storm struck Interstate 40 at State Road 3 producing significant damage and impacts to travel. Hail up to the size of tennis balls slammed the Interstate. Numerous vehicles had windshields smashed out. Traffic was stopped for over two hours. Emergency response personnel attended to several stranded vehicles with injured motorists. Hail was up to five inches deep and flooding was reported along highway." +115940,696649,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-14 15:07:00,EST-5,2017-06-14 15:07:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Deep moisture across the area led to scattered thunderstorms developing over the Florida Peninsula and working west towards the coast through the afternoon. Some of these storms produced marine wind gusts, as well as a waterspout.","The ASOS at Albert Whitted Airport (KSPG) recorded a wind gust of 41 knots." +115954,696819,OHIO,2017,June,Flash Flood,"CLINTON",2017-06-23 15:40:00,EST-5,2017-06-23 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.49,-83.64,39.4898,-83.6306,"The remnants of Tropical Storm Cindy lifted northeast across the region bringing heavy rain, with totals between 2.5 and 4.5 inches, and flash flooding.","High water was reported in several locations along U.S. 22 in Sabina." +115942,696856,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-09 18:24:00,CST-6,2017-06-09 18:24:00,0,0,0,0,,NaN,,NaN,48.2,-99.58,48.2,-99.58,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","" +115942,696893,NORTH DAKOTA,2017,June,Thunderstorm Wind,"BARNES",2017-06-09 21:15:00,CST-6,2017-06-09 21:15:00,0,0,0,0,200.00K,200000,,NaN,46.93,-97.8,46.93,-97.8,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Multiple vehicles were blown off Interstate 94, which briefly closed." +115964,696989,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAAKON",2017-06-27 17:52:00,MST-7,2017-06-27 18:02:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-101.6,44.05,-101.6,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +116022,697239,MINNESOTA,2017,June,Tornado,"WILKIN",2017-06-21 17:39:00,CST-6,2017-06-21 17:42:00,0,0,0,0,,NaN,,NaN,46.3,-96.29,46.3178,-96.2828,"During the early evening of June 21st, a line of thunderstorms developed from Thief River Falls, Minnesota, to the Fargo-Moorhead area, then southwest toward Forman, North Dakota. On the surface map, this was mainly a wind shift line. These storms pushed nearly straight to the east, producing tornadoes, strong wind gusts, and large hail.","This tornado touchdown was viewed and photographed though it was enshrouded in either dust or rain at times. Peak winds were estimated at 75 mph." +116030,697350,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-06-30 21:09:00,EST-5,2017-06-30 21:10:00,0,0,0,0,,NaN,,NaN,32.6528,-79.9384,32.6528,-79.9384,"An unstable atmosphere along the western edge of Atlantic high pressure contributed to a line of thunderstorms capable of producing strong wind gusts near the Southeast Georgia and Southeast South Carolina coasts.","The Weatheflow sensor at Folly Beach Pier recorded a 37 knot wind gust." +116394,700064,TEXAS,2017,June,Hail,"LUBBOCK",2017-06-30 23:20:00,CST-6,2017-06-30 23:50:00,0,0,0,0,6.00M,6000000,10.00M,10000000,33.75,-102.08,33.6824,-101.9686,"A short-lived, but intense heat spell with highs of 102 to 108 came to an abrupt end late this evening as active northwest flow overspread the region. Isolated, high-based supercell thunderstorms erupted first near the U.S. Highway 83 corridor from Childress south to Aspermont, with even more intense supercells occurring later over the western South Plains. Some of these storms produced giant hail of 3 to 4 inches in diameter causing severe damage to crops, buildings and vehicles. Cities hit especially hard included Childress, Amherst, Littlefield, and Anton where combined property damages may exceed $10 million with regional agricultural losses approaching $50 million. Toward midnight CST, individual storms grew more linear over the southern South Plains before exiting southeast of the region before daybreak on July 1st.","This is the continuation path of the devastating supercell that affected Lamb and far northeast Hockley Counties. Wind-driven hail up to the size of tennis balls devastated area crops and caused moderate to heavy damage to about 100 rural homes in far northwest Lubbock County, generally northwest to just northeast of Shallowater. The heaviest toll was inflicted to roughly 40,000 acres of cotton, sorghum and corn which became a total loss after heavy rains and flooding eroded the young plants. Fortunately, the supercell storm dissipated northwest of Lubbock in response to a line of storms developing immediately to its southeast." +116466,700454,ARKANSAS,2017,June,Flash Flood,"MISSISSIPPI",2017-06-16 15:20:00,CST-6,2017-06-16 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.9458,-89.9286,35.9044,-89.9492,"A passing upper level disturbance produced a few severe thunderstorms that brought hail and heavy rain to portions of the Midsouth during the mid afternoon of June 16th.","Street and parking lots flooded along with standing water in fields with depths of 4 to 6 inches across Blytheville." +116477,700481,MISSISSIPPI,2017,June,Thunderstorm Wind,"MONROE",2017-06-23 11:15:00,CST-6,2017-06-23 11:25:00,0,0,0,0,2.00K,2000,0.00K,0,33.9861,-88.4581,33.9708,-88.42,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Power line down on Hatley road." +116484,701160,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-23 19:25:00,CST-6,2017-06-23 20:25:00,0,0,0,0,2.00K,2000,0.00K,0,31.5339,-89.3826,31.5352,-89.3831,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Phillips Road West was flooded." +116151,701303,MASSACHUSETTS,2017,June,Thunderstorm Wind,"BRISTOL",2017-06-09 14:34:00,EST-5,2017-06-09 14:34:00,0,0,0,0,1.50K,1500,0.00K,0,42.001,-71.3162,42.001,-71.3162,"Solar heating of a cold unstable air aloft helped generate a few thunderstorms over eastern Massachusetts during the afternoon. These thunderstorms dissipated during the evening.","At 234 PM EST, a tree was reported down on power lines at the World War One Park off Elmwood Street in North Attleboro." +116152,701339,MASSACHUSETTS,2017,June,Thunderstorm Wind,"NORFOLK",2017-06-13 17:15:00,EST-5,2017-06-13 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,42.2189,-70.8084,42.2189,-70.8084,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 515 PM EST, a tree was down and blocking Beechwood Street in Cohasset." +116630,701341,GEORGIA,2017,June,Thunderstorm Wind,"EARLY",2017-06-01 16:14:00,EST-5,2017-06-01 16:14:00,0,0,0,0,0.00K,0,0.00K,0,31.3905,-84.7133,31.3905,-84.7133,"An isolated, brief severe storm developed in Early county with trees blown down.","Trres were blown down on SR-45 north of Damascus." +116639,701376,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 13:15:00,EST-5,2017-06-19 13:15:00,0,0,0,0,1.50K,1500,0.00K,0,42.5349,-72.805,42.5349,-72.805,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 115 PM EST, a tree was reported down along State Route 112 in Ashland." +116890,702812,WISCONSIN,2017,June,Thunderstorm Wind,"TREMPEALEAU",2017-06-12 14:51:00,CST-6,2017-06-12 14:51:00,0,0,0,0,2.00K,2000,0.00K,0,44.22,-91.49,44.22,-91.49,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Trees were blown down south of Arcadia." +116927,703223,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 15:58:00,CST-6,2017-06-16 15:58:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-92.42,44.02,-92.42,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Between quarter and golfball sized hail was reported east of Rochester." +117353,705729,WISCONSIN,2017,June,Thunderstorm Wind,"MANITOWOC",2017-06-12 19:13:00,CST-6,2017-06-12 19:13:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-87.66,44.08,-87.66,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed several trees in the City of Manitowoc. The time of this event is an estimate based on radar data." +117137,705935,ARKANSAS,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-15 22:47:00,CST-6,2017-06-15 22:47:00,0,0,0,0,2.00K,2000,0.00K,0,35.9495,-94.4237,35.9495,-94.4237,"Strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through northwestern Arkansas during the late evening.","Strong thunderstorm wind snapped large tree limbs and blew down a few power poles." +117140,705992,OKLAHOMA,2017,June,Thunderstorm Wind,"PITTSBURG",2017-06-30 19:40:00,CST-6,2017-06-30 19:40:00,0,0,0,0,5.00K,5000,0.00K,0,34.8976,-95.7752,34.8976,-95.7752,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into east-central Oklahoma. The strongest storms produced hail up to quarter size and damaging wind gusts.","Strong thunderstorm wind blew down a large tree onto a travel trailer at the Valley Inn RV Park." +117389,706024,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-13 15:11:00,EST-5,2017-06-13 15:11:00,0,0,0,0,0.50K,500,0.00K,0,40.75,-80.21,40.75,-80.21,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Member of the public reported branches snapped off trees." +117420,706133,WISCONSIN,2017,June,Funnel Cloud,"BROWN",2017-06-17 15:00:00,CST-6,2017-06-17 15:00:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-87.83,44.4,-87.83,"Thunderstorms brought heavy rainfall and some small hail as they moved across eastern Wisconsin. One of the storms produced a narrow funnel cloud in eastern Brown County when it encountered a lake breeze.","A narrow funnel cloud formed north of Denmark in eastern Brown County. The funnel was visible from other nearby counties." +115621,694550,OHIO,2017,June,Thunderstorm Wind,"HAMILTON",2017-06-18 04:53:00,EST-5,2017-06-18 04:58:00,0,0,0,0,5.00K,5000,0.00K,0,39.21,-84.8,39.21,-84.8,"A weakening MCS moved into the region during the early morning hours, producing isolated severe thunderstorms.","Numerous trees were knocked down along Lawrenceburg Road near the Whitewater River." +115622,694552,OHIO,2017,June,Thunderstorm Wind,"FAIRFIELD",2017-06-18 15:00:00,EST-5,2017-06-18 15:07:00,0,0,0,0,4.00K,4000,0.00K,0,39.75,-82.5,39.75,-82.5,"Strong to severe thunderstorms developed ahead of a cold front that was pushing through the region.","Numerous trees were damaged by being twisted at the 5 foot level. The trees were reported to be about 12 inches thick. In addition, another house on the street had one tree knocked down." +115623,694553,KENTUCKY,2017,June,Flash Flood,"LEWIS",2017-06-18 19:49:00,EST-5,2017-06-18 20:49:00,0,0,0,0,5.00K,5000,0.00K,0,38.3884,-83.2797,38.3894,-83.2797,"Thunderstorms developed ahead of a cold front that was pushing through the region, producing heavy rain and flash flooding.","Two road tiles were washed out onto Raccoon Branch Road due to swift flowing water." +115450,694310,MONTANA,2017,June,Hail,"DAWSON",2017-06-13 16:18:00,MST-7,2017-06-13 16:18:00,0,0,0,0,0.00K,0,0.00K,0,47.53,-105.07,47.53,-105.07,"A large low-pressure system moving through the area combined with an unstable atmosphere to create a few strong thunderstorms near the Big Sheep Mountains - one of which became severe.","Trained spotter reported quarter size hail." +115495,694854,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CAMBRIA",2017-06-13 16:51:00,EST-5,2017-06-13 16:51:00,0,0,0,0,4.00K,4000,0.00K,0,40.642,-78.6677,40.642,-78.6677,"Widely scattered thunderstorms developed in a hot and humid airmass over central Pennsylvania during the afternoon of June 13, 2017. A couple of the storms produced reports of wind damage, one report in Cambria County and the other in Lycoming.","A severe thunderstorm producing winds estimated near 60 mph knocked down four trees across roads in Patton along Route 36." +115495,694857,PENNSYLVANIA,2017,June,Thunderstorm Wind,"LYCOMING",2017-06-13 19:22:00,EST-5,2017-06-13 19:22:00,0,0,0,0,3.00K,3000,0.00K,0,41.24,-77.02,41.24,-77.02,"Widely scattered thunderstorms developed in a hot and humid airmass over central Pennsylvania during the afternoon of June 13, 2017. A couple of the storms produced reports of wind damage, one report in Cambria County and the other in Lycoming.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and a pole in Williamsport." +115652,694917,FLORIDA,2017,June,Hail,"VOLUSIA",2017-06-01 14:38:00,EST-5,2017-06-01 14:51:00,0,0,0,0,0.00K,0,0.00K,0,29.1,-81.02,29.05,-81.04,"A sea breeze collision produced a severe thunderstorm over east central Volusia county during the late afternoon. Several reports of quarter to half dollar sized hail were received from Port Orange to New Smyrna Beach.","A trained spotter reported nickel sized hail in Port Orange on Williams Road at 1438LST. The same spotter reported quarter to half dollar sized hail in New Smyrna Beach at 1451LST, from the same storm." +115212,691772,SOUTH DAKOTA,2017,June,Hail,"HARDING",2017-06-05 15:57:00,MST-7,2017-06-05 15:57:00,0,0,0,0,0.00K,0,0.00K,0,45.8445,-103.73,45.8445,-103.73,"A thunderstorm briefly became severe over parts of northern Harding County, producing quarter sized hail near Ladner.","" +115214,691776,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"FALL RIVER",2017-06-05 19:17:00,MST-7,2017-06-05 19:17:00,0,0,0,0,0.00K,0,0.00K,0,43.4293,-103.6961,43.4293,-103.6961,"A line of thunderstorms became severe over Fall River County, producing wind gusts to 60 mph from Edgemont to Angostura Reservoir.","Wind gusts were estimated around 60 mph." +115214,691777,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"FALL RIVER",2017-06-05 19:25:00,MST-7,2017-06-05 19:25:00,0,0,0,0,0.00K,0,0.00K,0,43.3447,-103.4263,43.3447,-103.4263,"A line of thunderstorms became severe over Fall River County, producing wind gusts to 60 mph from Edgemont to Angostura Reservoir.","The spotter estimated wind gusts at 60 mph." +115505,693531,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-07 12:55:00,MST-7,2017-06-07 12:55:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-103.66,44.11,-103.66,"A severe thunderstorm developed over the northern Black Hills, producing lots of hail to quarter size near Mystic.","Hail to quarter size covered the ground." +115507,693532,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-07 15:34:00,MST-7,2017-06-07 15:34:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-103.83,44.02,-103.83,"A severe thunderstorm produced quarter sized hail in the Deerfield area.","" +115502,693524,WYOMING,2017,June,Thunderstorm Wind,"CAMPBELL",2017-06-07 17:20:00,MST-7,2017-06-07 17:20:00,0,0,0,0,0.00K,0,0.00K,0,43.9143,-105.6416,43.9143,-105.6416,"A supercell thunderstorm tracked southward across southern Campbell County, producing strong wind gusts and large hail from east of Savageton to west of Wright.","Wind gusts were estimated at 60 mph." +115502,693525,WYOMING,2017,June,Hail,"CAMPBELL",2017-06-07 18:00:00,MST-7,2017-06-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.7112,-105.6195,43.7112,-105.6195,"A supercell thunderstorm tracked southward across southern Campbell County, producing strong wind gusts and large hail from east of Savageton to west of Wright.","" +115504,693529,WYOMING,2017,June,Hail,"CROOK",2017-06-07 19:05:00,MST-7,2017-06-07 19:15:00,0,0,0,0,,NaN,0.00K,0,44.3825,-104.7785,44.3825,-104.7785,"A thunderstorm briefly became severe over southwestern Crook County, with hail increasing from nickel size to golf ball sized at Keyhole State Park.","" +115210,691766,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-05 15:25:00,MST-7,2017-06-05 15:25:00,0,0,0,0,0.00K,0,0.00K,0,43.9466,-103.5243,43.9466,-103.5243,"A slow-moving thunderstorm became severe over the central Black Hills, producing hail to the size of quarters in the Hill City area.","" +115689,695585,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-23 14:57:00,EST-5,2017-06-23 14:57:00,0,0,0,0,5.00K,5000,0.00K,0,40.24,-77.18,40.24,-77.18,"The remnants of Tropical Storm Cindy brought showers and generally low-topped thunderstorms to central Pennsylvania in a high shear, low CAPE environment. Anomalously high PWATS and a very humid airmass (dewpoints were in the low 70s across the region) led to torrential downpours. A few of the storms exhibited rotation, and one such storm produced sporadic wind damage across Cumberland County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees sporadically across Cumberland County." +115899,696468,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-25 15:25:00,MST-7,2017-06-25 15:28:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-105.22,35.6,-105.22,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail at least the size of hen eggs fell near Las Vegas." +115938,696610,NORTH DAKOTA,2017,June,Tornado,"GRAND FORKS",2017-06-07 11:49:00,CST-6,2017-06-07 11:52:00,0,0,0,0,,NaN,,NaN,48.07,-97.69,48.07,-97.69,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","This tornado was originally reported by the Grand Forks Air Traffic Control Tower and Grand Forks Air Force Base officials. A damage survey found that the tornado tracked for less than half a mile to the east-northeast over largely open fields. Peak winds were estimated at 70 mph." +116159,698340,VERMONT,2017,June,Flood,"RUTLAND",2017-06-19 15:00:00,EST-5,2017-06-19 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,43.6186,-72.9755,43.5995,-72.9699,"Thunderstorms with very heavy rainfall developed in humid conditions as a weak surface front moved through Vermont.","Thunderstorms with heavy rainfall produced 1 to 1.5 inch of rain in about 30 minutes over the urbanized area of Rutland Vermont. Runoff overwhelmed the storm drain system, with widespread street flooding." +116187,698392,COLORADO,2017,June,Hail,"ELBERT",2017-06-29 12:55:00,MST-7,2017-06-29 12:55:00,0,0,0,0,,NaN,,NaN,39.22,-104.19,39.22,-104.19,"Severe thunderstorms produced large hail, up to golfball size, across portions Douglas and Elbert Counties.","" +116187,698393,COLORADO,2017,June,Hail,"LINCOLN",2017-06-29 13:48:00,MST-7,2017-06-29 13:48:00,0,0,0,0,,NaN,,NaN,38.85,-103.79,38.85,-103.79,"Severe thunderstorms produced large hail, up to golfball size, across portions Douglas and Elbert Counties.","" +116187,698394,COLORADO,2017,June,Hail,"LINCOLN",2017-06-29 14:27:00,MST-7,2017-06-29 14:27:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-103.62,38.66,-103.62,"Severe thunderstorms produced large hail, up to golfball size, across portions Douglas and Elbert Counties.","" +116187,698395,COLORADO,2017,June,Hail,"ELBERT",2017-06-29 14:25:00,MST-7,2017-06-29 14:25:00,0,0,0,0,,NaN,,NaN,39.15,-104.49,39.15,-104.49,"Severe thunderstorms produced large hail, up to golfball size, across portions Douglas and Elbert Counties.","" +116187,698396,COLORADO,2017,June,Hail,"ELBERT",2017-06-29 15:38:00,MST-7,2017-06-29 15:38:00,0,0,0,0,0.00K,0,,NaN,38.93,-103.74,38.93,-103.74,"Severe thunderstorms produced large hail, up to golfball size, across portions Douglas and Elbert Counties.","" +116118,697909,WYOMING,2017,June,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-06-12 13:50:00,MST-7,2017-06-12 20:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","High winds occurred across much of the Green and Rattlesnake Ranges. The highest winds occurred at Camp Creek where several gusts of hurricane force occurred with a maximum gusts of 86 mph. Some other notable gusts included 82 mph at Fales Rock and 66 mph at Beaver Rim." +116278,699163,WYOMING,2017,June,Thunderstorm Wind,"FREMONT",2017-06-27 11:55:00,MST-7,2017-06-27 11:55:00,0,0,0,0,0.00K,0,0.00K,0,43.55,-109.7,43.55,-109.7,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","A wind gust of 64 mph was reported at the DuBois airport." +116278,699165,WYOMING,2017,June,Thunderstorm Wind,"BIG HORN",2017-06-27 13:10:00,MST-7,2017-06-27 13:10:00,0,0,0,0,0.00K,0,0.00K,0,44.52,-108.08,44.52,-108.08,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","A 59 mph wind gust was recorded at the Greybull airport." +116278,699170,WYOMING,2017,June,Thunderstorm Wind,"HOT SPRINGS",2017-06-27 13:22:00,MST-7,2017-06-27 13:22:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-108.18,43.8,-108.18,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","A weather station in Kirby reported a wind gust of 63 mph." +116278,699172,WYOMING,2017,June,Thunderstorm Wind,"NATRONA",2017-06-27 13:00:00,MST-7,2017-06-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8478,-106.3193,42.8478,-106.3193,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","A trained spotter reported a tree blown down on a car in downtown Casper." +116439,709988,ILLINOIS,2017,June,Flash Flood,"PEORIA",2017-06-17 20:15:00,CST-6,2017-06-17 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9229,-89.4711,40.8456,-89.9654,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 3.00 inches was reported within a 90 minute period during the evening hours, which resulted in rapid flash flooding. Numerous streets from the northwest side of Peoria to Dunlap, and in the village of Chillicothe were flooded. Several county highways were also impassable from Kickapoo to Mossville." +116439,709989,ILLINOIS,2017,June,Flood,"PEORIA",2017-06-17 22:45:00,CST-6,2017-06-18 05:30:00,0,0,0,0,0.00K,0,0.00K,0,40.9229,-89.4711,40.8456,-89.9654,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 3.00 inches was reported within a 90 minute period during the evening hours, which resulted in rapid flash flooding. Numerous streets from the northwest side of Peoria to Dunlap, and in the village of Chillicothe were flooded. Several county highways were also impassable from Kickapoo to Mossville. Additional rainfall during the late evening and overnight hours kept many roads flooded. The flooding subsided by daybreak on June 18th." +115874,696356,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-23 14:32:00,MST-7,2017-06-23 14:34:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-105.4,35.61,-105.4,"A back door cold front that brought an end to the blazing heatwave across northeastern New Mexico provided enough moisture for a few showers and thunderstorms along the east slopes of the Sangre de Cristo Mountains. A particularly strong thunderstorm developed over far western San Miguel County and moved southeast toward Interstate 25 during the mid afternoon hours. This storm intensified near San Geronimo and Mineral Hill and produced up to golf ball size hail.","Hail up to the size of golf balls reported in Mineral Hill." +115874,700741,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-23 15:04:00,MST-7,2017-06-23 15:05:00,0,0,0,0,0.00K,0,0.00K,0,35.7468,-105.329,35.7468,-105.329,"A back door cold front that brought an end to the blazing heatwave across northeastern New Mexico provided enough moisture for a few showers and thunderstorms along the east slopes of the Sangre de Cristo Mountains. A particularly strong thunderstorm developed over far western San Miguel County and moved southeast toward Interstate 25 during the mid afternoon hours. This storm intensified near San Geronimo and Mineral Hill and produced up to golf ball size hail.","Hail up to the size of ping pong balls fell near Las Dispensas, NM." +115392,692839,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-07 17:37:00,MST-7,2017-06-07 17:43:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-105.59,33.54,-105.59,"An upper level ridge centered over western New Mexico and low level moisture in place over eastern New Mexico continued to generate active weather across the area for the fourth day in a row. Showers and thunderstorms developed along the central mountain chain during early afternoon hours and pushed slowly southeast onto the adjacent high plains. A strong thunderstorm moving southeast across Interstate 25 near Las Vegas dumped six inches of hail on the highway. A long-lived supercell thunderstorm that developed over Guadalupe County broke a car windshield near Anton Chico then produced two inches of quarter size hail near Milagro. The second day of severe thunderstorms near Capitan produced an impressive mesocyclone, several inches of quarter to golf ball size hail, and minor flooding.","Hail up to the size of golf balls in Capitan. Heavy rainfall and hail accumulations at Brewer Ranch produced flooding in low lying areas." +115982,697070,TEXAS,2017,June,Thunderstorm Wind,"BAILEY",2017-06-25 22:20:00,CST-6,2017-06-25 22:25:00,0,0,0,0,2.00K,2000,,NaN,34.1933,-102.7434,34.1933,-102.7434,"Widespread northwest flow storms impacted a large portion of West Texas from late on the 25th through the early morning hours of the 26th. Several thunderstorms embedded within the widespread activity generated severe wind gusts measured by Texas Tech University West Texas mesonets.","A Texas Tech University West Texas mesonet site near Muleshoe measured a wind gust to 72 mph at 2220 CST and then 82 mph at 2225 CST. Several windows were destroyed in a restaurant in Muleshoe." +116539,700794,TENNESSEE,2017,June,Lightning,"SHELBY",2017-06-30 13:30:00,CST-6,2017-06-30 14:22:00,0,0,0,1,,NaN,0.00K,0,35.2381,-89.7489,35.2381,-89.7489,"A thunderstorm over portions of southwest Tennessee generated an indirect lightning death during the afternoon hours of June 30th.","Lightning strike at a residence caused a fire which resulted in one fatality." +116641,701373,GEORGIA,2017,June,Drought,"WHITE",2017-06-01 00:00:00,EST-5,2017-06-08 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abnormally wet conditions continued through the month of June, prompting an end to the long-term drought conditions over north and central Georgia. Officially, only Lumpkin and White counties remained in the D2 Severe Drought through the first week of June, and then were removed.||In total for the month, rainfall amounts ranged between 3 to 20 inches, with a majority of north and central Georgia receiving widespread 5 to 15 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 10 inches for the previous 365-day period, or generally 85 to 100 percent of normal. The 90-day rainfall deficits continued to reflect the drought recovery period, with rainfall amounts at all locations ranging from 97 to 177 percent of normal. ||By the end of June, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month at or slightly above summer pool elevation. Lake Lanier was still slow to fill, ending the month approximately 6.5 feet below summer pool.","" +116641,701372,GEORGIA,2017,June,Drought,"LUMPKIN",2017-06-01 00:00:00,EST-5,2017-06-08 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abnormally wet conditions continued through the month of June, prompting an end to the long-term drought conditions over north and central Georgia. Officially, only Lumpkin and White counties remained in the D2 Severe Drought through the first week of June, and then were removed.||In total for the month, rainfall amounts ranged between 3 to 20 inches, with a majority of north and central Georgia receiving widespread 5 to 15 inches. These widespread amounts were 150 to 400 percent of normal. Rainfall deficits at the official climate sites generally fell below 10 inches for the previous 365-day period, or generally 85 to 100 percent of normal. The 90-day rainfall deficits continued to reflect the drought recovery period, with rainfall amounts at all locations ranging from 97 to 177 percent of normal. ||By the end of June, reservoirs in north and central Georgia were continuing to recover or were considered to be at or above summer full pool. Lake Allatoona, West Point, and Carters ended the month at or slightly above summer pool elevation. Lake Lanier was still slow to fill, ending the month approximately 6.5 feet below summer pool.","" +116631,701347,FLORIDA,2017,June,Tornado,"FRANKLIN",2017-06-20 09:15:00,EST-5,2017-06-20 09:20:00,0,0,0,0,10.00K,10000,0.00K,0,29.6393,-84.9077,29.6449,-84.9087,"On the morning of June 20, a low-topped supercell associated with a tropical disturbance (future Tropical Storm Cindy) moved across the western portion of St. George Island. The cell produced a weak tornado as it crossed the island.","A tornadic waterspout moved onshore western portion of St. George Island, causing minor tree damage and minor roof damage to 3 well-built coastal homes. Video on social media confirms that the tornado was on the ground as it crossed the beach. Damage was supportive of high end EF0 rating with max winds estimated near 85 mph. The survey was conducted with help and data from Franklin County Emergency Management." +115742,697063,KENTUCKY,2017,June,Flash Flood,"CARTER",2017-06-23 19:05:00,EST-5,2017-06-24 02:00:00,0,0,0,0,2.30M,2300000,0.00K,0,38.4745,-83.1338,38.3131,-83.2269,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","Significant flash flooding occurred in multiple spots across the county. Some of the first reports came from Carter Caves State Park where James Branch began flooding after 1.5 inches of rain in just over an hour. At the Carter County Fairgrounds, hundreds of folks were gathered for a music festival, many of whom were camping on the grounds. Barrett Creek, which runs next to the fairgrounds flooded, resulting in 139 campers and/or tow vehicles being damaged or totaled. Water rescues were performed, but fortunately there were no flood related injuries or deaths. Three sheriff cruisers were also totaled by the flood waters. Additional flooding occurred in Grayson and Olive Hill, where multiple houses were flooded. There was also flooding along US Route 60 and at the intersection of State Routes 654 and 854 near the Boyd County line." +115744,695683,WEST VIRGINIA,2017,June,Thunderstorm Wind,"WAYNE",2017-06-23 22:05:00,EST-5,2017-06-23 22:05:00,0,0,0,0,0.50K,500,0.00K,0,38.12,-82.59,38.12,-82.59,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Two trees were downed by gusty winds and wet soil conditions along Route 52." +114465,686474,VIRGINIA,2017,April,Flood,"SMYTH",2017-04-23 17:30:00,EST-5,2017-04-24 05:30:00,0,0,0,0,75.00K,75000,0.00K,0,36.8605,-81.4695,36.811,-81.5295,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Significant flooding affected much of Smyth County, especially in the Marion to Chilhowie corridor. Chilhowie had flooding in the town park with the Middle Fork Holston River rising all the way across the park to Railroad Avenue. The water also reached across Highway 107 between Berry Metals and McDonald���s leading to a closure of that section of road. Old vehicles were under water at Berry���s and the water covered part of McDonald���s parking lot in the front and the back. Water came up to a church next to the town park and the field next to the Smyth County Tourism Center flooded. Flood waters damaged houses on both ends of town and several businesses on Main Street. The Middle Fork of the Holston River was reported to be flooding near the intersection of VA Route 622 and US Highway 11, about 1 mile from exit 50 off Interstate 81. Flooding was reported on Old Lake Road with a driver stranded in a vehicle. Fox Valley Road was also reported to be flooded and closed from the Middle Fork of the Holston River.||The Middle Fork Holston River USGS gage at Seven Mile Ford (SMFV2) crested at 6.57 feet (preliminary) early on the 24th. This was the highest reading on this gage since November 2003. According to USGS data the discharge of 6800 cfs at this gage has annual chance exceedance between 0.1 and 0.2 (between 5-year and 10-year return period)." +117467,706467,ARKANSAS,2017,June,Hail,"BOONE",2017-06-15 09:20:00,CST-6,2017-06-15 09:20:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-93.19,36.39,-93.19,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","" +114396,686057,KANSAS,2017,March,Hail,"LEAVENWORTH",2017-03-06 19:01:00,CST-6,2017-03-06 19:04:00,0,0,0,0,,NaN,,NaN,39.2954,-95.0589,39.2954,-95.0589,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Emergency Management reported golf ball sized hail at 207th Road and Springdale Road." +117467,706468,ARKANSAS,2017,June,Thunderstorm Wind,"DREW",2017-06-15 19:30:00,CST-6,2017-06-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-91.77,33.61,-91.77,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","A large tree was blown down on Old Dermott Rd. near Cherry St. Power lines were also blown down." +117467,706469,ARKANSAS,2017,June,Hail,"DESHA",2017-06-16 17:54:00,CST-6,2017-06-16 17:54:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-91.21,33.61,-91.21,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","" +113493,679382,NEW YORK,2017,March,Strong Wind,"EASTERN RENSSELAER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +117244,705531,WYOMING,2017,June,Flood,"LINCOLN",2017-06-05 00:00:00,MST-7,2017-06-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2103,-109.9773,42.1431,-109.9979,"Warming temperatures in June brought rapid snow melt of mountain snow pack and led to flooding around portions of Sublette County, especially along the New Fork and Green Rivers as well as some of it's tributaries. Several low lying BLM roads were damaged or washed out during the flooding, with some roads having over 2 feet of water on them. In addition, many low lying areas had several days of flooding. However, all major state highways and bridges remained open during the flooding. There was no structural damage to buildings with most damage limited to the aforementioned gravel and dirt roads in low lying areas.","High water was reported to have completely washed out several BLM and USFS roads near the Green River in northern Lincoln County north of the Fontenelle Reservoir." +117244,705532,WYOMING,2017,June,Flood,"SUBLETTE",2017-06-05 00:00:00,MST-7,2017-06-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5555,-109.9623,42.5481,-109.9364,"Warming temperatures in June brought rapid snow melt of mountain snow pack and led to flooding around portions of Sublette County, especially along the New Fork and Green Rivers as well as some of it's tributaries. Several low lying BLM roads were damaged or washed out during the flooding, with some roads having over 2 feet of water on them. In addition, many low lying areas had several days of flooding. However, all major state highways and bridges remained open during the flooding. There was no structural damage to buildings with most damage limited to the aforementioned gravel and dirt roads in low lying areas.","The Sublette County Emergency Manager reported several BLM and USFS roads were washed out by flooding near the New Fork River." +116969,703453,IOWA,2017,June,Thunderstorm Wind,"FLOYD",2017-06-22 19:50:00,CST-6,2017-06-22 19:50:00,0,0,0,0,1.00K,1000,0.00K,0,43.13,-92.74,43.13,-92.74,"A line of thunderstorms developed over northeast Iowa during the evening of June 22nd. Most of these were non-severe storms that produced some pea sized hail. However, one storm briefly became strong enough to drop quarter sized hail and blow down some large tree branches in Floyd (Floyd County).","Several large tree branches were blown down in Floyd." +116278,699164,WYOMING,2017,June,Thunderstorm Wind,"WASHAKIE",2017-06-27 12:55:00,MST-7,2017-06-27 13:50:00,0,0,0,0,10.00K,10000,0.00K,0,44.0166,-107.9554,44.1067,-107.224,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","The Worland airport reported a thunderstorm wind gust to 69 mph. This led to many trees and power lines being blown down in the city of Worland. The hardest hit areas were between South 10th and South 15th street as well as between Culbertson and Washakie Streets. A gust of 65 mph was measured at the Leigh Creek RAWS site." +116368,699857,TENNESSEE,2017,June,Flash Flood,"CARROLL",2017-06-01 19:28:00,CST-6,2017-06-01 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.9825,-88.6786,35.9715,-88.6844,"An unstable atmosphere allowed for a few thunderstorms to reach strong to severe limits during the afternoon and early evening hours of June 1st.","Peggy Lane was flooded out near Highway 79 and Highway 70A." +116368,699855,TENNESSEE,2017,June,Hail,"SHELBY",2017-06-01 12:10:00,CST-6,2017-06-01 12:15:00,0,0,0,0,0.00K,0,0.00K,0,35.1069,-90.0321,35.1069,-90.0321,"An unstable atmosphere allowed for a few thunderstorms to reach strong to severe limits during the afternoon and early evening hours of June 1st.","Hail fell at South Parkway and Mississippi Boulevard in Memphis." +112775,675259,MINNESOTA,2017,March,Tornado,"FARIBAULT",2017-03-06 17:04:00,CST-6,2017-03-06 17:15:00,0,0,0,0,0.00K,0,0.00K,0,43.5701,-93.8204,43.6635,-93.6861,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A NWS storm survey indicated that a EF1 tornado touched down just northwest of Bricelyn, and moved northeast, damaging a campground at Rice Lake, then it moved just north of I-90 before lifting. Several camper trailers were overturned or lofted, numerous trees were uprooted or broken, several sheds were damaged, and one barn collapsed." +112775,673772,MINNESOTA,2017,March,Hail,"WRIGHT",2017-03-06 16:45:00,CST-6,2017-03-06 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.9838,-94.2536,45.0775,-94.1652,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","Several reports of large hail, up to golf ball size, fell near the McLeod, and Wright County line, northeast to Cokato and then northeast of Cokato." +112775,673767,MINNESOTA,2017,March,Hail,"MCLEOD",2017-03-06 16:38:00,CST-6,2017-03-06 16:42:00,0,0,0,0,0.00K,0,0.00K,0,44.8968,-94.3849,44.9792,-94.2737,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to quarter size, fell from Hutchinson, northeast to the Meeker County line. Almost all of the hail was dime size or smaller." +112775,673766,MINNESOTA,2017,March,Hail,"BENTON",2017-03-06 16:28:00,CST-6,2017-03-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,45.7501,-94.2624,45.8136,-94.1638,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A swath of large hail, up to quarter size, fell near Rice, and northeast of Rice to the Morrison County line. Almost all of the hail was dime size or smaller." +112775,673952,MINNESOTA,2017,March,Thunderstorm Wind,"SHERBURNE",2017-03-06 17:56:00,CST-6,2017-03-06 17:56:00,0,0,0,0,0.00K,0,0.00K,0,45.5561,-93.5938,45.5589,-93.5924,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","Large trees were blown down along Highway 169, in Princeton. This was associated with the secondary downburst from the previous tornado in northeast Sherburne County." +117539,706908,ARIZONA,2017,June,Wildfire,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-06-26 16:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Goodwin Fire burned just over 28,500 acres in the Bradshaw Mountains between Prescott and Mayer. The vegetation was predominantly dense chaparral and ponderosa pine stands in the drainages. Significant flooding occurred in and below the fire scare during the rainy season just a few days after the fire was contained.","The Goodwin Fire started in the Yavapai County Mountains (Fire Weather Zone above 5000 feet) and then spread down below 5,000 feet elevation into the Yavapai County Valleys and Basins Fire Weather zone. Around 25,700 total acres burned by the end of June. By July 10, the fire burned around 28,500 total acres. Approximately 16,000 total acres burned above 5000 feet with the rest burning in the Yavapai Valleys and Basins Fire Weather Zone." +117546,706923,WASHINGTON,2017,June,Thunderstorm Wind,"WALLA WALLA",2017-06-08 15:38:00,PST-8,2017-06-08 15:44:00,0,0,0,0,1.00K,1000,0.00K,0,46.07,-118.34,46.07,-118.34,"A disturbance caused strong to locally severe thunderstorms over Umatilla county in Oregon and Walla Walla county in Washington.","Power lines down due to strong wind gust at Pioneer Park in Walla Walla. Damage amount estimated." +114465,694646,VIRGINIA,2017,April,Flood,"PITTSYLVANIA",2017-04-24 00:00:00,EST-5,2017-04-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6464,-79.4535,36.882,-79.585,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Up to 15 roads across Pittsylvania County were closed due to flooding or trees down." +117541,706902,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-12 18:15:00,MST-7,2017-06-12 18:15:00,0,0,0,0,,NaN,,NaN,42.49,-102.69,42.49,-102.69,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706903,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-12 18:50:00,MST-7,2017-06-12 18:50:00,0,0,0,0,,NaN,,NaN,42.66,-102.54,42.66,-102.54,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706904,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-12 18:56:00,MST-7,2017-06-12 18:56:00,0,0,0,0,,NaN,,NaN,42.63,-102.51,42.63,-102.51,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706906,NEBRASKA,2017,June,Hail,"SHERIDAN",2017-06-12 19:25:00,MST-7,2017-06-12 19:25:00,0,0,0,0,,NaN,,NaN,42.08,-102.67,42.08,-102.67,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706913,NEBRASKA,2017,June,Hail,"BROWN",2017-06-13 14:52:00,CST-6,2017-06-13 14:52:00,0,0,0,0,,NaN,,NaN,42.2,-99.86,42.2,-99.86,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706914,NEBRASKA,2017,June,Hail,"KEYA PAHA",2017-06-13 15:17:00,CST-6,2017-06-13 15:17:00,0,0,0,0,,NaN,,NaN,42.91,-99.34,42.91,-99.34,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117576,707140,TEXAS,2017,June,Tropical Storm,"CHAMBERS",2017-06-21 11:00:00,CST-6,2017-06-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy made landfall in southwestern Louisiana between Port Arthur, TX and Cameron, LA in the early morning hours of June 22nd. Cindy's main impact was minor coastal flooding around Galveston Island and especially the Bolivar Peninsula. Storm total rainfall ranged from around one quarter inch at Houston Intercontinental Airport to 4.33 inches on the Bolivar Peninsula with the highest amounts generally across Chambers, Galveston and Liberty counties as well as the Bolivar Peninsula. The highest sustained wind of 37 knots (43 mph) was recorded at WeatherFlow site KCRB on the Bolivar Peninsula and the peak gust of 45 knots (52 mph) was recorded at Rollover Pass on the Bolivar Peninsula. The lowest sea-level pressure was 999 mb at Galveston Scholes Field. Minor coastal flooding was the tropical storm's main impact. Despite predominant offshore winds, long period swells and associated wave run up led to a rise in water levels along Gulf facing beaches. In addition, a persistent northerly wind component lead to a pile up of water on north facing Bay side beaches. Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact. Minor coastal flooding was also experienced around Surfside and Blue Water Highway in Brazoria County.","Chambers County was closest to the center of Cindy and experienced most of the highest rainfall totals with some areas receiving 3 to 5 inches." +117576,707141,TEXAS,2017,June,Tropical Storm,"GALVESTON",2017-06-21 11:00:00,CST-6,2017-06-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy made landfall in southwestern Louisiana between Port Arthur, TX and Cameron, LA in the early morning hours of June 22nd. Cindy's main impact was minor coastal flooding around Galveston Island and especially the Bolivar Peninsula. Storm total rainfall ranged from around one quarter inch at Houston Intercontinental Airport to 4.33 inches on the Bolivar Peninsula with the highest amounts generally across Chambers, Galveston and Liberty counties as well as the Bolivar Peninsula. The highest sustained wind of 37 knots (43 mph) was recorded at WeatherFlow site KCRB on the Bolivar Peninsula and the peak gust of 45 knots (52 mph) was recorded at Rollover Pass on the Bolivar Peninsula. The lowest sea-level pressure was 999 mb at Galveston Scholes Field. Minor coastal flooding was the tropical storm's main impact. Despite predominant offshore winds, long period swells and associated wave run up led to a rise in water levels along Gulf facing beaches. In addition, a persistent northerly wind component lead to a pile up of water on north facing Bay side beaches. Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact. Minor coastal flooding was also experienced around Surfside and Blue Water Highway in Brazoria County.","Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact." +121937,729911,INDIANA,2017,December,Winter Weather,"FRANKLIN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th. Highest snowfall accumulations were focused along the I-70 corridor.","The observer from Brookville measured 1.5 inches of snow." +121937,729912,INDIANA,2017,December,Winter Weather,"RIPLEY",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th. Highest snowfall accumulations were focused along the I-70 corridor.","Two observers in Batesville measured 1.1 inches of snow. Other observers from northeast of Osgood, Batesville, and Napoleon measured an inch." +121937,729913,INDIANA,2017,December,Winter Weather,"WAYNE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th. Highest snowfall accumulations were focused along the I-70 corridor.","The Richmond Water Works observer measured 3.5 inches of snow." +121936,729914,OHIO,2017,December,Winter Weather,"ADAMS",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The observer located 6 miles northeast of West Union measured 0.6 inches of snow, while the county garage southwest of town measured a half inch." +119919,718987,CALIFORNIA,2017,September,Strong Wind,"SAN FRANCISCO PENINSULA COAST",2017-09-11 03:18:00,PST-8,2017-09-11 03:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Measured wind gust recorded at Spring Valley Raws of 54 mph." +119919,718988,CALIFORNIA,2017,September,Strong Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-09-11 03:32:00,PST-8,2017-09-11 03:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Measured wind gust of 39 mph at the Los Gatos Raws." +119919,719051,CALIFORNIA,2017,September,Lightning,"SAN FRANCISCO",2017-09-11 20:30:00,PST-8,2017-09-11 20:32:00,0,0,0,0,0.00K,0,0.00K,0,37.6196,-122.3738,37.6196,-122.3738,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","News article from SF Gate reports that an airline worker was nearly struck by lightning at Ssan Francisco International Airport http://www.sfgate.com/news/bayarea/article/Airline-Worker-Nearly-Struck-By-Lightning-Monday-12191284.php." +121936,729915,OHIO,2017,December,Winter Weather,"AUGLAIZE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage south of Wapakoneta measured 4 inches of snow." +116915,703089,WISCONSIN,2017,June,Flood,"VILAS",2017-06-11 17:30:00,CST-6,2017-06-11 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,45.9692,-89.895,45.9733,-89.8888,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Heavy rainfall caused street flooding in Lac du Flambeau. A spotter in the area measured 6.5 inches of rain for the day." +121936,729916,OHIO,2017,December,Winter Weather,"BROWN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Georgetown measured 0.8 inches of snow." +116915,703092,WISCONSIN,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-11 17:22:00,CST-6,2017-06-11 17:22:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-89.8,45.88,-89.8,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds downed trees near Minocqua." +116915,703094,WISCONSIN,2017,June,Thunderstorm Wind,"ONEIDA",2017-06-11 18:20:00,CST-6,2017-06-11 18:20:00,0,0,0,0,0.00K,0,0.00K,0,45.81,-89.82,45.81,-89.82,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds uprooted several trees west of Hazelhurst near Camp 9 Road." +116915,703096,WISCONSIN,2017,June,Thunderstorm Wind,"FLORENCE",2017-06-11 19:12:00,CST-6,2017-06-11 19:12:00,0,0,0,0,0.00K,0,0.00K,0,45.93,-88.35,45.93,-88.35,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds downed trees and power lines west of Florence." +116915,703097,WISCONSIN,2017,June,Thunderstorm Wind,"FLORENCE",2017-06-11 19:12:00,CST-6,2017-06-11 19:12:00,0,0,0,0,0.00K,0,0.00K,0,45.93,-88.35,45.93,-88.35,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds downed trees and power lines west of Florence." +117784,708108,CALIFORNIA,2017,June,Excessive Heat,"COACHELLA VALLEY",2017-06-20 10:00:00,PST-8,2017-06-20 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure and a dry airmass helped temperatures sore in inland areas from the 16th through the 27th. The heat was most intense in the deserts on the 20th, 24th, and 25th with Palm Springs reaching 122 degrees on all three days. Temperatures peaked in the 100-110 degree range over the San Diego County Valleys and Inland Empire on the 20th, 24th and 25th. Flex Alerts were issued asking customers to conserve power.","Palm Springs recorded an afternoon high of 122 degrees, just on degree shy of the all time record." +117784,708110,CALIFORNIA,2017,June,Heat,"SAN DIEGO COUNTY VALLEYS",2017-06-20 12:00:00,PST-8,2017-06-21 23:00:00,5,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure and a dry airmass helped temperatures sore in inland areas from the 16th through the 27th. The heat was most intense in the deserts on the 20th, 24th, and 25th with Palm Springs reaching 122 degrees on all three days. Temperatures peaked in the 100-110 degree range over the San Diego County Valleys and Inland Empire on the 20th, 24th and 25th. Flex Alerts were issued asking customers to conserve power.","Three Sister Hiking trail was closed on the 20th and 21st after 5 hikers suffering from heat related illnesses were rescued from the tail on the 20th. The high temperature in the nearby town of Ramona was 101 degrees." +117784,708118,CALIFORNIA,2017,June,Excessive Heat,"SAN DIEGO COUNTY DESERTS",2017-06-20 10:00:00,PST-8,2017-06-20 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure and a dry airmass helped temperatures sore in inland areas from the 16th through the 27th. The heat was most intense in the deserts on the 20th, 24th, and 25th with Palm Springs reaching 122 degrees on all three days. Temperatures peaked in the 100-110 degree range over the San Diego County Valleys and Inland Empire on the 20th, 24th and 25th. Flex Alerts were issued asking customers to conserve power.","Anza Borrego State Park reported an afternoon high of 121 degrees, just one degree shy of the all-time record. Other nearby mesonets reported temperatures of 124-125 degrees." +117784,708113,CALIFORNIA,2017,June,Heat,"SAN DIEGO COUNTY VALLEYS",2017-06-17 14:00:00,PST-8,2017-06-17 18:00:00,8,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure and a dry airmass helped temperatures sore in inland areas from the 16th through the 27th. The heat was most intense in the deserts on the 20th, 24th, and 25th with Palm Springs reaching 122 degrees on all three days. Temperatures peaked in the 100-110 degree range over the San Diego County Valleys and Inland Empire on the 20th, 24th and 25th. Flex Alerts were issued asking customers to conserve power.","Eight people suffered heat related illnesses hiking Three Sister Trail, 2 had to be airlifted to the hospital, and a third was transported to the hospital via ambulance. The high temperature in the nearby town of Ramona was 95 degrees." +117778,708086,CALIFORNIA,2017,June,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-06-16 02:00:00,PST-8,2017-06-16 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A weak ridge of high pressure and a shallow marine layer contributed to dense fog along the San Diego County coast on the 16th.","Dense fog rolled into coastal areas during the early morning hours and lingered through daybreak. Multiple ASOS stations, including Brown Field Municipal Airport, Miramar MCAS/Mitscher Field Airport, Imperial Beach Naval Outlying Field, and Mcclellan-Palomar Airport reported visibility of 1/4 mile or less." +115500,693523,NORTH DAKOTA,2017,June,Hail,"DUNN",2017-06-13 22:16:00,MST-7,2017-06-13 22:18:00,0,0,0,0,0.00K,0,0.00K,0,47.37,-102.75,47.37,-102.75,"A strong low pressure system moving through the region resulted in thunderstorms developing in the late afternoon and early evening over portions of south central North Dakota into the James River Valley. One storm became severe over Logan County, with one-inch diameter hail. Later that night additional thunderstorms developed over western North Dakota as the low gradually lifted north, with sub-severe hail reported.","" +115449,693280,NORTH DAKOTA,2017,June,Thunderstorm Wind,"KIDDER",2017-06-02 14:25:00,CST-6,2017-06-02 14:28:00,0,0,0,0,0.00K,0,0.00K,0,46.92,-99.83,46.92,-99.83,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","Thunderstorm wind gusts were estimated by a trained spotter." +115449,693281,NORTH DAKOTA,2017,June,Hail,"KIDDER",2017-06-02 14:50:00,CST-6,2017-06-02 14:52:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-99.68,46.88,-99.68,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115449,693282,NORTH DAKOTA,2017,June,Hail,"KIDDER",2017-06-02 15:00:00,CST-6,2017-06-02 15:03:00,0,0,0,0,0.00K,0,0.00K,0,47.14,-99.78,47.14,-99.78,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115449,693283,NORTH DAKOTA,2017,June,Hail,"KIDDER",2017-06-02 16:00:00,CST-6,2017-06-02 16:03:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-99.48,46.88,-99.48,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115449,693284,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-02 16:15:00,CST-6,2017-06-02 16:18:00,0,0,0,0,0.00K,0,0.00K,0,46.74,-99.43,46.74,-99.43,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115449,693285,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-02 16:18:00,CST-6,2017-06-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,46.92,-99.38,46.92,-99.38,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115449,693286,NORTH DAKOTA,2017,June,Hail,"STUTSMAN",2017-06-02 16:34:00,CST-6,2017-06-02 16:36:00,0,0,0,0,0.00K,0,0.00K,0,46.9,-99.3,46.9,-99.3,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +117324,705637,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 15:00:00,CST-6,2017-06-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3497,-100.3299,39.3497,-100.3299,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705643,KANSAS,2017,June,Hail,"WICHITA",2017-06-20 15:10:00,CST-6,2017-06-20 15:25:00,0,0,0,0,0.00K,0,0.00K,0,38.641,-101.146,38.641,-101.146,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","The hail sizes ranged from nickel to quarter in size. Estimated time of report from radar." +117324,705644,KANSAS,2017,June,Hail,"GOVE",2017-06-20 15:16:00,CST-6,2017-06-20 15:16:00,0,0,0,0,0.00K,0,0.00K,0,39.0664,-100.2596,39.0664,-100.2596,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","Nickel to quarter size hail fell at mile marker 106 on I-70." +117324,705645,KANSAS,2017,June,Hail,"LOGAN",2017-06-20 15:23:00,CST-6,2017-06-20 15:38:00,0,0,0,0,0.00K,0,0.00K,0,39.0678,-100.9245,39.0678,-100.9245,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","Quite a bit of the hail was quarter to ping-pong size. The hail has been falling for 15 minutes so far, with the hail beginning to get smaller." +117324,705646,KANSAS,2017,June,Hail,"LOGAN",2017-06-20 15:40:00,CST-6,2017-06-20 15:40:00,0,0,0,0,0.00K,0,0.00K,0,39.0819,-100.8506,39.0819,-100.8506,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","A few larger hailstones also fell, but no measurement on those." +117324,705647,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 15:48:00,CST-6,2017-06-20 15:48:00,0,0,0,0,0.00K,0,0.00K,0,39.276,-100.3241,39.276,-100.3241,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","The report was second hand information." +117614,707996,OKLAHOMA,2017,June,Hail,"BEAVER",2017-06-13 16:50:00,CST-6,2017-06-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-100.51,36.51,-100.51,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117614,707998,OKLAHOMA,2017,June,Hail,"BEAVER",2017-06-13 17:06:00,CST-6,2017-06-13 17:06:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-100.34,36.68,-100.34,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117614,707997,OKLAHOMA,2017,June,Hail,"BEAVER",2017-06-13 16:54:00,CST-6,2017-06-13 16:54:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-100.48,36.54,-100.48,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117614,707999,OKLAHOMA,2017,June,Hail,"BEAVER",2017-06-13 18:20:00,CST-6,2017-06-13 18:20:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.17,36.62,-100.17,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117614,708000,OKLAHOMA,2017,June,Hail,"BEAVER",2017-06-13 18:22:00,CST-6,2017-06-13 18:22:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-100.12,36.59,-100.12,"Severe Weather over the Panhandles with the main threats being hail around 2 inches in diameter and 60 mph wind gusts or greater. Bulk shear values will range between 40 and 55 knots with most unstable CAPE values around 2000 to 3500 J/kg. Flow aloft combined with dryline orientation suggested discrete cells initially with some cells expected to rotate and transition to a line of storms. Models indicated high values of DCAPE suggesting strong outflow boundaries and more interaction with other nearby storms.","" +117754,708001,TEXAS,2017,June,Hail,"GRAY",2017-06-15 14:48:00,CST-6,2017-06-15 14:48:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-100.74,35.6,-100.74,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +116702,703217,NORTH CAROLINA,2017,June,Hail,"ROCKINGHAM",2017-06-13 15:46:00,EST-5,2017-06-13 15:46:00,0,0,0,0,,NaN,,NaN,36.45,-79.63,36.45,-79.63,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +116702,703218,NORTH CAROLINA,2017,June,Hail,"ALLEGHANY",2017-06-13 17:27:00,EST-5,2017-06-13 17:27:00,0,0,0,0,,NaN,,NaN,36.56,-80.94,36.56,-80.94,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","" +116964,703420,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-14 17:30:00,EST-5,2017-06-14 17:30:00,0,0,0,0,1.00K,1000,,NaN,36.8349,-79.3711,36.8379,-79.3591,"High pressure off the coast had been advecting warm and unstable air into the region for a couple of days. A weak backdoor cold front north of the region would push south into the unstable air mass triggering a couple of severe thunderstorms.","Thunderstorm wind gusts caused two trees to fall down on Chalk Level Road less than a mile apart." +116964,703417,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-14 17:45:00,EST-5,2017-06-14 17:45:00,0,0,0,0,0.50K,500,,NaN,36.8265,-79.3203,36.8265,-79.3203,"High pressure off the coast had been advecting warm and unstable air into the region for a couple of days. A weak backdoor cold front north of the region would push south into the unstable air mass triggering a couple of severe thunderstorms.","Thunderstorm wind gusts caused a tree to fall down on Halifax Road." +116963,703416,NORTH CAROLINA,2017,June,Thunderstorm Wind,"ROCKINGHAM",2017-06-14 19:06:00,EST-5,2017-06-14 19:06:00,0,0,0,0,80.00K,80000,,NaN,36.37,-80.029,36.39,-80.03,"High pressure off the coast had been advecting warm and unstable air into the region for a couple of days. A weak backdoor cold front north of the region would push south into the unstable air mass triggering a couple of severe thunderstorms.","Multiple trees were reported down due to thunderstorm winds near the county line. The Emergency Manager reported that one of the trees fell on a house destroying it. The building inspector condemned the structure." +116968,705069,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-15 17:22:00,EST-5,2017-06-15 17:22:00,0,0,0,0,3.00K,3000,,NaN,37.22,-80.01,37.22,-80.01,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds downed a power pole within the community of Cave Spring, causing power outages." +118017,709452,CONNECTICUT,2017,June,Hail,"TOLLAND",2017-06-27 18:15:00,EST-5,2017-06-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.81,-72.26,41.81,-72.26,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 615 PM EST, penny size hail fell on Storrs." +118017,709453,CONNECTICUT,2017,June,Hail,"TOLLAND",2017-06-27 18:18:00,EST-5,2017-06-27 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-72.25,41.83,-72.25,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","AT 618 PM EST, dime size hail fell on Mansfield." +118017,709454,CONNECTICUT,2017,June,Hail,"WINDHAM",2017-06-27 18:35:00,EST-5,2017-06-27 18:35:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-71.97,41.9,-71.97,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop, producing hail over Hartford County.","At 635 PM EST, dime size hail fell on Pomfret." +117137,705958,ARKANSAS,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-15 23:30:00,CST-6,2017-06-15 23:30:00,0,0,0,0,0.00K,0,0.00K,0,35.6356,-94.1681,35.6356,-94.1681,"Strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through northwestern Arkansas during the late evening.","Thunderstorm winds were estimated to 60 mph in Mountainburg." +117137,705960,ARKANSAS,2017,June,Thunderstorm Wind,"SEBASTIAN",2017-06-15 23:30:00,CST-6,2017-06-15 23:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.38,-94.42,35.38,-94.42,"Strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through northwestern Arkansas during the late evening.","Strong thunderstorm wind blew down trees onto power lines in Fort Smith." +117137,705961,ARKANSAS,2017,June,Thunderstorm Wind,"SEBASTIAN",2017-06-16 00:00:00,CST-6,2017-06-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2366,-94.2209,35.2366,-94.2209,"Strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through northwestern Arkansas during the late evening.","Thunderstorm wind was estimated to 60 mph." +118021,709498,ARIZONA,2017,June,Excessive Heat,"UPPER SAN PEDRO RIVER VALLEY",2017-06-19 15:00:00,MST-7,2017-06-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. The highest temperatures recorded during the period were 115 at Cascabel, 112 at Benson and 110 at Sierra Vista and Tombstone." +118021,709506,ARIZONA,2017,June,Excessive Heat,"SANTA CATALINA AND RINCON MOUNTAINS",2017-06-19 15:00:00,MST-7,2017-06-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong area of high pressure over the desert southwest produced a heat wave that lasted a week with high temperatures approaching all time records. High temperatures above 110 degrees were common in the lower deserts and even elevations near 7000 feet reached 100 degrees. Numerous temperature records were broken across the area. While no heat-related deaths occurred, there were numerous instances of heat-related illnesses in the Tucson Metro area.","An extended period of excessive heat occurred across nearly all of southeast Arizona. Elevations between 5000 and 7000 feet recorded temperatures between 100 and 105 degrees including 103 degrees at Carr RAWS and 100 at Hopkins RAWS." +117453,706368,IOWA,2017,June,Funnel Cloud,"ADAIR",2017-06-28 15:22:00,CST-6,2017-06-28 15:22:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-94.56,41.25,-94.56,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +117453,706369,IOWA,2017,June,Hail,"DALLAS",2017-06-28 15:46:00,CST-6,2017-06-28 15:46:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-93.96,41.53,-93.96,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Media relayed public report of baseball sized hail. This is a delayed report via social media." +114521,686812,NORTH CAROLINA,2017,April,Flood,"SURRY",2017-04-24 07:30:00,EST-5,2017-04-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3026,-80.5331,36.307,-80.5353,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Reeves Road was closed by flooding from the Ararat River." +116435,700254,ILLINOIS,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-14 13:20:00,CST-6,2017-06-14 13:25:00,0,0,0,0,30.00K,30000,0.00K,0,40.12,-90.57,40.12,-90.57,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Several large trees and tree branches were blown down." +116435,700255,ILLINOIS,2017,June,Thunderstorm Wind,"SHELBY",2017-06-14 13:48:00,CST-6,2017-06-14 13:53:00,0,0,0,0,25.00K,25000,0.00K,0,39.2831,-88.6558,39.2831,-88.6558,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Several trees were damaged." +116435,700256,ILLINOIS,2017,June,Thunderstorm Wind,"SHELBY",2017-06-14 13:55:00,CST-6,2017-06-14 14:00:00,0,0,0,0,30.00K,30000,0.00K,0,39.35,-88.62,39.35,-88.62,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A shed was damaged and an attic vent was blown off a house. Several tree branches were blown down as well." +116435,700257,ILLINOIS,2017,June,Thunderstorm Wind,"COLES",2017-06-14 14:08:00,CST-6,2017-06-14 14:13:00,0,0,0,0,10.00K,10000,0.00K,0,39.48,-88.37,39.48,-88.37,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A porch roof was flipped onto a house." +116435,700259,ILLINOIS,2017,June,Thunderstorm Wind,"STARK",2017-06-14 14:27:00,CST-6,2017-06-14 14:32:00,0,0,0,0,10.00K,10000,0.00K,0,41.07,-89.77,41.07,-89.77,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A tree was blown onto a house." +116435,700263,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:39:00,CST-6,2017-06-14 14:44:00,0,0,0,0,70.00K,70000,0.00K,0,40.73,-89.57,40.73,-89.57,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous tree limbs and power lines were blown down in Peoria Heights." +115935,696599,MINNESOTA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-02 21:44:00,CST-6,2017-06-02 21:44:00,0,0,0,0,30.00K,30000,,NaN,48.21,-96.83,48.21,-96.83,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","A farm drive-through shed was blown down along with numerous tree branches." +115935,696601,MINNESOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-02 22:10:00,CST-6,2017-06-02 22:10:00,0,0,0,0,10.00K,10000,,NaN,48.03,-96.24,48.03,-96.24,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","A few 4 to 8 inch diameter tree branches were blown down in farmsteads across southeast Sanders Township. Tin roofing was blown off of one farm outbuilding and some cattle pen fencing was blown down at another." +115959,696919,MINNESOTA,2017,June,Tornado,"HUBBARD",2017-06-10 01:10:00,CST-6,2017-06-10 01:11:00,0,0,0,0,150.00K,150000,,NaN,47.18,-94.69,47.1841,-94.6788,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","A weak tornado tracked to the northeast through a tree line and farmstead. The tornado snapped or uprooted numerous oak and pine trees, blew in part of a wall on a barn, and tore the roof off of a pole shed. Peak winds were estimated at 105 mph." +118576,712323,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-01 15:10:00,EST-5,2017-07-01 15:16:00,0,0,0,0,,NaN,0.00K,0,43.98,-71.06,43.98,-71.06,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm snapped or uprooted dozens of trees along the north shore of Conway Lake." +118576,712324,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-01 15:13:00,EST-5,2017-07-01 15:18:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-71.12,43.98,-71.12,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees and wires in East Conway." +118576,712326,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-01 16:20:00,EST-5,2017-07-01 16:24:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-71.28,44.08,-71.28,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees in Bartlett." +118809,713678,WYOMING,2017,June,Thunderstorm Wind,"GOSHEN",2017-06-07 19:15:00,MST-7,2017-06-07 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.0711,-104.144,42.0711,-104.144,"Thunderstorms produced large hail and damaging winds in northeast Goshen and Niobrara counties.","Estimated wind gusts of 65 mph damaged wind equipment near the Prairie Center School." +122103,731001,NEW YORK,2017,December,Lake-Effect Snow,"WYOMING",2017-12-06 19:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage Tuesday morning, the cold air gradually deepened across the region into Wednesday, December 6. Lake effect snows developed off of both Lakes Erie and Ontario with a southwest flow allowing for accumulations in both the Buffalo and Watertown metropolitan areas. Graupel within the Lake Erie band even supported some thunder and lightning. During the course of Wednesday night, veering winds consolidated the bands with snowfall rates of an inch an hour from the Lake Erie shoreline across the southern half of Erie County to Wyoming County and from Lake Ontario across the Watertown area to northern Lewis County. The heaviest lake snows took place on Thursday with snowfall rates of one to two inches an hour. Following a second cold front Thursday night, lake snows pushed south into the Southern Tier and across the heart of the Tug Hill. At this point, snowfall rates in the vicinity of the Chautauqua Ridge and over the Tug Hill averaged an inch per hour. As another shortwave approached from the Upper Great Lakes early Friday morning, the flow once again backed to the southwest. The accumulating lake snows made one final push into the Buffalo and Watertown metropolitan areas. Specific snowfall reports off Lake Erie included: 23 inches at Colden; 19 inches at Eden; 18 inches at Boston and East Aurora; 17 inches at Perrysburg; 16 inches at Wales and Wyoming; 15 inches at Attica; 14 inches at Silver Creek and Elma; 12 inches at Hamburg and Varysburg|11 inches at Warsaw; 10 inches at Ripley and Forestville; and 8 inches at Springville, Dunkirk and Fredonia. Specific snowfall reports off Lake Ontario included: 19 inches at Harrisville; 18 inches at Lowville; 12 inches at Carthage and Croghan; 11 inches at Redfield; 9 inches at Watertown and 8 inches at Glenfield.","" +117861,708384,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 02:45:00,CST-6,2017-06-13 02:45:00,0,0,0,0,,NaN,0.00K,0,45.47,-98.48,45.47,-98.48,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","Estimated sixty mph winds brought some large tree limbs down in Aberdeen." +117861,708385,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 03:00:00,CST-6,2017-06-13 03:00:00,0,0,0,0,,NaN,0.00K,0,45.44,-98.1,45.44,-98.1,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","The sheet metal was blown off a roof at a business south of Groton by estimated seventy mph winds." +117861,708387,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"WALWORTH",2017-06-13 00:53:00,CST-6,2017-06-13 00:53:00,0,0,0,0,0.00K,0,0.00K,0,45.54,-100.44,45.54,-100.44,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117861,708388,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 02:27:00,CST-6,2017-06-13 02:27:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-98.64,45.47,-98.64,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +115547,694117,WISCONSIN,2017,June,Tornado,"SHAWANO",2017-06-14 14:45:00,CST-6,2017-06-14 14:51:00,0,0,0,0,0.00K,0,0.00K,0,44.5908,-88.4033,44.6632,-88.3848,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Another tornado formed northeast of Nichols and moved north-northeast causing isolated damage along its path. The tornado heavily damaged a wood and sheet-metal pole barn (DI 1, DOD 6). A mobile home was destroyed as it tumbled off its block foundation (DI 3, DOD 7). Portions of the home were blown nearly a quarter mile away into nearby fields and trees. Several trees along the storm's path were uprooted or snapped (DI 27 and 28, DOD 3 and 4)." +115547,694107,WISCONSIN,2017,June,Tornado,"SHAWANO",2017-06-14 14:43:00,CST-6,2017-06-14 14:45:00,0,0,0,0,0.00K,0,0.00K,0,44.5896,-88.4736,44.6051,-88.4438,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","This tornado moved out of northern Outagamie County, 1.4 miles north of Nichols, into Shawano County at 3:43 PM CDT. A detached garage/outbuilding was swept off its foundation (DI 1, DOD 7). Another garage/outbuilding collapsed with the walls falling outward (DI 1, DOD 6). A stand of pines across the street had a 75 yard wide by 125 yard long area that were blown down and snapped in a convergent pattern (DI 28, DOD 4). The tornado dissipated at 3:45 PM CDT." +115547,694134,WISCONSIN,2017,June,Tornado,"OUTAGAMIE",2017-06-14 14:31:00,CST-6,2017-06-14 14:38:00,0,0,0,0,0.00K,0,0.00K,0,44.5479,-88.6628,44.58,-88.5955,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A weak tornado uprooted several trees in saturated soil and broke limbs off about a dozen more (DI 27 and 28, DOD 1 and 2). A metal barn roof was blown off (DI 1, DOD 2) and another barn roof collapsed (DI 1, DOD 5)." +119157,715629,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,335.00K,335000,0.00K,0,44.22,-71.8,44.2273,-71.813,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Sugar Hill resulting in several road washouts." +119157,715628,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,185.00K,185000,0.00K,0,43.9472,-72.0901,43.9604,-71.951,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Piermont resulting in numerous washouts on Route 25C in Piermont." +119157,715631,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,1.00M,1000000,0.00K,0,43.93,-71.88,43.9896,-71.9685,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Warren resulting in numerous washouts on Route 25C." +119935,718807,MONTANA,2017,September,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-09-14 21:00:00,MST-7,2017-09-16 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm impacted the Crazy and Absaroka/Beartooth Mountains. Snowfall amounts were around 10 inches. This was more of an impact given the Beartooth Highway was still open for the season and it was the seasons first snowfall.","The Beartooth Pass was closed at Vista Point. This was the first snow of the season and a quick pattern change." +119497,717123,MAINE,2017,September,Thunderstorm Wind,"PENOBSCOT",2017-09-05 19:10:00,EST-5,2017-09-05 19:10:00,0,0,0,0,,NaN,,NaN,44.93,-68.63,44.93,-68.63,"Thunderstorms developed during the late afternoon and evening of the 5th in advance of a slow moving cold front. An isolated severe thunderstorm produced damaging winds during the evening.","Numerous trees were toppled or snapped around town by wind gusts estimated at 60 mph. Power lines were also downed. The time is estimated." +119935,718804,MONTANA,2017,September,Winter Storm,"CRAZY MOUNTAINS",2017-09-15 00:00:00,MST-7,2017-09-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm impacted the Crazy and Absaroka/Beartooth Mountains. Snowfall amounts were around 10 inches. This was more of an impact given the Beartooth Highway was still open for the season and it was the seasons first snowfall.","Around 9 inches of snow fell across the southeast foothills. This was the first snow of the season and a quick pattern change." +119725,717997,MISSOURI,2017,September,Thunderstorm Wind,"HOWELL",2017-09-24 17:55:00,CST-6,2017-09-24 17:55:00,0,0,0,0,10.00K,10000,0.00K,0,36.73,-91.85,36.73,-91.85,"An isolated severe storm caused wind damage.","A roof of a business was destroyed in downtown West Plains. Several awnings were also destroyed. A large tree was blown down. There were numerous tree limbs blown down on power lines. A localized microburst was likely the cause of the wind damage." +119355,716489,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-09-15 01:47:00,EST-5,2017-09-15 01:52:00,0,0,0,0,0.00K,0,0.00K,0,47.32,-89.87,47.32,-89.87,"A line of strong storms tracked across western Lake Superior during the early morning hours.","Measured wind gust at 45006." +119360,717460,MICHIGAN,2017,September,Hail,"HOUGHTON",2017-09-22 10:21:00,EST-5,2017-09-22 10:25:00,0,0,0,0,0.00K,0,0.00K,0,47.11,-88.71,47.11,-88.71,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","The spotter four miles southeast of Redridge reported penny sized hail." +119360,717461,MICHIGAN,2017,September,Hail,"HOUGHTON",2017-09-22 10:40:00,EST-5,2017-09-22 10:44:00,0,0,0,0,0.00K,0,0.00K,0,47.2625,-88.4447,47.2625,-88.4447,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","There was a public report of one half to three quarter inch diameter hail at Centennial Heights near Calumet." +118671,712914,NEVADA,2017,September,Thunderstorm Wind,"WHITE PINE",2017-09-07 15:27:00,PST-8,2017-09-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,38.9038,-114.8142,38.9038,-114.8142,"A thunderstorm produced a wind gust to 84 mph at the Cattle Camp RAWS.","" +119901,718705,ILLINOIS,2017,September,Hail,"MACON",2017-09-04 16:28:00,CST-6,2017-09-04 16:33:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-88.83,39.82,-88.83,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +119901,718706,ILLINOIS,2017,September,Hail,"CHAMPAIGN",2017-09-04 16:50:00,CST-6,2017-09-04 16:55:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-88.07,40.04,-88.07,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +118669,712912,NEVADA,2017,September,Thunderstorm Wind,"EUREKA",2017-09-04 14:39:00,PST-8,2017-09-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-116.18,39.39,-116.18,"A thunderstorm produced a wind gust to 61 mph at the Combs Canyon RAWS.","A thunderstorm wind gust of 61 mph was recorded at the Combs Canyon RAWS." +119851,718503,NEVADA,2017,September,Thunderstorm Wind,"LANDER",2017-09-14 17:50:00,PST-8,2017-09-14 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.64,-116.94,40.64,-116.94,"Thunderstorm winds partially blew off the roof on a mobile home in Battle Mountain and downed some power and telephone lines in Elko.","Thunderstorm winds partially blew off a roof on a mobile home in Battle Mountain. Damages are estimated." +119851,718504,NEVADA,2017,September,Thunderstorm Wind,"ELKO",2017-09-14 20:14:00,PST-8,2017-09-14 20:20:00,0,0,0,0,4.00K,4000,0.00K,0,40.83,-115.76,40.83,-115.76,"Thunderstorm winds partially blew off the roof on a mobile home in Battle Mountain and downed some power and telephone lines in Elko.","Thunderstorm winds blew power and telephone lines down. Damages are estimated." +119580,717475,ALABAMA,2017,September,Hail,"COFFEE",2017-09-23 15:27:00,CST-6,2017-09-23 15:27:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-85.88,31.33,-85.88,"An isolated thunderstorm developed with steep mid level lapse rates and sufficient instability for large hail near Enterprise.","Quarter sized hail fell near Enterprise with a picture posted on social media." +119126,715408,FLORIDA,2017,September,Hail,"DUVAL",2017-09-01 13:12:00,EST-5,2017-09-01 13:12:00,0,0,0,0,0.00K,0,0.00K,0,30.36,-81.5,30.36,-81.5,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Penny size hail was observed." +119126,715409,FLORIDA,2017,September,Heavy Rain,"FLAGLER",2017-09-01 16:30:00,EST-5,2017-09-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.48,-81.13,29.48,-81.13,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","An observer measured 1.96 inches of rainfall in 90 minutes." +118638,715491,IOWA,2017,July,Flood,"CLAYTON",2017-07-21 22:50:00,CST-6,2017-07-23 21:55:00,0,0,0,0,0.00K,0,0.00K,0,42.7386,-91.2686,42.7389,-91.2701,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Runoff from heavy rains pushed the Turkey River out of its banks in Garber. The river crested almost seven feet above the flood stage at 23.75 feet." +118637,712774,WISCONSIN,2017,July,Hail,"GRANT",2017-07-21 16:16:00,CST-6,2017-07-21 16:16:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-90.96,42.75,-90.96,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","Half dollar sized hail was reported north of Cassville." +118140,709970,WISCONSIN,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-19 17:25:00,CST-6,2017-07-19 17:25:00,0,0,0,0,0.00K,0,0.00K,0,43.41,-91.19,43.41,-91.19,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An estimated 60 mph wind gust occurred just south of De Soto." +119125,720361,FLORIDA,2017,September,Tropical Storm,"UNION",2017-09-10 23:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Santa Fe River at Worthington Springs set a record flood stage at 71.17 feet on Sept 12th at 2200 EDT. Major flooding occurred at this level. At 8:15 am on 9/11, the public reported power lines were blown down on SW 8th Street in Lake Butler." +120301,720879,FLORIDA,2017,September,Thunderstorm Wind,"ALACHUA",2017-09-15 17:46:00,EST-5,2017-09-15 17:46:00,0,0,0,0,0.00K,0,0.00K,0,29.56,-82.44,29.56,-82.44,"An isolated severe thunderstorm developed along the sea breezes across the Suwanee River Valley that produced severe wind gusts near Archer.","The public estimated a wind gust of 60 mph." +120413,721324,FLORIDA,2017,September,Rip Current,"COASTAL NASSAU",2017-09-24 16:00:00,EST-5,2017-09-24 16:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High and rough surf contributed to more frequent rip currents with a high risk of rip currents in effect.","A male drowned in rough surf conditions about 1 mile east of Fernandina Beach. His 20 year old son was rescued and treated for injuries." +118317,710992,ARIZONA,2017,June,Wildfire,"DRAGOON/MULE/HUACHUCA AND SANTA RITA MOUNTAINS",2017-06-07 15:30:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Lizard Fire ignited in the Dragoon Mountains on June 7th. The fire spread rapidly due to strong winds and merged with the Dragoon Fire. The fire consumed over 15,000 acres in the first few days but was not fully contained until July 19th.","The lightning caused Lizard Fire started in the Dragoon Mountains on June 7th and quickly spread due to strong winds. The fire merged with the Dragoon Fire which caused an increase in acreage to nearly 15,000 acres. The communities of Dragoon and Cochise Stronghold were evacuated. One home and two outbuildings were destroyed in Dragoon. The fire continued into July before it was fully contained but the overall acreage did not grow much beyond 15,000 acres." +120201,720211,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-09-02 16:20:00,EST-5,2017-09-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"A strong thunderstorm moved north along the central Brevard County coast and produced winds to 34 knots over the Indian River along the NASA Parkway Causeway, between Port St. John and the Kennedy Space Center.","USAF wind tower 1007 located along the Highway 405 Causeway over the Indian River measured a peak wind gust of 34 knots from the south as a strong thunderstorm moved north along the mainland coast and adjacent Indian River." +118022,709508,ARIZONA,2017,June,Wildfire,"GALIURO AND PINALENO MOUNTAINS",2017-06-07 17:15:00,MST-7,2017-06-30 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Frye Fire ignited on June 7th along with dozens of other wildfires in southeast Arizona. The fire was actively managed for several days until a thunderstorm outflow boundary moved across the fire on June 19th causing it to rapidly increase in size to over 10,000 acres. The wildfire was eventually contained only after monsoon rains began in July. A total of 48,443 acres were consumed by the fire.","Lightning sparked the Frye Fire on June 7th. The fire began to spread rapidly on June 19th as the result of strong winds from a thunderstorm outflow boundary. On that day, the Webb Peak Lookout Tower was damaged and the water chlorination shed at Old Columbine was destroyed. The observatory on Mount Graham was threatened but spared from the wildfire through suppression. By the end of June, the fire had consumed 42,755 acres but was only 45% contained." +117819,708226,TEXAS,2017,June,Thunderstorm Wind,"WILLACY",2017-06-05 15:35:00,CST-6,2017-06-05 15:40:00,0,0,0,0,0.50K,500,0.00K,0,26.4945,-97.78,26.4945,-97.78,"A final spoke of upper level energy associated with a broader disturbance passing through Texas brought scattered thunderstorms, some strong to severe, during the afternoon hours of June 5th across the region, moving into the Lower Valley. These storms produced gusty and damaging winds of 50 to 60 mph in Willacy and Cameron counties.","Large tree reported down via social media. Time estimated based on radar." +117819,708234,TEXAS,2017,June,Thunderstorm Wind,"CAMERON",2017-06-05 16:20:00,CST-6,2017-06-05 16:20:00,0,0,0,0,,NaN,0.00K,0,26.22,-97.5,26.22,-97.5,"A final spoke of upper level energy associated with a broader disturbance passing through Texas brought scattered thunderstorms, some strong to severe, during the afternoon hours of June 5th across the region, moving into the Lower Valley. These storms produced gusty and damaging winds of 50 to 60 mph in Willacy and Cameron counties.","Trees and tree limbs down along General Brant Road near Olmito North Road." +117819,708236,TEXAS,2017,June,Thunderstorm Wind,"CAMERON",2017-06-05 16:35:00,CST-6,2017-06-05 16:35:00,0,0,0,0,0.00K,0,0.00K,0,26.17,-97.35,26.17,-97.35,"A final spoke of upper level energy associated with a broader disturbance passing through Texas brought scattered thunderstorms, some strong to severe, during the afternoon hours of June 5th across the region, moving into the Lower Valley. These storms produced gusty and damaging winds of 50 to 60 mph in Willacy and Cameron counties.","KPIL ASOS reported 51 knot thunderstorm wind gust." +115703,702398,KENTUCKY,2017,June,Flash Flood,"FRANKLIN",2017-06-23 17:47:00,EST-5,2017-06-23 17:47:00,0,0,0,0,0.00K,0,0.00K,0,38.1993,-84.8628,38.1997,-84.8622,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Meadowbrook Road covered by 6 to 8 inches of high flowing water." +115703,702399,KENTUCKY,2017,June,Flash Flood,"FRANKLIN",2017-06-23 17:47:00,EST-5,2017-06-23 17:47:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-84.97,38.2974,-84.9484,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Lebanon Ridge Road and Goose Creek Road both had 6 to 8 inches of flowing water." +115703,702400,KENTUCKY,2017,June,Flash Flood,"NELSON",2017-06-23 17:47:00,EST-5,2017-06-23 17:47:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-85.43,37.8808,-85.426,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local media reported high water flowing over Murray Run Road." +115703,697591,KENTUCKY,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 19:05:00,EST-5,2017-06-23 19:05:00,0,0,0,0,,NaN,0.00K,0,37.75,-84.29,37.75,-84.29,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local media reported numerous trees down across Madison County." +115703,697580,KENTUCKY,2017,June,Thunderstorm Wind,"MARION",2017-06-23 17:20:00,EST-5,2017-06-23 17:20:00,0,0,0,0,,NaN,0.00K,0,37.62,-85.24,37.62,-85.24,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","Local law enforcement reported trees down across Horan Lane." +118335,711069,GULF OF MEXICO,2017,June,Waterspout,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-06-16 11:00:00,EST-5,2017-06-16 11:00:00,0,0,0,0,0.00K,0,0.00K,0,24.84,-80.85,24.84,-80.85,"Waterspouts were observed first in association with a convective cloud line developing over the Upper and Middle Florida Keys. Then, as convective outflows disrupted the initial cloud line, a second cloud line developed along and north of the Lower Florida Keys.","A waterspout was reported and relayed via social media located just north of the Long Key Bridge. The waterspout was very thin and dark grey in appearance." +117397,706032,PENNSYLVANIA,2017,June,Tornado,"CLARION",2017-06-19 16:52:00,EST-5,2017-06-19 16:53:00,0,0,0,0,15.00K,15000,0.00K,0,41.304,-79.52,41.305,-79.509,"Placeholder.","A National Weather Service survey team confirmed an EF0 tornado occurred Monday evening along Millerstown Road in Elk Township, Clarion county. There were several reported sightings of a funnel cloud along with one person confirming it reached the ground. The only structural damage was to outbuildings and barns with sheet metal roofs. Hardwood trees were used to determine the rating as numerous trees were uprooted or snapped along the north side of Millerstown Road. The storm tracked across Millerstown Road just east of the 598 postal address and uprooted and snapped several additional trees before lifting just prior to reaching Pine City Road." +118357,711312,KANSAS,2017,June,Thunderstorm Wind,"FINNEY",2017-06-20 17:18:00,CST-6,2017-06-20 17:18:00,0,0,0,0,,NaN,,NaN,37.99,-100.99,37.99,-100.99,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Observed at the Holcomb middle school." +118357,711314,KANSAS,2017,June,Thunderstorm Wind,"GRANT",2017-06-20 18:16:00,CST-6,2017-06-20 18:16:00,0,0,0,0,,NaN,,NaN,37.6,-101.38,37.6,-101.38,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711313,KANSAS,2017,June,Thunderstorm Wind,"ELLIS",2017-06-20 17:40:00,CST-6,2017-06-20 17:40:00,0,0,0,0,,NaN,,NaN,39.02,-99.09,39.02,-99.09,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated at 60 to 70 MPH." +118357,711315,KANSAS,2017,June,Thunderstorm Wind,"GRANT",2017-06-20 19:23:00,CST-6,2017-06-20 19:23:00,0,0,0,0,,NaN,,NaN,37.39,-101.1,37.39,-101.1,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Winds were estimated to be 60 MPH." +118420,711722,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-22 18:34:00,EST-5,2017-06-22 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.505,-79.1441,40.6234,-79.128,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Emergency management reported that US 119 was closed due to water over the roadway and that Brookside Dairy Farm on Old Route 56 was under water. Also, Two Lick Creek was reported out of it's banks." +118420,711724,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-22 17:15:00,EST-5,2017-06-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-79.26,40.6466,-79.2513,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Emergency management reported multiple water rescues ongoing on Route 422 in Armstrong Township. Rail cars were pushed off of tracks near Shelocta with parts of the tracks washed away." +118420,711723,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-22 17:45:00,EST-5,2017-06-22 21:00:00,0,0,0,1,0.00K,0,0.00K,0,40.64,-79.31,40.6452,-79.3192,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Emergency management reported that a man drowned as he attempting to clean debris from an overflow pipe in a pond near his home on Sportsman Club Road when the kayak he was in flipped and his legs were pulled into the pipe. Water then continued to rise, submerging the individual." +116270,700494,MISSISSIPPI,2017,June,Flash Flood,"LEFLORE",2017-06-16 17:52:00,CST-6,2017-06-16 20:14:00,0,0,0,0,100.00K,100000,0.00K,0,33.3867,-90.3517,33.3785,-90.3466,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Rising flood waters from earlier heavy rainfall backed into several houses in Morgan City." +116270,700496,MISSISSIPPI,2017,June,Thunderstorm Wind,"MADISON",2017-06-16 18:49:00,CST-6,2017-06-16 19:20:00,0,0,0,0,15.00K,15000,0.00K,0,32.661,-90.197,32.4077,-90.0971,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging winds across western and central Madison County. Numerous trees were blown down across the county, including several trees in the Beaver Creek subdivision of Ridgeland." +116270,700652,MISSISSIPPI,2017,June,Thunderstorm Wind,"HINDS",2017-06-16 18:52:00,CST-6,2017-06-16 19:31:00,0,0,0,0,15.00K,15000,0.00K,0,32.4838,-90.3695,32.0681,-90.2916,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging winds across central and eastern Hinds County. Trees were blown down near Bolton, Clinton, Jackson, and Richland. Power lines were also blown down near Terry." +116270,708513,MISSISSIPPI,2017,June,Thunderstorm Wind,"FORREST",2017-06-16 21:07:00,CST-6,2017-06-16 21:08:00,0,0,0,0,3.00K,3000,0.00K,0,31.062,-89.189,31.062,-89.189,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down along Schley Street." +116270,708514,MISSISSIPPI,2017,June,Flash Flood,"FORREST",2017-06-16 21:00:00,CST-6,2017-06-16 23:59:00,0,0,0,0,20.00K,20000,0.00K,0,31.3959,-89.1764,31.3852,-89.1757,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Heavy rainfall resulted in flash flooding along the McWilliams Branch, which washed out part of the 600 block of Macedonia Road." +116270,708516,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-16 22:30:00,CST-6,2017-06-16 23:15:00,0,0,0,0,1.00K,1000,0.00K,0,31.7336,-89.3375,31.7335,-89.3423,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","West Magnolia Lane near Mt. Williams Road was flooded after earlier rainfall." +118439,711900,PENNSYLVANIA,2017,June,Tornado,"WASHINGTON",2017-06-23 14:21:00,EST-5,2017-06-23 14:23:00,0,0,0,0,60.00K,60000,0.00K,0,40.104,-80.171,40.101,-80.115,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The National Weather Service survey team confirmed a tornado near Lone Pine in Washington County, western Pennsylvania on June 23 2017. Damage was first encountered near Potato Run Road and Friends Road,where a swath of tree blowdown was noted. Large limbs were snapped, and hardwood trees were snapped or uprooted in this area. The swath continued uphill along Friends Road. Well-built structures did not seem to suffer direct wind damage at this point of the path, which narrowed and weakened upon surmounting the hill along Friends Road. The circulation then widened and intensified as it crossed Chestnut Ridge Road. Considerable damage to trees and structures was evaluated near Brush Run Road and Frazee Road. In this area, large hardwood and softwood trunks were snapped, entire trees were stripped of their branches and shingles were removed from several homes. A detached garage suffered uplift of a portion of its roof, and a large, downwind-facing porch roof was removed from a home. Deck furniture was lofted and blown into properties several homes down |crosswind. The path continued east-southeastward across Sunedecker Road, |where trees were snapped or uprooted. Damage along the remainder of the path thereafter appeared limited to trees. The path in this area narrowed and exhibited damage consistent with weaker wind speed, until points near Daniels Run Road and Robinson Road. At that location, the track became less coherent, consistent with radar imagery showing a surge of outflow, thus suggesting the end of the tornadic phase of the storm. Damage at the beginning of the track was consistent with wind speed of around 90 mph, so the tornado has been rated EF1 on the Enhanced Fujita Scale." +118441,711894,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MARION",2017-06-23 16:35:00,EST-5,2017-06-23 16:35:00,0,0,0,0,2.50K,2500,0.00K,0,39.5677,-80.2252,39.5677,-80.2252,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down along Blue Heron road." +118441,711892,WEST VIRGINIA,2017,June,Thunderstorm Wind,"PRESTON",2017-06-23 17:05:00,EST-5,2017-06-23 17:05:00,0,0,0,0,2.50K,2500,0.00K,0,39.66,-79.64,39.66,-79.64,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Department of highways reported trees down along I-68." +118441,711895,WEST VIRGINIA,2017,June,Thunderstorm Wind,"PRESTON",2017-06-23 20:27:00,EST-5,2017-06-23 20:27:00,0,0,0,0,50.00K,50000,0.00K,0,39.47,-79.5,39.47,-79.5,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Local fire department reported 8 homes damaged by fallen trees near Alpine Lake." +115562,703749,KANSAS,2017,June,Hail,"ROOKS",2017-06-15 15:04:00,CST-6,2017-06-15 15:14:00,0,0,0,0,50.00K,50000,75.00K,75000,39.4524,-99.47,39.4033,-99.4204,"Although the vast majority of severe weather within the Sunflower State on this Thursday focused within central, south central and northeastern counties, a lone severe storm flared up over Rooks County of North Central Kansas between 4:00-4:30 p.m. CDT, dropping quarter to ping pong ball size hail in the Webster State Park area. A few other storms developed within the local area over the ensuing few hours, but none became severe. ||Briefly examining the meteorological setup, northern Kansas was under broad quasi-zonal flow in the mid-upper levels containing subtle embedded disturbances . At the surface, the highest low-level moisture levels and resultant instability values focused to the south of a quasi-stationary front stretched from central Kansas into southeast Nebraska. However, this particular severe storm still managed to develop within the northern fringes of the surface frontal zone, possibly enhanced by outflow emanating northward from a large severe storm that earlier formed over Ellis County. Around the time of the Rooks County hail, the mesoscale environment featured approximately 2500 J/kg mixed-layer CAPE and 35 knots of effective deep layer wind shear.","Quarter to ping pong ball size hail was reported in the vicinity of Webster State Park." +115714,703857,KANSAS,2017,June,Hail,"ROOKS",2017-06-20 16:33:00,CST-6,2017-06-20 16:51:00,0,0,0,0,25.00K,25000,250.00K,250000,39.23,-99.43,39.2434,-99.2929,"A few strong thunderstorms rumbled across portions of this six-county North Central Kansas area on this Tuesday afternoon and evening, but only one produced verified severe weather, dropping quarter to half dollar size hail in Rooks County near Plainville and Zurich between 5:30-6:00 p.m. CDT. ||The initial cluster of strong-to-severe, multicell-mode convection fired up over northwestern Kansas between 3-4 p.m. CDT, with its northern edge eventually pushing east into Rooks County and sparking off the aforementioned hail. Other strong storms developed a bit farther north later in the evening, mainly affecting Phillips and Jewell Counties. In fact, the storm that raked across far northern Jewell County around 10 p.m. was potentially severe based on wind damage reported just across the state line in Nebraska, but it yielded no ground-truth reports on the Kansas side. ||In the mid-upper levels, North Central Kansas resided under a pronounced northwesterly flow regime, situated northeast of a large-scale ridge centered over the Desert Southwest. Although forcing aloft was fairly nebulous, severe storms developed in the vicinity of a warm front taking shape near the Nebraska-Kansas border, marked in part by surface dewpoints gradually increasing into the upper 50-mid 60s F range over the course of the evening. This increasing low level moisture, in combination with afternoon temperatures climbing to around 100 F, contributed to a mesoscale environment fairly supportive of severe weather, featuring around 2000 J/kg mixed-CAPE and effective deep layer wind shear around 40 knots.","Quarter to half dollar size hail fell along a path from Zurich to Plainville." +117011,706120,NEBRASKA,2017,June,Hail,"WEBSTER",2017-06-28 23:42:00,CST-6,2017-06-28 23:50:00,0,0,0,0,75.00K,75000,750.00K,750000,40.1,-98.4922,40.0966,-98.3824,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","" +118207,711062,WISCONSIN,2017,July,Flash Flood,"RICHLAND",2017-07-20 05:35:00,CST-6,2017-07-20 08:00:00,0,0,0,0,186.00K,186000,3.20M,3200000,43.5525,-90.6704,43.402,-90.6704,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains, with totals of 6 to 8 inches, produced flash flooding across the central and eastern sections of Richland County. The heavy rains caused the Pine River to go out of its banks which prompted sandbagging to occur in Yuba, closed State Highway 80 at County Road D and caused flooding to occur in Richland Center." +115942,697526,NORTH DAKOTA,2017,June,Thunderstorm Wind,"CAVALIER",2017-06-09 18:09:00,CST-6,2017-06-09 18:09:00,0,0,0,0,25.00K,25000,,NaN,48.63,-98.04,48.63,-98.04,"During the day of June 9th, temperatures over eastern North Dakota and the northwest quarter of Minnesota topped out in the upper 70s along the Canadian border to lower 90s along the North Dakota/South Dakota border. Mid level temperatures were very warm over the central Dakotas, helping to suppress convective development until early evening. By that point, thunderstorms broke out over southern Manitoba down through central North Dakota, mainly along a cold front. These storms tracked east-southeast, mainly covering the Devils Lake region, down through the central Red River Valley, and into the Mahnomen to Hubbard county corridor. A mix of tornadoes, hail, and strong winds were reported.","Granite slabs at the veteran's memorial were blown over and shattered by the strong winds." +116353,699771,NEW YORK,2017,June,Flood,"ESSEX",2017-06-30 02:30:00,EST-5,2017-06-30 12:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.306,-73.6371,44.1724,-73.6279,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern New York. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Flooding continued from previous Flash Flood producing heavy rainfall. Alden Road was covered by water near Route 10 and the Lewis-Wadhams Road." +116390,699888,MISSISSIPPI,2017,June,Thunderstorm Wind,"ITAWAMBA",2017-06-15 12:30:00,CST-6,2017-06-15 12:40:00,0,0,0,0,,NaN,0.00K,0,34.307,-88.4236,34.3059,-88.4147,"A passing cold front generated a broken line of severe thunderstorms that produced wind damage across portions of northeast Mississippi during the early afternoon hours of June 15th.","Tree down on Riverwalk by Browns Cove." +116270,699911,MISSISSIPPI,2017,June,Thunderstorm Wind,"CHOCTAW",2017-06-16 16:00:00,CST-6,2017-06-16 16:00:00,0,0,0,0,13.00K,13000,0.00K,0,33.31,-89.18,33.2893,-89.2495,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down on a shed. Trees were also blown down along Highway 12." +116472,700653,KENTUCKY,2017,June,Flood,"HOPKINS",2017-06-04 15:45:00,CST-6,2017-06-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.4007,-87.6186,37.3942,-87.5672,"A weak cold front over eastern Missouri triggered numerous showers and thunderstorms. Some of these storms were very slow-moving and produced copious amounts of rain.","Water was over portions of a secondary road northwest of Manitou. Small streams were flooded in the Manitou area." +116342,701101,MISSISSIPPI,2017,June,Thunderstorm Wind,"LOWNDES",2017-06-15 14:13:00,CST-6,2017-06-15 14:13:00,0,0,0,0,3.00K,3000,0.00K,0,33.48,-88.3,33.48,-88.3,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","A tree was blown down on Ericson Road." +116927,703266,MINNESOTA,2017,June,Thunderstorm Wind,"MOWER",2017-06-16 16:15:00,CST-6,2017-06-16 16:15:00,0,0,0,0,1.00K,1000,0.00K,0,43.66,-92.98,43.66,-92.98,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","A large tree was snapped off at the base at Marcusen Park in Austin." +116928,703269,WISCONSIN,2017,June,Thunderstorm Wind,"LA CROSSE",2017-06-16 17:57:00,CST-6,2017-06-16 17:57:00,0,0,0,0,3.00K,3000,0.00K,0,43.77,-91.21,43.77,-91.21,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","A large tree branch was blown down onto a vehicle on the south side of La Crosse." +115716,703764,NEBRASKA,2017,June,Thunderstorm Wind,"FURNAS",2017-06-21 19:38:00,CST-6,2017-06-21 19:38:00,0,0,0,0,0.00K,0,0.00K,0,40.2493,-99.8102,40.2493,-99.8102,"Isolated to scattered thunderstorm activity rumbled across mainly southwestern and far northern portions of South Central Nebraska on this Wednesday evening, resulting in a few instances of marginally severe hail and winds. The majority of ground-truth reports were from the Edison area of Furnas County, including nickel to ping pong ball size hail and estimated 60 MPH winds. Meanwhile, a completely separate, isolated storm to the north in Valley County dropped quarter size hail near Fort Hartsuff State Park. ||Timing-wise, the first storms of the day to affect South Central Nebraska developed between 5-7 p.m. CDT, consisting of a smattering of non-severe multicells roaming mainly the far western counties of Dawson, Gosper and Furnas. During the next few hours this activity strengthened somewhat, yielding the aforementioned reports near Edison as it also gradually morphed into a rather compact, east-southeast propagating linear complex. Between 10 p.m. and midnight CDT, this storm complex drifted through mainly Harlan, Franklin and Webster counties before departing into far northern Kansas, likely producing gusty winds and small hail along the way but resulting in no additional severe-criteria reports. Farther north, the Valley County storm was severe only briefly, moving in out of Custer County around 9 p.m. CDT and weakening/dissipating within an hour. ||Despite the occurrence of a few severe storms, this setup held the potential to be a bit more active than it turned out to be. However, factors working against more widespread severe weather ultimately outweighed the more favorable ones. More specifically, the coverage and intensity of severe storms was likely mitigated in part by: 1) rather warm air aloft and resultant capping, as evidenced by 700 millibar temperatures in the 13-16 C range...2) Fairly weak deep layer wind shear only around 30 knots. On the flip side, there was considerable instability to work with, as hot afternoon temperatures in the mid-upper 90s F combined with dewpoints well into the 60s to create mixed layer CAPE of 2000-4000 J/kg. At the surface, storms initiated along a north-south oriented trough axis stretched from central Nebraska into northwest Kansas.","Wind gusts were estimated to be near 60 MPH." +115560,704347,KANSAS,2017,June,Hail,"PHILLIPS",2017-06-13 19:00:00,CST-6,2017-06-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-99.4764,39.68,-99.4764,"While more concentrated swaths of severe weather focused a few counties off to the north and also southwest, small portions of this six-county North Central Kansas area also saw a handful of severe storms on this Tuesday evening. The majority of local activity targeted Phillips and northwestern Smith counties, as a mix of semi-discrete cells and quasi-linear clusters roamed and redeveloped over the area between 7-10 p.m. CDT. These storms were mainly hail-producers, yielding stones to the size of golf balls in Agra, ping pong balls north of Kensington and quarter size in and near Phillipsburg and Speed. Prior to any development in those areas, a lone severe storm drifting north out of central Kansas into southern Osborne County dropped quarter size hail in Natoma shortly before 6:30 p.m. CDT before weakening. Although damaging winds did not seem to be much of an issue, a KSU mesonet site near Tipton measured a 64 MPH gust shortly after 10 p.m. CDT as outflow surged north out of central Kansas along the leading edge of a weakening storm cluster. After this, a smattering of weak convection persisted within the local area for several hours before ending completely by 4 a.m. CDT on the 14th. Rainfall-wise, most of this six-county domain received little if any, but portions of mainly northern Phillips and northwestern Smith counties received at least 1, with radar estimation suggesting a small part of extreme northern Smith County might have had 3. ||In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central portions of Nebraska and Kansas, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures into the mid-upper 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","" +115559,704382,NEBRASKA,2017,June,Thunderstorm Wind,"YORK",2017-06-13 19:17:00,CST-6,2017-06-13 19:22:00,0,0,0,0,5.00K,5000,0.00K,0,40.88,-97.7874,40.88,-97.7874,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","A mesonet site located 3 miles west of Bradshaw measured a gust of 72 MPH at 8:17 p.m. CDT and of 73 MPH at 8:22 p.m. CDT." +117473,706491,NEW YORK,2017,June,Thunderstorm Wind,"FULTON",2017-06-30 14:42:00,EST-5,2017-06-30 14:42:00,0,0,0,0,,NaN,,NaN,43.0721,-74.3752,43.0721,-74.3752,"A fast moving upper level shortwave passed through the area during the afternoon hours on Friday, June 30th, 2017. With a warm and muggy air mass in place, this shortwave sparked off numerous strong to severe thunderstorms, especially across the Mohawk Valley, Saratoga Region and Capital Region. The severe storms produced two EF-1 tornadoes in Fulton and Herkimer counties, as well as knocked down numerous trees and power lines across the region. There was also one report of large hail in Saratoga county. One of the storms also caused four injuries in Schodack, where a fireworks display tent collapsed due to thunderstorm winds. At least 1500 people lost power as a result of the thunderstorms.","Trees and wires were reported down at West Bush Road on Route 122 in the town of Johnstown." +117482,706842,VERMONT,2017,June,Flash Flood,"WINDHAM",2017-06-19 14:45:00,EST-5,2017-06-19 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,43.095,-72.4432,43.0917,-72.4392,"A cold front tracked east across southern Vermont during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees. In addition, very heavy rainfall fell across Windham County, as repeated rounds of thunderstorms produced up to four inches of rain. This led to flash flooding in Brattleboro, with several roads washed out and mudslides impacting the area. Nearly 2,00 people in Windham County lost power as a result of the thunderstorms.","Vermont officials noted a mud slide on Route 5 in Westminster Station due to flash flooding from thunderstorm rainfall. The mud slide did not have a major impact to the roadway." +118600,715987,INDIANA,2017,July,Thunderstorm Wind,"HENDRICKS",2017-07-11 11:24:00,EST-5,2017-07-11 11:24:00,0,0,0,0,,NaN,,NaN,39.8596,-86.6429,39.8596,-86.6429,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Crops and buildings were damaged because of damaging thunderstorm wind gusts. The what and to what extent something was damaged is not known." +117877,708454,SOUTH DAKOTA,2017,June,Tornado,"HAND",2017-06-13 15:16:00,CST-6,2017-06-13 15:17:00,0,0,0,0,0.00K,0,0.00K,0,44.8,-98.84,44.8013,-98.8384,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","A tornado touched down briefly in an open field. No damage was reported." +117373,709381,MASSACHUSETTS,2017,June,Flood,"WORCESTER",2017-06-27 15:26:00,EST-5,2017-06-27 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.3073,-71.7669,42.3076,-71.7657,"A disturbance at mid-levels in the atmosphere moved from the Great Lakes across New England during the afternoon and evening. This along with daytime heating through partly sunny skies allowed afternoon and evening thunderstorms to develop.","At 326 PM EST, significant flooding was reported on Mountain Street East at route 70 in Worcester." +118820,713753,NEBRASKA,2017,June,Thunderstorm Wind,"SCOTTS BLUFF",2017-06-27 18:19:00,MST-7,2017-06-27 18:19:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-103.59,41.87,-103.59,"Thunderstorms produced damaging winds in Scott Bluff and Box Butte counties. A peak gust of 79 mph was recorded at the Scottsbluff Airport.","The wind sensor at the Scottsbluff Airport measured a peak gust of 79 mph. More than 1000 customers were without power. Several trees were snapped in half at Scottsbluff and Gering." +118820,713763,NEBRASKA,2017,June,Thunderstorm Wind,"SCOTTS BLUFF",2017-06-27 18:20:00,MST-7,2017-06-27 18:22:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-103.67,41.87,-103.67,"Thunderstorms produced damaging winds in Scott Bluff and Box Butte counties. A peak gust of 79 mph was recorded at the Scottsbluff Airport.","Estimated wind gusts of 60 mph were observed at Scottsbluff." +115300,692223,COLORADO,2017,June,Hail,"MORGAN",2017-06-07 17:00:00,MST-7,2017-06-07 17:00:00,0,0,0,0,,NaN,,NaN,40.05,-103.47,40.05,-103.47,"Severe thunderstorms produced hail up to quarter size over the northeast plains. A tornado also touched down briefly in open country.","" +115449,693287,NORTH DAKOTA,2017,June,Thunderstorm Wind,"STUTSMAN",2017-06-02 17:40:00,CST-6,2017-06-02 17:43:00,0,0,0,0,2.00K,2000,0.00K,0,46.79,-99.42,46.79,-99.42,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","Some pieces of tin were blown off a roof on a building." +115515,693556,WYOMING,2017,June,Hail,"CAMPBELL",2017-06-12 16:15:00,MST-7,2017-06-12 16:15:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-105.73,43.75,-105.73,"A thunderstorm briefly became severe over southern Campbell County, producing large hail south of Savageton.","" +115964,696937,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 16:08:00,MST-7,2017-06-27 16:18:00,0,0,0,0,,NaN,0.00K,0,43.6734,-103.2655,43.6734,-103.2655,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +116435,700262,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-14 14:38:00,CST-6,2017-06-14 14:43:00,0,0,0,0,20.00K,20000,0.00K,0,40.7367,-89.636,40.7367,-89.636,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous 10-inch diameter tree limbs were blown down on Westport Road." +116445,700308,ILLINOIS,2017,June,Thunderstorm Wind,"PEORIA",2017-06-19 17:28:00,CST-6,2017-06-19 17:33:00,0,0,0,0,60.00K,60000,0.00K,0,40.65,-89.67,40.65,-89.67,"Widely scattered thunderstorms developed across central Illinois ahead of a weak short-wave trough during the late afternoon and evening of June 19th. Very dry air at low-levels of the atmosphere allowed for excellent evaporational cooling conditions. As a result, the storms produced 50-60 mph wind gusts. A downburst with estimated 70 mph winds created enhanced wind damage in Bartonville in Peoria County.","Numerous large trees and power lines were blown down." +116270,700331,MISSISSIPPI,2017,June,Thunderstorm Wind,"OKTIBBEHA",2017-06-16 16:25:00,CST-6,2017-06-16 16:25:00,0,0,0,0,10.00K,10000,0.00K,0,33.47,-88.83,33.47,-88.83,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees and powerlines were blown down." +116270,700343,MISSISSIPPI,2017,June,Thunderstorm Wind,"HOLMES",2017-06-16 17:06:00,CST-6,2017-06-16 17:40:00,0,0,0,0,30.00K,30000,0.00K,0,33.3282,-90.2826,33.1755,-90.2046,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees and powerlines were blown down across the western portion of the county. Trees blocked Highway 12 around Tchula." +117011,706119,NEBRASKA,2017,June,Hail,"THAYER",2017-06-28 22:15:00,CST-6,2017-06-28 22:15:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-97.62,40.02,-97.62,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","" +121149,726677,ALABAMA,2017,December,Thunderstorm Wind,"LAUDERDALE",2017-12-23 06:36:00,CST-6,2017-12-23 06:36:00,0,0,0,0,0.50K,500,0.00K,0,34.89,-87.62,34.89,-87.62,"A fast-moving line of showers and thunderstorms pushed through north Alabama from west to east during the early morning hours of the 23rd. Damaging winds snapped a power pole. There were also reports of trees knocked down.","A tree was knocked down partially blocking the intersection of CR 61 and CR 335. Time estimated by radar." +117946,708982,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"PICKENS",2017-06-13 17:00:00,EST-5,2017-06-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.897,-82.542,34.897,-82.542,"Scattered to numerous thunderstorms developed during the afternoon and evening across Upstate South Carolina. A few storms reached severe levels for brief periods, producing localized wind damage and hail to the size of quarters.","Sheriffs office reported trees blown down on Hester Store Road. Highway Patrol reported at least one more tree down nearby on Farrs Bridge Rd." +117947,709008,TEXAS,2017,June,Thunderstorm Wind,"OCHILTREE",2017-06-21 19:55:00,CST-6,2017-06-21 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-100.75,36.41,-100.75,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +118106,709810,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-06-19 17:14:00,EST-5,2017-06-19 17:14:00,0,0,0,0,,NaN,,NaN,41.08,-73.38,41.08,-73.38,"An approaching upper level shortwave and associated surface cold front triggered strong to severe thunderstorms over the waters around Long Island.","A gust of 34 knots was measured at the Norwalk Light mesonet site." +121149,726678,ALABAMA,2017,December,Thunderstorm Wind,"LAUDERDALE",2017-12-23 07:00:00,CST-6,2017-12-23 07:00:00,0,0,0,0,0.50K,500,0.00K,0,34.95,-87.36,34.95,-87.36,"A fast-moving line of showers and thunderstorms pushed through north Alabama from west to east during the early morning hours of the 23rd. Damaging winds snapped a power pole. There were also reports of trees knocked down.","A tree was knocked down causing partial blockage of the road near CR 88 at CR 51. Time estimated by radar." +115652,694920,FLORIDA,2017,June,Hail,"VOLUSIA",2017-06-01 15:04:00,EST-5,2017-06-01 15:04:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-81.03,29.12,-81.03,"A sea breeze collision produced a severe thunderstorm over east central Volusia county during the late afternoon. Several reports of quarter to half dollar sized hail were received from Port Orange to New Smyrna Beach.","Multiple reports were received via social media of half dollar sized hail in Port Orange as a severe thunderstorm moved through the area. Duration unknown." +115640,695190,PENNSYLVANIA,2017,June,Hail,"WARREN",2017-06-18 14:55:00,EST-5,2017-06-18 14:55:00,0,0,0,0,0.00K,0,0.00K,0,41.9723,-79.3371,41.9723,-79.3371,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm produced quarter-sized hail near Sugar Grove." +115640,695191,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WARREN",2017-06-18 15:00:00,EST-5,2017-06-18 15:00:00,0,0,0,0,4.00K,4000,0.00K,0,41.6842,-79.4092,41.6842,-79.4092,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down several trees in Tidioute." +115640,695194,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 15:50:00,EST-5,2017-06-18 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,41.9288,-78.6543,41.9288,-78.6543,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Lost Lane near Bradford." +115811,696004,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-07 08:28:00,EST-5,2017-06-07 08:28:00,0,0,0,0,0.00K,0,0.00K,0,27.8578,-82.5527,27.8578,-82.5527,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The PORTS site at Old Port Tampa produced a 36 knot thunderstorm wind gust." +115811,696010,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-07 07:51:00,EST-5,2017-06-07 07:51:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station at Egmont Key recorded a 42 knot marine thunderstorm wind gust." +115811,696130,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-07 11:35:00,EST-5,2017-06-07 11:35:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-82.08,26.96,-82.08,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","The WeatherFlow station at Charlotte Harbor Yacht Club recorded a 49 knot marine thunderstorm wind gust." +115811,696178,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-06-07 12:30:00,EST-5,2017-06-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,26.44,-81.97,26.44,-81.97,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","An SCCF station on the Gulf of Mexico recorded a 47 knot marine thunderstorm wind gust." +115811,696181,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-07 12:15:00,EST-5,2017-06-07 12:15:00,0,0,0,0,0.00K,0,0.00K,0,26.56,-82.18,26.56,-82.18,"A prefrontal trough moved southeast through the Florida Peninsula, producing a band of thunderstorms. Some of these thunderstorms produced gusty winds along the coast.","An SCCF station at Redfish Pass recorded a 38 knot marine thunderstorm wind gust." +115690,695189,MONTANA,2017,June,High Wind,"SHERIDAN",2017-06-22 11:00:00,MST-7,2017-06-22 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough pushed across eastern Montana, bringing strong gusty winds to the area for much of the afternoon.","The MT DOT site near Comertown measured sustained winds of over 40 mph for nearly 3 hours, along with periodic gusts of 58 mph between approximately 1:00 PM and 1:20 PM MST. The first gust to 58 mph occurred at 12:59 PM MST." +115870,696341,NEW MEXICO,2017,June,Hail,"MORA",2017-06-20 16:24:00,MST-7,2017-06-20 16:26:00,0,0,0,0,0.00K,0,0.00K,0,36,-104.66,36,-104.66,"Moist, low level southeasterly flow over eastern New Mexico and strong afternoon heating combined with northwest flow aloft to produce scattered showers and thunderstorms over New Mexico. The greatest instability developed over northeastern New Mexico where several thunderstorms spawned large hail and severe winds. Several discrete supercells formed around Mora, San Miguel, and Harding counties during the late afternoon hours. These storms merged into a large cluster and moved southeast across the east central plains with localized heavy rainfall.","Golf ball size hail." +115938,696638,NORTH DAKOTA,2017,June,Thunderstorm Wind,"WALSH",2017-06-07 13:00:00,CST-6,2017-06-07 13:00:00,0,0,0,0,,NaN,,NaN,48.21,-97.36,48.21,-97.36,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","Numerous poplar tree branches were blown down in shelterbelts west of town." +115938,696636,NORTH DAKOTA,2017,June,Thunderstorm Wind,"GRAND FORKS",2017-06-07 12:50:00,CST-6,2017-06-07 12:50:00,0,0,0,0,,NaN,,NaN,48.15,-97.3,48.15,-97.3,"There were two different focus areas on Wednesday, June 7th, 2017. First, a cold front would exit into central Minnesota during the afternoon, spawning a few thunderstorms. Then, behind this front, an upper level disturbance would move into the Red River Valley during the late morning and early afternoon. The upper level disturbance proved to be the main weather producer for the day. Many factors came into play, helping to make this an ideal day for cold core tornadoes. Along with the upper level disturbance, there was abundant sunshine and good heating through the morning, which resulted in a frontal boundary and an area of surface low pressure setting up along the western edge of the Red River Valley. Between roughly noon and 2 pm, 8 tornado warnings and 1 severe thunderstorm warning were issued over the central and northern Red River Valley.","Numerous poplar and ash tree branches were blown down in shelterbelts across southern Levant Township." +115911,696650,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-26 18:33:00,MST-7,2017-06-26 18:34:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-105.65,33.39,-105.65,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","A brief storm produced hail up to the size of pennies in Alto." +116118,697910,WYOMING,2017,June,High Wind,"EAST SWEETWATER COUNTY",2017-06-12 14:00:00,MST-7,2017-06-12 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","Strong winds occurred in portions of Eastern Sweetwater County. The strongest gust was 63 mph at Bitter Creek." +116118,697911,WYOMING,2017,June,High Wind,"ROCK SPRINGS & GREEN RIVER",2017-06-12 14:00:00,MST-7,2017-06-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","High winds occurred in portions of the Rock Springs and Green River areas. The highest gust reported was 62 mph at the site on the west side of Rock Springs." +116118,697912,WYOMING,2017,June,High Wind,"UPPER GREEN RIVER BASIN",2017-06-12 13:11:00,MST-7,2017-06-12 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","High winds occurred in portions of the Upper Green River Basin. The highest wind gust recorded was 67 mph at Farson. A 58 mph gust was recorded at the Big Piney airport." +116278,699174,WYOMING,2017,June,Thunderstorm Wind,"FREMONT",2017-06-27 15:22:00,MST-7,2017-06-27 15:22:00,0,0,0,0,0.00K,0,0.00K,0,42.82,-108.73,42.82,-108.73,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","The Lander airport had a wind gust of 66 mph." +116278,699173,WYOMING,2017,June,Thunderstorm Wind,"NATRONA",2017-06-27 15:26:00,MST-7,2017-06-27 15:26:00,0,0,0,0,0.00K,0,0.00K,0,42.9,-106.47,42.9,-106.47,"A shortwave moved across western and central Wyoming on the afternoon of June 27th. There were very large dew point depressions that led to the formation of high based thunderstorms. These thunderstorms led to many severe wind gusts, some of which produced damage. The hardest hit area was Worland where wind gusts as high as 69 mph blew down many trees and power lines. In Natrona County, a pine tree was blown over on a car in downtown Casper. Reports of wind gusts of 59 mph or greater were also reported in Big Horn, Fremont, Hot Springs Counties and Johnson Counties. In Yellowstone, a lightning strike damaged 2 cars. No injuries were reported however.","The ASOS at the Casper Airport reported a wind gust of 64 mph." +115469,693397,OREGON,2017,June,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-06-14 01:00:00,PST-8,2017-06-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop below freezing at several locations in south central Oregon.","Reported low temperatures ranged from 29 to 41 degrees." +115441,693220,OREGON,2017,June,Frost/Freeze,"KLAMATH BASIN",2017-06-13 01:00:00,PST-8,2017-06-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a dry cool air mass allowed temperatures to drop below freezing at a few locations in south central Oregon.","Reported low temperatures ranged from 30 to 37 degrees." +115964,696933,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-27 16:00:00,MST-7,2017-06-27 16:00:00,0,0,0,0,,NaN,0.00K,0,43.7266,-103.6,43.7266,-103.6,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Many pine trees were bent and several trees were snapped by the wind." +115964,696950,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PENNINGTON",2017-06-27 16:05:00,MST-7,2017-06-27 16:05:00,0,0,0,0,,NaN,0.00K,0,43.9,-103.72,43.9,-103.72,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Several small trees were downed by the wind at the Medicine Mountain Boy Scout Camp." +116439,710002,ILLINOIS,2017,June,Flash Flood,"TAZEWELL",2017-06-17 20:30:00,CST-6,2017-06-17 22:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7468,-89.5351,40.6671,-89.4225,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 3.00 inches in 90 minutes was reported during the evening hours in northern Tazewell County. Some streets were flooded in the city of Washington and parts of Highway 24 were impassable from Washington to the Woodford County line. Most of Dee-Mac Road was also flooded through the late evening." +116439,710004,ILLINOIS,2017,June,Flood,"TAZEWELL",2017-06-17 22:45:00,CST-6,2017-06-18 05:30:00,0,0,0,0,0.00K,0,0.00K,0,40.7468,-89.5351,40.6671,-89.4225,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 3.00 inches in 90 minutes was reported during the evening hours in northern Tazewell County. Some streets were flooded in the city of Washington and parts of Highway 24 were impassable from Washington to the Woodford County line. Most of Dee-Mac Road was also flooded through the late evening. Additional rainfall during the late evening and overnight hours kept many roads flooded into early morning. The flooding subsided by daybreak on June 18th." +115871,696349,NEW MEXICO,2017,June,Heat,"ALBUQUERQUE METRO AREA",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Albuquerque Metro area ranged from 100 to 106 degrees on four consecutive days. The hottest temperature at the Albuquerque Sunport reached 103 degrees on June 22nd. A record high minimum temperature of 76 degrees was set on June 22nd, breaking the previous record of 74 degrees from 2015. Record high temperatures were also set at the Albuquerque Foothills, Albuquerque Valley, Jemez Dam, and Los Lunas." +115871,696353,NEW MEXICO,2017,June,Heat,"CHAVES COUNTY PLAINS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Chaves County Plains ranged from 100 to 110 degrees on four consecutive days. The hottest temperature at the Roswell Airpark reached 108 degrees on June 22nd which set a new record high temperature. This heatwave occurred only two days after a more significant heatwave that produced nine consecutive days of 100 to 110 high temperatures between June 9th and June 17th." +116562,701041,NEW MEXICO,2017,June,Thunderstorm Wind,"ROOSEVELT",2017-06-30 21:25:00,MST-7,2017-06-30 21:29:00,0,0,0,0,250.00K,250000,0.00K,0,34.12,-103.58,34.12,-103.58,"Northwest steering flow aloft over New Mexico combined with deep moisture and strong instability resulted in a significant severe weather event over the eastern plains. The first cluster of showers and thunderstorms developed over Colfax County by mid afternoon then moved southeast toward Union County. Thunderstorms with penny to nickel size hail around the Raton area moved east and produced severe hail and high winds from near Mount Dora to Sedan. A second cluster of showers and thunderstorms then developed around Guadalupe County during the evening hours and pushed southeast into the Pecos Valley and Caprock region. Several of these storms produced high-end severe weather with wind gusts up to 85 mph and major damage around the Melrose Bombing Range. Baseball size hail with more wind damage was also reported around Floyd.","A large storage trailer with agricultural goods was blown over and contents destroyed. Several farmers in the area experienced total crop loss from large hail and high winds. Damage was also reported to many homes. One home saw hail punctured through the roof and damaged the interior of the residence." +116751,702117,KANSAS,2017,June,Flood,"SHERMAN",2017-06-01 06:00:00,MST-7,2017-06-01 09:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4815,-101.6321,39.4816,-101.6321,"Runoff from prolonged heavy the previous night caused the South Beaver Creek to overflow its banks across northeast Sherman County in the morning. A couple roads that crossed the South Beaver were washed out as a result.","The South Beaver Creek overflowed its engineered channel and followed the natural channel of the creek bed. This caused the creek to wash out a small section of CR 74 east of the CR 74/CR 24 intersection near the bridge over the South Beaver Creek." +116751,702118,KANSAS,2017,June,Flood,"SHERMAN",2017-06-01 09:00:00,MST-7,2017-06-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5037,-101.6138,39.5042,-101.6138,"Runoff from prolonged heavy the previous night caused the South Beaver Creek to overflow its banks across northeast Sherman County in the morning. A couple roads that crossed the South Beaver were washed out as a result.","The South Beaver Creek overflowed its engineered channel and followed the natural channel of the creek bed. This caused the creek to wash out a small section of CR 25 north of the CR 25/CR 75.2 intersection near the bridge over the South Beaver Creek." +115456,693306,COLORADO,2017,June,Flash Flood,"EL PASO",2017-06-06 14:44:00,MST-7,2017-06-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.999,-104.8947,38.8783,-104.8734,"A slow moving storm produced flash flooding in the Colorado Springs area.","Heavy rain produced flowing water on streets between 6 and 12 inches in depth from the Air Force Academy through western sections of Colorado Springs." +115459,693449,COLORADO,2017,June,Flash Flood,"CUSTER",2017-06-07 15:30:00,MST-7,2017-06-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-105.07,38.1524,-105.0973,"A slow moving complex of storms produced flash flooding in and adjacent to the Junkins burn scar.","County Road 387 was briefly closed due to debris on the road in eight different areas." +115483,693444,COLORADO,2017,June,Flash Flood,"FREMONT",2017-06-06 14:20:00,MST-7,2017-06-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3753,-105.7688,38.3127,-105.8286,"A slow moving storm produced flash flooding in and near the Hayden Pass burn scar.","Heavy rain caused flooding of low areas and roadways to depths of greater than six inches. No structures were threatened." +115742,697065,KENTUCKY,2017,June,Flood,"GREENUP",2017-06-24 02:00:00,EST-5,2017-06-25 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.5142,-83.125,38.5187,-82.7127,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia. ||In northeastern Kentucky, widespread rainfall totals of 2 to 3 inches were recorded. The highest amounts were measured in Carter County. A cooperative observer in Olive Hill received 3.43 inches during the evening of the 23rd into early on the 24th. A National Weather Service trained spotter measured 3.4 inches about 5 miles northeast of Olive Hill. At the nearby Carter County Fairgrounds, hundreds of folks were camping next to Barrett Creek while attending a local music festival. The campground was inundated by a significant amount of water, and many campers had to be evacuated. The remainder of the weekend music festival was cancelled.||The widespread heavy rainfall led to flash flooding initially. Then, as water drained through the water system, rivers and streamed backed up resulting in lingering flooding and road closures through the 24th. ||The Little Sandy River at Grayson reached minor flood stage. The river gauge reported that the river climbed above its flood stage of 21 feet very early on the 24th. The river crested just under 23 feet mid morning, and returned within its banks at 4 o'clock in the afternoon on the 24th.","As water following the heavy rainfall and flash flooding on the 23rd drained through the streams and rivers, Tygarts Creek flooded. This caused high water along State Routes 2 and 7 which lingered into the early morning of the 25th." +115744,695685,WEST VIRGINIA,2017,June,Thunderstorm Wind,"BOONE",2017-06-23 23:02:00,EST-5,2017-06-23 23:02:00,0,0,0,0,0.50K,500,0.00K,0,38.15,-81.74,38.15,-81.74,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Gusty winds combined with wet soil conditions led to one tree downed in Nellis." +117470,707697,ARKANSAS,2017,June,Thunderstorm Wind,"PULASKI",2017-06-23 16:05:00,CST-6,2017-06-23 16:05:00,0,0,0,0,0.00K,0,0.00K,0,34.76,-92.32,34.76,-92.32,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","A large tree was blown down in the Hillcrest area." +117470,707698,ARKANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-23 16:25:00,CST-6,2017-06-23 16:25:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-92.59,34.56,-92.59,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","A large tree was blown down." +117470,707700,ARKANSAS,2017,June,Thunderstorm Wind,"GARLAND",2017-06-23 16:40:00,CST-6,2017-06-23 16:40:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-93.24,34.51,-93.24,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","A tree was blown down." +114451,686333,MASSACHUSETTS,2017,March,Blizzard,"NORTHERN BERKSHIRE",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Storm total snowfall reports of 15 to 20 inches were received. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. Travel restrictions were issued for the Massachusetts Turnpike. Much of the train service across the region was cancelled. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions. At higher elevations, winds gusted as high as 74 mph. The winds brought considerable blowing and drifting of snow.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114451,686334,MASSACHUSETTS,2017,March,Blizzard,"SOUTHERN BERKSHIRE",2017-03-14 01:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Storm total snowfall reports of 15 to 20 inches were received. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. Travel restrictions were issued for the Massachusetts Turnpike. Much of the train service across the region was cancelled. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions. At higher elevations, winds gusted as high as 74 mph. The winds brought considerable blowing and drifting of snow.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +117453,706394,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-28 18:10:00,CST-6,2017-06-28 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-92.19,42.32,-92.19,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported quarter sized hail via social media." +117453,706395,IOWA,2017,June,Hail,"TAYLOR",2017-06-28 19:34:00,CST-6,2017-06-28 19:34:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-94.68,40.65,-94.68,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported golf ball sized hail." +117307,705503,WISCONSIN,2017,June,Flood,"TREMPEALEAU",2017-06-24 18:45:00,CST-6,2017-06-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"The Trempealeau River at Dodge (Trempealeau County) briefly went out of its banks on June 24th and 25th.","Runoff from several rain events pushed the Trempealeau River out of its banks in Dodge. The river crested less than a half foot above the flood stage at 9.14 feet." +117326,705656,OHIO,2017,June,Thunderstorm Wind,"VAN WERT",2017-06-04 14:45:00,EST-5,2017-06-04 14:46:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-84.65,40.78,-84.65,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Emergency management officials reported a few trees were snapped near Richey Road." +117326,705657,OHIO,2017,June,Thunderstorm Wind,"VAN WERT",2017-06-04 15:00:00,EST-5,2017-06-04 15:01:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-84.69,40.89,-84.69,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Emergency management reported a shed was tossed roughly 80 yards and destroyed." +117325,705648,INDIANA,2017,June,Thunderstorm Wind,"KOSCIUSKO",2017-06-04 14:15:00,EST-5,2017-06-04 14:16:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-85.79,41.21,-85.79,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","An off duty NWS employee reported a tree limb was blown down." +116387,699862,MISSISSIPPI,2017,June,Heavy Rain,"PONTOTOC",2017-06-02 00:00:00,CST-6,2017-06-02 05:02:00,0,0,0,0,0.00K,0,0.00K,0,34.3169,-88.9665,34.3169,-88.9665,"An upper level disturbance generated a band of moderate to heavy rain with embedded thunderstorms that produced flash flooding during the early morning and mid afternoon hours of June 2nd.","Rainfall of 4.1 inches over the past five hours." +116387,699865,MISSISSIPPI,2017,June,Flash Flood,"LEE",2017-06-02 06:00:00,CST-6,2017-06-02 09:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.2799,-88.8276,34.2673,-88.8253,"An upper level disturbance generated a band of moderate to heavy rain with embedded thunderstorms that produced flash flooding during the early morning and mid afternoon hours of June 2nd.","Flash flooding in the Westwind subdivision. House surrounded by water." +116387,699868,MISSISSIPPI,2017,June,Flash Flood,"PRENTISS",2017-06-02 14:00:00,CST-6,2017-06-02 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,34.6605,-88.5811,34.6574,-88.5817,"An upper level disturbance generated a band of moderate to heavy rain with embedded thunderstorms that produced flash flooding during the early morning and mid afternoon hours of June 2nd.","Intersections of Washington Street with both 1st and 2nd streets were flooded causing 2nd street to be closed in front of the hospital. In addition, flash flooding occurred at Horseshoe Acres and 9th street." +116388,699871,ARKANSAS,2017,June,Flash Flood,"GREENE",2017-06-05 11:10:00,CST-6,2017-06-05 14:20:00,0,0,0,0,30.00K,30000,0.00K,0,36.0491,-90.4978,36.0375,-90.5088,"A stalled frontal boundary produced a narrow east-to-west band of moderate to heavy rain across portions of northeast Arkansas during the midday hours of June 5th.","Several roads on the southeast side of Paragould were closed due to rising water." +116389,699874,TENNESSEE,2017,June,Flash Flood,"DYER",2017-06-05 13:08:00,CST-6,2017-06-05 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.0624,-89.4012,36.0594,-89.4019,"A stalled frontal boundary produced a narrow east-to-west band of moderate to heavy rain across portions of northwest Tennessee Arkansas during the afternoon hours of June 5th.","Ellen Drive flooded in Dyersburg." +116389,699877,TENNESSEE,2017,June,Flash Flood,"OBION",2017-06-05 15:30:00,CST-6,2017-06-05 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.4201,-89.0571,36.4147,-89.0573,"A stalled frontal boundary produced a narrow east-to-west band of moderate to heavy rain across portions of northwest Tennessee Arkansas during the afternoon hours of June 5th.","Houses along South Perkins Street had water around 6 inches deep." +116469,700458,ARKANSAS,2017,June,Thunderstorm Wind,"ST. FRANCIS",2017-06-18 13:07:00,CST-6,2017-06-18 13:15:00,0,0,0,0,10.00K,10000,0.00K,0,34.9483,-90.5129,34.9476,-90.4724,"A cold front generated a line of severe storms that produced wind damage and heavy rain across portions of the Midsouth on the afternoon of June 18th.","Trees blown down on Highway 38 in Hughes resulting in power lines landing on a car." +116476,700480,ARKANSAS,2017,June,Thunderstorm Wind,"RANDOLPH",2017-06-23 14:52:00,CST-6,2017-06-23 15:00:00,0,0,0,0,100.00K,100000,0.00K,0,36.2631,-90.9901,36.2543,-90.9009,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Partial structural damage to factory. Trees and power lines down." +114465,694683,VIRGINIA,2017,April,Flood,"PULASKI",2017-04-24 04:00:00,EST-5,2017-04-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0487,-80.799,37.1215,-80.6829,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Flooding was reported in several parts of Pulaski County including Peak Creek and along parts of the New River. The Peak Creek IFLOWS gage (PCRV2) crested at 8.5 feet and caused some flooding upstream of the town of Pulaski in the Kersey Bottom area near Melborn and Crescent Streets. The low-water crossing at Lottier Bottom was closed due to water across the roadway. Several other roads in the county were closed due to high water." +117541,706917,NEBRASKA,2017,June,Hail,"CUSTER",2017-06-13 15:07:00,CST-6,2017-06-13 15:07:00,0,0,0,0,,NaN,,NaN,41.72,-100.03,41.72,-100.03,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706918,NEBRASKA,2017,June,Hail,"BROWN",2017-06-13 15:35:00,CST-6,2017-06-13 15:35:00,0,0,0,0,,NaN,,NaN,42.43,-99.7,42.43,-99.7,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706919,NEBRASKA,2017,June,Hail,"BLAINE",2017-06-13 15:36:00,CST-6,2017-06-13 15:36:00,0,0,0,0,,NaN,,NaN,41.94,-99.87,41.94,-99.87,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706920,NEBRASKA,2017,June,Hail,"ROCK",2017-06-13 15:45:00,CST-6,2017-06-13 15:45:00,0,0,0,0,,NaN,,NaN,42.48,-99.67,42.48,-99.67,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +114465,694845,VIRGINIA,2017,April,Heavy Rain,"PATRICK",2017-04-24 00:00:00,EST-5,2017-04-24 13:36:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-80.21,36.77,-80.21,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Rainfall of 4.35 inches measured since midnight on April 24th." +117541,706921,NEBRASKA,2017,June,Hail,"ROCK",2017-06-13 15:59:00,CST-6,2017-06-13 15:59:00,0,0,0,0,,NaN,,NaN,42.58,-99.34,42.58,-99.34,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706922,NEBRASKA,2017,June,Hail,"ROCK",2017-06-13 15:50:00,CST-6,2017-06-13 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-99.33,42.6,-99.33,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706924,NEBRASKA,2017,June,Hail,"HOLT",2017-06-13 16:15:00,CST-6,2017-06-13 16:15:00,0,0,0,0,,NaN,,NaN,42.75,-98.98,42.75,-98.98,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706925,NEBRASKA,2017,June,Hail,"ROCK",2017-06-13 16:23:00,CST-6,2017-06-13 16:23:00,0,0,0,0,,NaN,,NaN,42.34,-99.33,42.34,-99.33,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706926,NEBRASKA,2017,June,Hail,"HOLT",2017-06-13 16:28:00,CST-6,2017-06-13 16:28:00,0,0,0,0,,NaN,,NaN,42.75,-99.06,42.75,-99.06,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706927,NEBRASKA,2017,June,Hail,"BOYD",2017-06-13 16:43:00,CST-6,2017-06-13 16:43:00,0,0,0,0,,NaN,,NaN,42.91,-98.85,42.91,-98.85,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117576,707142,TEXAS,2017,June,Tropical Storm,"HARRIS",2017-06-21 11:00:00,CST-6,2017-06-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy made landfall in southwestern Louisiana between Port Arthur, TX and Cameron, LA in the early morning hours of June 22nd. Cindy's main impact was minor coastal flooding around Galveston Island and especially the Bolivar Peninsula. Storm total rainfall ranged from around one quarter inch at Houston Intercontinental Airport to 4.33 inches on the Bolivar Peninsula with the highest amounts generally across Chambers, Galveston and Liberty counties as well as the Bolivar Peninsula. The highest sustained wind of 37 knots (43 mph) was recorded at WeatherFlow site KCRB on the Bolivar Peninsula and the peak gust of 45 knots (52 mph) was recorded at Rollover Pass on the Bolivar Peninsula. The lowest sea-level pressure was 999 mb at Galveston Scholes Field. Minor coastal flooding was the tropical storm's main impact. Despite predominant offshore winds, long period swells and associated wave run up led to a rise in water levels along Gulf facing beaches. In addition, a persistent northerly wind component lead to a pile up of water on north facing Bay side beaches. Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact. Minor coastal flooding was also experienced around Surfside and Blue Water Highway in Brazoria County.","Tides were elevated along Galveston Bay with little impact. Rainfall amounts ranged from around two inches in the eastern areas to less than an inch in the western areas." +117576,707143,TEXAS,2017,June,Tropical Storm,"LIBERTY",2017-06-21 11:00:00,CST-6,2017-06-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy made landfall in southwestern Louisiana between Port Arthur, TX and Cameron, LA in the early morning hours of June 22nd. Cindy's main impact was minor coastal flooding around Galveston Island and especially the Bolivar Peninsula. Storm total rainfall ranged from around one quarter inch at Houston Intercontinental Airport to 4.33 inches on the Bolivar Peninsula with the highest amounts generally across Chambers, Galveston and Liberty counties as well as the Bolivar Peninsula. The highest sustained wind of 37 knots (43 mph) was recorded at WeatherFlow site KCRB on the Bolivar Peninsula and the peak gust of 45 knots (52 mph) was recorded at Rollover Pass on the Bolivar Peninsula. The lowest sea-level pressure was 999 mb at Galveston Scholes Field. Minor coastal flooding was the tropical storm's main impact. Despite predominant offshore winds, long period swells and associated wave run up led to a rise in water levels along Gulf facing beaches. In addition, a persistent northerly wind component lead to a pile up of water on north facing Bay side beaches. Water and debris covered a low lying section of Highway 87 near its intersection with Highway 124 which is an area that is especially vulnerable to coastal flooding. Elsewhere, channels were elevated around Jamaica Beach and other west end communities of Galveston Island, but there was little impact. Minor coastal flooding was also experienced around Surfside and Blue Water Highway in Brazoria County.","There was minimal impact." +115587,694145,TENNESSEE,2017,May,Thunderstorm Wind,"ROBERTSON",2017-05-27 17:40:00,CST-6,2017-05-27 17:40:00,0,0,0,0,20.00K,20000,0.00K,0,36.5,-86.88,36.5,-86.88,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Forty reports of trees down throughout the county with several roadways blocked." +115587,694146,TENNESSEE,2017,May,Thunderstorm Wind,"DICKSON",2017-05-27 18:03:00,CST-6,2017-05-27 18:03:00,0,0,0,0,1.00K,1000,0.00K,0,36.0186,-87.2403,36.0186,-87.2403,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down that blocked the I-40 westbound lanes around 2 miles west of the Burns exit." +116915,703099,WISCONSIN,2017,June,Thunderstorm Wind,"MARATHON",2017-06-11 19:50:00,CST-6,2017-06-11 19:50:00,0,0,0,0,0.00K,0,0.00K,0,44.99,-90.22,44.99,-90.22,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds snapped tree limbs near Milan." +116915,703101,WISCONSIN,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 19:58:00,CST-6,2017-06-11 19:58:00,0,0,0,0,0.00K,0,0.00K,0,45.18,-89.68,45.18,-89.68,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds downed a few trees in Merrill." +116915,703103,WISCONSIN,2017,June,Thunderstorm Wind,"FOREST",2017-06-11 20:22:00,CST-6,2017-06-11 20:22:00,0,0,0,0,0.00K,0,0.00K,0,45.4399,-88.6762,45.4399,-88.6762,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Thunderstorm winds downed trees near County Road W." +116915,707851,WISCONSIN,2017,June,Flood,"LINCOLN",2017-06-11 19:50:00,CST-6,2017-06-11 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,45.1785,-89.6902,45.1814,-89.6955,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Heavy rainfall from thunderstorms caused minor street flooding in Merrill." +116915,707852,WISCONSIN,2017,June,Flood,"LANGLADE",2017-06-11 20:45:00,CST-6,2017-06-11 22:15:00,0,0,0,0,2.00K,2000,0.00K,0,45.143,-89.1506,45.1431,-89.1547,"More thunderstorms developed later on the afternoon of June 11th in the vicinity of a surface frontal boundary. The storms downed trees and power lines across parts of northern Wisconsin and produced torrential rainfall that caused street flooding in Lac du Flambeau (Vilas Co.), Merrill (Lincoln Co.) and Antigo (Langlade Co.).","Heavy rainfall from thunderstorms caused street flooding in Antigo." +117725,707889,IDAHO,2017,June,Lightning,"KOOTENAI",2017-06-28 18:50:00,PST-8,2017-06-28 18:55:00,0,0,0,0,50.00K,50000,0.00K,0,47.6594,-116.7406,47.6594,-116.7406,"A thunderstorm near Coeur D'Alene during the evening of June 28th produced a lightning bolt that struck a house and set it on fire. Quick response by the fire department saved most of the house, but damage to the home was estimated at 50 thousand dollars.","Lightning set fire to a home on Lake Coeur D'Alene during the evening of June 28th." +117784,708116,CALIFORNIA,2017,June,Heat,"SAN DIEGO COUNTY VALLEYS",2017-06-20 12:00:00,PST-8,2017-06-27 12:00:00,4,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure and a dry airmass helped temperatures sore in inland areas from the 16th through the 27th. The heat was most intense in the deserts on the 20th, 24th, and 25th with Palm Springs reaching 122 degrees on all three days. Temperatures peaked in the 100-110 degree range over the San Diego County Valleys and Inland Empire on the 20th, 24th and 25th. Flex Alerts were issued asking customers to conserve power.","A helicopter rescue and 3 vehicle rescues were conducted for heat related illnesses at El Capitan County Preserve. Park staff also had to do extra patrols of the area to share safety information and bottled water." +115587,694219,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:40:00,CST-6,2017-05-27 19:40:00,0,0,0,0,5.00K,5000,0.00K,0,35.955,-85.1163,35.955,-85.1163,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Front porch caved in and trees were down across the driveway of a home on Pomona Road near Highway 70." +121936,729934,OHIO,2017,December,Winter Weather,"MERCER",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter in Maria Stein measured 2 inches of snow." +117842,708296,ARIZONA,2017,June,Thunderstorm Wind,"SANTA CRUZ",2017-06-20 14:03:00,MST-7,2017-06-20 14:03:00,0,0,0,0,0.00K,0,0.00K,0,31.4177,-110.8488,31.4177,-110.8488,"Scattered thunderstorms moved east to west across southeast Arizona. Some storms produced severe wind gusts in Tucson and Nogales.","A severe wind gust was measured at Nogales Airport." +115449,693288,NORTH DAKOTA,2017,June,Hail,"KIDDER",2017-06-02 18:00:00,CST-6,2017-06-02 18:02:00,0,0,0,0,0.00K,0,0.00K,0,46.94,-99.54,46.94,-99.54,"Scattered supercell thunderstorms developed in an environment with strong instability but lower end shear ahead of a cold front. This produced severe weather over portions of Kidder and Stutsman counties.","" +115479,693434,NORTH DAKOTA,2017,June,Hail,"SLOPE",2017-06-05 14:30:00,MST-7,2017-06-05 14:33:00,0,0,0,0,0.00K,0,0.00K,0,46.47,-103.82,46.47,-103.82,"A surface low moved from Montana into southwestern North Dakota where modest instability and deep layer shear were noted. Thunderstorms developed over southwest North Dakota which were quick to intensify and weaken. One storm briefly became severe over Bowman County, and produced one-inch diameter hail.","" +115479,693435,NORTH DAKOTA,2017,June,Hail,"BOWMAN",2017-06-05 15:01:00,MST-7,2017-06-05 15:05:00,0,0,0,0,0.00K,0,0.00K,0,46.08,-103.88,46.08,-103.88,"A surface low moved from Montana into southwestern North Dakota where modest instability and deep layer shear were noted. Thunderstorms developed over southwest North Dakota which were quick to intensify and weaken. One storm briefly became severe over Bowman County, and produced one-inch diameter hail.","" +121936,729935,OHIO,2017,December,Winter Weather,"MIAMI",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The observer from northwest of Tipp City measured 3.8 inches of snow. A spotter near Troy measured 3.5 inches, while other observations around Troy and in Piqua came in at 3 inches." +121936,729936,OHIO,2017,December,Winter Weather,"MONTGOMERY",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The observer from New Lebanon measured 4 inches of snow, as did a social media post from Huber Heights. Another social media post from Kettering had 3.9 inches of accumulation, while the Dayton airport DAY measured 3.7 inches." +121936,729937,OHIO,2017,December,Winter Weather,"PICKAWAY",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Circleville measured 4 inches of snow, while the cooperative observer in town measured 3.3 inches. A NWS employee northwest of Laurelville measured 2.2 inches." +115458,693303,NORTH DAKOTA,2017,June,Hail,"MCLEAN",2017-06-09 15:42:00,CST-6,2017-06-09 15:45:00,0,0,0,0,0.00K,0,0.00K,0,47.52,-100.89,47.52,-100.89,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693304,NORTH DAKOTA,2017,June,Hail,"MCLEAN",2017-06-09 15:45:00,CST-6,2017-06-09 15:48:00,0,0,0,0,0.00K,0,0.00K,0,47.52,-100.89,47.52,-100.89,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117324,705662,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 16:05:00,CST-6,2017-06-20 16:05:00,0,0,0,0,0.00K,0,0.00K,0,39.2069,-100.6793,39.2069,-100.6793,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705664,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 16:07:00,CST-6,2017-06-20 16:07:00,0,0,0,0,0.00K,0,0.00K,0,39.1897,-100.6846,39.1897,-100.6846,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117324,705665,KANSAS,2017,June,Hail,"GOVE",2017-06-20 16:22:00,CST-6,2017-06-20 16:22:00,0,0,0,0,0.00K,0,0.00K,0,39.1094,-100.4789,39.1094,-100.4789,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","The hail is falling along I-70 near Grainfield." +117324,705666,KANSAS,2017,June,Hail,"THOMAS",2017-06-20 17:05:00,CST-6,2017-06-20 17:05:00,0,0,0,0,0.00K,0,0.00K,0,39.3557,-100.7238,39.3557,-100.7238,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","A few quarter and half dollar sized hailstones fell, but most of the hail was dime to nickel size. The hail is still falling. No rain is occurring with the hail." +117324,705668,KANSAS,2017,June,Hail,"LOGAN",2017-06-20 15:28:00,CST-6,2017-06-20 15:28:00,0,0,0,0,0.00K,0,0.00K,0,39.0352,-100.9219,39.0352,-100.9219,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","" +117754,708002,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 15:07:00,CST-6,2017-06-15 15:07:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-100.79,34.9,-100.79,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +117754,708004,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 18:15:00,CST-6,2017-06-15 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-100.91,34.94,-100.91,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +119743,718134,CALIFORNIA,2017,September,Thunderstorm Wind,"LOS ANGELES",2017-09-03 13:56:00,PST-8,2017-09-03 14:18:00,0,0,0,0,0.00K,0,0.00K,0,34.6897,-117.8243,34.6276,-118.0838,"Monsoonal moisture brought severe thunderstorms and flash flooding to parts of Southern California. In the city of Santa Barbara, a thunderstorm microburst generated 80 MPH wind gusts which resulted in significant damage in the city as well as the harbor. In the Antelope Valley, severe thunderstorm wind gusts up to 61 MPH were reported.","Severe thunderstorm wind gusts were reported across the Antelope Valley. The RAWS sensor at Saddleback Butte reported thunderstorm wind gusts of 61 MPH while the ASOS at Palmdale Airport reported thunderstorm wind gusts up to 58 MPH." +120611,722511,KANSAS,2017,September,Hail,"JEFFERSON",2017-09-16 21:35:00,CST-6,2017-09-16 21:36:00,0,0,0,0,,NaN,,NaN,39.2,-95.21,39.2,-95.21,"An abnormally benign weather pattern in September resulted in only a few severe weather reports during mid-September.","" +117754,708005,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 18:16:00,CST-6,2017-06-15 18:16:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-100.9,34.93,-100.9,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +117754,708006,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 18:18:00,CST-6,2017-06-15 18:18:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-100.89,34.94,-100.89,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +117754,708007,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 18:20:00,CST-6,2017-06-15 18:20:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-100.89,34.92,-100.89,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","Tennis ball size hail south of Clarendon, on HWY 70." +117756,708014,TEXAS,2017,June,Excessive Heat,"RANDALL",2017-06-17 12:00:00,CST-6,2017-06-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Mid-level ridge over northwest Mexico and southwest CONUS supported high temperatures well above 100 degrees Fahrenheit, with 850mb temperatures at or above 36 degrees Celsius continuing to be forecast across western half of Texas Panhandle.","" +117756,708015,TEXAS,2017,June,Excessive Heat,"ARMSTRONG",2017-06-17 12:00:00,CST-6,2017-06-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Mid-level ridge over northwest Mexico and southwest CONUS supported high temperatures well above 100 degrees Fahrenheit, with 850mb temperatures at or above 36 degrees Celsius continuing to be forecast across western half of Texas Panhandle.","" +117758,708024,TEXAS,2017,June,Hail,"MOORE",2017-06-20 20:28:00,CST-6,2017-06-20 20:28:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-101.89,36.02,-101.89,"Satellite wind profiles of northwesterly flow of 15-25 kts at 600-450 hPa shows perhaps |enough flow to move these storms into the northern and western Panhandles. Good DCAPE environment of around 1500 J/kg in-conjunction with shear of 30-40 kts. With supporting inverted-v forecast soundings over parts of the northern Panhandles, indicating strong winds as the primary threat. Large hail potential was there as well.","" +116968,705070,VIRGINIA,2017,June,Thunderstorm Wind,"BEDFORD",2017-06-15 17:45:00,EST-5,2017-06-15 17:45:00,0,0,0,0,0.50K,500,,NaN,37.2699,-79.7924,37.2699,-79.7924,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm wind gusts caused a tree to fall down on Jordon Town Road." +116968,705774,VIRGINIA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-15 17:45:00,EST-5,2017-06-15 17:45:00,0,0,0,0,0.50K,500,,NaN,37.0924,-79.8229,37.0924,-79.8229,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds downed a tree along Highway 122 between Hardy and Rocky Mount." +116968,705827,VIRGINIA,2017,June,Lightning,"MARTINSVILLE (C)",2017-06-15 20:05:00,EST-5,2017-06-15 20:05:00,0,0,0,0,5.00K,5000,,NaN,36.7,-79.88,36.7,-79.88,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Lightning struck a tree causing it to fall onto some power lines nearby." +116968,705064,VIRGINIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-15 16:05:00,EST-5,2017-06-15 16:05:00,0,0,0,0,0.50K,500,,NaN,37.1201,-80.4979,37.1201,-80.4979,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds downed a tree along Firetower Road, temporarily closing it to through traffic." +116968,705065,VIRGINIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-15 16:10:00,EST-5,2017-06-15 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,37.1477,-80.4008,37.14,-80.4,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds downed several trees from Ellett Road to Cambria street near the town of Christiansburg. Pea size hail was also reported." +116968,705824,VIRGINIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-15 16:19:00,EST-5,2017-06-15 16:19:00,0,0,0,0,10.00K,10000,,NaN,37.0658,-80.437,37.0658,-80.437,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds downed numerous trees along Union Valley Road near Riner. Estimates were that 8 to 10 trees were blocking the roadway at multiple locations." +116968,705067,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-15 17:05:00,EST-5,2017-06-15 17:05:00,0,0,0,0,2.50K,2500,,NaN,37.3,-80.12,37.3,-80.12,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Merging thunderstorms created strong winds that downed a few trees near the Salem City and Roanoke County line." +117141,705982,ARKANSAS,2017,June,Hail,"SEBASTIAN",2017-06-30 19:36:00,CST-6,2017-06-30 19:36:00,0,0,0,0,25.00K,25000,0.00K,0,35.3391,-94.3698,35.3391,-94.3698,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into west central Arkansas. The strongest storms produced hail up to golfball size.","" +117141,705983,ARKANSAS,2017,June,Hail,"SEBASTIAN",2017-06-30 19:44:00,CST-6,2017-06-30 19:44:00,0,0,0,0,25.00K,25000,0.00K,0,35.273,-94.3657,35.273,-94.3657,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into west central Arkansas. The strongest storms produced hail up to golfball size.","" +117141,705985,ARKANSAS,2017,June,Hail,"SEBASTIAN",2017-06-30 19:58:00,CST-6,2017-06-30 19:59:00,0,0,0,0,25.00K,25000,0.00K,0,35.22,-94.27,35.22,-94.27,"Strong to severe thunderstorms developed during the evening hours of the 30th, along a cold front that stretched from southwestern Oklahoma into west central Arkansas. The strongest storms produced hail up to golfball size.","" +117136,705938,OKLAHOMA,2017,June,Hail,"OKFUSKEE",2017-06-15 09:11:00,CST-6,2017-06-15 09:15:00,0,0,0,0,20.00K,20000,0.00K,0,35.348,-96.3877,35.348,-96.3877,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","" +117136,705940,OKLAHOMA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-15 20:20:00,CST-6,2017-06-15 20:20:00,0,0,0,0,0.00K,0,0.00K,0,36.7477,-95.982,36.7477,-95.982,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down trees." +117136,705941,OKLAHOMA,2017,June,Thunderstorm Wind,"OSAGE",2017-06-15 20:40:00,CST-6,2017-06-15 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.6672,-96.3354,36.6672,-96.3354,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Thunderstorm wind gusts were measured to 68 mph." +117779,717762,MINNESOTA,2017,August,Thunderstorm Wind,"RENVILLE",2017-08-16 23:52:00,CST-6,2017-08-16 23:54:00,0,0,0,0,0.00K,0,0.00K,0,44.5302,-94.8965,44.5296,-94.87,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A report from social media indicated that several trees were blown down in the town of Franklin." +117779,717681,MINNESOTA,2017,August,Flash Flood,"RENVILLE",2017-08-17 01:00:00,CST-6,2017-08-17 04:00:00,0,0,0,0,325.00K,325000,0.00K,0,44.544,-94.9672,44.7551,-95.443,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","Very heavy rainfall, and associated flooding, led to temporarily closures of Anderson Lake County Park in Franklin, along with Beaver Falls and Birth Coulee County Parks in Morton. Mack Lake County Park in Fairfax, Skalbekken County Park in Sacred Heart and Vicksburg Park in Renville were also closed due to the flooding. Several county roads in southwest Renville County were closed, and some became impassable." +117449,706350,ALABAMA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 14:00:00,CST-6,2017-06-15 14:01:00,0,0,0,0,0.00K,0,0.00K,0,33.3639,-87.1071,33.3639,-87.1071,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Trees uprooted and power lines downed along Johns Road in the the community of Adger." +117793,708135,ALABAMA,2017,June,Flash Flood,"LOWNDES",2017-06-22 04:00:00,CST-6,2017-06-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.28,-86.57,32.3029,-86.4837,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several roads flooded in northeast Lowndes County between the cities of Lowndesboro and Hayneville." +117793,708137,ALABAMA,2017,June,Tornado,"JEFFERSON",2017-06-22 11:21:00,CST-6,2017-06-22 11:38:00,0,0,0,0,0.00K,0,0.00K,0,33.4282,-86.9397,33.5317,-86.867,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","NWS Meteorologists surveyed damage in western Jefferson County and found that the damage was consistent with an EF1 tornado, with maximum sustained winds near 110 mph. There were three separate notable increases in damage severity and/or density, likely indicating that the funnel had a skipping/cycling characteristic as it swayed from less to more intense.||The tornado touched down along 5th Street North, between Highway 11 and Avenue A, where damage ranged from broken large limbs to uprooted and snapped trees. The tornado then traveled northeast with a long swath of damage centered along a track generally between Interstate 20/59 and Highway 11. Aside from continued uprooting of trees and downing of limbs, the first notable damage occurred just west of Western Hills Mall, where there was hefty damage to an Express Oil Change, Alabama ABC store, and mini strip mall, along Dr. M.L.K. Boulevard. Damage at this location was likely the result of a short-lived, concentrated vortex, with a track around 300 yards in length and EF1 intensity. Beyond this point, damage fell into EF0 range.||The tornado continued knocking down trees as it moved northeast, with some trees falling onto homes, resulting in severe roof damage. Tornadic winds also caused minor to moderate roof damage ranging from missing shingles to sections of roof damaged or blown off, especially in neighborhoods adjacent to Miles College (to the south and northeast). Given a noticeable increase in damage density, it is possible that the tornado briefly intensified in this area, over the course of roughly a 700 yard path. While there was an obvious increase in the amount of uprooted trees, there was a large contribution from shallow root systems and especially saturated soil conditions; thus, given a lack of notable wind-driven damage to homes (which held in EF0, characteristic of shingle and roof trim damage), the overall damage pattern did not tip the scale for a small corridor of EF1 rating.||Next, the tornado neared and crossed Interstate 20/59 where the extent of damage backed off, though some minor structural damage done to the Tire Tech car bay, and Freeway Honda. Windows were also blown out of a few cars at the Honda dealership. An increase in the number of uprooted trees was again observed surrounding Tuxedo Park on the north side of Interstate 20/59, along with roof damage to a few homes. Tornado damage became very sporadic and increasingly less significant as the tornado neared Bankhead Highway, dissipating near the CSX Transportation railways adjacent to Pratt Highway." +116435,700264,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-14 14:42:00,CST-6,2017-06-14 14:47:00,0,0,0,0,25.00K,25000,0.00K,0,40.8272,-89.52,40.8272,-89.52,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous trees were blown down." +116435,700265,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-14 14:45:00,CST-6,2017-06-14 14:50:00,0,0,0,0,30.00K,30000,0.00K,0,40.9166,-89.4289,40.8632,-89.4469,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous trees were blown down along Highway 26 from the Woodford-Marshall County line southward for about 3 miles." +116435,700267,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-14 15:00:00,CST-6,2017-06-14 15:05:00,0,0,0,0,30.00K,30000,0.00K,0,40.78,-89.35,40.78,-89.35,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous trees were blown down." +116435,700268,ILLINOIS,2017,June,Thunderstorm Wind,"WOODFORD",2017-06-14 15:00:00,CST-6,2017-06-14 15:05:00,0,0,0,0,20.00K,20000,0.00K,0,40.87,-89.32,40.87,-89.32,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous trees were blown down." +116435,700269,ILLINOIS,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-14 15:30:00,CST-6,2017-06-14 15:35:00,0,0,0,0,55.00K,55000,0.00K,0,40.31,-88.81,40.31,-88.81,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","A concrete silo was destroyed and numerous tree limbs were blown down." +116435,700270,ILLINOIS,2017,June,Thunderstorm Wind,"MCLEAN",2017-06-14 15:35:00,CST-6,2017-06-14 15:40:00,0,0,0,0,20.00K,20000,0.00K,0,40.35,-88.77,40.35,-88.77,"An upper-level disturbance interacted with a warm and humid airmass to trigger scattered severe thunderstorms during the afternoon and early evening of June 14th. Most of the storms were focused across the Illinois River Valley, where numerous trees were blown down and hail up to the size of quarters was reported.","Numerous tree branches were blown down." +118638,713118,IOWA,2017,July,Heavy Rain,"CHICKASAW",2017-07-21 05:00:00,CST-6,2017-07-22 00:45:00,0,0,0,0,0.00K,0,0.00K,0,43.03,-92.5,43.03,-92.5,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","West of Ionia, 8.39 inches of rain fell." +118638,713119,IOWA,2017,July,Heavy Rain,"FAYETTE",2017-07-21 06:05:00,CST-6,2017-07-22 01:30:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-91.82,42.85,-91.82,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Near Fayette, 7.67 inches of rain fell." +119126,715410,FLORIDA,2017,September,Thunderstorm Wind,"ALACHUA",2017-09-01 11:11:00,EST-5,2017-09-01 11:11:00,0,0,0,0,1.00K,1000,0.00K,0,29.53,-82.53,29.53,-82.53,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down at 17500 SW Archer Road. The cost of damage was estimated for the event to be included in Storm Data." +119126,715411,FLORIDA,2017,September,Thunderstorm Wind,"DUVAL",2017-09-01 13:10:00,EST-5,2017-09-01 13:10:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-81.63,30.48,-81.63,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Several trees were blown down near the UF Health Center. The time of damage was based on radar." +119126,715412,FLORIDA,2017,September,Thunderstorm Wind,"DUVAL",2017-09-01 13:16:00,EST-5,2017-09-01 13:16:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-81.63,30.48,-81.63,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down on Woodland Drive. The time of damage was based on radar." +119126,715413,FLORIDA,2017,September,Thunderstorm Wind,"DUVAL",2017-09-01 13:16:00,EST-5,2017-09-01 13:16:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-81.62,30.5,-81.62,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down near Castleberry Road and Hollings Street. The time of damage was based on radar." +119126,715414,FLORIDA,2017,September,Thunderstorm Wind,"DUVAL",2017-09-01 13:20:00,EST-5,2017-09-01 13:20:00,0,0,0,0,0.00K,0,0.00K,0,30.48,-81.59,30.48,-81.59,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down on Dunn Creek Road. The time of damage was based on radar." +119126,715415,FLORIDA,2017,September,Thunderstorm Wind,"MARION",2017-09-01 14:00:00,EST-5,2017-09-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,29.2,-82.13,29.2,-82.13,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down at the intersection of NE 9th Street and NE 8th Avenue. The time of damage was based on radar." +122103,731002,NEW YORK,2017,December,Lake-Effect Snow,"CHAUTAUQUA",2017-12-06 19:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage Tuesday morning, the cold air gradually deepened across the region into Wednesday, December 6. Lake effect snows developed off of both Lakes Erie and Ontario with a southwest flow allowing for accumulations in both the Buffalo and Watertown metropolitan areas. Graupel within the Lake Erie band even supported some thunder and lightning. During the course of Wednesday night, veering winds consolidated the bands with snowfall rates of an inch an hour from the Lake Erie shoreline across the southern half of Erie County to Wyoming County and from Lake Ontario across the Watertown area to northern Lewis County. The heaviest lake snows took place on Thursday with snowfall rates of one to two inches an hour. Following a second cold front Thursday night, lake snows pushed south into the Southern Tier and across the heart of the Tug Hill. At this point, snowfall rates in the vicinity of the Chautauqua Ridge and over the Tug Hill averaged an inch per hour. As another shortwave approached from the Upper Great Lakes early Friday morning, the flow once again backed to the southwest. The accumulating lake snows made one final push into the Buffalo and Watertown metropolitan areas. Specific snowfall reports off Lake Erie included: 23 inches at Colden; 19 inches at Eden; 18 inches at Boston and East Aurora; 17 inches at Perrysburg; 16 inches at Wales and Wyoming; 15 inches at Attica; 14 inches at Silver Creek and Elma; 12 inches at Hamburg and Varysburg|11 inches at Warsaw; 10 inches at Ripley and Forestville; and 8 inches at Springville, Dunkirk and Fredonia. Specific snowfall reports off Lake Ontario included: 19 inches at Harrisville; 18 inches at Lowville; 12 inches at Carthage and Croghan; 11 inches at Redfield; 9 inches at Watertown and 8 inches at Glenfield.","" +121776,728905,TEXAS,2017,December,Wildfire,"POTTER",2017-12-08 12:33:00,CST-6,2017-12-08 20:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Hastings Complex Wildfire began around 1233CST about four miles northwest of Amarillo in Potter County. The Hastings Complex Wildfire consisted of two wildfires including the Hastings Fire East which began around 1249CST between Smelter Road and Hastings Avenue and consumed one hundred and eighty acres. The second wildfire was the Hastings Fire West which began around 1233CST to 1244CST near Hastings Avenue and Western Street and consumed two hundred and eighty-one acres for a total of four hundred and sixty-one acres. Voluntary evacuations were ordered including the Carver ECA Elementary School. The wildfire complex was caused by a vehicle���s or vehicles��� faulty equipment or dragging metal along the road. There were reports of one hundred homes and six other structures which were threatened by the wildfire but were saved. However, no homes or other structures were destroyed by the wildfire and there were no reports of any injuries or fatalities. The wildfire was contained around 2030CST to 2100CST. There were a total of three fire departments or other agencies that responded to the wildfire including the Texas A&M Forest Service.","" +117875,708390,MINNESOTA,2017,June,Thunderstorm Wind,"TRAVERSE",2017-06-13 07:45:00,CST-6,2017-06-13 07:45:00,0,0,0,0,,NaN,0.00K,0,46.01,-96.32,46.01,-96.32,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms to the region into the early morning hours. This line bowed out in several areas bringing damaging wind gusts of 60 to 70 mph to parts of west central Minnesota. This early morning episode would be followed by more widespread severe weather later in the day.","Estimated seventy mph winds brought many large tree branches down in Tintah." +117861,708389,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BROWN",2017-06-13 02:29:00,CST-6,2017-06-13 02:29:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-98.61,45.55,-98.61,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","" +117875,708391,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 05:25:00,CST-6,2017-06-13 05:25:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-96.49,45.56,-96.49,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms to the region into the early morning hours. This line bowed out in several areas bringing damaging wind gusts of 60 to 70 mph to parts of west central Minnesota. This early morning episode would be followed by more widespread severe weather later in the day.","" +117668,707569,SOUTH DAKOTA,2017,June,Drought,"CORSON",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707570,SOUTH DAKOTA,2017,June,Drought,"DEWEY",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707572,SOUTH DAKOTA,2017,June,Drought,"STANLEY",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707573,SOUTH DAKOTA,2017,June,Drought,"CAMPBELL",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707574,SOUTH DAKOTA,2017,June,Drought,"WALWORTH",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707575,SOUTH DAKOTA,2017,June,Drought,"POTTER",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707576,SOUTH DAKOTA,2017,June,Drought,"SULLY",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707577,SOUTH DAKOTA,2017,June,Drought,"HUGHES",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707578,SOUTH DAKOTA,2017,June,Drought,"MCPHERSON",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707579,SOUTH DAKOTA,2017,June,Drought,"EDMUNDS",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +115547,696419,WISCONSIN,2017,June,Tornado,"WAUSHARA",2017-06-14 13:49:00,CST-6,2017-06-14 13:52:00,0,0,0,0,100.00K,100000,0.00K,0,44.196,-89.207,44.2167,-89.1588,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","A tornado formed east of Wild Rose and quickly moved northeast, uprooting or snapping over 100 pine trees (DI 28, DOD 2-4) along its intermittent path. Several houses sustained significant roof damage from fallen trees." +115547,705736,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-14 13:40:00,CST-6,2017-06-14 13:40:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-89.19,44.11,-89.19,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed trees in central Waushara County." +115547,705735,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-14 13:30:00,CST-6,2017-06-14 13:30:00,0,0,0,0,30.00K,30000,0.00K,0,44.01,-89.43,44.01,-89.43,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed a barn in Richford. The time of this event is an estimate based on radar data." +115547,705738,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-14 14:00:00,CST-6,2017-06-14 14:00:00,0,0,0,0,0.00K,0,0.00K,0,44.3454,-89.1512,44.3454,-89.1512,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds uprooted or heavily damaged 10 trees on Onaway Island on the Chain O' Lakes." +119125,720491,FLORIDA,2017,September,Tornado,"NASSAU",2017-09-11 01:25:00,EST-5,2017-09-11 01:35:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-81.46,30.69,-81.64,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This weak tornado touched down on the northern end of Amelia Island and tracked west across open marsh areas. Damage was limited to trees and shrubs and damage was not reported. The path width was estimated at 100 yards as the circulation tracked generally over open marsh land then dissipated over rural marsh land. There was a clear tornado debris signature on radar." +119125,720496,FLORIDA,2017,September,Flash Flood,"DUVAL",2017-09-11 03:35:00,EST-5,2017-09-11 03:35:00,0,0,0,0,0.00K,0,0.00K,0,30.32,-81.73,30.3161,-81.7296,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Water was covering the Interstate 10 ramps at Cassat Avenue." +119796,718335,CALIFORNIA,2017,September,Wildfire,"S SIERRA FOOTHILLS",2017-09-03 12:06:00,PST-8,2017-09-13 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two fires started within a short time of each other on the afternoon of September 3, 2017, both in the foothills of the Sierra Nevada. The Mission fire began 2 miles east of North Fork in Madera county and burned 1035 acres and destroyed three residences and damaged 4 other structures before being contained on September 13, 2017. The Peak fire began 9 miles southeast of Mariposa in Mariposa county and burned 680 acres and destroyed 2 structures before being contained on September 9, 2017. The cause of both fires is unknown.","The Mission Fire was located 2 miles east of North Fork in Madera County. It burned 1035 acres in the Sierra Foothills, destroyed three homes and damaged 4 other structures before being contained. The cost of containment was $13.8 million." +119125,720505,FLORIDA,2017,September,Flash Flood,"ST. JOHNS",2017-09-11 06:15:00,EST-5,2017-09-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-81.5,30.2095,-81.4664,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","At 715 am, the broadcast media reported that the east bound lanes of State Road 210 were closed at the Interstate 95 interchange due to flooded roads. At 7:52 am, the public reported that multiple cars were stalled in flood waters on Lane Avenue, just north of Interstate 10 in Jacksonville. At 8 am, an NWS employee reported that water was flowing over Lem Turner." +119730,720411,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 17:08:00,PST-8,2017-09-03 17:08:00,0,0,0,0,50.00K,50000,0.00K,0,35.35,-119.33,35.35,-119.33,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported downed power poles and power lines near Interstate 5 just south of Stockdale Highway 1SE of Buttonwillow. The downed power lines caused brush fires." +120254,720515,GEORGIA,2017,September,Flash Flood,"BRANTLEY",2017-09-11 08:00:00,EST-5,2017-09-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,31.12,-81.8756,31.0783,-81.9834,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Multiple roads were closed across Brantley county due to flash flooding." +119730,720423,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 16:14:00,PST-8,2017-09-03 16:14:00,0,0,0,0,0.00K,0,0.00K,0,35.2673,-119.0253,35.2667,-119.0252,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported road flooding and debris due to heavy rainfall near Compagnoni St. and Taft Highway in Castle Ranch." +119125,720539,FLORIDA,2017,September,Tropical Storm,"COASTAL DUVAL",2017-09-10 05:21:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Tropical storm force wind gusts started to impact Duval County during the morning 9/10, with a gust of 50 mph around 6:21 am at Huguenot Park. At 7 am, a Weatherflow Mesonet station at Buck Island on the St. Johns River measured a sustained winds of 37 mph and a gust to 50 mph. At 9:20 pm, a Mesonet station about 2 miles WNW of Fort Caroline measured sustained winds of 35 mph with a gust to 50 mph. At 10:26 pm, the ASOS at the Jacksonville International Airport near the NWS office measured a 58 mph wind gust. On 9/11 at 1:45 am,|The NOS tide gauge at Mayport measured water levels of 2.9 ft to 3 ft above MHHW datum. At 3:23 am, the Mayport ASOS measured a sustained wind of 51 mph (44 kt) and a gust of 74 mph (64 kt). At 3:38 am, the Mayport ASOS measured a sustained wind of 68 mph (59 kt) and a gust of 87 mph (76 kt). This was the highest official recorded wind speed of Irma across the NWS Jacksonville county warning area. At 3:41 am, the ASOS at the Jacksonville International Airport measured sustained winds of 59 mph (51 kt) and a gust of 86 mph (75 kt) within the same potent rain-band that stretched eastward across Mayport. This was the most intense rainfall and wind rain band that impact the area with Irma. At 3:41 am, the Weatherflow sensor at Huguenot Park measured sustained winds of 66 mph and gusts to 85 mph, again under the same rain band. At 3:42 am, multiple trees were blown down outside of the NWS Jacksonville office at the Jacksonville International Airport following the 86 mph wind gust. One tree fell on the NWS office sign and damaged it. At 4:30 am, the roof was blown off of a home in the Sans Souci neighborhood. At 5:45 am, the St. Johns River at Main Street in downtown Jacksonville reported a water level of 4.39 ft NAVD88, which broke the record from Hurricane Dora of 4.12 ft NAVD88 set in 1964. At 8:26 am, the ASOS at Craig Airfield measured a wind gust of 70 mph. At 10:09 am, the ASOS at Naval Air Station (NAS) Jacksonville in Orange Park along the St. Johns River measured a wind gust of 67 mph. At 10:14 am, a peak wind gust of 69 mph was measured at NAS Jacksonville. At 3:59 pm, an evacuee in San Marco along the St. Johns River near downtown Jacksonville reported water rose into his home up to his neck (about 5 ft inundation in his home). Historic record setting flooding of the St. Johns River and tributaries due to combination of elevated water levels from the Nor'easter event, high astronomical tides, river surge and storm rainfall from Irma. The river gauge at the Main Street bridge in downtown Jacksonville surpassed hurricane Dora 1964 record flooding the morning of 9/11 at low tide with a value of over 5 ft datum NAVD88 (Dora record was 4.12 ft NAVDd88 datum). The river at this location crested around 12:30 pm at 5.57 ft NAVD88, which is an all-time record stage. Major flooding impacted the St. Johns River Basin, and about 350 water rescues were conducted in Duval County, especially in the Riverside, San Marco and downtown Jacksonville areas. ||The St. Johns River at the Buckman Bridge set a record flood stage At 5.63 feet on Sept 11th at 0718 EDT. Major flooding occurred at this level. The Broward River below Biscayne Blvd crested at 4.08 feet on Sept 11th at 0045 EDT. Moderate flooding occurred at this level. Clapboard Creek near Sheffield Road set a record flood stage at 5.31 feet on Sept 11th at 0430 EDT. Major flooding occurred at this level. Dunn Creek at Dunn Creek Road set a record flood stage at 6.38 feet on Sept 11th at 0930 EDT. Major flooding occurred at this level. The St Johns River at the Dames Point Bridge set a record flood stage at 5.05 feet on Sept 11th at 1324 EDT. Major flooding occurred at this level. The Cedar River at San Juan Avenue set a record flood stage at 6.35 feet on Sept 11th at 1230 EDT. Major flooding occurred at this level. Julington creek at Old St Augustine road set a record flood stage at 6.20 feet on Sept 11th at 1030 EDT. Major flooding occurred at this level. The St Johns River at the Main Street Bridge set a record flood stage at 5.57 feet on Sept 11th at 1224 EDT. Major flooding occurred at this level. The St Johns River at Mayport crested at 5.58 feet on Sept 11th at 0254 EDT. Major flooding occurred at this level. The Nassau River near Tisonia sets a record flood stage at 8.18 feet on Sept 11th at 0330 EDT. Major flooding occurred at this level. The Ortega River at Argyle Forest Blvd sets a record flood stage at 12.99 feet on Sept 11th at 1215 EDT. Major flooding occurred at this level. The St Johns River at Buffalo Bluff crested at 3.31 feet on Sept 12th at 2315 EDT. Moderate flooding occurred at this level. Pottsburg creek at Beach Blvd set a record flood stage at 5.84 feet on Sept 11th at 1300 EDT. Major flooding occurred at this level. Pottsburg Creek at Bowden Road set a record flood stage at 10.04 feet on Sept 11th at 0800 EDT. Major flooding occurred at this level. The Trout River at Lem Turner Road crested at 4.16 feet on Sept 11th at 0200 EDT. Moderate flooding occurred at this level. ||Storm total rainfall included 11.04 inches 10 mile SW of Jacksonville, 11 inches 12 miles SSE of Jacksonville, 9.2 inches at the Jacksonville International Airport, 7.96 inches at Mayport Naval Air Station and 7.08 inches at Jacksonville Naval Air Station." +115703,702401,KENTUCKY,2017,June,Flash Flood,"ANDERSON",2017-06-23 18:00:00,EST-5,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-85.01,37.9246,-85.0122,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","High water was flowing over Ballard Road." +115703,702402,KENTUCKY,2017,June,Flash Flood,"ANDERSON",2017-06-23 18:00:00,EST-5,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-84.9,38.0247,-84.9019,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","High water was flowing over Park Lane." +115703,702403,KENTUCKY,2017,June,Flash Flood,"ANDERSON",2017-06-23 18:00:00,EST-5,2017-06-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-84.98,38.078,-84.9815,"Tropical Storm Cindy made landfall along the Gulf Coast and quickly lifted northeast toward the lower Ohio Valley June 22-23. The remnants interacted with a cold front from the Upper Midwest to produced widespread heavy rainfall. The unseasonably moist air mass led to widespread rainfall amounts of 1-2 inches with an embedded swath of 3-6 inches across central Kentucky. This led to numerous reports of flash flooding with some swift water rescues occurring as well. Multiple roads across many counties were closed for a period of time due to the high water. Three river points rose into minor flood, mainly across the Bluegrass region. In addition, several strong to severe thunderstorms tracked across the area which brought down numerous trees and power poles. The environment also supported short spin-up tornadoes and 2 did touch down across central Kentucky.","High water was flowing over Alton Station Road." +118350,711140,KANSAS,2017,June,Thunderstorm Wind,"TREGO",2017-06-06 15:46:00,CST-6,2017-06-06 15:46:00,0,0,0,0,,NaN,,NaN,39.02,-99.89,39.02,-99.89,"An upper level trough moved across the northern Rockies early during the day and then dropped southeast overnight on the eastern edge of an upper level ridge axis that extended from the four corners region to Wyoming. Given the 20 to 30 knots of 0-6km shear and cape values of 1500 to 3000, storms became severe with hail and wind gusts.","Wind gusts were estimated to be 65 to 70 MPH. Large tree branches were blown down." +118352,711159,KANSAS,2017,June,Hail,"FORD",2017-06-13 17:49:00,CST-6,2017-06-13 17:49:00,0,0,0,0,,NaN,,NaN,37.78,-100.03,37.78,-100.03,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711161,KANSAS,2017,June,Hail,"CLARK",2017-06-13 17:42:00,CST-6,2017-06-13 17:42:00,0,0,0,0,,NaN,,NaN,37.15,-99.98,37.15,-99.98,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711173,KANSAS,2017,June,Hail,"NESS",2017-06-13 19:26:00,CST-6,2017-06-13 19:26:00,0,0,0,0,,NaN,,NaN,38.36,-99.66,38.36,-99.66,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118352,711169,KANSAS,2017,June,Hail,"HODGEMAN",2017-06-13 19:10:00,CST-6,2017-06-13 19:10:00,0,0,0,0,,NaN,,NaN,38.09,-99.89,38.09,-99.89,"A rather anomalous upper low (by mid-June standards) was centered |across western Wyoming and lifted north into Montana on June 13. A spoke of mid level potential vorticity swung around the base of the trough across in Colorado. This interacted with a formidable 250mb jet streak on the order of 80-90 knots and a dryline, which created convection initiation and severe storms.","" +118353,711194,KANSAS,2017,June,Hail,"PAWNEE",2017-06-15 16:32:00,CST-6,2017-06-15 16:32:00,0,0,0,0,,NaN,,NaN,38.25,-99,38.25,-99,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711205,KANSAS,2017,June,Hail,"BARBER",2017-06-15 17:50:00,CST-6,2017-06-15 17:50:00,0,0,0,0,,NaN,,NaN,37.09,-98.95,37.09,-98.95,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118446,711751,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-06-19 14:42:00,EST-5,2017-06-19 14:55:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 35 to 45 knots were reported at Reagan National Airport." +118446,711777,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-06-19 16:30:00,EST-5,2017-06-19 16:30:00,0,0,0,0,,NaN,,NaN,38.29,-76.41,38.29,-76.41,"A potent cold front passed through the area. Warm and humid conditions along with forcing from the boundary caused showers and thunderstorms to develop. Stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 49 knots were reported at Patuxent River." +117367,705856,VIRGINIA,2017,June,Flash Flood,"ROCKINGHAM",2017-06-16 14:53:00,EST-5,2017-06-16 15:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3706,-78.7336,38.3711,-78.7335,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","Mcgaheysville Road was closed near Stony Run due to high water." +117367,705857,VIRGINIA,2017,June,Flash Flood,"STAUNTON (C)",2017-06-16 15:03:00,EST-5,2017-06-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.1442,-79.0693,38.1481,-79.0674,"A warm front moved northward across the Mid-Atlantic region and southerly flow transported moisture into the region. Breaks in sunshine led to increased instability and showers and thunderstorms formed and produced very heavy rain that led to flooding.","There were multiple road closures due to high water near Richmond Avenue and Greenville Avenue." +116270,699129,MISSISSIPPI,2017,June,Thunderstorm Wind,"CARROLL",2017-06-16 14:35:00,CST-6,2017-06-16 14:35:00,0,0,0,0,5.00K,5000,0.00K,0,33.42,-89.97,33.42,-89.97,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree and power line were blown down." +116270,701061,MISSISSIPPI,2017,June,Thunderstorm Wind,"WARREN",2017-06-16 19:00:00,CST-6,2017-06-16 19:59:00,0,0,0,0,15.00K,15000,0.00K,0,32.572,-90.852,32.1649,-90.8069,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging wind that blew down trees across Warren County." +116270,701080,MISSISSIPPI,2017,June,Thunderstorm Wind,"RANKIN",2017-06-16 19:18:00,CST-6,2017-06-16 19:40:00,0,0,0,0,30.00K,30000,0.00K,0,32.3039,-90.1381,32.0608,-90.1196,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging wind that blew down trees across western Rankin County including several in Pearl, Florence, and the Clear Branch community. There was also roof damage and a few third story windows blown out at a home along South Pearson Rd. in Pearl, as well as roof damage to a home and the doors blown off of a storage building in Florence." +116270,701062,MISSISSIPPI,2017,June,Thunderstorm Wind,"HINDS",2017-06-16 19:02:00,CST-6,2017-06-16 19:18:00,0,0,0,0,2.00K,2000,0.00K,0,32.3977,-90.1614,32.3283,-90.1383,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was split near the intersection of Old Canton Road and Westbrook Road in Jackson, and trees and power lines were blown down along Childress Drive." +116270,708517,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-16 22:30:00,CST-6,2017-06-16 23:15:00,0,0,0,0,1.00K,1000,0.00K,0,31.7539,-89.3768,31.7528,-89.3762,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","The 200 block of Old Palestine Church Road was flooded after earlier rainfall." +116270,708518,MISSISSIPPI,2017,June,Flood,"JONES",2017-06-16 22:30:00,CST-6,2017-06-16 23:15:00,0,0,0,0,1.00K,1000,0.00K,0,31.6708,-89.3306,31.6689,-89.331,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Centerville Road near Dickie Road was flooded after earlier rainfall." +116270,708519,MISSISSIPPI,2017,June,Thunderstorm Wind,"HINDS",2017-06-17 04:21:00,CST-6,2017-06-17 04:22:00,0,0,0,0,5.00K,5000,0.00K,0,32.29,-90.27,32.29,-90.27,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Strong winds from a thunderstorm caused damage near the intersection of MS Highway 18 and Greenway Drive, including a tree downed near the Walmart and power outages around the area." +118439,711919,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 17:44:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.207,-79.2765,40.2043,-79.2949,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","County 911 reported multiple swift water rescues ongoing on Jefferson School Road." +118439,711923,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 20:00:00,EST-5,2017-06-24 21:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2419,-79.2785,40.2549,-79.2794,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Local newspaper reported that Four Mile Run was out of it's banks, prompting evacuations of homes along Goldenrod Lane and Giesey Road." +118439,711928,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 15:50:00,EST-5,2017-06-23 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.1537,-79.4126,40.1734,-79.4181,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Person on social media reported that Snake Hill was flooding from Kecksburg to Acme." +118441,711897,WEST VIRGINIA,2017,June,Tornado,"MONONGALIA",2017-06-23 16:55:00,EST-5,2017-06-23 16:56:00,0,0,0,0,65.00K,65000,0.00K,0,39.66,-79.853,39.661,-79.848,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The National Weather Service survey team confirmed a tornado near Cheat Lake in Monongalia County, northern West Virginia on June 23, 2017.Focus for damage was in the vicinity of Lakeside Marine and Crab Shack Caribba. In this area, several docks and two pontoon boats were thrown across the marina, with the two boats placed upside|down closer to the Crab Shack. Canopies from several of the docks were strew about, with one wrapped around power lines behind the marina. Some damage to trees was observed, with large branches snapped off of hardwoods and a few trees uprooted close to the lake shore, and several more hardwood and softwood trees snapped half way up their trunk or uprooted moving eastward up the hill toward Mont Chateau Estates. Most of the damage to structures was from fallen trees, but a portion of the roof of a small establishment next to the marina and Crab Shack was ripped off and placed westward toward the lake shore, opposite the storm track." +118441,711898,WEST VIRGINIA,2017,June,Tornado,"MONONGALIA",2017-06-23 18:47:00,EST-5,2017-06-23 18:48:00,0,0,0,0,20.00K,20000,0.00K,0,39.495,-79.93,39.496,-79.928,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The National Weather Service survey team confirmed a tornado approximately ten miles south of Morgantown in Monongalia County, West Virginia on June 23, 2017. Although there was sporadic damage about 350 yards to the southwest on the opposite ridgeline, the focused path of concentrated tree damage began along a valley and continued up to the top of the next ridgeline. Several dozen hardwood trees were uprooted, with isolated trees being snapped several feet high. Toward the end of the path, the damage showed clear indications of convergent rotation. Several anemometers, positioned across the property indicated 80-90mph winds as well." +118389,711445,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-16 14:03:00,EST-5,2017-06-16 16:45:00,0,0,0,0,15.00K,15000,0.00K,0,40.3423,-79.8952,40.3558,-79.8816,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","County 911 reported flooding on Lysle Blvd and Evans Ave in McKeesport, Libery Way and Glenn Ave in Liberty. In addition, a occupied vehicle was stuck in rising water at the intersection of Washington Ave and Curry Hollow Road and a vehicle was stuck in floodwaters and struck by a landslide at 702 Washington Ave in Dravosburg." +118389,711444,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-16 15:03:00,EST-5,2017-06-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-79.56,40.4248,-79.5769,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","Local 911 reported several roadways flooded around Murrysville including Athena Drive at Lauffer Mine Road and Route 66." +118389,711450,PENNSYLVANIA,2017,June,Debris Flow,"ALLEGHENY",2017-06-16 14:35:00,EST-5,2017-06-16 14:37:00,0,0,0,0,0.00K,0,0.00K,0,40.3417,-79.9574,40.3384,-79.959,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","Local 911 reported that a rock slide was occurring on Route 51 near Pleasant Hills Blvd." +118389,711455,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-16 13:51:00,EST-5,2017-06-16 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3582,-79.9562,40.3591,-79.9286,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","County 911 reported flooding at Streets Run Road at Prospect Road, Homestead Duquesne Road at Lower Bull Run Road, and Lebanon Church Road at Lebanon Road with 1 vehicle stuck in the floodwaters." +117011,706125,NEBRASKA,2017,June,Thunderstorm Wind,"NUCKOLLS",2017-06-29 00:06:00,CST-6,2017-06-29 00:06:00,0,0,0,0,5.00K,5000,0.00K,0,40.2,-98.07,40.2,-98.07,"Although not as widespread in coverage as the night before, a smattering of strong to severe thunderstorms again paid a visit to portions of South Central Nebraska from late Wednesday evening the 28th into early Thursday morning the 29th. This time though, severe activity focused farther south within counties along the Kansas border. Among the limited ground-truth reports: golf ball to slightly larger size hail between Red Cloud and Guide Rock and estimated 60 MPH winds in Nelson that downed a large tree branch. In addition, parts of the area picked up at least 2-3 of rain, especially within southern Nuckolls and southeastern Webster counties, highlighted by 3.54 east of Red Cloud as reported by a CoCoRaHS observer. ||The first storms of the night initiated around sunset just to the south over far northern Kansas, with this activity creeping northward over the state line between 11 p.m. and midnight CDT. Also around midnight CDT, several additional storms ignited along a west-east corridor directly over the far South Central Nebraska counties, peaking in intensity over the next few hours before slipping south into Kansas and/or weakening by 2:30 a.m. CDT. Another round of storms tracked into the area from the southwest closer to sunrise, but these were not severe. ||This was a fairly classic case of nocturnal convection firing up within the well-defined exit region of a 40+ knot low level jet (evident at 850 millibars), and just to the north of a quasi-stationary surface front draped through northern Kansas. In the mid-upper levels, the setup was also typical for summer severe weather, featuring quasi-zonal flow containing a series of embedded, small-scale disturbances. As storms peaked in intensity after midnight, the environment featured 1000-2000 J/kg mixed-layer CAPE and effective deep layer wind shear of 30-40 knots.","A tree branch with a diameter of at least 10 inches fell across the road in Nelson." +116176,698252,TENNESSEE,2017,June,Thunderstorm Wind,"ROBERTSON",2017-06-18 11:30:00,CST-6,2017-06-18 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.38,-86.75,36.38,-86.75,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 18. A few reports of wind and lightning damage were received.","A tSpotter Twitter video showed part of a tree getting blown down next to a home in Ridgetop. Time estimated based on radar." +116176,698254,TENNESSEE,2017,June,Thunderstorm Wind,"DAVIDSON",2017-06-18 12:11:00,CST-6,2017-06-18 12:11:00,0,0,0,0,1.00K,1000,0.00K,0,36.0653,-86.7593,36.0653,-86.7593,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 18. A few reports of wind and lightning damage were received.","A tSpotter Twitter report indicated a large branch was snapped off tree in Crieve Hall." +116176,698257,TENNESSEE,2017,June,Thunderstorm Wind,"PERRY",2017-06-18 16:13:00,CST-6,2017-06-18 16:13:00,0,0,0,0,1.00K,1000,0.00K,0,35.62,-87.89,35.62,-87.89,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 18. A few reports of wind and lightning damage were received.","A tree was blown down on Highway 42 West." +118820,713769,NEBRASKA,2017,June,Thunderstorm Wind,"SCOTTS BLUFF",2017-06-27 18:34:00,MST-7,2017-06-27 18:34:00,0,0,0,0,0.00K,0,0.00K,0,41.8291,-103.725,41.8291,-103.725,"Thunderstorms produced damaging winds in Scott Bluff and Box Butte counties. A peak gust of 79 mph was recorded at the Scottsbluff Airport.","A peak wind gust of 61 mph was measured four miles southwest of Scottsbluff." +118820,713780,NEBRASKA,2017,June,Thunderstorm Wind,"BOX BUTTE",2017-06-27 19:26:00,MST-7,2017-06-27 19:26:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-102.8,42.06,-102.8,"Thunderstorms produced damaging winds in Scott Bluff and Box Butte counties. A peak gust of 79 mph was recorded at the Scottsbluff Airport.","The wind sensor at the Alliance Airport measured a peak gust of 67 mph." +116080,718423,IOWA,2017,May,Thunderstorm Wind,"IDA",2017-05-16 18:47:00,CST-6,2017-05-16 18:47:00,0,0,0,0,0.00K,0,0.00K,0,42.2118,-95.5845,42.2118,-95.5845,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Large tree downed." +121847,730141,MICHIGAN,2017,December,Lake-Effect Snow,"MARQUETTE",2017-12-11 16:00:00,EST-5,2017-12-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist and unstable environment along with a strongly convergent northerly wind flow setting up across Lake Superior generated moderate to heavy lake effect snow bands downwind of Lake Superior into portions of central Upper Michigan from the evening of the 11th into the 12th.","There was a report of 6 to 8 inches of lake effect snow in 10 hours in Marquette. Significant blowing and drifting of snow occurred resulting in one and a half foot drifts in some places and visibility was below one half mile at times. Other storm total snowfall reports from early evening on the 11th into the morning of the 12th included 12 inches at Skandia and 10-12 inches at Carlshend." +121847,730143,MICHIGAN,2017,December,Winter Weather,"LUCE",2017-12-11 18:00:00,EST-5,2017-12-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist and unstable environment along with a strongly convergent northerly wind flow setting up across Lake Superior generated moderate to heavy lake effect snow bands downwind of Lake Superior into portions of central Upper Michigan from the evening of the 11th into the 12th.","There was a report of four inches of lake effect snow in 12 hours at Newberry." +121965,730721,MICHIGAN,2017,December,Winter Weather,"ONTONAGON",2017-12-14 09:00:00,EST-5,2017-12-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the area helped generate moderate to heavy lake enhanced snow across the northwest wind snow belts of Lake Superior from the 14th into the 16th.","The observer in Ontonagon measured nearly six inches of lake effect snow in 24 hours." +117612,707281,TEXAS,2017,June,Hail,"RANDALL",2017-06-08 19:48:00,CST-6,2017-06-08 19:48:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-101.82,35.13,-101.82,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +117665,707519,KANSAS,2017,June,Hail,"DECATUR",2017-06-29 19:26:00,CST-6,2017-06-29 19:26:00,0,0,0,0,0.00K,0,0.00K,0,39.9867,-100.1917,39.9867,-100.1917,"A couple strong to severe thunderstorms moved east across Northwest Kansas. The highest wind speed reported was 63 MPH near Menlow, and the largest hail reported was penny size north of Norcatur.","The ground was covered in penny size hail." +117754,708003,TEXAS,2017,June,Hail,"DONLEY",2017-06-15 15:10:00,CST-6,2017-06-15 15:10:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-100.89,34.94,-100.89,"LAPS CAPE analysis showed 3000-3500 J/kg for storms to work with while deep layer shear being fairly limited of 20-25kt. Threats of large hail was the primary hazard. There is also a damaging wind threat due to elevated cloud bases under the inverted-v soundings.","" +117799,708157,VIRGINIA,2017,June,Thunderstorm Wind,"AMHERST",2017-06-19 11:48:00,EST-5,2017-06-19 11:48:00,0,0,0,0,0.50K,500,,NaN,37.5603,-79.3135,37.5603,-79.3135,"Southerly flow around high pressure to the east continued for a second consecutive day. This ushered in an unstable air mass across the Virginia and North Carolina piedmonts. A passing cold front interacting with this unstable air mass triggered a few afternoon thunderstorms.","A tree was blown down by thunderstorm winds along Highway 130." +117861,708383,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"EDMUNDS",2017-06-13 02:08:00,CST-6,2017-06-13 02:08:00,0,0,0,0,,NaN,0.00K,0,45.45,-99.03,45.45,-99.03,"Lift from a large upper level low pressure area in the Great Basin area brought a line a thunderstorms across the region through the morning hours. This line bowed out in several areas bringing damaging wind gusts to parts of the region along with large hail. Winds gusts to 60 to 70 mph along with hail up to the size of quarters occurred with the line. Several trees were downed along with many tree branches with a few structures receiving damage. This early morning round would be followed up by a more widespread and significant severe weather event in the afternoon and evening.","A large tree was downed in Ipswich which damaged the fence it fell upon. Some other branches were also downed in town." +117751,709490,MICHIGAN,2017,June,Flood,"BAY",2017-06-23 02:00:00,EST-5,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,43.9005,-84.1484,43.6,-84.1499,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Widespread flash flooding across Bay county was slow to recede, with flooding persisting through the morning hours on June 23rd." +118076,709666,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-13 15:17:00,EST-5,2017-06-13 15:17:00,0,0,0,0,1.50K,1500,,NaN,41.4286,-73.5773,41.4286,-73.5773,"A passing cold front triggered isolated severe storms over Orange and Putnam Counties.","A tree was reported downed northeast of Brewster Hill at the intersection of Routes 312 and 22." +118079,709695,NEW YORK,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-19 15:45:00,EST-5,2017-06-19 15:45:00,0,0,0,0,7.50K,7500,,NaN,41.3988,-73.6342,41.3988,-73.6342,"An approaching upper level shortwave and assocaited surface cold front triggered multiple severe thunderstorms across sections of New York City and the Lower Hudson Valley.","Many trees and wires were reported down just northwest of Brewster along Drewville Road." +119606,717543,ILLINOIS,2017,July,Thunderstorm Wind,"OGLE",2017-07-19 19:13:00,CST-6,2017-07-19 19:13:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-89.18,42.1,-89.18,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","A tree was blown down." +119606,717544,ILLINOIS,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 19:13:00,CST-6,2017-07-19 19:13:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-89.1,42.2,-89.1,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","" +115982,697075,TEXAS,2017,June,Thunderstorm Wind,"GARZA",2017-06-26 01:50:00,CST-6,2017-06-26 01:50:00,0,0,0,0,0.00K,0,0.00K,0,33.0815,-101.5161,33.0815,-101.5161,"Widespread northwest flow storms impacted a large portion of West Texas from late on the 25th through the early morning hours of the 26th. Several thunderstorms embedded within the widespread activity generated severe wind gusts measured by Texas Tech University West Texas mesonets.","A Texas Tech University West Texas mesonet site near Graham measured a wind gust to 59 mph." +116079,697693,COLORADO,2017,June,Hail,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-102.3,37.39,-102.3,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +116086,697731,COLORADO,2017,June,Hail,"BACA",2017-06-29 20:20:00,MST-7,2017-06-29 20:25:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-102.13,37.27,-102.13,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116176,698255,TENNESSEE,2017,June,Lightning,"WILLIAMSON",2017-06-18 14:30:00,CST-6,2017-06-18 14:30:00,0,0,0,0,3.00K,3000,0.00K,0,35.9379,-87.1647,35.9379,-87.1647,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 18. A few reports of wind and lightning damage were received.","A barn was reportedly struck by lightning and damaged by fire near Valley Road and Highway 100." +116230,698814,HAWAII,2017,June,Heavy Rain,"HONOLULU",2017-06-14 21:37:00,HST-10,2017-06-15 00:26:00,0,0,0,0,0.00K,0,0.00K,0,21.5453,-158.1949,21.3206,-157.7527,"Moisture from an old front was the fuel necessary for heavy showers and isolated thunderstorms to develop over the islands with an unstable atmosphere aloft. Three islands, from Oahu to the Big Island of Hawaii, saw heavy downpours that resulted in ponding on roadways, and small stream and drainage ditch flooding. However, no serious property damage or injuries were reported.","" +116376,699837,MONTANA,2017,June,Hail,"HILL",2017-06-13 15:50:00,MST-7,2017-06-13 15:50:00,0,0,0,0,0.00K,0,0.00K,0,48.5202,-109.8982,48.5202,-109.8982,"A potent low pressure system tracked northeastward from northern Nevada on the 12th to southwest Montana on the 13th, before reaching southeastern Saskatchewan by early morning on the 14th. In addition to a widespread soaking rainfall for north-central and southwest Montana, this system was also accompanied by several severe thunderstorms on the 12th and 13th.","Trained spotter reported ping pong ball-size hail and funnel cloud." +116342,700883,MISSISSIPPI,2017,June,Thunderstorm Wind,"LOWNDES",2017-06-15 13:57:00,CST-6,2017-06-15 14:14:00,0,0,0,0,35.00K,35000,0.00K,0,33.53,-88.43,33.477,-88.285,"Showers and thunderstorms developed each day in a warm, moist, and unstable air mass. Some of these storms produced damaging wind gusts, small hail, and some flash flooding.","The metal roofing of an apartment building was ripped off. Several trees were were blown down around Columbus including on 15th Avenue North, on Luxapilla Park Road, on 2nd Avenue North, near Bluecut and 7th, and near Waverly and Lincoln. A tree was also blown down along Ericson Road near New Hope." +116152,701328,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:25:00,EST-5,2017-06-13 16:25:00,0,0,0,0,4.00K,4000,0.00K,0,42.3808,-71.1342,42.3808,-71.1342,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","AT 425 PM EST, multiple trees and wires were down on Appleton Street in Cambridge." +116702,703214,NORTH CAROLINA,2017,June,Thunderstorm Wind,"YADKIN",2017-06-13 14:35:00,EST-5,2017-06-13 14:35:00,0,0,0,0,0.50K,500,,NaN,36.12,-80.79,36.12,-80.79,"High pressure centered to the south of the region provided ample moisture and warmer than normal temperatures for mid-June. A pronounced upper-level storm system to the west of the region would be the trigger to induce afternoon thunderstorms through much of the region. Some of the storms became severe producing damaging winds and large hail.","Thunderstorm wind gusts caused a tree to fall down, blocking a road in Hamptonville." +116927,703221,MINNESOTA,2017,June,Hail,"FILLMORE",2017-06-16 16:02:00,CST-6,2017-06-16 16:02:00,0,0,0,0,0.00K,0,0.00K,0,43.74,-92.31,43.74,-92.31,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Walnut sized hail was reported northwest of Wykoff." +117157,707102,GEORGIA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-15 16:20:00,EST-5,2017-06-15 16:25:00,0,0,0,0,1.00K,1000,,NaN,34.1212,-84.6013,34.1212,-84.6013,"A very moist and unstable air mass in place across the area, combined with strong daytime heating and a mid-level trough sweeping through the region, resulted in numerous strong to severe thunderstorms across north and central Georgia.","The Cherokee County Emergency Manager reported a tree blown down near the intersection of Kellogg Creek Road and Woodstock Road." +114027,683266,PENNSYLVANIA,2017,April,Thunderstorm Wind,"POTTER",2017-04-30 18:28:00,EST-5,2017-04-30 18:28:00,0,0,0,0,4.00K,4000,0.00K,0,41.8884,-78.0599,41.8884,-78.0599,"Widely scattered thunderstorms formed in an unseasonably warm and humid airmass over western Pennsylvania, while southeasterly flow and a cooler, more stable airmass was situated across eastern Pennsylvania. After an overcast morning, the warmer air made it into the south-central mountains of Pennsylvania. One of the storms developed over Cambria County and became severe as it descended the Allegheny Front into Altoona, producing wind damage and hail across central Blair County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires, blocking Whitney Run Road." +117611,707257,TEXAS,2017,June,Flash Flood,"POTTER",2017-06-02 16:10:00,CST-6,2017-06-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-101.87,35.1899,-101.87,"A weak and broad upper level trof of low pressure impacted the Panhandles for a significant Flash Flooding Event. The mid and upper level flow |will remain on the weak side over the weekend. This kept showers and thunderstorms slow moving for the most part which led to several reports of Flash Flooding.","Water rescue in progress. Water over the cab of a pickup." +117612,707289,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 19:40:00,CST-6,2017-06-08 19:40:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-101.8,35.16,-101.8,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","A brief microburst occurred on the south side of Amarillo." +117612,707295,TEXAS,2017,June,Thunderstorm Wind,"RANDALL",2017-06-08 20:03:00,CST-6,2017-06-08 20:03:00,0,0,0,0,0.00K,0,0.00K,0,35.02,-101.92,35.02,-101.92,"General flow was out of the northwest, with some 700mb moisture in place. Surfaced based convection was expected around 1-4pm. Convection was expected to start across the northern Panhandles and progress southeast. CAPE values will range from 1000-1500 J/kg, with about 25-30kts of effective shear, a decent veering wind profile will|support possible organized storms today that will be capable of |producing large hail and strong damaging winds.","" +118153,710109,MINNESOTA,2017,June,Thunderstorm Wind,"BIG STONE",2017-06-13 19:27:00,CST-6,2017-06-13 19:27:00,0,0,0,0,,NaN,0.00K,0,45.53,-96.43,45.53,-96.43,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to west central Minnesota during the evening hours. The storms brought damaging winds along with a few tornadoes to the region.","Eighty mph winds collapsed the walls of a machine shed." +118166,710154,NORTH CAROLINA,2017,June,Flash Flood,"RANDOLPH",2017-06-20 00:05:00,EST-5,2017-06-20 01:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.7855,-79.7973,35.7777,-79.7976,"Multi-cellular convection developed ahead of an approaching cold front over Central North Carolina. A few thunderstorms became severe during the afternoon and evening, producing scattered wind damage. During the early morning hours of the 20th, the event morphed into more of a heavy rain and flash flooding threat, where isolated flash flooding developed within the convection ahead of the front.","Heavy rain resulted in flash flooding 3 miles south of Randleman. Water was flowing into a house near the intersection of Old Castle Drive and Buckhorn Road." +118286,710866,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-14 16:33:00,EST-5,2017-06-14 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-79.98,40.36,-79.95,"Slow moving thunderstorms developed along a stationary boundary across the region, in a tropical, moisture rich airmass. With the slow movement, heavy rain produced widespread flash flooding across portions of southern Allegheny county, Pennsylvania. This is after the same region received heavy rain the day prior.","County 911 reported several road closures across much of southern Allegheny county due to flash flooding. These include: Brownsville Road between Library Road and Pleasant Street, Route 88 at the intersections of Lytle Road and McNeilly Avenue, Baldwin Road and Streets Run Road, State Route 51 near Lewis Run Road and also at the intersection with Route 88, and Curry Hollow Road. Water was up to the roof of vehicles in spots." +118357,711280,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:21:00,CST-6,2017-06-20 14:21:00,0,0,0,0,,NaN,,NaN,38.54,-101,38.54,-101,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +115640,695195,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 15:50:00,EST-5,2017-06-18 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,41.9605,-78.6481,41.9605,-78.6481,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Kennedy Street in Bradford." +115640,695196,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 15:52:00,EST-5,2017-06-18 15:52:00,0,0,0,0,2.00K,2000,0.00K,0,41.9629,-78.6274,41.9629,-78.6274,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on homes on Burnside Avenue in Bradford." +115640,695197,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 15:54:00,EST-5,2017-06-18 15:54:00,0,0,0,0,3.00K,3000,0.00K,0,41.9492,-78.6013,41.9492,-78.6013,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down power lines along Route 46 (South Kendall Avenue) near Bradford." +115640,695201,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 16:04:00,EST-5,2017-06-18 16:04:00,0,0,0,0,1.00K,1000,0.00K,0,41.9687,-78.4891,41.9687,-78.4891,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Oil Valley Road north of Duke Center." +115640,695202,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 16:13:00,EST-5,2017-06-18 16:13:00,0,0,0,0,1.00K,1000,0.00K,0,41.9737,-78.3838,41.9737,-78.3838,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Route 446 north of Eldred." +115640,695216,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 16:22:00,EST-5,2017-06-18 16:22:00,0,0,0,0,1.00K,1000,0.00K,0,41.7895,-78.6525,41.7895,-78.6525,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Roberts Road just southwest of Bradford Regional Airport (KBFD)." +115510,693534,SOUTH DAKOTA,2017,June,Hail,"MEADE",2017-06-10 22:30:00,MST-7,2017-06-10 22:30:00,0,0,0,0,0.00K,0,0.00K,0,44.198,-103.349,44.198,-103.349,"A thunderstorm produced nickel sized hail near Summerset.","" +115508,693533,WYOMING,2017,June,Hail,"CAMPBELL",2017-06-10 20:35:00,MST-7,2017-06-10 20:35:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-105.5,43.76,-105.5,"A thunderstorm produced penny sized hail and wind gusts to 50 mph in Wright.","Wind gusts reached 50 mph with a thunderstorm." +115511,693543,WYOMING,2017,June,Hail,"CAMPBELL",2017-06-11 21:45:00,MST-7,2017-06-11 21:45:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-105.27,43.54,-105.27,"A severe thunderstorm produced hail to quarter size southeast of Wright.","" +115515,693555,WYOMING,2017,June,Hail,"CAMPBELL",2017-06-12 16:14:00,MST-7,2017-06-12 16:14:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-105.82,43.73,-105.82,"A thunderstorm briefly became severe over southern Campbell County, producing large hail south of Savageton.","" +115899,696454,NEW MEXICO,2017,June,Hail,"SOCORRO",2017-06-25 13:28:00,MST-7,2017-06-25 13:30:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-107.51,34.42,-107.51,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of quarters." +115933,696573,NORTH DAKOTA,2017,June,Hail,"BENSON",2017-06-02 15:19:00,CST-6,2017-06-02 15:19:00,0,0,0,0,,NaN,,NaN,48.27,-99.36,48.27,-99.36,"After spending several weeks with near or below normal temperatures, combined with seemingly endless showers, wind, and clouds, June 2, 2017 was a different day. Morning temperatures started out around 60 F, and quickly warmed into the low to mid 90s by afternoon. Fargo set a record high temperature and Grand Forks was near its record high. Dew point values started the day around 40 F, and topped out the day in the low to mid 60s. So this was the first hot and muggy day of the year. Thunderstorms fired up across central North Dakota during the late afternoon, quickly becoming severe across the Devils Lake region. These storms continued into the Red River Valley during the mid to late evening, then slowly weakened across northwest Minnesota. Eight severe thunderstorm warnings were issued for large hail and strong wind gusts.","Very heavy rain was accompanied by a lot of dime to quarter sized hail." +115940,696656,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-14 15:26:00,EST-5,2017-06-14 15:45:00,0,0,0,0,0.00K,0,0.00K,0,27.9126,-82.6856,27.9126,-82.6856,"Deep moisture across the area led to scattered thunderstorms developing over the Florida Peninsula and working west towards the coast through the afternoon. Some of these storms produced marine wind gusts, as well as a waterspout.","The ASOS at St. Pete-Clearwater International Airport (KPIE) recorded a wind gust of 44 knots." +115911,696620,NEW MEXICO,2017,June,Hail,"SANTA FE",2017-06-26 14:32:00,MST-7,2017-06-26 14:38:00,0,0,0,0,1.00M,1000000,0.00K,0,35.5669,-105.7355,35.5669,-105.7355,"Scattered to numerous showers and thunderstorms developed over the central mountain chain once again as low level moisture and instability remained in place over New Mexico. Northwest flow aloft over the state allowed storms to organized near the high terrain then push east onto the high plains. The most significant storm of the day developed over the southern Sangre de Cristo Mountains then moved south through the Glorieta and Pecos area. Hail up to the size of tennis balls produced significant damage around Glorieta. These storms forced strong outflow boundaries southward into the Estancia Valley by late afternoon where more severe thunderstorms produced large hail around Edgewood and Cedar Grove. A convectively-aided gap wind developed in the Albuquerque metro area and produced wind gusts near 60 mph. A couple more storms developed over northeastern New Mexico with half dollar size hail near Grenville. Another storm near Alto produced penny size hail.","Tennis ball size produced major damage between Glorieta and Pecos. House windows and skylights were blown out. Vehicle windshields smashed and significant damage to vehicles." +115516,693558,SOUTH DAKOTA,2017,June,Hail,"OGLALA LAKOTA",2017-06-12 18:15:00,MST-7,2017-06-12 18:15:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-102.9981,43.18,-102.9981,"A severe thunderstorm tracked northeastward across eastern Fall River County and western Oglala Lakota County. Large hail and gusty winds accompanied the storm in some areas.","" +116118,697917,WYOMING,2017,June,High Wind,"LANDER FOOTHILLS",2017-06-12 16:42:00,MST-7,2017-06-12 17:57:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","Very strong winds occurred across the Lander Foothills. Some of the strongest winds included 76 mph at the Lander Airport and 75 mph at the North Fork of the Popo Agie River. The wind downed many trees in and around Lander and ripped the roof off of a garage." +116118,697928,WYOMING,2017,June,High Wind,"WIND RIVER BASIN",2017-06-12 18:46:00,MST-7,2017-06-12 18:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The RAWS site at Sharpnose near Hudson reported a wind gust of 58 mph." +116118,697940,WYOMING,2017,June,High Wind,"SOUTHWEST BIG HORN BASIN",2017-06-12 18:50:00,MST-7,2017-06-12 18:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A pair of weather stations in Thermopolis reported wind gusts of 62 mph." +115964,696990,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAAKON",2017-06-27 18:08:00,MST-7,2017-06-27 18:08:00,0,0,0,0,,NaN,0.00K,0,44.3,-101.25,44.3,-101.25,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","Pea size hail also fell with the storm." +115960,696916,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"PERKINS",2017-06-02 15:18:00,MST-7,2017-06-02 15:18:00,0,0,0,0,,NaN,0.00K,0,45.0839,-102.1203,45.0839,-102.1203,"A thunderstorm produced strong wind gusts near Usta that caused minor damage at a ranch.","Wind damaged barn doors, ripped tin sheeting from a shed, downed a power pole, and split a tree in two." +115964,696992,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HAAKON",2017-06-27 18:28:00,MST-7,2017-06-27 18:28:00,0,0,0,0,,NaN,0.00K,0,44.6121,-101.1707,44.6121,-101.1707,"A line of severe thunderstorms developed over far southwestern South Dakota and tracked northeastward across much of southwestern into central South Dakota. The storms produced wind gusts of 60 to 80 mph and small hail. The winds caused minor damage, mostly to trees and power poles.","" +115974,697027,WYOMING,2017,June,Thunderstorm Wind,"CAMPBELL",2017-06-28 14:10:00,MST-7,2017-06-28 14:10:00,0,0,0,0,0.00K,0,0.00K,0,44.79,-105.27,44.79,-105.27,"A severe thunderstorm produced strong wind gusts around 60 mph as it tracked from northern Campbell County into Crook County.","Wind gusts were estimated at 60 mph." +115974,697028,WYOMING,2017,June,Thunderstorm Wind,"CROOK",2017-06-28 15:10:00,MST-7,2017-06-28 15:10:00,0,0,0,0,0.00K,0,0.00K,0,44.68,-104.6,44.68,-104.6,"A severe thunderstorm produced strong wind gusts around 60 mph as it tracked from northern Campbell County into Crook County.","Wind gusts reached 60 mph." +115977,697036,SOUTH DAKOTA,2017,June,Hail,"CUSTER",2017-06-28 13:16:00,MST-7,2017-06-28 13:20:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-103.24,43.75,-103.24,"A thunderstorm briefly became severe over eastern Custer County, producing quarter sized north of Fairburn.","" +115978,697051,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-28 16:14:00,MST-7,2017-06-28 16:14:00,0,0,0,0,,NaN,0.00K,0,43.9811,-103.4744,43.9811,-103.4744,"A thunderstorm became severe across the central Black Hills and tracked east onto the adjacent plains before weakening. The storm produced hail to golf ball size from Sheridan Lake to east of Hermosa.","" +115978,697056,SOUTH DAKOTA,2017,June,Hail,"CUSTER",2017-06-28 16:45:00,MST-7,2017-06-28 16:45:00,0,0,0,0,,NaN,0.00K,0,43.8234,-103.1344,43.8234,-103.1344,"A thunderstorm became severe across the central Black Hills and tracked east onto the adjacent plains before weakening. The storm produced hail to golf ball size from Sheridan Lake to east of Hermosa.","" +115978,699534,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-28 16:25:00,MST-7,2017-06-28 16:25:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-103.36,43.96,-103.36,"A thunderstorm became severe across the central Black Hills and tracked east onto the adjacent plains before weakening. The storm produced hail to golf ball size from Sheridan Lake to east of Hermosa.","" +116439,710014,ILLINOIS,2017,June,Flash Flood,"MCLEAN",2017-06-17 21:15:00,CST-6,2017-06-17 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.749,-88.99,40.5969,-89.135,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 4.00 inches was reported within 90 minutes during the evening hours in northern McLean County. Many streets were flooded within the city of Normal, which resulted in a handful of water rescues. Numerous rural roads were impassable, particularly along and north of county highway 8. Interstate 55 had standing water on it between Lexington and Chenoa." +116439,710017,ILLINOIS,2017,June,Flood,"MCLEAN",2017-06-17 23:15:00,CST-6,2017-06-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.749,-88.99,40.5969,-89.135,"An approaching cold front triggered scattered severe thunderstorms across portions of central and southeast Illinois from the evening of June 17th into the early morning of June 18th. The hardest hit locations were north of the I-74 corridor from Toulon in Stark County southeastward to Rantoul in Champaign County, where wind gusts of around 60mph downed numerous trees and power lines. A couple downbursts with estimated 70-80mph winds created enhanced areas of damage in Peoria Heights, just northwest of Roanoke in Woodford County, and near El Paso in southeast Woodford County. Torrential rainfall of 3 to 4 inches resulted in flash flooding of many county roads from northeast Peoria County and Stark County eastward to northern McLean County. Water rescues were necessary in the city of Normal due to the excessive rainfall rates. Other areas that experienced severe weather were from near Beardstown in Cass County eastward to Springfield...and across Effingham and Clay counties.","Torrential rainfall of 2.00 to 4.00 inches was reported within 90 minutes during the evening hours in northern McLean County. Many streets were flooded within the city of Normal, which resulted in a handful of water rescues. Numerous rural roads were impassable, particularly along and north of county highway 8. Interstate 55 had standing water on it between Lexington and Chenoa. Additional rainfall overnight resulted in many roads remaining flooded into the morning hours of June 18th. The flooding finally subsided by late morning." +115871,696666,NEW MEXICO,2017,June,Heat,"NORTHWEST PLATEAU",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Northwest Plateau ranged from 100 to 105 degrees on four consecutive days. Record high temperatures were set at Aztec and Farmington." +115871,696669,NEW MEXICO,2017,June,Heat,"FAR NORTHWEST HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Far Northwest Plateau ranged from 95 to 100 degrees on four consecutive days. Record high temperatures were set at Navajo Dam." +115717,695417,NORTH CAROLINA,2017,June,Rip Current,"CARTERET",2017-06-18 10:00:00,EST-5,2017-06-18 10:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died due to rip currents in Atlantic Beach, NC.","A 21-year old gentleman was reportedly attempting to save others caught in a rip current off the Atlantic Beach on Sunday June 18 has died in the hospital on June 19. This gentleman was among five people who were in distress when Atlantic Beach Fire Department responded to the unprotected section of the beach near the Doubletree Inn." +115712,695408,NORTH CAROLINA,2017,June,Rip Current,"CARTERET",2017-06-10 17:30:00,EST-5,2017-06-10 17:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two teenage boys died from rip currents in Emerald Isle, NC.","A 17 year old male died from a rip current near the 7900 block of Emerald Isle. His body was recovered on June 13th." +115635,694809,NORTH CAROLINA,2017,June,Rip Current,"EASTERN DARE",2017-06-06 12:30:00,EST-5,2017-06-06 12:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 17 year old male died from a rip current off Frisco.","A 17 year old male died from a rip current off Frisco. The victim was last seen going into the water on a boogie board urging others to come back toward shore, but succumbed to the rip current himself. His body was recovered the next morning, on June 7th." +116799,702336,OREGON,2017,June,Hail,"WASCO",2017-06-26 13:20:00,PST-8,2017-06-26 13:26:00,0,0,0,0,0.00K,0,0.00K,0,44.87,-121.29,44.87,-121.29,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Trained spotter relayed a report from the public of golf ball size hail in southern Wasco county." +116799,702338,OREGON,2017,June,Hail,"WHEELER",2017-06-26 14:32:00,PST-8,2017-06-26 14:38:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-120.43,44.93,-120.43,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Estimated hail of 1.00 inch reported at Hancock Field Station, 2 miles ENE of Clarno in Wheeler county. Very heavy rain with minor flooding also occurred." +116799,702339,OREGON,2017,June,Thunderstorm Wind,"UMATILLA",2017-06-26 15:47:00,PST-8,2017-06-26 15:57:00,0,0,0,0,0.00K,0,0.00K,0,45.67,-118.82,45.67,-118.82,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Measured gust to 64 mph by the ASOS at the Pendleton airport." +116799,706928,OREGON,2017,June,Thunderstorm Wind,"GRANT",2017-06-26 12:28:00,PST-8,2017-06-26 12:34:00,0,0,0,0,2.00K,2000,0.00K,0,44.42,-118.95,44.42,-118.95,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","Multiple power outages due to thunderstorms between John Day and Long Creek. Damage amounts are estimated." +115743,695668,OHIO,2017,June,Thunderstorm Wind,"GALLIA",2017-06-23 17:42:00,EST-5,2017-06-23 17:42:00,0,0,0,0,0.50K,500,0.00K,0,38.75,-82.28,38.75,-82.28,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","One tree fell down along Lewis Drive due to gusty winds and wet soil conditions." +115743,696713,OHIO,2017,June,Flash Flood,"LAWRENCE",2017-06-23 20:30:00,EST-5,2017-06-23 22:30:00,0,0,0,0,10.00K,10000,0.00K,0,38.5708,-82.5142,38.5737,-82.4771,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","A culvert was washed out on State Route 217 just west of Dick's Creek Road. A small tributary to Dick's Creek runs under the road at this location." +115744,695686,WEST VIRGINIA,2017,June,Thunderstorm Wind,"BOONE",2017-06-23 21:35:00,EST-5,2017-06-23 21:35:00,0,0,0,0,0.50K,500,0.00K,0,38.06,-81.54,38.06,-81.54,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","One tree was blown down due to gusty winds and wet soil conditions." +114222,685780,MISSOURI,2017,March,Hail,"MACON",2017-03-06 20:31:00,CST-6,2017-03-06 20:32:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-92.56,39.75,-92.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685781,MISSOURI,2017,March,Hail,"MACON",2017-03-06 20:23:00,CST-6,2017-03-06 20:26:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-92.49,40.03,-92.49,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114465,694654,VIRGINIA,2017,April,Flood,"CHARLOTTE",2017-04-25 12:00:00,EST-5,2017-04-27 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.9203,-78.7404,36.9008,-78.7088,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Flooding developed along the Roanoke River with the river gage at Randolph (RNDV2) cresting just over 24 feet or Moderate Flood stage midday on the 26th." +117470,707701,ARKANSAS,2017,June,Thunderstorm Wind,"HOT SPRING",2017-06-23 16:45:00,CST-6,2017-06-23 16:45:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-92.81,34.36,-92.81,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Several trees were blown down in the county." +114452,686335,VERMONT,2017,March,Blizzard,"BENNINGTON",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Lower elevations saw around 18 of snow, with up to 35 reported at higher elevations. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. Much of the train service across the region was cancelled. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across portions of Bennington County. The winds brought considerable blowing and drifting of snow.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +117325,705649,INDIANA,2017,June,Thunderstorm Wind,"NOBLE",2017-06-04 15:05:00,EST-5,2017-06-04 15:06:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-85.38,41.28,-85.38,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Several trees were damaged. A shed was blown across a road. Tree fell onto three unoccupied vehicles." +117325,705650,INDIANA,2017,June,Thunderstorm Wind,"NOBLE",2017-06-04 15:08:00,EST-5,2017-06-04 15:09:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-85.28,41.27,-85.28,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","The public reported a shed was destroyed and debris blown into a field. A garage had windows shattered and door buckled." +114452,686336,VERMONT,2017,March,Winter Storm,"EASTERN WINDHAM",2017-03-14 02:30:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Lower elevations saw around 18 of snow, with up to 35 reported at higher elevations. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. Much of the train service across the region was cancelled. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across portions of Bennington County. The winds brought considerable blowing and drifting of snow.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +117325,705651,INDIANA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-04 16:20:00,EST-5,2017-06-04 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.31,-86.29,41.31,-86.29,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","The public reported a large tree was blown down." +117325,705652,INDIANA,2017,June,Thunderstorm Wind,"HUNTINGTON",2017-06-04 16:50:00,EST-5,2017-06-04 16:51:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-85.37,40.9,-85.37,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Emergency management officials reported a four inch diameter healthy tree limb was blown down. Some shingles were removed from a nearby home." +117325,705653,INDIANA,2017,June,Thunderstorm Wind,"WELLS",2017-06-04 16:51:00,EST-5,2017-06-04 16:52:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-85.34,40.87,-85.34,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","A large tree limb was reported blown down." +117325,705654,INDIANA,2017,June,Thunderstorm Wind,"HUNTINGTON",2017-06-04 17:10:00,EST-5,2017-06-04 17:11:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-85.5,40.88,-85.5,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Emergency management officials reported a 18 inch tree limb with signs of rot fell onto the edge of a house." +117325,705655,INDIANA,2017,June,Lightning,"HUNTINGTON",2017-06-04 17:05:00,EST-5,2017-06-04 17:06:00,0,0,0,0,5.00K,5000,0.00K,0,40.88,-85.49,40.88,-85.49,"Low pressure system moved southeast into the area from Michigan trailing a cold front during the overnight hours. Unstable conditions existed, but bulk shear was marginal, resulting in pulse storms that produced isolated wind damage.","Emergency management officials reported lightning appears to have struck a tree, causing the top half of the tree to fall onto a car. No injuries were reported." +116466,700450,ARKANSAS,2017,June,Hail,"MISSISSIPPI",2017-06-16 13:30:00,CST-6,2017-06-16 13:35:00,0,0,0,0,,NaN,0.00K,0,35.8139,-89.9705,35.8139,-89.9705,"A passing upper level disturbance produced a few severe thunderstorms that brought hail and heavy rain to portions of the Midsouth during the mid afternoon of June 16th.","Half dollar size hail fell near Burdette on Interstate 55." +116390,699884,MISSISSIPPI,2017,June,Thunderstorm Wind,"TISHOMINGO",2017-06-15 11:05:00,CST-6,2017-06-15 11:15:00,0,0,0,0,20.00K,20000,0.00K,0,34.8401,-88.3193,34.8385,-88.3091,"A passing cold front generated a broken line of severe thunderstorms that produced wind damage across portions of northeast Mississippi during the early afternoon hours of June 15th.","Large tree down on a truck." +116390,699886,MISSISSIPPI,2017,June,Thunderstorm Wind,"ITAWAMBA",2017-06-15 12:34:00,CST-6,2017-06-15 12:45:00,0,0,0,0,,NaN,0.00K,0,34.1891,-88.3596,34.1888,-88.3318,"A passing cold front generated a broken line of severe thunderstorms that produced wind damage across portions of northeast Mississippi during the early afternoon hours of June 15th.","Large tree down on Highway 25 near Tilden." +116390,699892,MISSISSIPPI,2017,June,Thunderstorm Wind,"PONTOTOC",2017-06-15 12:37:00,CST-6,2017-06-15 12:45:00,0,0,0,0,,NaN,0.00K,0,34.3028,-88.8598,34.2887,-88.8288,"A passing cold front generated a broken line of severe thunderstorms that produced wind damage across portions of northeast Mississippi during the early afternoon hours of June 15th.","Large tree blown over across Chesterville Road in extreme northeast Pontotoc county." +116390,699894,MISSISSIPPI,2017,June,Thunderstorm Wind,"LEE",2017-06-15 12:40:00,CST-6,2017-06-15 12:45:00,0,0,0,0,10.00K,10000,0.00K,0,34.3134,-88.7948,34.2995,-88.7752,"A passing cold front generated a broken line of severe thunderstorms that produced wind damage across portions of northeast Mississippi during the early afternoon hours of June 15th.","Large tree limbs fell on vehicle near Belden." +117409,706081,ARIZONA,2017,June,Wildfire,"EASTERN MOGOLLON RIM",2017-06-01 16:00:00,MST-7,2017-06-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Bear Fire started in Bear Canyon about half a mile north of the Mogollon Rim on June 1. The Highline Fire Started south of the Mogollon Rim on June 10. These two fires eventually merged to become the Highline Fire. The fire burned 2,591 acres on the Coconino National Forest and the 7,198 acres on the Tonto National Forest. The fire changed the hydrology of the area and resulted in significant flash flooding during the raining season in July 2017.","The Bear Fire started about ten miles southeast of Clints Well in Bear Canyon. It eventually merged with the Highline Fire and continued to grow until around July 7. Together, the fires burned 9789 acres." +117188,705361,MINNESOTA,2017,June,Flash Flood,"WINONA",2017-06-28 21:00:00,CST-6,2017-06-28 23:00:00,0,0,0,0,25.00K,25000,0.00K,0,44.0772,-91.9895,44.0766,-91.9873,"A line of thunderstorms moved across southeast Minnesota during the late afternoon and evening of June 28th. These storms produced three brief EF-0 tornadoes across Olmsted County. The first occurred southwest of Viola, the second tornado occurred north of Dover and the third was east of Chester. These tornadoes only caused some crop and tree damage.","Runoff from heavy rain caused flood waters to flow down a dry run along County Highway 37 between Elba and Altura. The flood waters caused the road bank to erode in several places." +117328,705669,NEW MEXICO,2017,August,Thunderstorm Wind,"RIO ARRIBA",2017-08-03 16:21:00,MST-7,2017-08-03 16:24:00,0,0,0,0,50.00K,50000,0.00K,0,36.93,-107,36.93,-107,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Severe winds produced significant roof damage to the Jicarilla Head Start building in Dulce." +117328,705670,NEW MEXICO,2017,August,Thunderstorm Wind,"BERNALILLO",2017-08-03 15:45:00,MST-7,2017-08-03 15:46:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-106.66,35.15,-106.66,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Fallen tree reported on Montano Road westbound near Rio Grande." +114396,686091,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:37:00,CST-6,2017-03-06 19:41:00,0,0,0,0,,NaN,,NaN,38.93,-94.85,38.93,-94.85,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +117541,706929,NEBRASKA,2017,June,Hail,"HOLT",2017-06-13 16:40:00,CST-6,2017-06-13 16:40:00,0,0,0,0,,NaN,,NaN,42.45,-99.22,42.45,-99.22,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706930,NEBRASKA,2017,June,Hail,"HOLT",2017-06-13 16:59:00,CST-6,2017-06-13 16:59:00,0,0,0,0,,NaN,,NaN,42.67,-98.9,42.67,-98.9,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706931,NEBRASKA,2017,June,Hail,"BOYD",2017-06-13 17:15:00,CST-6,2017-06-13 17:15:00,0,0,0,0,,NaN,,NaN,42.89,-98.83,42.89,-98.83,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706932,NEBRASKA,2017,June,Hail,"BOYD",2017-06-13 17:25:00,CST-6,2017-06-13 17:25:00,0,0,0,0,,NaN,,NaN,42.88,-98.72,42.88,-98.72,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706933,NEBRASKA,2017,June,Hail,"BOYD",2017-06-13 17:30:00,CST-6,2017-06-13 17:30:00,0,0,0,0,,NaN,,NaN,42.83,-98.33,42.83,-98.33,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +117541,706934,NEBRASKA,2017,June,Hail,"BOYD",2017-06-13 17:33:00,CST-6,2017-06-13 17:33:00,0,0,0,0,,NaN,,NaN,42.83,-98.33,42.83,-98.33,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","" +115734,695530,NORTH CAROLINA,2017,April,Lightning,"ALLEGHANY",2017-04-22 12:30:00,EST-5,2017-04-22 12:30:00,0,0,0,0,0.50K,500,,NaN,36.48,-81.28,36.48,-81.28,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Lightning from one of the storms struck a tree, set it on fire, and the tree fell across U.S. 221 near Route 113.","Lightning struck a tree, set it on fire, and the tree fell across U.S. 221 near Route 113. Damage values are estimated." +117541,710163,NEBRASKA,2017,June,Tornado,"SHERIDAN",2017-06-12 21:40:00,MST-7,2017-06-12 21:45:00,0,0,0,0,21.00K,21000,0.00K,0,42.0848,-102.657,42.0848,-102.657,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","Witnesses describe a tornado touching down and destroying mainly cottonwood trees in wind breaks. The path was not continuous. The tornado lifted and then continued to the northeast, hitting a homestead, damaging old outbuildings and snapping or pushing over 30 wooden power poles." +117541,710165,NEBRASKA,2017,June,Tornado,"SHERIDAN",2017-06-12 19:30:00,MST-7,2017-06-12 19:35:00,0,0,0,0,21.00K,21000,0.00K,0,42.08,-102.67,42.08,-102.67,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","Witnesses describe a tornado touching down and destroying mainly cottonwood trees in wind breaks. The path was not continuous. The tornado lifted and then continued to the northeast, hitting a homestead, damaging old outbuildings and snapping or pushing over 30 wooden power poles. Same tornado / track as the other LSRs." +117594,707200,ARIZONA,2017,June,Excessive Heat,"YAVAPAI COUNTY MOUNTAINS",2017-06-16 11:00:00,MST-7,2017-06-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 96 at Prescott Airport on June 16 tied the previous record last set in 1974.||The high of 102 at Prescott Airport on June 18 broke the previous record of 100 set in 1989.||The high of 103 in Seligman on June 18 tied the previous record last set in 1940.||The high of 102 at Prescott Airport on June 19 tied the previous record last set in 2016.||The high of 105 in Seligman on June 19 broke the previous record of 103 set 1940.||The high of 103 at Prescott Airport on June 24 broke the previous record of 102 set 2016. ||The high of 103 at Prescott Airport on June 21 broke the previous record of 100 set 1990. ||The high of 103 in Seligman on June 23 broke the previous record of 102 set 1968.||The high of 101 at Prescott Airport on June 23 broke the previous record of 98 set 2006. ||The high of 104 in Seligman on June 23 broke the previous record of 103 set 1961.||The high of 101 at Prescott Airport on June 24 broke the previous record of 100 set 1974.||The high of 103 in Seligman on June 24 tied the previous record last set in 1994." +117594,707205,ARIZONA,2017,June,Excessive Heat,"YAVAPAI COUNTY VALLEYS AND BASINS",2017-06-17 11:00:00,MST-7,2017-06-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very strong high pressure aloft developed across the Desert Southwest in mid to late June. This lead to prolonged excessive heat across the lower deserts of northern Arizona. High temperatures exceeded 110 over the lower elevations of Yavapai County and along the Colorado River in the Grand Canyon. Numerous high temperature records were tied or broken, even at higher elevations.","The high of 108 in Cottonwood - Tuzioot on June 17 broke the previous record of 107 set in 1985.||The high of 113 in Cottonwood - Tuzioot on June 18 broke the previous record of 111 set in 1985.||The high of 115 in Cottonwood - Tuzioot on June 19 broke the previous record of 111 set in 2016.||The high of 115 in Cottonwood - Tuzioot on June 21 broke the previous record of 110 set in 1994.||The high of 115 in Cottonwood - Tuzioot on June 22 broke the previous record of 110 set in 1988.||The high of 113 in Cottonwood - Tuzioot on June 23 broke the previous record of 111 set in 1994.||The high of 115 in Cottonwood - Tuzioot on June 24 broke the previous record of 110 set in 1994." +117619,707331,FLORIDA,2017,June,Heavy Rain,"ST. JOHNS",2017-06-24 23:00:00,EST-5,2017-06-25 10:59:00,0,0,0,0,0.00K,0,0.00K,0,29.89,-81.34,29.89,-81.34,"Slow storm motion of 5-10 mph and high moisture content supported locally heavy rainfall in diurnally driven sea breeze and outflow boundary driven storms.","Rainfall measured since midnight was 2.59 inches." +117627,707403,MICHIGAN,2017,June,Thunderstorm Wind,"BARAGA",2017-06-10 21:15:00,EST-5,2017-06-10 21:18:00,0,0,0,0,1.00K,1000,0.00K,0,46.76,-88.45,46.76,-88.45,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","There was a delayed report from the Baraga County Fire Department of small trees blown over and branches broken off trees in L'anse." +117636,707414,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 14:03:00,EST-5,2017-06-11 14:15:00,0,0,0,0,8.00K,8000,0.00K,0,45.89,-87.01,45.89,-87.01,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","There were reports of downed trees and power lines around the Gladstone and Rapid River areas. Time of the report was estimated from radar." +117636,707443,MICHIGAN,2017,June,Thunderstorm Wind,"DELTA",2017-06-11 21:37:00,EST-5,2017-06-11 21:42:00,0,0,0,0,2.00K,2000,0.00K,0,46.05,-86.65,46.05,-86.65,"Several clusters of severe thunderstorms moved across south central Upper Michigan on the afternoon and evening of the 11th.","The Delta County Sheriff reported trees down along Forest Highway 13 between County Roads 442 and 400 near Chicago Lake." +117627,707399,MICHIGAN,2017,June,Thunderstorm Wind,"HOUGHTON",2017-06-10 20:15:00,EST-5,2017-06-10 20:18:00,0,0,0,0,0.50K,500,0.00K,0,47.12,-88.58,47.12,-88.58,"A cold front moving through a warm and unstable air mass produced severe thunderstorms over northwest Upper Michigan on the evening of the 10th.","A tree was reported down across Highway M-26. Time of the report was estimated from radar." +116419,700059,CALIFORNIA,2017,June,Funnel Cloud,"YUBA",2017-06-11 14:20:00,PST-8,2017-06-11 14:25:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-121.56,39.02,-121.56,"A cold low from western Canada brought wintry storm conditions to the mountains, as well as hail and funnel clouds to the foothills and Central Valley. Additional rain also caused mudslides in already saturated mountain locations.","A funnel cloud was observed by a spotter from the town of Olivehurst, visible over the Plumas Lake area. Multiple members of the public also reported seeing a funnel cloud in the area. Video footage seen on social media suggests the funnel cloud at least came close to touching down in a heavily forested area, but no damage was reported." +117353,705722,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-12 17:08:00,CST-6,2017-06-12 17:08:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-89.29,44.08,-89.29,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed several trees around Wautoma." +117353,705721,WISCONSIN,2017,June,Thunderstorm Wind,"WOOD",2017-06-12 16:30:00,CST-6,2017-06-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-90.13,44.45,-90.13,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed small trees in Pittsville. The time of this event is estimated based on radar data." +117353,705723,WISCONSIN,2017,June,Thunderstorm Wind,"PORTAGE",2017-06-12 17:09:00,CST-6,2017-06-12 17:09:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-89.54,44.51,-89.54,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed trees in Stevens Point." +117353,705724,WISCONSIN,2017,June,Thunderstorm Wind,"WAUSHARA",2017-06-12 17:25:00,CST-6,2017-06-12 17:25:00,0,0,0,0,0.00K,0,0.00K,0,44.19,-89.07,44.19,-89.07,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed several trees near Saxville and Bloomfield." +121936,729938,OHIO,2017,December,Winter Weather,"PIKE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage north of Wakefield measured an inch of snow. The cooperative observer in Waverly measured a half inch." +121936,729939,OHIO,2017,December,Winter Weather,"PREBLE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter from Eaton measured 3.6 inches of snow, while the county garage west of West Alexandria measured 3 inches of snow. The CoCoRaHS observer north of Eaton measured 2.9 inches." +121936,729940,OHIO,2017,December,Winter Weather,"ROSS",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A social media post from Frankfort measured 3 inches of snow, while another from south of Kingston measured 2.7 inches. Two inches was reported from the county garage in North Fork Villa and by the CoCoRaHS observer south of Chillicothe." +121936,729941,OHIO,2017,December,Winter Weather,"SCIOTO",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Lucasville measured an inch of snow. The EMA measured 0.7 inches in Sciotodale, while CoCoRaHS observers in West Rosemount and Lucasville measured a half inch." +121936,729942,OHIO,2017,December,Winter Weather,"SHELBY",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter in Sidney measured 3.5 inches of snow. The CoCoRaHS observer east of Russia measured 3.3 inches, while another in Fort Loramie measured 3 inches." +121936,729943,OHIO,2017,December,Winter Weather,"UNION",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Marysville measured 4 inches of snow while the CoCoRaHS observer 4 miles southeast of West Mansfield measured 2.5 inches." +121936,729944,OHIO,2017,December,Winter Weather,"WARREN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage south of Lebanon measured 2 inches of snow. A NWS employee in Clarksville measured 1.7 inches while another north of Maineville measured 1.3 inches." +121947,730114,OHIO,2017,December,Winter Weather,"MONTGOMERY",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","The Dayton airport DAY reported 0.7 inches of snow." +115458,693307,NORTH DAKOTA,2017,June,Hail,"SHERIDAN",2017-06-09 16:12:00,CST-6,2017-06-09 16:15:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-100.58,47.47,-100.58,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693305,NORTH DAKOTA,2017,June,Hail,"MCLEAN",2017-06-09 15:55:00,CST-6,2017-06-09 15:57:00,0,0,0,0,0.00K,0,0.00K,0,47.52,-100.89,47.52,-100.89,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693309,NORTH DAKOTA,2017,June,Hail,"MCHENRY",2017-06-09 16:25:00,CST-6,2017-06-09 16:28:00,0,0,0,0,0.00K,0,0.00K,0,48.4,-101.05,48.4,-101.05,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117898,708542,ALABAMA,2017,June,Flash Flood,"MOBILE",2017-06-06 20:37:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5482,-88.12,30.3968,-88.1516,"Heavy rain developed across southwest Alabama and produced flooding.","Water over the roadway near Old Pascagoula Road just west of McDonald Road." +117898,708549,ALABAMA,2017,June,Flash Flood,"MOBILE",2017-06-06 20:37:00,CST-6,2017-06-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5482,-88.12,30.3968,-88.1516,"Heavy rain developed across southwest Alabama and produced flooding.","Water over the roadway on Island Road just east of Rangeline Road." +118620,712605,WISCONSIN,2017,July,Hail,"SAUK",2017-07-15 22:20:00,CST-6,2017-07-15 22:20:00,0,0,0,0,,NaN,0.00K,0,43.47,-89.74,43.47,-89.74,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Estimated wind gusts of 50 mph with nickel size hail." +118620,712607,WISCONSIN,2017,July,Hail,"DODGE",2017-07-15 22:46:00,CST-6,2017-07-15 22:46:00,0,0,0,0,0.00K,0,0.00K,0,43.22,-88.75,43.22,-88.75,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712608,WISCONSIN,2017,July,Hail,"WAUKESHA",2017-07-15 22:50:00,CST-6,2017-07-15 22:50:00,0,0,0,0,,NaN,,NaN,43,-88.46,43,-88.46,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712609,WISCONSIN,2017,July,Hail,"WAUKESHA",2017-07-15 23:00:00,CST-6,2017-07-15 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-88.45,42.98,-88.45,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +117945,708965,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 15:53:00,CST-6,2017-07-19 15:53:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-93.01,43.12,-93.01,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 65 mph wind gust occurred south of Nora Springs." +117758,708028,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-20 19:50:00,CST-6,2017-06-20 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.18,-101.89,36.18,-101.89,"Satellite wind profiles of northwesterly flow of 15-25 kts at 600-450 hPa shows perhaps |enough flow to move these storms into the northern and western Panhandles. Good DCAPE environment of around 1500 J/kg in-conjunction with shear of 30-40 kts. With supporting inverted-v forecast soundings over parts of the northern Panhandles, indicating strong winds as the primary threat. Large hail potential was there as well.","Damage survey indicated a microburst associated with a severe thunderstorm caused damage to a well built structure and bent a radio tower 90 degrees, along with some irrigation and farm equipment." +117758,708029,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-20 20:00:00,CST-6,2017-06-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-101.95,36.12,-101.95,"Satellite wind profiles of northwesterly flow of 15-25 kts at 600-450 hPa shows perhaps |enough flow to move these storms into the northern and western Panhandles. Good DCAPE environment of around 1500 J/kg in-conjunction with shear of 30-40 kts. With supporting inverted-v forecast soundings over parts of the northern Panhandles, indicating strong winds as the primary threat. Large hail potential was there as well.","Patio roof was blown off and also ripped the metal roof off part of the house." +117758,708030,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-20 20:03:00,CST-6,2017-06-20 20:03:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-101.96,36.12,-101.96,"Satellite wind profiles of northwesterly flow of 15-25 kts at 600-450 hPa shows perhaps |enough flow to move these storms into the northern and western Panhandles. Good DCAPE environment of around 1500 J/kg in-conjunction with shear of 30-40 kts. With supporting inverted-v forecast soundings over parts of the northern Panhandles, indicating strong winds as the primary threat. Large hail potential was there as well.","Five to 6 power poles blown over onto FM Road 1573 seven miles east of HWY 287." +117758,708038,TEXAS,2017,June,Thunderstorm Wind,"SHERMAN",2017-06-20 20:11:00,CST-6,2017-06-20 20:12:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-101.92,36.1,-101.92,"Satellite wind profiles of northwesterly flow of 15-25 kts at 600-450 hPa shows perhaps |enough flow to move these storms into the northern and western Panhandles. Good DCAPE environment of around 1500 J/kg in-conjunction with shear of 30-40 kts. With supporting inverted-v forecast soundings over parts of the northern Panhandles, indicating strong winds as the primary threat. Large hail potential was there as well.","A microburst associated with a severe thunderstorm damaged center pivots of irrigation equipment and snapped 13 power poles. The damage path associated with the microburst had a path length of 2.3 miles, a path width of 2.1 miles, and ended around 912 PM CDT." +117763,708993,OKLAHOMA,2017,June,Hail,"TEXAS",2017-06-21 18:33:00,CST-6,2017-06-21 18:33:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-101.27,36.98,-101.27,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +116968,705068,VIRGINIA,2017,June,Thunderstorm Wind,"ROANOKE",2017-06-15 17:17:00,EST-5,2017-06-15 17:17:00,0,0,0,0,,NaN,,NaN,37.33,-79.98,37.33,-79.98,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds produced a 54 knot wind gust at KROA (Roanoke-Blacksburg Regional Airport)." +116968,705071,VIRGINIA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-15 18:06:00,EST-5,2017-06-15 18:06:00,0,0,0,0,0.50K,500,,NaN,37.12,-79.74,37.12,-79.74,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm wind gusts caused a tree to fall down on Lost Mountain Road." +116968,705820,VIRGINIA,2017,June,Thunderstorm Wind,"AMHERST",2017-06-15 19:20:00,EST-5,2017-06-15 19:20:00,0,0,0,0,1.00K,1000,,NaN,37.48,-79.18,37.48,-79.18,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Several small to large limbs were reported down due to thunderstorm wind gusts between Elon and Madison Heights." +116968,705823,VIRGINIA,2017,June,Thunderstorm Wind,"HENRY",2017-06-15 20:00:00,EST-5,2017-06-15 20:00:00,0,0,0,0,1.00K,1000,,NaN,36.57,-79.82,36.57,-79.82,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Thunderstorm winds resulted in numerous large branches blown down." +116968,705825,VIRGINIA,2017,June,Thunderstorm Wind,"PITTSYLVANIA",2017-06-15 21:40:00,EST-5,2017-06-15 21:40:00,0,0,0,0,5.00K,5000,,NaN,36.7194,-79.2201,36.7194,-79.2201,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Several trees were down on Highway 360 due to thunderstorm wind gusts." +116968,705828,VIRGINIA,2017,June,Lightning,"HENRY",2017-06-16 01:05:00,EST-5,2017-06-16 01:05:00,0,0,0,0,50.00K,50000,,NaN,36.6671,-79.8802,36.6671,-79.8802,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","Lightning struck a tree which led to a house fire along Hillcrest Avenue near Martinsville. The Fire Marshall reported (via media) that the home and its contents were a total loss." +117362,705766,NORTH CAROLINA,2017,June,Hail,"ROCKINGHAM",2017-06-15 19:38:00,EST-5,2017-06-15 19:38:00,0,0,0,0,,NaN,,NaN,36.47,-79.91,36.47,-79.91,"For several days, high pressure to the east had pushed warm and humid air into the region. As an upper level storm system moved across the mountains from the Ohio Valley, scattered severe thunderstorms developed across the area.","" +117136,705942,OKLAHOMA,2017,June,Thunderstorm Wind,"OSAGE",2017-06-15 20:50:00,CST-6,2017-06-15 20:50:00,0,0,0,0,0.00K,0,0.00K,0,36.782,-96.6613,36.782,-96.6613,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind snapped large tree limbs." +117136,705943,OKLAHOMA,2017,June,Thunderstorm Wind,"TULSA",2017-06-15 21:00:00,CST-6,2017-06-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3299,-95.8094,36.3299,-95.8094,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down a tree." +117136,705944,OKLAHOMA,2017,June,Thunderstorm Wind,"TULSA",2017-06-15 21:05:00,CST-6,2017-06-15 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.3007,-95.8881,36.3007,-95.8881,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Thunderstorm wind gusts were estimated to 65 mph on the northwest side of Owasso." +117136,705945,OKLAHOMA,2017,June,Thunderstorm Wind,"MAYES",2017-06-15 21:10:00,CST-6,2017-06-15 21:10:00,0,0,0,0,0.00K,0,0.00K,0,36.3082,-95.3174,36.3082,-95.3174,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Thunderstorm wind gusts were measured to 63 mph." +120347,721392,GEORGIA,2017,September,Tropical Storm,"BIBB",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,300.00K,300000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county, including several on homes, other structures and vehicles. A shopping center in Macon had damage to its fa��ade and roof. Much of the county was without electricity for varying periods of time. A 61 mph wind gust was measured at the Middle Georgia Regional Airport south of Macon. Radar estimated between 2 and 4 inches of rain fell across the county with 3.81 inches measured north of Macon. No injuries were reported." +117793,708138,ALABAMA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-22 12:40:00,CST-6,2017-06-22 12:41:00,0,0,0,0,0.00K,0,0.00K,0,33.5745,-87.138,33.5745,-87.138,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted along Alliance Road." +117793,708139,ALABAMA,2017,June,Tornado,"SHELBY",2017-06-22 13:42:00,CST-6,2017-06-22 13:43:00,0,0,0,0,0.00K,0,0.00K,0,33.1834,-86.9721,33.1868,-86.9697,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","NWS Meteorologists surveyed damage in western Shelby County and found damage consistent with an EF0 tornado, with maximum sustained winds near 70 mph. The tornado touched down along a gravel road off of County Road 10. The tornado was short-lived and produced a very brief path of uprooted and snapped trees. An on-duty mine guard sitting immediately adjacent to the damage path witnessed a sudden increase in winds, near-zero visibility, and popping of his ears." +117793,709601,ALABAMA,2017,June,Thunderstorm Wind,"LAMAR",2017-06-23 11:50:00,CST-6,2017-06-23 11:51:00,0,0,0,0,0.00K,0,0.00K,0,33.761,-88.1087,33.761,-88.1087,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted near Highway 17 at the Vernon Post Office." +117793,709602,ALABAMA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 12:05:00,CST-6,2017-06-23 12:06:00,0,0,0,0,0.00K,0,0.00K,0,33.9116,-87.9241,33.9116,-87.9241,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted along County Road 10 near the Mount Willing Church." +117793,709603,ALABAMA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 12:18:00,CST-6,2017-06-23 12:19:00,0,0,0,0,0.00K,0,0.00K,0,33.6073,-87.779,33.6073,-87.779,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted at the intersection of Stowe Loop Road and County Road 35." +117793,709604,ALABAMA,2017,June,Thunderstorm Wind,"WINSTON",2017-06-23 12:32:00,CST-6,2017-06-23 12:33:00,0,0,0,0,0.00K,0,0.00K,0,34.2609,-87.6245,34.2609,-87.6245,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted at the intersection of Sherwood Place Road and Dime Road." +117914,708616,MINNESOTA,2017,July,Tornado,"OLMSTED",2017-07-19 16:07:00,CST-6,2017-07-19 16:08:00,0,0,0,0,40.00K,40000,0.00K,0,43.9932,-92.3203,43.992,-92.3049,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","An EF-1 tornado touched down southeast of Rochester and produced intermittent damage as it moved east through Chester Woods Park. Extensive tree damage occurred along parts of the short path in the wooded areas of the park. The park superintendent estimated between 4 and 10 acres of trees were flattened in the park. Near the park's beach, downed trees landed on the beach house and a fence." +116445,700309,ILLINOIS,2017,June,Thunderstorm Wind,"TAZEWELL",2017-06-19 17:50:00,CST-6,2017-06-19 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-89.33,40.56,-89.33,"Widely scattered thunderstorms developed across central Illinois ahead of a weak short-wave trough during the late afternoon and evening of June 19th. Very dry air at low-levels of the atmosphere allowed for excellent evaporational cooling conditions. As a result, the storms produced 50-60 mph wind gusts. A downburst with estimated 70 mph winds created enhanced wind damage in Bartonville in Peoria County.","Two 6-inch diameter tree limbs were blown down." +116445,700310,ILLINOIS,2017,June,Thunderstorm Wind,"PIATT",2017-06-19 18:54:00,CST-6,2017-06-19 18:59:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-88.57,40.03,-88.57,"Widely scattered thunderstorms developed across central Illinois ahead of a weak short-wave trough during the late afternoon and evening of June 19th. Very dry air at low-levels of the atmosphere allowed for excellent evaporational cooling conditions. As a result, the storms produced 50-60 mph wind gusts. A downburst with estimated 70 mph winds created enhanced wind damage in Bartonville in Peoria County.","A large tree branch was blown down." +116447,700322,ILLINOIS,2017,June,Thunderstorm Wind,"CHAMPAIGN",2017-06-29 19:15:00,CST-6,2017-06-29 19:20:00,0,0,0,0,10.00K,10000,0.00K,0,40.0867,-88.2853,40.0867,-88.2853,"Isolated thunderstorms developed within a very warm and humid airmass across central Illinois during the afternoon and early evening of June 29th. One cell produced gusty winds that knocked a large tree branch onto a vehicle on the southwest side of Champaign.","A large tree branch was blown onto a vehicle in the 2300 block of Rebecca Drive on the southwest side of Champaign." +117945,714173,IOWA,2017,July,Thunderstorm Wind,"MITCHELL",2017-07-19 15:54:00,CST-6,2017-07-19 15:54:00,0,0,0,0,15.00K,15000,0.00K,0,43.38,-92.93,43.38,-92.93,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","At least 15 power lines were blown down in St. Ansgar." +117945,714259,IOWA,2017,July,Thunderstorm Wind,"MITCHELL",2017-07-19 16:06:00,CST-6,2017-07-19 16:06:00,0,0,0,0,10.00K,10000,0.00K,0,43.28,-92.65,43.28,-92.65,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","The catholic church in New Haven sustained wind damage." +122103,731003,NEW YORK,2017,December,Lake-Effect Snow,"CATTARAUGUS",2017-12-06 19:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage Tuesday morning, the cold air gradually deepened across the region into Wednesday, December 6. Lake effect snows developed off of both Lakes Erie and Ontario with a southwest flow allowing for accumulations in both the Buffalo and Watertown metropolitan areas. Graupel within the Lake Erie band even supported some thunder and lightning. During the course of Wednesday night, veering winds consolidated the bands with snowfall rates of an inch an hour from the Lake Erie shoreline across the southern half of Erie County to Wyoming County and from Lake Ontario across the Watertown area to northern Lewis County. The heaviest lake snows took place on Thursday with snowfall rates of one to two inches an hour. Following a second cold front Thursday night, lake snows pushed south into the Southern Tier and across the heart of the Tug Hill. At this point, snowfall rates in the vicinity of the Chautauqua Ridge and over the Tug Hill averaged an inch per hour. As another shortwave approached from the Upper Great Lakes early Friday morning, the flow once again backed to the southwest. The accumulating lake snows made one final push into the Buffalo and Watertown metropolitan areas. Specific snowfall reports off Lake Erie included: 23 inches at Colden; 19 inches at Eden; 18 inches at Boston and East Aurora; 17 inches at Perrysburg; 16 inches at Wales and Wyoming; 15 inches at Attica; 14 inches at Silver Creek and Elma; 12 inches at Hamburg and Varysburg|11 inches at Warsaw; 10 inches at Ripley and Forestville; and 8 inches at Springville, Dunkirk and Fredonia. Specific snowfall reports off Lake Ontario included: 19 inches at Harrisville; 18 inches at Lowville; 12 inches at Carthage and Croghan; 11 inches at Redfield; 9 inches at Watertown and 8 inches at Glenfield.","" +117136,705955,OKLAHOMA,2017,June,Thunderstorm Wind,"MUSKOGEE",2017-06-15 22:40:00,CST-6,2017-06-15 22:40:00,0,0,0,0,0.00K,0,0.00K,0,35.489,-95.1233,35.489,-95.1233,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","The Oklahoma Mesonet station near Webbers Falls measured 58 mph thunderstorm wind gusts." +118193,710293,SOUTH CAROLINA,2017,June,Hail,"WILLIAMSBURG",2017-06-03 16:00:00,EST-5,2017-06-03 16:02:00,0,0,0,0,0.10K,100,0.00K,0,33.759,-79.4417,33.759,-79.4417,"Warm and unstable air was anchored across the area. A weak surface boundary wavered in the vicinity and this in conjunction with the Piedmont Trough produced scattered evening thunderstorms. A couple of the thunderstorms produced damaging downbursts.","Penny size hail was reported." +118193,710299,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"WILLIAMSBURG",2017-06-03 16:01:00,EST-5,2017-06-03 16:02:00,0,0,0,0,5.00K,5000,0.00K,0,33.7419,-79.452,33.7417,-79.4526,"Warm and unstable air was anchored across the area. A weak surface boundary wavered in the vicinity and this in conjunction with the Piedmont Trough produced scattered evening thunderstorms. A couple of the thunderstorms produced damaging downbursts.","Roofs were reportedly blown off of two buildings on Circle Drive." +118193,710308,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"WILLIAMSBURG",2017-06-03 16:00:00,EST-5,2017-06-03 16:05:00,0,0,0,0,100.00K,100000,0.00K,0,33.7582,-79.4421,33.75,-79.4503,"Warm and unstable air was anchored across the area. A weak surface boundary wavered in the vicinity and this in conjunction with the Piedmont Trough produced scattered evening thunderstorms. A couple of the thunderstorms produced damaging downbursts.","Widespread wind damage to include tree damage was reported across the town of Hemingway." +117668,707580,SOUTH DAKOTA,2017,June,Drought,"FAULK",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707581,SOUTH DAKOTA,2017,June,Drought,"HYDE",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707582,SOUTH DAKOTA,2017,June,Drought,"HAND",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707583,SOUTH DAKOTA,2017,June,Drought,"BUFFALO",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707584,SOUTH DAKOTA,2017,June,Drought,"LYMAN",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117668,707585,SOUTH DAKOTA,2017,June,Drought,"BROWN",2017-06-06 06:00:00,CST-6,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With an extremely dry May across the region, drought conditions expanded across central and north central South Dakota throughout the month from abnormally dry to moderately dry by the end of the month. As the lack of rain continued, the drought then became severe in the first week of June across much of north central South Dakota expanding south into parts of central South Dakota by the third week of June. Intensification to extreme for parts of north central South Dakota also occurred by the third week of June and continued through the end of the month. Precipitation since the start of the year was from 3.5 to 4.5 inches below normal. The drought expanded and intensified even more across the region throughout July.||Many locations had their top ten warmest first half of June which only exacerbated the stress on the crops and pastures. Topsoil and subsoil moisture slowly declined throughout the month. There were some rains during the month but were too late for substantial recovery in pastures and hay land. To make matters worse, areas of rare frost developed across parts of north central South Dakota on June 25th and 26th, particularly in low-lying areas. Already severely stressed crops, were damaged even more.||Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Most of the crops were being rated at poor or very poor. Stream flow conditions were also below normal across most of the region. Stock water supplies were also becoming very low. Cattle were being sold due to the poor grazing conditions along with feed shortages. Some cattle also died to contaminated water supplies. ||Most of the counties across central and north central South Dakota had enacted burn bans due to the very high to extreme fire danger. Many counties issued drought declarations with the Governor declaring a statewide drought emergency. The South Dakota Drought Task force was also activated. CRP lands were opened up for grazing and haying to many farmers and ranchers.","" +117877,708433,SOUTH DAKOTA,2017,June,Hail,"HYDE",2017-06-13 16:23:00,CST-6,2017-06-13 16:23:00,0,0,0,0,,NaN,0.00K,0,44.78,-99.57,44.78,-99.57,"A large upper level low pressure trough lifting northeast over the region along with a surface cold front interacting with a warm and very humid air mass brought severe thunderstorms to the region. During the mid afternoon hours, storms rapidly developed over central and eastern South Dakota, between Pierre and Aberdeen. These storms quickly strengthened and produced large hail, damaging winds, and eventually tornadoes. The storms evolved into mainly a wind and tornado event around 7 pm CDT. Widespread wind damage occurred across northeast South Dakota as the storms formed a line and moved northeast. Many tornadoes occurred across the region, causing EF-0 and EF-1 damage.","Hail broke the windshield on a pickup." +118209,710359,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"LYMAN",2017-06-21 01:16:00,CST-6,2017-06-21 01:16:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-100.04,43.91,-100.04,"A thunderstorm brought winds to over sixty mph to part of Lyman county.","" +117139,705974,OKLAHOMA,2017,June,Thunderstorm Wind,"MUSKOGEE",2017-06-17 08:50:00,CST-6,2017-06-17 09:05:00,0,0,0,0,0.00K,0,0.00K,0,35.489,-95.1233,35.489,-95.1233,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","The Oklahoma Mesonet station near Webbers Falls measured thunderstorm wind gusts above 58 mph for more than 15 minutes. Peak gusts during this period were measured to 67 mph." +116078,697678,COLORADO,2017,June,Hail,"BACA",2017-06-20 16:32:00,MST-7,2017-06-20 16:37:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-102.58,37.1,-102.58,"Severe storms produced hail up to the size of half dollars around Campo and up to the size of golfballs in between Stonington and Walsh.","" +115547,705739,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-14 14:05:00,CST-6,2017-06-14 14:05:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-89.06,44.34,-89.06,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm wind gusts, estimated as high as 70 mph, downed trees in Waupaca." +115547,705741,WISCONSIN,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-14 14:05:00,CST-6,2017-06-14 14:05:00,0,0,0,0,0.00K,0,0.00K,0,44,-88.84,44,-88.84,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed a few trees in Eureka." +115547,705742,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-14 14:10:00,CST-6,2017-06-14 14:10:00,0,0,0,0,150.00K,150000,0.00K,0,44.5,-89.11,44.5,-89.11,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed numerous trees in Iola, including some large trees that were knocked onto houses and power lines." +115547,705744,WISCONSIN,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-14 14:13:00,CST-6,2017-06-14 14:13:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-88.59,43.97,-88.59,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed a few trees around Oshkosh." +119125,720497,FLORIDA,2017,September,Flash Flood,"DUVAL",2017-09-11 04:00:00,EST-5,2017-09-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-81.92,30.2286,-81.92,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Yellow Water Creek was overflowing and cover Normandy Blvd. The road was closed." +119796,718337,CALIFORNIA,2017,September,Wildfire,"S SIERRA FOOTHILLS",2017-09-03 12:10:00,PST-8,2017-09-09 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Two fires started within a short time of each other on the afternoon of September 3, 2017, both in the foothills of the Sierra Nevada. The Mission fire began 2 miles east of North Fork in Madera county and burned 1035 acres and destroyed three residences and damaged 4 other structures before being contained on September 13, 2017. The Peak fire began 9 miles southeast of Mariposa in Mariposa county and burned 680 acres and destroyed 2 structures before being contained on September 9, 2017. The cause of both fires is unknown.","The Peak fire was located 9 miles southeast of Mariposa, in Mariposa county. It burned 680 acres and destroyed 2 structures before being contained on September 9. The cost of containment was $1 million." +119730,720410,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 16:52:00,PST-8,2017-09-03 16:52:00,0,0,0,0,10.00K,10000,0.00K,0,35.3544,-119.2097,35.3544,-119.2097,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported power lines downed across Stockdale Highway west of Rosedale from strong thunderstorm winds." +119125,720508,FLORIDA,2017,September,Flash Flood,"COLUMBIA",2017-09-11 06:30:00,EST-5,2017-09-11 07:35:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-82.63,30.1359,-82.6337,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Flash flooding images were relayed via social media in Lake City city by the public around 7:30 am. At 8:35 am, the 911 County Dispatch in Baker county relayed to NWS Jacksonville that they had received multiple reports of flash flooding in Macclenny and across other more rural areas of the county." +119730,720429,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 17:34:00,PST-8,2017-09-03 17:34:00,0,0,0,0,0.00K,0,0.00K,0,35.2621,-118.9226,35.2632,-118.9213,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported flooding and debris on San Emidio St. in Lamont." +119125,720519,FLORIDA,2017,September,Flash Flood,"ALACHUA",2017-09-11 07:00:00,EST-5,2017-09-11 11:30:00,0,0,0,0,0.00K,0,0.00K,0,29.5896,-82.3885,29.5003,-82.2797,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Flooding rainfall started to impact Gainesville around 8 am when multiple reports of flooded streets were reported to local law enforcement. At 9 am, law enforcement reported NW 34th Street about 1 mile NW of the University of Florida was closed from NW 8th Avenue to Radio Road due to flooding. At 912 am, West University Blvd was closed from 20th Street to 38th Street due to flooding from Hogtown Creek, about 1 mile WNW of the University of Florida. At 913 am, one law enforcement patrol car was lost due to flooding at Hogtown Creek. Another vehicle could not be reached. At 1020 am, Lake Alice was flooding over Museum Road and the road had to be closed. At 1037 am, a road was washed out about 5 miles SSE of Brooker, on 21st Street off of 156th Avenue. At 1202 pm, SE Wacahoota Road collapsed, about 2 miles NW of Micanopy. At 1208 pm, about 4 miles SW of Waldo, water was over the road at Waldo Road and State Road 24. At 1230 pm, Turkey Creek was overflowed and over the bridge on NW Creek Drive, about 4 miles ESE of Alachua." +119125,720547,FLORIDA,2017,September,Tropical Storm,"INLAND DUVAL",2017-09-10 05:21:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources. Tropical storm force wind gusts started to impact Duval County during the morning 9/10, with a gust of 50 mph around 6:21 am at Huguenot Park. At 7 am, a Weatherflow Mesonet station at Buck Island on the St. Johns River measured a sustained winds of 37 mph and a gust to 50 mph. At 9:20 pm, a Mesonet station about 2 miles WNW of Fort Caroline measured sustained winds of 35 mph with a gust to 50 mph. At 10:26 pm, the ASOS at the Jacksonville International Airport near the NWS office measured a 58 mph wind gust. On 9/11 at 1:45 am, The NOS tide gauge at Mayport measured water levels of 2.9 ft to 3 ft above MHHW datum. At 3:23 am, the Mayport ASOS measured a sustained wind of 51 mph (44 kt) and a gust of 74 mph (64 kt). At 3:38 am, the Mayport ASOS measured a sustained wind of 68 mph (59 kt) and a gust of 87 mph (76 kt). This was the highest official recorded wind speed of Irma across the NWS Jacksonville county warning area. At 3:41 am, the ASOS at the Jacksonville International Airport measured sustained winds of 59 mph (51 kt) and a gust of 86 mph (75 kt) within the same potent rain-band that stretched eastward across Mayport. This was the most intense rainfall and wind rain band that impact the area with Irma. At 3:41 am, the Weatherflow sensor at Huguenot Park measured sustained winds of 66 mph and gusts to 85 mph, again under the same rain band. At 3:42 am, multiple trees were blown down outside of the NWS Jacksonville office at the Jacksonville International Airport following the 86 mph wind gust. One tree fell on the NWS office sign and damaged it. At 4:30 am, the roof was blown off of a home in the Sans Souci neighborhood. At 5:45 am, the St. Johns River at Main Street in downtown Jacksonville reported a water level of 4.39 ft NAVD88, which broke the record from Hurricane Dora of 4.12 ft NAVD88 set in 1964. At 8:26 am, the ASOS at Craig Airfield measured a wind gust of 70 mph. At 10:09 am, the ASOS at Naval Air Station (NAS) Jacksonville in Orange Park along the St. Johns River measured a wind gust of 67 mph. At 10:14 am, a peak wind gust of 69 mph was measured at NAS Jacksonville. At 3:59 pm, an evacuee in San Marco along the St. Johns River near downtown Jacksonville reported water rose into his home up to his neck (about 5 ft inundation in his home). Historic record setting flooding of the St. Johns River and tributaries due to combination of elevated water levels from the Nor'easter event, high astronomical tides, river surge and storm rainfall from Irma. The river gauge at the Main Street bridge in downtown Jacksonville surpassed hurricane Dora 1964 record flooding the morning of 9/11 at low tide with a value of over 5 ft datum NAVD88 (Dora record was 4.12 ft NAVDd88 datum). The river at this location crested around 12:30 pm at 5.57 ft NAVD88, which is an all-time record stage. Major flooding impacted the St. Johns River Basin, and about 350 water rescues were conducted in Duval County, especially in the Riverside, San Marco and downtown Jacksonville areas. The St. Johns River at the Buckman Bridge set a record flood stage At 5.63 feet on Sept 11th at 0718 EDT. Major flooding occurred at this level. The Broward River below Biscayne Blvd crested at 4.08 feet on Sept 11th at 0045 EDT. Moderate flooding occurred at this level. Clapboard Creek near Sheffield Road set a record flood stage at 5.31 feet on Sept 11th at 0430 EDT. Major flooding occurred at this level. Dunn Creek at Dunn Creek Road set a record flood stage at 6.38 feet on Sept 11th at 0930 EDT. Major flooding occurred at this level. The St Johns River at the Dames Point Bridge set a record flood stage at 5.05 feet on Sept 11th at 1324 EDT. Major flooding occurred at this level. The Cedar River at San Juan Avenue set a record flood stage at 6.35 feet on Sept 11th at 1230 EDT. Major flooding occurred at this level. Julington creek at Old St Augustine road set a record flood stage at 6.20 feet on Sept 11th at 1030 EDT. Major flooding occurred at this level. The St Johns River at the Main Street Bridge set a record flood stage at 5.57 feet on Sept 11th at 1224 EDT. Major flooding occurred at this level. The St Johns River at Mayport crested at 5.58 feet on Sept 11th at 0254 EDT. Major flooding occurred at this level. The Nassau River near Tisonia sets a record flood stage at 8.18 feet on Sept 11th at 0330 EDT. Major flooding occurred at this level. The Ortega River at Argyle Forest Blvd sets a record flood stage at 12.99 feet on Sept 11th at 1215 EDT. Major flooding occurred at this level. The St Johns River at Buffalo Bluff crested at 3.31 feet on Sept 12th at 2315 EDT. Moderate flooding occurred at this level. Pottsburg creek at Beach Blvd set a record flood stage at 5.84 feet on Sept 11th at 1300 EDT. Major flooding occurred at this level. Pottsburg Creek at Bowden Road set a record flood stage at 10.04 feet on Sept 11th at 0800 EDT. Major flooding occurred at this level. The Trout River at Lem Turner Road crested at 4.16 feet on Sept 11th at 0200 EDT. Moderate flooding occurred at this level. Storm total rainfall included 11.04 inches 10 mile SW of Jacksonville, 11 inches 12 miles SSE of Jacksonville, 9.2 inches at the Jacksonville International Airport, 7.96 inches at Mayport Naval Air Station and 7.08 inches at Jacksonville Naval Air Station." +118353,711224,KANSAS,2017,June,Hail,"STAFFORD",2017-06-15 18:15:00,CST-6,2017-06-15 18:15:00,0,0,0,0,,NaN,,NaN,37.97,-98.6,37.97,-98.6,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118353,711228,KANSAS,2017,June,Hail,"PRATT",2017-06-15 18:45:00,CST-6,2017-06-15 18:45:00,0,0,0,0,,NaN,,NaN,37.75,-98.74,37.75,-98.74,"Surface low pressure located across west central Kansas had a cold front extending southward into portions of western Kansas with a warm front extending eastward into portions of central Kansas. Storms formed along the warm front, with more development along the cold front as the low slowly moved eastward. The system produced numerous reports of severe hail and wind.","" +118355,711251,KANSAS,2017,June,Hail,"EDWARDS",2017-06-17 19:15:00,CST-6,2017-06-17 19:15:00,0,0,0,0,,NaN,,NaN,37.74,-99.39,37.74,-99.39,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118355,711252,KANSAS,2017,June,Hail,"GRAY",2017-06-17 19:15:00,CST-6,2017-06-17 19:15:00,0,0,0,0,,NaN,,NaN,37.71,-100.34,37.71,-100.34,"A broad area of weak low surface pressure extended from the Oklahoma and Texas Panhandles into northeast Kansas, and gradually become displaced southward by the leading edge of a surface high that moved into eastern Colorado. Discreet thunderstorms formed in the warm air near the edge of the cap along the KS/CO line. There were nearly 2000 J/kg CAPE and 40 knots 0-6 bulk shear to work with ahead of the front. Hail, some up to 4 inches was a threat, as well as 70+mph wind speeds for these counties.","" +118357,711279,KANSAS,2017,June,Hail,"SCOTT",2017-06-20 14:02:00,CST-6,2017-06-20 14:02:00,0,0,0,0,,NaN,,NaN,38.64,-101.02,38.64,-101.02,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711301,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:25:00,CST-6,2017-06-20 18:25:00,0,0,0,0,,NaN,,NaN,37.59,-101.36,37.59,-101.36,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","" +118357,711303,KANSAS,2017,June,Hail,"GRANT",2017-06-20 18:25:00,CST-6,2017-06-20 18:25:00,0,0,0,0,,NaN,,NaN,37.58,-101.36,37.58,-101.36,"A surface boundary existed from extreme southeast Colorado to north central Kansas earlier in the day on the 20th. East of this boundary was southerly wind and surface dew points in the mid to upper 60s. Convection developed along the surface boundary in west central and north central Kansas. Any storm that developed became severe with wind and hail and moved south across western Kansas in the early evening. ||This surface boundary set up the chance for late-afternoon storms the next two days as the atmosphere was able to recover each day. Severe wind and hail were reported on all three days.","Broken windows in Ulysses." +116270,699132,MISSISSIPPI,2017,June,Thunderstorm Wind,"CARROLL",2017-06-16 15:05:00,CST-6,2017-06-16 15:05:00,0,0,0,0,7.00K,7000,0.00K,0,33.31,-89.77,33.31,-89.77,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees were blown down near Vaiden." +116270,699135,MISSISSIPPI,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-16 15:20:00,CST-6,2017-06-16 15:20:00,0,0,0,0,8.00K,8000,0.00K,0,33.5253,-89.7181,33.5253,-89.7181,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A few trees were blown down on Sawyer Loop Road." +116270,699138,MISSISSIPPI,2017,June,Thunderstorm Wind,"WEBSTER",2017-06-16 15:19:00,CST-6,2017-06-16 15:29:00,0,0,0,0,8.00K,8000,0.00K,0,33.66,-89.07,33.73,-89.05,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A few trees were blown down on Highway 15. Another tree was blown down on McCarter Road about five miles south of Mantee." +116270,699139,MISSISSIPPI,2017,June,Thunderstorm Wind,"CHOCTAW",2017-06-16 15:45:00,CST-6,2017-06-16 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,33.3628,-89.3132,33.3628,-89.3132,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees were blown down on the Natchez Trace Parkway." +116270,701127,MISSISSIPPI,2017,June,Thunderstorm Wind,"COPIAH",2017-06-16 19:34:00,CST-6,2017-06-16 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,32.042,-90.266,31.742,-90.19,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced damaging wind gusts that blew down trees across eastern Copiah County, including widespread tree damage along MS Highway 27 and MS Highway 28 near Georgetown. A tree was blown down into a power line near Crystal Springs and caught fire." +116270,701106,MISSISSIPPI,2017,June,Thunderstorm Wind,"RANKIN",2017-06-16 19:18:00,CST-6,2017-06-16 19:25:00,0,0,0,0,5.00K,5000,0.00K,0,32.28,-90,32.28,-90,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down around the Brandon, including a tree that fell onto a home in the Crossgates neighborhood." +116270,701397,MISSISSIPPI,2017,June,Thunderstorm Wind,"SIMPSON",2017-06-16 19:45:00,CST-6,2017-06-16 19:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.975,-89.9201,31.975,-89.9201,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees were blown down along Woodrow Barnes Road near D'Lo." +116270,708520,MISSISSIPPI,2017,June,Thunderstorm Wind,"RANKIN",2017-06-17 04:33:00,CST-6,2017-06-17 04:33:00,0,0,0,0,1.00K,1000,0.00K,0,32.1663,-90.1662,32.1663,-90.1662,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Strong winds from a thunderstorm blew a tree down onto a power line along Pine Ridge Road." +118439,711867,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-23 14:11:00,EST-5,2017-06-23 14:11:00,0,0,0,0,1.00K,1000,0.00K,0,40.19,-80.24,40.19,-80.24,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Member of social media reported trees down." +118439,711868,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-23 14:15:00,EST-5,2017-06-23 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,40.13,-80.22,40.13,-80.22,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","National Weather Service survey team reported large branches down on Craft Road." +118439,711932,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 20:33:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2906,-79.3828,40.2924,-79.3654,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that Route 982 at Mission Road was flooded." +118439,711941,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:04:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0324,-79.5772,40.1078,-79.5796,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that Mountainview Drive was flooded. In addition, Jacobs creek in town was out of it's banks and flooding Homestead Ave." +118439,711946,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:12:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1427,-79.5163,40.1469,-79.5431,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","County 911 reported that West Main Street, Liberty Street, and North Geary Street are flooded. Also, there is some residential flooding." +118441,711902,WEST VIRGINIA,2017,June,Flash Flood,"MARSHALL",2017-06-23 19:03:00,EST-5,2017-06-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9082,-80.7536,39.9109,-80.7365,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Emergency manager reported that Grave Creek was out of it's banks." +118441,711907,WEST VIRGINIA,2017,June,Flash Flood,"MARION",2017-06-23 20:27:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.56,-80.18,39.5573,-80.1775,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Local post office reported that Paw Paw Creek is over-running Main Street and Grant Street." +118477,711901,OHIO,2017,June,Flash Flood,"GUERNSEY",2017-06-23 17:28:00,EST-5,2017-06-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9966,-81.4691,40.0171,-81.5007,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Social media reported water over Route 265 in Kipling. In addition, both Interstate 70 eastbound and Interstate 77 northbound were closed due to 2 inches of water covering the interstates." +115559,695419,NEBRASKA,2017,June,Hail,"ADAMS",2017-06-13 17:32:00,CST-6,2017-06-13 17:39:00,0,0,0,0,5.00M,5000000,250.00K,250000,40.4905,-98.6769,40.5134,-98.65,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Hail ranged from quarter to tennis ball size." +118389,711456,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-16 14:28:00,EST-5,2017-06-16 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2816,-79.8093,40.2806,-79.8059,"Yet another day of showers and thunderstorms with heavy rain passed over Allegheny county, Pennsylvania. After 3 prior days of rain, flash flood guidance was less than an inch over the region. Once again, flash flooding was reported over southern parts of the county but flooding was also reported over northern Allegheny county as well. There was also some reports of flooding in Westmoreland, Pennsylvania. A disaster declaration was issued for Port Vue and Glassport.","State official reported that Greenock Buena Vista Road at Henderson Road was flooded with a partial hill collapse." +115559,695421,NEBRASKA,2017,June,Hail,"HALL",2017-06-13 17:38:00,CST-6,2017-06-13 17:52:00,0,0,0,0,10.00M,10000000,250.00K,250000,40.9467,-98.3353,40.8799,-98.328,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Hail ranging from quarter to tennis ball size was reported across much of Grand Island." +115559,704356,NEBRASKA,2017,June,Hail,"ADAMS",2017-06-13 18:15:00,CST-6,2017-06-13 18:35:00,0,0,0,0,2.50M,2500000,250.00K,250000,40.55,-98.51,40.6546,-98.3179,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Hail along and near this path ranged in size from quarters to baseballs. The entire city of Hastings experienced hail ranging in size from quarters to hen eggs, while the largest hail fell to the west-southwest of Hastings to a few miles south of Juniata. The NWS Hastings office located 4 miles north of downtown reported half dollar size hail." +115559,704372,NEBRASKA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 18:46:00,CST-6,2017-06-13 18:46:00,0,0,0,0,5.00K,5000,0.00K,0,40.53,-98.1071,40.53,-98.1071,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts were estimated to be near 70 MPH. A gustnado was also reported in the area." +118393,711460,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MERCER",2017-06-18 14:01:00,EST-5,2017-06-18 14:01:00,0,0,0,0,2.50K,2500,0.00K,0,41.39,-80.22,41.39,-80.22,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down in Perry Township." +118393,711462,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MERCER",2017-06-18 14:02:00,EST-5,2017-06-18 14:02:00,0,0,0,0,1.00K,1000,0.00K,0,41.38,-80.19,41.38,-80.19,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","Broadcast media reported wires down at the intersection of Hadley Road and Plant Road." +118393,711463,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MERCER",2017-06-18 14:09:00,EST-5,2017-06-18 14:09:00,0,0,0,0,2.50K,2500,0.00K,0,41.42,-80.08,41.42,-80.08,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down in New Lebanon." +116173,698285,TENNESSEE,2017,June,Flash Flood,"SUMNER",2017-06-05 00:15:00,CST-6,2017-06-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6087,-86.5577,36.4887,-86.5015,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Sumner County Sheriffs Office reported heavy rain caused flash flooding in parts of northern Sumner County with many roads flooded and closed. Several roads were flooded in Portland including Cora Street. Other roads that were flooded and closed included Dry Fork Creek at Dry Fork Road, and Old Gallatin Road." +116173,698291,TENNESSEE,2017,June,Flash Flood,"MONTGOMERY",2017-06-04 23:50:00,CST-6,2017-06-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6401,-87.4618,36.6412,-87.2816,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Montgomery County Sheriffs Office reported heavy rain caused flash flooding in parts of Clarksville with several roads flooded and closed. Roads that were flooded included University Street at Franklin Street, Power Street at Providence Blvd., the 3800 Block of Marla Circle, I-24 near the state line, Eva Drive at Highway 41, and Frosty Morn Drive at Kraft Street." +116173,698306,TENNESSEE,2017,June,Flood,"SUMNER",2017-06-05 06:15:00,CST-6,2017-06-05 11:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.6081,-86.5421,36.5996,-86.3876,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Numerous tSpotter Twitter and Facebook reports, photos and videos showed minor flooding across parts of Sumner County due to the earlier heavy rainfall. One video showed West Fork Drakes Creek covering Butler Bridge Road. Another video showed water flowing over Madison Creek Road in Goodlettsville with a stranded vehicle in the flood waters. Other videos and photos showed minor street flooding in Hendersonville on Drakes Creek Road, and on Lower Station Camp Creek Road where Station Camp Creek was out of its banks. Several yards were also flooded due to the earlier heavy rainfall." +116173,698312,TENNESSEE,2017,June,Flash Flood,"FENTRESS",2017-06-05 05:15:00,CST-6,2017-06-05 07:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.4245,-85.0242,36.3967,-84.9367,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Three to four inches of total rainfall across northern and middle Fentress County resulted in some flash flooding with minor mud slides on secondary roads. Several trees and power lines were also knocked down due to the heavy rain." +116173,698318,TENNESSEE,2017,June,Heavy Rain,"MACON",2017-06-04 16:50:00,CST-6,2017-06-05 16:50:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-86.03,36.57,-86.03,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Public measured a 24 hour rainfall total of 6.6 inches." +118207,714517,WISCONSIN,2017,July,Flood,"TREMPEALEAU",2017-07-20 01:10:00,CST-6,2017-07-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1341,-91.5568,44.1335,-91.5579,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rain pushed the Trempealeau River out of its banks in Dodge. The river crested over three feet above the flood stage at 12.19 feet." +117779,708104,MINNESOTA,2017,August,Tornado,"SCOTT",2017-08-16 18:46:00,CST-6,2017-08-16 18:49:00,0,0,0,0,0.00K,0,0.00K,0,44.7246,-93.4707,44.7375,-93.4847,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A tornado developed near the intersection of 145th Street NW and Mystic Lake Drive. It tracked 1.2 miles northwest. Fencing and tents were blown over, trees were uprooted, and a fish house was spun around. The maximum estimated wind speed was 70 mph." +117162,704793,GEORGIA,2017,June,Thunderstorm Wind,"CLAYTON",2017-06-23 20:05:00,EST-5,2017-06-23 20:20:00,0,0,0,0,10.00K,10000,,NaN,33.5484,-84.4219,33.5864,-84.3601,"A very moist and moderately unstable air mass remained in place across the southeastern U.S. and combined with strong daytime heating to produce widespread afternoon and evening thunderstorms across north and central Georgia. The influence from the remains of tropical storm Cindy helped to produce numerous severe thunderstorms.","The local electric utility company reported scattered power lines blown down from south of Riverdale to Morrow. Locations include Lyle Drive, Martha Drive and Brian Lane, and Castleton Lane." +117386,705933,KANSAS,2017,June,Thunderstorm Wind,"GREELEY",2017-06-22 17:15:00,MST-7,2017-06-22 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.4477,-101.7384,38.4477,-101.7384,"During the evening a severe thunderstorm produced wind gusts up to 60 MPH across Greeley and Wichita counties. The strongest gust was reported at Tribune.","" +117751,707977,MICHIGAN,2017,June,Thunderstorm Wind,"MONROE",2017-06-22 18:10:00,EST-5,2017-06-22 18:10:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-83.7,42.03,-83.7,"Warm, moist tropical air during the day on Thursday helped to spark severe storms that began to develop during the late afternoon hours. These storms continued through the evening before the severe threat switched over to a flooding threat during the overnight hours. Heavy rain continued to fall across much of the area throughout the overnight as a cold front pushed eastward. Numerous trees and power lines were reported down south of M-59 while northwest/northern areas dealt with significant flooding. Over 6 inches of rain fell across the Tri-Cities region. June monthly rainfall total at Saginaw ended up being 10.76 inches, the most on record for June.","Large tree limbs reported down." +117606,708627,TEXAS,2017,June,Flash Flood,"WICHITA",2017-06-02 07:15:00,CST-6,2017-06-02 10:15:00,0,0,0,0,0.00K,0,0.00K,0,34.1078,-98.9091,34.1067,-98.9516,"An area of thunderstorms formed in the early morning in central Texas, then expanded into southwest Oklahoma early on the 2nd. With high rain rates, these storms produced flash flooding.","State highway 240 from Haynesville to 2 miles west of Haynesville and state highway 25 near and north of Haynesville were both closed due to flooding." +117597,707209,ARIZONA,2017,July,Thunderstorm Wind,"MOHAVE",2017-07-08 19:45:00,MST-7,2017-07-08 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,34.5004,-114.3062,34.4517,-114.3749,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Several trees were blown down, at least two roofs and awnings were damaged, a large sign was knocked down, one boat was sunk, and four others had to be towed to shore." +118393,711501,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-18 14:45:00,EST-5,2017-06-18 14:45:00,0,0,0,0,2.50K,2500,0.00K,0,41.07,-80.01,41.07,-80.01,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported trees down near Slippery Rock." +118420,711725,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-22 18:00:00,EST-5,2017-06-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6254,-79.3416,40.6248,-79.3447,"Showers and thunderstorms developed along a warm front across northern Pennsylvania in the afternoon and evening of the 22nd. With a tropical air mass in place, rainfall became very efficient especially over southern Armstrong and central Indiana counties in Pennsylvania. A nearly stationary set of storms produced 4-6 inches of rain across the area, with focus over Shelocta, in Indiana county. Several feet of rushing water over 422 lead to several water rescues as individuals were trapped in their vehicles. In addition, rail cars were swept off the tracks. Roadways remained closed through the morning of the 23rd, before yet another round of rain would fall. This event was estimated to be a 200-year flood, though this is unofficial at this time.","Local 911 reported a water rescue on Haggerty Lane." +115640,695219,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CENTRE",2017-06-18 18:00:00,EST-5,2017-06-18 18:00:00,0,0,0,0,3.00K,3000,0.00K,0,41.0172,-77.656,41.0172,-77.656,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto a house and took the roof off of a little league dugout behind the house on Main Street in Howard." +115640,695220,PENNSYLVANIA,2017,June,Thunderstorm Wind,"HUNTINGDON",2017-06-18 18:30:00,EST-5,2017-06-18 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.6792,-77.7828,40.6792,-77.7828,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in the Alan Seeger Natural Area, including one tree across a road." +115640,695192,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WARREN",2017-06-18 15:07:00,EST-5,2017-06-18 15:07:00,0,0,0,0,3.00K,3000,0.00K,0,41.9224,-79.1496,41.9224,-79.1496,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Russell." +115640,695193,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WARREN",2017-06-18 15:20:00,EST-5,2017-06-18 15:20:00,0,0,0,0,3.00K,3000,0.00K,0,41.7834,-79.098,41.7834,-79.098,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Clarendon." +115640,695199,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 15:59:00,EST-5,2017-06-18 15:59:00,0,0,0,0,3.00K,3000,0.00K,0,41.9421,-78.5325,41.9421,-78.5325,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near the Old Bradford Speedway." +115640,695200,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MCKEAN",2017-06-18 16:01:00,EST-5,2017-06-18 16:01:00,0,0,0,0,3.00K,3000,0.00K,0,41.9197,-78.5425,41.9197,-78.5425,"Several lines of showers and thunderstorms developed ahead of an approaching cold front during the afternoon and evening of June 18, 2017. Several reports of wind damage were received, primarily from northwestern PA, along with one hail report from a cell that developed ahead of the first line of storms.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Summit Road north of Rew." +115899,696456,NEW MEXICO,2017,June,Hail,"LOS ALAMOS",2017-06-25 14:30:00,MST-7,2017-06-25 14:33:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-106.31,35.89,-106.31,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of half dollars in Los Alamos." +115899,696457,NEW MEXICO,2017,June,Hail,"LOS ALAMOS",2017-06-25 14:32:00,MST-7,2017-06-25 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-106.31,35.89,-106.31,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of nickels in Los Alamos." +115516,693559,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"OGLALA LAKOTA",2017-06-12 18:15:00,MST-7,2017-06-12 18:15:00,0,0,0,0,,NaN,0.00K,0,43.18,-102.9981,43.18,-102.9981,"A severe thunderstorm tracked northeastward across eastern Fall River County and western Oglala Lakota County. Large hail and gusty winds accompanied the storm in some areas.","The spotter estimated wind gusts at 60 mph." +115516,693560,SOUTH DAKOTA,2017,June,Hail,"FALL RIVER",2017-06-12 18:10:00,MST-7,2017-06-12 18:10:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-103.04,43.15,-103.04,"A severe thunderstorm tracked northeastward across eastern Fall River County and western Oglala Lakota County. Large hail and gusty winds accompanied the storm in some areas.","" +115516,693561,SOUTH DAKOTA,2017,June,Hail,"FALL RIVER",2017-06-12 18:43:00,MST-7,2017-06-12 18:43:00,0,0,0,0,0.00K,0,0.00K,0,43.32,-103.07,43.32,-103.07,"A severe thunderstorm tracked northeastward across eastern Fall River County and western Oglala Lakota County. Large hail and gusty winds accompanied the storm in some areas.","" +115518,693563,SOUTH DAKOTA,2017,June,Hail,"OGLALA LAKOTA",2017-06-12 19:44:00,MST-7,2017-06-12 19:44:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-102.71,43.52,-102.71,"A cluster of severe thunderstorms moved northeast across southwestern into south central South Dakota. The storms produced large hail and wind gusts to 70 mph.","" +115518,693564,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"OGLALA LAKOTA",2017-06-12 20:10:00,MST-7,2017-06-12 20:10:00,0,0,0,0,,NaN,0.00K,0,43.3995,-102.2082,43.3995,-102.2082,"A cluster of severe thunderstorms moved northeast across southwestern into south central South Dakota. The storms produced large hail and wind gusts to 70 mph.","The public estimated wind gusts at 70 mph." +115518,693565,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"OGLALA LAKOTA",2017-06-12 20:20:00,MST-7,2017-06-12 20:20:00,0,0,0,0,,NaN,0.00K,0,43.42,-102.13,43.42,-102.13,"A cluster of severe thunderstorms moved northeast across southwestern into south central South Dakota. The storms produced large hail and wind gusts to 70 mph.","Wind gusts were estimated at 65 mph." +115518,693567,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JACKSON",2017-06-12 21:10:00,MST-7,2017-06-12 21:10:00,0,0,0,0,,NaN,0.00K,0,43.8501,-101.4543,43.8501,-101.4543,"A cluster of severe thunderstorms moved northeast across southwestern into south central South Dakota. The storms produced large hail and wind gusts to 70 mph.","A tractor-trailer was blown over on its side on Interstate 90 east of Kadoka." +115524,693569,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"FALL RIVER",2017-06-12 21:58:00,MST-7,2017-06-12 21:58:00,0,0,0,0,0.00K,0,0.00K,0,43.1517,-103.6425,43.1517,-103.6425,"A severe thunderstorm tracked northeast from northwestern Nebraska across portions of southwestern South Dakota. The storm produced strong wind gusts and small hail.","Wind gusts were estimated at 60 mph." +115525,693574,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BENNETT",2017-06-12 22:35:00,MST-7,2017-06-12 22:35:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-101.5,43.15,-101.5,"A long-lived supercell thunderstorm tracked from Nebraska across eastern Bennett County before finally weakening. The storm produced large hail and strong wind gusts in the Tuthill area.","Wind gusts were estimated at 60 mph." +116118,698408,WYOMING,2017,June,Hail,"BIG HORN",2017-06-12 15:00:00,MST-7,2017-06-12 15:05:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-107.97,44.27,-107.97,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The Big Horn County sheriff reported hail from the size of nickels up to the size of Ping Pong balls." +116118,698419,WYOMING,2017,June,Tornado,"NATRONA",2017-06-12 17:36:00,MST-7,2017-06-12 17:37:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-106.39,42.931,-106.39,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The Natrona County emergency manager reported a brief tornado touchdown to the west of Bar Nunn. The tornado remained over open country and did little damage." +116118,698417,WYOMING,2017,June,Tornado,"BIG HORN",2017-06-12 17:14:00,MST-7,2017-06-12 17:23:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-108.42,44.21,-108.45,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A supercell thunderstorm dropped a weak rope tornado that moved slowly northward in southern Big Horn County and skipped along around a 3 mile path. The tornado remained over open country and caused no damage." +115978,697053,SOUTH DAKOTA,2017,June,Hail,"PENNINGTON",2017-06-28 16:25:00,MST-7,2017-06-28 16:25:00,0,0,0,0,,NaN,0.00K,0,43.9395,-103.3884,43.9395,-103.3884,"A thunderstorm became severe across the central Black Hills and tracked east onto the adjacent plains before weakening. The storm produced hail to golf ball size from Sheridan Lake to east of Hermosa.","" +116354,699772,VERMONT,2017,June,Flash Flood,"LAMOILLE",2017-06-29 22:30:00,EST-5,2017-06-30 00:30:00,0,0,0,0,20.00K,20000,0.00K,0,44.6206,-72.8294,44.462,-72.7824,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern Vermont from Chittenden County into Lamoille and Washington Counties. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Heavy rainfall caused flash flooding in the headwaters of the Little River in western Lamoille County. The West Branch of the Little River flooded parkland in Stowe, and an outbuilding in Smugglers Notch State Park was destroyed by flash flooding." +116354,699774,VERMONT,2017,June,Flood,"WASHINGTON",2017-06-30 05:00:00,EST-5,2017-06-30 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.2738,-72.6539,44.2535,-72.6049,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern Vermont from Chittenden County into Lamoille and Washington Counties. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Heavy rainfall produced flooding on Lower Sunnybrook Road, which became impassable due to floodwaters." +116353,699673,NEW YORK,2017,June,Flash Flood,"FRANKLIN",2017-06-29 21:15:00,EST-5,2017-06-29 23:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.8898,-74.3268,44.8712,-74.1614,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern New York. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Flash flooding from heavy rainfall flooded County Route 25 near Malone NY." +116353,699769,NEW YORK,2017,June,Flash Flood,"CLINTON",2017-06-29 21:35:00,EST-5,2017-06-30 00:30:00,0,0,0,0,10.00K,10000,0.00K,0,44.8039,-73.9907,44.6519,-73.3998,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern New York. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","Sunset Road in Lyon Mountain village was washed out by Brandy Brook, and Route 9 in Peru was inundated by floodwaters." +116353,699770,NEW YORK,2017,June,Flood,"CLINTON",2017-06-30 02:30:00,EST-5,2017-06-30 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.7286,-73.9506,44.4891,-73.9075,"A band of showers and thunderstorms developed in an east-west oriented line in the late afternoon and overnight hours across northern New York. Rainfall amounts of two to three inches in just a few hours on saturated soils from previous June rainfall caused flash flooding.","High water from earlier flash flooding remained, and the upper reaches of the Saranac River flooded low lying areas. River Road in Black Brook and Bowen Road in Saranac were inundated by Saranac River floodwaters." +115639,694872,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CENTRE",2017-06-16 17:21:00,EST-5,2017-06-16 17:21:00,0,0,0,0,1.00K,1000,0.00K,0,40.79,-78.02,40.79,-78.02,"Scattered showers and thunderstorms developed in a warm and very humid airmass across central Pennsylvania during the evenings of June 15th and 16th, 2017. The primary threat was heavy rain, but an isolated wind damage report was received from Centre County. A few flash floods were reported. For the second evening in a row, Johnstown had intense downpours (1.16/15 min) that brought flash flooding.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Buffalo Run Road near Stormstown." +116476,700482,ARKANSAS,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-23 14:50:00,CST-6,2017-06-23 15:00:00,0,0,0,0,30.00K,30000,0.00K,0,36.2379,-91.2645,36.2318,-91.2411,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Tree down on a house." +116476,700483,ARKANSAS,2017,June,Thunderstorm Wind,"RANDOLPH",2017-06-23 14:54:00,CST-6,2017-06-23 15:05:00,0,0,0,0,2.00K,2000,0.00K,0,36.2814,-90.996,36.2796,-90.9865,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Large tree down near the First Baptist Church on North Thomasville Road." +116476,700484,ARKANSAS,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-23 15:10:00,CST-6,2017-06-23 15:20:00,0,0,0,0,75.00K,75000,0.00K,0,36.0414,-91.1618,36.0419,-90.8789,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Many trees and power-lines down across Lawrence county. One tree blocking the railroad." +116476,700485,ARKANSAS,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-23 15:15:00,CST-6,2017-06-23 15:25:00,0,0,0,0,2.00K,2000,0.00K,0,36.0608,-90.9572,36.0553,-90.9256,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Large tree down near the Lawrence County Seed Company." +116476,700486,ARKANSAS,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-23 15:20:00,CST-6,2017-06-23 15:25:00,0,0,0,0,50.00K,50000,0.00K,0,35.8949,-91.0955,35.8928,-91.0768,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","A large grain bin was toppled and destroyed." +116476,700487,ARKANSAS,2017,June,Thunderstorm Wind,"CRAIGHEAD",2017-06-23 15:48:00,CST-6,2017-06-23 15:55:00,0,0,0,0,20.00K,20000,0.00K,0,35.795,-90.7677,35.7856,-90.64,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Trees down in South Jonesboro." +116476,700488,ARKANSAS,2017,June,Thunderstorm Wind,"POINSETT",2017-06-23 15:53:00,CST-6,2017-06-23 16:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.6534,-90.48,35.6731,-90.5316,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Large tree down in the community of Maple Grove." +115871,696670,NEW MEXICO,2017,June,Heat,"WEST CENTRAL PLATEAU",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the West Central Plateau ranged from 95 to 100 degrees on four consecutive days. Record high temperatures were set at Gallup." +115871,696671,NEW MEXICO,2017,June,Heat,"WEST CENTRAL HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the West Central Highlands ranged from 95 to 100 degrees on four consecutive days. Record high temperatures were set at Grants." +116799,708689,OREGON,2017,June,Flash Flood,"UMATILLA",2017-06-26 16:01:00,PST-8,2017-06-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,45.7,-118.83,45.6925,-118.8593,"A disturbance, associated with subtropical moisture, caused thunderstorms producing large hail and severe wind gusts over portions of eastern Oregon and southeastern Washington. Also locally heavy rain and local flooding occurred with some storms.","In Pendleton, the heavy rain cause several small debris flows along Airport Road and several intersections were flooding with water about 5 to 6 inches deep. Rainfall amounts include 1.54 inches of rain at the NWS office at the Pendleton Airport, with 0.88 inch falling in 30 minutes." +116879,702698,NORTH CAROLINA,2017,June,Tornado,"PITT",2017-06-05 18:25:00,EST-5,2017-06-05 18:26:00,0,0,0,0,,NaN,,NaN,35.766,-77.33,35.77,-77.33,"An EF1 tornado touched down near the intersection of Whitehurst Station Road and Highway 30, where it produced significant damage to one older building and uprooted and snapped hardwood trees. The tornado crossed Highway 30 and caused significant damage to a wood shop storage building and knocked down powerlines, while debris caused damage to two residential homes. The tornado moved across a crop field where it lifted multiple times before moving into field of trees where additional trees were knocked down and blocked the train tracks.","An EF1 tornado touched down near the intersection of Whitehurst Station Road and Highway 30, where it produced significant damage to one older building and uprooted and snapped hardwood trees. The tornado crossed Highway 30 and caused significant damage to a wood shop storage building and knocked down powerlines, while debris caused damage to two residential homes. The tornado moved across a crop field where it lifted multiple times before moving into field of trees where additional trees were knocked down and blocked the train tracks." +116880,702700,NORTH CAROLINA,2017,June,Flood,"LENOIR",2017-06-24 19:40:00,EST-5,2017-06-24 19:40:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-77.59,35.2667,-77.6047,"A thunderstorm became severe and produced some wind damage across Craven County. Another storm produced some flooding in the Kinston area.","Several roads in Kinston were closed due to deep water on the road." +116880,702701,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CRAVEN",2017-06-24 14:23:00,EST-5,2017-06-24 14:23:00,0,0,0,0,,NaN,,NaN,35.21,-77.06,35.21,-77.06,"A thunderstorm became severe and produced some wind damage across Craven County. Another storm produced some flooding in the Kinston area.","Craven county DOT reported trees down across the county between Bridgeton and Vanceboro. The time was estimated on radar." +116880,702702,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CRAVEN",2017-06-24 17:00:00,EST-5,2017-06-24 17:00:00,0,0,0,0,,NaN,,NaN,35.26,-77.1,35.26,-77.1,"A thunderstorm became severe and produced some wind damage across Craven County. Another storm produced some flooding in the Kinston area.","A tree was blown down on the 2500 block of Old Brick Rd. The time was estimated by radar." +116880,702703,NORTH CAROLINA,2017,June,Thunderstorm Wind,"CRAVEN",2017-06-24 19:35:00,EST-5,2017-06-24 19:35:00,0,0,0,0,,NaN,,NaN,34.89,-76.93,34.89,-76.93,"A thunderstorm became severe and produced some wind damage across Craven County. Another storm produced some flooding in the Kinston area.","A large tree branch fell on power lines on Greenfield Heights Boulevard and caught fire." +115743,696715,OHIO,2017,June,Flash Flood,"VINTON",2017-06-23 17:06:00,EST-5,2017-06-24 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.3742,-82.3038,39.3392,-82.7227,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Three to five inches of rain fell across much of Vinton County. This resulted in widespread flooding of creeks and streams throughout the county. Some of the first flooding occurred near Allensville, where the feeder streams into the Middle Fork River flooded shortly after 5 PM EST. Many roads were flooded throughout during the evening and overnight. This included portions of State Routes 56, 95, 278, 328, 671. US Route 50 near Ratcliffburg was also closed." +115744,695688,WEST VIRGINIA,2017,June,Flash Flood,"WOOD",2017-06-23 17:43:00,EST-5,2017-06-23 19:43:00,0,0,0,0,1.00K,1000,0.00K,0,39.2906,-81.5414,39.2958,-81.5433,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","High water closed portions of Parkview Drive and College Parkway, this a low spot that is prone to ponding water during heavy rain." +113493,679395,NEW YORK,2017,March,High Wind,"WESTERN RENSSELAER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679398,NEW YORK,2017,March,High Wind,"SOUTHEAST WARREN",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679387,NEW YORK,2017,March,Strong Wind,"NORTHERN WASHINGTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +113493,679388,NEW YORK,2017,March,High Wind,"NORTHERN SARATOGA",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +114465,687095,VIRGINIA,2017,April,Flash Flood,"SMYTH",2017-04-23 19:40:00,EST-5,2017-04-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-81.54,36.8247,-81.4973,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","In the midst of ongoing longer-term flooding several additional roads were closed in the Chilhowie to Marion corridor after higher rainfall rates, up to 0.75 to 1.25 inches per hour moved across the area. Roads closed included Carlock Road north of Chilhowie, Fox Valley Road, Porter Valley Road, Old Lake Road and Scratch Gravel Road. This additional rainfall aggravated the ongoing flooding from several days of rain." +119753,723472,TEXAS,2017,August,Tropical Storm,"MONTGOMERY",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,3,1,7.00B,7000000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tropical Storm Harvey brought heavy rains and catastrophic flooding to portions of Montgomery County. There were 4 storm related fatalities, 3 direct. Record pool elevations at Lake Conroe led to record releases. Major record flooding occurred along the San Jacinto River and tributaries." +117327,705658,OHIO,2017,June,Hail,"VAN WERT",2017-06-05 14:15:00,EST-5,2017-06-05 14:16:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-84.73,40.95,-84.73,"A cold front, accompanied by a pocket of cold air aloft, resulted in widely scattered thunderstorms. One of the storms in Van Wert county, produced sporadic severe weather.","" +117327,705659,OHIO,2017,June,Hail,"VAN WERT",2017-06-05 14:32:00,EST-5,2017-06-05 14:33:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-84.75,40.82,-84.75,"A cold front, accompanied by a pocket of cold air aloft, resulted in widely scattered thunderstorms. One of the storms in Van Wert county, produced sporadic severe weather.","" +117327,705660,OHIO,2017,June,Thunderstorm Wind,"VAN WERT",2017-06-05 14:40:00,EST-5,2017-06-05 14:41:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-84.72,40.75,-84.72,"A cold front, accompanied by a pocket of cold air aloft, resulted in widely scattered thunderstorms. One of the storms in Van Wert county, produced sporadic severe weather.","Emergency management officials reported telephone poles snapped, with lines down." +117327,705661,OHIO,2017,June,Thunderstorm Wind,"VAN WERT",2017-06-05 14:50:00,EST-5,2017-06-05 14:51:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-84.73,40.82,-84.73,"A cold front, accompanied by a pocket of cold air aloft, resulted in widely scattered thunderstorms. One of the storms in Van Wert county, produced sporadic severe weather.","A trained spotter reported a tree limb was blown down." +117327,705663,OHIO,2017,June,Thunderstorm Wind,"VAN WERT",2017-06-05 14:30:00,EST-5,2017-06-05 14:31:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-84.75,40.83,-84.75,"A cold front, accompanied by a pocket of cold air aloft, resulted in widely scattered thunderstorms. One of the storms in Van Wert county, produced sporadic severe weather.","A trained spotter measured wind gusts to 60 mph." +116487,700552,IDAHO,2017,June,Flood,"LEMHI",2017-06-01 00:00:00,MST-7,2017-06-10 00:00:00,0,0,0,0,10.00K,10000,10.00K,10000,45.1322,-113.9214,45.0612,-113.9303,"Warmer than normal temperatures caused rapid snow melt and lead to a prolonged period of flooding on the Salmon River. The Salmon river started rising to action and minor flood levels in May, and continued to rise and reach moderate flood stage in the month of June, which is when the greater impacts occurred.","The USGS river gauge Salmon River at Salmon reported possible minor flooding (stage height of 7.5-8.5) on May 31st. The river continued to rise and reached moderate flood stage (stage height of 8.5-9.5) from June 2nd through June 10th. Multiple roads in the area lost shoulders due to the water level coming right up to road surfaces. A few acres of farmland along the river were flooded for about a week. Additionally, the park near the bridge in Salmon, ID saw water reach the bottom of structures." +116510,700654,MONTANA,2017,June,Hail,"FLATHEAD",2017-06-08 16:39:00,MST-7,2017-06-08 16:49:00,0,0,0,0,30.00K,30000,,NaN,48.2258,-114.1284,48.2258,-114.1284,"One strong thunderstorm quickly developed over the span of 15 minutes in the Lake Blaine Rd. area of the Flathead Valley. This storm produced hailstones with a diameter of at least 1.5 inches, which damaged vehicles in the area.","The public sent a photo in to local media showing hails stones up to approximately 1.5 inches in diameter. Photos of hail damage to cars in the vicinity also came across social media feeds." +117449,706349,ALABAMA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 14:08:00,CST-6,2017-06-15 14:09:00,0,0,0,0,0.00K,0,0.00K,0,33.57,-86.9,33.57,-86.9,"Thunderstorms developed along a large and progressive outflow boundary that tracked southeast across all of central Alabama during the afternoon and early evening hours. The thunderstorms produced widespread wind damage.","Several trees uprooted and power lines downed in the city of Forestdale." +117277,705369,MICHIGAN,2017,June,Flood,"ISABELLA",2017-06-23 01:00:00,EST-5,2017-06-24 12:00:00,0,0,0,0,70.00M,70000000,21.00M,21000000,43.53,-84.85,43.5249,-84.5975,"Several rounds of torrential rainfall resulted in major flooding in portions of Isabella county, where some locations received close to seven inches of rain. The flooding resulted in over 90 million dollars worth of damage to homes, roads and bridges in Isabella county. At one point over 100 roads were closed due to flooding. Over 20 million dollars worth of damage to crops was incurred.","The Isabella County Road Commission reported that at one point over 100 roads across portions of Isabella county in and around Mount Pleasant were closed due to flooding. A mesonet station near Mt. Pleasant reported that 6.88 inches of rain fell from June 22nd into the early morning hours of June 23rd. The flooding resulted in over 90 million dollars worth of property damage. Numerous homes sustained flooding damage and the United States Department of Agriculture estimated that 21 million dollars worth of crop damage was incurred. A state of emergency was declared for Isabella county." +117470,707678,ARKANSAS,2017,June,Thunderstorm Wind,"VAN BUREN",2017-06-23 14:31:00,CST-6,2017-06-23 14:31:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-92.61,35.53,-92.61,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Trees were likely blown down." +117470,707679,ARKANSAS,2017,June,Thunderstorm Wind,"INDEPENDENCE",2017-06-23 14:52:00,CST-6,2017-06-23 14:52:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-91.44,35.7,-91.44,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Numerous trees were reported blown down in Newark." +114222,685716,MISSOURI,2017,March,Thunderstorm Wind,"PLATTE",2017-03-06 19:32:00,CST-6,2017-03-06 19:35:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.66,39.25,-94.66,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An estimated 60 mph wind gust occurred near Platte Woods." +114222,685732,MISSOURI,2017,March,Thunderstorm Wind,"CLINTON",2017-03-06 19:43:00,CST-6,2017-03-06 19:46:00,0,0,0,0,,NaN,,NaN,39.54,-94.33,39.54,-94.33,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Power lines down on HWY 33 just south of Lathrop." +117541,710167,NEBRASKA,2017,June,Tornado,"SHERIDAN",2017-06-12 19:40:00,MST-7,2017-06-12 19:45:00,0,0,0,0,21.00K,21000,0.00K,0,42.13,-102.62,42.13,-102.62,"A closed upper low across the central Rockies, combined with a stationary front draped across the area, brought a round of strong to severe thunderstorms across northwest Nebraska.","Witnesses describe a tornado touching down and destroying mainly cottonwood trees in wind breaks. The path was not continuous. The tornado lifted and then continued to the northeast, hitting a homestead, damaging old outbuildings and snapping or pushing over 30 wooden power poles. Final damage point from Antioch tornado." +117550,706953,ARIZONA,2017,June,Wildfire,"EASTERN MOGOLLON RIM",2017-06-01 00:00:00,MST-7,2017-06-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Snake Ridge Fire was started by lightning on Friday May 19th, 2017 about nine miles northwest of Clints Well, and 10 miles southwest of Happy Jack, Arizona. This natural fire was allowed it to fulfill its role and move across the landscape consuming dead and downed wood, pine needles and forest fuels. The final size by July 5th was 15,333 Acres.","The Snake Ridge Fire burned 15,333 acres in dead and down wood, pine needles and forest fuels." +114447,686332,CONNECTICUT,2017,March,Blizzard,"SOUTHERN LITCHFIELD",2017-03-14 00:30:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 and 15, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Storm total reports of 16 to 20 inches were received. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. The governor issued a statewide travel ban on state roads. In addition to the snowfall, gusty winds up to 50 mph resulted in near-zero visibility and blizzard conditions across the county. The winds brought considerable blowing and drifting of snow.","" +115223,691808,OHIO,2017,April,Hail,"SUMMIT",2017-04-19 17:28:00,EST-5,2017-04-19 17:28:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-81.43,41.25,-81.43,"Showers and thunderstorms developed in advance of a cold front. A couple of the thunderstorms became severe.","Penny sized hail was observed." +114447,686331,CONNECTICUT,2017,March,Blizzard,"NORTHERN LITCHFIELD",2017-03-14 00:30:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 and 15, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Storm total reports of 16 to 20 inches were received. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. The governor issued a statewide travel ban on state roads. In addition to the snowfall, gusty winds up to 50 mph resulted in near-zero visibility and blizzard conditions across the county. The winds brought considerable blowing and drifting of snow.","" +119389,716563,ILLINOIS,2017,June,Hail,"WILL",2017-06-13 14:50:00,CST-6,2017-06-13 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.6579,-88.2,41.6579,-88.2,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Dime to nickel size hail was reported 4 miles north of Plainfield." +119389,716566,ILLINOIS,2017,June,Hail,"WILL",2017-06-13 15:00:00,CST-6,2017-06-13 15:01:00,0,0,0,0,0.00K,0,0.00K,0,41.629,-88.2,41.629,-88.2,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Quarter size hail was reported 2 miles north of Plainfield." +119389,716569,ILLINOIS,2017,June,Heavy Rain,"DU PAGE",2017-06-13 14:30:00,CST-6,2017-06-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-88.23,41.73,-88.23,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Heavy rainfall of 1.68 inches was reported in just 30 minutes, 4 miles southeast of Aurora." +114453,686283,NEW YORK,2017,March,Winter Weather,"HAMILTON",2017-03-31 03:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow, sleet, and freezing rain. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 4 to 8 inches, with up to a tenth of an inch of ice.","" +114453,686285,NEW YORK,2017,March,Winter Weather,"NORTHERN WARREN",2017-03-31 03:00:00,EST-5,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system over Ohio moved eastward on March 31 and intensified as a coastal storm on April 1. This system transported a good deal of moisture northward, resulting in a wintry mixture of snow, sleet, and freezing rain. The precipitation was moderate to heavy at times during the afternoon and evening of March 31, and lingered into the early afternoon hours of April 1. Storm total reports of snow and sleet ranged from mainly 4 to 8 inches, with up to a tenth of an inch of ice.","" +116419,706968,CALIFORNIA,2017,June,Debris Flow,"EL DORADO",2017-06-08 14:00:00,PST-8,2017-06-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-120.4,38.7776,-120.2976,"A cold low from western Canada brought wintry storm conditions to the mountains, as well as hail and funnel clouds to the foothills and Central Valley. Additional rain also caused mudslides in already saturated mountain locations.","Heavy rain on already saturated ground brought down debris onto the westbound lane of Highway 50 at Alder Creek, a rural location between White Hall and Kyburz. The westbound lane of Highway 50 was blocked for about 2 days before the debris was cleared by Caltrans." +117657,707497,NEBRASKA,2017,June,Hail,"HITCHCOCK",2017-06-26 15:00:00,CST-6,2017-06-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-101.23,40.15,-101.23,"Hail up to nickel size was reported at Stratton from a strong thunderstorm.","Estimated wind gusts of 30-40 MPH occurred with the hail." +117658,707502,KANSAS,2017,June,Thunderstorm Wind,"THOMAS",2017-06-27 21:10:00,CST-6,2017-06-27 21:10:00,0,0,0,0,0.00K,0,0.00K,0,39.2705,-101.0746,39.2705,-101.0746,"During the evening an eastward moving thunderstorm produced wind gusts up to 72 MPH. The highest wind gust was measured west of Mingo.","" +117476,706511,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-06 16:30:00,MST-7,2017-08-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5297,-105.2456,35.5297,-105.2456,"A cluster of showers and thunderstorms that developed along the southern reaches of the Sangre de Cristo Mountains moved slowly southeast across San Miguel and Guadalupe counties during the late afternoon hours. This storm dumped several inches of small hail that drifted nearly a foot deep south of Las Vegas along with just over two inches of rainfall. The storm then moved across Interstate 40 and produced a 59 mph wind gust at Santa Rosa. Other storms across eastern New Mexico also produced heavy rainfall with minor flooding.","Photo showed hail drifts as much as 12 inches deep from a storm south of Las Vegas." +117660,707506,KANSAS,2017,June,Thunderstorm Wind,"GOVE",2017-06-29 02:45:00,CST-6,2017-06-29 02:45:00,0,0,0,0,,NaN,0.00K,0,39.1136,-100.4695,39.1136,-100.4695,"After midnight a large thunderstorm complex moving east produced severe wind gusts and large hail. The strongest wind gust of 76 MPH was reported near Weskan. The only damage reported by these winds were small tree limbs blown down in Grainfield and Quinter, and crop damage south of Oakley from the combined effects of the wind and hail. The largest hail was golf ball size reported in Hill City.","One inch diameter tree branches blown down." +117665,707524,KANSAS,2017,June,Thunderstorm Wind,"THOMAS",2017-06-29 18:43:00,CST-6,2017-06-29 18:43:00,0,0,0,0,0.00K,0,0.00K,0,39.5592,-100.7392,39.5592,-100.7392,"A couple strong to severe thunderstorms moved east across Northwest Kansas. The highest wind speed reported was 63 MPH near Menlow, and the largest hail reported was penny size north of Norcatur.","" +117665,707533,KANSAS,2017,June,Thunderstorm Wind,"THOMAS",2017-06-29 19:01:00,CST-6,2017-06-29 19:01:00,0,0,0,0,0.00K,0,0.00K,0,39.4412,-100.8298,39.4412,-100.8298,"A couple strong to severe thunderstorms moved east across Northwest Kansas. The highest wind speed reported was 63 MPH near Menlow, and the largest hail reported was penny size north of Norcatur.","" +117665,707535,KANSAS,2017,June,Thunderstorm Wind,"SHERIDAN",2017-06-29 19:07:00,CST-6,2017-06-29 19:07:00,0,0,0,0,0.00K,0,0.00K,0,39.3796,-100.6833,39.3796,-100.6833,"A couple strong to severe thunderstorms moved east across Northwest Kansas. The highest wind speed reported was 63 MPH near Menlow, and the largest hail reported was penny size north of Norcatur.","Storm spotter measured 62.6 MPH on a handheld anemometer." +117665,707536,KANSAS,2017,June,Thunderstorm Wind,"SHERIDAN",2017-06-29 19:22:00,CST-6,2017-06-29 19:22:00,0,0,0,0,0.00K,0,0.00K,0,39.538,-100.5487,39.538,-100.5487,"A couple strong to severe thunderstorms moved east across Northwest Kansas. The highest wind speed reported was 63 MPH near Menlow, and the largest hail reported was penny size north of Norcatur.","" +117353,705725,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-12 17:45:00,CST-6,2017-06-12 17:45:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-89.13,44.57,-89.13,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed multiple trees and power lines north of Iola." +117353,705726,WISCONSIN,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-12 17:52:00,CST-6,2017-06-12 17:52:00,0,0,0,0,0.00K,0,0.00K,0,43.92,-88.48,43.92,-88.48,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds knocked trees onto power lines in the Town of Black Wolf." +117353,705727,WISCONSIN,2017,June,Thunderstorm Wind,"MANITOWOC",2017-06-12 18:41:00,CST-6,2017-06-12 18:41:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-88.03,43.91,-88.03,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed trees around Kiel. The time of this event is an estimate based on radar data." +117353,705728,WISCONSIN,2017,June,Thunderstorm Wind,"MANITOWOC",2017-06-12 19:06:00,CST-6,2017-06-12 19:06:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-87.75,43.91,-87.75,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed trees around Cleveland. The time of this event is an estimate based on radar data." +121936,729917,OHIO,2017,December,Winter Weather,"BUTLER",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter from Middletown measured 2.5 inches of snow. A social media post in West Chester showed that 2 inches had fallen there, while the county garage in Maustown measured 1.8 inches of snow." +121936,729918,OHIO,2017,December,Winter Weather,"CHAMPAIGN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Urbana measured 4 inches of snow while the cooperative observer northeast of St. Paris measured 3.1 inches." +121936,729919,OHIO,2017,December,Winter Weather,"CLARK",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Springfield measured 3.5 inches of snow, as did the CoCoRaHS and cooperative observers. A cooperative observer in New Carlisle measured 3 inches of snow." +117835,708283,LOUISIANA,2017,June,Flash Flood,"CALCASIEU",2017-06-29 05:35:00,CST-6,2017-06-29 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,30.3193,-93.1998,30.23,-93.4236,"Tropical Storm Cindy made landfall on the 22nd, however the region remained in a very moist and unstable air mass. Numerous thunderstorms with heavy rain lingered over the region for around a week which produced flooding.","Media and the public reported numerous streets flooded around north Lake Charles, Moss Bluff, and Sulphur with many being impassable. One home on Urban Street was also reported flooded in Sulphur." +121936,729920,OHIO,2017,December,Winter Weather,"CLERMONT",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The CoCoRaHS observer east of Mount Repose measured 1.3 inches of snow. A spotter from Summerside measured 1.2 inches." +121936,729921,OHIO,2017,December,Winter Weather,"CLINTON",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The NWS office south of Wilmington measured 4 inches of snow. The cooperative observer north of town measured 2.2 inches, while the county garage south of town received 2 inches." +121936,729922,OHIO,2017,December,Winter Weather,"DARKE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A social media post from Greenville measured 4 inches of snow. The CoCoRaHS observer west of Potsdam measured 3.7 inches, while another in Pitsburg measured 3.5 inches. The observer from Versailles measured 3 inches." +115458,693310,NORTH DAKOTA,2017,June,Hail,"SHERIDAN",2017-06-09 17:17:00,CST-6,2017-06-09 17:19:00,0,0,0,0,0.00K,0,0.00K,0,47.55,-100.26,47.55,-100.26,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693311,NORTH DAKOTA,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-09 17:27:00,CST-6,2017-06-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,48.35,-100.34,48.35,-100.34,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693312,NORTH DAKOTA,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-09 17:30:00,CST-6,2017-06-09 17:33:00,0,0,0,0,0.00K,0,0.00K,0,48.37,-100.37,48.37,-100.37,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","Thunderstorm wind gust speed estimated by a COOP observer." +115587,694234,TENNESSEE,2017,May,Thunderstorm Wind,"LAWRENCE",2017-05-27 20:30:00,CST-6,2017-05-27 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.25,-87.33,35.25,-87.33,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree fell on a power line on First Street, power lines were blown down near Rotary Park, and a power line was blown down resulting in a fire starting in a tree on Admiral Circle in Lawrenceburg." +114222,685733,MISSOURI,2017,March,Thunderstorm Wind,"PLATTE",2017-03-06 19:28:00,CST-6,2017-03-06 19:31:00,1,0,0,0,,NaN,,NaN,39.33,-94.72,39.33,-94.72,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An injury accident occurred on I-29 near Kansas City International Airport when a tractor trailer rig overturned due to high winds." +117763,708994,OKLAHOMA,2017,June,Thunderstorm Wind,"TEXAS",2017-06-21 18:53:00,CST-6,2017-06-21 18:53:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-101.2,36.86,-101.2,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Emergency Manager estimated winds to be 60 MPH with the thunderstorm." +117763,708995,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:30:00,CST-6,2017-06-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-100.53,36.8,-100.53,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117763,708996,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:35:00,CST-6,2017-06-21 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-100.53,36.8,-100.53,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117763,708997,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:38:00,CST-6,2017-06-21 19:38:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-100.68,36.63,-100.68,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117763,708998,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:40:00,CST-6,2017-06-21 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-100.53,36.8,-100.53,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117798,708154,VIRGINIA,2017,June,Thunderstorm Wind,"MARTINSVILLE (C)",2017-06-18 22:06:00,EST-5,2017-06-18 22:06:00,0,0,0,0,5.00K,5000,,NaN,36.7141,-79.7893,36.7141,-79.7893,"High pressure centered off shore to the east of the region created a southerly flow which directed warm, moist, unstable air into the area. Due to lack of a larger lifting mechanism, storms were diurnally driven and isolated.","Multiple trees were blown down by thunderstorm winds in and around Martinsville." +117799,708158,VIRGINIA,2017,June,Thunderstorm Wind,"AMHERST",2017-06-19 12:05:00,EST-5,2017-06-19 12:05:00,0,0,0,0,0.50K,500,,NaN,37.6183,-79.0932,37.6183,-79.0932,"Southerly flow around high pressure to the east continued for a second consecutive day. This ushered in an unstable air mass across the Virginia and North Carolina piedmonts. A passing cold front interacting with this unstable air mass triggered a few afternoon thunderstorms.","A large tree was blown down by thunderstorm winds along Highway 60." +117799,708156,VIRGINIA,2017,June,Thunderstorm Wind,"BEDFORD",2017-06-19 11:41:00,EST-5,2017-06-19 11:41:00,0,0,0,0,5.00K,5000,,NaN,37.5203,-79.3493,37.5203,-79.3493,"Southerly flow around high pressure to the east continued for a second consecutive day. This ushered in an unstable air mass across the Virginia and North Carolina piedmonts. A passing cold front interacting with this unstable air mass triggered a few afternoon thunderstorms.","The county sheriff reported that several trees were blown down by thunderstorm winds along the Lee Jackson Highway between the communities of Big Island and Coleman Falls." +117800,708160,NORTH CAROLINA,2017,June,Strong Wind,"ROCKINGHAM",2017-06-24 01:00:00,EST-5,2017-06-24 01:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front pushing in from the west had merged with the remnants of what had once been Tropical Storm Cindy. Storms associated with the outer circulation of former Tropical Storm Cindy combined with a saturated ground, brought down a few trees.","A couple of trees were blown down due to a saturated ground and gusty winds associated with the outer circulation of former Tropical Storm Cindy." +117800,708161,NORTH CAROLINA,2017,June,Strong Wind,"ROCKINGHAM",2017-06-24 01:01:00,EST-5,2017-06-24 01:01:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front pushing in from the west had merged with the remnants of what had once been Tropical Storm Cindy. Storms associated with the outer circulation of former Tropical Storm Cindy combined with a saturated ground, brought down a few trees.","A power line was blown down in the Huntsville community during a rain shower associated with the outer circulation of former Tropical Storm Cindy." +117701,707814,WISCONSIN,2017,June,Thunderstorm Wind,"GREEN LAKE",2017-06-14 13:45:00,CST-6,2017-06-14 14:00:00,0,0,0,0,20.00K,20000,,NaN,43.7072,-88.9278,43.7072,-88.9278,"A warm front and shortwave trough brought lines and clusters of severe thunderstorms to southern WI for the afternoon and evening hours. Large hail and straight-line winds were prevalent with tree damage and some structural damage occurring.","A short swath of trees down. One large tree landed on a house causing significant siding and roof damage to a portion of the home." +117136,705947,OKLAHOMA,2017,June,Thunderstorm Wind,"MAYES",2017-06-15 21:23:00,CST-6,2017-06-15 21:23:00,0,0,0,0,20.00K,20000,0.00K,0,36.306,-95.317,36.306,-95.317,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down a tree onto a home and another tree was blown down onto a vehicle." +117136,705946,OKLAHOMA,2017,June,Thunderstorm Wind,"OTTAWA",2017-06-15 21:15:00,CST-6,2017-06-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8883,-94.8444,36.8883,-94.8444,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","The Oklahoma Mesonet station near Miami measured 58 mph thunderstorm wind gusts." +117136,705948,OKLAHOMA,2017,June,Thunderstorm Wind,"OTTAWA",2017-06-15 21:31:00,CST-6,2017-06-15 21:31:00,0,0,0,0,0.00K,0,0.00K,0,36.8011,-94.9271,36.8011,-94.9271,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Thunderstorm wind gusts were measured to 60 mph." +117136,705949,OKLAHOMA,2017,June,Thunderstorm Wind,"TULSA",2017-06-15 21:40:00,CST-6,2017-06-15 21:40:00,0,0,0,0,15.00K,15000,0.00K,0,36.0755,-95.8865,36.0755,-95.8865,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind damaged the balcony of an apartment complex near E 61st Street and S Memorial Drive." +114521,686811,NORTH CAROLINA,2017,April,Flood,"SURRY",2017-04-24 03:42:00,EST-5,2017-04-24 15:42:00,0,0,0,0,0.00K,0,0.00K,0,36.4648,-80.6326,36.4656,-80.6326,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","A portion of Scott Bunker Road in Mt. Airy was flooded, possibly from Burkes Creek." +114521,686826,NORTH CAROLINA,2017,April,Flood,"YADKIN",2017-04-23 19:35:00,EST-5,2017-04-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2429,-80.8367,36.2451,-80.7983,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Numerous road were were reported closed near the Yadkin River as the river at Elkin (ELKN7) rose very rapidly and crested in the Minor flood category at 19.62 feet (Minor Flood Stage = 18 feet, Moderate = 21) only 4 hours later. This was the highest crest on the Yadkin River at Elkin gage since September 8, 1994 when the remains of Hurricane Frances swept through the area." +117793,709605,ALABAMA,2017,June,Thunderstorm Wind,"WINSTON",2017-06-23 12:35:00,CST-6,2017-06-23 12:36:00,0,0,0,0,0.00K,0,0.00K,0,34.05,-87.55,34.05,-87.55,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted and power lines downed in the town of Lynn." +117793,709606,ALABAMA,2017,June,Thunderstorm Wind,"WINSTON",2017-06-23 12:46:00,CST-6,2017-06-23 12:47:00,0,0,0,0,0.00K,0,0.00K,0,34.15,-87.4,34.15,-87.4,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted and power lines downed in the city of Double Springs." +117793,709607,ALABAMA,2017,June,Thunderstorm Wind,"ST. CLAIR",2017-06-23 13:55:00,CST-6,2017-06-23 13:56:00,0,0,0,0,0.00K,0,0.00K,0,33.8372,-86.2546,33.8372,-86.2546,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted and power lines downed in city of Ashville." +117793,709608,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:32:00,CST-6,2017-06-23 14:33:00,0,0,0,0,0.00K,0,0.00K,0,34.1146,-85.6867,34.1146,-85.6867,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted near the intersection of County Road 71 and County Road 19." +117793,709610,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:35:00,CST-6,2017-06-23 14:36:00,0,0,0,0,0.00K,0,0.00K,0,34.2011,-85.7201,34.2011,-85.7201,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted along County Road 44." +117793,709613,ALABAMA,2017,June,Thunderstorm Wind,"CALHOUN",2017-06-23 14:35:00,CST-6,2017-06-23 14:36:00,0,0,0,0,0.00K,0,0.00K,0,34.01,-85.94,34.01,-85.94,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Numerous trees uprooted and snapped." +117793,709614,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:35:00,CST-6,2017-06-23 14:36:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-85.57,34.16,-85.57,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Trees uprooted and power lines downed at the intersection of County Road 31 and County Road 22." +116445,700311,ILLINOIS,2017,June,Thunderstorm Wind,"CHAMPAIGN",2017-06-19 19:10:00,CST-6,2017-06-19 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.1126,-88.2371,40.1126,-88.2371,"Widely scattered thunderstorms developed across central Illinois ahead of a weak short-wave trough during the late afternoon and evening of June 19th. Very dry air at low-levels of the atmosphere allowed for excellent evaporational cooling conditions. As a result, the storms produced 50-60 mph wind gusts. A downburst with estimated 70 mph winds created enhanced wind damage in Bartonville in Peoria County.","A large tree limb was blown down at the intersection of Springfield Avenue and 2nd Street." +116446,700313,ILLINOIS,2017,June,Strong Wind,"KNOX",2017-06-28 22:30:00,CST-6,2017-06-28 22:35:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large tree limbs were blown down one mile north of Abingdon." +116446,700315,ILLINOIS,2017,June,Strong Wind,"STARK",2017-06-28 23:00:00,CST-6,2017-06-28 23:05:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large, rotten trees were blown down in Toulon." +116446,700316,ILLINOIS,2017,June,Strong Wind,"MARSHALL",2017-06-28 23:50:00,CST-6,2017-06-28 23:55:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large tree limbs were blown down in Henry." +116446,700317,ILLINOIS,2017,June,Strong Wind,"MARSHALL",2017-06-28 23:55:00,CST-6,2017-06-29 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large tree limbs were blown down in Lacon." +116446,700318,ILLINOIS,2017,June,Strong Wind,"MARSHALL",2017-06-29 00:00:00,CST-6,2017-06-29 00:05:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large tree limbs were blown down in Varna." +118809,713667,WYOMING,2017,June,Hail,"NIOBRARA",2017-06-07 15:45:00,MST-7,2017-06-07 15:50:00,0,0,0,0,0.00K,0,0.00K,0,43.1377,-104.1496,43.1377,-104.1496,"Thunderstorms produced large hail and damaging winds in northeast Goshen and Niobrara counties.","Quarter to half dollar size hail covered the ground southeast of Redbird." +118809,713676,WYOMING,2017,June,Hail,"GOSHEN",2017-06-07 18:47:00,MST-7,2017-06-07 18:50:00,0,0,0,0,0.00K,0,0.00K,0,42.2071,-104.0978,42.2071,-104.0978,"Thunderstorms produced large hail and damaging winds in northeast Goshen and Niobrara counties.","Quarter size hail was observed north of Torrington." +118193,710312,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"WILLIAMSBURG",2017-06-03 16:04:00,EST-5,2017-06-03 16:05:00,0,0,0,0,3.00K,3000,0.00K,0,33.7531,-79.4544,33.7531,-79.4544,"Warm and unstable air was anchored across the area. A weak surface boundary wavered in the vicinity and this in conjunction with the Piedmont Trough produced scattered evening thunderstorms. A couple of the thunderstorms produced damaging downbursts.","A large tree reportedly fell onto power lines on S Lee St." +118809,713677,WYOMING,2017,June,Hail,"GOSHEN",2017-06-07 19:15:00,MST-7,2017-06-07 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.0711,-104.144,42.0711,-104.144,"Thunderstorms produced large hail and damaging winds in northeast Goshen and Niobrara counties.","Wind-driven quarter size hail destroyed the alfalfa crop." +117945,708989,IOWA,2017,July,Thunderstorm Wind,"CHICKASAW",2017-07-19 16:20:00,CST-6,2017-07-19 16:20:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-92.31,43.06,-92.31,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","A 66 mph wind gust occurred in New Hampton." +118193,710319,SOUTH CAROLINA,2017,June,Thunderstorm Wind,"FLORENCE",2017-06-03 15:38:00,EST-5,2017-06-03 15:39:00,0,0,0,0,2.00K,2000,0.00K,0,33.8151,-79.4588,33.8151,-79.4588,"Warm and unstable air was anchored across the area. A weak surface boundary wavered in the vicinity and this in conjunction with the Piedmont Trough produced scattered evening thunderstorms. A couple of the thunderstorms produced damaging downbursts.","Several large tree limbs were observed down. The time was estimated based on radar data." +118191,710276,NEW YORK,2017,June,Thunderstorm Wind,"YATES",2017-06-18 17:50:00,EST-5,2017-06-18 18:00:00,0,0,0,0,2.00K,2000,0.00K,0,42.66,-77.05,42.66,-77.05,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over wires." +118191,710277,NEW YORK,2017,June,Thunderstorm Wind,"SCHUYLER",2017-06-18 18:10:00,EST-5,2017-06-18 18:20:00,0,0,0,0,4.00K,4000,0.00K,0,42.42,-77.07,42.42,-77.07,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118191,710278,NEW YORK,2017,June,Thunderstorm Wind,"STEUBEN",2017-06-18 18:10:00,EST-5,2017-06-18 18:20:00,0,0,0,0,2.00K,2000,0.00K,0,42.23,-77.2,42.23,-77.2,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118191,710279,NEW YORK,2017,June,Thunderstorm Wind,"CAYUGA",2017-06-18 18:20:00,EST-5,2017-06-18 18:30:00,0,0,0,0,2.00K,2000,0.00K,0,42.73,-76.55,42.73,-76.55,"A strong storm system approached the region from the west late Sunday afternoon, which resulted in a prefrontal trough that developed over western New York and Pennsylvania. The storm system moved into a very unstable atmosphere and showers and thunderstorms developed along the prefrontal trough. Some of these storms became severe as the system moved east.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +116078,697679,COLORADO,2017,June,Hail,"BACA",2017-06-20 16:41:00,MST-7,2017-06-20 16:46:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-102.58,37.1,-102.58,"Severe storms produced hail up to the size of half dollars around Campo and up to the size of golfballs in between Stonington and Walsh.","" +116078,697680,COLORADO,2017,June,Hail,"BACA",2017-06-20 17:30:00,MST-7,2017-06-20 17:35:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-102.09,37.4,-102.09,"Severe storms produced hail up to the size of half dollars around Campo and up to the size of golfballs in between Stonington and Walsh.","" +116082,697701,COLORADO,2017,June,Thunderstorm Wind,"EL PASO",2017-06-22 12:53:00,MST-7,2017-06-22 12:54:00,0,0,0,0,4.00K,4000,0.00K,0,38.85,-104.57,38.85,-104.57,"A severe storm produced high winds and isolated damage.","Two power poles were downed by thunderstorm winds." +116079,697689,COLORADO,2017,June,Hail,"PROWERS",2017-06-25 12:30:00,MST-7,2017-06-25 12:35:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-102.43,38.09,-102.43,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +116079,697690,COLORADO,2017,June,Hail,"CROWLEY",2017-06-25 14:28:00,MST-7,2017-06-25 14:33:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-103.69,38.35,-103.69,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +116079,697691,COLORADO,2017,June,Hail,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-102.29,37.38,-102.29,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +116079,697692,COLORADO,2017,June,Hail,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-102.29,37.38,-102.29,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +115547,705746,WISCONSIN,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-14 14:17:00,CST-6,2017-06-14 14:17:00,0,0,0,0,5.00K,5000,0.00K,0,44.15,-88.54,44.15,-88.54,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds blew in the south facing windows of a building along the Fox River in Oshkosh." +115547,705749,WISCONSIN,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-14 14:25:00,CST-6,2017-06-14 14:25:00,0,0,0,0,0.00K,0,0.00K,0,44.2,-88.45,44.2,-88.45,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds uprooted many trees in Menasha." +115547,705747,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-14 14:25:00,CST-6,2017-06-14 14:25:00,0,0,0,0,30.00K,30000,0.00K,0,44.49,-88.75,44.49,-88.75,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds heavily damaged a barn and tore the roof from an outbuilding near Sugar Bush." +115547,705917,WISCONSIN,2017,June,Thunderstorm Wind,"OUTAGAMIE",2017-06-14 14:30:00,CST-6,2017-06-14 14:35:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-88.4,44.26,-88.4,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed large trees on the south and east sides of Appleton." +119157,715621,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,45.00K,45000,0.00K,0,44.03,-72.07,44.0211,-72.0024,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in the Haverhill area washing out portions of Route 25." +119157,715619,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.2368,-71.765,44.2275,-71.757,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Franconia washing out several area roads." +119157,715623,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.93,-71.67,43.9245,-71.6802,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Thornton washing out several area roads." +119157,715624,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,30.00K,30000,0.00K,0,43.87,-71.73,43.8732,-71.7295,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Ellsworth washing out several area roads." +118638,713097,IOWA,2017,July,Hail,"FAYETTE",2017-07-21 22:38:00,CST-6,2017-07-21 22:38:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-91.81,42.96,-91.81,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","" +117945,709935,IOWA,2017,July,Thunderstorm Wind,"CLAYTON",2017-07-19 17:03:00,CST-6,2017-07-19 17:03:00,0,0,0,0,10.00K,10000,10.00K,10000,43.05,-91.39,43.05,-91.39,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Numerous trees and power lines were blown down just east of Monona. The strong winds also impacted some corn fields." +118662,712896,NEW HAMPSHIRE,2017,July,Hail,"GRAFTON",2017-07-17 18:20:00,EST-5,2017-07-17 18:23:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-71.63,43.7,-71.63,"An upper-level trough that swung into the region from the west enhanced instability during the afternoon of July 17th. The area which was situated in a very warm and humid air mass. Developing thunderstorms produced wind damage and large hail across the region.","A severe thunderstorm produced hail up to 1 inch in diameter that covered the ground in Ashland." +118656,712874,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 13:05:00,EST-5,2017-07-08 13:10:00,0,0,0,0,0.00K,0,0.00K,0,42.93,-71.12,42.93,-71.12,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed a tree on Route 111A in North Danville closing the road." +118662,712897,NEW HAMPSHIRE,2017,July,Hail,"CARROLL",2017-07-17 19:05:00,EST-5,2017-07-17 19:09:00,0,0,0,0,0.00K,0,0.00K,0,43.83,-71.31,43.83,-71.31,"An upper-level trough that swung into the region from the west enhanced instability during the afternoon of July 17th. The area which was situated in a very warm and humid air mass. Developing thunderstorms produced wind damage and large hail across the region.","A severe thunderstorm produced 1 inch hail in Bennett Corners." +118662,712898,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"GRAFTON",2017-07-17 16:40:00,EST-5,2017-07-17 16:44:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-71.69,43.98,-71.69,"An upper-level trough that swung into the region from the west enhanced instability during the afternoon of July 17th. The area which was situated in a very warm and humid air mass. Developing thunderstorms produced wind damage and large hail across the region.","A severe thunderstorm downed power lines around the town of Woodstock." +118662,712899,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-17 18:50:00,EST-5,2017-07-17 18:54:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-71.28,44.08,-71.28,"An upper-level trough that swung into the region from the west enhanced instability during the afternoon of July 17th. The area which was situated in a very warm and humid air mass. Developing thunderstorms produced wind damage and large hail across the region.","A severe thunderstorm downed trees and wires in Bartlett." +115561,703752,NEBRASKA,2017,June,Hail,"THAYER",2017-06-15 18:37:00,CST-6,2017-06-15 18:37:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-97.67,40.3,-97.67,"Although the vast majority of severe weather within the Central Plains region on this Thursday focused within Kansas and southeast Nebraska, a rogue severe storm blossomed in the far southeast corner of South Central Nebraska (Thayer County) around 7:30 p.m. CDT, resulting in several reports of nickel to golf ball size in the Carleton, Bruning and Belvidere areas before weakening/dissipating near the Jefferson County line by 9 p.m. CDT. ||Briefly examining the meteorological setup, southern Nebraska was under broad quasi-zonal flow in the mid-upper levels containing subtle embedded disturbances . At the surface, the highest low-level moisture levels and resultant instability values focused to the south of a quasi-stationary front stretched from central Kansas into southeast Nebraska. However, this particular severe storm (and others farther east in southeast Nebraska) still managed to develop within the northern fringes of the surface frontal zone, possibly enhanced by outflow emanating northward from a large mesoscale convective system (MCS) racing south through Kansas. Around the time of the Thayer County hail, the environment featured approximately 2500 J/kg mixed-layer CAPE and 40 knots of effective deep layer wind shear.","" +115561,703756,NEBRASKA,2017,June,Hail,"THAYER",2017-06-15 19:19:00,CST-6,2017-06-15 19:19:00,0,0,0,0,0.00K,0,0.00K,0,40.2602,-97.5634,40.2602,-97.5634,"Although the vast majority of severe weather within the Central Plains region on this Thursday focused within Kansas and southeast Nebraska, a rogue severe storm blossomed in the far southeast corner of South Central Nebraska (Thayer County) around 7:30 p.m. CDT, resulting in several reports of nickel to golf ball size in the Carleton, Bruning and Belvidere areas before weakening/dissipating near the Jefferson County line by 9 p.m. CDT. ||Briefly examining the meteorological setup, southern Nebraska was under broad quasi-zonal flow in the mid-upper levels containing subtle embedded disturbances . At the surface, the highest low-level moisture levels and resultant instability values focused to the south of a quasi-stationary front stretched from central Kansas into southeast Nebraska. However, this particular severe storm (and others farther east in southeast Nebraska) still managed to develop within the northern fringes of the surface frontal zone, possibly enhanced by outflow emanating northward from a large mesoscale convective system (MCS) racing south through Kansas. Around the time of the Thayer County hail, the environment featured approximately 2500 J/kg mixed-layer CAPE and 40 knots of effective deep layer wind shear.","" +115563,703765,NEBRASKA,2017,June,Hail,"HALL",2017-06-16 17:37:00,CST-6,2017-06-16 17:37:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-98.35,40.92,-98.35,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +115563,703769,NEBRASKA,2017,June,Hail,"NANCE",2017-06-16 18:15:00,CST-6,2017-06-16 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.3698,-97.7743,41.3698,-97.7743,"Although the bulk of a more widespread/significant severe weather event focused slightly east of the local area on this Friday afternoon and evening, the western fringes of a southward-moving complex of severe storms brushed into mainly far eastern South Central Nebraska counties along the Highway 81 corridor, resulting in several reports of large hail. Some of the largest verified stones of 2-inch diameter occurred in/near Geneva and Aurora, with golf ball size hail reported in/near communities such as Genoa, Osceola, Exeter and Gilead. Somewhat surprisingly, there were no confirmed reports of severe-criteria winds locally, despite several instances of wind damage slightly off to the east within eastern Nebraska. ||Breaking down how things unfolded, a few thunderstorms first attempted to develop within primarily the western half of South Central Nebraska between 3-5 p.m. CDT, but they never became severe and soon dissipated. Then, between 6-8 p.m. CDT, a lone strong to severe hail storm initiated over the Grand Island area and tracked east through Hamilton and York counties. During this same time frame, the far western fringes of a west-east oriented severe storm complex entered the far northeast corner of South Central Nebraska, dropping hail in and near places such as Genoa, Silver Creek, Osceola and Shelby. Over the course of the following three hours, the western edge of the aforementioned larger storm complex drifted almost due-south through eastern portions of York, Fillmore and Thayer counties while occasionally exhibiting supercell characteristics, before finally departing the local area into Kansas shortly before 11 p.m. CDT. ||In the mid-upper levels, broad west-northwest flow was present over the Central Plains, featuring only subtle, low-amplitude disturbances. However, the combination of instability and shear in the presence of a slowly-southward-moving surface front was quite supportive of severe storm development. As for instability, afternoon high temperatures in the 90s F combined with dewpoints well into the 60s to around 70 in eastern portions of South Central Nebraska yielded considerable mixed-layer CAPE of 2000-4000 J/kg. Effective deep layer wind shear was also rather healthy for mid-June, averaging around 50 knots. Given these stout mesoscale parameters, and in hindsight, it seems fortunate and somewhat surprising that severe storms didn't impact more of South Central Nebraska on this day. However, relatively warm mid-levels and resultant capping likely played a key role in this, with 700 millibar temperatures of 12-14C proving inhospitable to sustained updrafts in most local counties.","" +116270,699905,MISSISSIPPI,2017,June,Thunderstorm Wind,"NOXUBEE",2017-06-16 16:53:00,CST-6,2017-06-16 16:53:00,0,0,0,0,15.00K,15000,0.00K,0,33.11,-88.55,33.11,-88.55,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Trees and powerlines were blown down." +116270,699906,MISSISSIPPI,2017,June,Thunderstorm Wind,"CARROLL",2017-06-16 15:55:00,CST-6,2017-06-16 15:55:00,0,0,0,0,15.00K,15000,0.00K,0,33.4,-89.97,33.4,-89.97,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Scattered trees were blown down along Highway 17 South." +116270,700329,MISSISSIPPI,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-16 16:17:00,CST-6,2017-06-16 16:26:00,0,0,0,0,30.00K,30000,0.00K,0,33.3212,-90.8966,33.2694,-90.8648,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down along Old Highway 61 to the north of Arcola. In addition, numerous trees and powerlines were blown down along Highway 438 in Arcola." +116270,701398,MISSISSIPPI,2017,June,Thunderstorm Wind,"SIMPSON",2017-06-16 19:55:00,CST-6,2017-06-16 19:57:00,0,0,0,0,10.00K,10000,0.00K,0,31.8,-90,31.8,-90,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Multiple trees were blown down around the Shivers community." +116270,701410,MISSISSIPPI,2017,June,Thunderstorm Wind,"COVINGTON",2017-06-16 19:51:00,CST-6,2017-06-16 19:52:00,0,0,0,0,60.00K,60000,0.00K,0,31.7399,-89.4563,31.7399,-89.4563,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Multiple trees were blown down along MS Highway 432 near the Hot Coffee community, including a tree that fell onto a home and trapped the residents inside." +116270,701428,MISSISSIPPI,2017,June,Thunderstorm Wind,"LAWRENCE",2017-06-16 20:00:00,CST-6,2017-06-16 20:29:00,0,0,0,0,20.00K,20000,0.00K,0,31.74,-90.01,31.41,-90,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging wind that blew down numerous trees across Lawrence County, including near New Hebron along MS Highway 43 and near Silver Creek." +118439,711869,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-23 14:20:00,EST-5,2017-06-23 14:20:00,0,0,0,0,15.00K,15000,0.00K,0,40.15,-80.18,40.15,-80.18,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Emergency manager reported multiple trees down and structural collapse in Amwell Township." +118439,711870,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 14:38:00,EST-5,2017-06-23 14:38:00,0,0,0,0,2.50K,2500,0.00K,0,40.24,-79.7,40.24,-79.7,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down." +118439,711871,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 14:47:00,EST-5,2017-06-23 14:47:00,0,0,0,0,1.00K,1000,0.00K,0,40.17,-79.81,40.17,-79.81,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Local 911 reported several trees down." +118439,711948,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:03:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2226,-79.3502,40.2172,-79.3151,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that Bethel Church Road flooded." +118439,711952,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:05:00,EST-5,2017-06-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3578,-79.4288,40.3636,-79.4348,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that McChesney Road was flooded." +118439,711953,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-23 16:50:00,EST-5,2017-06-23 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-79.66,40.4208,-79.599,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that William Penn Highway was flooded." +117399,710801,WEST VIRGINIA,2017,June,Hail,"MARSHALL",2017-06-13 13:21:00,EST-5,2017-06-13 13:21:00,0,0,0,0,0.00K,0,0.00K,0,39.78,-80.55,39.78,-80.55,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117399,710802,WEST VIRGINIA,2017,June,Hail,"MARION",2017-06-13 14:10:00,EST-5,2017-06-13 14:10:00,0,0,0,0,0.00K,0,0.00K,0,39.49,-80.14,39.49,-80.14,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117399,710805,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-13 13:16:00,EST-5,2017-06-13 13:16:00,0,0,0,0,0.50K,500,0.00K,0,39.88,-80.59,39.88,-80.59,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local law enforcement reported a tree down on Middle Grave Creek Road." +117399,710807,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-13 13:17:00,EST-5,2017-06-13 13:17:00,0,0,0,0,0.20K,200,0.00K,0,39.88,-80.58,39.88,-80.58,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Emergency manager reported large limbs down along Route 250." +117399,710808,WEST VIRGINIA,2017,June,Thunderstorm Wind,"MARION",2017-06-13 13:59:00,EST-5,2017-06-13 13:59:00,0,0,0,0,0.50K,500,0.00K,0,39.58,-80.21,39.58,-80.21,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local 911 reported multiple trees down around the Keystone area." +117399,710810,WEST VIRGINIA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-13 14:50:00,EST-5,2017-06-13 14:50:00,0,0,0,0,1.00K,1000,0.00K,0,40.56,-80.6,40.56,-80.6,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Department of highways reported trees down on Washington Road." +117389,706014,PENNSYLVANIA,2017,June,Flash Flood,"LAWRENCE",2017-06-13 15:05:00,EST-5,2017-06-13 16:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.92,-80.25,40.9181,-80.2393,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Member of the public reported creek out of its banks and into the road." +117389,706015,PENNSYLVANIA,2017,June,Hail,"LAWRENCE",2017-06-13 15:05:00,EST-5,2017-06-13 15:05:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-80.25,40.92,-80.25,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +118393,711466,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MERCER",2017-06-18 14:10:00,EST-5,2017-06-18 14:10:00,0,0,0,0,2.50K,2500,0.00K,0,41.41,-80.38,41.41,-80.38,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down in Greenville." +118393,711496,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-18 14:34:00,EST-5,2017-06-18 14:34:00,0,0,0,0,2.50K,2500,0.00K,0,41,-80.14,41,-80.14,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","Member of the public reported numerous trees and wires down near State Route 422." +118393,711497,PENNSYLVANIA,2017,June,Thunderstorm Wind,"VENANGO",2017-06-18 14:34:00,EST-5,2017-06-18 14:34:00,0,0,0,0,2.50K,2500,0.00K,0,41.59,-79.67,41.59,-79.67,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down." +118393,711498,PENNSYLVANIA,2017,June,Thunderstorm Wind,"VENANGO",2017-06-18 14:34:00,EST-5,2017-06-18 14:34:00,0,0,0,0,2.50K,2500,0.00K,0,41.61,-79.67,41.61,-79.67,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official report multiple trees down." +118393,711499,PENNSYLVANIA,2017,June,Thunderstorm Wind,"VENANGO",2017-06-18 14:40:00,EST-5,2017-06-18 14:40:00,0,0,0,0,2.50K,2500,0.00K,0,41.43,-79.66,41.43,-79.66,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down." +118393,711500,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-18 14:41:00,EST-5,2017-06-18 14:41:00,0,0,0,0,2.50K,2500,0.00K,0,41.01,-80.06,41.01,-80.06,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down around West Liberty." +118393,711502,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CLARION",2017-06-18 15:08:00,EST-5,2017-06-18 15:08:00,0,0,0,0,2.50K,2500,0.00K,0,41.18,-79.7,41.18,-79.7,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported trees down around Emlenton." +116173,711992,TENNESSEE,2017,June,Flash Flood,"ROBERTSON",2017-06-04 22:20:00,CST-6,2017-06-05 23:20:00,0,0,0,0,0.00K,0,0.00K,0,36.6024,-86.6657,36.5958,-86.6655,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","Robertson County 911 Center reported heavy rain flooded the intersection of Hulsey Road at Highway 52." +116173,711994,TENNESSEE,2017,June,Lightning,"FENTRESS",2017-06-05 05:00:00,CST-6,2017-06-05 05:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.43,-84.92,36.43,-84.92,"Numerous showers and thunderstorms moved across Middle Tennessee from Sunday, June 4 into Monday, June 5. The resulting heavy rainfall in northern portions of Middle Tennessee led to a few reports of flash flooding and one report of lightning damage.","A small outbuilding was struck by lightning, and the resulting fire burned the structure to the ground." +116177,698260,TENNESSEE,2017,June,Flood,"CUMBERLAND",2017-06-23 16:00:00,CST-6,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0596,-84.7922,36.0597,-84.7928,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 23. A few reports of wind damage and one report of flooding were received.","Flood waters covered Otter Creek Road Bridge in the Devils Breakfast Table region of the Catoosa Wildlife Management Area." +116177,711996,TENNESSEE,2017,June,Thunderstorm Wind,"MAURY",2017-06-23 11:30:00,CST-6,2017-06-23 11:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.4588,-87.1155,35.4588,-87.1155,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 23. A few reports of wind damage and one report of flooding were received.","Tree down on power lines on Miller Lake Road." +116177,711997,TENNESSEE,2017,June,Thunderstorm Wind,"SMITH",2017-06-23 14:05:00,CST-6,2017-06-23 14:05:00,0,0,0,0,2.00K,2000,0.00K,0,36.2046,-85.8199,36.2046,-85.8199,"A line of showers and strong thunderstorms moved across Middle Tennessee during the late morning and afternoon hours on June 23. A few reports of wind damage and one report of flooding were received.","A tree was blown down on power lines along Highway 70 in Chestnut Mound." +119125,720881,FLORIDA,2017,September,Tropical Storm,"FLAGLER",2017-09-10 08:46:00,EST-5,2017-09-11 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources. ||Flagler County experienced surge, wind and flooding rainfall damage from Irma. There was also one confirmed EF0 tornado touchdown just south of Marineland. Tropical storm force wind gusts began Sunday morning around 9:46 am at Flagler Beach as measured by a volunteer ARES observer with a wind gust of 39 mph. Through noon, gusts of 40-45 mph were measured. At 12:48 pm, surf over-wash was reported at the Malacompra beach approach near the Hammocks. At 1:16 pm, water was reported at the top of the sea wall in Palm Coast. By 2:31 pm, water was over the sea wall and onto grass in Palm Coast. Also at 2:31 pm, roof shingles and siding were blown off of homes along North 20th Street and A1A. Around 3 pm, power lines were blown down at the Beverly Beach Camptown RV resort. At 4:31 pm, water was about 15 inches over the sea wall in Palm Coast. At 4:40 pm, water was over the road along Wynfield Drive in Palm Coast. At 5 pm, water was over the sea wall and the ramp at Bings Landing and Hershal King Parks on the Intracoastal Waterway, and water was over the boat ramp at Dead Lake fish camp. At 5:35 pm, power outages were reported at Station 71. At 6:30 pm, at 50 mph wind gust was measured north of Flagler Beach. By 8:28 pm, sustained tropical storm force winds of 40 mph were measured at north Flagler Beach. At 8:29 pm, trees were blown down onto powerlines at Burgress Place. At 8:30 pm, a measured wind gust of 50 mph was recorded in Flagler Beach. At 8:45 pm, Tangerine to Lancewood and Water Oak to Hibiscus were underwater and impassable. At 9:06 pm, a wind gust of 60 mph was measured in north Flagler Beach, and by 9:17 pm, sustained winds of 45-50 mph were measured in Flagler Beach. By 9:32 pm, there were multiple reports of 40-45 mph wind gusts inland and 45-50 mph gusts at the beaches. At 9:40 pm, numerous secondary roads in Daytona North were impassable due to flooding. The emergency operations center in Bunnell measured a wind gust of 59 mph at 10:45 pm. At 10:55 pm, the ASOS at the Flagler County airport measured a wind gust of 59 mph, then at 11:58 pm, a sustained wind of 48 mph was measured in Flagler Beach. September 11, at 12:24 am, a measured wind gust of 75 mph was measured in Flagler beach with sustained winds near 50 mph through 12:47 am. At 12:26 am, a measured gust of 72 mph was measured at the Emergency Operations center in Bunnell. At 1:01 am, the county airport measured a wind gust of 63 mph. At 2 am, about 2 feet of water was over the sea wall in Palm Coast. At 2:38 am, a sustained wind of 40 mph with gusts to 54 mph was measured at Flagler Beach, then at 3 am A sustained wind of 54 mph with a gust of 78 mph was measured in Flagler Beach. At 3:10 am, a measured gust of 83 mph was recorded at Flagler Beach. At 3:13 am, waist deep water was reported on Emerson Drive in Palm Coast. At 4 am, a report of storm surge impacted Marineland Acres just south of Washington Oaks State Park. At 4:03 am, a sustained wind of 47 mph was measured with a gust to 67 mph in Flagler Beach. At 5:30 am, a porch was blown off along Carol Court. At 5:45 am, water was 4 inches over the sea wall in Palm Coast. At 6:49 am, there were multiple reports of storm surge flooding along the Intracoastal Waterway in Flagler Beach. At 7:22 am, a wind gust of 53 mph was measured in Palm Coast. At 7:44 am, along State Road 100 and South Chapel, water was reported over the road as well as trees blown down. At 8 am, homes were damaged along Woodlash lane. At 8:22 am, Barrington become impassable. At 8:27 am, a power line was reported blown down on Barkley in Palm Coast, then at 8:31 am trees and fences were blown down along Belle Terre and Bellaire Blvds. At 10:19 am, multiple homes were reported under water in Flagler Beach and along the Intracoastal Waterway. The last measured wind over 40 mph was measured at 1:15 pm. Rainfall totals included 12.24 inches at the Bunnell Emergency Operations Center, 14.0 inches in Central Palm Coast at the COPC Water Plant 1, 10.03 inches in Southern Palm Coast at the COPC Water Plant 2, 10.10 inches in West Palm Coast at the COPC Water Plant 3, 8.82 inches in East Palm Coast, and 5.6 inches in West Palm Coast.||Inland river flooding included the Matanzas River at Bings Landing that crested at 4.85 feet on Sept 11th at 0424 EDT. Major flooding occurred at this level. Haw Creek above Russell Landing set a record flood stage at 7.87 feet on Sept 11th at 1430 EDT. Major flooding occurs at this level." +119730,720437,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 18:37:00,PST-8,2017-09-03 18:37:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported power lines and power poles downed for dust storm winds on Stockdale Highway near Nord Ave. west of Bakersfield." +119730,720439,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:02:00,PST-8,2017-09-03 19:02:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported power lines downed from dust storm winds in the roadway on State Route 210 near Rd. 74 southwest of Dinuba." +119730,720445,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:17:00,PST-8,2017-09-03 19:17:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a tree blocking the roadway on Pacheco Rd. near South Union Ave. downed by dust storm winds in Bakersfield." +119730,720444,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:15:00,PST-8,2017-09-03 19:15:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a downed tree branch from dust storm wind gusts blocking the Ellington St. off ramp on State Route 99 in Delano." +115706,695356,ALABAMA,2017,June,Thunderstorm Wind,"LAUDERDALE",2017-06-23 12:09:00,CST-6,2017-06-23 12:09:00,0,0,0,0,0.20K,200,0.00K,0,34.86,-87.49,34.86,-87.49,"Unstable and tropical air interacted with the remains of the circulation of former Tropical Storm Cindy to produce numerous showers and thunderstorms from late morning into the early afternoon hours. A few of these thunderstorms produced wind damage. Locally heavy rainfall of 1 to 3 inches in few spots produced brief excessive runoff and flash flooding.","A tree was knocked down across the eastbound lanes of U.S. Highway 72 near Brooks High School." +115715,695407,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-06-24 19:31:00,CST-6,2017-06-24 19:31:00,0,0,0,0,0.00K,0,0.00K,0,42.7276,-87.7362,42.7276,-87.7362,"During the evening of June 24th, showers moved across the near shore waters of Lake Michigan and produced strong wind gusts in excess of 33 knots.","Weakening showers produced strong wind gusts of 37 knots at weather station on Racine Reef." +115712,695410,NORTH CAROLINA,2017,June,Rip Current,"CARTERET",2017-06-10 17:30:00,EST-5,2017-06-10 17:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two teenage boys died from rip currents in Emerald Isle, NC.","A 16 year old male was rescued from a rip current near the 7900 block of Emerald Isle on June 10th, 2017. He was in critical condition for over a week, before passing away on Monday, June 19th, around 2:25 am from the rip current drowning." +115717,695415,NORTH CAROLINA,2017,June,Rip Current,"CARTERET",2017-06-17 10:00:00,EST-5,2017-06-17 10:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died due to rip currents in Atlantic Beach, NC.","A 56-year-old man died trying to rescue two teenage girls from a rip current near the Henderson Avenue public beach access in Atlantic Beach, NC." +115480,693724,MONTANA,2017,June,Thunderstorm Wind,"CUSTER",2017-06-12 20:59:00,MST-7,2017-06-12 20:59:00,0,0,0,0,0.00K,0,0.00K,0,46.43,-105.89,46.43,-105.89,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","Tree damage was reported around Miles City with trees up to 18 inches in diameter snapped." +115480,693726,MONTANA,2017,June,Thunderstorm Wind,"WHEATLAND",2017-06-12 18:28:00,MST-7,2017-06-12 18:28:00,0,0,0,0,0.00K,0,0.00K,0,46.44,-109.84,46.44,-109.84,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","Power lines and a shed were blown down in Harlowton." +115480,693727,MONTANA,2017,June,Hail,"WHEATLAND",2017-06-12 18:25:00,MST-7,2017-06-12 18:25:00,0,0,0,0,0.00K,0,0.00K,0,46.44,-109.83,46.44,-109.83,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","" +115480,695427,MONTANA,2017,June,Thunderstorm Wind,"PARK",2017-06-12 16:36:00,MST-7,2017-06-12 16:36:00,0,0,0,0,0.00K,0,0.00K,0,45.7,-110.45,45.7,-110.45,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","" +115899,696458,NEW MEXICO,2017,June,Hail,"LOS ALAMOS",2017-06-25 14:32:00,MST-7,2017-06-25 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-106.32,35.89,-106.32,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of quarters in Los Alamos." +115899,696459,NEW MEXICO,2017,June,Hail,"SAN MIGUEL",2017-06-25 14:18:00,MST-7,2017-06-25 14:20:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-105.25,35.77,-105.25,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of golf balls in Sapello." +115525,693575,SOUTH DAKOTA,2017,June,Hail,"BENNETT",2017-06-12 23:01:00,MST-7,2017-06-12 23:01:00,0,0,0,0,0.00K,0,0.00K,0,43.2007,-101.4944,43.2007,-101.4944,"A long-lived supercell thunderstorm tracked from Nebraska across eastern Bennett County before finally weakening. The storm produced large hail and strong wind gusts in the Tuthill area.","" +115518,696712,SOUTH DAKOTA,2017,June,Tornado,"BENNETT",2017-06-12 20:10:00,MST-7,2017-06-12 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.2533,-101.9452,43.2533,-101.9452,"A cluster of severe thunderstorms moved northeast across southwestern into south central South Dakota. The storms produced large hail and wind gusts to 70 mph.","A spotter watched a small tornado in a field for about five minutes before it became obscured by rain." +115783,695827,NEW YORK,2017,June,Thunderstorm Wind,"ST. LAWRENCE",2017-06-24 19:20:00,EST-5,2017-06-24 19:20:00,0,0,0,0,35.00K,35000,0.00K,0,44.86,-75.2,44.86,-75.2,"A weak cold front moved into a moderately unstable air mass across the St. Lawrence River Valley of Canada/United States and triggered a few scattered showers and thunderstorms during the evening hours of June 24th. One isolated thunderstorms caused some wind damage in terms of downed trees and wires in the Waddington-Madrid area.","Several trees and wires down, including on a house in the Waddington vicinity." +115962,696924,NORTH DAKOTA,2017,June,Hail,"SARGENT",2017-06-13 03:59:00,CST-6,2017-06-13 04:03:00,0,0,0,0,,NaN,,NaN,46.09,-97.69,46.09,-97.69,"Severe thunderstorms moved along the North Dakota/South Dakota border before sunrise, affecting portions of southeast North Dakota.","Dime to quarter sized hail fell over portions of central Forman Township." +115963,696929,NORTH DAKOTA,2017,June,High Wind,"PEMBINA",2017-06-13 08:44:00,CST-6,2017-06-13 09:28:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The wind gust was measured at the ND DOT RWIS station near Bowesmont." +115963,696932,NORTH DAKOTA,2017,June,High Wind,"EASTERN WALSH",2017-06-13 08:44:00,CST-6,2017-06-13 09:28:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The wind gust was measured at the AWOS site at the Grafton airport. Several large trees were blown down in Grafton." +115965,696936,MINNESOTA,2017,June,High Wind,"KITTSON",2017-06-13 09:10:00,CST-6,2017-06-13 09:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","A MNDOT RWIS station near Donaldson measured sustained winds at 40 mph gusting to 48 mph." +116118,698420,WYOMING,2017,June,Hail,"NATRONA",2017-06-12 17:05:00,MST-7,2017-06-17 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.8411,-106.27,42.87,-106.27,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The public reported hail up to the size of half dollars around Evansville." +116118,698421,WYOMING,2017,June,Funnel Cloud,"JOHNSON",2017-06-12 17:42:00,MST-7,2017-06-12 17:42:00,0,0,0,0,0.00K,0,0.00K,0,44.235,-106.681,44.235,-106.681,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","An off-duty NWS meteorologist reported a funnel cloud near the Trabing Road interchange of Interstate 25." +116118,698422,WYOMING,2017,June,Hail,"WASHAKIE",2017-06-12 18:20:00,MST-7,2017-06-12 18:25:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-107.3395,44.02,-107.3395,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The public reported quarter size hail to the east of Ten Sleep." +115517,693562,FLORIDA,2017,June,Tornado,"OSCEOLA",2017-06-14 12:30:00,EST-5,2017-06-14 12:31:00,0,0,0,0,0.00K,0,0.00K,0,28.2772,-81.4182,28.2772,-81.4182,"A line of showers and thunderstorms formed along a sea breeze collision over the interior peninsula during the early afternoon. As the storms moved northwestward into the Kissimmee area, a short-lived, weak tornado (landspout) developed along the leading edge of a non-supercell storm. During the mid afternoon, a sub-severe thunderstorm produced wind damage to a mobile home in Yeehaw Junction.","The Osceola County Sheriffs Office reported that an officer observed a very brief tornado (landspout) touchdown near 1600 John Young Parkway in Kissimmee at 1230EST. No damage was reported." +115517,699742,FLORIDA,2017,June,Thunderstorm Wind,"OSCEOLA",2017-06-14 14:45:00,EST-5,2017-06-14 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,27.8,-80.93,27.8,-80.93,"A line of showers and thunderstorms formed along a sea breeze collision over the interior peninsula during the early afternoon. As the storms moved northwestward into the Kissimmee area, a short-lived, weak tornado (landspout) developed along the leading edge of a non-supercell storm. During the mid afternoon, a sub-severe thunderstorm produced wind damage to a mobile home in Yeehaw Junction.","Osceola County Emergency Management reported that a porch roof was blow off a mobile home on Hines Drive in Yeehaw Junction. The removal of the porch roof resulted in additional damage to the main portion of the home." +116376,699834,MONTANA,2017,June,Hail,"CASCADE",2017-06-12 19:03:00,MST-7,2017-06-12 19:03:00,0,0,0,0,0.00K,0,0.00K,0,47.57,-111.55,47.57,-111.55,"A potent low pressure system tracked northeastward from northern Nevada on the 12th to southwest Montana on the 13th, before reaching southeastern Saskatchewan by early morning on the 14th. In addition to a widespread soaking rainfall for north-central and southwest Montana, this system was also accompanied by several severe thunderstorms on the 12th and 13th.","Trained spotter reported quarter size hail." +116376,699835,MONTANA,2017,June,Thunderstorm Wind,"FERGUS",2017-06-12 19:46:00,MST-7,2017-06-12 19:46:00,0,0,0,0,0.00K,0,0.00K,0,47.0389,-109.5093,47.0389,-109.5093,"A potent low pressure system tracked northeastward from northern Nevada on the 12th to southwest Montana on the 13th, before reaching southeastern Saskatchewan by early morning on the 14th. In addition to a widespread soaking rainfall for north-central and southwest Montana, this system was also accompanied by several severe thunderstorms on the 12th and 13th.","Lewistown Airport ASOS reported 58 mph thunderstorm wind gust." +116376,699836,MONTANA,2017,June,Thunderstorm Wind,"FERGUS",2017-06-12 19:55:00,MST-7,2017-06-12 19:55:00,0,0,0,0,0.00K,0,0.00K,0,46.8772,-108.9001,46.8772,-108.9001,"A potent low pressure system tracked northeastward from northern Nevada on the 12th to southwest Montana on the 13th, before reaching southeastern Saskatchewan by early morning on the 14th. In addition to a widespread soaking rainfall for north-central and southwest Montana, this system was also accompanied by several severe thunderstorms on the 12th and 13th.","AWOS reported 60 mph thunderstorm wind gust." +116478,700489,TENNESSEE,2017,June,Thunderstorm Wind,"SHELBY",2017-06-23 17:10:00,CST-6,2017-06-23 17:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.1888,-89.8792,35.1835,-89.8597,"Severe thunderstorms from the remnants of Tropical Storm Cindy produced damaging winds across portions of the Midsouth during the afternoon and early evening hours of June 23rd.","Large tree down on Sycamore View Road just north of Raleigh La-Grange Road." +116303,699270,MISSISSIPPI,2017,June,Flash Flood,"ATTALA",2017-06-03 14:04:00,CST-6,2017-06-03 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.0209,-89.5557,33.0231,-89.5911,"Showers and thunderstorms developed in a warm and unstable air mass. Some of these storms produced some flooding and flash flooding.","Flooding occurred in Kosciusko, including on Golf Course Road, North Jackson Street at East Adams Street, Knox Road at North Natchez Street, Peachtree Street, Lumber Street, MS Highway 12/43 at Martin Luther King Drive, North Wells Street, West South Street, Warrior Trail. Flood water entered a home on in the Williamsville area." +116303,699273,MISSISSIPPI,2017,June,Flood,"LAUDERDALE",2017-06-05 14:20:00,CST-6,2017-06-05 15:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.3729,-88.6975,32.3715,-88.6934,"Showers and thunderstorms developed in a warm and unstable air mass. Some of these storms produced some flooding and flash flooding.","Flooding occurred at the intersections of 14th Street and 24th Avenue, and 11th Street and 18th Avenue, which both flood with moderate amounts of rain." +116304,699280,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-06 03:40:00,CST-6,2017-06-06 06:15:00,0,0,0,0,75.00K,75000,0.00K,0,31.5219,-89.3918,31.53,-89.3683,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","A culvert caved in at the intersection of Riels Road and Archie Ingram Road due to water covering the road. Guthrie Carter Road (400 block) was washed out." +116304,699282,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-06 04:56:00,CST-6,2017-06-06 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,31.585,-89.2083,31.6087,-89.2066,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","Streets were flooded in Ellisville." +116304,699528,MISSISSIPPI,2017,June,Flash Flood,"LINCOLN",2017-06-06 05:30:00,CST-6,2017-06-06 06:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.54,-90.41,31.5364,-90.4158,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","MS Highway 583 was closed between Highway 84 and Hutcherson Lane due to flash flooding." +116304,700492,MISSISSIPPI,2017,June,Flash Flood,"JONES",2017-06-06 03:40:00,CST-6,2017-06-06 08:00:00,0,0,0,0,75.00K,75000,0.00K,0,31.51,-89.29,31.4893,-89.3079,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","Numerous roads were flooded and water approached some homes in the Moselle area. A home was flooded on Sellers Road in Moselle." +116304,699579,MISSISSIPPI,2017,June,Flash Flood,"ATTALA",2017-06-06 09:00:00,CST-6,2017-06-06 12:15:00,0,0,0,0,15.00K,15000,0.00K,0,33.0625,-89.6121,33.068,-89.6007,"Showers and thunderstorms developed as a cold front moved through the area. Some of these storms produced flash flooding.","Multiple streets were flooded and closed in Kosciusko. Flash flooding occurred at Breezy News." +115871,696675,NEW MEXICO,2017,June,Heat,"SOUTH CENTRAL HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the South Central Highlands ranged from 95 to 100 degrees on four consecutive days. Record high temperatures were set at Mountainair." +115871,696676,NEW MEXICO,2017,June,Heat,"ROOSEVELT COUNTY",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across Roosevelt County ranged from 101 to 106 degrees on four consecutive days. Record high temperatures were set at Portales." +116890,702823,WISCONSIN,2017,June,Thunderstorm Wind,"JACKSON",2017-06-12 15:33:00,CST-6,2017-06-12 15:33:00,0,0,0,0,5.00K,5000,0.00K,0,44.17,-90.82,44.17,-90.82,"A line of severe thunderstorms moved across western Wisconsin during the afternoon of June 12th. These storms produced damaging winds that produced a path of tree damage from Galesville to Ettrick (Trempealeau County), blew over some bleachers at a baseball field in Millston (Jackson County) and produced a 62 mph gust at Volk Field (Juneau County).","Trees and power lines were blown down near the intersection of State Highway 27 and County Road O in Shamrock." +113763,682734,PENNSYLVANIA,2017,April,Funnel Cloud,"WARREN",2017-04-20 18:57:00,EST-5,2017-04-20 18:57:00,0,0,0,0,0.00K,0,0.00K,0,41.8912,-79.2456,41.8912,-79.2456,"A cold front crossing the area was the focus for numerous showers and thunderstorms the evening of April 20th. The strongest storms affected northwestern Pennsylvania, where a single cell developed ahead of the main squall line and produced hail, wind damage, and a weak tornado in Warren County. A bow echo along the squall line produced additional wind damage in Elk County.","A tornadic supercell produced multiple funnels that were observed by firefighters near the intersection of Yankee Bush Road and Follet Run Road." +114222,685704,MISSOURI,2017,March,Hail,"CLAY",2017-03-06 19:26:00,CST-6,2017-03-06 19:30:00,0,0,0,0,,NaN,,NaN,39.45,-94.57,39.45,-94.57,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685705,MISSOURI,2017,March,Hail,"CLINTON",2017-03-06 19:26:00,CST-6,2017-03-06 19:27:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-94.56,39.47,-94.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115743,696722,OHIO,2017,June,Flash Flood,"VINTON",2017-06-23 20:23:00,EST-5,2017-06-23 23:23:00,0,0,0,0,1.00K,1000,0.00K,0,39.09,-82.34,39.0752,-82.3453,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","State Route 124 was flooded about 4 miles west of Wilkesville, near where Independence Creek flows into Raccoon Creek." +115744,695694,WEST VIRGINIA,2017,June,Flash Flood,"CABELL",2017-06-23 19:28:00,EST-5,2017-06-23 21:30:00,0,0,0,0,5.00K,5000,0.00K,0,38.41,-82.43,38.4001,-82.3779,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Flooding closed multiple roads around the Huntington Metro area. This included portions of Arlington Boulevard along with 5th Avenue between 21st and 25th Streets. The 8th, 10th and 20th Street viaducts were also closed due to high water." +112797,673859,FLORIDA,2017,January,Tornado,"MIAMI-DADE",2017-01-23 03:45:00,EST-5,2017-01-23 03:48:00,0,0,0,0,,NaN,0.00K,0,25.8162,-80.3258,25.8334,-80.2853,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","A tornado touched down just west of the Palmetto Expressway in the Doral Gardens complex near NW 79th Avenue and NW 48th Street, causing minor roof damage to an apartment building. The tornado then moved ENE and touched back down on the east side of the Palmetto Expressway in a warehouse district from NW 50th Street to NW 52nd Street between NW 74th and 69th avenues. In this area, EF-0 to borderline EF-1 damage (75-85 mph winds) was noted. A tractor trailer was overturned, at least 2 dozen empty cargo containers were moved, and minor roof damage occurred to an office building. ||The tornado then moved NE and crossed into Miami Springs. Primarily impacted was the Bird District between Shadow and Ludlum Avenues and Falcon and Dove Avenues. The worst damage was on the 1100 block of Falcon, Plover and Wren consisting of loss of roof covering material and downed trees. Winds were likely in the EF-1 range (90-95 mph) in this area. Damage was observed along a NE path along the remainder of the Miami Springs portion of the path, with most of the damage east of Hammond Drive to Okeechobee Road consisting of downed power lines and trees (EF-0). ||After crossing Okeechobee Road, the tornado entered the City of Hialeah and caused damage to the area from Red Road to W 2nd Avenue between West 10th and 13th streets. Four two-story apartment buildings sustained roof damage of EF-1 intensity (up to 95 mph). The tornado passed very close to a water plant, but no damage was noted there. The tornado lifted near W 2nd Avenue and W 13th Street. A total of 13 families were left homeless in Hialeah and required Red Cross assistance.||No damage estimated were received." +114027,683263,PENNSYLVANIA,2017,April,Thunderstorm Wind,"BLAIR",2017-04-30 17:16:00,EST-5,2017-04-30 17:16:00,0,0,0,0,0.00K,0,0.00K,0,40.5315,-78.1714,40.5315,-78.1714,"Widely scattered thunderstorms formed in an unseasonably warm and humid airmass over western Pennsylvania, while southeasterly flow and a cooler, more stable airmass was situated across eastern Pennsylvania. After an overcast morning, the warmer air made it into the south-central mountains of Pennsylvania. One of the storms developed over Cambria County and became severe as it descended the Allegheny Front into Altoona, producing wind damage and hail across central Blair County.","A severe thunderstorm produced a microburst with winds estimated near 70 mph, knocking down approximately 40 trees in the vicinity of Goodman Road and Fox Run Road in Blair County." +114521,687040,NORTH CAROLINA,2017,April,Flood,"ROCKINGHAM",2017-04-25 01:48:00,EST-5,2017-04-25 13:48:00,0,0,0,0,0.00K,0,0.00K,0,36.3901,-79.9433,36.3835,-79.9423,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","A portion of Water Street in Madison was closed by flooding. Flooding possibly from the Mayo River and backwater effects from the Dan River. The Mayo River upstream crested at 7.49 feet at 11 AM EST. Minor Flood Stage is 8 feet." +114465,686467,VIRGINIA,2017,April,Flood,"TAZEWELL",2017-04-23 16:30:00,EST-5,2017-04-24 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.0908,-81.8766,37.1105,-81.7427,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Old Kentucky Turnpike in Cedar Bluff was completely covered by flood waters from either Indian Creek or the Clinch River. Water flooded a basement causing an oil tank and hot water heater to overturn. Water was also reported up to the basement level of a home along Route 67 in Raven. The Clinch River gage at Richlands (RLRV2) crested at 10.68 feet at 0200 EST. Minor Flood stage is 10 feet." +117060,704167,WYOMING,2017,June,Flood,"FREMONT",2017-06-03 12:00:00,MST-7,2017-06-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9958,-108.3894,42.993,-108.3884,"A cool and wet winter and spring built up abnormally large snow pack across the Wind River Range. Warmer weather in June caused rapid melting of the snow and resulted in flooding along the Little Wind River for several weeks. The River Gauge at Riverton peaked above 10 feet. Flooding was most notable around portions of the Wind River Reservation where homes close to the river had flood waters surrounding them and some roads near the River were flooded and closed for several days. However, ample preparation and sandbagging efforts kept property damage to a minimum. The waters receded around June 22nd as water levels dropped below flood stage.","Flooding was observed south of Riverton along the Little Wind River. Most of the flooding remained over the low lying areas near the river and no property damage was noted." +114222,685779,MISSOURI,2017,March,Thunderstorm Wind,"PETTIS",2017-03-06 21:17:00,CST-6,2017-03-06 21:20:00,0,0,0,0,,NaN,,NaN,38.7522,-93.3353,38.7522,-93.3353,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A RV was turned over at HWY T and Meneffee Road near Sedalia." +117064,704200,WYOMING,2017,June,Flood,"FREMONT",2017-06-03 12:00:00,MST-7,2017-06-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.904,-108.5905,42.8964,-108.59,"A cool and wet winter and spring built up abnormally large snow pack across the Wind River Range. Warmer weather in June caused rapid melting of the snow and resulted in flooding along the North and Middle Forks of the Popo Agie Rivers for several weeks. In Lander, the Lander Brewfest had to moved from City Park to another location. High waters also caused flooding of the low lying areas around Hudson. However, in Hudson ample preparation from the weeks before kept the water out of homes. The waters receded around June 22nd as water levels dropped below flood stage.","Near Hudson, the Little Pop Agie River rose above flood stage for a few weeks. However, a flood wall that had been constructed in the previous weeks held and only some low lying areas flooded. As a result, there was little or no property damage." +116511,700655,IDAHO,2017,June,Thunderstorm Wind,"LEMHI",2017-06-26 20:45:00,MST-7,2017-06-26 21:30:00,0,0,0,0,10.00K,10000,,NaN,45.2025,-113.8966,44.9989,-113.9392,"A strong shortwave in westerly flow enhanced thunderstorms over the Northern Rockies. Intense heating lead to near-record surface temperatures, which provided modest instability and a dry near-surface layer for downdrafts to accelerate within. Gusty winds were widely observed with storm outflows, with a few severe gusts recorded. Many strong gusts happened around or after sunset.","Road crews, the public, and the county emergency manager all had reports of damage from the strong winds during the late evening. Power companies reported outages to approximately 600 customers due to trees on power lines. A storm spotter in the area reported losing a few shingles, while another resident lost a stove pipe off the roof on the west side of Salmon, ID. Road crews reported downed Cottonwood trees on US-93." +116514,705322,MONTANA,2017,June,Flood,"RAVALLI",2017-06-13 10:00:00,MST-7,2017-06-13 22:00:00,0,0,0,0,30.00K,30000,1.00K,1000,46.2313,-113.8129,46.6628,-113.7579,"A closed low pressure system brought widespread heavy precipitation amounts of 1-3��� across portions of western Montana. The combination of heavy rain and continued high elevation snow melt caused rapid rises on small streams and creeks, especially around Georgetown Lake, Philipsburg, Drummond, and the Sapphire Mountains.","The heavy rain had widespread impacts in Ravalli county. RAWS sensors reported between 1 to 3 inches overnight from June 12 to June 13, with Gird Point RAWS receiving 3.67 inches over the 2-day event. Spotters reported water flowing over driveways and local roads near Stevensville, MT. Victor, MT fire department reported flooding at Middle Bear Creek. Water overwhelmed culverts and washed over roads east of Stevensville causing $15,000 of damage for the road department. Homeowners on the east side of the Bitterroot Valley reported damages to garages, driveways, and gardens, with many public roads seeing water over roads. Skalkaho Highway, MT-38, was closed June 13th due to water on roadways." +116514,705329,MONTANA,2017,June,Flood,"GRANITE",2017-06-13 10:00:00,MST-7,2017-06-13 22:00:00,0,0,0,0,50.00K,50000,1.00K,1000,46.7212,-113.7387,46.2486,-113.8733,"A closed low pressure system brought widespread heavy precipitation amounts of 1-3��� across portions of western Montana. The combination of heavy rain and continued high elevation snow melt caused rapid rises on small streams and creeks, especially around Georgetown Lake, Philipsburg, Drummond, and the Sapphire Mountains.","Granite county saw widespread impacts from the heavy rain. Philipsburg, MT received 3.28 inches of rain in 24 hours from noon 6/12 through noon 6/13. A public report from Georgetown Lake, MT had a measured 3.7 inches of rain over the 2-day event. Fred Burr Creek was particularly hard hit, with private driveway bridges being washed out, thus stranding a couple residents. Many of these same residents had basement flooding as well. USGS stream gauges on Boulder Creek near Maxville recorded 1410 cfs; 1000 cfs begins to cause road flooding issues, and this was much above this impact level. Rock Creek and Flint Creek both saw extremely rapid and high flows, with water spilling into adjacent fields. Georgetown Lake over-topped its spillway for the first time in years. Sapphire Mountain ditch managers narrowly avoided damage to a major irrigation channel feeding the Bitterroot Valley." +117453,706393,IOWA,2017,June,Funnel Cloud,"MARION",2017-06-28 18:08:00,CST-6,2017-06-28 18:08:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-93.27,41.39,-93.27,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +114027,683265,PENNSYLVANIA,2017,April,Thunderstorm Wind,"MCKEAN",2017-04-30 17:54:00,EST-5,2017-04-30 17:54:00,0,0,0,0,2.00K,2000,0.00K,0,41.81,-78.44,41.81,-78.44,"Widely scattered thunderstorms formed in an unseasonably warm and humid airmass over western Pennsylvania, while southeasterly flow and a cooler, more stable airmass was situated across eastern Pennsylvania. After an overcast morning, the warmer air made it into the south-central mountains of Pennsylvania. One of the storms developed over Cambria County and became severe as it descended the Allegheny Front into Altoona, producing wind damage and hail across central Blair County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Smethport." +117178,704832,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 13:08:00,EST-5,2017-06-13 13:08:00,0,0,0,0,,NaN,,NaN,41.86,-73.89,41.86,-73.89,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","A tree was downed on a home as a result of thunderstorm winds." +117178,704833,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 13:09:00,EST-5,2017-06-13 13:09:00,0,0,0,0,,NaN,,NaN,41.86,-73.87,41.86,-73.87,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Trees and wires were downed as a result of thunderstorm winds." +115725,695453,VIRGINIA,2017,April,High Wind,"ROANOKE",2017-04-07 07:03:00,EST-5,2017-04-07 07:03:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure deepened as it progressed from the Ohio Valley to New York. Winds increased on the backside of the system and produced a wind gust of 60 mph at the Roanoke Airport.","" +115735,695546,VIRGINIA,2017,April,Hail,"SMYTH",2017-04-29 16:54:00,EST-5,2017-04-29 16:54:00,0,0,0,0,,NaN,,NaN,36.8,-81.69,36.8,-81.69,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","Hail fell that ranged from pea to quarter size." +117187,704865,ARKANSAS,2017,June,Flash Flood,"PULASKI",2017-06-03 14:34:00,CST-6,2017-06-03 16:34:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-92.56,34.7775,-92.5667,"Some storms in early June did not move much and produced very heavy rainfall that caused flash flooding.","Water was flowing over a portion of the road in Ferndale." +117178,704836,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 13:15:00,EST-5,2017-06-13 13:15:00,0,0,0,0,,NaN,,NaN,41.83,-73.83,41.83,-73.83,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Multiple trees reported down along Browning Road as a result of thunderstorm winds." +117178,704837,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 13:25:00,EST-5,2017-06-13 13:25:00,0,0,0,0,,NaN,,NaN,41.7978,-73.8078,41.7978,-73.8078,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Tree and wires were down near Hahns Farm on Salt Point Turnpike due to thunderstorm winds." +117178,704838,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 13:29:00,EST-5,2017-06-13 13:29:00,0,0,0,0,,NaN,,NaN,41.8,-73.85,41.8,-73.85,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Trees and wires reported down on Marshall Road due to thunderstorm winds." +117178,704839,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 14:09:00,EST-5,2017-06-13 14:09:00,0,0,0,0,,NaN,,NaN,41.62,-73.76,41.62,-73.76,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Tree and wires were reported down due to thunderstorm winds." +120213,721490,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 16:20:00,MST-7,2017-06-12 16:23:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-105.3406,42.76,-105.3406,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hen egg size hail was observed two miles east of Douglas." +120443,721636,NEBRASKA,2017,June,Tornado,"BANNER",2017-06-12 17:12:00,MST-7,2017-06-12 17:17:00,0,0,0,0,,NaN,,NaN,41.3969,-103.9754,41.4062,-103.9684,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Storm chasers captured video of a tornado briefly touching down in a remote section of southern Banner County. The tornado caused no damage from which the NWS could assign an EF-scale rating. Path was estimated by cross-referencing storm chaser reports and radar data." +120443,721662,NEBRASKA,2017,June,Tornado,"SIOUX",2017-06-12 16:30:00,MST-7,2017-06-12 17:01:00,1,0,0,0,6.00K,6000,,NaN,42.4636,-104.0529,42.583,-103.9198,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A tornado crossed the WY/NE state line into Sioux County, NE at 1630 MST, and continued northeast before lifting west of Highway 29, 8 miles south-southwest of Harrison, NE at 1701 MST. Damage consistent with EF-2 intensity was noted by the survey team to the residence, as well as to surrounding trees and outbuildings (DI 2, DOD 6) 13 miles southwest of Harrison, NE. One resident at this location was treated and released at a local hospital with injuries incurred from flying debris in the home." +120443,721638,NEBRASKA,2017,June,Tornado,"DAWES",2017-06-12 17:33:00,MST-7,2017-06-12 17:37:00,0,0,0,0,,NaN,,NaN,42.8953,-103.3131,42.911,-103.311,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","Storm chasers captured video of a tornado briefly touching down about 15 miles west-northwest of Chadron, NE in Dawes County. The location was estimated based on video and radar data. The tornado caused no damage from which the NWS could assign an EF-scale rating." +119616,721282,ILLINOIS,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-21 13:53:00,CST-6,2017-07-21 13:58:00,0,0,0,0,5.00K,5000,0.00K,0,42.3007,-89.1215,42.2534,-89.0258,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Numerous trees and power lines were blown down throughout Rockford." +117467,706471,ARKANSAS,2017,June,Thunderstorm Wind,"SCOTT",2017-06-18 08:55:00,CST-6,2017-06-18 08:55:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-94.13,34.72,-94.13,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","Multiple trees were blown down as big as 12 inches in diameter." +117467,706472,ARKANSAS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-18 09:35:00,CST-6,2017-06-18 09:35:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-93.63,34.55,-93.63,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","A storm spotter reported that trees have been snapped and uprooted in Mt. Ida." +117467,706473,ARKANSAS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-18 09:35:00,CST-6,2017-06-18 09:35:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-93.63,34.55,-93.63,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","Montgomery County Sheriff's office reported several trees and a few power lines were down throughout the county. Over 4000 homes were without power." +114027,683261,PENNSYLVANIA,2017,April,Thunderstorm Wind,"BLAIR",2017-04-30 17:01:00,EST-5,2017-04-30 17:01:00,0,0,0,0,15.00K,15000,0.00K,0,40.51,-78.4,40.51,-78.4,"Widely scattered thunderstorms formed in an unseasonably warm and humid airmass over western Pennsylvania, while southeasterly flow and a cooler, more stable airmass was situated across eastern Pennsylvania. After an overcast morning, the warmer air made it into the south-central mountains of Pennsylvania. One of the storms developed over Cambria County and became severe as it descended the Allegheny Front into Altoona, producing wind damage and hail across central Blair County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires across Altoona." +117669,707550,WISCONSIN,2017,June,Hail,"FOND DU LAC",2017-06-03 05:45:00,CST-6,2017-06-03 05:45:00,0,0,0,0,,NaN,,NaN,43.7,-88.36,43.7,-88.36,"An approaching warm front brought thunderstorms to southern WI during the morning hours. One thunderstorm produced large hail.","" +115430,706326,MINNESOTA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-11 07:52:00,CST-6,2017-06-11 07:58:00,0,0,0,0,25.00K,25000,0.00K,0,44.9002,-93.1366,44.9196,-93.0597,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","The local emergency manager reported that both South St. Paul, and West St. Paul had multiple trees blown down. Two trees fell on cars in West St. Paul and there were multiple power lines down." +117353,705731,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-12 18:00:00,CST-6,2017-06-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,44.6,-89.12,44.6,-89.12,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","A thunderstorm wind gust of 62 mph was measured in northwest Waupaca County." +117353,705732,WISCONSIN,2017,June,Thunderstorm Wind,"WAUPACA",2017-06-12 18:03:00,CST-6,2017-06-12 18:03:00,0,0,0,0,0.00K,0,0.00K,0,44.61,-88.75,44.61,-88.75,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm wind gusts were estimated at 60 mph in Clintonville." +117353,705733,WISCONSIN,2017,June,Thunderstorm Wind,"CALUMET",2017-06-12 18:42:00,CST-6,2017-06-12 18:42:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-88.08,43.95,-88.08,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Thunderstorm winds downed trees and power lines in New Holstein." +118717,713230,TEXAS,2017,June,Hail,"GOLIAD",2017-06-04 19:23:00,CST-6,2017-06-04 19:27:00,0,0,0,0,0.00K,0,0.00K,0,28.6662,-97.3979,28.67,-97.39,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Public reported quarter sized hail in Goliad." +117324,705667,KANSAS,2017,June,Hail,"SHERIDAN",2017-06-20 18:10:00,CST-6,2017-06-20 18:10:00,0,0,0,0,0.00K,0,0.00K,0,39.3572,-100.4105,39.3572,-100.4105,"Scattered strong to severe thunderstorms developed over part of Northwest Kansas during the afternoon, lasting into early evening. The largest hail produced by these storms was tennis ball size near Oakley. Rainfall rates were so high with one storm near Grainfield that vehicles were hydroplaning on I-70, and one semi with trailer rolled over.","The hail ranged from nickel to quarter in size." +117842,708299,ARIZONA,2017,June,Thunderstorm Wind,"PIMA",2017-06-20 16:22:00,MST-7,2017-06-20 16:27:00,0,0,0,0,0.50K,500,0.00K,0,32.17,-110.88,32.1326,-110.922,"Scattered thunderstorms moved east to west across southeast Arizona. Some storms produced severe wind gusts in Tucson and Nogales.","A severe wind gust was measured at Davis-Monthan Air Force Base. Two trees were snapped near the intersection of Lisa Frank and Universal Way." +116928,703240,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:13:00,CST-6,2017-06-16 17:13:00,0,0,0,0,700.00K,700000,0.00K,0,44.25,-91.49,44.25,-91.49,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Half dollar to tennis ball sized hail was reported in Arcadia. Several windshields were smashed by the hail." +116928,703247,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:18:00,CST-6,2017-06-16 17:18:00,0,0,0,0,610.00K,610000,306.00K,306000,44.28,-91.48,44.28,-91.48,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Egg to tennis ball sized hail was reported north of Arcadia." +113493,679400,NEW YORK,2017,March,Strong Wind,"SOUTHERN WASHINGTON",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +116928,703280,WISCONSIN,2017,June,Hail,"BUFFALO",2017-06-16 17:24:00,CST-6,2017-06-16 17:24:00,0,0,0,0,425.00K,425000,222.00K,222000,44.31,-91.7,44.31,-91.7,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Egg sized hail was reported in Waumandee." +115458,693347,NORTH DAKOTA,2017,June,Hail,"WELLS",2017-06-09 17:37:00,CST-6,2017-06-09 17:40:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-100.01,47.45,-100.01,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693348,NORTH DAKOTA,2017,June,Hail,"WELLS",2017-06-09 18:00:00,CST-6,2017-06-09 18:02:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-99.82,47.45,-99.82,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693349,NORTH DAKOTA,2017,June,Hail,"WELLS",2017-06-09 18:20:00,CST-6,2017-06-09 18:25:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-99.71,47.47,-99.71,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117517,708559,LOUISIANA,2017,June,Storm Surge/Tide,"WEST CAMERON",2017-06-21 00:09:00,CST-6,2017-06-22 15:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","The tide along the West Cameron coast pushed over 3 feet during the morning of the 21st and fell below during the afternoon of the 22nd. The tide at Cameron peaked out at 4.89 above MLLW with a surge of 3.02 feet. This created street flooding along Highway 82 between Constance Beach and Cameron with depths of 1 to 2 feet in spots. Water also became around 1 foot deep north of Hackberry near Kelso Bayou. Minor erosion also occurred along the beaches." +115396,693031,MISSOURI,2017,April,Hail,"AUDRAIN",2017-04-30 16:55:00,CST-6,2017-04-30 16:55:00,0,0,0,0,0.00K,0,0.00K,0,39.2925,-91.6441,39.2925,-91.6441,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +117517,708560,LOUISIANA,2017,June,Storm Surge/Tide,"EAST CAMERON",2017-06-21 00:09:00,CST-6,2017-06-22 15:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","The tide along the West Cameron coast pushed over 3 feet during the morning of the 21st and fell below during the afternoon of the 22nd. The tide at Cameron peaked out at 4.89 above MLLW with a surge of 3.02 feet above MLLW. This created street flooding in Cameron with water over between 2 and 3 feet deep near the courthouse. Water depts also near 2 feet in Oak Grove, and also covered a small section of Highway 82 near Grand Chenier. Minor erosion also occurred along the beaches." +117517,708881,LOUISIANA,2017,June,Storm Surge/Tide,"VERMILION",2017-06-20 23:57:00,CST-6,2017-06-22 15:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","Tropical Storm Cindy drove water levels over 3 feet for many hours. The tide reached a height of 6.38 feet above MLLW with a surge of 4.1 feet above MLLW. Water reached 1 to 3 feet deep in some locations around Freshwater City and Intercoastal City. Minor coastal erosion was noted." +117763,708999,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:50:00,CST-6,2017-06-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117763,709000,OKLAHOMA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-21 19:55:00,CST-6,2017-06-21 19:55:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117766,708041,OKLAHOMA,2017,June,Thunderstorm Wind,"CIMARRON",2017-06-22 19:13:00,CST-6,2017-06-22 19:13:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-102.04,36.91,-102.04,"Weak storms over NM were forecast to become stronger as a shortwave trof moved through. Eventually a line of storms would develop later in the evening, making for a wind threat.","Power lines knocked down at the intersection of HWY 56 and E-W 70." +117947,709001,TEXAS,2017,June,Hail,"DALLAM",2017-06-21 15:00:00,CST-6,2017-06-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-103.02,36.38,-103.02,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117947,709002,TEXAS,2017,June,Hail,"HARTLEY",2017-06-21 17:16:00,CST-6,2017-06-21 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-102.33,35.68,-102.33,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117517,708945,LOUISIANA,2017,June,Flash Flood,"CALCASIEU",2017-06-21 17:30:00,CST-6,2017-06-21 19:30:00,0,0,0,0,10.00K,10000,0.00K,0,30.1464,-93.2952,30.2485,-93.3927,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","Heavy rain from Tropical Storm Cindy produced flooding around the City of Lake Charles. Knee-deep water was reported by the emergency manager along the on ramps near Interstate 210. Numerous cars were also reported stalled in Lake Charles. Street flooding was also reported in Sulphur." +121932,729864,OHIO,2017,December,Winter Weather,"CHAMPAIGN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage in Urbana measured an inch of snow." +121932,729865,OHIO,2017,December,Winter Weather,"CLARK",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage west of Springfield measured an inch of snow." +121932,729863,OHIO,2017,December,Winter Weather,"BUTLER",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage in Maustown measured a half inch of snow." +121932,729866,OHIO,2017,December,Winter Weather,"CLINTON",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","An employee 2 miles west of Wilmington measured 2 inches of snow while another 2 miles north of town measured 1.5 inches. The office south of town measured 1.2 inches." +117136,705950,OKLAHOMA,2017,June,Thunderstorm Wind,"MAYES",2017-06-15 21:45:00,CST-6,2017-06-15 21:45:00,0,0,0,0,15.00K,15000,0.00K,0,36.3,-95.32,36.3,-95.32,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down a large tree onto a home." +117136,705951,OKLAHOMA,2017,June,Thunderstorm Wind,"WAGONER",2017-06-15 21:55:00,CST-6,2017-06-15 21:55:00,0,0,0,0,2.00K,2000,0.00K,0,35.9552,-95.3639,35.9552,-95.3639,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down power poles on the east side of town." +117779,717676,MINNESOTA,2017,August,Heavy Rain,"RENVILLE",2017-08-16 17:45:00,CST-6,2017-08-17 05:45:00,0,0,0,0,0.00K,0,0.00K,0,44.87,-95.48,44.87,-95.48,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A measured rainfall report indicated 6.07 inches fell near Maynard, Minnesota." +117136,705952,OKLAHOMA,2017,June,Thunderstorm Wind,"TULSA",2017-06-15 22:00:00,CST-6,2017-06-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,36.023,-95.9686,36.023,-95.9686,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down a large tree and numerous large tree limbs." +117136,705953,OKLAHOMA,2017,June,Thunderstorm Wind,"MAYES",2017-06-15 22:05:00,CST-6,2017-06-15 22:05:00,0,0,0,0,0.00K,0,0.00K,0,36.4371,-95.2702,36.4371,-95.2702,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Thunderstorm wind gusts were estimated to 60 mph." +121932,729868,OHIO,2017,December,Winter Weather,"DELAWARE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A public report from Lewis Center measured 0.8 inches of snow." +121932,729867,OHIO,2017,December,Winter Weather,"DARKE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage near Greenville measured an inch of snow." +121932,729869,OHIO,2017,December,Winter Weather,"FRANKLIN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A report from east of Upper Arlington measured 1.3 inches of snow. The CMH airport measured 0.8 inches of snow." +121932,729870,OHIO,2017,December,Winter Weather,"GREENE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located 3 miles northeast of Beavercreek measured 1.4 inches of snow. A public report from 3 miles southwest of Fairborn measured 1.2 inches of snow, while the county garage in Xenia measured 0.7 inches." +121932,729871,OHIO,2017,December,Winter Weather,"HAMILTON",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A public report from Cheviot measured 2 inches of snow, while another report north of Cheviot measured 1.5 inches, as did a spotter 5 miles west of Finneytown." +121932,729873,OHIO,2017,December,Winter Weather,"LOGAN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage north of Bellefontaine measured 3 inches of snow." +121932,729874,OHIO,2017,December,Winter Weather,"MERCER",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A public report from Maria Stein showed that 4.3 inches of snow fell there. The county garage 3 miles west of Celina measured 3 inches of snow." +121932,729875,OHIO,2017,December,Winter Weather,"MIAMI",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A spotter northeast of Troy measured 1.3 inches of snow while the county garage west of town measured an inch." +121932,729876,OHIO,2017,December,Winter Weather,"MONTGOMERY",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The Dayton airport DAY measured 1.6 inches of snow while a NWS employee south of Centerville measured 1.4 inches." +121932,729877,OHIO,2017,December,Winter Weather,"PREBLE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A spotter in Eaton measured 1.5 inches of snow, while the county garage west of West Alexander measured an inch." +121932,729881,OHIO,2017,December,Winter Weather,"UNION",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage in Marysville measured 3 inches of snow." +121932,729882,OHIO,2017,December,Winter Weather,"WARREN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A public report from Maineville measured 1.5 inches of snow, while a NWS employee north of town measured 1.1 inches." +121932,729883,OHIO,2017,December,Winter Weather,"LICKING",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located 4 miles north of Granville measured an inch of snow." +121937,729908,INDIANA,2017,December,Winter Weather,"DEARBORN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th. Highest snowfall accumulations were focused along the I-70 corridor.","The observer from north of Bright measured 1.7 inches while another west of Aurora measured an inch. Yet another observer northeast of Dillsboro measured 0.7 inches of snow." +114396,686058,KANSAS,2017,March,Hail,"ATCHISON",2017-03-06 18:45:00,CST-6,2017-03-06 18:48:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-95.34,39.47,-95.34,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +117793,709615,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:35:00,CST-6,2017-06-23 14:36:00,0,0,0,0,0.00K,0,0.00K,0,34.11,-85.73,34.11,-85.73,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted near the intersection of County 71 and County Road 38." +117793,709616,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:36:00,CST-6,2017-06-23 14:37:00,0,0,0,0,0.00K,0,0.00K,0,34.1509,-85.6092,34.1509,-85.6092,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted and power lines downed at County Road 22 and County Road 531." +117793,709617,ALABAMA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-23 14:36:00,CST-6,2017-06-23 14:37:00,0,0,0,0,0.00K,0,0.00K,0,34.1212,-85.5576,34.1212,-85.5576,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted along County Road 124." +117470,707680,ARKANSAS,2017,June,Thunderstorm Wind,"SALINE",2017-06-23 16:00:00,CST-6,2017-06-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-92.32,34.57,-92.32,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","A tree was blown down near Lorance Drive." +117793,709618,ALABAMA,2017,June,Thunderstorm Wind,"CALHOUN",2017-06-23 14:55:00,CST-6,2017-06-23 14:56:00,0,0,0,0,0.00K,0,0.00K,0,33.8509,-86.0198,33.8509,-86.0198,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted on Greensport Road." +117793,709619,ALABAMA,2017,June,Thunderstorm Wind,"CALHOUN",2017-06-23 15:00:00,CST-6,2017-06-23 15:01:00,0,0,0,0,0.00K,0,0.00K,0,33.8908,-85.963,33.8908,-85.963,"As Tropical Cyclone Cindy moved onshore along the Texas and Louisiana state line, feeder bands on the east side of Cindy developed over central Alabama. The feeder bands produced several modes of severe weather, including tornadoes, straight line winds, and flash flooding.","Several trees uprooted and power lines downed on Oak Grove Road." +118056,709884,ATLANTIC SOUTH,2017,June,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-06-18 12:28:00,EST-5,2017-06-18 12:28:00,0,0,0,0,0.00K,0,0.00K,0,25.43,-80.32,25.43,-80.32,"A band of storms developed over the local Atlantic waters during the late morning hours. This band moved northwest into the mainland, and produced several strong wind gusts along the Miami-Dade County coast around midday.","A marine thunderstorm wind gust of 38 knots / 44 mph was recorded by the WxFlow mesonet site XTKY at the Turkey Point Power Plant at an elevation of 62 feet." +116152,701320,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:19:00,EST-5,2017-06-13 16:19:00,0,0,0,0,1.00K,1000,0.00K,0,42.3889,-71.1133,42.3889,-71.1133,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 419 PM EST, a large tree was brought down on Linden Avenue in Somerville." +116446,700319,ILLINOIS,2017,June,Strong Wind,"MARSHALL",2017-06-29 00:05:00,CST-6,2017-06-29 00:10:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A tightening pressure gradient between a high pressure center anchored over the East Coast and a cold front draped across the Plains created strong southerly winds across central Illinois during the evening of June 28th into the early morning of June 29th. Scattered showers brought 50-60 mph wind gusts to the surface in some areas, producing isolated wind damage.","Several large tree limbs were blown down in Toluca." +118588,712383,MINNESOTA,2017,June,Hail,"ROCK",2017-06-12 09:25:00,CST-6,2017-06-12 09:25:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-96.19,43.51,-96.19,"Storms that earlier developed in areas of southeast South Dakota moved into southwest Minnesota and produced hail and wind.","" +119227,715975,NORTH DAKOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-19 16:45:00,CST-6,2017-09-19 16:45:00,0,0,0,0,,NaN,,NaN,46.94,-97.52,46.94,-97.52,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Strong winds were reported along with pea sized hail." +113837,681682,KENTUCKY,2017,March,Hail,"HARDIN",2017-03-30 19:31:00,EST-5,2017-03-30 19:31:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-85.85,37.66,-85.85,"A cold front clashed with a warm and humid air mass late in the evening on March 30 across central Kentucky. This brought isolated severe thunderstorms that resulted in damaging winds and large hail.","" +118505,712033,MICHIGAN,2017,June,Thunderstorm Wind,"CHIPPEWA",2017-06-11 15:57:00,EST-5,2017-06-11 15:57:00,0,0,0,0,8.00K,8000,0.00K,0,45.99,-84.17,45.99,-84.17,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","A large tree was downed onto a vehicle." +115231,691848,WISCONSIN,2017,April,Hail,"MILWAUKEE",2017-04-10 14:14:00,CST-6,2017-04-10 14:16:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-87.87,42.97,-87.87,"A low pressure area and warm and cold frontal passages brought a round of thunderstorms in the early morning and another round in the afternoon. Large hail was observed.","" +115926,696559,ARKANSAS,2017,May,Thunderstorm Wind,"CRAIGHEAD",2017-05-27 20:45:00,CST-6,2017-05-27 20:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.7823,-90.7169,35.7455,-90.6537,"Severe thunderstorms associated with a bow echo and separate Derecho caused widespread wind damage and a few marginally severe hail reports during the evening and early overnight hours of May 27th.","Large metal shop roof blown off along Highway 1 just south of Jonesboro." +116079,697694,COLORADO,2017,June,Hail,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-102.28,37.39,-102.28,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","" +119389,716585,ILLINOIS,2017,June,Heavy Rain,"WILL",2017-06-13 15:28:00,CST-6,2017-06-13 15:28:00,0,0,0,0,0.00K,0,0.00K,0,41.6434,-88.2,41.6434,-88.2,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Heavy rainfall of 1.65 inches was reported 3 miles north of Plainfield." +119389,717222,ILLINOIS,2017,June,Flash Flood,"KANKAKEE",2017-06-13 17:00:00,CST-6,2017-06-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1496,-87.8796,41.1142,-87.8869,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Heavy rain caused flash flooding in the Kankakee and Bradley areas. One water rescued occurred for a partially submerged car in Bradley on Kennedy Drive. Rainfall of 1.85 inches was measured in Kankakee." +116079,697696,COLORADO,2017,June,Thunderstorm Wind,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:40:00,0,0,0,0,30.00K,30000,0.00K,0,37.38,-102.3346,37.38,-102.3346,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","Three quarters of a mile of power poles were snapped off." +116079,697700,COLORADO,2017,June,Thunderstorm Wind,"BACA",2017-06-25 14:39:00,MST-7,2017-06-25 14:40:00,0,0,0,0,25.00K,25000,0.00K,0,37.38,-102.3119,37.38,-102.3119,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","One half mile of pivot irrigation was damaged and destroyed, and a roof was partially lifted off a barn." +116079,697707,COLORADO,2017,June,Tornado,"BACA",2017-06-25 14:25:00,MST-7,2017-06-25 14:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.4167,-102.3206,37.3536,-102.3261,"A few severe storms produced very large hail up to the size of baseballs and a tornado near Walsh. Very large hail and severe winds in Walsh caused extensive damage to structures and vehicles. Power was knocked out for several hours and numerous businesses were closed for several days for clean up. Severe microburst winds also occurred west of Walsh. The tornado occurred just west of the microburst damage.","A tornado, at one time multiple-vortex, did some damage to fencing as it moved mainly across open fields around 3 miles west of Walsh and crossed US Highway 160." +116086,697715,COLORADO,2017,June,Hail,"EL PASO",2017-06-29 12:30:00,MST-7,2017-06-29 12:35:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-104.3,39.04,-104.3,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697716,COLORADO,2017,June,Hail,"KIOWA",2017-06-29 15:44:00,MST-7,2017-06-29 15:49:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-103.17,38.45,-103.17,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +116086,697717,COLORADO,2017,June,Hail,"EL PASO",2017-06-29 16:03:00,MST-7,2017-06-29 16:08:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-104.06,38.85,-104.06,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +115547,705918,WISCONSIN,2017,June,Thunderstorm Wind,"OUTAGAMIE",2017-06-14 14:30:00,CST-6,2017-06-14 14:30:00,0,0,0,0,0.00K,0,0.00K,0,44.43,-88.58,44.43,-88.58,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed trees and power lines in Shiocton." +115547,705920,WISCONSIN,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 14:50:00,CST-6,2017-06-14 14:50:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-88.11,44.4,-88.11,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds uprooted or damaged 20 trees on the Fox River." +115547,705919,WISCONSIN,2017,June,Thunderstorm Wind,"SHAWANO",2017-06-14 14:45:00,CST-6,2017-06-14 14:45:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-88.59,44.78,-88.59,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed large tree limbs in Shawano." +115547,705921,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-14 14:52:00,CST-6,2017-06-14 14:52:00,0,0,0,0,0.00K,0,0.00K,0,44.68,-88.17,44.68,-88.17,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed numerous trees near Sobieski." +120405,721235,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-24 15:28:00,CST-6,2017-09-24 15:28:00,0,0,0,0,,NaN,,NaN,46.33,-94.13,46.33,-94.13,"A strong thunderstorm moved across Crow Wing County producing damaging winds gusts outside of the city of Brainerd. Several large tree branches were knocked down along with pine trees having their needles stripped.","Numerous tree branches varying in diameter from six to eight inches were knocked down. In addition, a few pine trees were stripped of their needles." +120637,723079,TEXAS,2017,September,Flood,"FRIO",2017-09-27 11:01:00,CST-6,2017-09-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.7519,-99.2634,28.7581,-99.2992,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flooding closing FM 117 northwest of Divot." +120637,723080,TEXAS,2017,September,Flood,"DIMMIT",2017-09-27 11:05:00,CST-6,2017-09-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.35,-99.6858,28.3337,-99.7311,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flooding closing FM 2688 in both directions west of Catarina." +120637,723082,TEXAS,2017,September,Flood,"MAVERICK",2017-09-27 11:09:00,CST-6,2017-09-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.8364,-100.3601,29.0236,-100.2063,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flooding closing FM 481 from SH 57 toward Uvalde." +120738,723121,CALIFORNIA,2017,September,Hail,"SHASTA",2017-09-06 16:00:00,PST-8,2017-09-06 16:05:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-121.5,40.8,-121.5,"Afternoon thunderstorms with large hail developed in the mountains and foothills.","Nickel size hail, strong gusty wind and lightning strikes reported. Event time estimated by radar." +120738,723122,CALIFORNIA,2017,September,Hail,"AMADOR",2017-09-08 15:25:00,PST-8,2017-09-08 15:30:00,0,0,0,0,0.00K,0,0.00K,0,38.68,-120.12,38.68,-120.12,"Afternoon thunderstorms with large hail developed in the mountains and foothills.","Hail stones accumulated on Highway 88, as large as an inch in diameter." +121936,729923,OHIO,2017,December,Winter Weather,"DELAWARE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The CoCoRaHS observer west of Hartford measured 4 inches of snow, while another east of Powell measured 3.4 inches. The observer from Dublin measured 3.2 inches." +116270,700330,MISSISSIPPI,2017,June,Thunderstorm Wind,"WINSTON",2017-06-16 16:25:00,CST-6,2017-06-16 16:35:00,0,0,0,0,75.00K,75000,0.00K,0,33.15,-89.08,33.1221,-89.0332,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees were blown down around Louisville. A tree fell onto a house on Northwood Drive." +121936,729924,OHIO,2017,December,Winter Weather,"FAIRFIELD",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage south of Lancaster measured 2 inches of snow." +121936,729925,OHIO,2017,December,Winter Weather,"FAYETTE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A social media post from New Martinsburg showed that 4 inches of snow fell, while the county garage west of Washington Court House measured 3 inches of snow." +121936,729926,OHIO,2017,December,Winter Weather,"FRANKLIN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter from Worthington measured 4.1 inches of snow. The CoCoRaHS observer from south of Powell measured 4 inches, as did a public report from Westerville." +121936,729927,OHIO,2017,December,Winter Weather,"GREENE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","A spotter from Fairborn measured 3.8 inches of snow. Other observations from southeast of Fairborn, near Xenia, and Cedarville measured 3.5 inches." +121936,729928,OHIO,2017,December,Winter Weather,"HAMILTON",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The observer from Wyoming measured 1.9 inches of snow. Another from White Oak West measured 1.7 inches, and a spotter from Sharonville measured 1.4 inches." +116270,700332,MISSISSIPPI,2017,June,Thunderstorm Wind,"LEFLORE",2017-06-16 16:30:00,CST-6,2017-06-16 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.38,-90.23,33.38,-90.23,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A tree was blown down." +116270,700333,MISSISSIPPI,2017,June,Thunderstorm Wind,"SCOTT",2017-06-16 16:20:00,CST-6,2017-06-16 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.2381,-89.5071,32.2381,-89.5071,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A few trees were blown down in the Homewood community, including a tree that was blown down and blocked portions of Highway 35 near Wicker Mill Road." +116270,701436,MISSISSIPPI,2017,June,Thunderstorm Wind,"SMITH",2017-06-16 20:06:00,CST-6,2017-06-16 20:13:00,0,0,0,0,400.00K,400000,0.00K,0,31.8079,-89.493,31.8079,-89.493,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down near CR 18 and CR 27 southwest of Taylorsville. Multiple homes sustained major roof damage due to both strong winds and falling trees." +116270,701463,MISSISSIPPI,2017,June,Thunderstorm Wind,"JONES",2017-06-16 20:15:00,CST-6,2017-06-16 20:41:00,0,0,0,0,200.00K,200000,0.00K,0,31.792,-89.395,31.442,-89.179,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A line of severe thunderstorms produced a swath of damaging wind that blew down numerous trees across western Jones County, some of which fell onto homes and power lines. The area around Hebron Centerville Road was particularly affected where trees fell onto several homes and a camper, and siding was blown off of one home. A tree also fell onto a vehicle on US Highway 11 south of Ellisville." +116270,707547,MISSISSIPPI,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-16 20:15:00,CST-6,2017-06-16 20:16:00,0,0,0,0,10.00K,10000,0.00K,0,31.63,-90.34,31.63,-90.34,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees and power lines were blown down along Heucks Retreat Road northeast of Brookhaven." +118439,711872,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WASHINGTON",2017-06-23 14:44:00,EST-5,2017-06-23 14:44:00,0,0,0,0,1.00K,1000,0.00K,0,40.2,-79.92,40.2,-79.92,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Trained spotter reported trees down." +118439,711873,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 14:51:00,EST-5,2017-06-23 14:51:00,0,0,0,0,1.00K,1000,0.00K,0,40.1,-79.75,40.1,-79.75,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported trees down." +118439,711874,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 14:51:00,EST-5,2017-06-23 14:51:00,0,0,0,0,1.00K,1000,0.00K,0,40.15,-79.72,40.15,-79.72,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711956,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-23 14:58:00,EST-5,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4013,-79.9933,40.399,-80.0028,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Trained spotter reported Nobles Lane and State Route 51 had high water." +118439,711955,PENNSYLVANIA,2017,June,Flood,"WESTMORELAND",2017-06-23 16:02:00,EST-5,2017-06-23 19:02:00,0,0,0,0,0.00K,0,0.00K,0,40.4068,-79.0638,40.4287,-79.0425,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Local 911 reported flooding on Route 711 in Seward." +118439,711957,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-23 15:50:00,EST-5,2017-06-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-79.89,40.3494,-79.8838,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that the ramp to Dravosburg from Route 837 was flooded." +117389,706016,PENNSYLVANIA,2017,June,Hail,"BEAVER",2017-06-13 15:11:00,EST-5,2017-06-13 15:11:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-80.21,40.75,-80.21,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706017,PENNSYLVANIA,2017,June,Hail,"BEAVER",2017-06-13 15:12:00,EST-5,2017-06-13 15:12:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-80.2,40.72,-80.2,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706018,PENNSYLVANIA,2017,June,Hail,"ALLEGHENY",2017-06-13 15:54:00,EST-5,2017-06-13 15:54:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-79.91,40.36,-79.91,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706019,PENNSYLVANIA,2017,June,Hail,"ALLEGHENY",2017-06-13 15:59:00,EST-5,2017-06-13 15:59:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-79.92,40.39,-79.92,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706020,PENNSYLVANIA,2017,June,Hail,"ALLEGHENY",2017-06-13 16:07:00,EST-5,2017-06-13 16:07:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-79.91,40.36,-79.91,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706021,PENNSYLVANIA,2017,June,Hail,"ALLEGHENY",2017-06-13 16:14:00,EST-5,2017-06-13 16:14:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-79.9,40.39,-79.9,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706022,PENNSYLVANIA,2017,June,Hail,"ALLEGHENY",2017-06-13 16:33:00,EST-5,2017-06-13 16:33:00,0,0,0,0,0.00K,0,0.00K,0,40.27,-79.95,40.27,-79.95,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","" +117389,706023,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-13 15:10:00,EST-5,2017-06-13 15:10:00,0,0,0,0,2.50K,2500,0.00K,0,40.7183,-80.1999,40.7183,-80.1999,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local 911 call center reported numerous trees and wires down." +118393,711503,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-18 15:10:00,EST-5,2017-06-18 15:10:00,0,0,0,0,2.50K,2500,0.00K,0,41.17,-79.71,41.17,-79.71,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported that Interstate 80 was closed at 46 west bound and 45 east bound mile markers due to lines down across the interstate." +118393,711504,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-18 15:16:00,EST-5,2017-06-18 15:16:00,0,0,0,0,2.50K,2500,0.00K,0,40.57,-80.41,40.57,-80.41,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down." +118393,711505,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MERCER",2017-06-18 18:06:00,EST-5,2017-06-18 18:06:00,0,0,0,0,2.50K,2500,0.00K,0,41.38,-80.43,41.38,-80.43,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported numerous trees down." +115559,704374,NEBRASKA,2017,June,Thunderstorm Wind,"POLK",2017-06-13 18:48:00,CST-6,2017-06-13 18:55:00,0,0,0,0,75.00K,75000,0.00K,0,41.2206,-97.7467,41.2414,-97.6316,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","An unofficial wind gust of 92 MPH was measured by a mesonet site 7 miles east of Clarks. Other reports from spotters and chasers estimated wind gusts between 60 and 80 MPH in the area. Large gustnadoes were reported crossing Highway 39." +118413,711620,OHIO,2017,June,Thunderstorm Wind,"COLUMBIANA",2017-06-18 14:01:00,EST-5,2017-06-18 14:01:00,1,0,0,0,0.00K,0,0.00K,0,40.84,-80.54,40.84,-80.54,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported several trees down on a house causing roof damage. A lady was struck in the head by a falling tree." +118415,711648,WEST VIRGINIA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-18 14:25:00,EST-5,2017-06-18 14:25:00,0,0,0,0,2.50K,2500,0.00K,0,40.59,-80.58,40.59,-80.58,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down." +118415,711649,WEST VIRGINIA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-18 14:29:00,EST-5,2017-06-18 14:29:00,0,0,0,0,2.50K,2500,0.00K,0,40.61,-80.54,40.61,-80.54,"Increasing instability and modest shear, along with a passing upper trough and associated front, supported strong to severe storms across northern Pennsylvania on the 18th. Isolated damage also was reports in eastern Ohio and northern West Virginia.","State official reported multiple trees down." +115559,704377,NEBRASKA,2017,June,Thunderstorm Wind,"POLK",2017-06-13 19:00:00,CST-6,2017-06-13 19:00:00,0,0,0,0,25.00K,25000,0.00K,0,41.18,-97.55,41.18,-97.55,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","Wind gusts were estimated to be around 65 MPH, knocking down large tree limbs, some up to around 12 inches in diameter. This was the first of 2 rounds of severe-criteria winds to affect Osceola." +115587,694220,TENNESSEE,2017,May,Thunderstorm Wind,"FENTRESS",2017-05-27 19:41:00,CST-6,2017-05-27 19:41:00,0,0,0,0,10.00K,10000,0.00K,0,36.25,-84.9968,36.25,-84.9968,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Facebook photos showed a barn was destroyed and several trees were blown down on York Highway south of Grimsely." +117914,708957,MINNESOTA,2017,July,Heavy Rain,"WINONA",2017-07-19 16:10:00,CST-6,2017-07-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-91.66,44.05,-91.66,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","In Winona, 4.65 inches of rain fell." +117906,708574,WISCONSIN,2017,July,Hail,"JEFFERSON",2017-07-06 23:16:00,CST-6,2017-07-06 23:16:00,0,0,0,0,,NaN,,NaN,42.86,-88.6,42.86,-88.6,"Numerous thunderstorms developed as a cold front approached southern WI. The storms contained large hail and damaging winds.","Estimated 50 mph wind with one inch hail falling." +117911,708597,WISCONSIN,2017,July,Thunderstorm Wind,"BUFFALO",2017-07-18 17:55:00,CST-6,2017-07-18 17:55:00,0,0,0,0,2.00K,2000,0.00K,0,44.14,-91.73,44.14,-91.73,"A couple rounds of thunderstorms moved across western Wisconsin during the afternoon and evening of July 18th. Most of these storms remain below severe limits, but a couple of storms briefly produced strong enough winds to blow down trees near Fountain City (Buffalo County) and Wonewoc (Juneau County).","Trees were blown down near Fountain City with one of these landing across a road." +117911,708598,WISCONSIN,2017,July,Thunderstorm Wind,"JUNEAU",2017-07-18 20:20:00,CST-6,2017-07-18 20:20:00,0,0,0,0,3.00K,3000,0.00K,0,43.65,-90.22,43.65,-90.22,"A couple rounds of thunderstorms moved across western Wisconsin during the afternoon and evening of July 18th. Most of these storms remain below severe limits, but a couple of storms briefly produced strong enough winds to blow down trees near Fountain City (Buffalo County) and Wonewoc (Juneau County).","Numerous trees were blown down in the Township of Wonewoc." +118072,709652,NEW HAMPSHIRE,2017,June,Hail,"COOS",2017-06-25 18:15:00,EST-5,2017-06-25 18:19:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-71.61,44.38,-71.61,"An upper level trough created enough instability for scattered afternoon showers and thunderstorms on the 25th. Low freezing levels resulted in many reports of small hail. One isolated severe cell produced 1 inch hail in Whitefield.","A severe thunderstorm produced 1 inch hail in Whitefield." +115583,694108,TENNESSEE,2017,May,Flash Flood,"SUMNER",2017-05-11 21:30:00,CST-6,2017-05-11 22:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4791,-86.3174,36.4769,-86.3145,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","Flood waters were reportedly surrounding Bethpage Elementary School." +115583,694109,TENNESSEE,2017,May,Heavy Rain,"SUMNER",2017-05-11 06:00:00,CST-6,2017-05-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.48,-86.32,36.48,-86.32,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","A 24 hour rainfall total was reported by the Bethpage COOP observer of 3.02 inches." +115480,695721,MONTANA,2017,June,Hail,"CARBON",2017-06-12 17:20:00,MST-7,2017-06-12 17:20:00,0,0,0,0,0.00K,0,0.00K,0,45.25,-108.96,45.25,-108.96,"An upper level disturbance combined with a southwest flow aloft resulted in a few severe thunderstorms across the Billings Forecast area. This was the first severe weather day of the year for the Billings Forecast area.","" +115697,695269,KENTUCKY,2017,June,Flash Flood,"FLEMING",2017-06-23 18:35:00,EST-5,2017-06-23 22:35:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-83.66,38.35,-83.53,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","County dispatch relayed numerous reports of flash flooding across the county. These included two homes in Flemingsburg on East Water Street having water in them with the road being shut down, as well as roads in Muses Mills, Tilton, and Hillsboro being closed as 2 to 4 inches of rain fell. The highest measured amount was in Sharkey at 3.59 inches." +115697,695276,KENTUCKY,2017,June,Flash Flood,"BATH",2017-06-23 19:09:00,EST-5,2017-06-23 22:09:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-83.84,38.2048,-83.779,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Emergency management reported multiple instances of flash flooding across the county. The first of which included a car being stranded north of Bethel as flood waters engulfed both sides of the road. Portions of Kentucky Highway 36 west of Owingsville were impassable, while water entered homes on Pendleton Branch Road and Old State Road. Rainfall amounts generally ranged from 2 to 3 inches." +115899,696465,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-25 14:35:00,MST-7,2017-06-25 14:38:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-105.23,33.37,-105.23,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of quarters." +115899,696467,NEW MEXICO,2017,June,Hail,"COLFAX",2017-06-25 15:05:00,MST-7,2017-06-25 15:09:00,0,0,0,0,0.00K,0,0.00K,0,36.36,-104.59,36.36,-104.59,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of golf balls along with high winds. A three inch tree limb was downed." +115965,696942,MINNESOTA,2017,June,High Wind,"WEST POLK",2017-06-13 09:10:00,CST-6,2017-06-13 09:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The 79 mph peak wind was measured by a personal weather station two miles west of Angus. A 68 mph wind gust was measured by a MNDOT RWIS station near Mallory and a 62 mph wind gust was measured by a NDAWN station between Warren and Tabor. The strong winds damaged trees, power lines, signs, light poles, and fences." +115965,696961,MINNESOTA,2017,June,High Wind,"EAST MARSHALL",2017-06-13 10:00:00,CST-6,2017-06-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong winds developed in what is known as a Wake Low, over the central and northern Red River Valley into portions of northwest Minnesota during the late morning and early afternoon. This produced very strong wind gusts in the Grand Forks/East Grand Forks area, which resulted in tremendous damage to trees, fences, signs, light poles, etc.","The 65 mph wind gust was measured by a personal weather station 7 miles southeast of Middle River. Another station 2 miles east of Gatzke reported 40 mph sustained winds with gusts to 51 mph." +115966,696994,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-19 12:35:00,EST-5,2017-06-19 12:35:00,0,0,0,0,0.00K,0,0.00K,0,27.0728,-82.44,27.0728,-82.44,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The AWOS at Venice Municipal Airport measured a 37 knot thunderstorm wind gust." +115966,696996,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-19 13:01:00,EST-5,2017-06-19 13:01:00,0,0,0,0,0.00K,0,0.00K,0,27.4015,-82.5586,27.4015,-82.5586,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The ASOS at Sarasota-Bradenton International Airport measured a 44 knot thunderstorm wind gust." +115966,696972,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-06-19 11:10:00,EST-5,2017-06-19 11:10:00,0,0,0,0,0.00K,0,0.00K,0,26.45,-82,26.45,-82,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station at Tarpon Point Marina recorded a 38 knot marine thunderstorm wind gust." +115966,697005,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-19 13:25:00,EST-5,2017-06-19 13:25:00,0,0,0,0,0.00K,0,0.00K,0,27.76,-82.57,27.76,-82.57,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station in the Tampa Bay recorded a 35 knot marine thunderstorm wind gust." +116118,698423,WYOMING,2017,June,Hail,"NATRONA",2017-06-12 18:40:00,MST-7,2017-06-12 18:45:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-106.28,43.42,-106.25,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The public reported hail up to the size of nickels in Midwest and Edgerton." +116118,698424,WYOMING,2017,June,Flash Flood,"JOHNSON",2017-06-12 18:30:00,MST-7,2017-06-12 22:30:00,0,0,0,0,0.00K,0,0.00K,0,44.2421,-106.4467,44.2379,-106.4477,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A CocoRaHS reporter reported flash flooding along Crazy Woman Creek near the south end of Espinoza Road south of Interstate 90." +116118,698409,WYOMING,2017,June,Hail,"PARK",2017-06-12 15:25:00,MST-7,2017-06-12 15:30:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-109.62,44.47,-109.62,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A trained spotter reported nickel size hail 10 miles west of Wapati." +116370,699785,MONTANA,2017,June,Thunderstorm Wind,"CASCADE",2017-06-01 16:30:00,MST-7,2017-06-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,47.5,-111.29,47.5,-111.29,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Rotted tree blown down by thunderstorm. Estimated gust of 60 mph." +116370,699786,MONTANA,2017,June,Thunderstorm Wind,"CHOUTEAU",2017-06-01 17:40:00,MST-7,2017-06-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,47.99,-110.43,47.99,-110.43,"An upper-level disturbance and Pacific cool front swept eastward over the region during the afternoon and early evening of June 1st. Scattered showers and thunderstorms developed along and ahead of the front. Appreciable instability and vertical wind shear allowed some storms to become severe.","Trained spotter estimates 60 to 70 mph wind gusts with tree limbs of 3 inches in diameter down." +116374,699809,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:51:00,MST-7,2017-06-08 18:51:00,0,0,0,0,0.00K,0,0.00K,0,48.66,-111.86,48.66,-111.86,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter reported severe wind gust of 62 mph via social media." +116374,699831,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 18:59:00,MST-7,2017-06-08 18:59:00,0,0,0,0,0.00K,0,0.00K,0,48.85,-111.86,48.85,-111.86,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","A 115 mph thunderstorm wind gust was recorded by personal weather station. Likely associated with downburst. Damage to trees, picnic area, roof, and siding." +116374,699819,MONTANA,2017,June,Thunderstorm Wind,"TOOLE",2017-06-08 19:10:00,MST-7,2017-06-08 19:10:00,0,0,0,0,0.00K,0,0.00K,0,48.75,-111.97,48.75,-111.97,"Strong shortwave trough with deepening surface low pressure area aided in the development of significant severe weather for portions of northern and central Montana. This episode included a downburst that produced a 115 mph wind gust near Sunburst, MT.","Trained spotter reported downed tree branches and a power outage." +116378,699838,MONTANA,2017,June,Thunderstorm Wind,"BLAINE",2017-06-26 18:20:00,MST-7,2017-06-26 18:20:00,0,0,0,0,0.00K,0,0.00K,0,48.3819,-108.92,48.3819,-108.92,"A few severe thunderstorms affected north-central and southwest Montana on June 26th and 27th. These storms developed ahead of an eastward-advancing cold front and within an environment characterized by appreciable instability and weak to moderate vertical wind shear.","A 58 mph thunderstorm wind gust was reported at the Fort Belknap RAWS." +116482,700506,MISSISSIPPI,2017,June,Flash Flood,"MADISON",2017-06-19 15:40:00,CST-6,2017-06-19 18:30:00,0,0,0,0,12.00K,12000,0.00K,0,32.53,-90.08,32.5153,-90.0858,"As a frontal boundary was situated across the region, a warm and unstable airmass was conducive for afternoon showers and thunderstorms. These storms brought flash flooding to the region given ample moisture in place over the region.","Heavy rain resulted in flash flooding in the Madison area. Some standing water occurred on the road between Church and Yandell Road near Highway 51. The road was also covered in water in the Fieldstone Subdivision off Dewees Road and also at the intersection of Bozeman Road and Reunion Parkway." +116484,700513,MISSISSIPPI,2017,June,Strong Wind,"FORREST",2017-06-22 12:40:00,CST-6,2017-06-22 12:40:00,1,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree fell onto a pedestrian on West Pine Street in Hattiesburg, which caused an injury." +116484,700516,MISSISSIPPI,2017,June,Strong Wind,"FORREST",2017-06-22 13:15:00,CST-6,2017-06-22 13:15:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree fell on Tucker Road." +116484,700518,MISSISSIPPI,2017,June,Strong Wind,"JONES",2017-06-22 14:28:00,CST-6,2017-06-22 14:32:00,0,0,0,0,13.00K,13000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A powerpole was blown down on Old Bay Springs Road north-northeast of Laurel and a tree also fell along Sharon Road near Sandersville." +116484,700517,MISSISSIPPI,2017,June,Thunderstorm Wind,"ADAMS",2017-06-22 13:36:00,CST-6,2017-06-22 13:36:00,0,0,0,0,10.00K,10000,0.00K,0,31.6,-91.23,31.6202,-91.191,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Trees were blown down along State Park Road, Tate Road and Forest Home Road due to the outer rainbands of Tropical Depression Cindy." +116484,700520,MISSISSIPPI,2017,June,Thunderstorm Wind,"WARREN",2017-06-23 09:10:00,CST-6,2017-06-23 09:15:00,0,0,0,0,12.00K,12000,0.00K,0,32.31,-90.88,32.32,-90.81,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down across both lanes of Highway 27. Several trees were blown down across the city, mostly south of I-20." +115871,696677,NEW MEXICO,2017,June,Heat,"CURRY COUNTY",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across Roosevelt County ranged from 101 to 106 degrees on four consecutive days. Record high temperatures were set at Portales." +115871,696679,NEW MEXICO,2017,June,Heat,"QUAY COUNTY",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across Quay County ranged from 104 to 109 degrees on four consecutive days. Record high temperatures were set at Tucumcari." +115743,696723,OHIO,2017,June,Flash Flood,"WASHINGTON",2017-06-23 18:10:00,EST-5,2017-06-24 05:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.5545,-81.5257,39.4558,-81.5046,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Duck Creek and the West Fork of Duck Creek flooded, causing road closures on State Route 145 near Lower Salem, and State Route 821 near Whipple." +115744,695696,WEST VIRGINIA,2017,June,Flash Flood,"CABELL",2017-06-23 21:27:00,EST-5,2017-06-23 23:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.2787,-82.2248,38.2811,-82.2313,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","Madison Creek overflowed its banks south of Salt Rock." +112775,673893,MINNESOTA,2017,March,Tornado,"FREEBORN",2017-03-06 17:38:00,CST-6,2017-03-06 17:49:00,0,0,0,0,,NaN,0.00K,0,43.7356,-93.3505,43.8482,-93.2348,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","A NWS storm survey concluded that an EF-1 tornado started in Freeborn County, MN and traveled 9.7 miles through the towns of Clarks Grove and Geneva before crossing the Steele County line (where it would produce EF-0 damage). It first moved north-northeast, and then about one mile north of Clarks Grove, it turned more to the northeast and hit the southern and eastern sides of Geneva. Peak winds were estimated at about 100 mph, which caused damage to homes, buildings, and trees." +120347,721396,GEORGIA,2017,September,Tropical Storm,"JEFFERSON",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported many trees and power lines blown down across the county. A few homes had minor damage from falling trees and large limbs. A wind gust of 40 mph was measured near Louisville. Much of the county was without electricity for varying periods of time. Radar estimated between 2 and 4 inches of rain fell across the county with 2.32 inches measured in Grange. No injuries were reported." +117064,704186,WYOMING,2017,June,Flood,"FREMONT",2017-06-03 12:00:00,MST-7,2017-06-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8113,-108.744,42.8113,-108.7422,"A cool and wet winter and spring built up abnormally large snow pack across the Wind River Range. Warmer weather in June caused rapid melting of the snow and resulted in flooding along the North and Middle Forks of the Popo Agie Rivers for several weeks. In Lander, the Lander Brewfest had to moved from City Park to another location. High waters also caused flooding of the low lying areas around Hudson. However, in Hudson ample preparation from the weeks before kept the water out of homes. The waters receded around June 22nd as water levels dropped below flood stage.","The Little Popo Agie River rose above flood stage for a few weeks. For safety reasons, the Lander Brewfest was moved from City Park. However, flooding caused little or no property damage." +120929,723996,PENNSYLVANIA,2017,December,Winter Weather,"CARBON",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged form 4 to 5 inches across the county." +120929,723997,PENNSYLVANIA,2017,December,Winter Weather,"DELAWARE",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 4 to 5 inches across the county." +120929,723998,PENNSYLVANIA,2017,December,Winter Weather,"EASTERN CHESTER",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 3 to 5 inches across the county." +116639,701377,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 13:20:00,EST-5,2017-06-19 13:20:00,0,0,0,0,0.50K,500,0.00K,0,42.7152,-72.8146,42.7152,-72.8146,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 220 PM EST, power lines were reported down on West Branch Road near State Route 8A in Heath." +116639,701378,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 13:25:00,EST-5,2017-06-19 13:25:00,0,0,0,0,8.00K,8000,0.00K,0,42.6328,-72.8687,42.6328,-72.8687,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 125 PM EST, several trees were down on wires on State Route 8A North in Charlemont." +116639,701380,MASSACHUSETTS,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-19 14:00:00,EST-5,2017-06-19 14:00:00,0,0,0,0,2.50K,2500,0.00K,0,42.5229,-72.6479,42.5229,-72.6479,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 2 PM EST, two trees were down on Hoosac Road in Deerfield. One tree also brought wires down." +120929,724624,PENNSYLVANIA,2017,December,Winter Storm,"BERKS",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall totals ranged from 5 to 7 inches across the county." +116639,701386,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPSHIRE",2017-06-19 16:00:00,EST-5,2017-06-19 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.3886,-72.977,42.3886,-72.977,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 4 PM EST, a tree was downed blocking River Road in Middlefield." +116639,701387,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPSHIRE",2017-06-19 16:15:00,EST-5,2017-06-19 16:15:00,0,0,0,0,4.00K,4000,0.00K,0,42.261,-72.6695,42.261,-72.6695,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","At 415 PM EST, a tree was downed on a house and fence on Williston Avenue in Easthampton." +116830,702555,WISCONSIN,2017,June,Thunderstorm Wind,"CLARK",2017-06-11 10:06:00,CST-6,2017-06-11 10:06:00,0,0,0,0,1.00K,1000,0.00K,0,44.96,-90.76,44.96,-90.76,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","Large tree branches were blown down east of Thorp." +116830,702556,WISCONSIN,2017,June,Hail,"CLARK",2017-06-11 10:10:00,CST-6,2017-06-11 10:10:00,0,0,0,0,0.00K,0,0.00K,0,44.92,-90.8,44.92,-90.8,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","" +120347,721369,GEORGIA,2017,September,Tropical Storm,"TOOMBS",2017-09-11 04:00:00,EST-5,2017-09-11 13:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported numerous trees and power lines blown down across the county. A fast food restaurant under construction in Vidalia was blown down and several homes were damaged. A wind gust of 53 mph was measured between Vidalia and Santa Claus. Radar estimated between 1.5 and 3 inches of rain fell across the county. No injuries were reported." +117178,704840,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 14:10:00,EST-5,2017-06-13 14:10:00,0,0,0,0,,NaN,,NaN,41.62,-73.75,41.62,-73.75,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Tree and wires were reported down in a roadway due to thunderstorm winds." +117178,704841,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-13 14:30:00,EST-5,2017-06-13 14:30:00,0,0,0,0,,NaN,,NaN,41.59,-73.7,41.59,-73.7,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Large tree limbs were reported down on Frog Hollow Road due to thunderstorm winds." +117178,704842,NEW YORK,2017,June,Thunderstorm Wind,"COLUMBIA",2017-06-13 15:41:00,EST-5,2017-06-13 15:41:00,0,0,0,0,,NaN,,NaN,42.12,-73.55,42.12,-73.55,"A cold front crossed through the area during the afternoon and evening hours on Tuesday, June 13th. With a warm and humid air mass ahead of the front, some showers and thunderstorms developed across the area. A few of the storms became severe in Dutchess and Columbia counties, mainly producing damage to trees and power lines.","Thunderstorm winds damaged camping vehicles by causing a picnic table to become airborne. A golf cart was also overturned as a result of the thunderstorm winds as well." +117182,704848,CONNECTICUT,2017,June,Hail,"LITCHFIELD",2017-06-21 15:02:00,EST-5,2017-06-21 15:02:00,0,0,0,0,,NaN,,NaN,41.93,-73.07,41.93,-73.07,"A surface trough passed through the area, allowing for isolated to scattered thunderstorms to develop during the afternoon. All of the thunderstorms were sub-severe, except for one in Litchfield county, CT, where it produced 1 inch hail.","A trained spotter reported quarter-size hail in the town of Winsted." +121247,725837,ATLANTIC NORTH,2017,December,Marine High Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-12-25 09:11:00,EST-5,2017-12-25 09:11:00,0,0,0,0,,NaN,,NaN,38.7,-75.07,38.7,-75.07,"A cold frontal boundary and low pressure brought a period of strong winds to the region.","Weatherflow site." +121247,725840,ATLANTIC NORTH,2017,December,Marine High Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-12-25 09:12:00,EST-5,2017-12-25 09:12:00,0,0,0,0,,NaN,,NaN,38.93,-74.92,38.93,-74.92,"A cold frontal boundary and low pressure brought a period of strong winds to the region.","NOS buoy observation." +121847,730142,MICHIGAN,2017,December,Lake-Effect Snow,"ALGER",2017-12-11 20:00:00,EST-5,2017-12-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist and unstable environment along with a strongly convergent northerly wind flow setting up across Lake Superior generated moderate to heavy lake effect snow bands downwind of Lake Superior into portions of central Upper Michigan from the evening of the 11th into the 12th.","Storm total lake effect snowfall from the evening of the 11th into the morning of the 12th included 11 inches at Kiva and 10 inches at Traunik." +117479,706528,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 11:58:00,EST-5,2017-06-19 11:58:00,0,0,0,0,,NaN,,NaN,41.74,-73.82,41.74,-73.82,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","A tree was reported down in a roadway in Pleasant Valley due to thunderstorm winds." +120254,721469,GEORGIA,2017,September,Tropical Storm,"CHARLTON",2017-09-10 11:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The St. Marys River at Traders Hill set a record flood stage at 19.30 ft on Sept. 15th at 1445 EDT. Major flooding occurred at this level. Storm total rainfall included 9.3 inches 10 miles SW of Folkston, 9.85 inches in Homeland, and 4.66 inches 3 miles SSW of Folkston." +120524,722043,TEXAS,2017,September,Flash Flood,"WEBB",2017-09-26 22:28:00,CST-6,2017-09-26 23:28:00,0,0,0,0,250.00K,250000,0.00K,0,27.367,-99.4359,27.3267,-99.5004,"Abundant moisture was confined to the Brush Country over a couple of days. There was a feed of deep tropical moisture from the Gulf of Mexico combined with a tap of moisture from the Pacific Ocean moving across Mexico. Scattered to numerous showers and thunderstorms moved across the Brush Country. Flash flooding occurred in Laredo with several roads being flooded. Water rescues were performed in several areas around Laredo. Laredo received between 5 and 10 inches of rainfall.","Several roads were flooded in the community of Rio Bravo. Some houses were flooded." +120283,720700,SOUTH DAKOTA,2017,September,Hail,"BRULE",2017-09-19 20:08:00,CST-6,2017-09-19 20:08:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-98.88,43.65,-98.88,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Quarter size hail at Grass Colony Ranch." +120498,721903,CONNECTICUT,2017,September,Thunderstorm Wind,"LITCHFIELD",2017-09-05 16:18:00,EST-5,2017-09-05 16:18:00,0,0,0,0,,NaN,,NaN,41.83,-73.14,41.83,-73.14,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in northwestern Connecticut with wind damage and large hail reported.","Wires were reported down on Horele Boulevard." +120558,722254,NEW YORK,2017,September,Thunderstorm Wind,"RENSSELAER",2017-09-07 18:30:00,EST-5,2017-09-07 18:30:00,0,0,0,0,,NaN,,NaN,42.75,-73.34,42.75,-73.34,"A strong upper-level disturbance resulted in scattered showers and thunderstorms on Thursday, September 7. One of the storms became severe with isolated wind damage in Rensselaer County.","The county dispatch reported a tree down in Petersburg." +120347,721390,GEORGIA,2017,September,Tropical Storm,"PEACH",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. A 54 mph wind gusts was measured at the Perry Airport between Fort Valley and Perry. Radar estimated between 3 and 5 inches of rain fell across the county with 4.43 inches measured south of Byron. No injuries were reported." +118640,716262,WISCONSIN,2017,July,Heavy Rain,"IOWA",2017-07-21 01:00:00,CST-6,2017-07-21 09:00:00,0,0,0,0,360.00K,360000,300.00K,300000,43.1943,-90.4269,42.9072,-90.0597,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Washouts of mainly gravel roads and driveways in the northwest portion of the county. About 50 homes with mostly minor water damage. However, the north foundation of a home collapsed while the east and west foundations buckled due to water pressure. Water was briefly over a bridge on Sunny Road at the Dodge Branch of the Pecatonica River. The flooding also led to the loss of crops." +117138,704716,KANSAS,2017,June,Thunderstorm Wind,"COFFEY",2017-06-14 03:50:00,CST-6,2017-06-14 03:51:00,0,0,0,0,,NaN,,NaN,38.3,-95.73,38.3,-95.73,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","" +117138,710390,KANSAS,2017,June,Hail,"OTTAWA",2017-06-15 15:25:00,CST-6,2017-06-15 15:26:00,0,0,0,0,,NaN,,NaN,38.97,-97.76,38.97,-97.76,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","" +117138,710394,KANSAS,2017,June,Hail,"OTTAWA",2017-06-15 15:54:00,CST-6,2017-06-15 15:55:00,0,0,0,0,,NaN,,NaN,39.17,-97.82,39.17,-97.82,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","" +117694,707757,NEW MEXICO,2017,June,Hail,"SIERRA",2017-06-24 15:35:00,MST-7,2017-06-24 15:35:00,0,0,0,0,0.00K,0,0.00K,0,33.3308,-107.2897,33.3308,-107.2897,"An upper trough moved through the plains states which brought an easterly push of moisture into the region which made it to the Arizona state line. The easterly surface winds brought dew points into the 50s for the area with dry northwest flow aloft providing sufficient instability and shear for severe thunderstorms to develop.","Quarter sized hail and very heavy rain along with high winds near Sierra/Socorro County line." +117691,707736,TEXAS,2017,June,Hail,"EL PASO",2017-06-19 17:00:00,MST-7,2017-06-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9074,-106.6203,31.9074,-106.6203,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","" +117691,707738,TEXAS,2017,June,Hail,"EL PASO",2017-06-19 17:05:00,MST-7,2017-06-19 17:05:00,0,0,0,0,0.00K,0,0.00K,0,31.8858,-106.5863,31.8858,-106.5863,"An upper ridge was situated over the western United States while an upper trough moved through the central plains. The trough helped to push a back door cold front into the Rio Grande Valley with sufficient shear and instability for isolated severe thunderstorms to develop along surface boundary. Hail up to quarter size and flash flooding were reported with these storms.","" +117353,707882,WISCONSIN,2017,June,Flash Flood,"PORTAGE",2017-06-12 17:10:00,CST-6,2017-06-12 21:30:00,0,0,0,0,500.00K,500000,0.00K,0,44.5149,-89.5893,44.5218,-89.5929,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall caused significant urban flooding near downtown Stevens Point. Several underpasses were impassable. At least two roads were damaged when rain washed out culverts. There were at least 15 homes impacted by the heavy rain." +117353,705734,WISCONSIN,2017,June,Thunderstorm Wind,"CALUMET",2017-06-12 18:44:00,CST-6,2017-06-12 18:44:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-88.16,44.03,-88.16,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","A thunderstorm wind gust to 58 mph was measured at Chilton." +117353,707887,WISCONSIN,2017,June,Flood,"PORTAGE",2017-06-12 17:07:00,CST-6,2017-06-12 17:50:00,0,0,0,0,1.00K,1000,0.00K,0,44.3123,-89.52,44.3347,-89.5022,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall caused street flooding in Bancroft." +117353,707888,WISCONSIN,2017,June,Flood,"WOOD",2017-06-12 16:40:00,CST-6,2017-06-12 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,44.3245,-89.8963,44.3146,-89.9062,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Heavy rainfall from thunderstorms caused minor street flooding in Nekoosa." +116928,703290,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:27:00,CST-6,2017-06-16 17:27:00,0,0,0,0,345.00K,345000,440.00K,440000,44.3,-91.42,44.3,-91.42,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Tennis ball sized hail was reported south of Independence." +116928,703243,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:35:00,CST-6,2017-06-16 17:35:00,0,0,0,0,212.00K,212000,3.00K,3000,44.36,-91.42,44.36,-91.42,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Tennis ball sized hail was reported in Independence." +116928,703273,WISCONSIN,2017,June,Hail,"TREMPEALEAU",2017-06-16 17:36:00,CST-6,2017-06-16 17:36:00,0,0,0,0,67.00K,67000,45.00K,45000,44.36,-91.36,44.36,-91.36,"A complex of storms moved across western Wisconsin during the afternoon and evening of June 16th. These storms produced quite a bit of large hail and also had some damaging winds in them. Several reports of egg to tennis ball sized hail were received from the Arcadia, Independence and Trempealeau areas (Trempealeau County) and near Mondovi (Buffalo County). Trees were blown down in La Crosse (La Crosse County), near Coon Valley and Viroqua (Vernon County) and near Tomah (Monroe County). The frame for a pole shed was knocked over near La Farge (Vernon County).","Egg sized hail was reported west of Whitehall." +116927,703256,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 16:00:00,CST-6,2017-06-16 16:00:00,0,0,0,0,310.00K,310000,24.00K,24000,44.01,-92.35,44.01,-92.35,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Golfball sized hail was reported in Chester." +116927,703219,MINNESOTA,2017,June,Hail,"OLMSTED",2017-06-16 15:56:00,CST-6,2017-06-16 15:56:00,0,0,0,0,100.00K,100000,3.00K,3000,44.01,-92.43,44.01,-92.43,"A complex of storms moved across southeast Minnesota during the afternoon of June 16th. These storms produced large hail and damaging wind. Several reports of golf ball sized hail were received from the southeast side of Rochester east to Chester (Olmsted County), near Pilot Mound (Fillmore County) and north of Spring Valley (Fillmore County). Trees were blown down in and around Lanesboro (Fillmore County).","Golfball sized hail was reported on the southeast side of Rochester." +115458,693350,NORTH DAKOTA,2017,June,Hail,"FOSTER",2017-06-09 19:00:00,CST-6,2017-06-09 19:03:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-99.17,47.45,-99.17,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693351,NORTH DAKOTA,2017,June,Hail,"FOSTER",2017-06-09 19:05:00,CST-6,2017-06-09 19:08:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-99.13,47.45,-99.13,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +115458,693352,NORTH DAKOTA,2017,June,Hail,"FOSTER",2017-06-09 19:10:00,CST-6,2017-06-09 19:13:00,0,0,0,0,0.00K,0,0.00K,0,47.45,-99.13,47.45,-99.13,"A two round severe event developed on the afternoon of June 9 and continued into the early morning hours of June 10. The first round started in the late afternoon of June 9 as a warm front lifted through central into eastern North Dakota and a dry line/cold front dropped towards south central North Dakota. Scattered supercell thunderstorms developed from north central North Dakota into the James River Valley. These storms moved out of the area and were followed by the second round late at night, Storms moved into southwest North Dakota from Montana and strengthened in a high shear and moderate instability environment. The strongest wind gusts estimated at 90 mph occurred near Rugby in Pierce County, while the largest hail was baseball sized, and occurred in multiple locations along and near Interstate 94 in Stark County.","" +117517,708886,LOUISIANA,2017,June,Storm Surge/Tide,"IBERIA",2017-06-21 08:32:00,CST-6,2017-06-23 18:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","Storm surge moved up the Delcambre Canal and flooded some streets around Delcambre. Flooding of Avery Island Road was also reported." +117517,708889,LOUISIANA,2017,June,Storm Surge/Tide,"ST. MARY",2017-06-21 08:32:00,CST-6,2017-06-23 18:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","The tide gauges at Cypermort Point and Amerada Pass indicated the tide stayed at or above 3 feet for many hours. Amerada Pass tide peaked at 5.09 feet above MLLW with a surge of 3.15 feet above MLLW. Minor coastal erosion was noted." +117517,708892,LOUISIANA,2017,June,Storm Surge/Tide,"CALCASIEU",2017-06-22 03:19:00,CST-6,2017-06-22 20:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","The river gauge at the Lake Charles Bulk Terminal rose above 3 feet for several hours with the level peaking at 4.31 feet. Flooding of some streets with 1 to 2 feet of water occurred near the Calcasieu River in Sulphur, Westlake, and Lake Charles." +117517,708911,LOUISIANA,2017,June,Tropical Storm,"CALCASIEU",2017-06-22 04:05:00,CST-6,2017-06-22 08:20:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","Tropical Storm Cindy made landfall in Cameron Parish early in the morning of the 22nd and moved north in Calcasieu Parish. At KLCH winds became sustained at 35 knots with a peak gust of 45 knots at the peak of the event when the center passed west of the Lake Charles Regional Airport. A few trees were reported down during the storm with one having fallen on a home causing significant damage." +117517,708920,LOUISIANA,2017,June,Tropical Storm,"WEST CAMERON",2017-06-22 02:00:00,CST-6,2017-06-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","Tropical Storm Cindy moved into West Cameron Parish early on the 22nd. Sporadic power outages occurred, but no damage was reported. Several hundred people evacuated work trailers during the event." +117517,708938,LOUISIANA,2017,June,Tropical Storm,"EAST CAMERON",2017-06-22 02:00:00,CST-6,2017-06-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cindy made landfall between Cameron and Sabine Pass during the morning of the 22nd. Minor coastal flooding was reported along with minor wind damage.","The tide gauge at Cameron reported multiple hours of wind gusts over 35 knots with a peak gust of 54 knots." +117942,708944,TEXAS,2017,June,Storm Surge/Tide,"JEFFERSON",2017-06-21 01:10:00,CST-6,2017-06-22 06:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy moved into Southwest Louisiana during the morning of the 22nd. Minor effects were noted in Jefferson County.","The tide at Sabine Pass pushed above 3 feet for multiple hours. The storm tide reached 4.73 feet above MLLW with a surge of 2.99 feet above MLLW. The surge flooded Highway 87 north of Sabine Pass during high tide." +117947,709004,TEXAS,2017,June,Hail,"MOORE",2017-06-21 18:10:00,CST-6,2017-06-21 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-101.95,35.93,-101.95,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Late report of half dollar sized hail." +117947,709006,TEXAS,2017,June,Thunderstorm Wind,"POTTER",2017-06-21 17:58:00,CST-6,2017-06-21 17:58:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-101.99,35.5,-101.99,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117947,709005,TEXAS,2017,June,Thunderstorm Wind,"OLDHAM",2017-06-21 17:16:00,CST-6,2017-06-21 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-102.27,35.51,-102.27,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","" +117947,709007,TEXAS,2017,June,Thunderstorm Wind,"DEAF SMITH",2017-06-21 19:26:00,CST-6,2017-06-21 19:26:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-102.5,34.79,-102.5,"Good mid level lapse rates above 8 C/km, especially across the northern and northwestern Panhandles, supported the best chances of strong storms. MUCAPE values between 2500-3000 J/Kg, including inverted-v sounding with good mixing this afternoon, damaging winds and large hail will both be the main threat as we go in the afternoon and early evening hours. Localized flooding will also be possible with weak winds aloft in a very pulse like environment. If mesoscale convective boundaries form with storms training, that could lead to possible flooding with PWATs of over an inch.","Late report of thunderstorm wind gusts between 60 to 70 mph, reported by trained spotter." +114222,685775,MISSOURI,2017,March,Hail,"LIVINGSTON",2017-03-06 20:26:00,CST-6,2017-03-06 20:27:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-93.56,39.8,-93.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685776,MISSOURI,2017,March,Thunderstorm Wind,"LAFAYETTE",2017-03-06 20:27:00,CST-6,2017-03-06 20:30:00,0,0,0,0,,NaN,,NaN,39.18,-93.87,39.18,-93.87,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A car port was blown into the roadway near Lexington." +117136,705954,OKLAHOMA,2017,June,Thunderstorm Wind,"ROGERS",2017-06-15 22:10:00,CST-6,2017-06-15 22:10:00,0,0,0,0,0.00K,0,0.00K,0,36.3127,-95.5473,36.3127,-95.5473,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind snapped large tree limbs." +117136,705957,OKLAHOMA,2017,June,Thunderstorm Wind,"ADAIR",2017-06-15 22:43:00,CST-6,2017-06-15 22:43:00,0,0,0,0,2.00K,2000,0.00K,0,35.9929,-94.5689,35.9929,-94.5689,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down trees and power lines in Westville." +117136,705956,OKLAHOMA,2017,June,Thunderstorm Wind,"ADAIR",2017-06-15 22:39:00,CST-6,2017-06-15 22:39:00,0,0,0,0,0.00K,0,0.00K,0,36.1037,-94.7663,36.1037,-94.7663,"Strong to severe thunderstorms moved into eastern Oklahoma during the early morning hours of the 15th. The strongest storms produced hail up to golfball size. These storms dissipated by late morning. ||Another round of strong to severe thunderstorms erupted over central Kansas during the afternoon of the 15th, as an upper level disturbance translated into the area from the west-northwest. As these storms moved southeast away from the frontal boundary on which they initiated, they organized into a line of damaging wind producing thunderstorms that moved through eastern Oklahoma during the evening.","Strong thunderstorm wind blew down trees along Chewey Drive by the Chewey Store." +117139,705980,OKLAHOMA,2017,June,Hail,"PAWNEE",2017-06-18 05:15:00,CST-6,2017-06-18 05:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.3,-96.92,36.3,-96.92,"Strong to severe thunderstorms developed along a frontal boundary located across southeastern Nebraska during the afternoon hours of the 16th. These storms moved south and southeast across Kansas overnight on the 16th, and spread into eastern Oklahoma during the morning hours of the 17th. The strongest storms produced damaging wind and hail up to quarter size.||The morning storms dissipated as they moved into southeastern Oklahoma during the midday hours of the 17th. Another round of strong to severe thunderstorms developed over southeastern Kansas during the late evening hours of the 17th along the frontal boundary that had now moved through much of Kansas. These storms moved southeast and affected northeastern Oklahoma during the morning hours of the 18th. The strongest storms produced hail up to golfball size.","" +117453,706391,IOWA,2017,June,Funnel Cloud,"MARION",2017-06-28 17:25:00,CST-6,2017-06-28 17:25:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-93.08,41.3,-93.08,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +114027,683264,PENNSYLVANIA,2017,April,Thunderstorm Wind,"HUNTINGDON",2017-04-30 17:40:00,EST-5,2017-04-30 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.5451,-77.9612,40.5451,-77.9612,"Widely scattered thunderstorms formed in an unseasonably warm and humid airmass over western Pennsylvania, while southeasterly flow and a cooler, more stable airmass was situated across eastern Pennsylvania. After an overcast morning, the warmer air made it into the south-central mountains of Pennsylvania. One of the storms developed over Cambria County and became severe as it descended the Allegheny Front into Altoona, producing wind damage and hail across central Blair County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Route 26 north of Huntingdon." +114222,685706,MISSOURI,2017,March,Thunderstorm Wind,"HARRISON",2017-03-06 19:38:00,CST-6,2017-03-06 19:41:00,0,0,0,0,,NaN,,NaN,40.39,-93.8,40.39,-93.8,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Front porch was blown off of home. Additional damage was done to two out buildings." +117767,708043,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 00:44:00,CST-6,2017-06-24 00:44:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.92,34.98,-101.92,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","Quarter size hail and slightly larger falling in Canyon." +117767,708042,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 00:43:00,CST-6,2017-06-24 00:43:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-101.95,34.99,-101.95,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","Quarter to half dollar size hail in Canyon." +117767,708044,TEXAS,2017,June,Hail,"RANDALL",2017-06-24 00:45:00,CST-6,2017-06-24 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-101.93,34.99,-101.93,"In the wake of the passing cold front, low level residual 850-700 hPa moisture boundary was set up over the northern Texas Panhandle. With a mid-level trough working SE out of Colorado along with MUCAPE up near 1500 J/Kg, there was enough mid level instability to generate a cluster of storms considering all these reports occurred overnight. These storms moved south along boundaries generated by the line of clustered discrete cells producing several hail reports.","" +116152,701326,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-13 16:23:00,EST-5,2017-06-13 16:23:00,0,0,0,0,1.00K,1000,0.00K,0,42.3934,-71.1329,42.3934,-71.1329,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 423 PM EST, a large tree was brought down on Sherman Street at Rindge Avenue in Cambridge." +116152,701337,MASSACHUSETTS,2017,June,Thunderstorm Wind,"PLYMOUTH",2017-06-13 16:58:00,EST-5,2017-06-13 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,42.3,-70.9,42.3,-70.9,"A cold front swept from northwest to southeast across Southern New England on June 13th. The air leading the cold front was very warm and humid with heat indices in the mid to upper 90s. The collision of the cold front with this air created a few damaging thunderstorms over eastern Massachusetts.","At 458 PM EST, a tree was reported down in Hull. Also 20 ft. branch was reported down on Touraine Avenue in Hull." +116639,705756,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPDEN",2017-06-19 16:10:00,EST-5,2017-06-19 16:10:00,0,0,0,0,1.50K,1500,0.00K,0,42.1558,-72.6976,42.1558,-72.6976,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","Large tree and wires down on East Mountain Road in Westfield, blocking the road." +116639,705757,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPDEN",2017-06-19 16:25:00,EST-5,2017-06-19 16:25:00,0,0,0,0,1.00K,1000,0.00K,0,42.1112,-72.6238,42.1112,-72.6238,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","Tree down on wires on Neptune Avenue in West Springfield. Also, a large limb was down on Prospect Avenue and Quarry Road in West Springfield." +116639,705761,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPDEN",2017-06-19 16:25:00,EST-5,2017-06-19 16:25:00,0,0,0,0,1.00K,1000,0.00K,0,42.2005,-72.5981,42.2005,-72.5981,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","Tree down on Canal Street, partially blocking road in Holyoke." +116639,705763,MASSACHUSETTS,2017,June,Thunderstorm Wind,"HAMPDEN",2017-06-19 16:28:00,EST-5,2017-06-19 16:28:00,0,0,0,0,1.00K,1000,0.00K,0,42.0852,-72.6776,42.0852,-72.6776,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","Tree down on wires on Thalia Drive in Agawam." +116640,705778,CONNECTICUT,2017,June,Thunderstorm Wind,"HARTFORD",2017-06-19 16:17:00,EST-5,2017-06-19 16:17:00,0,0,0,0,1.00K,1000,0.00K,0,42.0187,-72.8222,42.0187,-72.8222,"A cold front approaching from New York produced numerous showers and thunderstorms that produced strong wind gusts and heavy downpours.","Tree down on Loomis Street, partially blocking road in Granby." +117364,705807,MASSACHUSETTS,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-23 12:43:00,EST-5,2017-06-23 12:43:00,0,0,0,0,2.50K,2500,0.00K,0,42.3006,-71.3538,42.3006,-71.3538,"Sea breeze front inland of the Massachusetts North Shore and strong winds at 5000 feet above the surface combined to bring damaging afternoon thunderstorms to the north and west of Boston.","At 1243 PM EST, in Natick a tree was down on Worcester Street at Linden Street. Also, a tree and wires were down at Marion and Bacon Streets." +118600,715912,INDIANA,2017,July,Thunderstorm Wind,"BOONE",2017-07-11 11:27:00,EST-5,2017-07-11 11:27:00,0,0,0,0,3.80K,3800,,NaN,40.05,-86.57,40.05,-86.57,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","A measured 62 mph thunderstorm wind gust downed trees and broke a window at a residence in this location." +120213,721491,WYOMING,2017,June,Funnel Cloud,"LARAMIE",2017-06-12 16:20:00,MST-7,2017-06-12 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.1076,-104.07,41.1076,-104.07,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A funnel cloud was reported five miles south of Pine Bluffs." +120213,721492,WYOMING,2017,June,Funnel Cloud,"LARAMIE",2017-06-12 16:23:00,MST-7,2017-06-12 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.1366,-104.07,41.1366,-104.07,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A funnel cloud was reported three miles south of Pine Bluffs." +116086,697718,COLORADO,2017,June,Hail,"EL PASO",2017-06-29 16:28:00,MST-7,2017-06-29 16:33:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-104.28,38.99,-104.28,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +120213,721493,WYOMING,2017,June,Hail,"GOSHEN",2017-06-12 16:26:00,MST-7,2017-06-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.403,-104.1399,42.403,-104.1399,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Baseball size hail was reported east of Prairie Center." +116086,697719,COLORADO,2017,June,Hail,"BENT",2017-06-29 16:46:00,MST-7,2017-06-29 16:51:00,0,0,0,0,0.00K,0,0.00K,0,38.23,-102.76,38.23,-102.76,"A few severe storms produced hail up to the size of baseballs. The baseball size hail occurred in portions of Prowers and Baca Counties.","" +115547,705922,WISCONSIN,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 14:53:00,CST-6,2017-06-14 14:53:00,0,0,0,0,10.00K,10000,0.00K,0,44.42,-88.07,44.42,-88.07,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed trees that caused damage to several homes on the south side of De Pere." +115547,705924,WISCONSIN,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 15:04:00,CST-6,2017-06-14 15:04:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-87.92,44.53,-87.92,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds tore 4 to 5 inch limbs from trees and tossed them 100 to 150 feet." +115547,705923,WISCONSIN,2017,June,Thunderstorm Wind,"BROWN",2017-06-14 14:57:00,CST-6,2017-06-14 14:57:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-87.99,44.45,-87.99,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed several trees near Highway 172 and Monroe Road." +115547,705925,WISCONSIN,2017,June,Thunderstorm Wind,"OCONTO",2017-06-14 15:05:00,CST-6,2017-06-14 15:05:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-87.99,44.71,-87.99,"A line of thunderstorms, known as a quasi-linear convective system (QLCS), formed ahead of a cold front and produced widespread winds of 50 to 70 mph and tornadoes as it passed through central and east-central Wisconsin. Ten tornadoes formed during the afternoon. One was associated with an isolated storm ahead of the main line. Five of the tornadoes were rated EF0 and the other five were EF1. ||This was the biggest outbreak of tornadoes in the National Weather Service Green Bay service area of northeast and north-central Wisconsin, tying the April 10, 2011, event.","Thunderstorm winds downed numerous trees around Little Suamico." +118250,710605,KANSAS,2017,June,Hail,"MORRIS",2017-06-17 17:58:00,CST-6,2017-06-17 17:59:00,0,0,0,0,,NaN,,NaN,38.8,-96.73,38.8,-96.73,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","" +116270,707548,MISSISSIPPI,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-16 20:22:00,CST-6,2017-06-16 20:23:00,0,0,0,0,5.00K,5000,0.00K,0,31.64,-90.54,31.64,-90.54,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Several trees were blown down near Loyd Star Lane northwest of Brookhaven." +116270,707549,MISSISSIPPI,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-16 20:24:00,CST-6,2017-06-16 20:24:00,0,0,0,0,0.10K,100,0.00K,0,31.56,-90.47,31.56,-90.47,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","A large branch was snapped from a tree along Oak Hill Drive southwest of Brookhaven." +116270,707595,MISSISSIPPI,2017,June,Thunderstorm Wind,"COVINGTON",2017-06-16 20:08:00,CST-6,2017-06-16 20:19:00,0,0,0,0,50.00K,50000,0.00K,0,31.78,-89.53,31.7,-89.41,"An upper level disturbance and the remnants of a convective complex triggered severe storms as they encountered an unstable airmass across the ArkLaMiss region. A line of storms began over northern Mississippi during the early afternoon of the 16th, with additional storms developing and consolidating into highly organized mesoscale convective vortex as the complex progressed southward. By the early evening hours, a consolidated line of storms accelerated across central and southern Mississippi and produced widespread wind damage with estimated gusts of up to 75 mph. Another line of thunderstorms developed in the wake of this system in the early morning hours of the 17th and produced localized wind damage near Jackson.","Numerous trees were blown down and snapped across northeastern Covington County, especially near the Hopewell community along US Highway 84 and MS Highway 37." +118439,711875,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 14:51:00,EST-5,2017-06-23 14:51:00,0,0,0,0,1.00K,1000,0.00K,0,40.19,-79.65,40.19,-79.65,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711876,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-23 14:56:00,EST-5,2017-06-23 14:56:00,0,0,0,0,2.50K,2500,0.00K,0,40.19,-79.63,40.19,-79.63,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported five trees down in Hempfiled Township." +118439,711877,PENNSYLVANIA,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-23 14:58:00,EST-5,2017-06-23 14:58:00,0,0,0,0,2.50K,2500,0.00K,0,40.09,-79.67,40.09,-79.67,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported several trees down." +118439,711958,PENNSYLVANIA,2017,June,Flash Flood,"INDIANA",2017-06-23 16:30:00,EST-5,2017-06-23 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.6051,-79.1984,40.6291,-79.1744,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","The public reported several roads closed due to heavy rain in Indiana." +118439,711961,PENNSYLVANIA,2017,June,Flash Flood,"WASHINGTON",2017-06-23 15:35:00,EST-5,2017-06-23 21:30:00,0,0,0,0,0.00K,0,0.00K,0,40.1579,-80.2658,40.1695,-80.2774,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","State official reported that five vehicles were submerged due to high water." +118439,711960,PENNSYLVANIA,2017,June,Flash Flood,"WASHINGTON",2017-06-23 14:14:00,EST-5,2017-06-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,40.182,-80.4691,40.1409,-80.456,"Remnants of tropical storm Cindy interacted with a southward moving cold front in the afternoon of June 23rd. In addition to heavy rain and flooding concerns, especially with saturated antecedent conditions in several locations in southwest PA, severe thunderstorms were also possible. There were numerous reports of trees down across much of northern West Virginia, southwestern Pennsylvania, and even Garrett county, Maryland with reports of flooding in some of the same locations, as 2-4 inches of rain were reported through the evening. There also was enough low level shear to support a non-zero tornado threat, which did materialize across southwest PA and northern WV. One EF-1 tornado was confirmed in Washington county, PA, and two tornadoes, an EF-0 and EF-1, were confirmed in Monongalia county, WV. Fayette County, PA also declared a state of emergency.","Trained spotter reported that Dutch Fork Creek was out of it's banks and flooding a roadway." +117389,706025,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BEAVER",2017-06-13 15:34:00,EST-5,2017-06-13 15:34:00,0,0,0,0,2.50K,2500,0.00K,0,40.69,-80.19,40.69,-80.19,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local 911 call center reported trees down." +117389,706027,PENNSYLVANIA,2017,June,Thunderstorm Wind,"WESTMORELAND",2017-06-13 15:35:00,EST-5,2017-06-13 15:35:00,0,0,0,0,2.00K,2000,0.00K,0,40.33,-79.7,40.33,-79.7,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Trained spotter reported trees down in Irwin." +117389,706028,PENNSYLVANIA,2017,June,Thunderstorm Wind,"ALLEGHENY",2017-06-13 16:28:00,EST-5,2017-06-13 16:28:00,0,0,0,0,35.00K,35000,0.00K,0,40.33,-79.86,40.33,-79.86,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Local 911 reported multiple transformers on fire and trees down." +117389,710811,PENNSYLVANIA,2017,June,Flash Flood,"BEAVER",2017-06-13 15:48:00,EST-5,2017-06-13 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-80.32,40.8444,-80.3147,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","State department of highways reported several streets closed from very heavy rainfall." +117389,710812,PENNSYLVANIA,2017,June,Flash Flood,"ALLEGHENY",2017-06-13 16:30:00,EST-5,2017-06-13 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,40.35,-79.89,40.3507,-79.8833,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","The public reported that Route 837 was completely covered and that a car was floating down the road." +117389,710813,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-13 16:31:00,EST-5,2017-06-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-79.44,40.3868,-79.4353,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","Emergency manager reported high water on roadway." +117389,710814,PENNSYLVANIA,2017,June,Flash Flood,"WESTMORELAND",2017-06-13 16:42:00,EST-5,2017-06-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.3227,-79.7712,40.3249,-79.7336,"A passing shortwave and weak cold front helped to initiate slow-moving showers and thunderstorms across the region on the 13th. There were several reports of trees and wires down, as well as some flash flooding in Allegheny county, Pennsylvania.","State official reported that Park Hill Road and Norwin Avenue are closed due to high water." +115559,710261,NEBRASKA,2017,June,Thunderstorm Wind,"POLK",2017-06-13 19:10:00,CST-6,2017-06-13 19:10:00,0,0,0,0,5.00K,5000,0.00K,0,41.3592,-97.43,41.3592,-97.43,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","A personal weather station measured a 69 MPH gust." +115559,704383,NEBRASKA,2017,June,Thunderstorm Wind,"POLK",2017-06-13 19:15:00,CST-6,2017-06-13 19:15:00,0,0,0,0,75.00K,75000,0.00K,0,41.18,-97.55,41.18,-97.55,"In what had been a slower-than-average severe weather season up to this point within South Central Nebraska, this Tuesday evening event ended up being one of the most significant episodes of the 2017 season. Primarily between 6:30-10:30 p.m. CDT, a rash of severe storms consisting of semi-discrete supercells and quasi-linear clusters yielded dozens of large hail and damaging wind reports, including hail to at least tennis ball size in/very near both Grand Island and Hastings. Despite its significance, this was not a tremendously widespread event in terms of areal coverage, as the vast majority of severe weather focused within a relatively narrow, 30-50 mile wide corridor centered roughly through the Red Cloud-Hastings-Grand Island-Aurora-Osceola areas. ||Severe reports were split fairly evenly between hail and damaging winds. Hail was the bigger issue in western portions of the affected areas, with wind damage more of a factor farther east. Focusing first on hail, one of the biggest stories involved both the Grand Island and Hastings areas getting pelted within the same hour. In Grand Island, much of the city saw stones ranging from quarter to tennis ball size. In Hastings, the majority of the city itself observed quarter to golf ball size hail. However, a corridor running from just a few miles southwest-through-west of the city limits endured larger hail up to baseball size. As for damaging winds, the overall-worst impacts focused within counties east of Highway 281. In west-central Polk County, a personal weather station clocked an unofficial gust of 92 MPH, with gusts of at least 70 MPH also reported in the Clay Center, Bradshaw and Guide Rock areas. Many other locations had estimated or measured gusts in the 58-65 MPH range. Needless to say, there was a considerable amount of mainly minor tree and structural damage, including within the communities of Osceola, Shelby and Hordville. Fortunately, no tornadoes were reported, although storm chasers witnessed gustnado activity along the leading edge of surging outflow. Rainfall-wise, most places received no more than 1-2 from the evening of the 13th into the early morning of the 14th. However, the primary higher exception focused within southeastern Franklin and southwestern Webster counties, where a localized maximum of 3-4 fell in the Inavale and Riverton areas. ||Breaking down timing, the first severe storms of the evening erupted along a fairly narrow, southwest-northeast corridor between 6:30-7:30 p.m. CDT, during which time both Grand Island and Hastings were hit with the large hail. Over the following hour, damaging winds became the main issue as outflow surged east, especially within Polk, Hamilton and York counties. Then, between 8:30-10:30 p.m. CDT, the initial wave of severe storms exited northeast portions of the local area while a second round erupted farther south, mainly impacting Webster, Clay and Nuckolls counties. Although the severe weather threat ended by 11 p.m. CDT, quite a bit of thunderstorm activity redeveloped through the night within various portions of South Central Nebraska. | |In the mid-upper levels, this event was driven by a shortwave trough swinging east through the Central Plains, to the southeast of its parent closed low centered over Montana. At the surface, early evening storm initiation clearly focused along a composite stationary front/dryline stretched north-south through central Nebraska, attendant to a surface low pressure center that deepened to 998 millibars during the late afternoon hours. To the east of this dryline, afternoon high temperatures well into the 90s F combined with dewpoints in the upper 50s-mid 60s resulted in mixed-layer CAPE values of at least 2000-3000 J/kg, in the presence of 0-6 kilometer shear increasing to 40-50 knots as the evening progressed.","This was the second round of wind gusts estimated near 65 MPH to affect Osceola this night. Between the 2 rounds, numerous large tree branches were downed in town, some blocking roadways." +118419,711650,PENNSYLVANIA,2017,June,Tornado,"CLARION",2017-06-19 16:52:00,EST-5,2017-06-19 16:53:00,0,0,0,0,20.00K,20000,0.00K,0,41.304,-79.52,41.305,-79.509,"Upper trough moving across the region coincided with an area of low CAPE but high shear, which supported the development of a weak tornado over Clarion county, Pennsylvania on June 19th. Damage from the tornado was primarily to trees, though a few outbuildings were also damaged.","A survey conducted by the National Weather Service in Pittsburgh concluded that a tornado occurred Monday evening, June 19th, in Elk Township in Clarion county. A weak tornado touchdown occurred Monday evening along Millerstown Road in Elk Township Clarion county. There were several reported sitings of a funnel cloud along with one person confirming it reached the ground. The only structural damage was |to outbuildings and barns with sheet metal roofs. Hardwood trees were used to determine the rating as numerous trees were uprooted or snapped along the north side of Millerstown Road. The storm tracked across Millerstown Road just east of the 598 postal address and uprooted and snapped several additional trees before lifting just prior to the reaching Pine City Road." +118419,711715,PENNSYLVANIA,2017,June,Flood,"MERCER",2017-06-19 00:08:00,EST-5,2017-06-19 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.1472,-80.1033,41.1647,-80.1006,"Upper trough moving across the region coincided with an area of low CAPE but high shear, which supported the development of a weak tornado over Clarion county, Pennsylvania on June 19th. Damage from the tornado was primarily to trees, though a few outbuildings were also damaged.","State official reported multiple road closures throughout Mercer county with Pine Township and Grove City the hardest hit areas." +118419,711716,PENNSYLVANIA,2017,June,Flood,"VENANGO",2017-06-19 00:53:00,EST-5,2017-06-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4042,-79.6696,41.4137,-79.6699,"Upper trough moving across the region coincided with an area of low CAPE but high shear, which supported the development of a weak tornado over Clarion county, Pennsylvania on June 19th. Damage from the tornado was primarily to trees, though a few outbuildings were also damaged.","State official reported that US 62 was closed from State route 157 to State route 257 due to flooding. Residents are trapped in their homes along US62." +118419,711717,PENNSYLVANIA,2017,June,Flood,"MERCER",2017-06-19 08:20:00,EST-5,2017-06-19 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.2104,-80.2293,41.2194,-80.2368,"Upper trough moving across the region coincided with an area of low CAPE but high shear, which supported the development of a weak tornado over Clarion county, Pennsylvania on June 19th. Damage from the tornado was primarily to trees, though a few outbuildings were also damaged.","Emergency manager reported that Cool Spring Creek and Otter Creek were out of their banks. Flooding was reported at Plantation Park campground, with some water rescues taking place." +118836,713976,LOUISIANA,2017,June,Tropical Storm,"LOWER TERREBONNE",2017-06-20 17:00:00,CST-6,2017-06-20 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts were reported at the WeatherFlow Dulac site (XDUL). The highest gust reported was 40 knots at 10:29 pm CST on June 20." +115396,693038,MISSOURI,2017,April,Flash Flood,"REYNOLDS",2017-04-29 05:30:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.5928,-91.31,37.5101,-91.31,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 7 and 10 inches of rain fell causing widespread flash flooding. Numerous roads were flooded across Reynolds County including Route F west of Ellington. A number of water rescues had to be performed in Ellington due to Logan Creek rising well above its banks. Also, there were water rescues performed in Lesterville due to flash flooding. In Ellington, the only grocery store and a Dollar General store were flooded." +119014,714846,CALIFORNIA,2017,September,Thunderstorm Wind,"IMPERIAL",2017-09-08 13:40:00,PST-8,2017-09-08 13:40:00,0,0,0,0,40.00K,40000,0.00K,0,33.24,-115.52,33.24,-115.52,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Scattered thunderstorms developed across portions of central Imperial County during the afternoon hours on September 8th, and some of the stronger storms produced gusty and damaging outflow winds which impacted the town of Niland located to the north of the Imperial Valley. At 1340PST a local emergency manager reported that gusty winds estimated to be as high as 65 mph blew down 5 power poles. The downed poles were located along Highway 111 in Niland. Power in town was reported to be out due to the downed poles. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 1323PST." +117353,705720,WISCONSIN,2017,June,Hail,"WAUSHARA",2017-06-12 15:23:00,CST-6,2017-06-12 15:23:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-89.19,44.11,-89.19,"A stalled front across central and east central Wisconsin was the focus for severe thunderstorms. Storms developed in southern Minnesota and a bow echo formed that made its way across Wisconsin south of Highway 29. The worst damage was around Stevens Point (Portage Co.) where thunderstorm winds downed numerous trees and power lines. Power was knocked out to 15,000 to 18,000 customers. The storms also brought torrential rainfall that caused flash flooding in Stevens Point and street flooding at several other locations in central and east central Wisconsin.","Quarter size hail fell at Mount Morris." +117365,705790,NEW YORK,2017,June,Thunderstorm Wind,"HERKIMER",2017-06-27 14:04:00,EST-5,2017-06-27 14:04:00,0,0,0,0,,NaN,,NaN,43.03,-74.99,43.03,-74.99,"An upper level low and cold front brought strong to severe thunderstorms to the region during the afternoon hours of Tuesday, June 27th, 2017. These storms knocked down numerous trees and power lines, primarily in the Adirondacks and Mohawk Valley regions. More than 8,000 customers lost power in Washington, Saratoga and Warren counties from these storms. There were also reports of quarter-sized hail.","A tree was downed due to thunderstorm winds in Herkimer." +117524,706860,NEW YORK,2017,June,Flash Flood,"ORANGE",2017-06-19 14:55:00,EST-5,2017-06-19 15:25:00,0,0,0,0,0.00K,0,0.00K,0,41.4533,-74.4062,41.4529,-74.4057,"A cold front crossing the area during the afternoon and evening produced numerous showers and thunderstorms, some of which resulted in flash flooding across parts of the Lower Hudson Valley and New York City. These storms developed in an environment with precipitable water values of around 2 inches. Rainfall totals ranged from 1-3 inches across the area, with 2.45 reported by a trained spotter in Middletown, NY.","The intersection of Wickham Avenue and Wisner Avenue was closed due to flooding in Middletown." +115697,695283,KENTUCKY,2017,June,Flash Flood,"POWELL",2017-06-23 19:47:00,EST-5,2017-06-23 22:17:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-83.93,37.8639,-83.9354,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch reported water over Black Creek Road near and north of Clay City where over 2 inches of rain fell." +115697,695290,KENTUCKY,2017,June,Flash Flood,"MONTGOMERY",2017-06-23 20:50:00,EST-5,2017-06-23 22:50:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-84.01,38.098,-84.0399,"The combination of the remnants of Tropical Cyclone Cindy and a late June cold front brought widespread showers and thunderstorms to much of eastern Kentucky this evening. A plethora of moisture in place due to the northward track of Cindy brought hefty rainfall amounts to the Bluegrass region and into portions of east central Kentucky. The highest recorded rainfall amount across eastern Kentucky came from Sharkey, where 3.59 inches fell. Amounts of 1 to 3 inches were common near and north of Mountain Parkway. A few water rescues took place through the evening. Two of these involved residences becoming surrounded by water in Elliott County on Kentucky Highway 1620, while the other occurred near Bethel in Bath County where a vehicle became trapped by flood waters.||Additionally, a period of severe winds and associated tree damage occurred across east central Kentucky, generally within vicinity of Mountain Parkway. These wind gusts were associated with a more unstable airmass that developed farther south ahead of the cold front. Just prior to midnight, Kentucky Power reported nearly 7,500 customers without power.","Dispatch reported several roads as flooded and impassable throughout the county, including U.S. Highway 460 near the Montgomery and Menifee County line. A solid 1 to 3 inches of rain fell throughout the county." +115641,695454,PENNSYLVANIA,2017,June,Thunderstorm Wind,"DAUPHIN",2017-06-19 10:40:00,EST-5,2017-06-19 10:40:00,0,0,0,0,3.00K,3000,0.00K,0,40.4662,-76.8265,40.4662,-76.8265,"Scattered showers and thunderstorms developed in a humid airmass ahead of an approaching cold front, producing numerous wind damage reports across the Lower Susquehanna Valley during the late morning and early afternoon hours of June 19, 2017. Storms were east of the area by late afternoon.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto wires at Powells Valleys Road and Radel Road east of Halifax." +115899,696477,NEW MEXICO,2017,June,Hail,"TORRANCE",2017-06-25 16:20:00,MST-7,2017-06-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35,-105.42,35,-105.42,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of nickels along Interstate 40 near mile marker 231 accumulated several inches deep. Traffic was impacted for several hours." +115899,696661,NEW MEXICO,2017,June,Hail,"LINCOLN",2017-06-25 13:36:00,MST-7,2017-06-25 13:37:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-105.38,33.49,-105.38,"The upper level high pressure system responsible for a scorching heatwave across New Mexico finally weakened it's grip on New Mexico while retreating southwestward into the Baja region. Deep atmospheric moisture surged westward across New Mexico and combined with afternoon heating and instability to generate widespread showers and thunderstorms. A cluster of thunderstorms developed from the Gila region northward along the Continental Divide before noon then spread eastward across the Rio Grande Valley through the afternoon hours. Quarter to half dollar size hail impacted areas around Los Alamos. Meanwhile, scattered to numerous discrete supercell thunderstorms developed along the central mountain chain by mid afternoon. A pair of thunderstorms near Las Vegas and Sapello produced golf ball size hail. Hail up to the size of tennis balls slammed the Interstate 40 corridor east of Clines Corners resulting in significant damage to vehicles. Several injuries were reported. Thunderstorms then merged into large clusters and linear segments by late afternoon before developing into a large mesoscale convective complex over eastern New Mexico.","Hail up to the size of nickels in Lincoln." +115966,697011,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"TAMPA BAY",2017-06-19 13:36:00,EST-5,2017-06-19 13:36:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.77,27.61,-82.77,"Sea breeze thunderstorms developed over the Florida Peninsula and pushed west towards the Gulf of Mexico during the afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station on Egmont Key recorded a 49 knot marine thunderstorm wind gust." +115973,697025,GULF OF MEXICO,2017,June,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-06-20 15:00:00,EST-5,2017-06-20 15:03:00,0,0,0,0,0.00K,0,0.00K,0,27.429,-82.63,27.429,-82.63,"While afternoon thunderstorms were beginning to develop along the Florida Gulf Coast, a brief waterspout was spotted in Sarasota Bay.","A local broadcast meteorologist sent in a photo of a thin waterspout that had developed over Sarasota Bay. The waterspout was seen off of El Conquistador Parkway in Bradenton." +115980,697068,TEXAS,2017,June,Thunderstorm Wind,"YOAKUM",2017-06-22 22:20:00,CST-6,2017-06-22 22:20:00,0,0,0,0,0.00K,0,0.00K,0,33.0088,-102.9616,33.0088,-102.9616,"For a third consecutive night, northwest flow thunderstorms produced severe weather. A wind gust to 59 mph was measured by a Texas Tech University West Texas mesonet site near Denver City (Yoakum County) at 2220 CST.","A Texas Tech University West Texas mesonet site near Denver City measured a wind gust to 59 mph." +115982,697071,TEXAS,2017,June,Thunderstorm Wind,"LUBBOCK",2017-06-26 00:25:00,CST-6,2017-06-26 00:25:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-101.82,33.67,-101.82,"Widespread northwest flow storms impacted a large portion of West Texas from late on the 25th through the early morning hours of the 26th. Several thunderstorms embedded within the widespread activity generated severe wind gusts measured by Texas Tech University West Texas mesonets.","The Automated Surface Observation System at Lubbock International Airport measured a wind gust to 60 mph." +115982,697072,TEXAS,2017,June,Thunderstorm Wind,"TERRY",2017-06-26 00:40:00,CST-6,2017-06-26 00:40:00,0,0,0,0,0.00K,0,0.00K,0,33.1511,-102.28,33.1511,-102.28,"Widespread northwest flow storms impacted a large portion of West Texas from late on the 25th through the early morning hours of the 26th. Several thunderstorms embedded within the widespread activity generated severe wind gusts measured by Texas Tech University West Texas mesonets.","A Texas Tech University West Texas mesonet site near Brownfield measured a wind gust to 66 mph." +115982,697073,TEXAS,2017,June,Thunderstorm Wind,"LYNN",2017-06-26 01:35:00,CST-6,2017-06-26 01:35:00,0,0,0,0,0.00K,0,0.00K,0,32.9845,-101.83,32.9845,-101.83,"Widespread northwest flow storms impacted a large portion of West Texas from late on the 25th through the early morning hours of the 26th. Several thunderstorms embedded within the widespread activity generated severe wind gusts measured by Texas Tech University West Texas mesonets.","A Texas Tech University West Texas mesonet site near O'Donnell measured a wind gust to 61 mph." +116118,698415,WYOMING,2017,June,Tornado,"JOHNSON",2017-06-12 16:30:00,MST-7,2017-06-12 16:36:00,0,0,0,0,10.00K,10000,0.00K,0,43.6916,-106.685,43.714,-106.679,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A storm survey was conducted near Kaycee and confirmed a tornado. The tornado touched down on a hill just west of Interstate 25 and just north of the Middle Fork of the Powder River. The tornado downed many trees moving down the hill. The tornado then strengthened as it crossed a field. An abandoned trailer was destroyed with the base thrown over 200 yards. Trees in the field were snapped off above the bases with some ground scouring noted. The tornado then crossed Barnum Road and moved northward toward Pine Ridge. The tornado narrowly missed a house and a barn as it moved up the ridge. Numerous trees were downed along both sides of the ridgeline before the funnel lifted. Winds were estimated at 110 to 120 mph, a minimal EF2 tornado." +116378,699839,MONTANA,2017,June,Thunderstorm Wind,"MADISON",2017-06-26 17:40:00,MST-7,2017-06-26 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.76,-111.45,44.76,-111.45,"A few severe thunderstorms affected north-central and southwest Montana on June 26th and 27th. These storms developed ahead of an eastward-advancing cold front and within an environment characterized by appreciable instability and weak to moderate vertical wind shear.","Raynolds Pass mesonet reported 66 mph thunderstorm gust." +116378,699841,MONTANA,2017,June,Thunderstorm Wind,"MADISON",2017-06-27 06:00:00,MST-7,2017-06-27 06:00:00,0,0,0,0,0.00K,0,0.00K,0,45.3389,-112.1581,45.3389,-112.1581,"A few severe thunderstorms affected north-central and southwest Montana on June 26th and 27th. These storms developed ahead of an eastward-advancing cold front and within an environment characterized by appreciable instability and weak to moderate vertical wind shear.","A 61 mph thunderstorm wind gust was reported." +116118,698411,WYOMING,2017,June,Hail,"JOHNSON",2017-06-12 16:13:00,MST-7,2017-06-12 16:34:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-106.92,43.7634,-106.65,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","A thunderstorm developed along the east side of the Bighorn Range and slowly strengthened. The storm became a supercell and dropped very large hail from Barnum to Kaycee. There were widespread reports of quarter size or bigger hail along the path. The largest report of hail was tennis ball size 5 miles southwest of Kaycee, not far from where a tornado developed. Hail up to the size of ping pong balls was reported in Barnum." +116118,698418,WYOMING,2017,June,Tornado,"PARK",2017-06-12 16:50:00,MST-7,2017-06-12 16:52:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-108.91,44.43,-108.91,"A combination of an abnormally strong upper level low, strong jet dynamics and an approaching cold front produced one of the biggest severe weather outbreaks across western and central Wyoming in many years. A total of 4 tornadoes were confirmed, including an EF2 tornado which was the strongest tornado that occurred in the NWS Riverton county warning area since 2001 which completely destroyed a trailer and threw it's base over 200 yards. There were also multiple reports of large hail, especially in Johnson County where hail up to tennis ball size was reported. In the dry slot across central and southern Wyoming, strong mid level winds mixed to the surface. The strongest winds were in the Lander foothills where wind gusts up to 76 mph occurred. Many trees were uprooted with some damage to outbuildings. Wind gusts 58 mph or over were also reported in Sweetwater County.","The public reported a tornado that briefly touched down several times in the Oregon Basin southeast of Cody. The tornado remained over open country and caused no damage." +116484,700523,MISSISSIPPI,2017,June,Thunderstorm Wind,"WARREN",2017-06-23 10:08:00,CST-6,2017-06-23 10:08:00,0,0,0,0,5.00K,5000,0.00K,0,32.3094,-90.8687,32.3094,-90.8687,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Powerlines were blown down along Lakehill Drive." +116484,700525,MISSISSIPPI,2017,June,Thunderstorm Wind,"HINDS",2017-06-23 10:25:00,CST-6,2017-06-23 10:25:00,0,0,0,0,4.00K,4000,0.00K,0,32.3394,-90.1712,32.3394,-90.1712,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Powerlines were brought down by large limbs along Kings Highway near Old Canton Road." +116484,700526,MISSISSIPPI,2017,June,Thunderstorm Wind,"MADISON",2017-06-23 10:18:00,CST-6,2017-06-23 10:18:00,0,0,0,0,3.00K,3000,0.00K,0,32.445,-90.1998,32.445,-90.1998,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down at North Livingston Road and Lake Castle Road." +116484,700528,MISSISSIPPI,2017,June,Flash Flood,"HINDS",2017-06-23 10:59:00,CST-6,2017-06-23 13:15:00,0,0,0,0,2.00K,2000,0.00K,0,32.35,-90.31,32.3498,-90.3084,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Street flooding occurred at the intersection of Post Road and Tanglewood Drive." +116484,700531,MISSISSIPPI,2017,June,Flash Flood,"RANKIN",2017-06-23 12:56:00,CST-6,2017-06-23 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,32.122,-90.0724,32.1235,-90.0709,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","Flooding occurred on Highway 49 near Monmouth Road." +116484,700519,MISSISSIPPI,2017,June,Strong Wind,"FORREST",2017-06-22 17:00:00,CST-6,2017-06-22 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Ample moisture was in place over the region as the outer bands of Tropical Storm Cindy affect the ArkLaMiss from June 22nd through 23rd. Flash flooding was the main hazard that occurred from the rainbands that moved through the region but some stronger wind gusts were able to bring down trees across the area.","A tree was blown down on Ralston Road inside the Hattiesburg city limits." +115871,696681,NEW MEXICO,2017,June,Heat,"FAR NORTHEAST HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Far Northeast Highlands ranged from 98 to 103 degrees on four consecutive days. Record high temperatures were set at Raton." +115871,696682,NEW MEXICO,2017,June,Heat,"NORTHEAST HIGHLANDS",2017-06-20 17:00:00,MST-7,2017-06-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong dome of high pressure centered over the southwestern United States along with exceptionally dry air set the stage for a brutal heatwave over New Mexico for several days. The excessive heat starting building over central and western New Mexico on the 20th then spread eastward on the 21st before peaking on the 22nd. A back door cold front pushed into eastern New Mexico on the 23rd bringing relief to the hot temperatures for parts of the area. However, central and western New Mexico continued to bake in the heat through the 23rd. High temperatures ranged from 100 to 110 degrees over nearly the entire state while relative humidity values fell to as low as one percent in some areas. Dozens of record high maximum and record high minimum temperatures were set across the region. Only locations with records that extend back several decades were included in the heatwave summary. A wildfire that broke out in Quay County burned over two volunteer firefighters while they were refilling a water tanker. Unfortunately, one of the firefighters was killed and another was injured.","High temperatures across the Northeast Highlands ranged from 96 to 101 degrees on four consecutive days. Record high temperatures were set at Las Vegas." +114452,686337,VERMONT,2017,March,Winter Storm,"WESTERN WINDHAM",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. Lower elevations saw around 18 of snow, with up to 35 reported at higher elevations. The snow fell at 1 to 4 inches per hour for much of the day. There was a widespread extreme public impact, with many roads severely impacted and schools closed. Much of the train service across the region was cancelled. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across portions of Bennington County. The winds brought considerable blowing and drifting of snow.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114779,688441,MASSACHUSETTS,2017,March,Cold/Wind Chill,"NORTHERN BERKSHIRE",2017-03-11 01:00:00,EST-5,2017-03-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold Arctic airmass combined with blustery northwest winds gusting to near 40 mph combined to create very cold wind chills on the morning of Saturday, March 11. Wind chill values were as low as -21F at East Windsor, MA. The frigid wind chills persisted from the early morning into the early afternoon.","" +115743,696725,OHIO,2017,June,Flash Flood,"GALLIA",2017-06-23 20:15:00,EST-5,2017-06-23 22:15:00,0,0,0,0,1.00K,1000,0.00K,0,38.8489,-82.5395,38.7968,-82.5481,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Dick's Creek flooded, causing the closure of C H and D Road in western Gallia County." +115743,696726,OHIO,2017,June,Flash Flood,"JACKSON",2017-06-23 20:15:00,EST-5,2017-06-23 22:15:00,0,0,0,0,1.00K,1000,0.00K,0,38.8536,-82.5215,38.8806,-82.547,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western West Virginia.||Common rainfall measurements ranged from 2 to 3 inches across Southeast Ohio. For example, in Athens County the Nelsonville cooperative observer measured 2.6 inches of rain, while a CoCoRaHS observer in nearby Chauncey reported 2.8 inches. In Meigs County, the cooperative observer near Salem Center received 2.08 inches of rain, and the Newport observer in Washington County had 2.18 inches in their rain gauge. ||Initially, flash flooding closed many roads across Southeast Ohio. Some areas of high water lingering through the 24th as water drained through the river system. Strong rises were seen on local stream gauges such as the Duck Creek at Whipple and the Little Muskingum River at Bloomfield in Washington County. In general, the Ohio River rose about 10 feet, however no river flooding occurred along the Ohio River.","Dick's Creek flooded, causing the closure of C H and D Road in southern Jackson County." +115744,695699,WEST VIRGINIA,2017,June,Flash Flood,"JACKSON",2017-06-23 19:53:00,EST-5,2017-06-23 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.8733,-81.7403,38.8693,-81.7458,"Tropical Storm Cindy made landfall in southwestern Louisiana on the 22nd. The storm weakened after making landfall and became post tropical as it moved through the Mississippi and lower Ohio River Valleys into the 23rd. At the same time, a strong cold front was moving eastward across the Midwest and western Great Lakes. The remnants of Cindy passed through the eastern portions of the Ohio River Basin during the evening of the 23rd. The tropical moisture and energy associated with the remnants combined with the lift of the approaching cold front to produce a large area of heavy rainfall. The area of the heaviest rain stretched along the Middle Ohio River Valley, from central and northeastern Kentucky into southeastern Ohio and western and central portions of West Virginia.||Central and western West Virginia received generally 1 to 3 inches of rainfall, with generally less than an inch falling in the eastern mountains and southern coal fields. Some of the highest measurements occurred in Wayne and Cabell Counties. The automated weather station at the Tri-State/Huntington Airport measured 2.72 inches of rain, and a CoCoRaHS observer near downtown Huntington received 2.67. The official observation at the National Weather Service office in Charleston was 2.08 inches. The Wood County/Parkersburg Airport received 2.31 inches while 2.13 inches was measured at Benedum Airport near Clarskburg.||The spin in the atmosphere and fast wind flow just above the ground, both related to the remnants of Cindy, led to isolated damaging wind gusts across the state and even some tornado damage near Clarksburg.","High water closed Wavy Run Road as Wavy Run and Crooked Fork came out of their banks." +117328,705671,NEW MEXICO,2017,August,Thunderstorm Wind,"ROOSEVELT",2017-08-03 17:45:00,MST-7,2017-08-03 17:48:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-103.8,34.3,-103.8,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Melrose Range peak wind gust to 60 mph." +117328,705672,NEW MEXICO,2017,August,Hail,"ROOSEVELT",2017-08-03 18:10:00,MST-7,2017-08-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-103.32,34.13,-103.32,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Hail up to the size of quarters accumulated one inch deep. Dense fog developed in the area after the storm passed." +115843,696513,MICHIGAN,2017,April,Winter Weather,"SOUTHERN HOUGHTON",2017-04-26 20:00:00,EST-5,2017-04-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","Intermittent light freezing rain from the evening of the 26th through the 27th coated trees and other surfaces with a light glaze of ice. Side roads were reported to be slippery." +114222,685782,MISSOURI,2017,March,Thunderstorm Wind,"MACON",2017-03-06 20:31:00,CST-6,2017-03-06 20:34:00,0,0,0,0,0.00K,0,0.00K,0,39.74,-92.47,39.74,-92.47,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Emergency management in Macon reported a 60 mph wind gust with a line of storms that moved through the area." +114222,685788,MISSOURI,2017,March,Thunderstorm Wind,"PETTIS",2017-03-06 21:33:00,CST-6,2017-03-06 21:35:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-93.18,38.71,-93.18,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","ASOS at KDMO recorded a 50 knot (58 mph) wind gust." +114508,686704,VIRGINIA,2017,April,Flash Flood,"WYTHE",2017-04-29 16:30:00,EST-5,2017-04-29 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.87,-81.29,36.8694,-81.2897,"Isolated thunderstorms across eastern Smyth and western Wythe counties dropped radar estimated amounts of 2 to 3 inches in several hours over a small area. Flash flooding was reported at the Rural Retreat Fairgrounds in western Wythe county.","A public report forwarded by the broadcast media described flash flooding inundating portions of the Rural Retreat fairgrounds. Water overflowed a culvert to flood some trailers and tents. An estimated 2 of rain fell in about 30 minutes, with up to 3 inches total." +114521,686754,NORTH CAROLINA,2017,April,Flood,"SURRY",2017-04-24 03:42:00,EST-5,2017-04-24 15:42:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-80.86,36.2492,-80.8596,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","The intersection of Memorial Park Drive and James Street was under water and closed by flooding from Big Elkin Creek." +117071,704338,WISCONSIN,2017,June,Tornado,"GREEN",2017-06-28 17:55:00,CST-6,2017-06-28 18:01:00,0,0,0,0,325.00K,325000,0.00K,0,42.666,-89.621,42.687,-89.589,"A powerful line of thunderstorms moved across southern Wisconsin during the evening of June 28, 2017. These storms brought damaging winds and 3 tornadoes to the area.","Along the path of the tornado, a barn and pole shed were destroyed, 4 houses sustained damage, 4 power poles were snapped, numerous trees were either snapped or uprooted and a camper was rolled into a pond. The majority of the tornado path had EF-0 damage, but there were pockets of EF-1 damage." +116830,702558,WISCONSIN,2017,June,Hail,"JACKSON",2017-06-11 10:55:00,CST-6,2017-06-11 10:55:00,0,0,0,0,0.00K,0,0.00K,0,44.32,-91.12,44.32,-91.12,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","" +116830,702562,WISCONSIN,2017,June,Hail,"JACKSON",2017-06-11 11:18:00,CST-6,2017-06-11 11:18:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-90.88,44.28,-90.88,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","" +116830,702561,WISCONSIN,2017,June,Hail,"JACKSON",2017-06-11 11:18:00,CST-6,2017-06-11 11:18:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-90.85,44.3,-90.85,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","Quarter sized hail was reported just northwest of Black River Falls." +116830,702563,WISCONSIN,2017,June,Hail,"JACKSON",2017-06-11 11:19:00,CST-6,2017-06-11 11:19:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-90.85,44.3,-90.85,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","Quarter to half dollar sized hail was reported in Black River Falls." +116830,702565,WISCONSIN,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-11 18:45:00,CST-6,2017-06-11 18:45:00,0,0,0,0,0.00K,0,0.00K,0,45.17,-90.81,45.17,-90.81,"Two rounds of thunderstorms moved across portions of north central and western Wisconsin on June 11th. The first round occurred during the late morning hours and primarily produced large hail. The largest hail reported was half dollar sized in Black River Falls (Jackson County). The second round moved across during the early evening with damaging winds. An estimated 60 mph wind gust occurred in Gilman (Taylor County) and trees were blown down in Thorp (Clark County).","An estimated 60 mph wind gust occurred in Gilman." +114465,694852,VIRGINIA,2017,April,Heavy Rain,"MARTINSVILLE (C)",2017-04-22 07:00:00,EST-5,2017-04-25 07:00:00,0,0,0,0,7.00K,7000,0.00K,0,36.68,-79.87,36.68,-79.87,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Storm total rainfall amounts of 5.16 and 5.33 inches were reported in Martinsville producing saturated soils that led to two downed trees on the mornings of the 25th and 26th. One tree was across Morningside Drive and another fell onto a house." +115729,695471,VIRGINIA,2017,April,Hail,"PITTSYLVANIA",2017-04-06 05:20:00,EST-5,2017-04-06 05:20:00,0,0,0,0,,NaN,,NaN,36.56,-79.23,36.56,-79.23,"A cold front moved across the area with associated showers and thunderstorms. A couple of these storms produced hail ranging from the size of pennies to quarters.","" +115729,695472,VIRGINIA,2017,April,Hail,"HALIFAX",2017-04-06 05:31:00,EST-5,2017-04-06 05:31:00,0,0,0,0,,NaN,,NaN,36.68,-79.12,36.68,-79.12,"A cold front moved across the area with associated showers and thunderstorms. A couple of these storms produced hail ranging from the size of pennies to quarters.","" +115730,695474,NORTH CAROLINA,2017,April,Hail,"CASWELL",2017-04-06 05:14:00,EST-5,2017-04-06 05:14:00,0,0,0,0,,NaN,,NaN,36.41,-79.34,36.41,-79.34,"A cold front moved across the area with associated showers and thunderstorms. One of these produced quarter size hail.","" +120928,723990,NEW JERSEY,2017,December,Winter Weather,"WARREN",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 4 to 6 inches across the county." +117479,706533,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 12:01:00,EST-5,2017-06-19 12:01:00,0,0,0,0,,NaN,,NaN,41.67,-73.82,41.67,-73.82,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","A tree was blocking a road in La Grange due to thunderstorm winds." +117479,706534,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-19 12:01:00,EST-5,2017-06-19 12:01:00,0,0,0,0,,NaN,,NaN,42.86,-73.34,42.86,-73.34,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Trees were reported down along Route 22 in the town of Hoosick due to thunderstorm winds." +117479,706535,NEW YORK,2017,June,Thunderstorm Wind,"DUTCHESS",2017-06-19 12:02:00,EST-5,2017-06-19 12:02:00,0,0,0,0,,NaN,,NaN,41.6837,-73.8625,41.6837,-73.8625,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","A tree limb was down on Route 55 near the border of Poughkeepsie and La Grange." +120928,723989,NEW JERSEY,2017,December,Winter Weather,"SUSSEX",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 4 to 5 inches across the county." +120928,723991,NEW JERSEY,2017,December,Winter Weather,"WESTERN ATLANTIC",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 2.5 to 4 inches across the county." +117479,706536,NEW YORK,2017,June,Thunderstorm Wind,"RENSSELAER",2017-06-19 12:08:00,EST-5,2017-06-19 12:08:00,0,0,0,0,,NaN,,NaN,42.9,-73.59,42.9,-73.59,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Trees were reported down along Route 40 in Schaghticoke due to thunderstorm winds." +117479,706537,NEW YORK,2017,June,Thunderstorm Wind,"SARATOGA",2017-06-19 12:14:00,EST-5,2017-06-19 12:14:00,0,0,0,0,,NaN,,NaN,43.1005,-73.6515,43.1005,-73.6515,"A cold front tracked east across eastern New York during the afternoon hours of Monday, June 19th, 2017. With a warm and unstable air mass in place, the frontal passage sparked numerous showers and thunderstorms across the area. Some of these thunderstorm were severe, knocking down trees and power lines. At its peak, there were over 12,000 customers without power across eastern New York, with the bulk of these across Dutchess and Washington Counties.","Thunderstorm winds damaged a decorative ice cream cone on the top of a seasonal ice cream stand along Route 29 in the town of Saratoga." +117736,707919,MISSISSIPPI,2017,July,Thunderstorm Wind,"UNION",2017-07-03 14:45:00,CST-6,2017-07-03 14:55:00,0,0,0,0,20.00K,20000,0.00K,0,34.4874,-89.0449,34.4922,-88.9738,"A passing upper level disturbance generated a few severe thunderstorms capable of damaging winds across portions of northeast Mississippi during the mid afternoon hours of July 3rd.","Several trees knocked down in New Albany." +117764,708049,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-22 14:20:00,EST-5,2017-07-22 14:20:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.56,30.3,-81.56,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","Street flooding was reported on the JAX Southside just south of Atlantic along Sandusky. Water reportedly was almost on the sidewalk." +117867,708718,GEORGIA,2017,July,Lightning,"GWINNETT",2017-07-14 18:40:00,EST-5,2017-07-14 18:40:00,0,0,0,0,10.00K,10000,,NaN,33.8976,-84.222,33.8976,-84.222,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Gwinnett County Emergency Manager reported a wild fire started by a lightning strike near Colchester Place." +117960,709117,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-05 22:50:00,CST-6,2017-07-05 22:53:00,0,0,0,0,0.00K,0,0.00K,0,48.91,-101.02,48.91,-101.02,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +119430,716790,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-26 14:12:00,CST-6,2017-07-26 14:13:00,0,0,0,0,0.00K,0,0.00K,0,32.4672,-87.0063,32.4672,-87.0063,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted along Highway 22 near Kyle Road." +119462,716958,KANSAS,2017,July,Hail,"MEADE",2017-07-03 14:48:00,CST-6,2017-07-03 14:48:00,0,0,0,0,,NaN,,NaN,37.05,-100.29,37.05,-100.29,"A surface-850 mb frontal zone spreading southward allowed for boundary layer moisture pooling just ahead of it, mainly over south southern into west central counties. This became the favored area for isolated to a few strong to severe storms in the 23-02Z timeframe, aided by a shortwave exiting the |central Rockies very late evening and overnight. This system caused severe wind and heavy rain.","" +119466,716971,KANSAS,2017,July,Thunderstorm Wind,"TREGO",2017-07-22 16:00:00,CST-6,2017-07-22 16:00:00,0,0,0,0,,NaN,,NaN,39.02,-99.92,39.02,-99.92,"An upper level shortwave trough slid southeast across the Upper Midwest, sending an attendant frontal boundary further southward across southwest and central Kansas. Although weak flow aloft and a lack of organized shear prevailed, enough instability was |present to support isolated thunderstorms in a band of increased convergence associated with the frontal boundary.","Power lines were blown down by the high wind." +119515,717179,GULF OF MEXICO,2017,July,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-30 12:52:00,EST-5,2017-07-30 12:52:00,0,0,0,0,0.00K,0,0.00K,0,24.706,-81.2824,24.706,-81.2824,"A few waterspouts and isolated gale-force wind gusts associated with scattered thunderstorms occurred near the Middle and Upper Florida Keys. Deep southwest flow allowed long convective convergence lines to develop in the lee of the Lower and Middle Florida Keys.","Two very narrow waterspouts were observed about 9 miles west of Marathon, visible as funnel clouds extending three quarters of the way down from cloud base." +119516,717183,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-07-31 11:53:00,EST-5,2017-07-31 11:53:00,0,0,0,0,0.00K,0,0.00K,0,24.8558,-80.7318,24.8558,-80.7318,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 36 knots was measured at an automated Citizen Weather Observing Program station hosted by the Florida Keys Mosquito Control on Lower Matecumbe Key." +119653,717757,LAKE HURON,2017,July,Marine Thunderstorm Wind,"STURGEON PT TO ALABASTER MI",2017-07-23 15:33:00,EST-5,2017-07-23 15:33:00,0,0,0,0,0.00K,0,0.00K,0,44.4201,-83.3193,44.4201,-83.3193,"A strong thunderstorm brought gusty winds to the Oscoda area.","" +117945,708992,IOWA,2017,July,Thunderstorm Wind,"CHICKASAW",2017-07-19 16:27:00,CST-6,2017-07-19 16:27:00,0,0,0,0,5.00K,5000,0.00K,0,43.08,-92.26,43.08,-92.26,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Power lines were blown down east of New Hampton along State Highway 24." +117945,709014,IOWA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-19 16:33:00,CST-6,2017-07-19 16:33:00,0,0,0,0,2.00K,2000,0.00K,0,43.06,-92.03,43.06,-92.03,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees were blown down in Waucoma." +118579,712346,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-01 17:20:00,EST-5,2017-07-01 17:25:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-70.73,44.09,-70.73,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees on Chadborn Hill Road and Highland Road in Bridgton." +118822,713828,WYOMING,2017,June,Thunderstorm Wind,"ALBANY",2017-06-27 16:37:00,MST-7,2017-06-27 16:42:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-105.28,41.11,-105.34,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The WYDOT sensors at Buford East and Lone Tree measured wind gusts between 60 and 76 mph." +118822,713834,WYOMING,2017,June,Thunderstorm Wind,"LARAMIE",2017-06-27 16:55:00,MST-7,2017-06-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-105.08,41.64,-104.82,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The WYDOT sensors at Whitaker, Interstate 80 mile post 363 and Bear Creek measured peak wind gusts between 58 and 68 mph." +118822,713836,WYOMING,2017,June,Thunderstorm Wind,"LARAMIE",2017-06-27 17:08:00,MST-7,2017-06-27 17:08:00,0,0,0,0,0.00K,0,0.00K,0,41.1455,-104.8378,41.1455,-104.8378,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","A wind sensor near Cheyenne measured a peak gust of 62 mph." +118822,713837,WYOMING,2017,June,Thunderstorm Wind,"PLATTE",2017-06-27 17:10:00,MST-7,2017-06-27 17:16:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-104.96,41.32,-105.03,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The WYDOT sensors at Coleman and Bordeaux measured peak wind gusts between 58 and 60 mph." +118822,713825,WYOMING,2017,June,Thunderstorm Wind,"ALBANY",2017-06-27 16:30:00,MST-7,2017-06-27 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-105.42,41.11,-105.47,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The WYDOT sensors at Vedauwoo and Summit East measured wind gusts between 58 and 65 mph." +117914,708633,MINNESOTA,2017,July,Thunderstorm Wind,"WINONA",2017-07-19 16:25:00,CST-6,2017-07-19 16:25:00,0,0,0,0,15.00K,15000,0.00K,0,43.97,-92.06,43.97,-92.06,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Power lines were blown down in St. Charles and a newly constructed baseball dugout was destroyed." +117914,708609,MINNESOTA,2017,July,Thunderstorm Wind,"DODGE",2017-07-19 15:28:00,CST-6,2017-07-19 15:28:00,0,0,0,0,70.00K,70000,0.00K,0,44.08,-93,44.08,-93,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","A turkey farm north of Claremont sustained roof damage to two buildings, but no turkeys were hurt. Power lines were also blown down." +117945,709938,IOWA,2017,July,Thunderstorm Wind,"ALLAMAKEE",2017-07-19 17:12:00,CST-6,2017-07-19 17:12:00,0,0,0,0,10.00K,10000,5.00K,5000,43.27,-91.48,43.27,-91.48,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Part of a roof was removed from an outbuilding and corn was pushed over near Waukon." +118656,712859,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 11:59:00,EST-5,2017-07-08 12:05:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-71.93,42.84,-71.93,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees and wires in Sharon." +118656,712860,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:20:00,EST-5,2017-07-08 12:25:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-71.79,42.99,-71.79,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees and wires on New Boston Road in Francestown." +118656,712861,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:20:00,EST-5,2017-07-08 12:25:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-71.81,42.99,-71.81,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees and wires on Dennison Pond Road in Francestown." +118672,712915,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"STRAFFORD",2017-07-20 14:40:00,EST-5,2017-07-20 14:44:00,0,0,0,0,0.00K,0,0.00K,0,43.22,-71.05,43.22,-71.05,"Good upper-level divergence associated with a jet streak ahead of an approaching shortwave combined with low-level instability to produce showers and thunderstorms on the afternoon of the 20th. Several reports of wind damage were reported with these storms.","A severe thunderstorm downed trees on wires on Tolend Road in Barrington." +118672,712916,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"STRAFFORD",2017-07-20 14:52:00,EST-5,2017-07-20 14:56:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-70.92,43.17,-70.92,"Good upper-level divergence associated with a jet streak ahead of an approaching shortwave combined with low-level instability to produce showers and thunderstorms on the afternoon of the 20th. Several reports of wind damage were reported with these storms.","A severe thunderstorm downed trees in Madbury." +118576,712330,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"SULLIVAN",2017-07-01 18:50:00,EST-5,2017-07-01 18:55:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-72.36,43.53,-72.36,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed trees and wires on Route 120, Black Hill Road and Route 12A in Plainfield." +119174,715674,MAINE,2017,July,Flood,"OXFORD",2017-07-01 19:47:00,EST-5,2017-07-01 23:39:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-70.58,44.6792,-70.5937,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Minor flooding occurred on the Swift River at Roxbury (flood stage 7.00 ft), which crested at 8.82 ft." +118579,712336,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 15:20:00,EST-5,2017-07-01 15:25:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-70.98,44.02,-70.98,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees and wires in Fryeburg." +119125,720486,FLORIDA,2017,September,Flash Flood,"PUTNAM",2017-09-10 22:49:00,EST-5,2017-09-10 22:49:00,0,0,0,0,0.00K,0,0.00K,0,29.65,-81.69,29.6496,-81.6876,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","A nursing home was being flooded. Patients had to be evacuated to a nearby hospital." +120310,720914,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-09-06 18:06:00,EST-5,2017-09-06 18:06:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms associated with a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 38 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +120310,720916,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-09-06 18:12:00,EST-5,2017-09-06 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-75.99,37.17,-75.99,"Scattered thunderstorms associated with a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 35 knots was measured at Kiptopeke." +120310,720919,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-09-06 18:12:00,EST-5,2017-09-06 18:12:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-76,36.92,-76,"Scattered thunderstorms associated with a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 38 knots was measured at Cape Henry." +118638,713680,IOWA,2017,July,Flash Flood,"CHICKASAW",2017-07-21 10:50:00,CST-6,2017-07-21 12:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.9401,-92.2735,42.9733,-92.233,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Runoff from locally heavy rains, pushed small creeks out of their banks and over roads west of Fredericksburg. Numerous homes had water in their basements in Fredericksburg." +117350,705708,WISCONSIN,2017,July,Thunderstorm Wind,"MONROE",2017-07-05 17:53:00,CST-6,2017-07-05 17:53:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-90.5,44.05,-90.5,"Scattered thunderstorms moved slowly across portions of western Wisconsin during the late afternoon of July 5th. Some of these storms briefly became strong enough to produce damaging winds that blew down trees and power lines north of Tomah (Monroe County).","Trees and power lines were blown down north of Tomah." +118140,709972,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:25:00,CST-6,2017-07-19 17:25:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-90.97,42.94,-90.97,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An estimated 70 mph wind gust occurred in Patch Grove." +118140,709977,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:44:00,CST-6,2017-07-19 17:44:00,0,0,0,0,10.00K,10000,0.00K,0,43,-90.82,43,-90.82,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An outbuilding was damaged and a 4-wheeler was flipped over. Trees were also blown over northeast of Mt. Hope." +118140,709979,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-19 17:34:00,CST-6,2017-07-19 17:34:00,0,0,0,0,2.00K,2000,0.00K,0,43.66,-91.22,43.66,-91.22,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Large tree branches were blown down in Stoddard." +118140,709982,WISCONSIN,2017,July,Flood,"LA CROSSE",2017-07-19 17:41:00,CST-6,2017-07-19 19:30:00,0,0,0,0,0.00K,0,0.00K,0,43.8168,-91.2516,43.7927,-91.2507,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Street flooding occurred in La Crosse. The water was a foot deep in some intersections." +119125,720510,FLORIDA,2017,September,Flash Flood,"DUVAL",2017-09-11 09:50:00,EST-5,2017-09-11 09:50:00,0,0,0,0,0.00K,0,0.00K,0,30.3035,-81.6516,30.317,-81.6625,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Historic river and fresh water flooding was reported in San Marco. Pumps under water. Water in homes. Water rescues from swift water rescue teams occurred." +119730,720421,CALIFORNIA,2017,September,Thunderstorm Wind,"TULARE",2017-09-03 17:48:00,PST-8,2017-09-03 17:48:00,0,0,0,0,1.00K,1000,0.00K,0,35.97,-119.29,35.97,-119.29,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a large tree branch downed by thunderstorm wind gusts in the right lane of State Route 99 near East Court Ave. in Pixley." +119125,720521,FLORIDA,2017,September,Flood,"BRADFORD",2017-09-10 09:35:00,EST-5,2017-09-10 09:35:00,0,0,0,0,0.00K,0,0.00K,0,29.9401,-82.1045,29.9371,-82.1154,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","A report via social media showed Alligator Creek in Starke coming up to the bridge level at Laura Street. This was occurring at the same time that the creek gauge measuring major flooding status just downstream at U.S. Highway 301." +119730,720424,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 16:31:00,PST-8,2017-09-03 16:31:00,0,0,0,0,0.00K,0,0.00K,0,35.3221,-119.0384,35.3218,-119.0363,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a mud slide and road flooding due to heavy rainfall on southbound State Route 99 just north of White Ln. in Bakersfield." +119125,720770,FLORIDA,2017,September,Tropical Storm,"COASTAL NASSAU",2017-09-10 07:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Tropical storm force winds with gusts to hurricane force, river flooding, storm surge and tornadoes impacted Nassau County from Hurricane Irma. On 9/11, a private weather station on Dunes Row at the south end of Amelia Island at a 60 ft elevation measured a wind gust of 106 mph, between 1 am and 2:30 am. At 3 am, several trees were blown down onto homes near Fernandina beach. At 2 am, the Fernandina Beach NOS tide gauge measured water level rises of 3.5 to 4 ft above MHHW datum. ||The tidal gauge on the Atlantic coast at Fernandina Beach crested at 6.34 feet on Sept 11th at 0148 EDT. Moderate flooding occurred at this level. The St. Marys River at Interstate 95 crested at 3.57 feet on Sept. 11th at 1415 EDT. Minor flooding occurred at this level. ||Storm total rainfall included 9.86 inches about half a mile north of Fernandina Beach, 9.93 inches 6.3 miles S of Fernandina Beach, and 12.70 inches in Fernandina Beach." +120254,720883,GEORGIA,2017,September,Tropical Storm,"WARE",2017-09-10 12:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||The Satilla River at Georgia Highway 158 above Millwood crested at 14.91 feet on Sept 14th at 2030 EDT. Minor flooding occurred at this level.||Storm total rainfall included 5.98 inches 2 miles West of Deenwood and 6.86 inches in Waycross." +119730,720441,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:10:00,PST-8,2017-09-03 19:10:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a tree downed from dust storm wind gusts fell on a vehicle near East Douglas Ave. and North Gowdy St. in Visalia." +120254,721326,GEORGIA,2017,September,Tropical Storm,"PIERCE",2017-09-10 10:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The Alabaha River Georgia Highway 203 near Blackshear crested at 11.41 ft on 9/12 at 1730 EDT. Minor flooding occurred at that level. Storm total rainfall included 8.45 inches 5 miles NNW of Blackshear." +119730,720446,CALIFORNIA,2017,September,Lightning,"TULARE",2017-09-03 11:30:00,PST-8,2017-09-03 12:30:00,3,0,0,0,0.00K,0,0.00K,0,36.5976,-118.6343,36.5976,-118.6343,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","A family of three were struck by lightning and injured while wilderness backpacking at Sequoia National Park." +120242,720451,CALIFORNIA,2017,September,Flash Flood,"KERN",2017-09-09 15:00:00,PST-8,2017-09-09 16:13:00,0,0,0,0,0.00K,0,0.00K,0,35.5532,-117.7436,35.5471,-117.7154,"A cut off upper low drifting slowly southward off the central California coast pulled up a surge of sub-tropical moisture which produced thunderstorms and flash flooding in the Kern County Deserts on the afternoon of September 9.","California Highway Patrol reported flash flooding on South Brown Rd between Wiknich Rd. and U.S. Highway 395 south of Inyokern. South Brown Rd. was closed due to the flooding." +120273,720888,CALIFORNIA,2017,September,High Wind,"KERN CTY MTNS",2017-09-20 21:27:00,PST-8,2017-09-20 21:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and moist upper low which originated in the Gulf of Alaska pushed into California on September 21 bringing widespread precipitation, increased winds and much cooler than normal temperatures to the area. Winds picked up across the area again on the evening of September 20 and continued through the afternoon of September 21 with the strongest observed gusts being observed at the indicator ridge top sites in the Kern County Mountains. In addition, widespread precipitation impacted to area on the 21st with several locations in the San Joaquin Valley measuring a few tenths of an inch of rainfall while several locations in the Southern Sierra Nevada from Yosemite Park southward to Fresno County picked up between an inch and an inch and a half of liquid precipitation. The precipitation fell as snow above 11000 feet during the early morning hours of the 21st. the snow level lowered to around 7000 feet in Yosemite Park by late morning. Tuolumne Meadows measures three inches of new snowfall while State Route 120 through Tioga Pass was shut down due to accumulating snow.","The Bird Springs Pass RAWS reported a maximum wind gust of 85 mph." +120273,720889,CALIFORNIA,2017,September,High Wind,"INDIAN WELLS VLY",2017-09-21 20:26:00,PST-8,2017-09-21 20:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and moist upper low which originated in the Gulf of Alaska pushed into California on September 21 bringing widespread precipitation, increased winds and much cooler than normal temperatures to the area. Winds picked up across the area again on the evening of September 20 and continued through the afternoon of September 21 with the strongest observed gusts being observed at the indicator ridge top sites in the Kern County Mountains. In addition, widespread precipitation impacted to area on the 21st with several locations in the San Joaquin Valley measuring a few tenths of an inch of rainfall while several locations in the Southern Sierra Nevada from Yosemite Park southward to Fresno County picked up between an inch and an inch and a half of liquid precipitation. The precipitation fell as snow above 11000 feet during the early morning hours of the 21st. the snow level lowered to around 7000 feet in Yosemite Park by late morning. Tuolumne Meadows measures three inches of new snowfall while State Route 120 through Tioga Pass was shut down due to accumulating snow.","The Indian Wells Canyon RAWS reported a maximum wind gust of 60 mph." +120283,720701,SOUTH DAKOTA,2017,September,Hail,"GREGORY",2017-09-19 20:15:00,CST-6,2017-09-19 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.03,-99.3,43.03,-99.3,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Hail size varied from quarters to half dollars." +120283,720702,SOUTH DAKOTA,2017,September,Hail,"AURORA",2017-09-19 20:20:00,CST-6,2017-09-19 20:20:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-98.71,43.73,-98.71,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","" +120283,720703,SOUTH DAKOTA,2017,September,Hail,"SANBORN",2017-09-19 20:29:00,CST-6,2017-09-19 20:29:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-98.17,44.13,-98.17,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","" +120283,720711,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MINER",2017-09-19 21:20:00,CST-6,2017-09-19 21:20:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-97.79,44.14,-97.79,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Quite a bit of tree damage, as well as minor damage to homes." +120283,720712,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MCCOOK",2017-09-19 21:51:00,CST-6,2017-09-19 21:51:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-97.39,43.73,-97.39,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Quite a bit of tree damage." +120283,720713,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"TURNER",2017-09-19 21:57:00,CST-6,2017-09-19 21:57:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-97.26,43.42,-97.26,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Six inch diameter branches down in the town of Marion." +120283,720714,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"LAKE",2017-09-19 22:09:00,CST-6,2017-09-19 22:09:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-97.01,43.96,-97.01,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Tree branches downed. Garage doors blown in around Lake Madison." +120283,720715,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"LAKE",2017-09-19 22:16:00,CST-6,2017-09-19 22:16:00,0,0,0,0,0.00K,0,0.00K,0,44,-96.96,44,-96.96,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Trees damaged, as well as house siding." +117138,710396,KANSAS,2017,June,Thunderstorm Wind,"OTTAWA",2017-06-15 16:15:00,CST-6,2017-06-15 16:16:00,0,0,0,0,,NaN,,NaN,38.96,-97.46,38.96,-97.46,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Quarter size hail was also reported with the storm." +117138,710399,KANSAS,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-15 16:35:00,CST-6,2017-06-15 16:36:00,0,0,0,0,,NaN,,NaN,38.67,-97.26,38.67,-97.26,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Power was lost. The was also getting stronger." +117779,708102,MINNESOTA,2017,August,Tornado,"SIBLEY",2017-08-16 17:26:00,CST-6,2017-08-16 17:33:00,0,0,0,0,0.00K,0,0.00K,0,44.5654,-94.2676,44.5812,-94.3476,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A tornado developed east-northeast of Winthrop and tracked toward the west-northwest. It flattened some corn, uprooted trees, and caused other tree damage. Near the end of its path, it destroyed a structurally compromised barn. The maximum wind speed is estimated to have been 80 mph. Most of the path was determined through a combination of NWS storm survey and reviewing high-res satellite imagery." +117138,710416,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 19:41:00,CST-6,2017-06-15 19:42:00,0,0,0,0,,NaN,,NaN,39.2,-95.21,39.2,-95.21,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Tree fell on a home. The size was unknown." +117138,710417,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 19:41:00,CST-6,2017-06-15 19:42:00,0,0,0,0,,NaN,,NaN,39.19,-95.21,39.19,-95.21,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Power poles were reported down in the 300 block of east Lake Street in Mclouth." +119626,717707,ILLINOIS,2017,June,Thunderstorm Wind,"FAYETTE",2017-06-18 01:30:00,CST-6,2017-06-18 01:38:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-89.22,38.87,-88.85,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds blew down a grain bin in St. Peter. Also, numerous trees and power poles were blown down across the southern half of Fayette County." +112399,740128,SOUTH CAROLINA,2017,January,Tornado,"BAMBERG",2017-01-21 15:56:00,EST-5,2017-01-21 16:02:00,0,0,0,0,,NaN,,NaN,33.3491,-81.2174,33.3991,-81.1681,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","The tornado touched down in Barnwell County, tracked to the ENE and moved out of Barnwell County and into Bamberg County near US Hwy 78. The tornado then moved northeast across northern Bamberg County across Fox Glove Road and Char-Augusta Road, before dissipating just prior to the Orangeburg County line. A power pole was snapped, a pivot irrigation system was flipped over and several softwood trees were uprooted." +122186,731448,TEXAS,2017,December,Winter Weather,"COMAL",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +120213,720258,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:13:00,MST-7,2017-06-12 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-104.95,42.05,-104.95,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter size hail was observed at Wheatland." +120213,720259,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:14:00,MST-7,2017-06-12 14:16:00,0,0,0,0,0.00K,0,0.00K,0,42.0355,-104.95,42.0355,-104.95,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Grapefruit size hail was observed a mile south of Wheatland. Several vehilcle windshilds were damaged." +120213,720260,WYOMING,2017,June,Funnel Cloud,"PLATTE",2017-06-12 14:14:00,MST-7,2017-06-12 14:17:00,0,0,0,0,0.00K,0,0.00K,0,42.0462,-104.7313,42.0462,-104.7313,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A funnel cloud was observed near Weber and Deer Creek Road." +112797,673869,FLORIDA,2017,January,Thunderstorm Wind,"COLLIER",2017-01-23 00:50:00,EST-5,2017-01-23 00:50:00,0,0,0,0,,NaN,,NaN,25.92,-81.66,25.92,-81.66,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Collier County emergency management reported several trees down in the Goodland area." +112797,677957,FLORIDA,2017,January,Tornado,"PALM BEACH",2017-01-23 01:25:00,EST-5,2017-01-23 01:30:00,0,0,0,0,,NaN,0.00K,0,26.7896,-80.3272,26.8034,-80.2774,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Pictures were received of damage consistent with a tornado in The Acreage. First indication of damage and probable touchdown was near 180th Avenue North and 76th Street North, with a ENE path to Mandarin Boulevard and 78th Road North where borderline EF-1 damage to trees was noted. From Mandarin Boulevard, a break in the damage was observed for over a mile, with damage once again seen at Seminole Pratt Whitney Road and 84th Court North. Damage continued to Hall Boulevard and 85th Road North where the tornado likely lifted.||Damage was to trees and fences along the path. Almost all of the damage was EF-0 (70-80 mph), with one or two spots of EF-1 damage (85-90 mph winds)." +118207,712561,WISCONSIN,2017,July,Heavy Rain,"BUFFALO",2017-07-19 15:25:00,CST-6,2017-07-20 01:15:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-92,44.42,-92,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","In Nelson, 7 inches of rain fell." +118207,714256,WISCONSIN,2017,July,Flood,"CRAWFORD",2017-07-20 04:00:00,CST-6,2017-07-21 08:00:00,0,0,0,0,438.00K,438000,1.60M,1600000,43.4232,-90.8477,43.422,-90.6713,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rain caused flooding to occur over the eastern portions of Crawford County, especially along the Kickapoo River. This flooding closed State Highway 131 near Stueben and State Highway 171 near Gays Mills. The flooding waters in Stueben lifted asphalt up and off the road bed. Across the northeast part of the county, numerous bridge approaches were damaged by flood waters. Two homes in the county sustained major damage from the flooding with another two having minor damage." +119163,715653,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 19:02:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.0161,-70.9831,44.021,-70.9944,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Fryeburg washing out sections of Route 113." +118579,714926,MAINE,2017,July,Tornado,"CUMBERLAND",2017-07-01 13:20:00,EST-5,2017-07-01 13:34:00,0,0,0,0,,NaN,0.00K,0,43.8504,-70.6332,43.87,-70.57,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A small tornado touched down near the western shore of Lake Sebago in East Sebago before moving over the lake and dissipating. The tornado was confirmed based on the combination of eyewitness reports, pictures, and video, along with damage on the ground. ||Several snapped or uprooted pine and oak trees were reported on Garden Estates Drive in East Sebago. A pontoon boat was flipped near the lake shore. Based on the damage, the tornado was rated and EF0 with maximum winds estimated to have been about 75 mph." +118579,714929,MAINE,2017,July,Tornado,"OXFORD",2017-07-01 17:31:00,EST-5,2017-07-01 17:36:00,0,0,0,0,,NaN,,NaN,44.0964,-70.6009,44.1034,-70.5506,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A small tornado touched down near the town of Otisfield, Oxford County, based on ground damage, eyewitness reports, and pictures. ||The tornado touched down near Jesse Mill Road with roughly a half dozen large pines trees uprooted. Video showed a rotating cloud base and possible funnel cloud observed west of Bolsters Mills Road just before this time. Damage also occurred on Bolsters Mills Road with large branches downed on power lines. As the storm moved east, additional damage was noted on Bell Hill Road where a large pine tree fell on a house and a number of other pine trees were uprooted, some of which blew down onto power lines. Additional damaged and downed trees were found near the intersection of Peaco Hill Road and Rayville Road, as well as downed power lines. Some eyewitnesses reported the ear-popping sensation oftentimes reported with tornadoes. Video also showed substantial rotation at cloud base to the east of where the tornado occurred. This tornado was spawned from the same storm that produced a tornado near Bridgton about 20 minutes earlier." +119159,715760,PUERTO RICO,2017,July,Heavy Rain,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2096,-65.7416,18.2093,-65.733,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Mudslide was reported in sector Brazo Seco along road PR-927." +117597,707210,ARIZONA,2017,July,Lightning,"MOHAVE",2017-07-08 20:25:00,MST-7,2017-07-08 20:25:00,0,0,0,0,25.00K,25000,0.00K,0,34.4842,-114.3227,34.4842,-114.3227,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Lightning destroyed a trailer with equipment used to sell Christmas trees." +117598,707211,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-08 20:32:00,PST-8,2017-07-08 21:30:00,0,0,0,0,2.00K,2000,0.00K,0,34.9888,-114.6694,34.9879,-114.6681,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Rocks and boulders washed onto Needles Highway." +117598,707212,CALIFORNIA,2017,July,Flash Flood,"INYO",2017-07-10 14:57:00,PST-8,2017-07-10 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.3234,-117.6674,36.3324,-117.6565,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","A vehicle was stuck in flood waters 11 miles W of Panamint Springs." +117598,707214,CALIFORNIA,2017,July,Flash Flood,"INYO",2017-07-10 16:30:00,PST-8,2017-07-10 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.3333,-117.7404,36.3347,-117.7401,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Highway 190 was closed due to flooding of the Centennial Wash." +118604,717112,INDIANA,2017,July,Flood,"MARION",2017-07-13 17:47:00,EST-5,2017-07-13 19:47:00,0,0,0,0,0.25K,250,0.00K,0,39.9088,-86.1828,39.9082,-86.183,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Flooding and strong thunderstorm wind gusts occurred on the north side of Indianapolis during this period. Damaging thunderstorm wind gusts was noted in Knox County.","Street and yard flooding of unknown depth occurred due to heavy rainfall in the area." +118606,714084,INDIANA,2017,July,Thunderstorm Wind,"MADISON",2017-07-21 23:20:00,EST-5,2017-07-21 23:20:00,0,0,0,0,3.00K,3000,,NaN,40.11,-85.74,40.11,-85.74,"A squall line dropped southeast into central Indiana from the northwest during the late evening of the 21st and early morning of the 22nd. A portion of the line bowed as it moved into the area producing damaging winds. Thunderstorms caused mainly wind damage across the northern half of central Indiana during this timeframe.","Power poles were downed in Edgewood due to damaging thunderstorm wind gusts. This report was received via twitter." +117453,706390,IOWA,2017,June,Funnel Cloud,"WARREN",2017-06-28 17:22:00,CST-6,2017-06-28 17:22:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-93.75,41.18,-93.75,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +114465,686470,VIRGINIA,2017,April,Flood,"BLAND",2017-04-23 17:42:00,EST-5,2017-04-24 05:42:00,0,0,0,0,0.00K,0,0.00K,0,37.2434,-81.1035,37.2436,-81.0729,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Wolf Creek was reported out of its banks along Eagles Road." +118035,709579,NEVADA,2017,July,Flash Flood,"LINCOLN",2017-07-26 13:30:00,PST-8,2017-07-26 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,37.6953,-115.8199,37.6836,-115.829,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Water two to three feet deep damaged Highway 375 3 miles NW of Rachel, and water got into basements of two residences in Rachel." +118036,709581,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-29 19:15:00,MST-7,2017-07-29 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.471,-113.7161,34.4686,-113.7149,"Lingering moisture fueled isolated thunderstorms over the Mojave Desert. A couple of storms produced flash flooding.","Signal Road was closed from Highway 93 to Alamo Road due to flooding." +118595,714019,INDIANA,2017,July,Hail,"BROWN",2017-07-07 16:23:00,EST-5,2017-07-07 16:25:00,0,0,0,0,,NaN,,NaN,39.25,-86.36,39.25,-86.36,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714021,INDIANA,2017,July,Hail,"MONROE",2017-07-07 16:25:00,EST-5,2017-07-07 16:27:00,0,0,0,0,,NaN,,NaN,39.24,-86.38,39.24,-86.38,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","This report came in from near Lake Lemon." +118595,714023,INDIANA,2017,July,Hail,"MONROE",2017-07-07 16:26:00,EST-5,2017-07-07 16:28:00,0,0,0,0,,NaN,,NaN,39.27,-86.39,39.27,-86.39,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714420,INDIANA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-07 18:25:00,EST-5,2017-07-07 18:25:00,0,0,0,0,4.00K,4000,,NaN,38.843,-85.823,38.843,-85.823,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Trees were downed in Uniontown due to damaging thunderstorm wind gusts." +118598,713995,INDIANA,2017,July,Tornado,"CARROLL",2017-07-10 18:53:00,EST-5,2017-07-10 18:56:00,0,0,0,0,0.00K,0,5.00K,5000,40.6413,-86.3959,40.6417,-86.3736,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana.||On the evening of the 10th, scattered severe storms developed over northern portions of central Indiana along a nearly stationary warm front. The storms produced an EF0 tornado across far eastern Carroll County, continuing and intensifying as it moved into Cass County.","Mainly crop damage was observed on the Carroll County side of this EF1 tornado track before heading into Cass County. Overall, crop and tree damage, minor roof damage to a few barns and homes, as well as a recreational vehicle (RV) being lifted and destroyed is what was surveyed from this 95 mph maximum wind tornado." +118598,714032,INDIANA,2017,July,Hail,"HENRY",2017-07-11 00:42:00,EST-5,2017-07-11 00:44:00,0,0,0,0,1.00K,1000,,NaN,39.93,-85.38,39.93,-85.38,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana.||On the evening of the 10th, scattered severe storms developed over northern portions of central Indiana along a nearly stationary warm front. The storms produced an EF0 tornado across far eastern Carroll County, continuing and intensifying as it moved into Cass County.","Thunderstorm wind gusts were estimated at 70 mph. Power was reported to be out with a fence blown down." +118579,712354,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 17:35:00,EST-5,2017-07-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-70.56,44.15,-70.56,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees on Route 121 in Norway." +118579,712355,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 17:40:00,EST-5,2017-07-01 17:45:00,0,0,0,0,,NaN,0.00K,0,43.97,-70.8,43.97,-70.8,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees and wires and damaged buildings in Denmark." +117945,709009,IOWA,2017,July,Thunderstorm Wind,"HOWARD",2017-07-19 16:45:00,CST-6,2017-07-19 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,43.37,-92.12,43.37,-92.12,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Power lines were blown down in Cresco." +118595,714011,INDIANA,2017,July,Hail,"MORGAN",2017-07-07 16:03:00,EST-5,2017-07-07 16:05:00,0,0,0,0,,NaN,,NaN,39.39,-86.47,39.39,-86.47,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Power outages were also reported." +118607,714075,INDIANA,2017,July,Thunderstorm Wind,"GREENE",2017-07-22 19:40:00,EST-5,2017-07-22 19:40:00,0,0,0,0,8.00K,8000,,NaN,39.17,-87.24,39.17,-87.24,"A strong thunderstorm crossed into Indiana from Illinois during the evening of the 22nd of July. The storm started to weaken as it moved eastward, but produced wind damage in Shakamak State Park before weakening fully.","Multiple trees were downed across Shakamak State Park due to damaging thunderstorm wind gusts." +117106,704522,TENNESSEE,2017,May,Thunderstorm Wind,"LOUDON",2017-05-27 21:43:00,EST-5,2017-05-27 21:43:00,0,0,0,0,,NaN,,NaN,35.8,-84.27,35.8,-84.27,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","A roof was removed from a shed in Lenoir City." +117109,718088,VIRGINIA,2017,May,Flash Flood,"SCOTT",2017-05-27 20:45:00,EST-5,2017-05-27 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.7479,-82.6368,36.8212,-82.6339,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","Several roadways experiencing high water across the northern portion of the county." +117741,707952,ARIZONA,2017,July,Hail,"MOHAVE",2017-07-17 16:02:00,MST-7,2017-07-17 16:07:00,0,0,0,0,0.00K,0,0.00K,0,35.3392,-113.6883,35.3392,-113.6883,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","" +117742,707965,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-19 08:00:00,PST-8,2017-07-19 09:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.4809,-114.8998,35.4881,-114.8013,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Water and debris flowed over Cottonwood Cove Road." +119606,717551,ILLINOIS,2017,July,Thunderstorm Wind,"BOONE",2017-07-19 19:40:00,CST-6,2017-07-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,42.281,-88.8515,42.281,-88.8515,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Wind gusts were estimated to 70 mph at the Boone County Fairgrounds." +118207,714015,WISCONSIN,2017,July,Flood,"MONROE",2017-07-20 07:15:00,CST-6,2017-07-21 07:15:00,0,0,0,0,3.05M,3050000,1.90M,1900000,44.1595,-90.5925,44.1595,-90.9058,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial round of flash flooding, the lingering flood waters continued to cause problems across Monroe County into Friday, July 21st. Thirty-nine families across the county had to be evacuated and another 56 were affected by the flooding. State Highway 131 in the far southern part of the county was closed because of flooding along the Kickapoo River and State Highway 27 between Leon and Sparta was also closed. Several township roads were flooded along the La Crosse and Baraboo Rivers. A total of 10 state or county highways were closed because of the flooding. One home sustained major damage and another eight suffered minor damage." +119919,719052,CALIFORNIA,2017,September,Wildfire,"SANTA CRUZ MOUNTAINS",2017-09-11 18:41:00,PST-8,2017-09-15 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","The Skeggs Fire was sparked by a lightning strike Monday night in the Santa Cruz Mountains. The fire peaked at 50 acres||http://www.fire.ca.gov/current_incidents/incidentdetails/Index/1826|http://www.mercurynews.com/2017/09/15/firefighters-fully-contain-skeggs-fire-near-woodside/." +119919,719054,CALIFORNIA,2017,September,Wildfire,"SANTA LUCIA MOUNTAINS AND LOS PADRES NATIONAL FOREST",2017-09-11 18:00:00,PST-8,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Various lightning strikes sparked 15 fires in Monterey County that were contained on the same day http://www.mercurynews.com/2017/09/13/crews-contain-15-fires-started-by-lightning-in-monterey-county/. Timing has been estimated." +119919,719053,CALIFORNIA,2017,September,Wildfire,"SANTA CRUZ MOUNTAINS",2017-09-11 17:30:00,PST-8,2017-09-11 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Two fires broke out near Los Gatos due to lightning. One near Loma Prieta Ridge and the other near Twin Creeks Road |http://sanfrancisco.cbslocal.com/2017/09/11/lightning-strikes-recorded-bay-area/|http://sanfrancisco.cbslocal.com/2017/09/12/lightning-sparked-wildfire-burning-in-woodside/." +119550,717403,CALIFORNIA,2017,September,Frost/Freeze,"MODOC COUNTY",2017-09-21 01:00:00,PST-8,2017-09-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to parts of northern California.","Reported low temperatures ranged from 30 to 37 degrees." +119552,717406,CALIFORNIA,2017,September,Frost/Freeze,"MODOC COUNTY",2017-09-22 01:00:00,PST-8,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of northern California.","Reported low temperatures ranged from 25 to 29 degrees." +118956,714575,ARIZONA,2017,September,Thunderstorm Wind,"YUMA",2017-09-07 20:12:00,MST-7,2017-09-07 20:12:00,0,0,0,0,0.00K,0,0.00K,0,32.94,-114.38,32.94,-114.38,"Scattered thunderstorms developed over the southwestern and western deserts of Arizona during the late afternoon and evening hours on September 7th. They affected both Yuma and La Paz Counties as they brought strong and gusty winds to the area along with patchy dense blowing dust. Automated weather stations in far western Yuma County, just east of the lower Colorado River Valley, measured gusts as high as 64 mph. Shortly after 1700MST another mesonet weather station west of the Kofa Mountains measured a gust to 66 mph. No damage was reported due to the strong winds. Finally, at about 1900MST a trained spotter just northeast of Tacna reported dense blowing dust that reduced visibility below one quarter of a mile in a dust storm.","Scattered thunderstorms developed across portions of western Yuma County during the evening hours on September 7th and some of the stronger storms produced very gusty outflow winds. At 2012MST the mesonet weather station YP017, located 5 miles east-southeast of Martinez Lake, measured a wind gust to 59 mph. The station was also located to the west of highway 95. No damage was reported due to the strong wind gust." +118956,714576,ARIZONA,2017,September,Thunderstorm Wind,"LA PAZ",2017-09-07 20:16:00,MST-7,2017-09-07 20:16:00,0,0,0,0,0.00K,0,0.00K,0,33.03,-114.39,33.03,-114.39,"Scattered thunderstorms developed over the southwestern and western deserts of Arizona during the late afternoon and evening hours on September 7th. They affected both Yuma and La Paz Counties as they brought strong and gusty winds to the area along with patchy dense blowing dust. Automated weather stations in far western Yuma County, just east of the lower Colorado River Valley, measured gusts as high as 64 mph. Shortly after 1700MST another mesonet weather station west of the Kofa Mountains measured a gust to 66 mph. No damage was reported due to the strong winds. Finally, at about 1900MST a trained spotter just northeast of Tacna reported dense blowing dust that reduced visibility below one quarter of a mile in a dust storm.","Scattered thunderstorms developed across the western portion of La Paz County during the evening hours on September 7th and some of the stronger storms generated outflow wind gusts in excess of 60 mph. A mesonet weather station in far southern La Paz County, labeled YP013, measured a peak gust to 64 mph at 2016MST. The station was located 5 miles northeast of Martinez lake, northeast of Castle Dome Landing and west of Highway 95. No damage was reported due to the strong wind." +118956,714577,ARIZONA,2017,September,Thunderstorm Wind,"LA PAZ",2017-09-07 17:12:00,MST-7,2017-09-07 17:12:00,0,0,0,0,0.00K,0,0.00K,0,33.35,-114.29,33.35,-114.29,"Scattered thunderstorms developed over the southwestern and western deserts of Arizona during the late afternoon and evening hours on September 7th. They affected both Yuma and La Paz Counties as they brought strong and gusty winds to the area along with patchy dense blowing dust. Automated weather stations in far western Yuma County, just east of the lower Colorado River Valley, measured gusts as high as 64 mph. Shortly after 1700MST another mesonet weather station west of the Kofa Mountains measured a gust to 66 mph. No damage was reported due to the strong winds. Finally, at about 1900MST a trained spotter just northeast of Tacna reported dense blowing dust that reduced visibility below one quarter of a mile in a dust storm.","Scattered thunderstorms developed over the western portion of La Paz County during the afternoon hours on September 7th and some of the stronger storms produced gusty outflow winds in excess of 60 mph. At 1712MST a mesonet weather station labeled YP010 measured a wind gust to 66 mph. The station was located 18 miles west of Palm Canyon, to the west of the Kofa Mountains, and over the southwestern portion of the county. No damage was reported due to the strong wind gust." +118956,714578,ARIZONA,2017,September,Dust Storm,"SOUTHWEST DESERTS",2017-09-07 19:00:00,MST-7,2017-09-07 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered thunderstorms developed over the southwestern and western deserts of Arizona during the late afternoon and evening hours on September 7th. They affected both Yuma and La Paz Counties as they brought strong and gusty winds to the area along with patchy dense blowing dust. Automated weather stations in far western Yuma County, just east of the lower Colorado River Valley, measured gusts as high as 64 mph. Shortly after 1700MST another mesonet weather station west of the Kofa Mountains measured a gust to 66 mph. No damage was reported due to the strong winds. Finally, at about 1900MST a trained spotter just northeast of Tacna reported dense blowing dust that reduced visibility below one quarter of a mile in a dust storm.","Scattered thunderstorms developed over the east-central portion of Yuma County during the early evening hours, and developed towards the west, affecting the Interstate 8 corridor to the east of the town of Wellton. The storms produced gusty outflow winds in excess of 40 mph which stirred up significant amounts of dust and dirt resulting in dust storm conditions. At 1853MST a trained spotter located 3 miles to the northeast of Tacna reported a dust storm, with visibility lowered to less than one quarter of a mile. A Dust Storm Warning was issued for the Interstate 8 corridor starting at about 1900MST and remained in effect through 2000MST. Although the dense blowing dust presented very dangerous driving conditions for motorists on the interstate, no accidents were reported as a result of the sharply reduced visibility." +115397,692863,ILLINOIS,2017,April,Hail,"MONTGOMERY",2017-04-29 15:54:00,CST-6,2017-04-29 15:54:00,0,0,0,0,0.00K,0,0.00K,0,39.3573,-89.5326,39.3573,-89.5326,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +115397,692864,ILLINOIS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-29 15:54:00,CST-6,2017-04-29 15:54:00,0,0,0,0,0.00K,0,0.00K,0,39.3567,-89.5326,39.3567,-89.5326,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +118577,712319,IOWA,2017,June,Thunderstorm Wind,"SIOUX",2017-06-03 17:20:00,CST-6,2017-06-03 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-95.88,42.98,-95.88,"A few storms developed in northwest Iowa and produced an isolated severe weather event.","Dime size hail along with the wind. Severe tree branches downed throughout the town. Also reported 2.25 inches of rain in a 20 to 30 minute period." +119000,714794,ARIZONA,2017,September,Heavy Rain,"PINAL",2017-09-07 19:00:00,MST-7,2017-09-07 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-111.45,33.34,-111.45,"Scattered thunderstorms developed across the eastern portion of the greater Phoenix area during the evening hours on September 8th, and some of the stronger storms produced locally heavy rains with peak rain rates in excess of one inch per hour. Heavy rains the far east valley community of Apache Junction; area washes such as the Weekes Wash began to flow heavily and shortly afterward flash flooding and flooding occurred. At about 2030MST Apache Junction Police reported that barricades were being erected at the intersection of State Route 88 and Tomahawk Road due to flash flooding. In addition, about one hour earlier several inches of water were reported to be across U.S. Highway 60 between Gold Canyon and Peralta. A Flash Flood Warning was issued for the area beginning at 1954MST and continuing through 2300MST. No accident or injuires were reported.","Scattered thunderstorms developed over the eastern portion of the greater Phoenix area during the early evening hours on September 8th, and some of the stronger storms produced locally heavy rain in the Apache Junction and Gold Canyon area. Peak rain rates as shown by radar and local rain gages were in excess of one inch per hour, and this was sufficient to produce areas of street flooding in Gold Canyon. At 1910MST a report was received from an amateur ham radio operator and it indicated that there was 4 inches of water across the Superstition Freeway (Highway 60) between Gold Canyon and Peralta Road. The street flooding created hazardous driving conditions but fortunately no accidents were reported. A Flood Advisory was issued shortly after the street flooding report was received." +116836,702610,TENNESSEE,2017,July,Flash Flood,"DAVIDSON",2017-07-02 14:10:00,CST-6,2017-07-02 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.2632,-86.6469,36.2489,-86.6869,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on July 2. A few reports of wind damage and flash flooding were received.","Tspotter Twitter reports and photos showed several streets were flooded in Old Hickory and Lakewood with water up to the bumpers of some cars. A house also suffered minor flooding in Neely's Bend." +116863,702651,ILLINOIS,2017,July,Thunderstorm Wind,"TAZEWELL",2017-07-10 18:23:00,CST-6,2017-07-10 18:28:00,0,0,0,0,30.00K,30000,0.00K,0,40.5811,-89.5948,40.5811,-89.5948,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Several trees were blown over." +117051,704085,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 06:20:00,EST-5,2017-07-29 06:20:00,0,0,0,0,,NaN,,NaN,39.05,-74.9,39.05,-74.9,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost three and a half inches of rain fell." +117045,704171,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 22:59:00,EST-5,2017-07-23 22:59:00,0,0,0,0,,NaN,,NaN,39.77,-75.54,39.77,-75.54,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Just over two inches of rain fell at the Wilmington Porter Reservoir." +116246,704699,PENNSYLVANIA,2017,July,Flash Flood,"BERKS",2017-07-01 15:20:00,EST-5,2017-07-01 16:20:00,0,0,0,0,0.00K,0,0.00K,0,40.389,-75.8791,40.4251,-75.9238,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Vehicles briefly stuck in high water." +117218,704964,COLORADO,2017,July,Flash Flood,"FREMONT",2017-07-15 20:02:00,MST-7,2017-07-15 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.3069,-105.855,38.3823,-105.764,"Numerous strong storms produced flash flooding from the Upper Arkansas Valley to the southeast plains. A significant flash flood occurred on the Hayden Pass burn scar, which prompted the evacuation of a camping resort and residents. There were no injuries.","A flash flood caused significant rises in Hayden, Wolf, Cottonwood, Butter, and Little Cottonwood Creeks. A campground resort on County Road 6 was evacuated. Some outbuildings took on water, but no residences were flooded. County Roads in and around the burn scar sustained some damage. There were no injuries." +117803,709136,MISSISSIPPI,2017,July,Flash Flood,"LINCOLN",2017-07-25 11:10:00,CST-6,2017-07-25 12:10:00,0,0,0,0,15.00K,15000,0.00K,0,31.58,-90.36,31.5732,-90.3576,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Turpin Road washed out where a culvert ran underneath." +117965,709385,PENNSYLVANIA,2017,July,Flash Flood,"SUSQUEHANNA",2017-07-17 14:33:00,EST-5,2017-07-17 17:50:00,0,0,0,0,15.00K,15000,0.00K,0,41.93,-75.6,41.9404,-75.5794,"Warm and humid air was in place across the region as a slow moving frontal system drifted into Northeast Pennsylvania. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several locations across the northern tier counties.","Water was entering residences in the village." +118138,709954,OHIO,2017,July,Flood,"SUMMIT",2017-07-22 11:45:00,EST-5,2017-07-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3255,-81.546,41.5295,-81.5241,"A stalled frontal boundary lingered over northern Ohio on July 22nd. A morning convective complex brought widespread rain to the area. A moist environment combined with a stalled boundary supported some organized convection midday. The storms produced heavy rainfall resulting in some minor flooding over portions of Cuyahoga, Summit, Geauga, and Ashtabula Counties in northeast Ohio.","Minor flooding occurred in northeast Ohio due to heavy rainfall on July 22nd. Radar estimated between 1.5 and 3 inches of rain fell between Summit and Ashtabula Counties. In Orwell (1250 pm in Southern Ashtabula County) water encroached onto apartment buildings. Another affected city was Macedonia, where high waters caused a portion of Valley View Road to be shut down. Aurora/Reminderville saw flooding on Ensign Cove 1 to 2 feet deep." +118150,710035,RHODE ISLAND,2017,July,Flood,"KENT",2017-07-07 13:25:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.7122,-71.5013,41.7119,-71.5014,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 2 inches of rain to Rhode Island. The heaviest rainfall occurred in Central Rhode Island.","At 125 PM EST, street flooding was reported at Providence and Newell Streets in West Warwick. Flooding was 18 inches deep." +118172,710173,MASSACHUSETTS,2017,July,Flood,"ESSEX",2017-07-08 14:46:00,EST-5,2017-07-08 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.5803,-70.9635,42.5847,-70.9734,"A cold front moved through New England on July 8, bringing thunderstorms with damaging wind and heavy downpours.","At 246 PM EST, Maple Street at the bridges was reduced to half of a lane due to flooding. |Locust Street at the bottom of the hill was impassable due to flooding. Village Road at the bottom of the hill had eight to ten inches of street flooding." +115430,705549,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:48:00,CST-6,2017-06-11 07:48:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-93.22,44.88,-93.22,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115396,694338,MISSOURI,2017,April,Hail,"ST. CHARLES",2017-04-29 14:30:00,CST-6,2017-04-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.7841,-90.5098,38.7841,-90.5098,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +112882,675726,INDIANA,2017,March,Tornado,"DUBOIS",2017-03-01 00:03:00,EST-5,2017-03-01 00:09:00,0,0,0,0,350.00K,350000,0.00K,0,38.404,-87.071,38.421,-86.968,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","The National Weather Service, in conjunction with Dubois County Emergency Management, conducted a damage survey just hours after an overnight tornado touched down in the northwest corner of the county. The EF-2 tornado, with maximum wind speeds of 130 mph, touched down 4.1 miles WSW of Ireland, Indiana. It first destroyed a large pole barn, then moved on to damage several homes near the intersection of county roads 150 North and 875 West. ||After damaging several outbuildings, it traveled a mile northeast where it heavily damaged two brick ranch homes on county roads 200 North and 750 West, taking off their roofs and collapsing an outer wall on one. An elderly woman in one of the homes was uninjured despite the roof of her home being torn off and an exterior wall collapsing 15 feet from her. She had been sitting under the only part of the home where the ceiling remained intact after the roof blew away. ||The tornado continued skipping east-northeast over primarily open farmland, but gave a glancing blow to the north side of Ireland, where it damaged the roofs of several homes and destroyed a block garage. After skipping over an additional mile of farmland, the twister destroyed a silo and damaged an outbuilding on county road 300 North then snapping several pine trees along a lane before lifting. The maximum path width was 150 yards and it was on the ground for 5 to 6 minutes." +118838,715419,MISSISSIPPI,2017,June,Storm Surge/Tide,"JACKSON",2017-06-20 18:00:00,CST-6,2017-06-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","The USGS gauge near Ocean Springs recorded a maximum water level of 3.92 ft NAVD88 at 7:45am CST on the 22nd. Farther east, the National Ocean Service gauge at the Port of Pascagoula Dock E recorded a maximum water level of 2.50 ft MHHW, which was 2.21 ft above the predicted level at 6:30am CST on the 22nd." +118837,715564,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA OUT 20 NM",2017-06-20 09:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent tropical storm force gusts and occasional sustained tropical storm force winds were common across the marine zone. A maximum wind gust of 43 kts, or 50 mph, was measured by the South Timbalier Block station (SPLL1) at 12pm CST on the 20th. A maximum sustained wind of 50 kts, or 58 mph, was also measured at 12pm CST on the 20th." +117237,705084,MINNESOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-10 02:15:00,CST-6,2017-06-10 02:15:00,0,0,0,0,,NaN,,NaN,47.21,-94.61,47.21,-94.61,"Severe thunderstorms that produced hail and damaging winds moved across north central Minnesota. Portions of the Leech Lake area were impacted with downed trees and a blown over boat dock. Hail varied in size from half inch to golf ball size.","Trees were blown over on the western side of Leech Lake Township." +117237,705085,MINNESOTA,2017,June,Thunderstorm Wind,"CASS",2017-06-10 02:27:00,CST-6,2017-06-10 02:27:00,0,0,0,0,,NaN,,NaN,47.26,-94.41,47.26,-94.41,"Severe thunderstorms that produced hail and damaging winds moved across north central Minnesota. Portions of the Leech Lake area were impacted with downed trees and a blown over boat dock. Hail varied in size from half inch to golf ball size.","A boat dock was blown over on the northern side of Leech Lake in Sucker Bay." +118838,715431,MISSISSIPPI,2017,June,Tropical Storm,"JACKSON",2017-06-21 15:00:00,CST-6,2017-06-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","A few tropical storm force gusts were recorded in squalls during the afternoon of the 21st. The No damage was reported in the county from these tropical storm winds. The WLON station at the Port of Pascagoula Dock C (DKCM6) recorded a maximum gust of 37 kts, or 42 mph, at 5:00 pm CST on the 21st. No damage was reported as a result of the tropical storm winds." +118590,712424,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-13 20:20:00,CST-6,2017-06-13 20:20:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.74,43.54,-96.74,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118837,715567,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM STAKE ISLAND LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER FROM 20 TO 60 NM",2017-06-20 09:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent sustained tropical storm force winds with higher gusts were common across the marine zone. A maximum wind gust of 53 kts, or 61 mph, was measured by the Mississippi Canyon 474 AWOS (KIKT) at 11:55am CST on the 20th. A maximum sustained wind of 46 kts, or 53 mph, was measured at 11:35am CST on the 20th. It should be noted the anemometer height at this site is approximately 124m above sea level." +118590,712416,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:22:00,CST-6,2017-06-13 19:22:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-97.12,43.45,-97.12,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712417,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-13 19:24:00,CST-6,2017-06-13 19:24:00,0,0,0,0,0.00K,0,0.00K,0,43.55,-97.09,43.55,-97.09,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118578,712331,SOUTH DAKOTA,2017,June,Hail,"CLAY",2017-06-07 16:27:00,CST-6,2017-06-07 16:27:00,0,0,0,0,0.00K,0,0.00K,0,42.8602,-96.8747,42.8602,-96.8747,"Thunderstorms developed in the late afternoon and early evening hours in southeast South Dakota. One storm became severe and produced hail.","" +117243,705094,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:40:00,CST-6,2017-06-11 08:40:00,0,0,0,0,,NaN,,NaN,45.78,-92.68,45.78,-92.68,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A temporary green house off of Highway 70 on the west side of Grantsburg, Wisconsin was destroyed." +118580,713004,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-11 03:20:00,CST-6,2017-06-11 03:20:00,0,0,0,0,0.00K,0,0.00K,0,44.4436,-98.1657,44.4436,-98.1657,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Roof torn off barn and irrigation center point overturned." +118580,712337,SOUTH DAKOTA,2017,June,Hail,"BEADLE",2017-06-11 03:25:00,CST-6,2017-06-11 03:25:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-98.22,44.45,-98.22,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Winds of 50 mph were also reported." +118580,712348,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SANBORN",2017-06-11 03:25:00,CST-6,2017-06-11 03:25:00,0,0,0,0,0.00K,0,0.00K,0,44.1022,-98.3427,44.1022,-98.3427,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Older trees downed, as well as healthy four inch diameter branches." +118580,712339,SOUTH DAKOTA,2017,June,Hail,"SANBORN",2017-06-11 03:30:00,CST-6,2017-06-11 03:30:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-98.17,44.13,-98.17,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","" +118580,712350,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINER",2017-06-11 03:50:00,CST-6,2017-06-11 03:50:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.79,44.01,-97.79,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Numerous trees downed." +118580,712351,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"KINGSBURY",2017-06-11 04:07:00,CST-6,2017-06-11 04:07:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-97.38,44.36,-97.38,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Four to six inch diameter branches downed." +118580,713003,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"KINGSBURY",2017-06-11 04:07:00,CST-6,2017-06-11 04:07:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-97.37,44.37,-97.37,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Six inch diameter branches were downed with the wind." +118580,712341,SOUTH DAKOTA,2017,June,Hail,"MOODY",2017-06-11 05:05:00,CST-6,2017-06-11 05:05:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-96.79,43.98,-96.79,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Social media report." +118580,712342,SOUTH DAKOTA,2017,June,Hail,"MOODY",2017-06-11 05:20:00,CST-6,2017-06-11 05:20:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-96.6,44.05,-96.6,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","" +118580,712344,SOUTH DAKOTA,2017,June,Hail,"MOODY",2017-06-11 05:23:00,CST-6,2017-06-11 05:23:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-96.6,44.05,-96.6,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","" +119172,715678,NEVADA,2017,June,Thunderstorm Wind,"CHURCHILL",2017-06-20 17:46:00,PST-8,2017-06-20 17:46:00,0,0,0,0,,NaN,0.00K,0,40.0684,-118.5702,40.0684,-118.5702,"Hot temperatures brought isolated, high-based thunderstorms with strong outflow winds and a very localized flash flood.","The wind gust was measured at Lovelock-Derby Field. Visibility was reduced to 1.25 miles due to blowing dust with the outflow winds. Another thunderstorm brought visibility as low as 1/4 mile between 1810PST and 1820PST (with gusts up to 53 mph)." +119172,715679,NEVADA,2017,June,Thunderstorm Wind,"PERSHING",2017-06-20 20:55:00,PST-8,2017-06-20 21:00:00,0,0,0,0,,NaN,0.00K,0,40.07,-118.57,40.07,-118.57,"Hot temperatures brought isolated, high-based thunderstorms with strong outflow winds and a very localized flash flood.","The wind gust was measured at Lovelock-Derby Field. The wind was generated by outflow from earlier thunderstorms." +119172,715682,NEVADA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-21 16:15:00,PST-8,2017-06-21 16:15:00,0,0,0,0,,NaN,0.00K,0,38.9963,-119.75,38.9963,-119.75,"Hot temperatures brought isolated, high-based thunderstorms with strong outflow winds and a very localized flash flood.","The wind gust (from the south) was measured at the Minden-Tahoe airport." +119172,715711,NEVADA,2017,June,Flash Flood,"LYON",2017-06-21 19:00:00,PST-8,2017-06-21 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,39.0344,-119.0267,39.0389,-119.0774,"Hot temperatures brought isolated, high-based thunderstorms with strong outflow winds and a very localized flash flood.","Thunderstorms with heavy rainfall persisted for almost 2 hours in the hills east of Yerington (near the Lyon/Mineral County line). A deputy sheriff reported a large wall of water coming down from the hills (in a typically dry wash). A National Weather Service employee investigated the scene a week later and noticed high water marks as much as 2.5 feet above Prospect St, with water damage to landscaping for multiple properties. Appreciable sediment was noted on Bybee Ln, Almond Rd, and Prospect St, with damage to Bybee Ln. (unpaved road). Damage roughly estimated based on little or no known home damage (mainly landscaping, unpaved roads)." +118930,715795,MISSOURI,2017,May,Thunderstorm Wind,"ST. LOUIS",2017-05-19 03:55:00,CST-6,2017-05-19 04:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5041,-90.6671,38.505,-90.6183,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","Thunderstorm winds blew down or uprooted several trees around town as well as broke off numerous tree limbs around town. One tree was blown over onto the east bound lanes of I-44 near exit 261." +115129,691022,MINNESOTA,2017,June,Hail,"MCLEOD",2017-06-02 17:35:00,CST-6,2017-06-02 17:35:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-94.37,44.88,-94.37,"A low wind shear environment, but with ample instability, produced a few large hail reports as thunderstorms develop in the afternoon of Friday, June 2nd. These storms only lasted 15 minutes or less, but some of the stronger updrafts allowed for a few large hail stones to fall southwest of Belgrade, and in Hutchinson. In addition, severe wind damage occurred in Waseca County.","" +115990,705545,WISCONSIN,2017,June,Tornado,"PIERCE",2017-06-28 15:25:00,CST-6,2017-06-28 15:49:00,0,0,0,0,0.00K,0,0.00K,0,44.8244,-92.4892,44.8201,-92.2577,"On the morning of June 28, a low pressure system was located over the North Dakota/South Dakota border. As the day progressed, this low moved over central Minnesota. Moist unstable air led to storms in western Wisconsin, with an EF-1 tornado tracking across northern Pierce County. It moved across a rural area, hitting a few farms. Trees were uprooted or snapped, homes sustained roof damage, a truck was flipped, and barns were significantly damaged.","The tornado moved across a rural area, hitting a few farms. Trees were uprooted or snapped, homes sustained roof damage, a truck was flipped, and barns were significantly damaged." +117632,708174,PENNSYLVANIA,2017,June,Thunderstorm Wind,"CRAWFORD",2017-06-18 17:51:00,EST-5,2017-06-18 17:51:00,0,0,0,0,15.00K,15000,0.00K,0,41.6502,-80.3101,41.6502,-80.3101,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northwestern Pennsylvania during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed several trees. Some of them blocked State Route near County Road 618." +117562,706996,MISSISSIPPI,2017,June,Tornado,"JACKSON",2017-06-16 22:18:00,CST-6,2017-06-16 22:22:00,0,0,0,0,,NaN,0.00K,0,30.3617,-88.5556,30.3632,-88.5107,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","NWS Storm Survey indicated a tornado started near the corner of Dupont Ave. and Pascagoula Ave, moved eastward and ended near Bayou Casotte Parkway. Mostly EF0 damage occurred with one location receiving EF1 damage with estimated 90 mph winds. A small commercial building experienced major structural damage. Estimated path length 2.7 miles, maximum path width 100 yards. Most damage was minor EF0 with tree limbs blown down and a few pockets of stronger winds resulting in minor roof damage." +119392,717059,ILLINOIS,2017,June,Thunderstorm Wind,"DE KALB",2017-06-14 15:55:00,CST-6,2017-06-14 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.6334,-88.6737,41.6334,-88.6737,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Multiple trees were blown down, some onto houses." +119394,717067,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-06-14 17:20:00,CST-6,2017-06-14 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.361,-87.8136,42.361,-87.8136,"Severe thunderstorms moved across parts of southern Lake Michigan during the afternoon of June 14th producing strong winds.","" +119392,716933,ILLINOIS,2017,June,Flood,"MCHENRY",2017-06-14 15:30:00,CST-6,2017-06-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2507,-88.3375,42.2309,-88.3366,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Several roads were flooded with 3 to 4 inches of water with a few roads closed." +119392,717044,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:33:00,CST-6,2017-06-14 15:34:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-88.67,41.6366,-88.6163,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Tree damage was reported in several areas from Lake Holiday to Sandwich." +119392,717046,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:39:00,CST-6,2017-06-14 15:39:00,0,0,0,0,5.00K,5000,0.00K,0,41.3768,-88.6253,41.3768,-88.6253,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A semi truck was blown over one mile west of the Seneca exit on Interstate 80." +119392,717049,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:40:00,CST-6,2017-06-14 15:40:00,0,0,0,0,0.00K,0,0.00K,0,41.1145,-88.8478,41.1145,-88.8478,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A 40 to 50 foot tall Oak tree was uprooted." +119392,717051,ILLINOIS,2017,June,Thunderstorm Wind,"DE KALB",2017-06-14 15:50:00,CST-6,2017-06-14 15:50:00,0,0,0,0,2.00K,2000,0.00K,0,41.6366,-88.6274,41.6366,-88.6274,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Many power lines were blown down along with tree damage reported." +119392,717052,ILLINOIS,2017,June,Flood,"MCHENRY",2017-06-14 15:40:00,CST-6,2017-06-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2504,-88.2994,42.2477,-88.2994,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Two to two and half feet of standing water was reported near Route 176 and Terra Cotta Road." +119392,717054,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:53:00,CST-6,2017-06-14 15:53:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-88.68,41.63,-88.68,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A measured wind gust to 72 mph was reported." +119392,717055,ILLINOIS,2017,June,Hail,"LA SALLE",2017-06-14 15:53:00,CST-6,2017-06-14 15:53:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-88.68,41.63,-88.68,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","" +120429,721512,ATLANTIC SOUTH,2017,September,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-09-16 06:58:00,EST-5,2017-09-16 06:58:00,0,0,0,0,0.00K,0,0.00K,0,26.31,-80.02,26.31,-80.02,"Weak easterly flow with showers over the Atlantic waters in the morning in a typical diurnal summertime pattern. A line of showers offshore was able to produce multiple waterspouts.","A member of the public called to report multiple waterspouts associated with a line of showers offshore Deerfield Beach." +120709,723024,GULF OF MEXICO,2017,September,Marine Hurricane/Typhoon,"CHOKOLOSKEE TO BONITA BEACH FL 20 TO 60NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Satellite and radar velocity data support hurricane force sustained winds between 75 to 85 knots in Gulf waters with frequent higher wind gust." +120819,723476,TEXAS,2017,September,Funnel Cloud,"HARRIS",2017-09-11 13:00:00,CST-6,2017-09-11 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.027,-95.3997,30.027,-95.3997,"Funnel clouds were spotted in and around the Houston metro area.","There were reports of funnel clouds between Spring and Bush-Intercontinental Airport. There were also reports of funnel clouds near Richey Road and FM 1960." +120747,723180,ALABAMA,2017,September,Thunderstorm Wind,"RUSSELL",2017-09-22 15:13:00,CST-6,2017-09-22 15:14:00,0,0,0,0,0.00K,0,0.00K,0,32.4497,-85.1776,32.4497,-85.1776,"Isolated strong to severe thunderstorms developed in the afternoon on September 22nd and September 23rd.","Several trees uprooted near the intersection of Laney Road and Boswell Rood." +120747,723181,ALABAMA,2017,September,Thunderstorm Wind,"CHEROKEE",2017-09-23 16:13:00,CST-6,2017-09-23 16:14:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-85.51,34.37,-85.51,"Isolated strong to severe thunderstorms developed in the afternoon on September 22nd and September 23rd.","Mobile home damaged and power lines downed near the town of Broomtown." +120760,723289,ALABAMA,2017,September,Thunderstorm Wind,"PIKE",2017-09-16 16:48:00,CST-6,2017-09-16 16:49:00,0,0,0,0,0.00K,0,0.00K,0,31.64,-85.74,31.64,-85.74,"A small cluster of thunderstorms quickly intensified during the late afternoon hours over southern Pike County, and produced wind damage.","Several trees were uprooted and power lines downed along Tennille Road." +118898,714291,TEXAS,2017,September,Thunderstorm Wind,"COCHRAN",2017-09-16 16:05:00,CST-6,2017-09-16 16:05:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-102.61,33.39,-102.61,"High-based thunderstorms developed early this afternoon across the South Plains and moved northeast through the far southeast Texas Panhandle. A few of these storms produced measured wind gusts of 60 to 73 mph.","Measured by a Texas Tech University West Texas mesonet." +118898,714292,TEXAS,2017,September,Thunderstorm Wind,"MOTLEY",2017-09-16 17:45:00,CST-6,2017-09-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-100.6,34.27,-100.6,"High-based thunderstorms developed early this afternoon across the South Plains and moved northeast through the far southeast Texas Panhandle. A few of these storms produced measured wind gusts of 60 to 73 mph.","Measured by a Texas Tech University West Texas mesonet." +120031,719320,MARYLAND,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 15:26:00,EST-5,2017-09-05 15:26:00,0,0,0,0,,NaN,,NaN,39.3991,-77.3041,39.3991,-77.3041,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Yeagertown Road." +120031,719321,MARYLAND,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-05 16:09:00,EST-5,2017-09-05 16:09:00,0,0,0,0,,NaN,,NaN,39.205,-77.167,39.205,-77.167,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Woodfield road was closed due to a tree down." +120031,719322,MARYLAND,2017,September,Thunderstorm Wind,"WASHINGTON",2017-09-05 14:28:00,EST-5,2017-09-05 14:28:00,0,0,0,0,,NaN,,NaN,39.7105,-77.729,39.7105,-77.729,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A wind gust of 63 mph was reported at the Hagerstown Airport." +120032,719323,VIRGINIA,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 13:54:00,EST-5,2017-09-05 13:54:00,0,0,0,0,,NaN,,NaN,39.412,-78.301,39.412,-78.301,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Multiple trees were down along Timber Ridge Road." +120032,719324,VIRGINIA,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 13:54:00,EST-5,2017-09-05 13:54:00,0,0,0,0,,NaN,,NaN,39.437,-78.309,39.437,-78.309,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Trees were down along US 522 near the VA-WV state line." +120032,719325,VIRGINIA,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 14:10:00,EST-5,2017-09-05 14:10:00,0,0,0,0,,NaN,,NaN,39.2191,-78.1777,39.2191,-78.1777,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Trees were down along Apple Pie Ridge Road north of US 522." +120032,719326,VIRGINIA,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 14:25:00,EST-5,2017-09-05 14:25:00,0,0,0,0,,NaN,,NaN,39.147,-78.265,39.147,-78.265,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Trees were down along Cedar Creek Road." +118917,714378,ARKANSAS,2017,September,Hail,"HEMPSTEAD",2017-09-05 13:40:00,CST-6,2017-09-05 13:40:00,0,0,0,0,0.00K,0,0.00K,0,33.9827,-93.796,33.9827,-93.796,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in various reports of large hail across portions of Hempstead and Miller Counties. These storms began to diminish by early evening as cooler and drier air began to spill south in wake of the frontal passage.","Quarter size hail fell in the Bingen community." +118917,714380,ARKANSAS,2017,September,Hail,"HEMPSTEAD",2017-09-05 13:50:00,CST-6,2017-09-05 13:50:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-93.8,33.95,-93.8,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in various reports of large hail across portions of Hempstead and Miller Counties. These storms began to diminish by early evening as cooler and drier air began to spill south in wake of the frontal passage.","Half dollar size hail fell a few miles east of Nashville." +118917,714383,ARKANSAS,2017,September,Hail,"MILLER",2017-09-05 15:15:00,CST-6,2017-09-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4888,-94.0113,33.4888,-94.0113,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in various reports of large hail across portions of Hempstead and Miller Counties. These storms began to diminish by early evening as cooler and drier air began to spill south in wake of the frontal passage.","Pictures of large hail just smaller than golfballs that fell in the Sugar Hill area of North Texarkana, were posted on several local TV media Facebook pages." +114396,686059,KANSAS,2017,March,Thunderstorm Wind,"LEAVENWORTH",2017-03-06 19:13:00,CST-6,2017-03-06 19:16:00,0,0,0,0,,NaN,,NaN,39.11,-95.09,39.11,-95.09,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Strong thunderstorm winds took down some power poles and blew out the transformers." +114396,686060,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:22:00,CST-6,2017-03-06 19:25:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-95.04,38.94,-95.04,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","A trained spotter near Clearview City reported a 60 mph wind gust." +114396,686061,KANSAS,2017,March,Thunderstorm Wind,"LEAVENWORTH",2017-03-06 19:23:00,CST-6,2017-03-06 19:26:00,0,0,0,0,,NaN,,NaN,39.17,-94.94,39.17,-94.94,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Power pole down near Fairmount, Kansas." +114396,686068,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:24:00,CST-6,2017-03-06 19:27:00,0,0,0,0,,NaN,,NaN,38.94,-94.99,38.94,-94.99,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","A tree was blown onto a house on Rosewood Avenue near Clearview City." +114396,686090,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:29:00,CST-6,2017-03-06 19:35:00,0,0,0,0,,NaN,,NaN,38.98,-94.97,38.98,-94.97,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +115647,694908,TENNESSEE,2017,May,Strong Wind,"MAURY",2017-05-04 01:00:00,CST-6,2017-05-04 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers and thunderstorms moved across far southern Middle Tennessee and northern Alabama during the early morning hours on May 4. Behind the line, a wake low event developed with gusty southeast winds estimated up to 50 mph affecting Wayne, Lawrence, Giles, Maury, and Marshall Counties. Numerous reports of wind damage were received.","Trees and power lines were blown down throughout Maury County with some roads blocked. Trees were blown down on Dry Creek Road southwest of Mount Pleasant and on Sunnyside Drive southwest of Columbia. A tree was snapped and barely missed hitting a house on Hampshire Pike west of Columbia. Two other large trees were blown down southeast of Spring Hill." +115646,694893,TENNESSEE,2017,May,Strong Wind,"COFFEE",2017-05-01 07:00:00,CST-6,2017-05-01 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tree was blown down onto a mobile home on Betsy Willis Road in far southern Coffee County." +115646,694894,TENNESSEE,2017,May,Strong Wind,"WILLIAMSON",2017-05-01 08:00:00,CST-6,2017-05-01 08:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tSpotter Twitter report and photo showed a tree uprooted on Crescent Centre Drive in Cool Springs." +115587,694137,TENNESSEE,2017,May,Lightning,"CLAY",2017-05-27 16:57:00,CST-6,2017-05-27 16:57:00,0,0,0,0,5.00K,5000,0.00K,0,36.5643,-85.6773,36.5643,-85.6773,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","An outbuilding was struck by lightning at 3999 Union Hill Moss Road and set on fire." +115587,694138,TENNESSEE,2017,May,Thunderstorm Wind,"CLAY",2017-05-27 17:00:00,CST-6,2017-05-27 17:00:00,0,0,0,0,3.00K,3000,0.00K,0,36.58,-85.62,36.58,-85.62,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down on Highway 52 West, at 481 Union Hill Moss Road, and in the 1000 block of Tompkinsville Highway near Moss." +115587,694141,TENNESSEE,2017,May,Thunderstorm Wind,"STEWART",2017-05-27 16:54:00,CST-6,2017-05-27 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,36.4658,-87.9881,36.4658,-87.9881,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down at Highway 79 and Highway 232." +115587,694142,TENNESSEE,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-27 17:12:00,CST-6,2017-05-27 17:12:00,0,0,0,0,5.00K,5000,0.00K,0,36.53,-87.35,36.53,-87.35,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several trees were blown down throughout Montgomery County. A wind gust of 45 knots (52 mph) was measured at the Clarksville Outlaw Field ASOS." +115587,694205,TENNESSEE,2017,May,Thunderstorm Wind,"WHITE",2017-05-27 19:26:00,CST-6,2017-05-27 19:26:00,0,0,0,0,10.00K,10000,0.00K,0,35.9574,-85.4792,35.9574,-85.4792,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report and photo showed a the roof was blown off a business on North Spring Street in Sparta." +115587,694212,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:34:00,CST-6,2017-05-27 19:34:00,0,0,0,0,5.00K,5000,0.00K,0,36.07,-85.2,36.07,-85.2,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook report indicated several trees and power lines were blown down at Camp Nakanawa near Mayland." +115587,694213,TENNESSEE,2017,May,Thunderstorm Wind,"COFFEE",2017-05-27 19:35:00,CST-6,2017-05-27 19:35:00,0,0,0,0,2.00K,2000,0.00K,0,35.5151,-86.2229,35.5151,-86.2229,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down blocking the roadway at 1466 Roberts Ridge Road." +117914,708959,MINNESOTA,2017,July,Heavy Rain,"HOUSTON",2017-07-19 16:50:00,CST-6,2017-07-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,43.78,-91.42,43.78,-91.42,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Near Mound Prairie, 3.88 inches of rain fell." +117914,715456,MINNESOTA,2017,July,Flood,"WINONA",2017-07-19 17:40:00,CST-6,2017-07-20 00:05:00,0,0,0,0,0.00K,0,0.00K,0,44.0362,-92.1053,44.0349,-92.1033,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Runoff from heavy rains pushed the Whitewater River out of its banks in the Whitewater State Park. The river crested a foot and a half above the flood stage at 15 feet." +118072,709653,NEW HAMPSHIRE,2017,June,Hail,"COOS",2017-06-25 18:24:00,EST-5,2017-06-25 18:28:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-71.47,44.42,-71.47,"An upper level trough created enough instability for scattered afternoon showers and thunderstorms on the 25th. Low freezing levels resulted in many reports of small hail. One isolated severe cell produced 1 inch hail in Whitefield.","A thunderstorm produced 0.75 inch hail in Jefferson." +115583,694110,TENNESSEE,2017,May,Heavy Rain,"WILSON",2017-05-11 06:00:00,CST-6,2017-05-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2469,-86.5631,36.2469,-86.5631,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","A 24 hour rainfall total was measured at NWS Nashville of 2.29 inches." +115583,694111,TENNESSEE,2017,May,Heavy Rain,"WILSON",2017-05-11 07:00:00,CST-6,2017-05-12 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.276,-86.547,36.276,-86.547,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","A 24 hour rainfall total was reported by CoCoRaHs Station Green Hill 3.1 NNE of 2.55 inches." +115583,694112,TENNESSEE,2017,May,Flood,"WILSON",2017-05-11 22:30:00,CST-6,2017-05-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,36.3037,-86.4306,36.2988,-86.4316,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","A NWS employee reported that water covered parts of Bates Road and Bradshaw Road near Laguardo." +115583,694113,TENNESSEE,2017,May,Heavy Rain,"WILSON",2017-05-11 05:00:00,CST-6,2017-05-12 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.302,-86.4217,36.302,-86.4217,"Scattered showers and thunderstorms moved slowly across Middle Tennessee during the evening and overnight hours from May 11 to May 12. Some of these storms began to train across parts of Sumner and Wilson Counties, producing heavy rainfall and some localized flash flooding.","A 24 hour rainfall total was reported by a NWS employee of 3.31 inches." +117945,708966,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 15:53:00,CST-6,2017-07-19 15:53:00,0,0,0,0,0.00K,0,0.00K,0,43.19,-93.01,43.19,-93.01,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 65 mph wind gust occurred north of Nora Springs." +116080,697685,IOWA,2017,May,Thunderstorm Wind,"BUENA VISTA",2017-05-17 12:08:00,CST-6,2017-05-17 12:08:00,0,0,0,0,5.00K,5000,0.00K,0,42.58,-94.98,42.58,-94.98,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Garage damaged." +118140,710349,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:55:00,CST-6,2017-07-19 17:55:00,0,0,0,0,5.00K,5000,0.00K,0,42.78,-90.53,42.78,-90.53,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A 66 mph wind gust occurred northwest of Platteville that blew down trees and power lines." +118140,710350,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:57:00,CST-6,2017-07-19 17:57:00,0,0,0,0,5.00K,5000,0.00K,0,43.18,-90.59,43.18,-90.59,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees and power lines were blown down just west of Blue River." +118658,712881,MAINE,2017,July,Thunderstorm Wind,"SOMERSET",2017-07-08 11:56:00,EST-5,2017-07-08 12:01:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-69.88,45.06,-69.88,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed large limbs near Wyman Dam." +118658,712883,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-08 13:06:00,EST-5,2017-07-08 13:10:00,0,0,0,0,0.00K,0,0.00K,0,43.74,-70.4,43.74,-70.4,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed a tree on a road in Newhall." +118658,712885,MAINE,2017,July,Thunderstorm Wind,"YORK",2017-07-08 13:06:00,EST-5,2017-07-08 13:11:00,0,0,0,0,0.00K,0,0.00K,0,43.61,-70.57,43.61,-70.57,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed trees on a road in Bar Mills." +118658,712886,MAINE,2017,July,Thunderstorm Wind,"YORK",2017-07-08 13:15:00,EST-5,2017-07-08 13:21:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-70.65,43.14,-70.65,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed a 50 foot tall maple tree in York harbor." +118658,712888,MAINE,2017,July,Thunderstorm Wind,"YORK",2017-07-08 13:15:00,EST-5,2017-07-08 13:20:00,0,0,0,0,0.00K,0,0.00K,0,43.6,-70.59,43.6,-70.59,"A cold front approached the state from the west on the afternoon of July 8th. Ahead of the front, a very hot and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped organize convection into lines and bowing line segments. Wind damage was the primary threat with the storms that developed, along with very heavy rainfall.","A severe thunderstorm downed large branches on power lines in Hollis Center." +118822,713838,WYOMING,2017,June,Thunderstorm Wind,"LARAMIE",2017-06-27 17:25:00,MST-7,2017-06-27 17:37:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-104.37,41.42,-104.1,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","Peak wind gusts between 60 and 67 mph were observed from south of Meriden to Albin." +117945,709928,IOWA,2017,July,Thunderstorm Wind,"WINNESHIEK",2017-07-19 16:38:00,CST-6,2017-07-19 16:38:00,0,0,0,0,3.00K,3000,0.00K,0,43.2,-91.95,43.2,-91.95,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Numerous trees were blown down in Spillville." +118637,712773,WISCONSIN,2017,July,Hail,"GRANT",2017-07-21 16:17:00,CST-6,2017-07-21 16:17:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-90.95,42.72,-90.95,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","" +117945,709931,IOWA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-19 16:49:00,CST-6,2017-07-19 16:49:00,0,0,0,0,35.00K,35000,0.00K,0,43,-91.65,43,-91.65,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees were blown down in Clermont. At least one tree landed on a house and another destroyed a garage. Numerous trees and power lines were blown down in a campground on the southwest edge of town." +118656,712862,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:25:00,EST-5,2017-07-08 12:30:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-71.57,43.04,-71.57,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees in Shirley Hill." +118656,712863,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:30:00,EST-5,2017-07-08 12:35:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-71.44,42.98,-71.44,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed a tree in Manchester." +118656,712864,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 12:30:00,EST-5,2017-07-08 12:36:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-71.69,42.98,-71.69,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed multiple trees on Route 13 in New Boston." +118638,713690,IOWA,2017,July,Heavy Rain,"CHICKASAW",2017-07-21 05:00:00,CST-6,2017-07-22 00:55:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-92.46,43.04,-92.46,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","In Ionia, 9.30 inches of rain fell." +118579,712338,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-01 16:45:00,EST-5,2017-07-01 16:49:00,0,0,0,0,0.00K,0,0.00K,0,44.65,-70.79,44.65,-70.79,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees on Wyman Hill Road in Andover." +118638,713640,IOWA,2017,July,Heavy Rain,"CHICKASAW",2017-07-21 05:05:00,CST-6,2017-07-22 02:00:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-92.2,42.97,-92.2,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","In Fredericksburg, an estimated 10 inches of rain fell." +119125,720494,FLORIDA,2017,September,Tornado,"NASSAU",2017-09-11 01:25:00,EST-5,2017-09-11 01:30:00,0,0,0,0,0.00K,0,0.00K,0,30.61,-81.57,30.61,-81.47,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Another tornado developed south of the northern Amelia Island Island tornado at the same time. This tornado touched down just south of Fernandina Beach and tracked westward with damage limited to trees and shrubs. The tornado dissipated over marsh areas. A tornado debris signature was noted on radar. Damage was not reported." +119729,718085,CALIFORNIA,2017,September,Excessive Heat,"TULARE CTY FOOTHILLS",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 102 and 108 degrees at several locations from September 1 through September 3." +119730,720405,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 16:29:00,PST-8,2017-09-03 16:29:00,0,0,0,0,1.00K,1000,0.00K,0,35.4,-119.04,35.4,-119.04,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a tree down on State Route 204 due to strong winds 4NW Bakersfield." +117945,714288,IOWA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-19 16:42:00,CST-6,2017-07-19 16:42:00,0,0,0,0,5.00K,5000,0.00K,0,42.97,-91.8,42.97,-91.8,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees were blown down at the Fayette County Courthouse and fairgrounds in West Union." +117945,714289,IOWA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-19 16:41:00,CST-6,2017-07-19 16:41:00,0,0,0,0,3.00K,3000,0.00K,0,43.0128,-91.8575,43.0128,-91.8575,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Numerous trees were blown down on a farm northwest of West Union." +117352,705714,WISCONSIN,2017,July,Hail,"BUFFALO",2017-07-06 18:18:00,CST-6,2017-07-06 18:18:00,0,0,0,0,13.00K,13000,266.00K,266000,44.16,-91.63,44.16,-91.63,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Golf ball sized hail fell east of Fountain City." +117352,706212,WISCONSIN,2017,July,Hail,"TREMPEALEAU",2017-07-06 18:48:00,CST-6,2017-07-06 18:48:00,0,0,0,0,250.00K,250000,120.00K,120000,44.07,-91.45,44.07,-91.45,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Tennis ball sized hail was reported in Centerville." +117352,705717,WISCONSIN,2017,July,Hail,"TREMPEALEAU",2017-07-06 18:46:00,CST-6,2017-07-06 18:46:00,0,0,0,0,220.00K,220000,182.00K,182000,44.07,-91.51,44.07,-91.51,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Egg sized hail was reported west of Centerville." +117352,706240,WISCONSIN,2017,July,Hail,"TREMPEALEAU",2017-07-06 18:53:00,CST-6,2017-07-06 18:53:00,0,0,0,0,230.00K,230000,90.00K,90000,44.03,-91.48,44.03,-91.48,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Baseball sized hail broke windows near Perrot State Park." +119125,720522,FLORIDA,2017,September,Flash Flood,"DUVAL",2017-09-11 03:46:00,EST-5,2017-09-11 03:46:00,0,0,0,0,0.00K,0,0.00K,0,30.2935,-81.3925,30.2926,-81.3923,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Water was flooding 3rd Street near Pita Pit in Jacksonville Beach with additional flooding reports just west on 5th Street." +119730,720427,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 16:45:00,PST-8,2017-09-03 16:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3518,-119.041,35.3516,-119.0361,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a mud slide in the right lane of State Route 99 at Ming Ave. to State Route 58 in Bakersfield." +119730,720431,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 19:02:00,PST-8,2017-09-03 19:02:00,0,0,0,0,0.00K,0,0.00K,0,35.777,-119.2542,35.7771,-119.2521,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported road flooding and mud debris near Cecil Ave. and State Route 99 in Delano." +119125,720872,FLORIDA,2017,September,Tropical Storm,"BAKER",2017-09-10 12:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Multiple trees were blown down across the county. Large trees 18-20 inches in diameter were blown down about 3 miles WNW of Macclenny. ||The St. Marys River near Macclenny crested at 22.32 feet on Sept 12th at 1845 EDT. Major flooding occurred at this level. The St. Marys River at Moniac crested at 17.51 feet on Sept. 13th at 0415 EDT. Major flooding occurred at this level. ||Storm total rainfall included 9.76 inches 3 miles N of Olustee and 7.79 inches 7 miles NNW of Taylor." +120254,720884,GEORGIA,2017,September,Tropical Storm,"WARE",2017-09-10 12:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||The Satilla River at Georgia Highway 158 above Millwood crested at 14.91 feet on Sept 14th at 2030 EDT. Minor flooding occurred at this level.||Storm total rainfall included 5.98 inches 2 miles West of Deenwood and 6.86 inches in Waycross." +119730,720442,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:11:00,PST-8,2017-09-03 19:11:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a downed tree from dust storm winds in the roadway on Alturas Dr. near Columbus St. in northeast Bakersfield." +120254,721327,GEORGIA,2017,September,Tropical Storm,"COASTAL CAMDEN",2017-09-10 10:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The tide gauge on the Atlantic Coast at Sea Camp Dock on Cumberland Island crested at 6.48 ft on Sept. 11th at 0200 EDT. Moderate flooding occurred at that level. The Satilla River at Woodbine crested at 6.85 ft on Sept. 11th at 1445 EDT. Major flooding occurred at that level." +120242,720452,CALIFORNIA,2017,September,Flash Flood,"KERN",2017-09-09 16:19:00,PST-8,2017-09-09 17:17:00,0,0,0,0,0.00K,0,0.00K,0,35.3969,-117.7556,35.3958,-117.8116,"A cut off upper low drifting slowly southward off the central California coast pulled up a surge of sub-tropical moisture which produced thunderstorms and flash flooding in the Kern County Deserts on the afternoon of September 9.","California Highway Patrol reported closure of Redrock-Randsburg Rd. between State Route 14 and U.S. Highway 395 due to flash flooding and debris on the road." +120242,720453,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-09 14:15:00,PST-8,2017-09-09 14:15:00,0,0,0,0,10.00K,10000,0.00K,0,35.65,-117.82,35.65,-117.82,"A cut off upper low drifting slowly southward off the central California coast pulled up a surge of sub-tropical moisture which produced thunderstorms and flash flooding in the Kern County Deserts on the afternoon of September 9.","Nine trees were reported blown down in Inyokern from a thunderstorm downburst." +120273,720890,CALIFORNIA,2017,September,High Wind,"TULARE CTY MTNS",2017-09-21 05:10:00,PST-8,2017-09-21 05:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and moist upper low which originated in the Gulf of Alaska pushed into California on September 21 bringing widespread precipitation, increased winds and much cooler than normal temperatures to the area. Winds picked up across the area again on the evening of September 20 and continued through the afternoon of September 21 with the strongest observed gusts being observed at the indicator ridge top sites in the Kern County Mountains. In addition, widespread precipitation impacted to area on the 21st with several locations in the San Joaquin Valley measuring a few tenths of an inch of rainfall while several locations in the Southern Sierra Nevada from Yosemite Park southward to Fresno County picked up between an inch and an inch and a half of liquid precipitation. The precipitation fell as snow above 11000 feet during the early morning hours of the 21st. the snow level lowered to around 7000 feet in Yosemite Park by late morning. Tuolumne Meadows measures three inches of new snowfall while State Route 120 through Tioga Pass was shut down due to accumulating snow.","The Bear Peak RAWS reported a maximum wind gust of 59 mph." +120524,722042,TEXAS,2017,September,Flash Flood,"WEBB",2017-09-26 22:00:00,CST-6,2017-09-26 23:00:00,0,0,0,0,100.00K,100000,0.00K,0,27.5552,-99.5066,27.5096,-99.5155,"Abundant moisture was confined to the Brush Country over a couple of days. There was a feed of deep tropical moisture from the Gulf of Mexico combined with a tap of moisture from the Pacific Ocean moving across Mexico. Scattered to numerous showers and thunderstorms moved across the Brush Country. Flash flooding occurred in Laredo with several roads being flooded. Water rescues were performed in several areas around Laredo. Laredo received between 5 and 10 inches of rainfall.","Several water rescues of individuals trying to drive through low water crossings around Laredo. Most were on the south side of town but a few were on the northwest side and in the center of town. Flooding occurred near Laredo Community College." +120524,722044,TEXAS,2017,September,Flash Flood,"WEBB",2017-09-26 22:30:00,CST-6,2017-09-26 23:30:00,0,0,0,0,0.00K,0,0.00K,0,27.5029,-99.3604,27.498,-99.3823,"Abundant moisture was confined to the Brush Country over a couple of days. There was a feed of deep tropical moisture from the Gulf of Mexico combined with a tap of moisture from the Pacific Ocean moving across Mexico. Scattered to numerous showers and thunderstorms moved across the Brush Country. Flash flooding occurred in Laredo with several roads being flooded. Water rescues were performed in several areas around Laredo. Laredo received between 5 and 10 inches of rainfall.","Highway 359 was flooded near Los Altos and San Carlos subdivisions east of Laredo." +120524,722045,TEXAS,2017,September,Flash Flood,"WEBB",2017-09-27 18:40:00,CST-6,2017-09-27 19:10:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-99.46,27.483,-99.4479,"Abundant moisture was confined to the Brush Country over a couple of days. There was a feed of deep tropical moisture from the Gulf of Mexico combined with a tap of moisture from the Pacific Ocean moving across Mexico. Scattered to numerous showers and thunderstorms moved across the Brush Country. Flash flooding occurred in Laredo with several roads being flooded. Water rescues were performed in several areas around Laredo. Laredo received between 5 and 10 inches of rainfall.","Water was over the road in several places on Highway 359 in Laredo." +120283,720716,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MOODY",2017-09-19 22:18:00,CST-6,2017-09-19 22:18:00,0,0,0,0,25.00K,25000,0.00K,0,43.95,-96.81,43.95,-96.81,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Farm equipment and a few trees were damages." +120283,720717,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MOODY",2017-09-19 22:21:00,CST-6,2017-09-19 22:21:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-96.82,43.98,-96.82,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Power lines and trees downed." +120283,720718,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MINNEHAHA",2017-09-19 22:27:00,CST-6,2017-09-19 22:27:00,0,0,0,0,0.00K,0,0.00K,0,43.82,-96.71,43.82,-96.71,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","Tree Damage." +120283,720719,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"DAVISON",2017-09-19 21:02:00,CST-6,2017-09-19 21:02:00,0,0,0,0,0.00K,0,0.00K,0,43.77,-98.03,43.77,-98.03,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","" +120283,720720,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MINNEHAHA",2017-09-19 22:27:00,CST-6,2017-09-19 22:27:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-96.74,43.58,-96.74,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","" +120283,720721,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"MINNEHAHA",2017-09-19 22:38:00,CST-6,2017-09-19 22:38:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-96.75,43.58,-96.75,"Widespread thunderstorms first developed in central South Dakota and progressed eastward during the evening hours and produced hail and strong winds. The strong winds caused localized damage to trees and also to a home.","" +120284,720722,MINNESOTA,2017,September,Thunderstorm Wind,"ROCK",2017-09-19 22:55:00,CST-6,2017-09-19 22:55:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.19,43.54,-96.19,"Widespread thunderstorms first developed in central South Dakota and moved into the west central portion of Minnesota during the late evening hours and produced strong winds. The strong winds caused localized damage to trees.","Large tree downed." +120284,720723,MINNESOTA,2017,September,Thunderstorm Wind,"LYON",2017-09-19 23:11:00,CST-6,2017-09-19 23:11:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-95.87,44.27,-95.87,"Widespread thunderstorms first developed in central South Dakota and moved into the west central portion of Minnesota during the late evening hours and produced strong winds. The strong winds caused localized damage to trees.","Trees downed." +117268,705352,NEBRASKA,2017,July,Thunderstorm Wind,"WHEELER",2017-07-08 16:07:00,CST-6,2017-07-08 16:07:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.55,41.78,-98.55,"Isolated thunderstorms moved southeast across north central Nebraska during the afternoon of July 8. One storm became a supercell and produced severe hail and wind near Bartlett.","Public reported trees in full motion, estimating wind gusts to 60 mph." +117292,705484,NEBRASKA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-21 19:14:00,CST-6,2017-07-21 19:14:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.94,41.78,-98.94,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","Public estimated 60 mph wind gusts east of Burwell." +117426,706153,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-11 13:35:00,EST-5,2017-07-11 13:37:00,0,0,0,0,1.00K,1000,0.00K,0,39.74,-84.63,39.74,-84.63,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A large tree was downed near State Route 122." +117429,706188,OHIO,2017,July,Flood,"LICKING",2017-07-13 18:00:00,EST-5,2017-07-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0253,-82.4393,40.0255,-82.4371,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","The South Fork of the Licking River was out of its bank along Licking View Drive. Water was over the road and approaching homes." +117557,706974,OHIO,2017,July,Thunderstorm Wind,"SHELBY",2017-07-23 17:35:00,EST-5,2017-07-23 17:37:00,0,0,0,0,1.00K,1000,0.00K,0,40.2,-84.25,40.2,-84.25,"Scattered thuderstorms developed through the afternoon hours ahead of a slow moving frontal boundary.","A tree was downed near the intersection of North Hardin Road and Landman Mill Road." +118179,710210,MASSACHUSETTS,2017,July,Flood,"WORCESTER",2017-07-12 17:38:00,EST-5,2017-07-12 20:30:00,0,0,0,0,0.00K,0,0.00K,0,42.0741,-71.8696,42.0767,-71.8697,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 538 PM EST, Worcester Road in Webster near All-Star Paintball was flooded and impassable." +118179,710225,MASSACHUSETTS,2017,July,Lightning,"PLYMOUTH",2017-07-12 10:30:00,EST-5,2017-07-12 11:00:00,0,0,0,0,0.50K,500,0.00K,0,42.2176,-70.8756,42.2176,-70.8756,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1130 AM EST, a lightning strike caused a shed fire on Free Street in Hingham." +118427,711819,TEXAS,2017,July,Flash Flood,"TARRANT",2017-07-05 17:32:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8969,-97.255,32.8945,-97.2551,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Emergency Management reported a water rescue near the intersection of Whitley Rd and North Tarrant Parkway in Keller, TX." +118452,711822,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-01 13:45:00,EST-5,2017-07-01 13:45:00,0,0,0,0,,NaN,,NaN,38.9767,-77.5633,38.9767,-77.5633,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down on Fleetwood Road." +120213,720272,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:01:00,MST-7,2017-06-12 15:03:00,0,0,0,0,0.00K,0,0.00K,0,41.1834,-104.82,41.1834,-104.82,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Half dollar size hail was observed three miles north of Cheyenne." +120213,720273,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:03:00,MST-7,2017-06-12 15:05:00,0,0,0,0,0.00K,0,0.00K,0,41.1979,-104.82,41.1979,-104.82,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Softball size hail damaged some businesses and vehicles east of Yellowstone Road and Vandehei Avenue." +120213,720286,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:05:00,MST-7,2017-06-12 15:08:00,0,0,0,0,0.00K,0,0.00K,0,41.2124,-104.82,41.2124,-104.82,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Baseball size hail damaged emergency manager's home at 107 Trinidad Court." +120347,721371,GEORGIA,2017,September,Tropical Storm,"WHEELER",2017-09-11 04:00:00,EST-5,2017-09-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","A wind gust of 57 mph was measured at the Little Ocmulgee State Park. Radar estimated 1.5 to 3 inches of rain fell across the county with 1.99 inches measured in Mount Vernon. No injuries were reported." +118207,712563,WISCONSIN,2017,July,Heavy Rain,"LA CROSSE",2017-07-19 17:00:00,CST-6,2017-07-20 03:20:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-91.22,43.81,-91.22,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","In La Crosse, 6 inches of rain fell." +119163,715641,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 17:00:00,EST-5,2017-07-01 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.5034,-70.9136,44.5075,-70.9145,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Newry washing out Riley Road." +119163,715642,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 17:00:00,EST-5,2017-07-01 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,44.13,-70.82,44.1381,-70.8227,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Sweden resulting in several washouts on area roads." +119616,721301,ILLINOIS,2017,July,Thunderstorm Wind,"IROQUOIS",2017-07-21 23:15:00,CST-6,2017-07-21 23:15:00,0,0,0,0,20.00K,20000,0.00K,0,40.9124,-87.7312,40.9124,-87.7312,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Two houses on the southwest corner of Martinton near Route 1 had roof damage including one house with part of the roof blown off. Utility poles were also blown down." +115587,694217,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:39:00,CST-6,2017-05-27 19:45:00,0,0,0,0,250.00K,250000,0.00K,0,35.8745,-85.0704,35.8635,-85.0234,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A NWS storm survey found the rear flank downdraft of a supercell thunderstorm caused severe wind damage in a 3 mile long by 1/2 mile wide swath across Lake Tansi. Dozens of trees and power lines were blown down from Ona Road east-southeast across Cravens Drive, the Lake Tansi Golf Course, Seminole Loop, Cheyenne Drive, Pawnee Road, Pomo Circle, Piute Road, Natchez Trace, and Flathead Road. Up to 50 trees were reported snapped or uprooted on holed 6 through 9 at the Lake Tansi Golf Course alone. Many roads were blocked and some trees fell onto homes and vehicles. Wind speeds were estimated up to 85 mph. In June 2017, a Presidential Disaster Declaration was made for Cumberland County due to the widespread wind damage." +119616,721283,ILLINOIS,2017,July,Hail,"KANE",2017-07-21 15:17:00,CST-6,2017-07-21 15:17:00,0,0,0,0,0.00K,0,0.00K,0,42.1033,-88.3949,42.1033,-88.3949,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +119616,721284,ILLINOIS,2017,July,Hail,"KANE",2017-07-21 15:25:00,CST-6,2017-07-21 15:26:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-88.381,42.07,-88.381,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +118606,714088,INDIANA,2017,July,Thunderstorm Wind,"TIPPECANOE",2017-07-22 01:30:00,EST-5,2017-07-22 01:30:00,0,0,0,0,1.50K,1500,,NaN,40.44,-86.76,40.44,-86.76,"A squall line dropped southeast into central Indiana from the northwest during the late evening of the 21st and early morning of the 22nd. A portion of the line bowed as it moved into the area producing damaging winds. Thunderstorms caused mainly wind damage across the northern half of central Indiana during this timeframe.","Some tree damage due to damaging thunderstorm wind gusts was noticed from Country Road 750 to 900 East between State Road 26 and Coutny Road 200 North." +118606,714089,INDIANA,2017,July,Thunderstorm Wind,"TIPPECANOE",2017-07-22 01:30:00,EST-5,2017-07-22 01:30:00,0,0,0,0,15.00K,15000,,NaN,40.41,-86.87,40.41,-86.87,"A squall line dropped southeast into central Indiana from the northwest during the late evening of the 21st and early morning of the 22nd. A portion of the line bowed as it moved into the area producing damaging winds. Thunderstorms caused mainly wind damage across the northern half of central Indiana during this timeframe.","Numerous trees were down in multiple portions of the county due to damaging thunderstorm wind gusts." +118606,714090,INDIANA,2017,July,Thunderstorm Wind,"BOONE",2017-07-22 02:18:00,EST-5,2017-07-22 02:18:00,0,0,0,0,,NaN,,NaN,40.13,-86.61,40.13,-86.61,"A squall line dropped southeast into central Indiana from the northwest during the late evening of the 21st and early morning of the 22nd. A portion of the line bowed as it moved into the area producing damaging winds. Thunderstorms caused mainly wind damage across the northern half of central Indiana during this timeframe.","An estimated 60 mph thunderstorm wind gust was observed in this location. This report was reported via Twitter." +119111,715363,IOWA,2017,July,Thunderstorm Wind,"BUCHANAN",2017-07-21 16:09:00,CST-6,2017-07-21 16:09:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-92.05,42.64,-92.05,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported tree branches were blown down." +118037,709580,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-29 15:09:00,PST-8,2017-07-29 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,34.1348,-116.2397,34.1362,-116.2396,"Lingering moisture fueled isolated thunderstorms over the Mojave Desert. A couple of storms produced flash flooding.","Debris covered several roads in Twentynine Palms, and Highway 62 was closed at Cascade Road 5 mi E of Joshua Tree." +118047,709594,CALIFORNIA,2017,July,Flood,"INYO",2017-07-01 00:00:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,37.4477,-118.4093,37.4293,-118.7293,"After exceptionally heavy snow during the winter, warming temperatures led to significant snowmelt runoff in the Eastern Sierra and the Owens Valley. The episode began in June, and the total estimated damage from the episode was reported in June.","Widespread flooding occurred in western Inyo County due to melting of exceptionally heavy winter snowpack in the Sierra. Numerous roads, bridges, culverts, and other structures were damaged. The event began in June. The damage estimate for the entire event was reported in June." +118758,713481,NEVADA,2017,July,Heat,"LAS VEGAS VALLEY",2017-07-01 00:00:00,PST-8,2017-07-05 23:59:00,0,0,6,2,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Eight people died of heat related causes in Las Vegas.","Eight people died of heat related causes in Las Vegas." +118759,713483,NEVADA,2017,July,Excessive Heat,"LAS VEGAS VALLEY",2017-07-06 11:00:00,PST-8,2017-07-08 20:00:00,0,0,11,9,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive Heat Warning criteria were reached in the Mojave Desert from the 6th through the 8th. From the 6th through the 10th, 20 people died in Las Vegas of heat related causes.","Excessive heat criteria were reached in Las Vegas from the 6th through the 8th. From the 6th through the 10th, 20 people died of heat related causes." +118760,713482,CALIFORNIA,2017,July,Excessive Heat,"DEATH VALLEY NATIONAL PARK",2017-07-06 11:00:00,PST-8,2017-07-08 20:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive Heat Warning criteria were reached in the Mojave Desert from the 6th through the 8th. One person survived heat stroke in Death Valley on the 7th.","Excessive heat criteria were reached for three days in Death Valley. One person survived heat stroke." +118762,713485,NEVADA,2017,July,Heat,"LAS VEGAS VALLEY",2017-07-12 00:00:00,PST-8,2017-07-13 23:59:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died of heat related causes in Las Vegas.","Two people died of heat related causes in Las Vegas." +118763,713487,NEVADA,2017,July,Excessive Heat,"LAS VEGAS VALLEY",2017-07-15 13:00:00,PST-8,2017-07-15 16:00:00,0,0,10,4,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive Heat Warning criteria were reached in Las Vegas on the 15th. From the 15th through the 18th, 14 people died of heat related causes.","Fourteen people died of heat related causes in Las Vegas from the 15th through the 18th, following a day of excessive heat on the 15th." +118595,714024,INDIANA,2017,July,Hail,"MORGAN",2017-07-07 17:05:00,EST-5,2017-07-07 17:07:00,0,0,0,0,,NaN,,NaN,39.62,-86.37,39.62,-86.37,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714026,INDIANA,2017,July,Hail,"MORGAN",2017-07-07 17:07:00,EST-5,2017-07-07 17:09:00,0,0,0,0,,NaN,,NaN,39.63,-86.31,39.63,-86.31,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714027,INDIANA,2017,July,Hail,"JACKSON",2017-07-07 18:05:00,EST-5,2017-07-07 18:07:00,0,0,0,0,,NaN,,NaN,38.85,-85.89,38.85,-85.89,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714029,INDIANA,2017,July,Hail,"JACKSON",2017-07-07 18:25:00,EST-5,2017-07-07 18:27:00,0,0,0,0,,NaN,,NaN,38.84,-85.82,38.84,-85.82,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","This report was relayed via Twitter." +118595,714399,INDIANA,2017,July,Thunderstorm Wind,"MADISON",2017-07-07 13:45:00,EST-5,2017-07-07 13:45:00,0,0,0,0,1.50K,1500,,NaN,40.35,-85.6704,40.35,-85.6704,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A large tree was downed with power lines at County Road 1700 North and State Road 9 due to damaging thunderstorm wind gusts." +118595,714404,INDIANA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 14:26:00,EST-5,2017-07-07 14:26:00,0,0,0,0,1.00K,1000,,NaN,40.164,-85.4617,40.164,-85.4617,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A tree limb of unknown size was downed along with a live electrical wire on Nebo Road near County Road 200 South due to damaging thunderstorm wind gusts." +118595,714405,INDIANA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 14:25:00,EST-5,2017-07-07 14:25:00,0,0,0,0,0.50K,500,,NaN,40.17,-85.48,40.17,-85.48,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Large tree limbs were downed due to damaging thunderstorm wind gusts." +118598,714441,INDIANA,2017,July,Flash Flood,"CARROLL",2017-07-11 03:22:00,EST-5,2017-07-11 05:30:00,0,0,0,0,2.00K,2000,5.00K,5000,40.6794,-86.5101,40.6822,-86.5047,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana.||On the evening of the 10th, scattered severe storms developed over northern portions of central Indiana along a nearly stationary warm front. The storms produced an EF0 tornado across far eastern Carroll County, continuing and intensifying as it moved into Cass County.","Law enforcement reported that Hoosier Heartland Highway in Carroll County was closed due to flooding from thunderstorm heavy rainfall." +118579,714902,MAINE,2017,July,Tornado,"CUMBERLAND",2017-07-01 17:14:00,EST-5,2017-07-01 17:25:00,1,0,0,0,,NaN,0.00K,0,44.0597,-70.718,44.06,-70.67,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A tornado that formed over the southeast portion of Highland Lake moved onshore snapping and uprooting several large trees some of which fell onto structures and vehicles. There was a report of one minor injury due to a person being cut by glass. ||The tornado appeared to have briefly lifted off the ground before touching back|down on the west shore of Long Lake in the vicinity of Obelazy Lane where a camp ground was particularly hard hit. This area received extensive damage resulting from numerous large softwood and hardwood trees falling onto cars, A-Frame buildings and camping vehicles. Despite the widespread damage...no injuries were reported in this area.||This tornado was rated a high end EF1 with winds up to 110 mph. This was based on large hardwood and softwood trees being snapped at the base of the trees. Some trees were over 2 feet in diameter. There was no significant debarking noted which kept the |rating in the EF1 category." +119159,715755,PUERTO RICO,2017,July,Heavy Rain,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.23,-65.826,18.2162,-65.8183,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Mudslide was reported in Pena Pobre in Sector Cuesta El Pilon on road PR-31." +118640,712943,WISCONSIN,2017,July,Thunderstorm Wind,"IOWA",2017-07-19 18:34:00,CST-6,2017-07-19 18:34:00,0,0,0,0,5.00K,5000,,NaN,43.16,-89.91,43.16,-89.91,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Trees and power lines down." +120213,721494,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 16:27:00,MST-7,2017-06-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-105.38,42.76,-105.38,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hen egg size hail was observed at Douglas." +120213,721495,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 16:30:00,MST-7,2017-06-12 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-104.07,41.18,-104.07,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hail slightly larger than baseball size was observed at Pine Bluffs." +120213,721552,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 17:27:00,MST-7,2017-06-12 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.4924,-104.1,41.4924,-104.1,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Golf ball size hail was reported five miles north of Albin." +120443,721647,NEBRASKA,2017,June,Tornado,"MORRILL",2017-06-12 18:13:00,MST-7,2017-06-12 18:17:00,0,0,0,0,,NaN,,NaN,41.7649,-103.3224,41.7655,-103.3177,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A brief tornado touched down on the east side of Bayard, NE producing damage consistent of EF-1 (DI 17, DOD 3) to the Chimney Rock Villa Nursing Home. The tornado lifted quickly as it moved east of Bayard. Many irrigation pivots overturned within 1-2 miles west of Bayard, as well as damage on the west side of town consistent with damaging straight-line winds." +120443,721654,NEBRASKA,2017,June,Tornado,"MORRILL",2017-06-12 18:19:00,MST-7,2017-06-12 19:04:00,0,0,0,0,2.50M,2500000,,NaN,41.8219,-103.3408,42.0021,-102.9501,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A long-track discontinuous tornado path was surveyed by the NWS damage team, initially touching down northwest of the Highway 26 and L62A intersection, 4 miles north-northwest of Bayard, NE. The tornado continued east along and north of L62A. Significant damage consistent of EF-2 tornadic damage was surveyed at a farmhouse approximately 6 miles northeast of Bayard. The house was severely damaged with the roof taken off and numerous exterior walls destroyed (DI 4, DOD 8). A detached garage was swept clean (DI 1, DOD 8) with several trucks slid from their original location. A flat bed and horse trailer were lofted 100 yards from their original position. Trees to the west of the residence were denuded. This storm produced additional damage some of which was due to straight-line winds along L62A. This damage included damage to a steel farm outbuilding, rolled mobile home, rolled semi tractor trailer, rolled center pivots, and continued tree denuding. The storm lifted northeast near Highway 385 with additional damage surveyed at Angora, including downed power poles and a train derailment. The discontinuous tornado continued northeast exiting Morrill County near Highway 385 by 1904 MST. This storm continued and produced additional damage in Box Butte County." +117914,708955,MINNESOTA,2017,July,Flash Flood,"HOUSTON",2017-07-20 03:26:00,CST-6,2017-07-20 05:30:00,0,0,0,0,12.00K,12000,2.00K,2000,43.8396,-91.3675,43.8416,-91.3663,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Locally heavy rains caused a mudslide to occur west of La Crescent. The slide covered Burns Valley Road near the Pine Creek Golf Course." +117993,710936,WISCONSIN,2017,July,Flash Flood,"DANE",2017-07-09 23:50:00,CST-6,2017-07-10 04:30:00,0,0,0,0,1.30M,1300000,0.00K,0,43.1068,-89.5297,43.0857,-89.4325,"A large, slow moving complex of thunderstorms produced heavy rain and flash flooding in the Madison and Kenosha areas. A couple storms produced large hail.","Severe street flooding due to 3.5-5.0 inches of rain over a few hours. About a dozen or more disabled vehicles due to deep flood waters. A business had its roof collapse due to the heavy weight of the water in Fitchburg on Verona Road." +118620,712606,WISCONSIN,2017,July,Hail,"WAUKESHA",2017-07-15 22:33:00,CST-6,2017-07-15 22:33:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-88.41,43.13,-88.41,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118640,712948,WISCONSIN,2017,July,Thunderstorm Wind,"DANE",2017-07-19 18:45:00,CST-6,2017-07-19 18:45:00,0,0,0,0,1.00K,1000,,NaN,42.86,-89.53,42.86,-89.53,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Greater than 2 inch diameter tree branches down." +118957,714579,ARIZONA,2017,September,Dust Storm,"GREATER PHOENIX AREA",2017-09-07 18:45:00,MST-7,2017-09-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered thunderstorms developed across portions of the south-central deserts, including the greater Phoenix metropolitan area, during the early evening hours on September 7th and some of the stronger storms generated gusty outflow winds in excess of 40 mph. The gusty winds stirred up significant amounts of dust and dirt, resulting in areas of dense blowing dust and localized dust storm conditions that affected communities from Queen Creek to Chandler to East Mesa. Visibilities ranged from one quarter mile in Chandler to about zero miles in Queen Creek, as reported by a trained spotter and broadcast media respectively. A Dust Storm Warning was issued for the area and despite the very hazardous driving conditions, no accidents or injuries were reported.","Scattered thunderstorms developed across the greater Phoenix area during the evening hours on September 5th and some of the stronger storms produced gusty outflow winds in excess of 40 mph. The winds stirred up significant amounts of dust and created dust storm conditions which primarily affected the south and southeast portions of the Phoenix area, including the communities of Mesa, Queen Creek and Chandler. According to an NWS employee located 3 miles northeast of East Mesa, dense blowing dust reduced visibility to one eighth of a mile near the intersection of Brown and Ellesworth Roads. This occurred at 1905MST. At 1900MST a trained spotter 2 miles northwest of Chandler reported a dust storm with visibility down to one quarter of a mile at the Chandler Fashion Center Mall. Finally, at 1845MST, local broadcast media passed on a viewer report of visibility down to zero miles in dense blowing dust approximately one mile northeast of Queen Creek. A Dust Storm Warning was issued and in effect at the time of the dust storm reports; despite the very hazardous driving conditions no accidents or injuries were reported as a result of the dense blowing dust." +118958,714754,CALIFORNIA,2017,September,Dust Storm,"IMPERIAL COUNTY EXCEPT THE LOWER COLORADO RIVER VALLEY",2017-09-07 15:30:00,PST-8,2017-09-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered monsoon thunderstorms developed across the northern Baja California mountains as well as far northwest Mexico, during the late afternoon hours on September 7th and they generated very strong and gusty outflow winds in excess of 50 mph. The strong winds spread to the north and into portions of Imperial County, moving across the Interstate 8 corridor and into the Imperial Valley. The strong wind stirred up significant amounts of dust, dirt and sand which led to patchy dust storm conditions. Visibility lowered to zero miles in a dust storm in the town of Seeley at about 1520PST. A Dust Storm Warning was issued due to the dense blowing dust; fortunately no accidents or injuries were reported as a result of the very hazardous driving conditions.","Very strong thunderstorms developed over higher terrain areas to the south of Imperial County during the middle of the afternoon, and they sent gusty outflow winds in excess of 40 mph northward into Imperial County. The strong wind stirred up dust, sand and dirt and created areas of dense blowing dust along with localized dust storm conditions. At 1520PST a trained weather spotter in the town of Seeley reported that visibility had lowered to zero miles in a dust storm. The strong winds and dust also affected portions of the Interstate corridor, sharply reducing visibility and creating very hazardous driving conditions. A Dust Storm Warning was issued and in effect from about 1530PST through 1700PST. Fortunately no accidents or injuries were reported as a result of the dust storm." +119000,714789,ARIZONA,2017,September,Flash Flood,"PINAL",2017-09-08 20:00:00,MST-7,2017-09-08 22:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.4636,-111.4961,33.3977,-111.4941,"Scattered thunderstorms developed across the eastern portion of the greater Phoenix area during the evening hours on September 8th, and some of the stronger storms produced locally heavy rains with peak rain rates in excess of one inch per hour. Heavy rains the far east valley community of Apache Junction; area washes such as the Weekes Wash began to flow heavily and shortly afterward flash flooding and flooding occurred. At about 2030MST Apache Junction Police reported that barricades were being erected at the intersection of State Route 88 and Tomahawk Road due to flash flooding. In addition, about one hour earlier several inches of water were reported to be across U.S. Highway 60 between Gold Canyon and Peralta. A Flash Flood Warning was issued for the area beginning at 1954MST and continuing through 2300MST. No accident or injuires were reported.","Scattered thunderstorms developed east of Phoenix during the evening hours on September 8th and some of the stronger storms produced heavy rain in the area around Apache Junction. Peak rain rates as shown by radar and flood control district gages were in excess of one inch per hour, and given the flashy nature of the terrain this was sufficient to lead to an episode of flash flooding. At 2029MST the Apache Junction Police Department indicated that barricades were going up at the intersection of Tomahawk Road and State Route 88 because of the flash flooding. A Flash Flood Warning was issued for the area at 1954MST and it remained in effect until it was cancelled at 2241MST." +119008,714797,ARIZONA,2017,September,Flash Flood,"LA PAZ",2017-09-08 20:15:00,MST-7,2017-09-08 23:00:00,0,0,0,0,4.00K,4000,0.00K,0,33.7056,-113.668,33.6941,-113.7882,"Thunderstorms developed across the central portion of La Paz County during the evening hours on September 8th, and some of the stronger storms produced very heavy rainfall with peak rain rates approaching 2 inches per hour. The intense rainfall led to an episode of flash flooding to the east of the town of Quartzsite and north of the Interstate 10 corridor. At 2040MST public reports indicated that there was flash flooding near the intersection of Highway 60 and State Route 72. No accidents or injuries were reported due to the flooding. A Flash Flood Warning was issued at 2009MST and remained in effect through 2300MST.","Thunderstorms developed across the central portion of La Paz County during the evening hours on September 8th and some of the stronger storms produced locally heavy rains with peak rain rates approaching 2 inches per hour. The intense rain led to an episode of flash flooding north of Interstate 10 and east of Quartzsite. At 2040MST a public report was received indicating that flash flooding was occurring near the intersection of Highway 60 and State Route 72. A Flash Flood Warning had been issued earlier at 2009MST and was in effect at the time of the flooding. No accidents or injuries were reported." +119014,714830,CALIFORNIA,2017,September,Thunderstorm Wind,"IMPERIAL",2017-09-08 13:00:00,PST-8,2017-09-08 13:00:00,0,0,0,0,200.00K,200000,0.00K,0,32.68,-115.41,32.68,-115.41,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Very strong thunderstorms developed across the higher terrain of northern Baja during the early afternoon hours, and then moved north into south-central Imperial County. Some of the storms generated gusty and damaging microburst winds estimated to be as high as 70 mph. According to a local emergency manager, at 1300PST gusty winds blew down 20 to 23 power poles along Carr Road, approximately 4 miles east of the town of Calexico and just north of the Mexican border. This caused the road to become closed from California Highway 7 to Barbara Worth Road." +119014,714855,CALIFORNIA,2017,September,Flash Flood,"IMPERIAL",2017-09-08 13:15:00,PST-8,2017-09-08 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.677,-115.4265,32.6776,-115.3908,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","A line of thunderstorms developed across central Imperial County during the early afternoon hours and some of the stronger storms produced very heavy rainfall which impacted areas from the Imperial Valley south to the Mexican Border. Peak rain rates were in excess of 2 inches per hour and led to episodes of flash flooding. At 1339PST a local emergency manager reported significant flooding on California Highway 98 to the east of Calexico and west of Highway 7. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1316PST and remained in effect through 1600PST." +119014,714866,CALIFORNIA,2017,September,Flash Flood,"IMPERIAL",2017-09-08 13:30:00,PST-8,2017-09-08 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,32.7896,-115.4632,32.8123,-115.4667,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Scattered to numerous thunderstorms developed across the central portion of Imperial County during the afternoon hours on September 8th, and some of the stronger storms produced very heavy rainfall with peak rain rates in excess of 2 inches per hour. The intense rain led to episodes of flash flooding in the Imperial Valley, including the town of Holtville. According to a local emergency manager, heavy rain caused excessive flow in area canals, and one canal was breached near the intersection of Meloland and Evan Hewes roads. As the canal breached, flash flooding occurred which inundated nearby homes. The flooded homes were located about 4 miles west of Holtville. A Flash Flood Warning was in effect at the time of the flooding. No injuries were reported." +119052,714975,CALIFORNIA,2017,September,Flash Flood,"IMPERIAL",2017-09-09 09:00:00,PST-8,2017-09-09 11:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.1043,-114.8456,33.148,-114.9156,"Thunderstorms developed across the eastern portion of Imperial County during the morning hours on September 9th and some of the stronger storms produced locally heavy rains with peak rain rates well in excess of one inch per hour. Most of the rain fell over open country and did not pose an impact, but some of the heavy rain managed to fall across roads such as Highway 78 between Palo Verde and Glamis, leading to localized flash flooding. At 1000PST local law enforcement reported that flash flooding had resulted in the closure of Highway 78 west of Ogilby Road; a Flash Flood Warning had been issued earlier in the morning and was in effect at the time of the flooding.","Scattered thunderstorms developed over the eastern portion of Imperial County during the morning hours on September 9th, and some of the stronger storms produced locally heavy rains with peak rain rates in excess of one inch per hour. Much of the heavy rain fell over open country, but some of the intense rain fell along Highway 78, between Glamis and Palo Verde. At 1000PST, local law enforcement reported that Highway 78 was closed west of Ogilby Road due to flash flooding and radar indicated that over 2 inches had fallen in the area at the time of the flooding. A Flash Flood Warning had been issued at 0837PST for the area and the warning remained in effect through about 1136PST. Despite the flash flooding, no accidents were reported." +119053,714976,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-09 10:15:00,PST-8,2017-09-09 13:15:00,0,0,0,0,75.00K,75000,0.00K,0,33.6388,-114.6135,33.7667,-114.5888,"Scattered thunderstorms developed across far eastern Riverside County during the morning hours on September 9th; some of the strongest storms focused along the lower Colorado River valley and they produced locally heavy rains with peak rain rates in excess of one inch per hour. The intense rainfall led to an episode of flash flooding near the town of Blythe; shortly after 1000PST local law enforcement reported that Highway 95 north of Blythe was closed due to the flash flooding. Water was reported to be 3 feet deep in the road and 2 water rescues were performed north of Blythe due to the flash flooding. No injuries were reported in association with the water rescues. A Flash Flood Warning was issued less than 30 minutes prior to the flash flooding.","Scattered thunderstorms developed along the lower Colorado River Valley during the morning hours on September 9th, and some of the stronger storms produced locally heavy rainfall which affected areas around the town of Blythe. Peak rain rates were in excess of one inch per hour and were sufficient to cause an episode of flash flooding. According to local law enforcement, at 1023PST U.S. Highway 95 was closed about 7 miles north of Blythe due to flash flooding. Water was reported to be 3 feet deep in the road and 2 water rescues were needed as a result of the flooding. Fortunately no injuries were reported in association with the water rescues. A Flash Flood Warning had been issued prior to the flash flooding; it was issued at 1014PST and was in effect until 1315PST." +115430,697456,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:44:00,CST-6,2017-06-11 07:44:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-93.35,45.16,-93.35,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Trees were knocked down by the strong wind." +115397,693024,ILLINOIS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-29 15:45:00,CST-6,2017-04-29 15:50:00,0,0,0,0,0.00K,0,0.00K,0,39.4214,-89.6814,39.4622,-89.6278,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down numerous large trees, tree limbs and power lines. Also, 2 semi trucks were blown over on Interstate 55 between mile markers 72 and 73. Two miles southwest of Farmersville, metal roof of a shed was blown off and several power poles snapped off. A construction trailer was flipped onto it's side. In Farmersville, a large uprooted tree fell onto a house causing moderate damage." +115397,693026,ILLINOIS,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-29 15:55:00,CST-6,2017-04-29 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-89.6313,39.18,-89.6313,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down several power lines on the east side of town." +115430,697467,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:15:00,CST-6,2017-06-11 07:15:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-93.99,44.91,-93.99,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Reported by the MN022 (New Germany 1NW) Mesonet." +118953,714571,TEXAS,2017,June,Flash Flood,"NUECES",2017-06-27 09:00:00,CST-6,2017-06-27 10:00:00,0,0,0,0,0.00K,0,0.00K,0,27.83,-97.07,27.8328,-97.0639,"Thunderstorms produced heavy rainfall over the northern Coastal Bend from Port Aransas to Rockport to Seadrift. Rainfall amounts were between 3 to 4 inches. Rainfall produced flooding in Rockport and Port Aransas.","Roads were closed near Avenue J in Port Aransas due to high water." +115430,699047,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:52:00,CST-6,2017-06-11 06:52:00,0,0,0,0,0.00K,0,0.00K,0,45.08,-94.31,45.08,-94.31,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,706334,MINNESOTA,2017,June,Thunderstorm Wind,"RENVILLE",2017-06-11 06:35:00,CST-6,2017-06-11 06:40:00,0,0,0,0,0.00K,0,0.00K,0,44.7365,-94.6383,44.7333,-94.5803,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were several reports of downed power lines and trees around the community of Buffalo Lake." +117937,708821,KANSAS,2017,June,Thunderstorm Wind,"ALLEN",2017-06-17 04:05:00,CST-6,2017-06-17 04:06:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-95.17,37.92,-95.17,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by law enforcement." +117937,708822,KANSAS,2017,June,Hail,"MARION",2017-06-17 19:36:00,CST-6,2017-06-17 19:37:00,0,0,0,0,0.00K,0,0.00K,0,38.28,-96.87,38.28,-96.87,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117937,708823,KANSAS,2017,June,Hail,"BARTON",2017-06-17 19:50:00,CST-6,2017-06-17 19:51:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-98.58,38.36,-98.58,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117937,708824,KANSAS,2017,June,Hail,"BUTLER",2017-06-17 20:15:00,CST-6,2017-06-17 20:16:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-97.15,37.96,-97.15,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","This report via social media." +117243,705542,WISCONSIN,2017,June,Thunderstorm Wind,"PRICE",2017-06-11 10:30:00,CST-6,2017-06-11 10:30:00,0,0,0,0,,NaN,,NaN,45.55,-90.29,45.55,-90.29,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Multiple trees were blown down. The largest trees were 8 to 10 inches in diameter." +117243,705543,WISCONSIN,2017,June,Thunderstorm Wind,"PRICE",2017-06-11 10:50:00,CST-6,2017-06-11 10:50:00,0,0,0,0,,NaN,,NaN,45.92,-90.06,45.92,-90.06,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Power lines were blown down along Pike Lake Club Road." +117317,705598,MINNESOTA,2017,June,Hail,"CROW WING",2017-06-13 08:35:00,CST-6,2017-06-13 08:35:00,0,0,0,0,,NaN,,NaN,46.18,-94.37,46.18,-94.37,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","" +117317,705599,MINNESOTA,2017,June,Hail,"CROW WING",2017-06-13 09:06:00,CST-6,2017-06-13 09:06:00,0,0,0,0,,NaN,,NaN,46.48,-93.98,46.48,-93.98,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","" +117317,705601,MINNESOTA,2017,June,Hail,"ITASCA",2017-06-13 16:13:00,CST-6,2017-06-13 16:13:00,0,0,0,0,,NaN,,NaN,47.32,-93.57,47.32,-93.57,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","" +117317,705602,MINNESOTA,2017,June,Hail,"ITASCA",2017-06-13 20:55:00,CST-6,2017-06-13 20:55:00,0,0,0,0,,NaN,,NaN,47.63,-93.39,47.63,-93.39,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","" +117317,705603,MINNESOTA,2017,June,Thunderstorm Wind,"CROW WING",2017-06-13 22:24:00,CST-6,2017-06-13 22:24:00,0,0,0,0,,NaN,,NaN,46.75,-94.1,46.75,-94.1,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","A tree was blown down and brought down a power line." +118590,712384,SOUTH DAKOTA,2017,June,Hail,"GREGORY",2017-06-13 14:45:00,CST-6,2017-06-13 14:45:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-99.29,43.18,-99.29,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712385,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 15:11:00,CST-6,2017-06-13 15:11:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-99.09,43.39,-99.09,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +117243,705560,WISCONSIN,2017,June,Flood,"SAWYER",2017-06-11 18:45:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.8,-91.12,45.7704,-91.1247,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Several sections of Wisconsin State Highway 27 flooded between Ojibwa and Couderay." +117243,705561,WISCONSIN,2017,June,Lightning,"SAWYER",2017-06-11 15:22:00,CST-6,2017-06-11 15:22:00,0,0,0,0,1.00K,1000,,NaN,46,-91.5,46,-91.5,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Lightning struck the top of an older white pine tree near a home. The top of the tree exploded down the center. The home was indirectly damaged due to tree shrapnel after the tree exploded. Several pieces of the tree impaled through the siding and walls into the interior of the home." +118590,712418,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-97.08,43.3,-97.08,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712419,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:30:00,CST-6,2017-06-13 19:30:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-97.22,43.4,-97.22,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Social Media report." +118590,712420,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:36:00,CST-6,2017-06-13 19:36:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-97.14,43.4,-97.14,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712421,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:40:00,CST-6,2017-06-13 19:40:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-97.12,43.4,-97.12,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712439,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 19:40:00,CST-6,2017-06-13 19:40:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-96.94,43.62,-96.94,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Large branches dowed." +118590,712422,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:57:00,CST-6,2017-06-13 19:57:00,0,0,0,0,0.00K,0,0.00K,0,43.36,-96.98,43.36,-96.98,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712440,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"TURNER",2017-06-13 19:57:00,CST-6,2017-06-13 19:57:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-96.98,43.35,-96.98,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Branches downed." +118590,712433,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 20:05:00,CST-6,2017-06-13 20:05:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.8,43.54,-96.8,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Tree downed." +117243,705095,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:42:00,CST-6,2017-06-11 08:42:00,0,0,0,0,,NaN,,NaN,45.78,-92.68,45.78,-92.68,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","The sheriff dispatch center received numerous reports of trees and power lines down." +118586,712375,MINNESOTA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 05:02:00,CST-6,2017-06-11 05:02:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-96.44,44.27,-96.44,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","" +117243,705099,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 09:00:00,CST-6,2017-06-11 09:00:00,0,0,0,0,,NaN,,NaN,45.78,-92.38,45.78,-92.38,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","One tree was blown down." +117243,705100,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-11 09:10:00,CST-6,2017-06-11 09:10:00,0,0,0,0,,NaN,,NaN,45.74,-91.9,45.74,-91.9,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Winds were estimated to be around 60 to 70 mph with numerous branches down." +117243,705103,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-11 09:25:00,CST-6,2017-06-11 09:25:00,0,0,0,0,,NaN,,NaN,45.92,-91.7,45.92,-91.7,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A few trees up to 18 inches in diameter were blown down." +117243,705104,WISCONSIN,2017,June,Thunderstorm Wind,"SAWYER",2017-06-11 09:30:00,CST-6,2017-06-11 09:30:00,0,0,0,0,,NaN,,NaN,45.83,-91.54,45.83,-91.54,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A large tree branch larger than 10 inches in diameter broke and damaged a mobile home." +118618,712545,IOWA,2017,June,Hail,"SIOUX",2017-06-29 16:24:00,CST-6,2017-06-29 16:24:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-96.17,43.08,-96.17,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +119203,716312,MISSOURI,2017,May,Thunderstorm Wind,"IRON",2017-05-27 15:25:00,CST-6,2017-05-27 15:25:00,0,0,0,0,0.00K,0,0.00K,0,37.7151,-91.1371,37.7148,-91.1239,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous large tree limbs around town." +117317,705600,MINNESOTA,2017,June,Hail,"PINE",2017-06-13 10:58:00,CST-6,2017-06-13 11:02:00,0,0,0,0,,NaN,,NaN,46.01,-92.67,46.01,-92.67,"Strong storms moved across Pine, Crow Wing and Itasca Counties and produced damaging winds that took down power lines. Hail from dime size to ping pong size was also reported.","The hail fell for 4 minutes." +118614,712509,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-27 22:06:00,CST-6,2017-06-27 22:06:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-97.36,43.2,-97.36,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118617,712521,SOUTH DAKOTA,2017,June,Hail,"UNION",2017-06-29 14:55:00,CST-6,2017-06-29 14:55:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-96.56,42.6,-96.56,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118934,714527,TEXAS,2017,June,Hail,"ARANSAS",2017-06-05 18:15:00,CST-6,2017-06-05 18:20:00,0,0,0,0,,NaN,0.00K,0,28.1426,-97.0116,28.138,-97.0047,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Golf ball sized hail occurred in Lamar." +117932,708767,KANSAS,2017,June,Thunderstorm Wind,"RENO",2017-06-15 17:47:00,CST-6,2017-06-15 17:48:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-97.94,38.03,-97.94,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by a storm chaser." +119392,717057,ILLINOIS,2017,June,Heavy Rain,"LAKE",2017-06-14 14:10:00,CST-6,2017-06-14 15:55:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-87.89,42.37,-87.89,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Heavy rainfall of 1.94 inches was reported in 1 hour and 45 minutes." +119392,717060,ILLINOIS,2017,June,Thunderstorm Wind,"FORD",2017-06-14 16:01:00,CST-6,2017-06-14 16:01:00,0,0,0,0,0.00K,0,0.00K,0,40.4188,-88.4372,40.4188,-88.4372,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A large section of a tree was snapped off and blown across a road." +119392,717061,ILLINOIS,2017,June,Thunderstorm Wind,"WILL",2017-06-14 16:05:00,CST-6,2017-06-14 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-88.158,41.53,-88.158,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A small Maple tree was blown down on the west side of Joliet." +119392,717062,ILLINOIS,2017,June,Thunderstorm Wind,"COOK",2017-06-14 16:05:00,CST-6,2017-06-14 16:06:00,0,0,0,0,100.00K,100000,0.00K,0,42.07,-87.6995,42.05,-87.68,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Numerous large trees were blown down with some trees uprooted. Some of the fallen trees crushed parked cars. Roof damage was reported to a hospital in Evanston. A wind gust to 57 mph was measured." +119392,717063,ILLINOIS,2017,June,Thunderstorm Wind,"DE KALB",2017-06-14 16:00:00,CST-6,2017-06-14 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.65,-88.6587,41.65,-88.6587,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A trampoline was thrown over a garage and two fences were destroyed." +119392,717064,ILLINOIS,2017,June,Thunderstorm Wind,"WILL",2017-06-14 16:12:00,CST-6,2017-06-14 16:12:00,0,0,0,0,0.00K,0,0.00K,0,41.4747,-87.9966,41.4747,-87.9966,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A 7 inch diameter tree limb was blown down along Daniel Lewis Drive." +119392,717065,ILLINOIS,2017,June,Hail,"WILL",2017-06-14 16:20:00,CST-6,2017-06-14 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-87.97,41.54,-87.97,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","" +119392,717066,ILLINOIS,2017,June,Thunderstorm Wind,"KANE",2017-06-14 16:33:00,CST-6,2017-06-14 16:33:00,0,0,0,0,10.00K,10000,0.00K,0,42.0394,-88.3637,42.0394,-88.3637,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A portion of a new gas station under construction was blown down near Route 20 and Nesler Road." +119245,716038,MINNESOTA,2017,September,Thunderstorm Wind,"MARSHALL",2017-09-22 20:26:00,CST-6,2017-09-22 20:26:00,0,0,0,0,,NaN,,NaN,48.36,-96.33,48.36,-96.33,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","A large tree limb was blown down." +119245,716226,MINNESOTA,2017,September,Hail,"GRANT",2017-09-22 02:14:00,CST-6,2017-09-22 02:14:00,0,0,0,0,,NaN,,NaN,46.04,-96.1,46.04,-96.1,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","The hail fell with very heavy rain." +119245,716227,MINNESOTA,2017,September,Hail,"GRANT",2017-09-22 02:30:00,CST-6,2017-09-22 02:30:00,0,0,0,0,,NaN,,NaN,46.09,-95.88,46.09,-95.88,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","The hail fell along Interstate 94 near the Otter Tail County line." +119245,716229,MINNESOTA,2017,September,Hail,"OTTER TAIL",2017-09-22 03:10:00,CST-6,2017-09-22 03:10:00,0,0,0,0,,NaN,,NaN,46.27,-95.19,46.27,-95.19,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","A few quarter to half dollar sized hail fell along with very heavy rain." +119552,717405,CALIFORNIA,2017,September,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-09-22 01:00:00,PST-8,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of northern California.","Reported low temperatures ranged from 27 to 40 degrees." +119553,717409,CALIFORNIA,2017,September,Frost/Freeze,"MODOC COUNTY",2017-09-23 01:00:00,PST-8,2017-09-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of northern California.","Reported low temperatures ranged from 23 to 26 degrees." +119332,716467,CALIFORNIA,2017,September,Wildfire,"WESTERN SISKIYOU COUNTY",2017-09-01 00:00:00,PST-8,2017-09-28 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Salmon August Complex included the Wallow, Island, Mary, Rush, Grizzly, Pointers, and Garden fires. All were started by lightning, the earliest starting on 8/11/17 at around 12:01 AM PDT. As of the last report at 03:30 PST on 09/28/17, the fires collectively covered 65875 acres and was 83 percent contained. 39.1 million dollars had been spent on firefighting efforts.","The Salmon August Complex included the Wallow, Island, Mary, Rush, Grizzly, Pointers, and Garden fires. All were started by lightning, the earliest starting on 8/11/17 at around 12:01 AM PDT. As of the last report at 03:30 PST on 09/28/17, the fires collectively covered 65875 acres and was 83 percent contained. 39.1 million dollars had been spent on firefighting efforts." +119333,716464,OREGON,2017,September,Wildfire,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-09-01 00:00:00,PST-8,2017-09-29 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Umpqua North Complex included the Fall Creek, Happy Dog, Ragged Ridge, Oak Nob, Brokentooth, Devils Canyon, Hold Devil, Dog Prairie, and Calf Copeland fires. All were started by lightning, the earliest starting on 8/11/17 at around 10:30 AM PDT. As of athe last report at 03:30 PST on 09/29/17, the fires collectively covered 43158 acres and was 79 percent contained. 39.7 million dollars had been spent on firefighting efforts.","The Umpqua North Complex included the Fall Creek, Happy Dog, Ragged Ridge, Oak Nob, Brokentooth, Devils Canyon, Hold Devil, Dog Prairie, and Calf Copeland fires. All were started by lightning, the earliest starting on 8/11/17 at around 10:30 AM PDT. As of athe last report at 03:30 PST on 09/29/17, the fires collectively covered 43158 acres and was 79 percent contained. 39.7 million dollars had been spent on firefighting efforts." +117589,707127,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 10:00:00,EST-5,2017-07-01 16:15:00,0,0,0,0,900.00K,900000,0.00K,0,42.68,-76.62,42.63,-76.62,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Genoa. Many residents were evacuated from their homes in low lying areas. The US Post Office in the village was inundated by flood waters. Culverts and roads were washed out in several places." +117359,707178,NEBRASKA,2017,July,Hail,"DAWES",2017-07-27 14:50:00,MST-7,2017-07-27 14:53:00,0,0,0,0,0.00K,0,0.00K,0,42.5405,-103,42.5405,-103,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Quarter size hail was observed near Box Butte Campground." +118180,712151,CONNECTICUT,2017,July,Hail,"HARTFORD",2017-07-12 12:03:00,EST-5,2017-07-12 12:03:00,0,0,0,0,0.00K,0,0.00K,0,41.9904,-72.6989,41.9904,-72.6989,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1203 PM EST, broadcast media reported one inch diameter hail falling at Suffield." +118544,712180,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-18 21:45:00,EST-5,2017-07-19 01:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0722,-72.6606,42.0696,-72.6789,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 947 PM EST, amateur radio operators reported cars stuck in flood waters on Mill Street and Poplar Street in Agawam. At 952 PM EST, Henry Street and Suffield Street were reported flooded and impassable. At 1002 PM EST, North Westfield Street was impassable with flood waters three feet deep; multiple cars were stuck in the water. At 1037 PM EST, the intersection of Kensington and Mill Streets was flooded and impassable." +119327,716459,OREGON,2017,September,Wildfire,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-09-01 00:00:00,PST-8,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of 04:30 PDT on 10/01/17, the fire covered 191090 acres and was 97 percent contained. 66.8 million dollars had been spend on firefighting efforts.","The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of 04:30 PDT on 10/01/17, the fire covered 191090 acres and was 97 percent contained. 66.8 million dollars had been spend on firefighting efforts." +118498,711984,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"YORK",2017-07-04 14:45:00,EST-5,2017-07-04 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-81.44,34.93,-81.44,"Scattered to numerous thunderstorms and clusters of storms moved across Upstate South Carolina during the afternoon. One storm produced brief damaging winds in York County.","County comms reported numerous trees blown down in the Hopewell community." +118533,712124,ARKANSAS,2017,July,Flash Flood,"PULASKI",2017-07-14 14:36:00,CST-6,2017-07-14 16:36:00,0,0,0,0,0.00K,0,0.00K,0,34.8254,-92.2631,34.8251,-92.2635,"The severe thunderstorms of July 13 and 14, 2017 brought mainly damaging winds and flash flooding.","Water was flowing over the road at Remount Road and Spriggs Road intersection." +118535,712131,MICHIGAN,2017,July,Hail,"DICKINSON",2017-07-06 19:00:00,CST-6,2017-07-06 19:04:00,0,0,0,0,0.00K,0,0.00K,0,45.9,-88.04,45.9,-88.04,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","Nickel sized hail was reported five miles north of Iron Mountain." +118540,712163,RHODE ISLAND,2017,July,Flash Flood,"WASHINGTON",2017-07-13 13:42:00,EST-5,2017-07-13 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.5067,-71.7159,41.5095,-71.7133,"An east-west aligned cold front slowly moved south through Southern New England. This along with an extremely humid air mass brought heavy afternoon downpours to Connecticut and Rhode Island.","At 142 PM EST, trained spotters reported state route 3 flooded near the junction with Rockville Road in Hope Valley." +115646,694895,TENNESSEE,2017,May,Strong Wind,"WILLIAMSON",2017-05-01 08:00:00,CST-6,2017-05-01 08:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tree was split on Clovercroft Road by Clovercroft Elementary School." +115646,694896,TENNESSEE,2017,May,Strong Wind,"CLAY",2017-05-01 10:30:00,CST-6,2017-05-01 10:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tree was blown down on Moss Arcot Road." +115646,694897,TENNESSEE,2017,May,Strong Wind,"COFFEE",2017-05-01 14:00:00,CST-6,2017-05-01 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tree and power line were blown down across the road near 425 Tuck Road in far southern Coffee County." +115646,694899,TENNESSEE,2017,May,Strong Wind,"WHITE",2017-05-01 15:00:00,CST-6,2017-05-01 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A tSpotter Twitter report and photo showed a tree was blown down in the yard of home in Sparta." +115587,694170,TENNESSEE,2017,May,Hail,"HICKMAN",2017-05-27 19:03:00,CST-6,2017-05-27 19:03:00,0,0,0,0,0.00K,0,0.00K,0,35.95,-87.33,35.95,-87.33,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated pea to nickel size hail fell in Bon Aqua." +115587,694171,TENNESSEE,2017,May,Thunderstorm Wind,"DEKALB",2017-05-27 19:09:00,CST-6,2017-05-27 19:09:00,0,0,0,0,3.00K,3000,0.00K,0,35.97,-85.85,35.97,-85.85,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Facebook and Twitter photos showed numerous trees were blown down in and around Smithville." +115587,694196,TENNESSEE,2017,May,Thunderstorm Wind,"PUTNAM",2017-05-27 19:15:00,CST-6,2017-05-27 19:33:00,0,0,0,0,50.00K,50000,0.00K,0,36.2689,-85.4646,36.1301,-85.2394,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A NWS storm survey found a severe 17 mile long by 1 mile wide downburst caused major wind damage along the Putnam/Overton County border from southwest of Rickman southeastward to around Monterey. Damage was first reported on Cindy Lane in northern Putnam County where trees were blown down. Numerous more trees were snapped and uprooted along Ben Mason Road just north of the county line in Overton County. The roof was blown off a large warehouse at a flea market on Highway 111, and a nearby outbuilding lost many wood panels on the outside walls. Dozens of large trees were also snapped and uprooted along Spring Creek Road in Rickman, with several falling on homes and vehicles. Farther to the east, a barn lost much of its roof on Highway 84 near Lewis Lane, and numerous trees and power lines were blown down along Highway 84 south of Boswell Road. Large trees were blown down and playground equipment destroyed in Whittaker Park in Monterey, and several more trees were blown down on Clinchfield Drive and Meadow Creek Road southeast of Monterey. Wind speeds were estimated up to 85 mph." +115587,694207,TENNESSEE,2017,May,Thunderstorm Wind,"WHITE",2017-05-27 19:22:00,CST-6,2017-05-27 19:31:00,0,0,0,0,25.00K,25000,0.00K,0,35.8947,-85.5923,35.8317,-85.4727,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A NWS Storm Survey found severe straight line winds caused significant damage in southwest White County from northwest of Doyle to southeast of Doyle. Numerous trees were snapped and uprooted with several roads blocked, including Highway 136 and Franks Ferry Road. Some trees fell on homes and vehicles, including one tree which crushed most of a house on Gooseneck Road in Doyle. Winds were estimated up to 80 mph." +118416,711625,WISCONSIN,2017,July,Hail,"IOWA",2017-07-11 20:26:00,CST-6,2017-07-11 20:26:00,0,0,0,0,,NaN,,NaN,42.87,-90.28,42.87,-90.28,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","" +118080,709674,MAINE,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-30 14:48:00,EST-5,2017-06-30 14:52:00,0,0,0,0,,NaN,0.00K,0,44.01,-70.52,44.01,-70.52,"A warm front was stalled over northern Maine on the afternoon of the 30th. A shortwave approaching from the west was the catalyst for afternoon showers and thunderstorms in the warm sector south of the front. Many locations reported wind damage in southern Maine.","A severe thunderstorm downed trees on a building and vehicle in Casco." +118080,709675,MAINE,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-30 14:50:00,EST-5,2017-06-30 14:54:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-70.58,43.94,-70.58,"A warm front was stalled over northern Maine on the afternoon of the 30th. A shortwave approaching from the west was the catalyst for afternoon showers and thunderstorms in the warm sector south of the front. Many locations reported wind damage in southern Maine.","A severe thunderstorm downed trees on Songo School Road in Naples." +118080,709676,MAINE,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-30 15:10:00,EST-5,2017-06-30 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-70.4,43.88,-70.4,"A warm front was stalled over northern Maine on the afternoon of the 30th. A shortwave approaching from the west was the catalyst for afternoon showers and thunderstorms in the warm sector south of the front. Many locations reported wind damage in southern Maine.","A severe thunderstorm downed trees at the intersection of Campbell Shore Road and Lake Avenue in West Gray." +118080,709677,MAINE,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-30 15:20:00,EST-5,2017-06-30 15:25:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-70.44,43.84,-70.44,"A warm front was stalled over northern Maine on the afternoon of the 30th. A shortwave approaching from the west was the catalyst for afternoon showers and thunderstorms in the warm sector south of the front. Many locations reported wind damage in southern Maine.","A severe thunderstorm downed trees and wires on Sand Bar Road in North Windham." +118028,709630,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CARROLL",2017-06-19 12:40:00,EST-5,2017-06-19 12:44:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-71.2,43.59,-71.2,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed a tree and numerous large limbs onto wires in Wolfeboro Falls." +114686,687939,TENNESSEE,2017,May,Tornado,"JOHNSON",2017-05-12 15:30:00,EST-5,2017-05-12 15:38:00,0,0,0,0,,NaN,,NaN,36.5211,-81.9314,36.5208,-81.9291,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","This was a very small and brief tornado that remained on the ground for less than 8 minutes and 250 yards while causing widespread roof damage to two homes, as well as completely destroying two sheds and a carport structure. Everyone interviewed stated that the system was rain shielded, thereby not allowing any witnesses to the event. The storm moved almost due east dropping out of the Holston Mountains and into the valley floor below where the brief EF-0 spun up before weakening into a straight line wind event with estimated winds of 50-70 mph for another one quarter mile. The straight line winds also caused some minor roof damage as well as completely destroying a dilapidated barn." +114686,695160,TENNESSEE,2017,May,Heavy Rain,"MCMINN",2017-05-12 14:07:00,EST-5,2017-05-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5,-84.6522,35.5,-84.6878,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Minor street flooding along Clearwater Road." +114686,695164,TENNESSEE,2017,May,Heavy Rain,"WASHINGTON",2017-05-12 16:13:00,EST-5,2017-05-12 17:10:00,0,0,0,0,0.00K,0,0.00K,0,36.2995,-82.3754,36.3405,-82.3246,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Minor street flooding around Johnson City." +114686,695165,TENNESSEE,2017,May,Heavy Rain,"SULLIVAN",2017-05-12 16:42:00,EST-5,2017-05-12 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4533,-82.2838,36.4265,-82.2975,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Minor flooding on Piney Flats Road." +115846,696222,NORTH CAROLINA,2017,April,Hail,"CATAWBA",2017-04-06 00:07:00,EST-5,2017-04-06 00:07:00,0,0,0,0,,NaN,,NaN,35.75,-81.31,35.75,-81.31,"A line of thunderstorms moved into western North Carolina during the early part of the overnight, in advance of a strong storm system and attendant cold front. A few cells within the line briefly reached severe levels across the foothills, producing hail up to the size of half dollars.","Public reported half dollar size hail near St. Stephens." +115587,694158,TENNESSEE,2017,May,Thunderstorm Wind,"SMITH",2017-05-27 18:40:00,CST-6,2017-05-27 18:40:00,0,0,0,0,3.00K,3000,0.00K,0,36.2418,-86.1127,36.2418,-86.1127,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated trees were blown down on South Lovers Lane." +115587,694159,TENNESSEE,2017,May,Thunderstorm Wind,"CLAY",2017-05-27 18:46:00,CST-6,2017-05-27 18:46:00,0,0,0,0,2.00K,2000,0.00K,0,36.5771,-85.4481,36.5771,-85.4481,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","One tree was blown down on West Old Highway 53 and another was blown down on East Old Highway 53 in Pea Ridge." +118140,710351,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-19 18:13:00,CST-6,2017-07-19 18:13:00,0,0,0,0,5.00K,5000,0.00K,0,43.58,-90.64,43.58,-90.64,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees and power lines were blown down near La Farge." +118140,710352,WISCONSIN,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-19 18:20:00,CST-6,2017-07-19 18:20:00,0,0,0,0,5.00K,5000,0.00K,0,43.21,-90.3,43.21,-90.3,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees and power lines were blown down just south of Gotham." +118140,710353,WISCONSIN,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-19 18:17:00,CST-6,2017-07-19 18:17:00,0,0,0,0,1.00K,1000,0.00K,0,43.34,-90.38,43.34,-90.38,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Large tree branches were blown down in Richland Center." +117794,714588,IOWA,2017,July,Flood,"CLAYTON",2017-07-12 01:35:00,CST-6,2017-07-12 04:35:00,0,0,0,0,8.00K,8000,3.00K,3000,42.7386,-91.2686,42.7389,-91.2701,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Runoff from heavy rains pushed the Turkey River out of its banks in Garber. The river crested a foot and a half above the flood stage at 18.5 feet." +117945,709929,IOWA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-19 16:41:00,CST-6,2017-07-19 16:41:00,0,0,0,0,2.00K,2000,0.00K,0,43.05,-91.85,43.05,-91.85,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees were blown down in El Dorado." +118660,712892,MAINE,2017,July,Thunderstorm Wind,"YORK",2017-07-12 14:50:00,EST-5,2017-07-12 14:55:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-70.71,43.73,-70.71,"A cold front was sagging south through the region on the afternoon of July 12th. South of the front, good surface heating and high values of precipitable water contributed to good CAPE and afternoon convection. One isolated cell produced wind damage in Limington.","A severe thunderstorm downed large trees on power lines across Shaving Hill Road in Limington." +118663,712900,MAINE,2017,July,Hail,"SOMERSET",2017-07-17 16:50:00,EST-5,2017-07-17 16:53:00,0,0,0,0,0.00K,0,0.00K,0,45.62,-70.25,45.62,-70.25,"An upper-level trough that swung in from the west enhanced the instability across Maine which was situated in a very warm and humid air mass. An isolated thunderstorm cell produced 1 inch hail near Jackman during the afternoon.","A severe thunderstorm produced 1 inch hail in Jackman." +118668,712910,MAINE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-18 15:40:00,EST-5,2017-07-18 15:44:00,0,0,0,0,0.00K,0,0.00K,0,44.96,-70.15,44.96,-70.15,"A departing upper-level trough produced enough instability for scattered afternoon convection in the mountains of Maine during the afternoon of July 18th. One isolated cell became severe producing wind damage in Kingfield.","An isolated severe thunderstorm downed trees in Kingfield." +117945,709933,IOWA,2017,July,Thunderstorm Wind,"WINNESHIEK",2017-07-19 16:40:00,CST-6,2017-07-19 16:40:00,0,0,0,0,2.00K,2000,0.00K,0,43.3,-91.99,43.3,-91.99,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Two foot diameter trees were blown down in Ridgeway." +118674,712919,MAINE,2017,July,Thunderstorm Wind,"OXFORD",2017-07-31 17:00:00,EST-5,2017-07-31 17:04:00,0,0,0,0,,NaN,0.00K,0,44.08,-70.97,44.08,-70.97,"A few thunderstorms formed ahead of a cold front that was slowly sagging south through the region. Most of these storms were garden variety due to limited moisture, weak shear and lack of forcing. One storm did become strong enough to produce wind damage in southern Oxford County.","A severe thunderstorm downed trees and wires at West Fryeburg Road and Cornshop Road in West Fryeburg. A house was also damaged by a falling tree." +118638,713642,IOWA,2017,July,Heavy Rain,"FAYETTE",2017-07-21 06:05:00,CST-6,2017-07-22 01:15:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-91.82,42.87,-91.82,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Near Fayette, 7.50 inches of rain fell." +118638,713115,IOWA,2017,July,Heavy Rain,"CLAYTON",2017-07-21 08:15:00,CST-6,2017-07-22 01:30:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-91.1,42.79,-91.1,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","In Guttenberg, 7.44 inches of rain fell." +118638,713649,IOWA,2017,July,Heavy Rain,"CHICKASAW",2017-07-21 05:25:00,CST-6,2017-07-22 01:45:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-92.33,43.07,-92.33,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","In New Hampton, 8.35 inches of rain fell." +117945,714286,IOWA,2017,July,Thunderstorm Wind,"CLAYTON",2017-07-19 17:20:00,CST-6,2017-07-19 17:20:00,0,0,0,0,4.00K,4000,0.00K,0,42.78,-91.1,42.78,-91.1,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees and power lines were blown down in Guttenberg." +119125,720498,FLORIDA,2017,September,Flash Flood,"NASSAU",2017-09-11 06:00:00,EST-5,2017-09-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6968,-81.9103,30.6825,-81.9067,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Water was covering streets and approaching homes. Picture relayed via social media." +119730,720409,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 16:31:00,PST-8,2017-09-03 16:31:00,0,0,0,0,1.00K,1000,0.00K,0,35.3964,-118.9511,35.3964,-118.9511,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported several tree branches down on State Route 178 due to strong thunderstorm winds in East Bakersfield." +119730,720417,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 17:21:00,PST-8,2017-09-03 17:21:00,0,0,0,0,10.00K,10000,0.00K,0,35.29,-119.03,35.29,-119.03,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","Received a public report through Social Media that showed a building under construction damaged by thunderstorm wind gusts near State Route 99 and Berkshire Rd. in Bakersfield." +118637,714594,WISCONSIN,2017,July,Flood,"GRANT",2017-07-21 18:50:00,CST-6,2017-07-22 05:25:00,0,0,0,0,0.00K,0,0.00K,0,42.7381,-90.6433,42.7384,-90.6475,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","Runoff from heavy rains pushed the Platte River out of its banks near Rockville. The river crested over three and a half feet above the flood stage at 12.58 feet." +119157,715658,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 16:15:00,EST-5,2017-07-01 21:00:00,0,0,0,0,6.00K,6000,0.00K,0,43.97,-71.5,43.9692,-71.5165,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches in Waterville Valley resulting in numerous road washouts." +117352,706241,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:48:00,CST-6,2017-07-06 19:48:00,0,0,0,0,25.00K,25000,149.00K,149000,43.78,-91.1,43.78,-91.1,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Golf ball sized hail was reported by an NWS employee west of St. Joseph." +118416,711660,WISCONSIN,2017,July,Flood,"WALWORTH",2017-07-12 09:07:00,CST-6,2017-07-13 16:45:00,0,0,0,0,1.00K,1000,1.00K,1000,42.8277,-88.5855,42.8406,-88.3083,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Various road closures over the eastern half of Walworth County continued due to flooding from 3.50-8.00 inches of rain. Road closures continued near Springfield, Abells Corners, south and east of East Troy. Also, road closures in and around Elkhorn and flooding continued in the Town of Lyons near the White River and Ore Creek." +118416,711972,WISCONSIN,2017,July,Flash Flood,"RACINE",2017-07-12 00:11:00,CST-6,2017-07-12 09:15:00,0,0,0,0,300.00K,300000,15.00K,15000,42.7759,-88.3042,42.7592,-88.085,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Four to eight inches of rain fell over the southwest half of the county over several hours causing urban and rural flash flooding. Racine County and the city and town of Burlington declared emergencies. Many creeks flooded; thereby flooding and washing-out many roads. Some of the roads that were closed were portions of highways 11 and 20 near the communities of Kansasville and Beaumont. The Hoosier Creek flooded and washed-out a portion of Mount Tom Rd. and flooded a portion of highway J. Urban flash flooding in Burlington and Union Grove closed many roads. The Fox River began to flood with sandbagging along the river in Waterford and Burlington." +119125,720874,FLORIDA,2017,September,Tropical Storm,"UNION",2017-09-10 12:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||On Sept. 11th at 8:15 am, the public reported power lines were blown down on SW 8th Street in Lake Butler. ||The Santa Fe River at Worthington Springs set a record flood stage at 71.17 feet on Sept 12th at 2200 EDT. Major flooding occurred at this level.||Storm total rainfall included 9.62 inches 0.9 miles NE of Raiford." +119730,720436,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 18:30:00,PST-8,2017-09-03 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a power pole leaning due to dust storm winds at Ave. 232 and Rd. 56 west of Tulare." +119125,720886,FLORIDA,2017,September,Tropical Storm,"COLUMBIA",2017-09-10 12:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||The Ichetucknee River below Ichetucknee Springs State Park crested at 24.54 feet on Sept 16th at 1900 EDT. Major flooding occurred at this level. The Santa Fe River at Oleno State Park set a record flood stage at 57.07 feet on Sept 14th at 0715 EDT. Major flooding occurred at this level. The Suwannee river near Benton crested at 94.47|feet on Sept 21st. Minor flooding occurred at this level. The Santa Fe River at Three Rivers Estates crested at 24.55 feet on Sept 16th at 2000 EDT. Major flooding occurred at this level. The Suwannee River at White Springs crested at 76.49 feet on Sept 13th at 0045 EDT. Minor flooding occurred at this level. ||Storm total rainfall included 8.44 inches about 8 miles SSW of Lake City." +120254,721328,GEORGIA,2017,September,Tropical Storm,"WAYNE",2017-09-10 10:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Storm total rainfall included 8.56 inches 2.3 miles ENE of Screven, 7.22 inches 4.2 miles NNW of Jesup, and 6.96 inches 10 miles NNW of Jesup." +120268,720652,CALIFORNIA,2017,September,Debris Flow,"TUOLUMNE",2017-09-13 16:00:00,PST-8,2017-09-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.837,-119.7194,37.8627,-119.6686,"The upper level low which had remained off the California coast for several days finally moved inland across Southern California on September 13 and produced enough instability over central California during the late afternoon for strong thunderstorms to develop over Yosemite National Park. One cell produced pea sized hail which accumulated to an inch in depth while flash flooding was reported in Hetch Hetchy. Meanwhile, an isolated thunderstorm in Bakersfield produced half an inch of rainfall in about one hour which set a new daily record.","A Yosemite National Park employee reported a rock slide over Park Road near Hetch Hetchy." +120510,721991,IDAHO,2017,September,Funnel Cloud,"LINCOLN",2017-09-30 14:45:00,MST-7,2017-09-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,43.0458,-114.4,43.0458,-114.4,"A thunderstorm north of Shoshone created a funnel cloud at around 3:45 PM MDT on September 30th with photographs of the funnel provided by a Twin Falls television meteorologist.","A thunderstorm north of Shoshone created a funnel cloud at around 3:45 PM MDT on September 30th with photographs of the funnel provided by a Twin Falls television meteorologist." +120524,722047,TEXAS,2017,September,Flash Flood,"LA SALLE",2017-09-27 08:00:00,CST-6,2017-09-27 09:00:00,0,0,0,0,100.00K,100000,0.00K,0,28.5376,-99.1599,28.5846,-99.1441,"Abundant moisture was confined to the Brush Country over a couple of days. There was a feed of deep tropical moisture from the Gulf of Mexico combined with a tap of moisture from the Pacific Ocean moving across Mexico. Scattered to numerous showers and thunderstorms moved across the Brush Country. Flash flooding occurred in Laredo with several roads being flooded. Water rescues were performed in several areas around Laredo. Laredo received between 5 and 10 inches of rainfall.","Texas Department of Transportation reported Interstate 35 north of Millet was closed due to flooding. Bulldozers are being used to help push cars and trucks out of high water north of Cotulla." +118479,711903,MICHIGAN,2017,September,Hail,"BAY",2017-09-04 13:27:00,EST-5,2017-09-04 13:27:00,0,0,0,0,0.00K,0,0.00K,0,43.86,-83.96,43.86,-83.96,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711904,MICHIGAN,2017,September,Hail,"BAY",2017-09-04 14:05:00,EST-5,2017-09-04 14:05:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-84.02,43.8,-84.02,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711905,MICHIGAN,2017,September,Hail,"WASHTENAW",2017-09-04 16:30:00,EST-5,2017-09-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-83.84,42.42,-83.84,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711906,MICHIGAN,2017,September,Hail,"WASHTENAW",2017-09-04 16:30:00,EST-5,2017-09-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-83.85,42.42,-83.85,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711908,MICHIGAN,2017,September,Hail,"LIVINGSTON",2017-09-04 16:35:00,EST-5,2017-09-04 16:35:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-83.71,42.44,-83.71,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711909,MICHIGAN,2017,September,Hail,"OAKLAND",2017-09-04 16:37:00,EST-5,2017-09-04 16:37:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-83.66,42.44,-83.66,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711910,MICHIGAN,2017,September,Hail,"MACOMB",2017-09-04 17:03:00,EST-5,2017-09-04 17:03:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-83.03,42.58,-83.03,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711911,MICHIGAN,2017,September,Hail,"LENAWEE",2017-09-04 17:50:00,EST-5,2017-09-04 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.76,-83.88,41.76,-83.88,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711912,MICHIGAN,2017,September,Hail,"WAYNE",2017-09-04 17:59:00,EST-5,2017-09-04 17:59:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-83.29,42.14,-83.29,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","" +118479,711913,MICHIGAN,2017,September,Thunderstorm Wind,"OAKLAND",2017-09-04 16:30:00,EST-5,2017-09-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-83.56,42.56,-83.56,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","A power pole was blown over, along with 3 inch diameter trees limbs down." +120284,720725,MINNESOTA,2017,September,Thunderstorm Wind,"ROCK",2017-09-19 23:02:00,CST-6,2017-09-19 23:02:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-96.21,43.62,-96.21,"Widespread thunderstorms first developed in central South Dakota and moved into the west central portion of Minnesota during the late evening hours and produced strong winds. The strong winds caused localized damage to trees.","" +120286,720742,SOUTH DAKOTA,2017,September,Hail,"MCCOOK",2017-09-22 16:08:00,CST-6,2017-09-22 16:08:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-97.37,43.81,-97.37,"An isolated thunderstorm developed and quickly dissipated. But before doing so, it produced localized severe-sized hail.","" +120286,720743,SOUTH DAKOTA,2017,September,Hail,"DAVISON",2017-09-22 17:55:00,CST-6,2017-09-22 17:55:00,0,0,0,0,0.00K,0,0.00K,0,43.66,-98.23,43.66,-98.23,"An isolated thunderstorm developed and quickly dissipated. But before doing so, it produced localized severe-sized hail.","" +120320,720931,SOUTH DAKOTA,2017,September,Hail,"MCCOOK",2017-09-22 16:14:00,CST-6,2017-09-22 16:14:00,0,0,0,0,0.00K,0,0.00K,0,43.83,-97.33,43.83,-97.33,"Scattered thunderstorms developed in east central South Dakota and produced severe-sized hail in localized areas.","" +120320,720933,SOUTH DAKOTA,2017,September,Hail,"MCCOOK",2017-09-23 11:32:00,CST-6,2017-09-23 11:32:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-97.39,43.81,-97.39,"Scattered thunderstorms developed in east central South Dakota and produced severe-sized hail in localized areas.","Hail was almost covering the ground." +120320,720935,SOUTH DAKOTA,2017,September,Hail,"LAKE",2017-09-23 12:23:00,CST-6,2017-09-23 12:23:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.19,44.01,-97.19,"Scattered thunderstorms developed in east central South Dakota and produced severe-sized hail in localized areas.","" +120320,720936,SOUTH DAKOTA,2017,September,Hail,"LAKE",2017-09-23 12:48:00,CST-6,2017-09-23 12:48:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-97.06,44.09,-97.06,"Scattered thunderstorms developed in east central South Dakota and produced severe-sized hail in localized areas.","" +120321,720937,MINNESOTA,2017,September,Thunderstorm Wind,"NOBLES",2017-09-24 14:29:00,CST-6,2017-09-24 14:29:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-95.79,43.64,-95.79,"Strong winds were a result of a small cluster of storms moving along the Iowa/Minnesota border late in the afternoon.","Measured by Minnesota DOT remote weather sensor." +120284,720938,MINNESOTA,2017,September,Thunderstorm Wind,"PIPESTONE",2017-09-19 22:44:00,CST-6,2017-09-19 22:44:00,0,0,0,0,0.00K,0,0.00K,0,43.85,-96.41,43.85,-96.41,"Widespread thunderstorms first developed in central South Dakota and moved into the west central portion of Minnesota during the late evening hours and produced strong winds. The strong winds caused localized damage to trees.","Trees were downed at Jasper, MN Cemetery." +119480,717030,OREGON,2017,September,Wildfire,"EAST SLOPES OF THE OREGON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Milli Fire was located in the Sister's Wilderness Area, on the Deschutes National Forest. This fire was lightning caused, started in August and continues to burn into September. This fire caused the evacuations of some rural subdivisions near Sisters, Oregon.","Containment of 100 percent attained by the 25th of September with around 24,079 acres burned. Containment costs estimated at 15 million dollars. See Inciweb for more information." +120347,721370,GEORGIA,2017,September,Tropical Storm,"MONTGOMERY",2017-09-11 04:00:00,EST-5,2017-09-11 13:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","News media reports numerous trees and power lines blown down across the county. No injuries were reported." +120347,721393,GEORGIA,2017,September,Tropical Storm,"TWIGGS",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. Radar estimated between 2 and 5 inches of rain fell across the county with 4.08 inches measured near Danville. No injuries were reported." +120213,720287,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:07:00,MST-7,2017-06-12 15:10:00,0,0,0,0,0.00K,0,0.00K,0,41.2268,-104.82,41.2268,-104.82,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hail grew rapidly from peas to larger than golf balls." +117779,708105,MINNESOTA,2017,August,Tornado,"MCLEOD",2017-08-16 19:08:00,CST-6,2017-08-16 19:09:00,0,0,0,0,0.00K,0,0.00K,0,44.8802,-94.0465,44.8804,-94.0475,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A brief EF0 tornado on the south side of Lester Prairie produced a concentrated area of tree damage as it headed west. A funnel cloud was observed a few minutes earlier on the east side of town. Estimated max wind speed 75 mph." +118207,712557,WISCONSIN,2017,July,Heavy Rain,"CRAWFORD",2017-07-19 17:35:00,CST-6,2017-07-20 03:30:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-90.76,43.16,-90.76,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","In the Township of Marietta, 6.25 inches of rain fell." +118207,712558,WISCONSIN,2017,July,Heavy Rain,"TREMPEALEAU",2017-07-19 16:30:00,CST-6,2017-07-20 02:45:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-91.55,44.13,-91.55,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Near Dodge, 6 inches of rain fell." +119163,715645,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 18:10:00,EST-5,2017-07-01 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,44.22,-70.53,44.2167,-70.5352,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorm produced 2 to 5 inches of rain in Norway washing out several area roads." +119163,715646,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 18:10:00,EST-5,2017-07-01 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,44.5,-70.4,44.5059,-70.4079,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Peru washing out several area roads." +120213,720261,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:21:00,MST-7,2017-06-12 14:25:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-104.95,42.05,-104.95,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hen egg to baseball size hail damaged many vehicles and windows in Wheatland." +120213,720262,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:15:00,MST-7,2017-06-12 14:18:00,0,0,0,0,0.00K,0,0.00K,0,41.969,-104.85,41.969,-104.85,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hen egg size hail was observed two miles north of Bordeaux." +119616,721302,ILLINOIS,2017,July,Flood,"OGLE",2017-07-21 20:45:00,CST-6,2017-07-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,41.9303,-89.0696,41.9277,-89.0696,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","The intersection of Route 251 and 10th Avenue was flooded along with portions of 7th Street." +119616,721303,ILLINOIS,2017,July,Flood,"OGLE",2017-07-21 20:45:00,CST-6,2017-07-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,41.9449,-89.1323,41.9325,-89.1323,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Standing water was reported on roads in Flagg Center." +119616,721304,ILLINOIS,2017,July,Flood,"LA SALLE",2017-07-21 22:37:00,CST-6,2017-07-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3571,-88.8403,41.3556,-88.8403,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Up to five inches of standing water was reported covering Route 6 west of the Fox River." +119616,721307,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-22 00:20:00,CST-6,2017-07-22 00:22:00,0,0,0,0,0.00K,0,0.00K,0,41.553,-88.163,41.553,-88.155,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Several large trees limbs were blown down along with a few trees uprooted in a several square block area north of Essington and Theodore Roads." +120412,721335,ILLINOIS,2017,July,Hail,"KANKAKEE",2017-07-23 17:19:00,CST-6,2017-07-23 17:20:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-87.83,41.25,-87.83,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","" +119571,721343,ILLINOIS,2017,July,Flood,"LAKE",2017-07-12 13:00:00,CST-6,2017-07-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1537,-88.1982,42.153,-87.7612,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","After torrential rain and flash flooding during the morning of July 12th, flood waters slowly receded through the morning of July 13th with additional rain falling during the early morning hours of July 13th." +119616,721286,ILLINOIS,2017,July,Thunderstorm Wind,"KANE",2017-07-21 15:25:00,CST-6,2017-07-21 15:25:00,0,0,0,0,2.00K,2000,0.00K,0,42.07,-88.381,42.07,-88.381,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Wind gusts were estimated to 70 mph. Trees and power lines were blown down." +117453,706388,IOWA,2017,June,Hail,"TAMA",2017-06-28 17:07:00,CST-6,2017-06-28 17:07:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-92.72,42.19,-92.72,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Media relayed report of half dollar sized hail via social media." +118600,716104,INDIANA,2017,July,Flash Flood,"MORGAN",2017-07-11 13:50:00,EST-5,2017-07-11 16:00:00,0,0,0,0,0.25K,250,4.00K,4000,39.4815,-86.3658,39.4817,-86.3808,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Flowing water, one to two feet deep, was observed in this location due to thunderstorm heavy rainfall." +118600,716469,INDIANA,2017,July,Flash Flood,"HENDRICKS",2017-07-11 17:30:00,EST-5,2017-07-11 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.7075,-86.3742,39.7046,-86.3734,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","State Road 267 was closed three miles north of Interstate 70 due to flooding from thunderstorm heavy rainfall." +118600,717191,INDIANA,2017,July,Flood,"JOHNSON",2017-07-11 18:30:00,EST-5,2017-07-11 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.4787,-86.0629,39.477,-86.0675,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","North-bound and south-bound lanes of US Highway 31 were closed due to flooding at Blue Heron Park near Greenlawn Cemetery and Franklin Lakes subdivision due to heavy rainfall. Jefferson Street in downtown Franklin was also closed." +113490,679369,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:02:00,EST-5,2017-03-08 14:02:00,0,0,0,0,,NaN,,NaN,42.7195,-73.7809,42.7195,-73.7809,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down at the intersection of Lorna Lane and Nicolla Avenue in Colonie due to thunderstorm winds." +113490,679373,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:10:00,EST-5,2017-03-08 14:10:00,0,0,0,0,,NaN,,NaN,42.6072,-73.905,42.6072,-73.905,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down at the intersection of New Scotland South Road and Orchard Hill Road due to thunderstorm winds." +118033,709560,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 11:21:00,MST-7,2017-07-25 13:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.9,-114.17,35.9002,-114.1754,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Flash flooding blocked Gregg's Hideout Road, trapping cars." +118033,709561,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 11:29:00,MST-7,2017-07-25 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.3059,-114.0691,35.3059,-114.0714,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Stockton Hill Road was closed from Cactus Wren Road to Pierce Ferry Road due to flooding." +118033,709562,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 11:39:00,MST-7,2017-07-25 13:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.6076,-113.5,34.6047,-113.4995,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Signal Road was closed due to flooding." +118033,709563,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 13:50:00,MST-7,2017-07-25 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.3265,-113.6972,35.2925,-113.6711,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Hackberry Road was closed due to flooding." +118033,709564,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 14:04:00,MST-7,2017-07-25 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.11,-113.81,35.11,-113.8,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Blake Ranch Road was closed due to flooding." +118034,709565,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-24 12:38:00,PST-8,2017-07-24 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.2381,-115.5003,35.2476,-115.5076,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Cima Road was damaged by heavy flooding." +118034,709566,CALIFORNIA,2017,July,Thunderstorm Wind,"SAN BERNARDINO",2017-07-24 14:24:00,PST-8,2017-07-24 14:24:00,0,0,0,0,0.00K,0,0.00K,0,34.294,-116.1472,34.294,-116.1472,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","This gust was measured at the Twentynine Palms (KNXP) ASOS." +117467,706474,ARKANSAS,2017,June,Thunderstorm Wind,"GARLAND",2017-06-18 09:45:00,CST-6,2017-06-18 09:45:00,0,0,0,0,0.00K,0,0.00K,0,34.52,-93.34,34.52,-93.34,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","A large tree was down across the road near Crystal Springs." +117467,706475,ARKANSAS,2017,June,Thunderstorm Wind,"GARLAND",2017-06-18 10:30:00,CST-6,2017-06-18 10:30:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-93,34.67,-93,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","There was a report on social media of trees blown down on the Desoto golf course in Hot Springs Village." +118640,712944,WISCONSIN,2017,July,Thunderstorm Wind,"GREEN",2017-07-19 18:28:00,CST-6,2017-07-19 19:05:00,0,0,0,0,7.00K,7000,,NaN,42.6423,-89.8338,42.6618,-89.3752,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Trees and power lines down in multiple areas of the county including the city of Monroe." +118640,712945,WISCONSIN,2017,July,Thunderstorm Wind,"SAUK",2017-07-19 18:35:00,CST-6,2017-07-19 18:35:00,0,0,0,0,5.00K,5000,,NaN,43.46,-90.16,43.46,-90.16,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Trees and power lines down in the far western portions of the county." +118640,712946,WISCONSIN,2017,July,Thunderstorm Wind,"DANE",2017-07-19 18:45:00,CST-6,2017-07-19 18:45:00,0,0,0,0,2.00K,2000,,NaN,42.86,-89.53,42.86,-89.53,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Large tree branches down." +118640,712947,WISCONSIN,2017,July,Thunderstorm Wind,"ROCK",2017-07-19 18:53:00,CST-6,2017-07-19 19:43:00,0,0,0,0,5.00K,5000,,NaN,42.6825,-89.3594,42.6941,-88.7956,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Several trees and branches down throughout the county." +120213,721553,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 17:30:00,MST-7,2017-06-12 17:35:00,0,0,0,0,0.00K,0,0.00K,0,42.8498,-105.884,42.8498,-105.884,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter size hail was observed a mile southwest of Glenrock." +117125,704674,TENNESSEE,2017,July,Thunderstorm Wind,"UNION",2017-07-06 18:35:00,EST-5,2017-07-06 18:35:00,0,0,0,0,,NaN,,NaN,36.32,-83.81,36.32,-83.81,"A few severe thunderstorms formed ahead of a cool front during the heat of the afternoon producing strong wind gusts across the Southern Appalachian Region.","Several trees were reported down across northern Union County." +115445,693234,NORTH CAROLINA,2017,April,Thunderstorm Wind,"BUNCOMBE",2017-04-03 13:06:00,EST-5,2017-04-03 13:06:00,0,0,0,0,10.00K,10000,0.00K,0,35.544,-82.725,35.544,-82.725,"A line of showers and thunderstorms developing ahead of a cold front pushed across western North Carolina during the afternoon. A couple of pockets of brief damaging winds occurred.","County comms reported roof damage to a building and damage to an adjacent building on Smoky Park Highway." +118250,710631,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-17 19:30:00,CST-6,2017-06-17 19:31:00,0,0,0,0,,NaN,,NaN,39.33,-95.2,39.33,-95.2,"Supercell thunderstorms developed during the early evening hours of June 17th, 2017. These storms produced very large hail and heavy rainfall. The storms merged into a line and pushed southeast across the forecast area.","Wind speed was estimated." +120412,721309,ILLINOIS,2017,July,Hail,"BOONE",2017-07-23 14:45:00,CST-6,2017-07-23 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-88.85,42.25,-88.85,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Quarter size hail was reported at multiple locations." +120443,721657,NEBRASKA,2017,June,Tornado,"BOX BUTTE",2017-06-12 19:04:00,MST-7,2017-06-12 19:25:00,0,0,0,0,1.00M,1000000,,NaN,42.0021,-102.9501,42.0628,-102.8168,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A discontinuous tornado path continued northeast into Box Butte County from Morrill County. Additional roof damage was surveyed to a large building near the Alliance Airport (DI 1, DOD 3). This was the end of the discontinuous tornado path in Morrill and Box Butte Counties. Sixty-five train cars were blown over south of Alliance." +118035,709574,NEVADA,2017,July,Hail,"CLARK",2017-07-24 10:30:00,PST-8,2017-07-24 10:35:00,0,0,0,0,0.00K,0,0.00K,0,36.3105,-115.6779,36.3105,-115.6779,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","" +118820,713748,NEBRASKA,2017,June,Thunderstorm Wind,"SCOTTS BLUFF",2017-06-27 18:15:00,MST-7,2017-06-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-103.7477,41.87,-103.7477,"Thunderstorms produced damaging winds in Scott Bluff and Box Butte counties. A peak gust of 79 mph was recorded at the Scottsbluff Airport.","A peak wind gust of 60 mph was measured four miles west of Scottsbluff." +117186,704858,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-07-19 20:58:00,CST-6,2017-07-19 20:58:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"During the late evening of July 19th, a line of strong thunderstorms moved across the near shore waters causing strong wind gusts.","Sheboygan lakeshore weather station measured a wind gust of 43 knots as the storms moved through." +118576,712321,NEW HAMPSHIRE,2017,July,Hail,"CARROLL",2017-07-01 13:05:00,EST-5,2017-07-01 13:09:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-71.06,43.98,-71.06,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm produced 1.75 inch hail near Center Conway." +118576,712327,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"GRAFTON",2017-07-01 16:25:00,EST-5,2017-07-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-72.25,43.64,-72.25,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A severe thunderstorm downed large branches in Lebanon." +119401,717696,ILLINOIS,2017,June,Thunderstorm Wind,"PIKE",2017-06-14 17:50:00,CST-6,2017-06-14 17:50:00,0,0,0,0,0.00K,0,0.00K,0,39.639,-91.1032,39.6364,-91.0927,"Outflow boundary moved through region and was the trigger for multicell thunderstorm complex. There were numerous reports of damaging winds with these storms.","Thunderstorm winds blew down numerous trees, tree limbs, power poles and power lines around town." +119616,721289,ILLINOIS,2017,July,Thunderstorm Wind,"DU PAGE",2017-07-21 15:51:00,CST-6,2017-07-21 15:51:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-88.08,41.95,-88.08,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","A large tree was blown down." +119626,720578,ILLINOIS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-17 23:30:00,CST-6,2017-06-17 23:30:00,0,0,0,0,0.00K,0,0.00K,0,39.3256,-89.5782,39.3154,-89.5649,"A strong cold front moved through the region triggering strong to severe storms.","Thunderstorm winds blew down several trees and power lines around town." +119014,714840,CALIFORNIA,2017,September,Thunderstorm Wind,"IMPERIAL",2017-09-08 13:00:00,PST-8,2017-09-08 13:00:00,0,0,0,0,2.00K,2000,0.00K,0,32.77,-115.43,32.77,-115.43,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Thunderstorms with gusty damaging winds developed across the central portion of Imperial County during the early afternoon hours on September 8th and some of the stronger storms affected the Imperial Valley including the area around the town of Holtville. At 1300PST, gusty winds estimated to be at least 60 mph blew down a tree near the intersection of Barbara Worth Road and Interstate 8. The downed tree was about 4 miles southwest of the town of Holtville. This was reported by the California Highway Patrol." +119014,714841,CALIFORNIA,2017,September,Thunderstorm Wind,"IMPERIAL",2017-09-08 13:00:00,PST-8,2017-09-08 13:00:00,0,0,0,0,200.00K,200000,0.00K,0,33.13,-115.51,33.13,-115.51,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Thunderstorms developed across the central portion of Imperial County during the early afternoon hours and they moved quickly to the north, producing strong gusty and damaging outflow winds which impacted portions of the Imperial Valley as well as the town of Calipatria. According to local emergency managers, at 1300PST gusty microburst winds estimated to be as high as 70 mph blew down 23 power poles in the town of Calipatria. The poles were downed on Young Road, near Highway 111. No injuries were reported due to the downed poles." +118458,712814,VIRGINIA,2017,July,Thunderstorm Wind,"ARLINGTON",2017-07-14 15:28:00,EST-5,2017-07-14 15:28:00,0,0,0,0,,NaN,,NaN,38.8947,-77.167,38.8947,-77.167,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down along the 6900 Block of Williamsburg Boulevard." +118682,712970,TEXAS,2017,July,Hail,"OCHILTREE",2017-07-03 17:29:00,CST-6,2017-07-03 17:29:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-100.8,36.39,-100.8,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Ping pong size hail reported via Facebook with picture received." +118708,713140,KANSAS,2017,July,Thunderstorm Wind,"SHERMAN",2017-07-02 20:10:00,MST-7,2017-07-02 20:10:00,0,0,0,0,0.00K,0,0.00K,0,39.4469,-101.8933,39.4469,-101.8933,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","Estimated wind gusts of 70 MPH." +118016,713381,VIRGINIA,2017,July,Flood,"HARRISONBURG (C)",2017-07-28 16:09:00,EST-5,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4405,-78.8494,38.4382,-78.8458,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","A portion of Country Club Road in Harrisonburg was flooded and closed." +118544,712178,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-18 18:56:00,EST-5,2017-07-18 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.1639,-72.346,42.1623,-72.3441,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 656 PM EST, an amateur radio operator reported U.S. Route 20 in Palmer was flooded with manhole covers popped off the road. At 705 PM EST, broadcast media reported flooding on Wilbraham Street, which is Route 20 west of town." +118458,712272,VIRGINIA,2017,July,Thunderstorm Wind,"FAUQUIER",2017-07-14 14:45:00,EST-5,2017-07-14 14:45:00,0,0,0,0,,NaN,,NaN,38.904,-77.833,38.904,-77.833,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down in the 7600 Block of Frogtown Road." +118458,712278,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:16:00,EST-5,2017-07-14 15:16:00,0,0,0,0,0.00K,0,0.00K,0,38.9004,-77.2602,38.9004,-77.2602,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Multiple trees were down along Browns Mill Road and Towlston road." +119214,715880,ARIZONA,2017,September,Dust Devil,"MARICOPA",2017-09-24 13:00:00,MST-7,2017-09-24 13:05:00,0,0,0,0,0.00K,0,0.00K,0,33.35,-111.97,33.35,-111.97,"Even though high temperatures had cooled to well below 100 degrees, sunny skies combined with mid 80 degree high temperatures and modest afternoon breeziness set the stage for an impressive dust devil to develop. The dust devil developed over hot and dusty ground, and persisted for several minutes, growing to a height of several hundred feet. It was caught on camera and made it onto the local news. The dust devil formed in the southeast portion of the greater Phoenix area, over southern Tempe. No damage was reported due to the dust devil.","During the early afternoon hours on September 24th, an impressive dust devil developed over the southern portions of Tempe and this was captured on camera by local broadcast media. The dust devil formed over open, dusty ground during the early afternoon on a warm day under sunny skies, and quickly formed a very impressive rotating funnel which grew several hundred feet high. The dust devil formed near the intersection of Interstate 10 and Elliot Road, at about 1300MST. The devil was captured on camera by AZ Family TV3 / CBS Channel 5. No damage occurred despite the impressive nature of the rotating funnel." +118645,712831,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-17 14:34:00,EST-5,2017-07-17 14:34:00,0,0,0,0,,NaN,,NaN,39.2227,-77.176,39.2227,-77.176,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","Two large tree branches blocked the Intersection of Augusta Farm Lane and Woodfield Road." +118594,712457,NORTH DAKOTA,2017,September,Funnel Cloud,"GRIGGS",2017-09-01 18:15:00,CST-6,2017-09-01 18:15:00,0,0,0,0,0.00K,0,0.00K,0,47.52,-98.02,47.52,-98.02,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","A funnel cloud was observed just west of the Steele County line in far southeast Romness Township." +118594,712459,NORTH DAKOTA,2017,September,Hail,"STEELE",2017-09-01 18:25:00,CST-6,2017-09-01 18:25:00,0,0,0,0,,NaN,,NaN,47.51,-97.9,47.51,-97.9,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Large hail fell with very heavy rain. Some of the hailstones were the size of golf balls." +118594,712460,NORTH DAKOTA,2017,September,Thunderstorm Wind,"STEELE",2017-09-01 18:30:00,CST-6,2017-09-01 18:30:00,0,0,0,0,,NaN,,NaN,47.45,-97.93,47.45,-97.93,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Several four to eight inch diameter tree branches were snapped in a farmstead shelterbelt near county road 25, north of highway 200, in west central Greenview Township." +118594,712461,NORTH DAKOTA,2017,September,Thunderstorm Wind,"STEELE",2017-09-01 18:50:00,CST-6,2017-09-01 18:50:00,0,0,0,0,,NaN,,NaN,47.32,-97.83,47.32,-97.83,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Strong wind gusts were associated with the rear flank shelf cloud. Some dime to nickel sized hail fell as well." +118594,712463,NORTH DAKOTA,2017,September,Thunderstorm Wind,"STEELE",2017-09-01 18:55:00,CST-6,2017-09-01 18:55:00,0,0,0,0,,NaN,,NaN,47.32,-97.78,47.32,-97.78,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Large tree branches were blown down around the town of Hope. One poplar tree was snapped at the golf course." +119227,715974,NORTH DAKOTA,2017,September,Thunderstorm Wind,"RANSOM",2017-09-19 15:56:00,CST-6,2017-09-19 15:56:00,0,0,0,0,,NaN,,NaN,46.63,-97.99,46.63,-97.99,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","A few large tree branches were broken down in shelterbelts just south of highway 46, in far northwest Northland Township." +119227,715977,NORTH DAKOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-19 17:17:00,CST-6,2017-09-19 17:17:00,0,0,0,0,,NaN,,NaN,47.14,-97.27,47.14,-97.27,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Numerous large branches were scattered all over the road for about an eighth of a mile, half way between Page and Gardner, on county road 26. Some of the branches were six inches in diameter, and were blown off trees that were 100 feet tall." +119227,715981,NORTH DAKOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-19 17:25:00,CST-6,2017-09-19 17:25:00,0,0,0,0,,NaN,,NaN,47.13,-96.98,47.13,-96.98,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Mounted transmitter and receiver platforms on a cellular communications tower were damaged by the strong winds." +119230,715998,MINNESOTA,2017,September,Thunderstorm Wind,"POLK",2017-09-19 20:15:00,CST-6,2017-09-19 20:15:00,0,0,0,0,,NaN,,NaN,47.68,-95.75,47.68,-95.75,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Several trees were blown down with large tree limbs scattered about." +119230,716008,MINNESOTA,2017,September,Thunderstorm Wind,"BECKER",2017-09-19 21:55:00,CST-6,2017-09-19 21:55:00,0,0,0,0,,NaN,,NaN,46.73,-96.07,46.73,-96.07,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Many large tree branches and power lines were blown down around Cormorant Lake, resulting in localized power outages." +119230,716009,MINNESOTA,2017,September,Thunderstorm Wind,"MAHNOMEN",2017-09-19 22:40:00,CST-6,2017-09-19 22:40:00,0,0,0,0,,NaN,,NaN,47.15,-95.6,47.15,-95.6,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Numerous large tree branches and power lines were blown down around Tulaby Lake and Elbow Lake, resulting in localized power outages." +115430,706323,MINNESOTA,2017,June,Thunderstorm Wind,"MCLEOD",2017-06-11 06:40:00,CST-6,2017-06-11 06:40:00,0,0,0,0,0.00K,0,0.00K,0,44.7192,-94.4908,44.72,-94.48,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","The emergency manager reported power lines down in the northeast corner of Stewart. There were 2 power poles that were damaged. Tree damage was confined to the north side of Stewart. Three to four foot diameter trees were downed near 311 Main St in Stewart." +115396,714022,MISSOURI,2017,April,Flood,"COLE",2017-04-30 16:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.5651,-92.1386,38.517,-92.2642,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Moreau River went above major flood stage during the evening hours of April 30th due to very heavy rain over the river basin. A number of secondary roads were closed due to the river flooding. Also, the river rose to the bottom of Tanner Bridge. No structures were affected by the flooding." +115397,693027,ILLINOIS,2017,April,Thunderstorm Wind,"MADISON",2017-04-29 15:00:00,CST-6,2017-04-29 15:10:00,0,0,0,0,0.00K,0,0.00K,0,38.8985,-90.1967,38.9009,-90.1215,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down numerous tree limbs around town. Also, a few trees were either uprooted or snapped off." +115430,697465,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:56:00,CST-6,2017-06-11 07:56:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-93.22,44.88,-93.22,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,706330,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 07:55:00,CST-6,2017-06-11 07:55:00,0,0,0,0,0.00K,0,0.00K,0,44.9787,-92.9659,44.9787,-92.9659,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +118717,713227,TEXAS,2017,June,Hail,"GOLIAD",2017-06-04 17:45:00,CST-6,2017-06-04 17:50:00,0,0,0,0,5.00K,5000,0.00K,0,28.8155,-97.2235,28.8155,-97.2235,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Quarter to half dollar sized hail occurred near Schroeder." +118717,713229,TEXAS,2017,June,Thunderstorm Wind,"GOLIAD",2017-06-04 19:23:00,CST-6,2017-06-04 19:27:00,0,0,0,0,,NaN,0.00K,0,28.6665,-97.3984,28.67,-97.39,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Public estimated 60 mph winds in Goliad." +115430,706332,MINNESOTA,2017,June,Hail,"WASHINGTON",2017-06-11 08:00:00,CST-6,2017-06-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,45.0596,-92.9788,45.0596,-92.9788,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117805,708186,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-04 18:00:00,CST-6,2017-06-04 18:10:00,0,0,0,0,0.00K,0,0.00K,0,27.7239,-97.3406,27.7254,-97.3389,"Scattered thunderstorms over the Coastal Bend moved southeast across Corpus Christi Bay into the Port Aransas area. The storms produced wind gusts to around 45 knots.","Weatherflow mesonet site at Poenisch Park on Corpus Christi Bay measured a gust to 47 knots." +117805,713276,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"CORPUS CHRISTI TO BAFFIN BAY",2017-06-04 21:24:00,CST-6,2017-06-04 21:24:00,0,0,0,0,0.00K,0,0.00K,0,27.8397,-97.0727,27.8397,-97.0727,"Scattered thunderstorms over the Coastal Bend moved southeast across Corpus Christi Bay into the Port Aransas area. The storms produced wind gusts to around 45 knots.","TCOON site at Port Aransas measured a gust to 41 knots." +117805,713277,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS OUT 20NM",2017-06-04 21:18:00,CST-6,2017-06-04 21:36:00,0,0,0,0,0.00K,0,0.00K,0,27.837,-97.039,27.837,-97.039,"Scattered thunderstorms over the Coastal Bend moved southeast across Corpus Christi Bay into the Port Aransas area. The storms produced wind gusts to around 45 knots.","Aransas Pass C-MAN Sentinel station measured a gust to 45 knots." +115396,692860,MISSOURI,2017,April,Thunderstorm Wind,"ST. LOUIS",2017-04-29 14:51:00,CST-6,2017-04-29 14:51:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-90.33,38.78,-90.33,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down a one foot diameter tree." +115430,705698,MINNESOTA,2017,June,Hail,"BROWN",2017-06-11 06:55:00,CST-6,2017-06-11 06:55:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-95.04,44.24,-95.04,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +117571,710944,MISSISSIPPI,2017,June,Funnel Cloud,"HANCOCK",2017-06-27 10:17:00,CST-6,2017-06-27 10:21:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-89.38,30.28,-89.38,"A stalled frontal boundary combined with an extremely moist airmass aided in the development of thunderstorms across southern Mississippi. Several reports of flash flooding were received as well as one report of wind damage.","A NWS employee and several fire department personnel observed a funnel cloud just north of Highway 90 and west of Highway 603 in the community of Waveland. The funnel cloud drifted north for several minutes. Although early indications were that the funnel cloud touched down, field inspection of the area indicated no damage to trees or buildings." +118837,715572,GULF OF MEXICO,2017,June,Marine Tropical Storm,"MISSISSIPPI SOUND",2017-06-20 16:00:00,CST-6,2017-06-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent sustained tropical storm force winds with higher gusts were common across the marine zone. A maximum wind gust of 48 kts, or 55 mph, was measured by the Petit Bois Island WLON station (PTBM6) at 2:54pm CST on the 20th. A maximum sustained wind of 38 kts, or 44 mph, was measured at the same time. Similar observations were also recorded by the Bay Waveland Yacht Club WLON station (WYCM6), with slightly lower values recorded at the Port of Pascagoula Dock C WLON station (DKCM6)." +119203,716305,MISSOURI,2017,May,Hail,"IRON",2017-05-27 14:33:00,CST-6,2017-05-27 14:35:00,0,0,0,0,0.00K,0,0.00K,0,37.3921,-90.6953,37.4697,-90.6902,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","A wide swath of large hail fell between Chloride and Annapolis. The largest hail stones were two inches in diameter." +119203,716308,MISSOURI,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 15:02:00,CST-6,2017-05-27 15:02:00,0,0,0,0,0.00K,0,0.00K,0,37.3677,-90.4383,37.3677,-90.4383,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down a large tree in town." +118838,715429,MISSISSIPPI,2017,June,Tropical Storm,"HANCOCK",2017-06-21 14:00:00,CST-6,2017-06-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","A few tropical storm force gusts were recorded in squalls during the afternoon of the 21st. The Bay Waveland C-Man station reported a maximum wind gust of 46 kts, or 53 mph, at 2:18pm on the 21st. Sustained winds at the same time were 36 kts, or 41 mph. No damage was reported in the county." +118837,715560,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-06-20 15:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Occasional sustained winds of tropical storm force with frequent tropical storm force gusts were common across the marine zone. A maximum wind gust of 50 kts, or 58 mph, was measured by the MP 104B AWOS (KMIS) at 2:35 pm CST on the 20th. The highest sustained wind at the same site was 38 kts, or 44 mph, at 4:35pm CST on the 20th. It should be noted that the anemometer at this site is 85 meters above sea level." +118590,712430,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-13 17:20:00,CST-6,2017-06-13 17:20:00,0,0,0,0,0.00K,0,0.00K,0,44.29,-98.04,44.29,-98.04,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Downed power lines." +118590,712431,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-13 17:20:00,CST-6,2017-06-13 17:20:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-98.1,44.33,-98.1,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Flag pole downed and shingles blown off barn roof." +118838,715418,MISSISSIPPI,2017,June,Storm Surge/Tide,"HARRISON",2017-06-20 00:00:00,CST-6,2017-06-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","Storm surge of approximately 3 feet resulted in moderate impacts along the barrier islands and actual coastline. Near Gulfport, the beach was eroded all the way to the sea wall in some places." +118590,712425,SOUTH DAKOTA,2017,June,Hail,"LINCOLN",2017-06-13 20:21:00,CST-6,2017-06-13 20:21:00,0,0,0,0,0.00K,0,0.00K,0,43.48,-96.77,43.48,-96.77,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712426,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-13 20:30:00,CST-6,2017-06-13 20:30:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-96.6,43.76,-96.6,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712445,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"UNION",2017-06-13 20:30:00,CST-6,2017-06-13 20:30:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-96.68,43.08,-96.68,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Social Media report." +118838,715423,MISSISSIPPI,2017,June,Flash Flood,"JACKSON",2017-06-22 06:30:00,CST-6,2017-06-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3443,-88.7275,30.4063,-88.8413,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","A persistent band of heavy rainfall set up just east of the Jackson and Harrison County line overnight from the 21st into the 22nd. Several observers in the Ocean Springs area recorded 6 to 10 inches of rain from the single band with storm totals of 15 to 18 inches. Numerous streets became impassible due to flash flooding. One street in the Gulf Park Estates subdivision was washed out." +118609,712491,IOWA,2017,June,Hail,"OSCEOLA",2017-06-21 21:58:00,CST-6,2017-06-21 21:58:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-95.63,43.42,-95.63,"A brief period of severe weather occurred with a few storms that developed around the area.","" +118609,712492,IOWA,2017,June,Hail,"DICKINSON",2017-06-21 22:42:00,CST-6,2017-06-21 22:42:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-95.17,43.34,-95.17,"A brief period of severe weather occurred with a few storms that developed around the area.","" +118609,712489,IOWA,2017,June,Hail,"CLAY",2017-06-21 21:20:00,CST-6,2017-06-21 21:20:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-95.04,42.97,-95.04,"A brief period of severe weather occurred with a few storms that developed around the area.","" +118837,715570,GULF OF MEXICO,2017,June,Marine Tropical Storm,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-06-20 16:00:00,CST-6,2017-06-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent sustained tropical storm force winds with higher gusts were common across the marine zone. A maximum wind gust of 45 kts, or 52 mph, was measured by the New Canal WLON station (NWCL1) at 11:00pm CST on the 20th. A maximum sustained wind of 38 kts, or 44 mph, was measured at the same time. Similar observations were also recorded by a Weatherflow mesonet site on the Lake Pontchartrain Causeway." +117243,705535,WISCONSIN,2017,June,Hail,"WASHBURN",2017-06-11 14:03:00,CST-6,2017-06-11 14:08:00,0,0,0,0,,NaN,,NaN,45.83,-91.87,45.83,-91.87,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","" +117243,705538,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-11 09:31:00,CST-6,2017-06-11 09:31:00,0,0,0,0,,NaN,,NaN,45.85,-91.54,45.85,-91.54,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Multiple trees were uprooted." +117243,705539,WISCONSIN,2017,June,Thunderstorm Wind,"SAWYER",2017-06-11 09:45:00,CST-6,2017-06-11 09:45:00,0,0,0,0,,NaN,,NaN,45.88,-91.4,45.88,-91.4,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Numerous trees were blown down and blocking roads. The largest trees knocked down were 6 to 8 inches in diameter. Several tops of larger trees were snapped off." +118617,712529,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-29 16:37:00,CST-6,2017-06-29 16:37:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-97.45,42.87,-97.45,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","Report received through social media." +118617,712531,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-29 16:54:00,CST-6,2017-06-29 16:54:00,0,0,0,0,0.00K,0,0.00K,0,42.87,-97.36,42.87,-97.36,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","Social Media report." +117932,708744,KANSAS,2017,June,Thunderstorm Wind,"MCPHERSON",2017-06-15 16:21:00,CST-6,2017-06-15 16:22:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-97.67,38.6,-97.67,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Right near the county line. Golf ball hail was also reported." +118519,712078,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"GRAND TRAVERSE BAY FROM GRAND TRAVERSE LIGHT TO NORWOOD MI",2017-06-12 22:35:00,EST-5,2017-06-12 22:35:00,0,0,0,0,0.00K,0,0.00K,0,44.7769,-85.6352,44.7769,-85.6352,"An organized area of thunderstorms brought strong winds to portions of northern Lake Michigan.","" +112887,675697,KENTUCKY,2017,March,Thunderstorm Wind,"WARREN",2017-03-01 07:40:00,CST-6,2017-03-01 07:40:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-86.25,37.04,-86.25,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","The public reported multiple structures sustained damage due to severe thunderstorm winds." +117937,708839,KANSAS,2017,June,Thunderstorm Wind,"NEOSHO",2017-06-17 21:47:00,CST-6,2017-06-17 21:48:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.49,37.67,-95.49,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","An official measurement." +118618,712547,IOWA,2017,June,Hail,"CLAY",2017-06-29 16:45:00,CST-6,2017-06-29 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-95.19,43.15,-95.19,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712548,IOWA,2017,June,Hail,"SIOUX",2017-06-29 16:50:00,CST-6,2017-06-29 16:50:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-96,43.18,-96,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712549,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 17:00:00,CST-6,2017-06-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-95.95,42.24,-95.95,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +112887,675677,KENTUCKY,2017,March,Thunderstorm Wind,"MERCER",2017-03-01 07:57:00,EST-5,2017-03-01 07:57:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-84.74,37.78,-84.74,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","Trained spotters reported large trees down in the area due to severe thunderstorm winds." +112887,675699,KENTUCKY,2017,March,Thunderstorm Wind,"CASEY",2017-03-01 08:55:00,EST-5,2017-03-01 08:55:00,0,0,0,0,35.00K,35000,0.00K,0,37.3,-84.85,37.3,-84.85,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to central Kentucky during the early morning hours on March 1. In the end, there were 4 tornadoes across central Kentucky. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread rain also brought several rivers into minor flood.","A trained spotter reported power lines down at the intersection of Highway 501 and 1649." +119390,716583,INDIANA,2017,June,Hail,"PORTER",2017-06-13 17:00:00,CST-6,2017-06-13 17:07:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-87.05,41.47,-87.05,"Scattered thunderstorms produced hail and flooding across parts of Northwest Indiana during the afternoon and evening of June 13 into the early morning of June 14th.","Quarter to half dollar size hail was reported in Valparaiso." +119389,717213,ILLINOIS,2017,June,Flash Flood,"IROQUOIS",2017-06-13 19:30:00,CST-6,2017-06-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7129,-87.6881,40.6119,-87.7303,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Heavy rain caused flash flooding across parts of southeast Iroquois County where many roads were flooded. A viaduct just north of Milford was flooded and closed. Storm total rainfall amounts included 3.50 inches in Danforth and 3.30 inches two miles south southwest of Watseka." +119392,716922,ILLINOIS,2017,June,Thunderstorm Wind,"COOK",2017-06-14 14:55:00,CST-6,2017-06-14 14:55:00,0,0,0,0,0.00K,0,0.00K,0,42.0636,-87.7079,42.0636,-87.7079,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Several large trees were blown down around Harrison Street near Ackerman Park, south of Central Street." +119392,717050,ILLINOIS,2017,June,Thunderstorm Wind,"GRUNDY",2017-06-14 15:45:00,CST-6,2017-06-14 15:47:00,0,0,0,0,10.00K,10000,0.00K,0,41.37,-88.42,41.37,-88.42,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A two block area in Morris received widespread tree damage, trees blown down and shingles blown off roofs." +119484,717069,ILLINOIS,2017,June,Thunderstorm Wind,"OGLE",2017-06-17 15:33:00,CST-6,2017-06-17 15:33:00,0,0,0,0,5.00K,5000,0.00K,0,42.1031,-89.1859,42.1031,-89.1859,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Tree damage was reported with power lines blown down in two mobile home parks near Stillman Road. A commercial seed building was damaged and a propane tank was moved." +119484,717078,ILLINOIS,2017,June,Thunderstorm Wind,"FORD",2017-06-17 20:48:00,CST-6,2017-06-17 20:50:00,0,0,0,0,2.00K,2000,0.00K,0,40.4727,-88.3715,40.4653,-88.3716,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Numerous trees and tree limbs were blown down along with some power lines. One tree was blocking the road near Church and 8th Streets. Most of the damage was concentrated between 8th and 14th streets, east of Sangamon Street." +119670,717811,OKLAHOMA,2017,September,Hail,"CIMARRON",2017-09-22 18:24:00,CST-6,2017-09-22 18:24:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-102.06,36.7,-102.06,"A deep positive tilted trough helped to provide a SSW low level jet of 35-45 kts over the western Panhandles. This helped to advect low level moisture into the region. With good CAPE and good shear, individual cells developed along the western Panhandles and moved northward along a surface trough axis. Hail and a damaging wind report was documented in the western Oklahoma Panhandle.","Lots of pea size hail with some nickel size hail mixed in." +121936,729929,OHIO,2017,December,Winter Weather,"HIGHLAND",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Hillsboro measured 1.5 inches of snow." +121936,729930,OHIO,2017,December,Winter Weather,"HOCKING",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage in Lake Logan State Park measured 3 inches of snow, as did the cooperative observer in Laurelville." +121936,729931,OHIO,2017,December,Winter Weather,"LICKING",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The observer north of Granville measured 3 inches of snow." +121936,729932,OHIO,2017,December,Winter Weather,"LOGAN",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage north of Bellefontaine measured 3.5 inches of snow, as did a cooperative observer north of Huntsville." +119693,717909,HAWAII,2017,September,Heavy Rain,"HONOLULU",2017-09-11 15:00:00,HST-10,2017-09-11 16:31:00,0,0,0,0,0.00K,0,0.00K,0,21.5937,-157.9147,21.3249,-157.7966,"With a light wind regime, sea breeze conditions helped generate heavy showers over sections of Oahu, Kauai, and the Big Island. The rainfall produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +119693,717910,HAWAII,2017,September,Heavy Rain,"KAUAI",2017-09-14 13:19:00,HST-10,2017-09-14 16:10:00,0,0,0,0,0.00K,0,0.00K,0,22.0577,-159.3409,21.9246,-159.5448,"With a light wind regime, sea breeze conditions helped generate heavy showers over sections of Oahu, Kauai, and the Big Island. The rainfall produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +121936,729933,OHIO,2017,December,Winter Weather,"MADISON",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southern Ohio late in the day of the 29th. The highest snowfall totals were located along the I-70 corridor and south of Columbus.","The county garage northeast of Lafayette measured 2 inches of snow." +118750,713329,MISSISSIPPI,2017,September,Strong Wind,"LOWNDES",2017-09-01 01:00:00,CST-6,2017-09-01 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region into the early parts of September. This resulted in some downed trees outside of any shower activity.","A tree was blown down on Military Road near the Columbus-Lowndes Public Library." +119454,716934,MISSISSIPPI,2017,September,Thunderstorm Wind,"WEBSTER",2017-09-23 15:58:00,CST-6,2017-09-23 15:58:00,0,0,0,0,10.00K,10000,0.00K,0,33.671,-89.0689,33.671,-89.0689,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","A few one foot diameter pine trees were snapped along Gilbert Hill Road one half mile west of MS Highway 15. One of the fallen trees damaged a utility trailer." +119724,717995,MISSOURI,2017,September,Thunderstorm Wind,"BARTON",2017-09-16 17:25:00,CST-6,2017-09-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-94.28,37.46,-94.28,"An isolated severe storm blew down a tree and some tree limbs.","Pictures from social media indicated a tree blown down at least a foot in diameter south of Lamar." +119724,717996,MISSOURI,2017,September,Thunderstorm Wind,"JASPER",2017-09-16 17:30:00,CST-6,2017-09-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-94.3,37.34,-94.3,"An isolated severe storm blew down a tree and some tree limbs.","Pictures from social media showed tree limbs blown down and broken near Jasper." +119726,717998,MISSOURI,2017,September,Hail,"MILLER",2017-09-04 19:01:00,CST-6,2017-09-04 19:01:00,0,0,0,0,0.00K,0,0.00K,0,38.1,-92.31,38.1,-92.31,"An isolated strong storm produced a report of hail.","" +119727,717999,KANSAS,2017,September,Thunderstorm Wind,"CHEROKEE",2017-09-16 16:45:00,CST-6,2017-09-16 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-94.84,37.17,-94.84,"An isolated severe storm produced a couple reports of wind damage.","There were small tree limbs blown down in Columbus." +119727,718000,KANSAS,2017,September,Thunderstorm Wind,"CHEROKEE",2017-09-16 16:52:00,CST-6,2017-09-16 16:52:00,0,0,0,0,2.00K,2000,0.00K,0,37.31,-94.77,37.31,-94.77,"An isolated severe storm produced a couple reports of wind damage.","There was a couple of trees and some power lines blown down in Weir." +119729,718077,CALIFORNIA,2017,September,Excessive Heat,"E CENTRAL S.J. VALLEY",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from September 1 through September 3." +117945,708979,IOWA,2017,July,Thunderstorm Wind,"MITCHELL",2017-07-19 16:00:00,CST-6,2017-07-19 16:00:00,0,0,0,0,4.00K,4000,0.00K,0,43.34,-92.81,43.34,-92.81,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Power lines were blown down and a tree was snapped off northeast of Mitchell." +118140,713791,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:45:00,CST-6,2017-07-19 17:45:00,0,0,0,0,50.00K,50000,0.00K,0,42.9448,-90.683,42.9448,-90.683,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A cattle barn was blown down southwest of Fennimore." +118140,713800,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 18:02:00,CST-6,2017-07-19 18:02:00,0,0,0,0,50.00K,50000,0.00K,0,42.53,-90.43,42.53,-90.43,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A roof was blown off a commercial building in Hazel Green." +115587,694160,TENNESSEE,2017,May,Thunderstorm Wind,"SMITH",2017-05-27 18:47:00,CST-6,2017-05-27 18:47:00,0,0,0,0,2.00K,2000,0.00K,0,36.3525,-85.8942,36.3525,-85.8942,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated trees were blown down at Defeated Creek Highway and Kempville Highway." +115587,694161,TENNESSEE,2017,May,Thunderstorm Wind,"DEKALB",2017-05-27 18:50:00,CST-6,2017-05-27 18:50:00,0,0,0,0,3.00K,3000,0.00K,0,36.08,-86.03,36.08,-86.03,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several trees and power lines were blown down in Alexandria." +115587,694164,TENNESSEE,2017,May,Thunderstorm Wind,"CLAY",2017-05-27 18:56:00,CST-6,2017-05-27 18:56:00,0,0,0,0,1.00K,1000,0.00K,0,36.4905,-85.5004,36.4905,-85.5004,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down on Wet Mill Creek Road." +115587,694165,TENNESSEE,2017,May,Thunderstorm Wind,"DEKALB",2017-05-27 19:01:00,CST-6,2017-05-27 19:01:00,0,0,0,0,3.00K,3000,0.00K,0,36.0104,-85.8944,36.0104,-85.8944,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Multiple trees were blown down along Highway 264 between Temperance Hall and Smithville." +118028,709632,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"MERRIMACK",2017-06-19 14:40:00,EST-5,2017-06-19 14:45:00,0,0,0,0,0.00K,0,0.00K,0,43.29,-71.47,43.29,-71.47,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees and wires in Loudon." +118028,709633,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CHESHIRE",2017-06-19 14:41:00,EST-5,2017-06-19 14:46:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-72.26,43.05,-72.26,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorms downed a tree on the roadway along with wires on Belvedere Road." +118028,709634,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"MERRIMACK",2017-06-19 14:50:00,EST-5,2017-06-19 14:54:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-71.82,43.18,-71.82,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed large branches on wires in Henniker." +118028,709635,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"MERRIMACK",2017-06-19 15:06:00,EST-5,2017-06-19 15:10:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-71.42,43.34,-71.42,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed large trees in a yard in London." +117914,708610,MINNESOTA,2017,July,Thunderstorm Wind,"DODGE",2017-07-19 15:33:00,CST-6,2017-07-19 15:33:00,0,0,0,0,0.00K,0,0.00K,0,44.04,-93,44.04,-93,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","An estimated 65 mph wind gust occurred just south of Claremont." +117914,708611,MINNESOTA,2017,July,Thunderstorm Wind,"DODGE",2017-07-19 15:35:00,CST-6,2017-07-19 15:35:00,0,0,0,0,30.00K,30000,0.00K,0,44.08,-92.95,44.08,-92.95,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Trees were uprooted and a roof blown off a building northeast of Claremont." +117914,708613,MINNESOTA,2017,July,Thunderstorm Wind,"DODGE",2017-07-19 15:35:00,CST-6,2017-07-19 15:35:00,0,0,0,0,10.00K,10000,0.00K,0,44.07,-92.97,44.07,-92.97,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","A building sustained damage northeast of Claremont." +118416,711626,WISCONSIN,2017,July,Hail,"KENOSHA",2017-07-12 00:39:00,CST-6,2017-07-12 00:39:00,0,0,0,0,,NaN,,NaN,42.55,-88.24,42.55,-88.24,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","" +118416,711645,WISCONSIN,2017,July,Flash Flood,"WAUKESHA",2017-07-12 01:35:00,CST-6,2017-07-12 03:30:00,0,0,0,0,0.00K,0,0.00K,0,43.0606,-88.1955,43.1005,-88.3491,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Roads closed due to flash flooding after a few inches of rain. The main roads that were closed included Redford Blvd. at I-94, the intersection of Redford Blvd. and Watertown Road, Pewaukee Road at I-94. Also in Hartland, the intersections of Lindenwood Ave. and Maple Ave., Maple Ave. and North Shore Dr., and Cottonwood Ave. and Lindenwood Ave." +118416,711646,WISCONSIN,2017,July,Flash Flood,"WAUKESHA",2017-07-12 07:25:00,CST-6,2017-07-12 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.034,-88.2724,42.9735,-88.2837,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Urban flash flooding in Waukesha. Some roads nearly impassable and manhole covers being displaced from rushing water in the storm sewers. Flooding in the City Hall." +118071,709643,NEW HAMPSHIRE,2017,June,Flash Flood,"CHESHIRE",2017-06-19 14:30:00,EST-5,2017-06-19 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.9044,-72.5147,42.9129,-72.5142,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Three to four inches of rain in 3 hours caused washouts and flooding on several roads in Chesterfield. Flooding was reported on Coyote Canyon Road and Streeter Hill Road." +121965,730722,MICHIGAN,2017,December,Lake-Effect Snow,"ALGER",2017-12-15 06:30:00,EST-5,2017-12-16 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the area helped generate moderate to heavy lake enhanced snow across the northwest wind snow belts of Lake Superior from the 14th into the 16th.","Observers in Munising measured between 10 and 12 inches of lake effect snow in 24 hours." +121052,724677,MISSOURI,2017,September,Heat,"ST. LOUIS",2017-09-11 15:30:00,CST-6,2017-09-11 16:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures were near normal with a high of 79 degrees at St. Louis Lambert International Airport.","Temperatures were near normal with highs in the upper 70s. Officially at St. Louis Lambert International Airport, the high was 79 degrees. A mother had accidentally left her 1 year old child in van while at work. Discovered child in back of van after arriving at daycare center to pick him up around 5 pm. He was unresponsive and was pronounced dead a short time later due to the temperature in the vehicle after several hours." +122109,730999,NEW YORK,2017,December,Extreme Cold/Wind Chill,"JEFFERSON",2017-12-28 02:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Arctic air brought frigid temperatures to the north country. Temperatures dropped to 10 to 20 below zero and combined with the wind to produce wind chills colder than 30 below zero. Some specific wind chill readings included -39 degrees at Philadelphia, -34 degrees at Lowville and Highmarket, -32 degrees at Watertown and Copenhagen and -31 degrees at West Carthage.","" +122104,731100,NEW YORK,2017,December,Lake-Effect Snow,"OSWEGO",2017-12-10 05:00:00,EST-5,2017-12-11 03:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122104,731101,NEW YORK,2017,December,Lake-Effect Snow,"JEFFERSON",2017-12-10 05:00:00,EST-5,2017-12-11 03:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122104,731102,NEW YORK,2017,December,Lake-Effect Snow,"LEWIS",2017-12-10 05:00:00,EST-5,2017-12-11 03:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122104,731103,NEW YORK,2017,December,Lake-Effect Snow,"WYOMING",2017-12-10 06:00:00,EST-5,2017-12-11 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122104,731104,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-10 02:00:00,EST-5,2017-12-11 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122104,731105,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-10 02:00:00,EST-5,2017-12-11 00:15:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +115587,694154,TENNESSEE,2017,May,Thunderstorm Wind,"WILSON",2017-05-27 18:31:00,CST-6,2017-05-27 18:31:00,0,0,0,0,1.00K,1000,0.00K,0,36.228,-86.2841,36.228,-86.2841,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Tspotter report indicated a tree was snapped on Tyler Court in Lebanon." +115587,694228,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:47:00,CST-6,2017-05-27 19:47:00,0,0,0,0,1.00K,1000,0.00K,0,35.9565,-84.9919,35.9565,-84.9919,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook report indicated a tree was blown down across Highway 70 East near Dayton Spur Road." +115587,694230,TENNESSEE,2017,May,Thunderstorm Wind,"MAURY",2017-05-27 19:57:00,CST-6,2017-05-27 19:57:00,0,0,0,0,5.00K,5000,0.00K,0,35.62,-87.05,35.62,-87.05,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down across multiple roads in Maury County. Some trees fell on power lines and caused fires." +117856,708337,WISCONSIN,2017,July,Flash Flood,"GRANT",2017-07-12 01:50:00,CST-6,2017-07-12 03:15:00,0,0,0,0,35.00K,35000,5.00K,5000,42.72,-90.99,42.6755,-90.8048,"Slow moving thunderstorms moved into southwest Wisconsin during the evening of July 11th. These storms dumped around five inches of rain over western Grant County. This heavy rain resulted in a rock slide on County Road VV and a washout of another road near Cassville. In Jackson County, a culvert was washed out from a road south of Taylor and other roads were covered by waters from small creeks.","Runoff from heavy rains caused a rockslide to occur along County Road VV and a washout of another road near Cassville." +117858,708344,IOWA,2017,July,Hail,"CLAYTON",2017-07-12 08:48:00,CST-6,2017-07-12 08:48:00,0,0,0,0,8.00K,8000,2.00K,2000,42.74,-91.16,42.74,-91.16,"A second round of thunderstorms in less than 24 hours moved across portions of northeast Iowa on the morning of July 12th. Quarter to golf ball sized hail fell in Volga and Osterdock (Clayton County).","Golf ball sized hail was reported south of Osterdock." +117859,708361,WISCONSIN,2017,July,Hail,"JUNEAU",2017-07-12 18:17:00,CST-6,2017-07-12 18:17:00,0,0,0,0,8.00K,8000,2.00K,2000,44.03,-90.24,44.03,-90.24,"Thunderstorms developed over western Wisconsin during the late afternoon and early evening of July 12th. These storms blew down trees and dropped ping pong ball sized hail northwest of La Farge (Vernon County), produced golf ball sized hail in Cutler (Juneau County) and blew down trees west of Brooks (Adams County).","Golf ball sized hail was reported in Cutler." +117914,714164,MINNESOTA,2017,July,Thunderstorm Wind,"OLMSTED",2017-07-19 16:12:00,CST-6,2017-07-19 16:12:00,0,0,0,0,4.00K,4000,0.00K,0,43.98,-92.23,43.98,-92.23,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Trees were blown down in Eyota. A fire was started next to a home after a tree fell on top of a power line." +118620,712610,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-15 23:50:00,CST-6,2017-07-15 23:50:00,0,0,0,0,,NaN,,NaN,42.564,-88.4134,42.564,-88.4134,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712611,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-15 23:52:00,CST-6,2017-07-15 23:52:00,0,0,0,0,,NaN,,NaN,42.54,-88.35,42.54,-88.35,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118416,712562,WISCONSIN,2017,July,Flood,"KENOSHA",2017-07-12 09:07:00,CST-6,2017-07-24 21:45:00,0,0,0,0,4.00M,4000000,20.00K,20000,42.4943,-88.3054,42.4894,-87.804,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","Three to eight inches of rain fell over Kenosha County from late evening on July 11th through much of the morning of July 12th causing days of areal flooding over portions of the county, including near the Fox River. The Fox River near New Munster had a record crest of 17.47 feet on July 13th. There was widespread flooding adjacent to the river in the Town of Wheatland, the Town of Salem, and the Village of Salem Lakes. Floodwaters are into the lower levels of some homes in those areas...including Shorewood Drive and Riverside Drive in the Village of Salem Lakes. Highway 50 is closed at the Fox River. Many roads were closed or washed-out in and near the Village of Paddock Lake, the Village of Salem Lakes, and in the Town of Somers. The Des Plaines River flooded a residence near the river and highway 50. Three buildings and three vehicles were flooded in 2-3 feet of water." +118656,712857,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"CHESHIRE",2017-07-08 11:51:00,EST-5,2017-07-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-72.12,42.89,-72.12,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees on wires in Chesham." +118656,712858,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-08 11:55:00,EST-5,2017-07-08 11:59:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-71.96,42.96,-71.96,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees and power lines on Forest Road near Route 202 in Hancock." +118638,713117,IOWA,2017,July,Heavy Rain,"CLAYTON",2017-07-21 07:05:00,CST-6,2017-07-22 01:45:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-91.52,42.81,-91.52,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Near Volga, 5.15 inches of rain fell." +117945,709939,IOWA,2017,July,Thunderstorm Wind,"ALLAMAKEE",2017-07-19 17:14:00,CST-6,2017-07-19 17:14:00,0,0,0,0,20.00K,20000,10.00K,10000,43.22,-91.45,43.22,-91.45,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","A tree was blown down onto a house, an outbuilding was damaged and corn was blown down south of Waukon." +117945,714287,IOWA,2017,July,Thunderstorm Wind,"CLAYTON",2017-07-19 17:14:00,CST-6,2017-07-19 17:14:00,0,0,0,0,50.00K,50000,0.00K,0,43.0903,-91.1958,43.0903,-91.1958,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Hundreds of trees were blown down in Pikes Peak State Park and Effigy Mounds National Monument near Marquette. Some of the trees fell on vehicles in the two parks." +118672,712917,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"STRAFFORD",2017-07-20 15:00:00,EST-5,2017-07-20 15:05:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-70.87,43.2,-70.87,"Good upper-level divergence associated with a jet streak ahead of an approaching shortwave combined with low-level instability to produce showers and thunderstorms on the afternoon of the 20th. Several reports of wind damage were reported with these storms.","A severe thunderstorm downed trees on Route 9 in Dover." +119125,720512,FLORIDA,2017,September,Flash Flood,"ST. JOHNS",2017-09-11 13:58:00,EST-5,2017-09-11 13:58:00,0,0,0,0,0.00K,0,0.00K,0,30.058,-81.6689,30.0511,-81.668,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Multiple swift water rescues were conducted by law enforcement due to river flooding." +119730,720422,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 18:08:00,PST-8,2017-09-03 18:08:00,0,0,0,0,10.00K,10000,0.00K,0,35.4,-119.69,35.4,-119.69,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported downed power lines from thunderstorm wind gusts across the roadway on Lost Hills Rd. near Lokern Rd. 1NW McKittrick." +119157,715665,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 16:50:00,EST-5,2017-07-01 21:00:00,0,0,0,0,60.00K,60000,0.00K,0,43.65,-72.25,43.6611,-72.2572,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Two to three inches of rain fell in a short period of time in Lebanon producing stream flooding and road washouts." +119157,715666,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 16:50:00,EST-5,2017-07-01 21:00:00,0,0,0,0,6.00M,6000000,0.00K,0,43.8208,-72.1534,43.8216,-72.1301,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Two to three inches of rain fell in a short period of time in Lyme causing stream flooding and road washouts." +119157,715667,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 19:30:00,EST-5,2017-07-01 21:00:00,0,0,0,0,100.00K,100000,0.00K,0,43.82,-71.8,43.7941,-71.7918,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Rumney resulting in roads washouts." +118638,713110,IOWA,2017,July,Flash Flood,"CHICKASAW",2017-07-22 00:51:00,CST-6,2017-07-22 09:15:00,0,0,0,0,350.00K,350000,5.70M,5700000,43.1082,-92.5532,42.9094,-92.5532,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Heavy rains of 4 to 8 inches caused flash flooding to occur across the southern sections of Chickasaw County. Flood waters from two small creeks covered U.S. Highway 18 west of Fredericksburg. The flood waters prompted sandbagging to be done in New Hampton. Numerous roads across the county sustained damage during the flooding." +118638,713116,IOWA,2017,July,Flash Flood,"FAYETTE",2017-07-22 06:40:00,CST-6,2017-07-22 09:15:00,0,0,0,0,1.00M,1000000,8.60M,8600000,43.0469,-92.0798,42.6471,-92.0798,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","After heavy rains dropped 4 to 8 inches of rain, flash flooding occurred across the southern sections of Fayette County. East of Wadena, the bridge over the Volga River on Acorn Road failed. Otter Creek went out if its banks in Oelwein." +118137,713525,OHIO,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-07 06:20:00,EST-5,2017-07-07 06:20:00,0,0,0,0,12.00K,12000,0.00K,0,40.8,-82.98,40.8,-82.98,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a few trees and power lines." +118860,714108,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:52:00,CST-6,2017-07-11 18:52:00,0,0,0,0,,NaN,,NaN,44.89,-97.14,44.89,-97.14,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118682,712975,TEXAS,2017,July,Thunderstorm Wind,"HEMPHILL",2017-07-03 17:45:00,CST-6,2017-07-03 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-100.46,35.97,-100.46,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Large tree branches down due to winds from thunderstorm." +118362,713068,OKLAHOMA,2017,July,Flash Flood,"TULSA",2017-07-02 16:40:00,CST-6,2017-07-02 19:15:00,0,0,0,0,0.00K,0,0.00K,0,36.0779,-95.9627,36.0621,-95.9622,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Portions of S Lewis Avenue were flooded between E 61st Street and E 71st Street. A car was driven into the water, where it stalled." +118479,711915,MICHIGAN,2017,September,Lightning,"MONROE",2017-09-04 17:30:00,EST-5,2017-09-04 17:30:00,0,0,0,0,12.00K,12000,0.00K,0,41.9327,-83.633,41.9327,-83.633,"A strong cold front moved through southeast Michigan during the late afternoon hours, producing several reports of large hail.","Lightning struck a barn full of hay, causing a fire which engulfed the structure." +120419,721365,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-09-04 18:18:00,EST-5,2017-09-04 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-83.47,41.7,-83.47,"A thunderstorm moving through Lake Erie produced a 42 knot thunderstorm wind gust.","" +120420,721366,LAKE ST CLAIR,2017,September,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-09-04 17:20:00,EST-5,2017-09-04 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-82.8,42.57,-82.8,"A thunderstorm moving into Lake St. Clair produced a 57 mph wind gust.","" +119769,718269,KANSAS,2017,September,Thunderstorm Wind,"SEDGWICK",2017-09-25 12:45:00,CST-6,2017-09-25 12:47:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.4,37.69,-97.4,"On the afternoon of the 25th, a severe thunderstorm produced 60-70 mph winds in Sedgwick County, more specifically Clearwater and 3 miles west of downtown Wichita where tree damage resulted.","A 4-inch diameter limb was blown down." +119769,718270,KANSAS,2017,September,Thunderstorm Wind,"SEDGWICK",2017-09-25 12:32:00,CST-6,2017-09-25 12:34:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-97.5,37.51,-97.5,"On the afternoon of the 25th, a severe thunderstorm produced 60-70 mph winds in Sedgwick County, more specifically Clearwater and 3 miles west of downtown Wichita where tree damage resulted.","The gust was measured by an in-house weather station." +119769,718271,KANSAS,2017,September,Thunderstorm Wind,"SEDGWICK",2017-09-25 12:45:00,CST-6,2017-09-25 12:46:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.4,37.69,-97.4,"On the afternoon of the 25th, a severe thunderstorm produced 60-70 mph winds in Sedgwick County, more specifically Clearwater and 3 miles west of downtown Wichita where tree damage resulted.","No damage was reported." +119772,718276,KANSAS,2017,September,Flood,"RENO",2017-09-25 18:26:00,CST-6,2017-09-26 09:53:00,0,0,0,0,0.00K,0,0.00K,0,37.9562,-98.3776,37.9589,-98.3861,"On the evening of the 25th, a few thunderstorms produced locally torrential rains in Reno and Kingman Counties. In extreme Southwest Kingman County, 5.10 inches were measured 3 miles north of Nashville. The only flooding that was reported occurred in far Western Reno County, but it's likely that flooding also occurred in Western Kingman County as well.","Olcott Rd. was closed between Red Rock and Longview Rds due to high water." +120553,722211,KANSAS,2017,September,Thunderstorm Wind,"LINCOLN",2017-09-18 16:15:00,CST-6,2017-09-18 16:17:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-97.98,39.06,-97.98,"A high wind report was reported as the storm moved across the county.","Estimated wind gust ranged between 50 and 60 mph." +119662,717774,MONTANA,2017,September,Drought,"DANIELS",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Daniels County began the month in exceptional drought (D4) conditions and remained in that status throughout the month. The area received approximately one half of an inch to one and a half inches of rainfall, which is up to approximately one half of an inch above normal." +119481,717032,OREGON,2017,September,Wildfire,"EAST SLOPES OF THE OREGON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-03 16:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fire was located east of US Highway 97, about 5 miles northeast of La Pine in Deschutes county. This fire continued to burn from August into early September when full containment was achieved.","McKay 1035NE fire reached 100 percent containment on September 3rd. Total acres burned was around 1221." +119482,717036,OREGON,2017,September,Wildfire,"EAST SLOPES OF THE OREGON CASCADES",2017-09-02 23:00:00,PST-8,2017-09-19 13:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Rim fire occurred in the section of the Mt Hood National Forest in Wasco county. The fire burned during early and mid September.","Inciweb." +119780,718284,OREGON,2017,September,Wildfire,"OCHOCO-JOHN DAY HIGHLANDS",2017-09-09 10:45:00,PST-8,2017-09-27 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This fire was a holdover from lightning earlier in the week, and wasn���t discovered sooner due to heavy smoke across Central Oregon.","Inciweb." +119782,718286,WASHINGTON,2017,September,Wildfire,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-29 05:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thirteen fires were ignited by lightning on August 11th, in the vicinity of the William O. Douglas and Norse Peak Wilderness Areas on the Naches Ranger District of the Okanogan-Wenatchee National Forest. The fires were burning in steep rocky terrain, with difficult access. Two of the fires reached significant size : the Norse Peak Fire (north of State Route (SR410 near Union Creek) and the American Fire (between SR410 and Bumping Lake). These fires were zoned and managed collectively as ���Norse Peak.��� Resources were shared between the fires. This fire continued to burn into late September.","Inciweb." +120636,722605,NORTH CAROLINA,2017,September,Flash Flood,"WAKE",2017-09-01 17:35:00,EST-5,2017-09-01 18:15:00,0,0,0,0,0.00K,0,0.00K,0,35.9719,-78.5516,35.9425,-78.5543,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Heavy rain resulted in flash flooding on the US-1 Southbound ramp from NC-98." +120636,722608,NORTH CAROLINA,2017,September,Flash Flood,"CUMBERLAND",2017-09-01 19:20:00,EST-5,2017-09-01 21:25:00,0,0,0,0,0.00K,0,0.00K,0,35.0621,-79.0078,35.0258,-79.0006,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Heavy rain resulted in flash flooding of multiple roads near Raeford Road and Skibo Road on the west side of Fayetteville." +120636,722610,NORTH CAROLINA,2017,September,Hail,"LEE",2017-09-01 15:20:00,EST-5,2017-09-01 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-79.18,35.47,-79.18,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","" +118207,710356,WISCONSIN,2017,July,Flash Flood,"TREMPEALEAU",2017-07-19 23:31:00,CST-6,2017-07-20 06:30:00,0,0,0,0,2.65M,2650000,2.40M,2400000,44.4255,-91.5331,44.245,-91.5266,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains, with totals of 6 to 8 inches, produced flash flooding across the southern sections of Trempealeau County. Arcadia was hit the hardest by the flash flooding. Water rescues had to be performed and all roads in and out of the city were closed due to flood waters. Oak Street was washed out and the water flooded dozens of homes and businesses. One manufacturing plant was destroyed by the flooding and a basement wall of one home collapsed. The manufacturing company lost over $1.5 million because of lost production. State Highway 95 was closed between Arcadia and the Jackson County line because of flooding along Turton and Lakes Coulee Creeks and the Trempealeau River. In Galesville, business along Tamarack Creek were inundated by flood water, including the fire station. The swing bridge over the creek was washed away. Numerous roads were covered by 1 to 2 feet of water including portions of U.S. Highway 53, State Highway 93 and County Roads D and T. At least 15 roads across the county were closed because of the flooding." +117453,708339,IOWA,2017,June,Hail,"WARREN",2017-06-28 16:40:00,CST-6,2017-06-28 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.3753,-93.5589,41.3753,-93.5589,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","" +117779,708106,MINNESOTA,2017,August,Tornado,"NICOLLET",2017-08-16 15:46:00,CST-6,2017-08-16 15:52:00,0,0,0,0,0.00K,0,0.00K,0,44.2279,-94.1762,44.2782,-94.2106,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A tornado developed south of Nicollet and moved north-northwest. It caused mainly tree damage, but did hit a farmstead and damaged a garage and grove of trees. Placement of tornado track was based on high-res satellite imagery." +114396,686093,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:34:00,CST-6,2017-03-06 19:38:00,0,0,0,0,,NaN,,NaN,38.98,-94.72,38.98,-94.72,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +118207,712553,WISCONSIN,2017,July,Flood,"TREMPEALEAU",2017-07-20 06:30:00,CST-6,2017-07-21 06:30:00,0,0,0,0,1.56M,1560000,947.00K,947000,44.4255,-91.5331,44.245,-91.5266,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial flash flooding across Trempealeau County, the flood waters continued to cause problems through July 20th into the 21st. Flooding along the Little Tamarack Creek caused evacuations to occur in Galesville and flooded the fire department building. Homes in Galesville and Blair were reported to have 5 to 6 feet of water in some basements. Two homes were destroyed, 12 sustained major damage and 52 suffered minor damage during the flooding." +114396,686104,KANSAS,2017,March,Hail,"WYANDOTTE",2017-03-06 19:46:00,CST-6,2017-03-06 19:50:00,0,0,0,0,,NaN,,NaN,39.09,-94.65,39.09,-94.65,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114396,686105,KANSAS,2017,March,Hail,"WYANDOTTE",2017-03-06 19:46:00,CST-6,2017-03-06 19:50:00,0,0,0,0,,NaN,,NaN,39.06,-94.76,39.06,-94.76,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +120213,720265,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:25:00,MST-7,2017-06-12 14:28:00,0,0,0,0,0.00K,0,0.00K,0,42.0066,-104.95,42.0066,-104.95,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Grapefruit size hail was observed three miles south of Wheatland." +120213,720266,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:30:00,MST-7,2017-06-12 14:33:00,0,0,0,0,0.00K,0,0.00K,0,41.9834,-104.85,41.9834,-104.85,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Grapefruit size hail was observed three miles north of Bordeaux." +115732,695509,VIRGINIA,2017,April,Hail,"HENRY",2017-04-22 13:49:00,EST-5,2017-04-22 13:49:00,0,0,0,0,,NaN,,NaN,36.73,-79.92,36.73,-79.92,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Hail ranging from dime to quarter sized fell in Collinsville." +115732,695514,VIRGINIA,2017,April,Hail,"CAMPBELL",2017-04-22 13:59:00,EST-5,2017-04-22 13:59:00,0,0,0,0,,NaN,,NaN,37.17,-79.08,37.17,-79.08,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","" +115732,695522,VIRGINIA,2017,April,Hail,"CHARLOTTE",2017-04-22 14:04:00,EST-5,2017-04-22 14:04:00,0,0,0,0,,NaN,,NaN,36.96,-78.78,36.96,-78.78,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","" +115732,695523,VIRGINIA,2017,April,Hail,"PITTSYLVANIA",2017-04-22 14:10:00,EST-5,2017-04-22 14:10:00,0,0,0,0,,NaN,,NaN,36.7702,-79.6428,36.7702,-79.6428,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Quarter sized hail fell on Stillmeadow Road." +114521,687041,NORTH CAROLINA,2017,April,Flood,"ROCKINGHAM",2017-04-25 01:48:00,EST-5,2017-04-25 13:48:00,0,0,0,0,0.00K,0,0.00K,0,36.3995,-79.6602,36.3991,-79.6583,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Wolf Island Road near Reidsville was closed due to flooding, possibly from Wolf Island Creek." +114521,687042,NORTH CAROLINA,2017,April,Flood,"ROCKINGHAM",2017-04-25 05:41:00,EST-5,2017-04-25 17:41:00,0,0,0,0,0.00K,0,0.00K,0,36.5412,-79.6049,36.5415,-79.6051,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Berry Hill Road bridge (SR 1761) was closed due to flooding from the Dan River. The Dan River USGS gage at Wentworth (WENN7) crested at 23.14 feet (24200 cfs), the highest level since September 2004. Minor Flood stage is 19 feet. According to the latest USGS studies this represents approximately a 5-year return frequency flood or 0.2 annual exceedance probability." +118207,714587,WISCONSIN,2017,July,Flood,"CRAWFORD",2017-07-20 11:45:00,CST-6,2017-07-26 09:25:00,0,0,0,0,0.00K,0,0.00K,0,43.3195,-90.8497,43.3225,-90.8457,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Gays Mills. The river crested just over five feet above the flood stage at 18.08 feet." +114465,686710,VIRGINIA,2017,April,Flood,"GRAYSON",2017-04-24 03:42:00,EST-5,2017-04-24 15:42:00,0,0,0,0,0.00K,0,0.00K,0,36.7274,-80.9914,36.7269,-80.9922,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Eagle Bottom Road in Fries was reported closed due to high water, possibly from Eagle Bottom Creek. Several days of persistent rain preceded the flooding." +118601,717106,INDIANA,2017,July,Thunderstorm Wind,"VIGO",2017-07-12 17:55:00,EST-5,2017-07-12 17:55:00,0,0,0,0,1.50K,1500,0.00K,0,39.5498,-87.3677,39.5498,-87.3677,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. One particular storm during this timeframe brought damaging thunderstorm wind to Vigo County.","Damaging thunderstorm wind gusts blew down two 3 to 4 inch diameter trees, a flag pole, and a section of a wood fence. This was accompanied by 2.50 inches of rain in 30 minutes. Winds were blowing strongly for about 20 minutes. Winds were estimated at 50 to 60 mph." +119159,715762,PUERTO RICO,2017,July,Flash Flood,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.219,-65.7861,18.2178,-65.785,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Road PR-31 across from Rio Blanco Bakery was reported impassable." +113490,679374,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:15:00,EST-5,2017-03-08 14:15:00,0,0,0,0,,NaN,,NaN,42.4999,-73.8922,42.4999,-73.8922,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down in Coeymans Hollow due to thunderstorm winds." +113490,679375,NEW YORK,2017,March,Thunderstorm Wind,"SARATOGA",2017-03-08 14:18:00,EST-5,2017-03-08 14:18:00,0,0,0,0,,NaN,,NaN,43.2618,-73.5989,43.2618,-73.5989,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree was reported down 1 mile southwest of Fort Edward due to thunderstorm winds." +112399,670132,SOUTH CAROLINA,2017,January,Tornado,"BARNWELL",2017-01-21 15:47:00,EST-5,2017-01-21 15:56:00,1,0,0,0,,NaN,,NaN,33.3089,-81.3711,33.3491,-81.2174,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","The tornado initially touched down just west of Monarch Road in Barnwell County about 4.5 miles north of the town of Barnwell. It tracked to the ENE through Barnwell State Park, then across Highway 3, and Bufords Branch Road, just south of Blackville, then continued to the ENE and moved out of Barnwell County and into Bamberg County near US Hwy 78. Most of the damage observed along the path was rated EF0 or EF1, but the tornado did briefly strengthen into a weak EF2 as it crossed|through Barnwell State Park. Hundreds of hardwood and softwood trees were either snapped at the trunk or uprooted. Numerous trees fell on homes resulting in roof damage. Several structures were either heavily damaged or destroyed. The greatest structural damage occurred to a single wide mobile home along Highway 3 just SW of Blackville which rolled several times and had the floors separated from the undercarriage. The female resident of this home was trapped and sustained injuries. Other structures suffered extensive roof damage, including several chicken houses." +117598,707215,CALIFORNIA,2017,July,Flash Flood,"INYO",2017-07-10 16:45:00,PST-8,2017-07-10 18:30:00,0,0,0,0,3.00K,3000,0.00K,0,36.3478,-116.8485,36.0051,-116.7968,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Flash flooding closed Emigrant Canyon Road and West Side Road in Death Valley. The Amargosa River also flowed over the south end of West Side Road." +117599,707226,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-06 16:42:00,PST-8,2017-07-06 19:16:00,0,0,0,0,0.00K,0,0.00K,0,36.5857,-115.6901,36.5857,-115.6901,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","Three separate thunderstorm wind gusts, all from different directions, occurred at the Indian Springs (KINS) ASOS. The first was 66 mph at 1642 PST, the second was 60 mph at 1846 PST, and the third was 60 mph at 1916 PST." +118034,709567,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-24 14:57:00,PST-8,2017-07-24 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,34.1373,-114.6621,34.1309,-114.653,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Portions of Highway 62 were washed out." +118034,709568,CALIFORNIA,2017,July,Flash Flood,"INYO",2017-07-24 15:00:00,PST-8,2017-07-24 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.9705,-115.9787,35.9778,-115.9737,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Debris flowed over Old Spanish Trail Highway." +119606,717548,ILLINOIS,2017,July,Thunderstorm Wind,"LEE",2017-07-19 19:30:00,CST-6,2017-07-19 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.8746,-89.2071,41.8746,-89.2071,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","A 6 inch diameter Willow tree limb was broken off towards the top of the tree near Quarry and Stone Roads." +119606,717549,ILLINOIS,2017,July,Heavy Rain,"LEE",2017-07-19 19:25:00,CST-6,2017-07-19 19:35:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-89.22,41.87,-89.22,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Rainfall of 0.99 inches was measured in 10 minutes." +119606,717550,ILLINOIS,2017,July,Thunderstorm Wind,"OGLE",2017-07-19 19:35:00,CST-6,2017-07-19 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,42.1,-89,42.1,-89,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Multiple power lines were blown down in northeast Ogle County." +119606,717552,ILLINOIS,2017,July,Thunderstorm Wind,"DE KALB",2017-07-19 19:49:00,CST-6,2017-07-19 19:56:00,0,0,0,0,0.00K,0,0.00K,0,41.8721,-88.75,41.8721,-88.75,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Wind gusts were estimated between 60 mph and 70 mph for several minutes." +119606,717554,ILLINOIS,2017,July,Thunderstorm Wind,"DE KALB",2017-07-19 19:49:00,CST-6,2017-07-19 19:51:00,0,0,0,0,1.00K,1000,0.00K,0,41.9307,-88.7793,41.9315,-88.7211,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Trees and power lines were blown down in De Kalb. A tree was blown down on a house on North 12th Street." +119606,717555,ILLINOIS,2017,July,Thunderstorm Wind,"MCHENRY",2017-07-19 19:56:00,CST-6,2017-07-19 19:56:00,0,0,0,0,0.00K,0,0.00K,0,42.1535,-88.6473,42.1535,-88.6473,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","A large tree was blown down on Route 23 south of Marengo." +119606,717556,ILLINOIS,2017,July,Flood,"DE KALB",2017-07-19 19:55:00,CST-6,2017-07-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9574,-88.7798,41.8913,-88.7798,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Minor street flooding was reported in De Kalb including 3 to 4 inches of water near Hillcrest and Normal and 2 inches near Franklin and 1st Street. Storm total rainfall of 2.10 inches was reported in De Kalb." +117470,707665,ARKANSAS,2017,June,Flash Flood,"WHITE",2017-06-22 18:44:00,CST-6,2017-06-22 20:44:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-91.88,35.0661,-91.8794,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Water was cover Campground Road just east of Beebe." +117476,706510,NEW MEXICO,2017,August,Thunderstorm Wind,"GUADALUPE",2017-08-06 17:15:00,MST-7,2017-08-06 17:16:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-104.64,34.94,-104.64,"A cluster of showers and thunderstorms that developed along the southern reaches of the Sangre de Cristo Mountains moved slowly southeast across San Miguel and Guadalupe counties during the late afternoon hours. This storm dumped several inches of small hail that drifted nearly a foot deep south of Las Vegas along with just over two inches of rainfall. The storm then moved across Interstate 40 and produced a 59 mph wind gust at Santa Rosa. Other storms across eastern New Mexico also produced heavy rainfall with minor flooding.","Peak wind gust up to 59 mph at Santa Rosa." +119753,723473,TEXAS,2017,August,Tropical Storm,"FORT BEND",2017-08-26 00:00:00,CST-6,2017-08-30 00:00:00,0,0,3,0,8.00B,8000000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th then slowed and looped back tracking over SE Texas, back over the Gulf of Mexico then making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. Harvey produced numerous tornadoes and severe flooding over portions of Fort Bend County." +120347,721381,GEORGIA,2017,September,Tropical Storm,"CRISP",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Crisp County Emergency Manager reported numerous trees and power lines blown down across the county. The roof was blown off of a commercial building in Cordele. Much of the county was without electricity for varying periods of time. A wind gust of 53 mph was measured just east of Cordele. No injuries were reported." +114445,686357,NEW YORK,2017,March,Blizzard,"EASTERN GREENE",2017-03-14 01:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686358,NEW YORK,2017,March,Blizzard,"WESTERN COLUMBIA",2017-03-14 01:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686360,NEW YORK,2017,March,Blizzard,"EASTERN COLUMBIA",2017-03-14 01:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686361,NEW YORK,2017,March,Blizzard,"WESTERN ULSTER",2017-03-14 00:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686363,NEW YORK,2017,March,Blizzard,"EASTERN ULSTER",2017-03-14 00:30:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +118600,715953,INDIANA,2017,July,Thunderstorm Wind,"MARION",2017-07-11 11:41:00,EST-5,2017-07-11 11:41:00,0,0,0,0,1.00K,1000,0.00K,0,39.9126,-86.1841,39.9126,-86.1841,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","An 8 to 10 inch tree limb was downed on Ditch Road near 86th Street due to damaging thunderstorm wind gusts. One lane of traffic was blocked. Another tree limb was down at Springmill Road and 91st Street." +118600,715933,INDIANA,2017,July,Thunderstorm Wind,"BOONE",2017-07-11 11:36:00,EST-5,2017-07-11 11:36:00,0,0,0,0,0.80K,800,,NaN,39.9834,-86.2923,39.9834,-86.2923,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Large tree limbs were down in north Zionsville due to damaging thunderstorm wind gusts. This report was received via Twitter." +118600,715956,INDIANA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-11 11:45:00,EST-5,2017-07-11 11:45:00,0,0,0,0,35.00K,35000,0.00K,0,39.97,-86.11,39.97,-86.11,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Multiple reports of trees being downed across Carmel due to damaging thunderstorm wind gusts. There were several reports of trees and large tree limbs on houses." +115588,694133,TENNESSEE,2017,May,Lightning,"GILES",2017-05-28 02:25:00,CST-6,2017-05-28 02:25:00,0,0,0,0,200.00K,200000,0.00K,0,35.3352,-87.209,35.3352,-87.209,"Scattered thunderstorms affected Middle Tennessee during the early morning hours on May 28. One business in Giles County was struck by lightning and destroyed by the ensuing fire.","A business on Liberty Hill Loop was struck by lightning and destroyed in the ensuing fire. A nearby home was also damaged." +118028,709637,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"BELKNAP",2017-06-19 15:35:00,EST-5,2017-06-19 15:40:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-71.22,43.45,-71.22,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed power lines in Alton." +120213,721639,WYOMING,2017,June,Tornado,"GOSHEN",2017-06-12 14:55:00,MST-7,2017-06-12 15:07:00,0,0,0,0,,NaN,,NaN,42.1006,-104.6379,42.3752,-104.3755,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Emergency management, an off-duty NWS employee, and storm chasers observed a series of tornado touchdowns in rural western Goshen County. The tornado path was discontinuous with no damage from which the NWS could assign an EF-scale rating." +120213,721617,WYOMING,2017,June,Tornado,"LARAMIE",2017-06-12 15:40:00,MST-7,2017-06-12 15:44:00,0,0,0,0,,NaN,,NaN,41.3045,-104.6858,41.3446,-104.6818,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A brief tornado touchdown occurred 11 miles northeast of Cheyenne approximately 1.25 miles southeast of the intersection of Highway 85 and CR 222. This tornado moved north causing damage to irrigation center pivot, windows, roof, and outbuildings of one rural residence (DI 4, DOD 4). The tornado moved across US Highway 85 and lifted approximately 1.75 miles northeast of the intersection of Highway 85 and CR 222." +117106,704538,TENNESSEE,2017,May,Thunderstorm Wind,"UNICOI",2017-05-27 23:22:00,EST-5,2017-05-27 23:22:00,0,0,0,0,,NaN,,NaN,36.03,-82.55,36.03,-82.55,"Widespread convective event developed across the entire region ahead of an outflow boundary that shifted southeast out of the Ohio Valley. An unstable air mass and more than sufficient wind shear helped the storms strengthen generating damaging winds.","A few trees were reported down across the Sam's Gap area." +115591,710488,KANSAS,2017,June,Thunderstorm Wind,"SHAWNEE",2017-06-16 23:52:00,CST-6,2017-06-16 23:53:00,0,0,0,0,,NaN,,NaN,39.02,-95.8,39.02,-95.8,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Wind gusts estimated 60 to 70 MPH." +120443,721622,NEBRASKA,2017,June,Tornado,"BANNER",2017-06-12 17:30:00,MST-7,2017-06-12 17:40:00,0,0,0,0,25.00K,25000,,NaN,41.4869,-103.64,41.5425,-103.608,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A short-lived tornado touched down east of Highway 71 southeast of Harrisburg, NE. A calving barn was moved about 10 yards from its original location. One horse was killed with several other horses injured. Several power poles were broken. A grain bin was pushed off its foundation, landing east into grove of trees. Pole barn rolled with only a few walls left standing (DI 1, DOD 7)." +115586,694486,TENNESSEE,2017,May,Tornado,"SMITH",2017-05-24 10:36:00,CST-6,2017-05-24 10:39:00,0,0,0,0,50.00K,50000,0.00K,0,36.28,-86.12,36.31,-86.1,"An upper level low pressure system moved across Middle Tennessee during the day on May 24 bringing numerous showers and thunderstorms to the area. A few storms became severe with one EF-0 tornado in Smith County, a gustnado in Davidson County, and a funnel cloud in Lawrence County.","A weak EF-0 Tornado touched down in far western Smith County just east of the Wilson/Smith County line on Mitchell Lane. Damage was mostly confined to dozens of trees snapped or uprooted along the 2 mile path. Two barns were also uplifted and destroyed off of Hiwassee Road in western Smith County." +115846,696527,NORTH CAROLINA,2017,April,Lightning,"RUTHERFORD",2017-04-06 00:00:00,EST-5,2017-04-06 00:00:00,0,0,0,0,75.00K,75000,0.00K,0,35.329,-81.759,35.329,-81.759,"A line of thunderstorms moved into western North Carolina during the early part of the overnight, in advance of a strong storm system and attendant cold front. A few cells within the line briefly reached severe levels across the foothills, producing hail up to the size of half dollars.","Newspaper reported lightning struck a home in Ellenboro, igniting a fire that caused significant damage." +120213,720292,WYOMING,2017,June,Funnel Cloud,"GOSHEN",2017-06-12 15:57:00,MST-7,2017-06-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2336,-104.2977,42.2336,-104.2977,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A funnel cloud was observed seven miles north-northeast of Lingle." +118594,712452,NORTH DAKOTA,2017,September,Tornado,"NELSON",2017-09-01 16:30:00,CST-6,2017-09-01 16:31:00,0,0,0,0,,NaN,,NaN,47.92,-98.42,47.9199,-98.4186,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","A brief tornado touchdown with water swirl was noted over the north end of Stump Lake. As the tornado lifted, the funnel continued to track to the east. Peak winds were estimated at 70 mph." +118594,712454,NORTH DAKOTA,2017,September,Hail,"NELSON",2017-09-01 16:59:00,CST-6,2017-09-01 16:59:00,0,0,0,0,,NaN,,NaN,47.83,-98.22,47.83,-98.22,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Heavy rain was reported with a few dime to quarter sized hail." +118594,712453,NORTH DAKOTA,2017,September,Tornado,"NELSON",2017-09-01 16:38:00,CST-6,2017-09-01 16:54:00,0,0,0,0,,NaN,,NaN,47.91,-98.35,47.907,-98.22,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","This tornado touched down just east of Stump Lake and tracked to the east. Photos showed a persistent rope tornado with intermittent dust swirls. Peak winds were estimated at 80 mph." +118594,712455,NORTH DAKOTA,2017,September,Hail,"NELSON",2017-09-01 17:25:00,CST-6,2017-09-01 17:25:00,0,0,0,0,,NaN,,NaN,47.74,-98.1,47.74,-98.1,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","A few half dollar sized hailstones fell just north of highway 15, in northwest Lee Township." +118594,712456,NORTH DAKOTA,2017,September,Hail,"GRIGGS",2017-09-01 17:56:00,CST-6,2017-09-01 17:56:00,0,0,0,0,,NaN,,NaN,47.6,-98.01,47.6,-98.01,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","Occasional nickel to ping pong ball sized hail fell in very heavy rain across southeast Lenora Township." +118594,712464,NORTH DAKOTA,2017,September,Funnel Cloud,"STEELE",2017-09-01 19:01:00,CST-6,2017-09-01 19:01:00,0,0,0,0,0.00K,0,0.00K,0,47.3,-97.75,47.3,-97.75,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","A persistent wall cloud with a brief funnel cloud were observed. The wall cloud was nearly rain wrapped." +118594,712465,NORTH DAKOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-01 19:15:00,CST-6,2017-09-01 19:15:00,0,0,0,0,,NaN,,NaN,47.24,-97.69,47.24,-97.69,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","A few large tree branches were blown down in shelterbelts. Corn and bean fields were flattened in spots across northwest Rochester and northeast Ellsbury townships." +118599,712467,MINNESOTA,2017,September,Hail,"HUBBARD",2017-09-04 11:10:00,CST-6,2017-09-04 11:10:00,0,0,0,0,,NaN,,NaN,46.99,-94.96,46.99,-94.96,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","The hail fell at the Vegabond village campground." +118599,712468,MINNESOTA,2017,September,Hail,"HUBBARD",2017-09-04 11:20:00,CST-6,2017-09-04 11:20:00,0,0,0,0,,NaN,,NaN,46.92,-94.89,46.92,-94.89,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","The hail fell at Big Stony Lake." +118599,712469,MINNESOTA,2017,September,Hail,"HUBBARD",2017-09-04 11:20:00,CST-6,2017-09-04 11:20:00,0,0,0,0,,NaN,,NaN,46.96,-94.95,46.96,-94.95,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","" +118599,712470,MINNESOTA,2017,September,Hail,"MARSHALL",2017-09-04 11:45:00,CST-6,2017-09-04 11:45:00,0,0,0,0,,NaN,,NaN,48.49,-95.93,48.49,-95.93,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","The hail fell on the north side of Thief Lake." +118599,712471,MINNESOTA,2017,September,Hail,"POLK",2017-09-04 11:47:00,CST-6,2017-09-04 11:47:00,0,0,0,0,,NaN,,NaN,47.77,-96.56,47.77,-96.56,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","Dime to nickel sized hail was reported." +118599,712472,MINNESOTA,2017,September,Hail,"OTTER TAIL",2017-09-04 12:04:00,CST-6,2017-09-04 12:04:00,0,0,0,0,,NaN,,NaN,46.35,-95.72,46.35,-95.72,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","The hail fell just off highway 78." +119227,715982,NORTH DAKOTA,2017,September,Hail,"BENSON",2017-09-19 17:55:00,CST-6,2017-09-19 17:55:00,0,0,0,0,,NaN,,NaN,48.06,-99.76,48.06,-99.76,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","" +119227,715983,NORTH DAKOTA,2017,September,Hail,"SARGENT",2017-09-19 20:07:00,CST-6,2017-09-19 20:07:00,0,0,0,0,,NaN,,NaN,46.2,-97.55,46.2,-97.55,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","" +119227,715985,NORTH DAKOTA,2017,September,Thunderstorm Wind,"RICHLAND",2017-09-19 20:45:00,CST-6,2017-09-19 20:45:00,0,0,0,0,,NaN,,NaN,46.27,-97,46.27,-97,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","A few four to six inch diameter tree branches were blown down around town." +119240,716027,MINNESOTA,2017,September,Hail,"BECKER",2017-09-14 19:28:00,CST-6,2017-09-14 19:28:00,0,0,0,0,,NaN,,NaN,46.98,-95.26,46.98,-95.26,"By the early evening of September 14th, a stationary boundary had set up along a line from Elbow Lake to Wadena. A few severe thunderstorms formed north of this boundary, in the Park Rapids area.","Nickel to quarter sized hail fell." +119230,716014,MINNESOTA,2017,September,Thunderstorm Wind,"GRANT",2017-09-19 22:54:00,CST-6,2017-09-19 22:54:00,0,0,0,0,,NaN,,NaN,45.99,-95.98,45.99,-95.98,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","A few large tree branches were blown down around town. The peak wind measured at the Elbow Lake airport was 54 mph." +119230,716015,MINNESOTA,2017,September,Thunderstorm Wind,"OTTER TAIL",2017-09-19 23:30:00,CST-6,2017-09-19 23:30:00,0,0,0,0,,NaN,,NaN,46.15,-95.33,46.15,-95.33,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Numerous trees were blown down around town. At least one tree fell on a house." +119230,716016,MINNESOTA,2017,September,Thunderstorm Wind,"OTTER TAIL",2017-09-19 23:25:00,CST-6,2017-09-19 23:25:00,0,0,0,0,,NaN,,NaN,46.32,-95.44,46.32,-95.44,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","A few four to six inch diameter tree branches were blown down in groves and shelterbelts across east central Henning Township." +120370,721120,ALABAMA,2017,September,Thunderstorm Wind,"MOBILE",2017-09-22 14:58:00,CST-6,2017-09-22 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,30.68,-88.23,30.68,-88.23,"Thunderstorms moved across southwest Alabama and produced small hail and gusty winds.","Winds estimated at 60 damaged power poles near the Mobile Regional Airport. Dime to penny size hail was also observed at the NWS office." +120670,722801,OHIO,2017,September,Hail,"PUTNAM",2017-09-04 19:15:00,EST-5,2017-09-04 19:16:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-84.04,41.02,-84.04,"A cold front passed through the region, bringing scattered thunderstorms. A few of the storms produced isolated severe weather reports.","" +120670,722802,OHIO,2017,September,Hail,"ALLEN",2017-09-04 20:39:00,EST-5,2017-09-04 20:40:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-84.31,40.82,-84.31,"A cold front passed through the region, bringing scattered thunderstorms. A few of the storms produced isolated severe weather reports.","" +120670,722803,OHIO,2017,September,Thunderstorm Wind,"HENRY",2017-09-04 18:38:00,EST-5,2017-09-04 18:39:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-84.01,41.44,-84.01,"A cold front passed through the region, bringing scattered thunderstorms. A few of the storms produced isolated severe weather reports.","Law enforcement officials reported a tree was blown down onto a power line." +120670,722804,OHIO,2017,September,Thunderstorm Wind,"HENRY",2017-09-04 18:43:00,EST-5,2017-09-04 18:44:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-84.03,41.23,-84.03,"A cold front passed through the region, bringing scattered thunderstorms. A few of the storms produced isolated severe weather reports.","The public reported a power line was blown down across a CSX crossing gate, preventing the gate from properly functioning." +119546,717667,OREGON,2017,September,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-09-15 01:00:00,PST-8,2017-09-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant front of the fall season brought a cooler air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to some parts of south central Oregon.","Reported low temperatures from this zone ranged from 29 to 33 degrees." +119546,718828,OREGON,2017,September,Frost/Freeze,"KLAMATH BASIN",2017-09-15 01:00:00,PST-8,2017-09-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant front of the fall season brought a cooler air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to some parts of south central Oregon.","Reported low temperatures in this zone ranged from 30 to 36 degrees." +118980,714660,MONTANA,2017,September,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-09-15 10:11:00,MST-7,2017-09-15 10:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper-level trough and embedded low pressure center moved southeastward from the Gulf of Alaska. Ahead of this system, isentropic lift generated widespread precipitation. This included accumulating snow in the mountains, especially above 6000 feet MSL. Greater snow amounts were realized in the Central and Southwest Montana mountains compared to farther north.","Glacier Park reported Logan Pass was closed temporarily due to winter storm conditions." +120611,722512,KANSAS,2017,September,Hail,"OTTAWA",2017-09-18 16:43:00,CST-6,2017-09-18 16:44:00,0,0,0,0,,NaN,,NaN,38.97,-97.76,38.97,-97.76,"An abnormally benign weather pattern in September resulted in only a few severe weather reports during mid-September.","" +120611,722513,KANSAS,2017,September,Hail,"OTTAWA",2017-09-18 16:45:00,CST-6,2017-09-18 16:46:00,0,0,0,0,,NaN,,NaN,39,-97.69,39,-97.69,"An abnormally benign weather pattern in September resulted in only a few severe weather reports during mid-September.","" +120611,722514,KANSAS,2017,September,Thunderstorm Wind,"OTTAWA",2017-09-18 16:43:00,CST-6,2017-09-18 16:44:00,0,0,0,0,,NaN,,NaN,38.97,-97.76,38.97,-97.76,"An abnormally benign weather pattern in September resulted in only a few severe weather reports during mid-September.","Reports of tree limbs down. Sizes were unknown. Wind gust was estimated." +119920,718749,MASSACHUSETTS,2017,September,Thunderstorm Wind,"SUFFOLK",2017-09-14 17:46:00,EST-5,2017-09-14 17:46:00,0,0,0,0,0.00K,0,0.00K,0,42.3657,-71.0096,42.3657,-71.0096,"The remnants of Hurricane Irma moved across Southern New England on Thursday the 14th, bringing scattered showers and a few thunderstorms. A few showers and thunderstorms brought damaging winds and heavy downpours.","At 546 PM EST, the Automated Surface Observation System platform at Logan International Airport in East Boston reported a wind gust to 66 MPH." +119920,718750,MASSACHUSETTS,2017,September,Flood,"SUFFOLK",2017-09-14 18:07:00,EST-5,2017-09-14 21:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.3098,-71.0735,42.3094,-71.0731,"The remnants of Hurricane Irma moved across Southern New England on Thursday the 14th, bringing scattered showers and a few thunderstorms. A few showers and thunderstorms brought damaging winds and heavy downpours.","At 607 PM EST Columbia Road near Ceylon Street and Hamilton Street In Boston was flooded and impassable. Four cars were trapped in flood waters." +119920,718751,MASSACHUSETTS,2017,September,Flood,"ESSEX",2017-09-15 16:55:00,EST-5,2017-09-15 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.6864,-71.1483,42.6911,-71.1528,"The remnants of Hurricane Irma moved across Southern New England on Thursday the 14th, bringing scattered showers and a few thunderstorms. A few showers and thunderstorms brought damaging winds and heavy downpours.","At 455 PM EST, an amateur radio operator reported Chickering Road at State Route 114 in South Lawrence was flooded. A car nearby on Halsey Street was trapped in flood waters. At 524 PM EST a car was disabled in street flooding at Cutler Avenue and Chickering Road. Grafton Street was flooded and impassable." +120741,723191,KANSAS,2017,September,Hail,"MORTON",2017-09-22 18:09:00,CST-6,2017-09-22 18:09:00,0,0,0,0,,NaN,,NaN,37.03,-101.9,37.03,-101.9,"A strong upper level low that moved into the western United states continued to trek eastward into the Northern Rockies. Meanwhile, an upper level ridge remained centered over the Southern Plains. Weak disturbances around the periphery of the upper|level low helped to produce isolated thunderstorms across the far southwest counties.","Winds were gusting to 50 MPH as the hail fell." +120748,723182,NEBRASKA,2017,September,Hail,"GARDEN",2017-09-16 00:00:00,MST-7,2017-09-16 00:00:00,0,0,0,0,,NaN,,NaN,41.33,-102.45,41.33,-102.45,"Isolated severe thunderstorms developed across portions of the panhandle and north central Nebraska to the northwest of a stationary front.","" +120749,723183,NEBRASKA,2017,September,Hail,"KEYA PAHA",2017-09-19 19:50:00,CST-6,2017-09-19 19:50:00,0,0,0,0,,NaN,,NaN,42.91,-99.59,42.91,-99.59,"An Isolated Thunderstorm developed along a cold front. The storm became severe but quickly moved northeast into South Dakota.","" +120749,723184,NEBRASKA,2017,September,Hail,"KEYA PAHA",2017-09-19 20:02:00,CST-6,2017-09-19 20:02:00,0,0,0,0,,NaN,,NaN,42.97,-99.51,42.97,-99.51,"An Isolated Thunderstorm developed along a cold front. The storm became severe but quickly moved northeast into South Dakota.","" +120750,723185,NEBRASKA,2017,September,Thunderstorm Wind,"KEITH",2017-09-12 21:30:00,MST-7,2017-09-12 21:30:00,0,0,0,0,,NaN,,NaN,41.12,-101.34,41.12,-101.34,"Decaying thunderstorms cause wind damage.","An empty semi trailer was blown off the road by decaying thunderstorms. Blowing dust was also reported." +120463,721731,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHESTER",2017-09-01 13:27:00,EST-5,2017-09-01 13:27:00,0,0,0,0,0.00K,0,0.00K,0,34.78,-81,34.78,-81,"Multiple lines of showers and thunderstorms developed over northern South Carolina during the afternoon ahead of a cold front and associated area of low pressure. One embedded severe thunderstorm briefly affected northeast Chester County.","County comms reported a few trees blown down with one falling on a power line in the Lando area." +120531,722053,NORTH CAROLINA,2017,September,Hail,"ALEXANDER",2017-09-05 16:11:00,EST-5,2017-09-05 16:11:00,0,0,0,0,,NaN,,NaN,36,-81.21,36,-81.21,"Multiple lines of showers and thunderstorms developed along and ahead of a cold front across western North Carolina throughout the afternoon and evening. A few of the storms produced small hail.","Public reported pea to penny size hail." +121799,729006,INDIANA,2017,December,Winter Weather,"FRANKLIN",2017-12-09 18:00:00,EST-5,2017-12-10 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer in Brookville measured a half inch of snow." +121799,729008,INDIANA,2017,December,Winter Weather,"RIPLEY",2017-12-09 18:00:00,EST-5,2017-12-10 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The fire department northeast of Batesville measured .7 inches of snow, while the CoCoRaHS observer 4 miles northeast of Osgood measured a half inch." +121799,729009,INDIANA,2017,December,Winter Weather,"WAYNE",2017-12-09 18:00:00,EST-5,2017-12-10 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The emergency management agency in Richmond measured an inch of snow." +121800,729011,KENTUCKY,2017,December,Winter Weather,"BOONE",2017-12-09 20:00:00,EST-5,2017-12-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The CVG airport measured .6 inches of snowfall, while the CoCoRaHS observer 3 miles northwest of Walton measured a half inch." +121800,729012,KENTUCKY,2017,December,Winter Weather,"BRACKEN",2017-12-09 20:00:00,EST-5,2017-12-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The cooperative observer in Augusta measured a half inch of snow." +121800,729013,KENTUCKY,2017,December,Winter Weather,"GALLATIN",2017-12-09 20:00:00,EST-5,2017-12-10 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The cooperative observer 2 miles northwest of Glencoe measured .2 inches of snow." +121801,729131,OHIO,2017,December,Winter Weather,"ADAMS",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer located 6 miles east-northeast of West Union measured .7 inches of snow. The highway department in West Union measured .2 inches." +121801,729132,OHIO,2017,December,Winter Weather,"AUGLAIZE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near Wapakoneta measured an inch of snow, as did a public report from Waynesfield." +121801,729133,OHIO,2017,December,Winter Weather,"BROWN",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near Georgetown measured .8 inches of snow." +121801,729134,OHIO,2017,December,Winter Weather,"BUTLER",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near Maustown measured an inch of snow." +121801,729158,OHIO,2017,December,Winter Weather,"CLINTON",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The NWS office measured 1.1 inches of snow, while an employee north of town measured an inch." +121801,729159,OHIO,2017,December,Winter Weather,"DARKE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The cooperative observer in New Carlisle measured 1.3 inches of snow, while the CoCoRaHS observer west of Versailles measured an inch." +121801,729160,OHIO,2017,December,Winter Weather,"DELAWARE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The media in Sunbury and a social media post from north of Westerville both measured 1.1 inches of snow. The CoCoRaHS observer in Lewis Center measured an inch." +121801,729166,OHIO,2017,December,Winter Weather,"FAYETTE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The county garage west of Washington Court House and the cooperative observer east of town both measured an inch of snow." +121801,729176,OHIO,2017,December,Winter Weather,"FRANKLIN",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The John Glenn Airport CMH and a public report from south of Columbus both measured 1.5 inches of snow. Another public report from Clintonville had 1.3 inches of snow." +121801,729178,OHIO,2017,December,Winter Weather,"GREENE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer southeast of Fairborn measured 1.4 inches of snow. A public report from Fairborn had 1.2 inches, while the county garage in Xenia measured an inch." +121801,729179,OHIO,2017,December,Winter Weather,"HAMILTON",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer west of Cheviot measured .6 inches of snow, while a spotter near Sharonville had a half inch of accumulation." +121801,729184,OHIO,2017,December,Winter Weather,"HIGHLAND",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","A report from Hillsboro showed 1.5 inches of snow had fallen. The CoCoRaHS observer southwest of Lynchburg measured 1.2 inches, while the county garage in Hillsboro had an inch." +121801,729195,OHIO,2017,December,Winter Weather,"LICKING",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The CoCoRaHS observer north of Granville measured a half inch of snow while the highway department south of Heath measured .3 inches." +115396,714185,MISSOURI,2017,April,Flood,"CRAWFORD",2017-04-30 15:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.0159,-91.4338,38.1982,-91.1511,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Meramec River rose well above major flood stage at Steelville due to very heavy rain that fell across the river basin. Numerous roads along the flow of the river were flooded as well as a number of camp grounds, as well as, a couple of hotels." +115396,714258,MISSOURI,2017,April,Flood,"FRANKLIN",2017-04-30 15:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.207,-91.1399,38.2831,-91.0887,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Meramec River at Sullivan and Pacific rose above major stage during the day on April 30th. Numerous roads were flooded, as well as, several camp grounds and parks. In Pacific, numerous homes and businesses were flooded." +115397,692884,ILLINOIS,2017,April,Thunderstorm Wind,"MACOUPIN",2017-04-29 15:08:00,CST-6,2017-04-29 15:15:00,0,0,0,0,0.00K,0,0.00K,0,39.0396,-90.1411,39.1751,-90.1387,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down several trees and power lines, as well as numerous tree limbs between Brighton and Medora." +115430,706327,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:30:00,CST-6,2017-06-11 07:30:00,0,0,0,0,0.00K,0,0.00K,0,44.9094,-93.5939,44.9094,-93.5939,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A trained spotter reported multiple large trees blown down in Tonka Bay; one tree had a diameter of 20 inches." +118717,713253,TEXAS,2017,June,Thunderstorm Wind,"ARANSAS",2017-06-04 21:00:00,CST-6,2017-06-04 21:06:00,0,0,0,0,5.00K,5000,0.00K,0,28.0717,-97.0489,28.0717,-97.0489,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Several people were trapped in an overturned trailer." +119800,718368,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-02 03:08:00,EST-5,2017-09-02 03:11:00,0,0,0,0,,NaN,0.00K,0,32.8,-79.62,32.8,-79.62,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The CORMP buoy near Capers Island measured a 42 knot wind gust." +115396,714272,MISSOURI,2017,April,Flood,"JEFFERSON",2017-04-30 22:30:00,CST-6,2017-04-30 23:59:00,0,0,1,0,0.00K,0,0.00K,0,38.4664,-90.7359,38.0996,-90.7141,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Meramec and Big Rivers rose above major flood stage in the late evening hours of April 30th due to the heavy rainfall. A number of roads were closed due to the river flooding. A 77-year old man drowned when he walked to a creek (that feeds into the nearby Big River) near his house (off of Mimi Mountain Road and Highway BB) to survey the rising water, slipped and was swept away by the current. His body was recovered about three quarters of a mile downstream." +119800,718366,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-02 02:55:00,EST-5,2017-09-02 03:10:00,0,0,0,0,,NaN,0.00K,0,32.7666,-79.8194,32.7666,-79.8194,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site at Station 28.5 on Sullivan's Island measured a 43 knot wind gust. The peak wind gust of 47 knots occurred 15 minutes later." +119800,718367,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-02 02:50:00,EST-5,2017-09-02 03:05:00,0,0,0,0,,NaN,0.00K,0,32.7847,-79.7854,32.7847,-79.7854,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site at the Isle of Palms pier measured a 41 knot wind gust. The peak wind gust of 50 knots occurred 15 minutes later." +117805,713280,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-06-04 21:06:00,CST-6,2017-06-04 21:06:00,0,0,0,0,0.00K,0,0.00K,0,28.0198,-97.0481,28.0198,-97.0481,"Scattered thunderstorms over the Coastal Bend moved southeast across Corpus Christi Bay into the Port Aransas area. The storms produced wind gusts to around 45 knots.","NOS site at Rockport measured a gust to 35 knots." +115430,710879,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:38:00,CST-6,2017-06-11 06:38:00,0,0,0,0,0.00K,0,0.00K,0,45.1225,-94.7372,45.1225,-94.7372,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Power poles were tipped over. Some large branches were also broken." +118836,713967,LOUISIANA,2017,June,Tropical Storm,"UPPER PLAQUEMINES",2017-06-20 18:00:00,CST-6,2017-06-20 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts were reported at the Belle Chasse Naval Air Station ASOS (KNBG). The highest gust reported was 37 knots at 8:43 pm CST on June 20." +118836,713978,LOUISIANA,2017,June,Tropical Storm,"ST. JOHN THE BAPTIST",2017-06-20 23:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","A few tropical storm force wind gusts were reported at the Frenier Landing C-Man (FREL1). The highest gust reported was 39 knots at 11:36 pm CST on June 20." +118836,715066,LOUISIANA,2017,June,Tropical Storm,"ST. CHARLES",2017-06-20 21:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts affected the parish. The strong winds produced isolated damage, including a few downed power poles and power lines." +118836,715081,LOUISIANA,2017,June,Tropical Storm,"LOWER LAFOURCHE",2017-06-20 11:00:00,CST-6,2017-06-20 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts were reported at the Fourchon Heliport (KXPY). A maximum gust of 45 knts, or 52 mph, was reported 4:15 pm CST on June 20. Frequent tropical storm force gusts were also reported by the Galliano AWOS (KGAO). The strong winds downed a few trees and knocked out power to the town of Golden Meadow." +118836,713956,LOUISIANA,2017,June,Tropical Storm,"LOWER PLAQUEMINES",2017-06-20 08:00:00,CST-6,2017-06-21 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force gusts and a few instances of sustained tropical storm force winds were reported at the Southwest Pass C-Man station (BURL1). Several tropical storm force gusts were also reported by the Boothville-Venice ASOS (KBVE) and the Pilottown site (PILL1). The highest gust reported by BURL1 was 47 knots at noon CST on June 20, though the anemometer height is 38 meters. At KBVE the highest gust reported was 42 knots at 1:28pm CST on June 20. The emergency manager reported some light roof damage near Point-A-La-Hache from the strong winds." +118836,713980,LOUISIANA,2017,June,Storm Surge/Tide,"LOWER PLAQUEMINES",2017-06-20 00:00:00,CST-6,2017-06-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The USGS gauge at Bay Gardene near Point-A-La-Hache rose to a maximum of 6.18 ft NAVD88 at 7:30pm CST on June 21. Tides were at least 1.5 feet above normal from 6/20 through 6/22. Other peak storm tide observations include 5.21 ft NAVD88 at the USGS gauge at Black Bay and 2.14 ft MHHW at the NOS gauge at Pilottown. The elevated tides led to moderate impacts to areas outside of the federal hurricane risk reduction system. Storm surge of 2 to 4 feet was measured on the east side of the parish. On the west side of the parish, a local levee was overtopped near Myrtle Grove, resulting in minor flooding of low land property. Inundation was generally one to two feet, but no homes or businesses were damaged by the flooding." +119072,715144,NEVADA,2017,April,High Wind,"MINERAL/SOUTHERN LYON",2017-04-06 20:15:00,PST-8,2017-04-07 06:15:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought a period of high winds to a portion of west-central Nevada from the evening of the 6th into the morning of the 7th.","Sustained winds between 30 and 50 mph, with gusts up to 75 mph, were recorded at the Walker Lake NDOT and Hawthorne airport. Highway 95 between Schurz and Hawthorne was closed at 0115PST on the 7th due to the high winds." +119075,715145,CALIFORNIA,2017,April,Heavy Snow,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-04-07 14:00:00,PST-8,2017-04-08 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought heavy snow to the Sierra Valley and the High Sierra of Mono County on the 7th and 8th.","Seven to 13 inches of snow fell along Highway 70 between 3 miles east of Beckwourth and Portola, with 15 inches reported on social media in Lake Davis. Near Susanville, only 2 to 4.5 inches of snowfall was noted." +119203,716310,MISSOURI,2017,May,Hail,"MADISON",2017-05-27 15:08:00,CST-6,2017-05-27 15:08:00,0,0,0,0,0.00K,0,0.00K,0,37.3834,-90.4144,37.3834,-90.4144,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +119203,716514,MISSOURI,2017,May,Thunderstorm Wind,"IRON",2017-05-27 15:50:00,CST-6,2017-05-27 15:50:00,0,0,0,0,0.00K,0,0.00K,0,37.5689,-90.6498,37.5694,-90.6372,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous large trees and power lines along Highway 21 and Route E." +119203,716519,MISSOURI,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-27 15:53:00,CST-6,2017-05-27 15:59:00,0,0,0,0,0.00K,0,0.00K,0,37.8285,-90.7815,37.9112,-90.7048,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous trees and power lines between Caledonia and Potosi. One large tree was blown down onto Highway 8 south of Mineral Point." +119203,716520,MISSOURI,2017,May,Thunderstorm Wind,"ST. CHARLES",2017-05-27 15:35:00,CST-6,2017-05-27 15:40:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-90.73,38.7884,-90.6267,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew over a tree just northeast of Lake St. Louis. Also, several power lines were blown down along Mexico Road near intersection with Mid Rivers Mall Drive." +119203,716521,MISSOURI,2017,May,Thunderstorm Wind,"REYNOLDS",2017-05-27 15:35:00,CST-6,2017-05-27 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.4728,-90.8754,37.4333,-90.8151,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous trees and tree limbs in the Lesterville area." +117243,705552,WISCONSIN,2017,June,Flash Flood,"SAWYER",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.83,-91.22,45.7792,-91.2233,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","County Highway H closed due to water over the road." +117243,705553,WISCONSIN,2017,June,Flash Flood,"SAWYER",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.9,-91.19,45.8976,-91.1886,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A culvert washed out on North County Road CC." +118590,712432,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-13 17:20:00,CST-6,2017-06-13 17:20:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-98.03,44.37,-98.03,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Quite a few trees downed with the town." +118590,712403,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:23:00,CST-6,2017-06-13 17:23:00,0,0,0,0,0.00K,0,0.00K,0,43.68,-98.27,43.68,-98.27,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712436,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-13 17:32:00,CST-6,2017-06-13 17:32:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-97.93,44.42,-97.93,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Large branches downed." +118590,712404,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-13 17:34:00,CST-6,2017-06-13 17:34:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-98.19,43.49,-98.19,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712405,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:35:00,CST-6,2017-06-13 17:35:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-98.15,43.7,-98.15,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712437,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"HUTCHINSON",2017-06-13 17:35:00,CST-6,2017-06-13 17:35:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-97.99,43.4,-97.99,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712406,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:42:00,CST-6,2017-06-13 17:42:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-98.15,43.59,-98.15,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712407,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:42:00,CST-6,2017-06-13 17:42:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-98.09,43.64,-98.09,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118603,712480,IOWA,2017,June,Thunderstorm Wind,"WOODBURY",2017-06-13 20:12:00,CST-6,2017-06-13 20:12:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-96.39,42.4,-96.39,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","" +118603,712481,IOWA,2017,June,Thunderstorm Wind,"WOODBURY",2017-06-13 20:15:00,CST-6,2017-06-13 20:15:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-96.29,42.34,-96.29,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","A few trees downed." +118603,712482,IOWA,2017,June,Thunderstorm Wind,"WOODBURY",2017-06-13 20:25:00,CST-6,2017-06-13 20:25:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-96.07,42.4,-96.07,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","Branches downed." +118603,712483,IOWA,2017,June,Thunderstorm Wind,"WOODBURY",2017-06-13 20:28:00,CST-6,2017-06-13 20:28:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-96.4,42.56,-96.4,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","Measured at CWOP station wb0wnx." +118603,712476,IOWA,2017,June,Thunderstorm Wind,"PLYMOUTH",2017-06-13 20:34:00,CST-6,2017-06-13 20:34:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-96.17,42.79,-96.17,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","Quite a few trees downed in town. Report received via social media." +118603,712477,IOWA,2017,June,Thunderstorm Wind,"PLYMOUTH",2017-06-13 20:43:00,CST-6,2017-06-13 20:43:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-95.97,42.81,-95.97,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","A few trees downed in Remsen." +118603,712478,IOWA,2017,June,Thunderstorm Wind,"CHEROKEE",2017-06-13 21:00:00,CST-6,2017-06-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-95.55,42.75,-95.55,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","Strong winds caused tree to split." +118008,714122,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 23:18:00,EST-5,2017-07-23 23:55:00,0,0,0,0,250.00K,250000,0.00K,0,41.9983,-76.2822,41.9575,-76.2774,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Flood waters infiltrated many structures. First responders were conducting multiple swift water rescues and evacuations in the area." +118886,714246,NORTH CAROLINA,2017,July,Thunderstorm Wind,"JOHNSTON",2017-07-08 19:30:00,EST-5,2017-07-08 19:50:00,0,0,0,0,3.00K,3000,0.00K,0,35.61,-78.57,35.38,-78.5,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","Three trees were blown down along a swath from 6 mile north of Coats Crossroads to 3 miles east of Benson. One of the trees was blown down onto power lines on Cleveland School Road." +118944,714550,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-17 17:15:00,EST-5,2017-07-17 17:15:00,0,0,0,0,0.00K,0,0.00K,0,35.59,-81.98,35.59,-81.98,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","EM reported multiple trees blown down in the Glenwood area." +118981,714661,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MCCORMICK",2017-07-23 19:01:00,EST-5,2017-07-23 19:05:00,0,0,0,0,,NaN,,NaN,34.01,-82.51,34.01,-82.51,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Trees reported down on Fort Charlotte Rd and Depot St in Mount Carmel." +119047,714953,MONTANA,2017,July,Thunderstorm Wind,"FERGUS",2017-07-09 15:01:00,MST-7,2017-07-09 15:01:00,0,0,0,0,0.00K,0,0.00K,0,46.69,-109.74,46.69,-109.74,"An upper level low moved through southern Canada, causing a brief breakdown of the upper ridge over Montana. This led to the development of showers and thunderstorms, a couple of which produced severe wind gusts.","Peak wind gust at an AWOS station south of Lewistown." +118709,713149,ALABAMA,2017,July,Thunderstorm Wind,"BLOUNT",2017-07-04 14:02:00,CST-6,2017-07-04 14:03:00,0,0,0,0,0.00K,0,0.00K,0,33.8911,-86.5842,33.8911,-86.5842,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted and blocking Highway 15." +118736,713285,NEBRASKA,2017,July,Hail,"LANCASTER",2017-07-03 15:16:00,CST-6,2017-07-03 15:16:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-96.63,40.79,-96.63,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","" +118740,713300,MICHIGAN,2017,July,Thunderstorm Wind,"DELTA",2017-07-18 16:36:00,EST-5,2017-07-18 16:41:00,0,0,0,0,3.00K,3000,0.00K,0,46.04,-87.03,46.04,-87.03,"An upper level disturbance moving through a moist and unstable air mass produced isolated severe thunderstorms over central Upper Michigan on the 18th.","There was a delayed report of several trees down from six to twelve inches in diameter five miles northeast of Perkins. Power is out with trees on power lines." +118582,713355,TEXAS,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-09 14:00:00,CST-6,2017-07-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,32.01,-95.61,32.01,-95.61,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A trained spotter reported a wind gust to 50 KT approximately 5 miles south-southwest of the city of Poynor, TX." +118016,713382,VIRGINIA,2017,July,Flood,"HARRISONBURG (C)",2017-07-28 16:25:00,EST-5,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4646,-78.8656,38.4631,-78.8661,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","North Liberty Street flooded and closed near Rockingham Petroleum." +118465,713442,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-22 16:23:00,EST-5,2017-07-22 16:23:00,0,0,0,0,,NaN,,NaN,38.2108,-78.1192,38.2108,-78.1192,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Several trees were down and tents were blown over at the Orange County Fiar. A tree also fell on a car along the 17000 block of Monrovia Road." +118617,712536,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"YANKTON",2017-06-29 16:56:00,CST-6,2017-06-29 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-97.39,42.89,-97.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712532,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-29 17:02:00,CST-6,2017-06-29 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-97.17,42.89,-97.17,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712995,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-29 17:02:00,CST-6,2017-06-29 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.88,-97.17,42.88,-97.17,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712533,SOUTH DAKOTA,2017,June,Hail,"CLAY",2017-06-29 17:17:00,CST-6,2017-06-29 17:17:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-96.99,42.78,-96.99,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712534,SOUTH DAKOTA,2017,June,Hail,"UNION",2017-06-29 17:35:00,CST-6,2017-06-29 17:35:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-96.73,42.96,-96.73,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712538,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 15:15:00,CST-6,2017-06-29 15:15:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-96.39,42.5,-96.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712539,IOWA,2017,June,Hail,"PLYMOUTH",2017-06-29 15:20:00,CST-6,2017-06-29 15:20:00,0,0,0,0,0.00K,0,0.00K,0,42.73,-96.53,42.73,-96.53,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +119203,715846,MISSOURI,2017,May,Hail,"MONITEAU",2017-05-27 11:40:00,CST-6,2017-05-27 11:40:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-92.57,38.63,-92.57,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +118618,712992,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 17:00:00,CST-6,2017-06-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2402,-95.9438,42.2402,-95.9438,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712550,IOWA,2017,June,Hail,"IDA",2017-06-29 17:10:00,CST-6,2017-06-29 17:10:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-95.6,42.32,-95.6,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118684,712987,NEBRASKA,2017,June,Hail,"DIXON",2017-06-29 14:35:00,CST-6,2017-06-29 14:35:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-96.71,42.57,-96.71,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","" +118684,712988,NEBRASKA,2017,June,Hail,"DIXON",2017-06-29 14:45:00,CST-6,2017-06-29 14:45:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-96.71,42.57,-96.71,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","" +118684,712989,NEBRASKA,2017,June,Hail,"DAKOTA",2017-06-29 15:27:00,CST-6,2017-06-29 15:27:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-96.45,42.46,-96.45,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","Several tree branches were also downed." +118684,712993,NEBRASKA,2017,June,Hail,"DAKOTA",2017-06-29 15:27:00,CST-6,2017-06-29 15:27:00,0,0,0,0,0.00K,0,0.00K,0,42.4689,-96.4563,42.4689,-96.4563,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","" +113197,686287,KENTUCKY,2017,March,Thunderstorm Wind,"MERCER",2017-03-27 18:08:00,EST-5,2017-03-27 18:10:00,0,0,0,0,30.00K,30000,0.00K,0,37.852,-84.9056,37.8502,-84.8534,"A strong area of low pressure tracked across the lower Ohio Valley during the afternoon and evening hours on March 27. Combined with warm and unstable air, scattered severe storms developed across central Kentucky. An organized line of convection brought sporadic damaging winds and large hail to portions of central Kentucky. There was also one brief tornado in Center, Kentucky in Metcalfe County.","Thunderstorm winds blew down several trees along and south of State Road 1160 (Talmage Mayo Rd) west of U.S. Highway 127. A large barn was blown down near the intersection of these two roads." +119405,716630,WISCONSIN,2017,April,Frost/Freeze,"SHEBOYGAN",2017-04-01 00:00:00,CST-6,2017-04-30 00:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The lack of a snow cover during the winter and freezes during the spring led to a large amount of winterkill to alfalfa over portions of far eastern WI. The USDA declared a disaster area for Sheboygan, Ozaukee, Washington, and adjacent counties.","Winterkill of a relatively large percentage of alfalfa in the county." +119405,716631,WISCONSIN,2017,April,Frost/Freeze,"OZAUKEE",2017-04-01 00:00:00,CST-6,2017-04-30 00:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The lack of a snow cover during the winter and freezes during the spring led to a large amount of winterkill to alfalfa over portions of far eastern WI. The USDA declared a disaster area for Sheboygan, Ozaukee, Washington, and adjacent counties.","Winterkill of a relatively large percentage of alfalfa in the county." +119405,716632,WISCONSIN,2017,April,Frost/Freeze,"WASHINGTON",2017-04-01 00:00:00,CST-6,2017-04-30 00:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The lack of a snow cover during the winter and freezes during the spring led to a large amount of winterkill to alfalfa over portions of far eastern WI. The USDA declared a disaster area for Sheboygan, Ozaukee, Washington, and adjacent counties.","Winterkill of a relatively large percentage of alfalfa in the county." +119488,717082,ILLINOIS,2017,June,Thunderstorm Wind,"WILL",2017-06-20 13:57:00,CST-6,2017-06-20 13:57:00,0,0,0,0,1.00K,1000,0.00K,0,41.4062,-87.6289,41.4062,-87.6289,"A severe thunderstorm moved across parts of eastern Illinois during the afternoon of June 20th ahead of a cold front.","Several mature trees were damaged with a nine inch diameter tree limb blown down, near Elms Court and Route 1. A utility pole was blown down 1.5 miles south of Crete." +119393,716604,INDIANA,2017,June,Thunderstorm Wind,"JASPER",2017-06-14 17:19:00,CST-6,2017-06-14 17:19:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-87.0885,41.2,-87.0885,"Scattered thunderstorms produced damaging winds in parts of northwest Indiana during the afternoon and evening of June 14th.","Wind gusts were estimated between 50 and 60 mph, two miles west of Wheatfield." +119390,717218,INDIANA,2017,June,Flash Flood,"BENTON",2017-06-13 18:30:00,EST-5,2017-06-13 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.6259,-87.4,40.6185,-87.4,"Scattered thunderstorms produced hail and flooding across parts of Northwest Indiana during the afternoon and evening of June 13 into the early morning of June 14th.","State Road 18 west of US 41 was flooded and impassable. Rainfall of 2.50 inches was reported in Earl Park and 1.99 inches was measured in Fowler." +119495,717088,ILLINOIS,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-28 18:40:00,CST-6,2017-06-28 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-89.33,42.43,-89.33,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Five trees and numerous tree limbs were blown down." +119495,717092,ILLINOIS,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-28 18:59:00,CST-6,2017-06-28 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,42.35,-89.04,42.35,-89.04,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Numerous tree limbs and a one foot diameter tree were blown down. A cemented flag pole was bent by the wind. Part of a roof was blown off a house." +119495,717096,ILLINOIS,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-28 19:00:00,CST-6,2017-06-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-89.23,42.27,-89.23,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Wind gusts were estimated to be at least 60 mph." +119850,718501,NEVADA,2017,September,Flash Flood,"LANDER",2017-09-12 14:30:00,PST-8,2017-09-12 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.29,-117.45,39.2994,-117.4715,"The Lander county sheriff's office reported flash flooding along state route 722 near Elkhorn Canyon Road.","The Lander county sheriff's office reported flash flooding on state route 722 near Elkhorn Canyon Road. Damages are estimated." +119860,718550,WYOMING,2017,September,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-09-20 22:00:00,MST-7,2017-09-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An usually cold air mass and a plume of Pacific moisture combined to bring heavy snow to the mountains of northwestern Wyoming. The highest amounts were in Yellowstone Park where close to 2 feet fell in some of the higher elevations. Over a foot of snow also fell in portions of the Tetons and Absarokas. At lower elevations, temperatures remained warm enough for much of the precipitation to fall as rain or wet snow that did not accumulate.","Heavy snow fell in the mountains of Yellowstone Park. Some of the highest amounts were 23 inches at Two Oceans Plateau and 21 inches at the Sylvan Lake SNOTEL." +119860,718551,WYOMING,2017,September,Winter Storm,"ABSAROKA MOUNTAINS",2017-09-21 00:00:00,MST-7,2017-09-22 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An usually cold air mass and a plume of Pacific moisture combined to bring heavy snow to the mountains of northwestern Wyoming. The highest amounts were in Yellowstone Park where close to 2 feet fell in some of the higher elevations. Over a foot of snow also fell in portions of the Tetons and Absarokas. At lower elevations, temperatures remained warm enough for much of the precipitation to fall as rain or wet snow that did not accumulate.","Heavy snow fell in the higher elevations of the Absarokas. The highest amount was 17 inches at the Blackwater SNOTEL site." +119860,718552,WYOMING,2017,September,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-09-20 22:00:00,MST-7,2017-09-22 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An usually cold air mass and a plume of Pacific moisture combined to bring heavy snow to the mountains of northwestern Wyoming. The highest amounts were in Yellowstone Park where close to 2 feet fell in some of the higher elevations. Over a foot of snow also fell in portions of the Tetons and Absarokas. At lower elevations, temperatures remained warm enough for much of the precipitation to fall as rain or wet snow that did not accumulate.","The SNOTEL at Grand Targhee reported 15 inches of snow." +119890,718681,WYOMING,2017,September,Winter Weather,"SNOWY RANGE",2017-09-24 10:00:00,MST-7,2017-09-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate snow over the Snowy Range. Total snow accumulations varied from six to ten inches.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 10 inches of snow." +119890,718682,WYOMING,2017,September,Winter Weather,"SNOWY RANGE",2017-09-24 10:00:00,MST-7,2017-09-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate snow over the Snowy Range. Total snow accumulations varied from six to ten inches.","The North French Creek SNOTEL site (elevation 10130 ft) estimated six inches of snow." +119890,718683,WYOMING,2017,September,Winter Weather,"SNOWY RANGE",2017-09-24 10:00:00,MST-7,2017-09-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate snow over the Snowy Range. Total snow accumulations varied from six to ten inches.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated six inches of snow." +118140,714129,WISCONSIN,2017,July,Thunderstorm Wind,"LA CROSSE",2017-07-19 17:38:00,CST-6,2017-07-19 17:38:00,0,0,0,0,40.00K,40000,0.00K,0,43.7739,-91.2145,43.7739,-91.2145,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees were blown over on the south side of La Crosse. One of the trees blocked South Avenue near the Shelby Mall while others landed on vehicles. Part of a roof was caved in on a building." +118140,714134,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-19 17:43:00,CST-6,2017-07-19 17:43:00,0,0,0,0,15.00K,15000,0.00K,0,43.6367,-91.1634,43.6367,-91.1634,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A barn was blown down between Stoddard and Chaseburg." +118140,714193,WISCONSIN,2017,July,Lightning,"GRANT",2017-07-19 17:45:00,CST-6,2017-07-19 17:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.8544,-90.711,42.8544,-90.711,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A house was struck by lightning in Lancaster." +116080,697684,IOWA,2017,May,Tornado,"SIOUX",2017-05-17 13:42:00,CST-6,2017-05-17 13:44:00,0,0,0,0,,NaN,,NaN,43.24,-95.95,43.2401,-95.9495,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Brief touchdown reported." +116080,697682,IOWA,2017,May,Hail,"OSCEOLA",2017-05-17 15:52:00,CST-6,2017-05-17 15:52:00,0,0,0,0,,NaN,,NaN,43.36,-95.54,43.36,-95.54,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","" +116077,697672,IOWA,2017,May,Thunderstorm Wind,"O'BRIEN",2017-05-16 02:30:00,CST-6,2017-05-16 02:32:00,0,0,0,0,,NaN,,NaN,43.18,-95.84,43.18,-95.84,"Severe thunderstorms moved through the area that resulted in strong wind impacting portions of the Iowa Great Lakes region.","A few trees were knocked down." +116077,697675,IOWA,2017,May,Thunderstorm Wind,"DICKINSON",2017-05-16 03:25:00,CST-6,2017-05-16 03:37:00,0,0,0,0,,NaN,,NaN,43.45,-95.32,43.45,-95.32,"Severe thunderstorms moved through the area that resulted in strong wind impacting portions of the Iowa Great Lakes region.","Strong winds estimated to 75 to 80 mph continued for over ten minutes, but did not result in much damage." +116077,697677,IOWA,2017,May,Thunderstorm Wind,"CLAY",2017-05-16 03:34:00,CST-6,2017-05-16 03:36:00,0,0,0,0,,NaN,,NaN,43.15,-95.15,43.15,-95.15,"Severe thunderstorms moved through the area that resulted in strong wind impacting portions of the Iowa Great Lakes region.","Measured at the Spencer, IA airport." +116077,697676,IOWA,2017,May,Thunderstorm Wind,"DICKINSON",2017-05-16 03:37:00,CST-6,2017-05-16 03:37:00,0,0,0,0,,NaN,,NaN,43.45,-95.32,43.45,-95.32,"Severe thunderstorms moved through the area that resulted in strong wind impacting portions of the Iowa Great Lakes region.","Didn't result in any known damage." +116076,697640,MINNESOTA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 03:24:00,CST-6,2017-05-16 03:29:00,0,0,0,0,10.00K,10000,0.00K,0,43.56,-95.42,43.56,-95.42,"Severe thunderstorms produced strong winds in portions of southwest Minnesota during the early morning hours of the 16th.","Pontoon damaged, dock and hoist destroyed." +116076,697643,MINNESOTA,2017,May,Thunderstorm Wind,"NOBLES",2017-05-16 03:29:00,CST-6,2017-05-16 03:31:00,0,0,0,0,,NaN,,NaN,43.63,-95.6,43.63,-95.6,"Severe thunderstorms produced strong winds in portions of southwest Minnesota during the early morning hours of the 16th.","Measured at the airport in Worthington, MN." +115587,694231,TENNESSEE,2017,May,Thunderstorm Wind,"MAURY",2017-05-27 20:04:00,CST-6,2017-05-27 20:04:00,0,0,0,0,5.00K,5000,0.00K,0,35.5568,-86.9318,35.5568,-86.9318,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook photo showed a tree fell onto a house on Hill Station Road." +115587,694232,TENNESSEE,2017,May,Hail,"MARSHALL",2017-05-27 20:15:00,CST-6,2017-05-27 20:15:00,0,0,0,0,0.00K,0,0.00K,0,35.6734,-86.7,35.6734,-86.7,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter indicated hail up to nickel size fell 3 miles north of Chapel Hill." +115587,702592,TENNESSEE,2017,May,Thunderstorm Wind,"OVERTON",2017-05-27 19:15:00,CST-6,2017-05-27 19:33:00,0,0,0,0,50.00K,50000,0.00K,0,36.2689,-85.4646,36.1301,-85.2394,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A NWS storm survey found a severe 17 mile long by 1 mile wide downburst caused major wind damage along the Putnam/Overton County border from southwest of Rickman southeastward to around Monterey. Damage was first reported on Cindy Lane in northern Putnam County where trees were blown down. Numerous more trees were snapped and uprooted along Ben Mason Road just north of the county line in Overton County. The roof was blown off a large warehouse at a flea market on Highway 111, and a nearby outbuilding lost many wood panels on the outside walls. Dozens of large trees were also snapped and uprooted along Spring Creek Road in Rickman, with several falling on homes and vehicles. Farther to the east, a barn lost much of its roof on Highway 84 near Lewis Lane, and numerous trees and power lines were blown down along Highway 84 south of Boswell Road. Large trees were blown down and playground equipment destroyed in Whittaker Park in Monterey, and several more trees were blown down on Clinchfield Drive and Meadow Creek Road southeast of Monterey. Wind speeds were estimated up to 85 mph." +118028,709636,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CARROLL",2017-06-19 15:30:00,EST-5,2017-06-19 15:35:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-71.15,43.87,-71.15,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees south of Madison." +117328,705673,NEW MEXICO,2017,August,Thunderstorm Wind,"ROOSEVELT",2017-08-03 18:40:00,MST-7,2017-08-03 18:43:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-103.32,33.93,-103.32,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Dora fire chief reported a peak wind gust up to 65 mph with moderate rotation beneath storm base." +115843,696514,MICHIGAN,2017,April,Winter Weather,"MARQUETTE",2017-04-27 02:00:00,EST-5,2017-04-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","Observers throughout the county reported a light glaze of ice on trees, cars and sidewalks on the 27th." +114521,686762,NORTH CAROLINA,2017,April,Flood,"SURRY",2017-04-24 03:42:00,EST-5,2017-04-24 15:42:00,0,0,0,0,0.00K,0,0.00K,0,36.4085,-80.5655,36.41,-80.5649,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Radar Road near the intersection of Ararat Road was flooded and closed by overflow from the Ararat River. The nearby river gage on the Ararat (ARRN7) crested at 14.39 feet at 0700 EST. Minor Flood Stage is 13 feet." +115843,696515,MICHIGAN,2017,April,Winter Weather,"BARAGA",2017-04-27 02:00:00,EST-5,2017-04-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","The observer at Three Lakes measured between 0.1 and 0.2 of an inch of ice accumulation from freezing rain. Roads and sidewalks were reported to be very slippery." +115843,696516,MICHIGAN,2017,April,Winter Weather,"ALGER",2017-04-27 02:00:00,EST-5,2017-04-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","There were public reports of light icing on trees in Kiva and Eben Junction from light freezing rain." +115843,696517,MICHIGAN,2017,April,Winter Weather,"IRON",2017-04-27 01:00:00,CST-6,2017-04-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","The spotter near Peavy Falls Dam observed a glaze of ice on trees and the ground." +115843,696511,MICHIGAN,2017,April,Ice Storm,"GOGEBIC",2017-04-26 01:00:00,CST-6,2017-04-27 14:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","There were several public reports of moderate to heavy ice accumulation from freezing rain over the higher terrain around Bessemer and Wakefield. The coating of ice caused treacherous road conditions and extensive tree damage over the higher elevations of the county, mainly north of Bessemer and Wakefield." +120347,721389,GEORGIA,2017,September,Tropical Storm,"CRAWFORD",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported trees and power lines blown down across the county. Portions of the county were without electricity for varying periods of time. No injuries were reported." +115587,694150,TENNESSEE,2017,May,Thunderstorm Wind,"WILLIAMSON",2017-05-27 18:24:00,CST-6,2017-05-27 18:24:00,0,0,0,0,1.00K,1000,0.00K,0,35.9123,-86.8203,35.9123,-86.8203,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down at Carothers Parkway and Murfreesboro Road." +115587,694155,TENNESSEE,2017,May,Thunderstorm Wind,"WILSON",2017-05-27 18:30:00,CST-6,2017-05-27 18:30:00,0,0,0,0,25.00K,25000,0.00K,0,36.22,-86.3,36.22,-86.3,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Wilson County Emergency Management reported 31 trees and power lines were blown down in and around Lebanon with several roadways blocked. Roads with trees down included 90 Chaparral Drive, Castle Heights Avenue, Spring Street, Hartsville Pike, Baddour Parkway, 740 Sanders Avenue, Hatton Road, Trousdale Ferry Pike, and Forrest Avenue. A tree was also blown down onto a house at 710 Park Ave." +118075,709660,MAINE,2017,June,Hail,"ANDROSCOGGIN",2017-06-01 12:12:00,EST-5,2017-06-01 12:15:00,0,0,0,0,0.00K,0,0.00K,0,44.19,-70.14,44.19,-70.14,"A cold front was the focus for afternoon showers and thunderstorms on the 1st of June. Low freezing levels resulted in many reports of small hail. An isolated storm was strong enough to produce severe hail.","A severe thunderstorm produced 1 inch hail in Greene." +118075,709661,MAINE,2017,June,Hail,"OXFORD",2017-06-01 13:15:00,EST-5,2017-06-01 13:18:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-70.5401,44.22,-70.5401,"A cold front was the focus for afternoon showers and thunderstorms on the 1st of June. Low freezing levels resulted in many reports of small hail. An isolated storm was strong enough to produce severe hail.","A thunderstorm produced 0.75 inch hail in Norway." +118074,709655,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CHESHIRE",2017-06-27 15:15:00,EST-5,2017-06-27 15:20:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-72.44,42.97,-72.44,"An approaching cold front was the focus for convection on the afternoon of the 27th. A few reports of wind damage were received as scattered thunderstorms rolled through southern New Hampshire.","A severe thunderstorm downed trees on South Village Road in Westmoreland." +118074,709657,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"HILLSBOROUGH",2017-06-27 18:57:00,EST-5,2017-06-27 19:01:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-71.69,42.79,-71.69,"An approaching cold front was the focus for convection on the afternoon of the 27th. A few reports of wind damage were received as scattered thunderstorms rolled through southern New Hampshire.","A severe thunderstorm downed multiple trees on Badger Hill Drive in North Brooking." +118078,709671,MAINE,2017,June,Thunderstorm Wind,"WALDO",2017-06-27 18:25:00,EST-5,2017-06-27 18:30:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-68.95,44.34,-68.95,"An approaching cold front was the focus for convection on the afternoon of the 27th. An isolated cell in Waldo County produced a report of wind damage.","An isolated severe thunderstorm downed trees in the Temple Heights section of Northport near Beech Hill Road." +118077,709665,MAINE,2017,June,Flash Flood,"SOMERSET",2017-06-19 16:30:00,EST-5,2017-06-19 18:30:00,0,0,0,0,25.00K,25000,0.00K,0,45.62,-70.25,45.6232,-70.2547,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Flash flooding occurred on several roads in Jackman.","Two to three inches of rain fell in 3 hours and caused several road washouts in Jackman." +118620,712612,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-15 23:52:00,CST-6,2017-07-15 23:52:00,0,0,0,0,,NaN,,NaN,42.54,-88.38,42.54,-88.38,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712613,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-15 23:52:00,CST-6,2017-07-15 23:52:00,0,0,0,0,,NaN,,NaN,42.55,-88.38,42.55,-88.38,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712614,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-15 23:56:00,CST-6,2017-07-15 23:56:00,0,0,0,0,,NaN,,NaN,42.51,-88.35,42.51,-88.35,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712615,WISCONSIN,2017,July,Hail,"WALWORTH",2017-07-16 00:00:00,CST-6,2017-07-16 00:00:00,0,0,0,0,,NaN,,NaN,42.5,-88.33,42.5,-88.33,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","" +118620,712636,WISCONSIN,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-15 22:50:00,CST-6,2017-07-15 22:50:00,0,0,0,0,2.00K,2000,0.00K,0,42.98,-88.63,42.98,-88.63,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Several trees down." +118620,712639,WISCONSIN,2017,July,Thunderstorm Wind,"FOND DU LAC",2017-07-15 20:58:00,CST-6,2017-07-15 20:58:00,0,0,0,0,5.00K,5000,0.00K,0,43.77,-88.78,43.77,-88.78,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Trees down in yard with one landing on the home." +118620,712641,WISCONSIN,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-15 21:53:00,CST-6,2017-07-15 21:53:00,0,0,0,0,0.10K,100,0.00K,0,43.37,-88.38,43.37,-88.38,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Twenty foot flag pole broken." +118620,712643,WISCONSIN,2017,July,Thunderstorm Wind,"MILWAUKEE",2017-07-15 22:40:00,CST-6,2017-07-15 22:40:00,0,0,0,0,10.00K,10000,0.00K,0,43.0709,-87.9028,43.0709,-87.9028,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Three trees down, some landing on homes." +117945,709942,IOWA,2017,July,Thunderstorm Wind,"WINNESHIEK",2017-07-19 16:54:00,CST-6,2017-07-19 16:54:00,0,0,0,0,3.00K,3000,0.00K,0,43.27,-91.68,43.27,-91.68,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Trees were snapped off or uprooted east of Decorah." +118656,712865,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 12:35:00,EST-5,2017-07-08 12:39:00,0,0,0,0,0.00K,0,0.00K,0,43,-71.35,43,-71.35,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees in Auburn." +118656,712866,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 12:40:00,EST-5,2017-07-08 12:45:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-71.26,42.96,-71.26,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees in Chester." +118656,712867,NEW HAMPSHIRE,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 12:40:00,EST-5,2017-07-08 12:44:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-71.28,43.08,-71.28,"A cold front approached the region from the west on the afternoon of July 8th. Ahead of the front, a very moist and humid air mass was in place resulting in good instability. Moderate to strong speed shear associated with a deep shortwave helped convection organize into lines and bowing line segments. Wind damage was the primary threat with these storms, along with very heavy rainfall.","A severe thunderstorm downed trees in Candia." +118416,711987,WISCONSIN,2017,July,Flood,"RACINE",2017-07-12 09:07:00,CST-6,2017-07-17 16:45:00,0,0,0,0,23.50M,23500000,1.00K,1000,42.7759,-88.3042,42.7592,-88.085,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","The Fox River crested in Burlington at a record level of 16.15 feet on July 13th after 4-8 inches of rain in the Fox River Basin. The city of Burlington is divided in half at this river stage from east to west. Bridges and streets in downtown Burlington are blocked off and closed, including Bridge Street. Floodwaters affect homes on the following streets north of E. Jefferson St. in Burlington: North Spring St., North Main St., East Washington St., North Wisconsin St., and Capital Street. Riverside Park and Veterans Park is flooded. Floodwaters affect a portion of Brever Road 4 miles south of Burlington. Floodwaters also approach highway 83. Various road closures over the southwest half of Racine County continued due to flooding. The power was out for much of Burlington for a few days." +119156,715609,PUERTO RICO,2017,July,Flood,"SAN JUAN",2017-07-07 13:40:00,AST-4,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,18.38,-66.05,18.371,-66.0647,"A tropical wave moving across the area, combined with daytime heating and orographic effects produced scattered to numerous showers with thunderstorms across the San Juan metropolitan area.","Flooding was reported on road PR-844 Km 1.1 Near San Juan Charlet after hotel Del Valle." +119158,715620,PUERTO RICO,2017,July,Funnel Cloud,"ISABELA",2017-07-11 18:47:00,AST-4,2017-07-11 18:47:00,0,0,0,0,0.00K,0,0.00K,0,18.45,-67,18.45,-66.9397,"Locally and diurnal effects combined with plenty of moisture in the low to mid-level to produce showers and thunderstorms across northwest PR.","A funnel cloud was reported a few miles north of Isabela and Quebradillas. The funnel cloud was seen from Guajataca Lake." +119170,715668,NEW HAMPSHIRE,2017,July,Flood,"GRAFTON",2017-07-01 00:19:00,EST-5,2017-07-01 17:43:00,0,0,0,0,5.00K,5000,0.00K,0,43.7596,-71.6884,43.7595,-71.6723,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 3 to 5 inches of rain causing flooding on the Pemigewassett River at Plymouth (flood stage 13 ft), which crested at 16.62 ft. Route 175A was flooded." +119125,720523,FLORIDA,2017,September,Tornado,"ST. JOHNS",2017-09-11 00:15:00,EST-5,2017-09-11 00:20:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-81.23,29.72,-81.25,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Significant structural damage occurred at Summer House vacation rentals in Crescent Beach. There were definitive signs of circulation in the debris field. Tree damage extended inland to A1A. The tornado appeared to dissipate over the Intracoastal Waterway. Peak winds were estimated at 110-130 mph." +119730,720432,CALIFORNIA,2017,September,Debris Flow,"KERN",2017-09-03 18:17:00,PST-8,2017-09-03 19:17:00,0,0,0,0,50.00K,50000,0.00K,0,35.3048,-119.0337,35.3048,-119.0323,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported State Route 99 was closed in both directions for about an hour due to power poles downed by thunderstorm wind gusts and a mud slide onto the road near Panama Lane in Bakersfield." +118638,713688,IOWA,2017,July,Heavy Rain,"FLOYD",2017-07-21 04:50:00,CST-6,2017-07-22 00:30:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-92.67,43.06,-92.67,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","In Charles City, 6.63 inches of rain fell." +118638,714602,IOWA,2017,July,Flood,"CLAYTON",2017-07-21 21:25:00,CST-6,2017-07-23 20:05:00,0,0,0,0,0.00K,0,0.00K,0,42.7517,-91.3814,42.7511,-91.382,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Runoff from heavy rains pushed the Volga River out of its banks in Littleport. The river crested over nine feet above the flood stage at 21.13 feet." +118207,714591,WISCONSIN,2017,July,Flood,"VERNON",2017-07-20 00:35:00,CST-6,2017-07-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,43.725,-90.587,43.7254,-90.5858,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Ontario. The river crested over five feet above the flood stage at 23.17 feet. This was a crest of record for this site." +118207,714592,WISCONSIN,2017,July,Flood,"VERNON",2017-07-20 02:50:00,CST-6,2017-07-24 23:50:00,0,0,0,0,0.00K,0,0.00K,0,43.455,-90.7647,43.4548,-90.7637,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Readstown. The river crested almost eight feet above the flood stage at 18.77 feet." +120254,721467,GEORGIA,2017,September,Tropical Storm,"CLINCH",2017-09-10 11:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The Suwanee River at Fargo crested at minor flooding at 104.57 ft on Sept. 19th at 0245 EDT. ||Storm total rainfall included 8.66 about 2 miles NE of Fargo." +120273,720887,CALIFORNIA,2017,September,High Wind,"KERN CTY MTNS",2017-09-21 01:32:00,PST-8,2017-09-21 01:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold and moist upper low which originated in the Gulf of Alaska pushed into California on September 21 bringing widespread precipitation, increased winds and much cooler than normal temperatures to the area. Winds picked up across the area again on the evening of September 20 and continued through the afternoon of September 21 with the strongest observed gusts being observed at the indicator ridge top sites in the Kern County Mountains. In addition, widespread precipitation impacted to area on the 21st with several locations in the San Joaquin Valley measuring a few tenths of an inch of rainfall while several locations in the Southern Sierra Nevada from Yosemite Park southward to Fresno County picked up between an inch and an inch and a half of liquid precipitation. The precipitation fell as snow above 11000 feet during the early morning hours of the 21st. the snow level lowered to around 7000 feet in Yosemite Park by late morning. Tuolumne Meadows measures three inches of new snowfall while State Route 120 through Tioga Pass was shut down due to accumulating snow.","The Blue Max RAWS reported a maximum wind gust of 62 mph." +119662,717775,MONTANA,2017,September,Drought,"DAWSON",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Dawson County began the month in exceptional drought (D4) conditions across the far western portion of the county, and extreme (D3) drought conditions across the rest of the county. By the end of the month, the entire county was seeing extreme (D3) drought conditions. The area received approximately two to three inches of rainfall, which is approximately one inch above normal." +119662,717776,MONTANA,2017,September,Drought,"EASTERN ROOSEVELT",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Eastern Roosevelt County began the month in extreme (D3) drought conditions, which persisted through the month. Even so, the area received approximately two to three and a half inches of rainfall, which is approximately one to two inches above normal." +119662,717778,MONTANA,2017,September,Drought,"GARFIELD",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Garfield County began the month in exceptional (D4) drought conditions. By the end of the month, southeastern portions of the county were seeing extreme (D3) drought conditions, with the rest of the county continuing to see exceptional (D4) drought conditions. The area received one to two and a half inches of rainfall, which is approximately one quarter of an inch to one inch above normal." +119662,717780,MONTANA,2017,September,Drought,"MCCONE",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","McCone County began the month in exceptional (D4) drought conditions. By the end of the month, northwestern portions of the county were seeing exceptional (D4) drought conditions, with the rest of the county seeing a slight improvement to extreme (D3) drought conditions. The area received one and a half to to two inches of rainfall, which is approximately one quarter of an inch to three quarters of an inch above normal." +119662,717783,MONTANA,2017,September,Drought,"NORTHERN PHILLIPS",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Northern Phillips County began the month in exceptional (D4) drought conditions, which persisted through the month. The area received generally one quarter of an inch to three quarters of an inch of rainfall, which is approximately one half of an inch to one inch below normal." +120636,722609,NORTH CAROLINA,2017,September,Hail,"WAYNE",2017-09-01 13:50:00,EST-5,2017-09-01 14:03:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-78.24,35.29,-78.09,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Hail to 1 inch in diameter was reported along a swath from 6 miles northeast of Hobbton to approximately 4 miles west of Brogden." +120636,722619,NORTH CAROLINA,2017,September,Thunderstorm Wind,"RICHMOND",2017-09-01 13:35:00,EST-5,2017-09-01 13:35:00,0,0,0,0,0.50K,500,0.00K,0,35.07,-79.76,35.07,-79.76,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","One tree was blown down in Ellerbe." +120636,722623,NORTH CAROLINA,2017,September,Thunderstorm Wind,"WAYNE",2017-09-01 14:10:00,EST-5,2017-09-01 14:10:00,0,0,0,0,15.00K,15000,0.00K,0,35.24,-78.18,35.24,-78.18,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","A large, live oak tree fell on a mobile home at 512 Crows Foot Road near Grantham School Road." +120636,722626,NORTH CAROLINA,2017,September,Thunderstorm Wind,"LEE",2017-09-01 14:52:00,EST-5,2017-09-01 14:52:00,0,0,0,0,8.00K,8000,0.00K,0,35.41,-79.24,35.44,-79.17,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Numerous trees were blown down along a swath from Tramway to Sanford." +120636,722627,NORTH CAROLINA,2017,September,Thunderstorm Wind,"LEE",2017-09-01 15:00:00,EST-5,2017-09-01 15:10:00,0,0,0,0,75.00K,75000,0.00K,0,35.48,-79.2,35.46,-79.14,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Numerous trees were blown down along a swath from north of Sanford to approximately 3 miles southeast of Sanford. One tree was blown down onto a car and another tree was blown down onto a house. Two additional structures reported damage with a roof collapse." +118207,715472,WISCONSIN,2017,July,Flood,"VERNON",2017-07-20 03:15:00,CST-6,2017-07-24 01:45:00,0,0,0,0,0.00K,0,0.00K,0,43.5033,-90.6688,43.5028,-90.6697,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Viola. The river crested over six feet above the flood stage at 20.25 feet." +118207,715480,WISCONSIN,2017,July,Flood,"CRAWFORD",2017-07-20 04:00:00,CST-6,2017-07-24 22:10:00,0,0,0,0,0.00K,0,0.00K,0,43.3938,-90.7738,43.3933,-90.7747,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Soldiers Grove. The river crested almost five feet above the flood stage at 17.75 feet." +117138,710400,KANSAS,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 16:50:00,CST-6,2017-06-15 16:51:00,0,0,0,0,,NaN,,NaN,39.38,-97.09,39.38,-97.09,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","" +118207,711033,WISCONSIN,2017,July,Flash Flood,"VERNON",2017-07-20 03:00:00,CST-6,2017-07-20 08:00:00,0,0,0,0,289.00K,289000,3.60M,3600000,43.7245,-91.2,43.426,-91.0036,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains, with totals of 6 to 8 inches, produced flash flooding across the central and eastern sections of Vernon County. The headwaters of the Kickapoo River quickly went out of the banks and caused widespread flooding in Ontario. Much of the town was covered in flood waters that prompted State Highways 33 and 131 to be closed. Evacuations were performed east of Westby along Bloomingdale Road, which was closed because of flooding. A mudslide east of Viroqua covered State Highway 56. A rock slide occurred on Mohawk Valley Road north of Stoddard. Water covered County Road P and Spring Coulee Road northeast of Coon Valley and State Highway 162 between Coon Valley and Stoddard. Because of the flooding, campers were evacuated from numerous campgrounds across the county." +118207,712554,WISCONSIN,2017,July,Flood,"BUFFALO",2017-07-20 06:30:00,CST-6,2017-07-21 06:30:00,0,0,0,0,527.00K,527000,1.20M,1200000,44.2222,-91.8572,44.0694,-91.5606,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial flash flooding across Buffalo County, the flood waters continued to cause problems through July 20th into the 21st. Flood waters along Eagle Creek washed out a bridge on County Road G north of Fountain City." +118071,709647,NEW HAMPSHIRE,2017,June,Flash Flood,"CHESHIRE",2017-06-19 14:30:00,EST-5,2017-06-19 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.1305,-72.3584,43.133,-72.3581,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Three to four inches of rain in 3 hours caused flash flooding in Alstead. Washouts and flooding were reported on Cooks Hill Road." +120213,720288,WYOMING,2017,June,Hail,"GOSHEN",2017-06-12 15:10:00,MST-7,2017-06-12 15:20:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-104.52,42.21,-104.52,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Hen egg size hail was observed in northwest Fort Laramie." +120213,720289,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:12:00,MST-7,2017-06-12 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.2847,-104.82,41.2847,-104.82,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Ping pong ball size hail was observed 10 miles north of Cheyenne." +114465,694651,VIRGINIA,2017,April,Flood,"HALIFAX",2017-04-24 18:00:00,EST-5,2017-04-28 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,36.5571,-79.2286,36.5582,-79.1599,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","The Dan River flooded in Halifax County through South Boston. Several roads were closed by the Dan River and other flooded streams. The USGS river gage near Paces (PCEV2) crested above the Major flood category threshold (27 feet), reaching 29.14 feet late day on the 26th . This was the highest crest since September 1996 during Hurricane Fran and 6th highest crest at Paces with data back to about 1940. It was approximately a 25-year return frequency per the USGS or a .04 annual exceedance probability. At the South Boston river gage the crest of 30.25 was also above the Major flood threshold of 29 feet, the highest level since March 2003 and 9th highest on record. There was significant flooding impacts in South Boston with roads closed and several businesses affected. A car lot lost 15 cars due to flooding, and damage across Halifax County was estimated to be in the hundreds of thousands of dollars. There were two water rescues conducted in Halifax county during this event. On Wednesday evening (4/26) a lady drove into high waters crossing Old Cluster Springs Road and became stranded. Early Thursday (4/27) morning another individual drove a vehicle into floodwaters near the Hyco River bridge and was swept off Lowery Road. The driver was able to escape without injury." +115732,695525,VIRGINIA,2017,April,Thunderstorm Wind,"HALIFAX",2017-04-22 15:23:00,EST-5,2017-04-22 15:23:00,0,0,0,0,7.50K,7500,,NaN,36.9089,-78.7792,36.9089,-78.7792,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Thunderstorm winds blew down multiple trees on Neals Corner Road. Damage values are estimated." +118207,714271,WISCONSIN,2017,July,Lightning,"TREMPEALEAU",2017-07-20 03:15:00,CST-6,2017-07-20 03:15:00,0,0,0,0,200.00K,200000,0.00K,0,44.0733,-91.3837,44.0733,-91.3837,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","A lightning strike started an apartment building fire just west of Galesville. Six apartment units were a total loss as a result of the fire." +118207,714323,WISCONSIN,2017,July,Flood,"LA CROSSE",2017-07-20 07:15:00,CST-6,2017-07-21 07:15:00,0,0,0,0,2.30M,2300000,1.10M,1100000,44.0706,-91.1511,44.0879,-91.1923,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial round of flash flooding, the flood waters continued to cause problems into Friday, July 21st. Numerous roads across the county remained closed until the flood waters receded." +118207,714590,WISCONSIN,2017,July,Flood,"VERNON",2017-07-20 03:55:00,CST-6,2017-07-21 21:50:00,0,0,0,0,0.00K,0,0.00K,0,43.5817,-90.6458,43.582,-90.6476,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in La Farge. The river crested over three above the flood stage at 15.16 feet." +119159,715791,PUERTO RICO,2017,July,Flash Flood,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2008,-65.7268,18.199,-65.727,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Road PR-192 near Flanes Caribbean Snacks Factory was reported impassable." +119159,715793,PUERTO RICO,2017,July,Flash Flood,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2152,-65.7315,18.2147,-65.7322,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","PR-31 near exit 22 was reported impassable." +119159,715805,PUERTO RICO,2017,July,Heavy Rain,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2421,-65.8174,18.2255,-65.804,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Mudslide was reported along road PR-950 in sector Higuerillo in El Yunque." +119159,715881,PUERTO RICO,2017,July,Flash Flood,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2195,-65.7911,18.2202,-65.7846,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Two houses were reported flooded in the Urbanization of Rio Blanco." +119159,715893,PUERTO RICO,2017,July,Heavy Rain,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2354,-65.7582,18.2316,-65.7606,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Mudslide was reported along Road PR-970 in Sector Maizales." +119216,715886,PUERTO RICO,2017,July,Flood,"HORMIGUEROS",2017-07-25 15:15:00,AST-4,2017-07-25 17:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1385,-67.1342,18.1376,-67.1251,"Strong diurnal heating and local effects resulted the development of heavy showers and thunderstorms across interior and western PR.","The intersection of Roads PR-3344 and PR-309 reported impassable." +119159,715627,PUERTO RICO,2017,July,Flash Flood,"NAGUABO",2017-07-13 21:00:00,AST-4,2017-07-14 00:15:00,0,0,0,0,0.00K,0,0.00K,0,18.2367,-65.7601,18.2373,-65.7562,"A tropical wave interacting with an upper-level trough resulted in the development of showers and thunderstorms across the region. Due to the deep southeasterly wind flow, rounds of heavy showers affected Naguabo during the afternoon and evening hours.","Road PR-970 in Maizales was reported impassable." +117599,707227,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-07 19:40:00,PST-8,2017-07-07 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.25,-115.03,36.25,-115.03,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","This gust was measured at Nellis AFB. The fire station door was blown off its track." +117599,707228,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-10 12:55:00,PST-8,2017-07-10 12:55:00,0,0,0,0,0.00K,0,0.00K,0,35.9472,-114.8623,35.9472,-114.8623,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","This gust occurred at the Boulder City Airport." +117599,707230,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-10 16:37:00,PST-8,2017-07-10 16:37:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-115.67,36.58,-115.67,"The season's first push of monsoon moisture brought scattered thunderstorms to the Mojave Desert. Some storms produced severe weather and flash flooding.","This gust occurred at the Indian Springs ASOS." +117603,707232,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-13 14:49:00,MST-7,2017-07-13 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.1421,-113.6416,35.1429,-113.6434,"Monsoon moisture produced another round of scattered thunderstorms in Mohave County. One storm produced flash flooding.","Hackberry Road was closed from I-40 to Highway 93 due to flooding." +117740,707951,CALIFORNIA,2017,July,Heat,"DEATH VALLEY NATIONAL PARK",2017-07-07 11:00:00,PST-8,2017-07-07 15:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A woman suffered heat stroke in Death Valley.","A tourist in Death Valley suffered heat stroke. She was released from the hospital after one day." +117741,707953,ARIZONA,2017,July,Hail,"MOHAVE",2017-07-18 14:30:00,MST-7,2017-07-18 14:35:00,0,0,0,0,0.00K,0,0.00K,0,35.2948,-113.3665,35.2948,-113.3665,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","" +117741,707956,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-18 15:45:00,MST-7,2017-07-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.7348,-113.6145,34.7389,-113.6145,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Pump Station Road was closed due to flooding." +118606,714091,INDIANA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-22 03:35:00,EST-5,2017-07-22 03:35:00,0,0,0,0,15.00K,15000,,NaN,40.2,-85.33,40.2,-85.33,"A squall line dropped southeast into central Indiana from the northwest during the late evening of the 21st and early morning of the 22nd. A portion of the line bowed as it moved into the area producing damaging winds. Thunderstorms caused mainly wind damage across the northern half of central Indiana during this timeframe.","Trees and power lines were downed in several locations due to damaging thunderstorm wind gusts." +119606,717557,ILLINOIS,2017,July,Thunderstorm Wind,"DU PAGE",2017-07-19 20:30:00,CST-6,2017-07-19 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-88.15,41.78,-88.15,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","A large tree was blown down onto a house." +119606,717558,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-19 20:32:00,CST-6,2017-07-19 20:32:00,0,0,0,0,0.00K,0,0.00K,0,41.5281,-88.101,41.5281,-88.101,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Six inch diameter tree limbs were blown down near Western and Raynor Avenues." +119606,717559,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-19 20:32:00,CST-6,2017-07-19 20:32:00,0,0,0,0,0.00K,0,0.00K,0,41.5448,-88.1112,41.5448,-88.1112,"Severe thunderstorms moved across parts of northeast Illinois during the evening hours of July 19th.","Tree limbs were blown down and a stop sign was bent in half near Route 30 and Ingalls Avenue." +120347,721380,GEORGIA,2017,September,Tropical Storm,"BLECKLEY",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. A large portion of the county was without electricity for some period of time. No injuries were reported." +114445,686364,NEW YORK,2017,March,Blizzard,"WESTERN DUTCHESS",2017-03-14 00:30:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686365,NEW YORK,2017,March,Blizzard,"EASTERN DUTCHESS",2017-03-14 00:30:00,EST-5,2017-03-15 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686366,NEW YORK,2017,March,Blizzard,"SOUTHERN WASHINGTON",2017-03-14 02:30:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686367,NEW YORK,2017,March,Blizzard,"SOUTHEAST WARREN",2017-03-14 03:30:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +119753,723449,TEXAS,2017,August,Tropical Storm,"GALVESTON",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,3,3,10.00B,10000000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Galveston County experienced catastrophic flooding from record rainfall along Dickinson Bayou, Clear Creek and other tributaries. There were 6 fatalities related to Harvey, 3 direct according to county coroner's office. Dickinson, Friendswood and League City were hard hit." +119753,723474,TEXAS,2017,August,Tropical Storm,"SAN JACINTO",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,3,0,350.00M,350000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced very heavy rainfall and flooding over portions of San Jacinto County. Major lowland flooding occurred near the Trinity River and areas below Lake Livingston. There were 3 fatalities, all direct." +118600,715892,INDIANA,2017,July,Flood,"JOHNSON",2017-07-11 09:00:00,EST-5,2017-07-11 11:00:00,0,0,0,0,0.50K,500,0.50K,500,39.5217,-86.0361,39.521,-86.0363,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","One to two inches of flowing water was over the road at the intersection of Hurricane Road and County Road 300 North due to heavy rainfall. Water was also covering the road in a couple spots north of that intersection." +118600,715959,INDIANA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-11 11:47:00,EST-5,2017-07-11 11:47:00,0,0,0,0,7.00K,7000,0.00K,0,39.98,-86.16,39.98,-86.16,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","A large tree snapped and fell onto a house in this location due to damaging thunderstorm wind gusts. Several power lines were downed as well." +119051,714966,MONTANA,2017,July,Thunderstorm Wind,"HILL",2017-07-15 17:22:00,MST-7,2017-07-15 17:22:00,0,0,0,0,0.00K,0,0.00K,0,48.88,-109.64,48.88,-109.64,"A strong shortwave combined with a lee-side surface trough provided lift for thunderstorm development across central Montana. Storms formed in an environment characterized by hot temperatures and steep lapse rates with mostly unidirectional shear aloft, promoting damaging winds.","Peak wind gusts reported at a WxLink site on Sather Farms. Gust was from thunderstorm outflow." +119070,715127,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-23 00:00:00,EST-5,2017-07-23 00:00:00,0,0,0,0,,NaN,,NaN,37.98,-75.86,37.98,-75.86,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Crisfield." +119007,715164,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-07 14:31:00,EST-5,2017-07-07 14:34:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms tracked to the east and impacted the Charleston Harbor and surrounding coastal waters with strong wind gusts.","The Weatherflow site at Fort Sumter measured a 37 knot wind gust." +119090,715209,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-20 14:38:00,EST-5,2017-07-20 14:39:00,0,0,0,0,0.50K,500,0.00K,0,32.42,-81.01,32.42,-81.01,"Scattered to numerous thunderstorms developed within an inland trough in the afternoon hours. A few of these thunderstorms because strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down along Interstate 95 southbound at mile marker 14." +118468,713478,MARYLAND,2017,July,Lightning,"HARFORD",2017-07-24 20:38:00,EST-5,2017-07-24 20:38:00,1,0,0,0,,NaN,,NaN,39.46,-76.26,39.46,-76.26,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","An individual riding a bike was struck by lightning near the intersection of Pulaski Highway and Long Bar Harbor Road." +118768,713504,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CABARRUS",2017-07-05 17:00:00,EST-5,2017-07-05 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.297,-80.658,35.297,-80.658,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","FD reported a tree blown down on a car on Sherborne Dr." +118137,713536,OHIO,2017,July,Hail,"CRAWFORD",2017-07-07 11:24:00,EST-5,2017-07-07 11:24:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-82.9604,40.77,-82.9604,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Nickel sized hail was observed just east of the Crawford County Airport." +118778,713556,NORTH CAROLINA,2017,July,Thunderstorm Wind,"POLK",2017-07-08 15:39:00,EST-5,2017-07-08 15:39:00,0,0,0,0,0.00K,0,0.00K,0,35.225,-82.033,35.225,-82.033,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","FD reported multiple trees and some power lines blown down in the Green Creek area, centered around Green Creek Drive." +118599,712473,MINNESOTA,2017,September,Hail,"POLK",2017-09-04 12:35:00,CST-6,2017-09-04 12:35:00,0,0,0,0,,NaN,,NaN,47.93,-97.02,47.93,-97.02,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","Dime to quarter sized hail was reported." +118599,712474,MINNESOTA,2017,September,Hail,"BELTRAMI",2017-09-04 12:50:00,CST-6,2017-09-04 12:50:00,0,0,0,0,,NaN,,NaN,47.68,-94.91,47.68,-94.91,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","Dime to nickel sized hail fell, along with a few quarter sized hailstones." +118599,712475,MINNESOTA,2017,September,Thunderstorm Wind,"BECKER",2017-09-04 14:33:00,CST-6,2017-09-04 14:33:00,0,0,0,0,,NaN,,NaN,46.81,-95.88,46.81,-95.88,"Morning surface heating, cold temperatures aloft, and an upper level disturbance, combined to produce afternoon showers and thunderstorms. These storms produced numerous hail and gusty wind reports.","The peak wind was measured at the Detroit Lakes airport." +119227,715965,NORTH DAKOTA,2017,September,Hail,"BARNES",2017-09-19 15:30:00,CST-6,2017-09-19 15:30:00,0,0,0,0,,NaN,,NaN,46.64,-98.16,46.64,-98.16,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Quarter sized hail fell along with 50 to 60 mph winds." +119227,715972,NORTH DAKOTA,2017,September,Thunderstorm Wind,"BARNES",2017-09-19 15:41:00,CST-6,2017-09-19 15:41:00,0,0,0,0,,NaN,,NaN,46.67,-98.18,46.67,-98.18,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","A barn had damage to its roof from impacted tree limbs. A house also had shingles removed." +119230,715990,MINNESOTA,2017,September,Thunderstorm Wind,"POLK",2017-09-19 19:40:00,CST-6,2017-09-19 19:40:00,0,0,0,0,,NaN,,NaN,47.58,-95.99,47.58,-95.99,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Trees were blown down at a farmstead, some being uprooted." +119230,715993,MINNESOTA,2017,September,Thunderstorm Wind,"RED LAKE",2017-09-19 19:50:00,CST-6,2017-09-19 19:50:00,0,0,0,0,,NaN,,NaN,47.77,-96,47.77,-96,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","Numerous four to six inch diameter tree branches were broken down in shelterbelts across southern Poplar River Township. A nearby MNDOT RWIS mesonet station also lost power." +119230,715995,MINNESOTA,2017,September,Thunderstorm Wind,"POLK",2017-09-19 19:59:00,CST-6,2017-09-19 19:59:00,0,0,0,0,,NaN,,NaN,47.6,-95.78,47.6,-95.78,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","The AWOS at the Fosston airport measured the wind gust from the southwest. Shelterbelts in adjacent portions of Brandsvold Township had broken oak branches commensurate with these wind speeds." +119240,716028,MINNESOTA,2017,September,Hail,"BECKER",2017-09-14 19:49:00,CST-6,2017-09-14 19:49:00,0,0,0,0,,NaN,,NaN,46.92,-95.17,46.92,-95.17,"By the early evening of September 14th, a stationary boundary had set up along a line from Elbow Lake to Wadena. A few severe thunderstorms formed north of this boundary, in the Park Rapids area.","" +119240,716174,MINNESOTA,2017,September,Hail,"HUBBARD",2017-09-14 20:40:00,CST-6,2017-09-14 20:40:00,0,0,0,0,,NaN,,NaN,46.93,-94.91,46.93,-94.91,"By the early evening of September 14th, a stationary boundary had set up along a line from Elbow Lake to Wadena. A few severe thunderstorms formed north of this boundary, in the Park Rapids area.","The hail fell at Fifth Crow Wing Lake." +120053,719404,ARKANSAS,2017,September,Thunderstorm Wind,"MISSISSIPPI",2017-09-18 16:10:00,CST-6,2017-09-18 16:15:00,0,0,0,0,,NaN,0.00K,0,35.9415,-89.7935,35.946,-89.7906,"A weak disturbance moved through the Mid-South and interacted with a warm and unstable airmass to produce scattered afternoon showers and thunderstorms. A thunderstorm over eastern Arkansas became severe with damaging winds.","A trucking business had extensive structural and roof damage on Highway 137 east of Blytheville." +118980,714658,MONTANA,2017,September,Winter Storm,"BEAVERHEAD",2017-09-15 10:55:00,MST-7,2017-09-15 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper-level trough and embedded low pressure center moved southeastward from the Gulf of Alaska. Ahead of this system, isentropic lift generated widespread precipitation. This included accumulating snow in the mountains, especially above 6000 feet MSL. Greater snow amounts were realized in the Central and Southwest Montana mountains compared to farther north.","Trained spotter reported up to 4 inches of snow in Dillon. Also received multiple reports of vehicle slide-offs along I-15 on his scanner." +118980,714668,MONTANA,2017,September,Winter Storm,"SOUTHERN LEWIS AND CLARK",2017-09-15 12:45:00,MST-7,2017-09-15 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper-level trough and embedded low pressure center moved southeastward from the Gulf of Alaska. Ahead of this system, isentropic lift generated widespread precipitation. This included accumulating snow in the mountains, especially above 6000 feet MSL. Greater snow amounts were realized in the Central and Southwest Montana mountains compared to farther north.","Google Traffic showed very slow traffic flow over Rogers Pass. Likely due to falling snow per radar imagery." +120545,722184,TEXAS,2017,September,Thunderstorm Wind,"HUDSPETH",2017-09-23 16:20:00,MST-7,2017-09-23 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,31.9348,-105.1982,31.9348,-105.1982,"A deep early fall trough was moving into the Four Corners region with a dryline setup through Hudspeth County. These features combined to produce some strong to severe thunderstorms over eastern Hudspeth County in the late afternoon.","The Sheriff reported downed power lines in Dell City." +120546,722185,TEXAS,2017,September,Flash Flood,"EL PASO",2017-09-28 03:19:00,MST-7,2017-09-28 06:00:00,0,0,0,0,20.00K,20000,0.00K,0,31.9382,-106.6058,31.9336,-106.5653,"An upper low was located over southern Utah with strong southwest flow aloft. Low level winds were out of the east bringing in good low level moisture to the region as dew points were into the lower 60s. Thunderstorms developed around 2AM over western El Paso county and trained over the area for several hours producing rainfall amounts of 2 to over 4 inches in just a few hours which lead to flash flooding.","Water was knee deep at the intersection of Doniphan and Talbot making the road impassable. Water entered several businesses in this area including Tamales Lupita. Additional deep flooding was reported at the intersection of Doniphan and Redd Road." +120549,722189,NEW MEXICO,2017,September,Flash Flood,"GRANT",2017-09-30 00:27:00,MST-7,2017-09-30 04:00:00,0,0,2,0,0.00K,0,0.00K,0,32.8232,-108.3087,32.7054,-108.3266,"An upper low was lifting out over the Rockies with an 80 knot upper level jet moving|onto the southern plains. A strong surface high was located over the midwest with strong easterly winds keeping Gulf moisture across the region. Nocturnal thunderstorms developed in the early morning hours of September 30 and trained over the Silver City area with up to 3.45 inches of rain reported just north of town. This heavy rain lead to flash flooding which resulted in 2 fatalities in the Pinos Altos Creek area.","Widespread rainfall amounts of 2 inches to almost 3.5 inches occurred around Silver City in the early morning hours. A water rescue was necessary in Tyrone. One vehicle was swept away in the Pinos Altos Creek low water crossing on East 19th Street. The vehicle became wedged in culvert running under US 180, but the driver and occupant were washed downstream. One body was recovered about 0.8 miles downstream near the confluence with Silva Creek. A second body was recovered about 1.2 miles downstream in the Silver City big ditch reach of San Vicente Arroyo near the Broadway Street bridge." +120742,723192,KANSAS,2017,September,Hail,"SCOTT",2017-09-24 17:40:00,CST-6,2017-09-24 17:40:00,0,0,0,0,,NaN,,NaN,38.4,-100.75,38.4,-100.75,"Unstable air with MLCAPE of around 1500 J/kg and effective bulk shear of around 40 knots was enough to help storms become severe around sunset.","" +120742,723194,KANSAS,2017,September,Thunderstorm Wind,"SCOTT",2017-09-24 17:44:00,CST-6,2017-09-24 17:44:00,0,0,0,0,,NaN,,NaN,38.37,-100.79,38.37,-100.79,"Unstable air with MLCAPE of around 1500 J/kg and effective bulk shear of around 40 knots was enough to help storms become severe around sunset.","" +120742,723195,KANSAS,2017,September,Thunderstorm Wind,"SCOTT",2017-09-24 17:45:00,CST-6,2017-09-24 17:45:00,0,0,0,0,,NaN,,NaN,38.47,-100.73,38.47,-100.73,"Unstable air with MLCAPE of around 1500 J/kg and effective bulk shear of around 40 knots was enough to help storms become severe around sunset.","Dime sized hail fell during the wind." +120743,723196,KANSAS,2017,September,Flash Flood,"PRATT",2017-09-25 12:38:00,CST-6,2017-09-25 16:38:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-98.56,37.7593,-98.5581,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","Water was around six inches over local roads." +120743,723197,KANSAS,2017,September,Flash Flood,"PRATT",2017-09-25 14:10:00,CST-6,2017-09-25 18:10:00,0,0,0,0,0.00K,0,0.00K,0,37.7648,-98.5527,37.7686,-98.5384,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","Water was over highway 61 and water was entering three homes with water encroaching on the 4th home." +120743,723198,KANSAS,2017,September,Flood,"BARBER",2017-09-25 14:20:00,CST-6,2017-09-25 23:20:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-98.69,37.2413,-98.6524,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","Water was reported over a few of the roads." +120743,723199,KANSAS,2017,September,Flood,"BARBER",2017-09-25 15:09:00,CST-6,2017-09-25 23:09:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-98.59,37.2743,-98.5824,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","There was significant street flooding." +120743,723200,KANSAS,2017,September,Heavy Rain,"ELLIS",2017-09-24 07:20:00,CST-6,2017-09-25 07:20:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-99.56,38.94,-99.56,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","Rainfall of 4.75 inches fell during the previous 24 hours." +120743,723201,KANSAS,2017,September,Heavy Rain,"PRATT",2017-09-25 18:00:00,CST-6,2017-09-26 08:30:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-98.5,37.75,-98.5,"A cold front in the wake of a passing upper level short wave trough helped to produce scattered thunderstorms late in the morning.","Rainfall of 6.40 inches was reported during the previous 24 hours." +119248,716043,SOUTH CAROLINA,2017,September,Hail,"FAIRFIELD",2017-09-01 13:45:00,EST-5,2017-09-01 13:49:00,0,0,0,0,,NaN,,NaN,34.37,-80.8,34.37,-80.8,"Daytime heating, along with moisture, instability, and shear, influenced by the remnants of Tropical Cyclone Harvey NW of the region, led to scattered severe thunderstorms over the Northern Midlands of SC during the afternoon, which produced hail and strong damaging wind gusts.","Quarter size hail reported near the intersection of River Rd and Doe Run Ln." +120536,722078,NORTH CAROLINA,2017,September,Strong Wind,"IREDELL",2017-09-11 18:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, gusty winds developed over the foothills and western Piedmont of North Carolina. While wind gusts rarely exceeded 40 mph in these areas, the combination of prolonged gusty winds and very wet soil from heavy rainfall caused quite a few trees to fall across the area, with trees down on homes in Gastonia, Morganton, Mooresville, and Rockwell.","" +120536,722079,NORTH CAROLINA,2017,September,Strong Wind,"ROWAN",2017-09-11 18:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, gusty winds developed over the foothills and western Piedmont of North Carolina. While wind gusts rarely exceeded 40 mph in these areas, the combination of prolonged gusty winds and very wet soil from heavy rainfall caused quite a few trees to fall across the area, with trees down on homes in Gastonia, Morganton, Mooresville, and Rockwell.","" +120536,722080,NORTH CAROLINA,2017,September,Strong Wind,"CLEVELAND",2017-09-11 18:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, gusty winds developed over the foothills and western Piedmont of North Carolina. While wind gusts rarely exceeded 40 mph in these areas, the combination of prolonged gusty winds and very wet soil from heavy rainfall caused quite a few trees to fall across the area, with trees down on homes in Gastonia, Morganton, Mooresville, and Rockwell.","" +120536,722081,NORTH CAROLINA,2017,September,Strong Wind,"LINCOLN",2017-09-11 18:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, gusty winds developed over the foothills and western Piedmont of North Carolina. While wind gusts rarely exceeded 40 mph in these areas, the combination of prolonged gusty winds and very wet soil from heavy rainfall caused quite a few trees to fall across the area, with trees down on homes in Gastonia, Morganton, Mooresville, and Rockwell.","" +120536,722082,NORTH CAROLINA,2017,September,Strong Wind,"GASTON",2017-09-11 18:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, gusty winds developed over the foothills and western Piedmont of North Carolina. While wind gusts rarely exceeded 40 mph in these areas, the combination of prolonged gusty winds and very wet soil from heavy rainfall caused quite a few trees to fall across the area, with trees down on homes in Gastonia, Morganton, Mooresville, and Rockwell.","" +120537,722085,NORTH CAROLINA,2017,September,Hail,"TRANSYLVANIA",2017-09-20 15:30:00,EST-5,2017-09-20 15:30:00,0,0,0,0,,NaN,,NaN,35.13,-82.93,35.13,-82.93,"Scattered thunderstorms developed during the late afternoon across the high terrain of western North Carolina. A couple of the storms briefly became strong to severe, producing hail up to the size of half dollars.","Spotter reported 3/4 inch hail in the Lake Toxaway area." +121092,729002,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-86.97,34.361,-87.0038,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding with at least 6 inches of swift moving water on Barkley Bridge Road along Mack Creek." +121092,729003,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-87.02,34.3758,-87.0209,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding reported on New Cut Road at Herrin Creek. Water rescues underway with up to 6 vehicles trapped. 3 feet of swift flood waters reported." +121092,729007,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-87.06,34.4299,-87.0643,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding was reported along Craze Road along Johnson Chapel Creek. Road remains impassable and flooded as of 935am." +121092,729010,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.44,-87.08,34.441,-87.0862,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding reported on North Johnson Chapel Road at Johnson Chapel Creek. At least 6-12 inches of swift moving water over the road. Flash flooding continues as of 9am." +121092,729014,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.45,-86.81,34.4488,-86.8045,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding was reported along Hobb Ward Road. Despite some receding since 7am, still well over 6 inches of swift moving water still reported as of 910am." +121092,729015,ALABAMA,2017,December,Flash Flood,"MORGAN",2017-12-20 07:01:00,CST-6,2017-12-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-86.81,34.4497,-86.8212,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Flash flooding was reported along Barnett Chapel Road and Black Road along Gill Creek. Although receded since 7am, still well over 6 inches of swift moving water reported as of 910am." +121627,727925,WYOMING,2017,December,Winter Storm,"NATRONA COUNTY LOWER ELEVATIONS",2017-12-03 22:00:00,MST-7,2017-12-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropping southward across brought locally heavy snow to portions of western and central Wyoming. Some of the highest amounts of snow in western Wyoming included 15 inches of snow at Cottonwood Creek in the Salt and Wyoming Ranges. Meanwhile, East of the Divide. 12 inches fell at the St. Lawrence SNOTEL site in the Wind River Mountains. In the lower elevations, heavy snow fell in some areas from southeastern Fremont County into Natrona County. Over a foot of snow fell in Sweetwater Station with 7 to 9 inches around Casper.","Trained spotters measured 6 to 9 inches around the city of Casper, with the highest amounts in the foothills of Casper Mountain." +121635,727980,WYOMING,2017,December,High Wind,"CODY FOOTHILLS",2017-12-17 17:45:00,MST-7,2017-12-18 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface in the Lee of the Absarokas and brought high winds in some areas near Clark. At the wind sensor 8 miles S of Clark, there were several wind gusts past 58 mph, including a maximum gust of 71 mph.","A maximum wind gust of 71 mph was reported 8 miles south of Clark." +121672,728276,WYOMING,2017,December,High Wind,"CODY FOOTHILLS",2017-12-20 00:36:00,MST-7,2017-12-20 03:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept across Wyoming and brought snow to some areas. Most of the snow was light to moderate. However, in the Lander foothills upslope flow helped to enhance snowfall rates and brought locally heavy snow. Amounts of 5 to 9 inches were common around Lander, with 8.3 inches measured at the Lander airport. In addition, locally high winds occurred ahead of the front in the wind prone areas near Clark in Park County. At the wind sensor 5 miles west of Clark, there was around a 3 hour period of high wind including a maximum wind gust of 98 mph.","Several wind gusts over 58 mph were recorded 5 miles west of Clark, including a maximum gust of 98 mph." +121672,728278,WYOMING,2017,December,Winter Storm,"LANDER FOOTHILLS",2017-12-20 18:00:00,MST-7,2017-12-21 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept across Wyoming and brought snow to some areas. Most of the snow was light to moderate. However, in the Lander foothills upslope flow helped to enhance snowfall rates and brought locally heavy snow. Amounts of 5 to 9 inches were common around Lander, with 8.3 inches measured at the Lander airport. In addition, locally high winds occurred ahead of the front in the wind prone areas near Clark in Park County. At the wind sensor 5 miles west of Clark, there was around a 3 hour period of high wind including a maximum wind gust of 98 mph.","The observer at the Lander airport measured 8.3 inches of new snow. Around Lander, 5 to 9 inches of snow was common." +121689,728403,WYOMING,2017,December,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-12-24 21:00:00,MST-7,2017-12-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved into western Wyoming and brought locally heavy snow. The highest amounts were recorded in the Tetons and Salt and Wyoming Range where up to 15 inches of snow fell. Heavy snow also fell in portions of the Star Valley where 8 inches of snow was measured.","Heavy snow fell in portions of the Tetons. At the Jackson Hole Ski Resort, 15 inches of new snow was measured." +117779,717768,MINNESOTA,2017,August,Tornado,"SIBLEY",2017-08-16 18:21:00,CST-6,2017-08-16 18:22:00,0,0,0,0,0.00K,0,0.00K,0,44.694,-94.5097,44.7002,-94.5186,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A storm chaser provided video of a brief tornado that moved across some fields before it dissipated. No crop damage was noted." +120347,721388,GEORGIA,2017,September,Tropical Storm,"TAYLOR",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported many trees and power lines blown down across the county. A wind gust of 48 mph was measured in Butler. Radar estimated between 2 and 4 inches of rain fell across the county with 2.46 inches measured near Salem. No injuries were reported." +119798,718352,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"COLLETON",2017-09-01 16:13:00,EST-5,2017-09-01 16:14:00,0,0,0,0,,NaN,0.00K,0,32.93,-80.45,32.93,-80.45,"An area of thunderstorms developed in the afternoon hours across southeast Georgia and progressed into southeast South Carolina. These thunderstorms formed in a warm and unstable airmass around the periphery of the remnants of Tropical Cyclone Harvey as it moved across the Tennessee Valley. A few of these thunderstorms became strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported 2 trees down in the 3500 block of Rhode Drive." +119800,718369,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-09-02 03:30:00,EST-5,2017-09-02 03:33:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","Buoy 41004 measured a 35 knot wind gust." +119801,718370,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 02:58:00,EST-5,2017-09-02 03:00:00,0,0,0,0,,NaN,0.00K,0,32.73,-79.97,32.73,-79.97,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","A trained spotter reported a large tree down in the 900 block of Folly Road on James Island." +119801,718371,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:08:00,EST-5,2017-09-02 03:09:00,0,0,0,0,,NaN,0.00K,0,32.74,-79.92,32.74,-79.92,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","A report of a tree down near the intersection of Fred Street and Fort Johnson Road was received via social media." +119801,718372,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:10:00,EST-5,2017-09-02 03:11:00,0,0,0,0,,NaN,0.00K,0,32.74,-79.93,32.74,-79.93,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","A trained spotter reported several large limbs down on Stillwater Drive." +119801,718373,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:13:00,EST-5,2017-09-02 03:14:00,0,0,0,0,,NaN,0.00K,0,32.9,-79.79,32.9,-79.79,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","A National Weather Service employee reported 2 large trees down near the intersection of Highway 41 and the entrance to the Park West subdivision." +119801,718374,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:30:00,EST-5,2017-09-02 03:31:00,0,0,0,0,,NaN,0.00K,0,32.92,-79.71,32.92,-79.71,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","Charleston County dispatch reported multiple trees down along Seewee Road near Highway 17." +119801,718375,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:30:00,EST-5,2017-09-02 03:31:00,0,0,0,0,,NaN,0.00K,0,32.94,-79.73,32.94,-79.73,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","Charleston Fire Department reported a tree down on Guerins Bridge Road near Woodville Road." +120805,723442,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-04 12:51:00,EST-5,2017-09-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,24.6034,-81.7472,24.6034,-81.7472,"Several waterspouts were observed in association with a cloud line extending just north of the Lower Florida Keys.","A very thin waterspout was observed north of Stock Island. The condensation funnel extended approximately three-quarters the way down from cloud base." +120805,723444,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-04 13:04:00,EST-5,2017-09-04 13:15:00,0,0,0,0,0.00K,0,0.00K,0,24.6271,-81.7781,24.6271,-81.7781,"Several waterspouts were observed in association with a cloud line extending just north of the Lower Florida Keys.","Several waterspouts were reported north of Key West and Stock Island, directly from the public and relayed through social media. A spray ring was visible for one of the waterspouts, with a condensation funnel cloud extending all the way to the water surface. The other waterspouts did not have fully extended condensation funnel clouds from cloud base." +120805,723445,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-04 13:05:00,EST-5,2017-09-04 13:05:00,0,0,0,0,0.00K,0,0.00K,0,24.69,-81.62,24.69,-81.62,"Several waterspouts were observed in association with a cloud line extending just north of the Lower Florida Keys.","Multiple waterspouts were observed about 5 miles north-northwest of Bay Point." +120806,723446,GULF OF MEXICO,2017,September,Waterspout,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-09-13 09:05:00,EST-5,2017-09-13 09:05:00,0,0,0,0,0.00K,0,0.00K,0,25.15,-80.42,25.15,-80.42,"An isolated waterspout was observed near Blackwater Sound in association with a developing rain shower.","An isolated waterspout was observed near Blackwater Sound." +120807,723447,GULF OF MEXICO,2017,September,Waterspout,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-09-22 12:17:00,EST-5,2017-09-22 12:17:00,0,0,0,0,0.00K,0,0.00K,0,24.99,-80.49,24.99,-80.49,"An isolated waterspout was observed near Tavernier, Florida, in association with a developing rain shower.","A waterspout was observed about 3 miles southeast of Tavernier." +120808,723448,GULF OF MEXICO,2017,September,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-09-30 08:33:00,EST-5,2017-09-30 08:33:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Numerous showers and scattered thunderstorms over the southeast Gulf of Mexico produced brief gale-force wind gusts near Dry Tortugas National Park. A weak trough of low pressure extended north-to-south over the western Florida Straits and southeast Gulf of Mexico.","A wind gust of 36 knots was measured at Pulaski Shoal Light." +115397,692918,ILLINOIS,2017,April,Tornado,"JERSEY",2017-04-29 15:02:00,CST-6,2017-04-29 15:04:00,0,0,0,0,0.00K,0,0.00K,0,39.0711,-90.1723,39.0841,-90.1458,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","A weak tornado developed in east central Jersey County, about two tenths of a mile north of Oak Rest Lane, just west of intersection with Oak Rest Road. It travelled to the northeast, crossing Crystal Lake Road just south of Lards Road. Most of the damage to this point was minimal. As it crossed Oak Rest Road, it caused extensive tree damage with numerous trees uprooted, snapped and twisted. The tornado then moved across a field and caused EF1 damage to a property on Gun Club Road, just west of Stonebrooke Drive. Here at least a dozen mature trees were snapped and twisted. The detached garage was destroyed and the single family home had minor damage including windows broken out of the house. The tornado continued northeast for about half a mile before crossing into Macoupin County, 3 miles north of Brighton." +120872,723705,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-09-05 16:30:00,EST-5,2017-09-05 16:30:00,0,0,0,0,,NaN,,NaN,39.29,-76.58,39.29,-76.58,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to produce gusty winds.","A wind gusts in excess of 30 knots was reported." +120872,723706,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-09-05 16:42:00,EST-5,2017-09-05 16:42:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to produce gusty winds.","A wind gusts in excess of 30 knots was reported." +118717,713205,TEXAS,2017,June,Thunderstorm Wind,"NUECES",2017-06-04 16:23:00,CST-6,2017-06-04 16:23:00,0,0,0,0,,NaN,0.00K,0,27.7709,-97.4152,27.7709,-97.4152,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Corpus Christi Police Department reported 60 mph winds on Crosstown Expressway near Baldwin Boulevard. Nickel sized hail was also reported." +118717,713211,TEXAS,2017,June,Hail,"NUECES",2017-06-04 16:59:00,CST-6,2017-06-04 17:03:00,0,0,0,0,10.00K,10000,0.00K,0,27.72,-97.36,27.72,-97.36,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Public reported golf ball sized hail near Alameda Street and Airline Road." +120032,719328,VIRGINIA,2017,September,Thunderstorm Wind,"ALBEMARLE",2017-09-05 15:36:00,EST-5,2017-09-05 15:36:00,0,0,0,0,,NaN,,NaN,38.1072,-78.5047,38.1072,-78.5047,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down at the intersection of Holly Knoll Lane and Woodlands Road." +120032,719329,VIRGINIA,2017,September,Thunderstorm Wind,"ALBEMARLE",2017-09-05 15:36:00,EST-5,2017-09-05 15:36:00,0,0,0,0,,NaN,,NaN,38.16,-78.52,38.16,-78.52,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree that was twelve inches in diameter was snapped off along Pelham Road." +115396,714113,MISSOURI,2017,April,Flood,"LINCOLN",2017-04-30 10:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.0376,-91.0533,38.8676,-90.8165,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Cuivre River crested just above major stage at Troy, while it rose to about 2 feet over major stage at Old Monroe due to the heavy rainfall. Numerous roads were flooded due to the river flooding." +118923,714418,MISSOURI,2017,May,Flood,"FRANKLIN",2017-05-01 00:00:00,CST-6,2017-05-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.207,-91.1399,38.4118,-91.1745,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Meramec River at Pacific rose above major stage during the day on May 1st. Also, the Bourbeuse River at Union crested 3 feet above major stage during the day on May 2nd. Numerous roads were flooded, as well as, several camp grounds and parks. In Pacific, numerous homes and businesses were flooded." +118836,715073,LOUISIANA,2017,June,Tropical Storm,"UPPER TERREBONNE",2017-06-20 17:00:00,CST-6,2017-06-20 23:00:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts affected the parish. The strong winds caused a tree to fall on a mobile home, injuring two children who were inside." +118836,715112,LOUISIANA,2017,June,Tropical Storm,"LOWER JEFFERSON",2017-06-20 09:00:00,CST-6,2017-06-21 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force gusts and a few instances of sustained tropical storm force winds affected the parish - especially at Grand Isle. A maximum wind gust of 43 kts, or 49 mph, was reported by the Grand Isle C-Man station (GISL1) at 6 pm CST on the 20th. The same station also reported maximum sustained winds of 34 kts, or 39 mph, at 5:42 pm CST on the 20th." +118836,715140,LOUISIANA,2017,June,Storm Surge/Tide,"LOWER PLAQUEMINES",2017-06-20 18:00:00,CST-6,2017-06-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The USGS gauge at Little Lake near Cutoff rose to a maximum of 3.62 ft NAVD88 at 1:15 pm CST on June 21. Tides were at least 1.5 feet above normal from 6/20 through 6/22. The elevated water levels led to moderate impacts to areas outside of the federal levee system. Low lying roads in the lower portion of the parish, including old Highway 1 through Leeville and near Port Fourchon were inundated with up to 2 feet of water." +118836,715143,LOUISIANA,2017,June,Storm Surge/Tide,"LOWER ST. BERNARD",2017-06-20 00:00:00,CST-6,2017-06-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The National Ocean Service gauge at Shell Beach reported a maximum water level of 4.8 ft MHHW, which was 6.07 ft above the predicted level. Tides were at least 1.5 feet above normal from 6/20 through 6/22 at this gauge. The elevated water levels resulted in moderate impacts to areas outside the federal levee system. Maximum inundation of 2 to 3 feet was reported on some low lying roadways and property, though no homes or businesses suffered flooding." +118836,715401,LOUISIANA,2017,June,Storm Surge/Tide,"ST. TAMMANY",2017-06-21 00:00:00,CST-6,2017-06-23 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","A USGS gauge at the Rigolets reported a maximum water level of 5.42 ft NAVD88 at 6:15 pm CST on the 21st, and the USGS gauge at Bayou Liberty near Slidell reported a maximum water level of 4.93 ft at 8:45 pm CST on the 21st. Farther into Lake Pontchartrain, the US COE gauge at Mandeville reported a maximum water level of 4.29 ft NAVD88 at 6:00 pm CST on the 21st. The elevated water levels resulted in moderate impacts mainly to low lying roads from Slidell to Madisonville. Water rose high enough to enter a few businesses along the Mandeville lakefront." +115430,705695,MINNESOTA,2017,June,Hail,"LAC QUI PARLE",2017-06-11 05:32:00,CST-6,2017-06-11 05:32:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-95.9,44.85,-95.9,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115396,694339,MISSOURI,2017,April,Flash Flood,"MADISON",2017-04-29 05:30:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.319,-90.5481,37.5982,-90.5471,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Seven to ten inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Highway V between County Road 243 and Route F. Levee along Castor River in Marquand was overtopped. Flooding occurred on the south side of town. Several people were moved to higher ground from a senior center in the area. Also, the intersection of Highways A and M, west of town and the river were closed due to flooding on bridge that goes over the Castor River. About 2 miles south southeast of Marquand, a water rescue had to be performed at a campground off Highway DD." +115396,694340,MISSOURI,2017,April,Flash Flood,"ST. FRANCOIS",2017-04-29 06:00:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.6448,-90.6463,38.0303,-90.6408,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Five to eight inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Highway 221 in numerous locations, Highway D north of Farmington, Highway OO at Highway DD west of Farmington, Highway F southeast of Farmington, and King School Road in Iron Mountain Lake." +117937,708825,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-17 20:16:00,CST-6,2017-06-17 20:17:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-96.64,38.04,-96.64,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a trained spotter." +118838,715422,MISSISSIPPI,2017,June,Tornado,"HARRISON",2017-06-21 07:20:00,CST-6,2017-06-21 07:22:00,0,0,0,0,0.00K,0,0.00K,0,30.391,-88.971,30.47,-88.979,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","A waterspout came on shore near Beauvoir causing damge to tree limbs and fencing and breaking a single window. It moved almost due north continuing to cause damage mainly to trees. It downed a few trees and a power line between Rich Ave and Popps Ferry Rd. The tornado continued northward causing sporadic damage and lifted near Woolmarket Rd. Intensity is estimated." +118837,715565,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA FROM 20 TO 60 NM",2017-06-20 09:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent tropical storm force gusts and occasional sustained tropical storm force winds were common across the marine zone. A maximum wind gust of 52 kts, or 60 mph, was measured by the Mississippi Canyon 311 A AWOS (KMDJ) at 12:55pm CST on the 20th. A maximum sustained wind of 43 kts, or 49 mph, was reported at the same time. It should be noted the anemometer for this site is approximately 90 meters above sea level." +118590,713002,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 15:11:00,CST-6,2017-06-13 15:11:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-99.1089,43.38,-99.1089,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712386,SOUTH DAKOTA,2017,June,Hail,"GREGORY",2017-06-13 15:35:00,CST-6,2017-06-13 15:35:00,0,0,0,0,0.00K,0,0.00K,0,43.01,-99.28,43.01,-99.28,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712387,SOUTH DAKOTA,2017,June,Hail,"BRULE",2017-06-13 15:43:00,CST-6,2017-06-13 15:43:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-99.21,43.8,-99.21,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118838,715432,MISSISSIPPI,2017,June,Flood,"HARRISON",2017-06-22 04:30:00,CST-6,2017-06-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,30.487,-88.8909,30.487,-88.8838,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","Seven to 10 inches of rain across Harrison County caused minor flooding along the Tchoutacabouffa River. Two people were rescued after driving their vehicle through the flooding along Bluff Rd despite the road being closed." +118837,715544,GULF OF MEXICO,2017,June,Marine Tropical Storm,"BRETON SOUND",2017-06-20 13:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Occasional sustained winds of tropical storm force with frequent tropical storm force gusts were common across the marine zone. The USGS gauge at Bay Gardene near Point A La Hache recorded a maximum sustained wind of 42 kts, or 48 mph, at 5pm CST on the 20th." +118590,712441,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 20:05:00,CST-6,2017-06-13 20:05:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-96.73,43.65,-96.73,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Large branches downed." +118590,712423,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-13 20:07:00,CST-6,2017-06-13 20:07:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.89,43.54,-96.89,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712434,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 20:10:00,CST-6,2017-06-13 20:10:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-96.79,43.54,-96.79,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Mobile home lost it's roof." +118612,712493,SOUTH DAKOTA,2017,June,Hail,"JERAULD",2017-06-22 03:52:00,CST-6,2017-06-22 03:52:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-98.57,44.08,-98.57,"Thunderstorms developed in east central South Dakota and quickly became severe.","" +118612,712494,SOUTH DAKOTA,2017,June,Hail,"SANBORN",2017-06-22 04:30:00,CST-6,2017-06-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-97.98,43.99,-97.98,"Thunderstorms developed in east central South Dakota and quickly became severe.","" +118612,712495,SOUTH DAKOTA,2017,June,Hail,"SANBORN",2017-06-22 04:35:00,CST-6,2017-06-22 04:35:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.92,44.01,-97.92,"Thunderstorms developed in east central South Dakota and quickly became severe.","" +118612,712496,SOUTH DAKOTA,2017,June,Hail,"MINER",2017-06-22 04:48:00,CST-6,2017-06-22 04:48:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.79,44.01,-97.79,"Thunderstorms developed in east central South Dakota and quickly became severe.","Hail sizes ranged from half dollar to ping-pong size." +118612,712497,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"KINGSBURY",2017-06-22 06:02:00,CST-6,2017-06-22 06:02:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-97.41,44.47,-97.41,"Thunderstorms developed in east central South Dakota and quickly became severe.","Numerous 4 inch branches were downed. Penny size hail also occurred." +118613,712498,MINNESOTA,2017,June,Hail,"LINCOLN",2017-06-22 02:57:00,CST-6,2017-06-22 02:57:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-96.42,44.51,-96.42,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118613,712499,MINNESOTA,2017,June,Hail,"LINCOLN",2017-06-22 03:09:00,CST-6,2017-06-22 03:09:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-96.25,44.46,-96.25,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118613,712500,MINNESOTA,2017,June,Hail,"LINCOLN",2017-06-22 03:10:00,CST-6,2017-06-22 03:10:00,0,0,0,0,0.00K,0,0.00K,0,44.5,-96.26,44.5,-96.26,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118613,712501,MINNESOTA,2017,June,Hail,"LYON",2017-06-22 03:35:00,CST-6,2017-06-22 03:35:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-95.88,44.39,-95.88,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118614,712511,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-27 22:25:00,CST-6,2017-06-27 22:25:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-96.75,43.52,-96.75,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712512,SOUTH DAKOTA,2017,June,Hail,"LINCOLN",2017-06-27 22:28:00,CST-6,2017-06-27 22:28:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-96.9,43.35,-96.9,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712513,SOUTH DAKOTA,2017,June,Hail,"LINCOLN",2017-06-27 22:28:00,CST-6,2017-06-27 22:28:00,0,0,0,0,0.00K,0,0.00K,0,43.48,-96.73,43.48,-96.73,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712514,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-27 22:32:00,CST-6,2017-06-27 22:32:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-96.65,43.53,-96.65,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712516,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"TURNER",2017-06-27 22:45:00,CST-6,2017-06-27 22:45:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-97.12,43.2,-97.12,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","Tree branches downed along with the occurrence of nickel size hail." +118615,712517,MINNESOTA,2017,June,Hail,"MURRAY",2017-06-27 22:10:00,CST-6,2017-06-27 22:10:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-95.95,44.13,-95.95,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118615,712518,MINNESOTA,2017,June,Hail,"NOBLES",2017-06-27 22:23:00,CST-6,2017-06-27 22:23:00,0,0,0,0,0.00K,0,0.00K,0,43.83,-95.88,43.83,-95.88,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","Trees stripped of their leaves." +118615,712519,MINNESOTA,2017,June,Hail,"NOBLES",2017-06-27 22:36:00,CST-6,2017-06-27 22:36:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-95.79,43.54,-95.79,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +119203,715852,MISSOURI,2017,May,Hail,"COLE",2017-05-27 12:40:00,CST-6,2017-05-27 12:40:00,0,0,0,0,0.00K,0,0.00K,0,38.4887,-92.1755,38.4887,-92.1755,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +119203,715853,MISSOURI,2017,May,Thunderstorm Wind,"COLE",2017-05-27 12:21:00,CST-6,2017-05-27 12:21:00,0,0,0,0,0.00K,0,0.00K,0,38.4458,-92.3037,38.4458,-92.3037,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down a large tree in Brazito." +119203,716257,MISSOURI,2017,May,Hail,"REYNOLDS",2017-05-27 13:15:00,CST-6,2017-05-27 13:19:00,0,0,0,0,0.00K,0,0.00K,0,37.4542,-91.21,37.4761,-91.1965,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Two to three inch diameter hail was reported in an area from Bunker to two miles northeast of Bunker." +119203,716258,MISSOURI,2017,May,Thunderstorm Wind,"MONITEAU",2017-05-27 13:45:00,CST-6,2017-05-27 13:45:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-92.57,38.63,-92.57,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down several large trees around town. Also, a transformer caught fire." +119203,716259,MISSOURI,2017,May,Thunderstorm Wind,"COLE",2017-05-27 14:10:00,CST-6,2017-05-27 14:10:00,0,0,0,0,0.00K,0,0.00K,0,38.4723,-92.3178,38.4705,-92.3061,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous large tree limbs along Route D, about two miles northwest of Brazito." +119203,716260,MISSOURI,2017,May,Thunderstorm Wind,"BOONE",2017-05-27 14:02:00,CST-6,2017-05-27 14:05:00,0,0,0,0,0.00K,0,0.00K,0,38.7898,-92.2814,38.82,-92.2136,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Several tents were blown over at airshow at Columbia Regional Airport." +119203,716263,MISSOURI,2017,May,Hail,"REYNOLDS",2017-05-27 13:56:00,CST-6,2017-05-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,37.4351,-90.9598,37.4511,-90.8398,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","One to two inch diameter hail fell in a wide swath from Centerville to Lesterville." +115430,710873,MINNESOTA,2017,June,Tornado,"KANDIYOHI",2017-06-11 06:31:00,CST-6,2017-06-11 06:33:00,0,0,0,0,200.00K,200000,0.00K,0,45.1365,-94.9011,45.1372,-94.8676,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A tornado was associated with a quasi-linear storm complex. It mostly hit trees and crops, but during the latter half of its path, the tornado did move across or just south of a couple metal farm buildings, causing heavy damage." +115224,691818,OHIO,2017,June,Flash Flood,"MARION",2017-06-05 05:18:00,EST-5,2017-06-05 08:30:00,0,0,0,0,15.00K,15000,0.00K,0,40.565,-83.1332,40.5963,-83.1384,"A frontal boundary moved into north central Ohio in the early morning hours of the 5th. As an upstream upper-level trough approached the region, a cluster of thunderstorms developed within a moderately moist airmass to the south of the boundary. These conditions allowed some thunderstorms to produce very intense rainfall rates at times.","A cluster of thunderstorms moved into Marion around 3 AM producing a prolonged period of very heavy rainfall. Marion Municipal Airport received one inch of rainfall from 6 AM to 6:15 AM with peak rainfall rates measured to be near five inches per hour triggering flash flooding of many streets. Some water rescues were necessary where several feet of water left roadways impassable. Thunderstorms exited the area by 7 AM and flooding subsided by 9:30 AM. The storm total rainfall at the airport was 1.59 inches." +119495,717097,ILLINOIS,2017,June,Thunderstorm Wind,"WINNEBAGO",2017-06-28 19:10:00,CST-6,2017-06-28 19:10:00,0,0,0,0,1.00K,1000,0.00K,0,42.2235,-89.0724,42.2235,-89.0724,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Tree limbs 8 inches in diameter and power lines were blown down near 11th Street and Sandy Hollow Road." +119495,717098,ILLINOIS,2017,June,Thunderstorm Wind,"LAKE",2017-06-28 19:45:00,CST-6,2017-06-28 19:45:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-88.1,42.47,-88.1,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Numerous trees and large tree limbs were blown down, possibly from a concentrated microburst." +119495,717099,ILLINOIS,2017,June,Tornado,"WINNEBAGO",2017-06-28 19:14:00,CST-6,2017-06-28 19:22:00,0,0,0,0,0.00K,0,0.00K,0,42.211,-88.948,42.197,-88.835,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","An EF-1 tornado with maxium winds of 100 mph touched down near Burton and River Roads and lifted near Bates and Tripp Roads. Damage was mainly to trees with some minor property damage." +119495,717100,ILLINOIS,2017,June,Tornado,"WINNEBAGO",2017-06-28 19:23:00,CST-6,2017-06-28 19:25:00,0,0,0,0,0.00K,0,0.00K,0,42.208,-88.81,42.208,-88.778,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","An EF-1 tornado with maximum winds of 100 mph touched down west of the intersection of Huber and Genoa Roads and lifted east of the intersection of Huber and Fern Hill Roads. The tornado was on the ground for 1.6 miles. Damage was mainly to trees with a few homes experiencing property damage." +119495,717101,ILLINOIS,2017,June,Thunderstorm Wind,"LAKE",2017-06-28 19:46:00,CST-6,2017-06-28 19:46:00,0,0,0,0,0.00K,0,0.00K,0,42.4493,-88.0714,42.4493,-88.0714,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Trees were blown down in the East Loon Lake area." +117945,708991,IOWA,2017,July,Tornado,"HOWARD",2017-07-19 16:15:00,CST-6,2017-07-19 16:16:00,0,0,0,0,12.00K,12000,5.00K,5000,43.3208,-92.4509,43.324,-92.4373,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An EF-0 tornado touched down north of Elma and traveled a short distance to the northeast. The tornado pulled a corner of a pole shed out of the ground and drone footage showed a narrow path through a corn field." +119170,715669,NEW HAMPSHIRE,2017,July,Flood,"GRAFTON",2017-07-01 18:39:00,EST-5,2017-07-02 03:58:00,0,0,0,0,10.00K,10000,0.00K,0,44.0223,-71.6779,44.0184,-71.6773,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 3 to 5 inches of rain causing flooding on the Pemigewassett River at Woodstock (flood stage 9.00 ft), which crested at 11.14 feet. Route 175 at Cox Farm Road flooded. Two campgrounds were also flooded." +116080,697688,IOWA,2017,May,Thunderstorm Wind,"BUENA VISTA",2017-05-17 12:08:00,CST-6,2017-05-17 12:08:00,0,0,0,0,12.00K,12000,0.00K,0,42.59,-94.96,42.59,-94.96,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Utility poles along Highway 7 tilted by the strong winds." +116080,697683,IOWA,2017,May,Tornado,"SIOUX",2017-05-17 13:10:00,CST-6,2017-05-17 13:12:00,0,0,0,0,,NaN,,NaN,43.02,-95.97,43.02,-95.9696,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","A brief touchdown." +117945,708987,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 16:07:00,CST-6,2017-07-19 16:07:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-92.68,43.07,-92.68,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 60 mph wind gust occurred in Charles City." +117945,708988,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 16:10:00,CST-6,2017-07-19 16:10:00,0,0,0,0,1.00K,1000,0.00K,0,43.16,-92.59,43.16,-92.59,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","A 62 mph wind gust occurred in Colwell blowing down some tree branches." +118539,712160,VERMONT,2017,September,Thunderstorm Wind,"RUTLAND",2017-09-05 16:43:00,EST-5,2017-09-05 16:45:00,0,0,0,0,25.00K,25000,0.00K,0,43.7345,-72.8888,43.7345,-72.8888,"A marginal cold front moved into a marginally unstable air mass while a strong mid-level jet stream was aloft. These factors developed a few thunderstorms, some of which produced damaging winds, especially in the Pittsfield vicinity where numerous, trees fell onto utility lines.","Numerous trees and utility lines down in Chittenden, extending into Pittsfield." +118539,712161,VERMONT,2017,September,Thunderstorm Wind,"ORANGE",2017-09-05 17:05:00,EST-5,2017-09-05 17:05:00,0,0,0,0,10.00K,10000,0.00K,0,44,-72.65,44,-72.65,"A marginal cold front moved into a marginally unstable air mass while a strong mid-level jet stream was aloft. These factors developed a few thunderstorms, some of which produced damaging winds, especially in the Pittsfield vicinity where numerous, trees fell onto utility lines.","Several trees reported down by thunderstorm winds." +119734,718102,WYOMING,2017,September,Winter Storm,"ABSAROKA MOUNTAINS",2017-09-15 03:00:00,MST-7,2017-09-16 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A unusually strong cold front and upper level low combined with a deep stream of Pacific moisture to produce the first snowstorm of the year. The hardest hit area was the Absarokas. Some areas received close to a foot of snow. The Beartooth highway was shut down for several hours due to winter conditions.","The Beartooth highway was closed for several hours due to winter conditions." +118751,713330,MISSISSIPPI,2017,September,Thunderstorm Wind,"LOWNDES",2017-09-05 15:15:00,CST-6,2017-09-05 15:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.5,-88.42,33.5,-88.42,"A early season cold front moved through the region, ushering in cooler and drier air into the ArkLaMiss region. Some storms were strong to severe with damaging winds and locally heavy rain resulting in flash flooding.","Powerlines were blown down." +118751,713331,MISSISSIPPI,2017,September,Thunderstorm Wind,"HINDS",2017-09-05 17:57:00,CST-6,2017-09-05 17:57:00,0,0,0,0,8.00K,8000,0.00K,0,32.34,-90.33,32.34,-90.33,"A early season cold front moved through the region, ushering in cooler and drier air into the ArkLaMiss region. Some storms were strong to severe with damaging winds and locally heavy rain resulting in flash flooding.","A few small trees were blown down due to outflow winds that moved through ahead of an approaching line of storms." +119115,715386,MISSISSIPPI,2017,September,Thunderstorm Wind,"FORREST",2017-09-19 14:36:00,CST-6,2017-09-19 14:36:00,0,0,0,0,2.00K,2000,0.00K,0,31.346,-89.1955,31.346,-89.1955,"Above normal temperatures for mid-September, along with ample moisture in place over the region, brought afternoon showers and storms to the region. Some of these storms had gusty winds.","Outdoor home security camera captured video of a pine tree branch being snapped by straight line winds in association with a microburst. Other trees were reported down in the subdivision as well. This occurred in the Trailwood subdivision in Petal." +119117,715388,ARKANSAS,2017,September,Funnel Cloud,"CHICOT",2017-09-18 11:15:00,CST-6,2017-09-18 11:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4533,-91.3335,33.4533,-91.3335,"Above normal temperatures for mid-September, along with ample moisture in place over the region, brought afternoon showers and storms to the region.","A funnel cloud occurred near Lake Village and Highway 65." +114562,687099,WEST VIRGINIA,2017,April,Flood,"MERCER",2017-04-24 09:00:00,EST-5,2017-04-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.4435,-81.1143,37.4587,-81.1033,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. The rainfall persisted from late on the 21st through early on the 25th with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeast. Storm total rainfall amounts were generally 2 to 4 inches across the Greenbrier, New and Bluestone river basins, with lower amounts further north.","The Bluestone River at Spanishburg (SPNW2) crested at 12.30 feet around 12 PM EST, just above Minor Flood Stage (12 feet) and caused a portion of Route 19 to be flooded. Further downtream, the Bluestone River at Pipestem (PIPW2) also crested above Minor Flood Stage (10 ft.) at 10.82 feet." +114780,688443,NEW YORK,2017,March,Cold/Wind Chill,"HAMILTON",2017-03-11 01:00:00,EST-5,2017-03-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold Arctic airmass combined with blustery northwest winds gusting to near 40 mph combined to create very cold wind chills on the morning of Saturday, March 11. Wind chill values were as low as -22F at Big Moose, NY. The frigid wind chills persisted from the early morning into the early afternoon.","" +114780,688444,NEW YORK,2017,March,Cold/Wind Chill,"NORTHERN HERKIMER",2017-03-11 01:00:00,EST-5,2017-03-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold Arctic airmass combined with blustery northwest winds gusting to near 40 mph combined to create very cold wind chills on the morning of Saturday, March 11. Wind chill values were as low as -22F at Big Moose, NY. The frigid wind chills persisted from the early morning into the early afternoon.","" +114781,688447,VERMONT,2017,March,Cold/Wind Chill,"BENNINGTON",2017-03-11 01:00:00,EST-5,2017-03-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold Arctic airmass combined with blustery northwest winds gusting to near 40 mph combined to create very cold wind chills on the morning of Saturday, March 11. Wind chill values mostly ranged from -15 to -24F, but were as low as -28F at Peru and Woodford State Park, VT. The frigid wind chills persisted from the early morning into the early afternoon.","" +114781,688448,VERMONT,2017,March,Cold/Wind Chill,"WESTERN WINDHAM",2017-03-11 01:00:00,EST-5,2017-03-11 13:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold Arctic airmass combined with blustery northwest winds gusting to near 40 mph combined to create very cold wind chills on the morning of Saturday, March 11. Wind chill values mostly ranged from -15 to -24F, but were as low as -28F at Peru and Woodford State Park, VT. The frigid wind chills persisted from the early morning into the early afternoon.","" +115040,690567,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 02:12:00,EST-5,2017-04-10 02:17:00,0,0,0,0,1.00M,1000000,0.00K,0,46.49,-87.66,46.49,-87.66,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","Law enforcement reported multiple large trees and power lines down in the city of Ishpeming." +115646,694900,TENNESSEE,2017,May,Strong Wind,"DAVIDSON",2017-05-01 15:25:00,CST-6,2017-05-01 15:25:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","Photo showed a tree was blown down across Granny White Pike in Nashville near Lipscomb University." +114222,685735,MISSOURI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-06 19:50:00,CST-6,2017-03-06 19:58:00,0,0,0,0,,NaN,,NaN,39.0534,-94.5387,39.0534,-94.5387,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","This report is all encompassing of numerous severe wind reports from across downtown Kansas City. Numerous trees were blown down and several buildings sustained more than cosmetic damage as a line of thunderstorms moved through the city. Several images of large structures with major damage to roofs and facades were seen on local news from across the metro. Winds near 70 mph were recorded at nearby Kansas City International Airport, but the damage around downtown Kansas City would suggest locally stronger wind gusts, perhaps approaching 80 mph. Despite the widespread damage there were no injuries reported with this activity in the immediate downtown portions of Kansas City." +115587,694139,TENNESSEE,2017,May,Thunderstorm Wind,"STEWART",2017-05-27 17:01:00,CST-6,2017-05-27 17:01:00,0,0,0,0,1.00K,1000,0.00K,0,36.5205,-87.8334,36.5205,-87.8334,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down on Bumpus Mills Road." +117453,706396,IOWA,2017,June,Hail,"TAYLOR",2017-06-28 19:50:00,CST-6,2017-06-28 19:50:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-94.5,40.71,-94.5,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported half dollar sized hail." +115587,694143,TENNESSEE,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-27 17:07:00,CST-6,2017-05-27 17:07:00,0,0,0,0,3.00K,3000,0.00K,0,36.5078,-87.5319,36.5078,-87.5319,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","An 18 inch diameter tree was blown down on a house on Backridge Road." +115587,694144,TENNESSEE,2017,May,Thunderstorm Wind,"HOUSTON",2017-05-27 17:24:00,CST-6,2017-05-27 17:24:00,0,0,0,0,3.00K,3000,0.00K,0,36.32,-87.7,36.32,-87.7,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several trees were blown down across Houston County." +115587,694147,TENNESSEE,2017,May,Thunderstorm Wind,"WILSON",2017-05-27 18:13:00,CST-6,2017-05-27 18:13:00,0,0,0,0,5.00K,5000,0.00K,0,36.26,-86.54,36.26,-86.54,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several trees were blown down in North Mount Juliet. A tree was blown down with at Davids Corner Road and Benders Ferry Road with the roadway blocked. Trees were also down in the roadway at 6171 Saundersville Road and at Saundersville Road near Deerfield Drive. A tree was also blown down at 171 Saundersville Ferry Road." +114686,695166,TENNESSEE,2017,May,Heavy Rain,"SEVIER",2017-05-12 15:30:00,EST-5,2017-05-12 16:15:00,0,0,0,0,0.00K,0,0.00K,0,35.7977,-83.4824,35.8109,-83.4505,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Minor flooding of Upper Middle Creek Road and near Catons Chapel Elementary School." +115587,694151,TENNESSEE,2017,May,Hail,"PUTNAM",2017-05-27 18:25:00,CST-6,2017-05-27 18:25:00,0,0,0,0,0.00K,0,0.00K,0,36.1046,-85.505,36.1046,-85.505,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","" +115587,694214,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:35:00,CST-6,2017-05-27 19:35:00,0,0,0,0,3.00K,3000,0.00K,0,36.0531,-85.1929,36.0531,-85.1929,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Several power poles were blown down on Jim Garrett Road." +115587,694221,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:42:00,CST-6,2017-05-27 19:42:00,0,0,0,0,5.00K,5000,0.00K,0,36.15,-85.03,36.15,-85.03,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A few homes received minor damage in northern Cumberland County." +115587,694222,TENNESSEE,2017,May,Thunderstorm Wind,"CUMBERLAND",2017-05-27 19:43:00,CST-6,2017-05-27 19:43:00,0,0,0,0,3.00K,3000,0.00K,0,35.9195,-85.1235,35.9195,-85.1235,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook report indicated trees and power lines were blown down across Timberland Road." +119221,715955,ALABAMA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-17 14:16:00,CST-6,2017-07-17 14:17:00,0,0,0,0,0.00K,0,0.00K,0,33.487,-86.7107,33.487,-86.7107,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Power lines blown down on North River Road." +119426,716756,ALABAMA,2017,July,Flash Flood,"RUSSELL",2017-07-25 08:50:00,CST-6,2017-07-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,32.49,-85.04,32.4449,-85.0376,"A slow moving upper level trough pushed southward across Alabama on July 25-45, producing scattered to numerous thunderstorms each day. Precipitable water values were above two inches south of the trough axis, and some of the thunderstorms produced localized flash flooding.","Several roads flooded in and around the Phenix City area." +118817,713728,MINNESOTA,2017,July,Hail,"MURRAY",2017-07-11 23:25:00,CST-6,2017-07-11 23:25:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-95.97,43.97,-95.97,"Thunderstorms responsible for widespread severe weather in portions of east central South Dakota moved into extreme areas of west central Minnesota and continued to produce wind and hail damage.","" +118816,713744,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-11 21:57:00,CST-6,2017-07-11 21:57:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-96.64,44.33,-96.64,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Multiple branches and trees were downed by the strong winds." +118818,713794,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"EDMUNDS",2017-07-05 17:31:00,CST-6,2017-07-05 17:31:00,0,0,0,0,,NaN,0.00K,0,45.45,-98.73,45.45,-98.73,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Eighty mph winds downed numerous trees along Mina Lake. A portion of a metal shed roof was removed along with several docks, boat lifts, and pontoons flipped on the lake." +117945,708967,IOWA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-19 15:56:00,CST-6,2017-07-19 15:56:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-92.9,43.13,-92.9,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 65 mph wind gust occurred in Rudd." +119170,715670,NEW HAMPSHIRE,2017,July,Flood,"GRAFTON",2017-07-01 23:10:00,EST-5,2017-07-02 05:17:00,0,0,0,0,50.00K,50000,0.00K,0,43.803,-71.8408,43.7962,-71.8431,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 3 to 5 inches of rain causing flooding on the Baker River at Rumney (flood stage 10.00 ft), which crested at 11.05 ft. Several campgrounds were flooded." +119170,715672,NEW HAMPSHIRE,2017,July,Flood,"CARROLL",2017-07-02 01:00:00,EST-5,2017-07-02 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,43.98,-71.12,43.9957,-71.1201,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorm produced 3 to 5 inches of rain caused flooding on the Saco River at Conway (flood stage 9.0 ft) which crested at 9.9 ft. Several campgrounds flooded, as well as the Transvale Acres neighborhood in Conway." +119157,715613,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.3017,-71.6622,44.2913,-71.6432,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","A line of thunderstorms produced 2 to 5 inches of rain across Bethlehem resulting in flash flooding and road washouts." +120254,720877,GEORGIA,2017,September,Tropical Storm,"COASTAL GLYNN",2017-09-10 12:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||At 4:15 am on 9/10, a tree was blown down onto a car along Stuart Avenue. The time was based on a peak wind reported at the St. Simons Island airport. At 12:50 am on 9/11, a waterspout was observed over the marsh areas along Highway 17, just WSW of Jekyll Island. ||The tidal gauge on the Atlantic coast at St. Simons Island Village pier crested at 6.90 feet on Sep. 11th at 1145 EDT. Major flooding occurred at this level.||Storm total rainfall included 9.65 inches 5 miles ESE of Thalmann." +119730,720438,CALIFORNIA,2017,September,Dust Storm,"SW S.J. VALLEY",2017-09-03 18:58:00,PST-8,2017-09-03 18:58:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported a tree downed by dust storm winds near 14th Ave. and Iona Ave. south of Armona." +117945,714260,IOWA,2017,July,Thunderstorm Wind,"MITCHELL",2017-07-19 15:50:00,CST-6,2017-07-19 15:50:00,0,0,0,0,60.00K,60000,0.00K,0,43.42,-93,43.42,-93,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","On a farm near Carpenter, tin silos were twisted and large trees were blown down. On another farm, a downed tree fell on a house." +117945,714111,IOWA,2017,July,Thunderstorm Wind,"ALLAMAKEE",2017-07-19 17:15:00,CST-6,2017-07-19 17:15:00,1,0,0,0,30.00K,30000,0.00K,0,43.1923,-91.4011,43.1923,-91.4011,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","A farmer sustained injuries when the barn he was doing chores in was blown down on top of him." +119283,716268,WISCONSIN,2017,July,Flash Flood,"LAFAYETTE",2017-07-21 22:00:00,CST-6,2017-07-22 08:55:00,0,0,0,0,491.50K,491500,0.00K,0,42.6233,-90.4192,42.5764,-90.3152,"Repeated rounds of thunderstorms and heavy rain led to flash flooding in Lafayette County. The rounds of thunderstorms were caused by warm, moist, unstable air flowing over a stationary front.","Flash flooding of creeks and the Galena River in the far southwest portion of the county due to approximately 5 inches of rain. Roads, bridges, and culverts washed-out. Approximately 13 homes experienced very minor flooding with 2 homes with more substantial basement flooding." +118640,716265,WISCONSIN,2017,July,Heavy Rain,"GREEN",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,10.00K,10000,,NaN,42.7473,-89.58,42.734,-89.5697,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","The west branch of the Little Sugar River and the Little Sugar River flooded during the afternoon of July 20th after several inches of overnight rain. A small number of roads near the river were closed and the parking lot for the Badger and Sugar River Bike Trails was flooded. In downtown Monticello, basement flooding occurred at a cafe, the village hall, and a chemical LLC. A portion of Fahey Road, south of Belleville, was washed out during the morning hours." +119662,717784,MONTANA,2017,September,Drought,"NORTHERN VALLEY",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Northern Valley County began the month in exceptional (D4) drought conditions, which persisted through the month. The area received generally one quarter of an inch to three quarters of an inch of rainfall, which is approximately one inch below normal." +119662,717785,MONTANA,2017,September,Drought,"PETROLEUM",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Petroleum County began the month in exceptional (D4) drought conditions. The area received two and a half to three and a half inches of rainfall, which is approximately two inches above normal. By the end of the month, northern portions were still seeing exceptional (D4) drought conditions, with some improvement to extreme (D3) conditions being seen in southern Petroleum County." +119662,717787,MONTANA,2017,September,Drought,"PRAIRIE",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Prairie County began the month in exceptional (D4) drought conditions across western portions of the county, with extreme (D3) conditions east. The area received two to three inches of rainfall, which is approximately one to one and a half inches above normal. By the end of the month, the county was seeing some improvement to extreme (D3) conditions across the entire county." +119662,717788,MONTANA,2017,September,Drought,"RICHLAND",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Richland County began the month in extreme (D3) drought conditions, which persisted through the month. The area received two to three inches of rainfall, which is approximately three quarters of an inch above normal." +119662,717790,MONTANA,2017,September,Drought,"SHERIDAN",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Sheridan County began the month in exceptional (D4) drought conditions, which persisted through the month. The area received one to two inches of rainfall, which is up to one half of an inch above normal." +120636,722628,NORTH CAROLINA,2017,September,Thunderstorm Wind,"HARNETT",2017-09-01 15:45:00,EST-5,2017-09-01 15:45:00,0,0,0,0,8.00K,8000,0.00K,0,35.51,-78.74,35.51,-78.74,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Numerous trees were blown down across northern portions of Harnett County." +120636,722631,NORTH CAROLINA,2017,September,Thunderstorm Wind,"MOORE",2017-09-01 16:00:00,EST-5,2017-09-01 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.34,-79.4,35.48,-79.42,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Two trees were blown down along a swath from NC 24-27 in Carthage to Glendon Carthage Road, 6 miles east of Glendon." +120636,722632,NORTH CAROLINA,2017,September,Thunderstorm Wind,"HARNETT",2017-09-01 16:03:00,EST-5,2017-09-01 16:03:00,0,0,0,0,0.50K,500,0.00K,0,35.51,-78.76,35.51,-78.76,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","One tree was blown down onto Raws Church Road, blocking the road." +120636,722634,NORTH CAROLINA,2017,September,Thunderstorm Wind,"JOHNSTON",2017-09-01 16:08:00,EST-5,2017-09-01 16:08:00,0,0,0,0,0.50K,500,0.00K,0,35.53,-78.67,35.53,-78.67,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","One tree was blown down onto a roadway approximately 4 miles east-northeast of Angier." +120636,722637,NORTH CAROLINA,2017,September,Thunderstorm Wind,"HOKE",2017-09-01 16:40:00,EST-5,2017-09-01 16:42:00,0,0,0,0,25.00K,25000,0.00K,0,35.03,-79.32,35.03,-79.29,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Rear flank downdraft winds uplifted and ripped a roof off of an outdoor building. There was also some roof damage to the primary home on the property. The downdraft winds also resulted in approximately 50 snapped pine trees in the neighboring Calloway Forest Preserve." +117138,710405,KANSAS,2017,June,Thunderstorm Wind,"DICKINSON",2017-06-15 17:02:00,CST-6,2017-06-15 17:03:00,0,0,0,0,,NaN,,NaN,38.73,-97.08,38.73,-97.08,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Estimated wind gust report." +117138,710407,KANSAS,2017,June,Thunderstorm Wind,"POTTAWATOMIE",2017-06-15 18:00:00,CST-6,2017-06-15 18:01:00,0,0,0,0,,NaN,,NaN,39.29,-96.45,39.29,-96.45,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Estimated wind gust report." +117138,710408,KANSAS,2017,June,Thunderstorm Wind,"LYON",2017-06-15 18:00:00,CST-6,2017-06-15 18:01:00,0,0,0,0,,NaN,,NaN,38.2,-96.29,38.2,-96.29,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Spotter was confident that he received 60 MPH winds with the leading edge of the line." +117138,710410,KANSAS,2017,June,Thunderstorm Wind,"LYON",2017-06-15 18:00:00,CST-6,2017-06-15 18:01:00,0,0,0,0,,NaN,,NaN,38.41,-96.21,38.41,-96.21,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Multiple trees were reported down. The sizes were unknown." +117138,710411,KANSAS,2017,June,Hail,"WASHINGTON",2017-06-15 18:03:00,CST-6,2017-06-15 18:04:00,0,0,0,0,,NaN,,NaN,39.78,-97.14,39.78,-97.14,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","" +117138,710412,KANSAS,2017,June,Thunderstorm Wind,"LYON",2017-06-15 17:02:00,CST-6,2017-06-15 17:03:00,0,0,0,0,,NaN,,NaN,38.35,-96.19,38.35,-96.19,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Tree limbs 3-4 inches in diameter were reported down." +117138,710413,KANSAS,2017,June,Hail,"SHAWNEE",2017-06-15 18:30:00,CST-6,2017-06-15 18:31:00,0,0,0,0,,NaN,,NaN,39.01,-95.87,39.01,-95.87,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Very heavy rainfall and winds near 55 mph were also reported." +117138,710414,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 19:33:00,CST-6,2017-06-15 19:34:00,0,0,0,0,,NaN,,NaN,39.26,-95.31,39.26,-95.31,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Power lines were reported down approximately 4 miles north of Oskaloosa." +120412,721313,ILLINOIS,2017,July,Hail,"KANE",2017-07-23 13:52:00,CST-6,2017-07-23 13:55:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-88.32,41.77,-88.32,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon and evening hours of July 23rd.","Hail between nickel and ping pong ball size was reported at multiple locations." +122186,731449,TEXAS,2017,December,Winter Weather,"DE WITT",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119616,721285,ILLINOIS,2017,July,Thunderstorm Wind,"KANE",2017-07-21 15:25:00,CST-6,2017-07-21 15:27:00,0,0,0,0,20.00K,20000,0.00K,0,42.0402,-88.2662,42.0198,-88.2662,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Wind gusts were estimated between 70 mph and 80 mph. Hundreds of trees suffered damaged on the east side of Elgin. Some trees were uprooted with large branches on cars. Several roads were closed due to downed power lines." +119616,721287,ILLINOIS,2017,July,Hail,"COOK",2017-07-21 15:49:00,CST-6,2017-07-21 15:51:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-88.08,42.03,-88.08,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +120213,720290,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 15:15:00,MST-7,2017-06-12 15:18:00,0,0,0,0,0.00K,0,0.00K,0,41.1975,-104.7956,41.1975,-104.7956,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Golf ball to baseball size hail was observed at the 8600 block of Powderhouse Road north of Cheyenne." +120213,720291,WYOMING,2017,June,Hail,"GOSHEN",2017-06-12 15:20:00,MST-7,2017-06-12 15:25:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-104.52,42.21,-104.52,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Tennis ball to baseball size hail was observed at Fort Laramie." +117453,706370,IOWA,2017,June,Hail,"TAYLOR",2017-06-28 15:50:00,CST-6,2017-06-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-94.85,40.7,-94.85,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported quarter sized hail." +118207,713999,WISCONSIN,2017,July,Flash Flood,"JACKSON",2017-07-20 02:00:00,CST-6,2017-07-20 07:15:00,0,0,0,0,303.00K,303000,1.70M,1700000,44.3626,-91.165,44.0735,-91.15,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After heavy rains of 4 to 6 inches, flash flooding occurred across the southwest sections of Jackson County. French Creek went out of its banks sending water over County Road X southeast of Taylor. The townships of Springfield, Franklin and North Bend were hit the hardest with several roads either washed out or damaged from the flooding. Two homes sustained minor damage during the flooding." +118610,717113,INDIANA,2017,July,Thunderstorm Wind,"KNOX",2017-07-23 06:00:00,EST-5,2017-07-23 06:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.6826,-87.5251,38.6826,-87.5251,"A bowing line of thunderstorms pushed east into southwest portions of central Indiana during the morning of the 23rd of July. Some additional scattered storms had developed ahead of the line. Damaging wind gust accompanied the line and flash flooding was noted in Martin County where rain had impacted the area numerous times.","A large tree was downed near the intersection of 3rd Street and Shelby Street in Vincennes due to damaging thunderstorm wind gusts." +118610,717114,INDIANA,2017,July,Thunderstorm Wind,"KNOX",2017-07-23 06:02:00,EST-5,2017-07-23 06:02:00,0,0,0,0,1.00K,1000,,NaN,38.6805,-87.4718,38.6805,-87.4718,"A bowing line of thunderstorms pushed east into southwest portions of central Indiana during the morning of the 23rd of July. Some additional scattered storms had developed ahead of the line. Damaging wind gust accompanied the line and flash flooding was noted in Martin County where rain had impacted the area numerous times.","A tree was downed near Old US 50 Highway and Hyde Park Drive due to damaging thunderstorm wind gusts." +118610,717115,INDIANA,2017,July,Flash Flood,"MARTIN",2017-07-23 07:15:00,EST-5,2017-07-23 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.6802,-86.9107,38.6802,-86.9099,"A bowing line of thunderstorms pushed east into southwest portions of central Indiana during the morning of the 23rd of July. Some additional scattered storms had developed ahead of the line. Damaging wind gust accompanied the line and flash flooding was noted in Martin County where rain had impacted the area numerous times.","Numerous roads were flooded in Loogootee due to heavy thunderstorm rainfall. Several roads were closed due to water flowing over them." +118611,714068,INDIANA,2017,July,Thunderstorm Wind,"HOWARD",2017-07-23 15:50:00,EST-5,2017-07-23 15:50:00,0,0,0,0,13.00K,13000,,NaN,40.49,-86.15,40.49,-86.15,"An isolated thunderstorm moving eastward across Howard County during the afternoon or July 23rd produced tree damage along its path.","A tree fell on a vehicle due to damaging thunderstorm wind gusts. No injuries were reported. A few other trees were downed in the area, with one tree down on a power line." +119521,717262,ILLINOIS,2017,July,Heavy Rain,"WINNEBAGO",2017-07-05 15:15:00,CST-6,2017-07-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,42.3196,-88.9406,42.3196,-88.9406,"Scattered thunderstorms moved across parts of northwest Illinois producing hail and heavy rain.","Heavy rainfall of 2.00 inches was reported near Riverside and Argyle Roads." +119522,717263,ILLINOIS,2017,July,Hail,"COOK",2017-07-07 07:03:00,CST-6,2017-07-07 07:04:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-87.93,42.07,-87.93,"Scattered thunderstorms moved across parts of northeast Illinois during the morning and early afternoon hours of July 7th producing large hail.","" +117779,717675,MINNESOTA,2017,August,Heavy Rain,"RENVILLE",2017-08-16 17:30:00,CST-6,2017-08-17 05:30:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-95,44.55,-95,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A measured rainfall report indicated 6.82 inches fell near Morton, Minnesota." +118764,713489,NEVADA,2017,July,Heat,"LAS VEGAS VALLEY",2017-07-20 00:00:00,PST-8,2017-07-24 23:59:00,0,0,8,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Eight people died of heat related causes in Las Vegas.","Eight people died of heat related causes in Las Vegas." +118765,713491,NEVADA,2017,July,Heat,"LAS VEGAS VALLEY",2017-07-28 00:00:00,PST-8,2017-07-31 23:59:00,0,0,4,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Five people died in Las Vegas of heat related causes.","Five people died in Las Vegas of heat related causes." +118595,713998,INDIANA,2017,July,Hail,"CLINTON",2017-07-07 13:30:00,EST-5,2017-07-07 13:32:00,0,0,0,0,,NaN,,NaN,40.42,-86.67,40.42,-86.67,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714000,INDIANA,2017,July,Hail,"DELAWARE",2017-07-07 14:20:00,EST-5,2017-07-07 14:30:00,0,0,0,0,,NaN,,NaN,40.17,-85.48,40.17,-85.48,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","The hail has lasted 10 minutes. This report was received via twitter." +118595,714406,INDIANA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 14:25:00,EST-5,2017-07-07 14:25:00,0,0,0,0,0.50K,500,,NaN,40.177,-85.485,40.177,-85.485,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A large portion, about 12 inches in diameter, of a live tree was blown down blocking the road at the intersection of Lindell Drive and Pleasant Road due to damaging thunderstorm wind gusts." +118595,714408,INDIANA,2017,July,Thunderstorm Wind,"MADISON",2017-07-07 13:45:00,EST-5,2017-07-07 13:45:00,0,0,0,0,20.00K,20000,,NaN,40.37,-85.67,40.37,-85.67,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A partial collapse of a pole barn occurred due to damaging thunderstorm wind gusts. Trees were downed as well." +118595,714409,INDIANA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 15:20:00,EST-5,2017-07-07 15:20:00,0,0,0,0,10.00K,10000,,NaN,40.0918,-86.0449,40.0918,-86.0449,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Numerous trees and power lines were downed along Carrigan Road near Morse Reservoir due to damaging thunderstorm wind gusts." +118595,714410,INDIANA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 15:27:00,EST-5,2017-07-07 15:27:00,0,0,0,0,5.00K,5000,0.00K,0,39.9796,-85.9941,39.9796,-85.9941,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Several trees were downed just north of 131st Street on Cumberland Road due to damaging thunderstorm wind gusts." +118595,714412,INDIANA,2017,July,Thunderstorm Wind,"MADISON",2017-07-07 15:45:00,EST-5,2017-07-07 15:45:00,0,0,0,0,28.00K,28000,,NaN,40.1,-85.69,40.1,-85.69,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Trees and power lines were downed throughout the county due to damaging thunderstorm wind gusts. Also, a tree fell on a home in Anderson, briefly trapping an individual." +118595,714413,INDIANA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 15:51:00,EST-5,2017-07-07 15:51:00,0,0,0,0,2.50K,2500,0.00K,0,39.97,-86.01,39.97,-86.01,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Tree limbs, of unknown size, downed several power lines due to damaging thunderstorm wind gusts. Power outages were reported." +118595,714417,INDIANA,2017,July,Thunderstorm Wind,"HENRY",2017-07-07 15:55:00,EST-5,2017-07-07 15:55:00,0,0,0,0,1.00K,1000,,NaN,39.8372,-85.441,39.8372,-85.441,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A tree was downed on Broad Street due to damaging thunderstorm wind gusts." +118600,715894,INDIANA,2017,July,Flood,"MORGAN",2017-07-11 09:30:00,EST-5,2017-07-11 11:30:00,0,0,0,0,0.75K,750,0.00K,0,39.4185,-86.4135,39.4172,-86.4134,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","The Martinsville High School parking lot was flooded due to heavy rainfall. Ditches along Highway 37 were full to road level. Other roadways in town were also flooded." +118600,715895,INDIANA,2017,July,Thunderstorm Wind,"VERMILLION",2017-07-11 10:36:00,EST-5,2017-07-11 10:36:00,0,0,0,0,2.00K,2000,0.50K,500,40.07,-87.51,40.07,-87.51,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Corn stalks were blown over in a pattern consistent with damaging straight-line winds. Tree limbs, approximately 12 inches in diameter, were downed and power was out." +118600,715896,INDIANA,2017,July,Thunderstorm Wind,"VERMILLION",2017-07-11 10:37:00,EST-5,2017-07-11 10:37:00,0,0,0,0,,NaN,,NaN,40.05,-87.43,40.05,-87.43,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","An estimated 60 mph thunderstorm wind gust was reported in this location." +119804,718384,INDIANA,2017,July,Flood,"MARION",2017-07-09 11:20:00,EST-5,2017-07-09 11:45:00,0,1,0,1,1.00K,1000,0.00K,0,39.874,-86.1407,39.8737,-86.1409,"With the White River near Nora in flood after some heavy rain, a couple of kayakers found themselves stuck in a boil associated with a low head dam. Both kayakers went to the hospital with injuries, with one succumbing to their injuries.","According to the IndyStar newspaper, two kayakers rescued from the White River Sunday afternoon have been hospitalized. Shortly before 12:30 p.m., police and fire officials were called to the 7300 block Westfield Boulevard for a possible drowning, dispatchers confirmed. The two kayakers had come out of their boats and were stuck in what we call the boil, the rapid churning area of the low-head dam that basically traps you and doesn't let you out, the fire chief said.��As crews were getting their boat into the water, the first victim was released from the boil. The fire department said firefighters threw him a rope and life jacket. He was able to grab the rope and hold on �����with encouragement from people watching from the Monon Bridge above �����while an off-duty firefighter grabbed bolt cutters to open the fencing and allow crews to carry the boat to the water.||They were able to pull the first victim onto the boat. He was conscious but exhausted, officials said. Meanwhile, the second victim was stuck in the boil, unconscious. When the boat started back up stream to pass the victim to medical crews on shore, the second victim was released from the boil and floated downstream before getting stuck in a strainer underneath the Monon Bridge.||Witnesses said both men, one in his 50s and one in his 40s, were wearing life vests when they first went into the water, but the strength of the rushing water as they were trapped in the boil pulled the vests from their bodies.��The kayakers were taken to Methodist Hospital for treatment.Both patients are in critical condition. One was alert and one was not, the fire chief said. Very, very dangerous situation today, this is one of those days when we're asking people not to be on the river today. Water is up well over a foot and a half, maybe two feet. The current is running about 8 knots. It's very swift water today.||One kayaker, 48, pulled from the White River, died Sunday, according to the Indianapolis Fire Department. The second kayaker, 54, has improved since Sunday." +115084,697681,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"MINNEHAHA",2017-05-17 13:42:00,CST-6,2017-05-17 13:42:00,0,0,0,0,,NaN,,NaN,43.5399,-96.7071,43.5399,-96.7071,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds. Much of the resultant damage was to trees.","A few trees were damaged." +118579,714904,MAINE,2017,July,Tornado,"CUMBERLAND",2017-07-01 15:42:00,EST-5,2017-07-01 15:46:00,0,0,0,0,,NaN,0.00K,0,44.0478,-70.8161,44.0684,-70.805,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A tornado touched down at the Shawnee Peak ski resort and traveled northeast across the Route 302 causeway to the eastern shore of Moose Pond. ||The first visible damage was on the mountain at Shawnee Peak ski resort near Tycoon and Upper Roosevelt trails where several large trees were snapped and uprooted. Additional damage was noted just to the southeast of the parking lot near the intersection of Jaks Way and Mountain Road. The tornado then moved across Moose Pond, crossing the causeway of Route 302. Multiple power poles were blown over on the causeway. Additional sporadic tree damage was noted along the eastern shore of Moose Pond consistent with a tornado track. This damage included an uprooted tree that damaged a dock. The tornado likely lifted off the ground shortly after reaching the eastern shore of Moose Pond. A motorist on Rt. 302 and several residents on the eastern shore of Moose Pond observed the tornado as it crossed Moose Pond and the Route 302 causeway.||This tornado was rated as an EF1 with winds up to 100 mph based on snapped large hardwood and softwood trees along the path, as well as power poles along the causeway leaning due to the wind." +120213,721619,WYOMING,2017,June,Tornado,"LARAMIE",2017-06-12 15:57:00,MST-7,2017-06-12 16:08:00,0,0,0,0,,NaN,,NaN,41.002,-104.3051,41.0996,-104.3804,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","The tornado crossed into southern Laramie County, Wyoming from Weld County, Colorado approximately 4 miles southeast of Carpenter. It continued moving towards the north-northwest crossing mostly open farmland, paralleling County Road 151 where it impacted 4 residences. The most significant damage observed by the NWS assessment team was to 2 residences along County Road 151, where a semi-attached garage was completely destroyed (DI 1, DOD 3) by EF-2 intensity winds. Damage also was observed to single family roof structure. Additionally, numerous power poles were snapped along with a ruptured power line." +117856,713735,WISCONSIN,2017,July,Flash Flood,"JACKSON",2017-07-12 05:00:00,CST-6,2017-07-12 07:00:00,0,0,0,0,35.00K,35000,0.00K,0,44.2119,-91.128,44.2466,-91.0529,"Slow moving thunderstorms moved into southwest Wisconsin during the evening of July 11th. These storms dumped around five inches of rain over western Grant County. This heavy rain resulted in a rock slide on County Road VV and a washout of another road near Cassville. In Jackson County, a culvert was washed out from a road south of Taylor and other roads were covered by waters from small creeks.","Runoff from locally heavy rains washed out a culvert on Franklin Road south of Taylor. Beaver Creek went out of its banks and covered Beck Road." +118822,713835,WYOMING,2017,June,Thunderstorm Wind,"LARAMIE",2017-06-27 17:02:00,MST-7,2017-06-27 17:02:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-104.81,41.16,-104.81,"A collapsing line of showers and thunderstorms over the Snowy mountain range generated a long-lived gust front. This front produced very strong winds as it raced east across southern Albany, Platte and Laramie counties. A peak wind gust of 90 mph was recorded at the Laramie Airport. Numerous trees and several utility poles were toppled. More than 2000 customers were without power.","The wind sensor at the Cheyenne Airport measured a peak gust of 60 mph." +120729,723083,TEXAS,2017,September,Thunderstorm Wind,"HUDSPETH",2017-09-26 15:10:00,MST-7,2017-09-26 15:10:00,0,0,0,0,20.00K,20000,0.00K,0,31.335,-105.9158,31.335,-105.9158,"A deep trough was located across the western United States with strong south-southwest flow over far west Texas. Southeast surface winds kept dew points near 60 in Hudspeth County with tail end of a 100+ knot jet over the area provided sufficient shear and instability for severe thunderstorms to develop.","A couple of mobile homes were destroyed by a microburst with winds estimated at 70+ mph." +120664,722785,CALIFORNIA,2017,September,Hail,"EL DORADO",2017-09-08 14:25:00,PST-8,2017-09-08 14:35:00,0,0,0,0,,NaN,,NaN,38.98,-120.1,38.98,-120.1,"A deep area of low pressure over western California allowed shortwave troughs to lift through the Great Basin, enhancing thunderstorm development on the 8th. The strongest storms produced hail greater than 3/4 inch in diameter.","Ranger at DL Bliss State Park reported quarter size hail accumulating up to a half inch on ground." +120664,722788,CALIFORNIA,2017,September,Hail,"EL DORADO",2017-09-08 14:05:00,PST-8,2017-09-08 14:15:00,0,0,0,0,,NaN,,NaN,38.94,-119.98,38.94,-119.98,"A deep area of low pressure over western California allowed shortwave troughs to lift through the Great Basin, enhancing thunderstorm development on the 8th. The strongest storms produced hail greater than 3/4 inch in diameter.","Public reported nickel size hail via Facebook." +120698,722959,NEVADA,2017,September,Funnel Cloud,"LYON",2017-09-13 15:10:00,PST-8,2017-09-13 15:15:00,0,0,0,0,,NaN,,NaN,38.83,-118.97,38.83,-118.97,"Strong Thunderstorms developed over the Eastern Sierra and Northwestern Nevada on the afternoon of September 13th as an upper-level area of low pressure moved over south-central California.","United States Forest Service employee reported a confirmed funnel cloud near the Rafter 7 Ranch. The funnel cloud was also photographed by Nevada Creeks and Communities at an event at Rafter 7 Ranch. The position was estimated based on the observation from the USFS employee." +119742,718132,CALIFORNIA,2017,September,Wildfire,"LOS ANGELES COUNTY SAN FERNANDO VALLEY",2017-09-01 14:00:00,PST-8,2017-09-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In early September, the La Tuna fire ignited in the San Fernando Valley. The fire scorched 7,194 acres, making it the largest wildfire in the city of Los Angeles in 50 years. Five homes were destroyed by the fire.","The La Tuna Fire burned 7,194 acres in the San Fernando Valley. The fire destroyed five homes in the area." +119743,718133,CALIFORNIA,2017,September,Thunderstorm Wind,"SANTA BARBARA",2017-09-03 13:54:00,PST-8,2017-09-03 14:00:00,2,0,0,0,0.00K,0,0.00K,0,34.4134,-119.6979,34.41,-119.6857,"Monsoonal moisture brought severe thunderstorms and flash flooding to parts of Southern California. In the city of Santa Barbara, a thunderstorm microburst generated 80 MPH wind gusts which resulted in significant damage in the city as well as the harbor. In the Antelope Valley, severe thunderstorm wind gusts up to 61 MPH were reported.","A severe thunderstorm generate damaging microburst winds across the city of Santa Barbara. Thunderstorm wind gusts up to 80 MPH were reported. With such strong winds, widespread significant damage was reported, including many trees being uprooted. Along San Pascual Street, a high voltage power line was knocked down, resulting in major burn injuries for one male. At Stearns Wharf, numerous boats were washed ashore and one teenage female was injured." +119248,716044,SOUTH CAROLINA,2017,September,Hail,"KERSHAW",2017-09-01 13:50:00,EST-5,2017-09-01 13:55:00,0,0,0,0,,NaN,,NaN,34.43,-80.78,34.43,-80.78,"Daytime heating, along with moisture, instability, and shear, influenced by the remnants of Tropical Cyclone Harvey NW of the region, led to scattered severe thunderstorms over the Northern Midlands of SC during the afternoon, which produced hail and strong damaging wind gusts.","Quarter size hail reported at Lake Wateree campground." +119248,716045,SOUTH CAROLINA,2017,September,Hail,"CHESTERFIELD",2017-09-01 14:40:00,EST-5,2017-09-01 14:45:00,0,0,0,0,,NaN,,NaN,34.47,-80.26,34.47,-80.26,"Daytime heating, along with moisture, instability, and shear, influenced by the remnants of Tropical Cyclone Harvey NW of the region, led to scattered severe thunderstorms over the Northern Midlands of SC during the afternoon, which produced hail and strong damaging wind gusts.","Pea to quarter size hail reported at Quail Ridge Farms near McBee." +119248,716046,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"KERSHAW",2017-09-01 13:50:00,EST-5,2017-09-01 13:55:00,0,0,0,0,,NaN,,NaN,34.43,-80.78,34.43,-80.78,"Daytime heating, along with moisture, instability, and shear, influenced by the remnants of Tropical Cyclone Harvey NW of the region, led to scattered severe thunderstorms over the Northern Midlands of SC during the afternoon, which produced hail and strong damaging wind gusts.","Trees down at Lake Wateree Campground." +119248,716047,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHESTERFIELD",2017-09-01 14:40:00,EST-5,2017-09-01 14:44:00,0,0,0,0,,NaN,,NaN,34.47,-80.26,34.47,-80.26,"Daytime heating, along with moisture, instability, and shear, influenced by the remnants of Tropical Cyclone Harvey NW of the region, led to scattered severe thunderstorms over the Northern Midlands of SC during the afternoon, which produced hail and strong damaging wind gusts.","Trees down on US Hwy 1 near McBee." +119253,716057,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"BARNWELL",2017-09-05 14:20:00,EST-5,2017-09-05 14:25:00,0,0,0,0,,NaN,,NaN,33.25,-81.32,33.25,-81.32,"Thunderstorm activity developed along a prefrontal surface trough, a few of which produced strong damaging wind gusts.","Barnwell Co SC EM reported several trees down." +119253,716059,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"KERSHAW",2017-09-05 20:43:00,EST-5,2017-09-05 20:45:00,0,0,0,0,,NaN,,NaN,34.45,-80.6,34.45,-80.6,"Thunderstorm activity developed along a prefrontal surface trough, a few of which produced strong damaging wind gusts.","Sheriff reported large limbs down on power lines on Damascus Church Rd near Damascus Church." +119268,716150,GEORGIA,2017,September,Hail,"RICHMOND",2017-09-22 13:40:00,EST-5,2017-09-22 13:44:00,0,0,0,0,,NaN,,NaN,33.47,-81.95,33.47,-81.95,"Daytime heating allowed isolated severe thunderstorms to develop in the afternoon, which produced hail.","Dime to quarter size hail reported by the public. Report relayed via adjacent NWS office." +119269,716152,SOUTH CAROLINA,2017,September,Hail,"AIKEN",2017-09-22 13:32:00,EST-5,2017-09-22 13:35:00,0,0,0,0,,NaN,,NaN,33.48,-81.96,33.48,-81.96,"Daytime heating allowed isolated severe thunderstorms to develop in the afternoon, which produced hail.","Nickel to dime size hail reported in North Augusta SC near the 5th St Bridge." +119590,717502,COLORADO,2017,September,Hail,"BENT",2017-09-30 15:28:00,MST-7,2017-09-30 15:33:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-103.24,38.07,-103.24,"A severe storm produced hail up to the size of golfballs.","" +120537,722086,NORTH CAROLINA,2017,September,Hail,"TRANSYLVANIA",2017-09-20 15:41:00,EST-5,2017-09-20 15:41:00,0,0,0,0,,NaN,,NaN,35.11,-82.98,35.11,-82.98,"Scattered thunderstorms developed during the late afternoon across the high terrain of western North Carolina. A couple of the storms briefly became strong to severe, producing hail up to the size of half dollars.","Public reported up to quarter size hail in the Burlingame community." +120537,722088,NORTH CAROLINA,2017,September,Hail,"JACKSON",2017-09-20 16:02:00,EST-5,2017-09-20 16:02:00,0,0,0,0,,NaN,,NaN,35.029,-83.016,35.029,-83.016,"Scattered thunderstorms developed during the late afternoon across the high terrain of western North Carolina. A couple of the storms briefly became strong to severe, producing hail up to the size of half dollars.","Forest service personnel observed half dollar size hail at the Whitewater Falls parking area off Highway 281." +120537,722089,NORTH CAROLINA,2017,September,Thunderstorm Wind,"JACKSON",2017-09-20 16:01:00,EST-5,2017-09-20 16:01:00,0,0,0,0,0.00K,0,0.00K,0,35.029,-83.016,35.029,-83.016,"Scattered thunderstorms developed during the late afternoon across the high terrain of western North Carolina. A couple of the storms briefly became strong to severe, producing hail up to the size of half dollars.","Forest service personnel reported multiple large tree limbs blown down at the Whitewater Falls parking area off Highway 281." +120538,722091,SOUTH CAROLINA,2017,September,Hail,"OCONEE",2017-09-20 16:09:00,EST-5,2017-09-20 16:09:00,0,0,0,0,,NaN,,NaN,35.02,-83.02,35.02,-83.02,"A small cluster of thunderstorms moved out of North Carolina and through the Bad Creek area of South Carolina during the late afternoon, producing a brief period of small hail.","Utility company reported 3/4 inch hail in the Bad Creek area." +121538,727418,ATLANTIC SOUTH,2017,December,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-12-09 07:00:00,EST-5,2017-12-09 07:00:00,0,0,0,0,,NaN,,NaN,26.82,-80.78,26.82,-80.78,"A squall line associated with a strong cold front moved across South Florida during the mid to late morning hours. Storms within in the line produced several strong wind gusts as they moved across Lake Okeechobee and the local Atlantic waters.","SFWMD mesonet site L006 located on the south end of Lake Okeechobee recorded a gust to 35 knots/40 mph from the southwest with a thunderstorm." +120913,723870,WYOMING,2017,December,Winter Storm,"SHERIDAN FOOTHILLS",2017-12-03 20:00:00,MST-7,2017-12-04 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper-type system dropped south out of Canada and moved across southern Montana and northern Wyoming. This combined with an unstable atmosphere and steep lapse rates resulted in some isolated areas of heavy snow across the eastern foothills of the Big Horn Mountains.","Several 8 inch snow reports were received around Story and Banner." +121531,727395,MONTANA,2017,December,High Wind,"NORTHERN SWEET GRASS",2017-12-17 09:07:00,MST-7,2017-12-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight surface pressure gradient resulted in high winds across portions of Park and Sweet Grass Counties.","A wind gust of 64 mph was recorded in Big Timber." +121531,727396,MONTANA,2017,December,High Wind,"LIVINGSTON AREA",2017-12-18 01:00:00,MST-7,2017-12-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight surface pressure gradient resulted in high winds across portions of Park and Sweet Grass Counties.","A wind gust of 81 mph was recorded at the Livingston Airport." +121133,725182,MINNESOTA,2017,December,Cold/Wind Chill,"CENTRAL ST. LOUIS",2017-12-10 00:00:00,CST-6,2017-12-10 19:10:00,0,2,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people were treated at their duplex by EMS personnel for carbon monoxide exposure caused by a faulty furnace and poor venting.","Two people were treated at their duplex by EMS personnel for carbon monoxide exposure caused by a faulty furnace and poor venting." +121326,726308,OKLAHOMA,2017,December,Thunderstorm Wind,"PITTSBURG",2017-12-04 16:30:00,CST-6,2017-12-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-95.77,34.93,-95.77,"Strong to severe thunderstorms developed over eastern Oklahoma during the afternoon of the 4th as a cold front moved into the area. The strongest storms produced large hail up to ping pong ball size and damaging wind gusts.","Strong thunderstorm wind blew down a tree in town." +121326,726309,OKLAHOMA,2017,December,Thunderstorm Wind,"MUSKOGEE",2017-12-04 16:55:00,CST-6,2017-12-04 16:55:00,0,0,0,0,0.00K,0,0.00K,0,35.489,-95.1233,35.489,-95.1233,"Strong to severe thunderstorms developed over eastern Oklahoma during the afternoon of the 4th as a cold front moved into the area. The strongest storms produced large hail up to ping pong ball size and damaging wind gusts.","The Oklahoma Mesonet station south of Webbers Falls measured 58 mph thunderstorm wind gusts." +121326,726310,OKLAHOMA,2017,December,Hail,"SEQUOYAH",2017-12-04 17:13:00,CST-6,2017-12-04 17:13:00,0,0,0,0,5.00K,5000,0.00K,0,35.5,-94.97,35.5,-94.97,"Strong to severe thunderstorms developed over eastern Oklahoma during the afternoon of the 4th as a cold front moved into the area. The strongest storms produced large hail up to ping pong ball size and damaging wind gusts.","" +121326,726311,OKLAHOMA,2017,December,Hail,"SEQUOYAH",2017-12-04 17:32:00,CST-6,2017-12-04 17:32:00,0,0,0,0,5.00K,5000,0.00K,0,35.55,-94.72,35.55,-94.72,"Strong to severe thunderstorms developed over eastern Oklahoma during the afternoon of the 4th as a cold front moved into the area. The strongest storms produced large hail up to ping pong ball size and damaging wind gusts.","" +121327,726312,ARKANSAS,2017,December,Thunderstorm Wind,"SEBASTIAN",2017-12-04 18:45:00,CST-6,2017-12-04 18:45:00,0,0,0,0,15.00K,15000,0.00K,0,35.054,-94.2514,35.054,-94.2514,"Strong to severe thunderstorms developed over eastern Oklahoma during the afternoon of the 4th as a cold front moved into the area. These storms moved into northwestern Arkansas during the early evening. The strongest storms produced damaging wind gusts.","Strong thunderstorm wind damaged the roof of a home and destroyed a metal barn." +121329,726313,ARKANSAS,2017,December,Drought,"CARROLL",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +121329,726317,ARKANSAS,2017,December,Drought,"FRANKLIN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +121329,726318,ARKANSAS,2017,December,Drought,"SEBASTIAN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +121113,725094,ALABAMA,2017,December,Hail,"MADISON",2017-12-20 16:13:00,CST-6,2017-12-20 16:13:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-86.75,34.86,-86.75,"An isolated thunderstorm became severe during the late afternoon hours in north central Alabama. The storm produced hail up to 1 inch in diameter.","One inch hail was reported via social media." +121113,725095,ALABAMA,2017,December,Hail,"MADISON",2017-12-20 16:15:00,CST-6,2017-12-20 16:15:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-86.72,34.85,-86.72,"An isolated thunderstorm became severe during the late afternoon hours in north central Alabama. The storm produced hail up to 1 inch in diameter.","Penny sized hail was reported in the Anderson Hills subdivision. Relayed via social media." +121113,725096,ALABAMA,2017,December,Hail,"MADISON",2017-12-20 17:01:00,CST-6,2017-12-20 17:01:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-86.49,34.66,-86.49,"An isolated thunderstorm became severe during the late afternoon hours in north central Alabama. The storm produced hail up to 1 inch in diameter.","Nickel sized hail was reported in Big Cove area. Relayed via social media." +120207,720242,TENNESSEE,2017,September,Thunderstorm Wind,"HAMILTON",2017-09-05 15:30:00,EST-5,2017-09-05 15:30:00,0,0,0,0,,NaN,,NaN,35.08,-85.25,35.08,-85.25,"An isolated, lone thunderstorm produced just enough wind to down a tree in Chattanooga. Weak instability and modest wind shear were available for storm strengthening ahead of a cold front building through the Southern Appalachian region.","A lone tree fell on a house on Jarnigan Avenue." +120209,720243,TENNESSEE,2017,September,High Wind,"SEVIER/SMOKY MOUNTAINS",2017-09-11 17:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The weakening tropical system that was once Irma moved inland through the Deep South across the Western part of Tennessee generating a period of strong and gusty wind. A few trees were reported down with the passage of the low.","A gust to 60 mph was recorded at Clingmans Dome tower." +120347,721395,GEORGIA,2017,September,Tropical Storm,"WASHINGTON",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Washington County Emergency Manager reported numerous trees and power lines blown down across the county. At least 2 homes were damaged when trees fell onto them. Radar estimated between 2 and 4 inches of rain fell across the county with 3.99 inches measured in Sandersville. No injuries were reported." +121092,729016,ALABAMA,2017,December,Heavy Rain,"DEKALB",2017-12-20 07:00:00,CST-6,2017-12-20 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-85.98,34.32,-85.98,"Heavy rain occurred during the early morning hours of the 20th. Rainfall amounts of over 2 inches fell over much of north Alabama, with a narrower band of 3-5 inch rainfall. Within this band, runoff resulted in flash flooding in Morgan County. In one case, up to six vehicles had to be rescued from flood waters.","Heavy rain reported in Skirum." +121627,727921,WYOMING,2017,December,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-12-03 10:00:00,MST-7,2017-12-04 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropping southward across brought locally heavy snow to portions of western and central Wyoming. Some of the highest amounts of snow in western Wyoming included 15 inches of snow at Cottonwood Creek in the Salt and Wyoming Ranges. Meanwhile, East of the Divide. 12 inches fell at the St. Lawrence SNOTEL site in the Wind River Mountains. In the lower elevations, heavy snow fell in some areas from southeastern Fremont County into Natrona County. Over a foot of snow fell in Sweetwater Station with 7 to 9 inches around Casper.","The SNOTEL site at Cottonwood Creek had 15 inches of new snow. Around a foot of snow fell at Commissary Ridge." +119798,718353,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"DORCHESTER",2017-09-01 16:24:00,EST-5,2017-09-01 16:25:00,0,0,0,0,,NaN,0.00K,0,32.97,-80.3,32.97,-80.3,"An area of thunderstorms developed in the afternoon hours across southeast Georgia and progressed into southeast South Carolina. These thunderstorms formed in a warm and unstable airmass around the periphery of the remnants of Tropical Cyclone Harvey as it moved across the Tennessee Valley. A few of these thunderstorms became strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down on Highway 61 near the intersection with Old Beech Hill Road." +121627,727922,WYOMING,2017,December,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-12-03 13:00:00,MST-7,2017-12-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropping southward across brought locally heavy snow to portions of western and central Wyoming. Some of the highest amounts of snow in western Wyoming included 15 inches of snow at Cottonwood Creek in the Salt and Wyoming Ranges. Meanwhile, East of the Divide. 12 inches fell at the St. Lawrence SNOTEL site in the Wind River Mountains. In the lower elevations, heavy snow fell in some areas from southeastern Fremont County into Natrona County. Over a foot of snow fell in Sweetwater Station with 7 to 9 inches around Casper.","The SNOTEL site at St. Lawrence had a foot of new snow." +121627,727923,WYOMING,2017,December,Winter Storm,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-12-03 21:00:00,MST-7,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropping southward across brought locally heavy snow to portions of western and central Wyoming. Some of the highest amounts of snow in western Wyoming included 15 inches of snow at Cottonwood Creek in the Salt and Wyoming Ranges. Meanwhile, East of the Divide. 12 inches fell at the St. Lawrence SNOTEL site in the Wind River Mountains. In the lower elevations, heavy snow fell in some areas from southeastern Fremont County into Natrona County. Over a foot of snow fell in Sweetwater Station with 7 to 9 inches around Casper.","At Sweetwater Station 14 inches of snow fell. Amounts were generally less elsewhere with only 2 inches at Jeffrey City." +119801,718376,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 02:59:00,EST-5,2017-09-02 03:01:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","The Weatherflow site on the Folly Beach pier measured a 54 knot wind gust." +119801,718378,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 03:05:00,EST-5,2017-09-02 03:07:00,0,0,0,0,,NaN,0.00K,0,32.7847,-79.7854,32.7847,-79.7854,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","The Weatherflow site at the Isle of Palms pier measured a 50 knot wind gust." +119802,718379,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-06 00:29:00,EST-5,2017-09-06 00:32:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A strong line of thunderstorms developed along the southeast Georgia and southeast South Carolina coast in the early morning hours. This line of storms eventually produced strong wind gusts along the coast and over the Atlantic coastal waters.","The Weatherflow site at the Folly Beach pier measured a 34 knot wind gust." +119802,718380,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-06 00:44:00,EST-5,2017-09-06 00:47:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A strong line of thunderstorms developed along the southeast Georgia and southeast South Carolina coast in the early morning hours. This line of storms eventually produced strong wind gusts along the coast and over the Atlantic coastal waters.","The Weatherflow site at the Folly Beach pier measured a 34 knot wind gust." +119802,718381,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-06 00:41:00,EST-5,2017-09-06 00:48:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A strong line of thunderstorms developed along the southeast Georgia and southeast South Carolina coast in the early morning hours. This line of storms eventually produced strong wind gusts along the coast and over the Atlantic coastal waters.","The Weatherflow site at Fort Sumter measured a 34 knot wind gust. The peak wind gust of 39 knots occurred 5 minutes later." +119802,718382,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-09-06 02:40:00,EST-5,2017-09-06 02:43:00,0,0,0,0,,NaN,0.00K,0,32.501,-79.099,32.501,-79.099,"A strong line of thunderstorms developed along the southeast Georgia and southeast South Carolina coast in the early morning hours. This line of storms eventually produced strong wind gusts along the coast and over the Atlantic coastal waters.","Buoy 41004 measured a 37 knot wind gust." +119803,718383,GEORGIA,2017,September,Thunderstorm Wind,"EFFINGHAM",2017-09-21 19:23:00,EST-5,2017-09-21 19:26:00,0,0,0,0,,NaN,0.00K,0,32.3504,-81.4127,32.3504,-81.4127,"Isolated thunderstorms developed in the evening hours across portions of southeast Georgia. One thunderstorm in Effingham County became strong enough to produce damaging wind gusts.","Effingham County dispatch reported multiple trees and power lines down across Highway 17 between Gracen Road and Keith Road. Another tree was down across Gracen Road at Old Louisville Court." +120675,722812,OKLAHOMA,2017,September,Flash Flood,"COMANCHE",2017-09-27 04:50:00,CST-6,2017-09-27 07:50:00,0,0,0,0,0.00K,0,0.00K,0,34.6245,-98.5985,34.6244,-98.5975,"Moderate to heavy showers persisted for long enough during the morning of the 27th across portions of southwest Oklahoma to cause some localized flooding. One report of flooding was received between Lawton and Cache. The intersection of NW Cache Rd and NW Airport Rd was reported to be flooded and impassible.","A report was relayed by broadcast media that the intersection of NW Cache Rd and NW Airport Rd was flooded and impassible." +120722,723066,TEXAS,2017,September,Hail,"CLAY",2017-09-16 17:34:00,CST-6,2017-09-16 17:34:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-98.19,33.82,-98.19,"An isolated storm moved up from central Texas into Clay county where it produced severe hail on the evening of the 16th.","" +120722,723067,TEXAS,2017,September,Hail,"CLAY",2017-09-16 17:36:00,CST-6,2017-09-16 17:36:00,0,0,0,0,0.00K,0,0.00K,0,33.82,-98.19,33.82,-98.19,"An isolated storm moved up from central Texas into Clay county where it produced severe hail on the evening of the 16th.","" +117453,706392,IOWA,2017,June,Thunderstorm Wind,"HARDIN",2017-06-28 17:55:00,CST-6,2017-06-28 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-93.27,42.47,-93.27,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Iowa Falls Airport AWOS recorded a 58 mph wind gust." +120110,719678,MISSOURI,2017,September,Thunderstorm Wind,"GRUNDY",2017-09-16 16:30:00,CST-6,2017-09-16 16:33:00,0,0,0,0,,NaN,,NaN,40.08,-93.54,40.08,-93.54,"On the evening of September 16, a strong storm moved through the Chillicothe area. There was some damage to a chicken coop and a pole barn in the area, with estimated 60 to 70 mph winds.","A 6 inch tree limb was down, and a powerline was down near Trenton." +120110,719681,MISSOURI,2017,September,Thunderstorm Wind,"LIVINGSTON",2017-09-16 16:35:00,CST-6,2017-09-16 16:38:00,0,0,0,0,,NaN,,NaN,39.8,-93.49,39.8,-93.49,"On the evening of September 16, a strong storm moved through the Chillicothe area. There was some damage to a chicken coop and a pole barn in the area, with estimated 60 to 70 mph winds.","A chicken coop was blown over and a section of fence was blown 100 yards in the neighbor's yard." +120110,719682,MISSOURI,2017,September,Thunderstorm Wind,"LINN",2017-09-16 16:50:00,CST-6,2017-09-16 16:53:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-93.08,39.96,-93.08,"On the evening of September 16, a strong storm moved through the Chillicothe area. There was some damage to a chicken coop and a pole barn in the area, with estimated 60 to 70 mph winds.","A pole barn was damaged near Purdin." +119690,717890,HAWAII,2017,September,High Surf,"NIIHAU",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717891,HAWAII,2017,September,High Surf,"KAUAI WINDWARD",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717892,HAWAII,2017,September,High Surf,"KAUAI LEEWARD",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717893,HAWAII,2017,September,High Surf,"OAHU SOUTH SHORE",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717894,HAWAII,2017,September,High Surf,"WAIANAE COAST",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717895,HAWAII,2017,September,High Surf,"MOLOKAI WINDWARD",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717896,HAWAII,2017,September,High Surf,"MOLOKAI LEEWARD",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +120872,723707,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-09-05 22:09:00,EST-5,2017-09-05 22:19:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to produce gusty winds.","Wind gusts of 34 to 39 knots were reported at Raccoon Point." +120872,723708,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-09-05 22:20:00,EST-5,2017-09-05 22:20:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to produce gusty winds.","A wind gusts of 41 knots was reported at Point Lookout." +120873,723710,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-09-06 17:28:00,EST-5,2017-09-06 17:28:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"An isolated storm produced gusty winds.","A wind gust in excess of 30 knots was reported at Crisfield." +120931,723908,MARYLAND,2017,September,Coastal Flood,"ST. MARY'S",2017-09-20 12:35:00,EST-5,2017-09-20 15:07:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An onshore flow led to moderate tidal flooding at Straits Point in St Marys County.","Based on river gauge levels, water covered roads on St. Georges Island, was in yards, and it approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +120931,723909,MARYLAND,2017,September,Coastal Flood,"ST. MARY'S",2017-09-21 00:42:00,EST-5,2017-09-21 03:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An onshore flow led to moderate tidal flooding at Straits Point in St Marys County.","Based on river gauge levels, water covered roads on St. Georges Island, was in yards, and it approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +118539,712162,VERMONT,2017,September,Thunderstorm Wind,"ORANGE",2017-09-05 17:12:00,EST-5,2017-09-05 17:12:00,0,0,0,0,15.00K,15000,0.00K,0,44.04,-72.6,44.04,-72.6,"A marginal cold front moved into a marginally unstable air mass while a strong mid-level jet stream was aloft. These factors developed a few thunderstorms, some of which produced damaging winds, especially in the Pittsfield vicinity where numerous, trees fell onto utility lines.","Several trees down across the Brookfield-Braintree area including North Ridge road." +118539,712159,VERMONT,2017,September,Thunderstorm Wind,"RUTLAND",2017-09-05 16:48:00,EST-5,2017-09-05 16:50:00,0,0,0,0,35.00K,35000,0.00K,0,43.71,-73.03,43.71,-73.03,"A marginal cold front moved into a marginally unstable air mass while a strong mid-level jet stream was aloft. These factors developed a few thunderstorms, some of which produced damaging winds, especially in the Pittsfield vicinity where numerous, trees fell onto utility lines.","Numerous trees down on utility lines throughout town, especially the south side including the town of Chittenden and the Michigan road, Route 100 vicinity." +118917,714385,ARKANSAS,2017,September,Hail,"MILLER",2017-09-05 15:15:00,CST-6,2017-09-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-94.02,33.46,-94.02,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in various reports of large hail across portions of Hempstead and Miller Counties. These storms began to diminish by early evening as cooler and drier air began to spill south in wake of the frontal passage.","Pictures of half dollar size hail that fell in Texarkana, were posted on several local TV media Facebook pages." +118954,714572,ARIZONA,2017,September,Hail,"GILA",2017-09-04 16:39:00,MST-7,2017-09-04 16:39:00,0,0,0,0,0.00K,0,0.00K,0,33.4,-110.79,33.4,-110.79,"Thunderstorms developed across portions of southern Gila County during the afternoon hours on September 4th and one of the stronger storms affected the area around Globe and Claypool. The storm produced locally heavy rain over the eastern side of Globe, as is typical with monsoon thunderstorms, but it also managed to produce large hail which is less common. A trained weather spotter in Globe measured hail with a diameter of three quarters of an inch. No damage was reported due to the large hail. The hail was not large enough to meet severe criteria and no Severe Thunderstorm Warning was issued. However, a Significant Weather Advisory was issued instead, highlighting the potential for heavy rain and hail along with gusty winds.","Thunderstorms developed over portions of southern Gila County during the afternoon hours on September 4th and one of the stronger storms produced large hail which fell in the town of Globe. A trained weather spotter in Globe measured hailstones with a diameter of three quarters of an inch at about 1439MST. No damage was reported due to the hail. A Significant Weather Advisory was in effect at the time of the large hail; no Severe Thunderstorm Warning was issued however. In addition to the hail, the storm produced heavy rain which resulted in water to the top of the curbs on the east side of Globe." +119026,714876,INDIANA,2017,September,Lightning,"KOSCIUSKO",2017-09-19 05:00:00,EST-5,2017-09-19 05:01:00,0,0,0,0,75.00K,75000,0.00K,0,41.42,-85.66,41.42,-85.66,"An area of non-severe thunderstorms moved across northern Indiana during the early morning hours of the 19th. A few of the storms produced frequent lightning that struck at least one home.","Residents of a home on the northeast side of Lake Wawasee reported a loud crack around 6 am EDT during a thunderstorm. Shortly after, smoke was noted and the residents evacuated. Fire spread across much of the home with the greatest damage in the second story and garage areas. Damage is estimated at around $75,000." +115396,694496,MISSOURI,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 15:35:00,CST-6,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1454,-91.6268,38.7063,-91.646,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 4 and 6 inches of rain fell causing flash flooding. Numerous roads were flooded including Routes K and J, as well as Highway 161 near Buell." +115396,694536,MISSOURI,2017,April,Flash Flood,"PIKE",2017-04-29 15:25:00,CST-6,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2273,-90.7255,39.2273,-91.1849,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 3 and 6 inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Highway 79 just northwest of Louisiana." +115396,694480,MISSOURI,2017,April,Flash Flood,"WASHINGTON",2017-04-29 12:25:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.7416,-91.0978,37.7372,-90.6482,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 5 and 7 inches of rain fell causing widespread flash flooding. Numerous roads were flooded including Route CC between Highway 21 and Route E." +115430,697458,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:21:00,CST-6,2017-06-11 07:21:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-93.72,44.94,-93.72,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Four inch tree limbs were blown down." +115397,693028,ILLINOIS,2017,April,Thunderstorm Wind,"MARION",2017-04-29 16:52:00,CST-6,2017-04-29 16:52:00,0,0,0,0,0.00K,0,0.00K,0,38.7213,-89.0608,38.7213,-89.0608,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds blew down three large trees." +115397,693029,ILLINOIS,2017,April,Thunderstorm Wind,"MARION",2017-04-29 17:15:00,CST-6,2017-04-29 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8018,-88.81,38.8018,-88.81,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds caused minor roof damage to one house. Also, two barns sustained minor roof damage and a power pole was bent." +115397,694386,ILLINOIS,2017,April,Flash Flood,"RANDOLPH",2017-04-29 08:15:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,38.0881,-90.2007,38.135,-90.0349,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between four and seven inches of rain fell over 3 days causing flash flooding. Numerous roads were flooded." +116035,697508,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MIFFLIN",2017-07-01 12:28:00,EST-5,2017-07-01 12:28:00,0,0,0,0,4.00K,4000,0.00K,0,40.64,-77.58,40.64,-77.58,"Showers and thunderstorm associated with an MCS affected northwestern Pennsylvania during the pre-dawn hours on Sunday, July 1. One of the cells within this system exhibited rotation as it crossed Elk County, and produced wind damage near Saint Mary's. A cold front crossed the commonwealth later in the day, generating a line of showers and storms that produced sporadic wind damage as it crossed central Pennsylvania during the afternoon hours.","A severe thunderstorm produced wind estimated near 60 mph and knocked down trees and wires in Yeagertown." +116246,698895,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-01 16:39:00,EST-5,2017-07-01 16:39:00,0,0,0,0,,NaN,,NaN,40.12,-75.12,40.12,-75.12,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Several trees and power lines down in Abington." +116244,699031,KENTUCKY,2017,July,Thunderstorm Wind,"TRIMBLE",2017-07-07 18:30:00,EST-5,2017-07-07 18:30:00,0,0,0,0,,NaN,0.00K,0,38.7247,-85.3825,38.7224,-85.3712,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","The public reported several trees down in the area due to severe thunderstorm winds." +116253,699107,NEW JERSEY,2017,July,Heavy Rain,"WARREN",2017-07-07 08:32:00,EST-5,2017-07-07 08:32:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-75.03,40.83,-75.03,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","" +118818,713819,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HUGHES",2017-07-05 19:49:00,CST-6,2017-07-05 19:49:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-100.29,44.38,-100.29,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118827,713877,NORTH CAROLINA,2017,July,Thunderstorm Wind,"SCOTLAND",2017-07-23 15:50:00,EST-5,2017-07-23 15:50:00,0,0,0,0,3.00K,3000,0.00K,0,34.85,-79.54,34.85,-79.54,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Multiple trees were blown down throughout Scotland County." +118827,713924,NORTH CAROLINA,2017,July,Thunderstorm Wind,"NASH",2017-07-23 18:18:00,EST-5,2017-07-23 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.92,-78.12,35.89,-78.02,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Two trees were blown down along a swath from 2 miles southwest to 6 miles southeast of Spring Hope." +118839,713952,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-18 15:55:00,EST-5,2017-07-18 15:55:00,0,0,0,0,30.00K,30000,0.00K,0,36.05,-80.31,36.05,-80.31,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Several clusters of trees were reported down across southern and southeastern portions of Winston-Salem, including on cars and power lines near Westdale Avenue." +118851,714037,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-19 10:36:00,CST-6,2017-07-19 10:36:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-98.22,44.4,-98.22,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","" +117633,714080,MAINE,2017,July,Thunderstorm Wind,"PENOBSCOT",2017-07-17 11:52:00,EST-5,2017-07-17 11:52:00,0,0,0,0,,NaN,,NaN,46.14,-68.64,46.14,-68.64,"Thunderstorms developed during the late morning and early afternoon of the 17th in the vicinity of a nearly stationary frontal boundary. An isolated severe thunderstorm produced damaging winds in northern Penobscot county.","Several trees were toppled by wind gusts estimated at 60 mph. The time is estimated." +115430,710875,MINNESOTA,2017,June,Thunderstorm Wind,"KANDIYOHI",2017-06-11 06:34:00,CST-6,2017-06-11 06:34:00,0,0,0,0,0.00K,0,0.00K,0,45.0953,-94.8392,45.0953,-94.8392,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Large branches were broken." +117937,708826,KANSAS,2017,June,Hail,"BUTLER",2017-06-17 20:34:00,CST-6,2017-06-17 20:35:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-96.86,37.89,-96.86,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117937,708827,KANSAS,2017,June,Thunderstorm Wind,"GREENWOOD",2017-06-17 20:38:00,CST-6,2017-06-17 20:39:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-96.41,37.92,-96.41,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a trained spotter." +117937,708828,KANSAS,2017,June,Thunderstorm Wind,"BUTLER",2017-06-17 20:39:00,CST-6,2017-06-17 20:40:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.88,37.82,-96.88,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a storm chaser." +117937,708830,KANSAS,2017,June,Thunderstorm Wind,"GREENWOOD",2017-06-17 20:58:00,CST-6,2017-06-17 20:59:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-96.2,37.89,-96.2,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Winds were sustained in a 45 to 50 mph range." +117937,708831,KANSAS,2017,June,Hail,"BUTLER",2017-06-17 20:59:00,CST-6,2017-06-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.14,37.69,-97.14,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117937,708832,KANSAS,2017,June,Thunderstorm Wind,"WOODSON",2017-06-17 21:11:00,CST-6,2017-06-17 21:12:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-95.95,37.8,-95.95,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","High winds were reported at the intersection of highways 54 and 105. One half inch hail was also reported." +117937,708833,KANSAS,2017,June,Hail,"SEDGWICK",2017-06-17 21:13:00,CST-6,2017-06-17 21:14:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-97.25,37.63,-97.25,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117937,708834,KANSAS,2017,June,Hail,"BUTLER",2017-06-17 21:15:00,CST-6,2017-06-17 21:16:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-97.11,37.57,-97.11,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","" +117243,705544,WISCONSIN,2017,June,Thunderstorm Wind,"SAWYER",2017-06-11 14:43:00,CST-6,2017-06-11 14:43:00,0,0,0,0,,NaN,,NaN,45.91,-91.5,45.91,-91.5,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Trees were uprooted or snapped." +117243,705547,WISCONSIN,2017,June,Thunderstorm Wind,"PRICE",2017-06-11 18:11:00,CST-6,2017-06-11 18:11:00,0,0,0,0,,NaN,,NaN,45.54,-90.53,45.54,-90.53,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Trees were uprooted and snapped, and a house's siding was peeled." +117242,705091,WISCONSIN,2017,June,Hail,"BURNETT",2017-06-10 05:40:00,CST-6,2017-06-10 05:40:00,0,0,0,0,,NaN,,NaN,45.78,-92.68,45.78,-92.68,"A strong thunderstorm moved across Burnett County and produced nickel size hail in the town of Grantsburg, Wisconsin.","" +118590,712388,SOUTH DAKOTA,2017,June,Hail,"BRULE",2017-06-13 15:45:00,CST-6,2017-06-13 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-98.86,43.59,-98.86,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712389,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 16:19:00,CST-6,2017-06-13 16:19:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-98.84,43.39,-98.84,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712390,SOUTH DAKOTA,2017,June,Hail,"AURORA",2017-06-13 16:20:00,CST-6,2017-06-13 16:20:00,0,0,0,0,0.00K,0,0.00K,0,43.86,-98.61,43.86,-98.61,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712391,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 16:26:00,CST-6,2017-06-13 16:26:00,0,0,0,0,0.00K,0,0.00K,0,43.36,-98.77,43.36,-98.77,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712392,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-13 16:31:00,CST-6,2017-06-13 16:31:00,0,0,0,0,0.00K,0,0.00K,0,43.46,-98.68,43.46,-98.68,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712393,SOUTH DAKOTA,2017,June,Hail,"JERAULD",2017-06-13 16:40:00,CST-6,2017-06-13 16:40:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-98.42,44.07,-98.42,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Also 50 to 55 mph winds." +117243,705563,WISCONSIN,2017,June,Flash Flood,"PRICE",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.9033,-90.4262,45.9033,-90.4257,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A culvert washed out along Old Highway 13/Case Avenue." +117243,705565,WISCONSIN,2017,June,Flood,"PRICE",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.8956,-90.4298,45.895,-90.4289,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Water flowed over Wisconsin State Highway 13 and Boyer Road near Fifield." +117243,705092,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:28:00,CST-6,2017-06-11 08:28:00,0,0,0,0,,NaN,,NaN,45.77,-92.73,45.77,-92.73,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A 30 foot tall pine tree was blown down." +117243,705093,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:28:00,CST-6,2017-06-11 08:28:00,0,0,0,0,,NaN,,NaN,45.78,-92.74,45.78,-92.74,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Four large pine trees were blown down." +118837,715562,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA OUT 20 NM",2017-06-20 16:00:00,CST-6,2017-06-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent tropical storm force gusts were common across the marine zone. A maximum wind gust of 37 kts, or 43 mph, was measured by buoy 42067 at 4:40pm CST on the 20th." +118580,712345,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"JERAULD",2017-06-11 02:25:00,CST-6,2017-06-11 02:25:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-98.65,44.17,-98.65,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Outbuilding destroyed." +118580,712332,SOUTH DAKOTA,2017,June,Hail,"BEADLE",2017-06-11 03:05:00,CST-6,2017-06-11 03:05:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-98.22,44.37,-98.22,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","" +118580,712334,SOUTH DAKOTA,2017,June,Hail,"BEADLE",2017-06-11 03:05:00,CST-6,2017-06-11 03:05:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-98.47,44.41,-98.47,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Via Social Media." +118580,712356,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-11 03:15:00,CST-6,2017-06-11 03:15:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-98.23,44.39,-98.23,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Measured by ASOS station at Huron Regional Airport." +118617,712520,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-29 14:50:00,CST-6,2017-06-29 14:50:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-98.53,43.33,-98.53,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118586,712376,MINNESOTA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-11 05:16:00,CST-6,2017-06-11 05:16:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-96.32,44.27,-96.32,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","Measured by Mesonet Station MN028." +118586,712370,MINNESOTA,2017,June,Hail,"MURRAY",2017-06-11 06:15:00,CST-6,2017-06-11 06:15:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-95.76,43.99,-95.76,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","Social Media Report." +118586,712371,MINNESOTA,2017,June,Hail,"MURRAY",2017-06-11 06:20:00,CST-6,2017-06-11 06:20:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-95.75,43.99,-95.75,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","" +118586,712372,MINNESOTA,2017,June,Hail,"COTTONWOOD",2017-06-11 06:44:00,CST-6,2017-06-11 06:44:00,0,0,0,0,0.00K,0,0.00K,0,44.04,-95.43,44.04,-95.43,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","Social Media Report." +118586,712373,MINNESOTA,2017,June,Hail,"COTTONWOOD",2017-06-11 07:32:00,CST-6,2017-06-11 07:32:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-94.96,44.02,-94.96,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","" +118586,712374,MINNESOTA,2017,June,Hail,"COTTONWOOD",2017-06-11 07:33:00,CST-6,2017-06-11 07:33:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-94.87,44.06,-94.87,"Thunderstorms that earlier developed in central South Dakota and moved east. The storms continued along Highway 14 and impacted areas of southwest Minnesota.","" +118587,712377,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-12 08:35:00,CST-6,2017-06-12 08:35:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-97.38,43.08,-97.38,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +118587,712378,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-12 08:42:00,CST-6,2017-06-12 08:42:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-97.33,43.2,-97.33,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +117243,705105,WISCONSIN,2017,June,Thunderstorm Wind,"SAWYER",2017-06-11 10:31:00,CST-6,2017-06-11 10:31:00,0,0,0,0,,NaN,,NaN,45.85,-91.54,45.85,-91.54,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Multiple trees were blown down. A few of of the trees were snapped at their bases." +117243,705534,WISCONSIN,2017,June,Hail,"BURNETT",2017-06-11 11:25:00,CST-6,2017-06-11 11:25:00,0,0,0,0,,NaN,,NaN,45.78,-92.68,45.78,-92.68,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","" +118717,713213,TEXAS,2017,June,Hail,"NUECES",2017-06-04 16:50:00,CST-6,2017-06-04 16:55:00,0,0,0,0,,NaN,0.00K,0,27.7319,-97.3735,27.7319,-97.3735,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Local TV station reported quarter sized hail near Alameda Street and Everhart Road." +118684,712990,NEBRASKA,2017,June,Hail,"DAKOTA",2017-06-29 15:30:00,CST-6,2017-06-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-96.4,42.46,-96.4,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","" +118684,712991,NEBRASKA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-29 15:30:00,CST-6,2017-06-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-96.39,42.46,-96.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across portion of northeast Nebraska during the evening hours.","A few branches were downed." +118686,712997,NEBRASKA,2017,June,Thunderstorm Wind,"DAKOTA",2017-06-13 20:17:00,CST-6,2017-06-13 20:17:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-96.42,42.48,-96.42,"Severe thunderstorms moved out of southeast South Dakota into areas of northeast Nebraska. The storms transitioned into wind producers across the area.","Tree branches downed." +118687,713007,IOWA,2017,June,Thunderstorm Wind,"CLAY",2017-06-28 00:50:00,CST-6,2017-06-28 00:50:00,0,0,0,0,0.00K,0,0.00K,0,43.1666,-95.205,43.1666,-95.205,"A thunderstorm moved across portions of northwest Iowa and produced a rogue wind gust. No other reports were received from this storm other than the one recorded.","" +113988,682672,OHIO,2017,April,Flash Flood,"CUYAHOGA",2017-04-19 16:30:00,EST-5,2017-04-19 20:00:00,0,0,0,0,400.00K,400000,0.00K,0,41.4228,-81.7484,41.4241,-81.7635,"Around 515 pm on April 19th, 2017 scattered thunderstorms with heavy rain moved over portions of Cuyahoga County. The storms were moving east around 30 mph. Embedded in these storms were radar estimated instantaneous rainfall rates in excess of 6��� per hour. Flash flooding occurred on the Big Creek in Parma.","Around 515 pm on April 19th, 2017 scattered thunderstorms with heavy rain moved over portions of Cuyahoga County. The storms were moving east around 30 mph. Embedded in these storms were radar estimated instantaneous rainfall rates in excess of 6��� per hour. |A rain gauge located in Brook Park Ohio, about a mile and a half west of the Big Creek, measured 0.50��� in 5 minutes, 1.01��� in 15 minutes, 2.16��� in 1 hour. The storm total rainfall was 2.81���. This verified an instantaneous rainfall rate around 6���/hr as indicated by radar. Using NOAA Atlas Precipitation Frequency Estimates the rainfall rates peaked at a 50 year average recurrence interval. |The National Weather Service issued a flood advisory for Cuyahoga County at 6:02 pm. Around this time a flash flood developed in Parma and extended into southern portions Brooklyn, notably at the intersection of Brookpark Road and the Big Creek. The Big Creek runs south to north starting in Parma Heights extending into Parma, Brooklyn, and connecting with the Cuyahoga River in Cleveland. A river gauge located approximately 1.5 miles downstream of the flood location indicated a rise in the creek starting around 545 pm. The Creek rose 5 feet in an hour, and crested around 830 pm with a stage around 9.5 feet. The creek receded back in it���s banks by 10 pm. |At the junction of the Big Creek and Brookpark Road is the entrance to the Big Creek reservation. When the creek exceeded it���s banks much of the water overflowed into the park grounds with minimal impact. The Brookpark Road bridge proved to be a choke point in the river as it was unable to handle the high flows. As a result, the water moved to the east side of the bridge flowing across Brookpark Road and into adjacent parking lots and multiple businesses. Estimates of 30 to 50 people had to be rescued from these businesses with dozens of vehicles flooded.|The Big Creek flows into the Cleveland Metropark Zoo, but by the time the flood water reached this area the creek was within it���s banks with no further damage. Flooding also affected travel in Hudson and Streetsboro. Flooding was seen at an Interstate 480 underpass on Stow Road in Hudson, and Ohio Route 303 was closed near Jefferson Street due to high water. However these were minor conditions with no injuries or property damage." +116526,700718,OHIO,2017,June,Flash Flood,"MORROW",2017-06-23 11:25:00,EST-5,2017-06-23 16:30:00,0,0,0,0,70.00K,70000,0.00K,0,40.563,-82.8822,40.4851,-82.8719,"As a cold front moved east toward the region on the morning and afternoon of the 23rd it interacted with an anomalously moist airmass associated with the remants of Tropical Storm Cindy over the Mississippi River Valley. Numerous showers and a few thunderstorms developed as a result. A nearly stationary axis of focused heavy rainfall occurred over North Central Ohio causing flash flooding during the late morning and afternoon hours of the 23rd.","Showers and embedded thunderstorms began to move into the county around 1130 AM. Training of heavy rainfall led to flash flooding just after 2 PM. Numerous roads were closed as a result including State Routes 42 and 61. In addition, one rural roadway was washed out from flood waters. By 2 PM, the intensity of the rainfall decreased and flash flooding subsided by 5:30 PM." +119389,716557,ILLINOIS,2017,June,Hail,"OGLE",2017-06-13 13:30:00,CST-6,2017-06-13 13:31:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-88.96,42.14,-88.96,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Quarter size hail was reported 6 miles east southeast of New Millford." +119484,717074,ILLINOIS,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-17 19:29:00,CST-6,2017-06-17 19:29:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-88.28,42.17,-88.28,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Wind gusts were estimated to 60 mph." +119392,716932,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:30:00,CST-6,2017-06-14 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-88.83,41.12,-88.83,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Multiple large trees were blown down with over 30 reports of trees down." +119392,717042,ILLINOIS,2017,June,Thunderstorm Wind,"DE KALB",2017-06-14 15:34:00,CST-6,2017-06-14 15:34:00,0,0,0,0,5.00K,5000,0.00K,0,41.7122,-88.6357,41.7122,-88.6357,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Several utility poles and power lines were blown down along East Chicago Road." +119490,717085,ILLINOIS,2017,June,Thunderstorm Wind,"WILL",2017-06-23 05:02:00,CST-6,2017-06-23 05:02:00,0,0,0,0,0.00K,0,0.00K,0,41.3433,-87.6203,41.3433,-87.6203,"Scattered thunderstorms moved across eastern Illinois during the morning hours of June 23rd producing wind damage.","Trees around 10 inches in diameter along with other tree limbs were blown down east of Beecher around a golf course." +119489,717084,INDIANA,2017,June,Thunderstorm Wind,"LAKE",2017-06-20 14:15:00,CST-6,2017-06-20 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-87.45,41.37,-87.45,"A severe thunderstorm moved across parts of far northwest Indiana during the afternoon of June 20th ahead of a cold front.","Wind gusts were estimated between 50 and 60 mph." +119488,717080,ILLINOIS,2017,June,Thunderstorm Wind,"COOK",2017-06-20 13:40:00,CST-6,2017-06-20 13:40:00,0,0,0,0,0.50K,500,0.00K,0,41.48,-87.72,41.48,-87.72,"A severe thunderstorm moved across parts of eastern Illinois during the afternoon of June 20th ahead of a cold front.","Power lines and small tree limbs were blown down." +119488,717083,ILLINOIS,2017,June,Thunderstorm Wind,"WILL",2017-06-20 13:57:00,CST-6,2017-06-20 13:57:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-87.63,41.44,-87.63,"A severe thunderstorm moved across parts of eastern Illinois during the afternoon of June 20th ahead of a cold front.","A wind gust to 67 mph was measured." +119486,717204,ILLINOIS,2017,June,Flash Flood,"LIVINGSTON",2017-06-18 01:45:00,CST-6,2017-06-18 05:30:00,0,0,0,0,0.00K,0,0.00K,0,41.0994,-88.5469,40.9381,-88.4949,"Thunderstorms produced heavy rain across parts of central Illinois which created flash flooding in some areas during the early morning of June 18th.","Many roads were flooded in northeast Livingston County including the Campus and Dwight areas. Storm total rainfall amounts included 3.20 inches in Dwight; 3.20 inches in Chatsworth and 2.25 inches 2 miles south southeast of Emington." +119495,717152,ILLINOIS,2017,June,Flash Flood,"BOONE",2017-06-28 19:25:00,CST-6,2017-06-29 01:30:00,0,0,0,0,100.00K,100000,0.00K,0,42.4285,-88.9409,42.363,-88.7108,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Very heavy rain fell across Boone County during the evening hours of June 28th. Numerous roads were flooded, closed and impassable due to flash flooding. Many county roads were also flooded and closed. Significant flooding was reported on many roads in Belvidere where there were water rescues from stranded vehicles. Ditches were overflowing onto Genoa Road. Storm total rainfall reports included 4.95 inches 2 miles northwest of Belvidere and 4.70 inches in Belvidere." +119495,717160,ILLINOIS,2017,June,Flood,"WINNEBAGO",2017-06-29 01:30:00,CST-6,2017-06-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2317,-89.3959,42.1784,-88.9409,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Flooding continued during the morning and afternoon of June 29th after heavy rain and flash flooding during the evening of June 28th." +119495,717162,ILLINOIS,2017,June,Flood,"BOONE",2017-06-29 01:30:00,CST-6,2017-06-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.4285,-88.9409,42.363,-88.7108,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Flooding continued during the morning and afternoon of June 29th after heavy rain and flash flooding during the evening of June 28th." +119495,717169,ILLINOIS,2017,June,Thunderstorm Wind,"DU PAGE",2017-06-28 22:40:00,CST-6,2017-06-28 22:40:00,0,0,0,0,2.00K,2000,0.00K,0,41.93,-88.05,41.93,-88.05,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Several power lines and a few small trees were blown down." +119495,717171,ILLINOIS,2017,June,Funnel Cloud,"MCHENRY",2017-06-28 19:35:00,CST-6,2017-06-28 19:35:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-88.6,42.25,-88.6,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Marengo police reported a funnel cloud." +118140,714195,WISCONSIN,2017,July,Lightning,"GRANT",2017-07-19 17:47:00,CST-6,2017-07-19 17:47:00,0,0,0,0,5.00K,5000,0.00K,0,42.9774,-90.6725,42.9774,-90.6725,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A house was struck by lightning near Fennimore." +118140,714203,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:25:00,CST-6,2017-07-19 17:25:00,0,0,0,0,20.00K,20000,0.00K,0,42.905,-90.958,42.905,-90.958,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A barn was blown down near Bloomington." +118140,714290,WISCONSIN,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-19 17:22:00,CST-6,2017-07-19 17:22:00,0,0,0,0,30.00K,30000,0.00K,0,43,-91.05,43,-91.05,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A storage building was destroyed in Bridgeport." +119360,717462,MICHIGAN,2017,September,Hail,"HOUGHTON",2017-09-22 10:45:00,EST-5,2017-09-22 10:50:00,0,0,0,0,0.00K,0,0.00K,0,47.16,-88.25,47.16,-88.25,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","A trained spotter six miles southwest of Gay reported pea to nickel sized hail." +119360,717463,MICHIGAN,2017,September,Thunderstorm Wind,"GOGEBIC",2017-09-22 09:35:00,CST-6,2017-09-22 09:39:00,0,0,0,0,0.50K,500,0.00K,0,46.43,-90.13,46.43,-90.13,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","The Gogebic County Sheriff reported a tree down across a road just southeast of Ironwood. Time of the report was estimated from radar." +119360,717464,MICHIGAN,2017,September,Hail,"BARAGA",2017-09-22 11:50:00,EST-5,2017-09-22 11:55:00,0,0,0,0,0.00K,0,0.00K,0,46.54,-88.13,46.54,-88.13,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","A spotter just northwest of Michigamme reported mainly pea to dime sized hail with a few stones the size of nickels." +119901,718702,ILLINOIS,2017,September,Hail,"SANGAMON",2017-09-04 15:38:00,CST-6,2017-09-04 15:43:00,0,0,0,0,0.00K,0,0.00K,0,39.6978,-89.5975,39.6978,-89.5975,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +119901,718703,ILLINOIS,2017,September,Hail,"SANGAMON",2017-09-04 15:40:00,CST-6,2017-09-04 15:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7096,-89.6145,39.7096,-89.6145,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +119901,718704,ILLINOIS,2017,September,Hail,"MACON",2017-09-04 16:26:00,CST-6,2017-09-04 16:31:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-88.88,39.77,-88.88,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +119126,715416,FLORIDA,2017,September,Thunderstorm Wind,"MARION",2017-09-01 14:05:00,EST-5,2017-09-01 14:05:00,0,0,0,0,0.00K,0,0.00K,0,29.17,-82.1,29.17,-82.1,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Power lines were blown down at the intersection of SE 14th Street and SE 25th Avenue. The time of damage was based on radar." +119126,715420,FLORIDA,2017,September,Thunderstorm Wind,"ST. JOHNS",2017-09-01 14:21:00,EST-5,2017-09-01 14:21:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-81.31,29.79,-81.31,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","A power line was blown down at Cacique Drive." +119126,715421,FLORIDA,2017,September,Thunderstorm Wind,"PUTNAM",2017-09-01 15:12:00,EST-5,2017-09-01 15:12:00,0,0,0,0,0.00K,0,0.00K,0,29.38,-81.62,29.38,-81.62,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Winds damaged trees along Driftwood Lane." +119126,720345,FLORIDA,2017,September,Lightning,"DUVAL",2017-09-01 12:44:00,EST-5,2017-09-01 12:44:00,0,0,0,0,0.50K,500,0.00K,0,30.27,-81.73,30.27,-81.73,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","A home was struck by lightning. No fire observed at time of report. Cost of damage unknown but estimated for Storm Data." +119126,720346,FLORIDA,2017,September,Lightning,"ST. JOHNS",2017-09-01 14:35:00,EST-5,2017-09-01 14:35:00,0,0,0,0,0.50K,500,0.00K,0,29.86,-81.27,29.86,-81.27,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","A roof fire was observed near Pope Road and Lee Drive due to a lightning strike. The cost of damage was unknown but estimated for use in Storm Data." +119126,720349,FLORIDA,2017,September,Thunderstorm Wind,"NASSAU",2017-09-01 22:15:00,EST-5,2017-09-01 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.6,-81.6,30.6,-81.6,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Trees and power lines were blown down near the intersection of Harts Road and Airplane Lane. Some structural damage was reported to the roofs. The time of damage was based on radar imagery." +115585,694129,TENNESSEE,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-20 14:47:00,CST-6,2017-05-20 14:47:00,0,0,0,0,2.00K,2000,0.00K,0,36.2968,-86.9199,36.2968,-86.9199,"A line of numerous showers and thunderstorms moved across Middle Tennessee during the afternoon hours on May 20. A few storms became severe with damaging winds.","A tSpotter report indicated a tree and power lines were blown down across Marrowbone Lake Road in Joelton." +115585,694130,TENNESSEE,2017,May,Thunderstorm Wind,"DAVIDSON",2017-05-20 14:50:00,CST-6,2017-05-20 14:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.0609,-86.9053,36.0609,-86.9053,"A line of numerous showers and thunderstorms moved across Middle Tennessee during the afternoon hours on May 20. A few storms became severe with damaging winds.","Small tree limbs were blown down at Percy Warner Park. Winds were estimated at 45 mph." +115585,694131,TENNESSEE,2017,May,Thunderstorm Wind,"SUMNER",2017-05-20 15:25:00,CST-6,2017-05-20 15:25:00,0,0,0,0,1.00K,1000,0.00K,0,36.47,-86.65,36.47,-86.65,"A line of numerous showers and thunderstorms moved across Middle Tennessee during the afternoon hours on May 20. A few storms became severe with damaging winds.","A large tree was blown down in White House." +115585,694132,TENNESSEE,2017,May,Thunderstorm Wind,"SUMNER",2017-05-20 15:27:00,CST-6,2017-05-20 15:27:00,0,0,0,0,2.00K,2000,0.00K,0,36.578,-86.453,36.578,-86.453,"A line of numerous showers and thunderstorms moved across Middle Tennessee during the afternoon hours on May 20. A few storms became severe with damaging winds.","A tSpotter report indicated a tree and power line were blown down across Old Highway 52 near Portland blocking the roadway." +115589,694135,TENNESSEE,2017,May,Hail,"DICKSON",2017-05-30 15:30:00,CST-6,2017-05-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.08,-87.38,36.08,-87.38,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on May 30. One storm became severe in Dickson County and producing large hail.","Videos posted to social media showed hail up to quarter size fell in and around Dickson." +115647,694903,TENNESSEE,2017,May,Strong Wind,"LAWRENCE",2017-05-04 01:00:00,CST-6,2017-05-04 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers and thunderstorms moved across far southern Middle Tennessee and northern Alabama during the early morning hours on May 4. Behind the line, a wake low event developed with gusty southeast winds estimated up to 50 mph affecting Wayne, Lawrence, Giles, Maury, and Marshall Counties. Numerous reports of wind damage were received.","Trees and power lines were blown down throughout Lawrence County, including 20 trees blown down across the Lawrenceburg city limits. Several roads were blocked by fallen trees and power lines." +115647,694906,TENNESSEE,2017,May,Strong Wind,"WAYNE",2017-05-04 01:30:00,CST-6,2017-05-04 01:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A line of showers and thunderstorms moved across far southern Middle Tennessee and northern Alabama during the early morning hours on May 4. Behind the line, a wake low event developed with gusty southeast winds estimated up to 50 mph affecting Wayne, Lawrence, Giles, Maury, and Marshall Counties. Numerous reports of wind damage were received.","A tSpotter Twitter report and photo showed a tree was snapped 1 mile east of Collinwood." +115646,694901,TENNESSEE,2017,May,Strong Wind,"COFFEE",2017-05-01 15:40:00,CST-6,2017-05-01 15:40:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","A trained spotter watched a second tree get blown down near his home at 425 Tuck Road in far southern Coffee County." +115646,694902,TENNESSEE,2017,May,Strong Wind,"SUMNER",2017-05-01 16:28:00,CST-6,2017-05-01 16:28:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty west winds up to 45 mph developed across Middle Tennessee in the wake of a cold front that moved across the region late on April 30 into the early morning hours on May 1. Several reports of wind damage were received.","Video showed a large tree limb was blown down in the yard of a home in Hendersonville." +115587,694136,TENNESSEE,2017,May,Hail,"CHEATHAM",2017-05-27 15:11:00,CST-6,2017-05-27 15:11:00,0,0,0,0,0.00K,0,0.00K,0,36.0711,-87.12,36.0711,-87.12,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","" +115587,694140,TENNESSEE,2017,May,Hail,"CLAY",2017-05-27 17:03:00,CST-6,2017-05-27 17:03:00,0,0,0,0,0.00K,0,0.00K,0,36.5758,-85.5457,36.5758,-85.5457,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Nickel to quarter size hail reported." +115587,694172,TENNESSEE,2017,May,Thunderstorm Wind,"PUTNAM",2017-05-27 19:07:00,CST-6,2017-05-27 19:07:00,0,0,0,0,5.00K,5000,0.00K,0,36.15,-85.63,36.15,-85.63,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Numerous trees and power lines were blown down across western Putnam County." +115587,694202,TENNESSEE,2017,May,Thunderstorm Wind,"OVERTON",2017-05-27 19:22:00,CST-6,2017-05-27 19:22:00,0,0,0,0,10.00K,10000,0.00K,0,36.38,-85.32,36.38,-85.32,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Numerous trees were blown down across Overton County. The worst damage was in the Spring Creek Road area near the Putnam County line, where some homes and vehicles suffered minor damage due to fallen trees." +115587,694209,TENNESSEE,2017,May,Funnel Cloud,"CUMBERLAND",2017-05-27 19:30:00,CST-6,2017-05-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,36,-84.88,36,-84.88,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook photo showed a funnel cloud in Fairfield Glade." +115587,694211,TENNESSEE,2017,May,Thunderstorm Wind,"LEWIS",2017-05-27 19:33:00,CST-6,2017-05-27 19:33:00,0,0,0,0,2.00K,2000,0.00K,0,35.5991,-87.6142,35.5991,-87.6142,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down in the northwest part of Lewis County." +115587,694218,TENNESSEE,2017,May,Hail,"CUMBERLAND",2017-05-27 19:43:00,CST-6,2017-05-27 19:43:00,0,0,0,0,0.00K,0,0.00K,0,35.8994,-84.996,35.8994,-84.996,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report and photo indicated hail up to 2.25 inches in diameter fell near Cumberland Mountain State Park." +117352,705715,WISCONSIN,2017,July,Hail,"ADAMS",2017-07-06 18:33:00,CST-6,2017-07-06 18:33:00,0,0,0,0,0.00K,0,270.00K,270000,44.13,-89.81,44.13,-89.81,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Half dollar sized hail was reported just north of Big Flats." +115083,690755,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-15 07:05:00,CST-6,2017-05-15 07:15:00,1,0,0,0,10.00K,10000,0.00K,0,43.29,-98.34,43.29,-98.34,"Thunderstorms were moving into portions of Douglas County in the dawn hours when one of the storms produced a wet microburst resulting in very strong winds and widespread damage. Most of the damage was in and immediately around the town of Armour, SD.","Semi truck and trailer blown off the road." +115083,690756,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"DOUGLAS",2017-05-15 07:05:00,CST-6,2017-05-15 07:15:00,0,0,0,0,50.00K,50000,0.00K,0,43.32,-98.34,43.32,-98.34,"Thunderstorms were moving into portions of Douglas County in the dawn hours when one of the storms produced a wet microburst resulting in very strong winds and widespread damage. Most of the damage was in and immediately around the town of Armour, SD.","Buildings damaged in Armour." +118071,709645,NEW HAMPSHIRE,2017,June,Flash Flood,"CHESHIRE",2017-06-19 14:30:00,EST-5,2017-06-19 19:00:00,0,0,0,0,35.00K,35000,0.00K,0,42.96,-72.44,42.969,-72.4457,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Three to four inches of rain in 3 hours caused flash flooding in Westmoreland. Route 63 and Route 12 were closed due to flooding and washouts." +118071,709649,NEW HAMPSHIRE,2017,June,Flash Flood,"SULLIVAN",2017-06-19 14:45:00,EST-5,2017-06-19 18:30:00,0,0,0,0,25.00K,25000,0.00K,0,43.24,-72.21,43.205,-72.2151,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Three to four inches of rain in 3 hours caused multiple road washouts in Lempster." +118071,709650,NEW HAMPSHIRE,2017,June,Flash Flood,"BELKNAP",2017-06-19 14:58:00,EST-5,2017-06-19 17:45:00,0,0,0,0,10.00K,10000,0.00K,0,43.53,-71.47,43.5286,-71.47,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Two to three inches of rain in 3 hours caused numerous flooded roads in Laconia." +115591,710441,KANSAS,2017,June,Thunderstorm Wind,"BROWN",2017-06-16 21:52:00,CST-6,2017-06-16 21:53:00,0,0,0,0,,NaN,,NaN,39.67,-95.52,39.67,-95.52,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Three RV's were blown onto their sides. Several tree branches down. Time and wind speed estimated from radar." +115591,710506,KANSAS,2017,June,Hail,"JEFFERSON",2017-06-16 22:50:00,CST-6,2017-06-16 22:51:00,0,0,0,0,,NaN,,NaN,39.41,-95.33,39.41,-95.33,"Supercell thunderstorms moved southeast out of Nebraska late on the night of June 16th and produced widespread wind damage, very large hail and one tornado in Marshall County Kansas. No injuries occurred with the storms.","Also received 2.38 inches of rainfall." +118028,709631,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"MERRIMACK",2017-06-19 14:40:00,EST-5,2017-06-19 14:45:00,0,0,0,0,0.00K,0,0.00K,0,43.18,-71.82,43.18,-71.82,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees in Henniker." +118638,713656,IOWA,2017,July,Flood,"FAYETTE",2017-07-22 09:15:00,CST-6,2017-07-23 09:00:00,0,0,0,0,1.08M,1080000,4.10M,4100000,43.0469,-92.0798,42.6471,-92.0798,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","After the initial flash flooding, the flood waters lingered across much of Fayette County into Sunday, July 23rd. On Saturday morning, numerous roads were reported to be impassable in Fairbank because of the flood waters. Sandbagging was occurring around several businesses. State Highway 3 was closed between Oelwein and Oran. In the town of Fayette, around 80 percent of the homes had water in their basements and a park in town was closed because of the flooding." +117856,713746,WISCONSIN,2017,July,Flood,"VERNON",2017-07-12 12:00:00,CST-6,2017-07-13 04:30:00,0,0,0,0,0.00K,0,0.00K,0,43.7113,-91.0022,43.6983,-91.0437,"Slow moving thunderstorms moved into southwest Wisconsin during the evening of July 11th. These storms dumped around five inches of rain over western Grant County. This heavy rain resulted in a rock slide on County Road VV and a washout of another road near Cassville. In Jackson County, a culvert was washed out from a road south of Taylor and other roads were covered by waters from small creeks.","Runoff from locally heavy rains pushed Coon Creek out of its banks in and near Chaseburg. The flood waters caused county officials to close State Highway 162 near Chaseburg. The water also went into a park and over a walking path in Coon Valley." +117945,708968,IOWA,2017,July,Thunderstorm Wind,"MITCHELL",2017-07-19 15:57:00,CST-6,2017-07-19 15:57:00,0,0,0,0,6.00K,6000,0.00K,0,43.28,-92.81,43.28,-92.81,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 70 mph wind gust occurred in Osage. Numerous trees were blown down with one blocking U.S. Highway 218." +118140,709968,WISCONSIN,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-19 17:21:00,CST-6,2017-07-19 17:21:00,0,0,0,0,3.00K,3000,10.00K,10000,43.05,-91.13,43.05,-91.13,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees were blown down and corn damaged just east of Prairie du Chien." +118140,713756,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:13:00,CST-6,2017-07-19 17:13:00,0,0,0,0,0.00K,0,0.00K,0,42.83,-91.07,42.83,-91.07,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An estimated 70 mph wind gust occurred in Glen Haven." +119125,721323,FLORIDA,2017,September,Tropical Storm,"GILCHRIST",2017-09-10 11:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||The Santa Fe River near Hildreth crested at 21.22 ft on Sept. 17th at 0715 EDT. Minor flooding occurred at this level. The Santa Fe River near Fort White crested at 34.46 ft on Sept. 15th at 1545 EDT. Major flooding occurred at this level. ||Storm total rainfall included 15.11 inches about 4 miles west of Bellair, 7.6 inches about 8 miles ENE of Trenton, and 6.53 inches 4 miles NW of Trenton." +119730,720443,CALIFORNIA,2017,September,Dust Storm,"SE S.J. VALLEY",2017-09-03 19:12:00,PST-8,2017-09-03 19:12:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported downed power lines from dust storm winds in the roadway on State Route 201 near Rd. 88 just south of Dinuba." +117352,706214,WISCONSIN,2017,July,Hail,"TREMPEALEAU",2017-07-06 18:53:00,CST-6,2017-07-06 18:54:00,0,0,0,0,390.00K,390000,230.00K,230000,44.02,-91.43,44.02,-91.43,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Hail, ranging in size from eggs and baseballs up to 3.5 inches in diameter, fell in Trempealeau. The 3.5 inch diameter hail broke numerous windows at a mobile home park." +117352,705712,WISCONSIN,2017,July,Hail,"BUFFALO",2017-07-06 17:51:00,CST-6,2017-07-06 17:51:00,0,0,0,0,34.00K,34000,266.00K,266000,44.23,-91.84,44.23,-91.84,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Golf ball sized hail fell near Cochrane." +119290,716598,WISCONSIN,2017,July,Flood,"GREEN",2017-07-20 16:15:00,CST-6,2017-07-28 04:00:00,0,0,0,0,5.00K,5000,20.00K,20000,42.5785,-89.4054,42.5617,-89.3937,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Sugar River at Brodhead crested at 8.72 ft., which is moderate flood stage. There is widespread agricultural land flooding in the Brodhead area. Some roads are either closed or experience minor flooding, including Ten Eyck Rd. Downstream, floodwaters are over County Road T which is the border of Green and Rock County." +118579,712353,MAINE,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-01 17:35:00,EST-5,2017-07-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-70.63,44.07,-70.63,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A severe thunderstorm downed trees on Edes Falls Road in Harrison." +114465,686714,VIRGINIA,2017,April,Flood,"WYTHE",2017-04-24 04:50:00,EST-5,2017-04-24 18:50:00,0,0,0,0,0.00K,0,0.00K,0,36.86,-80.98,36.8594,-80.9806,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Cripple Creek flooded a portion of Apperson Drive." +120636,722638,NORTH CAROLINA,2017,September,Thunderstorm Wind,"WAKE",2017-09-01 17:21:00,EST-5,2017-09-01 17:21:00,0,0,0,0,4.00K,4000,0.00K,0,35.84,-78.67,35.84,-78.67,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Multiple trees were blown down onto power lines and equipment." +120636,722639,NORTH CAROLINA,2017,September,Thunderstorm Wind,"FRANKLIN",2017-09-01 17:50:00,EST-5,2017-09-01 17:50:00,0,0,0,0,4.00K,4000,0.00K,0,36,-78.37,36,-78.37,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Multiple trees were blown down onto a power line and power equipment." +120636,722640,NORTH CAROLINA,2017,September,Hail,"WAKE",2017-09-01 16:03:00,EST-5,2017-09-01 16:03:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-78.66,35.63,-78.66,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Hail up to 1 inch in diameter fell on Feldman Drive south-southwest of Garner." +120636,722641,NORTH CAROLINA,2017,September,Hail,"WAKE",2017-09-01 16:30:00,EST-5,2017-09-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.79,-78.92,35.79,-78.92,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","" +118990,715549,ALABAMA,2017,September,Thunderstorm Wind,"MARSHALL",2017-09-19 12:58:00,CST-6,2017-09-19 12:58:00,0,0,0,0,,NaN,,NaN,34.36,-86.44,34.36,-86.44,"Clusters of strong to severe thunderstorms developed during the late morning and early afternoon hours, beginning in northwest Alabama and moving eastward and becoming more numerous by early to mid afternoon. Winds gusted to 59 mph at Muscle Shoals, and wind damage was reported in Marshall County.","Power lines were knocked down on Eddy Scant Road." +118990,715550,ALABAMA,2017,September,Thunderstorm Wind,"MARSHALL",2017-09-19 13:28:00,CST-6,2017-09-19 13:28:00,0,0,0,0,,NaN,,NaN,34.27,-86.34,34.27,-86.34,"Clusters of strong to severe thunderstorms developed during the late morning and early afternoon hours, beginning in northwest Alabama and moving eastward and becoming more numerous by early to mid afternoon. Winds gusted to 59 mph at Muscle Shoals, and wind damage was reported in Marshall County.","Two trees were knocked down in the Pleasant Grove area." +117138,710415,KANSAS,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-15 19:35:00,CST-6,2017-06-15 19:36:00,0,0,0,0,,NaN,,NaN,39.19,-95.25,39.19,-95.25,"A complex of thunderstorms produced numerous large hail and damaging wind reports during the afternoon and evening hours of June 15.","Tree was blocking the road near Mclouth. The size was unknown." +114521,687017,NORTH CAROLINA,2017,April,Flood,"CASWELL",2017-04-25 01:45:00,EST-5,2017-04-25 13:45:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-79.2,36.5381,-79.2009,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Race Track Road in Milton was closed by flooding either from Country Line Creek or backwater up a small stream draining into the larger creek. Caswell Game Lands RAWS (CGLN7) had a storm total of 7.04 over the 4-day period ending 12z on the 25th." +114521,687027,NORTH CAROLINA,2017,April,Flood,"ROCKINGHAM",2017-04-25 01:45:00,EST-5,2017-04-25 13:45:00,0,0,0,0,0.00K,0,0.00K,0,36.5116,-79.7646,36.5111,-79.765,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Rainfall persisted on and off from April 21-25 with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. Storm total rainfall ending 12z (0700 EST) on the 25th ranged from 3 to 6 inches across northwest and north central North Carolina with isolated higher totals in excess of 7 inches. The Rendezvous Mountain RAWS site (RZVN7) in the upper Yadkin River basin had the highest storm total with 7.74 in the 4-day period ending 12z on the 25th.","Park Road in Eden was closed due to flooding, possibly from Tackett Branch." +119571,721348,ILLINOIS,2017,July,Flood,"MCHENRY",2017-07-12 03:00:00,CST-6,2017-07-31 12:00:00,0,0,0,0,3.90M,3900000,0.00K,0,42.3433,-88.2861,42.4219,-88.2003,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Heavy rain fell across McHenry County and southeast Wisconsin between July 11th and July 13th which lead to major flooding along the Fox River. The river gage at the McHenry Lock & Dam crested at 7.60 feet on July 22nd, the second highest crest on record. Flood stage at the McHenry Lock & Dam is 4 feet. The river gage at the Algonquin Tailwater measured a record crest of 13.15 feet on July 24th. Flood stage at the Algonquin Tailwater is 9.5 feet. There were 557 homes affected with some amount of water from the river flooding." +120213,720256,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:05:00,MST-7,2017-06-12 14:10:00,0,0,0,0,0.00K,0,0.00K,0,42.1832,-104.74,42.1832,-104.74,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter size hail was observed six miles south of Guernsey." +120213,720257,WYOMING,2017,June,Hail,"PLATTE",2017-06-12 14:11:00,MST-7,2017-06-12 14:15:00,0,0,0,0,0.00K,0,0.00K,0,41.9834,-104.85,41.9834,-104.85,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter size hail was observed three miles north of Bordeaux." +119616,721288,ILLINOIS,2017,July,Hail,"COOK",2017-07-21 15:50:00,CST-6,2017-07-21 15:53:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-87.98,42.02,-87.98,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +119616,721290,ILLINOIS,2017,July,Hail,"DU PAGE",2017-07-21 15:58:00,CST-6,2017-07-21 15:59:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-87.97,41.97,-87.97,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +119616,721291,ILLINOIS,2017,July,Thunderstorm Wind,"DU PAGE",2017-07-21 15:58:00,CST-6,2017-07-21 15:58:00,0,0,0,0,0.00K,0,0.00K,0,41.9845,-88.02,41.9845,-88.02,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","A wind gust to 74 mph was measured by a home weather station." +119616,721292,ILLINOIS,2017,July,Hail,"DU PAGE",2017-07-21 15:55:00,CST-6,2017-07-21 15:56:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-88.02,41.97,-88.02,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +119616,721293,ILLINOIS,2017,July,Thunderstorm Wind,"DU PAGE",2017-07-21 15:55:00,CST-6,2017-07-21 15:57:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-88.02,41.97,-88.02,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Many trees were blown down with some snapped at their base. Based on radar and damage photos, it appears a microburst occurred with wind speeds estimated between 70 mph and 90 mph." +118207,712559,WISCONSIN,2017,July,Heavy Rain,"VERNON",2017-07-19 18:10:00,CST-6,2017-07-20 03:10:00,0,0,0,0,0.00K,0,0.00K,0,43.65,-90.34,43.65,-90.34,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","In Hillsboro, 7 inches of rain fell." +115732,695520,VIRGINIA,2017,April,Thunderstorm Wind,"HALIFAX",2017-04-22 13:58:00,EST-5,2017-04-22 13:58:00,0,0,0,0,0.00K,0,,NaN,36.65,-78.78,36.65,-78.78,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Thunderstorm wind gusts downed several large tree branches. Dime sized hail also was reported. Damage values are estimated." +115735,695536,VIRGINIA,2017,April,Hail,"SMYTH",2017-04-29 15:02:00,EST-5,2017-04-29 15:02:00,0,0,0,0,,NaN,,NaN,36.79,-81.37,36.79,-81.37,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","Hail fell ranging in size from dimes to nickles." +115735,695537,VIRGINIA,2017,April,Hail,"WYTHE",2017-04-29 15:18:00,EST-5,2017-04-29 15:18:00,0,0,0,0,,NaN,,NaN,36.9,-81.27,36.9,-81.27,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","" +115735,695538,VIRGINIA,2017,April,Hail,"WYTHE",2017-04-29 15:30:00,EST-5,2017-04-29 15:30:00,0,0,0,0,,NaN,,NaN,36.94,-81.3,36.94,-81.3,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","" +115735,695539,VIRGINIA,2017,April,Hail,"WYTHE",2017-04-29 15:57:00,EST-5,2017-04-29 15:57:00,0,0,0,0,,NaN,,NaN,36.9572,-81.1026,36.9572,-81.1026,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","Quarter size hail fell at a home improvement store." +118207,714005,WISCONSIN,2017,July,Flood,"VERNON",2017-07-20 08:00:00,CST-6,2017-07-21 08:00:00,0,0,0,0,489.00K,489000,1.70M,1700000,43.7245,-91.2,43.426,-91.0036,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial round of flash flooding, the flood waters continued to cause problems across much of Vernon County into Friday, July 21st. More than 50 roads across the county were closed or impacted by the flood waters. In Coon Valley, the annual Trout Festival had to be cancelled and the American Legion Baseball tournament was moved to an alternate site outside of the county. Numerous homes in Westby had water in their basements. In Ontario, flood waters from the Kickapoo River covered most of the community. Numerous homes had water in their basements and dozens of cars were inundated by the flood waters with one Vernon County Sheriff's Department squad car destroyed." +119163,715643,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 18:10:00,EST-5,2017-07-01 19:15:00,0,0,0,0,135.00K,135000,0.00K,0,44.18,-70.72,44.1642,-70.7216,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Waterford washing out Route 35 in Waterford. Campers were stranded in a local camp ground due to a road washout." +120213,720268,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 14:30:00,MST-7,2017-06-12 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-104.8584,41.14,-104.8584,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter size hail covered the ground with minor tree damage." +120213,720269,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 14:45:00,MST-7,2017-06-12 14:55:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-105.3209,42.76,-105.3209,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Ping pong ball size hail dented vehicles and broke house windows." +120213,720270,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 14:50:00,MST-7,2017-06-12 14:55:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-105.38,42.76,-105.38,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Quarter to golf ball size hail was observed at Douglas." +119571,717468,ILLINOIS,2017,July,Flash Flood,"LAKE",2017-07-12 01:00:00,CST-6,2017-07-12 13:00:00,0,0,0,0,12.70M,12700000,0.00K,0,42.1537,-88.1982,42.153,-87.7612,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Torrential rain fell across much of Lake County during the morning of July 12th causing widespread flash flooding. Numerous roads were impassable. In Mundelein, numerous houses were flooded and people were rescued by raft. Cars were stranded in flood waters in Libertyville. Garage and basement flooding was reported in Fox Lake. Two day storm total rainfall amounts included 7.22 inches two miles west of Gurnee; 7.13 inches in Round Lake Park; 7.11 inches two miles west southwest of Lake Villa; 6.75 inches in Mundelein; 6.69 inches one mile west of Lake Bluff; 6.46 inches two miles north northeast of Lake Forest; 5.53 inches two miles east of Waukegan; 5.49 inches two miles west northwest of Mundelein; 5.15 inches two miles southeast of Fox Lake; 4.70 inches in Riverwoods and 4.55 inches two miles southeast of Lakemoor. Major flooding with record crests occurred on the Des Plaines River." +119571,717466,ILLINOIS,2017,July,Flash Flood,"KANE",2017-07-11 22:15:00,CST-6,2017-07-12 13:00:00,0,0,0,0,500.00K,500000,0.00K,0,41.9629,-88.5811,41.8974,-88.2649,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Thunderstorms produced torrential rain which caused widespread flooding and flash flooding across northern portions of Kane County. Numerous cars were stuck in water near Route 47 and Route 72 near Pingree Grove. Many roads in Elgin and west of Elgin were flooded and impassable. Basement flooding was also reported in many areas with 76 homes suffering water damage. Two day storm total rainfall amounts included 7.31 inches one mile south of Elgin; 5.00 inches one east of Carpentersville; 4.60 inches in Gilberts and 4.08 inches two miles northeast of Elgin." +119571,721346,ILLINOIS,2017,July,Flood,"LAKE",2017-07-12 03:00:00,CST-6,2017-07-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4945,-87.9418,42.4292,-87.9696,"Thunderstorms developed during the late evening of July 11th across far northeast Illinois and continued into the morning of July 12th producing torrential rainfall which continued over the same areas for hours producing flash flooding and major river flooding.","Heavy rain fell across Lake County and southeast Wisconsin between July 11th and July 13th which lead to record flooding along the Des Plaines River. The river gage at Russell measured a record crest of 12.15 feet on July 14th. Flood stage at Russell is 7 feet. The river gage at Gurnee measured a record crest of 12.09 feet on July 16th. Flood stage at Gurnee is 7 feet. The river gage at Lincolnshire measured a record crest of 16.53 feet on July 13th. Flood stage at Lincolnshire is 12.5 feet. River levels held nearly steady around major flood stage for several days and then began a steady fall about a week after the heavy rains." +118602,717107,INDIANA,2017,July,Flash Flood,"OWEN",2017-07-13 09:45:00,EST-5,2017-07-13 11:45:00,0,0,0,0,1.00K,1000,0.00K,0,39.2908,-86.6843,39.2895,-86.6843,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Road closures occurred due to the flash flooding in Owen County during this timeframe.","Several road closures occurred due to flash flooding from heavy thunderstorm rainfall, namely the intersection of County Line Road and Golf View Drive." +118604,717109,INDIANA,2017,July,Thunderstorm Wind,"MARION",2017-07-13 17:30:00,EST-5,2017-07-13 17:30:00,0,0,0,0,0.25K,250,0.00K,0,39.87,-86.12,39.87,-86.12,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Flooding and strong thunderstorm wind gusts occurred on the north side of Indianapolis during this period. Damaging thunderstorm wind gusts was noted in Knox County.","A tree branch, six inches in diameter, broke off a live tree due to strong thunderstorm wind gusts." +118604,717110,INDIANA,2017,July,Flood,"HAMILTON",2017-07-13 17:50:00,EST-5,2017-07-13 19:50:00,0,0,0,0,0.50K,500,0.00K,0,39.9714,-86.0901,39.9711,-86.09,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Flooding and strong thunderstorm wind gusts occurred on the north side of Indianapolis during this period. Damaging thunderstorm wind gusts was noted in Knox County.","One to two feet of water was on the road at 126th Street due to heavy rainfall." +119753,723475,TEXAS,2017,August,Tropical Storm,"WALKER",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,1,0,600.00M,600000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced torrential rains and moderate to major flooding over portions of Walker County. Areas along the Trinity River and Bedias Creek were among the areas impacted." +118034,709569,CALIFORNIA,2017,July,Thunderstorm Wind,"SAN BERNARDINO",2017-07-24 16:00:00,PST-8,2017-07-24 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.1688,-116.0367,34.1688,-116.0367,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Thunderstorm winds blew down a power pole along Utah Trail." +118034,709570,CALIFORNIA,2017,July,Flash Flood,"INYO",2017-07-24 16:46:00,PST-8,2017-07-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9569,-116.2697,35.9443,-116.2724,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Highway 127 was flooded." +118034,709572,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-25 16:27:00,PST-8,2017-07-25 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.4247,-116.1516,35.415,-116.1433,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Highway 127 was flooded at mile marker 12." +118035,709573,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-24 10:30:00,PST-8,2017-07-24 14:00:00,0,0,0,0,100.00K,100000,0.00K,0,36.3086,-115.6893,36.3403,-115.6613,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","A wall of water, mud, rocks, debris, and small trees flowed down Lee Canyon Wash and overwhelmed culverts. Water and debris closed Highway 156 near mile marker 2." +116287,699211,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 20:20:00,CST-6,2017-07-04 20:20:00,0,0,0,0,,NaN,,NaN,47.8,-96.53,47.8,-96.53,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail fell along the Crookston bypass, between Gentilly and Crookston." +116292,699344,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-07 12:58:00,EST-5,2017-07-07 13:02:00,0,0,0,0,3.00K,3000,0.00K,0,40.0582,-82.4249,40.0582,-82.4249,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed in the Newark and Heath areas." +116292,699365,OHIO,2017,July,Thunderstorm Wind,"BROWN",2017-07-07 17:24:00,EST-5,2017-07-07 17:26:00,0,0,0,0,15.00K,15000,0.00K,0,39.19,-83.93,39.19,-83.93,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Numerous trees were damaged, a few trees were uprooted, and some trees were snapped in Fayetteville. In addition, roofing material was ripped off of a building and siding was torn off of another building." +116328,699547,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-06 17:25:00,EST-5,2017-07-06 17:30:00,0,0,0,0,,NaN,,NaN,33.89,-81.87,33.89,-81.87,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Several trees were downed across northern Edgefield Co SC, including one area near Old Chappells Ferry Rd and Long Cane Rd." +116351,699644,SOUTH CAROLINA,2017,July,Heavy Rain,"EDGEFIELD",2017-07-10 17:00:00,EST-5,2017-07-10 17:08:00,0,0,0,0,0.10K,100,0.10K,100,33.78,-81.85,33.78,-81.85,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","COOP observer at Johnston reported 0.95 inches of rain in less than 10 minutes." +116286,699766,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-04 22:50:00,CST-6,2017-07-04 22:50:00,0,0,0,0,,NaN,,NaN,46.87,-96.83,46.87,-96.83,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","A tree was broken down." +118860,714101,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:42:00,CST-6,2017-07-11 18:42:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-97.17,44.91,-97.17,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118867,714148,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:45:00,CST-6,2017-07-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-87.83,43.91,-87.83,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Golf ball size hail fell west of Cleveland, in southern Manitowoc County." +118868,714163,SOUTH DAKOTA,2017,July,Tornado,"AURORA",2017-07-25 18:50:00,CST-6,2017-07-25 18:55:00,0,0,0,0,0.00K,0,0.00K,0,43.54,-98.58,43.5412,-98.5753,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Brief tornado caused localized tree damage, as well as minor damage to farm out buildings." +118944,714539,NORTH CAROLINA,2017,July,Hail,"ALEXANDER",2017-07-17 16:26:00,EST-5,2017-07-17 16:26:00,0,0,0,0,,NaN,,NaN,35.91,-81.2,35.91,-81.2,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Public reported quarter size hail." +118920,714581,OHIO,2017,July,Thunderstorm Wind,"KNOX",2017-07-22 06:00:00,EST-5,2017-07-22 06:30:00,0,0,0,0,125.00K,125000,0.00K,0,40.37,-82.22,40.27,-82.35,"A warm front lifted into northern Ohio during the predawn hours of July 22nd causing a large area of showers and thunderstorms to develop. At least one of the thunderstorms became severe.","Thunderstorm downburst winds downed at least 50 trees across Knox County. Most of the trees were downed in the Gambier and Martinsburg areas. Scattered power outages were reported across the county." +118595,714419,INDIANA,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-07 17:14:00,EST-5,2017-07-07 17:14:00,0,0,0,0,0.25K,250,,NaN,39.57,-86.2482,39.57,-86.2482,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","A measured 65 mph thunderstorm wind gust was observed in this location. Tree debris was also noted on an unknown road." +118579,714924,MAINE,2017,July,Tornado,"OXFORD",2017-07-01 17:09:00,EST-5,2017-07-01 17:10:00,0,0,0,0,,NaN,0.00K,0,44.03,-70.8,44.0302,-70.7935,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","A tornado touched down on the southwestern shore of Moose Pond in Denmark in Oxford County. Dozens of trees were snapped or uprooted in a path which crossed Mountain Road and extended into Moose Pond. Damaged trees fell onto at least one vehicle, multiple cabins, and at least one boat and nearby dock causing substantial structural damage.||People further north along the shore of Moose Pond were able to observe what was likely the tornado as it emerged from the side of the mountain and out onto Moose Pond. It is possible that the tornado could have continued farther across the pond and|into the town of Bridgton, but damage surveys were unable to confirm this. This storm circulation eventually went on to produce another tornado in Bridgton about twenty minutes later.||Considering the substantial number of uprooted and snapped trees within the core path of this tornado, winds were estimated to be as high as 95 mph, giving the tornado an EF1 rating on the Enhanced Fujita Scale." +118640,712953,WISCONSIN,2017,July,High Wind,"DANE",2017-07-19 20:15:00,CST-6,2017-07-19 21:00:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Wake low wind damage especially in the communities of Mount Horeb, Verona, Mt. Vernon, and the southwest side of Madison. Significant tree damage occurred. There was minor structural damage to homes in Mount Horeb due to trees landing on them or shingles being removed from high winds." +118640,712954,WISCONSIN,2017,July,High Wind,"GREEN",2017-07-19 20:15:00,CST-6,2017-07-19 21:15:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Wake low wind damage to trees and branches across the county." +118638,714518,IOWA,2017,July,Flood,"CLAYTON",2017-07-22 10:45:00,CST-6,2017-07-23 01:35:00,0,0,0,0,0.00K,0,0.00K,0,42.845,-91.4043,42.8445,-91.4052,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","Runoff from heavy rains pushed the Turkey River out of its banks in Elkader. The river crested above the flood state twice. The first crest was around a half foot above the flood stage at 12.52 feet very early on the 22nd. The river dipped briefly below the flood stage before cresting again around a half foot above the flood stage at 12.4 feet during the evening of the 22nd." +118576,712320,NEW HAMPSHIRE,2017,July,Funnel Cloud,"GRAFTON",2017-07-01 12:44:00,EST-5,2017-07-01 12:53:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-71.58,43.84,-71.58,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous supercells that produced damaging winds, large hail, and 5 confirmed tornadoes across the border in Maine. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads, with damage totaling in the millions.","A thunderstorm produced a funnel cloud near Campton, as reported by a trained spotter." +118637,714516,WISCONSIN,2017,July,Flood,"GRANT",2017-07-21 19:25:00,CST-6,2017-07-22 21:10:00,0,0,0,0,0.00K,0,0.00K,0,42.7225,-90.8137,42.7211,-90.8135,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","Runoff from heavy rain pushed the Grant River out of its banks near Burton. The river crested over eight feet above the flood stage at 26.45 feet." +116080,697686,IOWA,2017,May,Thunderstorm Wind,"BUENA VISTA",2017-05-17 12:08:00,CST-6,2017-05-17 12:08:00,0,0,0,0,10.00K,10000,0.00K,0,42.57,-94.93,42.57,-94.93,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Damage to a hog barn." +119753,723648,TEXAS,2017,August,Tropical Storm,"POLK",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,0,0,300.00M,300000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced very heavy rainfall and flooding over portions of Polk County. Major lowland flooding occurred near the Trinity River and areas upstream of Lake Livingston." +119590,717503,COLORADO,2017,September,Hail,"BENT",2017-09-30 15:34:00,MST-7,2017-09-30 15:39:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-103.23,38.07,-103.23,"A severe storm produced hail up to the size of golfballs.","" +119591,717504,COLORADO,2017,September,Hail,"OTERO",2017-09-23 07:30:00,MST-7,2017-09-23 07:35:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-103.51,38.11,-103.51,"A strong storm produced hail up to the size of nickels.","" +119811,718411,MONTANA,2017,September,Frost/Freeze,"KOOTENAI/CABINET REGION",2017-09-15 04:00:00,MST-7,2017-09-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A calm and clear night brought temperatures down into the middle to upper 20s across northwest Montana which contributed to the first damaging freeze.","The Marion area saw lows in the middle to upper 20s for four hours while the Yaak area saw a low around 21 degrees." +120727,723076,MONTANA,2017,September,Frost/Freeze,"MISSOULA / BITTERROOT VALLEYS",2017-09-24 02:00:00,MST-7,2017-09-24 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dipped to below freezing across western Montana.","Temperatures dipped into the upper 20s across the Bitterroot Valley including the Hamilton area while the Missoula area was a little milder due to some clouds with a low of 32 degrees." +120728,723081,IDAHO,2017,September,Frost/Freeze,"EASTERN LEMHI COUNTY",2017-09-24 04:00:00,MST-7,2017-09-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sub-freezing temperatures were reported in the Salmon area which is the largest population center in Lemhi County, Idaho.","The COOP observer at the KSRA radio station in Salmon recorded a low of 28 degrees." +120637,722642,TEXAS,2017,September,Flash Flood,"UVALDE",2017-09-27 12:15:00,CST-6,2017-09-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,29.43,-100.09,29.4326,-100.0976,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing FM 334 about a mile east of Live Oak Rd. along the West Nueces River northwest of Uvalde." +120637,722644,TEXAS,2017,September,Flash Flood,"DIMMIT",2017-09-26 07:00:00,CST-6,2017-09-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,28.4253,-99.5224,28.4338,-99.7092,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding requiring several people to be rescued from an oil field site and closing many ranch roads around Catarina." +120637,722649,TEXAS,2017,September,Flash Flood,"ZAVALA",2017-09-27 15:13:00,CST-6,2017-09-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,28.9746,-99.6968,29.0467,-99.7517,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing several roads in northern Zavala County including FM 117 and FM 140." +122103,731004,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-06 19:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage Tuesday morning, the cold air gradually deepened across the region into Wednesday, December 6. Lake effect snows developed off of both Lakes Erie and Ontario with a southwest flow allowing for accumulations in both the Buffalo and Watertown metropolitan areas. Graupel within the Lake Erie band even supported some thunder and lightning. During the course of Wednesday night, veering winds consolidated the bands with snowfall rates of an inch an hour from the Lake Erie shoreline across the southern half of Erie County to Wyoming County and from Lake Ontario across the Watertown area to northern Lewis County. The heaviest lake snows took place on Thursday with snowfall rates of one to two inches an hour. Following a second cold front Thursday night, lake snows pushed south into the Southern Tier and across the heart of the Tug Hill. At this point, snowfall rates in the vicinity of the Chautauqua Ridge and over the Tug Hill averaged an inch per hour. As another shortwave approached from the Upper Great Lakes early Friday morning, the flow once again backed to the southwest. The accumulating lake snows made one final push into the Buffalo and Watertown metropolitan areas. Specific snowfall reports off Lake Erie included: 23 inches at Colden; 19 inches at Eden; 18 inches at Boston and East Aurora; 17 inches at Perrysburg; 16 inches at Wales and Wyoming; 15 inches at Attica; 14 inches at Silver Creek and Elma; 12 inches at Hamburg and Varysburg|11 inches at Warsaw; 10 inches at Ripley and Forestville; and 8 inches at Springville, Dunkirk and Fredonia. Specific snowfall reports off Lake Ontario included: 19 inches at Harrisville; 18 inches at Lowville; 12 inches at Carthage and Croghan; 11 inches at Redfield; 9 inches at Watertown and 8 inches at Glenfield.","" +122103,731005,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-06 19:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a cold frontal passage Tuesday morning, the cold air gradually deepened across the region into Wednesday, December 6. Lake effect snows developed off of both Lakes Erie and Ontario with a southwest flow allowing for accumulations in both the Buffalo and Watertown metropolitan areas. Graupel within the Lake Erie band even supported some thunder and lightning. During the course of Wednesday night, veering winds consolidated the bands with snowfall rates of an inch an hour from the Lake Erie shoreline across the southern half of Erie County to Wyoming County and from Lake Ontario across the Watertown area to northern Lewis County. The heaviest lake snows took place on Thursday with snowfall rates of one to two inches an hour. Following a second cold front Thursday night, lake snows pushed south into the Southern Tier and across the heart of the Tug Hill. At this point, snowfall rates in the vicinity of the Chautauqua Ridge and over the Tug Hill averaged an inch per hour. As another shortwave approached from the Upper Great Lakes early Friday morning, the flow once again backed to the southwest. The accumulating lake snows made one final push into the Buffalo and Watertown metropolitan areas. Specific snowfall reports off Lake Erie included: 23 inches at Colden; 19 inches at Eden; 18 inches at Boston and East Aurora; 17 inches at Perrysburg; 16 inches at Wales and Wyoming; 15 inches at Attica; 14 inches at Silver Creek and Elma; 12 inches at Hamburg and Varysburg|11 inches at Warsaw; 10 inches at Ripley and Forestville; and 8 inches at Springville, Dunkirk and Fredonia. Specific snowfall reports off Lake Ontario included: 19 inches at Harrisville; 18 inches at Lowville; 12 inches at Carthage and Croghan; 11 inches at Redfield; 9 inches at Watertown and 8 inches at Glenfield.","" +122104,731106,NEW YORK,2017,December,Lake-Effect Snow,"GENESEE",2017-12-10 02:00:00,EST-5,2017-12-11 00:15:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air deepened over the eastern Great Lakes with heavy lake snows developing east of Lakes Erie and Ontario. The wind direction was from the west-southwest for most of the event, directing the heaviest snow into the nearby Buffalo Southtowns off Lake Erie, and areas just south and east of Watertown off Lake Ontario.|Off Lake Erie, during the late morning of the 10th, a weak system approached the lake with well aligned flow becoming established up the length of Lake Erie. The lake effect snow rapidly intensified across the nearby Buffalo Southtowns by midday. This band of heavy snow then remained nearly stationary through the afternoon and evening of the 10th extending east into northern Wyoming and southern Genesee counties. There were numerous reports of thunder and lightning within this band for several hours during the afternoon, mostly near the Lake Erie shore just south of Buffalo. Snowfall rates reached about 3 inches per hour at times during the height of the storm. Heavy accumulations extended farther inland than normal reaching eastern Genesee and eastern Wyoming counties with moderate accumulations even being reported into western Monroe and northern Livingston Counties. During the mid to late evening on the 10th the band of heavy lake effect snow moved onshore across all of southern Erie and Chautauqua counties as the wind become more westerly. This band then spread out into the western Southern Tier and weakened overnight, coming to an end by early morning on the 11th. Specific snowfall reports included: 22 inches at Alden; 20 inches at Athol Springs; 19 inches at Elma; 17 inches at Orchard Park and West Seneca; 16 inches at Hamburg; 15 inches at Blasdell; 14 inches in Lancaster; 13 inches at Attica; 12 inches at Alden and Wyoming; 11 inches at Wales and Colden; 9 inches at Eden; and 8 inches at Stafford and Corfu.|Off Lake Ontario, lake effect snow developed during the pre-dawn hours of the 10th. A brief burst of heavy snow crossed the Tug Hill region, followed by a band of moderate to heavy snow that focused mainly on central and southern Oswego County before dawn. By late morning and early afternoon the wind backed to the west and allowed a rapidly intensifying band to center on the Tug Hill region. Snowfall rates briefly reached two inches per hour during this period as the band crossed the Tug Hill region. During the late afternoon and early evening winds become WSW just ahead of a weak system approaching the lake. The band intensified and moved north into the southern portion of Jefferson County and northern Lewis County. Snowfall rates reached 3 inches per hour during the most intense portion of this storm across the Tug Hill region and areas just south and east of Watertown. This strong band remained in place through about midnight then moved south and back into Oswego County during the pre-dawn hours of the 11th. The storm came on a weekend, which lessened travel impacts to some extent. Nonetheless, travel was very difficult during the afternoon and evening of the 10th across the nearby Buffalo Southtowns and the Tug Hill region. |Specific snowfall reports included: 29 inches at Hooker; 24 inches at Rodman; 19 inches at Beaver Falls; 18 inches at Copenhagen and Redfield; 16 inches at Croghan; 14 inches at Constableville; 13 inches at Osceola; 12 inches at Pulaski; 11 inches at Highmarket and Lacona; 9 inches at Lowville; and 8 inches at Oswego.","" +122105,731107,NEW YORK,2017,December,Winter Storm,"MONROE",2017-12-12 01:00:00,EST-5,2017-12-13 13:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731108,NEW YORK,2017,December,Winter Storm,"WAYNE",2017-12-12 01:00:00,EST-5,2017-12-13 18:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731109,NEW YORK,2017,December,Winter Storm,"NORTHERN CAYUGA",2017-12-12 01:00:00,EST-5,2017-12-13 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731110,NEW YORK,2017,December,Winter Storm,"OSWEGO",2017-12-12 01:00:00,EST-5,2017-12-13 18:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731111,NEW YORK,2017,December,Winter Storm,"JEFFERSON",2017-12-12 01:00:00,EST-5,2017-12-13 09:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731112,NEW YORK,2017,December,Winter Storm,"LEWIS",2017-12-12 01:00:00,EST-5,2017-12-13 09:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731113,NEW YORK,2017,December,Lake-Effect Snow,"WYOMING",2017-12-11 23:00:00,EST-5,2017-12-13 09:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731114,NEW YORK,2017,December,Lake-Effect Snow,"CHAUTAUQUA",2017-12-11 23:00:00,EST-5,2017-12-13 13:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +120209,720246,TENNESSEE,2017,September,High Wind,"HAMILTON",2017-09-11 20:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The weakening tropical system that was once Irma moved inland through the Deep South across the Western part of Tennessee generating a period of strong and gusty wind. A few trees were reported down with the passage of the low.","Several trees and power lines were reported down across the county." +120347,721385,GEORGIA,2017,September,Tropical Storm,"MARION",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported numerous trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. Radar estimated between 2 and 4 inches of rain fell across the county with 3.32 inches of rain measured in Buena Vista. No injuries were reported." +121531,727397,MONTANA,2017,December,High Wind,"NORTHERN SWEET GRASS",2017-12-17 08:20:00,MST-7,2017-12-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight surface pressure gradient resulted in high winds across portions of Park and Sweet Grass Counties.","A wind gust of 60 mph was recorded at the Big Timber airport." +121532,727398,MONTANA,2017,December,High Wind,"NORTHERN SWEET GRASS",2017-12-15 11:15:00,MST-7,2017-12-15 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream combined with very tight surface pressure gradients resulted in high winds across the western portions of the Billings Forecast Area.","A wind gust of 60 mph was reported in Big Timber." +121532,727399,MONTANA,2017,December,High Wind,"SOUTHERN WHEATLAND",2017-12-15 13:30:00,MST-7,2017-12-15 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream combined with very tight surface pressure gradients resulted in high winds across the western portions of the Billings Forecast Area.","Wind gusts of 62 mph were reported across the area." +121532,727400,MONTANA,2017,December,High Wind,"SOUTHERN WHEATLAND",2017-12-15 05:30:00,MST-7,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream combined with very tight surface pressure gradients resulted in high winds across the western portions of the Billings Forecast Area.","Wind gusts of 62 mph were reported across the area." +121532,727402,MONTANA,2017,December,High Wind,"NORTHERN SWEET GRASS",2017-12-15 04:15:00,MST-7,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream combined with very tight surface pressure gradients resulted in high winds across the western portions of the Billings Forecast Area.","Wind gusts of 59 mph were reported across the area." +121533,727405,MONTANA,2017,December,Winter Weather,"YELLOWSTONE",2017-12-19 08:00:00,MST-7,2017-12-19 08:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 20-year-old man died on Interstate 90 after his truck rolled and ejected him. The accident occurred about 20 miles east of Billings. The man lost control due to the ice on the highway. The vehicle rolled and ended up sideways in the median.","A 20-year-old man died on Interstate 90 after his truck rolled and ejected him. The accident occurred about 20 miles east of Billings. The man lost control due to the ice on the highway. The vehicle rolled and ended up sideways in the median." +121764,728856,MONTANA,2017,December,High Wind,"SOUTHERN WHEATLAND",2017-12-05 04:15:00,MST-7,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight surface pressure gradients combined with a strong jet stream resulted in strong wind gusts across portions of the Billings Forecast area.","Winds gusted around 60 mph across the area." +121764,728857,MONTANA,2017,December,High Wind,"NORTHERN SWEET GRASS",2017-12-05 04:20:00,MST-7,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight surface pressure gradients combined with a strong jet stream resulted in strong wind gusts across portions of the Billings Forecast area.","Winds gusted to 58 mph in Big Timber." +121764,728860,MONTANA,2017,December,High Wind,"CUSTER",2017-12-05 12:32:00,MST-7,2017-12-05 12:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight surface pressure gradients combined with a strong jet stream resulted in strong wind gusts across portions of the Billings Forecast area.","Winds gusted to 60 mph at the Miles City Airport." +121764,728862,MONTANA,2017,December,High Wind,"NORTHERN ROSEBUD",2017-12-05 10:45:00,MST-7,2017-12-05 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight surface pressure gradients combined with a strong jet stream resulted in strong wind gusts across portions of the Billings Forecast area.","Winds gusted to 58 mph across the area." +121329,726314,ARKANSAS,2017,December,Drought,"WASHINGTON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +121329,726316,ARKANSAS,2017,December,Drought,"CRAWFORD",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +121329,726315,ARKANSAS,2017,December,Drought,"MADISON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of northwestern Arkansas, with the exception of portions of Sebastian and Franklin Counties that received near normal precipitation for the month. The remainder of northwestern Arkansas received between 50 and 75 percent of the average monthly rainfall for the area. These dry conditions, which followed several months of below normal precipitation, allowed severe drought (D2) conditions to persist across much of northwest Arkansas. Monetary damage estimates resulting from the drought were not available.","" +117779,717680,MINNESOTA,2017,August,Flash Flood,"REDWOOD",2017-08-17 01:00:00,CST-6,2017-08-17 04:00:00,0,0,0,0,350.00K,350000,0.00K,0,44.5507,-95.1253,44.4907,-94.8752,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","Very heavy rainfall, and associated flooding led to numerous reports of basement flooding in Redwood Falls, and surrounding communities. Flood waters caused damage to roads and drainage systems." +120639,722675,ATLANTIC SOUTH,2017,September,Waterspout,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-11 10:49:00,EST-5,2017-09-11 10:51:00,0,0,0,0,,NaN,0.00K,0,32.7861,-79.7532,32.7943,-79.7582,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast. ||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Isle of Palms Police Department reported a waterspout dissipated as it attempted to move onshore. No damage reported." +120763,723306,LAKE MICHIGAN,2017,September,Waterspout,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-09-05 09:57:00,EST-5,2017-09-05 10:15:00,0,0,0,0,0.00K,0,0.00K,0,45.0872,-85.703,45.0872,-85.703,"Showers produced a waterspout over Lake Michigan.","A waterspout was sighted by the public off of Gills Pier." +120764,723307,MICHIGAN,2017,September,High Wind,"EMMET",2017-09-22 15:40:00,EST-5,2017-09-22 15:50:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A gust front associated with long-decayed thunderstorms over upper Michigan, crossed into northern lower Michigan late in the afternoon of the 22nd. Wind gusts of 35 to 50 mph were common. One report of wind damage was received.","Two trees were downed in the Levering area." +120766,723308,LAKE MICHIGAN,2017,September,Waterspout,"SEUL CHOIX POINT TO THE MACKINAC BRIDGE AND FROM CHARLEVOIX MI TO S FOX IS 5NM OFF SHORE",2017-09-27 08:28:00,EST-5,2017-09-27 08:28:00,0,0,0,0,0.00K,0,0.00K,0,45.3618,-85.8369,45.3618,-85.8369,"Showers produced a waterspout over northern Lake Michigan.","A brief waterspout occurred just south of South Fox Island." +118919,714389,LOUISIANA,2017,September,Thunderstorm Wind,"UNION",2017-09-05 16:30:00,CST-6,2017-09-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,32.8606,-92.7276,32.8606,-92.7276,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","A tree was blown down in the Weldon community." +118919,714391,LOUISIANA,2017,September,Thunderstorm Wind,"UNION",2017-09-05 16:45:00,CST-6,2017-09-05 16:45:00,0,0,0,0,0.00K,0,0.00K,0,32.808,-92.4146,32.808,-92.4146,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","A tree was blown down on Denton Road near Farmerville." +120723,723068,OKLAHOMA,2017,September,Thunderstorm Wind,"JACKSON",2017-09-17 21:29:00,CST-6,2017-09-17 21:29:00,0,0,0,0,4.00K,4000,0.00K,0,34.64,-99.33,34.64,-99.33,"An area of storms developed near a stationary front in the southern Texas panhandle on the afternoon of the 17th, then moved east into southwest Oklahoma through the evening.","Power lines were downed by winds." +120723,723069,OKLAHOMA,2017,September,Thunderstorm Wind,"KIOWA",2017-09-17 21:30:00,CST-6,2017-09-17 21:30:00,0,0,0,0,0.00K,0,0.00K,0,34.96,-99.33,34.96,-99.33,"An area of storms developed near a stationary front in the southern Texas panhandle on the afternoon of the 17th, then moved east into southwest Oklahoma through the evening.","Large tree limbs downed by winds." +120723,723070,OKLAHOMA,2017,September,Thunderstorm Wind,"JACKSON",2017-09-17 21:37:00,CST-6,2017-09-17 21:37:00,0,0,0,0,0.00K,0,0.00K,0,34.69,-99.33,34.69,-99.33,"An area of storms developed near a stationary front in the southern Texas panhandle on the afternoon of the 17th, then moved east into southwest Oklahoma through the evening.","" +120723,723071,OKLAHOMA,2017,September,Thunderstorm Wind,"COMANCHE",2017-09-17 23:25:00,CST-6,2017-09-17 23:25:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-98.56,34.73,-98.56,"An area of storms developed near a stationary front in the southern Texas panhandle on the afternoon of the 17th, then moved east into southwest Oklahoma through the evening.","" +120725,723074,TEXAS,2017,September,Thunderstorm Wind,"BAYLOR",2017-09-20 19:00:00,CST-6,2017-09-20 19:00:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-99.26,33.6,-99.26,"A line of storms formed along a front in southern Oklahoma and western north Texas on the evening of the 20th.","Law enforcement estimated winds near 60 mph." +119858,718516,TEXAS,2017,September,Thunderstorm Wind,"HOWARD",2017-09-18 19:50:00,CST-6,2017-09-18 19:50:00,0,0,0,0,,NaN,,NaN,32.3224,-101.47,32.3224,-101.47,"There was a weak ridge over the region with good moisture across the area. Temperatures were above normal which allowed for more instability. These conditions allowed for storms with large hail and strong winds to develop across West Texas.","A thunderstorm moved across Howard County and produced a 60 mph wind gust five miles north of Big Spring." +119858,718517,TEXAS,2017,September,Hail,"HOWARD",2017-09-18 19:50:00,CST-6,2017-09-18 19:55:00,0,0,0,0,,NaN,,NaN,32.3224,-101.47,32.3224,-101.47,"There was a weak ridge over the region with good moisture across the area. Temperatures were above normal which allowed for more instability. These conditions allowed for storms with large hail and strong winds to develop across West Texas.","" +119858,718518,TEXAS,2017,September,Hail,"HOWARD",2017-09-18 19:50:00,CST-6,2017-09-18 19:55:00,0,0,0,0,,NaN,,NaN,32.25,-101.4529,32.25,-101.4529,"There was a weak ridge over the region with good moisture across the area. Temperatures were above normal which allowed for more instability. These conditions allowed for storms with large hail and strong winds to develop across West Texas.","" +119858,718525,TEXAS,2017,September,Thunderstorm Wind,"BORDEN",2017-09-18 19:10:00,CST-6,2017-09-18 19:10:00,0,0,0,0,,NaN,,NaN,32.7589,-101.3982,32.7589,-101.3982,"There was a weak ridge over the region with good moisture across the area. Temperatures were above normal which allowed for more instability. These conditions allowed for storms with large hail and strong winds to develop across West Texas.","A thunderstorm moved across Borden County and produced a 66 mph wind gust at the mesonet site near Gail." +119690,717897,HAWAII,2017,September,High Surf,"LANAI MAKAI",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717898,HAWAII,2017,September,High Surf,"KAHOOLAWE",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717899,HAWAII,2017,September,High Surf,"MAUI LEEWARD WEST",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717900,HAWAII,2017,September,High Surf,"MAUI CENTRAL VALLEY",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717901,HAWAII,2017,September,High Surf,"WINDWARD HALEAKALA",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717902,HAWAII,2017,September,High Surf,"LEEWARD HALEAKALA",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717903,HAWAII,2017,September,High Surf,"KONA",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717904,HAWAII,2017,September,High Surf,"SOUTH BIG ISLAND",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717905,HAWAII,2017,September,High Surf,"BIG ISLAND NORTH AND EAST",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119690,717906,HAWAII,2017,September,High Surf,"KOHALA",2017-09-01 07:00:00,HST-10,2017-09-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the southern hemisphere generated surf of 6 to 9 feet along the south-facing shores of all the islands. There were no reports of significant property damage or injuries.","" +119691,717907,HAWAII,2017,September,Heavy Rain,"HAWAII",2017-09-01 23:20:00,HST-10,2017-09-02 04:27:00,0,0,0,0,0.00K,0,0.00K,0,19.9222,-155.7916,19.4797,-155.8974,"Localized instability triggered heavy downpours over portions of leeward Big Island. The precipitation caused small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +114222,685707,MISSOURI,2017,March,Thunderstorm Wind,"HARRISON",2017-03-06 19:27:00,CST-6,2017-03-06 19:30:00,1,0,0,0,,NaN,,NaN,40.2827,-94.0134,40.2827,-94.0134,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Tractor trailer rig was blown over on I-35 near mile marker 93. 1 injury was reported with this incident." +114222,685777,MISSOURI,2017,March,Thunderstorm Wind,"PETTIS",2017-03-06 21:25:00,CST-6,2017-03-06 21:28:00,0,0,0,0,,NaN,,NaN,38.63,-93.41,38.63,-93.41,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Powerlines were down across the roadway near Green Ridge." +119009,714800,ARIZONA,2017,September,Thunderstorm Wind,"YUMA",2017-09-08 15:40:00,MST-7,2017-09-08 15:40:00,0,0,0,0,12.00K,12000,0.00K,0,32.7,-114.6,32.7,-114.6,"Scattered thunderstorms developed in the Yuma area during the afternoon hours on September 8th and they brought typical albeit somewhat garden-variety hazards to the area. Moderate hail, heavy rain and gusty and damaging winds were all present; strong storms in Somerton produced hail with a diameter of one half inch and heavy rain in west Yuma led to street flooding. One of the strongest storms produced damaging microburst winds that downed 9 power poles at the Yuma Palms Mall and some people were trapped in their cars due to the downed poles. This occurred at 1545MST. At roughly the same time, and about one mile further east, multiple trees were reported downed as well. No injuries were reported fortunately. A Severe Thunderstorm Warning was issued shortly thereafter, at 1607MST.","Scattered thunderstorms developed in the Yuma area during the afternoon hours on September 9th, and some of the stronger storms produced gusty and damaging microburst winds estimated to be as high as 70 mph. At 1540MST an amateur radio operator reported that strong winds had downed multiple trees at the intersection of U.S. Highway 95 and Pacific Avenue. The radio operator was a ham radio trained spotter. No injuries were reported due to the downed trees." +119009,714804,ARIZONA,2017,September,Thunderstorm Wind,"YUMA",2017-09-08 15:45:00,MST-7,2017-09-08 15:45:00,0,0,0,0,75.00K,75000,0.00K,0,32.7,-114.6,32.7,-114.6,"Scattered thunderstorms developed in the Yuma area during the afternoon hours on September 8th and they brought typical albeit somewhat garden-variety hazards to the area. Moderate hail, heavy rain and gusty and damaging winds were all present; strong storms in Somerton produced hail with a diameter of one half inch and heavy rain in west Yuma led to street flooding. One of the strongest storms produced damaging microburst winds that downed 9 power poles at the Yuma Palms Mall and some people were trapped in their cars due to the downed poles. This occurred at 1545MST. At roughly the same time, and about one mile further east, multiple trees were reported downed as well. No injuries were reported fortunately. A Severe Thunderstorm Warning was issued shortly thereafter, at 1607MST.","Scattered thunderstorms developed in the city of Yuma during the afternoon hours on September 8th, and one of the stronger storms produced gusty and damaging microburst winds estimated to be as high as 70 mph. According to the local APS utility company and relayed through a trained weather spotter, gusty microburst winds downed 9 power poles at the Yuma Palms Mall. Some of the downed poles trapped people in their cars; fortunately no injuries were reported." +119049,714969,CALIFORNIA,2017,September,Dust Storm,"RIVERSIDE COUNTY EASTERN DESERTS",2017-09-08 14:30:00,MST-7,2017-09-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered thunderstorms developed across portions of eastern Riverside County during the afternoon hours on September 8th; most of the storms formed across areas to the east of Joshua Tree National Park and west of the lower Colorado River Valley. The stronger storms produced gusty outflow winds over 40 mph which overspread the lower deserts, picking up dust and dirt and generating areas of dense blowing dust and sand. For the most part visibilities were above 1 mile, but in some locales visibilities lowered to one quarter mile or below signifying dust storm conditions. For the most part the blowing dust occurred over open desert but there was a report at 1435PST from a trained spotter who indicated that a dust storm was occurring along Interstate 10 to the west of the Blythe airport. A Dust Storm Warning was then issued for eastern Riverside County from 1440PST through 1600PST. Despite the very hazardous driving conditions on Interstate 10 due to the dust storm, no accidents were reported.","Scattered thunderstorms developed across portions of eastern Riverside County, mainly areas east of Joshua Tree National Park, during the middle of the afternoon on September 8th. Some of the stronger storms produced gusty outflow winds greater than 40 mph which moved across the lower deserts, stirring up dust and sand and generating areas of dense blowing dust. In some locations, the visibility dropped to one quarter mile or below signifying dust storm conditions. At 1435PST a trained spotter west of the Blythe airport and about 15 miles northwest of the town of Ripley reported visibility below one quarter of a mile in a dust storm on Interstate 10. A Dust Storm Warning was issued about 5 minutes after the report was received. Despite the hazardous driving conditions on Interstate 10 due to dense blowing dust, no accidents were reported." +121801,729156,OHIO,2017,December,Winter Weather,"CHAMPAIGN",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near Urbana measured an inch of snow. The cooperative observer in St. Paris measured a half inch." +119034,714962,TEXAS,2017,September,Thunderstorm Wind,"LUBBOCK",2017-09-17 16:40:00,CST-6,2017-09-17 16:45:00,0,0,0,0,40.00K,40000,,NaN,33.69,-101.94,33.69,-101.94,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","Downburst winds around 75 mph downed several power lines along Farm-to-Market Road 2528 east of Shallowater. Some roof damage was also reported to a single family residence in the area." +121801,729157,OHIO,2017,December,Winter Weather,"CLARK",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The cooperative observer north of Springfield measured 1.4 inches of snow, while the highway department west of town measured an inch." +119245,716706,MINNESOTA,2017,September,Hail,"MARSHALL",2017-09-22 20:05:00,CST-6,2017-09-22 20:05:00,0,0,0,0,,NaN,,NaN,48.22,-95.68,48.22,-95.68,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","Nickel to half dollar sized hail fell." +119245,716707,MINNESOTA,2017,September,Hail,"BELTRAMI",2017-09-22 20:15:00,CST-6,2017-09-22 20:15:00,0,0,0,0,,NaN,,NaN,48.27,-95.57,48.27,-95.57,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","" +119330,716454,OREGON,2017,September,Wildfire,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-09-01 00:00:00,PST-8,2017-09-15 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Falcon Complex included the Buckskin, Fire #292, Fire#280, Tallow, Freeze, Cougar, Fire #283, and Lone Woman fires. All were started by lightning, the earliest starting on 8/8/17 at around 5:00 PM PDT. As of the last report at 03:30 on 09/15/17, the fires collectively covered 2935 acres and was 100 percent contained. 16.0 million dollars had been spent on firefighting efforts.","The Falcon Complex included the Buckskin, Fire #292, Fire#280, Tallow, Freeze, Cougar, Fire #283, and Lone Woman fires. All were started by lightning, the earliest starting on 8/8/17 at around 5:00 PM PDT. As of the last report at 03:30 on 09/15/17, the fires collectively covered 2935 acres and was 100 percent contained. 16.0 million dollars had been spent on firefighting efforts." +119329,716457,OREGON,2017,September,Wildfire,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-10 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The North Pelican Wildfire was started by lightning on 08/10/17 around 11:00 AM PDT. As of the last report at 03:30 PST on 09/10/17, the fire covered 3474 acres and was 25 percent contained. 4.5 million dollars had been spent on firefighting efforts.","The North Pelican Wildfire was started by lightning on 08/10/17 around 11:00 AM PDT. As of the last report at 03:30 PST on 09/10/17, the fire covered 3474 acres and was 25 percent contained. 4.5 million dollars had been spent on firefighting efforts." +119331,716466,CALIFORNIA,2017,September,Wildfire,"WESTERN SISKIYOU COUNTY",2017-09-01 00:00:00,PST-8,2017-09-30 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Eclipse Complex, also known as the CA-KNF-006098 Complex, included the Oak, Cedar, Fourmile, Young, and Clear fires. All were started by lightning, the earliest starting on 7/25/17 at around 12:45 PM PDT. As of the last report at 03:30 PST on 09/30/17, the fires collectively covered 78698 acres and was 51 percent contained. 44.8 million dollars had been spent on firefighting efforts.","The Eclipse Complex, also known as the CA-KNF-006098 Complex, included the Oak, Cedar, Fourmile, Young, and Clear fires. All were started by lightning, the earliest starting on 7/25/17 at around 12:45 PM PDT. As of the last report at 03:30 PST on 09/30/17, the fires collectively covered 78698 acres and was 51 percent contained. 44.8 million dollars had been spent on firefighting efforts." +121801,729210,OHIO,2017,December,Winter Weather,"PIKE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department north of Wakefield measured .8 inches of snow, while the cooperative observer in Waverly measured a half inch." +121801,729212,OHIO,2017,December,Winter Weather,"ROSS",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near North Fork Villa measured an inch of snow." +119356,716491,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"BLACK RIVER TO ONTONAGON MI",2017-09-22 09:55:00,EST-5,2017-09-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-89.33,46.88,-89.33,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Wind gust recorded at the Ontonagon Lighthouse." +119356,716493,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"ONTONAGON TO UPPER ENTRANCE OF PORTAGE CANAL MI",2017-09-22 10:04:00,EST-5,2017-09-22 10:09:00,0,0,0,0,0.00K,0,0.00K,0,47.135,-88.8191,47.135,-88.8191,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Measured wind gust at Freda." +119356,716494,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-09-22 09:43:00,EST-5,2017-09-22 09:48:00,0,0,0,0,0.00K,0,0.00K,0,47.77,-89.22,47.77,-89.22,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Measured wind gust at Rock of Ages, ROMA4." +121801,729213,OHIO,2017,December,Winter Weather,"SCIOTO",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department in Lucasville measured 1.5 inches of snow." +121801,729214,OHIO,2017,December,Winter Weather,"SHELBY",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The CoCoRaHS observer in Houston measured .8 inches of snow, while another in Fort Loramie measured a half inch." +119328,716462,OREGON,2017,September,Wildfire,"SOUTH CENTRAL OREGON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17 and the Spruce Lake fire was started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of 03:30 PDT on 10/01/17, the fires collectively covered 27460 acres and was 34 percent contained. 29.2 million dollars had been spent on firefighting efforts.","The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17 and the Spruce Lake fire was started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of 03:30 PDT on 10/01/17, the fires collectively covered 27460 acres and was 34 percent contained. 29.2 million dollars had been spent on firefighting efforts." +118994,714751,COLORADO,2017,September,Hail,"LAS ANIMAS",2017-09-17 14:51:00,MST-7,2017-09-17 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-103.46,37.25,-103.46,"A severe storm produced hail up to ping pong ball size.","" +118478,712167,OHIO,2017,September,Thunderstorm Wind,"WARREN",2017-09-05 00:25:00,EST-5,2017-09-05 00:27:00,0,0,0,0,2.00K,2000,0.00K,0,39.4559,-84.1842,39.4559,-84.1842,"A line of thunderstorms developed during the late evening hours ahead of an approaching cold front.","Several trees and power lines were downed onto Drake Road." +119618,717585,ILLINOIS,2017,September,Hail,"ALEXANDER",2017-09-05 04:10:00,CST-6,2017-09-05 04:10:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-89.35,37.17,-89.35,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119618,717586,ILLINOIS,2017,September,Hail,"PULASKI",2017-09-05 04:25:00,CST-6,2017-09-05 04:25:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-89.1455,37.17,-89.1455,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119618,717587,ILLINOIS,2017,September,Hail,"SALINE",2017-09-04 22:20:00,CST-6,2017-09-04 22:20:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-88.65,37.68,-88.65,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119618,717588,ILLINOIS,2017,September,Hail,"SALINE",2017-09-04 21:42:00,CST-6,2017-09-04 21:42:00,0,0,0,0,0.00K,0,0.00K,0,37.83,-88.62,37.83,-88.62,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +115397,692858,ILLINOIS,2017,April,Hail,"ST. CLAIR",2017-04-29 08:57:00,CST-6,2017-04-29 09:06:00,0,0,0,0,0.00K,0,0.00K,0,38.52,-89.98,38.5998,-89.8057,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +115397,692861,ILLINOIS,2017,April,Hail,"ST. CLAIR",2017-04-29 15:56:00,CST-6,2017-04-29 15:56:00,0,0,0,0,0.00K,0,0.00K,0,38.6039,-89.8134,38.6,-89.8,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +118836,715147,LOUISIANA,2017,June,Storm Surge/Tide,"ORLEANS",2017-06-21 00:00:00,CST-6,2017-06-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","A USGS gauge at the Rigolets reported a maximum water level of 5.42 ft NAVD88 at 6:15 pm CST on the 21st. Farther into Lake Pontchartrain, the National Ocean Service gauge at New Canal (NWCL1) reported a maximum water level of 3.47 ft MHHW at 6:12 pm on the 21st. The reading at New Canal was 3.53 ft above the predicted water level. The elevated water levels resulted in moderate impacts to areas outside of the federal levee system. Low lying roads, including Lakeshore Drive along Lake Pontchartrain and Highway 90 through the Venetian Isles area were inundated with up to 2 feet of water. There were no reports of homes or businesses damaged by the flooding." +118836,713983,LOUISIANA,2017,June,Storm Surge/Tide,"LOWER TERREBONNE",2017-06-21 00:00:00,CST-6,2017-06-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The USGS gauge at Caillou Bay Southwest of Cocodrie rose to a maximum of 5.62 ft NAVD88 at 4:45am CST on June 21. Tides were at least 1.5 feet above normal from 6/20 through 6/22 at this gauge. Other peak storm tide observations include 4.58 ft NAVD88 at the USGS gauge at Caillou Lake Southwest of Dulac. At this gauge, tides were at least 1.5 ft above normal from 6/21 through 6/23. The elevated tides led to minor impacts. Low lying roadways south of Houma were inundated with up to one foot of water." +115430,706325,MINNESOTA,2017,June,Thunderstorm Wind,"MCLEOD",2017-06-11 07:05:00,CST-6,2017-06-11 07:05:00,0,0,0,0,3.00K,3000,0.00K,0,44.77,-94.05,44.7743,-94.0354,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A roof was damaged in Plato. Power lines were also blown down on 2nd St Northeast, and 1st Ave Northeast in Plato." +118505,712015,MICHIGAN,2017,June,Thunderstorm Wind,"EMMET",2017-06-11 15:44:00,EST-5,2017-06-11 15:44:00,0,0,0,0,6.00K,6000,0.00K,0,45.5,-85.03,45.5,-85.03,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Trees were downed onto power lines." +118505,712014,MICHIGAN,2017,June,Thunderstorm Wind,"EMMET",2017-06-11 15:48:00,EST-5,2017-06-11 15:48:00,0,0,0,0,6.00K,6000,0.00K,0,45.3781,-84.8023,45.3781,-84.8023,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Trees were downed onto power lines, near the intersection of Pickerel Lake Road and Silver Creek Road." +118505,712016,MICHIGAN,2017,June,Thunderstorm Wind,"CHEBOYGAN",2017-06-11 15:42:00,EST-5,2017-06-11 15:49:00,0,0,0,0,5.00K,5000,0.00K,0,45.55,-84.71,45.529,-84.7,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Trees and power lines were downed." +118505,712020,MICHIGAN,2017,June,Thunderstorm Wind,"CHEBOYGAN",2017-06-11 15:55:00,EST-5,2017-06-11 15:55:00,0,0,0,0,12.00K,12000,0.00K,0,45.504,-84.4513,45.504,-84.4513,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Roofing was damaged at the Aloha Township Fire Hall." +118934,714526,TEXAS,2017,June,Hail,"REFUGIO",2017-06-05 18:19:00,CST-6,2017-06-05 18:26:00,0,0,0,0,,NaN,0.00K,0,28.337,-97.2847,28.3026,-97.2706,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Pictures relayed through social media showed quarter to half dollar sized hail in Refugio." +115430,697466,MINNESOTA,2017,June,Thunderstorm Wind,"RAMSEY",2017-06-11 07:56:00,CST-6,2017-06-11 07:56:00,2,0,0,0,0.00K,0,0.00K,0,44.93,-93.06,44.93,-93.06,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","The wind gust was reported by the STP ASOS. In addition, two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them." +115430,697468,MINNESOTA,2017,June,Thunderstorm Wind,"HENNEPIN",2017-06-11 07:41:00,CST-6,2017-06-11 07:41:00,0,0,0,0,0.00K,0,0.00K,0,45.07,-93.35,45.07,-93.35,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +115430,705533,MINNESOTA,2017,June,Thunderstorm Wind,"CARVER",2017-06-11 07:20:00,CST-6,2017-06-11 07:20:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-93.87,44.91,-93.87,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Wind gust was reported by Mesonet station, MN023 (MAYER 1NE)." +115396,692917,MISSOURI,2017,April,Tornado,"ST. CHARLES",2017-04-29 14:31:00,CST-6,2017-04-29 14:35:00,0,0,0,0,0.00K,0,0.00K,0,38.8507,-90.531,38.9,-90.4976,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","A weak tornado touched down to the southwest of the intersection of Missouri Highway B and Huster Road causing minor damage to trees in this area and traveled northeast to the small community of South Shore where several single family homes experienced minor damage, while outbuildings or sheds were destroyed. Damage to structures and trees were consistent with wind speeds of 80 mph. The tornado moved northeast and intersected a line of parked campers and boats along Dwyer Club Road. At least half of a dozen boats and campers were tossed to the northeast and destroyed by the tornado. Several trees in this area were uprooted, mainly due to the very wet soil. The damage path was 100 yards wide at this location. The tornado then hit an outbuilding on Dwyer Road, lifting most of the roof panels to the northeast. The tornado passed just to the east of Yacht Club Harbor with only a few tree limbs broken in this area. The Lake Center Marina did not fare so well, with two boat docks lifted and twisted into the trees on the south end of the property. The tornado lifted shortly thereafter with no visible damage to the north of this location. Overall, the tornado was rated EF0 with max wind speeds of 80 MPH. Path length is 3.85 miles with a max path width of 100 yards." +115396,693030,MISSOURI,2017,April,Thunderstorm Wind,"MONROE",2017-04-30 15:35:00,CST-6,2017-04-30 15:35:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-92,39.48,-92,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Thunderstorm winds snapped a pole off and lifted a shed into a home in town. Also, several power lines were blown down around town." +115430,697453,MINNESOTA,2017,June,Thunderstorm Wind,"SHERBURNE",2017-06-11 07:19:00,CST-6,2017-06-11 07:19:00,0,0,0,0,0.00K,0,0.00K,0,45.42,-93.87,45.42,-93.87,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A few trees were snapped or split in half." +117243,705540,WISCONSIN,2017,June,Thunderstorm Wind,"PRICE",2017-06-11 10:23:00,CST-6,2017-06-11 10:23:00,0,0,0,0,,NaN,,NaN,45.7,-90.19,45.7,-90.19,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Several trees were blown down." +118837,715561,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-06-20 10:00:00,CST-6,2017-06-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Occasional sustained winds of tropical storm force with frequent tropical storm force gusts were common across the marine zone. A maximum wind gust of 55 kts, or 63 mph was measured by the Main Pass 289C AWOS at 3:15pm CST on the 20th. The highest sustained wind at the same site was 46 kts, or 53 mph, also at 3:15pm CST on the 20th. It should be noted the anemometer at this site is approximately 115 meters above sea level. Buoy 42040, which has a standard height anemometer, measure a maximum gust of 45 kts, or 52 mph, at 5:40pm CST on the 20th. The same site measured a maximum sustained wind of 34 kts, or 39 mph, at 2:40pm CST on the 20th." +119203,716561,MISSOURI,2017,May,Thunderstorm Wind,"ST. FRANCOIS",2017-05-27 15:57:00,CST-6,2017-05-27 16:15:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-90.63,37.8298,-90.4451,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","A line of severe storms moved through St. Francois County. Numerous trees, tree limbs and power lines were blown down in Bismarck, Leadwood, Park Hills, Leadington, Desloge, and Farmington." +118838,715430,MISSISSIPPI,2017,June,Tropical Storm,"HARRISON",2017-06-21 14:00:00,CST-6,2017-06-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","A few tropical storm force gusts were recorded in squalls during the afternoon of the 21st. The Gulfport/Biloxi Airport ASOS (KGPT) reported a maximum wind gust of 43 kts, or 49 mph, at 2:25 pm CST on the 21st. A few tropical storm force gusts were also reported at by the Keesler Air Force Base ASOS (KBIX) and a Weatherflow site in Gulfport (XGPT). No damage was reported in the county from these tropical storm winds." +118837,715563,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM PORT FOURCHON LOUISIANA TO LOWER ATCHAFALAYA RIVER LOUISIANA FROM 20 TO 60 NM",2017-06-20 09:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent sustained tropical storm force winds with higher gusts were common across the marine zone. A maximum wind gust of 65 kts, or 75 mph, was measured by the Ship Shoal 178 AWOS (KSPR) at 1:55pm CST on the 20th. A maximum sustained wind of 55 kts, or 63 mph, was also measured at 1:55pm CST on the 20th. It should be noted the anemometer height at this site is approximately 75m above sea level." +118590,712408,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:53:00,CST-6,2017-06-13 17:53:00,0,0,0,0,0.00K,0,0.00K,0,43.7,-98.03,43.7,-98.03,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712409,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-13 17:58:00,CST-6,2017-06-13 17:58:00,0,0,0,0,0.00K,0,0.00K,0,43.29,-98.25,43.29,-98.25,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712410,SOUTH DAKOTA,2017,June,Hail,"HUTCHINSON",2017-06-13 18:12:00,CST-6,2017-06-13 18:12:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-97.97,43.23,-97.97,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118838,715426,MISSISSIPPI,2017,June,Heavy Rain,"HANCOCK",2017-06-20 06:00:00,CST-6,2017-06-22 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-89.43,30.42,-89.43,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","Storm total rainfall across the county generally ranged from 7 to 9 inches between the 19th and the 23rd. The maximum measured storm total rainfall in the county was from a CoCoRaHS observer 3.3 miles north of Kiln. That observer recorded 8.70 inches of rain, most of which fell between 6am CST on the 27th and 6am CST on the 28th. Additional CoCoRaHS storm total rainfall observations include: 8.08 inches in Diamondhead and 7.15 inches in Waveland." +118603,712479,IOWA,2017,June,Thunderstorm Wind,"LYON",2017-06-13 21:07:00,CST-6,2017-06-13 21:07:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-95.9,43.43,-95.9,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","Trees downed at intersection of Highway 9 and Log Avenue." +118603,712484,IOWA,2017,June,Thunderstorm Wind,"O'BRIEN",2017-06-13 21:14:00,CST-6,2017-06-13 21:14:00,0,0,0,0,0.00K,0,0.00K,0,43.21,-95.84,43.21,-95.84,"Severe thunderstorms moved out of southeast South Dakota into areas of northwest Iowa. The storms transitioned into wind producers across the area.","" +118580,712347,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-11 03:20:00,CST-6,2017-06-11 03:20:00,0,0,0,0,35.00K,35000,0.00K,0,44.46,-98.16,44.46,-98.16,"Thunderstorms developed in central South Dakota and moved along the corridor of South Dakota Highway 14.","Irrigation Center pivot point overturned." +117243,705097,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:55:00,CST-6,2017-06-11 08:55:00,0,0,0,0,,NaN,,NaN,45.83,-92.33,45.83,-92.33,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A pine tree on spotter's property was broke in half from the thunderstorm winds." +117243,705098,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:57:00,CST-6,2017-06-11 08:57:00,0,0,0,0,,NaN,,NaN,45.78,-92.38,45.78,-92.38,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Across the north side of Siren, Wisconsin, numerous trees were downed with the largest trees being 12 inches in diameter. A pontoon and boat lift were raised off its dock and blown 15 feet from its original location." +118587,712379,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-12 08:48:00,CST-6,2017-06-12 08:48:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-97.33,43.2,-97.33,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +118587,713006,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-12 08:48:00,CST-6,2017-06-12 08:48:00,0,0,0,0,0.00K,0,0.00K,0,43.1958,-97.32,43.1958,-97.32,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +118587,712380,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-12 08:57:00,CST-6,2017-06-12 08:57:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-97.36,43.25,-97.36,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +117243,705101,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-11 09:15:00,CST-6,2017-06-11 09:15:00,0,0,0,0,,NaN,,NaN,45.82,-91.89,45.82,-91.89,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Numerous trees and branches were blown down, with the largest tree being one foot in diameter." +117243,705102,WISCONSIN,2017,June,Thunderstorm Wind,"WASHBURN",2017-06-11 09:16:00,CST-6,2017-06-11 09:16:00,0,0,0,0,,NaN,,NaN,45.71,-91.81,45.71,-91.81,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Several trees were blown over blocked a roadway." +118836,715142,LOUISIANA,2017,June,Storm Surge/Tide,"LOWER JEFFERSON",2017-06-21 00:00:00,CST-6,2017-06-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The USGS gauge at the Barataria Waterway south of Lafitte rose to a maximum of 3.15 ft NAVD88 at 9:15 am CST on June 22. Tides were at least 1.5 feet above normal from 6/20 through 6/22 at this gauge. The National Ocean Service gauge at Grand Isle reported a maximum water level of 1.94 ft MHHW, which was 1.8 ft above normal. The storm surge resulted in moderate impacts to the southern portions of the parish which are outside of the federal levee system. In Grand Isle, 30 ft of shoreline was eroded by the storm surge and wave runup. Flooding in the Lafitte area was limited to roads and low lying property with an inundation depth of generally 1 to 2 feet." +119203,716277,MISSOURI,2017,May,Thunderstorm Wind,"CRAWFORD",2017-05-27 15:15:00,CST-6,2017-05-27 15:20:00,0,0,0,0,0.00K,0,0.00K,0,37.97,-91.35,37.9567,-91.2716,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down a couple of power lines in Steelville. Also, a tree was blown down onto Long Spring Road near intersection with Route BB." +117937,708845,KANSAS,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-17 22:27:00,CST-6,2017-06-17 22:28:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-95.78,37.15,-95.78,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","An official measurement." +117558,706988,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-30 00:46:00,CST-6,2017-06-30 00:48:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-97.27,37.62,-97.27,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","The gusts were measured at McConnell Air Force Base." +117631,707957,OHIO,2017,June,Thunderstorm Wind,"TRUMBULL",2017-06-18 18:41:00,EST-5,2017-06-18 18:41:00,0,0,0,0,1.00K,1000,0.00K,0,41.15,-80.57,41.15,-80.57,"A strong cold front moved across the Upper Ohio Valley on June 18th. Showers and thunderstorms caused by this front affected portions of northern Ohio during the afternoon and early evening hours. A couple of the storms became severe.","Thunderstorm winds downed a tree." +119389,716559,ILLINOIS,2017,June,Hail,"BOONE",2017-06-13 14:25:00,CST-6,2017-06-13 14:25:00,0,0,0,0,0.00K,0,0.00K,0,42.279,-88.85,42.279,-88.85,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Nickel size hail was reported 2 miles north of Belvidere." +119486,717205,ILLINOIS,2017,June,Flash Flood,"LIVINGSTON",2017-06-18 01:00:00,CST-6,2017-06-18 05:30:00,0,0,0,0,0.00K,0,0.00K,0,40.7406,-88.5028,40.7322,-88.5036,"Thunderstorms produced heavy rain across parts of central Illinois which created flash flooding in some areas during the early morning of June 18th.","Heavy rain caused flash flooding near Indian Creek Golf and Country Club." +119484,717070,ILLINOIS,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-17 19:18:00,CST-6,2017-06-17 19:18:00,0,0,0,0,1.00K,1000,0.00K,0,42.2665,-88.4201,42.2665,-88.4201,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Trees and power lines were blown down." +119484,717072,ILLINOIS,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-17 19:24:00,CST-6,2017-06-17 19:24:00,0,0,0,0,1.00K,1000,0.00K,0,42.2831,-88.3075,42.2831,-88.3075,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Trees and power lines were blown down." +119484,717073,ILLINOIS,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-17 19:26:00,CST-6,2017-06-17 19:26:00,0,0,0,0,1.00K,1000,0.00K,0,42.1811,-88.3161,42.1811,-88.3161,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Trees and power lines were blown down." +119495,717138,ILLINOIS,2017,June,Flash Flood,"WINNEBAGO",2017-06-28 19:20:00,CST-6,2017-06-29 01:30:00,0,0,0,0,500.00K,500000,0.00K,0,42.2317,-89.3959,42.1784,-88.9409,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Very heavy rain fell across Winnebago County during the evening hours of June 28th. Numerous roads were flooded, closed and impassable due to flash flooding. In Rockford, numerous cars were stranded in flood waters with several water rescues from the stranded vehicles. Kent Creek was out of its banks. A parking lot at a pharmacy was flooded and people were unable to leave the building. Numerous residential roads were flooded and impassable in Loves Park, Machesney Park and Pecatonica. In Winnebago, 4 to 6 inches of flowing water was reported on roads. Storm total rainfall totals included 5.69 inches in Loves Park; 5.48 inches at Rockford International Golf Course; 5.21 inches at Winnebago; 5.00 inches at Pecatonica; 4.11 inches at Rockford Airport; 3.80 inches 3 miles ENE of Machesney Park and 3.46 inches 2 miles southeast of Roscoe." +119495,717200,ILLINOIS,2017,June,Flash Flood,"MCHENRY",2017-06-28 21:30:00,CST-6,2017-06-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,42.363,-88.7108,42.2589,-88.2013,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","Heavy rain caused flooding across parts of southern McHenry County including flash flooding on Route 23 in Marengo and Algonquin Road in Algonquin. Storm total rainfall amounts included 3.36 inches 1 mile east southeast of Lake In The Hills; 3.21 inches 1 mile north of Algonquin; 3.17 inches in Cary and 2.68 inches in Crystal Lake." +119495,717166,ILLINOIS,2017,June,High Wind,"LIVINGSTON",2017-06-28 23:55:00,CST-6,2017-06-28 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe thunderstorms produced heavy rain, flash flooding, wind damage and a few tornadoes during the evening hours of June 28th. A wake low after earlier thunderstorms caused high winds across part of central Illinois including a measured gust to 61 mph at Pontiac Airport (KPNT).","" +119392,717257,ILLINOIS,2017,June,Thunderstorm Wind,"DE KALB",2017-06-14 21:54:00,CST-6,2017-06-14 21:55:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-88.75,41.9306,-88.7099,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A wind gust to 64 mph was measured at the De Kalb Airport (KDKB). Tree limbs were blown down in De Kalb." +115755,695767,ARKANSAS,2017,May,Hail,"CRAIGHEAD",2017-05-11 16:41:00,CST-6,2017-05-11 16:45:00,0,0,0,0,0.00K,0,0.00K,0,35.8381,-90.7138,35.8381,-90.7138,"A passing upper level disturbance brought marginal severe hail and flash flooding to portions of northeast Arkansas during the late afternoon and early evening hours of May 11th.","Nickel size hail on Washington Street in Jonesboro." +119747,718143,MICHIGAN,2017,June,Flash Flood,"GLADWIN",2017-06-23 02:30:00,EST-5,2017-06-23 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,43.8153,-84.3324,43.897,-84.2727,"Slow moving showers and thunderstorms dumped heavy rain on portions of central lower Michigan on the night of the 22nd. Southern Gladwin County was impacted by resulting high water, though flooding was much more substantial just downstate.","Rainfall of 3.20 was measured in Gladwin; heavier rains fell in the southern portion of Gladwin County. A number of roads were flooded, and several were washed out." +119126,720350,FLORIDA,2017,September,Thunderstorm Wind,"NASSAU",2017-09-01 22:15:00,EST-5,2017-09-01 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-81.59,30.62,-81.59,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Trees and power lines were blown down along Miner Road near Hickory Village. Some homes had roof damage. The time of damage was based on radar." +119126,720351,FLORIDA,2017,September,Thunderstorm Wind,"DUVAL",2017-09-01 13:20:00,EST-5,2017-09-01 13:20:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-81.62,30.5,-81.62,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","An off-duty NWS employee estimated wind gusts of 60 mph." +120234,720352,GEORGIA,2017,September,Thunderstorm Wind,"BRANTLEY",2017-09-01 17:10:00,EST-5,2017-09-01 17:10:00,0,0,0,0,0.00K,0,0.00K,0,31.17,-82.2,31.17,-82.2,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Trees were blown down along Schlatterville Road. The time of damage was based on radar." +120235,720353,FLORIDA,2017,September,Funnel Cloud,"GILCHRIST",2017-09-04 15:00:00,EST-5,2017-09-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-82.92,29.79,-82.92,"Diurnal convection produced a brief funnel cloud.","The Florida Fish and Wildlife reported a funnel cloud east of the Suwanee River south of the County Road 340 bridge." +120236,720354,FLORIDA,2017,September,Flood,"ST. JOHNS",2017-09-08 19:30:00,EST-5,2017-09-08 19:30:00,0,0,0,0,0.00K,0,0.00K,0,30.2024,-81.4052,30.2014,-81.4071,"A frontal boundary was stalled across central Florida with strong high pressure wedge axis north of the region across central Georgia. An inverted trough axis strengthened onshore convergence and focused strong gusty ENE winds and waves of locally heavy rainfall along portions of the NE Florida coast. Flooding started to occur during the evening of Sept. 8th across portions of St. Johns county due to training, heavy rainfall, and winds increased along the St. Johns, Duval, and Glynn county coasts after 9 pm that evening with sustained speeds increasing to 30-35 mph and gusts of 40-45 mph.","About 1 foot of standing water was reported along North Rosco Blvd in Ponte Vedra." +120236,720355,FLORIDA,2017,September,Heavy Rain,"ST. JOHNS",2017-09-08 00:00:00,EST-5,2017-09-08 19:39:00,0,0,0,0,0.00K,0,0.00K,0,30.09,-81.34,30.09,-81.34,"A frontal boundary was stalled across central Florida with strong high pressure wedge axis north of the region across central Georgia. An inverted trough axis strengthened onshore convergence and focused strong gusty ENE winds and waves of locally heavy rainfall along portions of the NE Florida coast. Flooding started to occur during the evening of Sept. 8th across portions of St. Johns county due to training, heavy rainfall, and winds increased along the St. Johns, Duval, and Glynn county coasts after 9 pm that evening with sustained speeds increasing to 30-35 mph and gusts of 40-45 mph.","A broadcast meteorologist reported 5.06 in Nocatee." +119125,720358,FLORIDA,2017,September,Tropical Storm,"ALACHUA",2017-09-10 21:15:00,EST-5,2017-09-11 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Countywide wind damage included trees down across roads and on homes. Residential homes flooded in some areas due to poor drainage. Trees were blown down across the University of Florida campus and within the Gainesville city limits. At 1015 pm on 9/10, a 10 inch diameter spruce tree was blown down about 5 miles west of Gainesville. The strongest winds measured at the Gainesville Regional Airport occurred on Sept. 11th at 1:27 am of 40 mph with a peak gust of 61 mph on the 11th at 1:17 am. Storm total rainfall from 8 am on Sept 10 through 8 am Sept 12 included 12.40 inches at the Gainesville Regional Airport, 12.22 inches 2.4 miles NW of Gainesville, 11.15 inches 7.5 miles WSW of Gainesville, 10.70 inches 2.1 miles NNE of Micanopy, 8.23 inches 3.2 miles SW of High Springs, and 5.7 inches 1 mile WNW of Alachua. ||The Santa Fe River reached major flood stage due to rainfall across the basin. It set a record flood stage at 48.46 feet on Sept 14th at 1800 EDT. Major flooding occurred at this level and US Highway 441 was briefly shut down near the crest. The U.S. Highway 441 Bridge and U.S. Highway 27 Bridge over the Santa Fe Fiver was closed on 9/13/2017 due to rising flood water near High Springs. The Santa Fe River at Poe Springs Pool set a record flood stage at 40.59 feet on Sept 15th at 0400 EDT. Major flooding occurred at this level. The Santa Fe River at River Rise near High Springs set a record flood stage of 50.48 feet on Sept 14th at 1315 EDT which was major flooding." +119125,720360,FLORIDA,2017,September,Tropical Storm,"PUTNAM",2017-09-11 00:55:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Storm total rainfall included 10.96 inches measured 3.5 miles NNW of East Palatka and 10.05 inches 4 miles NE of Satsuma. Peak winds included a gust of 66 mph about 3 miles SE of Welaka on Sept. 11th at 12:21 am and 61 mph on Sept. 10th at 8:55 pm at the Palatka Airport. At 11:49 pm on 9/10, a nursing home in Palatka was flooded and evacuations were ordered due to flash flooding. Dunns Creek at Satsuma crested at 4.26 feet on Sept 11th at 1915 EDT. Major flooding occurred at this level. Orange Creek at Orange Springs crested at 28.96 feet on Sept 11th at 1115 EDT. Major flooding occurred at this level. The Ocklawaha River at Rodman Dam set a record flood stage at 9.70 feet on Sept 13th at 1900 EDT. Storm tide peaked at 3.6 ft on Sept. 11th at 7:15 pm (datum MHHW)." +119125,720870,FLORIDA,2017,September,Tropical Storm,"CLAY",2017-09-10 12:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Clay County experienced widespread wind damage including trees down, power lines down, and structural damage due to tropical storm force winds. Rapid river rises and extremely heavy rainfall caused historic river flooding along the St. Johns River and Black Creek, as well as tributaries of these rivers. On Sept. 10th at 6:30 pm, a private weather station 18 ft above ground level in Keystone Heights measured a wind gust of 52 mph. On Sept. 11th at 3:04 am, 3 ft of storm surge above MHHW was reported at the Interstate 295 Bridge and the St. Johns River. Numerous river front homes lost property and had extensive dock and pier damage, including many structures and boats washed away from the surge. River waters rose to levels exceeding prior major stage records. Several helicopter rescues occurred along black creek. ||Black Creek at Middleburg (Blanding Blvd and State Road 21) sets record flood stage at 30.52 feet on 09/12 at 0130 EDT. Major flooding occurred at this level. The north fork Black Creek near Middleburg set an estimated record flood stage between 28 and 29 feet on Sept 12th. Major flooding occurred at this level. The south fork Black creek near Penney Farms set an estimated record flood stage between 28 and 29 feet on Sept 12th. Major flooding occurred at this level.||Storm total rainfall included 6.78 inches 3.5 miles ENE of Keystone Heights, 7.46 inches in Penny Farms, 8.55 inches 9 miles of Florahome and 10 mile NE of Penny Farms, 10.48 inches 2.6 miles WNW of Green Cove Springs, 11.03 inches 1.8 WSW of Orange Park, and 11.32 inches 8.8 inches E of Middleburg." +116286,699767,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-04 21:35:00,CST-6,2017-07-04 21:35:00,0,0,0,0,,NaN,,NaN,47.22,-97.44,47.22,-97.44,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The wind gust was measured by a NDAWN station." +116381,699848,MONTANA,2017,July,Thunderstorm Wind,"YELLOWSTONE",2017-07-06 16:25:00,MST-7,2017-07-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,45.81,-108.55,45.81,-108.55,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","" +116425,700166,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-08 16:06:00,EST-5,2017-07-08 16:06:00,0,0,0,0,0.50K,500,0.00K,0,36.9721,-78.879,36.9721,-78.879,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","A tree was blown down by thunderstorm winds along Clarkton Road." +116425,700171,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-08 17:35:00,EST-5,2017-07-08 17:35:00,0,0,0,0,10.00K,10000,0.00K,0,36.6237,-79.0422,36.622,-79.0369,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","Thunderstorm winds blew down numerous trees in a swath near the intersection of Philpott Road and Turbeville Road." +116427,700199,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-10 14:05:00,EST-5,2017-07-10 14:07:00,0,0,0,0,2.00K,2000,0.00K,0,40.25,-82.86,40.25,-82.86,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","A couple of trees were downed in Genoa and Porter Townships." +116559,714604,SOUTH CAROLINA,2017,July,Heavy Rain,"CHESTERFIELD",2017-07-18 17:00:00,EST-5,2017-07-18 20:00:00,0,0,0,0,0.10K,100,0.10K,100,34.81,-80.16,34.81,-80.16,"An upper and surface trough combined with daytime heating to produce widely scattered thunderstorms in the late afternoon and evening, a few of which produced strong winds enhanced by dry air aloft.","A total of 4.60 inches of rain was measured at a rain gage at a farm near the intersection of Jackson Rd W and Lucious Davis Rd. The rain began around 600 pm EDT (1700 EST) and ended a little after 900 pm EDT (2000 EST). Some evidence of some flooding of a dirt road was observed later, but the water depth is unknown." +118985,714688,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 15:24:00,EST-5,2017-07-24 15:45:00,0,0,0,0,0.10K,100,0.10K,100,33.9881,-81.0283,33.9872,-81.0288,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Flooding at the intersection of Main and Whaley St. Road impassable." +118985,714696,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-24 15:00:00,EST-5,2017-07-24 15:40:00,0,0,0,0,0.10K,100,0.10K,100,34.02,-80.95,34.02,-80.95,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","RCWINDS Gills Creek gage, near Forest Dr and I-77, measured 1.81 inches of rain in the 40 minute period ending at 4:40 pm EDT (1540 EST)." +119010,714801,GEORGIA,2017,July,Thunderstorm Wind,"TATTNALL",2017-07-08 17:42:00,EST-5,2017-07-08 17:43:00,0,0,0,0,,NaN,0.00K,0,32.09,-82.12,32.09,-82.12,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into the evening and transitioned into thunderstorm clusters, a few of which produced damaging wind gusts and hail.","Tattnall County dispatch reported numerous trees, large limbs, and power lines down across Reidsville. Impacted areas included Kelly Street and James Street." +115587,694166,TENNESSEE,2017,May,Thunderstorm Wind,"JACKSON",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.35,-85.65,36.35,-85.65,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Multiple trees were blown down on power lines, houses, and across roadways throughout Jackson County. Several roadways were blocked with vehicle accidents reported. Power was knocked out to nearly the entire county." +115587,694199,TENNESSEE,2017,May,Hail,"CUMBERLAND",2017-05-27 19:20:00,CST-6,2017-05-27 19:20:00,0,0,0,0,0.00K,0,0.00K,0,35.97,-85.18,35.97,-85.18,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook report indicated 1 inch hail fell in Pleasant Hill." +115584,694114,TENNESSEE,2017,May,Flash Flood,"SUMNER",2017-05-19 05:30:00,CST-6,2017-05-19 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.4136,-86.5785,36.4844,-86.3347,"Scattered showers and thunderstorms affected parts of northern Middle Tennessee during the morning hours on May 19. Thunderstorms continued to redevelop across Sumner County for several hours, resulting in over 6 inches of rain in some areas and significant flash flooding.","Significant flash flooding affected parts of Sumner County during the morning hours on May 19, mainly in the area from Cottontown to Westmoreland. Several water rescues were performed by emergency personnel in the Cottontown, Rock Bridge, and Liberty areas. A swift water rescue was conducted around 630 AM CDT at Buck Perry Road and Mount Vernon Road involving a school bus stranded in high water with several children on board. Another water rescue was conducted involving a school bus trapped in flood waters at Rouges Fork Road near Hogback Ridge Road. No injuries occurred in either water rescue. Two other water rescues occurred at Rogues Fork Road and Highway 52 East at 823 AM CDT, and at Old Gallatin Road and North Hunter Road at 833 AM CDT. Numerous other reports indicated people were trapped in their homes due to flood waters making roads impassable and covering driveways and yards. Some roads that were flooded and closed included Sumner Drive, Rock Bridge Road, Bugg Hollow Road, and Garrison Branch Road." +115587,694204,TENNESSEE,2017,May,Thunderstorm Wind,"HICKMAN",2017-05-27 19:26:00,CST-6,2017-05-27 19:26:00,0,0,0,0,3.00K,3000,0.00K,0,35.67,-87.7,35.67,-87.7,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Numerous trees and power lines down across Hickman County with several roadways blocked. One tree fell on a car in Pleasantville but no injuries." +118028,709638,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CARROLL",2017-06-19 15:45:00,EST-5,2017-06-19 15:49:00,0,0,0,0,0.00K,0,0.00K,0,43.86,-71.26,43.86,-71.26,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees in Tamworth." +118028,709639,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CHESHIRE",2017-06-19 16:15:00,EST-5,2017-06-19 16:19:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-72.47,42.89,-72.47,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees in Chesterfield." +117914,708615,MINNESOTA,2017,July,Thunderstorm Wind,"OLMSTED",2017-07-19 16:00:00,CST-6,2017-07-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-92.45,44.03,-92.45,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","An estimated 65 mph wind gust occurred in Rochester." +117914,708630,MINNESOTA,2017,July,Flood,"OLMSTED",2017-07-19 16:21:00,CST-6,2017-07-19 17:50:00,0,0,0,0,0.00K,0,0.00K,0,44.0224,-92.4857,44.0205,-92.486,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Street flooding occurred in Rochester near the hospital." +117914,708956,MINNESOTA,2017,July,Tornado,"FILLMORE",2017-07-19 16:25:00,CST-6,2017-07-19 16:28:00,0,0,0,0,20.00K,20000,10.00K,10000,43.6942,-92.2193,43.6975,-92.179,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","An EF-1 tornado touched down southeast of Wykoff and produced intermittent damage as it moved east along County Road 117. Most of the damage was to trees and crops with one barn sustaining minor damage." +115083,690757,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-15 07:30:00,CST-6,2017-05-15 07:35:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-97.99,43.39,-97.99,"Thunderstorms were moving into portions of Douglas County in the dawn hours when one of the storms produced a wet microburst resulting in very strong winds and widespread damage. Most of the damage was in and immediately around the town of Armour, SD.","Eight inch diameter branches downed." +117352,705719,WISCONSIN,2017,July,Hail,"TREMPEALEAU",2017-07-06 18:48:00,CST-6,2017-07-06 18:48:00,0,0,0,0,0.00K,0,192.00K,192000,44.03,-91.48,44.03,-91.48,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Ping pong ball sized hail fell southwest of Centerville. The hail damaged grapes at a local winery." +115083,697714,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"HUTCHINSON",2017-05-15 07:30:00,CST-6,2017-05-15 07:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3898,-97.9659,43.3898,-97.9659,"Thunderstorms were moving into portions of Douglas County in the dawn hours when one of the storms produced a wet microburst resulting in very strong winds and widespread damage. Most of the damage was in and immediately around the town of Armour, SD.","Recorded by SDSU Mesonet station." +114684,687886,TENNESSEE,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-04 22:03:00,EST-5,2017-05-04 22:03:00,0,0,0,0,,NaN,,NaN,36.12,-83.49,36.12,-83.49,"A few thunderstorms became severe as they formed around mid day into the afternoon hours just ahead of a low pressure system.","A power pole was broken into two pieces in downtown Jefferson City." +114684,687887,TENNESSEE,2017,May,Thunderstorm Wind,"HAMBLEN",2017-05-04 22:13:00,EST-5,2017-05-04 22:13:00,0,0,0,0,,NaN,,NaN,36.18,-83.38,36.18,-83.38,"A few thunderstorms became severe as they formed around mid day into the afternoon hours just ahead of a low pressure system.","A tree was reported down near Panther Creek Road and Seven Oaks Drive." +115103,690886,SOUTH CAROLINA,2017,April,Tornado,"LAURENS",2017-04-03 13:49:00,EST-5,2017-04-03 13:50:00,0,0,0,0,20.00K,20000,0.00K,0,34.554,-82.07,34.555,-82.057,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS storm survey found a tornado path that roughly paralleled Owens Rd, touching down just east of highway 14 and lifting after about 3/4 mile. Most of the damage consisted of downed trees, but some Minor Structural damage occurred, mainly in the form of minor roof damage. One tree fell on a mobile home." +115584,694118,TENNESSEE,2017,May,Heavy Rain,"SUMNER",2017-05-19 00:00:00,CST-6,2017-05-19 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4598,-86.6373,36.4598,-86.6373,"Scattered showers and thunderstorms affected parts of northern Middle Tennessee during the morning hours on May 19. Thunderstorms continued to redevelop across Sumner County for several hours, resulting in over 6 inches of rain in some areas and significant flash flooding.","A COOP observer 1 mile southeast of White House measured 3.00 inches of rain." +115846,696224,NORTH CAROLINA,2017,April,Hail,"BURKE",2017-04-05 23:53:00,EST-5,2017-04-05 23:53:00,0,0,0,0,,NaN,,NaN,35.76,-81.56,35.76,-81.56,"A line of thunderstorms moved into western North Carolina during the early part of the overnight, in advance of a strong storm system and attendant cold front. A few cells within the line briefly reached severe levels across the foothills, producing hail up to the size of half dollars.","Media reported quarter size hail on Lovelady Rd." +115846,696223,NORTH CAROLINA,2017,April,Hail,"BURKE",2017-04-05 23:47:00,EST-5,2017-04-05 23:47:00,0,0,0,0,,NaN,,NaN,35.768,-81.624,35.768,-81.624,"A line of thunderstorms moved into western North Carolina during the early part of the overnight, in advance of a strong storm system and attendant cold front. A few cells within the line briefly reached severe levels across the foothills, producing hail up to the size of half dollars.","Media reported quarter size hail at Amherst Rd and Zion Rd." +116203,698542,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"WIND PT LT WI TO WINTHROP HBR IL",2017-07-07 00:00:00,CST-6,2017-07-07 00:10:00,0,0,0,0,0.00K,0,0.00K,0,42.589,-87.809,42.589,-87.809,"Shortly after midnight local time, a strong thunderstorm affected the near shore waters of Lake Michigan south of Wind Point, producing strong winds.","Kenosha lakeshore station measured wind gusts of 38-39 knots for a 10 minute period." +115586,694238,TENNESSEE,2017,May,Thunderstorm Wind,"SMITH",2017-05-24 10:37:00,CST-6,2017-05-24 10:37:00,0,0,0,0,9.00K,9000,0.00K,0,36.29,-86.11,36.29,-86.11,"An upper level low pressure system moved across Middle Tennessee during the day on May 24 bringing numerous showers and thunderstorms to the area. A few storms became severe with one EF-0 tornado in Smith County, a gustnado in Davidson County, and a funnel cloud in Lawrence County.","Nine trees were blown down near Hiwassee Road and Cedar Knob Lane in association with the rear flank downdraft of the EF-0 tornado to the north." +115586,694239,TENNESSEE,2017,May,Funnel Cloud,"DAVIDSON",2017-05-24 11:03:00,CST-6,2017-05-24 11:03:00,0,0,0,0,0.00K,0,0.00K,0,36.1332,-86.6578,36.1332,-86.6578,"An upper level low pressure system moved across Middle Tennessee during the day on May 24 bringing numerous showers and thunderstorms to the area. A few storms became severe with one EF-0 tornado in Smith County, a gustnado in Davidson County, and a funnel cloud in Lawrence County.","Multiple social media photos and videos showed an apparent gustnado briefly touched down near the east runway of Nashville International Airport. No damage was reported." +118140,709965,WISCONSIN,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-19 17:20:00,CST-6,2017-07-19 17:20:00,0,0,0,0,150.00K,150000,0.00K,0,43.02,-91.11,43.02,-91.11,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Several hangars and vintage World War II plane were damaged at the Prairie du Chien airport. Numerous trees and power lines were damaged or blown down across the city." +118140,709986,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-19 17:45:00,CST-6,2017-07-19 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,43.72,-91.16,43.72,-91.16,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Tree branches, up to 6 inches in diameter, were blown down northeast of Stoddard." +118140,710344,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:45:00,CST-6,2017-07-19 17:45:00,0,0,0,0,6.00K,6000,0.00K,0,42.85,-90.71,42.85,-90.71,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Significant tree and power line damage occurred in Lancaster from an estimated 70 mph wind gust." +118140,710346,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:50:00,CST-6,2017-07-19 17:50:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-90.52,42.81,-90.52,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A 61 mph wind gust occurred east of Ellenboro." +118140,713770,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:56:00,CST-6,2017-07-19 17:56:00,0,0,0,0,0.00K,0,0.00K,0,42.73,-90.48,42.73,-90.48,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A wind gust to 77 mph occurred in Platteville." +118140,713778,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 18:02:00,CST-6,2017-07-19 18:02:00,0,0,0,0,50.00K,50000,0.00K,0,43.18,-90.45,43.18,-90.45,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","In the Muscoda industrial park, a roof was blown off a commercial building and a semi trailer was blown over." +118140,713786,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:13:00,CST-6,2017-07-19 17:13:00,0,0,0,0,15.00K,15000,0.00K,0,42.9,-91.12,42.9,-91.12,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","A tree was blown down onto a apartment building in Bagley." +118140,713787,WISCONSIN,2017,July,Thunderstorm Wind,"GRANT",2017-07-19 17:42:00,CST-6,2017-07-19 17:42:00,0,0,0,0,25.00K,25000,0.00K,0,42.97,-90.87,42.97,-90.87,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An under-construction commercial building was destroyed near Mt. Hope." +117328,705674,NEW MEXICO,2017,August,Thunderstorm Wind,"ROOSEVELT",2017-08-03 18:14:00,MST-7,2017-08-03 18:19:00,0,0,0,0,1.40M,1400000,0.00K,0,34.0585,-103.2413,34.0585,-103.2413,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Straight line wind gusts estimated up to 85 mph tore the roofs of several buildings three miles south of Portales. Hail and high winds also damaged vehicles in the area." +118416,711647,WISCONSIN,2017,July,Heavy Rain,"MILWAUKEE",2017-07-12 07:30:00,CST-6,2017-07-12 09:30:00,0,0,0,0,0.00K,0,0.00K,0,43.0294,-88.0323,43.0294,-88.0323,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","A portion of the Zoo interchange from I-94 WB to I-41 NB was closed due to flooding. Also the 84th street on-ramp was closed due to high water." +114396,686108,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:47:00,CST-6,2017-03-06 19:48:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.84,39.04,-94.84,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +118207,710354,WISCONSIN,2017,July,Flash Flood,"BUFFALO",2017-07-19 22:42:00,CST-6,2017-07-20 06:30:00,0,0,0,0,500.00K,500000,2.90M,2900000,44.2222,-91.8572,44.0694,-91.5606,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains of 6 to 8 inches across the southern half of Buffalo County produced flash flooding. A mudslide covered a portion of State Highway 37 north of Alma. Portions of County Road O were completely covered by water and the road was closed between Cochrane and State Highway 88. Numerous streets were covered by standing water in Fountain City. Around a half dozen roads were closed across the county because of the flooding." +118207,710355,WISCONSIN,2017,July,Thunderstorm Wind,"BUFFALO",2017-07-19 22:35:00,CST-6,2017-07-19 22:35:00,0,0,0,0,3.00K,3000,0.00K,0,44.31,-91.91,44.31,-91.91,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Power lines were blown down in Alma." +118207,710357,WISCONSIN,2017,July,Flash Flood,"LA CROSSE",2017-07-20 01:46:00,CST-6,2017-07-20 07:15:00,0,0,0,0,2.60M,2600000,2.20M,2200000,44.0706,-91.1511,44.0879,-91.1923,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains, with totals of 6 to 8 inches, produced flash flooding across La Crosse County. The Shelby Fire Department had to evacuate people along County Road M in the township of Greenfield. Some of these evacuations had to be made by boat. Other rescues had to be made along Kammell Coulee Road southeast of St. Joseph. County Road U was closed between Bangor and Rockland due to flooding along Fish Creek. Flood waters along Mormon Creek washed out the approaches to both sides of a bridge on Breidel Coulee Road south of Barre Mills. Some streets in Onalaska were washed out or completely underwater. Numerous streets in the city of La Crosse were underwater causing a giant sinkhole to form near Myrick Park. Every state and county highway, with the exception of Interstate 90 and U.S. Highway 53, sustained some damage. At least 60 township roads across the county were closed or impacted by flood waters. In Bangor, flood waters from Dutch Creek washed away the pedestrian walking bridge in Veterans Memorial Park. Boats on Lake Neshonoc broke loose from their moorings and became lodged against the dam. All the trails in the Hixton Forest suffered erosion damage that caused holes and blowouts to form. The damage to the trails caused a mountain bike race course to be limited to trails that stayed on top of the bluffs. A bike trail along Halfway Creek near Holmen was washed out in several places with other damage caused by logjams and debris in the water." +114396,686112,KANSAS,2017,March,Hail,"WYANDOTTE",2017-03-06 19:53:00,CST-6,2017-03-06 19:53:00,0,0,0,0,0.00K,0,0.00K,0,39.09,-94.75,39.09,-94.75,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114396,686114,KANSAS,2017,March,Thunderstorm Wind,"MIAMI",2017-03-06 19:53:00,CST-6,2017-03-06 19:56:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-95.05,38.66,-95.05,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Emergency Management reported power lines down at 261st and Pleasant Valley Road." +114396,686124,KANSAS,2017,March,Thunderstorm Wind,"MIAMI",2017-03-06 19:59:00,CST-6,2017-03-06 20:02:00,0,0,0,0,,NaN,,NaN,38.58,-94.88,38.58,-94.88,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Strong winds caused damage and destruction of several outbuildings in the Paola area. Several residences had major roof damage and power lines were down all across the county." +114222,685742,MISSOURI,2017,March,Hail,"CLINTON",2017-03-06 19:45:00,CST-6,2017-03-06 19:45:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-94.33,39.55,-94.33,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685743,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 19:57:00,CST-6,2017-03-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0374,-94.6068,39.0374,-94.6068,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Half dollar sized hail was reported at 50th St and Stateline Road in Jackson County Missouri." +115735,695541,VIRGINIA,2017,April,Hail,"SMYTH",2017-04-29 16:20:00,EST-5,2017-04-29 16:20:00,0,0,0,0,,NaN,,NaN,36.83,-81.5,36.83,-81.5,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","" +115735,695542,VIRGINIA,2017,April,Hail,"SMYTH",2017-04-29 16:28:00,EST-5,2017-04-29 16:35:00,0,0,0,0,,NaN,,NaN,36.81,-81.49,36.82,-81.47,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","Hail fell that ranged in diameter from golf ball size to hen egg size." +115735,695543,VIRGINIA,2017,April,Hail,"COVINGTON (C)",2017-04-29 16:33:00,EST-5,2017-04-29 16:33:00,0,0,0,0,,NaN,,NaN,37.78,-79.99,37.78,-79.99,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","Hail fell that ranged from dime size to quarter size." +115735,695545,VIRGINIA,2017,April,Hail,"COVINGTON (C)",2017-04-29 16:54:00,EST-5,2017-04-29 16:54:00,0,0,0,0,,NaN,,NaN,37.78,-79.98,37.78,-79.98,"Showers and thunderstorms developed within a humid and summer-like air mass across the region. A few of these storms increased to severe levels, producing large hail.","" +118207,712560,WISCONSIN,2017,July,Heavy Rain,"TREMPEALEAU",2017-07-19 16:05:00,CST-6,2017-07-20 02:35:00,0,0,0,0,0.00K,0,0.00K,0,44.25,-91.49,44.25,-91.49,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","In Arcadia, 7.44 inches of rain fell." +118071,709648,NEW HAMPSHIRE,2017,June,Flash Flood,"CHESHIRE",2017-06-19 14:30:00,EST-5,2017-06-19 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.08,-72.43,43.0781,-72.4336,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Three to four inches of rain in 3 hours caused flash flooding in Walpole. A road washout resulted in closure of South Street and Walpole Valley Road." +118071,709651,NEW HAMPSHIRE,2017,June,Flash Flood,"BELKNAP",2017-06-19 14:58:00,EST-5,2017-06-19 17:45:00,0,0,0,0,35.00K,35000,0.00K,0,43.55,-71.41,43.5497,-71.4168,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk.. Numerous reports of wind damage and flash flooding were received during this event.","Two to three inches of rain in 3 hours caused numerous flooded roads and road washouts in Gilford." +119163,715647,MAINE,2017,July,Flash Flood,"CUMBERLAND",2017-07-01 18:10:00,EST-5,2017-07-01 19:15:00,0,0,0,0,25.00K,25000,0.00K,0,44.1304,-70.8128,44.0694,-70.7592,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Bridgton washing out several portions of Route 93 between Bridgton and Sweden." +119163,715648,MAINE,2017,July,Flash Flood,"CUMBERLAND",2017-07-01 19:02:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.9995,-70.5226,44.0111,-70.5301,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Casco washing out several area roads." +119163,715649,MAINE,2017,July,Flash Flood,"CUMBERLAND",2017-07-01 19:02:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.12,-70.68,44.1147,-70.692,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced 2 to 5 inches of rain in Harrison washing out portions of Route 35." +120213,720271,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 14:50:00,MST-7,2017-06-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-104.86,41.15,-104.86,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Tennis to baseball size hail damaged numerous buildings and vehicles at FE Warren AFB." +113492,679380,MASSACHUSETTS,2017,March,High Wind,"SOUTHERN BERKSHIRE",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Some of the downed trees and power lines resulted in road closures.","" +113492,679381,MASSACHUSETTS,2017,March,Strong Wind,"NORTHERN BERKSHIRE",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 30 to 45 mph were common across the region. Some of the downed trees and power lines resulted in road closures.","" +113493,679384,NEW YORK,2017,March,High Wind,"SOUTHERN HERKIMER",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +118604,717111,INDIANA,2017,July,Thunderstorm Wind,"KNOX",2017-07-13 18:45:00,EST-5,2017-07-13 18:45:00,0,0,0,0,1.00K,1000,,NaN,38.7656,-87.4625,38.7656,-87.4625,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Flooding and strong thunderstorm wind gusts occurred on the north side of Indianapolis during this period. Damaging thunderstorm wind gusts was noted in Knox County.","A tree was down on Camp Arthur Road near Ford Road due to damaging thunderstorm wind gusts." +120347,721382,GEORGIA,2017,September,Tropical Storm,"DOOLY",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. The Welcome to Unadilla sign was blown down in Unadilla. A wind gust of 45 mph was measured near the Flint River Wildlife Management Area. Much of the county was without electricity for varying periods of time. Radar estimated between 1.5 and 3 inches of rain fell across the county with 2.87 inches measured near Byromville. No injuries were reported." +117743,707966,ARIZONA,2017,July,Lightning,"MOHAVE",2017-07-22 15:25:00,MST-7,2017-07-22 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,36.9147,-112.9303,36.9147,-112.9303,"An isolated storm on the Arizona Strip caused damage.","Lightning struck and set fire to two power poles, starting a fire that burned 1.5 acres and knocking out power to two communities for 6.5 hours." +117742,707959,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-17 13:24:00,PST-8,2017-07-17 14:15:00,0,0,0,0,50.00K,50000,0.00K,0,35.8877,-115.1292,36.0412,-115.2434,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Approximately 20 trees were blown down, two road signs were damaged, a brick wall and a fence were destroyed, and a wooden structure was destroyed." +118035,709575,NEVADA,2017,July,Flash Flood,"LINCOLN",2017-07-24 18:20:00,PST-8,2017-07-24 21:00:00,0,0,0,0,50.00K,50000,0.00K,0,37.8852,-114.4824,37.909,-114.505,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Water, rocks, and debris flowed over Highway 93 and many secondary roads in Pioche, and roads in Caselton were damaged by flooding." +118035,709576,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-25 06:51:00,PST-8,2017-07-25 08:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.6072,-114.475,36.607,-114.475,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","The intersection of Lyman Street and Bert Circle was flooded and closed." +118035,709577,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-25 06:56:00,PST-8,2017-07-25 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.3248,-115.297,36.3292,-115.2971,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Water 1.5 to two feet deep ran through the streets of the Elk Ridge subdivision, and debris washed onto Maggie Road." +118035,709578,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-25 10:21:00,PST-8,2017-07-25 12:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.5033,-115.0749,35.4559,-114.9263,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Nipton Road was closed in both directions near Searchlight, and Cottonwood Cove Road was closed due to extensive flooding." +113851,681794,MICHIGAN,2017,February,Winter Storm,"MARQUETTE",2017-02-07 05:00:00,EST-5,2017-02-08 07:00:00,0,2,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking from near Chicago across northern Lower Michigan dropped moderate to heavy lake enhanced snow across much of the northern tier of Upper Michigan from the 7th into the 8th.","The meteorologist at WJMN TV-3 estimated around one foot of lake enhanced snow fell over a 15-hour period in the higher terrain of Skandia Township. There was also a report of one foot of snow at Big Bay over the same time period. Nine inches of snow fell at Ishpeming and Negaunee over the 24-hour period ending on the morning of the 8th. Schools were closed throughout the county on the 8th. The snow packed and slippery roadways led to several accidents including a fatal accident in Marquette." +119732,718094,WASHINGTON,2017,July,Wildfire,"CASCADES OF WHATCOM AND SKAGIT COUNTIES",2017-07-30 13:00:00,PST-8,2017-07-31 23:00:00,0,0,0,0,2.30M,2300000,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started 10 miles NE of Darrington on the Sauk-Suiattle Indian Reservation on July 30th. No structures were lost thanks to fire suppression efforts. The fire burned 216 acres and was permitted to burn itself out by early September after moving into more isolated areas.","A wildfire started 10 miles NE of Darrington on the Sauk-Suiattle Indian Reservation on July 30th. No structures were lost thanks to fire suppression efforts. The fire burned 216 acres and was permitted to burn itself out by early September after moving into more isolated areas." +118595,714003,INDIANA,2017,July,Hail,"HAMILTON",2017-07-07 14:56:00,EST-5,2017-07-07 15:00:00,0,0,0,0,,NaN,,NaN,40.1234,-86.0375,40.1234,-86.0375,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","There was sparse coverage of pea-sized hail with a few larger ones, near penny size, mixed in for 4 minutes at Toll Gate Road and 231st Street." +118595,714004,INDIANA,2017,July,Hail,"HAMILTON",2017-07-07 15:03:00,EST-5,2017-07-07 15:05:00,0,0,0,0,,NaN,,NaN,40.13,-86.02,40.13,-86.02,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Rainfall of 0.95 inches of rain fell in 25 minutes." +118595,714006,INDIANA,2017,July,Hail,"MORGAN",2017-07-07 15:50:00,EST-5,2017-07-07 16:00:00,0,0,0,0,15.00K,15000,,NaN,39.4,-86.54,39.4,-86.54,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Trees were also downed by the damaging thunderstorm wind gust. Windshields were broken by the hail. The hail continued for 10 to 15 minutes." +118595,714010,INDIANA,2017,July,Hail,"MORGAN",2017-07-07 16:03:00,EST-5,2017-07-07 16:05:00,0,0,0,0,,NaN,,NaN,39.37,-86.48,39.37,-86.48,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Power outages were also reported." +118595,714012,INDIANA,2017,July,Hail,"MONROE",2017-07-07 16:07:00,EST-5,2017-07-07 16:09:00,0,0,0,0,,NaN,,NaN,39.23,-86.42,39.23,-86.42,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","" +118595,714013,INDIANA,2017,July,Hail,"MONROE",2017-07-07 16:17:00,EST-5,2017-07-07 16:19:00,0,0,0,0,,NaN,,NaN,39.23,-86.42,39.23,-86.42,"Thunderstorms developed as a cold front interacted with warm and humid air. Some of the storms became severe, producing large hail along with damaging winds.","Hail of quarter size or larger is falling once again." +120347,721383,GEORGIA,2017,September,Tropical Storm,"SUMTER",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Sumter County Emergency Manager reported hundreds of trees and power lines blown down across the county. A wind gust of 53 mph was measured near New Era. Radar estimated between 2 and 3 inches of rain fell across the county with 2.95 inches measured near Croxton Crossroads. No injuries were reported." +118640,712955,WISCONSIN,2017,July,Strong Wind,"SAUK",2017-07-19 19:45:00,CST-6,2017-07-19 20:30:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Wake low wind gusts downing tree branches." +120213,720293,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 16:00:00,MST-7,2017-06-12 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.1035,-104.3406,41.1035,-104.3406,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Ping pong ball size hail covered the ground four miles north-northeast of Carpenter." +120213,721487,WYOMING,2017,June,Hail,"CONVERSE",2017-06-12 16:05:00,MST-7,2017-06-12 16:08:00,0,0,0,0,0.00K,0,0.00K,0,42.6442,-105.38,42.6442,-105.38,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Softball size hail was observed eight miles of Douglas." +120213,721642,WYOMING,2017,June,Tornado,"CONVERSE",2017-06-12 15:49:00,MST-7,2017-06-12 15:49:00,0,0,0,0,,NaN,,NaN,42.5793,-105.7104,42.5793,-105.7104,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A brief tornado spin-up occurred along Cold Springs Road southwest of Douglas. An outbuilding was completely destroyed (DI 1, DOD 8)." +120213,721620,WYOMING,2017,June,Tornado,"LARAMIE",2017-06-12 16:05:00,MST-7,2017-06-12 16:12:00,0,0,0,0,,NaN,,NaN,41.0296,-104.1333,41.0482,-104.1181,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A short-lived tornado touched down just north of the Colorado state line to the southwest of Pine Bluffs along County Road 161. It was on the ground for approximately 4-7 minutes. A fifth-wheel horse trailer was lofted into the air for 50 yards sustaining significant damage. A small farm outbuilding was also destroyed (DI 1, DOD 7)." +122105,731115,NEW YORK,2017,December,Lake-Effect Snow,"CATTARAUGUS",2017-12-11 23:00:00,EST-5,2017-12-13 13:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122105,731116,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-11 23:00:00,EST-5,2017-12-13 09:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A general snow across the region was enhanced by the Great Lakes before transitioning to lake effect snow bands east and southeast of the lakes.|Off Lake Erie, lake effect snow was enhanced by upslope flow along the Chautauqua Ridge in Chautauqua County, the Boston Hills of southern Erie County, and the higher terrain of Wyoming County. There was also a strong upstream connection to Lake Huron at times Tuesday night, which focused primarily on Chautauqua County. The lake effect snow taper off and ended by late Wednesday. Specific snowfall reports included: 17 inches at Perrsyburg; 16 inches at Colden and Sardinia; 14 inches at Findley Lake; 13 inches at Forestville; 12 inches at Little Valley, Glenwood, Rochester and Mayville; 11 inches at Webster; 10 inches at Randolph and Jamestown; 9 inches at Rochester Airport; and 8 inches at Brockport, Warsaw, Allegany and Frewsburg.|Off Lake Ontario, synoptic snow became lake enhanced on Tuesday and Tuesday night, before transitioning to purely lake effect snow by late Tuesday night through Wednesday. A robust lake effect snow plume was centered on the Tug Hill under a westerly flow with snowfall rates exceeding 2 inches per hour. Overnight, winds became northwest and pushed this band to the south, breaking it apart into multi-bands on a northwest flow. The impacts late Tuesday night into Wednesday were primarily from Wayne County east through Oswego County, with an upstream connection to the Georgian Bay at times. The lake effect snow ended Wednesday night. Snowfall amounts were generally highest toward the southeast corner of Lake Ontario, which saw the most persistent lake enhancement of snowfall. Specific snowfall reports included: 30 inches at Redfield; 21 inches at Lacona; 19 inches at Osceola and Pulaski; 18 inches at Constableville and Fulton; 16 inches at Lorraine; 15 inches at Hooker; 14 inches at Mannsville; 13 inches at Palermo; 12 inches at Carthage and Conquest; 11 inches at Minetto, Sodus, Marion, Highmarket and Port Leyden; 10 inches at Watertown; 9 inches at Walworth; and 8 inches at Redwood.","" +122143,731117,NEW YORK,2017,December,Lake-Effect Snow,"OSWEGO",2017-12-15 23:00:00,EST-5,2017-12-16 13:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122143,731118,NEW YORK,2017,December,Lake-Effect Snow,"LEWIS",2017-12-15 23:00:00,EST-5,2017-12-16 13:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122143,731119,NEW YORK,2017,December,Lake-Effect Snow,"CHAUTAUQUA",2017-12-15 23:00:00,EST-5,2017-12-16 15:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122143,731120,NEW YORK,2017,December,Lake-Effect Snow,"CATTARAUGUS",2017-12-15 23:00:00,EST-5,2017-12-16 15:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122143,731121,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-15 17:30:00,EST-5,2017-12-15 23:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122143,731122,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-15 17:30:00,EST-5,2017-12-16 15:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Cold air crossing the relatively warm waters of Lakes Erie and Ontario resulted in lake effect snows. |Off Lake Erie, lake snows developed on a southerly flow across the Niagara Peninsula. The band settled southeastward through the Buffalo Metro area during peak rush hour, between 5pm and 7pm, on Friday evening, while producing high snowfall rates of 3 to 4 inches per hour and thunder and lightning. While this made for a slow going commute, impacts were limited by the southward movement of the band keeping any one area from being impacted for much longer than an hour. By 8pm to 9pm, the band of heavy snow had completely cleared the Buffalo Metro area, skipping over the Southtowns very quickly, where it settled into the western Southern Tier. For the remainder of Friday night and into Saturday, the lake effect snow broke into more multi-banded structure with the westerly flow directing the snow across the western Southern Tier. By Saturday night and into Sunday drying air with high pressure building into the region brought an end to the lake effect snow. The highest snowfall totals were centered over the typical snowbelt locations along the Chautauqua Ridge to the Boston Hills and into western Wyoming County. Specific snowfall reports included: 18 inches at Perrysburg; 15 inches at Little Valley and Fredonia; 14 inches at Cattaraugus, Glenwood and Springville; 12 inches at Franklinville, Colden and Dunkirk; 11 inches at Randolph; 9 inches at Silver Creek; and 8 inches at Ischua and East Aurora.|Off Lake Ontario, disorganized lake snows began over the Thousand Islands region and continued until late Friday evening. As winds veered to west-northwest, an intensifying band of heavy lake effect snow quickly whipped through Jefferson County, producing a quick inch of snowfall for much of the County. The band of heavy lake effect snow settled over the southern Tug Hill late Friday night through early Saturday morning producing snowfall rates over 3 inches per hour. A secondary front dropped across Lake Ontario on Saturday, pushing the band south along the southern Lake Ontario shoreline and across south-central Oswego County then weakened through Sunday afternoon. Specific snowfall reports included: 27 inches at Constableville; 26 inches at Highmarket; 20 inches at Osceola; 17 inches at Redfield; 15 inches at Pulaski; 14 inches at Port Leyden; and 12 inches at Lacona.","" +122108,731131,NEW YORK,2017,December,Lake-Effect Snow,"CHAUTAUQUA",2017-12-29 14:00:00,EST-5,2017-12-30 21:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731132,NEW YORK,2017,December,Lake-Effect Snow,"CATTARAUGUS",2017-12-29 14:00:00,EST-5,2017-12-30 21:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731133,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-29 14:00:00,EST-5,2017-12-30 21:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731134,NEW YORK,2017,December,Lake-Effect Snow,"MONROE",2017-12-29 15:00:00,EST-5,2017-12-31 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731135,NEW YORK,2017,December,Lake-Effect Snow,"WAYNE",2017-12-29 15:00:00,EST-5,2017-12-31 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731136,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN CAYUGA",2017-12-29 15:00:00,EST-5,2017-12-31 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +122108,731137,NEW YORK,2017,December,Lake-Effect Snow,"OSWEGO",2017-12-29 15:00:00,EST-5,2017-12-31 08:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Tea kettle bands of lake effect snow developed offshore over Lake Erie and Lake Ontario for an extended period of time prior to moving onshore, first on Lake Erie and eventually on Lake Ontario. An arctic front then moved south across the region on the evening of the 30th, with winds becoming northwest for the second half of this event.|Off Lake Erie, the tea kettle lake effect snow moved onshore from Ripley all the way to South Buffalo. The heavy snow did not last long in the Buffalo Metro area, dropping a few inches during the late afternoon. A band of heavy lake effect snow locked in for a much longer period of time along the Chautauqua County shoreline and extending into southwest Erie County and the Boston Hills. Snowfall rates reached two to three inches per hour at times. The lake effect snow weakened some overnight on the 29th through the 30th on westerly winds, with several bands of moderate snow meandering across the western Southern Tier and far southern Erie County. The lake effect snow came to an end by early evening on the 30th. Specific snowfall reports included: 22 inches at Eden; 18 inches at Perrysburg and Forestville; 15 inches at Colden; 12 inches at Boston, Springville, Portland, Fredonia and Silver Creek; 9 inches at Glenwood and Hamburg; and 8 inches at Dunkirk.|Off Lake Ontario, the tea kettle lake effect snow moved onshore across western Jefferson County on the afternoon of the 30th. The band continued to intensify during the late afternoon, and moved onshore again from Sodus Bay to Fair Haven and southwest Oswego County producing snowfall rates of around three inches per hour. By early evening, the entire band moved onshore as an arctic front crossed the lake. In the wake of this front, northwest winds resulted in multiple bands of lake effect snow south and southeast of Lake Ontario from late evening on the 30th through the morning of the 31st from Niagara to Oswego counties. The lake effect snow diminished to flurries and light snow showers by midday on the 31st. Specific snowfall reports included: 13 inches at Sterling and Minetto; 12 inches at Hilton; 11 inches at Wolcott and Fulton; 10 inches at Brockport, Sodus and Oswego; 9 inches at Fulton; and 8 inches at Greece and Walworth.","" +121735,728672,NEBRASKA,2017,December,Heavy Snow,"DEUEL",2017-12-23 12:00:00,MST-7,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across Deuel and Perkins County during the afternoon and evening hours on December 24th. Although winds remained light during the event, total snowfall accumulations of 6 to 8 inches occurred. A locally higher amount near 12 inches was reported near Grainton, in eastern Perkins County.","A Cooperative observer near Big Springs reported a storm total snowfall of 6.5 inches. Snowfall amounts range from 6 to 8 inches across Deuel County." +120928,723983,NEW JERSEY,2017,December,Winter Weather,"MERCER",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 5 to 6 inches across the county." +120928,723984,NEW JERSEY,2017,December,Winter Weather,"MIDDLESEX",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 5 to 6 inches across the county." +120209,720247,TENNESSEE,2017,September,High Wind,"SEVIER/SMOKY MOUNTAINS",2017-09-11 23:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The weakening tropical system that was once Irma moved inland through the Deep South across the Western part of Tennessee generating a period of strong and gusty wind. A few trees were reported down with the passage of the low.","A gust to 66 mph was recorded at the Clingmans Dome tower." +120928,723985,NEW JERSEY,2017,December,Winter Weather,"MORRIS",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 3.5 inches to 4.5 inches across the county." +120928,723986,NEW JERSEY,2017,December,Winter Weather,"NORTHWESTERN BURLINGTON",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 4 to 5 inches across the northwest portions of the county." +120928,723987,NEW JERSEY,2017,December,Winter Weather,"SALEM",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall totals ranged from 3-4 inches across the county." +120928,723988,NEW JERSEY,2017,December,Winter Weather,"SOUTHEASTERN BURLINGTON",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 3-4 inches across southeastern portions of the county." +117779,717769,MINNESOTA,2017,August,Funnel Cloud,"SIBLEY",2017-08-16 18:20:00,CST-6,2017-08-16 18:21:00,0,0,0,0,0.00K,0,0.00K,0,44.6983,-94.5015,44.7028,-94.5086,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A storm chaser filmed a separate funnel cloud prior to a tornado at 1821 CST. The funnel might have touched down, but it was not possible to determine this." +119798,718350,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"JASPER",2017-09-01 15:25:00,EST-5,2017-09-01 15:26:00,0,0,0,0,,NaN,0.00K,0,32.32,-81.09,32.32,-81.09,"An area of thunderstorms developed in the afternoon hours across southeast Georgia and progressed into southeast South Carolina. These thunderstorms formed in a warm and unstable airmass around the periphery of the remnants of Tropical Cyclone Harvey as it moved across the Tennessee Valley. A few of these thunderstorms became strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down on Highway 321 near the intersection with Honey Hill Road." +120928,723992,NEW JERSEY,2017,December,Winter Weather,"WESTERN CAPE MAY",2017-12-08 20:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Around three inches of snow fell throughout the county." +119798,718354,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"DORCHESTER",2017-09-01 16:38:00,EST-5,2017-09-01 16:39:00,0,0,0,0,,NaN,0.00K,0,33.07,-80.25,33.07,-80.25,"An area of thunderstorms developed in the afternoon hours across southeast Georgia and progressed into southeast South Carolina. These thunderstorms formed in a warm and unstable airmass around the periphery of the remnants of Tropical Cyclone Harvey as it moved across the Tennessee Valley. A few of these thunderstorms became strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down on Dawson Branch Road near the intersection with Highway 78." +119800,718357,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-09-02 02:09:00,EST-5,2017-09-02 02:12:00,0,0,0,0,,NaN,0.00K,0,32.0228,-80.8437,32.0228,-80.8437,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site on the north end of Tybee Island measured a 36 knot wind gust." +119800,718358,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-09-02 02:45:00,EST-5,2017-09-02 02:48:00,0,0,0,0,,NaN,0.00K,0,32.313,-80.486,32.313,-80.486,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","A public weather station located on Fripp Island measured a 35 knot wind gust." +120928,723993,NEW JERSEY,2017,December,Winter Weather,"WESTERN MONMOUTH",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 4 to 5.5 inches across the county." +120928,723994,NEW JERSEY,2017,December,Winter Weather,"WESTERN OCEAN",2017-12-09 10:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the state on the afternoon and evening hours of December 10th. Locations along the coast were warm enough to mix with sleet and rain. Snow accumulated on the order of 3-6 inches for much of the state with the lower end totals across the coastal sections and southwest New Jersey.","Snowfall ranged from 3-5.5 inches across the county." +118919,714394,LOUISIANA,2017,September,Hail,"CADDO",2017-09-05 16:53:00,CST-6,2017-09-05 16:53:00,0,0,0,0,0.00K,0,0.00K,0,32.69,-93.96,32.69,-93.96,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","Quarter size hail fell in Mooringsport." +118919,714395,LOUISIANA,2017,September,Thunderstorm Wind,"UNION",2017-09-05 17:05:00,CST-6,2017-09-05 17:05:00,0,0,0,0,0.00K,0,0.00K,0,32.6705,-92.3704,32.6705,-92.3704,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","Trees and power lines were blown down on Moseley Bluff Road near Highway 15 near the Boy Scout Camp." +118919,714396,LOUISIANA,2017,September,Thunderstorm Wind,"UNION",2017-09-05 17:15:00,CST-6,2017-09-05 17:15:00,0,0,0,0,0.00K,0,0.00K,0,32.7148,-92.2351,32.7148,-92.2351,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","A tree was blown down on Hodge Road." +120565,722282,TEXAS,2017,September,Hail,"MONTAGUE",2017-09-17 14:26:00,CST-6,2017-09-17 14:26:00,0,0,0,0,0.00K,0,0.00K,0,33.8592,-97.7237,33.8592,-97.7237,"A stationary front draped across Northwest Texas served as a focus for isolated thunderstorms across the northwestern-most portions of North Texas.","Fire and Rescue reported hail ranging from 0.75 to 1.5 inches in diameter." +119858,718608,TEXAS,2017,September,Hail,"HOWARD",2017-09-18 20:00:00,CST-6,2017-09-18 20:15:00,0,0,0,0,,NaN,,NaN,32.3821,-101.4739,32.3821,-101.4739,"There was a weak ridge over the region with good moisture across the area. Temperatures were above normal which allowed for more instability. These conditions allowed for storms with large hail and strong winds to develop across West Texas.","" +119884,718636,NEW MEXICO,2017,September,Hail,"EDDY",2017-09-23 17:15:00,MST-7,2017-09-23 17:20:00,0,0,0,0,3.00K,3000,,NaN,32.0472,-104.515,32.0472,-104.515,"An upper trough was over Nevada and Idaho and was moving eastward. This trough provided lift, and there was a plethora of moisture across the area. These conditions resulted in thunderstorms with large hail.","A thunderstorm moved across Eddy County and produced hail damage twelve miles southwest of Whites City. The hail broke windows on four vehicles, a bedroom window and a skylight on a home, and tail lights and running lights on a camper. The cost of damage is a very rough estimate." +119885,718654,TEXAS,2017,September,Hail,"CULBERSON",2017-09-23 18:15:00,CST-6,2017-09-23 18:20:00,0,0,0,0,,NaN,,NaN,31.8471,-104.2216,31.8471,-104.2216,"An upper trough was over Nevada and Idaho and was moving eastward. This trough provided lift, and there was a plethora of moisture across the area. These conditions resulted in thunderstorms with large hail and strong winds.","" +119885,718668,TEXAS,2017,September,Thunderstorm Wind,"REEVES",2017-09-23 20:23:00,CST-6,2017-09-23 20:23:00,0,0,0,0,,NaN,,NaN,31.82,-103.9,31.82,-103.9,"An upper trough was over Nevada and Idaho and was moving eastward. This trough provided lift, and there was a plethora of moisture across the area. These conditions resulted in thunderstorms with large hail and strong winds.","A thunderstorm moved across Reeves County and produced a 60 mph wind gust and pea sized hail in Orla." +119997,719090,TEXAS,2017,September,Thunderstorm Wind,"ANDREWS",2017-09-25 16:50:00,CST-6,2017-09-25 16:51:00,0,0,0,0,6.00K,6000,,NaN,32.2042,-102.55,32.2042,-102.55,"An upper level trough was over southeast Montana, and a cold front was in the Texas Panhandle moving south towards the area. Good low-level moisture and upper lift combined with an unstable atmosphere across West Texas. These conditions resulted in thunderstorms developing with damaging winds and flash flooding.","A thunderstorm moved across Andrews County and produced wind damage eight miles south of the City of Andrews. A few telephone poles were blown down. The cost of damage is a very rough estimate." +119997,719091,TEXAS,2017,September,Hail,"ANDREWS",2017-09-25 16:50:00,CST-6,2017-09-25 16:55:00,0,0,0,0,,NaN,,NaN,32.2042,-102.55,32.2042,-102.55,"An upper level trough was over southeast Montana, and a cold front was in the Texas Panhandle moving south towards the area. Good low-level moisture and upper lift combined with an unstable atmosphere across West Texas. These conditions resulted in thunderstorms developing with damaging winds and flash flooding.","" +119997,719092,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-25 19:39:00,CST-6,2017-09-25 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,31.9706,-102.1279,31.971,-102.1281,"An upper level trough was over southeast Montana, and a cold front was in the Texas Panhandle moving south towards the area. Good low-level moisture and upper lift combined with an unstable atmosphere across West Texas. These conditions resulted in thunderstorms developing with damaging winds and flash flooding.","Heavy rain fell across Midland County and produced flash flooding in the City of Midland. There was a vehicle stalled in high water at the intersection of Midland Drive and Seminole Drive. The cost of damage is a very rough estimate." +119692,717908,HAWAII,2017,September,Heavy Rain,"HAWAII",2017-09-09 18:53:00,HST-10,2017-09-09 21:16:00,0,0,0,0,0.00K,0,0.00K,0,19.8521,-155.8397,19.4939,-155.8699,"Evening showers fell over parts of leeward Big Island. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. There were no reports of significant property damage or injuries.","" +119695,717916,HAWAII,2017,September,Heavy Rain,"HAWAII",2017-09-23 20:43:00,HST-10,2017-09-23 22:43:00,0,0,0,0,0.00K,0,0.00K,0,19.9128,-155.8191,20.0638,-155.7202,"An area of heavy showers developed over leeward Kohala on the Big Island of Hawaii. The precipitation caused ponding on roadways, and small stream and drainage ditch flooding. No significant property damage or injuries were reported.","" +119696,717917,HAWAII,2017,September,Drought,"MOLOKAI LEEWARD",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119696,717918,HAWAII,2017,September,Drought,"LEEWARD HALEAKALA",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119696,717919,HAWAII,2017,September,Drought,"SOUTH BIG ISLAND",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119696,717920,HAWAII,2017,September,Drought,"BIG ISLAND NORTH AND EAST",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119696,717921,HAWAII,2017,September,Drought,"KOHALA",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119696,717922,HAWAII,2017,September,Drought,"BIG ISLAND INTERIOR",2017-09-01 00:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of Hawaii. Most areas were in the D2 category of severe drought, but small areas of the Big Island were D3, or extreme drought.","" +119697,717923,HAWAII,2017,September,Drought,"MAUI CENTRAL VALLEY",2017-09-12 02:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions developed over a small area in Maui's Central Valley. Severe drought, or the D2 level, was the result.","" +120854,723600,HAWAII,2017,September,Drought,"KAUAI LEEWARD",2017-09-26 02:00:00,HST-10,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A small portion of leeward Kauai, lacking sustaining rainfall, deteriorated to the D2 status of severe drought in the Drought Monitor.","" +120030,719302,WEST VIRGINIA,2017,September,Hail,"MORGAN",2017-09-05 14:00:00,EST-5,2017-09-05 14:00:00,0,0,0,0,,NaN,,NaN,39.4951,-78.2897,39.4951,-78.2897,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Quarter sized hail was reported." +118670,712913,NEVADA,2017,September,Thunderstorm Wind,"WHITE PINE",2017-09-06 13:45:00,PST-8,2017-09-06 13:50:00,0,0,0,0,,NaN,0.00K,0,39.02,-114.13,39.02,-114.13,"Thunderstorm winds downed power lines in Baker.","Thunderstorm winds knocked down power lines in Baker. Power was out through the night." +121149,726676,ALABAMA,2017,December,Thunderstorm Wind,"LAUDERDALE",2017-12-23 06:01:00,CST-6,2017-12-23 06:01:00,0,0,0,0,2.00K,2000,0.00K,0,34.92,-88.04,34.92,-88.04,"A fast-moving line of showers and thunderstorms pushed through north Alabama from west to east during the early morning hours of the 23rd. Damaging winds snapped a power pole. There were also reports of trees knocked down.","A few trees were knocked down on CR 14 east of Waterloo. Time estimated by radar." +118892,714262,NEBRASKA,2017,September,Hail,"CHEYENNE",2017-09-15 23:21:00,MST-7,2017-09-15 23:25:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-102.98,41.15,-102.98,"Thunderstorms produced large hail over Cheyenne and Kimball counties.","Quarter size hail was observed at Sidney." +118892,714263,NEBRASKA,2017,September,Hail,"CHEYENNE",2017-09-15 23:25:00,MST-7,2017-09-15 23:28:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-102.98,41.15,-102.98,"Thunderstorms produced large hail over Cheyenne and Kimball counties.","Half dollar size hail was observed at Sidney." +118892,714264,NEBRASKA,2017,September,Hail,"CHEYENNE",2017-09-15 23:50:00,MST-7,2017-09-15 23:55:00,0,0,0,0,0.00K,0,0.00K,0,41.2658,-102.64,41.2658,-102.64,"Thunderstorms produced large hail over Cheyenne and Kimball counties.","Quarter size hail covered the ground north of Lodgepole." +118622,714265,PENNSYLVANIA,2017,September,Thunderstorm Wind,"MCKEAN",2017-09-04 23:05:00,EST-5,2017-09-04 23:05:00,0,0,0,0,4.00K,4000,0.00K,0,41.9637,-78.645,41.9637,-78.645,"A cold front approaching from the Great Lakes triggered a line of showers and thunderstorms that pushed into northwestern Pennsylvania during the late evening hours of September 4, 2017. The line was weakening with the loss of heating, but not before producing a handful of wind damage reports in Warren and McKean counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Bradford." +119009,714813,ARIZONA,2017,September,Heavy Rain,"YUMA",2017-09-08 16:00:00,MST-7,2017-09-08 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.68,-114.65,32.68,-114.65,"Scattered thunderstorms developed in the Yuma area during the afternoon hours on September 8th and they brought typical albeit somewhat garden-variety hazards to the area. Moderate hail, heavy rain and gusty and damaging winds were all present; strong storms in Somerton produced hail with a diameter of one half inch and heavy rain in west Yuma led to street flooding. One of the strongest storms produced damaging microburst winds that downed 9 power poles at the Yuma Palms Mall and some people were trapped in their cars due to the downed poles. This occurred at 1545MST. At roughly the same time, and about one mile further east, multiple trees were reported downed as well. No injuries were reported fortunately. A Severe Thunderstorm Warning was issued shortly thereafter, at 1607MST.","Scattered thunderstorms developed across the community of Yuma during the afternoon hours on September 8th, and some of the stronger storms produced locally heavy rainfall that led to an episode of street flooding in town. Rainfall rates and amounts were not extreme and flash flooding did not occur. However, at 1640MST a trained spotter reported that streets were flooded on 24th Street and Avenue B in Yuma. The street flooding presented hazardous driving conditions to motorists during the rush hour in Yuma but fortunately no accidents were reported." +119014,714859,CALIFORNIA,2017,September,Flash Flood,"IMPERIAL",2017-09-08 13:15:00,PST-8,2017-09-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.7957,-115.3377,32.7994,-115.3616,"A long north to south oriented line of thunderstorms developed during the early afternoon hours on September 8th; it ran from the Baja spine northward through central Imperial County and into eastern Riverside County. The individual storms moved rather quickly to the north and most of the storms in the line were very strong, producing gusty damaging microburst winds along with intense rainfall which led to multiple episodes of flash flooding. Much of the damage and flooding occurred from the Imperial Valley south to the Mexican border. For example, just north of the Mexican border and east of Calexico, 23 power poles were downed on Carr Road. Further north, in the town of Calipatria, 23 power poles were downed on Young Road at about 1300PST. Flash flooding occurred in the vicinity of the town of Holtville; about 4 miles west of town a canal was breached resulting in the flooding of nearby homes. Multiple Flash Flood and Severe Thunderstorm Warnings were issued during the afternoon.","Scattered to numerous thunderstorms developed across the central portion of Imperial County during the afternoon hours and some of the storms produced very heavy rainfall with peak rain rates in excess of 2 inches per hour. The intense rains led to episodes of flash flooding, some of which affected the Imperial Valley and areas around the town of Holtville. According to the California Highway Patrol, at 1358PST, flash flooding occurred about 2 miles southeast of Holtville, to the northeast of Bonds Corner Road. No injuries were reported. A Flash Flood Warning was in effect at the time of the flooding." +119034,714963,TEXAS,2017,September,Thunderstorm Wind,"HALE",2017-09-17 17:30:00,CST-6,2017-09-17 17:30:00,0,0,0,0,100.00K,100000,0.00K,0,33.87,-101.6,33.87,-101.6,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","Downburst winds around 80 mph lofted the roof from the Allsup's convenience store in Petersburg. The roof landed on an adjacent mobile home, causing moderate damage to the residence. Much of the store suffered water damage from the ensuing heavy rainfall." +119034,714972,TEXAS,2017,September,Thunderstorm Wind,"DICKENS",2017-09-17 18:21:00,CST-6,2017-09-17 18:21:00,0,0,0,0,5.00K,5000,0.00K,0,33.73,-101.01,33.73,-101.01,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","The Floyd County Emergency Manager relayed a report from a fire department member in McAdoo who lost a corner of their home's roof during intense straight line winds." +119034,714974,TEXAS,2017,September,Thunderstorm Wind,"FLOYD",2017-09-17 20:20:00,CST-6,2017-09-17 20:20:00,0,0,0,0,0.00K,0,0.00K,0,34,-101.33,34,-101.33,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","Measured by a Texas Tech University West Texas mesonet." +119034,715373,TEXAS,2017,September,Hail,"BAILEY",2017-09-17 15:25:00,CST-6,2017-09-17 15:35:00,0,0,0,0,300.00K,300000,1.00M,1000000,33.9222,-102.7295,33.92,-102.6151,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","Broadcast media relayed damage photos of a significant hailstorm that struck the community of Bula. Wind-driven hail as large as baseballs pummeled crops and caused extensive damage to siding, windows and roofs to dozens of buildings in the area." +119335,716460,OREGON,2017,September,Wildfire,"CENTRAL DOUGLAS COUNTY",2017-09-01 00:00:00,PST-8,2017-09-25 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Horse Prairie wildfire started around 3:30 PM on 08/26/17. The cause was unknown. As of the last report 03:30 PST on 09/25/17, the fire covered 16436 acres and was 95 percent contained. 16.3 million dollars had been spent on firefighting efforts.","The Horse Prairie wildfire started around 3:30 PM on 08/26/17. The cause was unknown. As of the last report 03:30 PST on 09/25/17, the fire covered 16436 acres and was 95 percent contained. 16.3 million dollars had been spent on firefighting efforts." +121689,728404,WYOMING,2017,December,Winter Storm,"STAR VALLEY",2017-12-24 22:00:00,MST-7,2017-12-25 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved into western Wyoming and brought locally heavy snow. The highest amounts were recorded in the Tetons and Salt and Wyoming Range where up to 15 inches of snow fell. Heavy snow also fell in portions of the Star Valley where 8 inches of snow was measured.","Around 5 miles south-southeast of Smoot, 8 inches of snow was measured." +119454,717087,MISSISSIPPI,2017,September,Thunderstorm Wind,"SMITH",2017-09-23 16:41:00,CST-6,2017-09-23 16:41:00,0,0,0,0,0.50K,500,0.00K,0,32.0653,-89.4108,32.0653,-89.4108,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","A six inch diameter tree was snapped near CR 128." +119454,717089,MISSISSIPPI,2017,September,Thunderstorm Wind,"LAMAR",2017-09-23 17:10:00,CST-6,2017-09-23 17:10:00,0,0,0,0,20.00K,20000,0.00K,0,31.1374,-89.4059,31.1374,-89.4059,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","Several sections of an awning were damaged at Purvis High School." +119454,717093,MISSISSIPPI,2017,September,Thunderstorm Wind,"LAMAR",2017-09-23 17:20:00,CST-6,2017-09-23 17:20:00,0,0,0,0,20.00K,20000,0.00K,0,31.11,-89.47,31.11,-89.47,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","A power pole was blown down along Little Black Creek Road southwest of Purvis. Several trees were also blown down in the surrounding area between Purvis and Baxterville." +119454,717090,MISSISSIPPI,2017,September,Lightning,"COVINGTON",2017-09-23 17:10:00,CST-6,2017-09-23 17:10:00,0,0,0,0,15.00K,15000,0.00K,0,31.6315,-89.472,31.6315,-89.472,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","Lightning started a fire in a stand of trees near MS Highway 588 and Abercrombie-Knight Road northeast of Seminary." +119454,717094,MISSISSIPPI,2017,September,Thunderstorm Wind,"COVINGTON",2017-09-23 17:45:00,CST-6,2017-09-23 17:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.6794,-89.5559,31.6794,-89.5559,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","A few trees were blown down along Salem Church Road north of Collins." +119356,716496,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-09-22 11:00:00,EST-5,2017-09-22 11:05:00,0,0,0,0,0.00K,0,0.00K,0,47.4,-89.7,47.4,-89.7,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Measured wind gust from the Charles M. Beeghly, WL3108." +119356,716499,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"POINT ISABELLE TO LOWER ENTRANCE OF PORTAGE CANAL MI",2017-09-22 10:40:00,EST-5,2017-09-22 10:45:00,0,0,0,0,0.00K,0,0.00K,0,47.19,-88.23,47.19,-88.23,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Nickel to quarter size hail was also reported nearby in Keweenaw Bay and 6 miles SW of Gay, Michigan. The recorded wind gust was measured at the buoy, GTRMU." +119356,716500,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-09-22 11:50:00,EST-5,2017-09-22 11:55:00,0,0,0,0,0.00K,0,0.00K,0,46.721,-87.412,46.721,-87.412,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Measured wind gust occurred at Granite Island, GRIM4." +119356,716505,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"MARQUETTE TO MUNISING MI",2017-09-22 12:57:00,EST-5,2017-09-22 13:02:00,0,0,0,0,0.00K,0,0.00K,0,46.42,-86.66,46.42,-86.66,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Wind gust measured at Munising ASOS, KP53." +119356,716506,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"MUNISING TO GRAND MARAIS MI",2017-09-22 13:01:00,EST-5,2017-09-22 13:06:00,0,0,0,0,0.00K,0,0.00K,0,46.41,-86.65,46.41,-86.65,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Wind gust measured at Munising ASOS, KP53." +119360,716512,MICHIGAN,2017,September,Hail,"HOUGHTON",2017-09-22 10:37:00,EST-5,2017-09-22 10:40:00,0,0,0,0,0.00K,0,0.00K,0,47.23,-88.45,47.23,-88.45,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","A trained spotter in Laurium reported hail up to the size of quarters." +119360,716509,MICHIGAN,2017,September,Thunderstorm Wind,"GOGEBIC",2017-09-22 10:10:00,CST-6,2017-09-22 10:14:00,0,0,0,0,1.00K,1000,0.00K,0,46.4243,-89.5249,46.4243,-89.5249,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","Local law enforcement reported power lines down and trees across the road 8 miles ENE of Marenisco." +116688,701701,FLORIDA,2017,July,Thunderstorm Wind,"CHARLOTTE",2017-07-06 16:30:00,EST-5,2017-07-06 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,26.88,-82.02,26.88,-82.02,"Late evening sea breeze thunderstorms developed along the I-75 corridor. A strong thunderstorm near Punta Gorda produced areas of sub-severe damage to a mobile home park.","Thirteen mobile homes sustained wind damage in the River Haven Mobile Home Park. Damage consisted of siding being torn off of carports and porch coverings being removed from homes." +116811,702386,FLORIDA,2017,July,Lightning,"VOLUSIA",2017-07-22 15:30:00,EST-5,2017-07-22 15:30:00,1,0,0,0,0.00K,0,0.00K,0,29.4064,-81.1001,29.4064,-81.1001,"Lightning struck close to a woman standing in shallow water in Ormond by the Sea, resulting in injuries.","A 31-year old female kayaker was standing in a shallow area of the Halifax River near High Bridge Road in Ormond-by-the-Sea when lightning struck close by, resulting in injuries. The woman was conscious and talking when a Sheriff deputy arrived and she was transported to a nearby hospital." +116837,702605,TENNESSEE,2017,July,Thunderstorm Wind,"LAWRENCE",2017-07-03 12:20:00,CST-6,2017-07-03 12:21:00,0,0,0,0,5.00K,5000,0.00K,0,35.2514,-87.3402,35.2656,-87.3168,"Numerous showers and thunderstorms spread across Middle Tennessee during the late morning and afternoon hours on July 3. A few reports of wind damage and flooding were received.","Lawrence County Emergency Management reported a microburst caused wind damage across northern Lawrenceburg. The roof was blown off a building on May Street and a power pole was snapped on Massey Avenue. Several trees were also blown down." +116849,703028,OHIO,2017,July,Flash Flood,"PERRY",2017-07-22 16:15:00,EST-5,2017-07-22 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.5918,-82.1035,39.5779,-82.1366,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","State Route 155 at the intersection with Congo Road was closed due to flooding along the West Branch of Sunday Creek." +119019,714823,TEXAS,2017,July,Thunderstorm Wind,"VICTORIA",2017-07-15 16:25:00,CST-6,2017-07-15 16:25:00,0,0,0,0,10.00K,10000,0.00K,0,28.7983,-97.0008,28.7983,-97.0008,"A severe thunderstorm formed near Victoria in advance of a line of thunderstorms moving southwest along the upper Texas coast. Trees and street signs were blown down in Victoria. Roof damage occurred to a house in eastern Goliad County.","Report received through social media of wind damage in downtown Victoria. A power pole was blown down and trees were damaged at the intersection of South Navarro Street and East Forrest Street." +119334,716451,OREGON,2017,September,Wildfire,"JACKSON COUNTY",2017-09-01 00:00:00,PST-8,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of the last report at 03:30 PST on 09/22/17, the fires collectively covered 36496 acres and was 70 percent contained. 27.1 million dollars had been spent on firefighting efforts.","The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of the last report at 03:30 PST on 09/22/17, the fires collectively covered 36496 acres and was 70 percent contained. 27.1 million dollars had been spent on firefighting efforts." +119063,715033,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-06 21:14:00,EST-5,2017-07-06 21:14:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some gusty thunderstorms.","A wind gust of 34 knots was reported at Cobb Point." +119065,715039,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-08 17:59:00,EST-5,2017-07-08 17:59:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"An unstable atmosphere led to a few gusty thunderstorms.","A wind in excess of 30 knots was measured at Raccoon Point." +119070,715099,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:09:00,EST-5,2017-07-22 14:14:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 44 knots were reported at Greenberry Point." +121801,729203,OHIO,2017,December,Winter Weather,"MIAMI",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer near Piqua measured 2 inches of snow, while the highway department west of Troy measured an inch." +121801,729208,OHIO,2017,December,Winter Weather,"PICKAWAY",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer northwest of Circleville and the highway department in town both measured an inch of snow." +121801,729216,OHIO,2017,December,Winter Weather,"WARREN",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","An employee north of Maineville measured .7 inches of snow, while the highway department south of Lebanon measured a half inch." +121931,729853,OHIO,2017,December,Winter Weather,"HARDIN",2017-12-23 06:00:00,EST-5,2017-12-23 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of rain slowly transitioned over to snow in the wake of a cold frontal passage.","An observation from Ada showed that an inch of snow accumulated there." +119693,717911,HAWAII,2017,September,Heavy Rain,"HAWAII",2017-09-14 14:41:00,HST-10,2017-09-14 17:08:00,0,0,0,0,0.00K,0,0.00K,0,19.5385,-155.9276,19.7604,-155.9894,"With a light wind regime, sea breeze conditions helped generate heavy showers over sections of Oahu, Kauai, and the Big Island. The rainfall produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +121931,729854,OHIO,2017,December,Winter Weather,"SHELBY",2017-12-23 06:00:00,EST-5,2017-12-23 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of rain slowly transitioned over to snow in the wake of a cold frontal passage.","The observer just north of Fort Loramie measured an inch of snow." +121933,729858,INDIANA,2017,December,Winter Weather,"RIPLEY",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located 4 miles northeast of Osgood measured 2.1 inches of snow. Another observer north of Batesville measured 1.6 inches." +121933,729859,INDIANA,2017,December,Winter Weather,"FRANKLIN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located in Brookville measured an inch of snow." +121933,729860,INDIANA,2017,December,Winter Weather,"FAYETTE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located in Alpine measured 1.7 inches of snow." +121932,729861,OHIO,2017,December,Winter Weather,"AUGLAIZE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage south of Wapakoneta measured 2 inches of snow. A public report from 4 miles east of Neptune indicated that an inch of snow fell there." +121932,729862,OHIO,2017,December,Winter Weather,"BROWN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage in Georgetown measured an inch of snow." +119729,718082,CALIFORNIA,2017,September,Excessive Heat,"SE S.J. VALLEY",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from September 1 through September 3." +119729,718083,CALIFORNIA,2017,September,Excessive Heat,"S SIERRA FOOTHILLS",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 102 and 108 degrees at several locations from September 1 through September 3." +119034,714955,TEXAS,2017,September,Hail,"HOCKLEY",2017-09-17 16:16:00,CST-6,2017-09-17 16:16:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-102.16,33.59,-102.16,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","" +119538,717328,TEXAS,2017,September,Hail,"PARMER",2017-09-22 16:50:00,CST-6,2017-09-22 18:10:00,0,0,0,0,,NaN,2.00M,2000000,34.5532,-102.9974,34.7312,-102.6822,"A thunderstorm late this afternoon intensified west of Bovina (Parmer County) and produced large hail along a swath roughly 20 miles in length. The slow movement of this storm and frequent backbuilding of its hail core inflicted heavy tolls on otherwise promising corn and cotton crops.","More than a dozen farmers in Parmer County suffered varying degrees of damage to corn and cotton crops following a slow-moving hailstorm. About 20,000 acres were damaged in total, with about 3,500 acres reported as a complete loss. The hail was estimated to be as large as golf ball size." +119772,718278,KANSAS,2017,September,Heavy Rain,"KINGMAN",2017-09-25 19:39:00,CST-6,2017-09-25 19:40:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-98.43,37.48,-98.43,"On the evening of the 25th, a few thunderstorms produced locally torrential rains in Reno and Kingman Counties. In extreme Southwest Kingman County, 5.10 inches were measured 3 miles north of Nashville. The only flooding that was reported occurred in far Western Reno County, but it's likely that flooding also occurred in Western Kingman County as well.","This was the storm total to this point. Though not reported, flooding should have occurred. The threat for additional heavy rains was likely over." +118978,714626,SOUTH DAKOTA,2017,September,Hail,"MEADE",2017-09-08 17:06:00,MST-7,2017-09-08 17:06:00,0,0,0,0,,NaN,0.00K,0,44.3795,-103.4071,44.3795,-103.4071,"A thunderstorm briefly became severe over east of the Black Hills. Hail to quarter size fell from near Sturgis to Box Elder.","" +119276,716224,NORTH DAKOTA,2017,September,Hail,"LA MOURE",2017-09-19 15:01:00,CST-6,2017-09-19 15:05:00,0,0,0,0,0.00K,0,0.00K,0,46.33,-98.6,46.33,-98.6,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","" +119276,716216,NORTH DAKOTA,2017,September,Hail,"DICKEY",2017-09-19 14:52:00,CST-6,2017-09-19 14:55:00,0,0,0,0,125.00K,125000,75.00K,75000,46.22,-98.62,46.22,-98.62,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","There was damage to crops and property." +119276,716222,NORTH DAKOTA,2017,September,Hail,"DICKEY",2017-09-19 14:53:00,CST-6,2017-09-19 14:56:00,0,0,0,0,40.00K,40000,50.00K,50000,46.27,-98.72,46.27,-98.72,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","Windows and vehicles were damaged." +119276,718142,NORTH DAKOTA,2017,September,Thunderstorm Wind,"LA MOURE",2017-09-19 15:05:00,CST-6,2017-09-19 15:10:00,0,0,0,0,150.00K,150000,50.00K,50000,46.4575,-98.4937,46.4575,-98.4937,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","A grain bin was destroyed. Homes in the area suffered roof damage. Many tree branches were down." +118836,713973,LOUISIANA,2017,June,Tropical Storm,"LOWER ST. BERNARD",2017-06-20 09:00:00,CST-6,2017-06-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force gusts and a few instances of sustained tropical storm force winds were reported at the Shell Beach C-Man station (SHBL1). There was a defined lull in the winds from around 1 am CST June 21 through 12 pm CST June 21. The highest gust reported by SHBL1 was 46 knots at 6:12 pm CST on June 21, though it should be noted the anemometer height is 15.6 meters." +118505,712021,MICHIGAN,2017,June,Thunderstorm Wind,"CHEBOYGAN",2017-06-11 16:03:00,EST-5,2017-06-11 16:03:00,0,0,0,0,14.00K,14000,0.00K,0,45.49,-84.2633,45.49,-84.2633,"A line of severe thunderstorms crossed northern Michigan, bringing sporadic wind damage.","Several large trees were downed in and outside of Black Lake Campground. One vehicle was damaged by a falling tree." +118512,712055,MICHIGAN,2017,June,Thunderstorm Wind,"LEELANAU",2017-06-12 02:55:00,EST-5,2017-06-12 02:55:00,0,0,0,0,13.00K,13000,0.00K,0,44.85,-85.87,44.85,-85.87,"Another, decaying line of thunderstorms moved off of northern Lake Michigan.","Multiple trees downed, some onto power lines. One grass fire resulted." +115430,706328,MINNESOTA,2017,June,Hail,"ANOKA",2017-06-11 07:45:00,CST-6,2017-06-11 07:45:00,0,0,0,0,0.00K,0,0.00K,0,45.1704,-93.2612,45.1704,-93.2612,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","" +118717,713208,TEXAS,2017,June,Thunderstorm Wind,"NUECES",2017-06-04 16:50:00,CST-6,2017-06-04 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,27.75,-97.38,27.7488,-97.3793,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Public submitted images of a large tree blown down next to a house near Santa Fe Street." +118717,713215,TEXAS,2017,June,Thunderstorm Wind,"NUECES",2017-06-04 17:09:00,CST-6,2017-06-04 17:09:00,0,0,0,0,15.00K,15000,0.00K,0,27.8,-97.66,27.8,-97.66,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Public submitted images of a large tree blown down in Robstown that heavily damaged a car." +115430,706331,MINNESOTA,2017,June,Thunderstorm Wind,"SHERBURNE",2017-06-11 07:30:00,CST-6,2017-06-11 07:30:00,0,0,0,0,0.00K,0,0.00K,0,45.328,-93.7566,45.3354,-93.7275,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were numerous large branches blown down in Big Lake, some as large as 10 inches in diameter." +119932,718801,MASSACHUSETTS,2017,September,Flood,"SUFFOLK",2017-09-30 07:49:00,EST-5,2017-09-30 11:00:00,0,0,0,0,40.00K,40000,0.00K,0,42.3896,-71.0104,42.39,-70.9965,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 749 AM EST in the Orient Heights section of Boston, multiple basements on Ashley and Bennington Streets were flooded and the backyards had 3 to 4 feet of water." +119932,718800,MASSACHUSETTS,2017,September,Flood,"SUFFOLK",2017-09-30 07:48:00,EST-5,2017-09-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4005,-71.0203,42.4008,-71.0197,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 748 AM EST in Chelsea, the intersection of Stockton Street and Eastern Avenue was closed due to flooding." +115430,706333,MINNESOTA,2017,June,Thunderstorm Wind,"RENVILLE",2017-06-11 05:55:00,CST-6,2017-06-11 05:55:00,0,0,0,0,0.00K,0,0.00K,0,44.8721,-95.4799,44.8721,-95.4799,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several power lines were blown down northwest of Sacred Heart." +117390,707208,NEVADA,2017,February,Flood,"WASHOE",2017-02-10 00:00:00,PST-8,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.677,-119.8479,39.6538,-119.8512,"Two rounds of precipitation associated with an atmospheric river brought widespread rainfall totals of 1 to 2 inches in far western Nevada, with much higher rainfall and/or liquid equivalent amounts between 3 and 6.5 inches in the foothills and Carson Range west of Interstate 580 and Highway 395. The higher elevations of the Carson Range received up to several feet of snowfall.","County officials noted that 13 homes were threatened by waters overflowing from Swan Lake and nearby ditches on the 10th. Flooding continued through May, with the worst threat in March as additional rainfall and snowmelt input from Peavine Peak exacerbated flooding. Significant flooding continued into April before mitigation efforts began to contain the flooding." +112882,675728,INDIANA,2017,March,Tornado,"CLARK",2017-03-01 06:04:00,EST-5,2017-03-01 06:05:00,0,0,0,0,200.00K,200000,0.00K,0,38.468,-85.952,38.467,-85.946,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A small tornado touched down in the backyard of a home about a quarter mile west from the caution light on Indiana Highway 60 and uprooted trees and caused roof damage to the home. The tornado moved along Muddy Fork and snapped or uprooted numerous trees. Then the tornado crossed Indiana Highway 60 where it was witnessed by people in the Buckboard Diner. Next, the tornado removed the roof of the older building next to the cafe and a garage behind the cafe. It threw its debris into a small church and removed some of its roof. No other damage in the narrow path was seen beyond this point." +117243,705541,WISCONSIN,2017,June,Thunderstorm Wind,"PRICE",2017-06-11 10:30:00,CST-6,2017-06-11 10:30:00,0,0,0,0,,NaN,,NaN,45.54,-90.29,45.54,-90.29,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Several trees were blown down along a half mile stretch of US Highway 8." +118618,712540,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 15:22:00,CST-6,2017-06-29 15:22:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-96.39,42.5,-96.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712551,IOWA,2017,June,Thunderstorm Wind,"WOODBURY",2017-06-29 15:33:00,CST-6,2017-06-29 15:33:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-96.39,42.4,-96.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712537,IOWA,2017,June,Funnel Cloud,"WOODBURY",2017-06-29 15:35:00,CST-6,2017-06-29 15:35:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-96.39,42.4,-96.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","Reported by FSS tower personnel." +118618,712541,IOWA,2017,June,Hail,"PLYMOUTH",2017-06-29 15:43:00,CST-6,2017-06-29 15:43:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-96.47,42.81,-96.47,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +119203,716564,MISSOURI,2017,May,Thunderstorm Wind,"MADISON",2017-05-27 16:00:00,CST-6,2017-05-27 16:17:00,0,0,0,0,0.00K,0,0.00K,0,37.5629,-90.3221,37.4255,-90.169,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous trees, tree limbs and power lines between Fredericktown and Marquand. About 5 miles southwest of Fredericktown, a 3 foot diameter tree was uprooted. Also, a small portion of a roof was blown off of a barn. In Fredericktown, part of the roof of a business was blown off." +119203,716567,MISSOURI,2017,May,Thunderstorm Wind,"STE. GENEVIEVE",2017-05-27 16:20:00,CST-6,2017-05-27 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.7113,-90.2253,37.7478,-90.0665,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous trees, tree limbs and power lines in the southern portions of Ste. Genevieve County." +119203,716568,MISSOURI,2017,May,Hail,"REYNOLDS",2017-05-27 18:47:00,CST-6,2017-05-27 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.3234,-90.8988,37.3234,-90.8988,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +117239,705089,MINNESOTA,2017,June,Hail,"ITASCA",2017-06-07 18:43:00,CST-6,2017-06-07 18:45:00,0,0,0,0,,NaN,,NaN,47.23,-93.52,47.23,-93.52,"Thunderstorms produced gusty winds and hail across portions of Itasca and Crow Wing Counties.","" +117237,705076,MINNESOTA,2017,June,Hail,"CASS",2017-06-10 02:20:00,CST-6,2017-06-10 02:20:00,0,0,0,0,,NaN,,NaN,47.12,-94.61,47.12,-94.61,"Severe thunderstorms that produced hail and damaging winds moved across north central Minnesota. Portions of the Leech Lake area were impacted with downed trees and a blown over boat dock. Hail varied in size from half inch to golf ball size.","" +117237,705081,MINNESOTA,2017,June,Hail,"ITASCA",2017-06-10 03:30:00,CST-6,2017-06-10 03:35:00,0,0,0,0,,NaN,,NaN,47.15,-93.58,47.15,-93.58,"Severe thunderstorms that produced hail and damaging winds moved across north central Minnesota. Portions of the Leech Lake area were impacted with downed trees and a blown over boat dock. Hail varied in size from half inch to golf ball size.","" +117237,705083,MINNESOTA,2017,June,Hail,"ITASCA",2017-06-10 02:40:00,CST-6,2017-06-10 02:40:00,0,0,0,0,,NaN,,NaN,47.13,-93.41,47.13,-93.41,"Severe thunderstorms that produced hail and damaging winds moved across north central Minnesota. Portions of the Leech Lake area were impacted with downed trees and a blown over boat dock. Hail varied in size from half inch to golf ball size.","" +117243,705554,WISCONSIN,2017,June,Flash Flood,"SAWYER",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.87,-91.07,45.8705,-91.0694,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Water flowed over Dam Road with a depth of 3 feet." +117243,705559,WISCONSIN,2017,June,Flood,"SAWYER",2017-06-11 16:50:00,CST-6,2017-06-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,45.86,-91.07,45.8575,-91.0687,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A local creek overflowed and flooded a home's basement and yard." +118590,712998,SOUTH DAKOTA,2017,June,Hail,"HUTCHINSON",2017-06-13 18:12:00,CST-6,2017-06-13 18:12:00,0,0,0,0,0.00K,0,0.00K,0,43.22,-97.97,43.22,-97.97,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712411,SOUTH DAKOTA,2017,June,Hail,"HANSON",2017-06-13 18:13:00,CST-6,2017-06-13 18:13:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-97.77,43.84,-97.77,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712412,SOUTH DAKOTA,2017,June,Hail,"KINGSBURY",2017-06-13 18:20:00,CST-6,2017-06-13 18:20:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-97.35,44.28,-97.35,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712438,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"TURNER",2017-06-13 18:46:00,CST-6,2017-06-13 18:46:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-97.38,43.49,-97.38,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712413,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-13 18:54:00,CST-6,2017-06-13 18:54:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-97.61,43.02,-97.61,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712414,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-13 19:06:00,CST-6,2017-06-13 19:06:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-97.49,42.97,-97.49,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712415,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-13 19:22:00,CST-6,2017-06-13 19:22:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-97.16,43.25,-97.16,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +117272,705363,WISCONSIN,2017,June,Tornado,"BURNETT",2017-06-28 15:49:00,CST-6,2017-06-28 15:56:00,0,0,0,0,,NaN,,NaN,45.762,-92.426,45.784,-92.394,"A tornadic thunderstorm moved into Burnett County where it produced a low-end EF-1 tornado that originated southwest of Siren, Wisconsin. The tornado bent or broke stands of trees, lofted a residence's trampoline, and and peeled back several sections of a pole barn's sheet metal roof. A video showed the tornado moving across a corn stand. The tornado scoured corn stalks and frayed leaves.","A tornado spun up in a wooded lot east of Carlson Road and south of Waldora Road, 2.5 miles southwest of the city of Siren, Wisconsin. The tornado moved northeast |and dissipated just before Wisconsin Highway 70, half a mile west of Siren. The estimated peak wind speed was 95 mph. Property damage included a lofted trampoline and several peeled back sections of a metal pole barn roof. Other damage included bent or broken stands of trees and a crop of corn where leaves and stalks were scoured. Also, a stand of mature trees had several large branches broken between 15 to 35 feet off the ground." +118605,712486,MINNESOTA,2017,June,Thunderstorm Wind,"ROCK",2017-06-13 20:45:00,CST-6,2017-06-13 20:45:00,0,0,0,0,0.00K,0,0.00K,0,43.61,-96.38,43.61,-96.38,"Severe thunderstorms moved out of southeast South Dakota into areas of southwest Minnesota. The storms transitioned into wind producers across the area.","Measured at Minnesota Department of Transportation's RWIS station at Beaver Creek." +118605,712487,MINNESOTA,2017,June,Thunderstorm Wind,"LYON",2017-06-13 21:16:00,CST-6,2017-06-13 21:16:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-95.79,44.45,-95.79,"Severe thunderstorms moved out of southeast South Dakota into areas of southwest Minnesota. The storms transitioned into wind producers across the area.","Personal weather station report received via social media." +118605,712485,MINNESOTA,2017,June,Hail,"NOBLES",2017-06-13 21:24:00,CST-6,2017-06-13 21:24:00,0,0,0,0,0.00K,0,0.00K,0,43.55,-95.98,43.55,-95.98,"Severe thunderstorms moved out of southeast South Dakota into areas of southwest Minnesota. The storms transitioned into wind producers across the area.","Report via social media." +118605,712488,MINNESOTA,2017,June,Thunderstorm Wind,"COTTONWOOD",2017-06-13 21:55:00,CST-6,2017-06-13 21:55:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-95.12,44.08,-95.12,"Severe thunderstorms moved out of southeast South Dakota into areas of southwest Minnesota. The storms transitioned into wind producers across the area.","Measured at Minnesota Department of Transportation's RWIS." +118609,712490,IOWA,2017,June,Hail,"OSCEOLA",2017-06-21 21:50:00,CST-6,2017-06-21 21:50:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-95.66,43.42,-95.66,"A brief period of severe weather occurred with a few storms that developed around the area.","" +118590,712442,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 20:13:00,CST-6,2017-06-13 20:13:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-96.73,43.59,-96.73,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","NWS Employees estimated wind speed at office." +118590,712435,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"MINNEHAHA",2017-06-13 20:15:00,CST-6,2017-06-13 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-96.77,43.51,-96.77,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Tree uprooted." +118837,715568,GULF OF MEXICO,2017,June,Marine Tropical Storm,"LAKE BORGNE",2017-06-20 12:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent sustained tropical storm force winds with higher gusts were common across the marine zone. A maximum wind gust of 46 kts, or 53 mph, was measured by the Shell Beach WLON station (SHBL1) at 6:12pm CST on the 20th. A maximum sustained wind of 40 kts, or 46 mph, was measured at the same time. The anemometer for this station is 15.6 meters above sea level." +118613,712502,MINNESOTA,2017,June,Hail,"LYON",2017-06-22 03:42:00,CST-6,2017-06-22 03:42:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-95.88,44.39,-95.88,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","Trees were damaged as well." +117243,705536,WISCONSIN,2017,June,Hail,"WASHBURN",2017-06-11 14:08:00,CST-6,2017-06-11 14:08:00,0,0,0,0,,NaN,,NaN,45.82,-91.86,45.82,-91.86,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","" +117243,705537,WISCONSIN,2017,June,Hail,"PRICE",2017-06-11 14:17:00,CST-6,2017-06-11 14:17:00,0,0,0,0,,NaN,,NaN,45.54,-90.29,45.54,-90.29,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","" +118617,712522,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-29 15:04:00,CST-6,2017-06-29 15:04:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-98.35,43.39,-98.35,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712523,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-29 15:05:00,CST-6,2017-06-29 15:05:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-98.41,43.42,-98.41,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +117932,708787,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:34:00,CST-6,2017-06-15 18:35:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-97.44,37.66,-97.44,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","An official measurement." +117932,708817,KANSAS,2017,June,Thunderstorm Wind,"COWLEY",2017-06-15 19:52:00,CST-6,2017-06-15 19:53:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-97.04,37.07,-97.04,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Roof damage was reported at the middle school. An office building has a portion of its roof peeled off. Two power poles were broken and number tree limbs up to 4 inches in diameter were broken." +117937,708829,KANSAS,2017,June,Thunderstorm Wind,"GREENWOOD",2017-06-17 20:50:00,CST-6,2017-06-17 20:51:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-96.2,37.89,-96.2,"Another round of severe weather moved across portions of south central and southeast Kansas. Winds were the main culprit with most speeds around 65 to 70 mph, however, a gust to 80 mph was noted.","Reported by a trained spotter." +117243,705096,WISCONSIN,2017,June,Thunderstorm Wind,"BURNETT",2017-06-11 08:52:00,CST-6,2017-06-11 08:52:00,0,0,0,0,,NaN,,NaN,45.82,-92.39,45.82,-92.39,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A large oak tree about 18 to 20 inches in diameter fell on Old Highway 35 west of the Siren Airport." +116526,700723,OHIO,2017,June,Flood,"MARION",2017-06-23 11:25:00,EST-5,2017-06-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5129,-83.183,40.5285,-83.0209,"As a cold front moved east toward the region on the morning and afternoon of the 23rd it interacted with an anomalously moist airmass associated with the remants of Tropical Storm Cindy over the Mississippi River Valley. Numerous showers and a few thunderstorms developed as a result. A nearly stationary axis of focused heavy rainfall occurred over North Central Ohio causing flash flooding during the late morning and afternoon hours of the 23rd.","Showers and embedded thunderstorms began to move into the county around 1130 AM. According to an observer rain gauge, 2.21 inches of rain fell within the first three hours of the event with 0.39 inch falling in a 15-minute period. This prolonged heavy rainfall led to flooding just after 12 PM. Many roads around the county experienced flooding; however, the severity was not great enough to necessitate the closure of any roadways. By 2 PM, the intensity of the rainfall decreased and flooding subsided by 5:30 PM." +116517,700710,OHIO,2017,June,Flash Flood,"KNOX",2017-06-13 15:30:00,EST-5,2017-06-13 20:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4783,-82.4146,40.3414,-82.3865,"A weak and slow Southward-moving cold front was located over the southern Great Lakes on the afternoon of the 13th. To the south of the boundary, a warm and moist airmass was present where clusters of showers and thunderstorms began to develop. Some locations saw repeated rounds of heavy rain from the thunderstorms leading to flash flooding. More than three inches of rain forced many commuters to find alternative routes home as flash flooding closed many area streets and roads.","On the afternoon of the 13th clusters of showers and thunderstorms began to produce repeated heavy rainfall over Knox County. By 4:30 PM, Doppler radar estimated nearly two and a half inches of rain across the area triggering flash flooding. In Amity and Howard, Shin Creek over-flowed and flooded Beacon and Jonathan Drive at 3:30 PM. County Highways 50 and 59 experienced flooding in Iberia and Johnsonville. Shank Creek Road additionally had high water at 5:30 PM. Most flash flooding subsided by 9:45 PM." +118238,710697,UTAH,2017,June,Wildfire,"SOUTHERN MOUNTAINS",2017-06-17 11:20:00,MST-7,2017-06-30 23:59:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"The Brianhead Fire in southern Utah began on June 17 and burned for over a month before becoming 100% contained. Note that this episode continued into July.","The Brianhead Fire started on June 17, when a man used a weed torch at his Brian Head area cabin, and the fire became out of control. The fire burned 71,675 acres, with most of the growth in the first two weeks of the fire. The Brianhead Fire destroyed 13 homes and 13 minor structures. A priority sage grouse habitat was also impacted east of the fire perimeter in the Panguitch watershed area. Costs associated with the fire were approximately $36.6 million, with rehabilitation efforts projected to cost double or triple that amount. At the height of the fire, approximately 1,831 personnel were fighting to contain the wildfire, and 1,562 people were evacuated from 11 communities in Iron and Garfield counties. The fire was contained on July 28. Note that this event continued into July." +119491,717086,INDIANA,2017,June,Thunderstorm Wind,"LAKE",2017-06-23 04:57:00,CST-6,2017-06-23 04:57:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-87.53,41.5,-87.53,"Scattered thunderstorms moved across northwest Indiana during the morning hours of June 23rd producing wind damage.","Large tree limbs and a few trees were blown down." +119484,717075,ILLINOIS,2017,June,Heavy Rain,"MCHENRY",2017-06-17 19:17:00,CST-6,2017-06-17 19:47:00,0,0,0,0,0.00K,0,0.00K,0,42.2917,-88.3205,42.2917,-88.3205,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Heavy rainfall of 1.25 inches was measured in 30 minutes near Walkup and Crystal Springs Road." +119484,717077,ILLINOIS,2017,June,Heavy Rain,"MCHENRY",2017-06-17 19:24:00,CST-6,2017-06-17 19:54:00,0,0,0,0,0.00K,0,0.00K,0,42.2734,-88.53,42.2734,-88.53,"Scattered strong to severe thunderstorms developed during the afternoon of June 17th and continued into the evening producing wind damage and heavy rain.","Heavy rainfall of 1.25 inches was measured in 30 minutes." +119487,717079,ILLINOIS,2017,June,Hail,"LAKE",2017-06-19 14:17:00,CST-6,2017-06-19 14:18:00,0,0,0,0,0.00K,0,0.00K,0,42.2579,-88.1534,42.2579,-88.1534,"Scattered thunderstorms produced some hail during the afternoon of June 19th, including half (0.5) inch diameter hail at O'Hare Airport around 305 pm CST.","Quarter size hail was reported near Route 12 and Route 176." +119394,716600,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-06-14 13:50:00,CST-6,2017-06-14 13:56:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"Severe thunderstorms moved across parts of southern Lake Michigan during the afternoon of June 14th producing strong winds.","Winds gusted above 34 knots for 6 minutes with a peak gust to 51 knots." +119394,716601,LAKE MICHIGAN,2017,June,Marine Thunderstorm Wind,"WINTHROP HARBOR TO WILMETTE HARBOR IL",2017-06-14 14:10:00,CST-6,2017-06-14 14:30:00,0,0,0,0,0.00K,0,0.00K,0,42.361,-87.813,42.361,-87.813,"Severe thunderstorms moved across parts of southern Lake Michigan during the afternoon of June 14th producing strong winds.","Winds gusted above 34 knots for 20 minutes with a peak gust to 50 knots." +119392,716903,ILLINOIS,2017,June,Hail,"BOONE",2017-06-14 11:33:00,CST-6,2017-06-14 11:55:00,0,0,0,0,0.00K,0,0.00K,0,42.2602,-88.8638,42.2602,-88.8362,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Quarter to half dollar size hail was reported in numerous locations including near north State Street and The William Grady Pool." +119392,716905,ILLINOIS,2017,June,Flood,"BOONE",2017-06-14 12:07:00,CST-6,2017-06-14 13:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2672,-88.8568,42.2662,-88.8573,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","One foot of water was reported near Garden Drive and Ruby Street." +119747,718144,MICHIGAN,2017,June,Flood,"GLADWIN",2017-06-23 04:00:00,EST-5,2017-06-23 20:00:00,0,0,0,0,120.00K,120000,0.00K,0,43.8177,-84.4454,43.8172,-84.2995,"Slow moving showers and thunderstorms dumped heavy rain on portions of central lower Michigan on the night of the 22nd. Southern Gladwin County was impacted by resulting high water, though flooding was much more substantial just downstate.","High water continued through the day on the 23rd, with the tributaries of Wixom Lake (Edenville Dam Pond) seeing the greatest rise. Water entered a few homes located near creeks and streams in the area." +118509,712018,LAKE HURON,2017,June,Marine Thunderstorm Wind,"STRAITS OF MACKINAC WITHIN 5NM OF MACKINAC BRIDGE INCLUDING MACKINAC ISLAND",2017-06-11 15:36:00,EST-5,2017-06-11 15:36:00,0,0,0,0,0.00K,0,0.00K,0,45.7896,-84.7231,45.7896,-84.7231,"A line of severe thunderstorms crossed far northern Lake Huron.","A 60 mph wind gust was measured at the Mackinac Island Airport, and a camper on the Mackinac Bridge was flipped over." +119125,720479,FLORIDA,2017,September,Tornado,"ST. JOHNS",2017-09-10 18:50:00,EST-5,2017-09-10 18:56:00,0,0,0,0,,NaN,0.00K,0,29.93,-81.3,29.95,-81.38,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This tornado may have initiated as a water spout that moved onshore at Vilano Beach. Minimal damage was reported in Vilano Beach with greater tree damage discovered west of Vilano Beach where a few trees were snapped and uprooted. Roof damage was reported on 5th Avenue near Vilano Beach. Multiple trees were damage and there was minor roof damage observed along Jackson and North Blvds. The tornado then crossed Highway 1 and caused additional tree and roof damage from 4th Street toward Porter Road before dissipating in the 12 Mile Swamp Conservation Area. Radar indicated a tornado debris signature. This tornado had peak winds of 85-100 mph." +120198,720204,FLORIDA,2017,September,Rip Current,"INDIAN RIVER",2017-09-13 06:00:00,EST-5,2017-09-13 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A man entered the surf on a day with rip currents and drowned.","A 32-year-old man entered the surf with a friend. He was later observed to be in distress alone about 100 yards offshore and then disappeared from view. After a two-day search, his body was located during the afternoon of September 15 near where he was last seen. The fatality was a result of drowning." +120199,720206,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-09-01 19:15:00,EST-5,2017-09-01 19:15:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"A strong thunderstorm moved north along the central Brevard County coast and produced winds over 34 knots over the Banana River along the Highway 528 Causeway.","USAF wind tower 0300 located along the Highway 528 Causeway over the Banana River measured a peak wind gust of 37 knots from the west-southwest as a strong thunderstorm moved north along the mainland coast, west of Merritt Island." +119125,720482,FLORIDA,2017,September,Tornado,"ST. JOHNS",2017-09-10 12:40:00,EST-5,2017-09-10 12:45:00,0,0,0,0,,NaN,0.00K,0,29.9,-81.31,29.9,-81.33,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This tornado passed the northern side of Castillo de San Marcos and uprooted 2 trees before strengthening to EF1 and moving toward Huguenot Cemetery. Multiple trees were uprooted and snapped in the cemetery. The tornado continued moving west in the vicinity of Orange Street before dissipating just before reaching Highway 1. This tornado likely began as a water spout offshore." +120205,720237,ATLANTIC SOUTH,2017,September,Waterspout,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-09-22 08:15:00,EST-5,2017-09-22 08:17:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-80.99,29.3,-80.99,"A waterspout was observed over the Atlantic from the Ormond Beach Airport. A short time later, multiple waterspouts were observed over the Atlantic from Daytona Beach. The waterspouts were associated with marine showers.","Observers at Ormond Beach Airport reported a waterspout over the Atlantic to the east of the airport, moving south. The waterspout dissipated a short time later." +120205,720239,ATLANTIC SOUTH,2017,September,Waterspout,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-09-22 08:30:00,EST-5,2017-09-22 08:34:00,0,0,0,0,0.00K,0,0.00K,0,29.2327,-80.9999,29.2327,-80.9999,"A waterspout was observed over the Atlantic from the Ormond Beach Airport. A short time later, multiple waterspouts were observed over the Atlantic from Daytona Beach. The waterspouts were associated with marine showers.","Multiple waterspouts were reported by several broadcast media and members of the public near the Daytona Beach Pier. The pier was evacuated as a precaution." +117945,709960,IOWA,2017,July,Tornado,"CLAYTON",2017-07-19 17:08:00,CST-6,2017-07-19 17:16:00,2,0,0,1,840.00K,840000,0.00K,0,43.0096,-91.2827,43.0264,-91.1706,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An EF-1 tornado touched down about 5 miles west of McGregor and then moved through McGregor before dissipating just east of town over the Mississippi River. The most damage occurred in McGregor with two buildings downtown completely destroyed while numerous others were damaged. Two people sustained minor injuries due to flying glass. Hundreds of trees across town were snapped off. West of McGregor, the tornado damaged a storage shed, ripped back part of a metal roof from an outbuilding and damaged numerous trees. One person was killed in an accident cleaning up debris when a tractor rolled over pinning the person underneath it." +119157,715614,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,41.00K,41000,0.00K,0,44.1048,-71.9289,44.1044,-71.9082,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorm produced 2 to 5 inches of rain in Benton washing out portions of Route 116." +115587,694162,TENNESSEE,2017,May,Thunderstorm Wind,"HUMPHREYS",2017-05-27 18:50:00,CST-6,2017-05-27 18:50:00,0,0,0,0,2.00K,2000,0.00K,0,36.0117,-87.9225,36.0117,-87.9225,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A Facebook report indicated trees and power lines were blown down on Old State Highway 1 near Pace Park Lane." +115587,694163,TENNESSEE,2017,May,Thunderstorm Wind,"HUMPHREYS",2017-05-27 19:03:00,CST-6,2017-05-27 19:03:00,0,0,0,0,1.00K,1000,0.00K,0,35.8818,-87.8112,35.8818,-87.8112,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down blocking westbound I-40." +115587,694167,TENNESSEE,2017,May,Thunderstorm Wind,"HICKMAN",2017-05-27 19:00:00,CST-6,2017-05-27 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,35.9113,-87.3325,35.9113,-87.3325,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated several trees were blown down on Highway 100." +117352,705718,WISCONSIN,2017,July,Hail,"ADAMS",2017-07-06 18:48:00,CST-6,2017-07-06 18:48:00,0,0,0,0,0.00K,0,1.16M,1160000,44.1,-89.78,44.1,-89.78,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Quarter sized hail was reported just southeast of Big Flats." +115584,694123,TENNESSEE,2017,May,Heavy Rain,"SUMNER",2017-05-18 07:00:00,CST-6,2017-05-19 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5331,-86.3678,36.5331,-86.3678,"Scattered showers and thunderstorms affected parts of northern Middle Tennessee during the morning hours on May 19. Thunderstorms continued to redevelop across Sumner County for several hours, resulting in over 6 inches of rain in some areas and significant flash flooding.","CocoRaHs station 4.5 NW Bethpage measured a 24 hour rainfall total of 6.04 inches." +115584,694126,TENNESSEE,2017,May,Flash Flood,"SUMNER",2017-05-19 09:00:00,CST-6,2017-05-19 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.3817,-86.5596,36.3619,-86.5531,"Scattered showers and thunderstorms affected parts of northern Middle Tennessee during the morning hours on May 19. Thunderstorms continued to redevelop across Sumner County for several hours, resulting in over 6 inches of rain in some areas and significant flash flooding.","Flash flooding was reported in parts of Hendersonville and Gallatin. A water rescue was conducted at Notting Hill Drive off Big Station Camp Road at 1040 AM CDT. The Station Camp Greenway along Lower Station Camp Creek Road was submerged by water, as was the Rogers Soccer Field complex on Big Station Camp Road at Nashville Pike. Several other locations in this area also reportedly had high water." +118416,711624,WISCONSIN,2017,July,Hail,"IOWA",2017-07-11 20:12:00,CST-6,2017-07-11 20:12:00,0,0,0,0,,NaN,,NaN,42.84,-90.4,42.84,-90.4,"Rounds of thunderstorms with torrential rainfall affected southern WI from late evening on July 11th through the morning of July 12th due to a strong surge of warm, moist, and unstable air over a stationary front. Severe flash flooding and river flooding occurred in the Fox River basin over far southeast WI including urban flooding. Up to 8 inches of rain was observed in the basin causing record flooding on portions of the Fox River. This included Burlington and surrounding communities which experienced flash flooding but also long term flooding that had significant impact to some structures and travel.","" +118028,709640,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"CHESHIRE",2017-06-19 16:15:00,EST-5,2017-06-19 16:20:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-72.44,42.96,-72.44,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees in Westmoreland." +118028,709641,NEW HAMPSHIRE,2017,June,Thunderstorm Wind,"HILLSBOROUGH",2017-06-19 16:52:00,EST-5,2017-06-19 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-71.98,42.97,-71.98,"A very moist air mass was in place across the region on the afternoon of July 19th as a cold front approached from the west. Precipitable water values, which approached 2 inches, were 2 to 3 standard deviations above normal. A strong, low-level jet of 50 knots and flow that was nearly parallel to the front caused storms to train across the area, adding to the flash flood risk. Numerous reports of wind damage and flash flooding were received during this event.","A severe thunderstorm downed trees and wires in Hancock." +118080,709673,MAINE,2017,June,Hail,"CUMBERLAND",2017-06-30 14:40:00,EST-5,2017-06-30 14:44:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-70.61,43.97,-70.61,"A warm front was stalled over northern Maine on the afternoon of the 30th. A shortwave approaching from the west was the catalyst for afternoon showers and thunderstorms in the warm sector south of the front. Many locations reported wind damage in southern Maine.","A thunderstorm produced 0.88 inch hail in Naples." +115843,696510,MICHIGAN,2017,April,Ice Storm,"KEWEENAW",2017-04-26 20:00:00,EST-5,2017-04-27 23:59:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","The Keweenaw County Road Commission estimated between half an inch to an inch of ice accumulation from freezing rain starting from the evening of the 26th and continuing |through the 27th. The ice damaged large trees and coated roads and power lines. Schools were closed throughout the county on the 27th." +115843,696512,MICHIGAN,2017,April,Winter Weather,"NORTHERN HOUGHTON",2017-04-26 20:00:00,EST-5,2017-04-27 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","There were public reports of one quarter to one half inch of ice accumulation from freezing rain over portions of northern Houghton County from the evening of the 26th through the 27th. The icing caused some tree damage over higher elevations and coated roads making travel very hazardous. Many Houghton County area schools were closed on the 27th due to the icy roads." +114465,686722,VIRGINIA,2017,April,Flood,"WYTHE",2017-04-24 08:15:00,EST-5,2017-04-25 01:30:00,0,0,0,0,0.00K,0,0.00K,0,36.9678,-80.9679,36.9697,-80.9651,"Several waves of low pressure moved across the area as an upper level low closed off over the southeastern U.S. Signiifcant rainfall began early on April 22nd over far southwest Virginia and the rainfall persisted on and off over the next four days with mainly moderate rates (0.10��� to 0.25��� per hour) as the upper low drifted very slowly eastward from the lower Mississippi Valley toward the southeastern states. 24-hour totals ending 12z (0700 EST) on the 23rd ranged from less than 0.50 inches over the James River basin up to 1.25��� to 1.75��� across parts of the Roanoke, New and Dan basins. The heaviest rains April 23-24 fell across the western and central river basins with amounts ranging from 2 to 5 inches. Another 1 to 3 inches with isolated higher amounts fell mainly across the foothills and piedmont in the next 24-hours. Storm total rainfall for the four-day period ending at 12z (0700 EST) on the 25th ranged from 3 to 9+ inches with highest amounts in parts of the Blue Ridge mountains and foothills in Patrick, Carroll and Henry counties. Busted Rock #2 IFLOWS (BUEV2) led the way with 9.53 over the 4-day period. Widespread small stream flooding resulted with numerous larger rivers that approached or exceeded flood stage including portions of the Clinch, New, Roanoke and Dan rivers. Return frequency intervals for the flooding were generally in the 5-year to 10-year range (0.20-0.10 annual exceedance probability), but close to 20-year (0.05 AEP) in the lower Dan River. Numerous roads were closed by flooding in at least a dozen counties.","Max Meadows Road was closed due to flooding from Reed Creek. The Reed Creek USGS gage at Grahams Forge (GRHV2) crested at 7.36 feet (Minor Flood Stage - 6.5 feet) at 1630 EST. According to USGS studies the peak flow of 7910 cfs at this gage is a little below the 0.1 annual exceedance probability or 10-year return frequency." +117467,706470,ARKANSAS,2017,June,Thunderstorm Wind,"SCOTT",2017-06-18 08:50:00,CST-6,2017-06-18 08:50:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-94.2,34.94,-94.2,"On the 18th, a cold front moved around the ridge and was accompanied by a large area of showers and thunderstorms. This precipitation arrived from Oklahoma in the morning. A cluster of storms downed trees at Hon and Y City (both in Scott County), Mount Ida (Montgomery County), Hot Springs Village (Garland County), Haynes (Lee County), and Hughes (St. Francis County). At the latter location, a tree landed on a car. In Garland County (Lake Ouachita), a boat overturned and stranded four people (two adults and two children) on an island. They were eventually rescued. Several thousand customers were without power due to the storms.","A large tree was blown down over Highway 28 just west of Hon, AR." +114686,687914,TENNESSEE,2017,May,Hail,"SULLIVAN",2017-05-12 13:30:00,EST-5,2017-05-12 13:30:00,0,0,0,0,,NaN,,NaN,36.57,-81.95,36.57,-81.95,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","Quarter size hail was reported." +114686,687916,TENNESSEE,2017,May,Thunderstorm Wind,"SULLIVAN",2017-05-12 13:05:00,EST-5,2017-05-12 13:05:00,0,0,0,0,,NaN,,NaN,36.53,-82.15,36.53,-82.15,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","A large tree was uprooted along Bristol Caverns Highway." +114686,687918,TENNESSEE,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-12 13:31:00,EST-5,2017-05-12 13:31:00,0,0,0,0,,NaN,,NaN,36.52,-81.93,36.52,-81.93,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","In this area, trees were reported down, a storage shed was blown from its foundation, and a metal roof was peeled off of a double wide structure." +114686,687920,TENNESSEE,2017,May,Thunderstorm Wind,"MCMINN",2017-05-12 13:39:00,EST-5,2017-05-12 13:39:00,0,0,0,0,,NaN,,NaN,35.45,-84.53,35.45,-84.53,"Scattered thunderstorms formed in the unstable air in the vicinity of a surface low pressure area riding along a weak frontal boundary. Some of the storms were slow moving and generated some minor nuisance flooding. There was even a weak tornado that developed over the extreme northeast corner of Tennessee.","A tree was reported down along County Road 460." +115586,694240,TENNESSEE,2017,May,Funnel Cloud,"LAWRENCE",2017-05-24 17:53:00,CST-6,2017-05-24 17:53:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-87.54,35.16,-87.54,"An upper level low pressure system moved across Middle Tennessee during the day on May 24 bringing numerous showers and thunderstorms to the area. A few storms became severe with one EF-0 tornado in Smith County, a gustnado in Davidson County, and a funnel cloud in Lawrence County.","Lawrence County Emergency Management relayed several photos of a wall cloud and funnel cloud. Scud was also reported slowly rotating and rising vertically beneath the wall cloud. Location is estimated." +115587,694156,TENNESSEE,2017,May,Thunderstorm Wind,"SMITH",2017-05-27 18:45:00,CST-6,2017-05-27 18:45:00,0,0,0,0,3.00K,3000,0.00K,0,36.1814,-86.0673,36.1814,-86.0673,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated many trees were blown down on Grant Road." +118140,710347,WISCONSIN,2017,July,Thunderstorm Wind,"LA CROSSE",2017-07-19 17:49:00,CST-6,2017-07-19 17:49:00,0,0,0,0,10.00K,10000,0.00K,0,43.81,-91.22,43.81,-91.22,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","An estimated 60 mph wind gust occurred on the east side of La Crosse that blew down some tree branches. One of the larger branches went through the roof of a house." +118140,710348,WISCONSIN,2017,July,Thunderstorm Wind,"VERNON",2017-07-19 17:53:00,CST-6,2017-07-19 17:53:00,0,0,0,0,5.00K,5000,0.00K,0,43.45,-90.76,43.45,-90.76,"A line of severe thunderstorms moved across southwest Wisconsin during the evening of July 19th. Locations from Prairie du Chien (Crawford County) east to Gotham (Richland County) and Platteville (Grant County) were hit with winds of 60 to 70 mph. Hangars and vintage World War II plane were damaged at the Prairie du Chien airport, an outbuilding was damaged near Mt. Hope (Grant County) and significant tree and power line damaged occurred in Lancaster (Grant County).","Trees and power lines were blown down in Readstown." +117352,706245,WISCONSIN,2017,July,Hail,"LA CROSSE",2017-07-06 19:52:00,CST-6,2017-07-06 19:52:00,0,0,0,0,0.00K,0,149.00K,149000,43.75,-91.09,43.75,-91.09,"Severe thunderstorms with very large hail moved across portions of western Wisconsin during the late afternoon and evening of July 6th. Hail, ranging in size from ping pong balls up to 3.5 inches in diameter, fell from Cochrane (Buffalo County) to near St. Joseph (La Crosse County). The 3.5 inch diameter hail fell near Trempealeau (Trempealeau County) where numerous car and house windows were broken. Other storms dropped quarter sized hail across Adams County and also blew down trees near Brooks (Adams County).","Golf ball sized hail was reported southwest of St. Joseph." +117794,708333,IOWA,2017,July,Heavy Rain,"CLAYTON",2017-07-11 18:48:00,CST-6,2017-07-12 00:06:00,0,0,0,0,25.00K,25000,5.00K,5000,42.74,-91.16,42.74,-91.16,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","South of Osterdock, and estimated 8.20 inches of rain fell." +117794,708334,IOWA,2017,July,Heavy Rain,"CLAYTON",2017-07-11 18:52:00,CST-6,2017-07-12 00:30:00,0,0,0,0,120.00K,120000,7.00K,7000,42.69,-91.04,42.69,-91.04,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","East of Millville, 8.25 inches of rain fell." +117914,708952,MINNESOTA,2017,July,Flash Flood,"WINONA",2017-07-19 23:53:00,CST-6,2017-07-20 02:00:00,0,0,0,0,6.00K,6000,0.00K,0,44.19,-91.87,44.1906,-91.8631,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Locally heavy rains caused a mudslide to occur near Minneiska that covered U.S. Highway 61." +117914,708954,MINNESOTA,2017,July,Flash Flood,"WINONA",2017-07-20 00:19:00,CST-6,2017-07-20 02:30:00,0,0,0,0,7.00K,7000,0.00K,0,44.02,-91.55,44.021,-91.5494,"A line of severe thunderstorms moved across southeast Minnesota during the late afternoon of July 19th. These storms produced two EF-1 tornadoes. The first touched down in the Chester Woods Park near Chester (Olmsted County) and did extensive tree damage in the park. The second tornado touched down southeast of Wykoff (Fillmore County) damaging trees, crops and a barn. The damaging winds did extensive damage to a turkey farm near Claremont (Dodge County) and blew down trees south of Altura (Winona County). During the late evening of the 19th into the early morning hours of the 20th, thunderstorms with heavy rain produced some mudslides near Minneiska (Winona County), Homer (Winona County) and northwest of La Crescent (Houston County).","Locally heavy rains caused a mudslide to occur near Homer. The slide covered the southbound lanes of U.S. Highway 61 near County Road 15." +118637,713675,WISCONSIN,2017,July,Heavy Rain,"GRANT",2017-07-21 07:30:00,CST-6,2017-07-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-90.85,42.75,-90.85,"Two rounds of thunderstorms moved across southwest Wisconsin during the evening of July 21st into the early morning hours of the 22nd. Both rounds of storms produced heavy rains with totals of 4 to 8 inches estimated by radar over the southern half of Grant County. This created flash flooding that closed numerous roads throughout the county and some houses in Platteville had water in their basements. Over 30 homes across Grant County sustained damage from the flooding. The first round of storms also produced some large hail with half dollar sized hail reported near Cassville.","Near Burton, 7.20 inches of rain fell." +118620,712646,WISCONSIN,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-15 22:49:00,CST-6,2017-07-15 23:00:00,0,0,0,0,4.00K,4000,,NaN,43.0175,-88.8142,42.9208,-88.8409,"A west to east line of thunderstorms slowly moved south across southern WI during the evening hours as a cold front passed. The thunderstorms produced sporadic wind damage and large hail.","Sporadic tree damage including power lines down from Jefferson to Fort Atkinson." +118207,715460,WISCONSIN,2017,July,Flood,"MONROE",2017-07-20 03:10:00,CST-6,2017-07-21 02:20:00,0,0,0,0,0.00K,0,0.00K,0,43.9389,-90.8119,43.9425,-90.8033,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the La Crosse River out of its banks in Sparta. The river crested almost four feet above the flood state at 12.26 feet. This was a crest of record for this site." +118207,715462,WISCONSIN,2017,July,Flood,"LA CROSSE",2017-07-20 01:25:00,CST-6,2017-07-25 02:05:00,0,0,0,0,0.00K,0,0.00K,0,43.8615,-91.2103,43.8616,-91.1989,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the La Crosse River out of its banks near La Crosse. The river crested almost four and a half feet above the flood stage at 11.94 feet. This was a crest of record for this site." +118034,709571,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-24 20:00:00,PST-8,2017-07-24 22:30:00,0,1,0,0,8.00M,8000000,0.00K,0,34.5439,-115.7616,34.5722,-115.7623,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Twenty-two bridges were damaged by flooding in the Essex/Danby area along National Trails Highway, five of which were completely destroyed. Amboy Road washed out just south of National Trails Highway." +118207,711037,WISCONSIN,2017,July,Flash Flood,"MONROE",2017-07-20 03:30:00,CST-6,2017-07-20 07:15:00,0,0,0,0,3.10M,3100000,1.10M,1100000,44.1595,-90.5925,44.1595,-90.9058,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Heavy rains, with totals of 6 to 8 inches, produced flash flooding across the western and central sections of Monroe County. A mudslide occurred between Sparta and Tomah in the Jackson Pass area that blocked State Highway 16. In Sparta, water spilled over the dam at Perch Lake prompting officials to advise people who lived downstream along the La Crosse River to evacuate, including a trailer park and water went over several roads. Around 10 roads across the county were closed because of the flooding." +118207,712555,WISCONSIN,2017,July,Flood,"RICHLAND",2017-07-20 08:00:00,CST-6,2017-07-21 08:00:00,0,0,0,0,211.00K,211000,1.00M,1000000,43.5525,-90.6704,43.402,-90.6704,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","After the initial flash flooding across Richland County, the flooding continued to cause problems through July 20th into the 21st. The flooding along the Pine River prompted an apartment complex to be evacuated and a shelter to be opened in Richland Center. Over a dozen roads were closed across the county because of the flooding. Nine homes sustained minor damage during the flooding." +118207,712556,WISCONSIN,2017,July,Heavy Rain,"TREMPEALEAU",2017-07-19 16:20:00,CST-6,2017-07-20 02:40:00,0,0,0,0,0.00K,0,0.00K,0,44.19,-91.35,44.19,-91.35,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Northwest of Ettrick, 6.24 inches of rain fell." +119157,715632,NEW HAMPSHIRE,2017,July,Flash Flood,"COOS",2017-07-01 15:45:00,EST-5,2017-07-01 19:00:00,0,0,0,0,17.00K,17000,0.00K,0,44.42,-71.68,44.423,-71.697,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in in Dalton resulting in washouts on several area roads." +119157,715633,NEW HAMPSHIRE,2017,July,Flash Flood,"COOS",2017-07-01 15:45:00,EST-5,2017-07-01 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,44.3682,-71.6012,44.368,-71.568,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Whitefield resulting in washouts on several area roads." +119157,715630,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 19:30:00,EST-5,2017-07-01 21:00:00,0,0,0,0,163.00K,163000,0.00K,0,43.87,-71.9,43.9018,-71.9646,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Wentworth resulting in several washouts on Route 25A." +119616,721294,ILLINOIS,2017,July,Thunderstorm Wind,"COOK",2017-07-21 15:55:00,CST-6,2017-07-21 15:57:00,0,0,0,0,1.00M,1000000,0.00K,0,42.02,-87.98,42.02,-87.98,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Many trees were blown down with some snapped at their base. Based on radar and damage photos, it appears a microburst occurred with wind speeds estimated between 70 mph and 90 mph. A 48 multi unit building complex suffered significant wind damage." +119616,721295,ILLINOIS,2017,July,Hail,"COOK",2017-07-21 16:00:00,CST-6,2017-07-21 16:01:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-87.98,42.02,-87.98,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +115103,690887,SOUTH CAROLINA,2017,April,Tornado,"UNION",2017-04-03 14:21:00,EST-5,2017-04-03 14:23:00,0,0,1,0,50.00K,50000,0.00K,0,34.582,-81.606,34.586,-81.594,"A line of showers and thunderstorms developing ahead of a cold front pushes across Upstate South Carolina during the afternoon. In addition to locally damaging winds, several brief, weak tornadoes touched down, including a fatal tornado in Union County.","NWS Storm survey found the path of an EF1 tornado that began around healing springs Church Road and Eaves Road, moving northeast between these Two Roads, then lifting near the intersection of Eaves Rd and old highway 176. A mobile home on Eaves Rd was overturned off its frame and flipped multiple times. A 65-year-old male occupant of the home was killed." +119614,717582,ILLINOIS,2017,July,Thunderstorm Wind,"WILL",2017-07-21 00:30:00,CST-6,2017-07-21 00:30:00,0,0,0,0,0.00K,0,0.00K,0,41.2531,-88.1869,41.2531,-88.1869,"Scattered thunderstorms moved across parts of eastern Illinois during the early morning hours of July 21st.","Tree limbs were blown down and at least one tree was uprooted." +119617,721305,INDIANA,2017,July,Thunderstorm Wind,"NEWTON",2017-07-21 23:37:00,CST-6,2017-07-21 23:37:00,0,0,0,0,1.00K,1000,0.00K,0,40.77,-87.4491,40.77,-87.4491,"Thunderstorms moved across portions of northwest Indiana during the evening of July 21st and the early morning hours of July 22nd.","One utility pole was blown down." +113493,679389,NEW YORK,2017,March,High Wind,"SCHOHARIE",2017-03-01 19:00:00,EST-5,2017-03-02 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front passed through the region Wednesday, March 1st. Winds became strong and gusty behind the front Wednesday evening into Thursday. Widespread trees and power lines were down across the region as a result of the high winds. Wind gusts of 40 to 60 mph were common across the region. Some of the downed trees and power lines resulted in road closures and school closings. Power companies reported more than 35,000 people were without power for a period of time. Emergencies shelters were opened in Saratoga Springs and Johnstown due to power outages.","" +116218,698725,OHIO,2017,July,Thunderstorm Wind,"MORGAN",2017-07-07 13:57:00,EST-5,2017-07-07 13:57:00,0,0,0,0,1.00K,1000,0.00K,0,39.6277,-81.8354,39.6277,-81.8354,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","A large tree fell across State Route 376 south of McConnelsville, blocking the road in both directions." +116246,698891,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-01 15:48:00,EST-5,2017-07-01 15:48:00,0,0,0,0,,NaN,,NaN,40.6517,-75.4442,40.6517,-75.4442,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A plane was flipped at Lehigh Valley International. Another plane lost it's front landing gear. Roof, skylight and window damage also occurred on the southwest side of the terminal buildings. A tree fell onto another plane." +116253,699108,NEW JERSEY,2017,July,Heavy Rain,"MORRIS",2017-07-07 08:44:00,EST-5,2017-07-07 08:44:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-74.49,40.82,-74.49,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","Rainfall amount was during a 24-hour period." +116281,699179,WYOMING,2017,July,Thunderstorm Wind,"BIG HORN",2017-07-03 19:11:00,MST-7,2017-07-03 19:11:00,0,0,0,0,0.00K,0,0.00K,0,44.52,-108.08,44.52,-108.08,"A line of showers and thunderstorms moved off of the Abasarokas and into the Big Horn Basin. As the convection moved into drier air, it collapsed and produced some strong outflow winds. The Greybull airport recorded a wind gust of 60 mph.","The Greybull airport recorded a wind gust of 60 mph." +116282,699196,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-06 00:30:00,CST-6,2017-07-06 00:30:00,0,0,0,0,,NaN,,NaN,47.42,-97.7,47.42,-97.7,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","Large hail and more than two inches of rain fell across southern Sherbrooke Township." +116292,699343,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-07 12:50:00,EST-5,2017-07-07 12:55:00,0,0,0,0,40.00K,40000,0.00K,0,40.0676,-82.52,40.0676,-82.52,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Numerous trees were downed in the Granville area. A few barns were also damaged and/or destroyed and a home just south of town was damaged." +116850,703051,WEST VIRGINIA,2017,July,Flash Flood,"RITCHIE",2017-07-22 18:20:00,EST-5,2017-07-22 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.2485,-81.0326,39.2333,-81.0412,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Stewart Run came out of its banks. This flooded the intersection of Route 16 and Stewart Run Road." +116253,704001,NEW JERSEY,2017,July,Flood,"MORRIS",2017-07-07 08:00:00,EST-5,2017-07-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9141,-74.3362,40.8554,-74.3665,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","Several roads closed due to flooding including I-287, 80 and state road 46." +117051,704057,NEW JERSEY,2017,July,Flood,"ATLANTIC",2017-07-29 02:00:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.53,-74.64,39.5352,-74.6497,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding reported on route 30 near route 50." +117049,704202,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:51:00,EST-5,2017-07-29 07:51:00,0,0,0,0,0.00K,0,0.00K,0,38.55,-75.57,38.55,-75.57,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost six inches of rain fell. DEOS." +116645,704636,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-14 14:50:00,EST-5,2017-07-14 14:50:00,0,0,0,0,,NaN,,NaN,39.5798,-75.5832,39.5798,-75.5832,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +117048,704662,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-24 23:25:00,EST-5,2017-07-24 23:25:00,0,0,0,0,,NaN,,NaN,38.77,-75.15,38.77,-75.15,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Two measured gusts at 40 and 44 mph." +117044,704697,NEW JERSEY,2017,July,Flood,"WARREN",2017-07-24 17:32:00,EST-5,2017-07-24 18:32:00,0,0,0,0,0.00K,0,0.00K,0,40.6683,-74.9954,40.6266,-75.0311,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","At unknown location, Mudslide reported in a town." +119070,715105,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-07-22 14:26:00,EST-5,2017-07-22 14:36:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 40 knots were reported at Black Walnut Harbor." +119070,715111,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-07-22 17:56:00,EST-5,2017-07-22 17:56:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gusts in excess of 30 knots was reported at Black Walnut Harbor." +119070,715124,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 23:10:00,EST-5,2017-07-22 23:40:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 39 knots were reported." +119071,715132,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-24 00:05:00,EST-5,2017-07-24 00:12:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","Wind gusts of 35 to 36 knots were reported at Annapolis." +119083,715173,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-16 08:19:00,EST-5,2017-07-16 08:24:00,0,0,0,0,,NaN,0.00K,0,32.07,-80.64,32.07,-80.64,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","Hilton Head Fire and Rescue dispatch reported 2 water spouts off the coast of Hilton Head and the South Palmetto Dunes area. Pictures of the waterspouts were also received via Twitter." +119084,715179,SOUTH CAROLINA,2017,July,Lightning,"CHARLESTON",2017-07-16 11:42:00,EST-5,2017-07-16 11:43:00,4,0,0,0,0.00K,0,0.00K,0,32.82,-79.72,32.82,-79.72,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","Charleston County dispatch reported that 4 people were injured by a nearby lightning strike on the boardwalk to the beach near Ocean Point Drive in the Wild Dunes area. The 4 injured people were transported to the hospital." +117742,707960,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-18 16:50:00,PST-8,2017-07-18 16:55:00,0,0,0,0,2.00K,2000,0.00K,0,35.4898,-114.6911,35.466,-114.9208,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Thunderstorm winds blew down power lines in Cottonwood Cove, and a gust of 58 mph was measured in Searchlight five minutes later." +117742,707962,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-18 18:00:00,PST-8,2017-07-18 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,35.4809,-114.9053,35.4976,-114.698,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Cottonwood Cove Road was inundated and undercut by flooding." +117742,707963,NEVADA,2017,July,Flash Flood,"CLARK",2017-07-19 06:12:00,PST-8,2017-07-19 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.9975,-114.9405,36.0142,-114.9453,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","The southbound Highway 95 off ramp at Wagon Wheel Dr in Henderson was closed due to flooding, and water and mud washed over roads near Equestrian Dr and Magic Way." +117742,707964,NEVADA,2017,July,Thunderstorm Wind,"CLARK",2017-07-19 06:15:00,PST-8,2017-07-19 06:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.06,-115.07,36.06,-115.07,"Another push of monsoon moisture fueled thunderstorms over the eastern parts of the Mojave Desert. Some storms produced severe weather and flash flooding.","Thunderstorm winds blew a tree down through the roof of a house. Gusts were estimated at 30-50 mph." +118033,709558,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 07:30:00,MST-7,2017-07-25 11:00:00,0,0,0,0,100.00K,100000,0.00K,0,35.8148,-114.5359,35.8654,-114.6653,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","Willow Beach Road was closed due to extensive flood damage, and Temple Bar Road was also closed due to flooding." +118033,709559,ARIZONA,2017,July,Flash Flood,"MOHAVE",2017-07-25 11:19:00,MST-7,2017-07-25 12:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.1208,-114.0152,36.1219,-114.0141,"A big push of monsoon moisture fueled an outbreak of thunderstorms over the Desert Southwest. Many storms in the Mojave Desert produced flash flooding and severe weather.","A tour bus was stuck when Pierce Ferry Road was flooded by a wash." +121735,728673,NEBRASKA,2017,December,Heavy Snow,"PERKINS",2017-12-23 12:00:00,MST-7,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm produced heavy snowfall across Deuel and Perkins County during the afternoon and evening hours on December 24th. Although winds remained light during the event, total snowfall accumulations of 6 to 8 inches occurred. A locally higher amount near 12 inches was reported near Grainton, in eastern Perkins County.","General public in Grant reported 8 inches of snowfall. A locally high snowfall amount of 12.5 inches was reported by a CoCoRaHS observer near Grainton. Snowfall amounts range from 6 to 8 inches and locally to around 12 inches across Perkins County." +121809,729068,TEXAS,2017,December,Wildfire,"OCHILTREE",2017-12-11 12:20:00,CST-6,2017-12-11 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The 281/83 Wildfire began around 1220CST about nine miles south southeast of Wolf Creek Park in Ochiltree County. The wildfire began between U.S. Highway 83 and Farm to Market Road 281 just west of the intersection of U.S. Highway 83 and Farm to Market Road 281. The wildfire consumed approximately four hundred acres. There were no reports of homes or other structures threatened by the wildfire and there were no homes or other structures that were damaged or destroyed by the wildfire. There were also no reports of any injuries or fatalities. The wildfire was contained around 1430CST and a total of four fire departments or other agencies that responded to the wildfire.","" +117779,717682,MINNESOTA,2017,August,Thunderstorm Wind,"REDWOOD",2017-08-16 22:55:00,CST-6,2017-08-16 22:55:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-95.11,44.55,-95.11,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","Trees and power lines were blown down in Redwood Falls." +119290,716306,WISCONSIN,2017,July,Flood,"COLUMBIA",2017-07-20 20:45:00,CST-6,2017-07-29 00:05:00,0,0,0,0,1.00K,1000,0.00K,0,43.5124,-89.5176,43.5096,-89.5176,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Baraboo River crested at 19.85 ft. which is minor flood stage. Floodwaters affect a trailer rental business and a road wayside park about 5 miles downstream from the gauge near the Highway 33 bridge. Also, water affects an auto auction business near Highway I-94." +119290,716534,WISCONSIN,2017,July,Flood,"LAFAYETTE",2017-07-20 11:03:00,CST-6,2017-07-24 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.8104,-89.8607,42.8104,-89.8577,"Numerous rounds of showers and thunderstorms produced approximately 3.5-7.0 inches of rain over south central WI from July 18th to July 22nd. Several rivers flooded with some reaching moderate flood stage.","The Pecatonica River near Blanchardville crested at 14.89 ft. which is moderate flood stage. McKellar Park in Blanchardville is completely flooded including the swimming pool and tennis courts. Floodwaters cover a portion of Highway H." +118640,712940,WISCONSIN,2017,July,Thunderstorm Wind,"IOWA",2017-07-19 17:55:00,CST-6,2017-07-19 18:13:00,0,0,0,0,7.00K,7000,,NaN,42.963,-90.4244,42.9695,-90.1888,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Large branches and power lines down in the western portion of the county including Cobb and Mineral Point." +118640,712941,WISCONSIN,2017,July,Thunderstorm Wind,"LAFAYETTE",2017-07-19 17:56:00,CST-6,2017-07-19 18:16:00,0,0,0,0,6.00K,6000,,NaN,42.7373,-90.4245,42.7158,-90.1785,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Trees and power lines down in the western portion of the county." +120213,721488,WYOMING,2017,June,Hail,"LARAMIE",2017-06-12 16:05:00,MST-7,2017-06-12 16:08:00,0,0,0,0,0.00K,0,0.00K,0,41.1224,-104.37,41.1224,-104.37,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Golf ball size hail was observed five miles north of Carpenter." +120213,721489,WYOMING,2017,June,Funnel Cloud,"LARAMIE",2017-06-12 16:19:00,MST-7,2017-06-12 16:24:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-104.1662,41.18,-104.1662,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","A funnel cloud was observed five miles west of Pine Bluffs." +120213,721661,WYOMING,2017,June,Tornado,"GOSHEN",2017-06-12 16:09:00,MST-7,2017-06-12 16:30:00,1,0,0,0,597.00K,597000,,NaN,42.276,-104.1957,42.4636,-104.0529,"One of the most significant severe weather episodes to affect southeast Wyoming and the western Nebraska Panhandle occurred on the afternoon and early evening of Monday 12 June 2017. Eleven confirmed tornadoes, hail to grapefruit size, and damaging winds were observed. Supercell thunderstorms developed during the early afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the southeast Wyoming plains late in the afternoon and into the western Nebraska Panhandle during the evening. Two people suffered injuries with an EF-2 rated tornado north of Torrington near the Wyoming/Nebraska stateline.","Significant tornado damage was noted at a ranch 20 miles north-northeast of Torrington, WY, just west of the Union Pacific railway line. Significant damage consistent with EF-2 intensity winds was to the main ranch residence and surrounding barns (DI 1, DOD 8). Several three-quarter ton pickup trucks were vaulted several yards by tornadic winds, with several horse trailers rolled 50 to 100 yards and severely damaged. Several horses at this location were seriously injured with 3 horses killed. One person in the residence received minor head injuries. The tornado continued northeast, moving into Sioux County, NE at 1630 MST." +118207,715489,WISCONSIN,2017,July,Flood,"CRAWFORD",2017-07-21 16:40:00,CST-6,2017-07-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.1884,-90.871,43.185,-90.8677,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Kickapoo River out of its banks in Steuben. The river crested almost four feet above the flood stage at 15.98 feet." +117779,720196,MINNESOTA,2017,August,Heavy Rain,"BROWN",2017-08-16 16:00:00,CST-6,2017-08-17 04:30:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-94.38,44.17,-94.38,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A local observer reported 5.65 inches of rainfall in a 12 hour period." +119800,718360,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-02 02:50:00,EST-5,2017-09-02 03:02:00,0,0,0,0,,NaN,0.00K,0,32.6839,-79.8875,32.6839,-79.8875,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The C-MAN station on Folly Beach measured a 37 knot wind gust. The peak wind gust of 43 knots occurred 10 minutes later." +119800,718361,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-02 03:00:00,EST-5,2017-09-02 03:08:00,0,0,0,0,,NaN,0.00K,0,32.7585,-79.9529,32.7585,-79.9529,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site located near Charleston measured a 38 knot wind gust. A peak gust of 46 knots occurred 5 minutes later." +119800,718362,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-02 03:00:00,EST-5,2017-09-02 03:16:00,0,0,0,0,,NaN,0.00K,0,32.755,-79.918,32.755,-79.918,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The public weather station located at the James Island Yacht Club measured a 41 knot wind gust. A peak wind gust of 43 knots occurred 16 minutes later." +119800,718363,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-02 02:51:00,EST-5,2017-09-02 03:08:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site at Fort Sumter measured a 38 knot wind gust. A peak wind gust of 61 knots occurred 15 minutes later." +119800,718364,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-02 03:00:00,EST-5,2017-09-02 03:03:00,0,0,0,0,,NaN,0.00K,0,32.775,-79.9239,32.775,-79.9239,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The National Weather Service site at Waterfront Park in Downtown Charleston measured a 36 knot wind gust." +119800,718365,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-09-02 03:00:00,EST-5,2017-09-02 03:03:00,0,0,0,0,,NaN,0.00K,0,32.7803,-79.9237,32.7803,-79.9237,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The National Ocean Service tide gauge in Downtown Charleston measured a 41 knot wind gust." +118919,714397,LOUISIANA,2017,September,Thunderstorm Wind,"CADDO",2017-09-05 18:03:00,CST-6,2017-09-05 18:03:00,0,0,0,0,0.00K,0,0.00K,0,32.2502,-93.5004,32.2502,-93.5004,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas and North Louisiana, where large scale forcing was strongest ahead of the trough. Some of these storms became severe, resulting in downed trees and power lines across portions of Northwest and Northcentral Louisiana. These storms began to diminish by mid to late evening as cooler and drier air began to spill south in wake of the frontal passage.","A privacy fence was blown down and some tin was removed from an outbuilding roof at the Caddo Parish's Sheriff's Regional Training Academy in extreme Southeast Caddo Parish southeast of Caspiana." +120566,722283,TEXAS,2017,September,Thunderstorm Wind,"JACK",2017-09-19 18:15:00,CST-6,2017-09-19 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,33.42,-98.19,33.42,-98.19,"A cluster of thunderstorms produced sporadic wind damage across the northwest counties before weakening during the late evening hours.","A public report indicated that power poles were knocked down approximately 3 miles southwest of the city of Post Oak, TX." +120566,722284,TEXAS,2017,September,Thunderstorm Wind,"JACK",2017-09-19 18:15:00,CST-6,2017-09-19 18:15:00,0,0,0,0,0.00K,0,0.00K,0,33.45,-98.15,33.45,-98.15,"A cluster of thunderstorms produced sporadic wind damage across the northwest counties before weakening during the late evening hours.","The local fire department reported wind gusts of 60 MPH in the city of Post Oak, TX." +120566,722285,TEXAS,2017,September,Thunderstorm Wind,"JACK",2017-09-19 18:23:00,CST-6,2017-09-19 18:23:00,0,0,0,0,0.00K,0,0.00K,0,33.3093,-98.0499,33.3093,-98.0499,"A cluster of thunderstorms produced sporadic wind damage across the northwest counties before weakening during the late evening hours.","Emergency management measured a wind gust of 59 MPH near the intersection of Highway 59 and FM 1810." +120813,723453,TEXAS,2017,September,Hail,"STARR",2017-09-21 18:05:00,CST-6,2017-09-21 18:15:00,0,0,0,0,,NaN,,NaN,26.3914,-98.8885,26.3713,-98.8607,"A weak upper level disturbance provided a pocket of cold air high in the atmosphere and aided the afternoon sea breeze, producing a single severe thunderstorm along the Rio Grande in Starr County that produced large hail. Damage was unknown at the time.","Tennis ball sized hail was reported in the Los Villareales section of Rio Grande City, and Golfball sized hail at two nearby locations, by the public and local Sheriff's Office, between Midway Road and Hospital Drive, and along US 83 and FM 3167, all just a few miles east of Los Villareales in the west portion of Rio Grande City between 705 and 715 PM CDT." +119997,719093,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-25 19:49:00,CST-6,2017-09-25 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,32.0194,-102.1251,32.02,-102.1252,"An upper level trough was over southeast Montana, and a cold front was in the Texas Panhandle moving south towards the area. Good low-level moisture and upper lift combined with an unstable atmosphere across West Texas. These conditions resulted in thunderstorms developing with damaging winds and flash flooding.","Heavy rain fell across Midland County and produced flash flooding in the City of Midland. There was a vehicle stalled in high water at the intersection of Wadley Avenue and Midkiff Road. The cost of damage is a very rough estimate." +120079,719492,TEXAS,2017,September,Flash Flood,"MARTIN",2017-09-26 13:09:00,CST-6,2017-09-26 15:30:00,0,0,0,0,0.20K,200,0.00K,0,32.4675,-101.7835,32.4417,-101.8203,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell across Martin County and produced flash flooding. FM 26 between FM 2212 and FM 3263 in Martin County was closed due to high water. The cost of damage is a very rough estimate." +120079,719677,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-26 13:19:00,CST-6,2017-09-26 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,31.912,-102.2208,31.9155,-102.2129,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell across Midland County and produced flash flooding. A vehicle was submerged in high water on the westbound service road of Interstate 20 and Farm to Market 1788. The cost of damage is a very rough estimate." +120079,719683,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-26 13:40:00,CST-6,2017-09-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9814,-102.1509,31.9583,-102.143,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell in Midland County and produced flash flooding in the City of Midland. There was water covering the access road off Loop 250 between Thomason Drive and Business 20." +119722,717991,ATLANTIC SOUTH,2017,September,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL 20 TO 60NM",2017-09-01 17:45:00,EST-5,2017-09-01 17:45:00,0,0,0,0,0.00K,0,0.00K,0,26.12,-79.59,26.12,-79.59,"A breezy southeast wind brought plenty of tropical moisture to the region. Scattered afternoon showers and thunderstorm affected all of the South Florida waters. One of these showers produced a waterspout offshore Fort Lauderdale.","An airplane pilot reported a waterspout 35 miles east of Fort Lauderdale International Airport." +120030,719303,WEST VIRGINIA,2017,September,Thunderstorm Wind,"HAMPSHIRE",2017-09-05 13:41:00,EST-5,2017-09-05 13:41:00,0,0,0,0,,NaN,,NaN,39.4105,-78.5596,39.4105,-78.5596,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down blocking the 6000 Block of Slanesville Pike." +120030,719304,WEST VIRGINIA,2017,September,Thunderstorm Wind,"HARDY",2017-09-05 13:41:00,EST-5,2017-09-05 13:41:00,0,0,0,0,,NaN,,NaN,39.071,-78.9459,39.071,-78.9459,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Caledonia Heights Road." +120030,719305,WEST VIRGINIA,2017,September,Thunderstorm Wind,"MORGAN",2017-09-05 13:46:00,EST-5,2017-09-05 13:46:00,0,0,0,0,,NaN,,NaN,39.5009,-78.4034,39.5009,-78.4034,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Three trees were down near the intersection of Route 9 and Milo School Road." +120030,719308,WEST VIRGINIA,2017,September,Thunderstorm Wind,"MORGAN",2017-09-05 14:02:00,EST-5,2017-09-05 14:02:00,0,0,0,0,,NaN,,NaN,39.5551,-78.2124,39.5551,-78.2124,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Spriggs Road." +120030,719309,WEST VIRGINIA,2017,September,Thunderstorm Wind,"MORGAN",2017-09-05 14:02:00,EST-5,2017-09-05 14:02:00,0,0,0,0,,NaN,,NaN,39.6583,-78.1895,39.6583,-78.1895,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Fairview Avenue." +120030,719310,WEST VIRGINIA,2017,September,Thunderstorm Wind,"MORGAN",2017-09-05 14:04:00,EST-5,2017-09-05 14:04:00,0,0,0,0,,NaN,,NaN,39.5635,-78.1646,39.5635,-78.1646,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Duckwall Road." +120030,719311,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:05:00,EST-5,2017-09-05 14:05:00,0,0,0,0,,NaN,,NaN,39.377,-78.157,39.377,-78.157,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Multiple trees were down along McCubbins Hollow Road just south of Apple Harvest Road." +118622,714266,PENNSYLVANIA,2017,September,Thunderstorm Wind,"MCKEAN",2017-09-04 23:05:00,EST-5,2017-09-04 23:05:00,0,0,0,0,4.00K,4000,0.00K,0,41.9753,-78.6377,41.9753,-78.6377,"A cold front approaching from the Great Lakes triggered a line of showers and thunderstorms that pushed into northwestern Pennsylvania during the late evening hours of September 4, 2017. The line was weakening with the loss of heating, but not before producing a handful of wind damage reports in Warren and McKean counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Bradford." +118622,714267,PENNSYLVANIA,2017,September,Thunderstorm Wind,"WARREN",2017-09-04 23:18:00,EST-5,2017-09-04 23:18:00,0,0,0,0,0.00K,0,0.00K,0,41.921,-79.1424,41.921,-79.1424,"A cold front approaching from the Great Lakes triggered a line of showers and thunderstorms that pushed into northwestern Pennsylvania during the late evening hours of September 4, 2017. The line was weakening with the loss of heating, but not before producing a handful of wind damage reports in Warren and McKean counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Russell." +118623,714978,PENNSYLVANIA,2017,September,Hail,"LANCASTER",2017-09-05 16:29:00,EST-5,2017-09-05 16:29:00,0,0,0,0,0.00K,0,0.00K,0,40.0421,-76.3224,40.0421,-76.3224,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm produced golf ball sized hail in Lancaster." +118623,714979,PENNSYLVANIA,2017,September,Thunderstorm Wind,"FRANKLIN",2017-09-05 14:50:00,EST-5,2017-09-05 14:50:00,0,0,0,0,3.00K,3000,0.00K,0,39.7407,-77.6333,39.7407,-77.6333,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down large trees onto Marsh Road." +118623,715507,PENNSYLVANIA,2017,September,Thunderstorm Wind,"YORK",2017-09-05 15:30:00,EST-5,2017-09-05 15:30:00,0,0,0,0,4.00K,4000,0.00K,0,39.7809,-76.9706,39.7809,-76.9706,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Parkville." +118623,715510,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LEBANON",2017-09-05 15:55:00,EST-5,2017-09-05 15:55:00,0,0,0,0,4.00K,4000,0.00K,0,40.3165,-76.5984,40.3165,-76.5984,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees adn wires in North Palmyra." +119028,714882,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-08 14:00:00,PST-8,2017-09-08 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,34.0073,-115.2686,34.0931,-115.2816,"Scattered to numerous thunderstorms developed over portions of eastern Riverside County during the afternoon hours on September 8th and some of the stronger storms produced very heavy rainfall with peak rain rates in excess of 2 inches per hour as shown by local radar. The intense rainfall led to episodes of flash flooding, especially along the Interstate 10 corridor from west of Desert Center westbound past Chiriaco Summit. The California Highway Patrol reported at least 2 locations where flooding was occurring across Interstate 10; fortunately no accidents were reported due to the very hazardous driving conditions. Flash Flood Warnings were issued at times during the afternoon due to the high risk of flooding.","Scattered to numerous thunderstorms developed across portions of eastern Riverside County during the afternoon hours on September 8th, and some of them produced very heavy rains with peak rain rates in excess of 2 inches per hour. The intense rains led to flash flooding in locations to the east of Joshua Tree National Park, along Highway 177 across the far north portion of the county and near the intersection of Highway 62. As of about 1600PST, multiple reports were received from the California Highway Patrol of debris and mud near the intersection of Highway 177 and Highway 62. The reports also indicated multiple cars and trucks stuck in a nearby wash. The intersection was closed as a result of the flooding. A Flash Flood Warning was not in effect at this time. Radar indicated that most of the significant, flash flood producing rains had occurred well to the south of this intersection, closer to Interstate 10 and communities such as Eagle Mountain. It is most likely that the heavy rain to the south of the flooded intersection flowed through various washes towards the north and in a roundabout fashion the floodwaters eventually reached the intersection of highways 177 and 62 and caused the flash flooding and debris over the roads." +119034,714964,TEXAS,2017,September,Thunderstorm Wind,"CROSBY",2017-09-17 17:55:00,CST-6,2017-09-17 17:55:00,0,0,0,0,0.00K,0,0.00K,0,33.68,-101.38,33.68,-101.38,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","Measured by a Texas Tech University West Texas mesonet southeast of Ralls." +119137,715504,CALIFORNIA,2017,September,Wildfire,"CARQUINEZ STRAIT AND DELTA",2017-09-23 13:00:00,PST-8,2017-09-23 17:00:00,0,0,0,0,2.00M,2000000,,NaN,NaN,NaN,NaN,NaN,"Building high pressure over the area brought drying northerly winds to the area, creating critical fire weather conditions.","The Estate Fire was a 65-acre grass fire which destroyed two homes, two RVs, and multiple vehicles and outbuildings. The fire was 100 percent contained by 7 pm PST. Winds gusted to 32 mph at Vacaville Airport, at 10:36 am PST. Humidity dropped to 13 percent by 12:35 pm PST at the airport." +118623,715506,PENNSYLVANIA,2017,September,Thunderstorm Wind,"YORK",2017-09-05 15:29:00,EST-5,2017-09-05 15:29:00,0,0,0,0,12.00K,12000,0.00K,0,39.9599,-76.7552,39.9599,-76.7552,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing straight-line winds estimated near 80 mph snapped several trees and knocked down eight poles in York and West York." +118623,715508,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LANCASTER",2017-09-05 15:43:00,EST-5,2017-09-05 15:43:00,0,0,0,0,8.00K,8000,0.00K,0,40.0366,-76.5021,40.0366,-76.5021,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 70 mph knocked down numerous trees and wires in Columbia." +112345,669799,FLORIDA,2017,January,Rip Current,"COASTAL BROWARD COUNTY",2017-01-02 15:00:00,EST-5,2017-01-02 15:00:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong east winds brought rough seas and rip currents to all Atlantic beaches during the day. A man drowned near Pompano Beach Pier.","A 78-year-old man drowned around 3 PM near Pompano Beach Pier when a rip current pulled him out 100 yards from the beach. Two others in their 60s were rescued in the same incident." +119454,717095,MISSISSIPPI,2017,September,Thunderstorm Wind,"COVINGTON",2017-09-23 18:02:00,CST-6,2017-09-23 18:02:00,0,0,0,0,5.00K,5000,0.00K,0,31.6529,-89.6853,31.6529,-89.6853,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","A few trees were blown down along Dan Easterling Road west of Collins." +119497,717122,MAINE,2017,September,Thunderstorm Wind,"PENOBSCOT",2017-09-05 18:55:00,EST-5,2017-09-05 18:55:00,0,0,0,0,,NaN,,NaN,44.92,-68.83,44.92,-68.83,"Thunderstorms developed during the late afternoon and evening of the 5th in advance of a slow moving cold front. An isolated severe thunderstorm produced damaging winds during the evening.","Several trees were toppled or snapped around town by wind gusts estimated at 60 mph. The time is estimated." +119497,717124,MAINE,2017,September,Hail,"PENOBSCOT",2017-09-05 19:00:00,EST-5,2017-09-05 19:00:00,0,0,0,0,,NaN,,NaN,44.93,-68.63,44.93,-68.63,"Thunderstorms developed during the late afternoon and evening of the 5th in advance of a slow moving cold front. An isolated severe thunderstorm produced damaging winds during the evening.","Some hail possibly larger than an inch. The time is estimated." +119498,717126,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 18:05:00,EST-5,2017-09-27 18:05:00,0,0,0,0,,NaN,,NaN,47.05,-69.09,47.05,-69.09,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Several trees were toppled south of the Allagash Gate by wind gusts estimated at 60 mph. The time is estimated." +119498,717127,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 18:44:00,EST-5,2017-09-27 18:44:00,0,0,0,0,,NaN,,NaN,46.92,-68.52,46.92,-68.52,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Several trees were toppled along Route 11 near Soucy Hill by wind gusts estimated at 60 mph. The time is estimated." +119498,717129,MAINE,2017,September,Thunderstorm Wind,"PENOBSCOT",2017-09-27 18:50:00,EST-5,2017-09-27 18:50:00,0,0,0,0,,NaN,,NaN,46.13,-68.79,46.13,-68.79,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Several trees were toppled near the Matagamon Wilderness Campground by wind gusts estimated at 60 mph." +119360,716510,MICHIGAN,2017,September,Thunderstorm Wind,"IRON",2017-09-22 11:20:00,CST-6,2017-09-22 11:25:00,0,0,0,0,2.00K,2000,0.00K,0,46.06,-88.68,46.06,-88.68,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","There were reports of snapped power poles and several medium to large diameter trees downed. Downed trees blocked Baumgartner road in the Stambaugh Township." +119360,716511,MICHIGAN,2017,September,Thunderstorm Wind,"IRON",2017-09-22 11:40:00,CST-6,2017-09-22 11:47:00,0,0,0,0,3.00K,3000,0.00K,0,46.05,-88.52,46.05,-88.52,"During the morning hours, a line of strong to severe thunderstorms developed west of Upper Michigan and continued to track eastward throughout the morning and early afternoon hours. This line of strong to severe storms brought nickel to quarter size hail and strong wind gusts that snapped power poles and medium to large size trees.","There were multiple trees downed with widespread tree debris at the George Young Golf Course several miles southeast of Iron River. These reports were a combination of public and broadcast media." +119359,716508,LAKE MICHIGAN,2017,September,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-09-22 14:20:00,EST-5,2017-09-22 14:30:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-86.9987,45.58,-86.9987,"A line of strong to severe storms moved southeast across northern Lake Michigan during the late morning hours on Sept. 22nd bringing strong winds.","Measured wind gust at Minneapolis Shoal Light." +118478,711914,OHIO,2017,September,Thunderstorm Wind,"PREBLE",2017-09-04 22:58:00,EST-5,2017-09-04 23:06:00,0,0,0,0,4.00K,4000,0.00K,0,39.648,-84.5282,39.648,-84.5282,"A line of thunderstorms developed during the late evening hours ahead of an approaching cold front.","A few trees were downed in the Gratis area near the intersection of U.S. Route 127 and Antioch Road as well as in the 9000 block of Pleasant Valley Road." +119550,717404,CALIFORNIA,2017,September,Frost/Freeze,"NORTHEAST SISKIYOU AND NORTHWEST MODOC COUNTIES",2017-09-21 01:00:00,PST-8,2017-09-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to parts of northern California.","Reported low temperatures from this zone ranged from 30 to 35 degrees." +119553,717410,CALIFORNIA,2017,September,Frost/Freeze,"NORTHEAST SISKIYOU AND NORTHWEST MODOC COUNTIES",2017-09-23 01:00:00,PST-8,2017-09-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of northern California.","Reported low temperatures from this zone ranged from 27 to 30 degrees." +119552,717407,CALIFORNIA,2017,September,Frost/Freeze,"NORTHEAST SISKIYOU AND NORTHWEST MODOC COUNTIES",2017-09-22 01:00:00,PST-8,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of northern California.","Reported low temperatures from this zone ranged from 26 to 30 degrees." +119618,717589,ILLINOIS,2017,September,Hail,"WILLIAMSON",2017-09-04 21:40:00,CST-6,2017-09-04 21:40:00,0,0,0,0,0.00K,0,0.00K,0,37.77,-88.92,37.77,-88.92,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119618,717590,ILLINOIS,2017,September,Hail,"FRANKLIN",2017-09-04 21:20:00,CST-6,2017-09-04 21:20:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-88.77,37.92,-88.77,"Clusters of thunderstorms organized along a strong cold front as it moved southeast across southern Illinois. Some of the storms produced hail, including a few reports of large hail. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119621,717662,ILLINOIS,2017,September,Hail,"JACKSON",2017-09-18 19:37:00,CST-6,2017-09-18 19:37:00,0,0,0,0,0.00K,0,0.00K,0,37.7534,-89.2793,37.7534,-89.2793,"An isolated severe thunderstorm produced large hail in the Carbondale area. The storm occurred in a moist and moderately unstable air mass ahead of a weak 500 mb shortwave over the Plains.","" +119621,717663,ILLINOIS,2017,September,Hail,"JACKSON",2017-09-18 19:51:00,CST-6,2017-09-18 19:51:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-89.23,37.82,-89.23,"An isolated severe thunderstorm produced large hail in the Carbondale area. The storm occurred in a moist and moderately unstable air mass ahead of a weak 500 mb shortwave over the Plains.","" +119551,717389,OREGON,2017,September,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-09-22 01:00:00,PST-8,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 22 to 33 degrees." +119548,717381,OREGON,2017,September,Frost/Freeze,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-09-16 01:00:00,PST-8,2017-09-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second significant front of the fall season brought a cooler air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to some parts of south central Oregon.","The only reported low temperature in this zone was 29 at Chemult." +119639,717737,MISSOURI,2017,September,Hail,"CAPE GIRARDEAU",2017-09-18 23:26:00,CST-6,2017-09-18 23:26:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-89.67,37.38,-89.67,"An isolated severe thunderstorm produced large hail in Cape Girardeau County. The storm occurred in a moist and moderately unstable air mass ahead of a weak 500 mb shortwave over the Plains.","" +121630,727977,WYOMING,2017,December,High Wind,"NORTHEAST JOHNSON COUNTY",2017-12-05 21:00:00,MST-7,2017-12-06 10:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient and strong northwest flow brought high winds to portions of northern Johnson County. At the Buffalo airport, there were several wind gusts over 58 mph including a maximum gust of 69 mph.","There were several wind gusts over 58 mph at the Buffalo airport, including a maximum gust of 69 mph." +121689,728405,WYOMING,2017,December,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-12-24 22:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of moisture moved into western Wyoming and brought locally heavy snow. The highest amounts were recorded in the Tetons and Salt and Wyoming Range where up to 15 inches of snow fell. Heavy snow also fell in portions of the Star Valley where 8 inches of snow was measured.","At Commissary Ridge, 15 inches of new snow was measured." +121799,729004,INDIANA,2017,December,Winter Weather,"DEARBORN",2017-12-09 18:00:00,EST-5,2017-12-10 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","A half inch of snow was measured 6 miles south-southeast of Moores Hill." +119662,717772,MONTANA,2017,September,Drought,"CENTRAL AND SE PHILLIPS",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Central and southeast Phillips County began the month in exceptional (D4) drought conditions and remained in that status throughout the month. The area received two to three inches of rainfall, which is approximately one inch above normal." +119662,717773,MONTANA,2017,September,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-09-01 00:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although September was the first month in quite a while in which many locations received normal or above normal precipitation, this was not enough to offset the several months of record drought. Drought conditions persisted through the month.","Central and southern Valley County began the month in exceptional (D4) drought conditions and remained in that status throughout the month. The area received one to two and a half inches of rainfall, which is up to approximately one inch above normal." +119666,717807,OKLAHOMA,2017,September,Hail,"CIMARRON",2017-09-01 16:28:00,CST-6,2017-09-01 16:28:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-102.52,36.74,-102.52,"Diurnal convection moving east out of New Mexico helped to spark convection across the far western OK Panhandle. downstream of the 700 hPa trough axis across western OK Panhandle, a few cells developed and with a good mid level moisture pool and CAPE around 1000 J/kg, a few hail reports were the result before storms moved southeast and weakened.","Some hail stones were slightly larger than a Quarter." +119666,717808,OKLAHOMA,2017,September,Hail,"CIMARRON",2017-09-01 16:41:00,CST-6,2017-09-01 16:41:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-102.51,36.73,-102.51,"Diurnal convection moving east out of New Mexico helped to spark convection across the far western OK Panhandle. downstream of the 700 hPa trough axis across western OK Panhandle, a few cells developed and with a good mid level moisture pool and CAPE around 1000 J/kg, a few hail reports were the result before storms moved southeast and weakened.","Hail covering ground." +121799,729005,INDIANA,2017,December,Winter Weather,"FAYETTE",2017-12-09 18:00:00,EST-5,2017-12-10 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The observer northeast of Alpine measured a half inch of snow." +119694,717912,HAWAII,2017,September,Wildfire,"SOUTH BIG ISLAND",2017-09-21 05:15:00,HST-10,2017-09-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred 1645 acres of mainly dry brush in the Kau District on the Big Island of Hawaii. The fire did not threaten any homes or other structures, and its cause was not determined. No significant injuries were reported.||A fire burned about 100 acres of dry brush east of Kahului on the Valley Isle of Maui. The blaze began off the side of Haleakala Highway near North Firebreak Road and spread to a fallow sugar cane field. The cause of the fire was unknown. It did not threaten any homes or other structures, and there were no serious injuries reported.||A blaze scorched 215 acres of dry brush near Poipu on Kauai. The fire damaged heavy machinery, trucks, and other equipment stationed at a green waste base-yard. The cause of the fire was under investigation. There were no reports of significant injuries.||Another fire blackened about 100 acres of dry brush and other vegetation on the cliffs of Makana mountain on the North Shore of Kauai. The area was between Haena State Park and Limahuli Gardens. A fire-throwing ceremony to honor the long-distance voyaging vessel Hokulea was suspected in starting the blaze. No serious injuries or property damage were reported.","" +119694,717913,HAWAII,2017,September,Wildfire,"MAUI CENTRAL VALLEY",2017-09-21 15:56:00,HST-10,2017-09-22 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred 1645 acres of mainly dry brush in the Kau District on the Big Island of Hawaii. The fire did not threaten any homes or other structures, and its cause was not determined. No significant injuries were reported.||A fire burned about 100 acres of dry brush east of Kahului on the Valley Isle of Maui. The blaze began off the side of Haleakala Highway near North Firebreak Road and spread to a fallow sugar cane field. The cause of the fire was unknown. It did not threaten any homes or other structures, and there were no serious injuries reported.||A blaze scorched 215 acres of dry brush near Poipu on Kauai. The fire damaged heavy machinery, trucks, and other equipment stationed at a green waste base-yard. The cause of the fire was under investigation. There were no reports of significant injuries.||Another fire blackened about 100 acres of dry brush and other vegetation on the cliffs of Makana mountain on the North Shore of Kauai. The area was between Haena State Park and Limahuli Gardens. A fire-throwing ceremony to honor the long-distance voyaging vessel Hokulea was suspected in starting the blaze. No serious injuries or property damage were reported.","" +119712,717958,CALIFORNIA,2017,September,Excessive Heat,"SAN FRANCISCO PENINSULA COAST",2017-09-01 13:00:00,PST-8,2017-09-01 16:00:00,0,0,3,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge brought widespread hot temperatures to the Bay Area leading up to and through Labor Day Weekend. Numerous daily and monthly records were broken as well as a few all time record max temperatures. Six Bay Area residents died as a result of the heat.","Three San Mateo county residents died over the weekend as a result of the heat.||Http://www.latimes.com/local/lanow/la-me-ln-six-deaths-heat-wave-bay-area-20170908-story.html.|Http://www.sfgate.com/bayarea/article/Death-toll-from-Bay-Area-heat-wave-hits-6-12180514.php." +118978,714627,SOUTH DAKOTA,2017,September,Hail,"MEADE",2017-09-08 18:17:00,MST-7,2017-09-08 18:17:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-103.1,44.15,-103.1,"A thunderstorm briefly became severe over east of the Black Hills. Hail to quarter size fell from near Sturgis to Box Elder.","" +118978,714628,SOUTH DAKOTA,2017,September,Hail,"MEADE",2017-09-08 18:20:00,MST-7,2017-09-08 18:20:00,0,0,0,0,0.00K,0,0.00K,0,44.1546,-103.0566,44.1546,-103.0566,"A thunderstorm briefly became severe over east of the Black Hills. Hail to quarter size fell from near Sturgis to Box Elder.","" +118978,714629,SOUTH DAKOTA,2017,September,Hail,"PENNINGTON",2017-09-08 18:30:00,MST-7,2017-09-08 18:30:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-103.07,44.12,-103.07,"A thunderstorm briefly became severe over east of the Black Hills. Hail to quarter size fell from near Sturgis to Box Elder.","" +119781,718285,WASHINGTON,2017,September,Wildfire,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-09-01 00:00:00,PST-8,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lightning strike started the Jolly Mountain Fire on August 11, 2017. The fire continues to burn in the Cle Elum Ranger District of the Okanogan-Wenatchee National Forest and on or near land managed by the Washington Department of National Resources and The Nature Conservancy. This fire continued through September into October. On September 2nd, more than 500 homes in the Cle Elum area were threatened. Air quality was considered hazardous or dangerous at times during September over portions of western Kittitas county.","Inciweb." +119791,718317,CALIFORNIA,2017,September,Wildfire,"S SIERRA MTNS",2017-09-01 00:00:00,PST-8,2017-09-15 00:00:00,6,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Railroad Fire started on the afternoon of August 29, 2017, west of Highway 41, 8.75 miles north of Oakhurst, just south of Yosemite National Park near the community of Sugar Pine. The fire spread rapidly in dry brush. Highway 41 between Oakhurst and the south entrance of Yosemite National Park was closed in both directions for about a week with several small communities evacuated, including Tenaya Lodge that serves visitors to Yosemite. The fire burned 12,407 acres before being contained on September 15, 2017. Cost of containment was $20.8 million. There were 17 structures destroyed, including a historic locomotive that wasn���t being used, as well as a passenger car, snowplow, side dump car and refrigerator car that were attached to it that were part of the Yosemite Mountain Sugar Pine Railroad. More than 200 wooden railroad ties also burned. The fire also burned into the Nelder Grove of Giant Sequoia trees.","The Railroad Fire started August 29, 2017 near the community of Sugar Pine along Highway 41, 8.75 miles north of Oakhurst. This area is just south of Yosemite National Park. It spread rapidly, destroying 17 structures, including at least 5 homes, a historic locomotive and the passenger car, snowplow, side dump car and refrigerator car that were attached to it. The fire also burned into the Nelder Grove of Giant Sequoia trees, threatening significant damage." +119801,718377,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CHARLESTON",2017-09-02 02:56:00,EST-5,2017-09-02 03:08:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast South Carolina coast and produced strong damaging wind gusts.","The Weatherflow site at Fort Sumter measured a 51 knot wind gust. The peak gust of 61 knots occurred 10 minutes later." +119276,718141,NORTH DAKOTA,2017,September,Thunderstorm Wind,"LA MOURE",2017-09-19 15:10:00,CST-6,2017-09-19 15:15:00,0,0,0,0,0.00K,0,75.00K,75000,46.4279,-98.4317,46.4279,-98.4317,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","Corn crops were flattened to the ground." +119829,718437,ILLINOIS,2017,September,Dense Fog,"ALEXANDER",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119276,716228,NORTH DAKOTA,2017,September,Thunderstorm Wind,"LA MOURE",2017-09-19 15:22:00,CST-6,2017-09-19 15:27:00,0,0,0,0,30.00K,30000,0.00K,0,46.5386,-98.2407,46.5386,-98.2407,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","Strong thunderstorm wind gusts blew the roof off of a machine shed." +119829,718438,ILLINOIS,2017,September,Dense Fog,"UNION",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119829,718439,ILLINOIS,2017,September,Dense Fog,"JACKSON",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119829,718440,ILLINOIS,2017,September,Dense Fog,"PERRY",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119821,718430,KENTUCKY,2017,September,Flash Flood,"TODD",2017-09-01 03:47:00,CST-6,2017-09-01 12:00:00,0,0,0,0,350.00K,350000,0.00K,0,36.6425,-87.2069,36.6415,-87.2733,"The remnants of Hurricane Harvey brought heavy rainfall and flooding to parts of the Pennyrile region of western Kentucky. The hurricane made landfall near Corpus Christi, Texas on August 28th. The storm produced catastrophic flooding over southeast Texas, where it became nearly stationary. The center of Harvey eventually moved northeast through the Tennessee Valley as a tropical depression. Several bands of heavy rain moved north from Tennessee through Todd and Muhlenberg Counties in Kentucky. Around 8 inches of rain fell in southern Todd County. Minor flooding occurred on the Green River in Muhlenberg County.","Flash flooding in Guthrie prompted evacuations on several residential streets. Homes began flooding before sunrise. Rescue boats were brought in from Muhlenberg County to assist with evacuations. Over 20 homes and businesses were flooded in the Guthrie area. Six of the homes were uninhabitable after sustaining major damage. Three to four feet of water covered the low-lying neighborhood that was evacuated. Standing water over Highways 181 and 171 slowed traffic, but the roads were passable. All county schools were closed due to flooding. A storm total rainfall of 7.81 inches was reported at the Kentucky mesonet site five miles southwest of Elkton. Most of this rain fell in a 24-hour period. A Cocorahs (Community Collaborative Rain, Hail, and Snow) network observer in Guthrie measured 7.10 inches." +119830,718443,MISSOURI,2017,September,Dense Fog,"BOLLINGER",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718444,MISSOURI,2017,September,Dense Fog,"BUTLER",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718445,MISSOURI,2017,September,Dense Fog,"CAPE GIRARDEAU",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718446,MISSOURI,2017,September,Dense Fog,"CARTER",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119891,718684,WYOMING,2017,September,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-09-19 16:55:00,MST-7,2017-09-19 19:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 16/1635 MST." +119891,718685,WYOMING,2017,September,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-09-19 19:25:00,MST-7,2017-09-19 22:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher, with a peak gust of 69 mph at 19/2215 MST." +119891,718686,WYOMING,2017,September,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-09-19 20:00:00,MST-7,2017-09-19 21:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The WYDOT sensor at Interstate 80 mil post 353 measured sustained winds of 40 mph or higher." +119891,718687,WYOMING,2017,September,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-09-19 20:30:00,MST-7,2017-09-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The UPR sensor at Speer measured sustained winds of 40 mph or higher." +119891,718688,WYOMING,2017,September,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-09-19 16:00:00,MST-7,2017-09-19 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 19/2005 MST." +119891,718689,WYOMING,2017,September,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-09-19 21:50:00,MST-7,2017-09-19 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The WYDOT sensor at Wyoming Hill measured peak wind gusts of 58 mph." +119891,718690,WYOMING,2017,September,High Wind,"CENTRAL LARAMIE COUNTY",2017-09-19 17:10:00,MST-7,2017-09-19 20:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 19/1725 MST." +119891,718691,WYOMING,2017,September,High Wind,"CENTRAL LARAMIE COUNTY",2017-09-19 19:00:00,MST-7,2017-09-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","The wind sensor FE Warren AFB measured sustained winds of 40 mph or higher." +119891,718692,WYOMING,2017,September,High Wind,"CENTRAL LARAMIE COUNTY",2017-09-19 20:13:00,MST-7,2017-09-19 20:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong post-frontal west to northwest winds occurred from the central Laramie Range to central Laramie County.","A wind sensor near the Cheyenne Airport measured peak wind gusts of 58 mph." +119904,718717,MASSACHUSETTS,2017,September,Flood,"ESSEX",2017-09-06 10:45:00,EST-5,2017-09-06 14:30:00,0,0,0,0,0.00K,0,0.00K,0,42.701,-71.1603,42.7013,-71.1594,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1045 AM EST, Parker Street in Lawrence was reported flooded and impassable between Merrimack and Market Streets. At 11 AM EST, the intersection of Salem Street and South Union Street was reported flooded and impassable. The Community Cooperative Rain Hail and Snow observer in Andover reported a storm total rainfall of 2.18 inches." +119904,718725,MASSACHUSETTS,2017,September,Thunderstorm Wind,"NORFOLK",2017-09-06 10:24:00,EST-5,2017-09-06 10:24:00,0,0,0,0,1.00K,1000,0.00K,0,42.1903,-70.9858,42.1903,-70.9858,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1024 AM EST, an amateur radio operator reported a tree down in the road near the Stop and Shop store in Braintree." +119904,718719,MASSACHUSETTS,2017,September,Flood,"BARNSTABLE",2017-09-06 13:50:00,EST-5,2017-09-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6643,-70.1769,41.6642,-70.1757,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 150 PM EST, State Route 28 in West Dennis near the Marina Bay Club Condominiums was flooded and impassable. The Community Collaborative Rain Hail Snow observer in South Dennis reported storm total rainfall of 3.57 inches." +119904,718718,MASSACHUSETTS,2017,September,Flood,"ESSEX",2017-09-06 11:24:00,EST-5,2017-09-06 14:30:00,0,0,0,0,0.00K,0,0.00K,0,42.7184,-71.1445,42.7196,-71.1429,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1124 AM EST, an amateur radio operator reported a car trapped in flood waters behind Partham Elementary School in Lawrence. The Automated Surface Observation System platform at Lawrence Airport recorded a storm total rainfall of 2.62 inches." +119908,718741,RHODE ISLAND,2017,September,Thunderstorm Wind,"KENT",2017-09-06 09:30:00,EST-5,2017-09-06 09:30:00,0,0,0,0,2.50K,2500,0.00K,0,41.6742,-71.4828,41.6742,-71.4828,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Rhode Island during Wednesday producing damaging winds and heavy downpours.","At 930 AM EST, a large tree and wires were brought down on Major Potter Road in Warwick, blocking the road." +119932,718803,MASSACHUSETTS,2017,September,Flood,"NORFOLK",2017-09-30 09:30:00,EST-5,2017-09-30 12:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2597,-71.0849,42.259,-71.0827,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 930 AM EST in Milton, Lincoln Street at Brook Road was closed due to flooding." +119932,718805,MASSACHUSETTS,2017,September,Funnel Cloud,"BARNSTABLE",2017-09-30 07:30:00,EST-5,2017-09-30 07:40:00,0,0,0,0,0.00K,0,0.00K,0,41.5425,-70.6067,41.5425,-70.6067,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 730 AM EST in Falmouth, the Cape Cod Times reported two cold air funnel clouds over Falmouth Harbor." +119932,718806,MASSACHUSETTS,2017,September,Hail,"ESSEX",2017-09-30 05:35:00,EST-5,2017-09-30 05:35:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-70.96,42.47,-70.96,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 535 AM EST, one-inch diameter hail was reported in Lynn." +119933,718771,RHODE ISLAND,2017,September,Flood,"PROVIDENCE",2017-09-30 12:09:00,EST-5,2017-09-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7638,-71.4426,41.7636,-71.4407,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. A coupl eof the showers in Rhode Island contained locally heavy downpours, and one contained large hail.","At 1209 PM EST, an amateur radio operator reported that Pontiac Avenue in Cranston was flooded." +115430,705702,MINNESOTA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-11 07:57:00,CST-6,2017-06-11 07:57:00,0,0,0,0,0.00K,0,0.00K,0,44.76,-93.34,44.76,-93.34,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","A large tree was snapped in half in Savage." +115396,694543,MISSOURI,2017,April,Flash Flood,"MONITEAU",2017-04-29 15:47:00,CST-6,2017-04-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.6821,-92.8362,38.5963,-92.8403,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 4 and 6 inches of rain caused flash flooding. Numerous roads were flooded including Route D northwest of Kliever." +115397,692919,ILLINOIS,2017,April,Tornado,"MACOUPIN",2017-04-29 15:04:00,CST-6,2017-04-29 15:05:00,0,0,0,0,0.00K,0,0.00K,0,39.0841,-90.1458,39.09,-90.1357,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","After the tornado crossed into Macoupin County, it continued to the northeast. It crossed Illinois Routes 111/267 just south of intersection with Bachman Road. In this location it broke off numerous large tree limbs as it crossed Bachman Road. Then the tornado dissipated two tenths of a mile north of Bachman Road, about 3.4 miles north of Brighton. Damage was rated EF0 in Macoupin County. Overall, the tornado was rated EF1 with a path length of 2.36 miles and a max path width of 50 yards." +115397,692920,ILLINOIS,2017,April,Thunderstorm Wind,"JERSEY",2017-04-29 14:50:00,CST-6,2017-04-29 14:52:00,0,0,0,0,0.00K,0,0.00K,0,38.9355,-90.2927,38.9434,-90.2896,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","A damaging microburst caused extensive damage to the Piasa Marina. One large boat dock was destroyed. An unoccupied building sustained moderate roof damage. Several trees were snapped off in an area extending from the marina northward along Lockhaven Road for about half a mile." +118717,713216,TEXAS,2017,June,Thunderstorm Wind,"NUECES",2017-06-04 17:07:00,CST-6,2017-06-04 17:11:00,0,0,0,0,10.00K,10000,0.00K,0,27.7112,-97.3214,27.71,-97.32,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Images submitted through social media showed a wooden gazebo destroyed and blown into the road." +118717,713222,TEXAS,2017,June,Hail,"GOLIAD",2017-06-04 17:15:00,CST-6,2017-06-04 17:20:00,0,0,0,0,250.00K,250000,0.00K,0,28.6636,-97.3907,28.6701,-97.3835,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Baseball sized hail occurred in the city of Goliad." +118717,713226,TEXAS,2017,June,Hail,"GOLIAD",2017-06-04 17:15:00,CST-6,2017-06-04 17:20:00,0,0,0,0,5.00K,5000,0.00K,0,28.6742,-97.4026,28.6786,-97.3893,"A weak upper level disturbance moving out of Mexico, to the south of an upper level low over northwest Texas, combined with an unstable air mass and the sea breeze boundary during the afternoon to produce scattered severe thunderstorms over the Coastal Bend into the Victoria Crossroads. The thunderstorms produced hail generally from quarter to golf ball size and wind gusts to around 60 mph.","Quarter sized hail occurred on the north side of Goliad." +115397,694473,ILLINOIS,2017,April,Flash Flood,"MONTGOMERY",2017-04-29 19:30:00,CST-6,2017-04-30 00:15:00,0,0,0,0,0.00K,0,0.00K,0,39.2472,-89.2749,39.2838,-89.7032,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 3 and 6 inches of rain fell over a 3 day period causing flash flooding. Numerous roads were flooded including Illinois Route 127 in numerous locations." +119919,718745,CALIFORNIA,2017,September,Lightning,"SAN MATEO",2017-09-11 17:00:00,PST-8,2017-09-11 17:05:00,0,0,0,0,0.00K,0,0.00K,0,37.5244,-122.5092,37.5244,-122.5092,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","News report from KRON showed lightning struck a tree in San Mateo County on Pearl Ave causing a tree to crash into and damage a home." +119919,718746,CALIFORNIA,2017,September,Lightning,"SAN FRANCISCO",2017-09-11 17:36:00,PST-8,2017-09-11 17:41:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-122.47,37.76,-122.47,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Trained spotter reported lightning." +119919,718747,CALIFORNIA,2017,September,Hail,"SANTA CRUZ",2017-09-11 15:26:00,PST-8,2017-09-11 15:31:00,0,0,0,0,0.00K,0,0.00K,0,36.9924,-121.75,36.9924,-121.75,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Pea sized hail reported by spotter near Watsonville." +119554,717393,OREGON,2017,September,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-09-23 01:00:00,PST-8,2017-09-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 21 to 27 degrees." +119919,718743,CALIFORNIA,2017,September,Flood,"SAN FRANCISCO",2017-09-11 20:18:00,PST-8,2017-09-11 20:48:00,0,0,0,0,0.00K,0,0.00K,0,37.773,-122.4072,37.7729,-122.4075,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Roadway flooding at 455 8th St." +119919,718744,CALIFORNIA,2017,September,Lightning,"SAN MATEO",2017-09-11 06:49:00,PST-8,2017-09-11 06:54:00,0,0,0,0,0.00K,0,0.00K,0,37.6344,-122.4869,37.6344,-122.4869,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Lightning strike caused damage to a residence on Tablot Ave in Pacifica." +115430,696189,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:39:00,CST-6,2017-06-11 06:39:00,2,0,0,0,0.00K,0,0.00K,0,45.16,-94.27,45.16,-94.27,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","There were 18 inch diameter trees fallen on the highway. In addition, the Minnesota State Patrol reported two people were hurt when wind gusts flipped a pickup and camper as the driver was moving onto the shoulder on a county road in Meeker County. They were taken to a hospital with non-life threatening injuries." +115396,692859,MISSOURI,2017,April,Hail,"ST. LOUIS",2017-04-29 14:39:00,CST-6,2017-04-29 14:39:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-90.43,38.77,-90.43,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +112882,675724,INDIANA,2017,March,Tornado,"ORANGE",2017-03-01 05:38:00,EST-5,2017-03-01 05:39:00,1,0,0,0,75.00K,75000,0.00K,0,38.6884,-86.33,38.688,-86.3282,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","This is an extension of the Lawrence County EF-2 tornado that briefly crossed into Orange County before lifting. The tornado produced EF-1 level damage in Orange County, destroying two mobile homes. One mobile home rolled over onto a new vehicle where three occupants were unhurt. The car ended up inside the living room of the mobile home. The other mobile home took a direct hit, taking the roof off and blowing the walls out of half of the home. An occupant of the home was blown into the field with home debris, while leaving living room furniture in place. The resident received only minor injuries." +115430,705696,MINNESOTA,2017,June,Hail,"KANDIYOHI",2017-06-11 06:20:00,CST-6,2017-06-11 06:20:00,0,0,0,0,0.00K,0,0.00K,0,45.14,-95.06,45.14,-95.06,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Hail was reported by KWLM Radio." +118618,712542,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 15:59:00,CST-6,2017-06-29 15:59:00,0,0,0,0,0.00K,0,0.00K,0,42.41,-96.21,42.41,-96.21,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712543,IOWA,2017,June,Hail,"SIOUX",2017-06-29 16:08:00,CST-6,2017-06-29 16:08:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-96.32,42.98,-96.32,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","Hail covering the ground." +118618,712544,IOWA,2017,June,Hail,"WOODBURY",2017-06-29 16:18:00,CST-6,2017-06-29 16:18:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-96.04,42.34,-96.04,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +118618,712546,IOWA,2017,June,Hail,"SIOUX",2017-06-29 16:30:00,CST-6,2017-06-29 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-96.17,43.08,-96.17,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued across northwest Iowa during the evening hours. The storms produced quite a swath of hail as they progressed across the area.","" +119203,716264,MISSOURI,2017,May,Thunderstorm Wind,"REYNOLDS",2017-05-27 14:15:00,CST-6,2017-05-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,37.45,-90.85,37.45,-90.85,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +119203,716266,MISSOURI,2017,May,Thunderstorm Wind,"CALLAWAY",2017-05-27 14:18:00,CST-6,2017-05-27 14:18:00,0,0,0,0,0.00K,0,0.00K,0,38.7245,-92.0712,38.7245,-92.0712,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds split a large tree in half. One half fell onto U.S. Highway 54." +119203,716267,MISSOURI,2017,May,Thunderstorm Wind,"OSAGE",2017-05-27 14:20:00,CST-6,2017-05-27 14:45:00,0,0,0,0,0.00K,0,0.00K,0,38.3393,-92.1403,38.293,-91.7208,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","A line of severe storms moved eastward across Osage County. The strongest storm tracked across the southern portions of the county, knocking down numerous trees, tree limbs and power lines. Several trees were blown down onto Highway P just northeast of Meta. Also, a large tree was blown down onto U.S. Highway 63 near Freeburg." +118838,715427,MISSISSIPPI,2017,June,Flood,"HARRISON",2017-06-21 08:00:00,CST-6,2017-06-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4395,-88.9917,30.4256,-89.0075,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","Heavy rain across Harrison County and just north in Stone County caused the Biloxi River caused moderate flooding of the Biloxi River from Wortham to Lyman. Near Wortham, a few roads were impassible due to the flooding. Near Lyman, a few roads in the Retreat and Riverland Village subdivisions were impassible." +118837,715566,GULF OF MEXICO,2017,June,Marine Tropical Storm,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-06-20 09:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Frequent tropical storm force gusts and occasional sustained tropical storm force winds were common across the marine zone. A maximum gust of 47 kts, or 54 mph, was reported by the Southwest Pass C-Man station (BURL1) at 12:00pm CST on the 20th. The same station reported a maximum sustained wind of 41 kts, or 47 mph at the same time. The anemometer for this station is approximately 38 meters above sea level. The Grand Isle C-Man (GISL1), which has an anemometer height of just 6.6 meters above sea level, reported a maximum gust of 43 kts, or 49 mph, at 6pm CST on the 20th. It reported a maximum sustained wind speed of 34 kts, or 39 mph, at 5:42pm CST on the 20th." +118590,712394,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 16:45:00,CST-6,2017-06-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-98.83,43.34,-98.83,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,713001,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 16:45:00,CST-6,2017-06-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.3399,-98.8272,43.3399,-98.8272,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118838,715417,MISSISSIPPI,2017,June,Storm Surge/Tide,"HANCOCK",2017-06-20 00:00:00,CST-6,2017-06-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southern Mississippi. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds. One tornado was also confirmed on the Mississippi Gulf Coast.||The minimum sea level pressure of 1007.1 mb, along with the highest wind gust and highest sustained wind in southern Mississippi were all measured by the Gulfport Airport ASOS (KGPT). The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in was 33 knots, or 38 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. ||A storm tide of generally 2 to 4 feet occurred along the Gulf Coast from Harrison County through Jackson County. The highest measured storm tide was 4.06 ft MHHW at a National Ocean Service gauge at Bay Waveland in Hancock County. The elevated tides resulted in minor to moderate flooding mainly of low lying land, as well as some beach erosion. ||One long lived rain band resulted in very heavy rainfall across eastern Harrison County and western Jackson County. In these areas, many places reported 13 to 17 inches of rain, with a maximum of 18.74 inches reported by a CoCoRaHS observer in Ocean Springs. Elsewhere across the Mississippi coast, widespread rainfall totals of 7 to 10 inches were common. The heavy rainfall led to minor to moderate river flooding as well as flash flooding.||One tornado was confirmed in Harrison County when a waterspout came ashore from the Mississippi Sound near Biloxi.","The National Ocean Service gauge at Bay Waveland Yacht Club recorded a maximum water level of 4.31 ft NAVD88, which was 4.04 ft above the predicted tide level at 12:48am on the 21st. The elevated water levels resulted in moderate impacts around Bay St. Louis - especially in the Shoreline Park area. Hundreds of streets near the coast were inundated with 1 to 2 feet of water. A few of the lowest lying streets saw up to 3 feet of inundation. No homes or businesses were reported damaged." +116328,699561,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-06 18:06:00,EST-5,2017-07-06 18:10:00,0,0,0,0,,NaN,,NaN,33.95,-81.35,33.95,-81.35,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Public report via social media of trees down, including one down on a house." +116350,699639,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BAMBERG",2017-07-09 16:33:00,EST-5,2017-07-09 16:38:00,0,0,0,0,,NaN,,NaN,33.1,-81,33.1,-81,"A stalled front across the southern Midlands of SC contributed to shower and thunderstorm activity, a few of which reached severe limits.","Trees down in Ehrhardt, including one down on a power line on Buttermilk Rd." +116369,699733,MONTANA,2017,July,Hail,"WIBAUX",2017-07-10 18:45:00,MST-7,2017-07-10 18:45:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-104.19,46.84,-104.19,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A motorist reported quarter size hail on Montana Highway 7 approximately 10 miles south of Wibaux. The report was received via social media." +116287,699745,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-05 00:05:00,CST-6,2017-07-05 00:05:00,0,0,0,0,,NaN,,NaN,46.66,-96.02,46.66,-96.02,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","A large hailstones fell along with very heavy rain." +116416,700042,SOUTH DAKOTA,2017,July,Hail,"PENNINGTON",2017-07-12 13:15:00,MST-7,2017-07-12 13:15:00,0,0,0,0,0.00K,0,0.00K,0,43.9684,-103.3437,43.9684,-103.3437,"A thunderstorm produced dime to nickel sized hail in the Rockerville area.","" +116449,700326,ILLINOIS,2017,July,Hail,"MCLEAN",2017-07-04 14:20:00,CST-6,2017-07-04 14:25:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-89,40.52,-89,"Isolated thunderstorms developed near a stationary frontal boundary draped across north-central Illinois during the early afternoon of July 4th. One cell produced nickel-sized hail at the Bloomington Airport, while another dropped nickel hail in Normal.","" +117200,704900,ATLANTIC SOUTH,2017,July,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-07 07:02:00,EST-5,2017-07-07 07:06:00,0,0,0,0,,NaN,,NaN,26.11,-79.97,26.11,-79.97,"Morning showers and thunderstorms produced waterspouts over the Atlantic waters. Environmental conditions were favorable with light variable winds seen on the morning sounding as well as a boundary along the east coast.","CBS4 Miami relayed a photograph of a waterspout just east of Port Everglades." +117216,704966,COLORADO,2017,July,Flash Flood,"EL PASO",2017-07-18 16:45:00,MST-7,2017-07-18 17:30:00,0,0,0,0,0.00K,0,0.00K,0,38.7766,-104.7656,38.7836,-104.7268,"A nearly stationary thunderstorm produced street flooding in and around Security.","Street flooding with water well over 6 inches deep occurred in downtown Security and a small area around." +117259,705309,NEBRASKA,2017,July,Hail,"FRONTIER",2017-07-02 20:46:00,CST-6,2017-07-02 20:46:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-100.29,40.36,-100.29,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117294,705489,NEBRASKA,2017,July,Thunderstorm Wind,"BLAINE",2017-07-25 23:30:00,CST-6,2017-07-25 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-99.87,42.05,-99.87,"Two compact quasi-linear systems moved east across the Sandhills during the late evening and early overnight hours. Up to 70 mph winds were reported in Thomas County. Another cluster of supercells impacted far southwest Nebraska, toppling irrigation pivots in Perkins County.","Public estimated 60 mph wind gusts north of Brewster." +117429,706167,OHIO,2017,July,Flash Flood,"HARDIN",2017-07-13 05:15:00,EST-5,2017-07-13 06:15:00,0,0,0,0,5.00K,5000,0.00K,0,40.7848,-83.6448,40.7855,-83.6386,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Numerous vehicles were stranded in high water on US Route 68." +117463,706459,ILLINOIS,2017,July,Thunderstorm Wind,"WHITE",2017-07-23 04:35:00,CST-6,2017-07-23 04:35:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-88.07,38.17,-88.07,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","A trained spotter measured a wind gust to 60 mph." +119128,715437,NORTH CAROLINA,2017,July,Hail,"CALDWELL",2017-07-22 14:11:00,EST-5,2017-07-22 14:11:00,0,0,0,0,,NaN,,NaN,35.907,-81.726,35.907,-81.726,"Isolated thunderstorms developed over western North Carolina throughout the afternoon and early evening. A couple of the storms produced brief severe weather, mainly in the form of damaging winds.","Public reported quarter size hail at Brown Mountain Beach Campground." +119136,715502,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"WALWORTH",2017-07-20 21:48:00,CST-6,2017-07-20 21:48:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-100.12,45.33,-100.12,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","Sixty mph winds were estimated." +119154,715607,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUFFALO",2017-07-04 22:20:00,CST-6,2017-07-04 22:20:00,0,0,0,0,,NaN,0.00K,0,44.2,-99.1,44.2,-99.1,"A thunderstorm brought damaging winds up to eighty mph in Buffalo county.","Many trees were downed over a three quarter mile swath along with many large tree branches downed." +119062,715810,ATLANTIC NORTH,2017,July,Marine Hail,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 18:36:00,EST-5,2017-07-01 18:36:00,0,0,0,0,0.00K,0,0.00K,0,38.2062,-76.5751,38.2062,-76.5751,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Penny sized hail was estimated nearby." +112882,674347,INDIANA,2017,March,Thunderstorm Wind,"ORANGE",2017-03-01 05:40:00,EST-5,2017-03-01 05:40:00,0,0,0,0,75.00K,75000,0.00K,0,38.5316,-86.4171,38.5221,-86.3922,"The combination of a moist and unseasonably warm air mass and an approaching low pressure system and cold front brought multiple rounds of severe weather to southern Indiana during the early morning hours on March 1. In the end, there were 5 tornadoes across southern Indiana, the strongest being an EF-2 that tracked through portions of Dubois County. In addition to the tornadoes, there were several areas of intense straight-line winds estimated up to 100 mph in places. The impacts included numerous areas of structural damage and downed trees. The widespread heavy rain brought the Muscatatuck River at Deputy into minor flood.","A NWS Storm Survey in conjunction with Orange County Emergency Management concluded that straight line winds impacted a nearly 2 mile stretch along US Highway 150 southeast of Paoli. The hardest hit areas was southeast of Paoli where damage occurred to roofs and numerous softwood trees were uprooted. A truck was completely smashed by a downed tree, along with roof and foundation damage to a house from a fallen tree. Max winds were estimated between 75 and 80 mph along the sporadic half mile wide path." +118614,712515,SOUTH DAKOTA,2017,June,Hail,"TURNER",2017-06-28 23:04:00,CST-6,2017-06-28 23:04:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-96.98,43.24,-96.98,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118617,712530,SOUTH DAKOTA,2017,June,Hail,"YANKTON",2017-06-29 16:48:00,CST-6,2017-06-29 16:48:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-97.39,42.89,-97.39,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","Social media report." +115138,691146,MISSOURI,2017,April,Thunderstorm Wind,"WARREN",2017-04-26 03:05:00,CST-6,2017-04-26 03:17:00,0,0,0,0,0.00K,0,0.00K,0,38.7458,-91.1944,38.7348,-90.9634,"As a system moved across the region, thunderstorms developed. Some of the storms produced large hail and damaging winds.","A wide swath of damaging winds was along and south of I-70 in Warren County. In Holstein, a tree was blocking Mill Road near intersection with Highway N. A tree was blocking Highway EE at intersection with Pendleton Forest Road, about 6 miles southeast of Jonesburg. In Dutzow, a tree was on fire and power lines were blown down onto Highway TT at intersection with Highway 94. About 3 miles south of Wright City, a tree was blown down blocking the intersection of Highways M and F. Also, another tree was blown down onto Highway OO just east of intersection with Highway M." +119389,716560,ILLINOIS,2017,June,Hail,"KANE",2017-06-13 14:24:00,CST-6,2017-06-13 14:24:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-88.32,41.77,-88.32,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Nickel size hail was reported near Aurora." +119389,716562,ILLINOIS,2017,June,Hail,"WILL",2017-06-13 14:52:00,CST-6,2017-06-13 14:53:00,0,0,0,0,0.00K,0,0.00K,0,41.6514,-88.2134,41.6514,-88.2134,"Scattered thunderstorms occurred during the afternoon of June 13th into the early morning hours of June 14th producing hail, heavy rain and flash flooding.","Quarter size hail was reported near 127th Street and Van Dyke Road." +119392,716910,ILLINOIS,2017,June,Thunderstorm Wind,"MCHENRY",2017-06-14 12:42:00,CST-6,2017-06-14 12:45:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-88.45,42.38,-88.35,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Multiple trees were blown down between Woodstock and Wonder Lake. A tree was blocking the road at Banford and Queen Anne and another tree was blocking Thompson north of Route 120." +119392,716913,ILLINOIS,2017,June,Thunderstorm Wind,"IROQUOIS",2017-06-14 13:55:00,CST-6,2017-06-14 13:55:00,0,0,0,0,0.00K,0,0.00K,0,40.8235,-87.9507,40.8235,-87.9507,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A large tree was snapped." +119392,716914,ILLINOIS,2017,June,Hail,"IROQUOIS",2017-06-14 13:55:00,CST-6,2017-06-14 13:55:00,0,0,0,0,0.00K,0,0.00K,0,40.7845,-87.98,40.7845,-87.98,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","" +119392,716918,ILLINOIS,2017,June,Thunderstorm Wind,"LAKE",2017-06-14 13:55:00,CST-6,2017-06-14 13:55:00,0,0,0,0,0.50K,500,0.00K,0,42.2774,-88.1293,42.2774,-88.1293,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","A tree and power lines were blown down near Bonner Road and Madison Avenue." +119392,716920,ILLINOIS,2017,June,Hail,"LAKE",2017-06-14 14:07:00,CST-6,2017-06-14 14:08:00,0,0,0,0,0.00K,0,0.00K,0,42.2224,-87.97,42.2224,-87.97,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","" +119392,716923,ILLINOIS,2017,June,Flood,"MCHENRY",2017-06-14 15:05:00,CST-6,2017-06-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2278,-88.3298,42.2268,-88.3287,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Standing water estimated to be 5 inches deep was reported near US14 and Keith Avenue." +119392,716925,ILLINOIS,2017,June,Flood,"BOONE",2017-06-14 15:17:00,CST-6,2017-06-14 16:30:00,0,0,0,0,0.00K,0,0.00K,0,42.169,-88.7855,42.1667,-88.7856,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Standing water estimated to be 4 inches deep was reported at Davis School and Glidden Roads." +119392,716931,ILLINOIS,2017,June,Thunderstorm Wind,"LA SALLE",2017-06-14 15:24:00,CST-6,2017-06-14 15:24:00,0,0,0,0,20.00K,20000,0.00K,0,41.1476,-89.07,41.1476,-89.07,"Severe thunderstorms produced large hail, damaging winds and heavy rain across many parts of northeast Illinois during the afternoon and evening of June 14th.","Two barns were destroyed." +119125,720483,FLORIDA,2017,September,Flash Flood,"DUVAL",2017-09-10 23:53:00,EST-5,2017-09-10 23:53:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.74,30.3086,-81.7443,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","A social media post showed standing water in a home off of Ellis Road near the Murray Hill area of Jacksonville." +120206,720241,FLORIDA,2017,September,Thunderstorm Wind,"INDIAN RIVER",2017-09-29 19:02:00,EST-5,2017-09-29 19:02:00,0,0,0,0,0.50K,500,0.00K,0,27.7853,-80.4633,27.7853,-80.4633,"A cluster of thunderstorms which moved onshore and affected northeast Indian River County produced isolated wind damage to a few homes in the town of Sebastian.","A cluster of thunderstorms moved onshore from the Atlantic and spread inland, affecting the town of Sebastian. On Gilbert Street, some homes lost shingles and a fence was blown town. Nearby on Canal Circle, a home experienced minor roof damage and several surrounding homes lost some shingles." +119125,720488,FLORIDA,2017,September,Flash Flood,"FLAGLER",2017-09-11 02:13:00,EST-5,2017-09-11 02:13:00,0,0,0,0,0.00K,0,0.00K,0,29.494,-81.2201,29.4962,-81.2203,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Waist deep water was reported along Emerson Drive in Palm Coast." +119729,718076,CALIFORNIA,2017,September,Excessive Heat,"W CENTRAL S.J. VALLEY",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from September 1 through September 3." +119729,718081,CALIFORNIA,2017,September,Excessive Heat,"SW S.J. VALLEY",2017-09-01 10:00:00,PST-8,2017-09-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from September 1 through September 3." +119157,715617,NEW HAMPSHIRE,2017,July,Flash Flood,"GRAFTON",2017-07-01 15:29:00,EST-5,2017-07-01 21:00:00,0,0,0,0,100.00K,100000,0.00K,0,44.15,-71.78,44.14,-71.7842,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds. In addition, very heavy rain associated with these cells produced extensive flash flooding to many area roads with damage totaling in the millions.","Thunderstorms produced 2 to 5 inches of rain in Easton washing out portions of Route 116." +116076,697645,MINNESOTA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 03:30:00,CST-6,2017-05-16 03:34:00,0,0,0,0,,NaN,,NaN,43.74,-95.32,43.74,-95.32,"Severe thunderstorms produced strong winds in portions of southwest Minnesota during the early morning hours of the 16th.","Report received via Social Media." +116076,697666,MINNESOTA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-16 03:45:00,CST-6,2017-05-16 04:00:00,0,0,0,0,0.00K,0,,NaN,43.6386,-95.1759,43.6386,-95.1759,"Severe thunderstorms produced strong winds in portions of southwest Minnesota during the early morning hours of the 16th.","Wind Gusts measured by State of Minnesota Department of Transportation Weather Sensor along Interstate 90." +115085,690759,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BROOKINGS",2017-05-28 17:26:00,CST-6,2017-05-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-97.01,44.28,-97.01,"Thunderstorms were moving into portions of east central South Dakota when the storms produced a microburst resulting in very strong winds and widespread damage.","Severe large branches downed." +115085,690760,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BROOKINGS",2017-05-28 17:26:00,CST-6,2017-05-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,44.29,-97.01,44.29,-97.01,"Thunderstorms were moving into portions of east central South Dakota when the storms produced a microburst resulting in very strong winds and widespread damage.","Seven inch diameter tree branch downed." +115085,690761,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"MOODY",2017-05-28 17:45:00,CST-6,2017-05-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-96.82,43.96,-96.82,"Thunderstorms were moving into portions of east central South Dakota when the storms produced a microburst resulting in very strong winds and widespread damage.","Six inch diameter tree branch downed." +118808,713657,NEBRASKA,2017,June,Hail,"CHEYENNE",2017-06-07 15:07:00,MST-7,2017-06-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-102.98,41.15,-102.98,"Thunderstorms produced large hail, strong winds and locally heavy rain across portions of the Nebraska Panhandle.","Quarter size hail covered the ground three to four inches deep at Sidney." +118809,713666,WYOMING,2017,June,Hail,"NIOBRARA",2017-06-07 15:10:00,MST-7,2017-06-07 15:14:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-104.27,43.2,-104.27,"Thunderstorms produced large hail and damaging winds in northeast Goshen and Niobrara counties.","Quarter size hail covered the ground south of Redbird." +117945,708990,IOWA,2017,July,Thunderstorm Wind,"CHICKASAW",2017-07-19 16:20:00,CST-6,2017-07-19 16:20:00,0,0,0,0,3.00K,3000,0.00K,0,43.2,-92.42,43.2,-92.42,"A line of severe thunderstorms moved across northeast Iowa during the late afternoon of July 19th. These storms produced two tornadoes. The first, an EF-0, touched down north of Elma (Howard County) and damaged some crops. The second tornado, an EF-1, touched down west of McGregor (Clayton County) and then moved east through McGregor before dissipating over the Mississippi River. The tornado did extensive damage to the downtown area where two buildings were completely destroyed and numerous others were damaged. One person was killed in an accident cleaning up debris from the tornado when a tractor rolled and pinned the person beneath it. The storms produced a path of damaging winds from Nora Springs (Floyd County) and Mitchell (Osage County) east to Waukon (Allamakee County). Within this path, winds were estimated to range from 65 to 80 mph with numerous trees and power lines blown down. Southeast of Waukon, a barn was blown down trapping a farmer in the debris. The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","An estimated 70 mph wind gust occurred in Alta Vista that blew down numerous trees." +118638,712806,IOWA,2017,July,Flash Flood,"CLAYTON",2017-07-21 20:22:00,CST-6,2017-07-22 03:00:00,0,0,0,0,950.00K,950000,11.20M,11200000,42.9046,-91.1552,42.972,-91.6056,"A round of thunderstorms moved across northeast Iowa during the morning and afternoon of July 21st. These storms dropped locally heavy rains that produced some flash flooding in Fayette and Chickasaw Counties. Most of the flash flooding was limited to water over some roads northwest of Westgate (Fayette County) and south of Boyd (Chickasaw County). A second round of storms moved across the region during the evening of July 21st into the early morning of July 22nd. These storms produced heavy rains with totals of 4 to 8 inches common across Chickasaw into Fayette and Clayton Counties. The flash flooding caused numerous road closures across Clayton County with rock and mud slides occurring. A few rescues had to be performed near Guttenberg (Clayton County). In Fredericksburg (Chickasaw County) water from the East Fork of the Wapsipinicon River was over U.S. Highway 18 and sandbagging had to be done in New Hampton (Chickasaw County). A road was partially washed out northwest of Nashua (Floyd County). The Governor of Iowa declared a disaster proclamation for Allamakee, Chickasaw, Clayton, Fayette, Floyd and Winneshiek Counties. The President of the United States issued a disaster declaration for Allamakee, Chickasaw, Fayette and Mitchell Counties.","After heavy rains of 4 to 8 inches, flash flooding occurred across the southern half of Clayton County. Flooding along Roberts and Dry Mill Creeks washed out County Road C1X east of Elkader. Numerous other roads were closed across the county due to inundation, rock slides and mud slides with the hardest hit part of the county between Garber and Guttenberg. Near Guttenberg, the residents of three homes had to be rescued from flood waters on Miners Creek. The flooding heavily damaged a bridge over Miners Creek, took out a 30 foot retaining wall, damaged the inventory of two business and undercut railroad tracks." +115587,694233,TENNESSEE,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-27 20:26:00,CST-6,2017-05-27 20:26:00,0,0,0,0,1.00K,1000,0.00K,0,35.3568,-86.5221,35.3568,-86.5221,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tree was blown down on Shelbyville Highway just north of the Lincoln County Line." +115040,693975,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 01:26:00,EST-5,2017-04-10 01:31:00,0,0,0,0,50.00K,50000,0.00K,0,46.36,-87.98,46.36,-87.98,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","A trained spotter reported numerous trees and a few power poles downed around South Republic. At least one tree fell on the roof of a house. The strong wind also tipped over a pull behind camper trailer and bent over a street sign. Hail of unknown size was also reported." +115040,690552,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 01:48:00,EST-5,2017-04-10 01:53:00,0,0,0,0,100.00K,100000,0.00K,0,46.49,-87.74,46.49,-87.74,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","The regional central dispatch center reported large power poles down near the intersection of Highway US-41 and County Road 496 in West Ishpeming." +115040,690610,MICHIGAN,2017,April,Thunderstorm Wind,"MARQUETTE",2017-04-10 02:00:00,EST-5,2017-04-10 02:05:00,0,0,0,0,35.00K,35000,0.00K,0,46.54,-87.57,46.54,-87.57,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","There was a public report of a garage moved off its foundation and windows broken in a house in Negaunee Township along Cedar Lane and Airport Circle." +115040,693990,MICHIGAN,2017,April,Thunderstorm Wind,"IRON",2017-04-09 23:48:00,CST-6,2017-04-09 23:55:00,0,0,0,0,20.00K,20000,0.00K,0,46.18,-88.51,46.18,-88.51,"An upper level disturbance interacted with a warm, moist and unstable air mass ahead of a stalled out cold front and produced several severe thunderstorms over central Upper Michigan from the evening of the 9th into the morning of the 10th.","The Iron County Sheriff reported numerous trees down across the Bates-Amasa Road resulting in its closure. Numerous trees were downed in the Amasa area as well. The time of the report was estimated from radar." +115619,694545,MICHIGAN,2017,April,Winter Storm,"IRON",2017-04-11 01:00:00,CST-6,2017-04-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance and wave of low pressure moving through the Central Great Lakes produced a wintry mix of moderate to heavy snow, sleet and freezing rain across much of Upper Michigan from the 10th into the 11th.","There were several reports of eight to ten inches of wet, heavy snow over an approximate five-hour time period from Iron River to Amasa and Crystal Falls. The wet, heavy snow made for treacherous travel on the 11th as many Iron County schools closed for the day." +117453,707250,IOWA,2017,June,Thunderstorm Wind,"WARREN",2017-06-28 16:09:00,CST-6,2017-06-28 16:09:00,0,0,0,0,5.00K,5000,0.00K,0,41.4827,-93.7858,41.4827,-93.7858,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a tree snapped off near the Warren/Madison County line." +114396,686092,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:43:00,CST-6,2017-03-06 19:44:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.85,39.01,-94.85,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114396,686094,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:34:00,CST-6,2017-03-06 19:38:00,0,0,0,0,,NaN,,NaN,38.98,-94.85,38.98,-94.85,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114396,686095,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:38:00,CST-6,2017-03-06 19:42:00,0,0,0,0,,NaN,,NaN,39.01,-94.85,39.01,-94.85,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +115724,695451,NORTH CAROLINA,2017,April,High Wind,"ASHE",2017-04-06 22:30:00,EST-5,2017-04-07 02:00:00,0,0,0,0,7.50K,7500,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure deepened as it progressed from the Ohio Valley to New York. Winds increased on the backside of the system and produced wind gusts around 60 mph that downed numerous trees in both Ashe and Watauga counties and a traffic sign in Alleghany County.","Northwest winds downed ten to fifteen trees across the county. Damage values are estimated." +114396,686099,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:48:00,CST-6,2017-03-06 19:51:00,0,0,0,0,,NaN,,NaN,38.85,-94.76,38.85,-94.76,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Public reported several trees down and uprooted near Olathe." +114396,686101,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:48:00,CST-6,2017-03-06 19:51:00,0,0,0,0,,NaN,,NaN,39.0001,-94.7479,39.0001,-94.7479,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114222,685740,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 19:55:00,CST-6,2017-03-06 19:58:00,0,0,0,0,,NaN,,NaN,39.08,-94.58,39.08,-94.58,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115587,694148,TENNESSEE,2017,May,Thunderstorm Wind,"SUMNER",2017-05-27 18:15:00,CST-6,2017-05-27 18:15:00,0,0,0,0,3.00K,3000,0.00K,0,36.3953,-86.4437,36.3953,-86.4437,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated a tree fell on car on Hull Circle in Gallatin." +115587,694149,TENNESSEE,2017,May,Thunderstorm Wind,"SUMNER",2017-05-27 18:15:00,CST-6,2017-05-27 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.3474,-86.4769,36.3474,-86.4769,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A tSpotter Twitter report indicated a tree was snapped at the Gallatin Marina." +115587,694152,TENNESSEE,2017,May,Hail,"PUTNAM",2017-05-27 18:26:00,CST-6,2017-05-27 18:26:00,0,0,0,0,0.00K,0,0.00K,0,36.0981,-85.507,36.0981,-85.507,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","" +115587,694153,TENNESSEE,2017,May,Thunderstorm Wind,"TROUSDALE",2017-05-27 18:30:00,CST-6,2017-05-27 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.4,-86.17,36.4,-86.17,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down throughout Trousdale County with many roads were blocked and impassable." +115587,694157,TENNESSEE,2017,May,Thunderstorm Wind,"WILSON",2017-05-27 18:43:00,CST-6,2017-05-27 18:43:00,0,0,0,0,5.00K,5000,0.00K,0,36.1,-86.14,36.1,-86.14,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Wilson County Emergency Management reported a tree was blown down on a house and a car at 245 Cornwell Avenue in Watertown. Another tree was blown down blocking the roadway at 1966 South Commerce Road." +115587,694226,TENNESSEE,2017,May,Thunderstorm Wind,"MAURY",2017-05-27 19:49:00,CST-6,2017-05-27 19:49:00,0,0,0,0,2.00K,2000,0.00K,0,35.6135,-87.1437,35.6135,-87.1437,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","Trees were blown down on Hampshire Pike at Tindell Line." +117794,708335,IOWA,2017,July,Heavy Rain,"CLAYTON",2017-07-11 19:00:00,CST-6,2017-07-12 03:50:00,0,0,0,0,87.00K,87000,22.00K,22000,42.81,-91.1,42.81,-91.1,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Near Guttenberg, 5.65 inches of rain fell." +117794,708330,IOWA,2017,July,Hail,"CLAYTON",2017-07-11 20:53:00,CST-6,2017-07-11 20:53:00,0,0,0,0,15.00K,15000,2.00K,2000,42.76,-91.26,42.76,-91.26,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Golf ball sized hail fell north of Garber." +117794,708331,IOWA,2017,July,Flash Flood,"CLAYTON",2017-07-11 22:26:00,CST-6,2017-07-12 03:15:00,0,0,0,0,59.00K,59000,8.00K,8000,42.6681,-91.2003,42.6471,-91.133,"Slow moving thunderstorms developed over northeast Iowa during the evening of July 11th. All of the severe weather occurred in Clayton County. Golf ball sized hail fell near Garber, power poles were blown down in Elkader and residents were evacuated near Osterdock because of flash flooding along the Little Turkey River and Mill Creek.","Runoff from heavy rains caused Mill Creek and the Little Turkey River to go out of their banks. Fifteen to twenty homes along these two streams had to be evacuated. More than a dozen roads across the southeast part of Clayton County were washed out." +116084,697705,IOWA,2017,May,Thunderstorm Wind,"LYON",2017-05-28 18:53:00,CST-6,2017-05-28 18:54:00,0,0,0,0,0.00K,0,0.00K,0,43.44,-95.88,43.44,-95.88,"Severe Thunderstorms moved through northwest Iowa and produced strong winds.","Four inch diameter tree branches were downed." +116084,697706,IOWA,2017,May,Thunderstorm Wind,"OSCEOLA",2017-05-28 19:04:00,CST-6,2017-05-28 19:04:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-95.69,43.35,-95.69,"Severe Thunderstorms moved through northwest Iowa and produced strong winds.","Three diameter tree branches were downed." +116083,697702,MINNESOTA,2017,May,Thunderstorm Wind,"ROCK",2017-05-28 18:27:00,CST-6,2017-05-28 18:29:00,0,0,0,0,,NaN,,NaN,43.66,-96.21,43.66,-96.21,"Severe Thunderstorms moved through southwest Minnesota and produced strong winds.","Tree downed." +116083,697704,MINNESOTA,2017,May,Thunderstorm Wind,"ROCK",2017-05-28 18:29:00,CST-6,2017-05-28 18:29:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-96.22,43.62,-96.22,"Severe Thunderstorms moved through southwest Minnesota and produced strong winds.","Automated report." +116083,697703,MINNESOTA,2017,May,Thunderstorm Wind,"NOBLES",2017-05-28 18:44:00,CST-6,2017-05-28 18:44:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-95.94,43.53,-95.94,"Severe Thunderstorms moved through southwest Minnesota and produced strong winds.","Did not result in any known damage." +116081,697699,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"MOODY",2017-05-28 17:45:00,CST-6,2017-05-28 17:46:00,0,0,0,0,,NaN,,NaN,43.9595,-96.7916,43.9595,-96.7916,"Severe thunderstorms produced a microburst that resulted in very strong winds causing widespread tree damage.","Six diameter tree branches were downed." +116081,697697,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BROOKINGS",2017-05-28 17:26:00,CST-6,2017-05-28 17:28:00,0,0,0,0,,NaN,,NaN,44.2807,-96.9871,44.2807,-96.9871,"Severe thunderstorms produced a microburst that resulted in very strong winds causing widespread tree damage.","Several branches were downed, some as large as three inches in diameter." +116081,697698,SOUTH DAKOTA,2017,May,Thunderstorm Wind,"BROOKINGS",2017-05-28 17:26:00,CST-6,2017-05-28 17:28:00,0,0,0,0,,NaN,,NaN,44.3035,-96.9991,44.3035,-96.9991,"Severe thunderstorms produced a microburst that resulted in very strong winds causing widespread tree damage.","Large, seven inch tree branches were downed." +116080,697687,IOWA,2017,May,Thunderstorm Wind,"BUENA VISTA",2017-05-17 12:08:00,CST-6,2017-05-17 12:08:00,0,0,0,0,10.00K,10000,0.00K,0,42.6,-94.97,42.6,-94.97,"Severe Thunderstorms moved through the Tri-State area and resulted in strong winds and even a brief tornado. Much of the resultant damage was to trees.","Garage damaged." +119616,721296,ILLINOIS,2017,July,Flood,"COOK",2017-07-21 15:50:00,CST-6,2017-07-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.0505,-88.1076,42.0095,-88.1076,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Water was reported on multiple roads in Schaumburg." +119616,721297,ILLINOIS,2017,July,Flood,"KANE",2017-07-21 15:30:00,CST-6,2017-07-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0607,-88.3213,41.9993,-88.3213,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Water was reported on multiple roads in Elgin. Rainfall of 1.33 inches was measured in 25 minutes." +119616,721298,ILLINOIS,2017,July,Flash Flood,"WINNEBAGO",2017-07-21 14:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-89.1387,42.3161,-89.1423,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","Multiple streets were impassible due to flooding from heavy rain." +119616,721299,ILLINOIS,2017,July,Funnel Cloud,"IROQUOIS",2017-07-21 19:16:00,CST-6,2017-07-21 19:17:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-87.93,40.93,-87.93,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","A brief funnel cloud was reported near mile marker 297 on Interstate 57." +119616,721300,ILLINOIS,2017,July,Funnel Cloud,"IROQUOIS",2017-07-21 19:38:00,CST-6,2017-07-21 19:39:00,0,0,0,0,0.00K,0,0.00K,0,40.8924,-87.98,40.8924,-87.98,"A supercell thunderstorm produced large hail and wind damage in the northwest suburbs of the Chicago area during the afternoon hours of July 21st. Additional thunderstorms developed during the evening hours of July 21st and continued into the early morning of July 22nd.","" +117779,717678,MINNESOTA,2017,August,Heavy Rain,"RENVILLE",2017-08-16 06:00:00,CST-6,2017-08-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-95.05,44.59,-95.05,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A Department of National Resources rain gauge measured 8.57 inches in 24 hours." +118207,714513,WISCONSIN,2017,July,Flood,"TREMPEALEAU",2017-07-20 01:50:00,CST-6,2017-07-20 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.2719,-91.4832,44.2671,-91.4778,"After a round of severe thunderstorms moved across western Wisconsin, a second round of thunderstorms developed over much of the same area during the late evening of July 19th into the early morning of the 20th. These storms produced torrential rains with rainfall totals of 6 to 8 inches common from northern Buffalo County southeast into Richland and Grant Counties. Arcadia (Trempealeau County) was hit the hardest as all roads into town were closed and water rescues had to be performed. Residents of the town of Greenfield (La Crosse County) had to be evacuated from flood waters along Mormon Creek. Some of these evacuations had to be made using a boat. A mudslide covered part of State Highway 37 north of Alma (Buffalo County), flood waters from the Kickapoo River closed State Highways 33 and 131 in Ontario (Vernon County) and flood waters from the Pine River closed State Highway 80 north of Richland Center (Richland County). The Governor of Wisconsin declared a state of emergency for Buffalo, Crawford, Grant, Jackson, Juneau, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties. A federal disaster declaration was made for Buffalo, Crawford, Grant, Jackson, La Crosse, Monroe, Richland, Trempealeau and Vernon Counties.","Runoff from heavy rains pushed the Trempealeau River out of its banks in Arcadia. The river crested over a foot and half above the flood stage at 9.61 feet." +111784,666730,KANSAS,2017,January,Ice Storm,"LINN",2017-01-14 18:30:00,CST-6,2017-01-15 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Saturday January 15 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. Nearby observations indicated that the freezing rain started on Saturday evening and persisted mostly continuously through the morning hours on Sunday. By mid morning on Sunday there were several reports from locations in and around Linn County of around 1/4 inch of ice accumulation on surfaces. In nearby Bates County Missouri between 1/4 inch and 1/2 inch of ice was reported so it's conceivable that some locations withing Linn County received more than 1/4 inch of ice.","Freezing rain started on Friday January 14 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing some icing to occur. Nearby observations indicated that the freezing rain started on Saturday evening and persisted mostly continuously through the morning hours on Sunday. By mid morning on Sunday there were several reports from locations in and around Linn County of around 1/4 inch of ice accumulation on surfaces. In nearby Bates County Missouri between 1/4 inch and 1/2 inch of ice was reported so it's conceivable that some locations withing Linn County received more than 1/4 inch of ice." +118600,715964,INDIANA,2017,July,Thunderstorm Wind,"SHELBY",2017-07-11 12:17:00,EST-5,2017-07-11 12:17:00,0,0,0,0,5.00K,5000,,NaN,39.63,-85.92,39.63,-85.92,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Trees and power lines were downed in and near this location due to damaging thunderstorm wind gusts. Multiple roads were blocked." +118600,715979,INDIANA,2017,July,Thunderstorm Wind,"SHELBY",2017-07-11 12:19:00,EST-5,2017-07-11 12:19:00,0,0,0,0,5.00K,5000,,NaN,39.6,-85.9,39.6,-85.9,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","A roof was partially blown off a barn due to damaging thunderstorm wind gusts." +118600,715980,INDIANA,2017,July,Thunderstorm Wind,"RUSH",2017-07-11 12:28:00,EST-5,2017-07-11 12:28:00,0,0,0,0,27.00K,27000,0.00K,0,39.61,-85.44,39.61,-85.44,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","The Rush County Emergency Manager reports trees down across Rushville due to damaging thunderstorm wind gusts. There were also reports of damage to homes and power lines being down." +118598,714432,INDIANA,2017,July,Flash Flood,"HOWARD",2017-07-11 01:16:00,EST-5,2017-07-11 02:00:00,0,0,0,0,200.00K,200000,0.00K,0,40.5061,-86.1085,40.5036,-86.1085,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana.||On the evening of the 10th, scattered severe storms developed over northern portions of central Indiana along a nearly stationary warm front. The storms produced an EF0 tornado across far eastern Carroll County, continuing and intensifying as it moved into Cass County.","Areas of Street flooding occurred throughout much of the county. FOX59 reported that there were ���Lots of drain backups, lots of sub pumps being overwhelmed, just groundwater that���s got into buildings. There have been multiple actual ground water intrusions on main levels of homes, not even in basements.��� ||On the Ivy Tech Community College campus in Kokomo, one of the campus��� five main buildings had between six and eight inches of water throughout the hallways and classrooms and the college had to cancel classes Tuesday and Wednesday.||The flooding also closed at least 20 roads throughout Howard County. Several of the roads were main arteries.|||Some additional flooding was noted. There was the at least partial, if not full washout over Indiana 218, just south of East County Road 575 North, over Tolen Ditch. Water was rapidly flowing out of fields along County Road 700 North in Carroll County." +119522,717264,ILLINOIS,2017,July,Hail,"COOK",2017-07-07 07:20:00,CST-6,2017-07-07 07:25:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-87.8,42.03,-87.8,"Scattered thunderstorms moved across parts of northeast Illinois during the morning and early afternoon hours of July 7th producing large hail.","Penny to half dollar size hail was reported." +119522,717265,ILLINOIS,2017,July,Hail,"COOK",2017-07-07 07:25:00,CST-6,2017-07-07 07:26:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-87.77,42.03,-87.77,"Scattered thunderstorms moved across parts of northeast Illinois during the morning and early afternoon hours of July 7th producing large hail.","Nickel to quarter size hail was reported." +119522,717266,ILLINOIS,2017,July,Hail,"COOK",2017-07-07 10:58:00,CST-6,2017-07-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-87.5414,41.48,-87.5414,"Scattered thunderstorms moved across parts of northeast Illinois during the morning and early afternoon hours of July 7th producing large hail.","" +119525,717278,ILLINOIS,2017,July,Hail,"LA SALLE",2017-07-10 19:37:00,CST-6,2017-07-10 19:39:00,0,0,0,0,0.00K,0,0.00K,0,41.3384,-89.1253,41.3384,-89.1253,"Scattered thunderstorms produced hail during the afternoon and evening of July 10th.","Ping Pong Ball sized hail was reported near Shooting Park Road." +117779,717683,MINNESOTA,2017,August,Thunderstorm Wind,"REDWOOD",2017-08-16 22:46:00,CST-6,2017-08-16 22:46:00,0,0,0,0,0.00K,0,0.00K,0,44.5468,-95.0815,44.5468,-95.0815,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","" +120347,721384,GEORGIA,2017,September,Tropical Storm,"WEBSTER",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. No injuries were reported." +118640,712942,WISCONSIN,2017,July,Thunderstorm Wind,"LAFAYETTE",2017-07-19 18:22:00,CST-6,2017-07-19 18:26:00,0,0,0,0,5.00K,5000,0.00K,0,42.51,-89.89,42.51,-89.89,"A surge of warm, moist, and unstable air aloft brought large thunderstorm complexes across southern WI during the evening of July 19th into the early morning hours of July 20th. The first thunderstorm complex brought damaging straight line winds to portions of south central WI, and was immediately followed by a wake low which also produced strong, damaging winds. Repeated rounds of heavy rain of 3-5 inches also produced flooding mostly south and west of Madison.","Trees and power lines down and damage to a metal shed." +118600,715897,INDIANA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 10:55:00,EST-5,2017-07-11 10:55:00,0,0,0,0,,NaN,,NaN,40.15,-87.09,40.15,-87.09,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","An estimated 60 mph thunderstorm wind gust was reported in this location." +118600,715901,INDIANA,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-11 11:12:00,EST-5,2017-07-11 11:12:00,0,0,0,0,10.00K,10000,,NaN,39.85,-86.8,39.85,-86.8,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","Trees were downed in Roachdale due to damaging thunderstorm wind gusts. One tree was down on a minivan." +118600,715907,INDIANA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 11:15:00,EST-5,2017-07-11 11:15:00,0,0,0,0,8.00K,8000,,NaN,39.87,-86.8,39.87,-86.8,"Northwest flow in the upper atmosphere allowed multiple waves to move across the area. The atmosphere had a high moisture content and was unstable. The waves interacted with the moisture and instability to produce the severe weather and heavy rain. Multiple rounds of thunderstorms moved over the same locations, creating the flooding problems. Several rounds of thunderstorms, from July 10th through the 13th, brought a tornado, damaging winds, large hail, and flooding to central Indiana. Mainly thunderstorm wind and flooding during this portion of the timeline.","An estimated 60 mph thunderstorm wind gust was reported near the Montgomery/Putnam county line. Five to fifteen trees were damaged." +115587,694193,TENNESSEE,2017,May,Thunderstorm Wind,"PUTNAM",2017-05-27 19:08:00,CST-6,2017-05-27 19:25:00,0,0,0,0,1.40M,1400000,0.00K,0,36.2122,-85.6088,36.1287,-85.4281,"A late Spring storm system brought several waves of strong to severe thunderstorms to Middle Tennessee during the afternoon and evening hours on May 27. One supercell thunderstorm developed during the afternoon across Wilson County, then moved east-southeast across Smith, Putnam, White, and Cumberland Counties, producing very photogenic and at times rotating wall clouds along with several reports of hail. Later in the day, two lines of severe thunderstorms called Mesoscale Convective Systems (MCS) moved southeast out of western Kentucky across the region, producing widespread wind damage and several reports of large hail. The worst damage occurred across Putnam, Jackson, Overton, Fentress, White, and Cumberland Counties, where straight-line winds up to 95 mph caused major wind damage. In fact, the Putnam County Emergency Manager and Cookeville Mayor both stated this was likely the worst severe thunderstorm damage ever in that area. The second line of severe thunderstorms caused less severe but still widespread wind damage across Humphreys, Hickman, Maury, and Perry Counties. The Storm Prediction Center in Norman, Oklahoma stated that each of these two damaging lines of thunderstorms meet their newly updated definition of derecho, or long lived, widespread damaging wind storms that travel hundreds of miles. Due to the widespread wind damage, a Presidential Disaster Declaration was made for Putnam, Cumberland, and Smith Counties in June 2017.","A NWS storm survey found a severe 15 mile long by 1 to 2 mile wide downburst caused major damage across Cookeville and surrounding areas of central Putnam County. Damage was first reported east of Bloomington Springs where trees and power lines were blown down. Scattered tree and power line damage contined to the southeast to near the Nashville Highway, including a tree falling and blocking Peach Orchard Road at Flatt Road, and a tree blown down onto a vehicle with the occupant trapped inside at County Farm Road and Gainesboro Grade. More significant and widespread damage occurred across the center of Cookeville, where the roof was blown off a business on Oak Avenue and the canopy was blown off another business on Whitney Street. Dozens of very large trees were also snapped and uprooted with several falling on homes and vehicles and the majority of roads in the city blocked. One tree fell through and destroyed much of a home on Briargate Way. Another tree fell onto a moving vehicle on East Spring Street crushing the car and narrowly missing the driver. Numerous power lines were also blown down with power poles snapped and power knocked out to up to 60 percent of the city of Cookeville and surrounding Putnam County. Farther to the east, numerous trees and power lines continued to be blown down on Mountain Top Lane on Buck Mountain with the roadway blocked, as well as in the Poplar Grove area and around City Lake. Wind speeds were estimated to range from 75 mph up to 95 mph. In June 2017, a Presidential Disaster Declaration was made for Putnam County due to the widespread wind damage." +119163,715644,MAINE,2017,July,Flash Flood,"OXFORD",2017-07-01 18:10:00,EST-5,2017-07-01 19:15:00,0,0,0,0,5.00K,5000,0.00K,0,44.67,-70.58,44.6827,-70.5975,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorm produced 2 to 5 inches of rain in Roxbury resulting in washouts on several area roads." +120443,721621,NEBRASKA,2017,June,Tornado,"KIMBALL",2017-06-12 17:01:00,MST-7,2017-06-12 17:08:00,0,0,0,0,,NaN,,NaN,41.3683,-103.8818,41.3755,-103.8977,"One of the most significant severe weather episodes to affect the western Nebraska Panhandle occurred during in the early evening of Monday 12 June 2017. Several tornadoes, hail to baseball size, and damaging winds were observed. Supercell thunderstorms developed during the afternoon along Interstate 25 between Fort Collins, CO and Wheatland. Lifting northeast, these thunderstorms spread into the western Nebraska Panhandle during the early evening.","A brief tornado touched down along County Road 17 approximately 9 miles north of Bushnell, NE. A roof of an old barn was torn off and exterior walls collapsed (DI 1, DOD 6). An auger cart and auger were tipped. Power poles broke near the farm." +120814,723454,TEXAS,2017,September,Flood,"ZAPATA",2017-09-28 03:00:00,CST-6,2017-09-29 03:00:00,0,0,0,0,20.00K,20000,0.00K,0,27.0591,-99.4519,27.0215,-99.4445,"An atmospheric river of deep tropical moisture (below) that flowed from the eastern tropical Pacific Ocean through Mexico, combined with the remnants of Tropical Storm Pilar to enhance rainfall along the Rio Grande from northern Zapata County through Webb County from late on September 25th and again on September 26th.||Additional heavy rains fell over the Rio Grande Basin in northern Nuevo Leon and extreme eastern Coahuila State (Mexico) on the 27th. A fairly widespread zone of 10 to 15 inches of rain fell along the Rio Grande in Webb County through the period, with a pocket of 8 to 10 inches along the Rio Salado west and northwest of Falcon International Reservoir during the late evening/overnight of September 25 and 26. The efficient, tropically-infused rainfall quickly flowed into the Rio Grande in Webb County, and would lead to very rapid rises and a ���flood wave��� along the river, with high-end moderate flooding near and in Laredo. ||Downstream of Laredo, the river flooding continued in a small stretch of Zapata County, where water levels were comparable but a little less than those last seen during the Alex-remnant floods of July 2010 near San Ygnacio. The flood wave emptied into Falcon International Reservoir, along with a second flood wave from the Rio Salado in northern Mexico; each flood combined doubled the amount of acre-feet held by the reservoir, raised reservoir levels from 27 to more than 50 percent of capacity, Texas-share, by the end of September.","Zapata County EM and US Customs and Border Protection reported high water out of the normal banks but within the berm area in and around San Ygnacio mainly on September 28th as a flood wave pushed south from Laredo toward Falcon International Reservoir. The high waters damaged U.S. Border Patrol equipment, including at least one generator, two light poles and one or two submerged vehicles. However, higher ground in San Ygnacio proper and above the river area was not impacted. Visual evidence showed the high water surrounding the equipment during the morning through afternoon hours, though high waters likely continued through the 29th." +120803,723437,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-03 06:01:00,EST-5,2017-09-03 06:12:00,0,0,0,0,0.00K,0,0.00K,0,24.6068,-81.7661,24.609,-81.844,"Several successive waterspouts were observed north of Key West as deep tropical moisture was slowly departing the Florida Keys, in advance of a Saharan Air Layer.","Several successive waterspouts were observed along a cloud line oriented east-to-west just north of Key West. The longest waterspout duration was 11 minutes, with the condensation funnel cloud extending approximately one third the way down from cloud base." +120804,723440,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-03 18:56:00,EST-5,2017-09-03 19:11:00,0,0,0,0,0.00K,0,0.00K,0,24.5947,-81.8715,24.5947,-81.8715,"An isolated waterspout was observed to the northwest of Key West in association with a decaying cloud line extending from north of Key West through Boca Grande.","A waterspout was observed one to two miles northwest of Key West. The condensation funnel cloud extended three-fourths the way down from cloud base. The waterspout moved toward the west-southwest, and at one point was nearly vertical before tilting at a 45-degree angle shortly before dissipation." +120079,719992,TEXAS,2017,September,Flash Flood,"ECTOR",2017-09-26 14:15:00,CST-6,2017-09-26 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,31.8593,-102.3704,31.859,-102.3702,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell across Ector County and produced flash flooding in Odessa. The Odessa Fire/Rescue reported a high water rescue at Muskingum and 14th Street in Odessa. The cost of damage is a very rough estimate." +120079,719993,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-26 14:50:00,CST-6,2017-09-26 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,31.9499,-102.1651,31.9502,-102.1641,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell across Midland County and produced flash flooding. A vehicle was in high water at Airline and Highway 80 near the City of Midland. The cost of damage is a very rough estimate." +120079,719994,TEXAS,2017,September,Flash Flood,"MIDLAND",2017-09-26 14:50:00,CST-6,2017-09-26 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,31.971,-102.1281,31.9706,-102.1279,"There was an upper trough extending from the Great Plains to the Desert Southwest. Warm, moist air was interacting with a cold front north of southwest Texas. A plentiful supply of moisture was across West Texas, and upper lift was enhanced by placement of the area under an upper jet stream. The positioning of the front and the upper jet allowed for storms and heavy rain to develop and move over the same areas. These conditions contributed to flash flooding across the Permian Basin.","Heavy rain fell across Midland County and produced flash flooding in the City of Midland. A vehicle was in high water at Seminole and Midland Drive. The cost of damage is a very rough estimate." +119723,717993,GULF OF MEXICO,2017,September,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-09-02 20:01:00,EST-5,2017-09-02 20:01:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"With a tropical air mass in place and precipitable water levels around 2.2 inches widespread showers and thunderstorms were seen across South Florida. Storms that developed over the interior and moved of the Gulf waters producing gusty winds.","A marine thunderstorm wind gust of 44 mph / 38 knots was recorded by the Weather Bug mesonet site MRCSL located at the Charter Club of Marco Beach." +120428,721511,ATLANTIC SOUTH,2017,September,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-09-04 09:16:00,EST-5,2017-09-04 09:16:00,0,0,0,0,0.00K,0,0.00K,0,26.79,-80.03,26.79,-80.03,"In a typical summertime pattern with easterly flow showers and thunderstorms developed over the Atlantic waters in the morning hours. A couple of these isolated to scattered showers and storms produced waterspouts offshore Palm Beach County.","A waterspout was reported by a trained spotter near Singer Island." +120030,719312,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:06:00,EST-5,2017-09-05 14:06:00,0,0,0,0,,NaN,,NaN,39.4041,-78.1332,39.4041,-78.1332,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A dozen pine trees were snapped and uprooted along the 200 Block of Monalia Lane." +120030,719313,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:07:00,EST-5,2017-09-05 14:07:00,0,0,0,0,,NaN,,NaN,39.3925,-78.1113,39.3925,-78.1113,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Multiple trees were down along Buck Hill Road." +120030,719314,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:07:00,EST-5,2017-09-05 14:07:00,0,0,0,0,,NaN,,NaN,39.399,-78.1065,39.399,-78.1065,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Six to eight trees were snapped." +120030,719315,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:07:00,EST-5,2017-09-05 14:07:00,0,0,0,0,,NaN,,NaN,39.4292,-78.1381,39.4292,-78.1381,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Several large trees were down near Back Creek Valley Road and Palmer Road." +120030,719316,WEST VIRGINIA,2017,September,Thunderstorm Wind,"BERKELEY",2017-09-05 14:18:00,EST-5,2017-09-05 14:18:00,0,0,0,0,,NaN,,NaN,39.4104,-77.9794,39.4104,-77.9794,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A wind gust of 67 mph was reported." +120031,719317,MARYLAND,2017,September,Thunderstorm Wind,"WASHINGTON",2017-09-05 14:20:00,EST-5,2017-09-05 14:20:00,0,0,0,0,,NaN,,NaN,39.656,-77.9309,39.656,-77.9309,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A few trees and wires were down in Clear Spring." +120031,719319,MARYLAND,2017,September,Thunderstorm Wind,"FREDERICK",2017-09-05 15:17:00,EST-5,2017-09-05 15:17:00,0,0,0,0,,NaN,,NaN,39.4555,-77.407,39.4555,-77.407,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Hayward Road." +118623,715512,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LANCASTER",2017-09-05 16:00:00,EST-5,2017-09-05 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.0796,-76.517,40.0796,-76.517,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Iron Bridge Road north of Columbia." +118623,715515,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LANCASTER",2017-09-05 16:15:00,EST-5,2017-09-05 16:15:00,0,0,0,0,3.00K,3000,0.00K,0,40.0421,-76.2886,40.0421,-76.2886,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down large trees in East Lancaster." +118623,715516,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LANCASTER",2017-09-05 16:16:00,EST-5,2017-09-05 16:16:00,0,0,0,0,10.00K,10000,0.00K,0,40.0423,-76.3122,40.0423,-76.3122,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large tree onto a townhouse in Lancaster." +118623,715518,PENNSYLVANIA,2017,September,Thunderstorm Wind,"FRANKLIN",2017-09-05 14:35:00,EST-5,2017-09-05 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,39.7828,-77.7264,39.7828,-77.7264,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Leitersburg Road in Greencastle." +118623,715520,PENNSYLVANIA,2017,September,Thunderstorm Wind,"FRANKLIN",2017-09-05 14:40:00,EST-5,2017-09-05 14:40:00,0,0,0,0,0.00K,0,0.00K,0,39.79,-77.73,39.79,-77.73,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A wind gust of 65 mph was measured in Greencastle." +118623,715523,PENNSYLVANIA,2017,September,Thunderstorm Wind,"ADAMS",2017-09-05 15:00:00,EST-5,2017-09-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-77.36,39.87,-77.36,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A wind gust of 70 mph was measured near Cashtown in Adams County." +118623,714977,PENNSYLVANIA,2017,September,Hail,"LANCASTER",2017-09-05 16:15:00,EST-5,2017-09-05 16:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0755,-76.4112,40.0755,-76.4112,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm produced quarter-sized hail near Landisville." +119045,714952,TEXAS,2017,September,Hail,"COTTLE",2017-09-18 21:15:00,CST-6,2017-09-18 21:20:00,0,0,0,0,,NaN,,NaN,34.01,-100.3,34.01,-100.3,"Isolated thunderstorms tracked northeast across the Rolling Plains late this evening. One storm intensified to severe levels in Cottle County where it produced hail up to golf ball size in Paducah.","Hail up to golf ball size fell in Paducah for about five minutes. Damage information was not available." +117453,706389,IOWA,2017,June,Hail,"TAMA",2017-06-28 17:19:00,CST-6,2017-06-28 17:19:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-92.71,42.19,-92.71,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Amateur radio operator reported quarter sized hail." +112797,673868,FLORIDA,2017,January,Thunderstorm Wind,"MIAMI-DADE",2017-01-23 03:10:00,EST-5,2017-01-23 03:10:00,0,0,0,0,,NaN,,NaN,25.76,-80.77,25.76,-80.77,"A strong squall line intensified well ahead of a cold front over the eastern Gulf of Mexico during the early morning hours of January 23rd. The line produced tornadoes in Palm Beach and Miami-Dade counties. In addition to the tornadoes, straight line wind gusts of 60 mph or greater occurred in Broward and Miami-Dade counties. An estimated 40,000 to 50,000 customers lost power in South Florida.","Several large tree branches down in Shark Valley National Park." +118623,714980,PENNSYLVANIA,2017,September,Thunderstorm Wind,"ADAMS",2017-09-05 15:00:00,EST-5,2017-09-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8764,-77.3741,39.8764,-77.3741,"A line of showers and thunderstorms developed in a moderately unstable airmass over south-central Pennsylvania, just ahead of an approaching cold front. This line of storms produced several reports wind damage from Franklin County eastward to Lancaster County, as well as a couple of severe hail reports in Lancaster County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Cashtown." +119254,716061,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CLARENDON",2017-09-06 12:46:00,EST-5,2017-09-06 12:50:00,0,0,0,0,,NaN,,NaN,33.58,-80.38,33.58,-80.38,"A cold front moved through the region, with thunderstorm activity along and ahead of it, a few of which became severe and produced strong damaging wind gusts across the Eastern Midlands of SC.","SCHP reported trees down on Interstate 95 at mile markers 105 and 106 northbound. Time estimated based on radar." +119254,716062,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"CLARENDON",2017-09-06 12:59:00,EST-5,2017-09-06 13:00:00,0,0,0,0,,NaN,,NaN,33.67,-80.46,33.67,-80.46,"A cold front moved through the region, with thunderstorm activity along and ahead of it, a few of which became severe and produced strong damaging wind gusts across the Eastern Midlands of SC.","Trees down taking down a power line along Chewing Rd." +119254,716068,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"LEE",2017-09-06 15:40:00,EST-5,2017-09-06 15:44:00,0,0,0,0,,NaN,,NaN,34.01,-80.17,34.01,-80.17,"A cold front moved through the region, with thunderstorm activity along and ahead of it, a few of which became severe and produced strong damaging wind gusts across the Eastern Midlands of SC.","SCHP reported trees down on SC 527 and US 76. Time estimated based on radar." +119245,716036,MINNESOTA,2017,September,Thunderstorm Wind,"POLK",2017-09-22 19:45:00,CST-6,2017-09-22 19:45:00,0,0,0,0,,NaN,,NaN,48.15,-97.05,48.15,-97.05,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","A few trees and power lines were blown down." +119245,716037,MINNESOTA,2017,September,Thunderstorm Wind,"MARSHALL",2017-09-22 19:54:00,CST-6,2017-09-22 19:54:00,0,0,0,0,,NaN,,NaN,48.2,-96.77,48.2,-96.77,"During the early morning hours of September 22nd, a complex of thunderstorms moved from the far southern Red River Valley, east-northeast to the Wadena, Minnesota area. These storms dropped large hail. Then, during the early evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","A large limb was snapped off a tree." +119498,717130,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:00:00,EST-5,2017-09-27 19:00:00,0,0,0,0,,NaN,,NaN,46.47,-68.39,46.47,-68.39,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Two trees were toppled along Route 11...between Masardis and Oxbow...by wind gusts estimated at 60 mph. The time is estimated." +119498,717132,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:06:00,EST-5,2017-09-27 19:06:00,0,0,0,0,,NaN,,NaN,46.95,-68.12,46.95,-68.12,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Three trees were toppled around town by wind gusts estimated at 60 mph. The time is estimated." +119498,717133,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:10:00,EST-5,2017-09-27 19:10:00,0,0,0,0,,NaN,,NaN,46.96,-68.03,46.96,-68.03,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Several trees were toppled on to power lines by wind gusts estimated at 60 mph." +119498,717134,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:15:00,EST-5,2017-09-27 19:15:00,0,0,0,0,,NaN,,NaN,46.95,-67.93,46.95,-67.93,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","At least 18 trees were toppled or snapped on the grounds of the Limestone Country Club by wind gusts estimated at 60 mph." +119498,717135,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:35:00,EST-5,2017-09-27 19:35:00,0,0,0,0,,NaN,,NaN,46.43,-67.83,46.43,-67.83,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","A tree was toppled on to power lines by wind gusts estimated at 60 mph." +119498,718087,MAINE,2017,September,Thunderstorm Wind,"AROOSTOOK",2017-09-27 19:05:00,EST-5,2017-09-27 19:05:00,0,0,0,0,,NaN,,NaN,46.95,-68.12,46.95,-68.12,"A strong cold front crossed the region during the evening of the 27th. Thunderstorms developed during the late afternoon and evening in the unseasonably warm humid airmass in advance of the front. Several of the thunderstorms became severe producing damaging winds during the evening.","Numerous trees were toppled along a trail near New Sweden by wind gusts estimated at 60 mph. The time is estimated." +119549,717386,OREGON,2017,September,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-09-21 01:00:00,PST-8,2017-09-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 24 to 33 degrees." +116542,700798,MINNESOTA,2017,July,Hail,"WADENA",2017-07-17 15:25:00,CST-6,2017-07-17 15:25:00,0,0,0,0,,NaN,,NaN,46.54,-95.01,46.54,-95.01,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","" +116585,701102,NORTH DAKOTA,2017,July,Hail,"TOWNER",2017-07-19 07:50:00,CST-6,2017-07-19 07:50:00,0,0,0,0,,NaN,,NaN,48.87,-99.31,48.87,-99.31,"Thunderstorms formed over southern Manitoba on the morning of July 19th and tracked east-southeast into northern Towner County, North Dakota. One storm strengthened over north central Towner County and dropped large hail.","" +116642,701379,GULF OF MEXICO,2017,July,Waterspout,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-07-14 11:30:00,EST-5,2017-07-14 11:30:00,0,0,0,0,0.00K,0,0.00K,0,30.26,-86,30.26,-86,"Several waterspouts were reported due to morning convection associated with the land breeze.","There were numerous reports of a waterspout just offshore of Inlet Beach with video posted on social media." +116677,701522,FLORIDA,2017,July,Funnel Cloud,"OSCEOLA",2017-07-20 15:45:00,EST-5,2017-07-20 15:45:00,0,0,0,0,0.00K,0,0.00K,0,28.136,-81.0302,28.136,-81.0302,"A collision of the east and west coast sea breezes over the interior of Central Florida produced two severe thunderstorms that resulted in quarter-sized hail in Orange and Volusia Counties. A funnel cloud was also reported in Osceola County.","A citizen submitted a picture via Twitter of a funnel cloud which was observed while driving west on U.S. Highway 192 about 3 miles east of Holopaw." +116251,701615,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-07 06:00:00,EST-5,2017-07-07 06:00:00,0,0,0,0,,NaN,,NaN,39.28,-75.66,39.28,-75.66,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Daily rainfall from the 6th." +116690,701718,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CARBON",2017-07-20 17:07:00,EST-5,2017-07-20 17:07:00,0,0,0,0,,NaN,,NaN,41.07,-75.69,41.07,-75.69,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Thunderstorm winds took down on a tree on Interstate 80 at mile 274." +117469,706478,INDIANA,2017,July,Flood,"WAYNE",2017-07-16 23:30:00,EST-5,2017-07-17 00:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8349,-84.8982,39.835,-84.8835,"Scattered thunderstorms produced localized flooding and isolated large hail during the late evening hours of July 16th and the early morning hours of July 17th.","High water was reported on several streets in the city of Richmond." +117499,706640,OHIO,2017,July,Flood,"MERCER",2017-07-22 07:00:00,EST-5,2017-07-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6735,-84.5195,40.6736,-84.5179,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","Water was reported up to the wheel wells of a vehicle on Market Street." +117588,707126,GEORGIA,2017,July,Thunderstorm Wind,"BROOKS",2017-07-13 16:09:00,EST-5,2017-07-13 16:20:00,0,0,0,0,0.00K,0,0.00K,0,30.78,-83.56,30.78,-83.66,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down across Brooks county." +117359,707203,NEBRASKA,2017,July,Hail,"CHEYENNE",2017-07-27 19:00:00,MST-7,2017-07-27 19:02:00,0,0,0,0,0.00K,0,0.00K,0,41.3035,-103.1841,41.3035,-103.1841,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Quarter size hail was observed northwest of Sidney." +117642,707451,FLORIDA,2017,July,Thunderstorm Wind,"ST. JOHNS",2017-07-03 18:00:00,EST-5,2017-07-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,29.82,-81.38,29.82,-81.38,"A broad mean layer trough was across the local area. A strongest westerly flow focused the afternoon and evening sea breeze and outflow collision along and east of the St. Johns River basin in the evening where isolated severe storms formed and produced wet downbursts.","A power line was blown down on County Road 207, just west of Interstate 95." +117675,707639,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-17 14:15:00,EST-5,2017-07-17 14:15:00,0,0,0,0,10.00K,10000,0.00K,0,30.37,-81.69,30.37,-81.69,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","A tree was blown down along Dodge Road that crashed through a home. The time of damage was based on radar. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +117715,707850,IDAHO,2017,July,Thunderstorm Wind,"JEROME",2017-07-15 15:30:00,MST-7,2017-07-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6911,-114.52,42.72,-114.4412,"Monsoon moisture streamed northward across southern Idaho and with the combination of daytime heating and a weak upper trough moving through the region, isolated severe thunderstorms developed over the Magic Valley in the late afternoon.","The Jerome Butte ITD station reported a wind gust of 64 MPH." +119198,715816,ATLANTIC NORTH,2017,July,Waterspout,"CHESTER RIVER TO QUEENSTOWN MD",2017-07-15 10:49:00,EST-5,2017-07-15 10:49:00,0,0,0,0,,NaN,,NaN,39.0197,-76.1874,39.0197,-76.1874,"An isolated water spout occurred due to an unstable atmosphere and weak boundary nearby.","A water spout was located near the Chester River to the north of Route 50." +118830,715914,OKLAHOMA,2017,July,Hail,"KIOWA",2017-07-05 00:06:00,CST-6,2017-07-05 00:06:00,0,0,0,0,0.00K,0,0.00K,0,34.66,-98.95,34.66,-98.95,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +119059,715920,INDIANA,2017,July,Hail,"HUNTINGTON",2017-07-07 09:16:00,EST-5,2017-07-07 09:17:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-85.62,40.95,-85.62,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119284,716291,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-05 20:19:00,EST-5,2017-07-05 20:19:00,0,0,0,0,0.00K,0,0.00K,0,36.0581,-79.1743,36.0581,-79.1743,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","Three trees were blown down at the 1500 Block of Mt. Willing Road." +119321,716430,SOUTH CAROLINA,2017,July,Flood,"FLORENCE",2017-07-18 07:15:00,EST-5,2017-07-18 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-79.78,34.117,-79.7808,"Heavy rain occurred at Muldrows Mill.","Over four inches of rain was recorded." +119667,717809,TEXAS,2017,September,Thunderstorm Wind,"CARSON",2017-09-16 16:10:00,CST-6,2017-09-16 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-101.16,35.22,-101.16,"Storms fired along a residual outflow boundary draped SW to NE across the southern TX Panhandle. With 850-700 hPa converging along the boundary with CAPE around 1000 J/Kg, storm developed and moved NE across the boundary bringing a complex of storms with a severe wind gust report.","Three inch diamter tree limbs knocked down from healthy tree." +119670,717812,OKLAHOMA,2017,September,Thunderstorm Wind,"CIMARRON",2017-09-22 18:24:00,CST-6,2017-09-22 18:24:00,0,0,0,0,,NaN,,NaN,36.71,-102.06,36.71,-102.06,"A deep positive tilted trough helped to provide a SSW low level jet of 35-45 kts over the western Panhandles. This helped to advect low level moisture into the region. With good CAPE and good shear, individual cells developed along the western Panhandles and moved northward along a surface trough axis. Hail and a damaging wind report was documented in the western Oklahoma Panhandle.","Five power poles downed." +119694,717914,HAWAII,2017,September,Wildfire,"KAUAI WINDWARD",2017-09-24 12:45:00,HST-10,2017-09-25 00:15:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred 1645 acres of mainly dry brush in the Kau District on the Big Island of Hawaii. The fire did not threaten any homes or other structures, and its cause was not determined. No significant injuries were reported.||A fire burned about 100 acres of dry brush east of Kahului on the Valley Isle of Maui. The blaze began off the side of Haleakala Highway near North Firebreak Road and spread to a fallow sugar cane field. The cause of the fire was unknown. It did not threaten any homes or other structures, and there were no serious injuries reported.||A blaze scorched 215 acres of dry brush near Poipu on Kauai. The fire damaged heavy machinery, trucks, and other equipment stationed at a green waste base-yard. The cause of the fire was under investigation. There were no reports of significant injuries.||Another fire blackened about 100 acres of dry brush and other vegetation on the cliffs of Makana mountain on the North Shore of Kauai. The area was between Haena State Park and Limahuli Gardens. A fire-throwing ceremony to honor the long-distance voyaging vessel Hokulea was suspected in starting the blaze. No serious injuries or property damage were reported.","" +119694,717915,HAWAII,2017,September,Wildfire,"KAUAI WINDWARD",2017-09-25 20:00:00,HST-10,2017-09-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred 1645 acres of mainly dry brush in the Kau District on the Big Island of Hawaii. The fire did not threaten any homes or other structures, and its cause was not determined. No significant injuries were reported.||A fire burned about 100 acres of dry brush east of Kahului on the Valley Isle of Maui. The blaze began off the side of Haleakala Highway near North Firebreak Road and spread to a fallow sugar cane field. The cause of the fire was unknown. It did not threaten any homes or other structures, and there were no serious injuries reported.||A blaze scorched 215 acres of dry brush near Poipu on Kauai. The fire damaged heavy machinery, trucks, and other equipment stationed at a green waste base-yard. The cause of the fire was under investigation. There were no reports of significant injuries.||Another fire blackened about 100 acres of dry brush and other vegetation on the cliffs of Makana mountain on the North Shore of Kauai. The area was between Haena State Park and Limahuli Gardens. A fire-throwing ceremony to honor the long-distance voyaging vessel Hokulea was suspected in starting the blaze. No serious injuries or property damage were reported.","" +119712,717956,CALIFORNIA,2017,September,Excessive Heat,"SAN FRANCISCO",2017-09-01 13:00:00,PST-8,2017-09-01 16:00:00,0,0,3,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge brought widespread hot temperatures to the Bay Area leading up to and through Labor Day Weekend. Numerous daily and monthly records were broken as well as a few all time record max temperatures. Six Bay Area residents died as a result of the heat.","Three San Francisco residents died over the weekend as a result of the heat. ||Http://www.sfgate.com/bayarea/article/Death-toll-from-Bay-Area-heat-wave-hits-6-12180514.php.|Http://www.latimes.com/local/lanow/la-me-ln-six-deaths-heat-wave-bay-area-20170908-story.html." +119792,718319,CALIFORNIA,2017,September,Wildfire,"TULARE CTY MTNS",2017-09-01 00:00:00,PST-8,2017-09-24 13:00:00,5,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The human caused Pier Fire began in the early morning hours of August 29, 2017 when a stolen car was set on fire and pushed off a cliff along Highway 190, 7 miles east of Springville, CA. The fire burned 36,556 acres before being contained on September 24, 2017. There were mandatory evacuations for the small communities of Camp Nelson, Pierpoint Springs, Cedar Slope, Sequoia Crest, Rogers Camp, Doyle Springs, Mountain Aire and Wishon for several weeks. Much of Highway 190 between Springville and Ponderosa was closed to traffic. There were 2 structures lost. Cost of containment was $38.76 million.","The human caused Pier Fire began in the early morning hours of August 29, 2017 when a stolen car was set on fire and pushed off a cliff along Highway 190, 7 miles east of Springville, CA. The fire burned 36,556 acres before being contained on September 24, 2017. There were mandatory evacuations for many small communities for several weeks and Highway 190 between Springville and Ponderosa was closed to traffic. There were 2 structures lost." +119799,718355,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-01 17:54:00,EST-5,2017-09-01 17:57:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A strong line of thunderstorms moved across portions of southeast South Carolina in the afternoon and to the coast by the early evening hours. These storms developed in the warm and unstable airmass out ahead of the remnants of Tropical Cyclone Harvey as it moved through the Tennessee Valley. These thunderstorms produced strong wind gusts along the coast.","The Weatherflow site at the Folly Beach pier measured a 34 knot wind gust." +119814,718420,MONTANA,2017,September,Heavy Snow,"LOWER CLARK FORK REGION",2017-09-13 21:00:00,MST-7,2017-09-14 02:00:00,1,1,1,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A large trough with a subtropical moisture feed brought heavy snow to the mountains of western Montana. Interstate 90 was closed for a period due to the snow.","Lookout Pass received 15 inches of snow within 12 hours and this created hazardous conditions. Montana Department of Transportation closed I-90 for 6 hours from 1 am to 5 am MST." +119276,716214,NORTH DAKOTA,2017,September,Hail,"DICKEY",2017-09-19 14:30:00,CST-6,2017-09-19 14:33:00,0,0,0,0,0.00K,0,0.00K,0,46.21,-98.76,46.21,-98.76,"Strong instability combined with impressive deep layer shear to produce an environment ripe for severe weather over eastern and parts of central North Dakota. A cold front and upper level trough approached and moved through the area in the mid-afternoon into the evening. Initially, one very strong storm moved over Dickey and LaMoure counties and produced tennis ball size hail and strong wind gusts estimated to around 75 mph. This caused crop and property damage. A brief break in convective activity followed before additional thunderstorms formed. No severe weather was reported with the second round of storms.","" +119829,718441,ILLINOIS,2017,September,Dense Fog,"JEFFERSON",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119829,718442,ILLINOIS,2017,September,Dense Fog,"FRANKLIN",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed parts of southern Illinois during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was mainly along and west of Interstate 57, including Mount Vernon and Cairo. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119621,717661,ILLINOIS,2017,September,Hail,"JACKSON",2017-09-18 19:33:00,CST-6,2017-09-18 19:33:00,0,0,0,0,,NaN,,NaN,37.72,-89.2383,37.72,-89.2383,"An isolated severe thunderstorm produced large hail in the Carbondale area. The storm occurred in a moist and moderately unstable air mass ahead of a weak 500 mb shortwave over the Plains.","A report of golf ball size hail in west Carbondale was relayed by a local television station." +119619,717594,KENTUCKY,2017,September,Hail,"CHRISTIAN",2017-09-05 08:02:00,CST-6,2017-09-05 08:02:00,0,0,0,0,0.00K,0,0.00K,0,36.879,-87.48,36.879,-87.48,"Isolated thunderstorms accompanied a strong cold front as it moved southeast across the lower Ohio Valley. The strongest storm produced a short swath of large hail west of Paducah. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","" +119619,717593,KENTUCKY,2017,September,Hail,"MCCRACKEN",2017-09-05 05:00:00,CST-6,2017-09-05 05:05:00,0,0,0,0,0.00K,0,0.00K,0,37.0639,-88.8619,37.0295,-88.8456,"Isolated thunderstorms accompanied a strong cold front as it moved southeast across the lower Ohio Valley. The strongest storm produced a short swath of large hail west of Paducah. The atmosphere remained moderately unstable through the early morning hours. Winds aloft increased with the approach of a strong 500 mb shortwave trough from the northwest.","Quarter to half-dollar size hail fell in extreme western McCracken County near the Ballard County line." +119821,718431,KENTUCKY,2017,September,Flood,"MUHLENBERG",2017-09-03 05:00:00,CST-6,2017-09-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-86.98,37.2683,-86.9887,"The remnants of Hurricane Harvey brought heavy rainfall and flooding to parts of the Pennyrile region of western Kentucky. The hurricane made landfall near Corpus Christi, Texas on August 28th. The storm produced catastrophic flooding over southeast Texas, where it became nearly stationary. The center of Harvey eventually moved northeast through the Tennessee Valley as a tropical depression. Several bands of heavy rain moved north from Tennessee through Todd and Muhlenberg Counties in Kentucky. Around 8 inches of rain fell in southern Todd County. Minor flooding occurred on the Green River in Muhlenberg County.","Minor flooding occurred on the Green River. Low-lying woods and fields were inundated." +119830,718447,MISSOURI,2017,September,Dense Fog,"PERRY",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718448,MISSOURI,2017,September,Dense Fog,"RIPLEY",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718449,MISSOURI,2017,September,Dense Fog,"SCOTT",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718450,MISSOURI,2017,September,Dense Fog,"STODDARD",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119830,718451,MISSOURI,2017,September,Dense Fog,"WAYNE",2017-09-14 05:00:00,CST-6,2017-09-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was reduced to one-quarter mile or less. The dense fog was over most of southeast Missouri with the exception of the extreme southeast counties of Mississippi and New Madrid. The dense fog occurred on the back side of high pressure over the Appalachian Mountains. A light south wind flow of humid air contributed to the dense fog.","" +119852,718509,NEVADA,2017,September,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-09-21 01:00:00,PST-8,2017-09-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter-like storm brought heavy snow to portions of eastern Nevada. Significant tree damage was reported in Ely and Ruth due to the heavy wet snow. In the Ruby Mountains up to 2 feet of snow was reported.","" +119852,718507,NEVADA,2017,September,Heavy Snow,"WHITE PINE",2017-09-21 09:00:00,PST-8,2017-09-21 19:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter-like storm brought heavy snow to portions of eastern Nevada. Significant tree damage was reported in Ely and Ruth due to the heavy wet snow. In the Ruby Mountains up to 2 feet of snow was reported.","" +119901,718707,ILLINOIS,2017,September,Hail,"MACON",2017-09-04 16:26:00,CST-6,2017-09-04 16:31:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-88.88,39.77,-88.88,"A cold front triggered scattered strong to severe thunderstorms across portions of central Illinois during the late afternoon and early evening of September 4th. The storms were mainly concentrated along the I-72 corridor from Springfield to Champaign. Hail as large as half-dollars was reported in Mt. Zion in Macon County.","" +119904,718720,MASSACHUSETTS,2017,September,Lightning,"PLYMOUTH",2017-09-06 10:20:00,EST-5,2017-09-06 10:20:00,0,0,0,0,1.00K,1000,0.00K,0,42.1411,-70.8195,42.1411,-70.8195,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1020 AM EST, an amateur radio operator reported a tree down due to a lightning strike on Highfield Lane in Norwell." +119904,718721,MASSACHUSETTS,2017,September,Thunderstorm Wind,"BRISTOL",2017-09-06 10:00:00,EST-5,2017-09-06 10:00:00,0,0,0,0,8.00K,8000,0.00K,0,41.6833,-71.1741,41.6833,-71.1741,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 10 AM EST, an amateur radio operator reported a tree down on a car on Tuttle Street in Fall River." +119904,718726,MASSACHUSETTS,2017,September,Thunderstorm Wind,"MIDDLESEX",2017-09-06 10:34:00,EST-5,2017-09-06 10:34:00,0,0,0,0,8.00K,8000,0.00K,0,42.3649,-71.1108,42.3649,-71.1108,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1034 AM EST, an amateur radio operator reported a tree down on a car between Howard Street and Western Avenue in Cambridge." +119904,718713,MASSACHUSETTS,2017,September,Flood,"BARNSTABLE",2017-09-06 11:05:00,EST-5,2017-09-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6863,-70.4298,41.6747,-70.3798,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1105 AM EST, Race Lane in West Barnstable was reported flooded and impassable. At 1109 AM the intersection of state routes 6A and 132 in West Barnstable was flooded and nearly impassable. Total storm rainfall in West Barnstable, as reported by the Community Collaborative Rain Hail and Snow Network, was 2.91 inches." +119904,718722,MASSACHUSETTS,2017,September,Thunderstorm Wind,"NORFOLK",2017-09-06 10:20:00,EST-5,2017-09-06 10:20:00,0,0,0,0,1.00K,1000,0.00K,0,42.1549,-71.0124,42.1549,-71.0124,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Eastern Massachusetts during Wednesday producing damaging winds and heavy downpours.","At 1020 AM EST, an amateur radio operator reported a tree down in Holbrook...on Weston Avenue at the intersection with Union Street." +119908,718742,RHODE ISLAND,2017,September,Thunderstorm Wind,"KENT",2017-09-06 09:30:00,EST-5,2017-09-06 09:30:00,0,0,0,0,8.00K,8000,0.00K,0,41.7097,-71.3744,41.7097,-71.3744,"A cold front stalled over Southern New England on Wednesday the 6th with several waves of low pressure moving up along the front. The cold front then moved offshore Wednesday night. Thunderstorms moved across parts of Rhode Island during Wednesday producing damaging winds and heavy downpours.","At 930 AM EST, a tree was brought down on a house on Tidewater Drive in Warwick." +119909,718729,GULF OF MEXICO,2017,September,Marine Thunderstorm Wind,"APALACHEE BAY OR COASTAL WATERS FROM KEATON BEACH TO OCHLOCKONEE RIVER FL OUT TO 20 NM",2017-09-23 18:10:00,EST-5,2017-09-23 18:10:00,0,0,0,0,0.00K,0,0.00K,0,29.921,-84.335,29.921,-84.335,"An isolated thunderstorm brought strong winds in excess of 34 knots near Bald Point as measured by a private weather station along the coast.","" +119909,718730,GULF OF MEXICO,2017,September,Marine Thunderstorm Wind,"APALACHEE BAY OR COASTAL WATERS FROM KEATON BEACH TO OCHLOCKONEE RIVER FL OUT TO 20 NM",2017-09-23 18:18:00,EST-5,2017-09-23 18:18:00,0,0,0,0,0.00K,0,0.00K,0,29.921,-84.335,29.921,-84.335,"An isolated thunderstorm brought strong winds in excess of 34 knots near Bald Point as measured by a private weather station along the coast.","" +119926,718763,RHODE ISLAND,2017,September,Strong Wind,"BRISTOL",2017-09-21 15:30:00,EST-5,2017-09-21 15:30:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket, Massachusetts. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts to Rhode Island, primarily to the islands and south coast. Wind gusts reached 61 mph at Block Island.","At 330 PM EST, a tree was downed and blocking a portion of Nayatt Road in Barrington." +119932,718775,MASSACHUSETTS,2017,September,Flood,"ESSEX",2017-09-30 05:05:00,EST-5,2017-09-30 09:05:00,0,0,0,0,4.00K,4000,0.00K,0,42.5165,-70.9095,42.5186,-70.9088,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 505 AM EST, an amateur radio operator reported cars trapped in flood waters on Pope Street in Salem. At 515 AM EST, Pope Street was officially closed due to flooding." +119932,718799,MASSACHUSETTS,2017,September,Flood,"SUFFOLK",2017-09-30 07:20:00,EST-5,2017-09-30 11:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.42,-70.99,42.3981,-70.9837,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 720 AM EST in Revere, a car was trapped in one foot of flooding on State Route 1A near the East Boston line. At 742 AM EST, amateur radio reported a flooded basement on Curtis Road. At 747 AM EST, three cars were reported trapped in flood waters on the Revere Beach Parkway." +119933,718772,RHODE ISLAND,2017,September,Hail,"PROVIDENCE",2017-09-30 10:42:00,EST-5,2017-09-30 10:42:00,0,0,0,0,0.00K,0,0.00K,0,41.9161,-71.4427,41.9161,-71.4427,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. A coupl eof the showers in Rhode Island contained locally heavy downpours, and one contained large hail.","At 1042 AM EST, an amateur radio operator reported dime-size hail at Lincoln." +119932,718802,MASSACHUSETTS,2017,September,Flood,"NORFOLK",2017-09-30 09:15:00,EST-5,2017-09-30 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.2682,-71.0218,42.259,-71.017,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 915 AM EST, the Wollaston MBTA (Rapid Transit) Station in Quincy was flooded. At 920 AM EST, the intersection of Centre Street and Vernon Street was flooded and impassable. At 925 AM EST, Cedar Street was flooded and impassable. The Automated Surface Observation System platform in Milton reported a storm total rainfall of 2.44 inches." +119932,718795,MASSACHUSETTS,2017,September,Flood,"SUFFOLK",2017-09-30 07:01:00,EST-5,2017-09-30 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.3984,-70.9911,42.4014,-70.9851,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","At 701 AM EST in Winthrop, an apartment basement was flooding on Putnam Street. At 712 AM EST, a car was trapped in flood waters on Crest Avenue. At 720 AM EST a portion of Walden Street and adjacent parking lot were flooded and impassable. At 735 AM EST, Governors Drive was flooded. At 750 AM EST, a basement was flooded on Bank Street. At 820 AM EST, basement flooding was also reported on Veterans Road. An amateur radio operator reported a storm total rainfall of 2.58 inches in Winthrop." +119914,719470,GULF OF MEXICO,2017,September,Marine Tropical Storm,"APALACHEE BAY OR COASTAL WATERS FROM KEATON BEACH TO OCHLOCKONEE RIVER FL OUT TO 20 NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119914,719471,GULF OF MEXICO,2017,September,Marine Tropical Storm,"APALACHICOLA TO DESTIN FL 20 TO 60NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119914,719472,GULF OF MEXICO,2017,September,Marine Tropical Storm,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119914,719473,GULF OF MEXICO,2017,September,Marine Tropical Storm,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119914,719474,GULF OF MEXICO,2017,September,Marine Tropical Storm,"COASTAL WATERS FROM SUWANNEE RIVER TO KEATON BEACH OUT TO 20 NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119914,719475,GULF OF MEXICO,2017,September,Marine Tropical Storm,"SUWANNEE R TO APALACHICOLA FL 20 TO 60NM",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma weakened to a tropical storm as it moved northward across the western portions of the Florida peninsula. The large size of the storm resulted in tropical storm conditions across all of the coastal waters from Destin to the Suwannee River out to 60 nautical miles.","" +119546,717380,OREGON,2017,September,Frost/Freeze,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-09-15 01:00:00,PST-8,2017-09-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant front of the fall season brought a cooler air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to some parts of south central Oregon.","The only reported low temperature from this zone was 24 degrees at Chemult." +119549,717385,OREGON,2017,September,Frost/Freeze,"KLAMATH BASIN",2017-09-21 01:00:00,PST-8,2017-09-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 27 to 30 degrees." +119551,717388,OREGON,2017,September,Frost/Freeze,"KLAMATH BASIN",2017-09-22 01:00:00,PST-8,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 24 to 28 degrees." +119554,717392,OREGON,2017,September,Frost/Freeze,"KLAMATH BASIN",2017-09-23 01:00:00,PST-8,2017-09-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The third significant front of the fall season brought a cold air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to many parts of south central Oregon.","Reported low temperatures ranged from 26 to 28 degrees." +118980,714655,MONTANA,2017,September,Winter Storm,"SOUTHERN LEWIS AND CLARK",2017-09-15 07:07:00,MST-7,2017-09-15 07:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper-level trough and embedded low pressure center moved southeastward from the Gulf of Alaska. Ahead of this system, isentropic lift generated widespread precipitation. This included accumulating snow in the mountains, especially above 6000 feet MSL. Greater snow amounts were realized in the Central and Southwest Montana mountains compared to farther north.","MT DOT webcam showed snow-covered roadway along MacDonald Pass. Also snowing steadily at the time. Elevation: 6320 feet MSL." +118980,718921,MONTANA,2017,September,Winter Storm,"JEFFERSON",2017-09-15 08:53:00,MST-7,2017-09-15 08:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper-level trough and embedded low pressure center moved southeastward from the Gulf of Alaska. Ahead of this system, isentropic lift generated widespread precipitation. This included accumulating snow in the mountains, especially above 6000 feet MSL. Greater snow amounts were realized in the Central and Southwest Montana mountains compared to farther north.","MT DOT webcam showed snow-covered roadway along I-15 at Boulder Hill. Visibility was also reduced greatly by falling snow. Elevation: 5600 feet MSL." +119936,718808,MONTANA,2017,September,Winter Storm,"CRAZY MOUNTAINS",2017-09-21 08:30:00,MST-7,2017-09-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall amounts were around 12 inches." +119936,718809,MONTANA,2017,September,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-09-20 21:00:00,MST-7,2017-09-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Fisher Creek Snotel received 17 inches of snow and Monument Peak Snotel recorded 12 inches." +119936,718812,MONTANA,2017,September,Winter Storm,"EASTERN CARBON",2017-09-21 19:00:00,MST-7,2017-09-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall amounts around 4 to 6 inches occurred across the area. The early, wet snow on trees caused downed tree limbs and power lines." +119936,719006,MONTANA,2017,September,Winter Storm,"RED LODGE FOOTHILLS",2017-09-21 19:00:00,MST-7,2017-09-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall of 6 to 8 inches was reported across the area. The early season wet snow resulted in downed tree limbs and power lines." +119936,719008,MONTANA,2017,September,Winter Storm,"BEARTOOTH FOOTHILLS",2017-09-21 19:00:00,MST-7,2017-09-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall of 4 to 6 inches was reported across the area. The early season wet snow caused downed tree limbs and power lines." +119936,719010,MONTANA,2017,September,Winter Storm,"NORTHERN SWEET GRASS",2017-09-21 19:00:00,MST-7,2017-09-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall of 4 to 6 inches was reported across the area. The early season wet snow resulted in downed tree limbs and power lines." +119936,719009,MONTANA,2017,September,Winter Storm,"NORTHERN STILLWATER",2017-09-21 21:00:00,MST-7,2017-09-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The seasons first winter storm occurred across the Beartooth/Absaroka foothills and adjacent plains. The coldest air of the season ushered in high temperatures in the 30s and 40s. This combined with a moist, upslope flow, brought accumulating snow to portions of the Billings Forecast area. Trees were fully foliaged, so the heavy, wet snow resulted in numerous downed tree limbs which also resulted in downed power lines.","Snowfall of 4 to 5 inches was reported across the area. The early season wet snow resulted in downed tree limbs and power lines." +119919,718963,CALIFORNIA,2017,September,Strong Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-09-11 01:00:00,PST-8,2017-09-11 01:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Measured wind gust of 54 mph at Pebble Beach." +119919,718969,CALIFORNIA,2017,September,Hail,"SAN MATEO",2017-09-11 17:46:00,PST-8,2017-09-11 17:56:00,0,0,0,0,0.00K,0,0.00K,0,37.7103,-122.4363,37.7103,-122.4363,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Social media post on twitter from the public reports small hail as well as lightning near San Francisco." +119919,718973,CALIFORNIA,2017,September,Lightning,"SAN MATEO",2017-09-11 17:46:00,PST-8,2017-09-11 17:48:00,0,0,0,0,0.00K,0,0.00K,0,37.7117,-122.4053,37.7117,-122.4053,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Social media post on twitter from the public reports small hail as well as lightning near San Francisco." +119919,718980,CALIFORNIA,2017,September,Strong Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-09-11 01:30:00,PST-8,2017-09-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Reports of fallen trees and down power poles between 2:30 am PDT and 400 am PDT. Estimated wind gusts 30 to 40 mph." +119919,718984,CALIFORNIA,2017,September,Strong Wind,"SANTA CLARA VALLEY INCLUDING SAN JOSE",2017-09-11 02:21:00,PST-8,2017-09-11 02:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance rotating around an upper level low west of San Diego brought thunderstorm activity to the Bay Area on September 11. Widespread reports of lightning were received along with a few small hail reports and strong wind gusts. It has been reported that there were over 40,000 lightning strikes across the Central Coast of California during this event. Several brush fires were also ignited due to lightning strikes.","Wind gust measured at 41 mph at San Jose International Airport." +115396,700648,MISSOURI,2017,April,Flash Flood,"OSAGE",2017-04-29 18:00:00,CST-6,2017-04-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2956,-92.194,38.3995,-92.1075,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 4 and 6 inches of rain caused flash flooding. Numerous roads were flooded including Route RA southeast of Linn." +115396,714009,MISSOURI,2017,April,Flood,"OSAGE",2017-04-30 14:00:00,CST-6,2017-04-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2956,-91.9738,38.3368,-91.9309,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Maries River rose to major flood levels for a couple of hours due to the heavy rainfall in the basin. A number of county and state roads near the river were flooded. However, no structures were affected by the flooding." +115397,692862,ILLINOIS,2017,April,Hail,"MADISON",2017-04-29 15:49:00,CST-6,2017-04-29 15:49:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-89.77,38.9698,-89.7574,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +115397,693025,ILLINOIS,2017,April,Thunderstorm Wind,"MACOUPIN",2017-04-29 15:55:00,CST-6,2017-04-29 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.5,-89.77,39.5,-89.77,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","" +115430,697462,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:39:00,CST-6,2017-06-11 06:39:00,0,0,0,0,0.00K,0,0.00K,0,45.07,-94.53,45.07,-94.53,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Wind gust reported by RAWS station LFSM5, Litchfield 3S, operated by the U.S. Fish and Wildlife Service." +115396,714268,MISSOURI,2017,April,Flood,"ST. LOUIS",2017-04-30 22:30:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,38.3809,-90.3489,38.4498,-90.2926,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","The Meramec River at Eureka and Valley Park rose to just above major flood stage in the late evening hours of April 30th due to the heavy rainfall. A number of roads were closed due to the river flooding including Highway 141 where it goes under I-44." +115396,693233,MISSOURI,2017,April,Flash Flood,"IRON",2017-04-29 05:30:00,CST-6,2017-04-30 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.7395,-91.145,37.5927,-91.1547,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the weekend of April 29th-30th. Rainfall totals surpassed nine inches in some locations and this led to flash flooding and historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event. A few thunderstorms also became severe during the afternoon of April 29th, with two weak tornadoes documented.","Between 7 and 10 inches of rain fell causing widespread flash flooding. Numerous roads across the county were flooded and closed including Routes C, F, D, and CC, as well as Highways 72, 143 and 221. Big Creek RV Park was flooded and had to be evacuated. The Missouri Pacific railroad tracks south of Annapolis were undermined by the flood water and a section was washed out. Also, several bridges had both ends washed out due to the flash flooding." +118923,714462,MISSOURI,2017,May,Flood,"OSAGE",2017-05-01 18:00:00,CST-6,2017-05-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3139,-91.8897,38.4576,-91.8176,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Gasconade River at Rich Fountain went above major flood stage, with a record crest of 37.46 feet on May 2nd, due to very heavy rain over the river basin in late April. A number of secondary roads were closed due to the river flooding." +118923,714465,MISSOURI,2017,May,Flood,"GASCONADE",2017-05-01 18:00:00,CST-6,2017-05-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4378,-91.634,38.5508,-91.5506,"A strong spring storm system brought multiple rounds of thunderstorms and heavy rain to the southeast half of Missouri during the last couple days of April. Rainfall totals surpassed nine inches in some locations and this led to historic flooding along some of the tributaries of the Missouri and Mississippi Rivers. Areas along the Meramec River were especially hard hit as new records were set at Steelville, Sullivan, and Eureka. The previous records had just recently been set during the late December flooding of 2015. Two major highways, I-44 and I-55 were shut down for a number of days due to the record river flooding from this event.","The Gasconade River at Rich Fountain went above major flood stage, with a record crest of 37.46 feet on May 2nd, due to very heavy rain over the river basin in late April. A number of secondary roads were closed due to the river flooding. Also, several homes and businesses were flooded north of Mount Sterling." +118934,714520,TEXAS,2017,June,Thunderstorm Wind,"NUECES",2017-06-05 13:48:00,CST-6,2017-06-05 14:04:00,0,0,0,0,50.00K,50000,0.00K,0,27.67,-97.67,27.6826,-97.6195,"Scattered thunderstorms moved across the Coastal Bend during the afternoon of the 5th as an upper level low moved across southeast Texas. Storms produced hail from golf ball to tennis ball size.","Images submitted through social media of power poles and lines blown down near the intersection of Farm to Market Roads 665 and 892 west of Petronila. Additional power poles and lines were blown down northeast of Petronila." +118953,714569,TEXAS,2017,June,Flash Flood,"ARANSAS",2017-06-27 08:00:00,CST-6,2017-06-27 08:50:00,0,0,0,0,0.00K,0,0.00K,0,28.0402,-97.0419,28.0529,-97.0604,"Thunderstorms produced heavy rainfall over the northern Coastal Bend from Port Aransas to Rockport to Seadrift. Rainfall amounts were between 3 to 4 inches. Rainfall produced flooding in Rockport and Port Aransas.","Water covered the road at Enterprise Boulevard and Omohundro Street in Rockport. The road became impassable." +118836,715402,LOUISIANA,2017,June,Storm Surge/Tide,"ST. JOHN THE BAPTIST",2017-06-20 12:00:00,CST-6,2017-06-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","The National Ocean Service gauge at the Bonnet Carre Floodway near the St. Charles and St. John the Baptist Parish line reported a maximum water level of 3.67 ft MHHW, which was 4.37 ft above the predicted level. The elevated water levels resulted in minor impacts. Low lying roads near Frenier, including Old US Highway 51, were inundated with up to 1 foot of water." +118836,715403,LOUISIANA,2017,June,Heavy Rain,"ST. TAMMANY",2017-06-19 06:00:00,CST-6,2017-06-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-89.78,30.27,-89.78,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Portions of southeast St. Tammany Parish recorded 4 to 6 inches of rain associated with Tropical Storm Cindy, most of which fell during the overnight hours of June 20th into the 21st. The highest total was recorded by a CoCoRaHS observer on the east side of Slidell. That observer recorded 6.38 inches of rain, 5.34 inches of which fell from the 20th into the 21st. The heavy rainfall led to ponding of water in typical poor drainage areas. Rainfall totals decreased to the west of Slidell. A CoCoRaHS observer in Covington reported a storm total of 4.41 inches, and in Madisonville, a CoCoRaHS observer reported a storm total of only 2.65 inches." +118836,715404,LOUISIANA,2017,June,Heavy Rain,"ST. BERNARD",2017-06-19 06:00:00,CST-6,2017-06-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,29.87,-89.87,29.87,-89.87,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Portions of eastern St. Bernard Parish recorded 4 to 6 inches of rain associated with Tropical Storm Cindy, most of which fell during the overnight hours of June 20th into the 21st. The highest total was recorded by a CoCoRaHS observer in the community of St. Bernard. That observer recorded 6.52 inches of rain, 6.46 inches of which fell from the 20th into the 21st. The heavy rainfall led to ponding of water in typical poor drainage areas. Rainfall totals decreased to the west. In Meraux, an NWS cooperative observer reported a storm total of 4.05 inches." +118836,713948,LOUISIANA,2017,June,Tropical Storm,"ORLEANS",2017-06-20 15:00:00,CST-6,2017-06-21 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts with a few instances of sustained tropical storm force winds were reported at Lakefront Airport KNEW as well as a WeatherFlow site at Lakefront Airport. The highest gust reported was 43 knots at 11:08 pm CST on June 21. The strong winds downed a few trees along Highway 11 between Highway 90 and I-10, and also downed power lines along General Degaulle. At the peak, there were approximately 7100 homes without power." +118836,713950,LOUISIANA,2017,June,Tropical Storm,"UPPER JEFFERSON",2017-06-20 21:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force wind gusts were reported at New Orleans International Airport (KMSY). The highest gust reported was 39 knots at 12:17 am CST on June 21. The strong winds downed a tree on Lakeshore Drive in Metairie." +118836,713966,LOUISIANA,2017,June,Tropical Storm,"UPPER ST. BERNARD",2017-06-20 18:00:00,CST-6,2017-06-20 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line.||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting in minor to moderate impacts across southeast Louisiana. The storm resulted in heavy rainfall, minor storm surge flooding, and isolated damage due to strong winds.||The minimum sea level pressure of 1004.4 mb, along with the highest wind gust and highest sustained wind in southeast Louisiana were all measured by the New Orleans Lakefront Airport ASOS. The highest wind gust recorded was 43 knots, or 49 mph, and the the maximum sustained wind in southeast Louisiana was 38 knots, or 44 mph. Tropical storm force winds were primarily experienced in gusts as squalls moved through the area. The winds did cause isolated minor damage to trees, roofs, and power lines. The only two known injuries in southeast Louisiana resulted from a tree falling on a mobile home in Houma.||A storm tide of generally 4 to 6 feet occurred along the Gulf Coast of southeast Louisiana from St. Bernard Parish through Terrebonne Parish. The highest measured storm tide was 6.18 ft NAVD88 at a USGS gauge near Point a la Hache in Plaquemines Parish. The elevated tides resulted in minor to moderate flooding mainly of low lying land and roadways outside the federal levee system. ||Around Lake Pontchartrain, storm tide was generally measured in the 2 to 4 ft range, with a maximum value of 4.29 ft NAVD88 at the USCOE gauge near Mandeville. Again, impacts were minor to moderate with flooding to low lying land and roadways outside of levees systems.||Many areas of southeast Louisiana received 3 to 5 inches of rain with a few measurements in excess of 6 inches. Maximum storm total rainfall was 6.52 inches measured at a CoCoRaHS station in St. Bernard. The rainfall resulted in some minor river flooding across portions of the north shore of Lake Pontchartrain.","Frequent tropical storm force gusts were reported across the parish. A maximum gust of 37 knots, or 43 mph, was measured by the Belle Chasse NAS ASOS (KNBG) at 8:43 pm CST on the 21st." +115430,710883,MINNESOTA,2017,June,Thunderstorm Wind,"MEEKER",2017-06-11 06:38:00,CST-6,2017-06-11 06:38:00,0,0,0,0,0.00K,0,0.00K,0,45.2975,-94.6863,45.2975,-94.6863,"A mesoscale convective system developed overnight in South Dakota and traversed across southern Minnesota, producing severe hail, wind, and a tornado. The system continued into West Central Wisconsin where it continued to produce severe wind and hail. The tornado touched down in Kandiyohi County and mostly hit trees and crops, but it did cause significant damage to a couple of large metal buildings.||There were numerous reports of downed trees and power lines in a swath from the South Dakota border, eastward into the northern suburbs of the Twin Cities. Although there were multiple reports of large hail, and some were measured up to golf ball size, the combination of strong winds and hail, took a toll on property, especially in the Twin Cities metro area. The county of Anoka reported some areas receiving up to two feet of hail which caused several cities to use snow plows. The county of Anoka also reported $650,000 in damage to public property and infrastructure.||Wind speeds were measured in several areas up to 70 knots indicating the severity of the storms as torrential rain and hail accompanied the wind. During the height of the storm, roughly 150,000 Xcel Energy customers were without power for several hours. ||One of the most dramatic incidents of damage occurred to the Monticello High School baseball dugout. A weather spotter said the cinder block structure was destroyed by the force of the storm. In that same city, a large tree toppled and landed on a home.||Two people were trapped when a damaged tree fell on them in St. Paul. The two adults had been standing near the tree after the storm passed through, when the tree collapsed and trapped them. Only minor injuries were reported. ||This storm also delayed some of the cyclists that were taking part in a weekend MS150 charity ride from Duluth to St. Paul.","Several dozen trees were snapped or uprooted." +117561,706999,GULF OF MEXICO,2017,June,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-06-16 22:24:00,CST-6,2017-06-16 22:24:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-88.5107,30.34,-88.5107,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 63 knot wind gust was measured at NOAA NOS Station Range A Rear, Port of Pascagoula, MS." +117562,706997,MISSISSIPPI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-16 22:24:00,CST-6,2017-06-16 22:24:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-88.51,30.34,-88.51,"A complex of thunderstorms moved southward out of northern Mississippi into southern Mississippi and the adjacent coastal waters during the late evening hours of the 16th and early morning hours of the 17th.","A 63 knot wind gust was measured NOAA-NOS Station Range A Rear at the Port of Pascagoula." +119203,716269,MISSOURI,2017,May,Hail,"OSAGE",2017-05-27 14:38:00,CST-6,2017-05-27 14:38:00,0,0,0,0,0.00K,0,0.00K,0,38.4533,-91.8359,38.4533,-91.8359,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +119203,716270,MISSOURI,2017,May,Hail,"OSAGE",2017-05-27 14:00:00,CST-6,2017-05-27 14:04:00,0,0,0,0,0.00K,0,0.00K,0,38.5284,-91.9309,38.5234,-91.85,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","" +119203,716302,MISSOURI,2017,May,Thunderstorm Wind,"GASCONADE",2017-05-27 14:44:00,CST-6,2017-05-27 14:44:00,0,0,0,0,0.00K,0,0.00K,0,38.3,-91.63,38.3,-91.63,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down numerous tree limbs and power lines around town." +119203,716304,MISSOURI,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-27 15:04:00,CST-6,2017-05-27 15:04:00,0,0,0,0,0.00K,0,0.00K,0,38.2129,-91.1627,38.2129,-91.1627,"Mesoscale convective complex developed and tracked east across forecast area. The strongest storms were along and south of Interstate 70 through the evening hours. There were numerous reports of large hail and damaging winds.","Thunderstorm winds blew down a large tree." +117243,705550,WISCONSIN,2017,June,Flash Flood,"SAWYER",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.78,-91.23,45.7792,-91.23,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","County Highway H at Beaver Brook Road closed due to flooding." +117243,705551,WISCONSIN,2017,June,Flash Flood,"SAWYER",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.9,-91.17,45.8936,-91.1708,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Parts of West Flowage Road closed due to flooding." +118590,712427,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"SANBORN",2017-06-13 16:52:00,CST-6,2017-06-13 16:52:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-98.27,44.06,-98.27,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Downed tree." +118590,712398,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 16:56:00,CST-6,2017-06-13 16:56:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-98.53,43.07,-98.53,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712399,SOUTH DAKOTA,2017,June,Hail,"AURORA",2017-06-13 16:57:00,CST-6,2017-06-13 16:57:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-98.49,43.71,-98.49,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712400,SOUTH DAKOTA,2017,June,Hail,"AURORA",2017-06-13 16:59:00,CST-6,2017-06-13 16:59:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-98.45,43.71,-98.45,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Winds of 50 to 60 mph were also reported." +118590,713000,SOUTH DAKOTA,2017,June,Hail,"AURORA",2017-06-13 16:59:00,CST-6,2017-06-13 16:59:00,0,0,0,0,0.00K,0,0.00K,0,43.7089,-98.443,43.7089,-98.443,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712401,SOUTH DAKOTA,2017,June,Hail,"DAVISON",2017-06-13 17:06:00,CST-6,2017-06-13 17:06:00,0,0,0,0,0.00K,0,0.00K,0,43.72,-98.28,43.72,-98.28,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712402,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-13 17:07:00,CST-6,2017-06-13 17:07:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-98.54,43.16,-98.54,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","" +118590,712428,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BEADLE",2017-06-13 17:18:00,CST-6,2017-06-13 17:18:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-98.18,44.46,-98.18,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Roof torn off barn that was previously damaged." +117243,705567,WISCONSIN,2017,June,Flood,"PRICE",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.6938,-90.4042,45.6936,-90.4035,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","Roads flooded along Wisconsin State Highway 13 and Wyoming Street in Phillips." +117243,705587,WISCONSIN,2017,June,Flash Flood,"PRICE",2017-06-11 16:09:00,CST-6,2017-06-11 20:00:00,0,0,0,0,1.00K,1000,1.00K,1000,45.849,-91.0799,45.8484,-91.08,"Two rounds of strong to severe thunderstorms occurred across Burnett, Washburn, Sawyer, and Price counties in northwest Wisconsin. A cold front moved through the area in the morning and triggered strong to severe storms, which produced hail up to dime size, wind damage, and heavy rain that contributed to flash flooding. The front stalled across the region by afternoon and produced more strong to severe thunderstorms. The thunderstorms produced hail from the size of peas to nickels, wind damage, and heavy rain that contributed to flash flooding. Several roads were flooded, including culvert washouts along with downed power lines. Disaster declarations due to the flooding were issued for the town of Emery in Price County, Sawyer County and the Lac Courte Oreilles Tribe. In Price County, the total damage estimate from Wisconsin Emergency Management was $562,000. In Sawyer County, the total damage estimate was $504,000. In Washburn County, the damage estimate was $60,000. The Lac Courte Oreilles Tribe had total damage estimated at $6,500.","A mud slide flowed across the roadway at Dam Road and County Highway G in Ojibwa. The mud was approximately 3 feet deep on the road." +118590,712443,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"CLAY",2017-06-13 20:15:00,CST-6,2017-06-13 20:15:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-96.9,43.06,-96.9,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","SDSU Mesonet station at Beresford measured the wind gust." +118590,712444,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"LINCOLN",2017-06-13 20:16:00,CST-6,2017-06-13 20:16:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-96.82,43.45,-96.82,"Thunderstorms developed by late afternoon in southcentral South Dakota and quickly became severe. Many areas experienced large hail and damaging winds.","Branches downed." +118837,715557,GULF OF MEXICO,2017,June,Marine Tropical Storm,"CHANDELEUR SOUND",2017-06-20 13:00:00,CST-6,2017-06-21 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Cindy developed over the central Gulf of Mexico on June 20th and moved generally northwest for the next few days before making landfall in southwest Louisiana near the Louisiana and Texas state line. ||Cindy was an asymmetric system as it moved through the central Gulf toward southwest Louisiana, resulting widespread tropical storm force winds across the Gulf waters of southeast Louisiana and Mississippi.||The minimum sea level pressure in the coastal waters of Southeast Louisiana and Mississippi (1002.1 mb) was recorded by the Louisiana Offshore Oil Port site at 5:34 pm CST on the 20th, though that barometer is about 40 meters above sea level. The Grand Isle Blocks site which is owned and maintained by Louisiana State University, reported a minimum sea level pressure of 1003.4 mb at 6pm CST on the 21st. That site's barometer is only 3 meters above sea level. ||Frequent tropical storm force wind gusts were recorded throughout the coastal waters, with occasional reports of sustained tropical storm force winds. The anemometer at the Louisiana Offshore Oil Port recorded the area's highest sustained wind and wind gust, though the anemometer at that site is nearly 60 meters above sea level. The maximum gust reported was 57 kts, or 66 mph, at 3:34pm CST on the 20th. The maximum sustained wind reported was 46 kts, or 53 mph, at 4:34 pm CST on the 20th.||The highest sustained wind and wind gust reported by a station with an anemometer at the standard height of 10 meters above sea level were recorded by the Grand Isle Blocks site. Here, the maximum recorded gust was 55 kts, or 63 mph, at 6pm CST on the 21st. The maximum sustained wind was 43 kts, or 49 mph, also at 6pm CST on the 21st.","Though there are no observations within the zone, based on surrounding observations it is likely that occasional sustained winds of tropical storm force with frequent tropical storm force gusts were common across the marine zone. Nearby observations include a USGS gauge at Bay Gardene, and a Weatherflow mesonet site at Ship Island." +118613,712503,MINNESOTA,2017,June,Hail,"LYON",2017-06-22 03:52:00,CST-6,2017-06-22 03:52:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-95.73,44.34,-95.73,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118613,712504,MINNESOTA,2017,June,Hail,"LYON",2017-06-22 03:52:00,CST-6,2017-06-22 03:52:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-95.79,44.37,-95.79,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","Windows were broke." +118613,712505,MINNESOTA,2017,June,Hail,"LYON",2017-06-22 03:56:00,CST-6,2017-06-22 03:56:00,0,0,0,0,0.00K,0,0.00K,0,44.35,-95.65,44.35,-95.65,"Severe thunderstorms moved out east central South Dakota into portions of southwest Minnesota. The storms produced hail and strong winds before weakening.","" +118614,712996,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-27 21:34:00,CST-6,2017-06-27 21:34:00,0,0,0,0,0.00K,0,0.00K,0,43.32,-98.35,43.32,-98.35,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712506,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-27 21:43:00,CST-6,2017-06-27 21:43:00,0,0,0,0,0.00K,0,0.00K,0,43.31,-98.35,43.31,-98.35,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712507,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-27 21:48:00,CST-6,2017-06-27 21:48:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-98.27,43.33,-98.27,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118614,712508,SOUTH DAKOTA,2017,June,Hail,"LINCOLN",2017-06-27 22:05:00,CST-6,2017-06-27 22:05:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-96.84,43.45,-96.84,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","Report received through social media." +118614,712510,SOUTH DAKOTA,2017,June,Hail,"MINNEHAHA",2017-06-27 22:18:00,CST-6,2017-06-27 22:18:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-96.68,43.53,-96.68,"Scattered thunderstorms developed and became severe during the late evening hours. Storms quickly produced severe weather in the form of hail and strong winds before dissipating just as quick.","" +118617,712994,SOUTH DAKOTA,2017,June,Hail,"DOUGLAS",2017-06-29 15:05:00,CST-6,2017-06-29 15:05:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-98.4,43.42,-98.4,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712524,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-29 15:20:00,CST-6,2017-06-29 15:20:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-98.34,43.23,-98.34,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712525,SOUTH DAKOTA,2017,June,Hail,"CHARLES MIX",2017-06-29 15:25:00,CST-6,2017-06-29 15:25:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-98.29,42.95,-98.29,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712526,SOUTH DAKOTA,2017,June,Hail,"HUTCHINSON",2017-06-29 15:43:00,CST-6,2017-06-29 15:43:00,0,0,0,0,0.00K,0,0.00K,0,43.22,-98.07,43.22,-98.07,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712527,SOUTH DAKOTA,2017,June,Hail,"BON HOMME",2017-06-29 15:45:00,CST-6,2017-06-29 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-97.86,42.99,-97.86,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","Wind gusts also estimated to be 50 to 55 mph. Four inch tree limbs were also downed." +118617,712528,SOUTH DAKOTA,2017,June,Hail,"BON HOMME",2017-06-29 15:45:00,CST-6,2017-06-29 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-97.97,43.09,-97.97,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118617,712535,SOUTH DAKOTA,2017,June,Thunderstorm Wind,"BON HOMME",2017-06-29 16:24:00,CST-6,2017-06-29 16:24:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-97.72,43.09,-97.72,"Widespread thunderstorms developed in south central South Dakota late in the afternoon and continued into the early evening. The storms produced quite a swath of hail as they progressed across the area.","" +118587,712381,SOUTH DAKOTA,2017,June,Hail,"HUTCHINSON",2017-06-12 09:40:00,CST-6,2017-06-12 09:40:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-97.58,43.23,-97.58,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +118587,712382,SOUTH DAKOTA,2017,June,Hail,"LINCOLN",2017-06-12 10:13:00,CST-6,2017-06-12 10:13:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-96.8,43.39,-96.8,"Thunderstorms developed by mid morning and produced hail in many locations of southeast South Dakota.","" +117558,706982,KANSAS,2017,June,Thunderstorm Wind,"WOODSON",2017-06-29 18:39:00,CST-6,2017-06-29 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38,-95.75,38,-95.75,"Several severe thunderstorms struck the region on the 29th and 30th. First to be hit was Southeast Kansas, where parts of Woodson County were hit by a thunderstorm that just barely achieved severity with winds around 60 mph and 1 inch hail in the evening on the 29th, but it was later that night that the more powerful severe thunderstorms arrived. First to be hit by these more powerful thunderstorms was Reno County, where just before mid-night, hail as large as lemons hammered Turon and a 54-kt gust was measured at Hutchinson Airport. These severe thunderstorms would move across much of South-Central Kansas through the mid-night hour then eventually reach far Southeast Kansas early in the morning on the 30th. A severe thunderstorm also hit Saline County just before mid-night.","No damage was reported." +115233,691855,WISCONSIN,2017,April,Thunderstorm Wind,"SHEBOYGAN",2017-04-15 22:04:00,CST-6,2017-04-15 22:04:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.85,43.75,-87.85,"A large complex of thunderstorms moved across southern WI as an upper level disturbance and cold front approached. Gusty winds were observed with one severe wind gust at Sheboygan Airport.","" +117560,706994,MISSISSIPPI,2017,June,Hail,"HARRISON",2017-06-15 17:45:00,CST-6,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-88.93,30.42,-88.93,"A sea breeze boundary collided with an outflow boundary from a thunderstorm, and produced a severe thunderstorm along the Mississippi coastline.","Ping pong ball size hail was reported near Biloxi High School. Event time was estimated. Report relayed via social media." +117932,708780,KANSAS,2017,June,Thunderstorm Wind,"SEDGWICK",2017-06-15 18:11:00,CST-6,2017-06-15 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-97.52,37.89,-97.52,"Widespread thunderstorms packed a strong punch for most locations across central and portions of southeast Kansas. Several wind gusts into the 70 to 80 mph range were reported. Large hail also occurred with many of these storms with several stones larger than golf balls.","Reported by the Emergency Manager." +118930,714503,MISSOURI,2017,May,Tornado,"CALLAWAY",2017-05-19 03:15:00,CST-6,2017-05-19 03:16:00,0,0,0,0,0.00K,0,0.00K,0,38.9166,-91.6829,38.918,-91.6536,"A complex of severe storms moved eastward along the I-70 corridor during the early morning hours of May 19th. There were two tornadoes as well as numerous damaging wind reports with this event.","A weak tornado formed one mile east of Williamsburg, Missouri along Old US 40 at a residence and business where two barns were damaged and another was destroyed. Two vehicles were also flipped at this location. Debris was tossed up to one mile down the tornado's path into the adjacent farm field and tree line. The tornado then crossed County Road 1031, snapping a power pole. The tornado dissipated shortly after crossing County Road 1033. Overall, the tornado was rated EF1 with a path length of 1.58 miles. Maximum path width was 50 yards. No deaths or injuries were reported with this tornado." +117354,705745,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-02 15:20:00,EST-5,2017-08-02 15:20:00,0,0,0,0,0.00K,0,0.00K,0,28.54,-80.57,28.54,-80.57,"Strong westerly winds propelled a broken line of thunderstorms from the central Florida interior quickly across the Brevard County mainland and to the intracoastal waters, barrier islands and adjacent Atlantic. Strong wind gusts were observed at several locations.","USAF wind tower 0108, located north of Cape Canaveral, measured a peak wind gust of 37 knots from the west-southwest as a strong thunderstorm passed by." +117357,705751,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-03 14:40:00,EST-5,2017-08-03 14:40:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"A line of storms developed along the collision of the east and west coast sea breezes over east central Florida. With a southwesterly wind regime the line of storms moved eastward and produced strong winds along the intracoastal waters of Brevard County.","US Air Force wind tower 0300 near State Road 528 and the Banana River measured a peak wind gust of 35 knots from the south." +117357,705752,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-03 15:00:00,EST-5,2017-08-03 15:00:00,0,0,0,0,0.00K,0,0.00K,0,28.41,-80.76,28.41,-80.76,"A line of storms developed along the collision of the east and west coast sea breezes over east central Florida. With a southwesterly wind regime the line of storms moved eastward and produced strong winds along the intracoastal waters of Brevard County.","US Air Force wind tower 1000 near State Road 528 and the Indian River Lagoon measured a peak wind gust of 35 knots from the east-southeast." +117357,705754,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-03 17:55:00,EST-5,2017-08-03 17:55:00,0,0,0,0,0.00K,0,0.00K,0,28.64,-80.75,28.64,-80.75,"A line of storms developed along the collision of the east and west coast sea breezes over east central Florida. With a southwesterly wind regime the line of storms moved eastward and produced strong winds along the intracoastal waters of Brevard County.","US Air Force wind tower 0714 measured a peak wind gust of 34 knots from the northwest." +117357,705755,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-03 18:00:00,EST-5,2017-08-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"A line of storms developed along the collision of the east and west coast sea breezes over east central Florida. With a southwesterly wind regime the line of storms moved eastward and produced strong winds along the intracoastal waters of Brevard County.","US Air Force wind tower 0300 near State Road 528 and the Banana River measured a peak wind gust of 43 knots from the southwest." +119699,717925,FLORIDA,2017,August,Thunderstorm Wind,"OKEECHOBEE",2017-08-13 17:52:00,EST-5,2017-08-13 17:52:00,0,0,0,0,2.00K,2000,0.00K,0,27.3574,-81.0107,27.3574,-81.0107,"A strong thunderstorm toppled a tree and damaged a car and fence of a residence in a rural area along the Kissimmee River between Basinger and Okeechobee.","Okeechobee County Emergency Management forwarded a report and photos of damage at a residence in a rural area along the Kissimmee River between Basinger and Okeechobee. A tree was toppled and several large branches were downed, along with damage to a car and fence nearby." +118756,713400,ARIZONA,2017,August,Flood,"MARICOPA",2017-08-13 08:00:00,MST-7,2017-08-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.0168,-112.235,32.9604,-112.4382,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Thunderstorms developed over the southern portion of the greater Phoenix area during the early morning hours on August 13th and some of them produced locally heavy rains along highway 238 running from the town of Maricopa westwards towards Gila Bend. There are many washes that cross the highway and even modest amounts of heavy rain cause them to flow swiftly and across the highway, forcing temporary closure of the road. The heavier rains ended by around 0300MST but flooding issues lingering through the mid morning hours. According to the department of highways, at 0915MST highway 238 was closed in the vicinity of the town of Mobile. The portions closed included from milepost 1 to 7 and from 32 to 40. A Flood Advisory for the area had ended many hours earlier in the morning." +118790,713598,ARIZONA,2017,August,Flash Flood,"PINAL",2017-08-13 04:00:00,MST-7,2017-08-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9442,-111.7262,32.9517,-111.7849,"Scattered thunderstorms developed across the central deserts during the morning hours on August 13th, and some of the stronger storms affected the area around the community of Casa Grande. The storms produced locally heavy rainfall and with peak rain rates over one inch per hour, the rains were sufficient to cause episodes of flash flooding. Flash flooding was not especially significant or widespread, but it did lead to flooding in the McCartney Ranch subdivision at 0600MST; the subdivision was located about 3 miles north of Casa Grande. A Flash Flood Warning was in effect at the time of the flooding. No injuries were reported.","Scattered thunderstorms developed in the area around Casa Grande during the morning hours on August 13th and some of the stronger storms produced locally heavy rains with peak rain rates over one inch per hour. The intense rain led to an episode of flash flooding about 3 miles north of Casa Grande. At 0600MST, a broadcast media report from Fox 10 news indicated that there was early morning flooding in the McCartney Ranch subdivision. Images were shown of cars on the streets with water up to the middle of the car's tires. A Flash Flood Warning was in effect during the flooding; it was issued at about 0400MST and was in effect through 0700MST." +118939,714530,CALIFORNIA,2017,August,Thunderstorm Wind,"IMPERIAL",2017-08-03 15:00:00,PST-8,2017-08-03 15:00:00,0,0,0,0,250.00K,250000,0.00K,0,32.75,-115.69,32.75,-115.69,"Scattered monsoon thunderstorms developed during the afternoon and evening hours across portions of Imperial County on August 3rd and is typical with monsoon storms, they produced gusty and damaging outflow winds along with locally heavy rainfall. For example, during the late afternoon, thunderstorms moved across the western portion of the Imperial Valley, near the town of Seeley, and they generated gusty winds over 60 mph that downed as many as 40 power poles along Drew Road. The poles were downed to the south of Interstate 8. Later, during the evening hours, thunderstorms with intense rainfall led to flash flooding along highway 78, about 15 miles northeast of Glamis and across the far eastern portion of Imperial County. The flooding caused significant debris to wash across the highway presenting a serious hazard to motorists.","Scattered thunderstorms developed across the western portion of the Imperial Valley during the afternoon hours on August 3rd and some of the stronger storms produced gusty and damaging outflow winds. According to a local emergency manager, at 1500PST gusty winds estimated to be as high as 60 mph downed about 40 power poles in the vicinity of the intersection of Drew and Diehl Roads. The power poles were downed about 3 miles southwest of Seeley and south of Interstate 8 and they covered about one and one half mile of roadway." +118939,714531,CALIFORNIA,2017,August,Thunderstorm Wind,"IMPERIAL",2017-08-03 14:32:00,PST-8,2017-08-03 14:32:00,0,0,0,0,30.00K,30000,0.00K,0,32.77,-115.69,32.77,-115.69,"Scattered monsoon thunderstorms developed during the afternoon and evening hours across portions of Imperial County on August 3rd and is typical with monsoon storms, they produced gusty and damaging outflow winds along with locally heavy rainfall. For example, during the late afternoon, thunderstorms moved across the western portion of the Imperial Valley, near the town of Seeley, and they generated gusty winds over 60 mph that downed as many as 40 power poles along Drew Road. The poles were downed to the south of Interstate 8. Later, during the evening hours, thunderstorms with intense rainfall led to flash flooding along highway 78, about 15 miles northeast of Glamis and across the far eastern portion of Imperial County. The flooding caused significant debris to wash across the highway presenting a serious hazard to motorists.","Scattered thunderstorms developed during the afternoon hours across the western portions of the Imperial Valley and some of the stronger storms produced gusty and damaging outflow winds near the town of Seeley. According to the California Highway Patrol, at 1432PST gusty winds estimated to be at least 60 mph in strength blew down a number of power poles into the road near the intersection of Kramar and Drew Roads, to the south of Seeley and just south of Interstate 8. In addition, power lines were reported to be downed and lying in the road along with the power poles. No injuries were reported as a result of the downed power poles." +117453,706377,IOWA,2017,June,Hail,"DALLAS",2017-06-28 16:18:00,CST-6,2017-06-28 16:18:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-93.86,41.61,-93.86,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported nickel sized hail." +117453,709537,IOWA,2017,June,Tornado,"ADAMS",2017-06-28 15:21:00,CST-6,2017-06-28 15:30:00,0,0,0,0,10.00K,10000,5.00K,5000,41.0626,-94.8906,41.0828,-94.823,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Tornado tracked across rural areas northwest of Carbon. Some minor damage occurred to outbuildings with most of the damage occurring to trees along the path." +118939,714532,CALIFORNIA,2017,August,Flash Flood,"IMPERIAL",2017-08-03 17:30:00,PST-8,2017-08-03 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.1884,-114.7907,32.9859,-114.9197,"Scattered monsoon thunderstorms developed during the afternoon and evening hours across portions of Imperial County on August 3rd and is typical with monsoon storms, they produced gusty and damaging outflow winds along with locally heavy rainfall. For example, during the late afternoon, thunderstorms moved across the western portion of the Imperial Valley, near the town of Seeley, and they generated gusty winds over 60 mph that downed as many as 40 power poles along Drew Road. The poles were downed to the south of Interstate 8. Later, during the evening hours, thunderstorms with intense rainfall led to flash flooding along highway 78, about 15 miles northeast of Glamis and across the far eastern portion of Imperial County. The flooding caused significant debris to wash across the highway presenting a serious hazard to motorists.","Scattered thunderstorms developed across the far eastern portion of Imperial County during the late afternoon hours and some of the stronger storms produced locally heavy rains with peak rain rates in excess of one inch per hour. The intense rains led to an episode of flash flooding along highway 78, to the northeast of the town of Glamis. According to the California Highway Patrol and the El Centro Comms Center, heavy rains 15 miles northeast of Glamis caused significant mud, rocks and debris to wash across the highway and this occurred around 1833PST. A Flash Flood Warning was in effect at the time of the flooding; fortunately no accidents or injuries were reported due to the dangerous debris in the road." +118945,714552,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-03 12:45:00,PST-8,2017-08-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.875,-115.903,33.7142,-115.936,"Scattered monsoon thunderstorms developed across portions of eastern Riverside County, including Joshua Tree National Park, during the early afternoon hours on August 3rd. Some of the stronger storms produced locally heavy rain with peak rain rates between one and two inches per hour. The intense rainfall led to an episode of flash flooding across the southern portion of the park; park officials indicated that the south entrance of the park was temporarily closed during the afternoon due to the flash flooding, which also caused area washes such as the Smoke Tree Wash to run heavily. No injuries were reported due to the flooding. Additionally, a Flash Flood Warning was issued in response to the heavy rain and expected flooding.","Scattered thunderstorms developed across portions of eastern Riverside County, including Joshua Tree National Park, during the early afternoon hours on August 3rd. Some of the stronger storms produced locally heavy rainfall which led to an episode of flash flooding across the southern portion of Joshua Tree National Park. Radar indicated that some of the heaviest rain totals were about 2.5 inches and the intense rains caused washes in the park, such as Smoke Tree Wash, to flow heavily. According to park officials, the south entrance of Joshua Tree National Park was closed as of 1311PST due to the flooding. A Flash Flood Warning was issued and in effect at the time of the flooding and fortunately, no injuries were reported during the flooding." +118219,710401,KANSAS,2017,August,Thunderstorm Wind,"RENO",2017-08-05 16:25:00,CST-6,2017-08-05 16:25:00,0,0,0,0,,NaN,,NaN,38.067,-97.859,38.067,-97.859,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710403,KANSAS,2017,August,Thunderstorm Wind,"KINGMAN",2017-08-05 16:38:00,CST-6,2017-08-05 16:38:00,0,0,0,0,,NaN,,NaN,37.65,-98.11,37.65,-98.11,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","A trained spotter reported the gust." +118219,710404,KANSAS,2017,August,Thunderstorm Wind,"KINGMAN",2017-08-05 16:39:00,CST-6,2017-08-05 16:39:00,0,0,0,0,2.00K,2000,,NaN,37.65,-98.11,37.65,-98.11,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","Small tree limbs were knocked down from 50 to 60 mph winds." +118219,710406,KANSAS,2017,August,Thunderstorm Wind,"KINGMAN",2017-08-05 16:37:00,CST-6,2017-08-05 16:37:00,0,0,0,0,20.00K,20000,,NaN,37.66,-98.15,37.66,-98.15,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","Several power poles were knocked down from the severe gusts, estimated to be 65 mph." +118219,710409,KANSAS,2017,August,Thunderstorm Wind,"KINGMAN",2017-08-05 16:40:00,CST-6,2017-08-05 16:40:00,0,0,0,0,5.00K,5000,,NaN,37.65,-98.11,37.65,-98.11,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","A tree 25 feet tall and two feet in diameter was snapped about 3 feet from the ground, from estimated 70 mph winds." +118219,710419,KANSAS,2017,August,Thunderstorm Wind,"KINGMAN",2017-08-05 16:45:00,CST-6,2017-08-05 16:45:00,0,0,0,0,40.00K,40000,,NaN,37.6461,-98.1132,37.6464,-98.1132,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","Three to four power poles were snapped." +118219,710420,KANSAS,2017,August,Hail,"COWLEY",2017-08-05 16:45:00,CST-6,2017-08-05 16:45:00,0,0,0,0,,NaN,,NaN,37.4,-96.88,37.4,-96.88,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710422,KANSAS,2017,August,Hail,"SEDGWICK",2017-08-05 16:54:00,CST-6,2017-08-05 16:54:00,0,0,0,0,,NaN,,NaN,37.87,-97.66,37.87,-97.66,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +120009,719142,NEW MEXICO,2017,August,Hail,"DONA ANA",2017-08-13 15:00:00,MST-7,2017-08-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3407,-106.7706,32.3407,-106.7706,"A weak upper trough moved across the region with deep moisture in place. This trough triggered a few strong thunderstorms which produced hail up to the size of nickels and very heavy rain leading to flash flooding on Interstate 25 north of Las Cruces.","Nickel sized hail at Dona Ana Community College." +120009,719143,NEW MEXICO,2017,August,Heavy Rain,"DONA ANA",2017-08-13 15:00:00,MST-7,2017-08-13 15:57:00,0,0,0,0,0.00K,0,0.00K,0,32.3928,-106.8111,32.3928,-106.8111,"A weak upper trough moved across the region with deep moisture in place. This trough triggered a few strong thunderstorms which produced hail up to the size of nickels and very heavy rain leading to flash flooding on Interstate 25 north of Las Cruces.","Total rainfall of 2.80 inches is less than an hour 3 miles north of I-25/Highway 70 interchange." +120009,719144,NEW MEXICO,2017,August,Flash Flood,"DONA ANA",2017-08-13 16:10:00,MST-7,2017-08-13 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3997,-106.8626,32.3504,-106.8276,"A weak upper trough moved across the region with deep moisture in place. This trough triggered a few strong thunderstorms which produced hail up to the size of nickels and very heavy rain leading to flash flooding on Interstate 25 north of Las Cruces.","Mud and debris covering Interstate 25 near mile marker 9 causing closure for a couple of hours. One car swept off road. Many roads in Dona Ana flooded and a retention dam in area was close to overflowing." +120011,719146,TEXAS,2017,August,Flash Flood,"EL PASO",2017-08-23 16:15:00,MST-7,2017-08-23 17:15:00,0,0,0,0,0.00K,0,0.00K,0,31.5285,-106.1346,31.5183,-106.1176,"A surface low was located over far west Texas with an upper level trough approaching from Arizona. Monsoonal moisture was still in place with dew points over 60F across the region. Weak flow in the lower to mid levels kept storm motion slow and allowed heavy rain to fall near Fabens and create some localized flash flooding.","Water was about 6 inches deep flowing across San Felipe Road just east of Interstate 10." +120012,719147,TEXAS,2017,August,Thunderstorm Wind,"EL PASO",2017-08-25 18:10:00,MST-7,2017-08-25 18:10:00,0,0,0,0,0.00K,0,0.00K,0,31.7715,-106.5028,31.7715,-106.5028,"An upper high was located over the region trapping some modest monsoonal moisture over the region. An isolated thunderstorm developed near downtown El Paso and moved into the UTEP area and produced severe wind gusts and flash flooding as up to 2.24 inches of rain fell in an hour.","" +120012,719148,TEXAS,2017,August,Flash Flood,"EL PASO",2017-08-25 18:48:00,MST-7,2017-08-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7839,-106.5205,31.7573,-106.4989,"An upper high was located over the region trapping some modest monsoonal moisture over the region. An isolated thunderstorm developed near downtown El Paso and moved into the UTEP area and produced severe wind gusts and flash flooding as up to 2.24 inches of rain fell in an hour.","Two vehicles were stranded in high water at intersection of Mesa and Sun Bowl Drive. In addition, Interstate 10 eastbound at Porfirio Diaz had 3 of 4 lanes closed down due to flooding." +118832,713863,MICHIGAN,2017,August,Hail,"DELTA",2017-08-01 12:22:00,EST-5,2017-08-01 12:26:00,0,0,0,0,0.00K,0,0.00K,0,45.99,-87.07,45.99,-87.07,"Isolated severe thunderstorms formed along lake breeze boundaries over portions of central Upper Michigan on the afternoon of the 1st.","Delayed report from MPING of one inch diameter hail near Perkins." +118969,715721,MARYLAND,2017,August,Flash Flood,"ST. MARY'S",2017-08-18 21:50:00,EST-5,2017-08-18 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3671,-76.6587,38.3682,-76.6581,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Bishop Road flooded and closed at Burnt Mill Creek." +118969,715722,MARYLAND,2017,August,Flash Flood,"ST. MARY'S",2017-08-18 22:01:00,EST-5,2017-08-18 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3526,-76.6554,38.3544,-76.6532,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Friendship School Road flooded and closed at Burnt Mill Creek." +118969,715723,MARYLAND,2017,August,Flood,"ST. MARY'S",2017-08-18 22:30:00,EST-5,2017-08-19 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3683,-76.6597,38.3675,-76.6588,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Flooding persisted on Bishop Road at Burnt Mill Creek." +118971,715724,MARYLAND,2017,August,Flash Flood,"CHARLES",2017-08-21 17:30:00,EST-5,2017-08-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4958,-76.914,38.494,-76.9132,"Isolated thunderstorms moved across southern Maryland during the evening hours. The rain was heavy enough to produce flash flooding for a couple hours in portions of Charles and Saint Mary's Counties.","Estevez Road flooded and closed due to torrential rainfall." +118971,715727,MARYLAND,2017,August,Flash Flood,"ST. MARY'S",2017-08-21 17:05:00,EST-5,2017-08-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3825,-76.7612,38.3858,-76.7554,"Isolated thunderstorms moved across southern Maryland during the evening hours. The rain was heavy enough to produce flash flooding for a couple hours in portions of Charles and Saint Mary's Counties.","A foot of water was flowing over Baptist Church Road north of Chaptico Road." +118969,715902,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 17:56:00,EST-5,2017-08-18 18:43:00,0,0,0,0,0.00K,0,0.00K,0,39.5421,-76.3312,39.5412,-76.3304,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","The USGS stream gage on Bynum Run near Bel Air exceeded the 9 foot flood stage for about 45 minutes during the afternoon of the 18th. Bynum Run Park was flooded." +120025,719250,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-18 18:20:00,EST-5,2017-08-18 18:20:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 39 knots was reported at the Patapsco Buoy." +120025,719251,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-18 17:40:00,EST-5,2017-08-18 17:40:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 39 knots was reported at Gooses Reef." +120025,719252,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-18 18:42:00,EST-5,2017-08-18 19:00:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 38 to 48 knots were reported at Cove Point." +120025,719253,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-18 18:08:00,EST-5,2017-08-18 18:08:00,0,0,0,0,,NaN,,NaN,38.4164,-76.5551,38.4164,-76.5551,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 50 knots was estimated based on thunderstorm wind damage nearby." +120025,719254,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 18:17:00,EST-5,2017-08-18 18:17:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 40 knots was reported at Cuckold Creek." +120025,719255,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 18:18:00,EST-5,2017-08-18 18:18:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Potomac Light." +120025,719256,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 18:20:00,EST-5,2017-08-18 18:35:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Pylons." +120025,719257,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 18:35:00,EST-5,2017-08-18 18:40:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 34 knots was reported at Babar Point." +120025,719258,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-18 18:49:00,EST-5,2017-08-18 19:04:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 49 knots were reported at Cobb Point." +120025,719259,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-18 19:18:00,EST-5,2017-08-18 19:24:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 36 knots were reported at Piney Point." +120114,720213,LAKE ST CLAIR,2017,August,Marine Hail,"LAKE ST CLAIR (U.S. PORTION)",2017-08-11 16:55:00,EST-5,2017-08-11 16:55:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-82.8,42.58,-82.8,"A thunderstorm which produced tree damage on Harsens Island moved into Lake St. Clair.","" +119898,718698,ILLINOIS,2017,August,Thunderstorm Wind,"DE WITT",2017-08-03 19:55:00,CST-6,2017-08-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1846,-88.8188,40.1846,-88.8188,"An approaching warm front triggered a broken line of strong thunderstorms during the late afternoon and evening of August 3rd. A few of the cells produced marginally severe wind gusts of around 60mph and heavy downpours. Isolated wind damage occurred, including a downed tree in DeWitt County.","A tree was blown down across Illinois Highway 54 about 2 miles west of DeWitt." +119898,718699,ILLINOIS,2017,August,Thunderstorm Wind,"TAZEWELL",2017-08-03 18:00:00,CST-6,2017-08-03 18:05:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-89.32,40.43,-89.32,"An approaching warm front triggered a broken line of strong thunderstorms during the late afternoon and evening of August 3rd. A few of the cells produced marginally severe wind gusts of around 60mph and heavy downpours. Isolated wind damage occurred, including a downed tree in DeWitt County.","Several small tree branches were blown down across Minier." +119611,717541,ARKANSAS,2017,August,Heavy Rain,"VAN BUREN",2017-08-15 06:00:00,CST-6,2017-08-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-92.4,35.39,-92.4,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","The 24 hour total was 7.20 inches...although nearly all of the rain fell in the previous 3-4 hours." +119615,717583,TEXAS,2017,August,Thunderstorm Wind,"WINKLER",2017-08-06 21:01:00,CST-6,2017-08-06 21:01:00,0,0,0,0,,NaN,,NaN,31.7807,-103.1861,31.7807,-103.1861,"There were outflow boundaries across the area with a surface trough across the Trans Pecos. Hot temperatures combined with good moisture to increase instability. A cold front was moving southward from the Texas Panhandle. These conditions resulted in thunderstorms with strong winds across West Texas.","A thunderstorm moved across Winkler County and produced a 72 mph wind gust near Wink." +119613,717575,TEXAS,2017,August,Flash Flood,"ECTOR",2017-08-01 19:14:00,CST-6,2017-08-01 21:30:00,0,0,0,0,2.00K,2000,0.00K,0,31.8753,-102.3715,31.8765,-102.372,"An upper trough moved over the Central Plains, and there were a couple of surface boundaries across the region. Afternoon heating, along with clearing skies, helped to destabilize the atmosphere. These conditions, along with very rich moisture, allowed for heavy rain and flash flooding to develop across the Permian Basin.","Heavy rain fell across Ector County and produced flash flooding in Odessa. The Odessa Fire/Rescue responded to a high water rescue at Dixie Blvd. and Center Avenue. The cost of damage is a very rough estimate." +119634,717719,TEXAS,2017,August,Hail,"MITCHELL",2017-08-12 17:48:00,CST-6,2017-08-12 17:53:00,0,0,0,0,,NaN,,NaN,32.4,-100.85,32.4,-100.85,"An upper ridge over south Texas was being suppressed by a shortwave trough over New Mexico. Good heating and moisture were present across West Texas. These conditions allowed for large hail and heavy rain to develop across the area.","" +119634,717720,TEXAS,2017,August,Hail,"BREWSTER",2017-08-12 15:40:00,CST-6,2017-08-12 15:45:00,0,0,0,0,,NaN,,NaN,30.2881,-103.5752,30.2881,-103.5752,"An upper ridge over south Texas was being suppressed by a shortwave trough over New Mexico. Good heating and moisture were present across West Texas. These conditions allowed for large hail and heavy rain to develop across the area.","" +119634,717724,TEXAS,2017,August,Heavy Rain,"BREWSTER",2017-08-12 15:40:00,CST-6,2017-08-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,30.2881,-103.5752,30.2881,-103.5752,"An upper ridge over south Texas was being suppressed by a shortwave trough over New Mexico. Good heating and moisture were present across West Texas. These conditions allowed for large hail and heavy rain to develop across the area.","Heavy rain fell near Alpine, TX for about 20 minutes. Anywhere from 0.75 to 0.99 inches of rain fell." +119648,717750,NEW MEXICO,2017,August,Thunderstorm Wind,"EDDY",2017-08-15 16:50:00,MST-7,2017-08-15 16:50:00,0,0,0,0,10.00K,10000,0.00K,0,32.9203,-104.4374,32.9203,-104.4374,"An upper ridge was over Florida, and a broad upper trough was over the western United States. A remaining outflow boundary was across the area, and there was good moisture present. These conditions, along with daytime heating contributing to an unstable atmosphere, allowed for storms with strong winds to develop across southeast New Mexico.","A thunderstorm moved across Eddy County and produced wind damage northwest of Cottonwood. A pickup and trailer flipped over on the side of Highway 285 one mile south of the Chaves/Eddy County line. The cost of damage is a very rough estimate." +117522,706858,MARYLAND,2017,August,Thunderstorm Wind,"TALBOT",2017-08-11 22:59:00,EST-5,2017-08-11 22:59:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-76.08,38.66,-76.08,"A warm front moving through the region, lead to a round of showers and thunderstorms, one of which was severe.","A tree was down on wires due to thunderstorm winds." +117485,709153,NEW JERSEY,2017,August,Rip Current,"EASTERN CAPE MAY",2017-08-02 18:00:00,EST-5,2017-08-02 18:00:00,3,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A man was overcome by a large wave and could not return to the surface. He died at the hospital the next day.","Several injuries from Rip currents, times unknown." +117980,709158,DELAWARE,2017,August,Astronomical Low Tide,"DELAWARE BEACHES",2017-08-23 18:00:00,EST-5,2017-08-23 18:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Someone injured a knee while trying to get away from a rip current.","Someone injured a knee while trying to get away from a rip current. Time unknown." +117971,709166,PENNSYLVANIA,2017,August,Flash Flood,"BERKS",2017-08-18 15:25:00,EST-5,2017-08-18 16:25:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-76.03,40.3513,-76.0096,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Sixth street between Buttonwood and Greenwich was closed in Reading. Also vechciles were trapped in several locations in Reading. An occupied vehicle was stuck in water at State Hill and Reedy road." +117971,709169,PENNSYLVANIA,2017,August,Heavy Rain,"BERKS",2017-08-18 15:35:00,EST-5,2017-08-18 15:35:00,0,0,0,0,,NaN,,NaN,40.32,-76.02,40.32,-76.02,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Just over two and a half inches of rain fell in 50 minutes." +117971,709171,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-18 14:12:00,EST-5,2017-08-18 14:12:00,0,0,0,0,,NaN,,NaN,40.57,-75.88,40.57,-75.88,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was downed on the 1400 block of route 22 in Greenwich twp." +117971,709172,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-18 14:47:00,EST-5,2017-08-18 14:47:00,0,0,0,0,,NaN,,NaN,40.34,-76.08,40.34,-76.08,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was downed from thunderstorm winds at the intersection of Saddlebrook and Daniel street in South Heidelberg twp." +117971,709173,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-18 15:19:00,EST-5,2017-08-18 15:19:00,0,0,0,0,,NaN,,NaN,40.54,-75.68,40.54,-75.68,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was blown down on the 900 block of old Topton road." +117971,709174,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CHESTER",2017-08-18 16:25:00,EST-5,2017-08-18 16:25:00,0,0,0,0,,NaN,,NaN,40.1,-75.61,40.1,-75.61,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was downed into wires on Clover Mill and Pikeland roads near Kimberton and church roads." +117971,709176,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CHESTER",2017-08-18 16:40:00,EST-5,2017-08-18 16:40:00,0,0,0,0,,NaN,,NaN,39.81,-75.75,39.81,-75.75,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Several trees taken down due to thunderstorm winds." +117971,709177,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-18 16:54:00,EST-5,2017-08-18 16:54:00,0,0,0,0,,NaN,,NaN,40.24,-75.08,40.24,-75.08,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","The intersection of Creek road and Old York road was closed due to a tree falling onto wires from thunderstorm winds." +121551,730016,IOWA,2017,December,Extreme Cold/Wind Chill,"MARSHALL",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730017,IOWA,2017,December,Extreme Cold/Wind Chill,"TAMA",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730018,IOWA,2017,December,Extreme Cold/Wind Chill,"AUDUBON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730019,IOWA,2017,December,Extreme Cold/Wind Chill,"GUTHRIE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730020,IOWA,2017,December,Extreme Cold/Wind Chill,"DALLAS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730021,IOWA,2017,December,Extreme Cold/Wind Chill,"POLK",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730022,IOWA,2017,December,Extreme Cold/Wind Chill,"JASPER",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730023,IOWA,2017,December,Extreme Cold/Wind Chill,"POWESHIEK",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730024,IOWA,2017,December,Extreme Cold/Wind Chill,"CASS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730025,IOWA,2017,December,Extreme Cold/Wind Chill,"ADAIR",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +122186,731456,TEXAS,2017,December,Winter Weather,"HAYS",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122083,731913,TEXAS,2017,December,Winter Weather,"PALO PINTO",2017-12-31 07:00:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated that black ice was forming on roads across the county." +122083,731914,TEXAS,2017,December,Winter Weather,"WISE",2017-12-31 07:00:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated that bridges were icing up across the county." +122083,731915,TEXAS,2017,December,Winter Weather,"JACK",2017-12-31 07:00:00,CST-6,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Fire and rescue reported a traffic accident due to ice near the Archer County line." +122083,731917,TEXAS,2017,December,Winter Weather,"PARKER",2017-12-31 08:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Fire and rescue reported a vehicle accident on Interstate 20 in the city of Weatherford, TX. Approximately a tenth of an inch of ice had accumulated." +122083,731919,TEXAS,2017,December,Winter Weather,"TARRANT",2017-12-31 07:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A trained spotter reported that the Highway 183 bridge over Interstate 35W was closed due to ice. Accidents had been reported on bridges across the county, and approximately a tenth of an inch of ice had accumulated." +122083,731925,TEXAS,2017,December,Winter Weather,"EASTLAND",2017-12-31 08:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported that approximately one-eighth of an inch of ice had accumulated on roads in the city of Cisco, TX." +122083,731926,TEXAS,2017,December,Winter Weather,"HOOD",2017-12-31 10:00:00,CST-6,2017-12-31 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Hood County Sheriff's Department reported a roll-over vehicle accident due to ice near the 900 block of Highway 377 in the city of Granbury, TX." +120324,720980,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-10 20:00:00,CST-6,2017-08-10 20:00:00,0,0,0,0,,NaN,,NaN,37,-102,37,-102,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720981,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-10 20:15:00,CST-6,2017-08-10 20:15:00,0,0,0,0,,NaN,,NaN,37.3,-101.7,37.3,-101.7,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720982,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-10 21:00:00,CST-6,2017-08-10 21:00:00,0,0,0,0,,NaN,,NaN,37.12,-101.63,37.12,-101.63,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Winds were estimated to be 60 MPH." +120324,720984,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-10 21:02:00,CST-6,2017-08-10 21:02:00,0,0,0,0,,NaN,,NaN,37.01,-101.89,37.01,-101.89,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +118434,711671,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-12 17:53:00,CST-6,2017-08-12 17:53:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.6,-99.84,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,711674,NEBRASKA,2017,August,Hail,"BROWN",2017-08-12 18:18:00,CST-6,2017-08-12 18:18:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-100.02,42.21,-100.02,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,718001,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-12 20:00:00,CST-6,2017-08-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4024,-99.6472,41.4062,-99.6466,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","Emergency manager reports several roads in Broken Bow covered with 6+ inches of water." +118434,718002,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-12 19:21:00,CST-6,2017-08-12 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-99.64,41.41,-99.64,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,718003,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-12 19:21:00,CST-6,2017-08-12 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-99.64,41.41,-99.64,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","Trained spotter estimated 80 MPH wind gusts at this location." +120015,720235,KANSAS,2017,August,Flash Flood,"SHAWNEE",2017-08-21 21:03:00,CST-6,2017-08-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0478,-95.6797,39.0461,-95.6807,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Report of 10 inches of standing water at 10th and Topeka due to flash flooding." +119472,716999,WASHINGTON,2017,August,Wildfire,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-08-11 17:45:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lightning strike started the Jolly Mountain Fire on August 11, 2017. The fire continues to burn in the Cle Elum Ranger District of the Okanogan-Wenatchee National Forest and on or near land managed by the Washington Department of National Resources and The Nature Conservancy. This fire continued beyond the end of August into September, and has affected more than 30,000 acres.","Inciweb." +119474,717013,OREGON,2017,August,Wildfire,"NORTH CENTRAL OREGON",2017-08-08 16:30:00,PST-8,2017-08-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A possibly human cause wildfire burned approximately 68,135 Acres along the northeast boundary of the Warm Springs Indian Reservation, 7 air miles northeast of Simnasho.","Inciweb." +119478,717028,OREGON,2017,August,Wildfire,"EAST SLOPES OF THE OREGON CASCADES",2017-08-29 15:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fire was located east of US Highway 97, about 5 miles northeast of La Pine in Deschutes county. This fire continued to burn into early September.","The McKay Fire, located east of Hwy 97 and north of FS 21 near McKay Butte, was also reported today. This fire is currently estimated at 120 acres and is being managed by a Type 3 Incident Commander. Firefighters are requesting that the public stay out of the fire area between Forest Service roads 9735 and 9720. There are currently 12 engines, 2 dozers, 2 IA Crews, and 2 water tenders working on this fire for a total of 110 personnel. This fire continued to burn into early September when full containment was achieved." +117424,706135,NORTH DAKOTA,2017,August,Hail,"BARNES",2017-08-09 13:55:00,CST-6,2017-08-09 13:55:00,0,0,0,0,,NaN,,NaN,46.99,-98.3,46.99,-98.3,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","" +117424,706136,NORTH DAKOTA,2017,August,Hail,"BARNES",2017-08-09 14:25:00,CST-6,2017-08-09 14:25:00,0,0,0,0,,NaN,,NaN,47.04,-97.85,47.04,-97.85,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","Nickel to quarter sized hail and heavy rain fell across northern Noltimier Township." +120347,721391,GEORGIA,2017,September,Tropical Storm,"HOUSTON",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,1,0,0,0,300.00K,300000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Houston County Emergency Manager and the news media reported numerous trees and power lines blown down across the county. The roof was blown off of a business and trees fell on several houses in Perry. A steeple was blown off of a church and trees fell on several vehicles in Warner Robins. Minor damage was reported at Mossy Creek Middle School in Bonaire. A wind gust of 53 mph was measured in Perry with a gust of 52 mph measured at Robins AFB. Radar estimated between 3 and 5 inches of rain fell across the county with 4.77 inches measured near Klondike. One minor injury was reported in Warner Robins from a tree falling on a vehicle." +117274,705557,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-02 14:16:00,EST-5,2017-08-02 14:16:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A few of these storms produced marine wind gusts along the Gulf Coast.","The WeatherFlow station in Egmont Channel (XEGM) recorded a 36 knot thunderstorm wind gust." +120364,721109,INDIANA,2017,August,Thunderstorm Wind,"PORTER",2017-08-03 20:40:00,CST-6,2017-08-03 20:40:00,0,0,0,0,1.00K,1000,0.00K,0,41.47,-87.05,41.47,-87.05,"Scattered thunderstorms moved across parts of northwest Indiana during the evening of August 3rd.","Two trees were blown down onto power lines." +120366,721114,ILLINOIS,2017,August,Thunderstorm Wind,"LA SALLE",2017-08-10 18:46:00,CST-6,2017-08-10 18:46:00,0,0,0,0,0.00K,0,0.00K,0,41.2576,-89.13,41.2576,-89.13,"Scattered thunderstorms moved across parts of north central Illinois during the evening of August 10th.","Wind gusts were estimated at 60 mph." +120367,721116,INDIANA,2017,August,Thunderstorm Wind,"JASPER",2017-08-20 23:17:00,CST-6,2017-08-20 23:17:00,0,0,0,0,0.00K,0,0.00K,0,40.7555,-87.15,40.7555,-87.15,"Scattered thunderstorms moved across parts of northwest Indiana during the early morning hours of August 21st.","One large tree was blown down." +120368,721117,LAKE MICHIGAN,2017,August,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-08-21 23:14:00,CST-6,2017-08-21 23:20:00,0,0,0,0,0.00K,0,0.00K,0,41.646,-87.147,41.646,-87.147,"Scattered thunderstorms moved across parts of southern Lake Michigan during the early morning hours of August 22nd.","Winds gusted above 34 knots for six minutes with a peak gust to 40 knots." +120368,721119,LAKE MICHIGAN,2017,August,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-08-21 23:26:00,CST-6,2017-08-21 23:26:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-86.91,41.73,-86.91,"Scattered thunderstorms moved across parts of southern Lake Michigan during the early morning hours of August 22nd.","" +120347,721394,GEORGIA,2017,September,Tropical Storm,"WILKINSON",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. Parts of the county were without electricity for varying periods of time. Radar estimated between 2 and 4 inches of rain fell across the county with 2.62 inches measured in Irwinton. No injuries were reported." +117535,706888,COLORADO,2017,August,Hail,"OTERO",2017-08-10 17:51:00,MST-7,2017-08-10 17:56:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-103.62,38.05,-103.62,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706889,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:54:00,MST-7,2017-08-10 17:59:00,0,0,0,0,0.00K,0,0.00K,0,38.12,-102.56,38.12,-102.56,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706890,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:55:00,MST-7,2017-08-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-102.61,38.08,-102.61,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706891,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 18:00:00,MST-7,2017-08-10 18:05:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-102.62,38.08,-102.62,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706892,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 18:01:00,MST-7,2017-08-10 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-102.63,38.09,-102.63,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706893,COLORADO,2017,August,Hail,"OTERO",2017-08-10 18:04:00,MST-7,2017-08-10 18:09:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-103.54,37.98,-103.54,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706894,COLORADO,2017,August,Hail,"OTERO",2017-08-10 18:10:00,MST-7,2017-08-10 18:15:00,0,0,0,0,0.00K,0,0.00K,0,37.95,-103.55,37.95,-103.55,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117538,706897,COLORADO,2017,August,Hail,"CROWLEY",2017-08-13 17:46:00,MST-7,2017-08-13 17:51:00,0,0,0,0,0.00K,0,0.00K,0,38.16,-103.96,38.16,-103.96,"Isolated severe storms across the southeast plains produced hail up to the size of baseballs which damaged vehicles and windows.","" +117538,706898,COLORADO,2017,August,Hail,"CROWLEY",2017-08-13 17:51:00,MST-7,2017-08-13 17:56:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-103.93,38.19,-103.93,"Isolated severe storms across the southeast plains produced hail up to the size of baseballs which damaged vehicles and windows.","" +117280,705398,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:54:00,CST-6,2017-06-15 17:54:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-92.39,42.51,-92.39,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Amateur radio operator reported golf ball sized hail." +117973,709221,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:05:00,EST-5,2017-08-22 22:05:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-75.16,39.95,-75.16,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees." +117973,709222,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:05:00,EST-5,2017-08-22 22:05:00,0,0,0,0,,NaN,,NaN,39.97,-75.27,39.97,-75.27,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was taken down due to thunderstorm winds." +117973,709223,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:06:00,EST-5,2017-08-22 22:06:00,0,0,0,0,,NaN,,NaN,39.95,-75.17,39.95,-75.17,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree which blocked the intersection of Lombard and 17th." +117973,709224,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:08:00,EST-5,2017-08-22 22:08:00,0,0,0,0,,NaN,,NaN,40,-75.21,40,-75.21,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was taken down by thunderstorm winds." +117973,709226,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:14:00,EST-5,2017-08-22 22:14:00,0,0,0,0,,NaN,,NaN,40.05,-75.15,40.05,-75.15,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A downed tree blocked the entrance to a school." +117973,709230,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:16:00,EST-5,2017-08-22 22:16:00,0,0,0,0,,NaN,,NaN,40.05,-75.14,40.05,-75.14,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds knocked a tree down onto a street." +117973,709231,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:24:00,EST-5,2017-08-22 22:24:00,0,0,0,0,,NaN,,NaN,40,-75.12,40,-75.12,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree fell onto Keim street." +117973,709232,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PHILADELPHIA",2017-08-22 22:56:00,EST-5,2017-08-22 22:56:00,0,0,0,0,,NaN,,NaN,39.99,-75.24,39.99,-75.24,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree fell onto City ave in Lower Merion." +117973,709233,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 20:32:00,EST-5,2017-08-22 20:32:00,0,0,0,0,,NaN,,NaN,40.31,-75.84,40.31,-75.84,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Estimated gust." +117973,709244,PENNSYLVANIA,2017,August,Lightning,"BERKS",2017-08-22 19:30:00,EST-5,2017-08-22 19:30:00,0,0,0,0,0.01K,10,0.00K,0,40.5,-75.97,40.5,-75.97,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A house was struck by lightning on Reber street." +117973,709246,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-21 17:28:00,EST-5,2017-08-21 17:28:00,0,0,0,0,,NaN,,NaN,40.58,-75.89,40.58,-75.89,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds downed trees in western Greenwich twp." +117252,709236,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-02 15:42:00,EST-5,2017-08-02 15:42:00,0,0,0,0,,NaN,,NaN,39.3048,-75.3882,39.3048,-75.3882,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with strong winds on the waters.","Measured gust at the Ship John Nos Buoy." +117930,713043,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:12:00,EST-5,2017-08-19 19:12:00,0,0,0,0,3.00K,3000,0.00K,0,40.7972,-76.2289,40.7972,-76.2289,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Main Street in Gilberton." +117930,713044,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LEBANON",2017-08-19 19:15:00,EST-5,2017-08-19 19:15:00,0,0,0,0,3.00K,3000,0.00K,0,40.3391,-76.419,40.3391,-76.419,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Lebanon." +117930,713045,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONTOUR",2017-08-19 19:15:00,EST-5,2017-08-19 19:15:00,0,0,0,0,1.00K,1000,0.00K,0,40.9495,-76.5877,40.9495,-76.5877,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree at the intersection of Toby Run Road and Clinic Road near Danville." +117930,713046,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONTOUR",2017-08-19 19:15:00,EST-5,2017-08-19 19:15:00,0,0,0,0,1.00K,1000,0.00K,0,41.0421,-76.3828,41.0421,-76.3828,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto the 3500 block of Ridge Road near Bloomsburg." +117930,713048,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:15:00,EST-5,2017-08-19 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7722,-76.3337,40.7722,-76.3337,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Butler Township." +117930,713049,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-19 19:25:00,EST-5,2017-08-19 19:25:00,0,0,0,0,3.00K,3000,0.00K,0,40.0491,-76.3058,40.0491,-76.3058,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires at the intersection of East New Street and North Duke Street in Lancaster." +117930,713051,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:27:00,EST-5,2017-08-19 19:27:00,0,0,0,0,3.00K,3000,0.00K,0,40.5644,-76.2005,40.5644,-76.2005,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Fair Road south of Schuylkill Haven." +118551,713247,MASSACHUSETTS,2017,August,Flash Flood,"SUFFOLK",2017-08-02 16:50:00,EST-5,2017-08-02 19:50:00,0,0,0,0,20.00K,20000,0.00K,0,42.2857,-71.0427,42.2894,-71.0718,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 450 PM EST, Morrissey Boulevard in Dorchester was flooded and impassable near the Boston Globe Building. Four cars were trapped in the flood waters.At 454 PM EST, Fields Corner mass transit station was flooded and impassable with buses trapped in flood waters. At 455 PM EST Morrissey Boulevard was shut down due to flooding at Neponset Circle. At 455 PM EST, a car was trapped in three feet of water on Columbia Road at Hamilton Street. At 532 PM EST Talbot Street and Park Street and Clayton Street were flooded and impassable." +118551,713254,MASSACHUSETTS,2017,August,Flash Flood,"SUFFOLK",2017-08-02 17:20:00,EST-5,2017-08-02 17:20:00,0,0,0,0,10.00K,10000,0.00K,0,42.2883,-71.0802,42.2879,-71.0804,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 520 PM EST the Woodrow Avenue Railroad Bridge underpass in Mattapan was flooded with cars trapped in the waters." +118551,713274,MASSACHUSETTS,2017,August,Flood,"SUFFOLK",2017-08-02 16:37:00,EST-5,2017-08-02 19:50:00,0,0,0,0,0.00K,0,0.00K,0,42.2923,-71.0596,42.2819,-71.0484,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 510 PM EST, Southern Avenue in Boston was flooded and impassable. At 537 PM EST, multiple cars were trapped in flood waters on Quincy Street and Harvard Street in Boston. The streets were flooded and impassable. A bus was trapped on Gallivan Boulevard, which was flooded and impassable." +118746,713318,MISSISSIPPI,2017,August,Thunderstorm Wind,"LAMAR",2017-08-30 10:23:00,CST-6,2017-08-30 10:23:00,0,0,0,0,10.00K,10000,0.00K,0,31.1,-89.55,31.1,-89.55,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Softwood trees were uprooted." +118746,713320,MISSISSIPPI,2017,August,High Wind,"WASHINGTON",2017-08-31 15:00:00,CST-6,2017-08-31 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","A 60mph non-thunderstorm wind gust was measured at the Greenville Mid-Delta Regional Airport." +118746,713322,MISSISSIPPI,2017,August,Strong Wind,"GRENADA",2017-08-31 20:40:00,CST-6,2017-08-31 20:40:00,0,0,0,0,45.00K,45000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Numerous trees were blown down across the county, including one that fell onto a structure." +117296,710705,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LYCOMING",2017-08-04 18:14:00,EST-5,2017-08-04 18:14:00,0,0,0,0,5.00K,5000,0.00K,0,41.2349,-77.2204,41.2349,-77.2204,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 70 mph knocked down numerous trees along Route 287 near Larrysville." +117296,710706,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-04 18:16:00,EST-5,2017-08-04 18:16:00,0,0,0,0,0.00K,0,0.00K,0,40.3363,-77.5092,40.3363,-77.5092,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Blain." +117296,710708,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-04 18:40:00,EST-5,2017-08-04 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.448,-77.1502,40.448,-77.1502,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees between New Bloomfield and Newport." +117296,710709,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CUMBERLAND",2017-08-04 19:42:00,EST-5,2017-08-04 19:42:00,0,0,0,0,5.00K,5000,0.00K,0,40.2339,-76.9325,40.2339,-76.9325,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph damaged a roof on a house near Camp Hill." +118989,714713,ILLINOIS,2017,August,Heat,"FRANKLIN",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714714,ILLINOIS,2017,August,Heat,"GALLATIN",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714715,ILLINOIS,2017,August,Heat,"HAMILTON",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714716,ILLINOIS,2017,August,Heat,"HARDIN",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +117445,714425,NEBRASKA,2017,August,Hail,"VALLEY",2017-08-02 21:02:00,CST-6,2017-08-02 21:07:00,0,0,0,0,0.00K,0,0.00K,0,41.7077,-99.1095,41.6855,-99.0379,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","" +117447,714438,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-09 16:05:00,CST-6,2017-08-09 16:05:00,0,0,0,0,0.00K,0,0.00K,0,40.3055,-100.0375,40.3055,-100.0375,"A broken line of thunderstorms developed within the northwest half of South Central Nebraska on this Wednesday afternoon, with a few cells becoming marginally severe according to radar signatures and very limited ground-truth. In fact, the only verifying report consisted of estimated 60 MPH winds that downed two-inch diameter tree limbs near Holbrook in Furnas County around 5 p.m. CDT. ||Things first got underway between 3-4 p.m. CDT as convection initiated along a southwest-northeast axis extending from Dawson into Sherman counties, closely tied to a weak cold front. Over the course of the next few hours this activity gradually drifted to the southeast with a few Severe Thunderstorm Warnings cropping up along the way. In addition to the verified severe storm over Furnas County, radar data indicated that severe weather may have affected parts of the following counties: Gosper, southwestern Dawson, northern Buffalo and far southern Sherman. By 6 p.m. CDT, all storms within the local area had either weakened or departed southward into Kansas, ending the local severe weather threat for the day. ||In the mid-upper levels, South Central Nebraska was under west-northwest flow aloft, along the southern periphery of a moderately strong disturbance centered over North Dakota. Although low-level forcing was fairly minimal along the aforementioned weak surface front, the combination of mixed-layer CAPE around 1500 J/kg and effective deep-layer wind shear around 35 knots was sufficient to spark a few severe storms.","Wind gusts were estimated to be near 60 MPH." +117721,707872,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:00:00,MST-7,2017-08-14 17:00:00,0,0,0,0,,NaN,0.00K,0,44.0645,-103.4,44.0645,-103.4,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,717058,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 16:30:00,MST-7,2017-08-14 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.1361,-103.4304,44.1361,-103.4304,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,717452,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:20:00,MST-7,2017-08-14 17:20:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-103.17,44.06,-103.17,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,717454,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"PENNINGTON",2017-08-14 17:11:00,MST-7,2017-08-14 17:11:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-103.23,44.08,-103.23,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","Wind gusts were estimated around 60 mph." +117721,717457,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:08:00,MST-7,2017-08-14 17:08:00,0,0,0,0,0.00K,0,0.00K,0,44.1067,-103.2146,44.1067,-103.2146,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +119434,716794,INDIANA,2017,August,Thunderstorm Wind,"WHITLEY",2017-08-29 05:30:00,EST-5,2017-08-29 05:31:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-85.47,41.01,-85.47,"High precipitable water values, combine with a slow moving area of rain and embedded thunderstorms over the Fort Wayne Metro area, caused flooding and flash flooding across mainly the northern portions of Fort Wayne. Three to just under five inches of rain fell within a few hour period, overwhelming drains. Within a few hours of the rain ended, flood waters rapidly receded. Lightning sparked several fires as well.","The public reported a tree and a large tree limb were blown down." +119584,717499,FLORIDA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-31 19:05:00,EST-5,2017-08-31 19:05:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-83.87,30.54,-83.87,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Blake Drive in Monticello." +119609,717537,ARKANSAS,2017,August,Thunderstorm Wind,"DREW",2017-08-11 13:28:00,CST-6,2017-08-11 13:28:00,0,0,0,0,0.00K,0,0.00K,0,33.62,-91.86,33.62,-91.86,"A front pushed into the area from Missouri. Thunderstorms were over the northwest counties on the morning of the 11th, and worked into the southeast during the afternoon. Severe weather was spotty, with one report of trees blown down a few miles west of Monticello (Drew County).||Into the wee hours of the 14th, more thunderstorms focused along the front across southern sections of the state. A hefty 3.34 inches of water dumped on Cane Creek State Park (Lincoln County), 2.42 inches at Pine Bluff (Jefferson County), and 2.37 inches at Rohwer (Desha County).","Trees were blown down." +119609,717538,ARKANSAS,2017,August,Flash Flood,"DREW",2017-08-14 07:00:00,CST-6,2017-08-14 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-91.57,33.529,-91.567,"A front pushed into the area from Missouri. Thunderstorms were over the northwest counties on the morning of the 11th, and worked into the southeast during the afternoon. Severe weather was spotty, with one report of trees blown down a few miles west of Monticello (Drew County).||Into the wee hours of the 14th, more thunderstorms focused along the front across southern sections of the state. A hefty 3.34 inches of water dumped on Cane Creek State Park (Lincoln County), 2.42 inches at Pine Bluff (Jefferson County), and 2.37 inches at Rohwer (Desha County).","" +117876,708395,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TODD",2017-08-15 19:30:00,CST-6,2017-08-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3102,-100.8044,43.3102,-100.8044,"A severe thunderstorm developed over western Todd County and moved east before weakening over eastern portions of the county. The storm produced hail and wind gusts to 70 mph, causing damage south of Mission.","Wind gusts were estimated at 60 mph." +117876,708400,SOUTH DAKOTA,2017,August,Hail,"TODD",2017-08-15 20:00:00,CST-6,2017-08-15 20:00:00,0,0,0,0,,NaN,0.00K,0,43.2384,-100.5616,43.2384,-100.5616,"A severe thunderstorm developed over western Todd County and moved east before weakening over eastern portions of the county. The storm produced hail and wind gusts to 70 mph, causing damage south of Mission.","" +117876,708401,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TODD",2017-08-15 20:00:00,CST-6,2017-08-15 20:00:00,0,0,0,0,,NaN,0.00K,0,43.2384,-100.5616,43.2384,-100.5616,"A severe thunderstorm developed over western Todd County and moved east before weakening over eastern portions of the county. The storm produced hail and wind gusts to 70 mph, causing damage south of Mission.","Wind gusts were estimated at 60 mph." +117876,708402,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TODD",2017-08-15 19:50:00,CST-6,2017-08-15 19:50:00,0,0,0,0,,NaN,0.00K,0,43.2305,-100.6452,43.2305,-100.6452,"A severe thunderstorm developed over western Todd County and moved east before weakening over eastern portions of the county. The storm produced hail and wind gusts to 70 mph, causing damage south of Mission.","Strong wind gusts overturned two trailer homes and tore part of the roof off another." +118128,709903,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-25 13:23:00,MST-7,2017-08-25 13:23:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-103.47,43.98,-103.47,"A thunderstorm produced hail to around quarter size around Sheridan Lake.","" +118132,709907,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-25 16:38:00,CST-6,2017-08-25 16:45:00,0,0,0,0,,NaN,0.00K,0,43.5276,-99.68,43.5276,-99.68,"A severe thunderstorm tracked across northern Tripp County and produced quarter sized hail south of Hamill.","The ground was nearly covered with hail." +118131,709906,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-25 15:50:00,CST-6,2017-08-25 16:05:00,0,0,0,0,,NaN,0.00K,0,43.0795,-100.158,43.0795,-100.158,"A severe thunderstorm produced hail to golf ball size across parts of southwestern Tripp County.","" +118134,709915,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-26 11:52:00,MST-7,2017-08-26 11:52:00,0,0,0,0,,NaN,0.00K,0,44.0009,-103.3031,44.0009,-103.3031,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118134,709916,SOUTH DAKOTA,2017,August,Hail,"CUSTER",2017-08-26 12:31:00,MST-7,2017-08-26 12:38:00,0,0,0,0,,NaN,0.00K,0,43.86,-103.3,43.86,-103.3,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","Hail covered the ground." +118134,709921,SOUTH DAKOTA,2017,August,Hail,"CUSTER",2017-08-26 12:38:00,MST-7,2017-08-26 12:38:00,0,0,0,0,,NaN,0.00K,0,43.84,-103.33,43.84,-103.33,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","Hail covered the ground." +118134,709922,SOUTH DAKOTA,2017,August,Hail,"CUSTER",2017-08-26 12:55:00,MST-7,2017-08-26 12:55:00,0,0,0,0,,NaN,0.00K,0,43.75,-103.24,43.75,-103.24,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","The spotter also estimated 40-50 mph wind gusts." +118134,709924,SOUTH DAKOTA,2017,August,Hail,"CUSTER",2017-08-26 12:55:00,MST-7,2017-08-26 12:55:00,0,0,0,0,,NaN,0.00K,0,43.74,-103.25,43.74,-103.25,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +119856,718543,MISSOURI,2017,August,Flash Flood,"HENRY",2017-08-05 22:30:00,CST-6,2017-08-06 00:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3971,-93.7896,38.3955,-93.7292,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Multiple roadways in Clinton were submerged and impassible due to running water." +119856,718544,MISSOURI,2017,August,Flash Flood,"HENRY",2017-08-05 22:30:00,CST-6,2017-08-06 00:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5243,-93.5091,38.545,-93.5009,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","A vehicle was submerged in the city limit of Windsor." +119856,718545,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 22:31:00,CST-6,2017-08-06 00:31:00,0,0,0,0,0.00K,0,0.00K,0,38.59,-93.7,38.588,-93.6995,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","A vehicle floated downstream near SE HWY 2 and SE 251st Road." +122186,731458,TEXAS,2017,December,Winter Weather,"KARNES",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119706,717941,COLORADO,2017,August,Flash Flood,"MESA",2017-08-05 16:00:00,MST-7,2017-08-06 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.931,-108.321,38.9318,-108.3166,"A persistent and unsettled northwesterly flow aloft brought yet another embedded upper level disturbance into the region that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms and resulted in some flash flooding and mudslides.","After receiving 0.98 inches of heavy rain on August 4 and receiving another 1.20 inches throughout the whole day on August 5, flash flooding occurred. Rocks and other debris were washed across the pasture, into some trees, and also across the driveway due to the culverts running high. The debris and water flowing across the gravel driveway washed out a portion of the driveway. The siding on one of the outbuildings came off. Additionally, both the power and phone lines were out for a couple of hours. The Colorado Department of Transportation was out until 0200 on August 6 clearing the roads." +119285,717477,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-08-04 18:12:00,EST-5,2017-08-04 18:13:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"A shortwave trough helped spawn a few afternoon thunderstorms while encountering a pocket of instability over the coastal waters.","A 47 knot wind gust was recorded at the Tybee South Weatherflow sensor." +119286,717561,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-08-08 13:18:00,EST-5,2017-08-08 13:19:00,0,0,0,0,,NaN,,NaN,32.11,-80.83,32.11,-80.83,"A band of deep moisture spread across the area ahead of a cold front and well defined shortwave shifting over the region during peak heating hours.","A 49 knot wind gust was recorded at the Salty Dog Cafe." +119286,717562,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-08-08 15:15:00,EST-5,2017-08-08 15:16:00,0,0,0,0,,NaN,,NaN,32.11,-80.83,32.11,-80.83,"A band of deep moisture spread across the area ahead of a cold front and well defined shortwave shifting over the region during peak heating hours.","A 36 knot wind gust was recorded at the Salty Dog Cafe." +119572,717566,SOUTH CAROLINA,2017,August,Heat,"INLAND BERKELEY",2017-08-16 11:13:00,EST-5,2017-08-16 13:13:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong heating and muggy conditions under Atlantic high pressure led to Heat Advisory conditions over parts of Southeast South Carolina.","A peak heat index value of 112 to 113 degrees was recorded at the Witherbee RAWS station." +119572,717568,SOUTH CAROLINA,2017,August,Heat,"CHARLESTON",2017-08-16 11:23:00,EST-5,2017-08-16 13:23:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong heating and muggy conditions under Atlantic high pressure led to Heat Advisory conditions over parts of Southeast South Carolina.","A peak heat index value of 110 to 113 degrees was recorded at the ACE Basin RAWS station." +119575,718923,GEORGIA,2017,August,Thunderstorm Wind,"EVANS",2017-08-23 16:57:00,EST-5,2017-08-23 16:58:00,0,0,0,0,,NaN,,NaN,32.15,-81.87,32.15,-81.87,"Strong sfc heating along with high levels of DCAPE helped produce thunderstorms capable of strong wind gusts ahead of an approaching cold front over Southeast South Carolina.","The Evans County 911 Call Center reported one tree down and blocking Sims Brothers Road." +117431,706324,COLORADO,2017,August,Thunderstorm Wind,"WELD",2017-08-10 15:45:00,MST-7,2017-08-10 15:45:00,0,0,0,0,,NaN,,NaN,40.17,-104.37,40.17,-104.37,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","Intense straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged. Crop damage was also observed." +117431,708322,COLORADO,2017,August,Thunderstorm Wind,"LARIMER",2017-08-10 14:05:00,MST-7,2017-08-10 14:05:00,0,0,0,0,,NaN,,NaN,40.6,-105.14,40.6,-105.14,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +120059,719443,COLORADO,2017,August,Flash Flood,"MORGAN",2017-08-14 20:07:00,MST-7,2017-08-14 21:45:00,0,0,0,0,5.00K,5000,0.00K,0,40.21,-103.79,40.14,-103.6,"Localized flash flooding was observed near Brush. Law enforcement closed two roadways due to high water for approximately one hour.","Law enforcement closed two roadways due to high water." +120075,719478,MICHIGAN,2017,August,Thunderstorm Wind,"WAYNE",2017-08-02 17:05:00,EST-5,2017-08-02 17:05:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-83.19,42.14,-83.19,"A severe thunderstorm moved through Wayne county.","Multiple trees reported blown down." +120077,719482,LAKE ST CLAIR,2017,August,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-08-02 15:25:00,EST-5,2017-08-02 15:25:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-82.8,42.57,-82.8,"Thunderstorms tracking through Detroit River and Lake St. Clair produced wind gusts around 40 knots.","" +120004,719136,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 18:09:00,EST-5,2017-08-04 18:09:00,0,0,0,0,,NaN,,NaN,43.33,-74.94,43.33,-74.94,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were downed." +120004,719137,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 18:54:00,EST-5,2017-08-04 18:54:00,0,0,0,0,,NaN,,NaN,43.32,-73.64,43.32,-73.64,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was leaning on wires." +120005,719152,NEW YORK,2017,August,Hail,"SARATOGA",2017-08-12 15:43:00,EST-5,2017-08-12 15:43:00,0,0,0,0,,NaN,,NaN,43.02,-73.86,43.02,-73.86,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","One inch hail was reported." +120347,721377,GEORGIA,2017,September,Tropical Storm,"EMANUEL",2017-09-11 06:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,300.00K,300000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Emanuel County Emergency Manager reported hundreds of trees and power lines blown down across the county. A wind gust of 39 mph was measured near Swainsboro. Radar estimated between 2.5 and 5 inches or rain fell across the county with 4.88 inches measured near Garfield. No injuries were reported." +120115,719705,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-19 14:25:00,EST-5,2017-08-19 14:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.64,-80.41,40.64,-80.41,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Member of social media reported small trees down." +120115,719706,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-19 14:27:00,EST-5,2017-08-19 14:27:00,0,0,0,0,2.00K,2000,0.00K,0,41.04,-79.91,41.04,-79.91,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported several trees down on wires." +120115,719707,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-19 14:36:00,EST-5,2017-08-19 14:36:00,0,0,0,0,2.50K,2500,0.00K,0,40.92,-79.85,40.92,-79.85,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported several trees down on wires." +120115,719708,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-19 14:39:00,EST-5,2017-08-19 14:39:00,0,0,0,0,2.50K,2500,0.00K,0,40.62,-80.25,40.62,-80.25,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported several trees down." +120115,719709,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-19 15:09:00,EST-5,2017-08-19 15:09:00,0,0,0,0,2.50K,2500,0.00K,0,40.74,-79.73,40.74,-79.73,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported several trees down on wires in Buffalo Township." +120115,719710,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-19 15:20:00,EST-5,2017-08-19 15:20:00,0,0,0,0,2.50K,2500,0.00K,0,40.38,-80.39,40.38,-80.39,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +120115,719712,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-19 15:22:00,EST-5,2017-08-19 15:22:00,0,0,0,0,2.50K,2500,0.00K,0,40.61,-79.67,40.61,-79.67,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported multiple trees down." +119746,719493,TEXAS,2017,August,Flash Flood,"HARDIN",2017-08-27 12:40:00,CST-6,2017-08-30 16:00:00,0,0,0,0,600.00M,600000000,0.00K,0,29.7585,-93.9153,29.6142,-94.3451,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Widespread 20 to 40 inches fell across the county which resulted in near 10,000 homes being flooded. Worst hit areas were around Lumberton, Silsbee, Sour Lake, and Kountze. Record flooding occurred on Pine Island Bayou and Village Creek. The second highest crest of the Neches occurred at Evadale. The US Highway 96 bridge near Silsbee collapsed due to the current." +119746,719496,TEXAS,2017,August,Flash Flood,"JASPER",2017-08-29 22:29:00,CST-6,2017-08-30 16:00:00,0,0,0,0,85.00M,85000000,0.00K,0,30.9235,-94.5992,31.2083,-93.5815,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Harvey produced 20 to 40 inches of rain across a large portion of Jasper County. This resulted in over 4,000 homes being flooded. Worst hit areas were Kirbyville, Buna, and Weiss Bluff. The Neches River had its second highest crest at Evadale." +119746,719497,TEXAS,2017,August,Flash Flood,"NEWTON",2017-08-29 22:29:00,CST-6,2017-08-30 16:00:00,0,0,2,0,45.00M,45000000,0.00K,0,30.9449,-93.5458,30.0598,-93.7189,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Harvey produced 20 to 40 inches of rain across a large portion of the Newton County. This resulted in near 2,000 homes being flooded. Hardest hit areas were Trout Creek, Call, and along Big Cow Creek and the Sabine River. The Sabine River reached its 3rd, 4th, and 5th highest crests at Deweyville, Bon Weir, and Burkville respectively." +120014,719178,NEW YORK,2017,August,Funnel Cloud,"HERKIMER",2017-08-22 16:48:00,EST-5,2017-08-22 16:49:00,0,0,0,0,,NaN,,NaN,42.92,-75,42.92,-75,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A funnel cloud was reported in Orendorf Corners." +120014,719180,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-22 15:00:00,EST-5,2017-08-22 15:00:00,0,0,0,0,,NaN,,NaN,43.71,-74.97,43.71,-74.97,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Two trees were reported down in addition to wires." +120014,719179,NEW YORK,2017,August,Funnel Cloud,"HERKIMER",2017-08-22 17:03:00,EST-5,2017-08-22 17:03:00,0,0,0,0,,NaN,,NaN,42.94,-74.78,42.94,-74.78,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A funnel cloud was reported via Twitter 1 mile east-northeast of Cramer Corners." +120014,719181,NEW YORK,2017,August,Thunderstorm Wind,"HAMILTON",2017-08-22 15:52:00,EST-5,2017-08-22 15:52:00,0,0,0,0,,NaN,,NaN,43.78,-74.27,43.78,-74.27,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees and wires were downed." +120347,721379,GEORGIA,2017,September,Tropical Storm,"PULASKI",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. Radar estimated between 2 and 4 inches of rain fell across the county with 2.44 inches measured in Hawkinsville. No injuries were reported." +114445,686338,NEW YORK,2017,March,Winter Storm,"NORTHERN HERKIMER",2017-03-14 06:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686339,NEW YORK,2017,March,Winter Storm,"HAMILTON",2017-03-14 04:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686340,NEW YORK,2017,March,Winter Storm,"SOUTHERN HERKIMER",2017-03-14 03:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686341,NEW YORK,2017,March,Winter Storm,"SOUTHERN FULTON",2017-03-14 03:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686342,NEW YORK,2017,March,Winter Storm,"MONTGOMERY",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686343,NEW YORK,2017,March,Winter Storm,"NORTHERN FULTON",2017-03-14 03:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686344,NEW YORK,2017,March,Winter Storm,"SCHOHARIE",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +119751,718309,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:25:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.7505,-86.5554,34.7504,-86.5541,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flood waters up to car doors on Giles Road." +119751,718310,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:25:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.7498,-86.5619,34.75,-86.5609,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Three feet of flood waters reported on Cabaniss Road." +120187,720167,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"DEUEL",2017-08-18 15:25:00,CST-6,2017-08-18 15:25:00,0,0,0,0,,NaN,0.00K,0,44.82,-96.6,44.82,-96.6,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","Seventy mph winds blew a trampoline and swing set about a hundred yards." +120187,720168,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"GRANT",2017-08-18 13:50:00,CST-6,2017-08-18 13:50:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-96.65,45.22,-96.65,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720169,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"DEUEL",2017-08-18 15:07:00,CST-6,2017-08-18 15:07:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-96.69,44.88,-96.69,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120121,719756,OKLAHOMA,2017,August,Thunderstorm Wind,"WOODWARD",2017-08-05 17:00:00,CST-6,2017-08-05 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.4492,-99.4371,36.4492,-99.4371,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","Several utility poles were snapped on Highway 412. Time was estimated." +120121,719757,OKLAHOMA,2017,August,Thunderstorm Wind,"ELLIS",2017-08-05 17:33:00,CST-6,2017-08-05 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-99.78,36.3,-99.78,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","" +120121,719760,OKLAHOMA,2017,August,Hail,"WOODWARD",2017-08-05 17:48:00,CST-6,2017-08-05 17:48:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-99.55,36.28,-99.55,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","" +121615,727855,RHODE ISLAND,2017,December,Winter Weather,"NEWPORT",2017-12-14 03:00:00,EST-5,2017-12-14 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped south of Long Island and quickly moved east out to sea. Snow developed over the region during the early morning of the 14th and tapered off toward midday.","Two and one-half to three inches of snow fell on Newport County." +121624,727932,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN MIDDLESEX",2017-12-23 05:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","There were numerous reports of trees and wires down across Western Middlesex County. A tree limb crashed through the windshield of a moving vehicle on Fort Pond Road in Littleton. Between one-quarter and four-tenths inch of ice accumulated on roads and other surfaces." +121624,727935,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-23 07:00:00,EST-5,2017-12-23 19:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Trees and wires were reported down in Amesbury and Georgetown. Up to one-quarter inch of ice accumulation was reported." +121624,727939,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPDEN",2017-12-23 06:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","A little over one-tenth inch of ice accumulation was reported in Chester." +121624,727941,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN HAMPSHIRE",2017-12-23 05:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Ice accumulation near one-quarter inch was reported in Granby and Easthampton." +121624,727956,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN HAMPDEN",2017-12-23 05:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 648 AM EST a multi-vehicle accident was reported on I-91 at exit 10, in the Springfield and Longmeadow areas. Ice accumulated up to two-tenths of an inch through the day." +118444,711743,NEW YORK,2017,August,Thunderstorm Wind,"SENECA",2017-08-04 18:31:00,EST-5,2017-08-04 18:41:00,0,0,0,0,5.00K,5000,0.00K,0,42.91,-76.8,42.91,-76.8,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires in the vicinity of 2190 Lake Road." +118444,711745,NEW YORK,2017,August,Thunderstorm Wind,"TIOGA",2017-08-04 20:03:00,EST-5,2017-08-04 20:13:00,0,0,0,0,2.00K,2000,0.00K,0,42.22,-76.19,42.22,-76.19,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds which forced down wires onto the roadway." +118444,711744,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-04 18:49:00,EST-5,2017-08-04 18:59:00,0,0,0,0,8.00K,8000,0.00K,0,43.02,-76.56,43.02,-76.56,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over several trees in the vicinity of 2793 Tanner Road." +118444,711732,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-04 16:29:00,EST-5,2017-08-04 16:39:00,0,0,0,0,2.00K,2000,0.00K,0,42.3,-75.48,42.3,-75.48,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +120309,720909,VIRGINIA,2017,August,Flash Flood,"BEDFORD",2017-08-21 16:42:00,EST-5,2017-08-21 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.3278,-79.528,37.3348,-79.5312,"An isolated storm produced 2 to 3.5 inches of rain in about one hour during the evening of the August 21st over the town of Bedford and several small stream basins in central Bedford County. The Bedford COOP (BDFV2) site located just north of the core of heaviest rainfall, had a 24-hour total of 3.30��� ending at 12z on the 22nd. This was the 9th highest 1-day August rainfall at this site with sporadic records dating back to 1893.|Several flood reports from the area were received.","A tributary of the South Fork of Little Otter Creek overflowed and closed a portion of Liberty Street near West Federal Street and Jeter Street at West Washington Street. Some minor flooding also occurred near the intersection of 4th Street and Bedford Avenue closing the road for a period." +120902,723904,NEW MEXICO,2017,December,High Wind,"HARDING COUNTY",2017-12-08 09:00:00,MST-7,2017-12-08 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper level trough over the Great Plains forced strong northerly winds onto the Front Range of the Rockies. Winds started increasing the during early morning hours over far northeastern NM then spread southward toward the Interstate 40 corridor by late morning. The Raton area experienced the strongest winds influenced by gap flow through Raton Pass. Peak wind gusts topped out at 63 mph at the Raton airport. Mills Canyon also experienced wind gusts near 60 mph. Other locations across eastern New Mexico reported wind gusts in the 45 to 55 mph range.","Mills Canyon reported a peak wind gust up to 59 mph." +119035,714906,MINNESOTA,2017,September,Hail,"SWIFT",2017-09-19 23:30:00,CST-6,2017-09-19 23:30:00,0,0,0,0,0.00K,0,0.00K,0,45.4,-95.42,45.4,-95.42,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119035,714907,MINNESOTA,2017,September,Hail,"MORRISON",2017-09-20 00:21:00,CST-6,2017-09-20 00:21:00,0,0,0,0,0.00K,0,0.00K,0,45.8,-94.44,45.8,-94.44,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +115979,697077,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:12:00,EST-5,2017-05-29 17:17:00,0,0,0,0,,NaN,,NaN,33.93,-82.05,33.93,-82.05,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Edgefield Co EM reported baseball size hail at Hwy 25 and Hwy 378." +115979,697078,SOUTH CAROLINA,2017,May,Hail,"MCCORMICK",2017-05-29 17:14:00,EST-5,2017-05-29 17:19:00,0,0,0,0,,NaN,,NaN,33.66,-82.19,33.66,-82.19,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Quarter size hail reported at the Lake Thurmond Visitors Center." +119645,717744,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:17:00,CST-6,2017-08-06 00:17:00,0,0,0,0,15.00K,15000,0.00K,0,36.1,-95.96,36.1,-95.96,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind damaged the roofs of homes and snapped large tree limbs." +119645,717745,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:23:00,CST-6,2017-08-06 00:23:00,0,0,0,0,2.00K,2000,0.00K,0,36.0754,-95.8865,36.0754,-95.8865,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind blew down power poles and power lines near E 61st Street S and S Memorial Drive." +119645,717746,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:22:00,CST-6,2017-08-06 00:22:00,0,0,0,0,0.00K,0,0.00K,0,36.0899,-95.9224,36.0899,-95.9224,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped large limbs near E 51st Street S and S Yale Avenue." +120082,719527,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-22 21:00:00,EST-5,2017-08-22 21:05:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-72.3,42.95,-72.3,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires on Pearl Street in Keene." +120082,719528,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-22 21:00:00,EST-5,2017-08-22 21:05:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-72.26,43.05,-72.26,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees on Route 10 in Gilsum." +120082,719529,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"MERRIMACK",2017-08-22 21:00:00,EST-5,2017-08-22 21:05:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-71.91,43.45,-71.91,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees on Route 4A in Wilmont." +120082,719532,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"MERRIMACK",2017-08-22 21:05:00,EST-5,2017-08-22 21:09:00,0,0,0,0,0.00K,0,0.00K,0,43.41,-71.99,43.41,-71.99,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree on wires on Morgan Hill Road in New London." +120082,719535,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-22 21:24:00,EST-5,2017-08-22 21:28:00,0,0,0,0,,NaN,0.00K,0,42.99,-72.13,42.99,-72.13,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm damaged a building on Nubenusit Road in Nelson." +120082,719536,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"BELKNAP",2017-08-22 21:25:00,EST-5,2017-08-22 21:30:00,0,0,0,0,,NaN,0.00K,0,43.55,-71.41,43.55,-71.41,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree on a building on Old Rail Road in Gilford." +119753,720340,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-26 00:45:00,CST-6,2017-08-26 02:15:00,0,0,0,0,0.00K,0,0.00K,0,29.5499,-95.7579,29.5317,-95.7541,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 762 were flooded around SH 69 south of Richmond.||Major record level flooding of both the Brazos and San Bernard Rivers caused significant home flooding from Richmond to Rosharon. Massive flooding occurred in Tierra Grande subdivision along the San Bernard River in southwestern Fort Bend County. Home flooding occurred at Valley Lodge in Simonton, along Edgewood and Baudet Roads in Richmond, along Bar, Barker, Cumings, Sixth Street, Avenue B and Rio Brazos Roads in Rosenberg. Sections of FM 2759 as well as the Grand River, Rivers Edge and Pecan Estates in Thompsons flooded. Many countywide roads became inundated in flood waters including, but not limited to, Highway 90A, Pitts Road, FM 1489, FM 723, FM 1093, FM 359, SH 6 feeder roads, Sienna Parkway, Carrol Road, McKeever Road, Knights Court, Miller Road, river Oaks Road, Thompsons Ferry Road, Strange Drive, Greenwood Drive, Second Street and low lying roads in Quail Valley in Missouri City. Due to record pool levels in Barker Reservoir, homes in Cinco Ranch flooded. Big Creek flooding in Needville caused the flooding of homes on Ansel Road." +122243,731868,NEW YORK,2017,December,Winter Weather,"EASTERN GREENE",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122243,731869,NEW YORK,2017,December,Winter Weather,"WESTERN ULSTER",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122243,731870,NEW YORK,2017,December,Winter Weather,"EASTERN ULSTER",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122243,731871,NEW YORK,2017,December,Winter Weather,"EASTERN DUTCHESS",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +118236,710655,FLORIDA,2017,August,Flood,"SARASOTA",2017-08-26 09:00:00,EST-5,2017-08-28 15:00:00,0,0,1,0,50.00K,50000,0.00K,0,27.3889,-82.6429,26.9466,-82.3769,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Heavy rain started to fall over Sarasota County on the 26th and continued through the 28th, with as much as 16 inches of rainfall. The highest rain totals were reported along the coast, with 14.74 inches falling in 3 days at the Sarasota/Bradenton Airport in Manatee County. This led to numerous reports of streets flooding across the area, mainly on the 26th through early morning on the 27th.||One fatality was reported in Sarasota County on the afternoon of the 27th, when a 73 year old man driving through a flooded parking lot at the dog track in Sarasota ended up in a drainage ditch and drowned inside the vehicle. A separate car also drove into the drainage ditch in the same parking lot, but was able to escape unharmed." +119035,715376,MINNESOTA,2017,September,Hail,"STEARNS",2017-09-20 00:20:00,CST-6,2017-09-20 00:20:00,0,0,0,0,0.00K,0,0.00K,0,45.61,-94.45,45.61,-94.45,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119035,715377,MINNESOTA,2017,September,Hail,"HENNEPIN",2017-09-20 01:40:00,CST-6,2017-09-20 01:40:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-93.3,44.83,-93.3,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119232,715996,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"AIKEN",2017-08-31 14:51:00,EST-5,2017-08-31 14:55:00,0,0,0,0,,NaN,,NaN,33.44,-81.72,33.44,-81.72,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","SCHP reported power lines down near the intersection of Dry Branch Rd and Chime Bell Church Rd." +119293,716337,TEXAS,2017,August,Thunderstorm Wind,"ARMSTRONG",2017-08-05 19:35:00,CST-6,2017-08-05 19:35:00,0,0,0,0,,NaN,,NaN,35.1,-101.33,35.1,-101.33,"A complex of storms first developed across eastern NM/SE Colorado and moved SE into the Panhandles region. An embedded disturbance in the mean zonal 700-500 hPa flow helped to trigger convection. As the main convection moved into the western TX Panhandle, a residual boundary draped across the western TX Panhandle helped to develop a line of cellular convection. With SBCAPE and MUCAPE around 2,000 J/kg and forecast vertical profiles showed an inverted-v sounding indicated good mid layer dry air to mix down strong winds aloft along with steep mid level lapse rates. This resulted in several severe wind reports along with 2 documented microbursts in the TX Panhandle.","Just east of Claude on hwy 287 a couple of semi-trucks had jackknifed due to strong winds from a thunderstorm." +119407,716639,TEXAS,2017,August,Thunderstorm Wind,"DALLAM",2017-08-13 17:18:00,CST-6,2017-08-13 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-102.66,36.06,-102.66,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Five power poles down in a row." +119371,717598,VIRGINIA,2017,August,Thunderstorm Wind,"WARREN",2017-08-11 16:05:00,EST-5,2017-08-11 16:05:00,0,0,0,0,,NaN,,NaN,38.8147,-78.2333,38.8147,-78.2333,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Two trees were down near the intersection of Browntown Road and Brogans Lane." +120114,719693,LAKE ST CLAIR,2017,August,Marine Hail,"LAKE ST CLAIR (U.S. PORTION)",2017-08-11 16:39:00,EST-5,2017-08-11 16:39:00,0,0,0,0,0.00K,0,0.00K,0,42.66,-82.85,42.66,-82.85,"A thunderstorm which produced tree damage on Harsens Island moved into Lake St. Clair.","" +120115,719728,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-19 16:18:00,EST-5,2017-08-19 16:18:00,0,0,0,0,2.50K,2500,0.00K,0,40.15,-79.82,40.15,-79.82,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported numerous trees down." +120121,719759,OKLAHOMA,2017,August,Thunderstorm Wind,"ALFALFA",2017-08-05 17:33:00,CST-6,2017-08-05 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.95,-98.42,36.95,-98.42,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","No damage reported." +120141,719785,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-15 11:48:00,CST-6,2017-08-15 11:48:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-99.63,41.65,-99.63,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +120133,719826,OKLAHOMA,2017,August,Thunderstorm Wind,"POTTAWATOMIE",2017-08-22 17:44:00,CST-6,2017-08-22 17:44:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-96.92,35.33,-96.92,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","Delayed report. Tree limbs down of up to 5-6 inches in diameter were broken. Numerous small limbs down." +115979,697079,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:20:00,EST-5,2017-05-29 17:25:00,0,0,0,0,,NaN,,NaN,33.84,-81.97,33.84,-81.97,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Edgefield Co dispatch reported golf ball size hail at the intersection of Hwy 25 and Hwy 283." +115979,697080,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:20:00,EST-5,2017-05-29 17:25:00,0,0,0,0,,NaN,,NaN,33.84,-81.98,33.84,-81.98,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported, via social media, golf ball size hail on Hwy 25 NW of Edgefield." +119913,719652,GEORGIA,2017,September,Tropical Storm,"LANIER",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719653,GEORGIA,2017,September,Tropical Storm,"LEE",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719654,GEORGIA,2017,September,Tropical Storm,"LOWNDES",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,9.00M,9000000,12.50M,12500000,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719655,GEORGIA,2017,September,Tropical Storm,"MILLER",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,100.00K,100000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719656,GEORGIA,2017,September,Tropical Storm,"MITCHELL",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,200.00K,200000,7.50M,7500000,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719657,GEORGIA,2017,September,Tropical Storm,"QUITMAN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,15.00K,15000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719658,GEORGIA,2017,September,Tropical Storm,"RANDOLPH",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,200.00K,200000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719659,GEORGIA,2017,September,Tropical Storm,"SEMINOLE",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,150.00K,150000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719660,GEORGIA,2017,September,Tropical Storm,"TERRELL",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719661,GEORGIA,2017,September,Tropical Storm,"THOMAS",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719662,GEORGIA,2017,September,Tropical Storm,"TIFT",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,500.00K,500000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719663,GEORGIA,2017,September,Tropical Storm,"TURNER",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,2.00M,2000000,0.00M,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719664,GEORGIA,2017,September,Tropical Storm,"WORTH",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,1,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +118772,719572,FLORIDA,2017,September,Storm Surge/Tide,"ST. LUCIE",2017-09-10 10:00:00,EST-5,2017-09-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","As Hurricane Irma moved northward over west-central Florida, the St. Lucie County beaches experienced moderate to major erosion and wave run-up due to an estimated 2-3 foot storm surge. Similar water level rises occurred within the intracoastal waterway, which combined with wave action to produce mostly minor damage to docks, primarily along the western shores of the river." +118772,719563,FLORIDA,2017,September,Storm Surge/Tide,"MARTIN",2017-09-10 12:00:00,EST-5,2017-09-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","As Hurricane Irma moved northward over west-central Florida, the Martin County beaches experienced moderate to major erosion and wave run-up due to an estimated 2-3 foot storm surge. Similar water level rises occurred within the intracoastal waterway, which combined with wave action to produce mostly minor damage to docks, primarily along the western shores of the river." +118772,719574,FLORIDA,2017,September,Storm Surge/Tide,"INDIAN RIVER",2017-09-10 18:00:00,EST-5,2017-09-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","As Hurricane Irma moved northward over west-central Florida, the Indian River County beaches experienced moderate to major erosion and wave run-up due to an estimated 2-3 foot storm surge. Similar water level rises occurred within the intracoastal waterway, which combined with wave action to produce mostly minor damage to docks, primarily along the western shores of the river." +120243,720648,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 17:23:00,PST-8,2017-09-11 17:23:00,0,0,0,0,50.00K,50000,0.00K,0,36.53,-119.9741,36.53,-119.9741,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Broadcast Media report of a chicken barn blown down by thunderstorm downburst outflow winds." +120268,720650,CALIFORNIA,2017,September,Heavy Rain,"KERN",2017-09-13 20:43:00,PST-8,2017-09-13 21:54:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-119.05,35.43,-119.05,"The upper level low which had remained off the California coast for several days finally moved inland across Southern California on September 13 and produced enough instability over central California during the late afternoon for strong thunderstorms to develop over Yosemite National Park. One cell produced pea sized hail which accumulated to an inch in depth while flash flooding was reported in Hetch Hetchy. Meanwhile, an isolated thunderstorm in Bakersfield produced half an inch of rainfall in about one hour which set a new daily record.","The ASOS at Meadows Field in Bakersfield measured half an inch of rainfall between 2143 PST and 2254 PST on September 13. The rain produced localized street flooding and set a new daily record for September 13." +120271,720655,CALIFORNIA,2017,September,High Wind,"INDIAN WELLS VLY",2017-09-19 02:26:00,PST-8,2017-09-19 02:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry upper trough and associated cold front pushed southward through Central California on September 19. This system produced strong wind gusts along indicator ridge tops and below the passes in the Kern County Mountains and Deserts.","The Indian Wells Canyon RAWS reported a maximum wind gust of 64 mph." +120271,720656,CALIFORNIA,2017,September,High Wind,"KERN CTY MTNS",2017-09-19 03:32:00,PST-8,2017-09-19 03:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry upper trough and associated cold front pushed southward through Central California on September 19. This system produced strong wind gusts along indicator ridge tops and below the passes in the Kern County Mountains and Deserts.","The Blue Max RAWS reported a maximum wind gust of 70 mph." +120271,720657,CALIFORNIA,2017,September,High Wind,"SE KERN CTY DESERT",2017-09-19 14:20:00,PST-8,2017-09-19 14:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry upper trough and associated cold front pushed southward through Central California on September 19. This system produced strong wind gusts along indicator ridge tops and below the passes in the Kern County Mountains and Deserts.","The ASOS at the Mojave airport reported a maximum wind gust of 58 mph." +120271,720660,CALIFORNIA,2017,September,High Wind,"SE KERN CTY DESERT",2017-09-19 20:44:00,PST-8,2017-09-19 20:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry upper trough and associated cold front pushed southward through Central California on September 19. This system produced strong wind gusts along indicator ridge tops and below the passes in the Kern County Mountains and Deserts.","The Meosnet station at Cache Creek reported a maximum wind gust of 61 mph." +120460,721724,TENNESSEE,2017,September,Heavy Rain,"ROBERTSON",2017-09-02 07:00:00,CST-6,2017-09-02 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5875,-87.006,36.5875,-87.006,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 10.67 inches was measured at CoCoRaHS station Cedar Hill 2.6 N." +120460,721725,TENNESSEE,2017,September,Heavy Rain,"MONTGOMERY",2017-09-02 15:30:00,CST-6,2017-09-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.5539,-87.1419,36.5539,-87.1419,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 9.86 inches was measured by the PORT1 River Gauge (Red River near Port Royal)." +120460,721726,TENNESSEE,2017,September,Heavy Rain,"ROBERTSON",2017-09-02 07:00:00,CST-6,2017-09-02 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3806,-86.9898,36.3806,-86.9898,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 9.18 inches was measured at CoCoRaHS station Pleasant View 2.8 ESE." +119924,721598,MASSACHUSETTS,2017,September,Tropical Storm,"WESTERN PLYMOUTH",2017-09-20 16:19:00,EST-5,2017-09-22 11:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","Numerous reports of trees down. A tree was down on Old Elm Street, another on Virginia Drive, and a third on Spring Street at Elm Street in Pembroke. A tree was down on Fuller Street, another on Clara Street, a third blocking Thomas Street, a fourth blocking Wareham Street, a fifth blocking Purchase Street, a sixth down on Pleasant Street in Middleborough. A tree was down blocking Bridge Road in Lakeville. A tree was down on Center Street in Carver. A tree was down in Maplewood Cemetery in Rockland. A tree was blocking Pine Street in Whitman. A large tree was down on power lines blocking Elm Street in Plympton. A tree was blocking North Elm Street in West Bridgewater. A tree was down on wires on Alphonse Road, a second tree down with electrical poles on Annella Road, and a third down on North Quincy Street in Brockton. A tree was down on wires on South Street in Bridgewater. A large tree was down on wires on Liberty Street, and a large tree down on wires blocking Main Street in Hanson." +119924,721606,MASSACHUSETTS,2017,September,Tropical Storm,"SOUTHERN PLYMOUTH",2017-09-20 09:45:00,EST-5,2017-09-22 04:45:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 453 PM EST on September 20, a tree fell on a moving vehicle on Glen Charlie Road in Wareham. There were numerous reports of trees down. A tree was down on Mill Street, another down on Point Road, and multiple trees down along U.S Route 6 in Marion. A tree was down blocking Burgess Point Road, another down on Barker Road at Puritan Road, a third on Kingwood Street, and a fourth down on a house on White Pine Avenue in Wareham. A large tree was down on Gosnold Street, another on River Road, and a large tree and wires down with a snapped utility pole on Mattapoisett Neck Road in Mattapoisett. A tree was down on Neck Road, another tree blocking Mendall Road, and a large tree down on power lines blocking Dexter Road in Rochester." +119035,716498,MINNESOTA,2017,September,Tornado,"POPE",2017-09-19 23:34:00,CST-6,2017-09-19 23:39:00,0,0,0,0,0.50M,500000,0.00K,0,45.4125,-95.3726,45.4631,-95.2522,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado touched down near Camp Lake in Swift County and then moved into Pope County, where it destroyed two machine sheds and several other outbuildings. The tornado tore through many fields, damaging or destroying much corn. It finally dissipated just after crossing State Highway 104, just before reaching Johanna Lake." +119035,716503,MINNESOTA,2017,September,Tornado,"STEARNS",2017-09-19 23:49:00,CST-6,2017-09-19 23:56:00,0,0,0,0,0.00K,0,0.00K,0,45.5505,-95.0572,45.5973,-94.9019,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado touched down on the edge of a corn field and moved east-northeast, missing the city of Elrosa by less than a mile. However, it hit several farms, including one where several metal sheds were destroyed. The tornado also knocked down or uprooted many trees and also severely damaged crops, especially corn that was ready for harvest." +120617,722562,TEXAS,2017,September,Thunderstorm Wind,"SHACKELFORD",2017-09-20 17:30:00,CST-6,2017-09-20 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.73,-99.3,32.73,-99.3,"Lots of instability along with dry and hot low to mid levels resulted in an isolated damaging thunderstorm microburst on September 19. The same airmass remained through September 20. A weak upper level disturbance interacted with this airmass to cause an increase of thunderstorm coverage on the 20th. A few of these thunderstorms resulted in thunderstorm microbursts and subsequent wind damage across West Central Texas. One of the thunderstorms began to rotate near Lawn.","Law enforcement officials reported damaging thunderstorm winds blew tree limbs down and caused some roof damage in Albany. The thunderstorm winds also damaged a door at the courthouse." +120617,722561,TEXAS,2017,September,Thunderstorm Wind,"TAYLOR",2017-09-20 18:51:00,CST-6,2017-09-20 18:51:00,0,0,0,0,0.00K,0,0.00K,0,32.13,-99.75,32.13,-99.75,"Lots of instability along with dry and hot low to mid levels resulted in an isolated damaging thunderstorm microburst on September 19. The same airmass remained through September 20. A weak upper level disturbance interacted with this airmass to cause an increase of thunderstorm coverage on the 20th. A few of these thunderstorms resulted in thunderstorm microbursts and subsequent wind damage across West Central Texas. One of the thunderstorms began to rotate near Lawn.","A trained spotter estimated 60 mph winds associated with a microburst thunderstorm near Lawn." +120634,722597,OKLAHOMA,2017,September,Hail,"TILLMAN",2017-09-19 15:30:00,CST-6,2017-09-19 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-98.69,34.25,-98.69,"Widely scattered thunderstorms developed across portions of southwestern OK during the late afternoon hours. Strong diabatic heating and a moist boundary layer combined with fairly steep mid level lapse rates contributed to at least moderate instability. These lapse rates, and a fairly mixed boundary layer, resulted in both severe hail and damaging wind gusts.","" +120634,722598,OKLAHOMA,2017,September,Hail,"TILLMAN",2017-09-19 16:10:00,CST-6,2017-09-19 16:10:00,0,0,0,0,0.00K,0,0.00K,0,34.34,-98.87,34.34,-98.87,"Widely scattered thunderstorms developed across portions of southwestern OK during the late afternoon hours. Strong diabatic heating and a moist boundary layer combined with fairly steep mid level lapse rates contributed to at least moderate instability. These lapse rates, and a fairly mixed boundary layer, resulted in both severe hail and damaging wind gusts.","" +120636,722624,NORTH CAROLINA,2017,September,Thunderstorm Wind,"RANDOLPH",2017-09-01 14:45:00,EST-5,2017-09-01 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.73,-79.65,35.73,-79.65,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","One tree was blown down on to utility lines on Brooklyn Avenue. Dime size hail was also reported 2 miles southwest of Ulah." +120464,723037,NORTH CAROLINA,2017,September,Flash Flood,"MECKLENBURG",2017-09-01 18:30:00,EST-5,2017-09-01 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.45,-80.888,35.462,-80.843,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","Multiple sources reported flash flooding developed in the Cornelius and Huntersville areas after repeating, slow-moving thunderstorms produced up to 4 inches of rain in the area in just a couple of hours. Public reported (via Social Media) Caldwell Station Creek, or one of its tributaries flooded a portion of Bailey Rd. A family member of an NWS employee reported a tributary of McDowell Creek flooded Sedgebrook Ln within an apartment complex. Law enforcement also reported Highway 115 was closed just north of Mayes Rd due to flooding." +120710,723038,SOUTH DAKOTA,2017,September,Hail,"DAY",2017-09-22 00:25:00,CST-6,2017-09-22 00:25:00,0,0,0,0,0.00K,0,0.00K,0,45.45,-97.72,45.45,-97.72,"A severe thunderstorm produced quarter size hail southeast of Pierpont.","" +120464,723039,NORTH CAROLINA,2017,September,Heavy Rain,"IREDELL",2017-09-01 16:30:00,EST-5,2017-09-01 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.773,-80.863,35.773,-80.863,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","County comms reported a small area of poor drainage flooding developed after around 3 inches of rain fell over the Statesville area in a short period of time. Standing water up to the hoods of vehicles was reported on Highway 70 near I-77." +120694,722932,SOUTH DAKOTA,2017,September,Flood,"CODINGTON",2017-09-19 22:15:00,CST-6,2017-09-20 01:15:00,0,0,0,0,0.00K,0,0.00K,0,44.9177,-97.1358,44.9034,-97.15,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","Heavy rains of 1 to 3 inches falling over a short period of time brought street flooding to parts of Watertown. There were a few vehicles stalled with search and rescue crews barricading roads that were underwater." +120694,722933,SOUTH DAKOTA,2017,September,Hail,"MCPHERSON",2017-09-19 13:04:00,CST-6,2017-09-19 13:04:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-99.29,45.78,-99.29,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722934,SOUTH DAKOTA,2017,September,Hail,"MCPHERSON",2017-09-19 13:12:00,CST-6,2017-09-19 13:12:00,0,0,0,0,0.00K,0,0.00K,0,45.84,-99.26,45.84,-99.26,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +119265,723137,SOUTH CAROLINA,2017,September,Heavy Rain,"BARNWELL",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.2563,-81.2422,33.2563,-81.2422,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","COOP observer 5 miles ENE of Barnwell measured a total rainfall amount of 6.35 inches." +119265,723138,SOUTH CAROLINA,2017,September,Heavy Rain,"AIKEN",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.4634,-81.4719,33.4634,-81.4719,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","CoCoRaHS observer measured a total rainfall amount of 5.75 inches 3 miles ESE of Windsor." +119265,723139,SOUTH CAROLINA,2017,September,Heavy Rain,"CLARENDON",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.5575,-80.4414,33.5575,-80.4414,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","RAWS unit 5 miles NNE of Santee at Santee NWR measured a total rainfall amount of 5.96 inches." +119603,717530,MONTANA,2017,September,Heavy Snow,"BUTTE / BLACKFOOT REGION",2017-09-15 00:00:00,MST-7,2017-09-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After a hot start to September, a cold weather system brought widespread low elevation rain and snow accumulations above 6000 feet across the Northern Rockies impacting backcountry hunters, wildfire crews and travel across mountain passes. The large degree of change coupled with the somewhat unseasonable timing of this event produced greater than normal impacts.","Very heavy snow fell over parts of southwest Montana above 6000 feet. A person from the public located one mile east-southeast of Seven Gables Inn in Georgetown Lake measured 14 inches of total storm snowfall from this event. By the morning of the 16th Homestake Pass and MacDonald Pass were snow-covered with slick conditions." +119810,718404,IDAHO,2017,September,Heavy Snow,"EASTERN LEMHI COUNTY",2017-09-15 06:00:00,MST-7,2017-09-15 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After a hot start to September, a cold weather system brought widespread low elevation rain and snow accumulations above 6000 feet across the Northern Rockies impacting back-country hunters, wildfire crews and travel across mountain passes. The large degree of change coupled with the somewhat unseasonable timing of this event produced greater than normal impacts.","Sixteen to eighteen inches of heavy snow was reported in the foothills southeast of Leadore. Visibility reduced to one half mile or less at Gilmore Summit on Highway 28 due to snow during the morning and afternoon hours on the 15th." +120726,723075,MONTANA,2017,September,Frost/Freeze,"MISSOULA / BITTERROOT VALLEYS",2017-09-23 05:00:00,MST-7,2017-09-23 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dipped below freezing in the Missoula and Bitterroot Valleys for the first time during Fall 2017.","Temperatures fell into the upper 20s across the Missoula and Bitterroot Valleys. An NWS employee in Missoula reported that all their pumpkin leaves died while a NWS employee in Stevensville reported sub-freezing temperatures which caused vegetation damage." +120375,721132,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"SAND IS TO BAYFIELD WI",2017-09-03 22:05:00,CST-6,2017-09-03 22:22:00,0,0,0,0,10.00K,10000,0.00K,0,46.9796,-90.9346,46.9796,-90.9346,"Strong thunderstorm-induced winds and waves battered the shorelines of Sand, Rocky and Outer Islands of the Apostle Islands. The winds and waves damaged moored boats by pushing the boats into shore. Two of the eight vessels involved had to be towed back to the mainland and one was partially sunk.","Moored boats were severely damaged as thunderstorm winds pushed them into the shoreline." +120587,722360,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 15:00:00,CST-6,2017-09-14 15:00:00,0,0,0,0,,NaN,,NaN,48.11,-93.09,48.11,-93.09,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722361,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 15:00:00,CST-6,2017-09-14 15:00:00,0,0,0,0,,NaN,,NaN,48.27,-92.45,48.27,-92.45,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120693,722928,SOUTH DAKOTA,2017,September,Drought,"HYDE",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722930,SOUTH DAKOTA,2017,September,Drought,"HAND",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722931,SOUTH DAKOTA,2017,September,Drought,"BUFFALO",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +117361,705772,NEW YORK,2017,August,Thunderstorm Wind,"ESSEX",2017-08-04 18:03:00,EST-5,2017-08-04 18:03:00,0,0,0,0,2.00K,2000,0.00K,0,44.44,-73.67,44.44,-73.67,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117361,705773,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 18:30:00,EST-5,2017-08-04 18:30:00,0,0,0,0,2.00K,2000,0.00K,0,44.65,-75.19,44.65,-75.19,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Trees down on utility lines caused by thunderstorm winds." +117361,705775,NEW YORK,2017,August,Thunderstorm Wind,"ESSEX",2017-08-04 17:45:00,EST-5,2017-08-04 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,44.39,-74.06,44.39,-74.06,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds on Moose Pond road." +117361,705776,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 18:49:00,EST-5,2017-08-04 18:49:00,0,0,0,0,2.00K,2000,0.00K,0,44.8,-74.99,44.8,-74.99,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117363,705780,NEW YORK,2017,August,Thunderstorm Wind,"CLINTON",2017-08-02 18:13:00,EST-5,2017-08-02 18:13:00,0,0,0,0,5.00K,5000,0.00K,0,44.93,-73.95,44.93,-73.95,"Differential mountain heating in a moderately unstable air mass lead to isolated thunderstorms across the northern Adirondacks. A few of these thunderstorms had very localized wet microbursts that produced damaging winds in the form of downed trees and utility lines.","Trees and utility lines down caused by thunderstorm winds on Patnode road and Route 11." +117363,705781,NEW YORK,2017,August,Thunderstorm Wind,"CLINTON",2017-08-02 18:54:00,EST-5,2017-08-02 18:54:00,0,0,0,0,5.00K,5000,0.00K,0,44.99,-73.59,44.99,-73.59,"Differential mountain heating in a moderately unstable air mass lead to isolated thunderstorms across the northern Adirondacks. A few of these thunderstorms had very localized wet microbursts that produced damaging winds in the form of downed trees and utility lines.","Trees and utility lines down caused by thunderstorm winds at the intersection of Hemmingford road and North Star road." +117564,707004,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-12 17:00:00,EST-5,2017-08-12 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.17,-73.25,44.17,-73.25,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117983,709211,FLORIDA,2017,August,Tornado,"BREVARD",2017-08-18 17:29:00,EST-5,2017-08-18 17:30:00,0,0,0,0,8.00K,8000,0.00K,0,28.3162,-80.7468,28.3172,-80.741,"Two weak tornadoes (landspouts) developed along outflow boundaries ahead of thunderstorms during the late afternoon and early evening. The first tornado developed over a very rural, agricultural area west of Fellsmere in Indian River County and did not produce any damage. The second tornado formed in Rockledge in Brevard County and was responsible for damage to a few homes. Both tornadoes were brief and affected very small areas, but were widely seen as they occurred outside of rain areas.","A tornado (landspout) developed along an outflow boundary ahead of a cluster of thunderstorms within a residential area of Rockledge. Minor damage began near the west end of Lakemoor Boulevard, and continued sporadically to near the intersection of Green Road and Fiske Boulevard, then ended just northeast of Buckingham Court. Damage occurred to a screen porch and carport, with more significant damage toward the east end of the track where a roof was partially removed from a home, after being initially peeled back from an overhang. Minor damage to fences and tree branches were also reported. Several residents observed and videotaped a funnel cloud, with rotating debris below at and above ground level. A review of videos and photos of damage to the structures helped confirm that a tornado occurred for less than a minute and affected a narrow swath just over a third of a mile long. The tornado was rated EF-0, with maximum winds estimated at 60 to 70 mph." +117983,709228,FLORIDA,2017,August,Tornado,"INDIAN RIVER",2017-08-18 16:40:00,EST-5,2017-08-18 16:43:00,0,0,0,0,0.00K,0,0.00K,0,27.715,-80.6857,27.7158,-80.6829,"Two weak tornadoes (landspouts) developed along outflow boundaries ahead of thunderstorms during the late afternoon and early evening. The first tornado developed over a very rural, agricultural area west of Fellsmere in Indian River County and did not produce any damage. The second tornado formed in Rockledge in Brevard County and was responsible for damage to a few homes. Both tornadoes were brief and affected very small areas, but were widely seen as they occurred outside of rain areas.","A sheriff's deputy spotted a tornado (landspout) over an agricultural area west of Fellsmere, about midway between Blue Cypress Lake and County Road 512. A citizen driving several miles away observed and videotaped the tornado moving very slowly eastward, lasting three minutes. The tornado developed along an outflow boundary ahead of a cluster of thunderstorms and was also seen from Blue Cypress Lake and far to the south-southwest from central Okeechobee County. Sheriff Deputies invested the area of the tornado and cloud not find any evidence of damage. The tornado was rated EF-0 with maximum winds estimated below 55 mph." +119700,717926,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-08-13 21:20:00,EST-5,2017-08-13 21:20:00,0,0,0,0,0.00K,0,0.00K,0,27.22,-80.2,27.22,-80.2,"A thunderstorm moved from the mainland across the intracoastal waterway and barrier island with strong winds. Wind gusts over 34 knots were recorded at Jensen Beach.","A Weatherflow mesonet site at Jensen Beach (XJEN) recorded wind gusts of 36 knots from the northwest as a strong thunderstorm moved offshore." +118795,713613,ARIZONA,2017,August,Dust Storm,"CENTRAL DESERTS",2017-08-27 16:40:00,MST-7,2017-08-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered thunderstorms developed across portions of the greater Phoenix area during the late afternoon hours on August 27th and some of the stronger storms affected southeastern communities such as Queen Creek. Gusty outflow winds up to 50 mph were generated by the stronger storms; the gusty winds picked up dust and dirt and this led to patchy dust storm conditions southeast of Phoenix. A Blowing Dust Advisory was issued for portions of the central deserts including Queen Creek and Sun Lakes and at 1800MST a trained spotter 6 miles northeast of Queen Creek reported a dust storm with visibility below one quarter of a mile. No accidents were reported due to the sharply restricted visibility.","Scattered thunderstorms developed across the southeastern portions of the greater Phoenix area during the afternoon hours on August 27th and some of the stronger storms produced gusty outflow winds reaching as high as 50 mph. The gusty winds produced patchy dense blowing dust that affected communities such as Queen Creek and Sun Lakes. At 1800MST a trained spotter 6 miles northeast of Queen Creek reported a dust storm with visibility below one quarter of a mile in blowing dust. A Dust Storm Warning was not in effect, instead a Blowing Dust Advisory had been issued at 1640MST and it ran through 1900MST. No accidents or injuries were reported due to the sharply restricted visibility." +119545,717377,NORTH CAROLINA,2017,September,Strong Wind,"STOKES",2017-09-12 04:35:00,EST-5,2017-09-12 06:08:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused two trees to fall across Stokes County, temporarily closing portions of Aubrey Lawson Road and Delta Church Road." +119545,717371,NORTH CAROLINA,2017,September,High Wind,"WATAUGA",2017-09-11 15:38:00,EST-5,2017-09-12 07:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused numerous trees to fall across Watauga County, especially in areas around Foscoe, Blowing Rock, Vilas, and Boone, NC. A peak wind gust was measured at 58 MPH near Silverstone during the pre-dawn hours. As a result, thousands were left without power across the county, and numerous roads were temporarily closed due to the downed trees." +119545,717379,NORTH CAROLINA,2017,September,Strong Wind,"ALLEGHANY",2017-09-12 00:30:00,EST-5,2017-09-12 06:15:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused ten trees to fall across Alleghany County, most of which came down along Highway 18 between Laurel Springs and Ennice." +120809,723456,FLORIDA,2017,September,Storm Surge/Tide,"MONROE/LOWER KEYS",2017-09-09 23:00:00,EST-5,2017-09-10 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","Storm surge estimates of 5 to 8 feet were evident from Upper Sugarloaf Key through Bahia Honda, Ohio and Missouri Keys. Storm surge values of 3 to 5 feet were observed from Key West through Lower Sugarloaf Key. Total water heights of 5 to 6 feet above ground level were observed along the east side of Big Pine Key, with wave wash marks up to 20 feet above mean high water along Long Beach Road on the oceanside. Major damage to mobile homes and marinas was observed along the oceanside especially from Ramrod Key, through Big Pine Key, through Ohio Key. The eastbound lanes of U.S. Highway One were washed out just east of the Bahia Honda State Park entrance. Many residences and businesses were flooded at the maximum surge, ranging from 2 feet in the lee of the islands to up to 6 feet between 9:00 am and 1:00 pm EST November 10th." +120690,722898,FLORIDA,2017,September,Tropical Storm,"GLADES",2017-09-10 08:00:00,EST-5,2017-09-11 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 55 and 65 mph with gusts to hurricane force across Glades County. Highest recorded gust was 78 mph in Moore Haven at 700 PM EDT and in Brighton Seminole Reservation at 858 PM EDT. Heavy tree and power pole damage across the entire county. 334 structures suffered major damage, 118 uninhabitable and 33 destroyed. Several homes sustained total roof failure." +118683,718086,GUAM,2017,August,Drought,"MARSHALL ISLANDS",2017-08-01 00:00:00,GST10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,50.00K,50000,NaN,NaN,NaN,NaN,"Dry weather prevails across parts of Micronesia. The rainfall has been so light that drought conditions persist across many islands.","The Experimental Drought Assessment of the U.S. Drought Monitor showed that Utirik in the northern Marshall Islands remained at long-term exceptional drought (Drought Level 4 of 4)||Wotje worsened to long-term extreme drought (Drought Level 3 of 4).||Rainfall amounts illustrate the dry conditions as Utirik saw only 3.79 inches of rainfall during the month as opposed to the usual 7.41 inches.||Wotje had shown improvement over the last few months, but August rainfall was lower than average with 1.04 inches this month compared to the average August rainfall of 5.20 inches." +117893,708508,WYOMING,2017,August,Hail,"FREMONT",2017-08-05 18:45:00,MST-7,2017-08-05 18:55:00,0,0,0,0,0.00K,0,0.00K,0,42.8588,-108.8577,42.8588,-108.8577,"Thunderstorms developed over the eastern Wind River Range on the evening of August 5th and became quite strong as they moved into the Lander Foothills. A COCORAHS observer reported penny size hail 7 miles west-northwest of Lander.","A COCORAHS observer reported penny size hail 7 miles west-northwest of Lander." +118342,711104,HAWAII,2017,August,Heavy Rain,"HONOLULU",2017-08-29 14:30:00,HST-10,2017-08-29 22:07:00,0,0,0,0,0.00K,0,0.00K,0,21.3536,-157.7417,21.5005,-158.1921,"Heavy rain and isolated thunderstorms formed upwind and over Oahu as nearby surface and upper air disturbances brought instability. Low level moisture was plentiful during the afternoon hours. The showers caused small stream and drainage ditch flooding, and ponding on roadways. However, no serious injuries or property damage were reported.","" +118343,711105,HAWAII,2017,August,Drought,"SOUTH BIG ISLAND",2017-08-01 00:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of the Big Island. Areas saw D2 and D3 levels of drought, the severe and extreme categories, respectively.","" +118343,711106,HAWAII,2017,August,Drought,"BIG ISLAND NORTH AND EAST",2017-08-01 00:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of the Big Island. Areas saw D2 and D3 levels of drought, the severe and extreme categories, respectively.","" +118343,711107,HAWAII,2017,August,Drought,"KOHALA",2017-08-01 00:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of the Big Island. Areas saw D2 and D3 levels of drought, the severe and extreme categories, respectively.","" +118343,711108,HAWAII,2017,August,Drought,"BIG ISLAND INTERIOR",2017-08-01 00:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions continued to affect parts of the Big Island. Areas saw D2 and D3 levels of drought, the severe and extreme categories, respectively.","" +118344,711109,HAWAII,2017,August,Drought,"MOLOKAI LEEWARD",2017-08-29 02:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Portions of Molokai and Maui again slipped into the D2 category of severe drought toward the end of August. Little to no rainfall fell over these areas through the month.","" +118344,711110,HAWAII,2017,August,Drought,"LEEWARD HALEAKALA",2017-08-29 02:00:00,HST-10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Portions of Molokai and Maui again slipped into the D2 category of severe drought toward the end of August. Little to no rainfall fell over these areas through the month.","" +118219,710424,KANSAS,2017,August,Hail,"BUTLER",2017-08-05 17:06:00,CST-6,2017-08-05 17:06:00,0,0,0,0,,NaN,,NaN,37.57,-97.13,37.57,-97.13,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710431,KANSAS,2017,August,Thunderstorm Wind,"COWLEY",2017-08-05 17:20:00,CST-6,2017-08-05 17:20:00,0,0,0,0,5.00K,5000,,NaN,37.4,-96.87,37.4,-96.87,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","One power pole was knocked down." +118219,710434,KANSAS,2017,August,Thunderstorm Wind,"COWLEY",2017-08-05 18:12:00,CST-6,2017-08-05 18:12:00,0,0,0,0,125.00K,125000,,NaN,37.11,-97.09,37.11,-97.09,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","Twenty five power poles were snapped." +118219,710437,KANSAS,2017,August,Thunderstorm Wind,"COWLEY",2017-08-05 18:20:00,CST-6,2017-08-05 18:20:00,0,0,0,0,10.00K,10000,,NaN,37.07,-97.04,37.07,-97.04,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","Numerous tree limbs were knocked down across town." +118219,710443,KANSAS,2017,August,Thunderstorm Wind,"COWLEY",2017-08-05 19:18:00,CST-6,2017-08-05 19:18:00,0,0,0,0,,NaN,,NaN,37.04,-96.94,37.04,-96.94,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","The winds were estimated one mile west of Silverdale." +118240,710569,KANSAS,2017,August,Hail,"BARTON",2017-08-09 14:57:00,CST-6,2017-08-09 14:57:00,0,0,0,0,,NaN,,NaN,38.52,-98.78,38.52,-98.78,"Isolated severe storms developed along the intersection of an outflow boundary and a cold front as it dropped south out of northern Nebraska. The supercells produced hail up to golf ball size across portions of central Kansas.","" +118240,710570,KANSAS,2017,August,Hail,"BARTON",2017-08-09 15:00:00,CST-6,2017-08-09 15:00:00,0,0,0,0,,NaN,,NaN,38.52,-98.78,38.52,-98.78,"Isolated severe storms developed along the intersection of an outflow boundary and a cold front as it dropped south out of northern Nebraska. The supercells produced hail up to golf ball size across portions of central Kansas.","" +118240,710573,KANSAS,2017,August,Hail,"BARTON",2017-08-09 15:01:00,CST-6,2017-08-09 15:01:00,0,0,0,0,,NaN,,NaN,38.52,-98.76,38.52,-98.76,"Isolated severe storms developed along the intersection of an outflow boundary and a cold front as it dropped south out of northern Nebraska. The supercells produced hail up to golf ball size across portions of central Kansas.","" +118938,714521,MICHIGAN,2017,August,Hail,"ALGER",2017-08-09 15:37:00,EST-5,2017-08-09 15:42:00,0,0,0,0,0.00K,0,0.00K,0,46.19,-86.95,46.19,-86.95,"The interaction of a warm front and a lake breeze off Lake Superior generated an isolated severe thunderstorms near Trenary on the afternoon of the 9th.","There was a public report of one and a half inch diameter hail near Trenary." +119164,715650,MICHIGAN,2017,August,Flood,"GOGEBIC",2017-08-10 14:00:00,CST-6,2017-08-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,46.4772,-89.9415,46.4771,-89.9408,"Thunderstorms moving across Wakefield dropped heavy rain which caused minor flooding near the intersection of Highways US-2 and M-28 on the afternoon of the 10th.","Heavy rainfall which lasted approximately one hour caused an estimated 6-8 inches of water over roads near the intersection of Highways US-2 and M-28. Time of the report was estimated from radar." +117667,707546,TEXAS,2017,August,Thunderstorm Wind,"GREGG",2017-08-11 17:45:00,CST-6,2017-08-11 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.504,-94.7034,32.504,-94.7034,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Northern Smith, Gregg, and Harrison Counties in East Texas and moved southeast across Lower East Texas south of Interstate 20. Gusty winds were observed from a strong thunderstorm over Eastern Gregg County on the east side of Longview, which blew down a tree onto Highway 80 west, causing two vehicles to crash into the tree. Fortunately, none of the vehicles' occupants were injured.","A tree was blown down across the westbound lanes of Highway 80 in East Longview. Two vehicles then crashed into the tree. The windshields in both vehicles were shattered, with one car having to be towed away. Fortunately, none of the vehicles' occupants were injured." +117886,708461,ARKANSAS,2017,August,Heat,"LITTLE RIVER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117886,708463,ARKANSAS,2017,August,Heat,"HOWARD",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +119361,716536,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-01 13:00:00,EST-5,2017-08-01 13:00:00,0,0,0,0,,NaN,,NaN,39.3909,-77.4338,39.3909,-77.4338,"An unstable atmosphere led to a couple thunderstorms becoming severe.","A tree fell onto a vehicle near the intersection of Farmbrook Drive and Brace Court. Several other trees were down in the area." +118969,715903,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 17:53:00,EST-5,2017-08-18 20:43:00,0,0,0,0,0.00K,0,0.00K,0,39.4739,-76.3374,39.4694,-76.3387,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","The USGS stream gage on Otter Point Creek / Winters Run near Edgewood exceeded the 8 foot flood stage for over 2 hours, causing flooding on Winters Run Road near Singer Road." +119361,716537,MARYLAND,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-01 17:18:00,EST-5,2017-08-01 17:18:00,0,0,0,0,,NaN,,NaN,38.9959,-77.0059,38.9959,-77.0059,"An unstable atmosphere led to a couple thunderstorms becoming severe.","Wires and a pole were down near the intersection of Piney Branch Road and Sligo Creek Parkway." +119362,716538,MARYLAND,2017,August,Hail,"BALTIMORE",2017-08-02 15:00:00,EST-5,2017-08-02 15:00:00,0,0,0,0,,NaN,,NaN,39.3443,-76.3931,39.3443,-76.3931,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","Quarter sized hail was reported." +119362,716540,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 11:48:00,EST-5,2017-08-02 11:48:00,0,0,0,0,,NaN,,NaN,39.5551,-76.3203,39.5551,-76.3203,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree that was six inches in diameter was down." +119362,716541,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 12:04:00,EST-5,2017-08-02 12:04:00,0,0,0,0,,NaN,,NaN,39.5205,-76.4523,39.5205,-76.4523,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down." +119362,716543,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 12:38:00,EST-5,2017-08-02 12:38:00,0,0,0,0,,NaN,,NaN,39.5756,-76.3599,39.5756,-76.3599,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree fell onto wires." +119362,716544,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 13:40:00,EST-5,2017-08-02 13:40:00,0,0,0,0,,NaN,,NaN,39.6981,-76.4627,39.6981,-76.4627,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down near Harkins Road and Onion Road." +119362,716546,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 13:48:00,EST-5,2017-08-02 13:48:00,0,0,0,0,,NaN,,NaN,39.6581,-76.482,39.6581,-76.482,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down along the 2100 Block of Mt. Horeb Road." +119362,716548,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-02 13:56:00,EST-5,2017-08-02 13:56:00,0,0,0,0,,NaN,,NaN,39.6934,-76.4762,39.6934,-76.4762,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down along the 2400 Block of Telegraph Road." +119362,716549,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-02 14:04:00,EST-5,2017-08-02 14:04:00,0,0,0,0,,NaN,,NaN,39.415,-76.482,39.415,-76.482,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down on Hallhurst road." +120025,719260,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-18 19:30:00,EST-5,2017-08-18 19:36:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 47 knots were reported at Lewisetta." +120025,719261,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-18 19:30:00,EST-5,2017-08-18 19:36:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 47 knots were reported at Lewisetta." +120025,719262,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-08-18 19:45:00,EST-5,2017-08-18 19:45:00,0,0,0,0,,NaN,,NaN,38.041,-76.322,38.041,-76.322,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 46 knots was reported at Point Lookout." +120025,719263,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-08-18 19:10:00,EST-5,2017-08-18 19:10:00,0,0,0,0,,NaN,,NaN,38.29,-76.41,38.29,-76.41,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 37 knots was reported at Patuxent River." +120025,719264,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-18 19:12:00,EST-5,2017-08-18 19:18:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 36 knots were reported at Cove Point." +120025,719265,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-08-18 19:29:00,EST-5,2017-08-18 19:59:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 41 knots were reported at Hooper Island." +120025,719266,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-08-18 19:54:00,EST-5,2017-08-18 20:12:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 43 knots were reported at Bishops Head." +120025,719267,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-18 20:10:00,EST-5,2017-08-18 20:30:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 41 to 51 knots were reported." +120025,719268,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-08-18 20:14:00,EST-5,2017-08-18 20:29:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 35 to 39 knots were reported at Raccoon Point." +120025,719269,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-08-18 20:20:00,EST-5,2017-08-18 20:20:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 41 knots was reported at Crisfield." +119611,717545,ARKANSAS,2017,August,Flash Flood,"FAULKNER",2017-08-15 08:00:00,CST-6,2017-08-15 10:00:00,0,0,0,0,0.00K,0,0.00K,0,35.03,-92.37,35.0248,-92.3828,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Several roads had to be blocked off due to water rushing over them." +119659,717786,ARKANSAS,2017,August,Flash Flood,"WOODRUFF",2017-08-31 07:15:00,CST-6,2017-08-31 09:15:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-91.2,35.2497,-91.2138,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Street flooding was reported in the town of McCrory." +119721,717988,TEXAS,2017,August,Thunderstorm Wind,"SCURRY",2017-08-16 17:50:00,CST-6,2017-08-16 17:50:00,0,0,0,0,,NaN,,NaN,32.853,-100.7418,32.853,-100.7418,"An upper ridge was to the east of the region with very warm temperatures across West Texas. A plentiful supply of moisture was present across the Western Low Rolling Plains and eastern portions of the Permian Basin. There was a cold front to the north of the area and a weak dryline across the Permian Basin. These conditions, along with good instability, resulted in thunderstorms with strong winds and large hail across the area.","A thunderstorm moved across Scurry County and produced an estimated 60 mph wind gust thirteen miles northeast of Snyder." +119721,717989,TEXAS,2017,August,Hail,"SCURRY",2017-08-16 17:50:00,CST-6,2017-08-16 17:55:00,0,0,0,0,,NaN,,NaN,32.853,-100.7418,32.853,-100.7418,"An upper ridge was to the east of the region with very warm temperatures across West Texas. A plentiful supply of moisture was present across the Western Low Rolling Plains and eastern portions of the Permian Basin. There was a cold front to the north of the area and a weak dryline across the Permian Basin. These conditions, along with good instability, resulted in thunderstorms with strong winds and large hail across the area.","" +119721,717990,TEXAS,2017,August,Thunderstorm Wind,"HOWARD",2017-08-16 18:58:00,CST-6,2017-08-16 18:58:00,0,0,0,0,,NaN,,NaN,32.1066,-101.6235,32.1066,-101.6235,"An upper ridge was to the east of the region with very warm temperatures across West Texas. A plentiful supply of moisture was present across the Western Low Rolling Plains and eastern portions of the Permian Basin. There was a cold front to the north of the area and a weak dryline across the Permian Basin. These conditions, along with good instability, resulted in thunderstorms with strong winds and large hail across the area.","A thunderstorm moved across Howard County and produced a 68 mph wind gust near Lomax." +119721,717994,TEXAS,2017,August,Hail,"MARTIN",2017-08-16 20:15:00,CST-6,2017-08-16 20:20:00,0,0,0,0,,NaN,,NaN,32.1092,-101.88,32.1092,-101.88,"An upper ridge was to the east of the region with very warm temperatures across West Texas. A plentiful supply of moisture was present across the Western Low Rolling Plains and eastern portions of the Permian Basin. There was a cold front to the north of the area and a weak dryline across the Permian Basin. These conditions, along with good instability, resulted in thunderstorms with strong winds and large hail across the area.","" +119825,718435,NEW MEXICO,2017,August,Flash Flood,"EDDY",2017-08-20 17:52:00,MST-7,2017-08-20 20:50:00,0,0,0,0,0.30K,300,0.00K,0,32.42,-104.23,32.4209,-104.256,"There was an upper ridge over Texas with a storm circulation moving northward from Mexico. Lots of moisture was present to the west across New Mexico. Heavy rain developed across southeast New Mexico and produced flash flooding due to slow storm movement.","Heavy rain fell across Eddy County and produced flash flooding in Carlsbad. Two to three feet of water was covering some of the roads in Carlsbad. The cost of damage is a very rough estimate." +119826,718436,TEXAS,2017,August,Thunderstorm Wind,"MIDLAND",2017-08-22 20:59:00,CST-6,2017-08-22 20:59:00,0,0,0,0,,NaN,,NaN,31.93,-102.2,31.93,-102.2,"Warm temperatures were present in advance of a cold front. Good moisture was across the area. These conditions contributed to thunderstorms with strong winds across the Permian Basin.","A thunderstorm moved across Midland County and produced a 60 mph wind gust at Midland International Air and Space Port." +117971,709179,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-18 17:15:00,EST-5,2017-08-18 17:15:00,0,0,0,0,,NaN,,NaN,40.24,-74.85,40.24,-74.85,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Estimated wind gust." +117972,709180,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-18 17:06:00,EST-5,2017-08-18 17:06:00,0,0,0,0,,NaN,,NaN,40.57,-74.8,40.57,-74.8,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires throughout the township." +117972,709181,NEW JERSEY,2017,August,Thunderstorm Wind,"BURLINGTON",2017-08-18 17:45:00,EST-5,2017-08-18 17:45:00,0,0,0,0,,NaN,,NaN,40.13,-74.71,40.13,-74.71,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree on 206 between Dunns mill road and the 130 intersection." +117972,709182,NEW JERSEY,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-18 17:45:00,EST-5,2017-08-18 17:45:00,0,0,0,0,,NaN,,NaN,40.49,-74.29,40.49,-74.29,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Trees were taken down due to thunderstorm winds in Perth and South Amboy with wires down throughout the county as well." +117972,709183,NEW JERSEY,2017,August,Thunderstorm Wind,"BURLINGTON",2017-08-18 17:59:00,EST-5,2017-08-18 17:59:00,0,0,0,0,,NaN,,NaN,39.93,-74.89,39.93,-74.89,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Trees were taken down by thunderstorm winds." +117972,709185,NEW JERSEY,2017,August,Thunderstorm Wind,"MONMOUTH",2017-08-18 18:33:00,EST-5,2017-08-18 18:33:00,0,0,0,0,,NaN,,NaN,40.2,-74.26,40.2,-74.26,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree onto Fort Plains Road." +117975,709235,DELAWARE,2017,August,Thunderstorm Wind,"NEW CASTLE",2017-08-22 22:10:00,EST-5,2017-08-22 22:10:00,0,0,0,0,,NaN,,NaN,39.73,-75.53,39.73,-75.53,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was taken down by thunderstorm winds." +117252,709238,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-02 16:30:00,EST-5,2017-08-02 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2559,-75.3305,39.2559,-75.3305,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with strong winds on the waters.","Measured at Ship John Buoy." +117985,709243,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-18 18:06:00,EST-5,2017-08-18 18:06:00,0,0,0,0,,NaN,,NaN,39.1731,-75.2728,39.1731,-75.2728,"Several thunderstorm wind gusts occurred in Delaware bay and on the coastal waters.","Ship John nos buoy." +117974,709247,NEW JERSEY,2017,August,Flash Flood,"HUNTERDON",2017-08-22 22:45:00,EST-5,2017-08-23 00:45:00,0,0,0,0,0.00K,0,0.00K,0,40.4647,-74.82,40.4729,-74.8229,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","The river gauge on the Neshanic at Reaville rose above flood stage for a few hours." +117974,709248,NEW JERSEY,2017,August,Flash Flood,"MIDDLESEX",2017-08-22 23:05:00,EST-5,2017-08-23 00:15:00,0,0,0,0,0.00K,0,0.00K,0,40.49,-74.28,40.4891,-74.2956,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Several water rescues occurred in South Amboy and Sayerville near Victory circle." +121551,730026,IOWA,2017,December,Extreme Cold/Wind Chill,"MADISON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730027,IOWA,2017,December,Extreme Cold/Wind Chill,"WARREN",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730028,IOWA,2017,December,Extreme Cold/Wind Chill,"MARION",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730029,IOWA,2017,December,Extreme Cold/Wind Chill,"MAHASKA",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730030,IOWA,2017,December,Extreme Cold/Wind Chill,"ADAMS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730031,IOWA,2017,December,Extreme Cold/Wind Chill,"UNION",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730032,IOWA,2017,December,Extreme Cold/Wind Chill,"CLARKE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730033,IOWA,2017,December,Extreme Cold/Wind Chill,"LUCAS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730034,IOWA,2017,December,Extreme Cold/Wind Chill,"MONROE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730035,IOWA,2017,December,Extreme Cold/Wind Chill,"WAPELLO",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +115361,692652,ARKANSAS,2017,April,Thunderstorm Wind,"MISSISSIPPI",2017-04-29 19:46:00,CST-6,2017-04-29 19:47:00,0,0,0,0,,NaN,0.00K,0,35.9214,-89.8682,35.9404,-89.8247,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","" +115349,693217,ALABAMA,2017,April,Hail,"LEE",2017-04-05 20:43:00,CST-6,2017-04-05 20:44:00,0,0,0,0,0.00K,0,0.00K,0,32.6,-85.24,32.6,-85.24,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693218,ALABAMA,2017,April,Hail,"LEE",2017-04-05 20:58:00,CST-6,2017-04-05 20:59:00,0,0,0,0,0.00K,0,0.00K,0,32.58,-85.16,32.58,-85.16,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120029,719298,NORTH CAROLINA,2017,August,Thunderstorm Wind,"MCDOWELL",2017-08-04 17:35:00,EST-5,2017-08-04 17:55:00,0,0,0,0,20.00K,20000,0.00K,0,35.599,-82.152,35.576,-81.988,"Scattered thunderstorms developed along the North Carolina Blue Ridge during the late afternoon and evening and moved east. A couple of the storms became severe across the foothills and the western Piedmont.","Multiple sources reported multiple trees and power lines blown down from southeast of Old Fort through the Sugar Hill community, from along Old Fort Sugar Hill Rd, across Sugar Hill Rd, to almost Highway 221. Trees fell on homes on Summey Rd and at Old Fort Sugar Hill Rd and Parker Padgett Rd." +115349,693219,ALABAMA,2017,April,Hail,"LEE",2017-04-05 21:01:00,CST-6,2017-04-05 21:02:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-85.09,32.54,-85.09,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +122238,731778,MINNESOTA,2017,December,Winter Weather,"PIPESTONE",2017-12-29 06:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 5 inches at Edgerton, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122238,731780,MINNESOTA,2017,December,Winter Weather,"NOBLES",2017-12-29 06:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.5 inches at Worthington, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122238,731782,MINNESOTA,2017,December,Winter Weather,"JACKSON",2017-12-29 06:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.6 inches two miles northeast of Lakefield, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122239,731791,IOWA,2017,December,Winter Weather,"LYON",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 4 inches during the morning and early afternoon, including 3 inches at Rock Rapids, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122239,731792,IOWA,2017,December,Winter Weather,"OSCEOLA",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 5 inches at Sibley, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +120324,720985,KANSAS,2017,August,Heavy Rain,"MEADE",2017-08-10 22:00:00,CST-6,2017-08-11 03:00:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-100.23,37.18,-100.23,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.60 inches." +120324,720986,KANSAS,2017,August,Heavy Rain,"SCOTT",2017-08-10 19:10:00,CST-6,2017-08-11 00:10:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-100.92,38.47,-100.92,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 3.58 inches." +120324,720987,KANSAS,2017,August,Heavy Rain,"CLARK",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-99.75,37.06,-99.75,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 4.89 inches." +120324,720988,KANSAS,2017,August,Heavy Rain,"SEWARD",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-100.82,37.08,-100.82,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 5.24 inches." +118434,718004,NEBRASKA,2017,August,Hail,"BROWN",2017-08-12 18:56:00,CST-6,2017-08-12 18:56:00,0,0,0,0,0.00K,0,0.00K,0,42.09,-99.95,42.09,-99.95,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,718006,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-12 20:05:00,CST-6,2017-08-12 20:05:00,0,0,0,0,50.00K,50000,0.00K,0,41.16,-99.38,41.16,-99.38,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","A full center pivot irrigation system was flipped over south of Ansley. Time estimated from radar." +118434,718007,NEBRASKA,2017,August,Flash Flood,"LINCOLN",2017-08-12 20:14:00,CST-6,2017-08-12 20:14:00,0,0,0,0,0.00K,0,0.00K,0,41.0904,-100.7492,41.0896,-100.7492,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","Trained spotter reports 3 to 4 inches of water running over State Farm Road, one mile east of highway 83." +118434,718008,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-12 20:25:00,CST-6,2017-08-12 20:25:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-99.86,41.6153,-99.8601,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","A trained spotter reported numerous roads and yards covered with water in Anselmo." +119728,718009,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 17:50:00,CST-6,2017-08-13 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-100.1,41.6,-100.1,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +117424,706137,NORTH DAKOTA,2017,August,Hail,"CASS",2017-08-09 15:45:00,CST-6,2017-08-09 15:45:00,0,0,0,0,,NaN,,NaN,46.75,-97.57,46.75,-97.57,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","Very heavy rain, strong wind, and hail fell across central Clifton Township. Hail nearly covered the ground. Most of the hailstones were pea to dime size, but a few were quarter sized." +117424,706138,NORTH DAKOTA,2017,August,Hail,"CASS",2017-08-09 16:19:00,CST-6,2017-08-09 16:19:00,0,0,0,0,,NaN,,NaN,46.64,-97.25,46.64,-97.25,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","A few quarter sized hail fell near the intersection of highway 46 and county road 18. A shelf cloud was also observed, but the wind did not get very strong." +117424,706139,NORTH DAKOTA,2017,August,Hail,"BARNES",2017-08-09 15:30:00,CST-6,2017-08-09 15:30:00,0,0,0,0,,NaN,,NaN,46.76,-97.71,46.76,-97.71,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","Dime to nickel sized hail and very heavy rain fell across east central Binghampton Township." +117425,706140,MINNESOTA,2017,August,Funnel Cloud,"CLAY",2017-08-09 16:22:00,CST-6,2017-08-09 16:24:00,0,0,0,0,0.00K,0,0.00K,0,46.9,-96.7,46.9,-96.7,"Showers and weak thunderstorms continued across most of eastern North Dakota and the northwest quarter of Minnesota on the 9th of August. With an upper level low pressure system over the area, the showers and storms moved in a counter-clockwise manner. By the early afternoon, a small cluster of storms between Devils Lake and Jamestown began to strengthen. This cluster of storms moved into Barnes and Cass counties of North Dakota and Clay County of Minnesota, producing large hail and at least one funnel cloud.","A wall cloud and funnel were viewed by multiple sources in the Fargo-Moorhead area. The Fargo airport air traffic control tower estimated the funnel to be about 5 miles east of Fargo." +117786,708120,MINNESOTA,2017,August,Hail,"WADENA",2017-08-18 11:50:00,CST-6,2017-08-18 11:50:00,0,0,0,0,,NaN,,NaN,46.52,-95.09,46.52,-95.09,"A compact short wave moved from south central North Dakota into northeast South Dakota and west central Minnesota, helping to set off a few afternoon thunderstorms on August 18th. Morning sun allowed early afternoon temperatures around Wadena to reach about 80 degrees. Combined with cold temperatures aloft and the short wave, several thunderstorms produced hail.","Brief quarter sized hail was followed by dime sized hail." +117312,705562,FLORIDA,2017,August,Lightning,"PINELLAS",2017-08-02 13:00:00,EST-5,2017-08-02 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,27.8278,-82.6387,27.8278,-82.6387,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A couple of these storms produced wind and lightning damage.","A lightning strike knocked over a power pole, which in turn broke a water main near the 6100 block of 4th Street N in St. Petersburg." +117312,705566,FLORIDA,2017,August,Thunderstorm Wind,"SARASOTA",2017-08-02 13:30:00,EST-5,2017-08-02 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,27.2804,-82.4811,27.2804,-82.4811,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A couple of these storms produced wind and lightning damage.","A tree was knocked down onto McIntosh Road between Proctor and Ashton Roads, blocking one lane of traffic." +117335,705680,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-03 15:53:00,EST-5,2017-08-03 15:53:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"Deep moisture on the south side of a stalled surface trough set up numerous thunderstorms developing over the Gulf of Mexico and shifting east into the coast during the afternoon. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station on the Skyway Fishing Pier (XSKY) recorded a 41 knot marine thunderstorm wind gust." +117335,705681,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-03 15:56:00,EST-5,2017-08-03 15:56:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"Deep moisture on the south side of a stalled surface trough set up numerous thunderstorms developing over the Gulf of Mexico and shifting east into the coast during the afternoon. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station in Egmont Channel (XEGM) recorded a 43 knot marine thunderstorm wind gust." +117335,705682,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-03 16:10:00,EST-5,2017-08-03 16:10:00,0,0,0,0,0.00K,0,0.00K,0,27.77,-82.57,27.77,-82.57,"Deep moisture on the south side of a stalled surface trough set up numerous thunderstorms developing over the Gulf of Mexico and shifting east into the coast during the afternoon. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station in the Tampa Bay (XTAM) recorded a 35 knot marine thunderstorm wind gust." +117335,705683,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-03 16:04:00,EST-5,2017-08-03 16:04:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Deep moisture on the south side of a stalled surface trough set up numerous thunderstorms developing over the Gulf of Mexico and shifting east into the coast during the afternoon. A few of these storms produced marine wind gusts along the coast.","The ASOS at Albert Whitted Airport (KSPG) recorded a 35 knot marine thunderstorm wind gust." +117336,705684,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-06 14:37:00,EST-5,2017-08-06 14:37:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Isolated to scattered thunderstorms developed over the Florida Peninsula and spread out into the Gulf during the late afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The ASOS at Albert Whitted Airport (KSPG) recorded a 35 knot thunderstorm wind gust." +120369,721121,LAKE MICHIGAN,2017,August,Waterspout,"WINTHROP HARBOR TO WILMETTE HARBOR IL 5NM OFFSHORE TO MID LAKE",2017-08-24 10:35:00,CST-6,2017-08-24 10:37:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-87.12,42.26,-87.12,"Waterspouts were observed over southern Lake Michigan as cooler air moved over southern Lake Michigan causing instability and showers.","" +120369,721122,LAKE MICHIGAN,2017,August,Waterspout,"WILMETTE HARBOR TO MICHIGAN CITY IN 5NM OFFSHORE TO MID LAKE",2017-08-24 10:30:00,CST-6,2017-08-24 10:32:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-87.52,41.96,-87.52,"Waterspouts were observed over southern Lake Michigan as cooler air moved over southern Lake Michigan causing instability and showers.","" +120371,721123,ILLINOIS,2017,August,Hail,"WILL",2017-08-28 14:35:00,CST-6,2017-08-28 14:35:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-87.88,41.53,-87.88,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon of August 28th.","" +120371,721124,ILLINOIS,2017,August,Funnel Cloud,"DU PAGE",2017-08-28 13:55:00,CST-6,2017-08-28 13:56:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-88.08,41.8,-88.08,"Scattered thunderstorms moved across parts of northern Illinois during the afternoon of August 28th.","A funnel cloud was reported extending not quite halfway to the ground." +117520,706855,DELAWARE,2017,August,Flood,"SUSSEX",2017-08-12 10:00:00,EST-5,2017-08-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4566,-75.1029,38.4617,-75.1087,"A warm front moving through the region, aided by disturbances in the jet stream and a tropical air mass in place, lead to several rounds of showers and thunderstorms which trained across the state.","A pond and stream overflowed which flooded a large portion of a yard." +117520,706856,DELAWARE,2017,August,Flood,"SUSSEX",2017-08-12 10:30:00,EST-5,2017-08-12 10:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5419,-75.0652,38.5425,-75.0721,"A warm front moving through the region, aided by disturbances in the jet stream and a tropical air mass in place, lead to several rounds of showers and thunderstorms which trained across the state.","High water reported covering portions of Bethany Beach." +117520,706857,DELAWARE,2017,August,Flood,"SUSSEX",2017-08-12 13:15:00,EST-5,2017-08-12 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.9109,-75.4269,38.9113,-75.4316,"A warm front moving through the region, aided by disturbances in the jet stream and a tropical air mass in place, lead to several rounds of showers and thunderstorms which trained across the state.","Several roads closed such as Clark Avenue, Polk Avenue, and Kings Highway due to flooding." +117295,705509,PENNSYLVANIA,2017,August,Tornado,"FULTON",2017-08-04 16:55:00,EST-5,2017-08-04 17:01:00,0,0,0,0,5.00K,5000,0.00K,0,39.8548,-78.15,39.8652,-78.1313,"An EF1 tornado touched down briefly near Needmore in Fulton County during the early evening of August 4, 2017.","An EF1 tornado with an estimated maximum wind speed of 100 mph was confirmed by a NWS survey team to have touched down in Fulton County on August 4, 2017. The tornado touched down near Pleasant Grove Road (State Road 3007) and traveled northeastward for about 5 minutes, snapping and uprooting several swaths of trees along its path. It was estimated that approximately 150 trees were snapped or downed by the tornado." +117299,709162,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-02 12:31:00,EST-5,2017-08-02 12:31:00,0,0,0,0,4.00K,4000,0.00K,0,40.7081,-77.0609,40.7081,-77.0609,"Scattered convection formed during the afternoon of August 2, 2017, in conjunction with an area of upper-level low pressure and associated cold air aloft that passed over Pennsylvania. CAPE was moderate, but shear was limited. A few of these storms were able to produce wind damage.","Severe thunderstorms producing winds estimated near 60 mph knocked down trees and wires in West Perry Township." +117299,709163,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-02 12:36:00,EST-5,2017-08-02 12:36:00,0,0,0,0,0.00K,0,0.00K,0,40.7092,-77.0001,40.7092,-77.0001,"Scattered convection formed during the afternoon of August 2, 2017, in conjunction with an area of upper-level low pressure and associated cold air aloft that passed over Pennsylvania. CAPE was moderate, but shear was limited. A few of these storms were able to produce wind damage.","Severe thunderstorms producing winds estimated near 60 mph knocked down trees in Perry Township." +117299,709164,PENNSYLVANIA,2017,August,Thunderstorm Wind,"YORK",2017-08-02 13:18:00,EST-5,2017-08-02 13:18:00,0,0,0,0,2.00K,2000,0.00K,0,39.9,-76.79,39.9,-76.79,"Scattered convection formed during the afternoon of August 2, 2017, in conjunction with an area of upper-level low pressure and associated cold air aloft that passed over Pennsylvania. CAPE was moderate, but shear was limited. A few of these storms were able to produce wind damage.","Severe thunderstorms producing winds estimated near 60 mph knocked down trees and large branches in New Salem." +119035,715380,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:55:00,CST-6,2017-09-20 00:01:00,0,0,0,0,1.00M,1000000,0.00K,0,45.5955,-94.9239,45.68,-94.81,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Hundreds of trees, possibly over one thousand, were blown down across a broadening swath from northeast of Elrosa to Melrose. Numerous corn fields and other crops were also damaged. A storm survey determined this was due to downburst winds associated with a dissipating tornado and then downstream from the dissipated tornado. A building that was under construction was completely blown apart, and a commercial building lost part of its roof. Other sheds and outbuildings at farms also had some damage." +119035,722106,MINNESOTA,2017,September,Tornado,"KANDIYOHI",2017-09-19 23:38:00,CST-6,2017-09-19 23:39:00,0,0,0,0,100.00K,100000,0.00K,0,45.3549,-95.2553,45.3728,-95.2253,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado moved out of Swift County and into northwestern Kandiyohi County. It knocked down trees, damaged crops, and destroyed two machine sheds at a farm." +119114,715375,MINNESOTA,2017,September,Hail,"WRIGHT",2017-09-22 07:00:00,CST-6,2017-09-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,45.1,-93.75,45.1,-93.75,"Several thunderstorms developed along an elevated core of strong instability in west central, and central Minnesota during the early morning of Friday, September 22nd. These storms tracked along a line from north of Alexandria, to Mora, Minnesota. Most of the storms were non-severe and produced up to nickel size hail and gusty winds of 40 to 50 mph. However, one of the storms became severe and produced severe hail north of Mora. Other storms developed farther to the south, but remained non-severe and produced an occasional penny size hail stone.","" +120550,722190,MINNESOTA,2017,September,Hail,"KANDIYOHI",2017-09-24 15:13:00,CST-6,2017-09-24 15:13:00,0,0,0,0,0.00K,0,0.00K,0,45.35,-95.24,45.35,-95.24,"Clusters of strong thunderstorms developed during the late afternoon of 9/24/17. A Tornado Warning was issued for a low-topped supercell over Pope and Stearns Counties. A storm chaser reported strong low level rotation, but no tornado. Thunderstorm wind damage did occur.","" +117985,709241,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-18 18:00:00,EST-5,2017-08-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0215,-75.1245,39.0215,-75.1245,"Several thunderstorm wind gusts occurred in Delaware bay and on the coastal waters.","Brandywine nos buoy." +117971,709168,PENNSYLVANIA,2017,August,Flash Flood,"PHILADELPHIA",2017-08-18 17:48:00,EST-5,2017-08-18 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.0521,-75.0385,40.0526,-75.0207,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","The Pennypack exceeded flood stage of seven feet." +117490,709316,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 18:20:00,EST-5,2017-08-07 18:20:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.05,39.39,-75.05,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just over 5 inches of rain fell." +117490,709314,NEW JERSEY,2017,August,Heavy Rain,"CAPE MAY",2017-08-07 16:12:00,EST-5,2017-08-07 16:12:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-74.9,38.94,-74.9,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Around two inches of rain fell." +117490,709313,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 15:56:00,EST-5,2017-08-07 15:56:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-75.18,39.3,-75.18,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just under 4 inches of rain fell." +117836,708282,TEXAS,2017,August,Thunderstorm Wind,"BRISCOE",2017-08-20 17:45:00,CST-6,2017-08-20 17:45:00,0,0,0,0,10.00K,10000,0.00K,0,34.372,-100.9851,34.372,-100.9851,"Isolated thunderstorms developed over the extreme southeastern Texas Panhandle during the afternoon and evening of the 20th. One of these storms became severe over Briscoe County. A metal roof was torn off of a building at Valley Schools along State Highway 86 between Quitaque (Briscoe County) and Turkey (Hall County).","A Texas Parks and Wildlife Department employee reported thunderstorm wind damage at Valley Schools on State Highway 86 between Turkey and Quitaque. A metal roof was torn off of a building." +117930,713055,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:35:00,EST-5,2017-08-19 19:35:00,0,0,0,0,3.00K,3000,0.00K,0,40.8096,-76.1552,40.8096,-76.1552,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Route 54 just outside of Mahanoy City." +117930,713056,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:40:00,EST-5,2017-08-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.8217,-75.9811,40.8217,-75.9811,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Hometown." +117930,713058,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:43:00,EST-5,2017-08-19 19:43:00,0,0,0,0,3.00K,3000,0.00K,0,40.8108,-76.0246,40.8108,-76.0246,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees across Tuscarora Park Road." +117930,713061,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:45:00,EST-5,2017-08-19 19:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.6418,-76.0151,40.6418,-76.0151,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto Hawk Mountain Road." +117929,711537,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DAUPHIN",2017-08-18 14:25:00,EST-5,2017-08-18 14:25:00,0,0,0,0,4.00K,4000,0.00K,0,40.3087,-76.7376,40.3087,-76.7376,"An approaching cold front pushed into a warm and very humid airmass over eastern Pennsylvania, generating numerous showers and storms over the Lower Susquehanna Valley. Although the best forcing was north of the area, one of these storm was able to produce wind damage just east of Harrisburg.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in South Hanover Township along Knights Road and Red Top Road." +118424,711661,NEW JERSEY,2017,August,High Surf,"EASTERN ATLANTIC",2017-08-01 20:15:00,EST-5,2017-08-01 20:15:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A drowning occurred in Atlantic City Beach.","A 31 year old male entered the water in Atlantic City Beach around 8:15 PM EDT on August 1st and drowned due to high surf." +118425,711662,NEBRASKA,2017,August,Tornado,"CHASE",2017-08-07 15:22:00,MST-7,2017-08-07 15:22:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-101.75,40.43,-101.75,"An isolated thunderstorm developed over southwestern Chase county during the late afternoon of August 7th. This storm produced a brief landspout tornado near Champion Nebraska with no damage reported.","Landspout briefly touched down in an open field with no damage reported." +118746,713323,MISSISSIPPI,2017,August,Flood,"LAMAR",2017-08-30 09:43:00,CST-6,2017-08-30 10:43:00,0,0,0,0,1.00K,1000,0.00K,0,31.23,-89.45,31.2247,-89.4491,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Highway 589 was covered with one to two inches of water." +118746,713328,MISSISSIPPI,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-31 15:54:00,CST-6,2017-08-31 15:54:00,0,0,0,0,5.00K,5000,0.00K,0,33.5778,-88.47,33.5778,-88.47,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Trees were blown down at Highway 50 West and Officers Lake Road." +118746,713321,MISSISSIPPI,2017,August,Strong Wind,"ATTALA",2017-08-31 18:10:00,CST-6,2017-08-31 18:10:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","At least ten trees were blown down in Attala County due to gradient winds from decaying Tropical Depression Harvey. Two of these trees were blown down on Mississippi Highway 19 north of Kosciusko." +118746,713326,MISSISSIPPI,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-31 14:14:00,CST-6,2017-08-31 14:14:00,0,0,0,0,5.00K,5000,0.00K,0,33.4436,-88.3045,33.4436,-88.3045,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Trees were blown down at Old Yorkville Road South near Lake Lowndes." +118746,713327,MISSISSIPPI,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-31 14:59:00,CST-6,2017-08-31 14:59:00,0,0,0,0,5.00K,5000,0.00K,0,33.551,-88.39,33.551,-88.39,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","Trees were blown down on Matson Road." +118761,713484,MASSACHUSETTS,2017,August,Flash Flood,"FRANKLIN",2017-08-03 18:15:00,EST-5,2017-08-03 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.6967,-72.8564,42.6927,-72.8469,"A mid-level disturbance over the Great Lakes and moist unstable air over New England combined to generate a few damaging thunderstorms and heavy downpours in Northwestern Massachusetts during the afternoon of August 3rd.","At 715 PM EST, a trained spotter reported Rowe Road in Heath was washed out in several places. Mill Brook exceeded its culvert and flooded a section of State Route 8A. Another trained spotter in Heath reported storm total rainfall of 3.50 inches." +117296,710710,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONTOUR",2017-08-04 19:50:00,EST-5,2017-08-04 19:50:00,0,0,0,0,0.00K,0,0.00K,0,40.9728,-76.607,40.9728,-76.607,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Danville." +117296,710711,PENNSYLVANIA,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-04 20:11:00,EST-5,2017-08-04 20:11:00,0,0,0,0,3.00K,3000,0.00K,0,41.0172,-76.4177,41.0172,-76.4177,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Central Road near Bloomsburg." +117296,710712,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ADAMS",2017-08-04 20:20:00,EST-5,2017-08-04 20:20:00,0,0,0,0,0.00K,0,0.00K,0,39.9935,-77.2632,39.9935,-77.2632,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Menallen Township." +117296,710715,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-04 20:45:00,EST-5,2017-08-04 20:45:00,0,0,0,0,0.00K,0,0.00K,0,40.1341,-77.6365,40.1341,-77.6365,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in northern Franklin County." +118989,714717,ILLINOIS,2017,August,Heat,"JACKSON",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714718,ILLINOIS,2017,August,Heat,"JEFFERSON",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714719,ILLINOIS,2017,August,Heat,"JOHNSON",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714720,ILLINOIS,2017,August,Heat,"MASSAC",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +117445,714427,NEBRASKA,2017,August,Hail,"DAWSON",2017-08-02 21:34:00,CST-6,2017-08-02 21:34:00,0,0,0,0,1.00M,1000000,2.00M,2000000,40.8668,-99.73,40.8668,-99.73,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","" +118245,710583,OREGON,2017,August,Excessive Heat,"JACKSON COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 98 to 112 degrees. Reported low temperatures during this interval ranged from 55 to 70 degrees." +118245,710579,OREGON,2017,August,Excessive Heat,"CENTRAL DOUGLAS COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 95 to 110 degrees. Reported low temperatures during this interval ranged from 51 to 65 degrees." +118245,710580,OREGON,2017,August,Excessive Heat,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 87 to 109 degrees. Reported low temperatures during this interval ranged from 61 to 75 degrees." +118236,710616,FLORIDA,2017,August,Flood,"MANATEE",2017-08-26 09:00:00,EST-5,2017-08-28 15:00:00,0,0,1,0,1.34M,1340000,0.00K,0,27.3889,-82.6447,27.5376,-82.7477,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Heavy rain started to fall over Manatee County on the 26th and continued through the 28th, with as much as 17 inches of rain falling in some areas. The highest rain totals were reported over Bradenton, mainly on the 26th through early morning on the 27th, resulting in numerous streets flooding. Cars were reported to be floating on State Road 70 near Interstate 75, requiring at least one water rescue. ||The heavy rain also caused water to enter numerous homes and businesses in Bradenton. Manatee Public Safety reporting that 67 homes, mostly in the Centre Lake community had a foot of water in them prompting the families to evacuate. Water was also reported in homes along Manatee Avenue West around 38th Street West.||One fatality was reported in Manatee County, when a 61 year old man drowned in the Sara Palms neighborhood on the evening of the 27th after his wheelchair tipped over in flood waters." +119434,717081,INDIANA,2017,August,Lightning,"ALLEN",2017-08-29 06:00:00,EST-5,2017-08-29 08:00:00,0,1,0,0,0.00K,0,0.00K,0,41.07,-85.13,41.07,-85.13,"High precipitable water values, combine with a slow moving area of rain and embedded thunderstorms over the Fort Wayne Metro area, caused flooding and flash flooding across mainly the northern portions of Fort Wayne. Three to just under five inches of rain fell within a few hour period, overwhelming drains. Within a few hours of the rain ended, flood waters rapidly receded. Lightning sparked several fires as well.","Lightning was likely responsible for 4 different fires within a 2 hour period in and around Fort Wayne. A residence in the Chestnut Hills neighborhood and Bridgewater addition suffered minor fire damage. A barn caught fire in the 15000 block of Bass Road. The barn as well as 7000 bales of hay were damaged. A firefighter was taken to the hospital with a leg injury. Finally a fire at Canterbury Green Apartments caused damage to 22 units. No injuries were reported at this location. Time range listed for this event is the span of time the storms were in the area and reported were received." +118872,714216,MAINE,2017,August,Thunderstorm Wind,"PENOBSCOT",2017-08-03 13:00:00,EST-5,2017-08-03 13:00:00,0,0,0,0,,NaN,,NaN,46.03,-68.72,46.03,-68.72,"Thunderstorms developed in an increasingly humid airmass during the afternoon of the 3rd. An isolated severe thunderstorm developed in northern Penobscot county during the afternoon producing damaging winds.","Bowlin Camps Lodge reported several trees toppled or snapped by wind gusts estimated at 60 mph. The time is estimated." +119622,717670,MICHIGAN,2017,August,Hail,"OTTAWA",2017-08-03 13:26:00,EST-5,2017-08-03 13:26:00,0,0,0,0,0.00K,0,5.00K,5000,42.86,-85.85,42.86,-85.85,"Large hail was reported with isolated severe thunderstorms that affected portions of Allegan and Ottawa counties.","A trained spotter reported that an isolated severe thunderstorm produced hail up to an inch in diameter near Hudsonville." +119622,717669,MICHIGAN,2017,August,Hail,"ALLEGAN",2017-08-03 12:35:00,EST-5,2017-08-03 12:35:00,0,0,0,0,0.00K,0,10.00K,10000,42.45,-86.11,42.45,-86.11,"Large hail was reported with isolated severe thunderstorms that affected portions of Allegan and Ottawa counties.","Local area law enforcement reported that an isolated severe thunderstorm produced hail up to one and three quarters inches in diameter." +119600,717520,WISCONSIN,2017,August,Funnel Cloud,"CLARK",2017-08-21 14:55:00,CST-6,2017-08-21 14:55:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-90.33,45.01,-90.33,"Scattered showers and thunderstorms moved across portions of north central Wisconsin during the afternoon of August 21st. A funnel cloud was sighted from one of the storms over Dorchester (Clark County).","A short lived funnel cloud was sighted over Dorchester." +119615,717584,TEXAS,2017,August,Thunderstorm Wind,"WINKLER",2017-08-06 21:22:00,CST-6,2017-08-06 21:22:00,0,0,0,0,30.00K,30000,0.00K,0,31.75,-103.15,31.75,-103.15,"There were outflow boundaries across the area with a surface trough across the Trans Pecos. Hot temperatures combined with good moisture to increase instability. A cold front was moving southward from the Texas Panhandle. These conditions resulted in thunderstorms with strong winds across West Texas.","A thunderstorm moved across Winkler County and produced wind damage in Wink. Trees were down and roofs were damaged in Wink. The power was also knocked out too. The cost of damage is a very rough estimate." +119295,716339,MONTANA,2017,August,Thunderstorm Wind,"DAWSON",2017-08-11 16:40:00,MST-7,2017-08-11 16:40:00,0,0,0,0,0.00K,0,0.00K,0,47.61,-104.61,47.61,-104.61,"A disturbance brought enough instability to the region to generate a few thunderstorms, which produced strong to severe wind gusts and some hail.","A trained spotter experienced winds associated with a severe thunderstorm estimated at 55 to 60 mph. The spotter observed that the town of Lambert 5 miles to the north appeared to be covered white with hail." +119294,716338,MONTANA,2017,August,Hail,"WIBAUX",2017-08-12 13:45:00,MST-7,2017-08-12 13:45:00,0,0,0,0,0.00K,0,0.00K,0,46.98,-104.18,46.98,-104.18,"A disturbance brought enough instability to the region to generate a few thunderstorms, one of which produced severe hail across parts of Wibaux County.","Brief heavy rain, along with dime to quarter sized hail, was reported." +119629,717713,NEW MEXICO,2017,August,Thunderstorm Wind,"LEA",2017-08-07 20:10:00,MST-7,2017-08-07 20:10:00,0,0,0,0,40.00K,40000,0.00K,0,32.624,-103.265,32.624,-103.265,"A frontal boundary was across the area, and there was a lot of moisture in the air. The atmosphere was very unstable. These conditions allowed thunderstorms with strong winds to develop across southeast New Mexico.","A thunderstorm moved across Lea County and produced downburst winds in Monument. A mobile home trailer was overturned near the intersection of NM8 and NM42 in Monument. The winds were estimated to have gusted to 50 mph. The cost of damage is a very rough estimate." +118134,709926,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-26 12:13:00,MST-7,2017-08-26 12:20:00,0,0,0,0,,NaN,0.00K,0,44.0009,-103.3031,44.0009,-103.3031,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118134,709987,SOUTH DAKOTA,2017,August,Hail,"CUSTER",2017-08-26 13:07:00,MST-7,2017-08-26 13:17:00,0,0,0,0,,NaN,0.00K,0,43.75,-103.24,43.75,-103.24,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","A second wave of hail fell for ten minutes." +118134,709990,SOUTH DAKOTA,2017,August,Hail,"FALL RIVER",2017-08-26 14:16:00,MST-7,2017-08-26 14:16:00,0,0,0,0,,NaN,0.00K,0,43.32,-103.07,43.32,-103.07,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118134,712429,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-26 14:34:00,MST-7,2017-08-26 14:34:00,0,0,0,0,0.00K,0,0.00K,0,43.19,-103,43.19,-103,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118134,712466,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-26 12:00:00,MST-7,2017-08-26 12:10:00,0,0,0,0,,NaN,0.00K,0,44.0135,-103.3008,44.0135,-103.3008,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118597,714938,SOUTH DAKOTA,2017,August,Tornado,"FALL RIVER",2017-08-26 14:20:00,MST-7,2017-08-26 14:21:00,0,0,0,0,,NaN,,NaN,43.0595,-103.2956,43.055,-103.2841,"A thunderstorm became severe over far southern Fall River County and produced a brief rope tornado south of Oelrichs near the Nebraska border.","Tree damage occurred near the intersection of East Ardmore and Harmony Roads." +118147,710001,SOUTH DAKOTA,2017,August,Hail,"LAWRENCE",2017-08-26 14:25:00,MST-7,2017-08-26 14:25:00,0,0,0,0,,NaN,0.00K,0,44.53,-103.73,44.53,-103.73,"A thunderstorm briefly became severe over northeastern Lawrence County, producing quarter sized hail near Saint Onge.","" +118151,710044,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-26 14:29:00,MST-7,2017-08-26 14:29:00,0,0,0,0,,NaN,0.00K,0,44.5,-102.04,44.5,-102.04,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","" +119856,718546,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 23:49:00,CST-6,2017-08-06 01:49:00,0,0,0,0,0.00K,0,0.00K,0,38.9887,-94.514,38.9916,-94.5191,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","The road was closed at Oldham and Hillcrest in Swope Park, due to flooding of the Blue River causing 2 feet of running water over the road." +119856,718547,MISSOURI,2017,August,Flood,"JACKSON",2017-08-06 12:00:00,CST-6,2017-08-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0143,-94.2078,39.0152,-94.1889,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Old US HWY 40 was flooded and impassible near Buckner Tarsney Road." +119856,718548,MISSOURI,2017,August,Flood,"HENRY",2017-08-06 12:31:00,CST-6,2017-08-06 18:31:00,0,0,0,0,0.00K,0,0.00K,0,38.5591,-93.9558,38.5586,-93.9799,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","HWY N near Blairstown was closed along Big Creek." +122186,731459,TEXAS,2017,December,Winter Weather,"KENDALL",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119576,718926,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-08-24 14:10:00,EST-5,2017-08-24 14:11:00,0,0,0,0,,NaN,,NaN,32.78,-79.78,32.78,-79.78,"Strong instability along with deep moisture helped produce strong thunderstorms over coastal waters as a cold front approached the region.","The Weatherflow site at the Isle of Palms Pier recorded a 38 knot wind gust." +119577,718927,SOUTH CAROLINA,2017,August,Lightning,"CHARLESTON",2017-08-24 14:23:00,EST-5,2017-08-24 14:23:00,0,0,0,0,1.00K,1000,,NaN,32.85,-79.79,32.85,-79.79,"Strong instability along with deep moisture helped produce thunderstorms over the area as a cold front approached the region.","The Mount Pleasant Police Department reported a tree down due to a lightning strike near the intersection of Hamlin Road and Rifle Range Road." +119578,718929,ATLANTIC SOUTH,2017,August,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-08-25 11:33:00,EST-5,2017-08-25 11:34:00,0,0,0,0,,NaN,,NaN,32.2,-80.54,32.2,-80.54,"Warm and moist conditions along with light winds helped produce a few waterspouts near a passing cold front.","The Hilton Head Beach Patrol observed a very brief waterspout off the Port Royal side of the island." +119578,718931,ATLANTIC SOUTH,2017,August,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-08-25 14:51:00,EST-5,2017-08-25 14:52:00,0,0,0,0,,NaN,,NaN,32.11,-80.74,32.11,-80.74,"Warm and moist conditions along with light winds helped produce a few waterspouts near a passing cold front.","The Hilton Head Beach Patrol observed a waterspout off the coast near the South Forest Beach and North Seas Pines area." +117431,708325,COLORADO,2017,August,Hail,"WELD",2017-08-10 15:40:00,MST-7,2017-08-10 15:40:00,0,0,0,0,,NaN,,NaN,40.1338,-104.4546,40.1338,-104.4546,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","Strong winds and large hail accompanied a thunderstorm that struck between Keenseburg and Roggen. One farmstead reported the crops were completely flattened in one field. In addition, sixty-six head of cattle were injured and later euthanized." +117431,719438,COLORADO,2017,August,Heavy Rain,"WELD",2017-08-10 15:38:00,MST-7,2017-08-10 15:38:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-104.68,40.45,-104.68,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","Heavy rain forced brief road closures in Greeley due to standing water. A trained spotter measured 2.38 inches of rain, which fell in less than 45 minutes." +120077,719483,LAKE ST CLAIR,2017,August,Marine Thunderstorm Wind,"DETROIT RIVER",2017-08-02 16:24:00,EST-5,2017-08-02 16:24:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.91,42.36,-82.91,"Thunderstorms tracking through Detroit River and Lake St. Clair produced wind gusts around 40 knots.","" +120076,719481,LAKE HURON,2017,August,Marine Hail,"PORT SANILAC TO PORT HURON MI",2017-08-02 14:39:00,EST-5,2017-08-02 14:39:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-82.45,43.04,-82.45,"A thunderstorm near Fort Gratiot produced penny size hail and moved into Lake Huron.","" +120005,719153,NEW YORK,2017,August,Hail,"SCHOHARIE",2017-08-12 16:37:00,EST-5,2017-08-12 16:37:00,0,0,0,0,,NaN,,NaN,42.63,-74.59,42.63,-74.59,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","One inch hail was reported." +120005,719154,NEW YORK,2017,August,Hail,"ALBANY",2017-08-12 17:30:00,EST-5,2017-08-12 17:31:00,0,0,0,0,,NaN,,NaN,42.65,-73.93,42.65,-73.93,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Hail of 0.75 inches was reported." +120005,719155,NEW YORK,2017,August,Hail,"ALBANY",2017-08-12 17:33:00,EST-5,2017-08-12 17:34:00,0,0,0,0,,NaN,,NaN,42.65,-73.93,42.65,-73.93,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Hail of 0.88 inches was reported by a Meteorologist." +122320,732411,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-12-09 10:37:00,EST-5,2017-12-09 10:37:00,0,0,0,0,0.00K,0,0.00K,0,24.9189,-80.6351,24.9189,-80.6351,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station on Upper Matecumbe Key." +122320,732412,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-12-09 10:32:00,EST-5,2017-12-09 10:32:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 43 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +122320,732413,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-12-09 17:21:00,EST-5,2017-12-09 17:21:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +122320,732415,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-12-09 11:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +122320,732416,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-12-09 17:00:00,EST-5,2017-12-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 36 knots was measured at Pulaski Shoal Light." +122181,731398,NEBRASKA,2017,December,Winter Weather,"DIXON",2017-12-21 12:00:00,CST-6,2017-12-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated to around an inch. Snowfall of 1.0 inches was reported at Newcastle." +120115,719713,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-19 15:23:00,EST-5,2017-08-19 15:23:00,0,0,0,0,0.50K,500,0.00K,0,40.6297,-79.6864,40.6297,-79.6864,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported a tree down on Garvers Ferry Road." +120115,719714,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-19 15:26:00,EST-5,2017-08-19 15:26:00,0,0,0,0,2.00K,2000,0.00K,0,40.57,-79.75,40.57,-79.75,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported trees and wires down." +120115,719716,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-19 15:36:00,EST-5,2017-08-19 15:36:00,0,0,0,0,5.00K,5000,0.00K,0,40.44,-79.98,40.44,-79.98,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported several trees down and many wires down around the city of Pittsburgh." +120115,719718,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-19 15:45:00,EST-5,2017-08-19 15:45:00,0,0,0,0,2.50K,2500,0.00K,0,40.9,-78.99,40.9,-78.99,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +120115,719719,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-19 15:45:00,EST-5,2017-08-19 15:45:00,0,0,0,0,2.50K,2500,0.00K,0,40.32,-80.19,40.32,-80.19,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +120115,719721,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-19 15:55:00,EST-5,2017-08-19 15:55:00,0,0,0,0,2.50K,2500,0.00K,0,40.51,-79.4,40.51,-79.4,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported numerous trees down." +120115,719722,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-19 15:55:00,EST-5,2017-08-19 15:55:00,0,0,0,0,2.50K,2500,0.00K,0,40.66,-79.03,40.66,-79.03,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +119746,719740,TEXAS,2017,August,Thunderstorm Wind,"JASPER",2017-08-30 22:45:00,CST-6,2017-08-30 22:45:00,0,0,2,0,5.00K,5000,0.00K,0,30.92,-94,30.92,-94,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Tropical Storm Harvey moved into Cameron Parish with most sustained storm force winds confined to the coastal areas, however wind gusts of 35 to 45 mph were experienced well inland. These gusty winds combined with saturated soils produced conditions that allowed some trees to fall. One fell on a vehicle traveling along FM 777 near Jasper killing 2 occupants. The driver died instantly while the passenger a couple house later." +119746,720010,TEXAS,2017,August,Flood,"ORANGE",2017-08-30 16:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,30.0181,-94.0457,29.9669,-93.8974,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","River levels hit record levels along the lower Neches and the Sabine hit the 2nd highest stage at Orange. This kept water in sections of Orange County into early September." +120167,720014,GULF OF MEXICO,2017,August,Marine Tropical Storm,"COASTAL WATERS FROM CAMERON LA TO HIGH ISLAND TX OUT 20 NM",2017-08-29 04:00:00,CST-6,2017-08-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Harvey moved across the gulf winds increased. Minimal Tropical Storm conditions were observed.","Multiple observations along the coast of Jefferson County recorded sustained winds of 33 to 42 knots with wind gusts ranging from 36 to 52 knots. The highest wind gust was recorded at Texas Point (TXPT2). Along the Cameron Parish coast winds were slightly less. The highest sustained wind reported was 33 knots at Cameron with a peak gust of 44 knots." +120168,720032,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-19 20:07:00,CST-6,2017-08-19 20:07:00,0,0,0,0,20.00K,20000,0.00K,0,41.71,-99.47,41.71,-99.47,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","A fifth wheel trailer was blown over into a truck and an outbuilding. Winds were estimated at 85 MPH based on radar and the nature of the damage." +120014,719182,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-22 16:11:00,EST-5,2017-08-22 16:11:00,0,0,0,0,,NaN,,NaN,43.14,-74.88,43.14,-74.88,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A power line pole was ripped out of the ground. The poles and wires were downed across State Route 29." +120014,719183,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-22 16:41:00,EST-5,2017-08-22 16:41:00,0,0,0,0,,NaN,,NaN,43.67,-73.77,43.67,-73.77,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees and wires were downed." +120014,719184,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-22 16:41:00,EST-5,2017-08-22 16:41:00,0,0,0,0,,NaN,,NaN,43.69,-73.82,43.69,-73.82,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed across power lines." +120014,719185,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-22 16:42:00,EST-5,2017-08-22 16:42:00,0,0,0,0,,NaN,,NaN,43.67,-73.87,43.67,-73.87,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was downed." +121161,727760,MINNESOTA,2017,December,Heavy Snow,"HUBBARD",2017-12-20 19:30:00,CST-6,2017-12-21 03:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +121161,727761,MINNESOTA,2017,December,Heavy Snow,"WEST BECKER",2017-12-20 19:30:00,CST-6,2017-12-21 03:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +120224,720312,NEBRASKA,2017,August,Hail,"BROWN",2017-08-26 23:53:00,CST-6,2017-08-26 23:53:00,0,0,0,0,0.00K,0,0.00K,0,42.16,-99.86,42.16,-99.86,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","" +114445,686354,NEW YORK,2017,March,Blizzard,"WESTERN RENSSELAER",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686355,NEW YORK,2017,March,Blizzard,"EASTERN RENSSELAER",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686356,NEW YORK,2017,March,Blizzard,"WESTERN GREENE",2017-03-14 01:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +121161,727762,MINNESOTA,2017,December,Heavy Snow,"EAST BECKER",2017-12-20 19:30:00,CST-6,2017-12-21 03:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +119751,718311,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:26:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.7578,-86.5667,34.7599,-86.5726,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flood waters in a residence near Lee High School on Belle Meade Drive." +119751,718312,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:43:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-86.55,34.7502,-86.5541,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flash flooding occurring on Oakwood Avenue at Oak Park along Dallas Branch." +120121,719762,OKLAHOMA,2017,August,Thunderstorm Wind,"KAY",2017-08-05 20:51:00,CST-6,2017-08-05 20:51:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-97.08,36.74,-97.08,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","" +120122,719764,OKLAHOMA,2017,August,Flood,"TILLMAN",2017-08-06 19:45:00,CST-6,2017-08-06 22:45:00,0,0,0,0,0.00K,0,0.00K,0,34.3802,-99.0069,34.4,-99.0028,"After widespread rain and thunderstorms moved through during the predawn hours and weakened during the day, instability increased during the afternoon and intense thunderstorms developed along a stationary front across southern Oklahoma on the 6th. These storms moved slowly in a very moist environment causing heavy rainfall amounts and localized flooding and flash flooding. One severe wind gust was measured in Carter County but no damage was reported.","Received via Twitter." +120122,719765,OKLAHOMA,2017,August,Thunderstorm Wind,"CARTER",2017-08-06 20:05:00,CST-6,2017-08-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-97.25,34.22,-97.25,"After widespread rain and thunderstorms moved through during the predawn hours and weakened during the day, instability increased during the afternoon and intense thunderstorms developed along a stationary front across southern Oklahoma on the 6th. These storms moved slowly in a very moist environment causing heavy rainfall amounts and localized flooding and flash flooding. One severe wind gust was measured in Carter County but no damage was reported.","" +120122,719766,OKLAHOMA,2017,August,Flash Flood,"BRYAN",2017-08-06 21:02:00,CST-6,2017-08-07 00:02:00,0,0,0,0,0.00K,0,0.00K,0,34.0025,-96.3683,34.008,-96.3958,"After widespread rain and thunderstorms moved through during the predawn hours and weakened during the day, instability increased during the afternoon and intense thunderstorms developed along a stationary front across southern Oklahoma on the 6th. These storms moved slowly in a very moist environment causing heavy rainfall amounts and localized flooding and flash flooding. One severe wind gust was measured in Carter County but no damage was reported.","Streets were closed in town due to flooding." +120122,719767,OKLAHOMA,2017,August,Flash Flood,"COMANCHE",2017-08-06 23:00:00,CST-6,2017-08-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,34.605,-98.4365,34.5708,-98.4008,"After widespread rain and thunderstorms moved through during the predawn hours and weakened during the day, instability increased during the afternoon and intense thunderstorms developed along a stationary front across southern Oklahoma on the 6th. These storms moved slowly in a very moist environment causing heavy rainfall amounts and localized flooding and flash flooding. One severe wind gust was measured in Carter County but no damage was reported.","Flash flooding resulted in at least two stranded vehicles due to high water, and barriers were placed on 4 roads in the city of Lawton." +120123,719769,OKLAHOMA,2017,August,Thunderstorm Wind,"GARFIELD",2017-08-09 20:25:00,CST-6,2017-08-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,36.4054,-97.944,36.4054,-97.944,"Scattered storms formed from Kansas down into northern Oklahoma late on the 9th as an upper level trough made it's way overhead, with a few of the storms producing severe winds.","Power lines were downed by strong winds near the 5500 block of Chestnut avenue." +119035,714908,MINNESOTA,2017,September,Hail,"STEARNS",2017-09-20 00:56:00,CST-6,2017-09-20 00:56:00,0,0,0,0,0.00K,0,0.00K,0,45.54,-94.23,45.54,-94.23,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119035,714909,MINNESOTA,2017,September,Hail,"MILLE LACS",2017-09-20 01:02:00,CST-6,2017-09-20 01:02:00,0,0,0,0,0.00K,0,0.00K,0,46.22,-93.81,46.22,-93.81,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119035,714910,MINNESOTA,2017,September,Hail,"STEARNS",2017-09-20 01:02:00,CST-6,2017-09-20 01:02:00,0,0,0,0,0.00K,0,0.00K,0,45.62,-94.21,45.62,-94.21,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +118444,711730,NEW YORK,2017,August,Lightning,"BROOME",2017-08-04 20:21:00,EST-5,2017-08-04 20:22:00,0,0,0,0,5.00K,5000,0.00K,0,42.08,-76.05,42.08,-76.05,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","Lightning struck the side of a house in the vicinity of 341 2nd Ave." +118445,711746,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-04 15:36:00,EST-5,2017-08-04 15:46:00,0,0,0,0,20.00K,20000,0.00K,0,41.77,-76.45,41.77,-76.45,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in Bradford County." +118445,711748,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-04 15:45:00,EST-5,2017-08-04 15:55:00,0,0,0,0,1.00K,1000,0.00K,0,41.6,-76.32,41.6,-76.32,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on Connor Road." +118445,711749,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-04 15:47:00,EST-5,2017-08-04 15:57:00,0,0,0,0,8.00K,8000,0.00K,0,41.99,-76.52,41.99,-76.52,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees in the vicinity of Route 187 and Cotton Hollow Road." +118445,711750,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-04 18:47:00,EST-5,2017-08-04 18:57:00,0,0,0,0,1.00K,1000,0.00K,0,41.7,-76.83,41.7,-76.83,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree near the intersection of Route 14 and Sister Street." +119645,717747,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:23:00,CST-6,2017-08-06 00:23:00,0,0,0,0,0.00K,0,0.00K,0,36.1003,-95.9127,36.1003,-95.9127,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped large tree limbs." +119645,717748,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:25:00,CST-6,2017-08-06 00:25:00,0,0,0,0,5.00K,5000,0.00K,0,36.0943,-95.8116,36.0943,-95.8116,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind damaged the roofs of homes east of N Aspen Avenue, between E 41st Street S and E 51st Street S." +119645,718090,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 00:25:00,CST-6,2017-08-06 00:25:00,0,0,0,0,0.00K,0,0.00K,0,36.097,-95.8124,36.097,-95.8124,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped numerous large tree limbs between E 41st Street S and E 51st Street S to the east of N Aspen Avenue." +120082,719537,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CARROLL",2017-08-22 21:28:00,EST-5,2017-08-22 21:33:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-71.38,43.88,-71.38,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees on Route 113A in White Face." +120082,719538,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-22 21:30:00,EST-5,2017-08-22 21:35:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-72.11,43.08,-72.11,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree on Route 9 in Mill Village." +120082,719539,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"HILLSBOROUGH",2017-08-22 21:30:00,EST-5,2017-08-22 21:34:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-71.98,42.97,-71.98,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree on Stoddard Road in Hancock." +120082,719540,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"HILLSBOROUGH",2017-08-22 21:35:00,EST-5,2017-08-22 21:40:00,0,0,0,0,0.00K,0,0.00K,0,42.99,-71.81,42.99,-71.81,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree blocking Mountain Road in Francestown." +120082,719541,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"HILLSBOROUGH",2017-08-22 21:38:00,EST-5,2017-08-22 21:43:00,0,0,0,0,0.00K,0,0.00K,0,43,-71.93,43,-71.93,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed a tree blocking Route 202 in Bennington." +118428,714480,NEBRASKA,2017,August,Hail,"DAWSON",2017-08-13 20:33:00,CST-6,2017-08-13 20:33:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-99.52,40.95,-99.52,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714481,NEBRASKA,2017,August,Hail,"DAWSON",2017-08-13 20:58:00,CST-6,2017-08-13 21:08:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-100.15,40.93,-100.15,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714485,NEBRASKA,2017,August,Hail,"DAWSON",2017-08-13 21:19:00,CST-6,2017-08-13 21:23:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-99.97,40.87,-99.97,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +120347,721422,GEORGIA,2017,September,Tropical Storm,"MORGAN",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Morgan County Emergency Manager and the local news media reported numerous trees and power lines blown down across the county. Some homes received damage, mainly from falling trees and large limbs. No injuries were reported." +120347,721440,GEORGIA,2017,September,Tropical Storm,"HARALSON",2017-09-11 14:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported several trees and power lines blown down across the county. No injuries were reported." +119611,717581,ARKANSAS,2017,August,Flash Flood,"PULASKI",2017-08-18 22:30:00,CST-6,2017-08-18 23:50:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-92.21,34.8288,-92.1889,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","The intersection of Kiehl and Brockington Roads was reported as flooded." +119679,717842,NEW YORK,2017,August,Flash Flood,"BRONX",2017-08-02 16:37:00,EST-5,2017-08-02 17:07:00,0,0,0,0,0.00K,0,0.00K,0,40.8757,-73.87,40.8757,-73.8706,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced isolated flash flooding across parts of New York City and the Lower Hudson Valley.","Bronx Boulevard was closed at Magenta Street in the Bronx due to flooding." +119663,717974,TEXAS,2017,August,Flash Flood,"HOPKINS",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1863,-95.7748,33.1708,-95.7785,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hopkins County Sheriff's Department reported that FM 2653 N just north of Interstate 30 was closed due to high water." +120145,719894,TENNESSEE,2017,August,Flash Flood,"DAVIDSON",2017-08-31 18:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,25.00K,25000,0.00K,0,36.3737,-86.8924,36.0619,-87.0122,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Major flash flooding affected the western two-thirds of Davidson County, with the worst flooding occurring in northwest Davidson County. Numerous homes were flooded in the Whites Creek area with many water rescues conducted. Several roads were also flooded in Whites Creek including Lickton Pike and Knight Road. Other roads were flooded and closed in parts of Nashville with several vehicles submerged and water rescues conducted, including at Vantage Way and Rosa Parks Blvd, Murfreesboro Pike north of Briley Parkway, Rolland Road, and Interstate 40 eastbound at Dr. D.B. Todd Jr. Blvd. where 5 cars stalled in the high water. Flooding continued into the early morning hours on September 1." +120154,719947,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 14:55:00,EST-5,2017-08-22 14:55:00,0,0,0,0,1.00K,1000,0.00K,0,40.36,-79.37,40.36,-79.37,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down on Strawcutter Rd." +118772,719437,FLORIDA,2017,September,Tropical Storm,"VOLUSIA",2017-09-10 14:00:00,EST-5,2017-09-11 10:00:00,0,0,0,1,332.00M,332000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the overnight period while weakening to a Category 1 hurricane approximately 100 miles west of Daytona Beach. A long duration of damaging winds occurred across Volusia County, with a period of frequent gusts to hurricane force (especially near the coast). The highest sustained wind was measured at a WeatherFlow site in Daytona Beach (70 mph from the southeast at 2224LST on September 10) and the peak gust was 82 mph from the southeast at 2224LST at a WeatherFlow site located in New Smyrna Beach. A preliminary report indicated 4,811 residences and businesses sustained damage, with 3,457 affected, 1,003 with minor damage, 329 with major damage and 21 destroyed. The initial property damage estimate was $332 Million. Damage generally involved roof shingles/tiles, soffits, awnings, and pool enclosures. Several houses, condos and businesses lost portions of their roofs, primarily along the coast, with additional damage due to water intrusion. Hundreds of trees were uprooted or snapped and many gas station awnings along the coast were toppled. There was one indirect hurricane-related fatality when a 34-year old woman who was sleeping in her residence with a generator running in the kitchen died of carbon monoxide poisoning." +118772,719435,FLORIDA,2017,September,Tropical Storm,"INDIAN RIVER",2017-09-10 14:00:00,EST-5,2017-09-11 06:00:00,0,0,0,0,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening while weakening to a Category 2 hurricane approximately 95 miles west of Vero Beach. A long duration of damaging winds occurred across Indian River County, with a period of gusts to hurricane force. A preliminary report indicated 72 structures with minor damage and 6 with major damage. The total estimated damage cost was $1.5 million. Damage generally involved roof shingles/tiles, soffits, awnings, and pool enclosures. A few houses, condos and businesses lost portions of their roofs, primarily along the coast, with additional damage due to water intrusion. Numerous trees were uprooted or snapped." +118772,719495,FLORIDA,2017,September,Tropical Storm,"OKEECHOBEE",2017-09-10 16:00:00,EST-5,2017-09-11 04:00:00,0,0,0,0,157.00M,157000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening while weakening to a Category 2 hurricane approximately 60 miles west of Okeechobee. A long duration of damaging winds occurred across Okeechobee County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded at the Okeechobee Airport ASOS (KOBE; 46 mph from the southeast at 2215LST on September 10) and the highest measured peak gust was 71 mph at 2035LST. A preliminary damage assessment from the county listed 585 affected residential structures, with an additional 239 with minor damage, 99 with major damage and 8 destroyed. The total estimated damage cost was $157 million. Damage occurred primarily to roof shingles, soffits, awnings, and pool enclosures. Mobile homes experienced more extensive structural damage. Many trees were uprooted or snapped." +119623,717695,IOWA,2017,September,Drought,"ALLAMAKEE",2017-09-12 06:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across portions of northeast Iowa, including Allamakee County. These conditions continued into October 2017.","Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across the northwest corner of Allamakee County. These conditions continued into October 2017." +120018,719204,IOWA,2017,September,Drought,"WINNESHIEK",2017-09-19 06:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent below normal precipitation since July 2017 allowed severe drought conditions to expand across portions of northeast Iowa. By late September, the drought conditions also covered a portion of northeast Winneshiek County. These conditions continued into October 2017.","Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across the northeast corner of Winneshiek County. These conditions continued into October 2017." +120058,719434,MINNESOTA,2017,September,Drought,"HOUSTON",2017-09-19 06:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across a small portion of southeast Minnesota, including Houston County. These conditions continued into October 2017.","Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across the extreme southern part of Houston County. These conditions continued into October 2017." +119765,718249,WISCONSIN,2017,September,Hail,"JUNEAU",2017-09-20 14:38:00,CST-6,2017-09-20 14:38:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-90.27,44.03,-90.27,"A line of thunderstorms developed across portions of central into western Wisconsin during the afternoon of September 20th. Some of these storms produced hail up to golf ball sized near the south end of Petenwell Lake (Adams County).","" +119765,718255,WISCONSIN,2017,September,Hail,"JUNEAU",2017-09-20 14:45:00,CST-6,2017-09-20 14:45:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-90.11,44.03,-90.11,"A line of thunderstorms developed across portions of central into western Wisconsin during the afternoon of September 20th. Some of these storms produced hail up to golf ball sized near the south end of Petenwell Lake (Adams County).","Quarter sized hail fell at the Necedah Wildlife Refuge." +119765,718256,WISCONSIN,2017,September,Hail,"JUNEAU",2017-09-20 14:59:00,CST-6,2017-09-20 14:59:00,0,0,0,0,0.00K,0,0.00K,0,44.07,-90.07,44.07,-90.07,"A line of thunderstorms developed across portions of central into western Wisconsin during the afternoon of September 20th. Some of these storms produced hail up to golf ball sized near the south end of Petenwell Lake (Adams County).","" +119765,718257,WISCONSIN,2017,September,Hail,"ADAMS",2017-09-20 15:00:00,CST-6,2017-09-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,44.0558,-90.0052,44.0558,-90.0052,"A line of thunderstorms developed across portions of central into western Wisconsin during the afternoon of September 20th. Some of these storms produced hail up to golf ball sized near the south end of Petenwell Lake (Adams County).","Golf ball sized hail was reported near the south end of Petenwell Lake." +121211,725679,NEW YORK,2017,October,Tornado,"ERIE",2017-10-31 08:15:00,EST-5,2017-10-31 08:18:00,0,0,0,0,3.50K,3500,0.00K,0,42.8768,-78.8939,42.8783,-78.8863,"A waterspout over Buffalo Harbor moved onshore.","A waterspout over Buffalo Harbor moved onshore. The tornado moved across the Coast Guard Base in Buffalo. Several automobile windows were broken by flying debris. A portion of a fence was blown off. The dislocated fence damaged a nearby vehicle. One person outdoors at the time was blown off his feet." +114396,686127,KANSAS,2017,March,Thunderstorm Wind,"LINN",2017-03-06 20:08:00,CST-6,2017-03-06 20:11:00,0,0,0,0,,NaN,,NaN,38.33,-94.99,38.33,-94.99,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Emergency Management reported power lines down near Parker, with associated power outages across that area." +114396,686129,KANSAS,2017,March,Thunderstorm Wind,"LINN",2017-03-06 20:15:00,CST-6,2017-03-06 20:20:00,0,0,0,0,,NaN,,NaN,38.3,-95.06,38.32,-94.99,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Several trees were down in the Parker area blocking roads." +114396,686131,KANSAS,2017,March,Thunderstorm Wind,"LINN",2017-03-06 20:25:00,CST-6,2017-03-06 20:28:00,0,0,0,0,,NaN,,NaN,38.33,-94.9,38.33,-94.9,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","A building was damaged near Parker. The size and condition of the building is unknown, but several surrounding reports suggest widespread wind damage caused by 60-70 mph winds." +114396,686134,KANSAS,2017,March,Tornado,"JOHNSON",2017-03-06 19:51:00,CST-6,2017-03-06 19:52:00,0,0,0,0,,NaN,,NaN,38.8621,-94.6249,38.866,-94.6218,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","During the evening of March 6 a squall line with embedded supercells and mesovortices moved through the Kansas City Metro, causing widespread wind damage. Embedded within the squall line was at least one tornado that formed on the Kansas side of the Kansas City metro, and it caused some minor structural damage in Leawood, Kansas." +119924,721649,MASSACHUSETTS,2017,September,Tropical Storm,"NORTHERN BRISTOL",2017-09-20 08:50:00,EST-5,2017-09-22 04:22:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","Tree down blocking part of County Street near Tiffany Street, and large tree down on Greenhill Avenue in Attleboro. Tree down on the access road behind Savers Store on U.S. Route 1 in North Attleboro. Tree down on Wood Street near Providence Street, and another tree down blocking traffic on Baker Street in Rehoboth at the Swansea line. Tree down on Church Green near First Parish Church, and tree down on Dana Street, and tree on wires on Prospect Street in Taunton. Tree down on Lake Ridge Drive in Norton, hitting the side of a house and shed. Large tree down on Dean Street in Easton. Tree down blocking Spring Street, and trees down near Wheeler and Maple Streets in Dighton." +119924,721979,MASSACHUSETTS,2017,September,Tropical Storm,"WESTERN NORFOLK",2017-09-20 07:15:00,EST-5,2017-09-22 01:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 716 AM EST, a downed tree blocked Panther Way in Franklin, near the entrance to Highwood Drive. At 453 PM EST a tree was down across the road on Quincy Street in Holbrook. At 134 PM EST on Sept 21, a large tree was brought down on Winter Street in Foxborough; a front end loader was required to remove it. At 315 PM EST on Sept 21 a tree was brought down on Country Club Road in Dedham. At 1144 PM EST on Sept 21 a large tree and wires were brought down on West Central Street in Franklin. At 1241 AM EST on Sept 22, a tree was brought down on Baker Street in Foxborough." +120239,720390,NEBRASKA,2017,September,Thunderstorm Wind,"DAWSON",2017-09-15 17:40:00,CST-6,2017-09-15 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-99.53,40.73,-99.53,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","Wind gusts were estimated to be near 65 MPH. The wind was accompanied by pea size hail." +120239,720391,NEBRASKA,2017,September,Hail,"DAWSON",2017-09-15 18:00:00,CST-6,2017-09-15 18:01:00,0,0,0,0,25.00K,25000,150.00K,150000,40.7434,-99.5373,40.73,-99.53,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +120239,720393,NEBRASKA,2017,September,Hail,"BUFFALO",2017-09-15 18:40:00,CST-6,2017-09-15 18:45:00,0,0,0,0,25.00K,25000,150.00K,150000,40.72,-99.37,40.72,-99.37,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +120239,720394,NEBRASKA,2017,September,Hail,"BUFFALO",2017-09-15 19:45:00,CST-6,2017-09-15 19:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7601,-99.3919,40.7601,-99.3919,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +120239,720395,NEBRASKA,2017,September,Thunderstorm Wind,"BUFFALO",2017-09-15 19:37:00,CST-6,2017-09-15 19:40:00,0,0,0,0,200.00K,200000,3.00M,3000000,40.8134,-99.217,40.7634,-99.117,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","Wind gusts were estimated to be near 60 MPH and was accompanied by hail up to the size of ping pong balls." +120239,720396,NEBRASKA,2017,September,Hail,"BUFFALO",2017-09-15 19:30:00,CST-6,2017-09-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8095,-99.243,40.8095,-99.243,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +119753,720464,TEXAS,2017,August,Flash Flood,"MONTGOMERY",2017-08-26 08:00:00,CST-6,2017-08-26 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4284,-95.509,30.4115,-95.5018,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Water was reported over sections of I-45 northbound where TXDOT reported flooding at the FM 1097 intersection.||Record pool levels on Lake Conroe required downstream releases that flooded numerous downstream homes, businesses and vehicles. Major flooding occurred along the San Jacinto River and the east Fork of the San Jacinto and its tributaries inundated tens to hundreds of residential subdivisions. There were hundreds of flooded homes along Lake, Spring, Peach and Caney Creeks." +120636,722606,NORTH CAROLINA,2017,September,Flash Flood,"JOHNSTON",2017-09-01 18:15:00,EST-5,2017-09-01 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.6565,-78.4716,35.6333,-78.4733,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Heavy rain resulted in flash flooding in Clayton. The right lane of Route 70 near Champion Drive was impassable. A trained spotter 3 miles west of Clayton also measured 4.14 inches of rain in an hour and a half." +120636,722621,NORTH CAROLINA,2017,September,Thunderstorm Wind,"MOORE",2017-09-01 14:10:00,EST-5,2017-09-01 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,35.26,-79.57,35.25,-79.5,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Two trees were blown down along a swath from Carthage Road in Seven Lakes to Route 73 near Taylortown." +120637,722643,TEXAS,2017,September,Flash Flood,"ZAVALA",2017-09-27 13:40:00,CST-6,2017-09-27 16:45:00,0,0,0,0,0.00K,0,0.00K,0,28.9075,-99.5888,28.9132,-99.5679,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flash flooding closing CR 1866 at the Leona River southeast of Batesville." +120636,722618,NORTH CAROLINA,2017,September,Hail,"HARNETT",2017-09-01 16:05:00,EST-5,2017-09-01 16:10:00,0,0,0,0,2.00M,2000000,0.00K,0,35.53,-78.77,35.53,-78.77,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Hail up to 2.75 inches fell across northern Harnett County. Property damage values have been estimated." +120638,722673,SOUTH CAROLINA,2017,September,Coastal Flood,"CHARLESTON",2017-09-10 11:30:00,EST-5,2017-09-10 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A combination of recent full moon, approaching perigee, and elevated northeast winds ahead of approaching Tropical Cyclone Irma produced elevated high tides and coastal flooding along the southeast South Carolina coast.","A picture received via social media showed water flowing under a beach home on Sullivan's Island." +120694,722935,SOUTH DAKOTA,2017,September,Hail,"MCPHERSON",2017-09-19 13:55:00,CST-6,2017-09-19 13:55:00,0,0,0,0,0.00K,0,0.00K,0,45.92,-99.11,45.92,-99.11,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722936,SOUTH DAKOTA,2017,September,Hail,"WALWORTH",2017-09-19 17:45:00,CST-6,2017-09-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-99.88,45.5,-99.88,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722937,SOUTH DAKOTA,2017,September,Hail,"WALWORTH",2017-09-19 17:51:00,CST-6,2017-09-19 17:51:00,0,0,0,0,,NaN,,NaN,45.5,-99.88,45.5,-99.88,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722939,SOUTH DAKOTA,2017,September,Hail,"HAND",2017-09-19 18:04:00,CST-6,2017-09-19 18:04:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-98.82,44.47,-98.82,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722940,SOUTH DAKOTA,2017,September,Hail,"EDMUNDS",2017-09-19 18:12:00,CST-6,2017-09-19 18:12:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-99.64,45.58,-99.64,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722941,SOUTH DAKOTA,2017,September,Hail,"EDMUNDS",2017-09-19 18:15:00,CST-6,2017-09-19 18:15:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-99.65,45.58,-99.65,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722942,SOUTH DAKOTA,2017,September,Hail,"BROWN",2017-09-19 18:17:00,CST-6,2017-09-19 18:17:00,0,0,0,0,0.00K,0,0.00K,0,45.68,-98.53,45.68,-98.53,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722943,SOUTH DAKOTA,2017,September,Hail,"BROWN",2017-09-19 18:17:00,CST-6,2017-09-19 18:17:00,0,0,0,0,0.00K,0,0.00K,0,45.84,-98.53,45.84,-98.53,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +119265,723140,SOUTH CAROLINA,2017,September,Heavy Rain,"RICHLAND",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.8,-80.63,33.8,-80.63,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","RCWINDS unit near the town of Wateree measured a total rainfall amount of 5.27 inches." +119265,723141,SOUTH CAROLINA,2017,September,High Wind,"AIKEN",2017-09-11 09:00:00,EST-5,2017-09-12 09:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","SCHP reported several trees down across SW Aiken Co." +119265,723142,SOUTH CAROLINA,2017,September,High Wind,"ORANGEBURG",2017-09-11 08:30:00,EST-5,2017-09-11 08:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","SCHP reported several trees down between Norway and Orangeburg along US Hwy 301 and SC Hwy 400." +120587,722362,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 15:01:00,CST-6,2017-09-14 15:01:00,0,0,0,0,,NaN,,NaN,48.11,-93.09,48.11,-93.09,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722363,MINNESOTA,2017,September,Hail,"ITASCA",2017-09-14 15:12:00,CST-6,2017-09-14 15:12:00,0,0,0,0,,NaN,,NaN,47.84,-93.64,47.84,-93.64,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722364,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 16:34:00,CST-6,2017-09-14 16:48:00,0,0,0,0,,NaN,,NaN,47.61,-92.44,47.61,-92.44,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722365,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:08:00,CST-6,2017-09-14 17:08:00,0,0,0,0,,NaN,,NaN,47.66,-92.2,47.66,-92.2,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722366,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:10:00,CST-6,2017-09-14 17:10:00,0,0,0,0,,NaN,,NaN,47.53,-92.35,47.53,-92.35,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722367,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:14:00,CST-6,2017-09-14 17:19:00,0,0,0,0,,NaN,,NaN,47.43,-92.36,47.43,-92.36,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722368,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-14 17:33:00,CST-6,2017-09-14 17:33:00,0,0,0,0,,NaN,,NaN,47.31,-92.48,47.31,-92.48,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","A few trees measuring three to four inches in diameter were knocked down and blocked the south bound side of United States Highway 53 near Murphy Lake Road." +120587,722369,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:35:00,CST-6,2017-09-14 17:35:00,0,0,0,0,,NaN,,NaN,47.3,-92.47,47.3,-92.47,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722370,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:35:00,CST-6,2017-09-14 17:35:00,0,0,0,0,,NaN,,NaN,47.36,-92.35,47.36,-92.35,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120587,722371,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-14 17:38:00,CST-6,2017-09-14 17:38:00,0,0,0,0,,NaN,,NaN,47.3,-92.48,47.3,-92.48,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","" +120590,722451,SOUTH CAROLINA,2017,September,Flash Flood,"DORCHESTER",2017-09-11 14:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,500.00K,500000,0.00K,0,32.953,-80.169,32.9465,-80.158,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Dorchester County Emergency Management reported that water entered at least 31 homes due to flash flooding along Eagle Creek. This included homes on Tranquil Lane and Harrison Road in the Tranquil Acres/Estates neighborhood, as well as homes in the Summerwood subdivision off of Ladson Road. Of the 31 impacted structures, 18 had 12 inches or less of water, 10 had between 13 and 23 inches of water, and 3 had between 24 and 35 inches of water inside." +120683,722827,CALIFORNIA,2017,September,Dense Fog,"ORANGE COUNTY COASTAL",2017-09-28 05:00:00,PST-8,2017-09-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","Lifeguards reported dense fog with a visibility of 100 yards or less at Newport Beach and Huntington Beach. The fog lingered into the afternoon with visibility still below 1/4 mile at 1300 PST." +120683,722828,CALIFORNIA,2017,September,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-28 02:00:00,PST-8,2017-09-28 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","A brief period of dense fog with 1/4 mile visibility or less impacted Brown Field." +120683,722829,CALIFORNIA,2017,September,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-28 09:00:00,PST-8,2017-09-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","The sea breeze brought dense fog with a visibility of 1/8 of a mile or less to the beaches of northern San Diego County during the late morning and early afternoon. Both Solana Beach and San Clemente Beach were impacted." +117564,707006,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-12 17:10:00,EST-5,2017-08-12 17:10:00,0,0,0,0,5.00K,5000,0.00K,0,44.12,-73.15,44.12,-73.15,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117564,707007,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-12 17:18:00,EST-5,2017-08-12 17:18:00,0,0,0,0,5.00K,5000,0.00K,0,44.21,-73.25,44.21,-73.25,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117564,707011,VERMONT,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-12 18:06:00,EST-5,2017-08-12 18:06:00,0,0,0,0,5.00K,5000,0.00K,0,44.73,-72.32,44.73,-72.32,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117564,707013,VERMONT,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-12 18:36:00,EST-5,2017-08-12 18:36:00,0,0,0,0,2.00K,2000,0.00K,0,44.73,-72.22,44.73,-72.22,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Tree down on Lake Parker." +117564,707014,VERMONT,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-12 18:42:00,EST-5,2017-08-12 18:42:00,0,0,0,0,5.00K,5000,0.00K,0,44.71,-72.19,44.71,-72.19,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117564,707016,VERMONT,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-12 18:42:00,EST-5,2017-08-12 18:42:00,0,0,0,0,5.00K,5000,0.00K,0,44.75,-72.18,44.75,-72.18,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117564,707018,VERMONT,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-12 18:42:00,EST-5,2017-08-12 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,44.26,-72.43,44.26,-72.43,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Several tree branches downed by thunderstorm winds." +119705,717933,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-28 13:25:00,EST-5,2017-08-28 13:25:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","USAF wind tower 1007 located over the Indian River, west of the Kennedy Space Center Visitor Complex, measured wind gusts up to 38 knots from the southwest as a strong squall exited the coast and continued across the intracoastal waters and barrier islands." +119705,717935,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-28 13:30:00,EST-5,2017-08-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,28.61,-80.67,28.61,-80.67,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","USAF wind tower 0412 located on north Merritt Island near the NASA Shuttle Landing Faclity, measured wind gusts up to 36 knots from the southwest as a strong squall crossed the barrier island and excited into the nearshore Atlantic." +119705,717937,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-28 13:40:00,EST-5,2017-08-28 13:40:00,0,0,0,0,0.00K,0,0.00K,0,28.54,-80.57,28.54,-80.57,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","USAF wind tower 0211 located on Cape Canaveral, north of Launch Complex 37, measured wind gusts up to 34 knots from the southwest as a strong squall exited the barrier island and continued to the nearshore Atlantic." +119705,717939,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-28 13:45:00,EST-5,2017-08-28 13:45:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","USAF wind tower 0019 located along Playalinda Beach, measured wind gusts up to 39 knots from the southwest as a strong squall exited into the Atlantic." +119705,717940,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-28 13:51:00,EST-5,2017-08-28 13:51:00,0,0,0,0,0.00K,0,0.00K,0,28.23,-80.598,28.23,-80.598,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","The AWOS at Patrick Air Force Base (PAFB) measured peak winds of 38 knots from the west-southwest as a strong squall crossed the barrier island and continued into the nearshore Atlantic." +119545,717375,NORTH CAROLINA,2017,September,Strong Wind,"ASHE",2017-09-12 03:00:00,EST-5,2017-09-12 06:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several trees to fall across Ashe County, temporarily closing portions of Highway 89 near Creston, Canberry Springs Road, and Tony Miller Road." +119545,717376,NORTH CAROLINA,2017,September,Strong Wind,"YADKIN",2017-09-12 04:20:00,EST-5,2017-09-12 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several trees to fall across Yadkin County, temporarily closing portions of Highway 601 between Booneville and Yadkinville along with portions of Cedarbrooke Road." +119545,717378,NORTH CAROLINA,2017,September,Strong Wind,"SURRY",2017-09-12 04:55:00,EST-5,2017-09-12 06:15:00,0,0,0,0,6.00K,6000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused two trees and a powerline to fall across Surry County, temporarily closing portions of Ararat Riadm Chestnut Ridge Road, and Westfield Road." +119547,717383,VIRGINIA,2017,September,Strong Wind,"PATRICK",2017-09-11 15:20:00,EST-5,2017-09-12 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several trees to fall across Patrick County, temporarily closing Doe Run Road, Valley End Road, Clint Lane, and Hollytree Road." +119547,717384,VIRGINIA,2017,September,Strong Wind,"FLOYD",2017-09-11 15:50:00,EST-5,2017-09-12 06:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused two trees to fall across Floyd County, temporarily closing both County Line Road and Lauryl Branch Road." +120809,723457,FLORIDA,2017,September,Hurricane,"MONROE/MIDDLE KEYS",2017-09-09 09:30:00,EST-5,2017-09-10 16:00:00,15,0,0,3,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","Hurricane-force wind damage from Marathon and Key Colony Beach revealed significant roof covering loss and isolated roof truss damage on older design oceanfront homes. Older retail stores and a strip mall displayed complete uplift and collapse of wood box truss structures, while modern design structures displayed significant sections of roof covering loss, including metal panel-over-wood sheathing and built-up tar/rubber coverings. Some older service station canopies displayed column buckling whereas modern designs displayed only slight racking or minor fascia damage. Significant roof panel damage to mobile homes over both older and modern design. All traffic signal masts remained in place, however signals were blown up to 90 degrees out of alignment. Peak wind gusts of 100 to 115 mph were attributed. From Grassy Key through the City of Layton and Long Key, several sections of wall panel loss on metal building systems, damage to built-up and shingle roof coverings, vinyl siding, and plastic paneled signs were noted. Peak wind gusts estimated at 90 to 100 mph were attributed. Injuries estimated due to lack of operating hospitals or rescue services during the hurricane impact." +117453,709538,IOWA,2017,June,Tornado,"ADAMS",2017-06-28 15:43:00,CST-6,2017-06-28 15:46:00,0,0,0,0,1.00K,1000,2.00K,2000,41.0779,-94.6763,41.0813,-94.6393,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","A weak tornado passed through rural areas of Adams county north of Prescott. Very minor tree damage was observed at one rural house. Tornado was captured on video by the public." +114222,685687,MISSOURI,2017,March,Thunderstorm Wind,"HOLT",2017-03-06 18:18:00,CST-6,2017-03-06 18:21:00,0,0,0,0,,NaN,,NaN,40.14,-95.23,40.14,-95.23,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Sheriff deputy in Mound City reported power lines down." +117230,705019,KENTUCKY,2017,August,Thunderstorm Wind,"BATH",2017-08-02 13:48:00,EST-5,2017-08-02 13:48:00,0,0,0,0,,NaN,,NaN,38.1448,-83.7692,38.1403,-83.7623,"A complex of thunderstorms developed across north central Kentucky this afternoon, before moving into the Bluegrass region. Several trees were blown down near Owingsville as this complex of storms moved through. An outflow boundary stemming from this complex moved southeast through eastern Kentucky, generating additional scattered thunderstorm activity. One of these storms near Salyersville in Magoffin County produced nickel sized hail as it developed.","Dispatch reported trees down throughout Owingsville." +117230,705020,KENTUCKY,2017,August,Hail,"MAGOFFIN",2017-08-02 16:05:00,EST-5,2017-08-02 16:05:00,0,0,0,0,,NaN,,NaN,37.75,-83.07,37.75,-83.07,"A complex of thunderstorms developed across north central Kentucky this afternoon, before moving into the Bluegrass region. Several trees were blown down near Owingsville as this complex of storms moved through. An outflow boundary stemming from this complex moved southeast through eastern Kentucky, generating additional scattered thunderstorm activity. One of these storms near Salyersville in Magoffin County produced nickel sized hail as it developed.","A National Weather Service employee observed nickel sized hail in Salyersville." +117944,708949,KENTUCKY,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-22 13:12:00,EST-5,2017-08-22 13:12:00,0,0,0,0,,NaN,,NaN,38.0726,-83.9478,38.0726,-83.9478,"Multiple lines of showers and thunderstorms developed from early this afternoon through this evening ahead of a cold front moving from northwest to southeast. Strong to severe winds materialized underneath a few of these storms, resulting in downed trees in Montgomery, Estill, and Elliott Counties.","A trained spotter observed a large tree down along Kentucky Highway 11 in Mount Sterling." +117944,708951,KENTUCKY,2017,August,Thunderstorm Wind,"ELLIOTT",2017-08-22 14:06:00,EST-5,2017-08-22 14:06:00,0,0,0,0,,NaN,,NaN,38.1044,-83.2212,38.1044,-83.2212,"Multiple lines of showers and thunderstorms developed from early this afternoon through this evening ahead of a cold front moving from northwest to southeast. Strong to severe winds materialized underneath a few of these storms, resulting in downed trees in Montgomery, Estill, and Elliott Counties.","The department of highways relayed reports of several trees down near the intersection of Kentucky Highways 556 and 173 in Lytten." +119818,718426,IDAHO,2017,August,Wildfire,"SAWTOOTH MOUNTAINS",2017-08-01 00:01:00,MST-7,2017-08-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Ibex wildfire which began on July 24th continued to burn through the month of August. It grew from 540 acres to 14,500 acres located 11 miles west of Twin Peaks Lookout. The Parker Mountain Mine Road was closed and several forest trails also were closed by the Salmon-Challis National Forest.","The Ibex wildfire which began on July 24th continued to burn through the month of August. It grew from 540 acres to 14,500 acres located 11 miles west of Twin Peaks Lookout. The Parker Mountain Mine Road was closed and several forest trails also were closed by the Salmon-Challis National Forest." +118240,710574,KANSAS,2017,August,Hail,"BARTON",2017-08-09 15:35:00,CST-6,2017-08-09 15:35:00,0,0,0,0,,NaN,,NaN,38.45,-99.01,38.45,-99.01,"Isolated severe storms developed along the intersection of an outflow boundary and a cold front as it dropped south out of northern Nebraska. The supercells produced hail up to golf ball size across portions of central Kansas.","" +118240,710575,KANSAS,2017,August,Hail,"HARPER",2017-08-09 18:20:00,CST-6,2017-08-09 18:20:00,0,0,0,0,,NaN,,NaN,37.21,-98.03,37.21,-98.03,"Isolated severe storms developed along the intersection of an outflow boundary and a cold front as it dropped south out of northern Nebraska. The supercells produced hail up to golf ball size across portions of central Kansas.","" +119078,715149,KANSAS,2017,August,Thunderstorm Wind,"SEDGWICK",2017-08-21 19:45:00,CST-6,2017-08-21 19:47:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.38,37.69,-97.38,"On the 21st, an isolated thunderstorm that occurred over Wichita that evening proved severe when it produced a 65-mph gust 2 miles west of downtown.","The gust was measured near the Central Ave./Zoo Blvd Intersection." +120045,719350,KANSAS,2017,August,Hail,"SUMNER",2017-08-10 18:25:00,CST-6,2017-08-10 18:26:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-97.17,37.16,-97.17,"A few scattered storms moved across portions of south central Kansas producing isolated wind damage.","" +120045,719351,KANSAS,2017,August,Thunderstorm Wind,"GREENWOOD",2017-08-10 17:36:00,CST-6,2017-08-10 17:38:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-96.07,38.08,-96.07,"A few scattered storms moved across portions of south central Kansas producing isolated wind damage.","Several utility poles were blown over 5 miles southeast of Madison near 320th AND Z road." +120046,719352,KANSAS,2017,August,Hail,"SEDGWICK",2017-08-16 14:19:00,CST-6,2017-08-16 14:20:00,0,0,0,0,0.00K,0,0.00K,0,37.74,-97.28,37.74,-97.28,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719353,KANSAS,2017,August,Hail,"BUTLER",2017-08-16 14:48:00,CST-6,2017-08-16 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-97.01,37.8,-97.01,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719354,KANSAS,2017,August,Hail,"BUTLER",2017-08-16 14:54:00,CST-6,2017-08-16 14:55:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-97,37.8,-97,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719355,KANSAS,2017,August,Hail,"GREENWOOD",2017-08-16 15:10:00,CST-6,2017-08-16 15:11:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-96.14,38.09,-96.14,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +117886,708464,ARKANSAS,2017,August,Heat,"HEMPSTEAD",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117886,708465,ARKANSAS,2017,August,Heat,"NEVADA",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117886,708466,ARKANSAS,2017,August,Heat,"MILLER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117886,708467,ARKANSAS,2017,August,Heat,"LAFAYETTE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117886,708468,ARKANSAS,2017,August,Heat,"COLUMBIA",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +119362,716554,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-02 14:13:00,EST-5,2017-08-02 14:13:00,0,0,0,0,,NaN,,NaN,39.4586,-76.4391,39.4586,-76.4391,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was down along the 12200 Block of Stoney Batter Road." +119362,716555,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-02 14:21:00,EST-5,2017-08-02 14:21:00,0,0,0,0,,NaN,,NaN,39.3921,-76.4259,39.3921,-76.4259,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A tree was downed near Joppa Road Philadelphia Road." +119362,716556,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-02 15:01:00,EST-5,2017-08-02 15:01:00,0,0,0,0,,NaN,,NaN,39.3543,-76.4129,39.3543,-76.4129,"High amounts of instability caused thunderstorms to develop. A few thunderstorms became severe.","A couple trees were down at the Arbors Apartment Complex." +119363,716572,MARYLAND,2017,August,Thunderstorm Wind,"PRINCE GEORGE'S",2017-08-03 14:55:00,EST-5,2017-08-03 14:55:00,0,0,0,0,,NaN,,NaN,38.9307,-76.7618,38.9307,-76.7618,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Church Road and Mount Oak Road." +119363,716573,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 15:53:00,EST-5,2017-08-03 15:53:00,0,0,0,0,,NaN,,NaN,39.2639,-76.7017,39.2639,-76.7017,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Multiple downed trees were near Courtney Road and Wilkins Avenue." +119363,716574,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 15:58:00,EST-5,2017-08-03 15:58:00,0,0,0,0,,NaN,,NaN,39.2738,-76.7566,39.2738,-76.7566,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Rolling Road and Edmondson Avenue." +119363,716575,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:07:00,EST-5,2017-08-03 16:07:00,0,0,0,0,,NaN,,NaN,39.3249,-76.7131,39.3249,-76.7131,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Multiple downed trees were near Gwynndale Avenue and Gwynn Oak Avenue." +119363,716576,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:22:00,EST-5,2017-08-03 16:22:00,0,0,0,0,,NaN,,NaN,39.4044,-76.6854,39.4044,-76.6854,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A downed tree was near Greenspring Avenue Bridle Ridge Lane." +119363,716577,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:26:00,EST-5,2017-08-03 16:26:00,0,0,0,0,,NaN,,NaN,39.4037,-76.6163,39.4037,-76.6163,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Woodbine Avenue and Allegheny Avenue." +119363,716578,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:29:00,EST-5,2017-08-03 16:29:00,0,0,0,0,,NaN,,NaN,39.4049,-76.582,39.4049,-76.582,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Crestwinck Road and Providence Road." +120025,719270,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-18 19:50:00,EST-5,2017-08-18 19:50:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 41 knots was reported at Point Lookout." +120026,719271,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-19 20:35:00,EST-5,2017-08-19 20:40:00,0,0,0,0,,NaN,,NaN,39.28,-76.62,39.28,-76.62,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Oriole Park." +120026,719273,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-19 21:00:00,EST-5,2017-08-19 21:10:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at the Patapsco Buoy." +120026,719274,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-19 21:12:00,EST-5,2017-08-19 21:18:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 35 knots were reported at Tolchester." +120026,719275,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-19 22:30:00,EST-5,2017-08-19 22:40:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Gooses Reef." +120027,719276,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-08-21 15:10:00,EST-5,2017-08-21 15:10:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 41 knots was measured at the Susquehanna River Buoy." +120027,719279,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-21 16:30:00,EST-5,2017-08-21 16:30:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 47 knots was reported at the Patapsco Buoy." +120027,719280,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-21 16:30:00,EST-5,2017-08-21 16:50:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 52 to 56 knots were reported at Point Lookout." +120027,719281,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-21 18:23:00,EST-5,2017-08-21 18:53:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 40 knots were reported at Potomac Light." +120027,719282,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-21 18:30:00,EST-5,2017-08-21 18:50:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 51 knots were reported at Baber Point." +119611,717547,ARKANSAS,2017,August,Flash Flood,"FAULKNER",2017-08-15 08:00:00,CST-6,2017-08-15 10:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-92.2,35.1926,-92.2112,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Several roads had to be blocked off due to water rushing across them." +119854,718514,NEW MEXICO,2017,August,Flash Flood,"EDDY",2017-08-25 17:20:00,MST-7,2017-08-25 18:40:00,0,0,0,0,0.50K,500,0.00K,0,32.432,-104.2544,32.4165,-104.234,"There was an upper trough that extended from West Texas to the Central Plains. Very rich moisture was across West Texas and southeast New Mexico. The upper level winds were very weak over the area which contributed to slow moving storms. These conditions resulted in thunderstorms with flash flooding across southeast New Mexico.","Heavy rain fell across Eddy County and produced flash flooding in Carlsbad. There was flowing water at least a foot deep reported at Pate and Blodgett. Also, there were reports of multiple roads flooded toward the center of Carlsbad. The cost of damage is a very rough estimate." +119853,718515,TEXAS,2017,August,Thunderstorm Wind,"ECTOR",2017-08-25 17:20:00,CST-6,2017-08-25 17:21:00,0,0,0,0,8.00K,8000,,NaN,31.85,-102.4722,31.85,-102.4722,"There was an upper trough that extended from West Texas to the Central Plains. Very rich moisture was across West Texas and southeast New Mexico. These conditions resulted in thunderstorms with damaging winds across the Permian Basin.","A thunderstorm moved across Ector County and produced wind damage in West Odessa. There were a few powerpoles and several trees down which resulted in some road closures. The cost of damage is a very rough estimate." +119883,718619,MISSOURI,2017,August,Thunderstorm Wind,"CASS",2017-08-16 17:06:00,CST-6,2017-08-16 17:09:00,0,0,0,0,,NaN,,NaN,38.56,-94.19,38.56,-94.19,"On the evening of August 16 a few thunderstorms formed in western Missouri, and caused some powerline damage in Garden City, Missouri, in Cass County. Several large trees, around 12 inches in diameter, were broken in Leeton, Missouri, in Johnson County.","Power lines were down in and around Garden City." +119883,718620,MISSOURI,2017,August,Thunderstorm Wind,"JOHNSON",2017-08-16 17:42:00,CST-6,2017-08-16 17:45:00,0,0,0,0,,NaN,,NaN,38.58,-93.7,38.58,-93.7,"On the evening of August 16 a few thunderstorms formed in western Missouri, and caused some powerline damage in Garden City, Missouri, in Cass County. Several large trees, around 12 inches in diameter, were broken in Leeton, Missouri, in Johnson County.","Several 12+ inch diameter trees of unknown condition were reported down in and around Leeton." +119886,718622,MISSOURI,2017,August,Hail,"CLAY",2017-08-18 17:45:00,CST-6,2017-08-18 17:47:00,0,0,0,0,0.00K,0,0.00K,0,39.37,-94.57,39.37,-94.57,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +119886,718623,MISSOURI,2017,August,Hail,"JACKSON",2017-08-18 17:50:00,CST-6,2017-08-18 17:51:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-94.3,39.13,-94.3,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +117974,709249,NEW JERSEY,2017,August,Heavy Rain,"MIDDLESEX",2017-08-23 00:24:00,EST-5,2017-08-23 00:24:00,0,0,0,0,,NaN,,NaN,40.56,-74.25,40.56,-74.25,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Almost two inches of rain fell." +117974,709250,NEW JERSEY,2017,August,Heavy Rain,"GLOUCESTER",2017-08-23 03:00:00,EST-5,2017-08-23 03:00:00,0,0,0,0,,NaN,,NaN,39.83,-75.2,39.83,-75.2,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Just over three inches of rain fell." +117974,709251,NEW JERSEY,2017,August,Heavy Rain,"SOMERSET",2017-08-23 05:33:00,EST-5,2017-08-23 05:33:00,0,0,0,0,,NaN,,NaN,40.48,-74.63,40.48,-74.63,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Almost two and a half inches of rain fell." +117974,709252,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-22 20:35:00,EST-5,2017-08-22 20:35:00,0,0,0,0,,NaN,,NaN,40.59,-75.03,40.59,-75.03,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires which caught on fire." +117974,709253,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-22 20:36:00,EST-5,2017-08-22 20:36:00,0,0,0,0,,NaN,,NaN,40.7,-74.94,40.7,-74.94,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down numerous trees and wires in the area." +117974,709254,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-22 20:45:00,EST-5,2017-08-22 20:45:00,0,0,0,0,,NaN,,NaN,40.6,-75.13,40.6,-75.13,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires on Milford Warren Glen road." +117974,709255,NEW JERSEY,2017,August,Thunderstorm Wind,"MORRIS",2017-08-22 20:47:00,EST-5,2017-08-22 20:47:00,0,0,0,0,,NaN,,NaN,40.79,-74.77,40.79,-74.77,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and power poles in Long Valley." +117974,709256,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-22 20:53:00,EST-5,2017-08-22 20:53:00,0,0,0,0,,NaN,,NaN,40.51,-74.86,40.51,-74.86,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree fell onto a car due to thunderstorm wind." +117974,709257,NEW JERSEY,2017,August,Thunderstorm Wind,"MORRIS",2017-08-22 21:10:00,EST-5,2017-08-22 21:10:00,0,0,0,0,,NaN,,NaN,40.78,-74.48,40.78,-74.48,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds blew a tree down onto I-287." +117974,709258,NEW JERSEY,2017,August,Thunderstorm Wind,"HUNTERDON",2017-08-22 22:00:00,EST-5,2017-08-22 22:00:00,0,0,0,0,,NaN,,NaN,40.38,-74.82,40.38,-74.82,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds blew a tree down onto NJ 31." +117252,709259,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-02 14:48:00,EST-5,2017-08-02 14:48:00,0,0,0,0,0.00K,0,0.00K,0,39.7105,-75.509,39.7105,-75.509,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with strong winds on the waters.","At the port of Wilmington." +117252,709260,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-08-03 15:12:00,EST-5,2017-08-03 15:12:00,0,0,0,0,,NaN,,NaN,39.2071,-75.3113,39.2071,-75.3113,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with strong winds on the waters.","Ship John nos buoy." +121551,730036,IOWA,2017,December,Extreme Cold/Wind Chill,"TAYLOR",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730037,IOWA,2017,December,Extreme Cold/Wind Chill,"RINGGOLD",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730038,IOWA,2017,December,Extreme Cold/Wind Chill,"DECATUR",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730039,IOWA,2017,December,Extreme Cold/Wind Chill,"WAYNE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730040,IOWA,2017,December,Extreme Cold/Wind Chill,"APPANOOSE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730041,IOWA,2017,December,Extreme Cold/Wind Chill,"DAVIS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121354,726481,TEXAS,2017,December,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-12-31 08:25:00,MST-7,2017-12-31 21:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast gap winds occurred through Guadalupe Pass behind a cold front.","Guadalupe Pass ASOS had 41-48 mph sustained winds for many hours." +121494,727305,ALABAMA,2017,December,Winter Weather,"BALDWIN INLAND",2017-12-08 21:00:00,CST-6,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amounts of 2 inches in Bay Minette and 1.25 in Phillipsville." +120029,719300,NORTH CAROLINA,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-04 19:26:00,EST-5,2017-08-04 19:33:00,0,0,0,0,0.00K,0,0.00K,0,35.536,-81.39,35.485,-81.287,"Scattered thunderstorms developed along the North Carolina Blue Ridge during the late afternoon and evening and moved east. A couple of the storms became severe across the foothills and the western Piedmont.","County comms reported multiple trees blown down between Vale and Lincolnton." +120033,719331,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"GREENVILLE",2017-08-06 18:56:00,EST-5,2017-08-06 18:56:00,0,0,0,0,0.00K,0,0.00K,0,35.011,-82.258,35.062,-82.283,"Isolated thunderstorms developed during the evening in the vicinity of a warm front across Upstate South Carolina during the evening. One of the storms became briefly severe across Greenville County.","FD reported a tree blown down on power lines at the intersection of Highway 14 and Mount Lebanon Church Road and another tree down on Jordan Rd." +120034,719332,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"GREENVILLE",2017-08-07 18:23:00,EST-5,2017-08-07 18:23:00,0,0,0,0,0.00K,0,0.00K,0,34.955,-82.463,34.936,-82.431,"Scattered thunderstorms and storm clusters developed in the vicinity of a surface trough over Upstate South Carolina during the late afternoon and evening. One storm became briefly severe over Greenville County.","Highway Patrol reported a tree blown down at the intersection of Foot Hills Road and McElhaney Road and another tree down at Old Buncombe Rd and South Rockview Dr." +120035,719333,NORTH CAROLINA,2017,August,Thunderstorm Wind,"MECKLENBURG",2017-08-07 21:42:00,EST-5,2017-08-07 21:42:00,0,0,0,0,100.00K,100000,0.00K,0,35.219,-80.867,35.18,-80.833,"Scattered thunderstorms and storm clusters developed in the vicinity of a surface trough over Upstate South Carolina during the late afternoon and evening and moved into the North Carolina Piedmont during mid and late evening. One storm became briefly severe over the Charlotte area.","County comms reported multiple trees blown down near Uptown and on the south side of the city, with trees on homes on Merriman Ave and in the Myers Park area." +120222,720309,SOUTH CAROLINA,2017,August,Flash Flood,"GREENVILLE",2017-08-11 11:00:00,EST-5,2017-08-11 13:00:00,0,0,0,0,0.50K,500,0.00K,0,35.114,-82.257,35.093,-82.236,"Scattered to numerous slow-moving clusters of showers and thunderstorms developed across Upstate South Carolina throughout the morning and afternoon of the 11th. One area of nearly stationary showers and storms that developed over northern Greenville and Spartanburg Counties produced as much as 4.5 inches of rain across the area from late morning into the afternoon. This resulted in some localized flash flooding.","NWS employee reported flash flooding developed after 2.5 to over 4 inches of rain fell over the Gowensville and Blue Ridge areas in just a few hours. Campbell Creek overflowed its banks and flooded portions of Tugaloo Rd and Stone Cottage Ln. A tributary of the Middle Tyger River also flooded a portion of Lister Rd." +122239,731800,IOWA,2017,December,Winter Weather,"CHEROKEE",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.3 inches at Cherokee, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +122239,731801,IOWA,2017,December,Winter Weather,"BUENA VISTA",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.8 inches 4 miles east of Sioux Rapids, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were 10 below to 15 below zero." +122292,732243,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BEADLE",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -55 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -52 occurred at 0816CST at Huron on December 31. Record low maximum and minimum temperatures of -11F and -31F occurred on December 31 at Huron." +122292,732245,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"KINGSBURY",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -55 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. Record low maximum temperatures of -10F and -15F occurred on December 30 and 31 at DeSmet." +120324,720989,KANSAS,2017,August,Heavy Rain,"SEWARD",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-100.96,37.04,-100.96,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 5.20 inches at the airport." +120324,720990,KANSAS,2017,August,Heavy Rain,"MORTON",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-101.77,37.2,-101.77,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 4.0 inches." +120324,720991,KANSAS,2017,August,Heavy Rain,"HAMILTON",2017-08-10 22:00:00,MST-7,2017-08-11 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.84,-101.61,37.84,-101.61,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 3.26 inches." +120324,720992,KANSAS,2017,August,Heavy Rain,"MEADE",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-100.42,37.14,-100.42,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 3.29 inches." +119728,718010,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 16:50:00,CST-6,2017-08-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.6,-99.84,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718011,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 16:05:00,CST-6,2017-08-13 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-99.89,41.64,-99.89,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","Hail up to the size of ping pong balls covered the ground at this location." +119728,718013,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-13 17:34:00,CST-6,2017-08-13 17:34:00,0,0,0,0,0.00K,0,0.00K,0,41.4811,-99.7639,41.4831,-99.7652,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","Street flooding reported in several locations in Merna." +119728,718014,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 16:59:00,CST-6,2017-08-13 16:59:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.6,-99.84,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718015,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 17:17:00,CST-6,2017-08-13 17:17:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-99.76,41.5,-99.76,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718016,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 17:24:00,CST-6,2017-08-13 17:24:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-99.76,41.48,-99.76,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718017,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 17:34:00,CST-6,2017-08-13 17:34:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-99.76,41.48,-99.76,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +117786,708121,MINNESOTA,2017,August,Hail,"HUBBARD",2017-08-18 13:26:00,CST-6,2017-08-18 13:29:00,0,0,0,0,,NaN,,NaN,46.91,-95.05,46.91,-95.05,"A compact short wave moved from south central North Dakota into northeast South Dakota and west central Minnesota, helping to set off a few afternoon thunderstorms on August 18th. Morning sun allowed early afternoon temperatures around Wadena to reach about 80 degrees. Combined with cold temperatures aloft and the short wave, several thunderstorms produced hail.","Dime to nickel sized hail fell off and on." +119345,716477,MONTANA,2017,August,Thunderstorm Wind,"LEWIS AND CLARK",2017-08-11 05:46:00,MST-7,2017-08-11 05:46:00,0,0,0,0,0.00K,0,0.00K,0,47.0368,-112.67,47.0368,-112.67,"A weak upper level disturbance pushed across North Central Montana with relatively strong upper-level winds. Adequate dynamic ascent lead to the development of widespread showers and thunderstorms with damaging wind gusts.","Mesonet Station TT010 reported a 63 mph wind gust from a thunderstorm." +119346,716709,MONTANA,2017,August,Thunderstorm Wind,"CHOUTEAU",2017-08-13 17:46:00,MST-7,2017-08-13 17:46:00,0,0,0,0,0.00K,0,0.00K,0,47.6524,-110.8,47.6524,-110.8,"A potent shortwave trough and associated strong cold front allowed for widespread showers and thunderstorm development. Instability was weak at the time but enough frontal forcing caused storms to turn severe later in the evening hours with numerous damaging wind reports.","Mesonet station reported measured wind gust of 63 mph." +119346,716712,MONTANA,2017,August,Thunderstorm Wind,"CHOUTEAU",2017-08-13 19:23:00,MST-7,2017-08-13 19:23:00,0,0,0,0,0.00K,0,0.00K,0,48.18,-110.12,48.18,-110.12,"A potent shortwave trough and associated strong cold front allowed for widespread showers and thunderstorm development. Instability was weak at the time but enough frontal forcing caused storms to turn severe later in the evening hours with numerous damaging wind reports.","Mesonet station reported measured wind gust of 57 mph." +119346,716714,MONTANA,2017,August,Thunderstorm Wind,"HILL",2017-08-13 20:00:00,MST-7,2017-08-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,48.53,-109.8574,48.53,-109.8574,"A potent shortwave trough and associated strong cold front allowed for widespread showers and thunderstorm development. Instability was weak at the time but enough frontal forcing caused storms to turn severe later in the evening hours with numerous damaging wind reports.","Havre Airport ASOS measured a 58 mph wind gust." +119427,716719,MONTANA,2017,August,Thunderstorm Wind,"GALLATIN",2017-08-25 01:00:00,MST-7,2017-08-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,45.8028,-110.854,45.8028,-110.854,"An approaching trough and associated modest mid/upper jet supported the development of isolated severe thunderstorms in southwest Montana.","Mesonet station BBAS, Bridger Bowl - Base reported a measured wind gust of 59 mph." +119428,716736,MONTANA,2017,August,Thunderstorm Wind,"LEWIS AND CLARK",2017-08-30 17:30:00,MST-7,2017-08-30 17:30:00,0,0,0,0,0.00K,0,0.00K,0,46.5366,-112.03,46.5366,-112.03,"A quick moving upper-level disturbance pushed a cool front across the Continental divide, eastward across central Montana. Adequate lift, combined with marginal instability supported the development for scattered showers and a few severe thunderstorms in the evening hours.","Reports of uprooted trees, as well as trees that broke in half at the Treasure State Acres Subdivision in northern Helena." +117336,705686,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-06 14:40:00,EST-5,2017-08-06 14:40:00,0,0,0,0,0.00K,0,0.00K,0,27.77,-82.57,27.77,-82.57,"Isolated to scattered thunderstorms developed over the Florida Peninsula and spread out into the Gulf during the late afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow station in the Tampa Bay (XTAM) recorded a 41 knot thunderstorm wind gust." +117336,705687,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-06 14:48:00,EST-5,2017-08-06 14:48:00,0,0,0,0,0.00K,0,0.00K,0,27.9288,-82.4257,27.9288,-82.4257,"Isolated to scattered thunderstorms developed over the Florida Peninsula and spread out into the Gulf during the late afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The COMPS station at East Bay Causeway recorded a 34 knot thunderstorm wind gust." +117456,706402,GULF OF MEXICO,2017,August,Waterspout,"TAMPA BAY",2017-08-11 19:29:00,EST-5,2017-08-11 19:34:00,0,0,0,0,0.00K,0,0.00K,0,27.57,-82.66,27.56,-82.64,"Isolated thunderstorms developed over the Gulf of Mexico and Tampa Bay during the late evening. One storm that popped up near the Skyway Bridge produced a waterspout.","A waterspout was reported in the vicinity of the Sunshine Skyway Bridge, moving south toward Snead Island." +118182,710203,GULF OF MEXICO,2017,August,Waterspout,"TAMPA BAY",2017-08-16 08:56:00,EST-5,2017-08-16 09:03:00,0,0,0,0,0.00K,0,0.00K,0,27.5847,-82.6792,27.5862,-82.6696,"Isolated showers developed over the Gulf of Mexico and moved in towards the coast through the morning. A waterspout was spotted in one of these showers over the Tampa Bay.","Broadcast media relayed a public report of a waterspout off of Fort Desoto in the Tampa Bay." +118183,710214,FLORIDA,2017,August,Thunderstorm Wind,"LEE",2017-08-16 13:21:00,EST-5,2017-08-16 13:21:00,0,0,0,0,15.00K,15000,0.00K,0,26.62,-81.69,26.62,-81.69,"Scattered afternoon thunderstorms moved east off the Gulf of Mexico and across the Florida Peninsula. One of these storms produced damaging wind gusts over Lee County.","Lee County Emergency Management relayed a call from a resident that a tree had fallen on a roof in Lehigh Acres. The Sheriff's Department also reported power lines down in the same area." +118221,710402,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-08-23 18:00:00,EST-5,2017-08-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,27.173,-82.924,27.173,-82.924,"Scattered thunderstorms developed over the Florida Peninsula during the afternoon hours and shifted into the Gulf of Mexico through the early evening.","The COMPS Buoy C10 (42013) measured a 37 knot thunderstorm wind gust." +118232,710499,GULF OF MEXICO,2017,August,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-08-24 16:15:00,EST-5,2017-08-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,27.448,-82.737,27.438,-82.772,"Scattered afternoon thunderstorms developed over the Florida Peninsula and moved into the Gulf of Mexico through the late afternoon and early evening hours. One of these storms produced a series of waterspouts off of Anna Maria Island.","An off duty NWS employee, as well as several other people, reported as many as 3 waterspouts developing in a shower as it moved offshore from Anna Maria Island." +118234,710511,GULF OF MEXICO,2017,August,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-08-25 23:47:00,EST-5,2017-08-25 23:56:00,0,0,0,0,0.00K,0,0.00K,0,29.103,-83.088,29.088,-83.109,"A tropical disturbance over Florida supplied deep moisture with numerous thunderstorms. A waterspout was spotted in one of these storms off of Cedar Key during the early evening.","A waterspout was reported off the coast of Cedar Key." +117192,704878,MONTANA,2017,August,Hail,"PETROLEUM",2017-08-01 19:13:00,MST-7,2017-08-01 19:17:00,0,0,0,0,0.00K,0,0.00K,0,47,-108.36,47,-108.36,"A disturbance moving across the region was able to produce enough instability to produce showers and thunderstorms across portions of northeast Montana, a couple of which produced gusty winds and severe hail.","The hail was accompanied by little rain or wind. The length of the event is based on the spotter report and corroborated by radar." +117192,704879,MONTANA,2017,August,Hail,"PETROLEUM",2017-08-01 19:20:00,MST-7,2017-08-01 19:20:00,0,0,0,0,0.00K,0,0.00K,0,47,-108.34,47,-108.34,"A disturbance moving across the region was able to produce enough instability to produce showers and thunderstorms across portions of northeast Montana, a couple of which produced gusty winds and severe hail.","Hail the size of nickels and quarters fell from a thunderstorm with no rain accompanying it. Enough hail had fallen that it was piling up." +117232,714319,ALABAMA,2017,August,Thunderstorm Wind,"LAUDERDALE",2017-08-02 15:08:00,CST-6,2017-08-02 15:08:00,0,0,0,0,2.00K,2000,0.00K,0,34.82,-87.68,34.82,-87.68,"A late afternoon strong thunderstorm produced dime sized hail and split a tree which fell onto a house and knocked another down onto a car in Lauderdale County.","A tree was split by high winds and knocked down onto a house in Florence." +117232,714320,ALABAMA,2017,August,Thunderstorm Wind,"LAUDERDALE",2017-08-02 15:10:00,CST-6,2017-08-02 15:10:00,0,0,0,0,2.00K,2000,0.00K,0,34.82,-87.68,34.82,-87.68,"A late afternoon strong thunderstorm produced dime sized hail and split a tree which fell onto a house and knocked another down onto a car in Lauderdale County.","A tree was knocked down onto a home on Foy Avenue." +117232,714321,ALABAMA,2017,August,Thunderstorm Wind,"LAUDERDALE",2017-08-02 15:10:00,CST-6,2017-08-02 15:10:00,0,0,0,0,0.50K,500,0.00K,0,34.84,-87.66,34.84,-87.66,"A late afternoon strong thunderstorm produced dime sized hail and split a tree which fell onto a house and knocked another down onto a car in Lauderdale County.","A tree was knocked down by thunderstorm winds." +117232,714322,ALABAMA,2017,August,Thunderstorm Wind,"LAUDERDALE",2017-08-02 15:10:00,CST-6,2017-08-02 15:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.84,-87.68,34.84,-87.68,"A late afternoon strong thunderstorm produced dime sized hail and split a tree which fell onto a house and knocked another down onto a car in Lauderdale County.","A large tree branch was knocked down onto a car." +117249,705211,MARYLAND,2017,August,Thunderstorm Wind,"QUEEN ANNE'S",2017-08-02 18:11:00,EST-5,2017-08-02 18:11:00,0,0,0,0,,NaN,,NaN,38.99,-76.16,38.99,-76.16,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Thunderstorm winds blew trees onto power lines." +117251,705266,PENNSYLVANIA,2017,August,Flood,"PHILADELPHIA",2017-08-02 12:23:00,EST-5,2017-08-02 13:23:00,0,0,0,0,0.00K,0,0.00K,0,40.0129,-75.2323,40.024,-75.1952,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Flooding at route 1 and I-76." +117251,705267,PENNSYLVANIA,2017,August,Flood,"PHILADELPHIA",2017-08-02 13:13:00,EST-5,2017-08-02 14:13:00,0,0,0,0,0.00K,0,0.00K,0,39.9012,-75.1721,39.9009,-75.1476,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Flooding on I-95 north at exit 17 and PA-611." +117299,709165,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DAUPHIN",2017-08-02 13:43:00,EST-5,2017-08-02 13:43:00,0,0,0,0,4.00K,4000,0.00K,0,40.3245,-76.7278,40.3245,-76.7278,"Scattered convection formed during the afternoon of August 2, 2017, in conjunction with an area of upper-level low pressure and associated cold air aloft that passed over Pennsylvania. CAPE was moderate, but shear was limited. A few of these storms were able to produce wind damage.","Severe thunderstorms producing winds estimated near 60 mph knocked down trees and power lines." +117299,709167,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LYCOMING",2017-08-02 20:32:00,EST-5,2017-08-02 20:32:00,0,0,0,0,4.00K,4000,0.00K,0,41.2286,-76.9677,41.2286,-76.9677,"Scattered convection formed during the afternoon of August 2, 2017, in conjunction with an area of upper-level low pressure and associated cold air aloft that passed over Pennsylvania. CAPE was moderate, but shear was limited. A few of these storms were able to produce wind damage.","Severe thunderstorms producing winds estimated near 60 mph knocked down trees and wires." +117547,706935,WASHINGTON,2017,August,Heat,"WESTERN WHATCOM COUNTY",2017-08-01 20:00:00,PST-8,2017-08-10 06:00:00,5,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of unseasonably hot weather impacted Western Washington from the 1st through the 10th of the month. A male berry picker at a farm 1 mile east of Sumas in Whatcom County fell ill on the 3rd and later died. At least 5 other pickers were treated for dehydration.","The heat wave resulted in 1 fatality due to heat-related causes, plus five other berry pickers treated for dehydration." +117552,706942,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-12 15:42:00,MST-7,2017-08-12 15:42:00,0,0,0,0,,NaN,,NaN,40.16,-103.07,40.16,-103.07,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","" +117552,706943,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-12 16:40:00,MST-7,2017-08-12 16:40:00,0,0,0,0,,NaN,,NaN,39.73,-103.03,39.73,-103.03,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","" +117552,706944,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-12 16:42:00,MST-7,2017-08-12 16:42:00,0,0,0,0,,NaN,,NaN,39.7,-103.03,39.7,-103.03,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","" +117552,706945,COLORADO,2017,August,Tornado,"WASHINGTON",2017-08-12 16:10:00,MST-7,2017-08-12 16:10:00,0,0,0,0,0.00K,0,0.00K,0,39.78,-103.15,39.78,-103.15,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","A tornado briefly touched down in open country." +117552,706947,COLORADO,2017,August,Tornado,"WASHINGTON",2017-08-12 16:27:00,MST-7,2017-08-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-103.15,39.7,-103.15,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","A tornado briefly touched down in open country." +118581,712359,MINNESOTA,2017,September,Thunderstorm Wind,"STEELE",2017-09-04 16:55:00,CST-6,2017-09-04 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-93.22,44.09,-93.22,"A line of strong thunderstorms that developed across central Minnesota during the early afternoon of Monday, September 4th, quickly moved southward over east central and southern Minnesota. An outflow boundary was generated from earlier thunderstorms in eastern Minnesota, and surged southward ahead of this line of stronger storms. The interaction between the outflow boundary and a line of strong thunderstorms, produced isolated wind damage around Owatonna and Janesville.","Several power poles were blown down in the city of Owatonna." +118581,712358,MINNESOTA,2017,September,Thunderstorm Wind,"WASECA",2017-09-04 16:35:00,CST-6,2017-09-04 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-93.71,44.12,-93.71,"A line of strong thunderstorms that developed across central Minnesota during the early afternoon of Monday, September 4th, quickly moved southward over east central and southern Minnesota. An outflow boundary was generated from earlier thunderstorms in eastern Minnesota, and surged southward ahead of this line of stronger storms. The interaction between the outflow boundary and a line of strong thunderstorms, produced isolated wind damage around Owatonna and Janesville.","A large tree was blown over in the city of Janesville." +118581,712360,MINNESOTA,2017,September,Thunderstorm Wind,"STEELE",2017-09-04 16:55:00,CST-6,2017-09-04 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.0944,-93.1997,44.0944,-93.1997,"A line of strong thunderstorms that developed across central Minnesota during the early afternoon of Monday, September 4th, quickly moved southward over east central and southern Minnesota. An outflow boundary was generated from earlier thunderstorms in eastern Minnesota, and surged southward ahead of this line of stronger storms. The interaction between the outflow boundary and a line of strong thunderstorms, produced isolated wind damage around Owatonna and Janesville.","Several trees, up to 24 inches in diameter, were uprooted at the Brooktree Golf Course in Owatonna." +118581,721890,MINNESOTA,2017,September,Thunderstorm Wind,"HENNEPIN",2017-09-04 15:30:00,CST-6,2017-09-04 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,44.94,-93.56,44.94,-93.56,"A line of strong thunderstorms that developed across central Minnesota during the early afternoon of Monday, September 4th, quickly moved southward over east central and southern Minnesota. An outflow boundary was generated from earlier thunderstorms in eastern Minnesota, and surged southward ahead of this line of stronger storms. The interaction between the outflow boundary and a line of strong thunderstorms, produced isolated wind damage around Owatonna and Janesville.","A few boats on Lake Minnetonka were capsized due to an intense outflow boundary from thunderstorms in Hennepin County." +118099,709783,KENTUCKY,2017,August,Thunderstorm Wind,"PENDLETON",2017-08-17 14:54:00,EST-5,2017-08-17 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.79,-84.43,38.79,-84.43,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","A large tree was downed and was blocking Mathis Lane near Highway 17." +118146,709993,FLORIDA,2017,August,Hail,"BAKER",2017-08-19 18:20:00,EST-5,2017-08-19 18:20:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-82.21,30.25,-82.21,"An early start to convection across the Suwannee River Valley with moist SW flow off of the Gulf of Mexico with a surface front draped across SE Georgia. Morning convection produced an outflow boundary that raced toward the Atlantic through early afternoon, which triggered strong storms along boundary mergers that produced excessive lightning and heavy rainfall.","Nickel size hail was reported along Interstate 10 between Sanderson and Macclenny." +118688,716426,KANSAS,2017,July,Flash Flood,"LINN",2017-07-27 08:33:00,CST-6,2017-07-27 09:33:00,0,0,0,0,0.00K,0,0.00K,0,38.0503,-94.6266,38.0638,-95.0606,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. Another site that had record flooding as a result of this event was Tomahawk Creek at Roe Avenue in Leawood. Tomahawk Creek crested at 20.81 feet, which was a new record for that location. Numerous city vehicles were damaged or destroyed when a lot near the creek containing those vehicles flooded. Across the rest of the KC metro area roughly 5 to 7 inches of rain fell, resulting in other numerous water rescues. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Linn County 911 dispatch reported multiple roads across the county were closed due to water flowing over the roads." +118426,711663,NEBRASKA,2017,August,Hail,"FRONTIER",2017-08-09 15:30:00,CST-6,2017-08-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-100.21,40.61,-100.21,"Isolated thunderstorms developed in far southeastern Lincoln county during the late afternoon hours of August 9th. As the storms drifted southeast into eastern Frontier county, they became severe with quarter sized hail and thunderstorm wind gusts to 60 MPH.","" +117371,705842,TEXAS,2017,August,Thunderstorm Wind,"COCHRAN",2017-08-05 17:20:00,CST-6,2017-08-05 17:20:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-102.61,33.39,-102.61,"A pulse thunderstorm produced a severe wind gust in far southeast Cochran County late this afternoon.","Measured by a Texas Tech University West Texas mesonet in extreme southeast Cochran County." +118483,711924,COLORADO,2017,August,Hail,"DOUGLAS",2017-08-05 16:48:00,MST-7,2017-08-05 16:48:00,0,0,0,0,,NaN,,NaN,39.38,-104.83,39.38,-104.83,"A severe thunderstorm near Castle Rock produced hail up to ping pong size.","" +118484,711926,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-13 16:14:00,MST-7,2017-08-13 16:14:00,0,0,0,0,,NaN,,NaN,39.9,-103.09,39.9,-103.09,"A severe thunderstorm produced hail up to golf ball size near Elba.","" +118485,711929,COLORADO,2017,August,Hail,"JEFFERSON",2017-08-08 12:00:00,MST-7,2017-08-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-105.39,39.47,-105.39,"A strong thunderstorm produced dime size hail near Shaffers Crossing.","" +118486,711931,COLORADO,2017,August,Hail,"PHILLIPS",2017-08-25 16:51:00,MST-7,2017-08-25 16:51:00,0,0,0,0,,NaN,,NaN,40.53,-102.22,40.53,-102.22,"A severe thunderstorm produced hail up to quarter size near Holyoke.","" +118486,711933,COLORADO,2017,August,Hail,"PHILLIPS",2017-08-25 17:10:00,MST-7,2017-08-25 17:10:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-102.15,40.53,-102.15,"A severe thunderstorm produced hail up to quarter size near Holyoke.","" +117385,705896,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 14:15:00,MST-7,2017-08-02 14:15:00,0,0,0,0,,NaN,,NaN,40.13,-102.86,40.13,-102.86,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705897,COLORADO,2017,August,Hail,"LOGAN",2017-08-02 14:45:00,MST-7,2017-08-02 14:45:00,0,0,0,0,,NaN,,NaN,40.61,-102.84,40.61,-102.84,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705898,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 15:00:00,MST-7,2017-08-02 15:00:00,0,0,0,0,,NaN,,NaN,40.13,-102.95,40.13,-102.95,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705899,COLORADO,2017,August,Hail,"LOGAN",2017-08-02 15:06:00,MST-7,2017-08-02 15:06:00,0,0,0,0,,NaN,,NaN,40.57,-102.82,40.57,-102.82,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705900,COLORADO,2017,August,Hail,"LOGAN",2017-08-02 15:14:00,MST-7,2017-08-02 15:14:00,0,0,0,0,,NaN,,NaN,40.54,-102.84,40.54,-102.84,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +118716,713339,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-12 22:00:00,MST-7,2017-08-13 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4395,-112.4348,33.4321,-112.3737,"Scattered monsoon thunderstorms developed across the greater Phoenix area at various times of the day, including the early afternoon and late evening hours, on August 12th. Some of the stronger storms impacted various west Phoenix communities such as Goodyear and Avondale and Buckeye. The storms produced typical monsoon weather hazards such as gusty damaging outflow winds as well as locally heavy rainfall. Flash flooding was observed during the late evening just to the west of Goodyear, near the intersection of Interstate 10 and the loop 303 freeway. The loop 303 southbound exit was flooded at Thomas Road and other roads were impassible near Sarival and McDowell Roads. Shortly after noon, several roads were reported closed due to washes flowing over them approximately 6 to 8 miles southeast of the town of Buckeye.","Scattered thunderstorms developed during the late evening hours across the western portion of the greater Phoenix metropolitan area and some of the stronger storms affected the west valley near the community of Goodyear. The storms generated locally heavy rain with peak rain rates in excess of one inch per hour, more than sufficient to cause localized flash flooding given the urban nature of the surface, with impermeable ground covered in concrete and asphalt. At 2233MST, a public report was received indicating flash flooding near the intersection of Interstate 10 and Sarival Road; the flooding caused roads in the area to become impassable. The flash flooding was only a mile or two northwest of the Phoenix Goodyear Airport. A few minutes later at 2240MST, another public report was received indicating that flash flooding had caused 8 to 10 inches of water to be standing on the roads about 2 miles northwest of Goodyear. The flooding was just north of McDowell Road and east of the Loop 303 freeway, near the intersection of West Almeria Road and North 160th Avenue. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 2212MST and ran through 0115MST the next morning." +118755,713342,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-14 01:20:00,MST-7,2017-08-14 01:20:00,0,0,0,0,8.00K,8000,0.00K,0,33.74,-111.72,33.74,-111.72,"During the early morning hours on August 14th, scattered thunderstorms developed across the higher terrain areas to the northeast of Phoenix, affecting the areas southeast of Carefree and north of Fountain Hills. The stronger storms produced both gusty and damaging outflow winds as well as locally heavy rainfall. The heavy rain produced an episode of flash flooding near the town of Rio Verde; several inches of soil buildup were noted on 172nd Street between Dixileta and Rio Verde roads which was the result of washes flowing over the road. The flash flooding occurred around 0230MST. Gusty winds also downed several Palo Verde trees near Rio Verde. Flash Flood and Severe Thunderstorm Warnings were issued as a result of the strong early morning thunderstorms.","Scattered thunderstorms developed across the higher terrain areas to the northeast of Phoenix during the early morning hours on August 14th and some of the stronger storms affected areas around the community of Rio Verde. At 0120MST a trained spotter 10 miles north of Fountain Hills, and just to the west of Rio Verde, reported that gusty outflow winds downed several Palo Verde trees. The winds were estimated to be at least 60 mph in strength. Additionally the downed trees were located not far from the Vista Verde Golf Club. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 0103MST and was in effect through 0145MST." +117296,710714,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ADAMS",2017-08-04 20:35:00,EST-5,2017-08-04 20:35:00,0,0,0,0,0.00K,0,0.00K,0,40.0232,-77.1197,40.0232,-77.1197,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Latimore Township." +117296,710716,PENNSYLVANIA,2017,August,Thunderstorm Wind,"YORK",2017-08-04 22:30:00,EST-5,2017-08-04 22:30:00,0,0,0,0,0.00K,0,0.00K,0,39.847,-76.7231,39.847,-76.7231,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Springfield Township." +117296,710717,PENNSYLVANIA,2017,August,Thunderstorm Wind,"YORK",2017-08-04 22:40:00,EST-5,2017-08-04 22:40:00,0,0,0,0,0.00K,0,0.00K,0,39.8913,-76.6024,39.8913,-76.6024,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous large trees near Red Lion." +117296,710719,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-04 23:25:00,EST-5,2017-08-04 23:25:00,0,0,0,0,6.00K,6000,0.00K,0,40.1947,-76.1255,40.1947,-76.1255,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees and wires along Ebersole Road and Ridge Avenue." +118989,714721,ILLINOIS,2017,August,Heat,"PERRY",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714722,ILLINOIS,2017,August,Heat,"POPE",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714723,ILLINOIS,2017,August,Heat,"PULASKI",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714724,ILLINOIS,2017,August,Heat,"SALINE",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714727,ILLINOIS,2017,August,Heat,"WABASH",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +117445,714428,NEBRASKA,2017,August,Hail,"HALL",2017-08-02 23:02:00,CST-6,2017-08-02 23:05:00,0,0,0,0,250.00K,250000,2.00M,2000000,40.9276,-98.6,40.8779,-98.6,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","Quarter size hail was accompanied by 60 MPH winds." +118245,710585,OREGON,2017,August,Excessive Heat,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 92 to 96 degrees. Reported low temperatures during this interval ranged from 53 to 57 degrees." +118245,710586,OREGON,2017,August,Excessive Heat,"KLAMATH BASIN",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 94 to 102 degrees. Reported low temperatures during this interval ranged from 46 to 61 degrees." +118244,710593,CALIFORNIA,2017,August,Excessive Heat,"WESTERN SISKIYOU COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of northern California.","Reported high temperatures during this interval ranged from 101 to 113 degrees. Reported low temperatures during this interval ranged from 53 to 64 degrees." +118244,710594,CALIFORNIA,2017,August,Excessive Heat,"SOUTH CENTRAL SISKIYOU COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of northern California.","Reported high temperatures during this interval ranged from 95 to 105 degrees. Reported low temperatures during this interval ranged from 57 to 63 degrees." +118236,715327,FLORIDA,2017,August,Flood,"LEE",2017-08-26 01:00:00,EST-5,2017-08-28 12:00:00,0,0,0,0,300.00K,300000,0.00K,0,26.7,-82.26,26.5,-82.22,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Heavy rain started to fall during the early morning hours of the 26th over the barrier islands and northern portions of Lee County, with the rain continuing through the evening of the 27th. Roads and some homes started to flood by the afternoon of the 26th, with more extreme flooding occurring on the 27th and continuing into the 28th even after the rain subsided. Widespread rain totals of 6 inches or more were reported across the area, with one location in Cape Coral receiving 12.09 inches over 72 hours. ||Flood waters were reported to have entered 11 homes in Captiva, and some trailers in Coastal Estate Trailer Parks also had minor flooding. Another 30 trailers in Tropical Trailer Park were reported to have waist deep water. Additionally, numerous roads around Captiva, Cape Coral, Sanibel, and Pine Island had 1-3 feet of flooding over the top of the road surface. First responders conducted at least 7 car rescues for people stuck in flood waters." +118236,717103,FLORIDA,2017,August,Tornado,"MANATEE",2017-08-26 20:19:00,EST-5,2017-08-26 20:22:00,0,0,0,0,20.00K,20000,0.00K,0,27.4769,-82.554,27.4747,-82.5494,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","A narrow path of damage was found in Samoset, with minor damage occurring at a County Public Works Facility. A couple of witnesses also reported seeing a funnel cloud in the area. Aluminum debris was thrown around, and several trees and large branches were knocked down. The time of the tornado was estimated from radar." +119647,717749,WASHINGTON,2017,August,Wildfire,"KITTITAS VALLEY",2017-08-24 10:00:00,PST-8,2017-08-24 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire started in the grass covered median between the east-west bound lanes of Interstate 90 as it passes over Ryegrass Summit, then spread beyond the median. Smoke from the fire caused a multi-vehicle collision.","Smoke from a fire on Ryegrass Summit in eastern Kittitas county affected Interstate 90. The fire's smoke caused a multi-vehicle collision that resulted the death of one individual and injuries to seven other individuals. The highway was closed for at least an hour and a half. The fire itself burned around 100 acres along and near the highway." +122320,732410,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-12-09 09:54:00,EST-5,2017-12-09 09:54:00,0,0,0,0,0.00K,0,0.00K,0,24.711,-81.107,24.711,-81.107,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 37 knots was measured at an automated National Ocean Service station adjacent to the U.S. Coast Guard Station Marathon." +117882,708420,SOUTH DAKOTA,2017,August,Hail,"ZIEBACH",2017-08-21 03:00:00,MST-7,2017-08-21 03:00:00,0,0,0,0,,NaN,0.00K,0,44.9342,-101.6,44.9342,-101.6,"An early morning severe thunderstorm brought large hail to central Ziebach County.","" +117882,708428,SOUTH DAKOTA,2017,August,Hail,"ZIEBACH",2017-08-21 03:00:00,MST-7,2017-08-21 03:00:00,0,0,0,0,,NaN,0.00K,0,44.9342,-101.6,44.9342,-101.6,"An early morning severe thunderstorm brought large hail to central Ziebach County.","" +115979,697076,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:12:00,EST-5,2017-05-29 17:17:00,0,0,0,0,,NaN,,NaN,33.83,-82.05,33.83,-82.05,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported, via social media, 1.5 inch hail on Jones Rd." +118151,710046,SOUTH DAKOTA,2017,August,Hail,"HAAKON",2017-08-26 15:20:00,MST-7,2017-08-26 15:20:00,0,0,0,0,0.00K,0,0.00K,0,44.0707,-101.6273,44.0707,-101.6273,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","" +118151,710052,SOUTH DAKOTA,2017,August,Hail,"JACKSON",2017-08-26 15:30:00,MST-7,2017-08-26 15:47:00,0,0,0,0,,NaN,0.00K,0,43.9758,-101.5617,43.9758,-101.5617,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","Wind gusts to 50 mph also accompanied the storm." +118151,712395,SOUTH DAKOTA,2017,August,Hail,"JACKSON",2017-08-26 15:56:00,MST-7,2017-08-26 15:56:00,0,0,0,0,0.00K,0,0.00K,0,43.8531,-101.4831,43.8531,-101.4831,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","" +118591,718166,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-26 15:02:00,MST-7,2017-08-26 15:05:00,0,0,0,0,,NaN,0.00K,0,44.36,-103.46,44.36,-103.46,"A severe thunderstorm developed along the northeast foothills of the Black Hills and tracked southeastward. The storm produced large hail in the Tilford area that stopped traffic along Interstate-90.","Most of the hailstones were one inch diameter with some as large as golf balls." +118591,712446,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-26 15:01:00,MST-7,2017-08-26 15:05:00,0,0,0,0,,NaN,0.00K,0,44.35,-103.46,44.35,-103.46,"A severe thunderstorm developed along the northeast foothills of the Black Hills and tracked southeastward. The storm produced large hail in the Tilford area that stopped traffic along Interstate-90.","The ground was covered with hail." +118592,712447,SOUTH DAKOTA,2017,August,Hail,"LAWRENCE",2017-08-26 15:17:00,MST-7,2017-08-26 15:17:00,0,0,0,0,0.00K,0,0.00K,0,44.4664,-103.6385,44.4664,-103.6385,"A thunderstorm briefly became severe over northern Lawrence County and dropped quarter sized hail over Whitewood.","" +118593,712448,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-26 17:36:00,MST-7,2017-08-26 17:36:00,0,0,0,0,,NaN,0.00K,0,44.8,-102.54,44.8,-102.54,"A severe thunderstorm tracked eastward across northern Meade County and produced large hail in some areas.","" +118593,712451,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-26 17:55:00,MST-7,2017-08-26 17:55:00,0,0,0,0,,NaN,0.00K,0,44.81,-102.32,44.81,-102.32,"A severe thunderstorm tracked eastward across northern Meade County and produced large hail in some areas.","" +117726,707890,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-14 17:45:00,MST-7,2017-08-14 17:45:00,0,0,0,0,,NaN,0.00K,0,43.5145,-102.5,43.5145,-102.5,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","The Badlands National Park ranger reported baseball sized hail at the White River Visitors' Center." +119856,718549,MISSOURI,2017,August,Flood,"JOHNSON",2017-08-06 12:38:00,CST-6,2017-08-06 18:38:00,0,0,0,0,0.00K,0,0.00K,0,38.8735,-93.6296,38.8724,-93.6106,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Route E was closed at the Blackwater River near Valley City." +119857,718609,KANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:35:00,CST-6,2017-08-06 00:35:00,0,0,0,0,0.00K,0,0.00K,0,39.0004,-94.7269,38.9926,-94.7265,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Police had to block off Quivira Road near 73rd St due to high water running over the road." +119857,718610,KANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:37:00,CST-6,2017-08-06 00:37:00,0,0,0,0,0.00K,0,0.00K,0,38.9616,-95.0043,38.982,-95.0017,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","There was standing and running water at several intersections in DeSoto." +122186,731452,TEXAS,2017,December,Winter Weather,"FAYETTE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +118873,714221,MAINE,2017,August,Tornado,"PENOBSCOT",2017-08-05 21:47:00,EST-5,2017-08-05 21:59:00,0,0,0,0,,NaN,,NaN,45.69,-68.69,45.72,-68.66,"Thunderstorms developed during the evening of the 5th in advance of a cold front crossing the region. A tornado developed along a line of non-supercell thunderstorms. The tornado tracked along a path through a wooded area between Millinocket and Grindstone. In excess of 1000 trees were toppled or snapped along the path before lifting. The same storm then produced a second brief tornado near Sherman in Aroostook county. The second tornado touch down tore a large section of a roof from a barn...destroyed a chicken coop and partially damaged another barn with two wagons inside. Another nearby resident had significant shingle damage to their roof. Several trees in the area were also uprooted.","A tornado developed along a line of non-supercell thunderstorms and tracked through a wooded area between Millinocket and Grindstone. Damage along the path consisted of over 1000 trees snapped or toppled. The average path width was around 30 yards. The estimated maximum wind speeds were between 90 and 100 mph. The forest was a mix of hardwood and softwood trees (DI 27, DI 28 , DOD 4)." +119986,719034,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CARROLL",2017-08-04 17:30:00,EST-5,2017-08-04 17:34:00,0,0,0,0,0.00K,0,0.00K,0,43.86,-71.26,43.86,-71.26,"A warm and muggy air mass remained in place over the region on the afternoon of August 4th. Scattered showers and thunderstorms developed in the afternoon, most of which were non-severe. An Isolated cell produced wind damage in Tamworth New Hampshire.","An isolated severe thunderstorm downed trees in Tamworth." +119987,719036,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-05 16:00:00,EST-5,2017-08-05 16:05:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-72.2,43.12,-72.2,"A cold front was moving into a very warm and humid air mass on the afternoon of August 5th. Showers and scattered thunderstorms developed ahead of this boundary with one isolated cell producing wind damage in Marlow New Hampshire.","A severe thunderstorm downed trees on wires and a transformer on Route 123A in Marlow." +118311,710947,NEW YORK,2017,August,Thunderstorm Wind,"ULSTER",2017-08-02 12:18:00,EST-5,2017-08-02 12:18:00,0,0,0,0,,NaN,,NaN,41.92,-74.27,41.92,-74.27,"Scattered strong to severe thunderstorms developed across eastern New York during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and power lines in Ulster county.","Tree limbs were knocked down." +118311,710950,NEW YORK,2017,August,Thunderstorm Wind,"ULSTER",2017-08-02 13:02:00,EST-5,2017-08-02 13:02:00,0,0,0,0,,NaN,,NaN,41.86,-74,41.86,-74,"Scattered strong to severe thunderstorms developed across eastern New York during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and power lines in Ulster county.","Trees and wires were knocked down." +118311,710958,NEW YORK,2017,August,Thunderstorm Wind,"ULSTER",2017-08-02 13:12:00,EST-5,2017-08-02 13:12:00,0,0,0,0,,NaN,,NaN,41.86,-73.98,41.86,-73.98,"Scattered strong to severe thunderstorms developed across eastern New York during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and power lines in Ulster county.","A large branch split off a 20 foot tall tree." +118311,710959,NEW YORK,2017,August,Thunderstorm Wind,"ULSTER",2017-08-02 13:50:00,EST-5,2017-08-02 13:50:00,0,0,0,0,,NaN,,NaN,41.6,-74.05,41.6,-74.05,"Scattered strong to severe thunderstorms developed across eastern New York during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and power lines in Ulster county.","Numerous tree limbs and small trees were knocked down." +118348,711129,VERMONT,2017,August,Hail,"BENNINGTON",2017-08-02 15:01:00,EST-5,2017-08-02 15:02:00,0,0,0,0,1.00K,1000,1.00K,1000,43.2,-72.91,43.2,-72.91,"Isolated strong to severe thunderstorms developed across southern Vermont during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and produced large hail in southern Vermont.","Golfball size hail was reported." +118348,711130,VERMONT,2017,August,Thunderstorm Wind,"BENNINGTON",2017-08-02 15:01:00,EST-5,2017-08-02 15:01:00,0,0,0,0,,NaN,,NaN,43.2,-72.91,43.2,-72.91,"Isolated strong to severe thunderstorms developed across southern Vermont during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe thunderstorms knocked down trees and produced large hail in southern Vermont.","Several trees were knocked down due to severe thunderstorm winds." +120019,719218,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-12 14:21:00,CST-6,2017-08-12 14:21:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-99.77,43.91,-99.77,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","" +120005,719156,NEW YORK,2017,August,Hail,"RENSSELAER",2017-08-12 18:01:00,EST-5,2017-08-12 18:02:00,0,0,0,0,,NaN,,NaN,42.59,-73.7,42.59,-73.7,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","One inch hail was reported." +120005,719157,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 16:32:00,EST-5,2017-08-12 16:32:00,0,0,0,0,,NaN,,NaN,42.61,-74.61,42.61,-74.61,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","A tree was downed on Mudlake Road." +120005,719158,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 16:37:00,EST-5,2017-08-12 16:37:00,0,0,0,0,,NaN,,NaN,42.63,-74.57,42.63,-74.57,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Multiple trees was reported down." +120145,719849,TENNESSEE,2017,August,Tornado,"PERRY",2017-08-31 15:19:00,CST-6,2017-08-31 15:20:00,0,0,0,0,10.00K,10000,0.00K,0,35.5402,-87.7327,35.5427,-87.7359,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","A brief, weak EF0 tornado associated with Tropical Depression Harvey touched down on Cotton Branch Road in rural southeast Perry County and moved northwest. The porch and much of the metal roof was blown off a home and several trees were blown down." +120145,719850,TENNESSEE,2017,August,Tornado,"MAURY",2017-08-31 16:11:00,CST-6,2017-08-31 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,35.5178,-87.2251,35.5591,-87.2585,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","A multiple vortex EF-0 tornado associated with Tropical Depression Harvey touched down just southwest of Mt. Pleasant and traveled to the northwest for about 3.5 miles. This tornado was captured on video by several residents, and was on the ground intermittently for up to 10 minutes. Several trees were uprooted and many large tree limbs snapped on Webb Williams Road and Highway 166. Sheet metal was blown off several farm outbuildings at Gillian Farms on Highway 166 at Old Gibson Hollow Road, and sheet metal was peeled off the large porch of a home at 1586 Highway 66. Maximum winds were estimated up to 75 mph." +120145,719851,TENNESSEE,2017,August,Thunderstorm Wind,"DAVIDSON",2017-08-31 16:58:00,CST-6,2017-08-31 16:58:00,0,0,0,0,2.00K,2000,0.00K,0,36.2277,-86.7447,36.2277,-86.7447,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","A Facebook photo showed a tree and power line were blown down into the roadways on Maple Place in east Nashville." +120115,719724,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-19 16:00:00,EST-5,2017-08-19 16:00:00,0,0,0,0,2.50K,2500,0.00K,0,40.89,-78.82,40.89,-78.82,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +120115,719725,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-19 16:00:00,EST-5,2017-08-19 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.37,-79.68,40.37,-79.68,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported a tree down along State Route 130." +120115,719727,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-19 16:09:00,EST-5,2017-08-19 16:09:00,0,0,0,0,2.50K,2500,0.00K,0,40.53,-78.93,40.53,-78.93,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported numerous trees down." +120116,719733,PENNSYLVANIA,2017,August,Thunderstorm Wind,"INDIANA",2017-08-21 14:50:00,EST-5,2017-08-21 14:50:00,0,0,0,0,1.00K,1000,0.00K,0,40.66,-79.3,40.66,-79.3,"Shortwave passage and modest instability supported isolated strong to severe storms on the 21st.","The public reported several trees down in Shelocta." +120153,719898,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-22 11:53:00,EST-5,2017-08-22 11:53:00,0,0,0,0,1.00K,1000,0.00K,0,40.69,-81.02,40.69,-81.02,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Several trees down." +120153,719899,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-22 11:55:00,EST-5,2017-08-22 11:55:00,0,0,0,0,1.00K,1000,0.00K,0,40.69,-80.97,40.69,-80.97,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719902,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-22 12:18:00,EST-5,2017-08-22 12:18:00,0,0,0,0,1.00K,1000,0.00K,0,40.81,-80.42,40.81,-80.42,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +119746,719342,TEXAS,2017,August,Flash Flood,"JEFFERSON",2017-08-27 07:12:00,CST-6,2017-08-30 16:00:00,1,0,5,0,3.00B,3000000000,0.00K,0,29.7808,-93.9376,29.6118,-94.3602,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Widespread and long duration rainfall produced a storm total rainfall over 40 inches across a large portion of the county. The highest rainfall totals in Jefferson County were 60.58 inches 1.5 mile southwest of Nederland and 60.54 inches 1.3 mile north of Groves. This resulted in over 64,000 homes being flooded. The hardest hit areas were Port Arthur, Groves, Bevil Oaks, Hamphire, Fannet, China, and northeast Beaumont. Several refineries in the county also received floodwaters and were offline for an extended period. City and county infrastructure was also damaged with water pumps and treatment plants being inundated. Record crests were observed along Pine Island and the lower Neches. 5 deaths were reported by flooding." +120168,720030,NEBRASKA,2017,August,Tornado,"LOUP",2017-08-19 19:14:00,CST-6,2017-08-19 19:17:00,0,0,0,0,100.00K,100000,0.00K,0,41.8294,-99.5806,41.8242,-99.5849,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","The tornado moved through a 100 year old shelter belt uprooting numerous trees. The tornado then passed through a recently vacated farmstead with several outbuildings. All of the outbuildings were completely destroyed. Sheet metal and wood from the outbuildings were found over a half a mile away. A boat parked at this location was destroyed and parts from the boat were found in a nearby field less than a mile away. Damage to the home was confined to the roof with debris from one of the outbuildings penetrating the attic of the home." +120138,719758,OREGON,2017,August,Excessive Heat,"GREATER PORTLAND METRO AREA",2017-08-01 12:00:00,PST-8,2017-08-04 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure aloft with a surface thermal trough over the area lead to record-breaking high temperatures across NW Oregon.","The record-breaking heat led people to seek relief at local rivers. One man drowned (indirect) while swimming in the Columbia River near Sauvie Island." +120138,719763,OREGON,2017,August,Excessive Heat,"CENTRAL WILLAMETTE VALLEY",2017-08-01 12:00:00,PST-8,2017-08-04 20:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A ridge of high pressure aloft with a surface thermal trough over the area lead to record-breaking high temperatures across NW Oregon.","The record-breaking heat led people to seek relief at local rivers. One child drowned (indirect) while swimming in the Willamette River near the Wallace Marine Park." +120014,719186,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-22 16:43:00,EST-5,2017-08-22 16:43:00,0,0,0,0,,NaN,,NaN,43.7,-73.71,43.7,-73.71,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was down blocked a road." +120014,719188,NEW YORK,2017,August,Thunderstorm Wind,"FULTON",2017-08-22 17:09:00,EST-5,2017-08-22 17:09:00,0,0,0,0,,NaN,,NaN,43.11,-74.77,43.11,-74.77,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was downed." +120014,719189,NEW YORK,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-22 17:17:00,EST-5,2017-08-22 17:17:00,0,0,0,0,,NaN,,NaN,42.97,-74.59,42.97,-74.59,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees and wires were downed." +120014,719190,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-22 17:32:00,EST-5,2017-08-22 17:32:00,0,0,0,0,,NaN,,NaN,43.2625,-74.9269,43.2625,-74.9269,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Several trees were downed onto wires along Bull Hill Road." +121565,727617,CONNECTICUT,2017,December,Winter Storm,"HARTFORD",2017-12-09 08:00:00,EST-5,2017-12-10 00:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five to seven and one-half inches of snow fell across Hartford County." +121565,727618,CONNECTICUT,2017,December,Winter Storm,"TOLLAND",2017-12-09 08:00:00,EST-5,2017-12-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five to seven and one-half inches of snow fell on Tolland County." +121565,727620,CONNECTICUT,2017,December,Winter Storm,"WINDHAM",2017-12-09 07:00:00,EST-5,2017-12-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to seven inches of snow fell on Windham County." +121564,727621,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN BRISTOL",2017-12-09 08:30:00,EST-5,2017-12-10 02:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Three to four and one-half inches of snow fell on Northern Bristol County." +121564,727622,MASSACHUSETTS,2017,December,Winter Storm,"EASTERN ESSEX",2017-12-09 11:15:00,EST-5,2017-12-10 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to seven and one-half inches of snow fell in Eastern Essex County." +121564,727623,MASSACHUSETTS,2017,December,Winter Storm,"WESTERN ESSEX",2017-12-09 11:15:00,EST-5,2017-12-10 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five to seven inches of snow fell in Western Essex County." +121564,727624,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-09 11:30:00,EST-5,2017-12-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Three to five inches of snow fell on Eastern Franklin County." +121564,727625,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-09 11:30:00,EST-5,2017-12-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four and one-half to five and one-half inches of snow fell on Western Franklin County." +119751,718313,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:50:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-86.63,34.719,-86.6382,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Barricades being installed on Saundralane Drive due to flash flooding." +119751,718314,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 20:50:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-86.64,34.7329,-86.6408,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","HPD reports a vehicle underwater at 4320 University Drive. 2-3 adjacent apartments are also experiencing flood water." +120123,719770,OKLAHOMA,2017,August,Thunderstorm Wind,"GARFIELD",2017-08-09 20:33:00,CST-6,2017-08-09 20:33:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-97.89,36.4,-97.89,"Scattered storms formed from Kansas down into northern Oklahoma late on the 9th as an upper level trough made it's way overhead, with a few of the storms producing severe winds.","No damage reported." +120124,719771,OKLAHOMA,2017,August,Flash Flood,"GRADY",2017-08-10 03:18:00,CST-6,2017-08-10 06:18:00,0,0,0,0,0.00K,0,0.00K,0,35.0447,-97.9377,35.0447,-97.9354,"As the previous evening's storm system made it's way southward, heavy rain rates resulted in some minor flooding early on the 10th.","Car stalled out from excessive water on roads at the intersection of Dakota Ave and highway 81/277." +120125,719772,OKLAHOMA,2017,August,Hail,"COMANCHE",2017-08-10 15:38:00,CST-6,2017-08-10 15:38:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-98.27,34.82,-98.27,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","" +120125,719774,OKLAHOMA,2017,August,Thunderstorm Wind,"KINGFISHER",2017-08-10 15:40:00,CST-6,2017-08-10 15:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.98,-98.12,35.98,-98.12,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","Large aluminum shed destroyed." +120125,719775,OKLAHOMA,2017,August,Thunderstorm Wind,"KINGFISHER",2017-08-10 16:10:00,CST-6,2017-08-10 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-97.98,35.73,-97.98,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","" +120125,719776,OKLAHOMA,2017,August,Thunderstorm Wind,"CANADIAN",2017-08-10 16:30:00,CST-6,2017-08-10 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,35.53,-98.04,35.53,-98.04,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","Tractor trailer overturned on I-40 near mile marker 118." +120125,719777,OKLAHOMA,2017,August,Thunderstorm Wind,"CANADIAN",2017-08-10 16:45:00,CST-6,2017-08-10 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.55,-98.08,35.55,-98.08,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","Sheet metal barn was damaged." +120125,719778,OKLAHOMA,2017,August,Hail,"CANADIAN",2017-08-10 16:50:00,CST-6,2017-08-10 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.49,-98.01,35.49,-98.01,"A few supercells formed ahead of a cold front on the afternoon of the 10th, producing some severe wind gusts.","" +120126,719798,OKLAHOMA,2017,August,Hail,"JACKSON",2017-08-13 21:00:00,CST-6,2017-08-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-99.56,34.51,-99.56,"An area of storms formed in the vicinity of a stalled front on the 13th and made their way down the Texas panhandle and western Oklahoma through the evening.","" +120126,719799,OKLAHOMA,2017,August,Hail,"JACKSON",2017-08-13 21:03:00,CST-6,2017-08-13 21:03:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-99.56,34.51,-99.56,"An area of storms formed in the vicinity of a stalled front on the 13th and made their way down the Texas panhandle and western Oklahoma through the evening.","" +120127,719800,OKLAHOMA,2017,August,Thunderstorm Wind,"PAYNE",2017-08-15 14:35:00,CST-6,2017-08-15 14:35:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-97.04,36.1,-97.04,"A line of storms formed over central Oklahoma on the afternoon of the 15th making their way eastward.","Estimated 50-60 mph. Time estimated by radar. No damage reported." +121624,727962,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHERN WORCESTER",2017-12-23 05:00:00,EST-5,2017-12-23 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 126 PM EST, a tree was reported down near the Polish-American Social and Civic Corp. Ice accumulation of one-half inch was reported in Shrewsbury at 345 PM. Ice accumulation in Southern Worcester County ranged from one-quarter to one-half inch." +121624,727963,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN NORFOLK",2017-12-23 05:00:00,EST-5,2017-12-23 17:00:00,1,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 657 AM EST there was a two-car accident on I-95 at mile marker 15 in Foxboro. One injury was reported. Two additional ice-related vehicle accidents were reported in Sharon. A tree and wires were down on Summer Street in Medway, near the high school. Ice accumulation up to one-quarter inch was reported in Western Norfolk County." +121624,727965,MASSACHUSETTS,2017,December,Winter Weather,"SUFFOLK",2017-12-22 21:00:00,EST-5,2017-12-23 17:00:00,1,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 115 PM EST, a tree branch fell in Boston at the intersection of Bowdoin and Beacon Streets, injuring one person on the scene. At 326 PM, a tree fell on a car on Hammond Street in Brookline. Ice accumulation of two-tenths inch was reported in Winthrop." +121624,727966,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN NORFOLK",2017-12-22 21:00:00,EST-5,2017-12-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 1247 PM EST, wires were down due to ice on Quarry Street in Quincy, near Avalon Drive; Power Outages resulted. At 120 PM, a tree was down on Randolph Avenue." +121624,727967,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN BRISTOL",2017-12-22 21:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 708 AM EST, a car rolled over on I-95 near Exit 8 in Mansfield. At 727 AM there was a multi-car accident on I-495 south at state route 140, near the Norton/Mansfield line." +118547,712193,NEW YORK,2017,August,Hail,"CORTLAND",2017-08-12 14:49:00,EST-5,2017-08-12 14:59:00,0,0,0,0,1.00K,1000,0.00K,0,42.53,-75.88,42.53,-75.88,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm developed over the area and produced dime to quarter sized hail." +118547,712194,NEW YORK,2017,August,Hail,"MADISON",2017-08-12 15:20:00,EST-5,2017-08-12 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.97,-75.67,42.97,-75.67,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm developed over the area and produced half dollar sized hail." +118547,712195,NEW YORK,2017,August,Hail,"MADISON",2017-08-12 15:26:00,EST-5,2017-08-12 15:36:00,0,0,0,0,1.00K,1000,0.00K,0,42.98,-75.59,42.98,-75.59,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm developed over the area and produced walnut sized hail." +118547,712198,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-12 15:00:00,EST-5,2017-08-12 15:10:00,0,0,0,0,8.00K,8000,0.00K,0,42.5,-75.77,42.5,-75.77,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees blocking the road at State Park." +118547,712200,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 15:42:00,EST-5,2017-08-12 15:52:00,0,0,0,0,5.00K,5000,0.00K,0,42.55,-75.25,42.55,-75.25,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +120325,720997,KANSAS,2017,August,Hail,"BARBER",2017-08-16 15:55:00,CST-6,2017-08-16 15:55:00,0,0,0,0,,NaN,,NaN,37.09,-98.41,37.09,-98.41,"A surface cold front crossed western Kansas early in the morning as an upper level trough crossed the West Central High Plains. Along and just north of this southeast moving cold front, early morning showers and thunderstorms evolved, some producing large hail.","Very strong winds accompanied the hail but no estimates were given." +120325,720998,KANSAS,2017,August,Hail,"BARBER",2017-08-16 16:00:00,CST-6,2017-08-16 16:00:00,0,0,0,0,,NaN,,NaN,37.09,-98.4,37.09,-98.4,"A surface cold front crossed western Kansas early in the morning as an upper level trough crossed the West Central High Plains. Along and just north of this southeast moving cold front, early morning showers and thunderstorms evolved, some producing large hail.","" +120325,720999,KANSAS,2017,August,Hail,"BARBER",2017-08-16 16:10:00,CST-6,2017-08-16 16:10:00,0,0,0,0,,NaN,,NaN,37.09,-98.4,37.09,-98.4,"A surface cold front crossed western Kansas early in the morning as an upper level trough crossed the West Central High Plains. Along and just north of this southeast moving cold front, early morning showers and thunderstorms evolved, some producing large hail.","" +120325,721000,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-16 15:23:00,CST-6,2017-08-16 15:23:00,0,0,0,0,,NaN,,NaN,37.15,-98.78,37.15,-98.78,"A surface cold front crossed western Kansas early in the morning as an upper level trough crossed the West Central High Plains. Along and just north of this southeast moving cold front, early morning showers and thunderstorms evolved, some producing large hail.","Winds were estimated to be at least 60 MPH." +118733,713256,MISSISSIPPI,2017,August,Tornado,"HARRISON",2017-08-30 00:00:00,CST-6,2017-08-30 00:02:00,0,0,0,0,0.00K,0,0.00K,0,30.3962,-88.9121,30.3983,-88.9118,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","A tornado touched down one block north of US Highway 90 on Fr. Ryan Street. The storm proceeded northward through Keesler Circle with minor tree damage. The last home in the back of the circle had a large hardwood tree uprooted, which damaged two homes and a vehicle, and moved to the southern edge of Keesler AFB and lifted. A small tree was blown down on the AFB. Estimated maximum wind speed 80 mph." +120323,720950,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-09 18:37:00,CST-6,2017-08-09 18:37:00,0,0,0,0,,NaN,,NaN,37.05,-98.46,37.05,-98.46,"Northwest flow aloft persisted this day, and weak disturbances tracked over the region. Instability increased as a cold front sunk into the CWA. In addition, the airmass over the central Plains continued to be fairly moist. This was enough lift and instability to produce a thunderstorm in Barber county with 4.25 in hail and 70 mph winds.","There was also giant hail reported in the area." +119645,718092,OKLAHOMA,2017,August,Thunderstorm Wind,"WAGONER",2017-08-06 00:40:00,CST-6,2017-08-06 00:40:00,0,0,0,0,0.00K,0,0.00K,0,36.0754,-95.6584,36.0754,-95.6584,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped trees near E 61st Street S and S 286th E Avenue, near Oak Grove." +119645,718093,OKLAHOMA,2017,August,Thunderstorm Wind,"ROGERS",2017-08-06 00:46:00,CST-6,2017-08-06 00:46:00,0,0,0,0,15.00K,15000,0.00K,0,36.0875,-95.4994,36.0875,-95.4994,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind blew down power poles, uprooted trees, and damaged buildings along the 4210 Road. A storm chaser measured 90 mph thunderstorm wind gusts in the area." +119645,718095,OKLAHOMA,2017,August,Thunderstorm Wind,"ROGERS",2017-08-06 00:46:00,CST-6,2017-08-06 00:46:00,0,0,0,0,10.00K,10000,0.00K,0,36.0896,-95.5161,36.0896,-95.5161,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind tore the siding off a home, blew a satellite dish off a home, broke a metal flag pole, and uprooted trees south of Inola near the 640 Road and the 4208 Road. A storm chaser measured 90 mph thunderstorm wind gusts in the area." +117686,707684,COLORADO,2017,August,Lightning,"DOLORES",2017-08-13 10:45:00,MST-7,2017-08-13 10:45:00,1,0,1,0,0.00K,0,0.00K,0,37.7838,-107.9374,37.7838,-107.9374,"A moist air mass and weak disturbance embedded in the flow resulted in the development of some intense thunderstorms over a portion of southwest Colorado before noon.","Lightning struck two mountain bikers who had gotten below tree line to seek shelter. One mountain biker was killed. The other only had minor injuries and her clothes were shredded. They had been riding on a trail just above the 10,200 foot level on the East Fork Trail near the Lizard Head Wilderness Area. The mountain bikers were either under or very near a tree when struck by lightning. After being struck, the male victim was talking and conscious for about a minute, and then collapsed. CPR was administered immediately by the female victim, and then an EMT who was also mountain biking in the area came over to assist, but all efforts were unsuccessful." +118428,714487,NEBRASKA,2017,August,Hail,"GOSPER",2017-08-13 22:00:00,CST-6,2017-08-13 22:00:00,0,0,0,0,25.00K,25000,150.00K,150000,40.6723,-99.9382,40.6723,-99.9382,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714488,NEBRASKA,2017,August,Thunderstorm Wind,"GOSPER",2017-08-13 23:04:00,CST-6,2017-08-13 23:04:00,0,0,0,0,25.00K,25000,250.00K,250000,40.39,-99.9,40.39,-99.9,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","Wind gusts were estimated to be near 65 MPH." +118428,714489,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-13 23:22:00,CST-6,2017-08-13 23:22:00,0,0,0,0,0.00K,0,0.00K,0,40.3067,-100.1555,40.3067,-100.1555,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714490,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-13 23:24:00,CST-6,2017-08-13 23:24:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-99.938,40.3,-99.938,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714492,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-13 23:31:00,CST-6,2017-08-13 23:31:00,0,0,0,0,25.00K,25000,0.00K,0,40.3067,-100.1555,40.3067,-100.1555,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","A storm chaser reported several downed tree branches in Cambridge, a few were up to 6 to 8 inches in diameter." +118428,714493,NEBRASKA,2017,August,Hail,"FURNAS",2017-08-13 23:35:00,CST-6,2017-08-13 23:35:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-99.9821,40.3,-99.9821,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714495,NEBRASKA,2017,August,Hail,"FURNAS",2017-08-14 00:22:00,CST-6,2017-08-14 00:22:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-100.12,40.12,-100.12,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +118428,714496,NEBRASKA,2017,August,Hail,"DAWSON",2017-08-14 01:22:00,CST-6,2017-08-14 01:22:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-100.07,40.88,-100.07,"Between the evening of Sunday the 13th and the pre-dawn hours of Monday the 14th, a few small clusters of severe thunderstorms pressed southward across far western portions of South Central Nebraska, yielding several reports of severe-criteria hail and winds within Dawson, Gosper and Furnas counties, along with very-localized heavy rainfall in excess of 3 inches. As for hail, the largest reported stones up to ping pong size fell in Cozad and near Johnson Lake, with half dollar size hail reported in Gothenburg and near Holbrook. As for severe winds, a mesonet station near Cambridge measured a peak of 68 MPH and a storm chaser near Arapahoe clocked a 65 MPH gust. Several tree branches were downed in Cambridge, some up to 6-8 inches in diameter. Rainfall-wise, most areas affected by this convection received less than 2, but localized pockets of all three affected counties tallied 3 or more, including 3.72 in Cozad. However, any known flooding impacts were fairly minimal. ||Timing-wise, the first severe storms of the night to affect the local area drifted into Dawson County from the north between 9:00-10:30 p.m. CDT, including an embedded supercell in the western half of the county. For the next several hours, this storm expanded into a small-scale severe cluster as it trudged slowly southward through Gosper and Furnas counties, eventually weakening/dissipating near the KS border around 2 a.m. CDT. Meanwhile, another cluster of strong to perhaps marginally severe storms redeveloped over Dawson County between 1:30-3:30 a.m. CDT, but the only ground-truth report consisted of penny size hail at Willow Island. By 3:30 a.m. CDT the severe weather threat had ended, with only weak convection gradually fading thereafter. ||Meteorologically, this was a fairly classic case of a weakly forced but moderately unstable late-summer severe storm setup. In the mid-upper levels, flow was from the west-northwest, with a fairly subtle shortwave trough moving into the region. At the surface, a weak cold front was draped through north central and western Nebraska during the afternoon, sparking the initial severe convection of the day. Eventually, these storms propagated southward into the local area around dark, sustained into the night by considerable instability and a modest southwesterly low level jet of 25-30 knots (evident at 850 millibars). During the majority of the later evening, most-unstable CAPE was around 2000 J/kg and effective deep-layer wind shear averaged 30-40 knots.","" +120368,721118,LAKE MICHIGAN,2017,August,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-08-21 23:30:00,CST-6,2017-08-21 23:30:00,0,0,0,0,0.00K,0,0.00K,0,41.755,-86.968,41.755,-86.968,"Scattered thunderstorms moved across parts of southern Lake Michigan during the early morning hours of August 22nd.","A wind gust to 35 knots was measured at the Michigan City buoy." +120365,721111,LAKE MICHIGAN,2017,August,Waterspout,"WILMETTE HARBOR TO MICHIGAN CITY IN 5NM OFFSHORE TO MID LAKE",2017-08-07 09:30:00,CST-6,2017-08-07 09:32:00,0,0,0,0,0.00K,0,0.00K,0,41.89,-87.39,41.89,-87.39,"A waterspout was observed east of downtown Chicago as cooler air moved over southern Lake Michigan causing instability and showers.","A waterspout was observed approximately 12 miles east of Northerly Island." +122097,730989,TEXAS,2017,December,Winter Weather,"SOUTHERN NEWTON",2017-12-07 23:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Newton County. Schools closed during the event since some roads became icy." +119035,716488,MINNESOTA,2017,September,Tornado,"CHIPPEWA",2017-09-19 23:18:00,CST-6,2017-09-19 23:20:00,0,0,0,0,0.00K,0,0.00K,0,44.936,-95.7351,44.9425,-95.6928,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","This tornado began on the Chippewa County side of the Minnesota River, just east of the Montevideo golf course. It moved east-northeast across the south side of Montevideo. Most of the damage was to trees, but siding and shingles were taken off a few homes and the Montevideo Community Center." +119035,715379,MINNESOTA,2017,September,Thunderstorm Wind,"MILLE LACS",2017-09-20 00:55:00,CST-6,2017-09-20 00:55:00,0,0,0,0,0.00K,0,0.00K,0,46.2,-93.77,46.2,-93.77,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Several trees and power lines were blown down north of Vineland." +122099,730992,LOUISIANA,2017,December,Tornado,"CALCASIEU",2017-12-20 02:17:00,CST-6,2017-12-20 02:24:00,0,0,0,0,250.00K,250000,0.00K,0,30.4354,-93.4762,30.4584,-93.4019,"A weak cold front and a short wave moved through the region during the early morning of the 20th. A pair of tornadoes developed along the cold front in Calcasieu Parish.","An EF-1 tornado touched down near the Industrial Airpark west of|DeQuincy, damaging a hangar door. An industrial site nearby lost part of its roof.|Numerous trees and power lines were downed along and south of Hwy 12 through|DeQuincy to Hwy 27. The tornado cross north of Hwy 12 and ended near the Calcasieu|Parish line north of Hwy 12. Many homes and businesses received roof damage, from|the wind or trees falling on them. Several automobiles were damaged from flying|debris or trees falling on them. Other homes and businesses had window damage as|well from flying debris. At the high school, minor roof damage was reported, and|damage was seen at the baseball fields and another out building. At the DeQuincy|Sportsplex, a pavilion was destroyed. Max wind speed was estimated at 100 mph." +119035,716497,MINNESOTA,2017,September,Tornado,"SWIFT",2017-09-19 23:32:00,CST-6,2017-09-19 23:34:00,0,0,0,0,0.80M,800000,0.00K,0,45.3909,-95.4114,45.4125,-95.3726,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado touched down southwest of Camp Lake, where it hit some trees at a farmstead. It then moved across fields, damaging or destroying corn fields. It partially tore the roof off a turkey barn before hitting homes along the east side of Camp Lake. It was here that an observer reported his flag was blowing hard from the northwest as tennis ball size hail hit, then the flag suddenly switched and was blowing from the southeast while the hail continued, then from the southwest when the tornado moved in. One modular home had windows blown in, a porch blown away, and its roof was uplifted to the point where driving rain got into much of the house. The tornado then hit an abandoned farm, rolling a mobile home and destroying several outbuildings before moving into Pope County (see separate entry)." +119753,720344,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 07:00:00,CST-6,2017-08-29 22:59:00,0,0,0,0,0.00K,0,0.00K,0,29.5162,-95.1416,29.4157,-95.1032,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Numerous roads were flooded and impassable across northern and western Galveston County.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +122286,732174,VERMONT,2017,December,Extreme Cold/Wind Chill,"BENNINGTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from 10 below zero in Windham county to 18 below zero in Bennington county, Vermont. These cold temperatures resulted in dangerous wind chills ranging from 11 below to 31 degrees below zero during the early morning hours of New Years day.","" +122286,732175,VERMONT,2017,December,Cold/Wind Chill,"EASTERN WINDHAM",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from 10 below zero in Windham county to 18 below zero in Bennington county, Vermont. These cold temperatures resulted in dangerous wind chills ranging from 11 below to 31 degrees below zero during the early morning hours of New Years day.","" +122286,732176,VERMONT,2017,December,Cold/Wind Chill,"WESTERN WINDHAM",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from 10 below zero in Windham county to 18 below zero in Bennington county, Vermont. These cold temperatures resulted in dangerous wind chills ranging from 11 below to 31 degrees below zero during the early morning hours of New Years day.","" +122288,732178,MASSACHUSETTS,2017,December,Extreme Cold/Wind Chill,"NORTHERN BERKSHIRE",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from two degrees below zero to 20 degrees below zero in Berkshire county, Massachusetts. These cold temperatures resulted in dangerous wind chills ranging from 12 degrees below zero to 29 degrees below zero during the early morning hours of New Years day.","" +122288,732179,MASSACHUSETTS,2017,December,Cold/Wind Chill,"SOUTHERN BERKSHIRE",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from two degrees below zero to 20 degrees below zero in Berkshire county, Massachusetts. These cold temperatures resulted in dangerous wind chills ranging from 12 degrees below zero to 29 degrees below zero during the early morning hours of New Years day.","" +122290,732180,CONNECTICUT,2017,December,Cold/Wind Chill,"NORTHERN LITCHFIELD",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from 2 degrees below zero to 14 degrees below zero in Litchfield county, Connecticut. These cold temperatures resulted in dangerous wind chills ranging from 8 degrees below zero to 20 degrees below zero during the early morning hours of New Years day.","" +118434,718005,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-12 19:21:00,CST-6,2017-08-12 19:21:00,0,0,0,0,20.00K,20000,0.00K,0,41.41,-99.64,41.41,-99.64,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","Emergency manager reports numerous damaged trees in Broken Bow." +118593,718179,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-26 17:39:00,MST-7,2017-08-26 17:39:00,0,0,0,0,,NaN,0.00K,0,44.7929,-102.4914,44.7929,-102.4914,"A severe thunderstorm tracked eastward across northern Meade County and produced large hail in some areas.","The ground was covered with hail." +119848,718502,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-08-25 11:46:00,EST-5,2017-08-25 11:46:00,0,0,0,0,,NaN,,NaN,25.59,-80.1,25.59,-80.1,"A slow moving tropical disturbance meandering around the state lead to several rounds of strong storms. One of these storms produced a strong wind gust as it moved offshore Miami-Dade County.","A thunderstorm produced a wind gust to 38 knots (44 mph) at the C-MAN station FWFY1 located at Fowey Rocks at 1246 PM EDT. The anemometer at this station is located at a height of 145 ft." +121373,726518,LOUISIANA,2017,December,Drought,"LINCOLN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +118772,719498,FLORIDA,2017,September,Tropical Storm,"OSCEOLA",2017-09-10 17:00:00,EST-5,2017-09-11 10:00:00,0,0,0,0,100.00M,100000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening while weakening to a Category 2 hurricane approximately 50 miles west of Kissimmee. A long duration of damaging winds occurred across Osceola County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded at the Okeechobee Airport ASOS (KISM; 44 mph from the southeast at 1849LST on September 10) and the highest measured peak gust was 73 mph at a Poinciana WeatherStem site at 2013LST. A preliminary damage assessment from the county listed 183 affected residential and business structures, with an additional 3,934 with minor damage, 95 with major damage and 23 destroyed. The total estimated damage cost was $100 million. Damage occurred primarily to roof shingles, soffits, awnings, and pool enclosures. Mobile homes experienced more extensive structural damage. Many trees were uprooted or snapped." +118772,719499,FLORIDA,2017,September,Tropical Storm,"ORANGE",2017-09-10 17:00:00,EST-5,2017-09-11 11:00:00,0,0,0,6,110.00M,110000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening and overnight while weakening to a Category 2 hurricane approximately 60 miles west of Orlando. A long duration of damaging winds occurred across Orange County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded at the Orlando International Airport ASOS (KMCO; 59 mph from the east at 0019LST on September 11) and the highest measured peak gust was 79 mph from the northeast at 1744LST on September 10. A peak wind gust of 91 mph was recorded at the top of the Disney Contemporary Resort in Orlando (106 feet above ground level) at 1950LST on September 10. The total estimated damage cost was $110 million. Damage occurred primarily to roof shingles, soffits, awnings, and pool enclosures. Numerous trees were uprooted or snapped, some falling onto homes resulting in additional structural damage. There were 6 fatalities indirectly related to Hurricane Irma, one resulting from an vehicle accident during heavy rain and strong winds, two due to electrocutions (downed power line and on ladder trimming trees during clean-up when ladder touch a power line) and three from carbon monoxide poisoning associated with a generator running in a laundry room." +118772,720119,FLORIDA,2017,September,Flood,"SEMINOLE",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,28.8029,-81.2695,28.8099,-81.075,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 10 and 13 inches, resulting in areas of urban and poor drainage flooding. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. The most impacted areas occurred within Altamonte Springs, Casselberry, Longwood and Sanford." +119765,718258,WISCONSIN,2017,September,Hail,"CRAWFORD",2017-09-20 17:30:00,CST-6,2017-09-20 17:30:00,0,0,0,0,0.00K,0,0.00K,0,43.32,-90.93,43.32,-90.93,"A line of thunderstorms developed across portions of central into western Wisconsin during the afternoon of September 20th. Some of these storms produced hail up to golf ball sized near the south end of Petenwell Lake (Adams County).","" +120281,720691,SOUTH DAKOTA,2017,September,Hail,"LAKE",2017-09-15 18:05:00,CST-6,2017-09-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.03,-97.36,44.03,-97.36,"A thunderstorm developed in east central South Dakota and quickly became severe and produced severe-sized hail. A brief tornado was also spawned that resulted in minimal damage.","" +120281,720692,SOUTH DAKOTA,2017,September,Tornado,"LAKE",2017-09-15 18:04:00,CST-6,2017-09-15 18:08:00,0,0,0,0,0.00K,0,0.00K,0,44.0202,-97.3186,44.0151,-97.3111,"A thunderstorm developed in east central South Dakota and quickly became severe and produced severe-sized hail. A brief tornado was also spawned that resulted in minimal damage.","A brief tornado damaged very old out buildings at an abandoned farmstead." +119125,720755,FLORIDA,2017,September,Tropical Storm,"MARION",2017-09-10 22:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||Marion County experienced widespread tree and power line damage from tropical storm force winds. A location about 5 miles ENE of Ocala measured a 24-hr rainfall total on 9/10 of 7.30 inches, which was in advance of Irma's heavy rainfall band. At 1 am on 9/11, trees and power lines were blown down about 10 miles SW of Santos. At 1 am, trees were blown down and blocked the road along SE 50th terrace and a tree was down across 14th Street in Ocala. Trees and power lines were blown down over the road at the intersection of SE 50th terrace and SE 21st Street in Ocala. Additional reports of trees and power lines blown down continued through the pre-dawn hours on 9/11 around Ocala with a report of a tree blown down onto a roof on SW 41st Avenue in Ocala. At 2:20 am, power lines were blown down into a yard on 38th Street in Ocala, and at 2:40 am, a 12-inch in diameter tree crushed a vehicle and tore a hole into a roof along SE 47th Place in Ocala. Around 1 am, a tree was blown down onto a power line in Belleview. At 8:35 pm on 9/11, the public reported storm total rainfall of 5.42 inches about 5 miles ENE of Ocala.||The Ocklawaha River near Conner set a record flood stage at 40.07 feet on 09/11 at 1000 EDT. The Ocklawaha River at Eureka set a record flood stage at 25.49 feet on 09/13 at 0515 EDT. The Ocklawaha River near Ocala set a record flood stage at 41.31 feet on Sept 11th at 0745 EDT.||Storm total rainfall included 11.51 inches about 9 miles S of Interlachen, 10.12 inches 4.6 miles N of Ocala, 9.96 inches 11.2 miles SW of Ocala, and 9.0 inches 4.9 miles NE of Ocklawaha." +119125,720552,FLORIDA,2017,September,Tropical Storm,"ST. JOHNS",2017-09-10 07:23:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||St. Johns County was impacted by strong tropical storm winds, storm surge as well as multiple tornadoes due to Hurricane Irma. On 9/10 at 8:23 am, a mesonet station in Vilano Beach measured a sustained wind of 47 mph with gusts up to 54 mph. At 9:39 am, the St. Augustine airport AWOS station measured winds of 39 mph with gusts up to 53 mph. At 10:05 am, the Vilano beach mesonet station measured a winds of 56 mph with gusts of 62 mph. At 7:40 pm, a mesonet station 2 miles NW of St. Augustine measured a sustained wind of 30 mph with gusts to 50 mph. At 8:46 pm, the St. Augustine airport AWOS measured a wind gust of 58 mph. At 9 pm, the C-man Station at the St. Augustine Pier measured a sustained wind of 53 mph with a gust to 64 mph. On 9/11 at 12:46 am, the St. Augustine AWOS at the airport measured a sustained wind of 48 mph (42 kt) and a gust of 71 mph (62 kt). At 1:30 am, a roof was blown off of a barn at the 2500 block of Deerwood Lane. At 3:30 am, multiple trees were blown down at the Trinity Rescue Mission Freedom Farm Facility. A roof was blown off of one of the buildings and a fence was blown down. ||Durbin Creek at Race Track Road crested at 6.69 feet on Sept 11th at 1600 EDT. Major flooding occurred at this level. The St Johns River at Racy Point crested at 4.60 feet on Sept 11th at 1648 EDT. Major flooding occurred at this level. Deep Creek at Spuds set a record flood stage at 6.57 feet on Sept 11th at 2200 EDT. Major flooding occurred at this level. The Tolomato River above the St Augustine airport set a record flood stage at 5.58 feet on Sept 11th at 0206 EDT. Major flooding occurred at this level.||Storm total rainfall included 10.22 inches in St. Augustine South." +120273,720892,CALIFORNIA,2017,September,Debris Flow,"MARIPOSA",2017-09-21 03:00:00,PST-8,2017-09-21 05:17:00,0,0,0,0,0.00K,0,0.00K,0,37.6798,-119.7505,37.6773,-119.7383,"A cold and moist upper low which originated in the Gulf of Alaska pushed into California on September 21 bringing widespread precipitation, increased winds and much cooler than normal temperatures to the area. Winds picked up across the area again on the evening of September 20 and continued through the afternoon of September 21 with the strongest observed gusts being observed at the indicator ridge top sites in the Kern County Mountains. In addition, widespread precipitation impacted to area on the 21st with several locations in the San Joaquin Valley measuring a few tenths of an inch of rainfall while several locations in the Southern Sierra Nevada from Yosemite Park southward to Fresno County picked up between an inch and an inch and a half of liquid precipitation. The precipitation fell as snow above 11000 feet during the early morning hours of the 21st. the snow level lowered to around 7000 feet in Yosemite Park by late morning. Tuolumne Meadows measures three inches of new snowfall while State Route 120 through Tioga Pass was shut down due to accumulating snow.","National Park Service employees at Yosemite National Park reported a rock slide at Dog Rock that closed State Route 140 2 miles east of El Portal due to large boulders on the road." +120341,721054,ARIZONA,2017,September,Flash Flood,"NAVAJO",2017-09-09 15:58:00,MST-7,2017-09-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-110.04,34.6677,-110.0212,"Moisture associated with an increase in southerly winds brought showers and thunderstorms to northern Arizona. One of the thunderstorms brought heavy rain and flash flooding close to Snowflake.","A thunderstorm with heavy rain caused a flash flood in the normally dry Dry Silver Creek Wash. A video submitted by weather spotter showed the water to be around six feet deep." +114222,685746,MISSOURI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-06 19:57:00,CST-6,2017-03-06 20:02:00,0,0,0,0,,NaN,,NaN,38.89,-94.53,38.89,-94.53,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A narrow swath of wind, perhaps consistent with a mesovortex did some damage to portions of Grandview. Power lines were reported down across the city and several structures had some minor roof and siding damage. Straight line thunderstorm wind was determined to the be the cause due to the unidirectional layout of the debris field." +114222,685747,MISSOURI,2017,March,Thunderstorm Wind,"DAVIESS",2017-03-06 19:59:00,CST-6,2017-03-06 20:02:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-93.8,39.99,-93.8,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An Emergency Manager for Daviess County reported 70 mph wind near Jamesport." +119924,721981,MASSACHUSETTS,2017,September,Tropical Storm,"EASTERN ESSEX",2017-09-20 13:00:00,EST-5,2017-09-21 13:55:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 1 PM EST, a tree was down on Lowell Street near the Peabody City Hall. At 220 PM EST, a tree and wires were down in Danvers across Poplar Street at Shetland Road. At 640 PM EST a tree was down on Driscoll Street in Peabody. At 404 PM EST a tree was down on the back of a house on Winthrop Avenue in Marblehead. At 424 AM EST on Sept 21, a tree was down on Willow Road in Nahant. At 652 AM EST on Sept 21, a tree was down on Lafayette Street in Salem. At 931 AM EST on Sept 21 a tree was down on wires at Russell Street in Peabody. At 153 PM EST on Sept 21 a tree blocked the sidewalk on Holyoke Street in Lynn." +119924,721984,MASSACHUSETTS,2017,September,Tropical Storm,"BARNSTABLE",2017-09-20 18:50:00,EST-5,2017-09-22 12:05:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 654 PM EST, a tree was down on Highland Avenue at Lewis Pond Road in Barnstable. At 920 PM EST a tree was down on Herring Brook Way in Orleans. At 405 AM EST on Sept 21, a tree blocked the Service Road between Chase Road and the McCarthy Care Center. At 615 AM on Sept 21 a tree was down in Harwich on Old Chatham Road near Depot Street. At 825 AM on Sept 21 a tree blocked Main Street in Chatham. At 121 PM EST on Sept 21 in Falmouth a large tree and power lines were down on Turner Road. At 341 PM EST a tree was down on River Road in Marstons Mills. At 400 PM on Sept 21 a tree was down on Main Street in Brewster. At 442 PM on Sept 21, a wind gust to 63 mph was measured at Woods Hole. At 1211 AM on Sept 22 a sustained wind of 40 mph and a gust to 58 mph was measured by a spotter at East Falmouth. At 514 AM EST on Sept 22 a tree was blocking Cranberry Trail near Quail Run Lane. At 635 AM on Sept 22, a tree blocked Gilbert Lane in Harwich between Doane and South Streets. At 842 AM on Sept 22 a tree was down on wires on Snake Pond Road in Sandwich at Old Snake Pond Road. At 1205 PM on Sept 22 a large tree was down on Sandpiper Road in Harwich." +120239,720397,NEBRASKA,2017,September,Hail,"BUFFALO",2017-09-15 19:53:00,CST-6,2017-09-15 19:53:00,0,0,0,0,0.00K,0,0.00K,0,40.8668,-99.17,40.8668,-99.17,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +120239,720398,NEBRASKA,2017,September,Hail,"KEARNEY",2017-09-15 20:46:00,CST-6,2017-09-15 20:46:00,0,0,0,0,0.00K,0,0.00K,0,40.4945,-99.12,40.4945,-99.12,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","" +120239,720400,NEBRASKA,2017,September,Hail,"BUFFALO",2017-09-15 19:37:00,CST-6,2017-09-15 19:42:00,0,0,0,0,200.00K,200000,3.00M,3000000,40.8134,-99.217,40.8379,-99.17,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","Hail ranged in size from quarters to ping pong balls." +120239,720406,NEBRASKA,2017,September,Heavy Rain,"BUFFALO",2017-09-15 16:30:00,CST-6,2017-09-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-99.37,40.72,-99.37,"A few storms produced severe hail a possibly a couple severe wind gusts on this Friday afternoon and evening. The first couple storms formed southwest of Holdrege between 3 and 4 PM CST. These storms were joined by other small storms as they moved northeast over the following hour, between Lexington and Holdrege. Between 5 and 7 PM CST, other storms formed along an axis from Norton, KS to O'Neill, NE. Among the original storms, cell mergers occurred over northwest Phelps County, southeast Dawson County, and extreme western Buffalo County, forming a multicell cluster oriented from southwest to northeast. New cells formed to the southwest with cells repeatedly training over this area through 9 PM CST. A spotter estimated 3.5 to 4 inches of rain in Elm Creek. From 6 to 8 PM CST, these storms produced hail in several locations from Overton into western Buffalo County, between Amherst and Riverdale. The largest of this hail was 1.5 inches in diameter. A couple spotters estimated winds of 60 to 65 mph. Several new, small storms formed further to the south between 8 and 9 PM CST, and as they moved northeast, they expanded to the east-southeast to near Geneva. As this occurred, all of the storms lifted northeast, bringing an end to where thunderstorms occurred earlier in the evening. These storms were not severe, except for one storm that briefly produced hail up to the size of nickels in Kearney County, around 845 PM CST.||During the previous night, a strong cool front moved into Nebraska and became quasi-stationary from southwest to northeast across the state. This front remained stationary throughout the day, and then it slowly inched to the southeast during the evening. The training storms may have been a direct result of the slow movement of this front. In the upper-levels, a longwave trough was over the western U.S., with a ridge over the East. Winds were from the southwest over the Central Plains. When the initial storms developed, surface temperatures were in the lower 90s, with dewpoints in the upper 50s to near 60. Mid-level lapse rates were poor, but MLCAPE was still between 1000 and 2000 J/kg. Effective deep layer shear was 25 to 30 kts.","Rainfall amounts between 3.5 and 4 inches fell in Elm Creek, resulting in some minor street flooding in town." +118700,713038,COLORADO,2017,September,Dense Fog,"UPPER YAMPA RIVER BASIN",2017-09-01 05:15:00,MST-7,2017-09-01 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual low level moisture in the wake of a departing upper level disturbance allowed dense fog to form in the Upper Yampa River Basin.","Dense fog occurred across portions of the Upper Yampa River Basin along Colorado Highway 40, as well as the the Steamboat Springs Airport where the visibility dropped down to a quarter mile." +118826,713840,COLORADO,2017,September,Thunderstorm Wind,"MESA",2017-09-04 16:50:00,MST-7,2017-09-04 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.1947,-108.6001,39.1118,-108.5035,"Showers and thunderstorms across the area produced strong outflow winds enhanced by a dry low level air mass.","A strong microburst snapped several power poles in the desert north of Grand Junction where the outflow winds were most intense. Over 5200 homes were without power for almost two hours. A pickup truck received minor damage from the downed power lines. The ASOS weather station at the Grand Junction Regional Airport measured wind gusts to 60 mph from the winds that flowed out beyond the main microburst impact area where the winds were likely stronger." +118900,714314,UTAH,2017,September,Thunderstorm Wind,"GRAND",2017-09-14 14:45:00,MST-7,2017-09-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-109.22,39.28,-109.22,"A jet stream flow at the base of a Pacific disturbance which moved through the region enhanced thunderstorm development which resulted in some storms that produced strong outflow winds.","A peak thunderstorm wind gust of 72 mph was measured by the Bryson Canyon RAWS automated weather station." +118899,714299,COLORADO,2017,September,Thunderstorm Wind,"MESA",2017-09-14 14:00:00,MST-7,2017-09-14 14:15:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-108.93,39.27,-108.93,"A jet stream flow at the base of a Pacific disturbance which moved through the region enhanced thunderstorm development which resulted in some storms that produced strong outflow winds.","A peak thunderstorm wind gust of 60 mph was measured by a trained spotter near Mack." +120543,722182,COLORADO,2017,September,Hail,"KIT CARSON",2017-09-14 17:00:00,MST-7,2017-09-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4183,-102.1454,39.4183,-102.1454,"A thunderstorm produced hail up to quarter size northeast of Burlington.","Mostly pea to dime size hail fell. There were a few quarter size hail stones that fell." +120590,722651,SOUTH CAROLINA,2017,September,Tropical Storm,"CHARLESTON",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Charleston County Emergency Management reported numerous trees and power lines down across the county due to strong winds associated with Tropical Storm Irma. One large live oak tree fell on a house and a vehicle on Gulf Drive in Mount Pleasant. Also, strong winds caused severe roof damage to a home on Sullivan's Island. The ASOS site at the Charleston International Airport (KCHS) measured peak sustained winds of 43 mph and a peak wind gust of 60 mph. The AWOS site at the Charleston Executive Airport on Johns Island (KJZI) measured peak sustained winds of 40 mph and a peak wind gust of 59 mph. The Weatherflow site at the Folly Beach pier measured peak sustained winds of 59 mph and a peak wind gust of 72 mph. The Weatherflow site at the Isle of Palms pier measured peak sustained winds of 56 mph and a peak wind gust of 68 mph. The Weatherflow site at Station 28.5 on Sullivan's Island measured peak sustained winds of 53 mph and a peak wind gust of 68 mph. The Weatherflow site near Charleston at Batter Point measured peak sustained winds of 48 mph and a peak wind gust of 66 mph. The National Weather Service official observation site near Waterfront Park in Downtown Charleston measured peak sustained winds of 40 mph and a peak wind gust of 52 mph. The National Ocean Service tide gauge in Downtown Charleston measured peak sustained winds of 48 mph and a peak wind gust of 61 mph. The National Ocean Service C-MAN site at the north end of Folly Beach measured peak sustained winds of 48 mph and a peak wind gust of 56 mph. Finally, the RAWS site in the Ace Basin measured a peak wind gust of 53 mph." +120694,722944,SOUTH DAKOTA,2017,September,Hail,"MCPHERSON",2017-09-19 18:25:00,CST-6,2017-09-19 18:25:00,0,0,0,0,0.00K,0,0.00K,0,45.65,-99.49,45.65,-99.49,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722945,SOUTH DAKOTA,2017,September,Hail,"BROWN",2017-09-19 18:49:00,CST-6,2017-09-19 18:49:00,0,0,0,0,0.00K,0,0.00K,0,45.72,-98.31,45.72,-98.31,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722946,SOUTH DAKOTA,2017,September,Hail,"BROWN",2017-09-19 19:08:00,CST-6,2017-09-19 19:08:00,0,0,0,0,0.00K,0,0.00K,0,45.76,-98.31,45.76,-98.31,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,722947,SOUTH DAKOTA,2017,September,Hail,"SPINK",2017-09-19 19:50:00,CST-6,2017-09-19 19:50:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-98.1,44.89,-98.1,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120694,723031,SOUTH DAKOTA,2017,September,Tornado,"SPINK",2017-09-19 18:46:00,CST-6,2017-09-19 18:57:00,0,0,0,0,,NaN,,NaN,44.6717,-98.5656,44.7089,-98.5455,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","A tornado touched down 5.5 miles south southwest of Tulare, uprooting a large cottonwood tree in a field. The tornado then passed over pasture and cropland before reaching a residence about 3 miles southwest of Tulare. Large tree branches were broke around the farm yard. On the north side of the farm an outbuilding had significant structural and roof damage with tin from the roof lofted over a half mile to the north. Additionally, two trees were uprooted along the north edge of the property. The tornado continued to track through a soybean field with slight crop damage and debris evident along the path. About 2.8 miles southwest of Tulare an irrigation unit was toppled and the corn crop was leveled before the tornado lifted." +120694,723032,SOUTH DAKOTA,2017,September,Tornado,"CLARK",2017-09-19 19:55:00,CST-6,2017-09-19 19:56:00,0,0,0,0,0.00K,0,0.00K,0,44.8338,-97.7961,44.8349,-97.7955,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","A tornado touched downed briefly in an open field with no damage occurring." +119265,723143,SOUTH CAROLINA,2017,September,High Wind,"AIKEN",2017-09-11 09:00:00,EST-5,2017-09-11 09:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","SCHP reports several trees down in Aiken Co near the city of North Augusta." +119265,723144,SOUTH CAROLINA,2017,September,High Wind,"RICHLAND",2017-09-11 10:45:00,EST-5,2017-09-11 10:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","SCHP reported a few trees down in the southern portion of Richland Co mainly near Eastover." +119265,723145,SOUTH CAROLINA,2017,September,High Wind,"AIKEN",2017-09-11 10:50:00,EST-5,2017-09-11 10:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","SCHP reported several trees down near Aiken." +120587,722372,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.35,-92.22,47.351,-92.2171,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","County Road 338 south of Town Line Road was closed due to flooding over the road." +120587,722373,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.358,-92.2592,47.3583,-92.2576,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","Flooding of the Water Hen Creek closed traffic access to Wilson Road." +120587,722374,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.3695,-92.2422,47.3694,-92.2401,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","County Road 344 south of Town Line Road was closed due to flooding of Water Hen Creek." +120587,722375,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.3868,-92.2194,47.387,-92.2179,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","County State Aid Highway 99 was closed from Town Line Road north to County Road 343 due to flooding from Water Hen Creek." +120587,722376,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.3362,-92.3453,47.336,-92.3427,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","County Road 607/331 was closed east of Long Lake Road due to flooding." +120587,722377,MINNESOTA,2017,September,Flash Flood,"ST. LOUIS",2017-09-14 22:00:00,CST-6,2017-09-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,47.2964,-92.4773,47.2964,-92.4766,"Severe thunderstorms that moved across northeast Minnesota produced up to hen egg sized hail, damaging winds, and heavy rainfall that caused flooding.","Water was over the roadway at Old Highway 53." +118894,714276,MINNESOTA,2017,September,Dense Fog,"SOUTHERN ST. LOUIS / CARLTON",2017-09-15 14:00:00,CST-6,2017-09-15 14:00:00,0,0,0,1,,NaN,,NaN,NaN,NaN,NaN,NaN,"An elderly woman drowned when she drove into Island Lake after missing a curve in dense fog.","Dense fog developed across St. Louis County during the afternoon. The AWOS station at the Duluth International airport reporting visibility ranging from one-eighth of a mile to a quarter of a mile during the time the woman was supposedly driving back home. She missed a curve due to the foggy conditions and drove into Island Lake where her body was eventually recovered." +120585,722348,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-22 05:06:00,CST-6,2017-09-22 05:06:00,0,0,0,0,,NaN,,NaN,47.06,-93.92,47.06,-93.92,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few blown down trees were blocking the road." +120683,722831,CALIFORNIA,2017,September,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-29 02:00:00,PST-8,2017-09-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","Dense fog with a visibility of 1/4 mile or less impacted areas within 8 miles of the coast starting at 0200 PST. The fog retreated to the beaches after sunrise and lingered there into the afternoon. San Clemente was still reporting zero visibility at 1600 PST." +120683,722830,CALIFORNIA,2017,September,Dense Fog,"ORANGE COUNTY COASTAL",2017-09-29 06:00:00,PST-8,2017-09-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","Dense fog with visibility of 1/4 mile or less hugged the beaches of Orange County for most of the day. Huntington Beach Lifeguards reported near zero visibility for the entire day.|The Huntington Beach Air Show training was cancelled." +120683,722957,CALIFORNIA,2017,September,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-27 03:00:00,PST-8,2017-09-27 06:00:00,0,2,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","A small plane crashed due to dense fog with a visibility of 1/4 mile or less at San Diego Brown Field around 0300 PST." +120683,722958,CALIFORNIA,2017,September,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-28 06:00:00,PST-8,2017-09-28 06:30:00,0,0,0,0,120.00K,120000,0.00K,0,NaN,NaN,NaN,NaN,"In the wake of a weak trough of low pressure an upper level ridge built in over Southern California. This warming aloft compressed the marine layer along the coast. The result was night and morning dense fog over the coastal waters and within 2-4 miles of the coast, some of which lingered into the early afternoon along the beaches.","A 12 car pileup caused major traffic delays on Interstate 15 near the Interstate 8 interchange." +120701,722965,CALIFORNIA,2017,September,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-09-02 11:00:00,PST-8,2017-09-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Afternoon high temperatures in the valleys ranged from 100-106 degrees." +117564,707019,VERMONT,2017,August,Thunderstorm Wind,"ESSEX",2017-08-12 18:45:00,EST-5,2017-08-12 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,44.78,-71.84,44.78,-71.84,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines in Brighton." +117564,707020,VERMONT,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-12 18:50:00,EST-5,2017-08-12 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,44.31,-72.34,44.31,-72.34,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +118346,711122,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-22 17:00:00,EST-5,2017-08-22 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,44.14,-73.22,44.14,-73.22,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","Numerous trees and some utility lines down across roads." +118346,711123,VERMONT,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 17:00:00,EST-5,2017-08-22 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,44.78,-72.8,44.78,-72.8,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","A few utility lines downed by thunderstorm winds." +118346,711124,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-22 17:05:00,EST-5,2017-08-22 17:05:00,0,0,0,0,25.00K,25000,0.00K,0,44.16,-73.24,44.16,-73.24,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","Several trees snapped, blown over along with a roof blown off a 40 by 60 foot tin sided building with little structural support (from NWS storm survey)." +118346,711125,VERMONT,2017,August,Thunderstorm Wind,"ADDISON",2017-08-22 17:06:00,EST-5,2017-08-22 17:06:00,0,0,0,0,10.00K,10000,0.00K,0,44.25,-73.12,44.25,-73.12,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","Damage to trees and utility lines on Bear Pond road." +118346,711126,VERMONT,2017,August,Thunderstorm Wind,"CALEDONIA",2017-08-22 18:25:00,EST-5,2017-08-22 18:25:00,0,0,0,0,10.00K,10000,0.00K,0,44.43,-72.02,44.43,-72.02,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","Several trees down across town due to thunderstorm winds." +119705,717942,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 20-60NM",2017-08-28 14:50:00,EST-5,2017-08-28 14:50:00,0,0,0,0,0.00K,0,0.00K,0,28.52,-80.17,28.52,-80.17,"A developing tropical disturbance along the northeast Florida coast caused a rainband to form over the peninsula and spread offshore. Numerous showers within the rainband produced strong wind gusts while moving off the coast of Brevard County.","Buoy 41009, located 27 miles east-northeast of Port Canaveral, measured wind gusts of 35 knots from the southwest as a strong squall passed by." +118164,710136,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-01 18:50:00,MST-7,2017-08-01 21:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6525,-113.3514,33.6365,-113.2636,"Strong thunderstorms developed across portions of south-central Arizona during the evening hours on August 1st, including the areas around and to the south of Wickenburg in far northwest Maricopa County. Heavy rains fell in the early evening near and to the north of Wickenburg, in southern Yavapai County, and runoff from the rains caused washes such as Sols Wash, to flow heavily. Stream gage reports in the Tiger Wash to the southwest of Wickenburg indicated flow at least one foot deep resulting in flash flooding at Eagle Eye Road. No injuries or accidents resulted from the flash flooding.","Scattered thunderstorms developed over portions of northwest Maricopa County, in the areas around Wickenburg, during the evening hours on August 1st. Locally heavy rainfall caused area washes, including Sols and Tiger Washes, to run heavily. Rapidly rising water in these washes resulted in flash flooding that necessitated the closure of roads that crossed the washes. According to the Arizona Department of Highways, at 2045MST, flash flooding was observed in the Tiger Wash at Eagle Eye Road. A Maricopa County flood control gage reported 6 inches to one foot of water in the rapidly rising wash which resulted in Eagle Eye Road being closed. A Flash Flood Warning was in effect at the time, but for an area to the north of where the flash flooding occurred." +119547,717387,VIRGINIA,2017,September,Strong Wind,"CARROLL",2017-09-11 22:40:00,EST-5,2017-09-12 06:15:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several to fall across Carroll County, temporarily closing both County Line Road and Lauryl Branch Road." +119547,717390,VIRGINIA,2017,September,Strong Wind,"GRAYSON",2017-09-12 01:53:00,EST-5,2017-09-12 04:15:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused three trees to fall across Grayson County, including a large tree that fell near the intersection of Flatridge and Razor Ride Drive." +119547,717391,VIRGINIA,2017,September,Strong Wind,"SMYTH",2017-09-12 02:00:00,EST-5,2017-09-12 05:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several trees to fall across Smyth County, causing temporary closures on Route 15, Cedar Springs Road, and Southford Road." +119547,717394,VIRGINIA,2017,September,Strong Wind,"MONTGOMERY",2017-09-12 04:35:00,EST-5,2017-09-12 04:35:00,0,0,0,0,2.50K,2500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused a large limb to fall on a car just outside of the City of Blacksburg." +119547,717395,VIRGINIA,2017,September,Strong Wind,"FRANKLIN",2017-09-12 05:17:00,EST-5,2017-09-12 05:17:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused a tree to fall at the intersection of Bethlehem and Cahas Mountain Road." +120809,723459,FLORIDA,2017,September,Hurricane,"MONROE/UPPER KEYS",2017-09-09 10:00:00,EST-5,2017-09-10 19:30:00,5,0,0,1,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","Hurricane force wind damage was observed as follows: Roof panels and vinyl siding were stripped from mobile homes, with vinyl siding damage on single family residences. One service station canopy was completely overturned, without discernible deformities in the columns nor foundation. Peak wind gusts were estimated at 90 to 100 mph. In Tavernier, modern design large metal building systems exhibited failure of overhead doors on east and southeast-facing sides, with older designs including some pulled off exterior sheet panels. Peak gusts near 100 mph were estimated. From Key Largo through Ocean Reef, limited losses of built-up roof coverings and metal fascia from gas station canopies was observed. Some older strip malls in Key Largo exhibited large losses of shingle and barrel tile coveraings. Peak wind gusts near 90 mph were estimated. Injuries are estimated due to no hospitals operating nor rescue services during the hurricane impact." +114222,685688,MISSOURI,2017,March,Thunderstorm Wind,"HOLT",2017-03-06 18:18:00,CST-6,2017-03-06 18:21:00,0,0,0,0,,NaN,,NaN,40.1411,-95.2412,40.1411,-95.2412,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Tractor trailer rig overturned on I-29 near Mound City from thunderstorm winds." +114222,685755,MISSOURI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-06 20:05:00,CST-6,2017-03-06 20:08:00,0,0,0,0,,NaN,,NaN,38.92,-94.37,38.92,-94.37,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A NWS employee reported a 18-20 inch tree blown over and numerous 6 to 10 inch tree limbs down on the roadways." +119816,718424,IDAHO,2017,August,Wildfire,"SOUTH CENTRAL HIGHLANDS",2017-08-04 18:00:00,MST-7,2017-08-12 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The Powerline Fire began on August 4th 7 miles southeast of American Falls and burned grass, sage brush and juniper. Strong winds caused the fire to spread rapidly on the 5th finally reaching the size of 55,529 acres. The fire destroyed 6 outbuildings and 20 homes were threatened but not destroyed as flames reached 40 feet in length. The fire was determined to be human caused. Falling ash from the fire occurred in the city of Pocatello overnight on the 5th into the day on the 6th. Arbon Valley Highway had to be closed and many other nearby roads also were closed. Evacuations of the endangered homes was required. Michaud Creek Road, Mink Creek Road, and Trail Creek Road all closed and campers along the south fork of Mink Creek were evacuated along with resident of Pauline. One power pole was burned down and power lines downed briefly cutting power to 30 customers. The fire was 100 percent contained on August 11th.","The Powerline Fire began on August 4th 7 miles southeast of American Falls and burned grass, sage brush and juniper. Strong winds caused the fire to spread rapidly on the 5th finally reaching the size of 55,529 acres. The fire destroyed 6 outbuildings and 20 homes were threatened but not destroyed as flames reached 40 feet in length. The fire was determined to be human caused. Falling ash from the fire occurred in the city of Pocatello overnight on the 5th into the day on the 6th. Arbon Valley Highway had to be closed and many other nearby roads also were closed. Evacuations of the endangered homes was required. Michaud Creek Road, Mink Creek Road, and Trail Creek Road all closed and campers along the south fork of Mink Creek were evacuated along with resident of Pauline. One power pole was burned down and power lines downed briefly cutting power to 30 customers. The fire was 100 percent contained on August 11th." +119817,718425,IDAHO,2017,August,Wildfire,"UPPER SNAKE RIVER PLAIN",2017-08-02 14:00:00,MST-7,2017-08-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning caused a 24,500 acre wildfire about 5 miles south of Atomic City. The fire burned tall grass and brush in between lava rocks which made containment difficult for fire fighters. It began on August 2nd and was fully contained on August 6th. No structures were threatened by the fire.","Lightning caused a 24,500 acre wildfire about 5 miles south of Atomic City. The fire burned tall grass and brush in between lava rocks which made containment difficult for fire fighters. It began on August 2nd and was fully contained on August 6th. No structures were threatened by the fire." +119819,718427,IDAHO,2017,August,Wildfire,"EASTERN MAGIC VALLEY",2017-08-05 13:00:00,MST-7,2017-08-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Mammoth wildfire was reported on August 5th 7 miles north of Shoshone and rapidly grew to 60,000 acres due to strong winds. The fire burned grass and brush and threatened one primary residence and two minor structures. The cause of the fire was undetermined and was contained by August 10th.","The Mammoth wildfire was reported on August 5th 7 miles north of Shoshone and rapidly grew to 60,000 acres due to strong winds. The fire burned grass and brush and threatened one primary residence and two minor structures. The cause of the fire was undetermined and was contained by August 10th." +120046,719356,KANSAS,2017,August,Hail,"HARPER",2017-08-16 16:31:00,CST-6,2017-08-16 16:32:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-98.05,37.15,-98.05,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719357,KANSAS,2017,August,Hail,"SUMNER",2017-08-16 16:35:00,CST-6,2017-08-16 16:36:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-97.76,37.27,-97.76,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719359,KANSAS,2017,August,Hail,"SUMNER",2017-08-16 17:01:00,CST-6,2017-08-16 17:02:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-97.4,37.27,-97.4,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +120046,719360,KANSAS,2017,August,Heavy Rain,"WILSON",2017-08-16 16:15:00,CST-6,2017-08-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-95.95,37.57,-95.95,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Rainfall since 5 pm." +120046,719363,KANSAS,2017,August,Heavy Rain,"BUTLER",2017-08-16 14:00:00,CST-6,2017-08-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.86,37.82,-96.86,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Just under 3 inches of rain fell over the previous 24 hours." +120046,719364,KANSAS,2017,August,Heavy Rain,"NEOSHO",2017-08-16 16:00:00,CST-6,2017-08-16 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-95.24,37.57,-95.24,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Over 3 inches of rain was reported during the previous 24 hours." +120046,719365,KANSAS,2017,August,Thunderstorm Wind,"BUTLER",2017-08-16 14:45:00,CST-6,2017-08-16 14:46:00,0,0,0,0,0.00K,0,0.00K,0,37.69,-97.14,37.69,-97.14,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Large tree limbs were reported blown down." +117886,708469,ARKANSAS,2017,August,Heat,"UNION",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117887,708470,LOUISIANA,2017,August,Heat,"CADDO",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708471,LOUISIANA,2017,August,Heat,"BOSSIER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708472,LOUISIANA,2017,August,Heat,"DE SOTO",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708473,LOUISIANA,2017,August,Heat,"RED RIVER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +119363,716579,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:32:00,EST-5,2017-08-03 16:32:00,3,0,1,0,0.00K,0,0.00K,0,39.4383,-76.6053,39.4383,-76.6053,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree fell onto a vehicle near Pot Spring Road and Deer Fox Lane. The tree falling onto the vehicle resulted in one fatality and three injuries." +119363,716580,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:32:00,EST-5,2017-08-03 16:32:00,0,0,0,0,,NaN,,NaN,39.4243,-76.574,39.4243,-76.574,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Seminary Avenue and Milldam Road." +119363,716581,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:32:00,EST-5,2017-08-03 16:32:00,0,0,0,0,,NaN,,NaN,39.4642,-76.5769,39.4642,-76.5769,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near Jarrettsville Pike and Dulaney Valley Road." +119363,716836,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:38:00,EST-5,2017-08-03 16:38:00,0,0,0,0,,NaN,,NaN,39.4549,-76.5923,39.4549,-76.5923,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Multpile trees were down along MD 146." +119363,716837,MARYLAND,2017,August,Thunderstorm Wind,"CARROLL",2017-08-03 16:42:00,EST-5,2017-08-03 16:42:00,0,0,0,0,,NaN,,NaN,39.3783,-77.0908,39.3783,-77.0908,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A downed tree was near Flag Marsh Road and Grimville Road." +119363,716838,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-03 16:48:00,EST-5,2017-08-03 16:48:00,0,0,0,0,,NaN,,NaN,39.5159,-76.5267,39.5159,-76.5267,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Multiple trees were down in the neighborhood from Sunburst Road to Dairydale Road." +119363,716839,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-03 16:48:00,EST-5,2017-08-03 16:48:00,0,0,0,0,,NaN,,NaN,39.5388,-76.5027,39.5388,-76.5027,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down along the 2900 Block of Moores Road in Baldwin." +119363,716841,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-03 16:50:00,EST-5,2017-08-03 16:50:00,0,0,0,0,,NaN,,NaN,39.5546,-76.5256,39.5546,-76.5256,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down along Jarrettsville Pike and Hess Road." +119363,716842,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-03 16:50:00,EST-5,2017-08-03 16:50:00,0,0,0,0,,NaN,,NaN,39.5459,-76.5039,39.5459,-76.5039,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down along the 3100 Block of Morningside Court." +119363,716843,MARYLAND,2017,August,Thunderstorm Wind,"CARROLL",2017-08-03 16:55:00,EST-5,2017-08-03 16:55:00,0,0,0,0,,NaN,,NaN,39.3939,-77.0235,39.3939,-77.0235,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Several six to eight inch diameter tree limbs were down." +120027,719283,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-21 18:40:00,EST-5,2017-08-21 18:50:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 44 knots were reported at Pylons." +120027,719285,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-21 18:43:00,EST-5,2017-08-21 18:58:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 48 knots were reported at Monroe Creek." +120027,719286,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-21 18:52:00,EST-5,2017-08-21 18:52:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Cuckold Creek." +120027,719287,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-21 19:09:00,EST-5,2017-08-21 19:09:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Cobb Point." +120022,719983,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-07 11:10:00,EST-5,2017-08-07 11:40:00,0,0,0,0,0.00K,0,0.00K,0,39.15,-76.39,39.15,-76.39,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","Wind gusts up to 35 knots were reported at the Patapsco Buoy." +120023,719984,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-11 10:37:00,EST-5,2017-08-11 10:37:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","Wind gusts in excess of 30 knots were reported at Cuckold Creek." +120023,719985,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-08-12 01:44:00,EST-5,2017-08-12 01:54:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","A wind gusts of 34 knots was reported at Crisfield." +120165,719986,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-17 13:56:00,EST-5,2017-08-17 13:56:00,0,0,0,0,,NaN,,NaN,38.98,-76.48,38.98,-76.48,"Isolated showers and thunderstorms produced locally gusty winds.","Wind gusts in excess of 30 knots were reported at Annapolis." +121570,727653,NEW JERSEY,2017,December,High Wind,"EASTERN UNION",2017-12-25 09:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High sustained winds developed behind deepening low pressure and a cold front.","The ASOS at Newark International Airport measured a sustained wind of 40 mph at 937 am. A gust up to 51 mph occurred at the same time." +121571,727654,NEW YORK,2017,December,High Wind,"SOUTHERN QUEENS",2017-12-25 10:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High sustained winds developed behind deepening low pressure and a cold front.","The ASOS at JFK International Airport measured a 40 mph sustained wind at 10 am. A gust up to 49 mph was measured at the same time." +119611,717565,ARKANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-15 05:20:00,CST-6,2017-08-15 07:20:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-93.47,35.4619,-93.4461,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","We received reports of cars underwater at East Cherry Street and Millwood Road on the east side of Clarksville." +119886,718625,MISSOURI,2017,August,Hail,"RAY",2017-08-18 18:45:00,CST-6,2017-08-18 18:47:00,0,0,0,0,0.00K,0,0.00K,0,39.33,-93.91,39.33,-93.91,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","This report was received via social media." +119886,718626,MISSOURI,2017,August,Hail,"LAFAYETTE",2017-08-18 19:08:00,CST-6,2017-08-18 19:12:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-93.69,39.19,-93.69,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +119886,718627,MISSOURI,2017,August,Hail,"LAFAYETTE",2017-08-18 20:15:00,CST-6,2017-08-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.07,-93.72,39.07,-93.72,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","Dime to quarter sized hail lasted at this location for about 15 minutes, starting at 9:15 PM CDT (8:15 CST)." +119886,718628,MISSOURI,2017,August,Hail,"LAFAYETTE",2017-08-18 20:15:00,CST-6,2017-08-18 20:17:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-93.83,39.05,-93.83,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +119886,718629,MISSOURI,2017,August,Hail,"JOHNSON",2017-08-18 20:33:00,CST-6,2017-08-18 20:36:00,0,0,0,0,0.00K,0,0.00K,0,38.86,-93.74,38.86,-93.74,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +119886,718630,MISSOURI,2017,August,Hail,"JOHNSON",2017-08-18 20:42:00,CST-6,2017-08-18 20:43:00,0,0,0,0,0.00K,0,0.00K,0,38.8575,-93.5888,38.8575,-93.5888,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","One inch hail was reported near the intersection of 801st and 700th St." +119886,718631,MISSOURI,2017,August,Hail,"JOHNSON",2017-08-18 21:00:00,CST-6,2017-08-18 21:01:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-93.56,38.77,-93.56,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +117486,709261,DELAWARE,2017,August,Flood,"KENT",2017-08-07 11:30:00,EST-5,2017-08-07 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-75.52,39.1704,-75.516,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water on route 13 near White Oak road." +117486,709262,DELAWARE,2017,August,Flood,"KENT",2017-08-07 13:00:00,EST-5,2017-08-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-75.52,39.1597,-75.5314,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Minor street flooding in Dover." +117486,709263,DELAWARE,2017,August,Flood,"SUSSEX",2017-08-07 13:31:00,EST-5,2017-08-07 14:31:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-75.05,38.4578,-75.0537,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water on route 54 at DE 1." +117486,709264,DELAWARE,2017,August,Flood,"KENT",2017-08-07 14:00:00,EST-5,2017-08-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1805,-75.5787,39.1877,-75.5631,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","West Dennys road flooded in spots." +117486,709266,DELAWARE,2017,August,Flood,"KENT",2017-08-07 14:23:00,EST-5,2017-08-07 15:23:00,0,0,0,0,0.00K,0,0.00K,0,39.2974,-75.6459,39.2793,-75.6356,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water reported over the road on Mount Friendship road." +117486,709267,DELAWARE,2017,August,Flood,"KENT",2017-08-07 14:24:00,EST-5,2017-08-07 15:24:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-75.52,39.2421,-75.5113,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water on DE-9 near DE-42." +117486,709268,DELAWARE,2017,August,Flood,"KENT",2017-08-07 15:00:00,EST-5,2017-08-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0885,-75.4956,39.0955,-75.4853,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water covering Ponderosa drive." +117486,709269,DELAWARE,2017,August,Flood,"KENT",2017-08-07 15:01:00,EST-5,2017-08-07 16:01:00,0,0,0,0,0.00K,0,0.00K,0,39.203,-75.4994,39.1684,-75.4596,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water covered parts of route 9." +117486,709270,DELAWARE,2017,August,Flood,"SUSSEX",2017-08-07 15:30:00,EST-5,2017-08-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5359,-75.0607,38.5383,-75.0615,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water covering Hollywood street." +117486,709271,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-07 09:58:00,EST-5,2017-08-07 09:58:00,0,0,0,0,,NaN,,NaN,39.27,-75.7,39.27,-75.7,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Just over 2 inches of rain fell." +121494,727790,ALABAMA,2017,December,Winter Weather,"ESCAMBIA",2017-12-08 23:00:00,CST-6,2017-12-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of 2.5 inches in Brewton. 1.5 inches in Appleton and 1 inch in Atmore." +121494,727778,ALABAMA,2017,December,Winter Weather,"CRENSHAW",2017-12-08 23:00:00,CST-6,2017-12-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of 1 inch in Luverne." +121494,728979,ALABAMA,2017,December,Winter Weather,"MOBILE CENTRAL",2017-12-08 21:00:00,CST-6,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snowfall of 1 inch at Mobile Regional Airport, 1 inch in Tillman's Corner, 0.3 in Wilmer and 0.5 near the Fowl River." +121494,728980,ALABAMA,2017,December,Winter Weather,"MOBILE COASTAL",2017-12-08 21:00:00,CST-6,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snowfall of 0.2 inches on Dauphin Island." +120223,720311,NORTH CAROLINA,2017,August,Flash Flood,"MADISON",2017-08-14 18:00:00,EST-5,2017-08-14 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.843,-82.589,35.832,-82.524,"Numerous showers and thunderstorms developed in the vicinity of a stationary front across the western Carolinas throughout the 14th. An area of training showers and storms produced excessive rainfall in the Mars Hill area, resulting in flash flooding.","County comms reported flash flooding developed in the Mars Hill area after as much as 3 inches of rain fell over the area in less than a couple of hours. The main area impacted was near the intersection of Highway 213 and I-26, where the Highway was impassable due to flooding along a tributary of Big Branch. Calvin Edney Rd was also flooded by a separate tributary to Big Branch. Stream flooding also extended to rural locations west of Mars Hill, where Bone Camp Creek overflowed its banks and flooded a portion of Bone Camp Creek Rd. Kelly Hunter Rd was also closed due to White Oak Creek overflowing its banks." +120306,720904,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"GREENVILLE",2017-08-04 22:32:00,EST-5,2017-08-04 22:45:00,0,0,0,0,0.00K,0,0.00K,0,34.831,-82.45,34.788,-82.379,"Several clusters of thunderstorms developed across the mountains and foothills of South Carolina during the evening and moved east. One of these clusters produced a brief downburst in the Greenville area.","SCHP reported multiple trees blown down on the west side of Greenville." +120307,720906,NORTH CAROLINA,2017,August,Flash Flood,"RUTHERFORD",2017-08-13 22:30:00,EST-5,2017-08-13 23:30:00,0,0,0,0,0.50K,500,0.00K,0,35.485,-82.063,35.485,-82.059,"Several clusters of heavy rain showers and thunderstorms developed and moved east during the evening near the North Carolina Blue Ridge. The clusters produced locally heavy rainfall over the foothills, while a small area of flash flooding developed over Rutherford County.","Sheriffs department reported isolated flash flooding developed along Mountain Creek in the northwest part of the county after more than 3 inches of rain fell over the area in a short period of time. A portion of Padgett Rd was washed out and closed due to flood water." +122083,731955,TEXAS,2017,December,Winter Weather,"ERATH",2017-12-31 10:00:00,CST-6,2017-12-31 11:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported that Highway 281 from Stephenville northward to FM 3025 was shut down due to icy roads and vehicle accidents." +122083,731956,TEXAS,2017,December,Winter Weather,"DALLAS",2017-12-31 11:00:00,CST-6,2017-12-31 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Dallas County Sheriff's Department reported accidents along Interstate 20 - one at Hampton and another at Highway 67 - due to ice." +122083,731958,TEXAS,2017,December,Winter Weather,"HOPKINS",2017-12-31 11:00:00,CST-6,2017-12-31 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported multiple accidents across the county due to icy roads." +122083,731960,TEXAS,2017,December,Winter Weather,"MCLENNAN",2017-12-31 16:00:00,CST-6,2017-12-31 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Broadcast media reported numerous accidents (including 6 within 30 minutes) and closures of bridges and flyovers due to icy roads. A light glaze eventually formed on service streets as well." +122083,731961,TEXAS,2017,December,Winter Weather,"HILL",2017-12-31 16:00:00,CST-6,2017-12-31 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A NWS employee reported icy bridges and overpasses and witnessed first responders attending to one accident on a flyover in the city of Hillsboro." +122083,731962,TEXAS,2017,December,Winter Weather,"BELL",2017-12-31 17:00:00,CST-6,2017-12-31 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Emergency management and Amateur radio reported icy bridges and overpasses across Bell County with multiple vehicle accidents (including 4 within 20 minutes)." +122083,731963,TEXAS,2017,December,Winter Weather,"CORYELL",2017-12-31 18:00:00,CST-6,2017-12-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported icing on overpasses in Killeen and Copperas Cove, specifically along Highway 190 and Highway 9." +120324,720993,KANSAS,2017,August,Heavy Rain,"STANTON",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-101.75,37.58,-101.75,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.52 inches." +120324,720994,KANSAS,2017,August,Heavy Rain,"COMANCHE",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-99.53,37.11,-99.53,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.50 inches." +120324,720995,KANSAS,2017,August,Heavy Rain,"GRANT",2017-08-10 22:00:00,CST-6,2017-08-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-101.47,37.62,-101.47,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.26 inches." +120324,720996,KANSAS,2017,August,Heavy Rain,"SCOTT",2017-08-10 02:00:00,CST-6,2017-08-11 03:10:00,0,0,0,0,0.00K,0,0.00K,0,38.47,-100.73,38.47,-100.73,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.18 inches." +119728,718018,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-13 18:05:00,CST-6,2017-08-13 18:05:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-99.64,41.4076,-99.6396,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","Trained spotter reports numerous roads covered with water up to the top of curbs." +119728,718019,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 17:46:00,CST-6,2017-08-13 17:46:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-99.64,41.41,-99.64,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718020,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 18:25:00,CST-6,2017-08-13 18:25:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-99.82,41.48,-99.82,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718021,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 18:45:00,CST-6,2017-08-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-99.64,41.26,-99.64,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718023,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 18:53:00,CST-6,2017-08-13 18:53:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-99.8,41.28,-99.8,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718025,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 19:31:00,CST-6,2017-08-13 19:31:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-99.75,41.15,-99.75,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718026,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 19:33:00,CST-6,2017-08-13 19:33:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-99.76,41.14,-99.76,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119428,716741,MONTANA,2017,August,High Wind,"FERGUS",2017-08-30 18:06:00,MST-7,2017-08-30 18:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving upper-level disturbance pushed a cool front across the Continental divide, eastward across central Montana. Adequate lift, combined with marginal instability supported the development for scattered showers and a few severe thunderstorms in the evening hours.","A collapsing rain shower produced a 66 mph wind gust at the Lewistown Airport ASOS." +119903,718708,CALIFORNIA,2017,August,Hail,"TRINITY",2017-08-06 17:30:00,PST-8,2017-08-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-122.7,41.04,-122.7,"Afternoon thunderstorm development occurred over the mountainous terrain of northwest California between August 6th and 10th.","Marble to quarter size hail reported by trained spotter. Time and location approximate. Locally heavy rain as well." +119903,718709,CALIFORNIA,2017,August,Hail,"TRINITY",2017-08-09 14:30:00,PST-8,2017-08-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-123.4,40.28,-123.4,"Afternoon thunderstorm development occurred over the mountainous terrain of northwest California between August 6th and 10th.","" +119903,718710,CALIFORNIA,2017,August,Hail,"TRINITY",2017-08-10 16:20:00,PST-8,2017-08-10 16:40:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-123.51,40.81,-123.51,"Afternoon thunderstorm development occurred over the mountainous terrain of northwest California between August 6th and 10th.","Estimated the largest hail stones to be the size of a quarter. Storm lasted from somewhere between 4 and 430 until 5 PM. Rain was very heavy." +120028,719277,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-01 20:50:00,MST-7,2017-08-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,34.69,-112.34,34.5259,-112.5028,"Moisture over Yavapai County triggered thunderstorms in the evening.","Thunderstorms produced heavy rain over the Prescott area. At one point, the rainfall rate was 9.22 inches per hour! It rained 1.89 inches in one hour." +120028,719288,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-01 19:37:00,MST-7,2017-08-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.1909,-112.7973,34.0203,-112.8268,"Moisture over Yavapai County triggered thunderstorms in the evening.","The river gauge at Martinez Wash rose 2.2 feet (1730 CFS) due to heavy rain upstream." +120240,720428,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-03 17:27:00,MST-7,2017-08-03 19:27:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-112.9,34.48,-112.9,"Thunderstorms caused heavy rain and flash flooding around the Prescott area.","Two inches of rain fell near Yava. West Eastwood Wash was flowing over a low water crossing eight to ten inches deep and 150 feet wide. The heavy rain lasted for two hours." +120265,720651,ARIZONA,2017,August,Flash Flood,"NAVAJO",2017-08-12 17:47:00,MST-7,2017-08-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7854,-110.2045,36.795,-110.2423,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","The Arizona Department of Transportation reported that Highway 163 north of Kayenta was flooded between Mile Posts 399 and 400." +120265,720659,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-12 16:45:00,MST-7,2017-08-12 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-111.84,34.5926,-111.5813,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","The river gauge on Beaver Creek at Montezuma Castle rose 3.36 feet in 90 minutes." +117251,705268,PENNSYLVANIA,2017,August,Flood,"PHILADELPHIA",2017-08-02 13:15:00,EST-5,2017-08-02 14:15:00,0,0,0,0,0.00K,0,0.00K,0,39.9075,-75.159,39.9205,-75.1539,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Flooding on 95 south at exit 19." +117251,705269,PENNSYLVANIA,2017,August,Flood,"NORTHAMPTON",2017-08-02 13:45:00,EST-5,2017-08-02 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-75.22,40.6881,-75.2026,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A few roads closed due to flooding." +117251,705270,PENNSYLVANIA,2017,August,Flood,"BUCKS",2017-08-03 17:06:00,EST-5,2017-08-03 18:06:00,0,0,0,0,0.00K,0,0.00K,0,40.0955,-74.8588,40.1301,-74.821,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Several roads with water a foot or so deep in spots." +117251,705271,PENNSYLVANIA,2017,August,Flood,"BERKS",2017-08-03 19:57:00,EST-5,2017-08-03 20:57:00,0,0,0,0,0.00K,0,0.00K,0,40.5157,-75.6719,40.5088,-75.6676,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Intersection of Mertztown and Valley roads flooded." +117251,705272,PENNSYLVANIA,2017,August,Hail,"MONTGOMERY",2017-08-02 11:23:00,EST-5,2017-08-02 11:23:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-75.09,40.08,-75.09,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Nickel size hail." +117251,705274,PENNSYLVANIA,2017,August,Hail,"CHESTER",2017-08-02 13:11:00,EST-5,2017-08-02 13:11:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-75.46,40.08,-75.46,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Quarter size hail was measured." +117251,705275,PENNSYLVANIA,2017,August,Hail,"NORTHAMPTON",2017-08-02 13:43:00,EST-5,2017-08-02 13:43:00,0,0,0,0,,NaN,,NaN,40.78,-75.43,40.78,-75.43,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Hail sizes ranged from Pea to penny." +117251,705276,PENNSYLVANIA,2017,August,Heavy Rain,"CARBON",2017-08-01 17:44:00,EST-5,2017-08-01 17:44:00,0,0,0,0,,NaN,,NaN,40.94,-75.82,40.94,-75.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Over 2 inches of rain fell at this weather underground site." +117251,705277,PENNSYLVANIA,2017,August,Heavy Rain,"CARBON",2017-08-01 18:25:00,EST-5,2017-08-01 18:25:00,0,0,0,0,,NaN,,NaN,40.94,-75.82,40.94,-75.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Almost two inches of rain in an hour at this weather underground site." +117552,706948,COLORADO,2017,August,Tornado,"WASHINGTON",2017-08-12 16:30:00,MST-7,2017-08-12 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-103.22,39.75,-103.22,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","A tornado briefly touched down in open country." +117552,706949,COLORADO,2017,August,Tornado,"WASHINGTON",2017-08-12 16:45:00,MST-7,2017-08-12 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-103.13,39.68,-103.13,"Severe thunderstorm broke out along a boundary in Washington County. The severe thunderstorms produced large hail, from 1 to 2 inches in diameter. Four landspouts developed briefly along the boundary but did no damage.","A tornado briefly touched down in open country." +117563,707001,NEW YORK,2017,August,Thunderstorm Wind,"ESSEX",2017-08-12 17:25:00,EST-5,2017-08-12 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,43.97,-73.54,43.97,-73.54,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","A few isolated trees downed by thunderstorm winds." +117564,707008,VERMONT,2017,August,Thunderstorm Wind,"CHITTENDEN",2017-08-12 17:20:00,EST-5,2017-08-12 17:20:00,0,0,0,0,5.00K,5000,0.00K,0,44.44,-73.07,44.44,-73.07,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines on North Williston road." +117564,707009,VERMONT,2017,August,Thunderstorm Wind,"CHITTENDEN",2017-08-12 17:30:00,EST-5,2017-08-12 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.49,-72.98,44.49,-72.98,"Surface low pressure moved east along the International border Saturday afternoon (August 12th) and Saturday night along with an associated cold front. Marginal instability ahead of this cold front developed showers and thunderstorms in the Champlain Valley which intensified as they moved across VT.","Trees down on utility lines." +117569,707036,KANSAS,2017,August,Flash Flood,"CRAWFORD",2017-08-05 12:02:00,CST-6,2017-08-05 14:02:00,0,0,0,0,0.00K,0,0.00K,0,37.502,-94.888,37.5007,-94.8883,"Several rounds of showers and thunderstorms produced heavy rainfall across southeast Kansas.","Excessive rainfall caused several rural roads to flood across the county." +117569,707037,KANSAS,2017,August,Hail,"CRAWFORD",2017-08-05 08:05:00,CST-6,2017-08-05 08:05:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-95.08,37.6,-95.08,"Several rounds of showers and thunderstorms produced heavy rainfall across southeast Kansas.","" +117569,707038,KANSAS,2017,August,Heavy Rain,"CRAWFORD",2017-08-06 06:03:00,CST-6,2017-08-06 06:03:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-94.67,37.54,-94.67,"Several rounds of showers and thunderstorms produced heavy rainfall across southeast Kansas.","A 24 hour rainfall total of 5.60 inches was measured at a mesonet station near Croweburg." +117328,705675,NEW MEXICO,2017,August,Thunderstorm Wind,"ROOSEVELT",2017-08-03 18:16:00,MST-7,2017-08-03 18:21:00,0,0,0,0,2.00M,2000000,0.00K,0,33.9822,-103.3223,33.9822,-103.3223,"The center of upper level high pressure shifted west into southwest New Mexico the first few days of August 2017. This allowed stronger northwest flow aloft to develop over eastern New Mexico with very moist and unstable southeast low level flow. A large area of showers and thunderstorms developed over the northern mountains by late morning then shifted southeast into the nearby highlands and plains. Strong outflow winds from a storm near Dulce produced significant damage to the roof of the Jicarilla Head Start. Another storm over Albuquerque downed a tree near Montano and Rio Grande. These storms organized into mesoscale convective complex as they pushed into eastern New Mexico during the evening hours. High winds first impacted the area around Melrose where gusts up to 60 mph were reported. The most severe portion of the storm complex surged through the area between Portales and Dora where significant damage was reported. Straight line winds estimated up to 85 mph tore roofs off buildings, downed tree limbs, damaged vehicles, turned over large irrigation pivots, and downed a one mile stretch of power poles. Heavy rainfall over saturated grounds produced flash flooding and forced the closure of several county roads south of Portales.","Severe winds downed a one mile stretch of power poles four miles south-southeast of Portales. Metal roofing material was blown several hundred feet away. A large pivot irrigation system was also blown over." +119056,715010,MISSOURI,2017,July,Thunderstorm Wind,"ADAIR",2017-07-12 19:03:00,CST-6,2017-07-12 19:08:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-92.58,40.19,-92.58,"On the evening of July 13, several thunderstorms formed in northern Missouri, producing some minor wind damage. These storms eventually congealed into a larger complex and caused some flooding across portions of northern Missouri.","A tree was broken in Kirksville. This report was received via social media." +120347,721402,GEORGIA,2017,September,Tropical Storm,"TALBOT",2017-09-11 10:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Talbot County Emergency Manager and local news media reported many trees and power lines blown down across the county. No injuries were reported." +117385,705901,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 15:15:00,MST-7,2017-08-02 15:15:00,0,0,0,0,,NaN,,NaN,39.92,-102.99,39.92,-102.99,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705902,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 15:15:00,MST-7,2017-08-02 15:15:00,0,0,0,0,,NaN,,NaN,40.15,-102.96,40.15,-102.96,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705903,COLORADO,2017,August,Hail,"LOGAN",2017-08-02 15:45:00,MST-7,2017-08-02 15:45:00,0,0,0,0,,NaN,200.00K,200000,40.64,-102.69,40.64,-102.69,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","Extensive crop damage observed as hail piled up to 4 inches in depth." +117385,705904,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 15:55:00,MST-7,2017-08-02 15:55:00,0,0,0,0,,NaN,,NaN,39.74,-102.99,39.74,-102.99,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +117385,705905,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-02 16:05:00,MST-7,2017-08-02 16:05:00,0,0,0,0,,NaN,,NaN,39.75,-102.94,39.75,-102.94,"Severe thunderstorms formed along a stationary boundary and produced large hail, from 1 to 2 inches in diameter. The hail produced extensive crop damage around Haxtun.","" +118163,710135,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 18:41:00,MST-7,2017-08-03 18:41:00,0,0,0,0,0.00K,0,0.00K,0,33.27,-111.66,33.27,-111.66,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Strong thunderstorms developed across the southeast portion of the greater Phoenix area during the early evening hours on August 3rd. Some of the storms generated strong gusty outflow winds. According to a trained weather spotter just northwest of the town of Queen Creek, at 1841MST a wind gust to 52 knots was measured just to the south of Phoenix Mesa Gateway airport, along East Rittenhouse Road." +118502,712004,ILLINOIS,2017,August,Hail,"WHITE",2017-08-19 05:08:00,CST-6,2017-08-19 05:08:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-88.17,38.0945,-88.17,"Scattered thunderstorms occurred south of a weak cold front that extended from central Indiana west across central Missouri. The storms were aided by a rather strong 500 mb shortwave trough extending from western Michigan down into the lower Ohio Valley. Although instability was weak during these early morning storms, the strength of the shortwave and its associated wind fields resulted in isolated severe storms with large hail.","A trained spotter reported quarter-size hail in Carmi, with slightly larger hail just north of the city." +118755,713343,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-14 01:30:00,MST-7,2017-08-14 04:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.7016,-111.6705,33.8089,-111.639,"During the early morning hours on August 14th, scattered thunderstorms developed across the higher terrain areas to the northeast of Phoenix, affecting the areas southeast of Carefree and north of Fountain Hills. The stronger storms produced both gusty and damaging outflow winds as well as locally heavy rainfall. The heavy rain produced an episode of flash flooding near the town of Rio Verde; several inches of soil buildup were noted on 172nd Street between Dixileta and Rio Verde roads which was the result of washes flowing over the road. The flash flooding occurred around 0230MST. Gusty winds also downed several Palo Verde trees near Rio Verde. Flash Flood and Severe Thunderstorm Warnings were issued as a result of the strong early morning thunderstorms.","Scattered thunderstorms developed across the higher terrain areas to the northeast of Phoenix during the early morning hours on August 14th and some of the stronger storms affected the area north of Fountain Hills and southeast of Carefree. The storms produced locally heavy rainfall with peak rain rates between one and two inches per hour and this led to an episode of flash flooding near the town of Rio Verde. At 0230MST a trained spotter located 10 miles north of Fountain Hills and just west of Rio Verde reported that 3 to 4 inches of soil had built up on 172nd Street between Dixileta and Rio Verde Roads, next to the Vista Verde Golf Club. This occurred as a result of swiftly flowing washes that had crossed the road earlier in the morning and was evidence of flash flooding. A Flash Flood Warning had been issued at 0129MST for the area and it remained in effect through 0430MST. No injuries were reported as a result of the flooding." +118032,709519,TEXAS,2017,August,Thunderstorm Wind,"SWISHER",2017-08-22 16:05:00,CST-6,2017-08-22 16:05:00,0,0,0,0,0.00K,0,0.00K,0,34.54,-101.74,34.54,-101.74,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","Measured by a Texas Tech University West Texas mesonet near Tulia." +118766,713494,MASSACHUSETTS,2017,August,Thunderstorm Wind,"HAMPSHIRE",2017-08-05 14:00:00,EST-5,2017-08-05 14:10:00,0,0,0,0,8.00K,8000,0.00K,0,42.3272,-72.6504,42.3325,-72.6214,"A cold front sweeping east from the Great Lakes crossed Southern New England during the afternoon and evening of August 5th. One thunderstorm in the area of Northampton produced damaging wind and flooding downpours.","At 3 PM EST, a tree was brought down on wires at 17 Woodmont Road in Northampton. Also, a large tree was brought down on the Interstate 91 northbound lane at Exit 19. At 302 PM EST, multiple trees were brought down on Woodlawn Avenue and a large pine tree was brought down on Elm Street. At 310 PM EST, a tree was down and blocking the Jackson Street Bike Path." +117296,713988,PENNSYLVANIA,2017,August,Flash Flood,"CUMBERLAND",2017-08-04 22:15:00,EST-5,2017-08-05 00:15:00,0,0,0,0,0.00K,0,0.00K,0,40.2172,-77.2772,40.2251,-77.1872,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","Numerous roads were flooded across the western portion of Cumberland County. A water rescue occurred at Clay and Hanover Streets in Carlisle." +118916,714375,LOUISIANA,2017,August,Tropical Storm,"SABINE",2017-08-30 16:45:00,CST-6,2017-08-30 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain and the stronger squalls were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, in addition to significant flash flooding across Westcentral Louisiana, reports of downed trees and power lines were received over portions of Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||In Sabine Parish, trees were blown down on power lines on LA 1215 west of LA 191 about 6 miles south southwest of Zwolle. Another tree was also blown down on Highway 120 about 4 miles north of Zwolle, where water was also high in this area. In Natchitoches Parish, a large tree was blown down across Highway 9 near Creston Baptist Church, blocking the road. In Union Parish, a large limb fell through the roof of a home about 3 miles northwest of Farmerville, causing structural damage and water to come into the home.","" +118330,711050,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-30 17:00:00,CST-6,2017-08-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1188,-94.4607,31.1204,-94.457,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Farm to Market Road 1270 and Sandy Creek Road was closed due to high water." +118330,711054,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-29 17:02:00,CST-6,2017-08-29 21:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2063,-94.7819,31.2063,-94.7808,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Ryan Chapel Creek Road near Highway 59 was covered in high water and closed." +118330,711059,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-29 01:45:00,CST-6,2017-08-29 19:45:00,0,0,0,0,0.00K,0,0.00K,0,31.0925,-94.4929,31.0968,-94.4871,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Polly Branch Road was closed due to flooding." +118330,711060,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-29 01:50:00,CST-6,2017-08-29 19:45:00,0,0,0,0,0.00K,0,0.00K,0,31.0663,-94.427,31.0775,-94.4081,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Old Johnson School Road was closed due to flooding." +118989,714726,ILLINOIS,2017,August,Heat,"UNION",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714728,ILLINOIS,2017,August,Heat,"WAYNE",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714729,ILLINOIS,2017,August,Heat,"WHITE",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714730,ILLINOIS,2017,August,Heat,"WILLIAMSON",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,15,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +117274,705558,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-02 15:03:00,EST-5,2017-08-02 15:03:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A few of these storms produced marine wind gusts along the Gulf Coast.","The WeatherFlow station on the fishing pier near the southern end of the Skyway Bridge (XSKY) recorded a 36 knot thunderstorm wind gust." +117222,704973,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TRIPP",2017-08-01 11:51:00,CST-6,2017-08-01 11:51:00,0,0,0,0,0.00K,0,0.00K,0,43.6,-100.06,43.6,-100.06,"A thunderstorm briefly became severe over northern Tripp County, producing wind gusts around 60 mph.","Wind gusts were estimated at 60 mph." +117445,714430,NEBRASKA,2017,August,Hail,"ADAMS",2017-08-02 23:33:00,CST-6,2017-08-02 23:33:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-98.65,40.63,-98.65,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","" +118244,710595,CALIFORNIA,2017,August,Excessive Heat,"NORTHEAST SISKIYOU AND NORTHWEST MODOC COUNTIES",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of northern California.","Reported high temperatures during this interval ranged from 98 to 101 degrees. Reported low temperatures during this interval ranged from 54 to 66 degrees." +119237,716025,NORTH DAKOTA,2017,August,Thunderstorm Wind,"GOLDEN VALLEY",2017-08-08 15:55:00,MST-7,2017-08-08 15:58:00,0,0,0,0,0.00K,0,0.00K,0,46.93,-103.98,46.93,-103.98,"A short wave trough moved from eastern Montana into western North Dakota where marginal instability and shear were noted. One storm became severe over Golden Valley County in the late afternoon, where a 72 mph thunderstorm wind gust was reported at the Beach Airport. Late that night another storm became strong over LaMoure County with sub-severe hail.","" +119237,716026,NORTH DAKOTA,2017,August,Hail,"LA MOURE",2017-08-09 00:35:00,CST-6,2017-08-09 00:40:00,0,0,0,0,0.00K,0,0.00K,0,46.34,-98.29,46.34,-98.29,"A short wave trough moved from eastern Montana into western North Dakota where marginal instability and shear were noted. One storm became severe over Golden Valley County in the late afternoon, where a 72 mph thunderstorm wind gust was reported at the Beach Airport. Late that night another storm became strong over LaMoure County with sub-severe hail.","" +118236,717105,FLORIDA,2017,August,Thunderstorm Wind,"MANATEE",2017-08-26 20:10:00,EST-5,2017-08-26 20:15:00,0,0,0,0,30.00K,30000,0.00K,0,27.4981,-82.5756,27.4979,-82.5732,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Downburst winds along the southern bank of the Manatee River in Bradenton knocked down several trees and caused minor damage to shingles and aluminum roofing. Several pictures were received of the damage, showing that some of the downed trees damaged an iron fence. The damage mostly occurred between 10th Street West and 15th Street West north of 3rd Avenue West." +118236,717104,FLORIDA,2017,August,Flood,"HILLSBOROUGH",2017-08-27 12:00:00,EST-5,2017-08-29 04:00:00,0,0,0,0,75.00K,75000,0.00K,0,27.6458,-82.5551,27.6466,-82.0548,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Heavy rain fell across southern Hillsborough County on the 27th and continued into the 28th. Six to nine inches of rain were reported over 48 hours, with the highest totals in and around Apollo Beach. Hillsborough County Emergency Management reported several homes and cars were inundated by floodwater in Apollo Beach on the evening of the 27th. Four people needed to be rescued from flooded vehicles on Gulf and Sea Boulevard." +122186,731451,TEXAS,2017,December,Winter Weather,"EDWARDS",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +117726,707892,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-14 18:40:00,MST-7,2017-08-14 18:40:00,0,0,0,0,,NaN,0.00K,0,43.38,-102.4,43.38,-102.4,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","Automobiles were dented and windows were broken by hail to baseball size." +117726,707894,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-14 18:40:00,MST-7,2017-08-14 18:40:00,0,0,0,0,,NaN,0.00K,0,43.2569,-102.3447,43.2569,-102.3447,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","" +117726,707896,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-14 19:45:00,MST-7,2017-08-14 19:45:00,0,0,0,0,,NaN,0.00K,0,43.24,-102.23,43.24,-102.23,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","" +117726,707898,SOUTH DAKOTA,2017,August,Hail,"OGLALA LAKOTA",2017-08-14 19:56:00,MST-7,2017-08-14 19:56:00,0,0,0,0,0.00K,0,0.00K,0,43.2011,-102.33,43.2011,-102.33,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","" +117726,718182,SOUTH DAKOTA,2017,August,Flash Flood,"OGLALA LAKOTA",2017-08-14 21:00:00,MST-7,2017-08-14 23:30:00,0,0,0,0,2.00K,2000,0.00K,0,43.5,-102.51,43.26,-102.37,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","Heavy rain caused flash flooding along Porcupine Creek from Rockyford to Porcupine. A family took shelter in St. Paul Church south of Sharps Corner and was stranded overnight before being rescued." +117726,718183,SOUTH DAKOTA,2017,August,Flood,"OGLALA LAKOTA",2017-08-14 23:30:00,MST-7,2017-08-15 09:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5,-102.51,43.26,-102.37,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","Flooding along Porcupine Creek covered driveways and rural roads from Rockyford to Porcupine." +117718,707855,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 15:15:00,MST-7,2017-08-14 15:20:00,0,0,0,0,,NaN,0.00K,0,44.2402,-103.4043,44.2402,-103.4043,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,707856,SOUTH DAKOTA,2017,August,Hail,"LAWRENCE",2017-08-14 14:59:00,MST-7,2017-08-14 14:59:00,0,0,0,0,,NaN,0.00K,0,44.2501,-103.5757,44.2501,-103.5757,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +119857,718611,KANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:44:00,CST-6,2017-08-06 00:44:00,0,0,0,0,0.00K,0,0.00K,0,39.0345,-94.608,39.0357,-94.6173,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was rushing over the road behind Pembroke Hill School." +119857,718612,KANSAS,2017,August,Flash Flood,"WYANDOTTE",2017-08-05 21:45:00,CST-6,2017-08-06 00:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0377,-94.6634,39.0466,-94.6636,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","I-35 southbound was closed for a couple hours due to flash flooding. KC Fire reported that multiple water rescues occurred in the area of I-35 and Lamar Blvd, including one with three people inside of a vehicle floating down the interstate." +119857,718613,KANSAS,2017,August,Flash Flood,"LEAVENWORTH",2017-08-05 21:59:00,CST-6,2017-08-06 00:59:00,0,0,0,0,0.00K,0,0.00K,0,39.1054,-95.104,39.1209,-95.103,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","A vehicle was forced off the road at Himpel Road and US HWY 24/40. Numerous other roads in the county were closed due to flooding." +118873,714223,MAINE,2017,August,Tornado,"AROOSTOOK",2017-08-05 22:30:00,EST-5,2017-08-05 22:31:00,0,0,0,0,,NaN,,NaN,45.91,-68.36,45.91,-68.35,"Thunderstorms developed during the evening of the 5th in advance of a cold front crossing the region. A tornado developed along a line of non-supercell thunderstorms. The tornado tracked along a path through a wooded area between Millinocket and Grindstone. In excess of 1000 trees were toppled or snapped along the path before lifting. The same storm then produced a second brief tornado near Sherman in Aroostook county. The second tornado touch down tore a large section of a roof from a barn...destroyed a chicken coop and partially damaged another barn with two wagons inside. Another nearby resident had significant shingle damage to their roof. Several trees in the area were also uprooted.","The storm which produced the initial tornado in Penobscot county also produced a second brief tornado touch down near Sherman. This tornado tore a large section of the roof from a barn (DI 1 , DOD 4)...destroyed a chicken coop and partially damaged another barn with two wagons inside. A nearby resident had significant shingle damage to their roof. Several trees were also toppled in the area. The average path width was around 20 yards. Maximum wind speeds were estimated at between 85 and 90 mph." +119288,717564,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"JASPER",2017-08-13 15:55:00,EST-5,2017-08-13 15:56:00,0,0,0,0,1.00K,1000,,NaN,32.45,-81.11,32.45,-81.11,"Sufficient instability helped drive thunderstorm activity with notable outflow boundaries between high pressure offshore and a weak trough inland.","The South Carolina Highway Patrol reported a tree down in the 7600 Block of Deerfield Road. The tree came down due to thunderstorm outflow." +119574,718916,SOUTH CAROLINA,2017,August,Rip Current,"BEAUFORT",2017-08-19 15:30:00,EST-5,2017-08-19 15:45:00,2,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly wind developed between a weak cold front inland and high pressure over the Atlantic. The wind along with enhanced astronomical influences produced rip currents along South Carolina beaches.","A Beaufort County Emergency Manager confirmed a rip current along the southern end of Hilton Head Island in the Sea Pines vicinity which led to a 61 year old male drowning. A 60 year old female and 24 year old male lifeguard were rescued from the rip current approximately 200 yards from the beach and were transported to a hospital." +119579,718932,GEORGIA,2017,August,High Surf,"COASTAL CHATHAM",2017-08-28 16:25:00,EST-5,2017-08-28 18:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure passing along the Southeast Coast helped produced gale force wind gusts and high surf along Georgia beaches.","A report via Twitter indicated 2 to 4 feet escarpments along the beach with surf starting to cut into the dune line." +119285,717476,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-08-04 18:02:00,EST-5,2017-08-04 18:03:00,0,0,0,0,,NaN,,NaN,31.98,-80.85,31.98,-80.85,"A shortwave trough helped spawn a few afternoon thunderstorms while encountering a pocket of instability over the coastal waters.","A 43 knot wind gust was recorded at the Tybee South Weatherflow sensor." +120004,719109,NEW YORK,2017,August,Flash Flood,"FULTON",2017-08-04 15:50:00,EST-5,2017-08-04 17:21:00,0,0,0,0,1.00K,1000,1.00K,1000,43.1206,-74.2736,43.1184,-74.2775,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Gray Road in the town of Mayfield washed out due to heavy rain. This was reported by the Fulton County Sheriffs Office." +120004,719110,NEW YORK,2017,August,Funnel Cloud,"FULTON",2017-08-04 13:45:00,EST-5,2017-08-04 13:46:00,0,0,0,0,,NaN,,NaN,43.15,-74.19,43.15,-74.19,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A funnel cloud was observed over Great Sacandaga Lake and was confirmed by video." +120005,719159,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 16:37:00,EST-5,2017-08-12 16:37:00,0,0,0,0,,NaN,,NaN,42.64,-74.57,42.64,-74.57,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","A tree was down on State Route 7 blocking the road." +120005,719160,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 15:25:00,EST-5,2017-08-12 15:25:00,0,0,0,0,,NaN,,NaN,42.74,-74.32,42.74,-74.32,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","A tree was downed on Junction Road blocking the road." +120005,719161,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-12 15:48:00,EST-5,2017-08-12 15:48:00,0,0,0,0,,NaN,,NaN,43.02,-73.84,43.02,-73.84,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","A tree was downed." +120145,719854,TENNESSEE,2017,August,Tornado,"DAVIDSON",2017-08-31 22:21:00,CST-6,2017-08-31 22:22:00,0,0,0,0,25.00K,25000,0.00K,0,36.2073,-86.854,36.2129,-86.8626,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","A brief EF-1 tornado associated with Tropical Depression Harvey touched down in the Bordeaux area of northwest Nashville and moved to the northwest for over one-half mile. The tornado snapped or uprooted nearly 100 large mature hardwood trees on Hydesdale Lane, Drakes Branch Road, Setters Road, Enchanted Drive, and Queens Lane. A small portion of the roof was blown off a home on Setters Road north of Drakes Branch Road, and the carport of a home was destroyed on Queens Lane. The worst damage was to a wood frame home at 133 Queens Lane where a large portion of the roof was blown off. Maximum winds were estimated to be around 95 mph." +120145,719856,TENNESSEE,2017,August,Tornado,"DAVIDSON",2017-08-31 22:47:00,CST-6,2017-08-31 22:48:00,0,0,0,0,15.00K,15000,0.00K,0,36.1597,-86.7079,36.1716,-86.7161,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","A brief, weak EF0 tornado touched down in southeast Nashville just north of Lebanon Pike near Omohundro Drive and moved north-northwest. Several trees were uprooted in all directions along Dahlia Drive and a small garage building was blown inwards. A few more trees were snapped and uprooted and a carport had minor sheet metal damage on Dahlia Circle. The most significant damage occurred at a warehouse on River Hills Drive where a large section of a wall was blown out and an 18 wheeler was flipped over. Several more trees were snapped along both sides of the Cumberland River and in the Shelby Bottoms Park before the tornado lifted." +120154,719903,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-22 12:28:00,EST-5,2017-08-22 12:28:00,0,0,0,0,1.00K,1000,0.00K,0,40.83,-80.32,40.83,-80.32,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719904,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:28:00,EST-5,2017-08-22 12:28:00,0,0,0,0,1.00K,1000,0.00K,0,40.86,-80.33,40.86,-80.33,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Several trees down on Possum Hollow Rd." +120154,719905,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:29:00,EST-5,2017-08-22 12:29:00,0,0,0,0,1.00K,1000,0.00K,0,40.89,-80.33,40.89,-80.33,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Several trees down." +120154,719906,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:31:00,EST-5,2017-08-22 12:31:00,0,0,0,0,0.50K,500,0.00K,0,40.89,-80.27,40.89,-80.27,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down on Old Pittsburgh Rd and Hollow Rd." +120154,719907,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:32:00,EST-5,2017-08-22 12:32:00,0,0,0,0,1.00K,1000,0.00K,0,40.86,-80.21,40.86,-80.21,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree on power lines on North Tower Rd and Heavenly Lane in Perry Twp." +120154,719908,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:32:00,EST-5,2017-08-22 12:32:00,0,0,0,0,1.00K,1000,0.00K,0,40.86,-80.26,40.86,-80.26,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719909,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 12:32:00,EST-5,2017-08-22 12:32:00,0,0,0,0,5.00K,5000,0.00K,0,40.92,-80.28,40.92,-80.28,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees and wires down on Harmony Baptist Rd and Wiley Dr." +117703,707788,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"MELLETTE",2017-08-06 15:50:00,CST-6,2017-08-06 15:50:00,0,0,0,0,,NaN,0.00K,0,43.5811,-100.3635,43.5811,-100.3635,"A supercell thunderstorm developed over south central South Dakota, producing large hail and gusty winds over portions of eastern Mellette and Tripp Counties from Mosher to Witten and east of Clearfield, which damaged crops in western Tripp County.","Wind gusts were estimated near 70 mph." +117703,707789,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-06 16:20:00,CST-6,2017-08-06 16:20:00,0,0,0,0,,NaN,0.00K,0,43.38,-100.0805,43.38,-100.0805,"A supercell thunderstorm developed over south central South Dakota, producing large hail and gusty winds over portions of eastern Mellette and Tripp Counties from Mosher to Witten and east of Clearfield, which damaged crops in western Tripp County.","" +117703,707790,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TRIPP",2017-08-06 16:20:00,CST-6,2017-08-06 16:20:00,0,0,0,0,,NaN,0.00K,0,43.38,-100.0805,43.38,-100.0805,"A supercell thunderstorm developed over south central South Dakota, producing large hail and gusty winds over portions of eastern Mellette and Tripp Counties from Mosher to Witten and east of Clearfield, which damaged crops in western Tripp County.","A slide was blown off a swing set and broken." +117703,707791,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-06 16:45:00,CST-6,2017-08-06 16:45:00,0,0,0,0,,NaN,0.00K,0,43.17,-99.87,43.17,-99.87,"A supercell thunderstorm developed over south central South Dakota, producing large hail and gusty winds over portions of eastern Mellette and Tripp Counties from Mosher to Witten and east of Clearfield, which damaged crops in western Tripp County.","" +117703,707793,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TRIPP",2017-08-06 16:45:00,CST-6,2017-08-06 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-99.87,43.17,-99.87,"A supercell thunderstorm developed over south central South Dakota, producing large hail and gusty winds over portions of eastern Mellette and Tripp Counties from Mosher to Witten and east of Clearfield, which damaged crops in western Tripp County.","Wind gusts were estimated at 60 mph." +119813,718417,LAKE MICHIGAN,2017,August,Marine Hail,"STURGEON BAY TO TWO RIVERS WI",2017-08-10 15:12:00,CST-6,2017-08-10 15:12:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-87.5,44.46,-87.5,"Scattered thunderstorms that dropped large hail in eastern Wisconsin continued to produce large hail as they moved over the nearshore waters of Lake Michigan.","Quarter size hail fell as a thunderstorm moved over the nearshore waters of Lake Michigan near Kewaunee." +119809,718407,WISCONSIN,2017,August,Hail,"OUTAGAMIE",2017-08-10 13:07:00,CST-6,2017-08-10 13:07:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-88.33,44.51,-88.33,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell in Seymour." +119809,718408,WISCONSIN,2017,August,Hail,"BROWN",2017-08-10 14:07:00,CST-6,2017-08-10 14:07:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-88,44.51,-88,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Half dollar size hail fell in Green Bay." +120014,719191,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-22 17:55:00,EST-5,2017-08-22 17:55:00,0,0,0,0,,NaN,,NaN,43.04,-74.86,43.04,-74.86,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed onto wires." +120014,719192,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-22 18:05:00,EST-5,2017-08-22 18:05:00,0,0,0,0,,NaN,,NaN,43.05,-74.86,43.05,-74.86,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees and wires down with portions of a tree on fire." +120014,719193,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-22 18:24:00,EST-5,2017-08-22 18:24:00,0,0,0,0,,NaN,,NaN,42.72,-74.61,42.72,-74.61,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was down on Route 165." +120014,719194,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-22 18:36:00,EST-5,2017-08-22 18:36:00,0,0,0,0,,NaN,,NaN,42.7501,-74.4446,42.7501,-74.4446,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was downed on Crommie Road." +119753,721087,TEXAS,2017,August,Flash Flood,"SAN JACINTO",2017-08-27 13:00:00,CST-6,2017-08-28 03:15:00,0,0,0,0,0.00K,0,0.00K,0,30.4561,-95.018,30.6144,-95.1045,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There was a report of high water closing Marie Street in Shepherd with numerous reports of other flooded roadways around the county.||Many roads and homes along the southern end of Lake Livingston were inundated. FM 3278 was inaccessible due to the inundation of flood waters. Major lowland flooding occurred on the Trinity River near Goodrich. Hundreds to thousands of homes received various levels of damage from flooding; from minor to being completely destroyed." +119035,714912,MINNESOTA,2017,September,Thunderstorm Wind,"SWIFT",2017-09-19 23:31:00,CST-6,2017-09-19 23:31:00,0,0,0,0,0.00K,0,0.00K,0,45.3797,-95.3982,45.3797,-95.3982,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About six evergreen trees were tipped over. Based on a storm survey, it was determined that this was due to rear flank downdraft winds, with the Camp Lake tornado about two-thirds mile to the north." +119035,714913,MINNESOTA,2017,September,Thunderstorm Wind,"CHIPPEWA",2017-09-19 23:41:00,CST-6,2017-09-19 23:41:00,0,0,0,0,0.00K,0,0.00K,0,44.96,-95.37,44.96,-95.37,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119751,718389,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 21:00:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-86.55,34.7484,-86.5501,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Video indicates flowing flash flood water on Oakwood Avenue at Stapp Drive." +119751,718390,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 21:07:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-86.56,34.7487,-86.56,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flood water up to the hood of a car on Wakefield Drive at Pettus Drive." +120127,719802,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-15 16:00:00,CST-6,2017-08-15 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.49,-97.48,35.4905,-97.4718,"A line of storms formed over central Oklahoma on the afternoon of the 15th making their way eastward.","Several inches of water caused dangerous road conditions near the intersection of Martin Luther King Jr Blvd and NE 23rd st." +120128,719803,OKLAHOMA,2017,August,Thunderstorm Wind,"MAJOR",2017-08-16 17:12:00,CST-6,2017-08-16 17:12:00,0,0,0,0,5.00K,5000,0.00K,0,36.27,-98.48,36.27,-98.48,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","A powerpole down and metal shed were destroyed." +120128,719804,OKLAHOMA,2017,August,Thunderstorm Wind,"MAJOR",2017-08-16 17:14:00,CST-6,2017-08-16 17:14:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-98.39,36.28,-98.39,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","No damage reported." +120128,719805,OKLAHOMA,2017,August,Thunderstorm Wind,"KAY",2017-08-16 17:55:00,CST-6,2017-08-16 17:55:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-97.35,36.75,-97.35,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719806,OKLAHOMA,2017,August,Thunderstorm Wind,"GARFIELD",2017-08-16 18:04:00,CST-6,2017-08-16 18:04:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-97.92,36.33,-97.92,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719807,OKLAHOMA,2017,August,Thunderstorm Wind,"KAY",2017-08-16 18:10:00,CST-6,2017-08-16 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-97.25,36.75,-97.25,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719810,OKLAHOMA,2017,August,Thunderstorm Wind,"NOBLE",2017-08-16 19:00:00,CST-6,2017-08-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-97.13,36.37,-97.13,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719811,OKLAHOMA,2017,August,Thunderstorm Wind,"KINGFISHER",2017-08-16 19:06:00,CST-6,2017-08-16 19:06:00,0,0,0,0,0.00K,0,0.00K,0,35.96,-98.12,35.96,-98.12,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","Six to eight inch tree branches were blown off." +120128,719812,OKLAHOMA,2017,August,Thunderstorm Wind,"KINGFISHER",2017-08-16 19:30:00,CST-6,2017-08-16 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-97.95,35.86,-97.95,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719813,OKLAHOMA,2017,August,Thunderstorm Wind,"NOBLE",2017-08-16 20:02:00,CST-6,2017-08-16 20:02:00,0,0,0,0,10.00K,10000,0.00K,0,36.56,-97.34,36.56,-97.34,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","A tractor trailer was blown over." +121624,727969,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN PLYMOUTH",2017-12-22 22:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 652 AM EST a fire vehicle hit a cruiser in Bridgewater due to icy conditions. At 719 AM a fire engine slid off a road in Halifax. There were at least five additional vehicle accidents in the Bridgewater, Halifax, and Brockton areas. At 124 PM a large branch and cable television wires were down on Haskell Street in Brockton. At 218 PM, a trained spotter reported roughly one-tenth inch of ice accumulation." +121624,727970,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN PLYMOUTH",2017-12-22 21:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 115 PM EST an amateur radio operator reported a power line down on Whiting Street in Hingham. Roughly one-tenth inch of ice accumulation was reported in Eastern Plymouth County." +121624,727971,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHERN BRISTOL",2017-12-23 05:00:00,EST-5,2017-12-23 12:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 711 AM EST, a person fell on the ice at Highland Avenue in Seekonk and suffered a leg injury." +121624,727972,MASSACHUSETTS,2017,December,Winter Weather,"NORTHWEST MIDDLESEX COUNTY",2017-12-23 07:00:00,EST-5,2017-12-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 114 PM EST, a tree was down blocking Ames Road in Groton." +121626,727973,RHODE ISLAND,2017,December,Winter Weather,"NORTHWEST PROVIDENCE",2017-12-23 04:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Ice accumulation in Northwest Providence County was up to one-quarter inch." +118547,712196,NEW YORK,2017,August,Thunderstorm Wind,"ONEIDA",2017-08-12 14:10:00,EST-5,2017-08-12 14:20:00,0,0,0,0,20.00K,20000,0.00K,0,43.36,-75.84,43.36,-75.84,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and uprooted multiple trees and forced down many power lines. This storm also knocked over many camp sites and boats. This storm created damage at the Sto-Ne-Nols Campground." +118547,712199,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-12 15:15:00,EST-5,2017-08-12 15:25:00,0,0,0,0,8.00K,8000,0.00K,0,42.53,-75.52,42.53,-75.52,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over several trees in the area." +118547,712197,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 14:18:00,EST-5,2017-08-12 14:28:00,0,0,0,0,8.00K,8000,0.00K,0,42.7,-74.93,42.7,-74.93,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118547,712201,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 16:06:00,EST-5,2017-08-12 16:16:00,0,0,0,0,10.00K,10000,0.00K,0,42.53,-75.09,42.53,-75.09,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees and wires." +118547,712202,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 16:12:00,EST-5,2017-08-12 16:22:00,0,0,0,0,5.00K,5000,0.00K,0,42.59,-74.95,42.59,-74.95,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +117997,709332,KENTUCKY,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 17:01:00,EST-5,2017-08-22 17:01:00,0,0,0,0,30.00K,30000,0.00K,0,38,-84.51,38,-84.51,"A strong cold front clashed with existing warm and humid air across central Kentucky during the afternoon of August 22. A few of the storms produced damaging winds across the Bluegrass region around Lexington.","Trained spotters reported limbs down up to 4 inches in diameter on 4 different vehicles." +117997,709333,KENTUCKY,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 17:01:00,EST-5,2017-08-22 17:01:00,0,0,0,0,4.00K,4000,0.00K,0,38.03,-84.53,38.03,-84.53,"A strong cold front clashed with existing warm and humid air across central Kentucky during the afternoon of August 22. A few of the storms produced damaging winds across the Bluegrass region around Lexington.","Trees and electrical wires reported down at Clays Mill Road and Blue Ash Road." +119645,718097,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 01:08:00,CST-6,2017-08-06 01:08:00,0,0,0,0,2.00K,2000,0.00K,0,36.0934,-95.78,36.0934,-95.78,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped large tree limbs and blew shingles off the roofs of homes." +119645,718098,OKLAHOMA,2017,August,Thunderstorm Wind,"MAYES",2017-08-06 01:15:00,CST-6,2017-08-06 01:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.48,-95.37,36.48,-95.37,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind overturned a travel trailer, damaged outbuildings, and blew a tree into the road." +119645,718099,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-06 01:25:00,CST-6,2017-08-06 01:25:00,0,0,0,0,0.00K,0,0.00K,0,36.079,-95.78,36.079,-95.78,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped numerous large tree limbs on the north side of Broken Arrow." +118432,714453,NEBRASKA,2017,August,Thunderstorm Wind,"BUFFALO",2017-08-19 21:45:00,CST-6,2017-08-19 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-99.08,40.7,-99.08,"Numerous thunderstorms rumbled across various portions of South Central Nebraska mainly between 9 p.m. CDT on Saturday the 19th and 5 a.m. on Sunday the 20th. The vast majority of this activity was sub-severe, producing no more than gusty winds, small hail and locally heavy rainfall. However, at least one storm breached severe limits, with several reports of penny to quarter size hail and 50-60 MPH wind gusts in Kearney around 11 p.m. CDT. Rainfall-wise, while most areas measured no more than 0.50-1.50, Polk County was a wetter exception with widespread 2-3 amounts and even 3.14 in Osceola (this brought the 5-day Osceola total up to a notable 10.19). Although at least minor flooding likely occurred in the county, it was not as significant as the event several days prior. ||While isolated severe storms got underway before sunset just outside of the local area in central Nebraska, it was not until nightfall that activity rapidly initiated and expanded in coverage within South Central Nebraska. In the mid-upper levels, forcing was fairly weak in quasi-zonal flow aloft, although a weak disturbance was noted tracking east across the region. Likely the more significant player in rapid nocturnal convective development was the onset of a 30-40 knot southwesterly low level jet evident at 850 millibars. In addition, the airmass was rather unstable, featuring steep mid-level lapse rates and surface dewpoints well into the 60s to around 70 F. Late evening mesoscale analysis featured 2000-2500 J/kg most-unstable CAPE and 30-40 knots of effective deep-layer wind shear.","Wind gusts were estimated to be near 60 MPH in Kearney." +118432,714455,NEBRASKA,2017,August,Hail,"BUFFALO",2017-08-19 22:13:00,CST-6,2017-08-19 22:13:00,0,0,0,0,0.00K,0,0.00K,0,40.7267,-99.0654,40.7267,-99.0654,"Numerous thunderstorms rumbled across various portions of South Central Nebraska mainly between 9 p.m. CDT on Saturday the 19th and 5 a.m. on Sunday the 20th. The vast majority of this activity was sub-severe, producing no more than gusty winds, small hail and locally heavy rainfall. However, at least one storm breached severe limits, with several reports of penny to quarter size hail and 50-60 MPH wind gusts in Kearney around 11 p.m. CDT. Rainfall-wise, while most areas measured no more than 0.50-1.50, Polk County was a wetter exception with widespread 2-3 amounts and even 3.14 in Osceola (this brought the 5-day Osceola total up to a notable 10.19). Although at least minor flooding likely occurred in the county, it was not as significant as the event several days prior. ||While isolated severe storms got underway before sunset just outside of the local area in central Nebraska, it was not until nightfall that activity rapidly initiated and expanded in coverage within South Central Nebraska. In the mid-upper levels, forcing was fairly weak in quasi-zonal flow aloft, although a weak disturbance was noted tracking east across the region. Likely the more significant player in rapid nocturnal convective development was the onset of a 30-40 knot southwesterly low level jet evident at 850 millibars. In addition, the airmass was rather unstable, featuring steep mid-level lapse rates and surface dewpoints well into the 60s to around 70 F. Late evening mesoscale analysis featured 2000-2500 J/kg most-unstable CAPE and 30-40 knots of effective deep-layer wind shear.","" +119035,716504,MINNESOTA,2017,September,Tornado,"TODD",2017-09-20 00:04:00,CST-6,2017-09-20 00:11:00,0,0,0,0,0.00K,0,0.00K,0,45.882,-94.7425,45.9548,-94.6489,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado touched down on the east side of Big Swan Lake, where a few trees were downed. As the tornado moved northeast, it hit a number of lake homes and cabins, causing roof damage to several. As the tornado reached the community of Pillsbury on the northeast side of Long Lake, a boat and attached dock were blown westward into the lake. Dozens of trees, including some two feet in diameter, were blown down or snapped. A home was shifted off its foundation by several inches. Another home sustained minor damage to the roof and had some windows blown in. The tornado continued beyond Pillsbury, moving across open fields and woods, and dissipated just as it reached the Todd/Morrison County line." +122100,730993,LOUISIANA,2017,December,Astronomical Low Tide,"EAST CAMERON",2017-12-31 05:30:00,CST-6,2017-12-31 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passed through the region during the very end of December. Tide levels approached -1 foot MLLW at most locations, however only at Cameron did the water level fall below -1.","Strong north winds pushed the tide level at Cameron to -1.08 feet MLLW. Water levels were around -1 foot MLLW for 2 to 3 hours during the morning at low tide." +121721,728679,VIRGINIA,2017,December,Winter Weather,"AUGUSTA",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.0 inches near Weyers Cave and 1.8 inches near West Augusta." +121721,728680,VIRGINIA,2017,December,Winter Weather,"ROCKINGHAM",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.4 inches near Massanutten and 3.3 inches near Linville." +121721,728681,VIRGINIA,2017,December,Winter Weather,"PAGE",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.0 near Ida." +121721,728682,VIRGINIA,2017,December,Winter Weather,"WARREN",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.0 inches near Linden and 2.0 near Front Royal." +122243,731872,NEW YORK,2017,December,Winter Weather,"WESTERN DUTCHESS",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +119753,720859,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 20:45:00,CST-6,2017-08-29 20:45:00,0,0,0,0,0.00K,0,0.00K,0,29.598,-95.316,29.5905,-95.1955,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues and flooded homes within the Friendswood and Pearland areas. Roads and highways in and around these Houston suburbs were inundated and closed due to flash flooding. Mary's Creek and Cowart Creek overflowed their banks and exacerbated the flooding.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +122243,731874,NEW YORK,2017,December,Winter Weather,"WESTERN COLUMBIA",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +119035,721263,MINNESOTA,2017,September,Thunderstorm Wind,"DOUGLAS",2017-09-19 23:13:00,CST-6,2017-09-19 23:13:00,0,0,0,0,0.00K,0,0.00K,0,45.9061,-95.5977,45.9193,-95.5955,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About one dozen trees were broken or uprooted at two farms south of Brandon. A barn at the northern end of the damage lost part of its roof as wind got in through an open door. It appeared the damage was due to a downburst." +119035,721264,MINNESOTA,2017,September,Thunderstorm Wind,"DOUGLAS",2017-09-19 23:18:00,CST-6,2017-09-19 23:22:00,0,0,0,0,0.00K,0,0.00K,0,45.9858,-95.5802,46.0785,-95.459,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Dozens of trees were broken or uprooted from the area just north of Brandon to Leaf Valley Township. It appeared the damage was definitely due to a downburst, with a divergent pattern at Devils Lake." +120002,719104,ALABAMA,2017,August,Flash Flood,"ELMORE",2017-08-10 16:00:00,CST-6,2017-08-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.4677,-86.3554,32.4532,-86.4124,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Numerous roads in the city of Millbrook flooded and impassable." +120004,719113,NEW YORK,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 12:15:00,EST-5,2017-08-04 12:15:00,0,0,0,0,,NaN,,NaN,43.01,-74.53,43.01,-74.53,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was down on Mud Road. This was reported by the Fulton County Sheriff's Office." +120019,719217,SOUTH DAKOTA,2017,August,Flash Flood,"DEWEY",2017-08-12 17:00:00,MST-7,2017-08-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,45.46,-100.59,45.458,-100.5892,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","Two to three inches of heavy rain caused flash flooding of several parts of a road east of Trail City." +120025,719237,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 16:11:00,EST-5,2017-08-18 16:16:00,0,0,0,0,,NaN,,NaN,38.644,-77.199,38.644,-77.199,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 47 knots were reported at Occoquan." +120115,719699,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-19 14:22:00,EST-5,2017-08-19 14:22:00,0,0,0,0,2.50K,2500,0.00K,0,40.64,-80.46,40.64,-80.46,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported several trees down." +118772,719500,FLORIDA,2017,September,Tropical Storm,"SEMINOLE",2017-09-10 18:00:00,EST-5,2017-09-11 11:00:00,0,0,0,1,543.20M,543200000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the overnight period while weakening to a Category 1 hurricane approximately 80 miles west of Sanford. A long duration of damaging winds occurred across Seminole County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded at the Orlando/Sanford Airport ASOS (KSFB; 55 mph from the southeast at 0151LST on September 11) and the highest measured peak gust was 75 mph from the southeast at 0231LST. A preliminary damage assessment from the county listed 5,130 affected residential and business structures, with an additional 762 with minor damage, 180 with major damage and 25 destroyed. A total of 1,333 homes/businesses were inaccessible due to high water. The total residential/business estimated damage cost was $543.2 million. Damage occurred primarily to roof shingles, soffits, awnings, and pool enclosures. Numerous trees were uprooted or snapped, some falling onto homes resulting in additional structural damage. There was one indirect hurricane-related fatality; a man died after falling from a ladder while cleaning up debris after the storm." +118772,719436,FLORIDA,2017,September,Tropical Storm,"BREVARD",2017-09-10 14:00:00,EST-5,2017-09-11 09:00:00,0,0,0,0,30.00M,30000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening and overnight while weakening to a Category 2 hurricane approximately 95 miles west of Melbourne. A long duration of damaging winds occurred across Brevard County, with a period of frequent gusts to hurricane force (especially near the coast). The highest sustained wind was measured at WeatherFlow site in Melbourne Shores (64 mph from the southeast at 2225LST on September 10) and the peak gust was 94 mph from the southeast at 2040LST at a WeatherFlow site located along the Banana River at State Road 528. A preliminary report indicated 7,132 homes sustained damage, including 400 with major damage and 45 destroyed. The initial property damage estimate was $30 Million. Damage generally involved roof shingles/tiles, soffits, awnings, and pool enclosures. Several houses, condos and businesses lost portions of their roofs, primarily along the coast, with additional damage due to water intrusion. Hundreds of trees were uprooted or snapped and many gas station awnings along the coast were toppled. Florida Power and Light reported 100 percent of customers within the county lost power during the hurricane. A total of 3,667 residents evacuated to shelters within the county." +118772,720111,FLORIDA,2017,September,Flood,"OSCEOLA",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,27.6532,-81.1203,28.3456,-81.638,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 12 inches, resulting in areas of urban and poor drainage flooding. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed." +114396,686096,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:40:00,CST-6,2017-03-06 19:43:00,0,0,0,0,,NaN,,NaN,38.83,-94.89,38.83,-94.89,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","The ASOS at KIXD reported 57 kt (66 mph) wind gust." +117453,706372,IOWA,2017,June,Hail,"STORY",2017-06-28 16:09:00,CST-6,2017-06-28 16:09:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-93.52,41.9,-93.52,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported half dollar sized hail." +119924,721985,MASSACHUSETTS,2017,September,Tropical Storm,"DUKES",2017-09-20 20:00:00,EST-5,2017-09-21 17:20:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 803 PM EST in Chilmark a tree was down on Middle Road near the intersection with Hewing Field. At 915 PM EST in Vineyard Haven a tree was down on power lines on Franklin Street. At 936 AM EST on Sept 21 a tree was down on Beach Road in Vineyard Haven. At 205 PM EST on Sept 21 a wind gust to 58 mph was measured at Edgartown. At 513 PM EST on Sept 21 a wind gust to 62 mph was measured at Aquinnah." +119924,721987,MASSACHUSETTS,2017,September,Tropical Storm,"SUFFOLK",2017-09-21 08:23:00,EST-5,2017-09-21 13:45:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 823 AM EST on Sept 21, a tree was down on power lines on Clarendon Street in Boston. At 144 PM EST on Sept 21 a large tree was down on Turtle Pond Parkway, in the Hyde Park section of Boston, at Maple Leaf Drive." +119924,721988,MASSACHUSETTS,2017,September,Tropical Storm,"SOUTHERN WORCESTER",2017-09-21 22:47:00,EST-5,2017-09-21 22:47:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 1047 PM EST, a large tree was down and blocking Lincoln Street in Millville." +120547,722187,NEW MEXICO,2017,September,Hail,"GRANT",2017-09-28 19:54:00,MST-7,2017-09-28 19:54:00,0,0,0,0,0.00K,0,0.00K,0,31.971,-108.3362,31.971,-108.3362,"An upper low over the Great Basin with southwest flow ahead of it combined with moist, easterly low level winds to produce isolated severe thunderstorms over southern Grant County. Hail up to the size of golf balls was reported with these storms.","Golf ball sized hail about 3 miles north of Hachita." +120547,722186,NEW MEXICO,2017,September,Hail,"GRANT",2017-09-28 19:45:00,MST-7,2017-09-28 19:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.915,-108.3238,31.915,-108.3238,"An upper low over the Great Basin with southwest flow ahead of it combined with moist, easterly low level winds to produce isolated severe thunderstorms over southern Grant County. Hail up to the size of golf balls was reported with these storms.","Multiple broken windows were reported in Hachita due to the hail." +114222,685684,MISSOURI,2017,March,Hail,"ATCHISON",2017-03-06 17:34:00,CST-6,2017-03-06 17:36:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-95.39,40.57,-95.39,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +120590,722672,SOUTH CAROLINA,2017,September,Storm Surge/Tide,"CHARLESTON",2017-09-11 09:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Charleston County Emergency Management and a National Weather Service storm survey team confirmed widespread significant impacts due to storm surge associated with Tropical Storm Irma. Storm surge impacted Downtown Charleston and surrounding areas within the tidal zone. In Downtown Charleston, numerous media accounts showed sea water breaching the wall along the battery with several feet of inundation in White Point Gardens. The inundation due to storm surge and heavy rainfall became so widespread that the Charleston Police Department closed the peninsula to travel during the event. Other areas impacted include Schooner Road, Galleon Road, and Seaward Drive on James Island where extensive dock damage occurred. A National Weather Service storm survey team estimated 4 to 5 feet of inundation along the west bank of the Stono River near Abbapoola Creek where extensive dock damage also occurred. At the Wappoo Cut boat ramp, Highway 17 on both sides of the Ashley River bridge , Ripley Light Marina, and Lockwood Drive north and south of the James Island Expressway were flooded. Even further inland, River Road was closed near where it intersects with Main Road on Johns Island. Based on analysis of data from the USGS Storm Tide Sensor Network, inundation across the county ranged from 1 to almost 6 feet above ground level. The peak inundation level surveyed was 5.89 feet above ground level on Eagle Point Road on Kiawah Island. Widespread significant erosion and dune destruction occurred as a result of storm surge at beaches across the county including Kiaway Island, Folly Beach, Sullivan's Island, and Isle of Palms. The National Ocean Service tide gauge in Charleston Harbor measured a peak tide level of 9.92 feet Mean Lower Low Water (MLLW) or 4.15 feet Mean Higher High Water (MHHW). This tide value ranks as the 3rd highest on record for the Charleston Harbor gauge and the peak surge value measured during the event was 4.87 feet." +120636,722616,NORTH CAROLINA,2017,September,Hail,"WAKE",2017-09-01 15:55:00,EST-5,2017-09-01 16:15:00,0,0,0,0,10.00M,10000000,0.00K,0,35.58,-78.83,35.56,-78.74,"The remnants of Harvey increased the southwesterly flow over Central North Carolina as it moved northeastward through Tennessee and Kentucky. In the wake of the northward moving warm front, a cold front moved into and stalled over Central North Carolina providing lift in the strongly sheared, moist environment. The resulting thunderstorms became severe, producing damaging wind gusts, large hail and flash flooding.","Hail up to 2.75 inches in diameter fell along a swath from 2 miles west-southwest of Fuquay-Varina to 3 miles north of Angier. Multiple trees were also blown down along the swath. Damage estimates have been estimated." +120638,722674,SOUTH CAROLINA,2017,September,Coastal Flood,"CHARLESTON",2017-09-10 11:24:00,EST-5,2017-09-10 13:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A combination of recent full moon, approaching perigee, and elevated northeast winds ahead of approaching Tropical Cyclone Irma produced elevated high tides and coastal flooding along the southeast South Carolina coast.","Charleston Police Department reported numerous roads closed across Downtown Charleston due to tidal flooding. This included Hagood Avenue between Fishburne and Line, Lockwood and Gadsden, Barre between Beaufain and Montague, Morrison between Huger and Cooper, and Washington at Hasell. High tide at the National Ocean Service tide gauge in Charleston Harbor peaked at 7.39 feet Mean Lower Low Water." +120694,723033,SOUTH DAKOTA,2017,September,Tornado,"CLARK",2017-09-19 20:26:00,CST-6,2017-09-19 20:27:00,0,0,0,0,0.00K,0,0.00K,0,45.0904,-97.6304,45.0917,-97.6292,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","A tornado touched down briefly near Bradley. No damage was reported." +120694,723035,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"BROWN",2017-09-19 19:33:00,CST-6,2017-09-19 19:37:00,0,0,0,0,,NaN,,NaN,45.4,-98.25,45.4286,-98.2466,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","Seventy-five mph winds caused a partial loss to the roof of a large metal building 5 miles south of James. There was also tree and crop damage from this location to 3 miles south of James." +120694,723036,SOUTH DAKOTA,2017,September,Hail,"EDMUNDS",2017-09-19 18:05:00,CST-6,2017-09-19 18:05:00,0,0,0,0,,NaN,,NaN,45.58,-99.7,45.58,-99.7,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120533,722056,NORTH CAROLINA,2017,September,High Wind,"BUNCOMBE",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +120533,722057,NORTH CAROLINA,2017,September,High Wind,"MACON",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +119265,723146,SOUTH CAROLINA,2017,September,High Wind,"FAIRFIELD",2017-09-11 12:00:00,EST-5,2017-09-11 12:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Large pine tree snapped off on Old Camden Rd and Forest Hills Dr." +119265,723147,SOUTH CAROLINA,2017,September,High Wind,"BARNWELL",2017-09-11 12:10:00,EST-5,2017-09-11 12:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Trees down on power lines at Gardenia Rd near SC Hwy 3." +119265,723148,SOUTH CAROLINA,2017,September,Strong Wind,"BARNWELL",2017-09-11 13:04:00,EST-5,2017-09-11 13:04:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Public measured a peak wind gust of 55 MPH near Blackville." +120585,722339,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 06:14:00,CST-6,2017-09-22 06:14:00,0,0,0,0,,NaN,,NaN,46.89,-92.11,46.89,-92.11,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Trees and power lines were blown down." +120585,722342,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 06:00:00,CST-6,2017-09-22 06:00:00,0,0,0,0,,NaN,,NaN,46.76,-92.21,46.76,-92.21,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Trees and power lines were blown down." +120585,722355,MINNESOTA,2017,September,Thunderstorm Wind,"ITASCA",2017-09-22 02:25:00,CST-6,2017-09-22 02:25:00,0,0,0,0,,NaN,,NaN,47.08,-93.44,47.08,-93.44,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A barn was damaged by severe thunderstorms winds that blew off its cupola and stripped its siding." +120588,722399,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:31:00,CST-6,2017-09-20 00:31:00,0,0,0,0,,NaN,,NaN,46.34,-94.28,46.34,-94.28,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several pine and oak trees with diameters larger than twelve inches were knocked down along Minnesota Highway 210 two miles west of the intersection with Minnesota 371. An oak tree also fell across a home on the south end of White Sand lake." +120588,722400,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-20 00:35:00,CST-6,2017-09-20 00:35:00,0,0,0,0,,NaN,,NaN,46.5,-94.36,46.5,-94.36,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several trees were knocked down along the lake shore area." +120701,722966,CALIFORNIA,2017,September,Excessive Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-01 11:00:00,PST-8,2017-09-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","More than 70 schools in the San Diego Unified School District closed early due to the excessive heat. Temperatures ranged from the upper 80 at the immediate coast to 105 several miles inland." +120701,722967,CALIFORNIA,2017,September,Excessive Heat,"ORANGE COUNTY INLAND",2017-09-01 11:00:00,PST-8,2017-09-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Afternoon highs in Inland Orange County ranged from 100-106 degrees." +120701,722968,CALIFORNIA,2017,September,Excessive Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-09-02 11:00:00,PST-8,2017-09-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Afternoon highs just inland from the coast ranged from 95-106 degrees." +120701,722969,CALIFORNIA,2017,September,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-09-02 11:00:00,PST-8,2017-09-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Riverside was 109 degrees and Chino reached 108 degrees." +120701,722970,CALIFORNIA,2017,September,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-09-01 11:00:00,PST-8,2017-09-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Ramona reached 109 degrees, the hottest September temperature on record. Other temperatures in the region included 108 in Valley Center and 106 in El Cajon." +118346,711127,VERMONT,2017,August,Thunderstorm Wind,"WINDSOR",2017-08-22 20:18:00,EST-5,2017-08-22 20:18:00,0,0,0,0,2.00K,2000,0.00K,0,43.38,-72.61,43.38,-72.61,"A strong cold front and upper level system approached Vermont during the evening of August 22nd and moved through overnight. Numerous thunderstorms moved across Vermont during the evening with several producing damaging winds in the form of downed trees and power lines.","A few trees downed by thunderstorm winds." +118136,709949,IDAHO,2017,August,Thunderstorm Wind,"ADA",2017-08-24 18:40:00,MST-7,2017-08-24 18:50:00,0,0,0,0,0.00K,0,0.00K,0,43.57,-116.22,43.5496,-116.0994,"A cold front draped across the Oregon Idaho border combined with hot afternoon temperatures for the development of strong to severe thunderstorms over parts of Southwest Idaho.","The Boise airport measured a wind gust of 58 MPH at 6:41 MST." +118314,710957,IDAHO,2017,August,Thunderstorm Wind,"ADA",2017-08-30 15:48:00,MST-7,2017-08-30 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.57,-116.22,43.5267,-116.0898,"Monsoon moisture combined with unstable conditions associated with an approaching trough and afternoon heating produced strong to severe thunderstorms across parts of Southwest Idaho.","The Boise FAA tower reported a 67 MPH wind gust. Multiple damage reports were received in Southeast Boise with large trees and branches down including power outages." +118314,710961,IDAHO,2017,August,Thunderstorm Wind,"PAYETTE",2017-08-30 15:00:00,MST-7,2017-08-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-116.82,43.985,-116.7963,"Monsoon moisture combined with unstable conditions associated with an approaching trough and afternoon heating produced strong to severe thunderstorms across parts of Southwest Idaho.","Social media posted pictures of utility poles snapped in half near New Plymouth. National Weather Service radar indicated outflow thunderstorm winds were around 50 knots." +118554,712215,NEBRASKA,2017,August,Hail,"MORRILL",2017-08-08 14:25:00,MST-7,2017-08-08 14:29:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-102.72,41.55,-102.72,"Afternoon thunderstorms produced large hail over Cheyenne and Morrill counties in western Nebraska.","Quarter size hail was observed five miles northwest of Lisco." +118554,712216,NEBRASKA,2017,August,Hail,"BANNER",2017-08-08 16:05:00,MST-7,2017-08-08 16:08:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-102.99,41.42,-102.99,"Afternoon thunderstorms produced large hail over Cheyenne and Morrill counties in western Nebraska.","Quarter size hail was observed 20 miles north of Sidney." +118555,712217,WYOMING,2017,August,Hail,"LARAMIE",2017-08-05 14:45:00,MST-7,2017-08-05 14:48:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-104.36,41.19,-104.36,"Thunderstorms produced large hail and locally heavy rainfall over portions of Laramie and Goshen counties in southeast Wyoming.","Quarter size hail was observed at Burns." +118555,712218,WYOMING,2017,August,Hail,"GOSHEN",2017-08-05 19:35:00,MST-7,2017-08-05 19:36:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-104.53,41.75,-104.53,"Thunderstorms produced large hail and locally heavy rainfall over portions of Laramie and Goshen counties in southeast Wyoming.","Quarter size hail was observed 15 miles east of Chugwater." +118556,712219,WYOMING,2017,August,Hail,"NIOBRARA",2017-08-11 15:35:00,MST-7,2017-08-11 15:37:00,0,0,0,0,0.00K,0,0.00K,0,42.6372,-104.2829,42.6372,-104.2829,"A thunderstorm produced large hail in southeast Niobrara County.","Quarter size hail was observed 12 miles southeast of Lusk." +118215,712227,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 17:00:00,MST-7,2017-08-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,33.7341,-112.1272,33.7415,-112.0976,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered monsoon thunderstorms developed across the northern portion of the greater Phoenix area during the afternoon hours on August 3rd and some of the stronger storms affected communities such as Deer Valley. The storms produced locally heavy rains with peak rain rates well above one inch per hour and the rains resulted in episodes of flash flooding as area washes filled up and ran swiftly. According to a mesonet observation, flash flooding occurred 6 miles north of Deer Valley. At 1755MST, North Valley Parkway was flooded at the Sonoran Wash. The timing of the flooding was based on a Maricopa County Flood Control stream gage located upstream of the road crossing. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1655MST and it was in effect through 2000MST. No injuries were reported due to the flash flooding." +119547,717396,VIRGINIA,2017,September,Strong Wind,"HENRY",2017-09-12 06:55:00,EST-5,2017-09-12 06:55:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical force wind gusts across the higher elevations of the southern Blue Ridge mountains of Virginia. These high winds coupled with moderate rain showers produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused a tree to fall at the intersection of Blackberry and Jarrett Road." +120589,722428,GEORGIA,2017,September,Flash Flood,"MCINTOSH",2017-09-11 06:45:00,EST-5,2017-09-11 14:00:00,0,0,0,0,25.00K,25000,0.00K,0,31.349,-81.4461,31.3548,-81.444,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Local broadcast media reported flash flooding from heavy rainfall associated with Hurricane Irma. Pictures showed several structures submerged due to flood waters on Highway 17 south of Darien. Water was nearly up to the windows on one structure." +120589,722435,GEORGIA,2017,September,Flash Flood,"CHATHAM",2017-09-11 13:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,25.00K,25000,0.00K,0,31.9385,-81.1145,31.9335,-81.1117,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Chatham County Emergency Management reported 11 people and 2 dogs were rescued from a home on Beaulie Farm Bend." +120589,722526,GEORGIA,2017,September,Tropical Depression,"BULLOCH",2017-09-11 07:00:00,EST-5,2017-09-11 19:00:00,0,0,0,0,900.00K,900000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Bulloch County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma. As many as 35 roads were blocked by fallen trees and at least 3 trees fell on residential structures near Statesboro. Approximately 10,000 power outages were reported across the county. The AWOS site near Statesboro (KTBR) measured a peak wind gust of 39 mph during the event." +120589,722532,GEORGIA,2017,September,Tropical Depression,"TATTNALL",2017-09-11 07:00:00,EST-5,2017-09-11 19:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Tattnall County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma. One tree fell on a residence in Reidsville and another tree fell on a residence in Collins." +120589,722533,GEORGIA,2017,September,Tropical Depression,"CANDLER",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Candler County Emergency Management reported multiple trees down across the county due to strong winds associated with Tropical Storm Irma. The RAWS site located near Metter measured a peak wind gust of 50 mph." +120589,722534,GEORGIA,2017,September,Tropical Depression,"JENKINS",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Jenkins County Emergency Management reported multiple trees down across the county due to strong wind associated with Tropical Storm Irma." +120589,722535,GEORGIA,2017,September,Tropical Depression,"LONG",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Long County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma. One tree came down on power lines on South Macon Street in Ludowici." +120809,723460,FLORIDA,2017,September,Storm Surge/Tide,"MONROE/UPPER KEYS",2017-09-09 21:00:00,EST-5,2017-09-11 01:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","Storm surge of 3 to 4 feet was observed throughout Islamorada through Ocean Reef, as well as along Barnes Sound near Manatee Bay. Total water heights were generally 2 to 4 feet above ground level. Flooding of oceanside residences and business up to 2 feet occurred." +120690,722895,FLORIDA,2017,September,Hurricane,"COASTAL COLLIER COUNTY",2017-09-09 16:00:00,EST-5,2017-09-11 06:00:00,0,0,0,1,222.50M,222500000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds near 115 mph at landfall in Marco Island and 80-100 mph across the rest of Coastal Collier County. Wind gusts were in excess of 100 mph, with a peak gust of 142 mph near Naples Regional Airport at 435 PM in association with the eastern eye wall. These winds produced major wind damage with at least 88 buildings destroyed and over 1,500 with major damage. Heavy tree and power pole damage, along with minor structural damage, was observed in areas affected by the eye wall. Post-storm survey revealed the likelihood of mini-vortices in the eastern eye wall causing enhanced tree and structural damage in Port of the Islands and Collier-Seminole State Park. A total of 197,630 customers lost power across all of Collier County." +114222,685756,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:05:00,CST-6,2017-03-06 20:09:00,0,0,0,0,,NaN,,NaN,39.09,-94.42,39.09,-94.42,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +117453,706378,IOWA,2017,June,Hail,"DALLAS",2017-06-28 16:17:00,CST-6,2017-06-28 16:17:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-93.89,41.6,-93.89,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported quarter sized hail." +119820,718428,IDAHO,2017,August,Wildfire,"UPPER SNAKE RIVER PLAIN",2017-08-25 11:30:00,MST-7,2017-08-28 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Deer Park was another human caused fire detected on August 25th which burned 17,588 acres of grass and brush 12 miles west of Rexburg. The fire was west of Menan Butte and north of Deer Park and that area had several wildfires this season. No structures were threatened and the fire was 100 percent contained on August 28th.","The Deer Park was another human caused fire detected on August 25th which burned 17,588 acres of grass and brush 12 miles west of Rexburg. The fire was west of Menan Butte and north of Deer Park and that area had several wildfires this season. No structures were threatened and the fire was 100 percent contained on August 28th." +119822,718429,IDAHO,2017,August,Wildfire,"CARIBOU HIGHLANDS",2017-08-26 14:20:00,MST-7,2017-08-26 22:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A human caused fire started on the south side of Turner west of Grace and quickly spread east on August 26th at 3:30 pm MDT. Strong winds made the fire run quickly and it destroyed several snowmobiles and cars parked in an open field. The fire crossed the Bear River and jumped River Road as it headed toward Grace. It destroyed a shop building and damaged a hay barn and shed after it jumped the road. The fire was contained after reaching 50 acres before it could reach the city of Grace.","A human caused fire started on the south side of Turner west of Grace and quickly spread east on August 26th at 3:30 pm MDT. Strong winds made the fire run quickly and it destroyed several snowmobiles and cars parked in an open field. The fire crossed the Bear River and jumped River Road as it headed toward Grace. It destroyed a shop building and damaged a hay barn and shed after it jumped the road. The fire was contained after reaching 50 acres before it could reach the city of Grace. forty firefighters and 16 fire trucks responded to the fire." +119823,718432,IDAHO,2017,August,Thunderstorm Wind,"CASSIA",2017-08-11 18:00:00,MST-7,2017-08-11 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-113.3212,42.42,-113.3212,"Fifty knot winds recorded in Cassia and Power Counties.","A 57 mph wind gust at the Idahome Interchange." +119823,718433,IDAHO,2017,August,Thunderstorm Wind,"POWER",2017-08-11 19:04:00,MST-7,2017-08-11 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.3503,-112.8959,42.3503,-112.8959,"Fifty knot winds recorded in Cassia and Power Counties.","A 50 knot wind gust was measured at the TR256 RAWS Mesonet site." +119824,718434,IDAHO,2017,August,Thunderstorm Wind,"FREMONT",2017-08-01 17:20:00,MST-7,2017-08-01 17:30:00,0,0,0,0,0.20K,200,0.00K,0,44.07,-111.45,44.07,-111.45,"Tin siding was torn off an outbuilding by thunderstorm winds in Ashton.","Tin siding was torn off an outbuilding by thunderstorm winds in Ashton." +119865,718563,IDAHO,2017,August,Flash Flood,"FRANKLIN",2017-08-09 14:30:00,MST-7,2017-08-09 18:30:00,0,0,0,0,25.00K,25000,0.00K,0,42.049,-111.87,42.02,-111.909,"Heavy rains caused flash flooding in Fairview in Franklin County. Several residents of Fairview reported flooding in their homes with 128 homes also without power for 3 to 4 hours. Power was restored at 7:30 pm MDT.","Heavy rains caused flash flooding in Fairview in Franklin County. Several residents of Fairview reported flooding in their homes with 128 homes also without power for 3 to 4 hours. Power was restored at 7:30 pm MDT." +120046,719367,KANSAS,2017,August,Thunderstorm Wind,"GREENWOOD",2017-08-16 15:46:00,CST-6,2017-08-16 15:47:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.29,37.82,-96.29,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Power lines were blown down along with several large tree limbs. Damage to an outbuilding was also reported." +120046,719369,KANSAS,2017,August,Thunderstorm Wind,"GREENWOOD",2017-08-16 15:47:00,CST-6,2017-08-16 15:55:00,0,0,0,0,0.00K,0,0.00K,0,37.838,-96.3046,37.8142,-96.2622,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Windows and doors were blown out at Eureka High School. A metal outbuilding was destroyed and several large trees were uprooted across town." +120046,719370,KANSAS,2017,August,Thunderstorm Wind,"WOODSON",2017-08-16 16:14:00,CST-6,2017-08-16 16:16:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-95.74,37.87,-95.74,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Large tree limbs were blown down. This report came in via social media." +120046,719371,KANSAS,2017,August,Thunderstorm Wind,"ALLEN",2017-08-16 16:50:00,CST-6,2017-08-16 16:52:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-95.44,37.81,-95.44,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Several trees and power poles were blown down." +120046,719372,KANSAS,2017,August,Thunderstorm Wind,"ALLEN",2017-08-16 16:52:00,CST-6,2017-08-16 16:54:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-95.3,37.92,-95.3,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Several trees and power poles were blown down." +120046,719373,KANSAS,2017,August,Thunderstorm Wind,"RUSSELL",2017-08-16 03:53:00,CST-6,2017-08-16 03:55:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98.85,38.89,-98.85,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Official NWS wind measurement." +120046,719374,KANSAS,2017,August,Thunderstorm Wind,"RUSSELL",2017-08-16 03:57:00,CST-6,2017-08-16 03:59:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-98.85,38.89,-98.85,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Official wind measurement." +117887,708474,LOUISIANA,2017,August,Heat,"BIENVILLE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708475,LOUISIANA,2017,August,Heat,"WEBSTER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708477,LOUISIANA,2017,August,Heat,"CLAIBORNE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708478,LOUISIANA,2017,August,Heat,"LINCOLN",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708479,LOUISIANA,2017,August,Heat,"JACKSON",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +119363,716844,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-03 17:24:00,EST-5,2017-08-03 17:24:00,0,0,0,0,,NaN,,NaN,39.6902,-76.3586,39.6902,-76.3586,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down on wires." +119363,716845,MARYLAND,2017,August,Thunderstorm Wind,"PRINCE GEORGE'S",2017-08-03 18:13:00,EST-5,2017-08-03 18:13:00,0,0,0,0,,NaN,,NaN,39.0821,-76.8604,39.0821,-76.8604,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Several large trees were down and uprooted." +119363,716846,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-04 16:55:00,EST-5,2017-08-04 16:55:00,0,0,0,0,,NaN,,NaN,39.5404,-76.4756,39.5404,-76.4756,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down on Baldwin Mill Road and Greene Road." +119365,716848,WEST VIRGINIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-03 15:18:00,EST-5,2017-08-03 15:18:00,0,0,0,0,,NaN,,NaN,39.3971,-77.7675,39.3971,-77.7675,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Small trees were down along Engle Molers Road." +119364,716850,VIRGINIA,2017,August,Thunderstorm Wind,"FAIRFAX",2017-08-03 17:22:00,EST-5,2017-08-03 17:22:00,0,0,0,0,,NaN,,NaN,38.8473,-77.1691,38.8473,-77.1691,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down on Dearborn Drive." +119364,716851,VIRGINIA,2017,August,Thunderstorm Wind,"FAIRFAX",2017-08-03 18:06:00,EST-5,2017-08-03 18:06:00,0,0,0,0,,NaN,,NaN,38.8967,-77.4295,38.8967,-77.4295,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A large tree limb was snapped near the intersection of Centreville Road and Metrotech Drive." +119364,716852,VIRGINIA,2017,August,Thunderstorm Wind,"LOUDOUN",2017-08-03 19:20:00,EST-5,2017-08-03 19:20:00,0,0,0,0,,NaN,,NaN,39.1305,-77.6655,39.1305,-77.6655,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Tree and wires were down along the 200 Block of S. St. Paul Street." +119364,716854,VIRGINIA,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-03 19:29:00,EST-5,2017-08-03 19:29:00,0,0,0,0,,NaN,,NaN,39.1763,-78.1335,39.1763,-78.1335,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Six uprooted trees and several snapped trees were along Dale Court." +119451,716857,DISTRICT OF COLUMBIA,2017,August,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-08-03 17:35:00,EST-5,2017-08-03 17:35:00,0,0,0,0,,NaN,,NaN,38.9311,-77.0454,38.9311,-77.0454,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down near the intersection of Adams Mill Road Northwest and Walbridge Place." +119451,716859,DISTRICT OF COLUMBIA,2017,August,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-08-03 17:42:00,EST-5,2017-08-03 17:42:00,0,0,0,0,,NaN,,NaN,38.9552,-77.0268,38.9552,-77.0268,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down blocking Illinois Avenue Northwest near Jefferson Street Northwest." +115195,694290,OKLAHOMA,2017,May,Hail,"KAY",2017-05-02 23:45:00,CST-6,2017-05-02 23:45:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-97.33,36.92,-97.33,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694489,OKLAHOMA,2017,May,Thunderstorm Wind,"ALFALFA",2017-05-03 00:15:00,CST-6,2017-05-03 00:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.51,-98.45,36.51,-98.45,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Carport was blown off house." +120347,721372,GEORGIA,2017,September,Tropical Storm,"TELFAIR",2017-09-11 04:00:00,EST-5,2017-09-11 13:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported extensive damage across the county with numerous trees and power lines blown down. A fire station was reported to be damaged in the southern part of the county. Much of the county was without electricity for varying period of time. Radar estimated between 2 and 4.5 inches of rain fell across the county with 4.3 inches measure near Scotland. No injuries were reported." +119611,717567,ARKANSAS,2017,August,Flash Flood,"POPE",2017-08-15 05:25:00,CST-6,2017-08-15 07:25:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-93.14,35.272,-93.1198,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Street flooding was reported and cars were underwater in Russellville on Arkansas Tech University campus." +119887,718632,MISSOURI,2017,August,Thunderstorm Wind,"ATCHISON",2017-08-20 05:36:00,CST-6,2017-08-20 05:39:00,0,0,0,0,,NaN,,NaN,40.48,-95.62,40.48,-95.62,"A line of generally sub-severe storms moved through northwest Missouri, however one area did receive some minor tree damage and minor structural damage in Atchison County, Missouri.","Emergency Manager in Atchison County, Missouri reported several 10-12 inch tree limbs down, along with some minor structural damage. Winds were estimated to be in the 50-60 mph range." +119889,718637,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-21 14:37:00,CST-6,2017-08-21 16:37:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.65,39.2574,-94.6486,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","HWY 152 was flooded near Green Hills Drive." +119889,718638,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-21 15:10:00,CST-6,2017-08-21 17:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1974,-94.7228,39.2141,-94.7203,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Numerous water rescues were ongoing at the time of report due to Rush Creek flooding." +119889,718639,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-21 15:23:00,CST-6,2017-08-21 17:23:00,0,0,0,0,0.00K,0,0.00K,0,39.1701,-94.6183,39.1669,-94.6016,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Line Creek was over its bank at Homestead Road and Homestead Terrace. Also, nearby W Platte Road was closed in both directions." +117486,709272,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-07 11:18:00,EST-5,2017-08-07 11:18:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-75.6,39.25,-75.6,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Just over 2 inches of rain fell." +117486,709273,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-07 11:54:00,EST-5,2017-08-07 11:54:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-75.6,39.17,-75.6,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Just over 2 inches of rain fell." +117486,709274,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-07 13:29:00,EST-5,2017-08-07 13:29:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-75.7,39.27,-75.7,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Almost three inches of rain fell." +117486,709275,DELAWARE,2017,August,Heavy Rain,"SUSSEX",2017-08-07 13:29:00,EST-5,2017-08-07 13:29:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-75.58,38.46,-75.58,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Around two inches of rain fell." +117486,709276,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-07 13:32:00,EST-5,2017-08-07 13:32:00,0,0,0,0,,NaN,,NaN,39.13,-75.51,39.13,-75.51,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Over three inches of rain fell." +117486,709277,DELAWARE,2017,August,Heavy Rain,"SUSSEX",2017-08-07 17:11:00,EST-5,2017-08-07 17:11:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-75.22,38.46,-75.22,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Around three inches of rain fell." +117986,709278,DELAWARE,2017,August,Flood,"NEW CASTLE",2017-08-18 17:45:00,EST-5,2017-08-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.45,-75.71,39.4536,-75.7325,"We got a flood report.","Some minor street flooding occurred." +117489,709279,MARYLAND,2017,August,Flood,"QUEEN ANNE'S",2017-08-07 11:00:00,EST-5,2017-08-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-76.21,38.9601,-76.2177,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Water six inches deep in Prospect Bay." +117489,709280,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 09:05:00,EST-5,2017-08-07 09:05:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-75.98,39.14,-75.98,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 2 inches of rain fell." +117489,709281,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 09:07:00,EST-5,2017-08-07 09:07:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-76.2,38.92,-76.2,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 2 inches of rain fell." +117489,709282,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 09:10:00,EST-5,2017-08-07 09:10:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-76.17,38.95,-76.17,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 2 inches of rain fell." +121597,728982,FLORIDA,2017,December,Winter Weather,"ESCAMBIA INLAND",2017-12-08 22:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Inland sections of the western Florida panhandle received from near a trace to as much 2 inches of snow.","Storm total snow amounts of 2 inches in Century and 0.1 in Gonzalez." +121494,728981,ALABAMA,2017,December,Winter Weather,"MONROE",2017-12-08 14:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total accumulations of 1 inch in Excel and 1 inch in Monroeville." +121597,728984,FLORIDA,2017,December,Winter Weather,"SANTA ROSA COASTAL",2017-12-08 22:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Inland sections of the western Florida panhandle received from near a trace to as much 2 inches of snow.","Storm total snow amounts of 0.25 to 0.5 near Whiting Field." +121597,728985,FLORIDA,2017,December,Winter Weather,"OKALOOSA COASTAL",2017-12-08 22:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Inland sections of the western Florida panhandle received from near a trace to as much 2 inches of snow.","Storm total snow amounts of 0.5 in Crestview." +121597,731149,FLORIDA,2017,December,Winter Weather,"ESCAMBIA INLAND",2017-12-09 07:45:00,CST-6,2017-12-09 07:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Inland sections of the western Florida panhandle received from near a trace to as much 2 inches of snow.","One person died due to ice on the Highway 29 bridge between McDavid and Century. There were multiple other crashes in the area." +122320,732400,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-12-09 05:06:00,EST-5,2017-12-09 05:06:00,0,0,0,0,0.00K,0,0.00K,0,24.7263,-81.0477,24.7263,-81.0477,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 34 knots was measured at The Florida Keys Marathon International Airport." +122320,732401,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-12-09 05:06:00,EST-5,2017-12-09 05:06:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 42 knots was measured at Pulaski Shoal Light." +122320,732402,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-12-09 06:45:00,EST-5,2017-12-09 06:45:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 39 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +122320,732403,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-12-09 08:18:00,EST-5,2017-12-09 08:18:00,0,0,0,0,0.00K,0,0.00K,0,24.551,-81.808,24.551,-81.808,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 35 knots was measured at a National Ocean Service automated station atop the Florida Keys National Marine Sanctuary office in Key West." +122320,732404,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-12-09 08:21:00,EST-5,2017-12-09 08:21:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Station Key West." +122320,732405,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-12-09 08:30:00,EST-5,2017-12-09 08:30:00,0,0,0,0,0.00K,0,0.00K,0,24.551,-81.808,24.551,-81.808,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 40 knots was measured from a National Ocean Service automated station atop the Florida Keys National Marine Sanctuary office in Key West." +120326,721001,KANSAS,2017,August,Hail,"STEVENS",2017-08-17 22:30:00,CST-6,2017-08-17 22:30:00,0,0,0,0,,NaN,,NaN,37.18,-101.35,37.18,-101.35,"An upper level low exited the Northern Plains and moved into the Great Lakes region. Meanwhile, west to northwest upper level flow continued above western Kansas. A weak shortwave moved down through this flow and into the Central and Northern High Plains by the evening. Near the surface, high pressure shifted east of the area with a trough of low pressure developing across eastern Colorado. Thunderstorms developed as the aforementioned upper level disturbance moved into the area. These storms produced moderate to severe hail and severe wind gusts.","" +120326,721003,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-17 18:45:00,CST-6,2017-08-17 18:45:00,0,0,0,0,,NaN,,NaN,37.04,-101.91,37.04,-101.91,"An upper level low exited the Northern Plains and moved into the Great Lakes region. Meanwhile, west to northwest upper level flow continued above western Kansas. A weak shortwave moved down through this flow and into the Central and Northern High Plains by the evening. Near the surface, high pressure shifted east of the area with a trough of low pressure developing across eastern Colorado. Thunderstorms developed as the aforementioned upper level disturbance moved into the area. These storms produced moderate to severe hail and severe wind gusts.","There was pea sized hail with an estimated 60 MPH wind." +120327,721004,KANSAS,2017,August,Hail,"HODGEMAN",2017-08-20 18:26:00,CST-6,2017-08-20 18:26:00,0,0,0,0,,NaN,,NaN,38.23,-99.64,38.23,-99.64,"A thunderstorm in Hodgeman county produced hail that was near severe criteria.","" +120327,721005,KANSAS,2017,August,Hail,"HODGEMAN",2017-08-20 18:28:00,CST-6,2017-08-20 18:28:00,0,0,0,0,,NaN,,NaN,38.23,-99.69,38.23,-99.69,"A thunderstorm in Hodgeman county produced hail that was near severe criteria.","" +120328,721007,KANSAS,2017,August,Hail,"GRAY",2017-08-27 15:55:00,CST-6,2017-08-27 15:55:00,0,0,0,0,,NaN,,NaN,37.87,-100.65,37.87,-100.65,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +120328,721008,KANSAS,2017,August,Hail,"HASKELL",2017-08-27 16:25:00,CST-6,2017-08-27 16:25:00,0,0,0,0,,NaN,,NaN,37.53,-100.69,37.53,-100.69,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +119728,718027,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 19:36:00,CST-6,2017-08-13 19:36:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-99.72,41.11,-99.72,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718029,NEBRASKA,2017,August,Hail,"FRONTIER",2017-08-13 22:13:00,CST-6,2017-08-13 22:13:00,0,0,0,0,0.00K,0,50.00K,50000,40.66,-100.03,40.66,-100.03,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","Hail did severe damage to crops at this location." +119728,718030,NEBRASKA,2017,August,Thunderstorm Wind,"FRONTIER",2017-08-13 22:13:00,CST-6,2017-08-13 22:13:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-100.03,40.66,-100.03,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","Tree damage along with property damage reported in Eustis." +119728,718031,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-13 18:45:00,CST-6,2017-08-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-99.64,41.26,-99.64,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +120140,719768,NEBRASKA,2017,August,Hail,"SHERIDAN",2017-08-14 19:38:00,MST-7,2017-08-14 19:38:00,0,0,0,0,0.00K,0,0.00K,0,42.89,-102.2,42.89,-102.2,"Isolated severe thunderstorms developed along a surface trough of low pressure in the Nebraska Panhandle on the evening of August 14th. A severe storm with half dollar sized hail was reported.","" +120141,719773,NEBRASKA,2017,August,Hail,"GARFIELD",2017-08-15 10:55:00,CST-6,2017-08-15 10:55:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-99.05,42.07,-99.05,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +120141,719779,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-15 11:05:00,CST-6,2017-08-15 11:05:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.83,41.13,-100.83,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +119836,718487,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-08-01 14:00:00,EST-5,2017-08-01 14:00:00,0,0,0,0,,NaN,,NaN,25.71,-80.21,25.71,-80.21,"A departing Tropical Depression Emily left an elongated trough across South Florida. Daytime heating along with this trough triggered several rounds of strong storms and heavy rainfall across the region, including several storms that produced strong wind gusts as they moved off the coast during the afternoon.","A thunderstorm produced a wind gust of 37 knots (43 mph) at mesonet site XDIN in Biscayne Bay." +119838,718489,ATLANTIC SOUTH,2017,August,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-08-03 06:30:00,EST-5,2017-08-03 06:30:00,0,0,0,0,,NaN,,NaN,26.63,-79.97,26.63,-79.97,"Isolated showers and storms developed over the local Atlantic waters during the morning hours. A waterspout was reported with this activity off the coast of Palm Beach County.","Public reported a waterspout a few miles off the coast of South Palm Beach at 730 AM EDT." +119839,718490,FLORIDA,2017,August,Funnel Cloud,"PALM BEACH",2017-08-10 10:45:00,EST-5,2017-08-10 10:45:00,0,0,0,0,,NaN,,NaN,26.78,-80.62,26.78,-80.62,"A mid to upper level trough of low pressure in the vicinity of South Florida along with deep tropical moisture lead to the development of showers and thunderstorms over the area. One of these storms produced a funnel cloud as it moved over the communities near Lake Okeechobee.","A trained spotter reported a funnel cloud a few miles south of Pahokee. Time estimated from radar." +119841,718492,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-08-18 19:10:00,EST-5,2017-08-18 19:10:00,0,0,0,0,,NaN,,NaN,25.92,-81.73,25.92,-81.73,"Thunderstorms along the seabreezes produced several strong wind gusts along the Gulf coast during the evening hours.","A thunderstorm produced a wind gust of 38 knots (44 mph) at the WeatherBug mesonet site MRCSC located at the Charter Club of Marco Island at 810 PM EDT." +119841,718493,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-08-18 19:12:00,EST-5,2017-08-18 19:12:00,0,0,0,0,,NaN,,NaN,25.93,-81.73,25.93,-81.73,"Thunderstorms along the seabreezes produced several strong wind gusts along the Gulf coast during the evening hours.","A thunderstorm produced a wind gust of 39 knots (45 mph) at the WeatherBug mesonet site MRCSL located at the Marco Island Mariott Beach Resort at 812 PM EDT." +119845,718496,ATLANTIC SOUTH,2017,August,Waterspout,"BISCAYNE BAY",2017-08-23 14:47:00,EST-5,2017-08-23 14:47:00,0,0,0,0,,NaN,,NaN,25.43,-80.3,25.43,-80.3,"A tropical wave moving across South Florida lead to a very moist and unstable atmosphere across the region. Numerous showers and storms developed over the local Atlantic waters during the morning hours and moved into the coast. A waterspout was reported with this activity in Biscayne Bay.","A waterspout was reported over Biscayne Bay by multiple sources, including a photo on social media and the local TV news stations. The waterspout was located around 1 mile east of Turkey Point around 347 PM EDT, with the position and time estimated by reports and Doppler radar." +117251,705278,PENNSYLVANIA,2017,August,Heavy Rain,"MONROE",2017-08-02 12:53:00,EST-5,2017-08-02 12:53:00,0,0,0,0,,NaN,,NaN,41.14,-75.38,41.14,-75.38,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Over two inches of rain fell in six hours." +117251,705279,PENNSYLVANIA,2017,August,Heavy Rain,"BUCKS",2017-08-03 16:24:00,EST-5,2017-08-03 16:24:00,0,0,0,0,,NaN,,NaN,40.13,-74.81,40.13,-74.81,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","One and a half inches in just over 25 minutes." +117251,705280,PENNSYLVANIA,2017,August,Heavy Rain,"BUCKS",2017-08-03 18:28:00,EST-5,2017-08-03 18:28:00,0,0,0,0,,NaN,,NaN,40.13,-74.81,40.13,-74.81,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Over 4 inches of rain fell." +117251,705282,PENNSYLVANIA,2017,August,Lightning,"MONTGOMERY",2017-08-02 12:35:00,EST-5,2017-08-02 12:35:00,0,0,0,0,0.01K,10,0.00K,0,40.1,-75.38,40.1,-75.38,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Tree struck by lightning." +117251,705283,PENNSYLVANIA,2017,August,Lightning,"NORTHAMPTON",2017-08-03 19:24:00,EST-5,2017-08-03 19:24:00,0,0,0,0,0.01K,10,0.00K,0,40.85,-75.28,40.85,-75.28,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Lightning struck a Chimney." +117251,705284,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-02 13:05:00,EST-5,2017-08-02 13:05:00,0,0,0,0,0.01K,10,0.00K,0,40.43,-75.18,40.43,-75.18,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A tree was taken down due to thunderstorm winds in Bedminster." +117251,705285,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-02 13:05:00,EST-5,2017-08-02 13:05:00,0,0,0,0,,NaN,,NaN,40.48,-75.26,40.48,-75.26,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A tree was taken down by thunderstorm winds in Haycock." +117251,705287,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-02 13:05:00,EST-5,2017-08-02 13:05:00,0,0,0,0,,NaN,,NaN,40.51,-75.31,40.51,-75.31,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Thunderstorm winds took down a tree in Springfield." +117251,705288,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-03 16:28:00,EST-5,2017-08-03 16:28:00,0,0,0,0,,NaN,,NaN,40.14,-74.82,40.14,-74.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A twenty foot tree snapped due to thunderstorm winds and hit a car." +117566,707017,MISSOURI,2017,August,Flash Flood,"BENTON",2017-08-05 19:55:00,CST-6,2017-08-05 21:55:00,0,0,0,0,0.00K,0,0.00K,0,38.3871,-93.4552,38.3906,-93.452,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","There was water over the road at the intersection of County Road E and County Road C. The roadways were closed due to high water levels." +117566,707022,MISSOURI,2017,August,Flash Flood,"CAMDEN",2017-08-05 23:00:00,CST-6,2017-08-06 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.0137,-92.7559,38.0133,-92.7562,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","Heavy rainfall damaged and washed away portions of Dawson Road near a grocery store in Camdenton. The damaged road broke a water main in the area." +117566,707023,MISSOURI,2017,August,Flood,"BENTON",2017-08-06 08:45:00,CST-6,2017-08-06 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.2,-93.1,38.2009,-93.0988,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","State Highway DD was closed due to flooding." +117566,707024,MISSOURI,2017,August,Flood,"BARTON",2017-08-06 10:04:00,CST-6,2017-08-06 12:04:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-94.31,37.4015,-94.307,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","State Highway 126 was closed due to flooding." +117566,707025,MISSOURI,2017,August,Thunderstorm Wind,"GREENE",2017-08-05 11:01:00,CST-6,2017-08-05 11:01:00,0,0,0,0,1.00K,1000,0.00K,0,37.33,-93.57,37.33,-93.57,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A roof was blown off a barn northeast of Ash Grove." +117566,707029,MISSOURI,2017,August,Heavy Rain,"CAMDEN",2017-08-06 06:00:00,CST-6,2017-08-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-92.81,37.98,-92.81,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 7.67 inches was measured just west of Camdenton." +117566,707031,MISSOURI,2017,August,Heavy Rain,"CAMDEN",2017-08-06 06:00:00,CST-6,2017-08-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.19,-92.85,38.19,-92.85,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 8.50 inches was measured near Laurie." +117566,707033,MISSOURI,2017,August,Heavy Rain,"BENTON",2017-08-06 06:25:00,CST-6,2017-08-06 06:25:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-93.27,38.36,-93.27,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 7.26 inches was measured east of Firetower Ave on Highway H." +117280,705399,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:58:00,CST-6,2017-06-15 17:58:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-92.35,42.49,-92.35,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Broadcast media reported tennis ball sized hail. Came from KWWL TV meteorologist. Time estimated from radar." +117280,705400,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:58:00,CST-6,2017-06-15 17:58:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-92.41,42.51,-92.41,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported ping pong ball sized hail." +117280,705401,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:11:00,CST-6,2017-06-15 18:11:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-92.25,42.47,-92.25,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +115843,696218,MICHIGAN,2017,April,Ice Storm,"ONTONAGON",2017-04-26 02:00:00,EST-5,2017-04-27 15:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A pair of low pressure systems moving along a stalled out frontal boundary produced moderate to heavy freezing rain over portions of Upper Michigan from the 26th into the 27th.","Officials at the Porcupine Mountains State Park reported that higher elevations of the park received over an inch of ice accumulation from freezing rain which was then covered by 2-4 inches of wet snow. The combination of the ice and snow toppled thousands of large trees which caused extensive damage to 35-50 miles of hiking trails within the park.||Light to moderate accumulations of ice and snow were reported at lower elevations which led to minor tree damage and slippery conditions on area roads and sidewalks." +118146,709991,FLORIDA,2017,August,Flood,"BAKER",2017-08-19 18:00:00,EST-5,2017-08-19 19:00:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-82.15,30.2451,-82.1481,"An early start to convection across the Suwannee River Valley with moist SW flow off of the Gulf of Mexico with a surface front draped across SE Georgia. Morning convection produced an outflow boundary that raced toward the Atlantic through early afternoon, which triggered strong storms along boundary mergers that produced excessive lightning and heavy rainfall.","Southern States Nursery Road south of Macclenny was closed due to flood water. John Rowe Road south of Macclenny was closed due to flood water." +120347,721375,GEORGIA,2017,September,Tropical Storm,"TREUTLEN",2017-09-11 05:00:00,EST-5,2017-09-11 14:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. No injuries were reported." +118163,710376,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 15:30:00,MST-7,2017-08-03 15:30:00,0,0,0,0,45.00K,45000,0.00K,0,33.49,-112.94,33.49,-112.94,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered thunderstorms developed across the western portion of the greater Phoenix area during the afternoon hours and some of them affected the town of Tonopah. The stronger storms produced damaging microburst winds estimated to be as high as 70 mph. According to APS, the local utility company, gusty winds blew down 6 power poles in the town of Tonopah. No injuries were reported. A Severe Thunderstorm Warning was in effect for the area at the time of the damage; it was issued at 1520MST." +118163,710377,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 16:15:00,MST-7,2017-08-03 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,33.61,-112.06,33.61,-112.06,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Strong thunderstorms developed across the north portion of the greater Phoenix area, including the town of Deer Valley, during the afternoon hours on August 3rd. Some of the stronger storms produced gusty and damaging outflow winds, estimated to be as high as 65 mph. According to a report received from the public, via twitter, gusty winds damaged a car port near the intersection of 15th Street and East Thunderbird Road. This was about 5 miles southeast of Deer Valley." +118756,713371,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-13 02:00:00,MST-7,2017-08-13 05:00:00,0,0,0,0,20.00K,20000,0.00K,0,33.5271,-112.1993,33.558,-112.1931,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Scattered thunderstorms developed across the greater Phoenix area during the early morning hours on August 13th and some of the stronger storms affected the western portion including the community of Glendale. Locally heavy rainfall occurred with peak rain rates in excess of one inch per hour and that was more than sufficient to cause flash flooding in the highly urbanized communities. According to a report from local broadcast media, at 0300MST flash flooding had flooded several neighborhood streets about 1 mile west of Glendale and around the intersection of West Glendale Avenue and North 71st Avenue. The water level had climbed roughly halfway up the car tires on the streets. About 15 minutes later, at 0318MST, local law enforcement reported that flash flooding had required a water rescue near the intersection of North 67th Avenue and West Bethany Home Road, approximately one mile southwest of Glendale. No injuries were reported due to the flash flooding. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 0200MST and remained in effect through 0500MST." +118032,709521,TEXAS,2017,August,Thunderstorm Wind,"LUBBOCK",2017-08-22 18:00:00,CST-6,2017-08-22 18:00:00,0,0,0,0,0.50K,500,0.00K,0,33.58,-101.88,33.58,-101.88,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","An outdoor metal canopy was damaged from high winds during the passage of a gust front." +118916,714376,LOUISIANA,2017,August,Tropical Storm,"NATCHITOCHES",2017-08-30 16:45:00,CST-6,2017-08-30 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain and the stronger squalls were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, in addition to significant flash flooding across Westcentral Louisiana, reports of downed trees and power lines were received over portions of Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||In Sabine Parish, trees were blown down on power lines on LA 1215 west of LA 191 about 6 miles south southwest of Zwolle. Another tree was also blown down on Highway 120 about 4 miles north of Zwolle, where water was also high in this area. In Natchitoches Parish, a large tree was blown down across Highway 9 near Creston Baptist Church, blocking the road. In Union Parish, a large limb fell through the roof of a home about 3 miles northwest of Farmerville, causing structural damage and water to come into the home.","" +118916,714377,LOUISIANA,2017,August,Tropical Storm,"UNION",2017-08-30 16:45:00,CST-6,2017-08-30 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain and the stronger squalls were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, in addition to significant flash flooding across Westcentral Louisiana, reports of downed trees and power lines were received over portions of Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||In Sabine Parish, trees were blown down on power lines on LA 1215 west of LA 191 about 6 miles south southwest of Zwolle. Another tree was also blown down on Highway 120 about 4 miles north of Zwolle, where water was also high in this area. In Natchitoches Parish, a large tree was blown down across Highway 9 near Creston Baptist Church, blocking the road. In Union Parish, a large limb fell through the roof of a home about 3 miles northwest of Farmerville, causing structural damage and water to come into the home.","" +118330,711063,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-29 05:40:00,CST-6,2017-08-29 17:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2635,-94.8304,31.269,-94.8242,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Farm to Market Road 2497 was closed due to flooding." +117655,707481,TEXAS,2017,August,Flood,"HALL",2017-08-13 20:53:00,CST-6,2017-08-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3972,-100.9017,34.3988,-100.8875,"Two rounds of strong and severe thunderstorms moved southeast across the southern Texas Panhandle this evening. The first round consisted of a discrete supercell thunderstorm that moved from northern Briscoe County to southwest Hall County. Although this storm exhibited strong rotation with a likelihood of very large hail at times, no ground truth of severe weather was obtained. Immediately on the heels of this supercell, a large line of storms spread southward accompanied by a series of destructive microbursts in far southwest Hall County. Multiple homes, buildings and trees in Turkey sustained moderate to substantial damage from straight line winds determined as high as 120 mph. Following the damaging winds, torrential rains measured as great as 3.06 inches in Turkey led to flash flooding and brief closures area streets and roads.","Law enforcement reported flash flooding in Turkey, TX, primarily along State Highway 86." +118032,709520,TEXAS,2017,August,Flash Flood,"SWISHER",2017-08-22 16:15:00,CST-6,2017-08-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5157,-101.9099,34.5479,-101.903,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","Law enforcement in Tulia reported water flowing across streets and lawns in Tulia. The underpass at the junction of State Highway 86 and 87 was closed through the night from water up to five feet deep. Just east of Tulia, the Middle Tule Creek rose out of its banks and partially flooded State Highway 86." +118032,709525,TEXAS,2017,August,Thunderstorm Wind,"HOCKLEY",2017-08-22 17:45:00,CST-6,2017-08-22 17:45:00,0,0,0,0,42.00K,42000,0.00K,0,33.5331,-102.3752,33.4921,-102.37,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","A series of downbursts damaged 19 utility poles along US Highway 385 and FM Road 1585 in southeast Hockley County. These winds inflicted minor damage to a mesonet belonging to the Texas Tech University West Texas Mesonet." +117445,714431,NEBRASKA,2017,August,Thunderstorm Wind,"ADAMS",2017-08-02 23:35:00,CST-6,2017-08-02 23:35:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-98.6691,40.63,-98.6691,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","Wind gusts estimated to be near 60 MPH downed some tree limbs approximately 3 inches in diameter." +119249,716041,NORTH DAKOTA,2017,August,Hail,"BILLINGS",2017-08-11 20:59:00,MST-7,2017-08-11 21:04:00,0,0,0,0,0.00K,0,0.00K,0,46.92,-103.53,46.92,-103.53,"Thunderstorms formed over southwest North Dakota in an area of modest instability. One storm that passed over Billings County was a prolific producer of small hail, though did produce a few quarter-sized hailstones in Medora. This led to slushy road conditions on Interstate 94 in the Medora area.","" +119249,716042,NORTH DAKOTA,2017,August,Hail,"BILLINGS",2017-08-11 22:30:00,MST-7,2017-08-11 22:33:00,0,0,0,0,0.00K,0,0.00K,0,46.93,-103.52,46.93,-103.52,"Thunderstorms formed over southwest North Dakota in an area of modest instability. One storm that passed over Billings County was a prolific producer of small hail, though did produce a few quarter-sized hailstones in Medora. This led to slushy road conditions on Interstate 94 in the Medora area.","" +119251,716051,NORTH DAKOTA,2017,August,Hail,"MCINTOSH",2017-08-12 13:30:00,CST-6,2017-08-12 13:34:00,0,0,0,0,0.00K,0,10.00K,10000,46.11,-99.27,46.11,-99.27,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","Soybean crops suffered damage." +118236,715336,FLORIDA,2017,August,Flood,"LEE",2017-08-28 12:00:00,EST-5,2017-08-29 23:00:00,0,0,0,0,100.00K,100000,0.00K,0,26.4536,-81.9789,26.3298,-81.8458,"A trough of low pressure developed over the eastern Gulf of Mexico and passed east across the Florida Peninsula on the 26th through 28th of August, bringing abundant tropical moisture into the area. Heavy rain fell across the area each day, with some areas seeing over 16 inches of rain totals throughout the event. Flood waters entered numerous homes in Hillsborough, Manatee, Sarasota, and Lee counties, as well as making numerous roads impassable and stalling vehicles. The flooding also caused two separate drowning deaths in the area. ||In addition to the flooding, the storms produced some wind damage and a brief EF-0 tornado in Manatee County.","Heavy rain started to fall over southern Lee county during the evening of the 27th over already saturated ground and continued through the 28th. Localized flooding was reported, with water entering mobile homes in Estero and Bonita Springs. A total of 70 people evacuated a mobile home park in Estero, and another 116 people evacuated a mobile home park in Bonita Springs due to rising water on the Imperial River." +118872,714217,MAINE,2017,August,Hail,"PENOBSCOT",2017-08-03 13:00:00,EST-5,2017-08-03 13:00:00,0,0,0,0,,NaN,,NaN,46.03,-68.72,46.03,-68.72,"Thunderstorms developed in an increasingly humid airmass during the afternoon of the 3rd. An isolated severe thunderstorm developed in northern Penobscot county during the afternoon producing damaging winds.","Minor hail damage was reported to a vehicle in the parking lot at Bowlin Camps Lodge. The time is estimated." +118875,714224,MAINE,2017,August,Hail,"AROOSTOOK",2017-08-11 11:29:00,EST-5,2017-08-11 11:29:00,0,0,0,0,,NaN,,NaN,46.12,-67.83,46.12,-67.83,"Thunderstorms developed during the morning of the 11th with a warm front and upper level disturbance lifting across the region. An isolated severe thunderstorm produced large hail in the Houlton area.","" +118876,714225,MAINE,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-13 14:15:00,EST-5,2017-08-13 14:15:00,0,0,0,0,,NaN,,NaN,44.76,-67.33,44.76,-67.33,"Thunderstorms developed during the afternoon of the 13th in advance of a cold front crossing the region. An isolated severe thunderstorm produced damaging winds in Washington County.","A tree was toppled on Gardiner Lake Road by wind gusts estimated at 60 mph. The time is estimated." +118876,714227,MAINE,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-13 14:20:00,EST-5,2017-08-13 14:20:00,0,0,0,0,,NaN,,NaN,44.75,-67.25,44.75,-67.25,"Thunderstorms developed during the afternoon of the 13th in advance of a cold front crossing the region. An isolated severe thunderstorm produced damaging winds in Washington County.","Power lines were reported down in the 1200 Block of U.S. Route 1 due to wind gusts estimated at 60 mph. The time is estimated." +118876,714228,MAINE,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-13 14:23:00,EST-5,2017-08-13 14:23:00,0,0,0,0,,NaN,,NaN,44.76,-67.22,44.76,-67.22,"Thunderstorms developed during the afternoon of the 13th in advance of a cold front crossing the region. An isolated severe thunderstorm produced damaging winds in Washington County.","Several trees were toppled along U.S. Route 1 by wind gusts estimated at 60 mph. The time is estimated." +119434,716792,INDIANA,2017,August,Flash Flood,"ALLEN",2017-08-29 08:27:00,EST-5,2017-08-29 12:15:00,0,0,0,0,300.00K,300000,0.00K,0,41.0401,-85.2786,41.2335,-85.1578,"High precipitable water values, combine with a slow moving area of rain and embedded thunderstorms over the Fort Wayne Metro area, caused flooding and flash flooding across mainly the northern portions of Fort Wayne. Three to just under five inches of rain fell within a few hour period, overwhelming drains. Within a few hours of the rain ended, flood waters rapidly receded. Lightning sparked several fires as well.","Widespread flooding noted across mainly western and northern portions of the Fort Wayne metro area. Standing and flowing water was reported as high as the top of bumpers of cars in some locations. Several vehicles were stranded with some rescues needed. The Glenbrook mall was closed due to flood waters entering portions of the structure as well as power outages. Ivy Tech North Campus was closed due to flood waters entering the Student Life Center and basement of Harshman Hall. The water was shallow, but covered an extensive area, with total damages on the order of $300,000." +119663,717800,TEXAS,2017,August,Thunderstorm Wind,"VAN ZANDT",2017-08-12 18:40:00,CST-6,2017-08-12 18:40:00,0,0,0,0,0.00K,0,0.00K,0,32.43,-95.85,32.43,-95.85,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","A trained spotter reported a few large trees blown down near CR 2319 approximately 4 miles north of the city of Walton, TX." +119663,717801,TEXAS,2017,August,Thunderstorm Wind,"GRAYSON",2017-08-12 20:06:00,CST-6,2017-08-12 20:06:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-96.85,33.71,-96.85,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Amateur radio reported 6 to 12 inch diameter trees blown down approximately 2 miles north of the city of Saddler, TX." +119663,717876,TEXAS,2017,August,Flash Flood,"GRAYSON",2017-08-13 03:28:00,CST-6,2017-08-13 05:15:00,0,0,0,0,0.00K,0,0.00K,0,33.75,-96.67,33.7672,-96.6955,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Grayson County Sheriff's Department reported flooding on Highway 289 in Pottsboro and also some low water crossings flooded near Sherman." +117718,707857,SOUTH DAKOTA,2017,August,Hail,"LAWRENCE",2017-08-14 14:59:00,MST-7,2017-08-14 15:04:00,0,0,0,0,,NaN,0.00K,0,44.23,-103.58,44.23,-103.58,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,707858,SOUTH DAKOTA,2017,August,Hail,"LAWRENCE",2017-08-14 15:25:00,MST-7,2017-08-14 15:25:00,0,0,0,0,,NaN,0.00K,0,44.2479,-103.5,44.2479,-103.5,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,707859,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 15:40:00,MST-7,2017-08-14 15:50:00,0,0,0,0,0.00K,0,0.00K,0,44.2402,-103.4043,44.2402,-103.4043,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,707861,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 15:46:00,MST-7,2017-08-14 15:46:00,0,0,0,0,,NaN,0.00K,0,44.2244,-103.3806,44.2244,-103.3806,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,717451,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 15:40:00,MST-7,2017-08-14 15:40:00,0,0,0,0,0.00K,0,0.00K,0,44.2241,-103.3778,44.2241,-103.3778,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","" +117718,718210,SOUTH DAKOTA,2017,August,Heavy Rain,"MEADE",2017-08-14 15:00:00,MST-7,2017-08-14 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-103.39,44.23,-103.39,"A thunderstorm became severe over the northeastern slopes of the Black Hills and produced large hail and heavy rain from north of Nemo to Piedmont.","Two to four inches of rain around Piedmont filled ditches along Interstate 90." +117721,707865,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 16:15:00,MST-7,2017-08-14 16:15:00,0,0,0,0,,NaN,0.00K,0,44.23,-103.4,44.23,-103.4,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +119044,714944,WYOMING,2017,August,Thunderstorm Wind,"CAMPBELL",2017-08-01 19:00:00,MST-7,2017-08-01 19:00:00,0,0,0,0,,NaN,0.00K,0,44.363,-105.106,44.363,-105.106,"Strong winds destroyed a pole barn north of Rozet.","A large pole barn was blown over by strong wind gusts." +118340,711094,HAWAII,2017,August,Heavy Rain,"HONOLULU",2017-08-02 05:50:00,HST-10,2017-08-02 19:39:00,0,0,0,0,0.00K,0,0.00K,0,21.6856,-157.9807,21.3496,-158.0857,"Areas of heavy showers spread across much of Oahu. The precipitation developed along a nearly stationary boundary between a weak trade flow and an island-scale nighttime land breeze. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +119857,718614,KANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-05 22:10:00,CST-6,2017-08-06 01:10:00,0,0,0,0,0.00K,0,0.00K,0,39.0456,-94.6355,39.0427,-94.6525,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","KHP shut down I-35 southbound at 18th St due to flooding." +119857,718615,KANSAS,2017,August,Flash Flood,"WYANDOTTE",2017-08-05 22:10:00,CST-6,2017-08-06 01:10:00,0,0,0,0,0.00K,0,0.00K,0,39.0265,-94.6872,39.0361,-94.6802,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","KHP shut down I-35 at Antioch Road due to flooding." +119900,718701,ILLINOIS,2017,August,Thunderstorm Wind,"COLES",2017-08-21 11:46:00,CST-6,2017-08-21 11:51:00,0,0,0,0,0.00K,0,0.00K,0,39.4439,-88.2072,39.4439,-88.2072,"Isolated strong thunderstorms developed along an old outflow boundary during the afternoon of August 21st. One cell produced a 68mph wind gust at the Mattoon Airport and caused minor wind damage in the immediate area.","A flag pole was blown down on Lincoln Highway Road about 3 miles southwest of Charleston." +119015,714842,ARIZONA,2017,August,Thunderstorm Wind,"MOHAVE",2017-08-01 18:09:00,MST-7,2017-08-01 18:25:00,0,0,0,0,1.00K,1000,0.00K,0,34.5049,-114.2884,34.4435,-114.2631,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","A spotter measured a gust to 58 mph, and the public reported an estimated gust to 60 mph. A large tree blew down at Wallingford and Saratoga." +119015,714844,ARIZONA,2017,August,Thunderstorm Wind,"MOHAVE",2017-08-01 18:30:00,MST-7,2017-08-01 18:35:00,0,0,0,0,1.00K,1000,0.00K,0,35.0598,-114.5119,35.0537,-114.6011,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","The Bullhead City airport measured a gust to 58 mph, and the public reported an estimated gust to 60 mph with dense blowing dust. Winds and debris blew out a window in a home near Mohave Valley." +119015,714847,ARIZONA,2017,August,Thunderstorm Wind,"MOHAVE",2017-08-02 16:32:00,MST-7,2017-08-02 16:50:00,0,0,0,0,1.00K,1000,0.00K,0,35.3809,-113.8565,35.3809,-113.8565,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","A spotter reported estimated gusts to 60 mph with one quarter mile visibility in blowing dust. Small limbs and street signs also blew down." +120998,724278,IOWA,2017,October,Frost/Freeze,"POLK",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +123914,743620,ALASKA,2017,December,Blizzard,"WESTERN ARCTIC COAST",2017-12-20 05:52:00,AKST-9,2017-12-21 13:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought snow and blowing snow and strong winds to the north slope on December 20th 2017||Zone 201: Blizzard conditions were observed at the Wainwright ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 50 kt (58 mph) at the Wainwright ASOS.","" +123938,743820,ALASKA,2017,December,Blizzard,"WESTERN ARCTIC COAST",2017-12-02 05:24:00,AKST-9,2017-12-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient between a 1029 mb high over the arctic and a trough over the north slope produced snow and blowing snow and strong winds over the western north slope on December 2nd 2017 ||Zone 201: Blizzard conditions were observed at the Point Lay AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 37 kt (43 mph) at the Point Lay AWOS.","" +123940,743823,ALASKA,2017,December,Blizzard,"WESTERN ARCTIC COAST",2017-12-11 00:55:00,AKST-9,2017-12-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradient between a strong 1050 mb high over Russia and low pressure over the west coast of Alaska produced blowing snow and strong winds to the western north slope on December 11th 2017 ||Zone 201: Blizzard conditions were observed at the Point Lay AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 34 kt (39 mph) at the Point Lay AWOS.","" +123941,743824,ALASKA,2017,December,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-12-10 04:00:00,AKST-9,2017-12-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradient produced local blizzard conditions along the Bering strait on December 10th 2017.||Zone 213: Blizzard conditions were observed at the Brevig Mission AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 47 kt (54 mph) at the Brevig Mission AWOS.","" +123942,743849,ALASKA,2017,December,High Wind,"NE. SLOPES OF THE ERN AK RNG",2017-12-12 00:00:00,AKST-9,2017-12-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient developed in channeled areas of the Alaska range on the 12th of December. ||Zone 226: The U.S. Army Mesonet station Texas Condo reported a wind gust to 66 kts (76 mph).","" +122182,731399,IOWA,2017,December,Winter Weather,"LYON",2017-12-21 10:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated one to two inches. Snowfall of 1.5 inches was reported at Rock Rapids." +122182,731400,IOWA,2017,December,Winter Weather,"OSCEOLA",2017-12-21 10:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated one to two inches. Snowfall of 1.0 inches was reported at Sibley." +122182,731401,IOWA,2017,December,Winter Weather,"DICKINSON",2017-12-21 11:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated one to two inches. Snowfall of 1.6 inches was reported at Milford." +122182,731402,IOWA,2017,December,Winter Weather,"SIOUX",2017-12-21 10:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated around an inch. Snowfall of 1.0 inches was reported at Rock Valley." +122182,731403,IOWA,2017,December,Winter Weather,"O'BRIEN",2017-12-21 10:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated around an inch. Snowfall of 1.0 inches was reported at Sheldon." +122182,731404,IOWA,2017,December,Winter Weather,"CLAY",2017-12-21 11:00:00,CST-6,2017-12-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated around an inch. Snowfall of 1.0 inches was reported at Spencer." +120004,719111,NEW YORK,2017,August,Hail,"FULTON",2017-08-04 13:00:00,EST-5,2017-08-04 13:01:00,0,0,0,0,,NaN,,NaN,43.04,-74.45,43.04,-74.45,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","One inch hail was reported by an NWS Employee." +120004,719112,NEW YORK,2017,August,Tornado,"SARATOGA",2017-08-04 13:50:00,EST-5,2017-08-04 13:51:00,0,0,0,0,0.00K,0,0.00K,0,43.17,-74.11,43.171,-74.109,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A video captured a tornado briefly touching down over Great Sacandaga Lake. The tornado caused no damage from which the NWS could assign an EF-scale rating. The estimated path length was 100 yards with a path width of 20 yards." +120005,719162,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-12 15:49:00,EST-5,2017-08-12 15:49:00,0,0,0,0,,NaN,,NaN,43.03,-73.82,43.03,-73.82,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Two trees were downed at the intersection of Route 50 and Hutchins Road." +120005,719163,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 16:37:00,EST-5,2017-08-12 16:37:00,0,0,0,0,,NaN,,NaN,42.63,-74.56,42.63,-74.56,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Multiple trees and wires were downed." +120005,719164,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-12 16:37:00,EST-5,2017-08-12 16:37:00,0,0,0,0,,NaN,,NaN,42.63,-74.56,42.63,-74.56,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","A house caught fire due to downed power lines." +120145,719885,TENNESSEE,2017,August,Strong Wind,"DAVIDSON",2017-08-31 20:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Davidson County during the evening on August 31. A peak wind gust of 47 mph was measured at the Nashville International Airport ASOS at 1020 PM CDT, and a peak wind gust of 45 mph was measured at John C. Tune Airport AWOS at 1035 PM CDT. Several trees and power lines were blown down across the county causing scattered power outages. A Facebook photo showed a tree fell onto a car on East Trinity Lane in Inglewood causing damage to the vehicle." +120145,719886,TENNESSEE,2017,August,Strong Wind,"DICKSON",2017-08-31 20:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Dickson County during the evening on August 31. Several trees and power lines were blown down across the county with scattered power outages." +120154,719910,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 12:35:00,EST-5,2017-08-22 12:35:00,0,0,0,0,2.00K,2000,0.00K,0,40.37,-80.23,40.37,-80.23,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Numerous trees down." +120154,719911,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 12:37:00,EST-5,2017-08-22 12:37:00,0,0,0,0,0.50K,500,0.00K,0,40.37,-80.21,40.37,-80.21,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down at Robinson Run Rd at Cemetery Rd in South Fayette Township." +120154,719912,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 12:43:00,EST-5,2017-08-22 12:43:00,0,0,0,0,1.00K,1000,0.00K,0,40.32,-80.19,40.32,-80.19,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Several trees down." +120154,719913,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 13:00:00,EST-5,2017-08-22 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.35,-80.04,40.35,-80.04,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on Greenridge Rd." +120154,719914,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FOREST",2017-08-22 12:37:00,EST-5,2017-08-22 12:37:00,0,0,0,0,1.00K,1000,0.00K,0,41.39,-79.47,41.39,-79.47,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719915,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLARION",2017-08-22 12:42:00,EST-5,2017-08-22 12:42:00,0,0,0,0,1.00K,1000,0.00K,0,41.16,-79.59,41.16,-79.59,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719916,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-22 13:10:00,EST-5,2017-08-22 13:10:00,0,0,0,0,0.10K,100,0.00K,0,40.95,-79.79,40.95,-79.79,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Large tree limbs down." +119809,718409,WISCONSIN,2017,August,Hail,"BROWN",2017-08-10 14:10:00,CST-6,2017-08-10 14:10:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-88,44.51,-88,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell in Green Bay." +119809,718410,WISCONSIN,2017,August,Hail,"KEWAUNEE",2017-08-10 14:55:00,CST-6,2017-08-10 14:55:00,0,0,0,0,0.00K,0,0.00K,0,44.4,-87.68,44.4,-87.68,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell in Stangelville." +119809,718412,WISCONSIN,2017,August,Hail,"OUTAGAMIE",2017-08-10 14:55:00,CST-6,2017-08-10 14:55:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-88.3,44.44,-88.3,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell north of Freedom." +119809,718413,WISCONSIN,2017,August,Hail,"KEWAUNEE",2017-08-10 15:11:00,CST-6,2017-08-10 15:11:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-87.5,44.46,-87.5,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell in Kewaunee." +119809,718414,WISCONSIN,2017,August,Hail,"BROWN",2017-08-10 15:27:00,CST-6,2017-08-10 15:27:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-87.9,44.47,-87.9,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Penny size hail fell southeast of Green Bay." +119809,718415,WISCONSIN,2017,August,Hail,"WINNEBAGO",2017-08-10 15:38:00,CST-6,2017-08-10 15:38:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-88.63,44.1,-88.63,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Penny size hail fell east of Butte Des Morts." +119809,718419,WISCONSIN,2017,August,Hail,"BROWN",2017-08-10 14:11:00,CST-6,2017-08-10 14:11:00,0,0,0,0,0.00K,0,0.00K,0,44.52,-88.02,44.52,-88.02,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Quarter size hail fell in Green Bay." +120014,719195,NEW YORK,2017,August,Thunderstorm Wind,"SCHOHARIE",2017-08-22 18:45:00,EST-5,2017-08-22 18:45:00,0,0,0,0,,NaN,,NaN,42.76,-74.26,42.76,-74.26,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was downed on Main Street." +120014,719196,NEW YORK,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 18:50:00,EST-5,2017-08-22 18:50:00,0,0,0,0,,NaN,,NaN,43.24,-73.49,43.24,-73.49,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was down across a roadway." +120014,719197,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-22 19:00:00,EST-5,2017-08-22 19:00:00,0,0,0,0,,NaN,,NaN,42.9,-73.79,42.9,-73.79,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees and wires were downed." +120014,719198,NEW YORK,2017,August,Thunderstorm Wind,"SCHENECTADY",2017-08-22 19:00:00,EST-5,2017-08-22 19:00:00,0,0,0,0,,NaN,,NaN,42.83,-73.97,42.83,-73.97,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A large tree was down across Riverside Avenue." +121564,727627,MASSACHUSETTS,2017,December,Winter Storm,"EASTERN HAMPDEN",2017-12-09 10:30:00,EST-5,2017-12-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four and one-half to six and one-half inches of snow fell on Eastern Hampden County." +121564,727628,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN HAMPSHIRE",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Three to six inches of snow fell on Eastern Hampshire County." +121564,727629,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPSHIRE",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to five and one-half inches of snow fell on Western Hampshire County." +121564,727630,MASSACHUSETTS,2017,December,Winter Storm,"NORTHWEST MIDDLESEX COUNTY",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five and one-half to seven and one-half inches of snow fell on Northwest Middlesex County." +121564,727631,MASSACHUSETTS,2017,December,Winter Storm,"WESTERN MIDDLESEX",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to eight inches of snow fell on Western Middlesex County." +121564,727632,MASSACHUSETTS,2017,December,Winter Storm,"SOUTHEAST MIDDLESEX",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Six to seven inches of snow fell on Southeast Middlesex County." +121564,727633,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN NORFOLK",2017-12-09 09:00:00,EST-5,2017-12-10 01:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five to five and one-half inches of snow fell on Eastern Norfolk County." +121564,727634,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN NORFOLK",2017-12-09 09:00:00,EST-5,2017-12-10 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four and one-half to five and one-half inches of snow fell on Western Norfolk County." +119751,718392,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 21:10:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-86.56,34.7304,-86.5616,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flash flooding on Hermitage Avenue at Locust Street with a portable toilet flowing down the street with the flood waters." +119751,718393,ALABAMA,2017,August,Flood,"MADISON",2017-08-10 21:00:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-86.45,34.5999,-86.456,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","North and South bound lanes of Highway 431 at Cave Spring Road closed due to water covering the road." +120128,719815,OKLAHOMA,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-16 20:39:00,CST-6,2017-08-16 20:39:00,0,0,0,0,5.00K,5000,0.00K,0,35.9,-97.03,35.9,-97.03,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","Estimated 60-70 mph wind blew off metal roof to four car garage. Several 4-8 inch diameter tree limbs twisted off at the same location. Time estimated by radar." +120128,719816,OKLAHOMA,2017,August,Hail,"PAYNE",2017-08-16 20:43:00,CST-6,2017-08-16 20:43:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-97.03,35.98,-97.03,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120128,719817,OKLAHOMA,2017,August,Thunderstorm Wind,"PAYNE",2017-08-16 20:47:00,CST-6,2017-08-16 20:47:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-97.03,35.98,-97.03,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","No damage reported." +120128,719818,OKLAHOMA,2017,August,Thunderstorm Wind,"COMANCHE",2017-08-16 23:30:00,CST-6,2017-08-16 23:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.6,-98.42,34.6,-98.42,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","Power pole downed." +120128,719819,OKLAHOMA,2017,August,Thunderstorm Wind,"COMANCHE",2017-08-16 23:40:00,CST-6,2017-08-16 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,34.6,-98.35,34.6,-98.35,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","Several shingles were blown off roof along with several 1 to 2 inch tree limbs down." +120128,719820,OKLAHOMA,2017,August,Thunderstorm Wind,"TILLMAN",2017-08-17 00:30:00,CST-6,2017-08-17 00:30:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-98.74,34.23,-98.74,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","" +120132,719823,TEXAS,2017,August,Thunderstorm Wind,"CLAY",2017-08-19 15:15:00,CST-6,2017-08-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,33.55,-98.2,33.55,-98.2,"An area of scattered storms formed over north Texas on the afternoon of the 19th, producing a severe wind gust.","No damage reported." +120133,719824,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHITA",2017-08-22 15:54:00,CST-6,2017-08-22 15:54:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-99.2,35.33,-99.2,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","" +120133,719825,OKLAHOMA,2017,August,Thunderstorm Wind,"POTTAWATOMIE",2017-08-22 17:33:00,CST-6,2017-08-22 17:33:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-96.92,35.34,-96.92,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","No damage reported." +121626,727974,RHODE ISLAND,2017,December,Winter Weather,"WESTERN KENT",2017-12-23 03:00:00,EST-5,2017-12-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Ice accumulation of around one-tenth inch was reported from West Greenwich." +121625,727975,CONNECTICUT,2017,December,Winter Weather,"HARTFORD",2017-12-23 03:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 930 AM EST multiple multi-vehicle accidents were reported in Wethersfield. Ice accumulations of around one-tenth inch were commonly reported around Hartford County. At 1144 AM an ice accumulation of one-quarter inch was reported in Granby. At 1228 PM an ice accumulation of nearly four-tenths inch was reported in Burlington." +121633,728038,CONNECTICUT,2017,December,Winter Weather,"HARTFORD",2017-12-24 23:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas.","Two to five inches of snow fell on Hartford County." +121194,725484,KANSAS,2017,December,Winter Weather,"DICKINSON",2017-12-26 04:00:00,CST-6,2017-12-26 12:00:00,0,0,4,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Between 1 and 2 inches of snow fell during the morning of December 26th causing slick travel on roadways. A winter weather advisory had been issued for the area where the fatal accident occurred. Just before 10am local time, a pickup truck traveling west on interstate 70 struck a guardrail near Abilene, KS and traveled along and on top of the rail before falling around 25 feet off of a bridge coming to rest on its top. All 4 inside the vehicle were killed.","Just before 10am local time, a pickup truck traveling west on interstate 70 struck a guardrail near Abilene, KS and traveled along and on top of the rail before falling around 25 feet off of a bridge coming to rest on its top. All 4 inside the vehicle were killed. The snow reduced visibility to around 1/2 to 1 mile at times. A winter weather advisory was in effect and 1 to 2 inches of snow fell during this event." +118547,712203,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 16:25:00,EST-5,2017-08-12 16:35:00,0,0,0,0,5.00K,5000,0.00K,0,42.58,-74.75,42.58,-74.75,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118547,712204,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 16:30:00,EST-5,2017-08-12 16:40:00,0,0,0,0,5.00K,5000,0.00K,0,42.58,-74.75,42.58,-74.75,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118547,712205,NEW YORK,2017,August,Thunderstorm Wind,"OTSEGO",2017-08-12 16:30:00,EST-5,2017-08-12 16:40:00,0,0,0,0,10.00K,10000,0.00K,0,42.62,-74.67,42.62,-74.67,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. As the front moved east, supercells developed ahead of the approaching front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees and wires. This region took the brunt of the storm." +118548,712206,PENNSYLVANIA,2017,August,Hail,"BRADFORD",2017-08-12 15:18:00,EST-5,2017-08-12 15:28:00,0,0,0,0,1.00K,1000,0.00K,0,41.77,-76.45,41.77,-76.45,"A cold front moved into western New York and Pennsylvania Tuesday afternoon, and showers and thunderstorms quickly developed along and ahead of the front. The front slowly moved east and propagated into a very unstable environment. Supercells developed ahead of the approaching front and as the front moved east additional showers and thunderstorms developed along the front. As these storms moved east, some of these storms produced damaging winds and large hail.","A thunderstorm developed over the area and produced golf ball sized hail." +118571,712296,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-19 18:05:00,EST-5,2017-08-19 18:15:00,0,0,0,0,8.00K,8000,0.00K,0,41.79,-76.78,41.79,-76.78,"A weak surface front moved across the state of Pennsylvania on Saturday and generated showers and thunderstorms. As these storms moved east, they interacted with an unstable environment. Some of these storms became severe and caused damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees near the town of Troy and Ridgebury township." +119645,718100,OKLAHOMA,2017,August,Thunderstorm Wind,"OKMULGEE",2017-08-06 01:49:00,CST-6,2017-08-06 01:49:00,0,0,0,0,0.00K,0,0.00K,0,35.6265,-95.9558,35.6265,-95.9558,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind snapped large tree limbs." +119645,718101,OKLAHOMA,2017,August,Flood,"OKMULGEE",2017-08-06 02:14:00,CST-6,2017-08-06 05:45:00,0,0,0,0,0.00K,0,0.00K,0,35.7404,-96.069,35.7409,-96.0691,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Portions of Highway 16 and Alternate 75 were closed due to high water." +119645,721017,OKLAHOMA,2017,August,Tornado,"WAGONER",2017-08-06 00:30:00,CST-6,2017-08-06 00:31:00,0,0,0,0,20.00K,20000,0.00K,0,36.0835,-95.7617,36.0786,-95.7452,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This is the second segment of a two segment tornado. The tornado moved from Tulsa County into Wagoner County where it blew the roof off of an outbuilding. It continued moving east-southeast snapping large tree limbs and uprooting some trees. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph." +118432,714454,NEBRASKA,2017,August,Hail,"BUFFALO",2017-08-19 22:12:00,CST-6,2017-08-19 22:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7055,-99.0624,40.7111,-99.0447,"Numerous thunderstorms rumbled across various portions of South Central Nebraska mainly between 9 p.m. CDT on Saturday the 19th and 5 a.m. on Sunday the 20th. The vast majority of this activity was sub-severe, producing no more than gusty winds, small hail and locally heavy rainfall. However, at least one storm breached severe limits, with several reports of penny to quarter size hail and 50-60 MPH wind gusts in Kearney around 11 p.m. CDT. Rainfall-wise, while most areas measured no more than 0.50-1.50, Polk County was a wetter exception with widespread 2-3 amounts and even 3.14 in Osceola (this brought the 5-day Osceola total up to a notable 10.19). Although at least minor flooding likely occurred in the county, it was not as significant as the event several days prior. ||While isolated severe storms got underway before sunset just outside of the local area in central Nebraska, it was not until nightfall that activity rapidly initiated and expanded in coverage within South Central Nebraska. In the mid-upper levels, forcing was fairly weak in quasi-zonal flow aloft, although a weak disturbance was noted tracking east across the region. Likely the more significant player in rapid nocturnal convective development was the onset of a 30-40 knot southwesterly low level jet evident at 850 millibars. In addition, the airmass was rather unstable, featuring steep mid-level lapse rates and surface dewpoints well into the 60s to around 70 F. Late evening mesoscale analysis featured 2000-2500 J/kg most-unstable CAPE and 30-40 knots of effective deep-layer wind shear.","" +118432,721180,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-19 22:00:00,CST-6,2017-08-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-97.55,41.18,-97.55,"Numerous thunderstorms rumbled across various portions of South Central Nebraska mainly between 9 p.m. CDT on Saturday the 19th and 5 a.m. on Sunday the 20th. The vast majority of this activity was sub-severe, producing no more than gusty winds, small hail and locally heavy rainfall. However, at least one storm breached severe limits, with several reports of penny to quarter size hail and 50-60 MPH wind gusts in Kearney around 11 p.m. CDT. Rainfall-wise, while most areas measured no more than 0.50-1.50, Polk County was a wetter exception with widespread 2-3 amounts and even 3.14 in Osceola (this brought the 5-day Osceola total up to a notable 10.19). Although at least minor flooding likely occurred in the county, it was not as significant as the event several days prior. ||While isolated severe storms got underway before sunset just outside of the local area in central Nebraska, it was not until nightfall that activity rapidly initiated and expanded in coverage within South Central Nebraska. In the mid-upper levels, forcing was fairly weak in quasi-zonal flow aloft, although a weak disturbance was noted tracking east across the region. Likely the more significant player in rapid nocturnal convective development was the onset of a 30-40 knot southwesterly low level jet evident at 850 millibars. In addition, the airmass was rather unstable, featuring steep mid-level lapse rates and surface dewpoints well into the 60s to around 70 F. Late evening mesoscale analysis featured 2000-2500 J/kg most-unstable CAPE and 30-40 knots of effective deep-layer wind shear.","Overnight rainfall totaled 3.14 in Osceola, bringing the 5-day total up to an impressive 10.19." +119753,720465,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 10:00:00,CST-6,2017-08-26 13:00:00,0,0,0,0,0.00K,0,0.00K,0,29.542,-95.0988,29.5382,-95.1059,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Low water ways were flooded along FM 270 from FM 646 to NASA Road 1.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +122243,731873,NEW YORK,2017,December,Winter Weather,"EASTERN COLUMBIA",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122243,731875,NEW YORK,2017,December,Winter Weather,"EASTERN RENSSELAER",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122243,731876,NEW YORK,2017,December,Winter Weather,"WESTERN RENSSELAER",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122245,731879,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN BERKSHIRE",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although western Massachusetts was on the western edge of this storm system, steady snowfall moved into the area during the morning hours and continued through the remainder of the day. The snow briefly fell moderate in intensity at times, resulting in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 3 to 6 inches of snowfall.","" +122290,732181,CONNECTICUT,2017,December,Cold/Wind Chill,"SOUTHERN LITCHFIELD",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from 2 degrees below zero to 14 degrees below zero in Litchfield county, Connecticut. These cold temperatures resulted in dangerous wind chills ranging from 8 degrees below zero to 20 degrees below zero during the early morning hours of New Years day.","" +114739,688315,IOWA,2017,April,Hail,"CLINTON",2017-04-15 17:20:00,CST-6,2017-04-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.65,41.82,-90.65,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","This report was relayed by local broadcast media (KWQC). The time of the event was estimated using radar." +114739,688318,IOWA,2017,April,Hail,"CLINTON",2017-04-15 17:33:00,CST-6,2017-04-15 17:33:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +115361,693606,ARKANSAS,2017,April,Tornado,"MISSISSIPPI",2017-04-30 01:07:00,CST-6,2017-04-30 01:13:00,0,0,0,0,300.00K,300000,0.00K,0,35.8509,-90.0657,35.8936,-89.9808,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Tornado began approximately 1.5 west southwest of Dell and moved northeast along Highway 18, eventually lifting 4 miles northeast of Dell. The tornado was on the ground for roughly 6 minutes. A mobile home was destroyed and several buildings at a cotton gin were damaged. Multiple tree damage as well as damage to roofs was also observed. Peak winds were estimated at 105 mph." +115531,693625,TENNESSEE,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 08:48:00,CST-6,2017-04-30 08:55:00,0,0,0,0,5.00K,5000,0.00K,0,35.8732,-89.4095,35.8749,-89.38,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Tree limbs down and power lines damaged in Halls." +120128,719809,OKLAHOMA,2017,August,Thunderstorm Wind,"GARFIELD",2017-08-16 18:15:00,CST-6,2017-08-16 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-97.8,36.4,-97.8,"A line of storms formed along a cold front on the afternoon of the 16th and moved southeast through Oklahoma and western north Texas overnight into the 17th.","Several power poles were snapped. Several medium to large trees broken as well." +120168,720019,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-19 20:50:00,CST-6,2017-08-19 20:50:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-99.3,41.56,-99.3,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","" +120015,720218,KANSAS,2017,August,Thunderstorm Wind,"LYON",2017-08-21 20:21:00,CST-6,2017-08-21 20:22:00,0,0,0,0,,NaN,,NaN,38.4,-96.18,38.4,-96.18,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Report via social media picture. 10 inch diameter tree branch split from the main trunk. Radar estimated time." +120015,720225,KANSAS,2017,August,Flash Flood,"DOUGLAS",2017-08-22 03:36:00,CST-6,2017-08-22 05:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8162,-95.0987,38.8084,-95.097,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Delayed report of a water rescue." +119035,721274,MINNESOTA,2017,September,Thunderstorm Wind,"KANDIYOHI",2017-09-20 00:15:00,CST-6,2017-09-20 00:15:00,0,0,0,0,0.00K,0,0.00K,0,45.0147,-94.778,45.0147,-94.778,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Several trees and large branches were broken." +120250,720506,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"HORRY",2017-08-23 20:17:00,EST-5,2017-08-23 20:18:00,0,0,0,0,2.00K,2000,0.00K,0,34.1087,-79.1649,34.1086,-79.1649,"Widespread late afternoon thunderstorms developed and blossomed in the humid air mass ahead of a cold front. The environment was not only highly unstable, but high DCAPE values supported wind damage at the surface.","Two trees were reported down on a farm just off of Wolf Pit Bay Rd. The time was estimated based on radar data." +118429,720605,NEBRASKA,2017,August,Heavy Rain,"VALLEY",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6966,-99.0737,41.6966,-99.0737,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.46 inches was recorded 3 miles west-northwest of Elyria." +120265,720663,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-12 21:00:00,MST-7,2017-08-12 23:08:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-112.5,34.5226,-112.3105,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","Thunderstorms produced heavy rain (2.25-2.49 inches) and pea sized hail (1/4-1/2 inch diameter) over a two hour period." +120276,720668,ARIZONA,2017,August,Thunderstorm Wind,"YAVAPAI",2017-08-27 19:30:00,MST-7,2017-08-27 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-112.04,34.77,-112.04,"High pressure across the Great Basin brought enough moisture back over Arizona for widely scattered showers and thunderstorms.","High winds from a thunderstorm knocked down power lines on Sycamore Canyon Road near Tuzigoot National Monument." +120330,721036,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-08-01 20:02:00,EST-5,2017-08-01 20:02:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Scattered thunderstorms along a small convergence boundary produced gale-force wind gusts near Dry Tortugas.","A wind gust of 39 knots was measured at Pulaski Shoal Light." +118772,719501,FLORIDA,2017,September,Tropical Storm,"LAKE",2017-09-10 18:00:00,EST-5,2017-09-11 13:00:00,0,0,0,1,36.50M,36500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the overnight period while weakening to a Category 1 hurricane approximately 45 miles west of Leesburg. A long duration of damaging winds occurred across Lake County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded at the Leesburg Airport ASOS (KLEE; 48 mph from the southeast at 0235LST on September 11) and the highest measured peak gust was 69 mph from the southeast at 0246LST. A preliminary damage assessment from the county listed 1,987 affected residential and business structures, with an additional 648 with minor damage, 82 with major damage and 7 destroyed. The total residential/business estimated damage cost was $36.5 million. Damage occurred primarily to roof shingles, soffits, awnings, and pool enclosures. Mobile homes experienced more extensive structural damage. Many trees were uprooted or snapped. There was one indirect hurricane-related fatality; an elderly man died after falling and hitting his head while at a hurricane evacuation shelter. A total of 4,413 residents evacuated to shelters within the county." +118772,720106,FLORIDA,2017,September,Flood,"OKEECHOBEE",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,27.6327,-80.9555,27.4003,-81.0165,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 14 inches, resulting in areas of urban and poor drainage flooding. Many roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. The heaviest rain and most significant impacts occurred over the northeast portion of the county, in the Ft. Drum area." +118772,720118,FLORIDA,2017,September,Flood,"ORANGE",2017-09-10 21:00:00,EST-5,2017-09-11 04:00:00,0,0,0,0,0.00K,0,0.00K,0,28.3522,-81.6099,28.371,-80.8786,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 7 and 18 inches, resulting in areas of urban and poor drainage flooding. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. The highest rain totals occurred over the northern portion of the county, however the most significant impacts occurred within Orlo Vista. Heavy rain and associated run-off caused Lake Venus and two adjacent retention ponds to gradually overflow, flooding several hundred homes within the surrounding community. Over 200 residents were rescued by National Guard and Orange County Fire Rescue personnel as rising water began to enter their homes during the early morning hours of September 11. Two-to-three feet of water reportedly breached some homes adjacent to the lake and ponds. This area in a 10-year floodplain." +118772,720102,FLORIDA,2017,September,Flood,"ST. LUCIE",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,27.448,-80.4275,27.4525,-80.6863,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 12 inches, resulting in areas of urban and poor drainage flooding. Many roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. More significant (flash) flooding occurred farther north across the county, including Ft. Pierce (see separate flash flood entry)." +117453,706373,IOWA,2017,June,Hail,"TAYLOR",2017-06-28 16:08:00,CST-6,2017-06-28 16:08:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-94.72,40.67,-94.72,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Media reported baseball sized hail." +117453,708346,IOWA,2017,June,Funnel Cloud,"HARDIN",2017-06-28 16:20:00,CST-6,2017-06-28 16:20:00,0,0,0,0,0.00K,0,0.00K,0,42.5571,-93.4895,42.5571,-93.4895,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +119924,721637,MASSACHUSETTS,2017,September,Tropical Storm,"SOUTHERN BRISTOL",2017-09-20 07:55:00,EST-5,2017-09-22 11:15:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","Tree down on cable wires and blocking New Boston Road in Fairhaven, multiple trees were down along U.S. Route 6, a tree and wires were down on Acadamy Avenue, and a large tree down on Oliver Street in Fairhaven. A sailboat mast was snapped and blown down at Earls Marina on Long Island in Fairhaven. Large tree and power lines down on Ball Street, a tree down on Chase Road, and small tree down on Buttonwood Street in Dartmouth. A tree was down on Hawthorn Street, and another was also down on Russels Mills Road in Dartmouth. Tree down on a fence on Felton Street, tree and power lines down on Willow at Richmond Street, and a tree down blocking the intersection of Prairie Avenue and Acushnet Avenue in New Bedford. Four utility poles were down on State Route 18, and an electrical pole down on Earle Street in New Bedford. Large tree down on Acushnet Avenue near the New Bedford-Freetown line. Tree down blocking John Street in Somerset. Two trees were down on wires on Old Warren Road in Swansea. A tree was down blocking Prospect Street in Seekonk near Woodward Avenue. A tree and wires were down on Riverview Drive, and a tree down on Pine Hill Road in Westport. A tree was down on Wing Lane in Acushnet." +119924,721986,MASSACHUSETTS,2017,September,Tropical Storm,"NANTUCKET",2017-09-21 04:00:00,EST-5,2017-09-22 03:20:00,0,0,0,0,70.00K,70000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 400 AM EST on Sept 21, the general public reported trees down at Smith's Point, Eel Point, and West Miacomet Road. At 1208 PM EST on Sept 21 the Automated Surface Observation System platform at Nantucket Airport recorded a sustained wind of 41 mph. At 304 PM EST on Sept 21 an amateur radio operator reported a wind gust to 60 mph at Brant Point. At 218 AM EST, an amateur radio operator reported a wind gust to 62 mph. At 300 AM EST on Sept 22, four International One Design sailboats were reported sunk overnight in Nantucket Harbor due to heavy rainfall. Numerous other boats were washed ashore overnight due to combined wind and high surf." +120551,722192,KANSAS,2017,September,Flood,"LABETTE",2017-09-17 09:15:00,CST-6,2017-09-17 13:02:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-95.44,37.2011,-95.3898,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Water was reported to be running across Highway 160." +114222,685748,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:01:00,CST-6,2017-03-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.49,39.01,-94.49,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685750,MISSOURI,2017,March,Thunderstorm Wind,"GENTRY",2017-03-06 20:03:00,CST-6,2017-03-06 20:06:00,0,0,0,0,0.00K,0,0.00K,0,40.09,-93.62,40.09,-93.62,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An Emergency Manager for Grundy County reported a 60 mph wind gust just north of Trenton." +119492,722711,IOWA,2017,September,Hail,"SCOTT",2017-09-20 18:41:00,CST-6,2017-09-20 18:41:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-90.76,41.51,-90.76,"A cold front passed across the region replacing record warm and moist air. Thunderstorms produced by the cold front produced isolated severe storms of damaging winds, hail and locally heavy rainfall and flash flooding.","" +119492,722712,IOWA,2017,September,Hail,"SCOTT",2017-09-20 19:02:00,CST-6,2017-09-20 19:02:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-90.6,41.56,-90.6,"A cold front passed across the region replacing record warm and moist air. Thunderstorms produced by the cold front produced isolated severe storms of damaging winds, hail and locally heavy rainfall and flash flooding.","" +119492,722713,IOWA,2017,September,Thunderstorm Wind,"SCOTT",2017-09-20 19:36:00,CST-6,2017-09-20 19:36:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-90.6,41.56,-90.6,"A cold front passed across the region replacing record warm and moist air. Thunderstorms produced by the cold front produced isolated severe storms of damaging winds, hail and locally heavy rainfall and flash flooding.","A local state official reported a large tree down on Kirkwood Blvd. Time of the event was estimated using radar." +119492,722710,IOWA,2017,September,Flash Flood,"SCOTT",2017-09-21 00:44:00,CST-6,2017-09-21 03:44:00,0,0,0,0,0.00K,0,0.00K,0,41.5919,-90.6441,41.5127,-90.6043,"A cold front passed across the region replacing record warm and moist air. Thunderstorms produced by the cold front produced isolated severe storms of damaging winds, hail and locally heavy rainfall and flash flooding.","Local law enforcement reported vehicles stalled due to water up to the doors at the intersections of Fairmount and Locust Streets, and Clark and Denison Streets." +120473,721782,WISCONSIN,2017,September,Thunderstorm Wind,"VILAS",2017-09-22 10:28:00,CST-6,2017-09-22 10:28:00,0,0,0,0,0.00K,0,0.00K,0,45.91,-89.65,45.91,-89.65,"Thunderstorms moved across northern Wisconsin along a warm front and produced isolated wind damage in Vilas County.","Thunderstorm winds downed some tree limbs and power lines in Arbor Vitae. The time of this event was estimated based on radar data." +120659,722762,NEVADA,2017,September,Wildfire,"WESTERN NEVADA BASIN AND RANGE",2017-09-01 00:00:00,PST-8,2017-09-12 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Thunderstorms with limited rainfall produced many lightning strikes leading to several new wildfire starts in northwest Nevada and far eastern California on the 29th of August. The Tohakum 2 Fire which started in late August was not 100% contained until early September.","The Tohakum 2 Fire burned 94,221 acres approximately 40 miles north of Nixon, Nevada, between August 29th and September 12th. No exact end time was found for this incident. No structures were lost, but power lines were damaged and traffic on Nevada 447 was affected by flames and smoke for several days, making travel difficult for Burning Man attendees headed to the Black Rock Desert. The fire was suspected to be started by a lightning strike from a high-based thunderstorm. The cost to fight the fire was at least $3.5M." +120533,722058,NORTH CAROLINA,2017,September,High Wind,"SOUTHERN JACKSON",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +120533,722059,NORTH CAROLINA,2017,September,High Wind,"TRANSYLVANIA",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +120533,722060,NORTH CAROLINA,2017,September,High Wind,"HENDERSON",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +120533,722083,NORTH CAROLINA,2017,September,High Wind,"POLK MOUNTAINS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +119265,723149,SOUTH CAROLINA,2017,September,High Wind,"BARNWELL",2017-09-11 13:13:00,EST-5,2017-09-11 13:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Trees down along Jones Bridge Rd." +119265,723150,SOUTH CAROLINA,2017,September,High Wind,"LEXINGTON",2017-09-11 13:15:00,EST-5,2017-09-11 13:17:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Trees down on power lines on Railroad Ave in Lexington." +119265,723151,SOUTH CAROLINA,2017,September,Strong Wind,"ORANGEBURG",2017-09-11 14:14:00,EST-5,2017-09-11 14:14:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Orangeburg SC Municipal Airport measured a peak wind gust of 54 MPH at 3:14 pm EDT (1414 EST)." +120588,722401,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:37:00,CST-6,2017-09-20 00:37:00,0,0,0,0,,NaN,,NaN,46.6,-94.32,46.6,-94.32,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down along with nearby power lines." +120588,722402,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:38:00,CST-6,2017-09-20 00:38:00,0,0,0,0,,NaN,,NaN,46.53,-94.25,46.53,-94.25,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were blown down. The largest tree was 20 inches in diameter." +120588,722403,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:39:00,CST-6,2017-09-20 00:39:00,0,0,0,0,,NaN,,NaN,46.65,-94.31,46.65,-94.31,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down on County Road 145." +120588,722404,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:42:00,CST-6,2017-09-20 00:42:00,0,0,0,0,,NaN,,NaN,46.6,-94.22,46.6,-94.22,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down along with nearby power lines." +120701,722971,CALIFORNIA,2017,September,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-09-01 11:00:00,PST-8,2017-09-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge of high pressure over the Great Basin and weak offshore flow brought a heat wave to the region during the end of August and early September. The hottest temperatures west of the mountains occurred on the 1st-3rd September. San Diego Unified School District closed more than 70 schools early on the 1st due to the excessive heat. A flex alert (requesting electricity conservation) issued in late August continued through September 3rd.","Temperatures in the Inland Empire exceeded 110 degrees. Some sample high temperatures values include Ontario and Chino at 114 degrees and Corona at 110 degrees. Riverside reached 112 degrees, tying for the 5th highest September temperature on record." +120680,722819,CALIFORNIA,2017,September,Thunderstorm Wind,"SAN DIEGO",2017-09-08 17:30:00,PST-8,2017-09-08 18:00:00,0,0,0,0,,NaN,,NaN,33.1524,-116.1017,33.1524,-116.1017,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A state park ranger reported strong outflow winds from a thunderstorm with estimate peak gusts of 60 mph." +120680,722820,CALIFORNIA,2017,September,Flash Flood,"SAN DIEGO",2017-09-07 17:00:00,PST-8,2017-09-07 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.1342,-116.1043,33.1585,-116.0999,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A state park ranger reported water up to 6 feet deep and 100 yards wide near the intersection of Salt Wash and Cutacross Trail. An additional photo from twitter showed minor road damage at Highway 78 and Fault Wash near Ocotillo Wells." +120087,719556,NEW YORK,2017,September,Flash Flood,"YATES",2017-09-14 08:45:00,EST-5,2017-09-14 10:25:00,0,0,0,0,50.00K,50000,0.00K,0,42.659,-76.9212,42.66,-76.919,"A slow moving area of weak low pressure drifted across western and central New York producing areas of heavy rain producing thunderstorms across the Finger Lakes region. Flash flooding, and isolated debris flows, along the western shore of Seneca Lake were the result of local downpours in excess of 2 inches per hour.","A seasonal cabin was destroyed by a torrent of water, rocks and mud debris sliding down a steep hillside on the western shore of Seneca Lake." +118562,712262,WYOMING,2017,August,Hail,"NIOBRARA",2017-08-13 18:25:00,MST-7,2017-08-13 18:30:00,0,0,0,0,0.00K,0,0.00K,0,43.1323,-104.4999,43.1323,-104.4999,"A thunderstorm produced large hail and strong wind gusts in eastern Niobrara County of southeast Wyoming.","Quarter size hail was observed northeast of Lance Creek." +118562,712263,WYOMING,2017,August,Thunderstorm Wind,"NIOBRARA",2017-08-13 19:00:00,MST-7,2017-08-13 19:03:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-104.1708,43.24,-104.1708,"A thunderstorm produced large hail and strong wind gusts in eastern Niobrara County of southeast Wyoming.","Estimated wind gusts of 55 to 60 mph were observed east of Redbird." +118565,712280,NEBRASKA,2017,August,Hail,"CHEYENNE",2017-08-30 16:10:00,MST-7,2017-08-30 16:15:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-102.64,41.15,-102.64,"A thunderstorm produced large hail in southeast Cheyenne County.","Quarter size hail was observed at Lodgepole." +118566,712283,NEBRASKA,2017,August,Hail,"DAWES",2017-08-26 14:48:00,MST-7,2017-08-26 14:53:00,0,0,0,0,0.00K,0,0.00K,0,42.8879,-103,42.8879,-103,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Half dollar size hail was observed north of Chadron." +118566,712284,NEBRASKA,2017,August,Funnel Cloud,"DAWES",2017-08-26 14:50:00,MST-7,2017-08-26 14:55:00,0,0,0,0,0.00K,0,0.00K,0,42.8734,-103,42.8734,-103,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Several funnel clouds were sighted north of Chadron." +118566,712285,NEBRASKA,2017,August,Hail,"DAWES",2017-08-26 15:09:00,MST-7,2017-08-26 15:14:00,0,0,0,0,0.00K,0,0.00K,0,42.7993,-103.0419,42.7993,-103.0419,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Quarter size hail was observed southwest of Chadron." +118566,712287,NEBRASKA,2017,August,Hail,"DAWES",2017-08-26 15:44:00,MST-7,2017-08-26 15:49:00,0,0,0,0,0.00K,0,0.00K,0,42.6563,-103,42.6563,-103,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Hen egg size hail was observed south of Chadron." +118566,712288,NEBRASKA,2017,August,Hail,"DAWES",2017-08-26 16:17:00,MST-7,2017-08-26 16:22:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-102.9,42.49,-102.9,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Dime to golf ball size hail was observed north of Hemingford." +118566,712290,NEBRASKA,2017,August,Hail,"BOX BUTTE",2017-08-26 16:55:00,MST-7,2017-08-26 16:58:00,0,0,0,0,0.00K,0,0.00K,0,42.4019,-102.9592,42.4019,-102.9592,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Hail slightly larger than baseballs was observed northeast of Hemingford." +118566,712291,NEBRASKA,2017,August,Hail,"BOX BUTTE",2017-08-26 17:13:00,MST-7,2017-08-26 17:16:00,0,0,0,0,0.00K,0,0.00K,0,42.1614,-102.7872,42.1614,-102.7872,"Thunderstorms produced large hail and some funnel clouds across Dawes and Box Butte counties.","Golf ball size hail was observed northeast of Alliance." +118626,712618,NEBRASKA,2017,August,Hail,"BANNER",2017-08-15 16:23:00,MST-7,2017-08-15 16:26:00,0,0,0,0,0.00K,0,0.00K,0,41.4784,-103.6443,41.4784,-103.6443,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Golf ball to baseball size hail was observed southeast of Harrisburg." +118215,712264,ARIZONA,2017,August,Flash Flood,"PINAL",2017-08-03 18:30:00,MST-7,2017-08-03 21:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.8491,-111.6795,32.8897,-111.6808,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered thunderstorms developed across the northern portion of Pinal County during the evening hours on August 3rd, and some of the stronger storms affected areas around the town of Casa Grande. One of the primary weather hazards was intense rainfall which led to episodes of flash flooding over the lower deserts; the flooding caused roads to become impassable and resulted in various road closures. According to the city of Casa Grande Public Works Department, Overfield Road between Florence Highway 287 and Selma Highway was closed due to the high water. A Flash Flood Warning was in effect for the area during the flooding; it was issued at 1858MST and was cancelled at 2133MST." +118215,712281,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 18:30:00,MST-7,2017-08-03 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.0369,-112.2892,33.0642,-112.3012,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Thunderstorms developed across portions of the south-central deserts during the evening hours on August 3rd, and some of them affected areas to the southwest of Phoenix from the town of Maricopa westward towards Gila Bend. The storms generated locally heavy rain near Highway 238 between Mobile and Gila Bend which led to flash flooding along the highway. There are a number of washes that cross the highway and it does not take excessive amounts of rain to cause the washes to flood and impact the highway. According to a public report, at 1944MST flash flooding was occurring on Highway 238 between Mobile and Gila Bend, and a Flash Flood Warning was in effect at the time of the reported flooding." +120589,722536,GEORGIA,2017,September,Tropical Storm,"COASTAL MCINTOSH",2017-09-11 05:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,967.00K,967000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","McIntosh County Emergency Management reported numerous trees down across the county due to strong winds associated with Hurricane Irma. The NERRS site on Sapelo Island measured a peak wind gust of 60 mph during the event." +120589,722538,GEORGIA,2017,September,Tropical Storm,"COASTAL BRYAN",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,450.00K,450000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Bryan County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma." +120589,722539,GEORGIA,2017,September,Tropical Depression,"INLAND BRYAN",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,450.00K,450000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Bryan County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma." +120589,722541,GEORGIA,2017,September,Tropical Depression,"INLAND MCINTOSH",2017-09-11 05:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,966.00K,966000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","McIntosh County Emergency Management reported numerous trees down across the county due to strong winds associated with Hurricane Irma." +120589,722542,GEORGIA,2017,September,Tropical Storm,"COASTAL CHATHAM",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Chatham County Emergency Management reported numerous trees down across the county due to strong winds associated with Hurricane Irma. The NOS tide gauge at Fort Pulaski measured peak sustained winds of 48 mph and a peak wind gust of 70 mph. The Weatherflow site at the north end of Tybee Island measured peak sustained winds of 49 mph and a peak wind gust of 64 mph. The Weatherflow site at the south end of Tybee Island measured peak sustained winds of 49 mph and a peak wind gust of 63 mph." +120589,722543,GEORGIA,2017,September,Tropical Storm,"INLAND CHATHAM",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Chatham County Emergency Management reported numerous trees down across the county due to strong winds associated with Hurricane Irma. The ASOS site at the Savannah-Hilton Head International Airport measured peak sustained winds of 44 mph and a peak wind gust of 60 mph. The AWOS site at Hunter Army Airfield measured peak sustained winds of 38 mph and a peak wind gust of 59 mph." +120589,722653,GEORGIA,2017,September,Storm Surge/Tide,"COASTAL MCINTOSH",2017-09-11 01:00:00,EST-5,2017-09-11 16:00:00,0,0,0,0,967.00K,967000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","McIntosh Emergency Management reported extensive storm surge flooding and inundation across coastal portions of the county, including islands. County dispatch reported 2 feet of water on the road on Butler Island at Highway 17 as well as 2 feet of water on Blue N Hall Road due to storm surge. USGS high water mark analysis revealed inundation above ground level ranging from 1.37-3.87 feet in coastal portions of the county. The peak inundation measured occurred on Graystone Road where a high water mark showed 3.87 feet above ground level. Also of note, the USGS site Hudson Creek at Meridian Landing (USGS site number 022035975) reached a record level of 7.75 feet during the event. This USGS site dates back to October 2000." +120589,722654,GEORGIA,2017,September,Storm Surge/Tide,"COASTAL LIBERTY",2017-09-11 09:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,2.90M,2900000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","USGS analysis of a high water mark taken inside the door at Shrimp Docks Marina revealed 2.84 feet of inundation above ground level." +120809,723450,FLORIDA,2017,September,Hurricane,"MONROE/LOWER KEYS",2017-09-09 10:15:00,EST-5,2017-09-10 16:30:00,20,0,2,2,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at a NOAA National Ocean Service station at Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence of hurricane-force wind gusts include: From Ohio, Missouri, Bahia Honda through Little Torch Keys, the strongest estimated winds were evident, possibly attributable to a mesoscale eyewall vortex circulation within the northeast quadrant of the eyewall. A general path of of maximum wind damage occurred from the western end of Scout Key, just south of Big Pine Key Park, through Key Deer Boulevard north of South Street. Complete roof structure failure involving snapped wood trusses was observed on several homes along with complete exterior wall failure on one waterfront home. The path continued across Key Deer Boulevard where utility pole both of wood and hollow-spun concrete design were snapped with numerous spans lying in completely opposite directions. The southern spans opposite to the direction of the mean wind. Peak wind gusts were estimated 150 to 160 mph along the northern side of the apparent circulation. Elsewhere across Big Pine Key, significant roofing loss and collapse of exterior walls on older mobile homes, large sections of roof coverings of all types, soffet damage and large metal roof, wall and door failures on modern metal building systems indicated more widespread estimated peak wind gusts of 120 to 130 mph. From Ramrod Key through Sugarloaf Key, widespread business and residential roof covering damage of all types was observed, with isolated roof truss or gable end failures of older design. It was noted a diagonal metal cross brace on an electric power transmission line across Niles Channel became detached from one vertical concrete column, indicative of significant deformation or flexing of the transmission towers. Estimated peak wind gusts of 110 to 120 mph were attributed to this damage. From Lower Sugarloaf Key through Big Coppitt Key, widespread small residential and business roof coverings with isolated structural gale end or overhang damage was noted especially in areas of open north wind exposure. Isolated mobile home destruction including collapse of all walls was observed, although some modern mobile homes adjacent to properties with severe destruction exhibited few signs of cosmetic damage. Estimated peak wind gusts 100 to 110 mph were attributed. From Boca Chica Key through Key West, losses of roof coverings, soffet damage to residential homes and condominiums were noted, with two hotels exhibiting gable-end wood truss failures and sheathing of both mid-rise and two-story design. Peak estimated wind gusts 90 to 100 mph were attributed, although the hotel mid-rise roof structure failure was in an area of open north wind exposure directly off the Gulf of Mexico may have indicated wind gusts in the 100 to 110 mph range. Injuries estimated due to no operating hospitals nor rescue services available during the time of hurricane force wind impact." +120690,722901,FLORIDA,2017,September,Tropical Storm,"INLAND BROWARD COUNTY",2017-09-09 22:00:00,EST-5,2017-09-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph with gusts to as high as 90 mph across inland Broward County. These winds produced heavy tree, fences and power pole damage, but generally minor structural damage. Information on death toll, estimated damage, customers without power and evacuations is contained in the event summary for Metro Broward County." +120690,722899,FLORIDA,2017,September,Tropical Storm,"HENDRY",2017-09-10 07:00:00,EST-5,2017-09-11 01:00:00,0,0,0,1,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum recorded sustained winds generally between 55 and 70 mph, although sustained hurricane-force winds probably occurred in at least the western portion of the county. Gusts to hurricane force occurred over virtually the entire county, with a peak recorded gust of 90 mph at Airglades Airport near Clewiston at 815 PM EDT. Gusts of at least 100 mph likely occurred over western portions of the county. These winds produced heavy tree and power pole damage across the county. 131 residential structes had major damage with 42 destroyed. Almost 10,000 customers lost power, almost 100% of total customers." +117453,706379,IOWA,2017,June,Hail,"POLK",2017-06-28 16:21:00,CST-6,2017-06-28 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-93.77,41.61,-93.77,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Public reported half dollar sized hail." +117453,709539,IOWA,2017,June,Tornado,"ADAIR",2017-06-28 15:45:00,CST-6,2017-06-28 15:56:00,0,0,0,0,20.00K,20000,5.00K,5000,41.2794,-94.342,41.3097,-94.2415,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Tornado developed in eastern Adair County and traveled through rural areas before entering Madison County. There was minor damage to one property and impressive tree damage along the Adair/Madison County line." +119867,718565,IDAHO,2017,August,Wildfire,"LOST RIVER / PAHSIMEROI",2017-08-29 15:00:00,MST-7,2017-08-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning began a fire 7 miles north of Clyde near Bell Mountain and Basinger Creek on August 29th. It burned 1,340 acres and was not contained until September. No structures were threatened.","Lightning began a fire 7 miles north of Clyde near Bell Mountain and Basinger Creek on August 29th. It burned 1,340 acres and was not contained until September. No structures were threatened." +118675,712933,MISSISSIPPI,2017,August,Thunderstorm Wind,"CLAY",2017-08-06 16:47:00,CST-6,2017-08-06 16:47:00,0,0,0,0,3.00K,3000,0.00K,0,33.61,-88.65,33.61,-88.65,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A few large limbs were blown down and took down a powerline." +118675,712949,MISSISSIPPI,2017,August,Flash Flood,"WEBSTER",2017-08-07 04:00:00,CST-6,2017-08-07 06:15:00,0,0,0,0,12.00K,12000,0.00K,0,33.48,-89.35,33.4975,-89.334,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Water was up to the grill of a car and a watermark was left of at least a foot and a half up on a brick house in Tomnolen." +118675,712950,MISSISSIPPI,2017,August,Flash Flood,"LOWNDES",2017-08-07 13:20:00,CST-6,2017-08-07 15:15:00,0,0,0,0,3.00K,3000,0.00K,0,33.3568,-88.3023,33.3514,-88.3013,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flash flooding occurred on Highway 69 South at Spurlock Road." +118675,712951,MISSISSIPPI,2017,August,Flash Flood,"LAUDERDALE",2017-08-07 14:40:00,CST-6,2017-08-07 18:00:00,0,0,0,0,6.00K,6000,0.00K,0,32.3768,-88.7129,32.387,-88.6961,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flooding occurred at 18th Avenue and 4th Street, 26th Avenue near Front Street, 22nd Avenue and 5th Street and Front Street from the Highway 39 Bypass to 25th Avenue." +118675,712952,MISSISSIPPI,2017,August,Flash Flood,"WASHINGTON",2017-08-08 06:52:00,CST-6,2017-08-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.1807,-90.8549,33.1825,-90.8549,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Water occurred in homes on Neely Street." +118675,713090,MISSISSIPPI,2017,August,Flash Flood,"LOWNDES",2017-08-08 08:20:00,CST-6,2017-08-08 11:00:00,0,0,0,0,3.00K,3000,0.00K,0,33.4958,-88.4168,33.4957,-88.4203,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flooding occurred on College Street next to the Mississippi University for Women campus." +120046,719375,KANSAS,2017,August,Thunderstorm Wind,"GREENWOOD",2017-08-16 15:29:00,CST-6,2017-08-16 15:31:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.4,37.82,-96.4,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Winds of 70 mph were estimated and reported." +120046,719376,KANSAS,2017,August,Thunderstorm Wind,"BUTLER",2017-08-16 16:15:00,CST-6,2017-08-16 16:17:00,0,0,0,0,0.00K,0,0.00K,0,37.78,-96.81,37.78,-96.81,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Official wind measurement." +120046,719377,KANSAS,2017,August,Thunderstorm Wind,"WOODSON",2017-08-16 16:15:00,CST-6,2017-08-16 16:17:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-95.74,37.87,-95.74,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Estimated wind speed." +120046,719378,KANSAS,2017,August,Thunderstorm Wind,"SUMNER",2017-08-16 16:28:00,CST-6,2017-08-16 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-97.76,37.27,-97.76,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","Measured at the elementary school." +120048,719379,KANSAS,2017,August,Flash Flood,"WILSON",2017-08-20 04:51:00,CST-6,2017-08-20 08:28:00,0,0,0,0,0.00K,0,0.00K,0,37.5219,-95.8607,37.5006,-95.8679,"Strong storms produced severe hail and flooding across much of southern Kansas.","Rapid flowing water crossing the road along Rainbow creek. Several other low lying roads were reported as being under water due to the localized 5 plus inch rainfall." +120048,719380,KANSAS,2017,August,Hail,"GREENWOOD",2017-08-19 14:03:00,CST-6,2017-08-19 14:04:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-96.16,37.98,-96.16,"Strong storms produced severe hail and flooding across much of southern Kansas.","" +120048,719381,KANSAS,2017,August,Hail,"GREENWOOD",2017-08-19 14:08:00,CST-6,2017-08-19 14:09:00,0,0,0,0,0.00K,0,0.00K,0,37.98,-96.16,37.98,-96.16,"Strong storms produced severe hail and flooding across much of southern Kansas.","The hail fell on the south end of town." +120048,719382,KANSAS,2017,August,Hail,"SEDGWICK",2017-08-19 14:47:00,CST-6,2017-08-19 14:48:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-97.35,37.54,-97.35,"Strong storms produced severe hail and flooding across much of southern Kansas.","" +120048,719383,KANSAS,2017,August,Hail,"SEDGWICK",2017-08-19 14:48:00,CST-6,2017-08-19 14:49:00,0,0,0,0,0.00K,0,0.00K,0,37.55,-97.26,37.55,-97.26,"Strong storms produced severe hail and flooding across much of southern Kansas.","Fifty mph winds were also reported." +120048,719384,KANSAS,2017,August,Hail,"SEDGWICK",2017-08-19 15:18:00,CST-6,2017-08-19 15:19:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-97.41,37.51,-97.41,"Strong storms produced severe hail and flooding across much of southern Kansas.","" +117887,708480,LOUISIANA,2017,August,Heat,"UNION",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708481,LOUISIANA,2017,August,Heat,"OUACHITA",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708482,LOUISIANA,2017,August,Heat,"CALDWELL",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708483,LOUISIANA,2017,August,Heat,"WINN",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708484,LOUISIANA,2017,August,Heat,"LA SALLE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +119451,716861,DISTRICT OF COLUMBIA,2017,August,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-08-03 17:53:00,EST-5,2017-08-03 17:53:00,0,0,0,0,,NaN,,NaN,38.9418,-76.9905,38.9418,-76.9905,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","A tree was down along the 4300 Block of 12th Street Northeast." +119368,716869,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MINERAL",2017-08-04 15:30:00,EST-5,2017-08-04 15:30:00,0,0,0,0,,NaN,,NaN,39.4487,-78.9913,39.4487,-78.9913,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down on Carroll Avenue." +119368,716870,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MINERAL",2017-08-04 15:54:00,EST-5,2017-08-04 15:54:00,0,0,0,0,,NaN,,NaN,39.5086,-78.773,39.5086,-78.773,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down along the 400 Block of Ashby Road." +119368,716872,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MINERAL",2017-08-04 15:56:00,EST-5,2017-08-04 15:56:00,0,0,0,0,,NaN,,NaN,39.4992,-78.7743,39.4992,-78.7743,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A mobile home's roof was blown off along Trenton Lane. A few trees were down as well." +119368,716874,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MINERAL",2017-08-04 16:04:00,EST-5,2017-08-04 16:04:00,0,0,0,0,,NaN,,NaN,39.5667,-78.7333,39.5667,-78.7333,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","Trees were down in Patterson Creek." +119368,716876,WEST VIRGINIA,2017,August,Thunderstorm Wind,"PENDLETON",2017-08-04 17:24:00,EST-5,2017-08-04 17:24:00,0,0,0,0,,NaN,,NaN,38.8053,-79.2769,38.8053,-79.2769,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down near Petersburg Pike and Smoke Hole Road." +119368,716878,WEST VIRGINIA,2017,August,Thunderstorm Wind,"HAMPSHIRE",2017-08-04 18:50:00,EST-5,2017-08-04 18:50:00,0,0,0,0,,NaN,,NaN,39.3867,-78.6405,39.3867,-78.6405,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down on power lines along Ruby Way." +119368,716880,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-04 19:25:00,EST-5,2017-08-04 19:25:00,0,0,0,0,,NaN,,NaN,39.5981,-78.3152,39.5981,-78.3152,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down blocking both lanes along Cacapon Road in the 9000 Block." +119368,716881,WEST VIRGINIA,2017,August,Thunderstorm Wind,"BERKELEY",2017-08-04 20:08:00,EST-5,2017-08-04 20:08:00,0,0,0,0,,NaN,,NaN,39.5302,-77.935,39.5302,-77.935,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree fell on a car near the intersection of Nipetown Road and Weaver Lane." +119367,716895,VIRGINIA,2017,August,Thunderstorm Wind,"CLARKE",2017-08-04 20:25:00,EST-5,2017-08-04 20:25:00,0,0,0,0,,NaN,,NaN,39.0875,-78.027,39.0875,-78.027,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down on power lines near the intersection of Clay Hill Road and Bishop Meade Road." +119369,716904,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-05 01:00:00,EST-5,2017-08-05 01:00:00,0,0,0,0,,NaN,,NaN,39.7196,-76.4413,39.7196,-76.4413,"An isolated severe thunderstorm developed due to an unstable atmosphere.","A large tree was down on Md-24 just south of the Pennsylvania State line." +120347,721397,GEORGIA,2017,September,Tropical Storm,"GLASCOCK",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported many trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. No injuries were reported." +119611,717570,ARKANSAS,2017,August,Flash Flood,"VAN BUREN",2017-08-15 06:07:00,CST-6,2017-08-15 08:07:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-92.4,35.3544,-92.4348,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Numerous roads around Damascus were underwater. Highway 65 was nearly covered in water as well." +119889,718640,MISSOURI,2017,August,Flash Flood,"CLAY",2017-08-21 16:10:00,CST-6,2017-08-21 18:10:00,0,0,0,0,0.00K,0,0.00K,0,39.3104,-94.2994,39.3248,-94.3039,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A school bus with children on board was stranded due to high water." +119889,718641,MISSOURI,2017,August,Flash Flood,"CLAY",2017-08-21 16:30:00,CST-6,2017-08-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.39,39.2402,-94.3781,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","The bridge over Rush Creek was closed due to high water running over the bridge." +119889,718642,MISSOURI,2017,August,Flash Flood,"CLAY",2017-08-21 21:07:00,CST-6,2017-08-21 23:07:00,0,0,0,0,0.00K,0,0.00K,0,39.3784,-94.5883,39.3991,-94.5902,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","US HWY 169 was closed in Smithville due to high water over the road." +119889,718643,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-21 21:17:00,CST-6,2017-08-21 23:17:00,0,0,0,0,0.00K,0,0.00K,0,39.073,-94.6072,39.0732,-94.6064,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","There was 2 to 3 feet of water over the road at Southwest Blvd and 31st St, near the Kansas/Missouri state line." +117489,709283,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 11:11:00,EST-5,2017-08-07 11:11:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-76.17,38.95,-76.17,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 3 inches of rain fell." +117489,709284,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 11:40:00,EST-5,2017-08-07 11:40:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-76.19,38.88,-76.19,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 3 inches of rain fell." +117489,709285,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 11:57:00,EST-5,2017-08-07 11:57:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-76.09,39.06,-76.09,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 2 inches of rain fell." +117489,709286,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 11:59:00,EST-5,2017-08-07 11:59:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-76.3,38.9,-76.3,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just under 3 inches of rain fell." +117489,709287,MARYLAND,2017,August,Heavy Rain,"TALBOT",2017-08-07 11:59:00,EST-5,2017-08-07 11:59:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-76.25,38.75,-76.25,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Just over 2.5 inches of rain fell." +117489,709288,MARYLAND,2017,August,Heavy Rain,"TALBOT",2017-08-07 12:00:00,EST-5,2017-08-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-76.27,38.84,-76.27,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Rainfall was over 4 inches." +117489,709289,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 12:01:00,EST-5,2017-08-07 12:01:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-76.17,38.95,-76.17,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Rainfall was over 4 inches." +117489,709290,MARYLAND,2017,August,Heavy Rain,"QUEEN ANNE'S",2017-08-07 17:01:00,EST-5,2017-08-07 17:01:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-76.31,38.98,-76.31,"Thunderstorms developed along and north of a warm front. With humid air in place, the storms produced heavy rainfall and flash flooding.","Two inches fell since last night." +117987,709291,MARYLAND,2017,August,Flood,"QUEEN ANNE'S",2017-08-18 19:10:00,EST-5,2017-08-18 20:10:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-76.34,38.9506,-76.3543,"Thunderstorms led to minor flooding.","Camp Wright lane was blocked near route 8 due to water." +117987,709292,MARYLAND,2017,August,Flood,"QUEEN ANNE'S",2017-08-18 19:15:00,EST-5,2017-08-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,38.94,-76.06,38.9473,-76.0625,"Thunderstorms led to minor flooding.","One lane blocked due to water at the intersection of 50 and 404." +117987,709293,MARYLAND,2017,August,Flood,"TALBOT",2017-08-18 20:05:00,EST-5,2017-08-18 21:05:00,0,0,0,0,0.00K,0,0.00K,0,38.8363,-76.029,38.8386,-76.0166,"Thunderstorms led to minor flooding.","Intersection of Cordova and Rabbit Hill closed due to water." +122082,731525,TEXAS,2017,December,Winter Weather,"TARRANT",2017-12-07 08:00:00,CST-6,2017-12-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Several reports of light snow were received across Tarrant County the morning of December 7, 2017. Only trace amounts were reported." +122206,731539,TEXAS,2017,December,Drought,"GRAYSON",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Grayson County ended after 12/19 following beneficial rains during the middle part of the month." +122206,731540,TEXAS,2017,December,Drought,"FANNIN",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Fannin County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731541,TEXAS,2017,December,Drought,"LAMAR",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Lamar County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731542,TEXAS,2017,December,Drought,"DELTA",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Delta County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731543,TEXAS,2017,December,Drought,"HOPKINS",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Hopkins County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731544,TEXAS,2017,December,Drought,"HUNT",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Hunt County ended after 12/19 following beneficial rainfall during the middle part of the month." +122320,732406,GULF OF MEXICO,2017,December,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-12-09 08:53:00,EST-5,2017-12-09 08:53:00,0,0,0,0,0.00K,0,0.00K,0,24.64,-81.38,24.64,-81.38,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A boater reported a well-developed waterspout with a visible spray right near Coupon Bight moving northeast." +122320,732407,GULF OF MEXICO,2017,December,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-12-09 09:06:00,EST-5,2017-12-09 09:06:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.35,24.72,-81.35,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A boater reported a well-developed waterspout with a visible spray ring just north of No Name Key moving northeast." +122320,732408,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-12-09 09:15:00,EST-5,2017-12-09 09:15:00,0,0,0,0,0.00K,0,0.00K,0,24.6892,-81.3988,24.6892,-81.3988,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 40 knots was measured at an automated station at a residence near the northern tip of Little Torch Key." +120318,720930,TEXAS,2017,August,Tropical Storm,"KENEDY",2017-08-25 12:00:00,CST-6,2017-08-25 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rapidly intensifying Hurricane Harvey moved along the outer edge of the Lower Texas Coastal waters from the pre-dawn hours through the mid afternoon of August 25th. Harvey began the period as a Category 2 storm and was a mid range Category 3 storm as it headed toward the Texas Coastal Bend region, where it would make landfall as a 938 mb Category 4 wrecking ball near Rockport. ||The outskirts of Harvey produced tropical storm force gusts measured and estimated at 41 to 46 mph on South Padre Island to the western shoreline of Laguna Madre, in Cameron County, with gusts from 48 to 63 mph along the coast of Kenedy County, including the Laguna Madre shoreline. Here, sustained tropical storm force winds of 39 to 51 mph were reported at shoreline buoys. No damage was reported in these areas, which are vastly unpopulated.||Within the tropical storm force (sustained) wind area, other impacts included nuisance tidal overwash that ran into the dunes on the barrier island (South Padre and the Padre Island National Seashore north of Port Mansfield), with storm surge measured at 1.77 feet above predicted tide. At Baffin Bay, the tide level peaked at 1.77 feet above Mean Sea Level, which likely equated to 2 feet of storm surge (based on similar reports farther south). No damage or beach erosion was reported at the Cameron County public and resort areas of South Padre, but there may have been minor erosion along the Kenedy County coast. Backside northwest to west flow during the evening of the 25th, well after Harvey had passed north of the Lower Texas coast, trapped or enhanced water levels for one final high tide cycle during the evening especially along west-facing shores of Laguna Madre.||The heaviest rainfall spared most of the Lower Texas coast, with the highest reported at the cooperative site 7 miles east of Sarita (northeast Kenedy) with only 2.27 inches. Bias corrected radar indicated a sliver of 3 to 4 inches near Baffin Bay and the Gulf intersection at the northeast tip of Kenedy County, which was absorbed easily on sandy soil.","Tropical storm force sustained winds (39 to 51 mph with gusts to 63 mph) arrived along and up to 10 to 15 miles (estimated) from the shoreline of Kenedy County during the afternoon of August 25, and likely continued across the north half of this area through sunset or just beyond as Hurricane Harvey scooted by some 80 (south) to 60 (north) miles of the shoreline. The Texas Coastal Ocean Observation Network (TCOON) sites at Rincon del San Jose and Baffin Bay - shoreline proxies to the coastline, reported sustained winds of 39 mph and 51 mph, respectively, with gusts to 47 and 63 mph, respectively. No wind damage was reported over the largely unpopulated region.||While a storm surge estimated at up to 2 feet run up to and into the dunes along the barrier island, there were no indications from aerial photography of any new breaches or significant flooding or erosion." +122320,732409,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-12-09 05:19:00,EST-5,2017-12-09 05:19:00,0,0,0,0,0.00K,0,0.00K,0,24.7282,-81.0322,24.7282,-81.0322,"A quasi-linear convective system swept through the Florida Keys from northwest to southeast. Widespread reports of gale-force wind gusts associated with the convective line along with a few waterspouts were received throughout the Florida Keys coastal waters.","A wind gust of 34 knots was measured at an automated Citizen Weather Observing Program station in the Little Venice subdivision of Marathon." +120328,721009,KANSAS,2017,August,Hail,"HASKELL",2017-08-27 16:43:00,CST-6,2017-08-27 16:43:00,0,0,0,0,,NaN,,NaN,37.44,-100.75,37.44,-100.75,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +120328,721011,KANSAS,2017,August,Hail,"MORTON",2017-08-27 18:15:00,CST-6,2017-08-27 18:15:00,0,0,0,0,,NaN,,NaN,37.29,-101.72,37.29,-101.72,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +120328,721010,KANSAS,2017,August,Hail,"STANTON",2017-08-27 18:05:00,CST-6,2017-08-27 18:05:00,0,0,0,0,,NaN,,NaN,37.41,-101.67,37.41,-101.67,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +120328,721012,KANSAS,2017,August,Hail,"MORTON",2017-08-27 18:54:00,CST-6,2017-08-27 18:54:00,0,0,0,0,,NaN,,NaN,37.19,-102.01,37.19,-102.01,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","" +120328,721013,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-27 18:30:00,CST-6,2017-08-27 18:30:00,0,0,0,0,,NaN,,NaN,37.12,-101.63,37.12,-101.63,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","Also had dime sized hail." +120141,719780,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-15 11:16:00,CST-6,2017-08-15 11:16:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.81,41.13,-100.81,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +120141,719781,NEBRASKA,2017,August,Hail,"HOLT",2017-08-15 10:55:00,CST-6,2017-08-15 10:55:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-99.14,42.1,-99.14,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +120141,719782,NEBRASKA,2017,August,Hail,"HOLT",2017-08-15 11:35:00,CST-6,2017-08-15 11:35:00,0,0,0,0,0.00K,0,0.00K,0,42.23,-99.02,42.23,-99.02,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","" +120141,719784,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-15 21:00:00,CST-6,2017-08-15 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-99.86,41.6183,-99.8602,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Streets flooded in Anselmo and ditches full of water along highway 2." +120141,719786,NEBRASKA,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-15 11:05:00,CST-6,2017-08-15 11:05:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.83,41.13,-100.83,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Thunderstorm wind gusts estimated at 60 MPH were reported at Bailey Railyard." +120141,719789,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-15 19:15:00,CST-6,2017-08-15 19:15:00,0,0,0,0,0.00K,0,0.00K,0,41.5782,-99.8105,41.5857,-99.8189,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Highway 2 closed northwest of Anselmo due to water across the roadway." +119844,720238,FLORIDA,2017,August,Flood,"PALM BEACH",2017-08-20 11:00:00,EST-5,2017-08-20 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,26.3819,-80.0869,26.4012,-80.0813,"A tropical wave moving across South Florida during the morning hours lead to a very moist and unstable atmosphere across the region. Numerous showers and storms developed over the local Atlantic waters during the morning hours and moved into the coast. This activity led to heavy rainfall and flooding around midday in Palm Beach County.","Numerous showers and storms associated with a tropical wave moved into the Palm Beach County coast during the late morning hours on August 20th. Several location reported around 2 to 3 inches of rainfall in the hour between noon and 1pm EDT. Boca Raton PD reported several broken down and stranded vehicles due to flooding water in the 3500 block of NW 2nd Avenue as a result of this rainfall." +119849,720240,FLORIDA,2017,August,Flood,"BROWARD",2017-08-28 15:45:00,EST-5,2017-08-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,26.0313,-80.2329,26.0094,-80.234,"A slow moving tropical disturbance first moved west across South Florida, then northeast across Central and North Florida as a frontal boundary dropped into the state. This system would develop into Potential Tropical Cyclone 10 as it moved up the east coast, leaving a trailing trough that would bring additional heavy rainfall through Aug 29th. Significant flooding was reported over three days across Collier County, especially across the Naples area. Additional minor street flooding occurred a day later in Miami-Dade County. Significant street flooding then occurred across southern Broward County on Aug 28th with another round of heavy rainfall.","The moist and unstable enviornment in place due to a meandering tropical disturbance in the region lead to numerous showers and storms streaming from southwest to northeast across the region. This activity increased in intensity as it interacted with the east coast seabreeze across southern Broward County, with radar estimated rainfall of 3 to 4 inches between 3pm and 5pm. This lead to significant street flooding across eastern portions of Pembroke Pines into Hollywood. Numerous reports of 4 to 6 inches of water over roadways were received, including across Filmore Street, Sheridan Street, and Pines Boulevard. A few neighborhood streets became impassable at the height of the flooding, with water encroaching on homes in some locations in west Hollywood." +119789,718316,NEBRASKA,2017,August,Flash Flood,"KNOX",2017-08-15 14:43:00,CST-6,2017-08-15 22:00:00,0,0,0,0,30.00K,30000,10.00K,10000,42.44,-97.9,42.4182,-97.9081,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","Heavy rains caused flooding along Highway 13 south/southwest of Creighton." +117251,705439,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-04 23:35:00,EST-5,2017-08-04 23:35:00,0,0,0,0,,NaN,,NaN,40.35,-76.06,40.35,-76.06,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A tree was reported down due to thunderstorm winds." +117251,706582,PENNSYLVANIA,2017,August,Flood,"MONTGOMERY",2017-08-05 01:30:00,EST-5,2017-08-05 01:30:00,0,0,0,0,0.00K,0,0.00K,0,40.0108,-75.2071,40.0061,-75.1947,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","A lane on Interstate 76 was closed for a few hours." +117251,709445,PENNSYLVANIA,2017,August,Heavy Rain,"BERKS",2017-08-05 01:49:00,EST-5,2017-08-05 01:49:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-75.85,40.65,-75.85,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Almost five inches of rain fell in 12 hours." +117251,705447,PENNSYLVANIA,2017,August,Lightning,"NORTHAMPTON",2017-08-02 13:00:00,EST-5,2017-08-02 13:00:00,0,0,0,0,0.01K,10,,NaN,40.75,-75.32,40.75,-75.32,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Lightning caused a house fire." +117250,705212,NEW JERSEY,2017,August,Flash Flood,"MIDDLESEX",2017-08-02 15:45:00,EST-5,2017-08-02 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.5,-74.39,40.4995,-74.3932,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","A water rescue occurred near the intersection of Meadow and Clifton roads as a nearby creek overflowed it's banks and a vehicle became trapped in high water." +117250,705214,NEW JERSEY,2017,August,Flash Flood,"BURLINGTON",2017-08-03 18:25:00,EST-5,2017-08-03 19:25:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-74.8796,40.0502,-74.8789,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Several apartments flooded on Brittany court." +117250,705215,NEW JERSEY,2017,August,Flash Flood,"BURLINGTON",2017-08-03 18:35:00,EST-5,2017-08-03 18:35:00,0,0,0,0,0.00K,0,0.00K,0,40.0663,-74.872,40.0656,-74.8662,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Water entering a house on Cornell road due to a nearby creek overflowing it's banks." +117250,705216,NEW JERSEY,2017,August,Flood,"MIDDLESEX",2017-08-02 11:42:00,EST-5,2017-08-02 11:42:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-74.28,40.5667,-74.2859,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","The Grove street entrance ramp on route 9 north was flooded with cars stuck." +117250,705217,NEW JERSEY,2017,August,Flood,"WARREN",2017-08-02 13:30:00,EST-5,2017-08-02 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.6935,-75.1783,40.6994,-75.182,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Water a foot deep on 22 at Rosebury street." +117572,707048,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-10 04:00:00,CST-6,2017-08-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9391,-92.6662,31.9593,-92.5777,"A warm front retreated north across the region and became quasi-stationary from Deep East Texas across extreme southwest Arkansas during the early morning hours of August 8th. Concurrently, an upper level low pressure system and its surface counterpart, was gradually translating east across southern Louisiana, thus providing that synoptic spark to result in isolated to scattered showers and thunderstorms that developed from Deep East Texas across Northcentral Louisiana. The thunderstorms contained very heavy rainfall which redeveloped and moved repeatedly over the same areas of Central and Eastern Winn Parish. This resulted in extensive flash flooding near and east of Winnfield which inundated numerous roads.","Flooding occurred on both the north and south bound lanes of Highway 167 south of Winnfield. A few secondary roads near Winnfield were also flooded." +117572,707049,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-10 05:30:00,CST-6,2017-08-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9359,-92.6668,31.9359,-92.6168,"A warm front retreated north across the region and became quasi-stationary from Deep East Texas across extreme southwest Arkansas during the early morning hours of August 8th. Concurrently, an upper level low pressure system and its surface counterpart, was gradually translating east across southern Louisiana, thus providing that synoptic spark to result in isolated to scattered showers and thunderstorms that developed from Deep East Texas across Northcentral Louisiana. The thunderstorms contained very heavy rainfall which redeveloped and moved repeatedly over the same areas of Central and Eastern Winn Parish. This resulted in extensive flash flooding near and east of Winnfield which inundated numerous roads.","Vehicles were stalled in high water along Highway 84 in Winnfield. Multiple streets in the city were also covered in high water." +117572,707050,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-10 09:24:00,CST-6,2017-08-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9277,-92.6127,31.9354,-92.6151,"A warm front retreated north across the region and became quasi-stationary from Deep East Texas across extreme southwest Arkansas during the early morning hours of August 8th. Concurrently, an upper level low pressure system and its surface counterpart, was gradually translating east across southern Louisiana, thus providing that synoptic spark to result in isolated to scattered showers and thunderstorms that developed from Deep East Texas across Northcentral Louisiana. The thunderstorms contained very heavy rainfall which redeveloped and moved repeatedly over the same areas of Central and Eastern Winn Parish. This resulted in extensive flash flooding near and east of Winnfield which inundated numerous roads.","Highway 84 northeast of Winnfield was covered in high water." +117851,708311,FLORIDA,2017,August,Heavy Rain,"MARION",2017-08-07 18:05:00,EST-5,2017-08-07 18:50:00,0,0,0,0,0.00K,0,0.00K,0,29.19,-82.13,29.19,-82.13,"Stacked high pressure was over the region with a moist airmass and unstable diurnal conditions. Heavy rainfall occurred in slow moving cells.","A spotter estimated 2-2.25 inches within 45 minutes." +120347,721376,GEORGIA,2017,September,Tropical Storm,"JOHNSON",2017-09-11 06:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. Several homes were damaged by falling trees. Much of the county was without electricity for varying periods of time. No injuries were reported." +118146,709995,FLORIDA,2017,August,Thunderstorm Wind,"BAKER",2017-08-19 18:35:00,EST-5,2017-08-19 18:35:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-82.12,30.28,-82.12,"An early start to convection across the Suwannee River Valley with moist SW flow off of the Gulf of Mexico with a surface front draped across SE Georgia. Morning convection produced an outflow boundary that raced toward the Atlantic through early afternoon, which triggered strong storms along boundary mergers that produced excessive lightning and heavy rainfall.","Power lines were blown down on South Blvd East. The time of damage was based on radar." +118146,709994,FLORIDA,2017,August,Thunderstorm Wind,"BAKER",2017-08-19 18:28:00,EST-5,2017-08-19 18:28:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-82.21,30.25,-82.21,"An early start to convection across the Suwannee River Valley with moist SW flow off of the Gulf of Mexico with a surface front draped across SE Georgia. Morning convection produced an outflow boundary that raced toward the Atlantic through early afternoon, which triggered strong storms along boundary mergers that produced excessive lightning and heavy rainfall.","A tree was blown down near Fred Perry Road and Reid Stafford Road. The time of damage was based on radar." +118146,709997,FLORIDA,2017,August,Thunderstorm Wind,"BAKER",2017-08-19 18:37:00,EST-5,2017-08-19 18:37:00,0,0,0,0,0.00K,0,0.00K,0,30.19,-82.25,30.19,-82.25,"An early start to convection across the Suwannee River Valley with moist SW flow off of the Gulf of Mexico with a surface front draped across SE Georgia. Morning convection produced an outflow boundary that raced toward the Atlantic through early afternoon, which triggered strong storms along boundary mergers that produced excessive lightning and heavy rainfall.","A tree was blown down on power lines near Richardson Road and Clet Harvey Road." +118167,710137,ARIZONA,2017,August,Thunderstorm Wind,"YUMA",2017-08-02 17:33:00,MST-7,2017-08-02 17:33:00,0,0,0,0,0.00K,0,0.00K,0,32.69,-114.63,32.69,-114.63,"Isolated thunderstorms developed in the Yuma area during the afternoon hours on August 2nd. One of the stronger storms managed to produce a gusty outflow wind in excess of 50 knots, as recorded by the official ASOS weather station in town. No damage was reported as a result of the strong wind.","Isolated thunderstorms with strong gusty outflow winds developed in the community of Yuma during the late afternoon hours on August 2nd. According to the official ASOS weather station, a gust to 51 knots was measured at 1733MST. A Severe Thunderstorm Warning was in effect at the time of the wind gust; actually the warning was issued at exactly the same time as the gust report - at 1733MST." +118218,710391,GULF OF MEXICO,2017,August,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-08-18 13:02:00,EST-5,2017-08-18 13:10:00,0,0,0,0,0.00K,0,0.00K,0,28.028,-82.808,28.017,-82.795,"Summer thunderstorms formed across the Florida Peninsula and Gulf of Mexico during the afternoon. A large waterspout formed inbetween Caladesi Island and Dunedin.","Multiple news sources and members of the public reported a large waterspout in the Intracoastal waterway between Caladesi Island and Dunedin." +118163,710378,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 16:30:00,MST-7,2017-08-03 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,33.68,-112.03,33.68,-112.03,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Strong thunderstorms developed across the northern portions of the greater Phoenix area during the afternoon hours on August 3rd; some of the storms affected areas around Deer Valley. At 1630MST a trained spotter about 3 miles east of Deer Valley Airport reported that gusty outflow winds had downed a large tree at the intersection of Cave Creek Road and Rose Garden Street. Wind gusts were estimated to be upwards of 60 mph. Additionally, at 1645MST the City of Phoenix storm drain department reported that similarly strong outflow winds had downed 2 trees and the trees were blocking the road. The downed trees were near the intersection of Bell Road and north Cave Creek Road, about 6 miles southeast of Deer Valley." +118163,710380,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 16:18:00,MST-7,2017-08-03 16:18:00,0,0,0,0,12.00K,12000,0.00K,0,33.71,-112.11,33.71,-112.11,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered thunderstorms developed across the northern portion of the greater Phoenix area, including the community of Deer Valley, during the afternoon hours on August 3rd. Some of the stronger storms generated gusty and damaging outflow winds that were estimated to be as high as 65 mph. According to a trained weather spotter, at 1618MST very strong winds snapped multiple trees along Happy Valley Road just east of Interstate 17. This was about 3 miles north of Deer Valley. No injuries were reported due to the downed and snapped trees. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 1615MST." +118032,709522,TEXAS,2017,August,Flash Flood,"HOCKLEY",2017-08-22 18:14:00,CST-6,2017-08-22 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-102.4,33.39,-102.08,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","Law enforcement reported water and mud overflowing sections of roads in southeast Hockley County. The flash flooding forced the closure of FM Road 1585, FM Road 168 and County Road 41 for a few hours. One section of FM Road 1585 had water up to the headlights of a car. Travel was still impeded the following day until mud could be plowed free from the road." +118032,709523,TEXAS,2017,August,Thunderstorm Wind,"LYNN",2017-08-22 18:27:00,CST-6,2017-08-22 18:34:00,0,0,0,0,0.00K,0,0.00K,0,33.21,-101.78,33.21,-101.78,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","Measured by a Texas Tech University West Texas mesonet near Tahoka at 1828 CST. Severe gusts of 58 mph and 59 mph were also measured at 1827 CST and 1834 CST, respectively." +118032,711899,TEXAS,2017,August,Heavy Rain,"HOCKLEY",2017-08-22 17:30:00,CST-6,2017-08-22 17:55:00,0,0,0,0,0.00K,0,0.00K,0,33.5221,-102.37,33.5221,-102.37,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","A slow-moving, rotating thunderstorm produced incredible rainfall rates up to 0.69 inches in just five minutes (8.28 inches per hour) as measured by a Texas Tech University West Texas Mesonet." +118330,711072,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 12:05:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.3501,-93.8588,31.3502,-93.8476,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Arnold and Barber Streets in Hemphill were closed due to high water." +118330,711078,TEXAS,2017,August,Flash Flood,"SAN AUGUSTINE",2017-08-30 12:12:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2535,-94.0606,31.2533,-94.0548,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","High water over Highway 83 on Huckleberry Creek, just east of FM 1751." +118330,711079,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 13:01:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.4088,-93.8332,31.4156,-93.8132,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Davidson Road was washed out and impassable." +118330,711081,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 14:09:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2582,-93.9705,31.3026,-93.9304,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Highway 83 between Hemphill and Pineland was closed due to flooding." +118330,711083,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-30 15:38:00,CST-6,2017-08-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.3536,-94.7998,31.3534,-94.7933,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 3150 at Jack Creek was washed out and closed." +118330,711089,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-30 18:42:00,CST-6,2017-08-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1372,-94.4287,31.1372,-94.4259,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","One lane of Highway 69 near Hubert Cryer Road south of Zavalla was flooded." +118330,711090,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-30 18:42:00,CST-6,2017-08-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2687,-94.8297,31.264,-94.8323,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Ryan's Chapel Road (FM 2497) was flooded and closed." +118330,711092,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.4817,-93.9389,31.4829,-93.933,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Water was over Highway 21 at the Maddux Creek bridge near FM 330 and FM 3448." +118330,711405,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.25,-93.9855,31.2515,-93.9741,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 83 in Pineland between FM 1 and Highway 96 was flooded and closed." +118330,711407,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2938,-94.0276,31.2928,-94.0271,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","A section of FM 2866 was impassible due to flooding." +118330,711408,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.1998,-93.7363,31.2007,-93.7339,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Highway 87 near FM 3315 in the Fairmount community was closed due to high water." +118330,711409,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.3292,-93.9402,31.3411,-93.9353,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 2024 was covered in high water in several locations." +118330,711412,TEXAS,2017,August,Flash Flood,"ANGELINA",2017-08-30 17:00:00,CST-6,2017-08-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1766,-94.6086,31.1787,-94.5894,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 1818 at Biloxi Creek, Bear Creek, and Little Buck Creek was flooded." +117225,704979,WYOMING,2017,August,Hail,"CAMPBELL",2017-08-01 16:28:00,MST-7,2017-08-01 16:28:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-105.45,44.16,-105.45,"Penny sized hail fell with a thunderstorm that tracked south of Gillette.","" +117702,707780,SOUTH DAKOTA,2017,August,Hail,"PERKINS",2017-08-05 17:00:00,MST-7,2017-08-05 17:00:00,0,0,0,0,,NaN,0.00K,0,45.9111,-102.36,45.9111,-102.36,"A severe thunderstorm produced large hail and wind gusts around 60 mph over northeastern portions of Perkins County.","Wind gusts to 50 mph also accompanied the storm." +117702,707781,SOUTH DAKOTA,2017,August,Hail,"PERKINS",2017-08-05 17:45:00,MST-7,2017-08-05 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.6024,-102.22,45.6024,-102.22,"A severe thunderstorm produced large hail and wind gusts around 60 mph over northeastern portions of Perkins County.","" +117702,707782,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"PERKINS",2017-08-05 17:45:00,MST-7,2017-08-05 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.6024,-102.22,45.6024,-102.22,"A severe thunderstorm produced large hail and wind gusts around 60 mph over northeastern portions of Perkins County.","Wind gusts were estimated at 60 mph." +117702,714945,SOUTH DAKOTA,2017,August,Hail,"PERKINS",2017-08-05 17:25:00,MST-7,2017-08-05 17:25:00,0,0,0,0,0.00K,0,0.00K,0,45.75,-102.2,45.75,-102.2,"A severe thunderstorm produced large hail and wind gusts around 60 mph over northeastern portions of Perkins County.","" +117485,706581,NEW JERSEY,2017,August,Rip Current,"EASTERN CAPE MAY",2017-08-02 16:40:00,EST-5,2017-08-02 16:40:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A man was overcome by a large wave and could not return to the surface. He died at the hospital the next day.","A man got knocked over by a wave near the 59th street beach in Sea Isle and drowned." +117704,707798,SOUTH DAKOTA,2017,August,Hail,"PERKINS",2017-08-11 17:17:00,MST-7,2017-08-11 17:17:00,0,0,0,0,0.00K,0,0.00K,0,45.7907,-102.839,45.7907,-102.839,"A severe thunderstorm moved across parts of northwestern Perkins County before weakening, producing large hail.","" +117706,707804,SOUTH DAKOTA,2017,August,Hail,"MELLETTE",2017-08-12 13:45:00,CST-6,2017-08-12 13:45:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-100.38,43.64,-100.38,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707805,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 14:36:00,CST-6,2017-08-12 14:36:00,0,0,0,0,,NaN,0.00K,0,43.49,-100.18,43.49,-100.18,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707806,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 14:30:00,CST-6,2017-08-12 14:50:00,0,0,0,0,,NaN,0.00K,0,43.51,-100.2,43.51,-100.2,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","Wind gusts to 50 mph accompanied the storm that lasted 20 minutes." +117445,714433,NEBRASKA,2017,August,Thunderstorm Wind,"ADAMS",2017-08-03 00:00:00,CST-6,2017-08-03 00:00:00,0,0,0,0,25.00K,25000,0.00K,0,40.4334,-98.3427,40.4334,-98.3427,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","Wind gusts estimated to be near 60 MPH downed a few tree limbs up to 5 inches in diameter." +119251,716052,NORTH DAKOTA,2017,August,Hail,"STARK",2017-08-12 16:00:00,MST-7,2017-08-12 16:04:00,0,0,0,0,0.00K,0,0.00K,0,46.69,-103.09,46.69,-103.09,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","" +119251,716053,NORTH DAKOTA,2017,August,Hail,"GRANT",2017-08-12 16:08:00,MST-7,2017-08-12 16:12:00,0,0,0,0,20.00K,20000,0.00K,0,46.29,-101.33,46.29,-101.33,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","Vehicles were dented." +119251,716054,NORTH DAKOTA,2017,August,Hail,"MERCER",2017-08-12 16:15:00,CST-6,2017-08-12 16:18:00,0,0,0,0,0.00K,0,0.00K,0,47.29,-101.92,47.29,-101.92,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","" +118876,714229,MAINE,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-13 14:27:00,EST-5,2017-08-13 14:27:00,0,0,0,0,,NaN,,NaN,44.78,-67.17,44.78,-67.17,"Thunderstorms developed during the afternoon of the 13th in advance of a cold front crossing the region. An isolated severe thunderstorm produced damaging winds in Washington County.","A tree and power lines were toppled by wind gusts estimated at 60 mph. The time is estimated." +118699,713033,UTAH,2017,August,Thunderstorm Wind,"GRAND",2017-08-10 20:20:00,MST-7,2017-08-10 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.76,-109.75,38.76,-109.75,"An upper level disturbance moved across the region and resulted in scattered to numerous showers and thunderstorms during the afternoon and evening hours, some of which produced strong outflow winds.","The automated station at the Canyonlands Regional Airport measured a peak wind gust of 66 mph from a strong thunderstorm." +117685,707681,UTAH,2017,August,Flash Flood,"GRAND",2017-08-05 16:30:00,MST-7,2017-08-05 20:30:00,0,0,0,0,1.00M,1000000,0.00K,0,39.478,-109.1618,39.421,-109.3532,"Deep subtropical moisture and a very unstable air mass led to strong thunderstorms over the eastern Tavaputs Plateau which produced heavy rainfall and some flash flooding.","Heavy rainfall resulted in a flash flood which flowed down drainages that funneled downstream to Westwater and into the Colorado River. The flash flood negatively impacted 6 gas production wells and washed away several pipelines and tanks. An estimated 275 million cubic feet of natural gas was lost. Most of the equipment was found several miles downstream." +119505,717157,UTAH,2017,August,Flash Flood,"SAN JUAN",2017-08-06 14:00:00,MST-7,2017-08-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2905,-109.2963,38.2894,-109.2962,"Another day of deep subtropical moisture with a very unstable air mass resulted in some thunderstorms which produced heavy rainfall and some flash flooding in the La Sal Mountains.","A culvert became blocked from runoff debris and caused water to run over the road about a foot deep after a thunderstorm produced heavy rainfall upstream." +119556,717411,TEXAS,2017,August,Hail,"SHERMAN",2017-08-17 17:27:00,CST-6,2017-08-17 17:27:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-101.66,36.17,-101.66,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119663,717879,TEXAS,2017,August,Flash Flood,"GRAYSON",2017-08-13 04:41:00,CST-6,2017-08-13 07:15:00,0,0,0,0,0.00K,0,0.00K,0,33.6338,-96.6181,33.628,-96.617,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported that Post Oak Creek was 5 feet out of its banks between West Lamar Street and Center Street in the city of Sherman, TX." +119663,717884,TEXAS,2017,August,Flash Flood,"FANNIN",2017-08-13 03:00:00,CST-6,2017-08-13 05:30:00,0,0,0,0,0.00K,0,0.00K,0,33.443,-96.2856,33.4037,-96.2677,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported one home flooded north of the city of Leonard, TX." +119663,717885,TEXAS,2017,August,Flash Flood,"FANNIN",2017-08-13 06:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,2.00K,2000,0.00K,0,33.39,-95.93,33.3787,-95.9311,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported that 2 houses were flooded souotheast of the city of Ladonia, TX." +119663,717886,TEXAS,2017,August,Flash Flood,"HUNT",2017-08-13 06:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.29,-95.93,33.2869,-95.9488,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency Management reported that Highway 11 between the cities of Commerce and Fairlie was shut down in 2 places due to water over the road." +119663,717887,TEXAS,2017,August,Flash Flood,"FANNIN",2017-08-13 06:30:00,CST-6,2017-08-13 09:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.59,-96.13,33.5707,-96.1348,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported that a mobile home off of Hwy 56 was flooded and the family was evacuated approximately 3 miles east of the city of Bonham, TX." +118128,712449,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-25 13:15:00,MST-7,2017-08-25 13:20:00,0,0,0,0,0.00K,0,0.00K,0,43.9678,-103.4849,43.9678,-103.4849,"A thunderstorm produced hail to around quarter size around Sheridan Lake.","Highway 385 was covered with hail several inches deep from Sheridan Lake Road to Calumet Road." +119777,718280,NEBRASKA,2017,August,Hail,"KNOX",2017-08-13 18:59:00,CST-6,2017-08-13 18:59:00,0,0,0,0,,NaN,,NaN,42.61,-97.88,42.61,-97.88,"An isolated severe thunderstorm developed along a warm front and moved southeast in Knox County and produced hail as large as half dollars.","Nickel size hail was reported southwest of Center." +119784,718289,CALIFORNIA,2017,August,Wildfire,"S SIERRA MTNS",2017-08-13 13:28:00,PST-8,2017-08-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The South Fork Fire fire began on August 13, 2017, 1 mile east of Wawona along the south fork of the Merced river in Yosemite National Park. The fire closed several trails in the southern part of Yosemite. Thunderstorms downdrafts caused the fire to spread west and threaten the community of Wawona, which was evacuated for 6 days from August 19th to the 24th. Firefighters were able to contain the fire on the south and west side of the fire by August 26th, but the fire was being allowed to burn to the east. Containment was 44 percent by the end of August. Thereafter, the fire was being managed as it moved into rockier terrain in the wilderness of Yosemite. The fire will likely continue into October.","Fire began on August 13 of unknown cause, but was possibly lightning started. The fire began about 1 mile east of Wawona along the south fork of the Merced river in Yosemite National Park. The cost of containment was $8.6 milliion as of September 21. After the end of August the fire was being managed as it burned into rockier ground in the wilderness of Yosemite." +119783,718287,NEBRASKA,2017,August,Hail,"RICHARDSON",2017-08-10 16:30:00,CST-6,2017-08-10 16:30:00,0,0,0,0,,NaN,,NaN,40.07,-95.69,40.07,-95.69,"An area of thunderstorms developed along a southeastward moving cold front over Southeast Nebraska and Northwest Missouri. One storm produced hail up to quarter size in Richardson County.","Quarter size hail fell east of Salem." +119779,718281,NEBRASKA,2017,August,Hail,"CEDAR",2017-08-24 14:13:00,CST-6,2017-08-24 14:13:00,0,0,0,0,,NaN,,NaN,42.51,-97.2,42.51,-97.2,"An area of thunderstorms produced a 58 MPH wind gust at Wayne Airport and large hail near Coleridge, NE during the late morning and early afternoon of the 24th.","Nickel size hail fell north of Coleridge." +119779,718282,NEBRASKA,2017,August,Hail,"CEDAR",2017-08-24 14:20:00,CST-6,2017-08-24 14:20:00,0,0,0,0,,NaN,,NaN,42.51,-97.2,42.51,-97.2,"An area of thunderstorms produced a 58 MPH wind gust at Wayne Airport and large hail near Coleridge, NE during the late morning and early afternoon of the 24th.","One inch hail fell north of Coleridge." +119779,718283,NEBRASKA,2017,August,Thunderstorm Wind,"WAYNE",2017-08-24 11:11:00,CST-6,2017-08-24 11:11:00,0,0,0,0,,NaN,,NaN,42.24,-96.98,42.24,-96.98,"An area of thunderstorms produced a 58 MPH wind gust at Wayne Airport and large hail near Coleridge, NE during the late morning and early afternoon of the 24th.","A 58 mph wind gust was measured at Wayne Airport." +119015,714848,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-02 18:34:00,MST-7,2017-08-02 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.4188,-113.8099,35.4181,-113.8093,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Water and mud flowed over Route 66 at Antares Road." +119015,714850,ARIZONA,2017,August,Thunderstorm Wind,"MOHAVE",2017-08-02 18:41:00,MST-7,2017-08-02 18:46:00,0,0,0,0,0.00K,0,0.00K,0,34.9402,-114.5775,34.9402,-114.5775,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Visibility was down to less than a quarter mile in blowing dust." +119015,714851,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-02 19:01:00,MST-7,2017-08-02 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.03,-114.38,35.0216,-114.3773,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","A spotter reported 1.9 inches of rain in 30 minutes, with water running all over." +119015,714852,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-02 19:55:00,MST-7,2017-08-02 21:30:00,0,0,0,0,3.00K,3000,0.00K,0,34.8299,-114.1298,34.8175,-114.1202,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Several roads were closed due to flooding." +119015,714854,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-02 21:34:00,MST-7,2017-08-02 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.9629,-114.5651,34.9718,-114.5663,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Boundary Cone Road was closed due to flooding." +119015,714857,ARIZONA,2017,August,Lightning,"MOHAVE",2017-08-02 21:30:00,MST-7,2017-08-02 21:40:00,0,0,0,0,20.00K,20000,0.00K,0,34.4766,-114.3306,34.4766,-114.3306,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Lightning started eight palm tree fires and one small house fire in the Lake Havasu City area." +119015,714858,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-02 21:45:00,MST-7,2017-08-02 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.7205,-114.4811,34.7208,-114.4721,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Oatman-Topock Highway was closed due to flooding." +119015,714861,ARIZONA,2017,August,Thunderstorm Wind,"MOHAVE",2017-08-04 18:00:00,MST-7,2017-08-04 18:05:00,0,0,0,0,10.00K,10000,0.00K,0,34.4587,-114.3355,34.4587,-114.3355,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Thunderstorm winds capsized two boats near Body Beach." +119016,714863,CALIFORNIA,2017,August,Flash Flood,"INYO",2017-08-02 15:35:00,PST-8,2017-08-02 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.33,-117.7215,36.3331,-117.7201,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Highway 190 was closed due to flooding." +119016,714864,CALIFORNIA,2017,August,Flash Flood,"INYO",2017-08-02 15:55:00,PST-8,2017-08-02 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.4021,-117.2812,36.383,-117.2854,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Mud and debris flowed onto Highway 190." +119016,714865,CALIFORNIA,2017,August,Flash Flood,"SAN BERNARDINO",2017-08-02 19:55:00,PST-8,2017-08-02 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.9076,-114.7745,34.8851,-114.7649,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Highway 95 was flooded." +119945,718873,MARYLAND,2017,August,Heat,"PRINCE GEORGES",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718875,MARYLAND,2017,August,Heat,"ANNE ARUNDEL",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119961,718964,SOUTH DAKOTA,2017,August,Drought,"CORSON",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +122228,731694,MINNESOTA,2017,December,Cold/Wind Chill,"LINCOLN",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +119574,718920,SOUTH CAROLINA,2017,August,Rip Current,"BEAUFORT",2017-08-20 09:15:00,EST-5,2017-08-20 10:00:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly wind developed between a weak cold front inland and high pressure over the Atlantic. The wind along with enhanced astronomical influences produced rip currents along South Carolina beaches.","A lifeguard observed 15 rip currents and reported one person rescued from the water between Coligny Beach Park and the Sonesta Resort." +120002,719107,ALABAMA,2017,August,Flash Flood,"PIKE",2017-08-10 16:15:00,CST-6,2017-08-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,31.87,-86.02,31.8871,-85.9598,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Numerous roads flooded and impassable in the city of Troy. County Road 3319 at Whitewater Creek impassable due to high water. The Troy Municipal Airport (KTOI) reported 3.31 inches of rainfall during a 90 minute time span." +120017,719201,SOUTH DAKOTA,2017,August,Hail,"DAY",2017-08-09 16:47:00,CST-6,2017-08-09 16:47:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-97.49,45.5,-97.49,"A couple severe thunderstorms brought quarter to golf ball hail to parts of northeast South Dakota.","" +120017,719202,SOUTH DAKOTA,2017,August,Hail,"DAY",2017-08-09 17:07:00,CST-6,2017-08-09 17:07:00,0,0,0,0,0.00K,0,0.00K,0,45.46,-97.27,45.46,-97.27,"A couple severe thunderstorms brought quarter to golf ball hail to parts of northeast South Dakota.","" +120017,719203,SOUTH DAKOTA,2017,August,Hail,"CODINGTON",2017-08-09 17:40:00,CST-6,2017-08-09 17:40:00,0,0,0,0,,NaN,,NaN,45,-97.15,45,-97.15,"A couple severe thunderstorms brought quarter to golf ball hail to parts of northeast South Dakota.","" +120017,719205,SOUTH DAKOTA,2017,August,Hail,"CODINGTON",2017-08-09 17:55:00,CST-6,2017-08-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-96.97,45.02,-96.97,"A couple severe thunderstorms brought quarter to golf ball hail to parts of northeast South Dakota.","" +117968,719207,MINNESOTA,2017,August,Tornado,"CASS",2017-08-03 17:04:00,CST-6,2017-08-03 17:15:00,0,0,0,0,0.00K,0,0.00K,0,47.4506,-94.2105,47.4502,-94.2112,"On the evening of August 3rd, a thunderstorm with surrounding cooler air temperatures passed over the warmer waters of Lake Winnibigoshish producing three waterspouts that lasted for a short duration. Eye witnesses fishing on the lake were able to photograph and videotape two of the waterspouts occurring at the same time with the third one unable to capture digitally.","Multiple reports of photos and video received showing waterspouts on Lake Winnibigoshish. Eye witnesses reported three different waterspouts on the lake with two occurring at the same time." +120004,719114,NEW YORK,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 13:10:00,EST-5,2017-08-04 13:10:00,0,0,0,0,,NaN,,NaN,43.05,-74.35,43.05,-74.35,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were reported down." +120004,719115,NEW YORK,2017,August,Thunderstorm Wind,"ULSTER",2017-08-04 14:09:00,EST-5,2017-08-04 14:09:00,0,0,0,0,,NaN,,NaN,41.96,-73.99,41.96,-73.99,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Two large limbs were downed about 1 foot in diameter at Route 9W and Boices Lane." +120005,719165,NEW YORK,2017,August,Thunderstorm Wind,"ALBANY",2017-08-12 17:45:00,EST-5,2017-08-12 17:45:00,0,0,0,0,,NaN,,NaN,42.62,-73.83,42.62,-73.83,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Trees were reported down." +120005,719166,NEW YORK,2017,August,Thunderstorm Wind,"RENSSELAER",2017-08-12 18:05:00,EST-5,2017-08-12 18:05:00,0,0,0,0,,NaN,,NaN,42.64,-73.54,42.64,-73.54,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||A Severe Thunderstorm Watch was issued shortly before 3 PM that afternoon for much of eastern New York. Strong to severe thunderstorms developed and moved through the area during the afternoon and early evening hours. These storms results in multiple reports of trees and power lines down as well as hail.","Three trees were downed in addition to wires." +120019,719219,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-12 14:28:00,CST-6,2017-08-12 14:28:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-99.77,43.91,-99.77,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","" +120019,719220,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-12 14:29:00,CST-6,2017-08-12 14:29:00,0,0,0,0,,NaN,,NaN,43.88,-99.6402,43.847,-99.4476,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","A large swath of corn was completely destroyed by ping pong hail from two miles west of Reliance to 8 miles east southeast of Reliance." +120019,719221,SOUTH DAKOTA,2017,August,Hail,"CORSON",2017-08-12 17:56:00,MST-7,2017-08-12 17:56:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-100.98,45.88,-100.98,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","" +120019,719222,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"DEWEY",2017-08-12 18:33:00,MST-7,2017-08-12 18:33:00,0,0,0,0,0.00K,0,0.00K,0,45.09,-100.79,45.09,-100.79,"Severe thunderstorms brought damaging ping pong hail and flash flooding to parts of central and north central South Dakota.","" +120081,719503,SOUTH DAKOTA,2017,August,Flash Flood,"GRANT",2017-08-13 01:45:00,CST-6,2017-08-13 04:45:00,0,0,0,0,0.00K,0,0.00K,0,45.2,-96.76,45.2003,-96.763,"Numerous thunderstorms developed along a cold front and brought hail up to the size of golf balls along with very heavy rains of 2 to 4 inches. The very heavy rains brought flash flooding near Twin Brooks.","Very heavy rains brought a creek out of its banks with flooding over the road." +118921,714398,TEXAS,2017,September,Thunderstorm Wind,"NACOGDOCHES",2017-09-05 21:40:00,CST-6,2017-09-05 21:40:00,0,0,0,0,0.00K,0,0.00K,0,31.5043,-94.5299,31.5043,-94.5299,"An upper level trough of low pressure shifted east from the Ohio Valley southwest across the Midwest and Central/Southern Plains during the late morning hours of September 5th. The accompanying cold front moved into Southwest Arkansas and extreme Northeast Texas during the mid and late afternoon, before moving into North Louisiana and Deep East Texas during the evening. Moderate instability developed along and ahead of the front, with increasing frontal convergence yielding scattered to numerous showers and thunderstorms during the late afternoon and evening across Southwest Arkansas, North Louisiana, and portions of Deep East Texas, where large scale forcing was strongest ahead of the trough. An isolated severe thunderstorm developed over Nacogdoches County, resulting in downed trees and power lines in the Woden community. These storms began to diminish by late evening over Deep East Texas as cooler and drier air began to spill south in wake of the frontal passage.","Trees and power lines were blown down in Woden near the Elementary/High School." +120145,719895,TENNESSEE,2017,August,Flash Flood,"HICKMAN",2017-08-31 20:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.719,-87.2666,35.953,-87.2111,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Facebook and Twitter reports indicated flash flooding affected parts of eastern Hickman County. Flood waters covered Hoovers Road at Dunlap Road in the Shady Grove community." +120145,719897,TENNESSEE,2017,August,Flash Flood,"CHEATHAM",2017-08-31 21:30:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.0555,-87.1747,36.0531,-87.0459,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Flash flooding affected parts of southern Cheatham County. A few roads were flooded and closed around Kingston Springs including West Kingston Springs Road and Old Brush Creek Road." +120154,719917,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-22 12:40:00,EST-5,2017-08-22 12:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.85,-80.17,40.85,-80.17,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719918,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-22 12:42:00,EST-5,2017-08-22 12:42:00,0,0,0,0,1.00K,1000,0.00K,0,40.93,-80.14,40.93,-80.14,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719919,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-22 12:45:00,EST-5,2017-08-22 12:45:00,1,0,0,0,15.00K,15000,0.00K,0,40.91,-80.14,40.91,-80.14,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Numerous trees down. One tree fell on a vehicle. One person injured and on the way to the hospital." +120154,719920,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-22 12:51:00,EST-5,2017-08-22 12:51:00,0,0,0,0,1.00K,1000,0.00K,0,40.82,-80.01,40.82,-80.01,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719924,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FOREST",2017-08-22 13:10:00,EST-5,2017-08-22 13:10:00,0,0,0,0,5.00K,5000,0.00K,0,41.4313,-79.1953,41.4313,-79.1953,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down on Guitonville Rd and Blood Rd." +120154,719926,PENNSYLVANIA,2017,August,Hail,"WESTMORELAND",2017-08-22 13:33:00,EST-5,2017-08-22 13:33:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-79.61,40.41,-79.61,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","" +120154,719927,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 13:05:00,EST-5,2017-08-22 13:05:00,0,0,0,0,1.00K,1000,0.00K,0,40.36,-79.95,40.36,-79.95,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +119593,717507,WASHINGTON,2017,August,Wildfire,"EAST SLOPES NORTHERN CASCADES",2017-08-01 00:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A number of wildfires burned in the northern Cascades of eastern Washington during the month of August. The largest was the Diamond Creek Fire in northern Okanogan County which burned 128,272 acres and eventually crossed the international border into Canada. The Jack Creek wildfire burned 4,400 acres of unpopulated wilderness southwest of Leavenworth and the Uno fire began late in the month in wilderness near Manson and continued into the month of September. All of these fires impacted mainly remote wilderness areas and no structures were lost or injuries reported.","The Diamond Creek wildfire was first reported on July 23rd, and the cause remains unknown. The fire spread aggressively through the month of August eventually consuming 128,272 acres of forest land in the Pasayten Wilderness of northern Okanogan County. The fire crossed the international border into Canada on August 29th. The fire originated and spread through a remote region of wilderness and no structures were lost or injuries reported. The fire continued to burn through the month of September." +119599,717517,WASHINGTON,2017,August,Dense Smoke,"WENATCHEE AREA",2017-08-02 00:00:00,PST-8,2017-08-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August Eastern Washington was fumigated by dense smoke palls from numerous wildfires around the region. During the second week of August smoke from wildfires in British Columbia caused air quality to drop into unhealthy levels at numerous recording sites in eastern Washington. A cold front brought relief to the region on August 14th. During the last week of August another round of dense and widespread smoke infiltrated the region from fires in Oregon.","Unhealthy air quality was reported in the Wenatchee area due to smoke from area wildfires." +119595,717511,WASHINGTON,2017,August,Wildfire,"OKANOGAN HIGHLANDS",2017-08-08 18:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August several lightning caused wildfires began or became large after smoldering for the previous month. The Bridge Creek wildfire in Ferry County burned 3,711 acres, the Noisy Creek wildfire in Pend Oreille County burned 4,000 acres, and the North Fork Hughes wildfire on the border of Washington and Idaho in Pend Oreille County and Bonner County, ID consumed 4,975 acres. All of these fires were in unpopulated wilderness areas and no structures were lost.","The lightning caused Bridge Creek fire burned 3,711 acres of timber on the Colville tribal reservation during the month of August. Some road closures were imposed due to firefighting activity, but no structures were lost and no injuries were reported." +119599,717518,WASHINGTON,2017,August,Dense Smoke,"OKANOGAN VALLEY",2017-08-02 00:00:00,PST-8,2017-08-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August Eastern Washington was fumigated by dense smoke palls from numerous wildfires around the region. During the second week of August smoke from wildfires in British Columbia caused air quality to drop into unhealthy levels at numerous recording sites in eastern Washington. A cold front brought relief to the region on August 14th. During the last week of August another round of dense and widespread smoke infiltrated the region from fires in Oregon.","Very Unhealthy air quality was reported in the Okanogan Valley due to smoke from regional wildfires." +120014,719199,NEW YORK,2017,August,Thunderstorm Wind,"SCHENECTADY",2017-08-22 19:02:00,EST-5,2017-08-22 19:02:00,0,0,0,0,,NaN,,NaN,42.83,-73.95,42.83,-73.95,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A large tree branch was downed." +120014,719200,NEW YORK,2017,August,Thunderstorm Wind,"SCHENECTADY",2017-08-22 19:05:00,EST-5,2017-08-22 19:05:00,0,0,0,0,,NaN,,NaN,42.8098,-73.9113,42.8098,-73.9113,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Several trees were downed on McClellan Street and Brandywine Ave. A telephone pole was knocked down onto an unoccupied car." +120014,719206,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-22 19:15:00,EST-5,2017-08-22 19:15:00,0,0,0,0,,NaN,,NaN,42.7825,-73.6947,42.7825,-73.6947,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Three trees were downed onto wires on Middle Second and Fulton Streets as well as Maple Ave." +120014,719209,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-22 19:15:00,EST-5,2017-08-22 19:15:00,0,0,0,0,,NaN,,NaN,42.9006,-73.7996,42.9006,-73.7996,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Two trees and wires down on Main Street, Glenwood Drive and Huckleberry Lane." +119753,720858,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 20:15:00,CST-6,2017-08-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,30.1123,-95.658,29.4783,-95.4932,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within Houston and the surrounding suburbs. Roads and highways in and around Houston inundated and closed due to flash flooding. Some of the reported flooded roads in Pasadena were Vista Street, Shafer Street, Fairmont Drive and Strawberry Road.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119751,718394,ALABAMA,2017,August,Flood,"MADISON",2017-08-10 03:45:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-86.75,34.8549,-86.7529,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Water covering the road at the intersection of Wall Triana Highway and Ford Chapel Road in Harvest." +119751,718401,ALABAMA,2017,August,Flood,"MADISON",2017-08-10 06:57:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-86.52,34.8502,-86.5146,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Flooding was occurring on Moores Mill Road at Jacobs Farm Road along the Briar Fork of the Flint River." +120133,719828,OKLAHOMA,2017,August,Thunderstorm Wind,"POTTAWATOMIE",2017-08-22 17:50:00,CST-6,2017-08-22 17:50:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-96.94,35.38,-96.94,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","" +120133,719829,OKLAHOMA,2017,August,Hail,"OKLAHOMA",2017-08-22 17:55:00,CST-6,2017-08-22 17:55:00,0,0,0,0,0.00K,0,0.00K,0,35.439,-97.4859,35.439,-97.4859,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","" +120133,719830,OKLAHOMA,2017,August,Thunderstorm Wind,"OKLAHOMA",2017-08-22 18:06:00,CST-6,2017-08-22 18:06:00,0,0,0,0,0.00K,0,0.00K,0,35.69,-97.53,35.69,-97.53,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","No damage reported." +120133,719831,OKLAHOMA,2017,August,Hail,"SEMINOLE",2017-08-22 18:07:00,CST-6,2017-08-22 18:07:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-96.68,35.23,-96.68,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","" +120133,719832,OKLAHOMA,2017,August,Thunderstorm Wind,"OKLAHOMA",2017-08-22 18:20:00,CST-6,2017-08-22 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-97.53,35.61,-97.53,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","No damage reported." +120133,719835,OKLAHOMA,2017,August,Hail,"OKLAHOMA",2017-08-22 18:26:00,CST-6,2017-08-22 18:26:00,0,0,0,0,0.00K,0,0.00K,0,35.5801,-97.5667,35.5801,-97.5667,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","May Ave and Hefner Blvd." +120133,719837,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-22 18:30:00,CST-6,2017-08-22 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.4953,-97.5096,35.4955,-97.5167,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","One to two feet of water was over the roadway at 23rd and Broadway." +120133,719838,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-22 19:28:00,CST-6,2017-08-22 22:28:00,0,0,0,0,0.00K,0,0.00K,0,35.5089,-97.5268,35.5087,-97.5228,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","Excessive rainfall caused flooding and a stalled vehicle at 36th and Shartel." +120133,719839,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-22 19:34:00,CST-6,2017-08-22 22:34:00,0,0,0,0,0.00K,0,0.00K,0,35.5253,-97.4556,35.526,-97.465,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","At least a foot of water on roadway from excessive rainfall at northeast 50th street and I-35." +119753,720860,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 20:30:00,CST-6,2017-08-29 20:30:00,0,0,0,0,0.00K,0,0.00K,0,29.9887,-95.8392,30.0883,-95.419,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within Houston and the surrounding suburbs. Roads and highways in and around Houston inundated and closed due to flash flooding.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +118571,712297,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SUSQUEHANNA",2017-08-19 18:50:00,EST-5,2017-08-19 19:00:00,0,0,0,0,8.00K,8000,0.00K,0,41.79,-75.64,41.79,-75.64,"A weak surface front moved across the state of Pennsylvania on Saturday and generated showers and thunderstorms. As these storms moved east, they interacted with an unstable environment. Some of these storms became severe and caused damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in Harford and Ararat, PA." +118572,712298,NEW YORK,2017,August,Thunderstorm Wind,"TIOGA",2017-08-21 16:10:00,EST-5,2017-08-21 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,42.22,-76.43,42.22,-76.43,"An upper level disturbance moved across the state of New York Monday afternoon within an unstable environment and generated scattered showers and thunderstorms across the area. Some of these thunderstorms became severe and caused damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a few trees between Spencer and Candor." +118573,712299,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LACKAWANNA",2017-08-22 18:54:00,EST-5,2017-08-22 19:04:00,0,0,0,0,5.00K,5000,0.00K,0,41.42,-75.61,41.42,-75.61,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on a house. This report was found from a newspaper." +118573,712300,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LUZERNE",2017-08-22 19:01:00,EST-5,2017-08-22 19:11:00,0,0,0,0,1.00K,1000,0.00K,0,41.23,-75.9,41.23,-75.9,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree in Hanover township." +118993,714748,ILLINOIS,2017,August,Thunderstorm Wind,"HANCOCK",2017-08-10 17:02:00,CST-6,2017-08-10 17:02:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-91.38,40.55,-91.38,"A storm system pushed a cold front across northwest Illinois during the evening hours of August 10th. Thunderstorms developed ahead of this cold front and produced hail up to the size of quarters and thunderstorms wind gusts estimated up to 65 MPH. Heavy rainfall ranging from 3.45 inches to 4.33 inches were reported in parts of Hancock and McDonough Counties.","The sheriffs office relayed reports of branches down on power lines in Nauvoo. The time of the event was estimated using radar." +119645,721015,OKLAHOMA,2017,August,Tornado,"TULSA",2017-08-06 00:19:00,CST-6,2017-08-06 00:25:00,30,0,0,0,50.00M,50000000,0.00K,0,36.1097,-95.9367,36.0907,-95.8167,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This tornado developed over a neighborhood east of S Harvard Avenue and south of E 36th Street S, where large tree limbs were snapped and homes were damaged. The tornado moved east-southeast crossing S Yale Avenue where numerous trees and power poles were snapped. Numerous businesses were damaged or destroyed between S Yale Avenue and S Sheridan Road along and within a few blocks of E 41st Street S. Some of the worst damage in the path was in this area. Some of the businesses in the area had the roofs blown off the structure and some had exterior walls blown down. Several vehicles were rolled in this area, and reportedly 30 people were injured there. Numerous other businesses sustained mainly roof, wall, and window damage between S Sheridan Road and Highway 169. Many power poles and trees were also blown down in this area. The tornado turned more easterly near Highway 169 and moved roughly along E 51st Street S, dissipating just before reaching N Aspen Avenue (S 145th East Avenue). Based on this damage, maximum estimated wind in the tornado was 120 to 130 mph." +118430,720251,KANSAS,2017,August,Thunderstorm Wind,"PHILLIPS",2017-08-16 02:10:00,CST-6,2017-08-16 02:10:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-99.32,39.73,-99.32,"During the early morning hours on this Wednesday, a strong to marginally-severe squall line tracked across this six-county North Central Kansas area, first entering Phillips and Rooks counties between 2:30-3:30 a.m. CDT and eventually exiting Jewell and Mitchell counties between 5-6 a.m. CDT. Although there were no known, ground-truth reports of wind damage, several automated airport and mesonet sensors recorded wind gusts in the 50-65 MPH range, and even a 67 MPH gust at the Phillipsburg airport. Other severe-criteria gusts included measured 62 MPH in rural northeastern Smith County and estimated 60 MPH east of Phillipsburg. Rainfall-wise, most of the area received a much-needed 0.50-1.50 during the night. ||This organized linear convective system evolved/intensified from weaker convection that flared up hours earlier in the KS/CO/NE border area. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Aiding convection intensifcation/longevity was the presence of a 30-35 knot, southerly low-level jet evident at 850 millibars. Around the time the squall line entered North Central Kansas, mesoscale analysis indicated most-unstable CAPE around 1000 J/kg and effective deep-layer wind shear around 30 knots.","" +118430,720252,KANSAS,2017,August,Thunderstorm Wind,"PHILLIPS",2017-08-16 02:19:00,CST-6,2017-08-16 02:19:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-99.32,39.73,-99.32,"During the early morning hours on this Wednesday, a strong to marginally-severe squall line tracked across this six-county North Central Kansas area, first entering Phillips and Rooks counties between 2:30-3:30 a.m. CDT and eventually exiting Jewell and Mitchell counties between 5-6 a.m. CDT. Although there were no known, ground-truth reports of wind damage, several automated airport and mesonet sensors recorded wind gusts in the 50-65 MPH range, and even a 67 MPH gust at the Phillipsburg airport. Other severe-criteria gusts included measured 62 MPH in rural northeastern Smith County and estimated 60 MPH east of Phillipsburg. Rainfall-wise, most of the area received a much-needed 0.50-1.50 during the night. ||This organized linear convective system evolved/intensified from weaker convection that flared up hours earlier in the KS/CO/NE border area. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Aiding convection intensifcation/longevity was the presence of a 30-35 knot, southerly low-level jet evident at 850 millibars. Around the time the squall line entered North Central Kansas, mesoscale analysis indicated most-unstable CAPE around 1000 J/kg and effective deep-layer wind shear around 30 knots.","" +121721,728683,VIRGINIA,2017,December,Winter Weather,"NELSON",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.0 inches near Nellysford." +121721,728684,VIRGINIA,2017,December,Winter Weather,"ALBEMARLE",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.0 in Crozet." +121721,728685,VIRGINIA,2017,December,Winter Weather,"ORANGE",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.2 inches in Thornhill and 2.0 near Flat Run." +121721,728686,VIRGINIA,2017,December,Winter Weather,"MADISON",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall was estimated to be around 2 inches across the county based on observations nearby." +121721,728687,VIRGINIA,2017,December,Winter Weather,"GREENE",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall was estimated to be around 2 inches across the county based on observations nearby." +121721,728689,VIRGINIA,2017,December,Winter Weather,"RAPPAHANNOCK",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.0 inches near Sperryville." +121721,728690,VIRGINIA,2017,December,Winter Weather,"NORTHERN FAUQUIER",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall was estimated to be around 2 inches based on observations nearby." +121721,728691,VIRGINIA,2017,December,Winter Weather,"WESTERN LOUDOUN",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to up to 2.2 inches in Purcellville and 1.8 inches near Hillsboro." +121721,728692,VIRGINIA,2017,December,Winter Weather,"PRINCE WILLIAM",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.8 inches near Aden, 2.1 inches near Independent Hill and 5.0 inches near Woosley." +119035,722099,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:49:00,CST-6,2017-09-19 23:49:00,0,0,0,0,0.00K,0,0.00K,0,45.542,-95.0576,45.542,-95.0576,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About 20 trees were broken about 2/3 mile to the southeast of a tornado that was west of Elrosa. The tree damage was deemed to be due to rear flank downdraft winds." +119035,721466,MINNESOTA,2017,September,Thunderstorm Wind,"MORRISON",2017-09-20 00:09:00,CST-6,2017-09-20 00:12:00,0,0,0,0,0.00K,0,0.00K,0,45.9135,-94.6432,45.962,-94.6225,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Several dozen trees and a few corn fields were damaged in far western Morrison County, probably due to downburst or rear flank downdraft winds associated with the end of the Pillsbury tornado." +119035,716501,MINNESOTA,2017,September,Tornado,"STEARNS",2017-09-19 23:48:00,CST-6,2017-09-19 23:49:00,0,0,0,0,0.00K,0,0.00K,0,45.4528,-95.009,45.4594,-94.9871,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado knocked down several dozen trees, with some landing on cars and sheds. One tree landed on a mobile home. The tornado also destroyed a storage building (the building had been moved from another location and was still in the process of being made ready for business when the tornado came and blew it across the road)." +121135,725203,LOUISIANA,2017,December,Thunderstorm Wind,"JACKSON",2017-12-20 01:00:00,CST-6,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3112,-92.741,32.3112,-92.741,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms during the evening and overnight hours. These storms became severe as they moved across portions of Lower East Texas during the evening and into Northcentral Louisiana during the early morning hours on December 20th. Damaging winds destroyed a mobile home in Campti in Natchitoches Parish, with an isolated tornado touching down just southeast of Quitman in Jackson Parish.","A pine tree was snapped, with damage to a home on Bear Creek Road." +121365,726505,TEXAS,2017,December,Drought,"SMITH",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +121365,726506,TEXAS,2017,December,Drought,"GREGG",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +120217,720296,NEW YORK,2017,August,Lightning,"ORANGE",2017-08-02 15:01:00,EST-5,2017-08-02 15:01:00,0,0,0,0,5.00K,5000,,NaN,41.3173,-74.1775,41.3173,-74.1775,"A passing upper level disturbance triggered multiple severe storms, impacting Orange and Westchester counties.","A house was struck by lightning on Lois Lane about 1 mile southeast of Monroe." +120222,720310,SOUTH CAROLINA,2017,August,Flash Flood,"SPARTANBURG",2017-08-11 12:00:00,EST-5,2017-08-11 14:00:00,0,0,0,0,0.50K,500,0.00K,0,35.106,-82.201,35.092,-82.192,"Scattered to numerous slow-moving clusters of showers and thunderstorms developed across Upstate South Carolina throughout the morning and afternoon of the 11th. One area of nearly stationary showers and storms that developed over northern Greenville and Spartanburg Counties produced as much as 4.5 inches of rain across the area from late morning into the afternoon. This resulted in some localized flash flooding.","NWS employee reported flash flooding developed in the Campobello area after 3 to over 4 inches of rain fell in just a few hours. Motlow Creek overflowed its banks and flooded a portion of Macedonia Church Rd." +119871,721038,OKLAHOMA,2017,August,Lightning,"TULSA",2017-08-16 21:45:00,CST-6,2017-08-16 21:45:00,0,0,0,0,80.00K,80000,0.00K,0,36.27,-95.85,36.27,-95.85,"Thunderstorms developed along an outflow boundary, and moved through portions of northeastern Oklahoma during the evening of the 16th. One storm produced damaging winds in Rogers County.","Lightning struck a home and resulted in a fire that severely damaged it." +118772,720097,FLORIDA,2017,September,Flood,"INDIAN RIVER",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,27.8164,-80.4706,27.6824,-80.8484,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 15 inches, resulting in areas of urban and poor drainage flooding, especially across the southern portion of the county. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. See the separate entry for the more significant (flash) flooding which affected the Fellsmere area." +118772,720092,FLORIDA,2017,September,Flood,"BREVARD",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,28.7669,-80.8781,28.3674,-80.8511,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 15 inches, resulting in areas of urban and poor drainage flooding. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed. See the separate entry for the more serious (flash) flooding which impacted portions of Port St. John, north Merritt Island and Rockledge." +118772,719554,FLORIDA,2017,September,Flash Flood,"BREVARD",2017-09-10 21:30:00,EST-5,2017-09-10 22:45:00,0,0,0,0,100.00K,100000,0.00K,0,28.4809,-80.8222,28.3108,-80.7624,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Flash flooding affected many locations within central and north Brevard County due to 8-12 inches of rain with isolated totals up to 15 inches which occurred in 12-18 hours. Heavy rain which fell during the morning and afternoon set the stage for flash flooding during the evening when several additional inches of rain occurred. US Highway 1 at Fay Boulevard in Port St. John became impassable, as did portions of North Courtney Parkway near the 3100 block, and at/on Hall Road, West Cristafulli Road, Horseshoe Bend and Lucas Road in north Merritt Island. South Courtney Parkway at Cone Road also became impassible and water was reported up to mailboxes in Rockledge. Many areas experienced standing water at/above 3 feet above ground level and water approached or entered several homes." +118772,720090,FLORIDA,2017,September,Flood,"VOLUSIA",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,29.3169,-81.4926,28.9005,-81.2637,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 12 inches, resulting in areas of urban and poor drainage flooding. Many roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed, especially across the inland portions of the county." +119707,720123,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-09-10 12:00:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the coastal waters with frequent gusts to hurricane force, especially within squalls. Seas reached 20 to 25 feet according to the Scripps buoy offshore Ft. Pierce." +120342,721055,ARIZONA,2017,September,Flash Flood,"APACHE",2017-09-14 13:15:00,MST-7,2017-09-14 15:15:00,0,0,0,0,0.00K,0,0.00K,0,35.61,-109.74,35.5323,-109.8015,"A low pressure system moving through the region brought cooler, windy, and showers day to northern Arizona. A few thunderstorms became strong to severe.","Thunderstorms with heavy rain washed mud and rocks over Navajo Route 15 between Greasewood and Ganado." +120342,721056,ARIZONA,2017,September,Thunderstorm Wind,"COCONINO",2017-09-14 12:38:00,MST-7,2017-09-14 12:55:00,0,0,0,0,20.00K,20000,0.00K,0,36.91,-111.45,36.93,-111.45,"A low pressure system moving through the region brought cooler, windy, and showers day to northern Arizona. A few thunderstorms became strong to severe.","A thunderstorm produce damaging winds in the Page area. The hanger at the Page Airport was damaged. The Jet Center windows were blown out by the winds. A few trees were uprooted. The Page ASOS recorded a peak wind gust of 56 MPH at 1238 PM MST. ||Multiple homes in the Champan Village area were damaged by flying debris and falling trees. Two power poles were destroyed when wind blown trees fell on them. This caused power outages in the area." +120342,721057,ARIZONA,2017,September,Flash Flood,"COCONINO",2017-09-15 00:00:00,MST-7,2017-09-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-111.59,36.8537,-111.6053,"A low pressure system moving through the region brought cooler, windy, and showers day to northern Arizona. A few thunderstorms became strong to severe.","Heavy rain from thunderstorms caused flash flooding in the Paria River. The USGS gauge on the Paria River near Lees Ferry rose over four feet to over 1500 CFS." +119548,717668,OREGON,2017,September,Frost/Freeze,"CENTRAL & EASTERN LAKE COUNTY",2017-09-16 01:00:00,PST-8,2017-09-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second significant front of the fall season brought a cooler air mass to the area. This, combined with clearing skies, brought sub-freezing temperatures to some parts of south central Oregon.","Reported low temperatures in this zone ranged from 31 to 41 degrees." +120345,721059,OKLAHOMA,2017,September,Thunderstorm Wind,"OKMULGEE",2017-09-17 14:20:00,CST-6,2017-09-17 14:20:00,0,0,0,0,15.00K,15000,0.00K,0,35.4211,-95.98,35.4211,-95.98,"Thunderstorms developed into eastern Oklahoma during the afternoon hours of the 17th as a cold front moved into the area. The strongest storms produced damaging wind gusts.","Strong thunderstorm wind blew out five industrial sized garage doors of a county storage barn, snapped numerous tree limbs, and damaged another barn." +120372,721125,MINNESOTA,2017,September,Hail,"ST. LOUIS",2017-09-02 13:23:00,CST-6,2017-09-02 13:23:00,0,0,0,0,,NaN,,NaN,47.42,-93.01,47.42,-93.01,"Strong thunderstorms moved across portions of Cook and St. Louis Counties producing penny sized hail.","" +120372,721126,MINNESOTA,2017,September,Hail,"COOK",2017-09-02 16:47:00,CST-6,2017-09-02 16:47:00,0,0,0,0,,NaN,,NaN,47.67,-90.67,47.67,-90.67,"Strong thunderstorms moved across portions of Cook and St. Louis Counties producing penny sized hail.","" +120374,721127,WISCONSIN,2017,September,Hail,"BURNETT",2017-09-02 12:58:00,CST-6,2017-09-02 12:58:00,0,0,0,0,0.00K,0,0.00K,0,45.94,-92.43,45.94,-92.43,"Strong thunderstorms moved across Washburn and Burnett Counties dropping hail as large as nickels.","" +121505,727314,NORTH CAROLINA,2017,December,Winter Storm,"SWAIN",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +117453,708348,IOWA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-28 15:35:00,CST-6,2017-06-28 15:35:00,0,0,0,0,5.00K,5000,0.00K,0,41.084,-94.6616,41.084,-94.6616,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported large limbs snapped off a tree." +112346,669805,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-01-07 13:53:00,EST-5,2017-01-07 13:53:00,0,0,0,0,0.00K,0,0.00K,0,25.43,-80.32,25.43,-80.32,"A line of thunderstorms ahead of a cold front produced gusty winds in the Atlantic waters.","A marine thunderstorm wind gust of 41 MPH / 36 knots was reported by the WxFlow mesonet station XTKY at an elevation of 62 feet." +119924,721982,MASSACHUSETTS,2017,September,Tropical Storm,"WESTERN MIDDLESEX",2017-09-20 15:22:00,EST-5,2017-09-21 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 322 PM EST, a tree was down at the intersection of Lake Street and Morse Road in Sherborn. At 925 AM EST on Sept 21 a tree was down near the West Billerica Fire Station in Billerica. At 925 AM EST on Sept 22 a large tree was down and blocking Goldsmith Street in Littleton. At 317 PM EST on Sept 21 a tree was down on Harrington Avenue in Concord." +120509,721990,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"NANTUCKET SOUND",2017-09-21 20:50:00,EST-5,2017-09-21 20:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 850 PM EST, the data buoy in Nantucket Sound recorded a sustained wind of 40 mph." +120509,721992,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"NARRAGANSETT BAY",2017-09-21 20:59:00,EST-5,2017-09-21 20:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 859 PM EST, the University of Rhode Island marine mesonet measured a sustained wind of 43 mph over Narragansett Bay near Narragansett Rhode Island." +120551,722193,KANSAS,2017,September,Hail,"MARION",2017-09-16 19:11:00,CST-6,2017-09-16 19:12:00,0,0,0,0,0.00K,0,0.00K,0,38.53,-97.28,38.53,-97.28,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","" +120551,722194,KANSAS,2017,September,Hail,"MCPHERSON",2017-09-16 19:11:00,CST-6,2017-09-16 19:12:00,0,0,0,0,0.00K,0,0.00K,0,38.27,-97.72,38.27,-97.72,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","" +120551,722195,KANSAS,2017,September,Hail,"SALINE",2017-09-18 18:40:00,CST-6,2017-09-18 18:41:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-97.62,38.82,-97.62,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","" +120551,722196,KANSAS,2017,September,Heavy Rain,"ALLEN",2017-09-17 07:00:00,CST-6,2017-09-17 07:01:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-95.17,37.92,-95.17,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Rain fall amount over the previous 24 hours." +120551,722197,KANSAS,2017,September,Heavy Rain,"MONTGOMERY",2017-09-18 06:00:00,CST-6,2017-09-18 06:01:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-95.57,37.1,-95.57,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Rain fall amount for the previous 24 hours." +120551,722198,KANSAS,2017,September,Thunderstorm Wind,"WILSON",2017-09-16 14:33:00,CST-6,2017-09-16 14:34:00,0,0,0,0,0.00K,0,0.00K,0,37.53,-95.82,37.53,-95.82,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Several trees were blown down in town." +120551,722199,KANSAS,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-16 15:00:00,CST-6,2017-09-16 15:05:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-96.18,37.13,-96.18,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Widespread tree limbs some up to 8 inches in diameter were blown down across town. |Once utility pole was leaning over and several chain link fences were damaged by the falling tree limbs. Some windows were blown out of the businesses downtown." +120551,722200,KANSAS,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-16 15:10:00,CST-6,2017-09-16 15:12:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-96.09,37.2,-96.09,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Three 18 to 24 inch trees were blown down." +120551,722201,KANSAS,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-16 15:12:00,CST-6,2017-09-16 15:14:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-96.18,37.02,-96.18,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","An 8 inch diameter tree limb was blown down." +120551,722202,KANSAS,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-16 15:12:00,CST-6,2017-09-16 15:14:00,0,0,0,0,0.00K,0,0.00K,0,37.02,-96.18,37.02,-96.18,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","An 8 inch diameter tree limb was blown down." +120660,722764,CALIFORNIA,2017,September,Wildfire,"MONO",2017-09-01 00:00:00,PST-8,2017-09-11 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Thunderstorms with limited rainfall produced many lightning strikes leading to several new wildfire starts in northwest Nevada and far eastern California on the 29th of August. The Slinkard Fire which started in late August was not 100% contained until early September.","The Slinkard Fire burned 8,925 acres west of Topaz, California, between August 29th and September 11th. No exact end time was found for this incident. The fire was suspected to be lightning-caused by a high-based thunderstorm. Extreme fire growth in cheat grass, sagebrush, and pinyon/juniper lead to evacuations in Topaz north of California 89 to the Nevada state line. U.S. 395 was closed from south of Gardnerville, Nevada, to California 108 in Bridgeport, California, from August 31st to September 2nd. California 89 was also closed from U.S. 395 to State Road 4 at Monitor Pass. Nevada 208 was also closed for a short period of time. The cost to fight the fire was at least $5.7M." +120472,721771,WISCONSIN,2017,September,Hail,"PORTAGE",2017-09-20 16:47:00,CST-6,2017-09-20 16:47:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-89.45,44.31,-89.45,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Golf ball size hail fell east of Bancroft." +120472,721772,WISCONSIN,2017,September,Hail,"PORTAGE",2017-09-20 16:51:00,CST-6,2017-09-20 16:51:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-89.46,44.3,-89.46,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Golf ball size hail fell northwest of Almond." +120472,721773,WISCONSIN,2017,September,Hail,"PORTAGE",2017-09-20 16:56:00,CST-6,2017-09-20 16:56:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-89.4,44.26,-89.4,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Two inch diameter hail fell in Almond." +120472,721774,WISCONSIN,2017,September,Hail,"PORTAGE",2017-09-20 16:59:00,CST-6,2017-09-20 16:59:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-89.3,44.46,-89.3,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Quarter size hail fell in Amherst Junction." +120533,722084,NORTH CAROLINA,2017,September,High Wind,"RUTHERFORD MOUNTAINS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over the mountains of southwest North Carolina. Although gusts only occasionally exceeded 50 mph in most locations, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more. While the most significant damage was confined to these areas, there were also reports of significant tree damage across much of the remainder of the North Carolina mountains above 4000 feet or so, where winds likely gusted in excess of 60 mph fairly frequently.","" +120534,722062,GEORGIA,2017,September,High Wind,"ELBERT",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120534,722063,GEORGIA,2017,September,High Wind,"FRANKLIN",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120534,722064,GEORGIA,2017,September,High Wind,"HABERSHAM",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120534,722065,GEORGIA,2017,September,High Wind,"HART",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120534,722066,GEORGIA,2017,September,High Wind,"RABUN",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +119265,723152,SOUTH CAROLINA,2017,September,High Wind,"RICHLAND",2017-09-11 14:45:00,EST-5,2017-09-11 14:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Bluff Rd blocked by downed trees and power lines between Lower Richland Blvd and Coley Rd." +119265,723153,SOUTH CAROLINA,2017,September,High Wind,"RICHLAND",2017-09-11 15:35:00,EST-5,2017-09-11 15:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Columbia SC Police Dept reported, via social media, that a large tree fell on a vehicle at the 1500 block of Maple St. Power lines were also damaged. Subsequent reports indicated that a second tree may have also fallen onto another vehicle near that location." +120588,722405,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:43:00,CST-6,2017-09-20 00:43:00,0,0,0,0,,NaN,,NaN,46.68,-94.29,46.68,-94.29,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","" +120588,722406,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:45:00,CST-6,2017-09-20 00:45:00,0,0,0,0,,NaN,,NaN,46.68,-94.09,46.68,-94.09,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down along with nearby power lines." +120588,722407,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-20 00:48:00,CST-6,2017-09-20 00:48:00,0,0,0,0,,NaN,,NaN,46.75,-94.1,46.75,-94.1,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down along with nearby powers lines." +120588,722408,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-20 00:52:00,CST-6,2017-09-20 00:52:00,0,0,0,0,,NaN,,NaN,46.96,-94.08,46.96,-94.08,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down on County Road 7 in Trelipe Township." +120680,722821,CALIFORNIA,2017,September,Thunderstorm Wind,"RIVERSIDE",2017-09-08 17:15:00,PST-8,2017-09-08 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.63,-116.17,33.63,-116.17,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","The ASOS at Jacqueline Cochran Regional Airport in Palm Springs reported a 62 mph wind gust between 1740 and 1746 PST. Multiple large trees and a fence were also toppled near the airport. Radar indicated the potential for additional severe gusts between 1730 and 1800 PST." +120680,722822,CALIFORNIA,2017,September,Flash Flood,"SAN DIEGO",2017-09-09 15:00:00,PST-8,2017-09-09 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3674,-116.4272,33.3717,-116.4224,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A mix of water and debris flowing through the normally dry Coyote Wash was reported around 1500 PST, by 1515 PST several inches of water and debris were flowing near Canyon Entrance dirt road and the Citrus Groves." +120680,722824,CALIFORNIA,2017,September,Lightning,"SAN DIEGO",2017-09-09 06:00:00,PST-8,2017-09-09 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.8075,-116.4975,33.8075,-116.4975,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A lightning strike knocked out power to 1000 customers in Palm Springs." +118626,712619,NEBRASKA,2017,August,Hail,"BANNER",2017-08-15 16:42:00,MST-7,2017-08-15 16:47:00,0,0,0,0,0.00K,0,0.00K,0,41.4988,-103.6717,41.4988,-103.6717,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Nickel to quarter size hail accumulated four inches deep on Highway 71." +118626,712620,NEBRASKA,2017,August,Heavy Rain,"BANNER",2017-08-15 15:15:00,MST-7,2017-08-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6012,-103.8084,41.6012,-103.8084,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Nearly one and two-third inches of rain fell in 45 minutes northwest of Harrisburg." +118626,712642,NEBRASKA,2017,August,Hail,"KIMBALL",2017-08-15 16:55:00,MST-7,2017-08-15 16:58:00,0,0,0,0,0.00K,0,0.00K,0,41.3313,-103.49,41.3313,-103.49,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Ping pong ball size hail was observed north of Dix." +118626,712645,NEBRASKA,2017,August,Hail,"CHEYENNE",2017-08-15 17:25:00,MST-7,2017-08-15 17:28:00,0,0,0,0,0.00K,0,0.00K,0,41.3223,-103.1838,41.3223,-103.1838,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Quarter size hail was observed northeast of Potter." +117282,705454,WEST VIRGINIA,2017,August,Thunderstorm Wind,"HARRISON",2017-08-04 16:45:00,EST-5,2017-08-04 16:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.39,-80.3,39.39,-80.3,"In the unstable air ahead of a strong cold front, showers and thunderstorms formed across the middle Ohio River Valley on the afternoon of the 4th. Most of the storms were just general summer time thunderstorms, however one did pulse up and produce some minor wind damage.","Several diseased trees were blown down. One healthy pine tree was also taken down." +117283,705455,WEST VIRGINIA,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-03 15:48:00,EST-5,2017-08-03 15:48:00,0,0,0,0,2.00K,2000,0.00K,0,38.18,-82.06,38.18,-82.06,"Strong diurnal heating in a high moisture atmosphere lead to showers and thunderstorms across the Central Appalachians on the 3rd. Most of the storms stayed below severe limits, however one did pulse up, producing some wind damage.","Multiple trees were blown down near the intersection of Mud River Road and Parsner Creek Road." +117807,708194,OHIO,2017,August,Hail,"WASHINGTON",2017-08-19 16:50:00,EST-5,2017-08-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,39.6375,-81.468,39.6375,-81.468,"A surface cold front and upper level trough of low pressure moved into the mid and upper Ohio River Valley during the afternoon of the 19th. A couple of the storms became strong to severe, producing damaging wind gusts and hail.","" +117807,708195,OHIO,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-19 16:58:00,EST-5,2017-08-19 16:58:00,0,0,0,0,2.00K,2000,0.00K,0,39.59,-81.41,39.59,-81.41,"A surface cold front and upper level trough of low pressure moved into the mid and upper Ohio River Valley during the afternoon of the 19th. A couple of the storms became strong to severe, producing damaging wind gusts and hail.","Multiple trees were blown down on Baker Ridge Road." +117807,708196,OHIO,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-19 18:10:00,EST-5,2017-08-19 18:10:00,0,0,0,0,0.50K,500,0.00K,0,39.43,-81.2,39.43,-81.2,"A surface cold front and upper level trough of low pressure moved into the mid and upper Ohio River Valley during the afternoon of the 19th. A couple of the storms became strong to severe, producing damaging wind gusts and hail.","A single tree was blown down on Davis Run Road." +118215,712286,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 20:15:00,MST-7,2017-08-03 23:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4224,-112.8996,33.4424,-112.9999,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered to numerous showers and thunderstorms affected much of the south-central deserts and the greater Phoenix area during the afternoon and evening hours on August 3rd. Some of the storms over the far western portions of Phoenix area produced locally heavy rains that led to episodes of flash flooding. Heavy rains led to flash flooding within desert washes such as the Delaney Wash. At 2025MST streamflow data indicated that the Delaney Wash was peaking and an Areal Flood Warning was issued for areas around the town of Tonopah. According to a report from the public, at 2023MST flow was observed across 411 Avenue. By roughly 2100MST, 411 Avenue was flooded near the Salome Highway as reported by Maricopa County Department of Transportation. Partly due to continued flow through Delaney Wash, the flood warning was allowed to continue through 2330MST." +118678,712984,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-04 09:53:00,MST-7,2017-08-04 09:53:00,0,0,0,0,8.00K,8000,0.00K,0,33.78,-112.11,33.78,-112.11,"Isolated to scattered thunderstorms developed across portions of south-central Arizona on August 4th, and they brought typical monsoon weather hazards to the area such as damaging outflow winds and dense blowing dust. For the most part, the day was not especially active convectively speaking, but gusty winds did blow down several trees near Deer Valley during the mid morning, and during the evening hours, strong winds in the Ak-Chin area caused localized dust storm conditions and also damaged a trailer, knocking it off of its foundation.","Thunderstorms developed during the morning hours across the northern portion of the greater Phoenix metropolitan area and some of the storms generated gusty and damaging outflow winds. According to the Phoenix storm drain department, at 0953MST gusty winds downed several trees on Dove Valley Road. The downed trees were located about 7 miles north of the Deer Valley Airport. Wind gusts were estimated to be around 60 mph." +120589,722665,GEORGIA,2017,September,Storm Surge/Tide,"COASTAL CHATHAM",2017-09-11 09:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","Storm surge associated with Tropical Storm Irma had widespread significant impacts in Chatham County. According to Chatham County Emergency Management, 7 homes were destroyed, 369 sustained major damage, and 445 sustained minor damage. The Savannah River did breach onto River Street, but water remained out of businesses. Storm surge damage was most extensive on Tybee Island, specifically on Lewis Avenue and the southwestern portion of the island. Homes on Pelican Drive were also damaged by surge. Some storm surge related damage occurred to homes on Dutch Island and Burnside Island. Highway 80 between Savannah and Tybee Island was closed due to saltwater covering and inundating the roadway. Several rescues were performed as surge trapped people in their homes. USGS high water mark analysis revealed storm surge related inundation ranging from 1.19-5.25 feet above ground level across coastal portions of the county. The peak inundation value of 5.25 feet above ground level was taken from a high water mark at Oakridge Golf Course on Skidaway Island. Another notable high water mark of 3.28 feet above ground level was analyzed on 6th Street near Lewis Avenue on Tybee Island. A National Weather Service storm survey team found significant erosion on Tybee Island with most if not all of the dune line eroded away by storm surge and wave action. Furthermore, in some areas on the Tybee Island beach, approximately 6-10 feet of dune escarpment was found washed away. The National Ocean Service tide gauge at Fort Pulaski measured a peak tide level of 12.24 feet Mean Lower Low Water (MLLW) or 4.73 feet Mean Higher High Water (MHHW). This tide value ranks as the 2nd highest on record for the Fort Pulaski gauge and the peak surge value measured during the event was 5.63 feet. Extensive flooding took place at the Fort Pulaski National Monument area including the visitors center. A picture taken by National Park staff showed a water line indicative of 17 inches of water inside one of the park structures." +120589,722666,GEORGIA,2017,September,Storm Surge/Tide,"INLAND CHATHAM",2017-09-11 09:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.||According to data received from the Georgia Emergency Management Agency, total damages from Irma in southeast Georgia were $29,150,000. This includes $20,000,000 in Chatham County, $2,900,000 in Liberty County, $2,900,000 in McIntosh County, $900,000 in Bryan County, $900,000 in Bulloch County, $300,000 in Effingham County, $250,000 in Candler County, $200,000 in Evans County, $200,000 in Jenkins County, $200,000 in Long County, $200,000 in Screven County, and $200,000 in Tattnall County. However, it should be noted that no explicit reports of damage from Irma were received from Effingham, Evans, or Screven counties. As such, no events were recorded in Storm Data for these counties. For all other counties, the total dollar damage amounts were divided equally across all Tropical Depression, Tropical Storm, and Storm Surge/Tide events.","USGS high water mark analysis showed between 1.51-6.1 feet of inundation above ground level across inland portions of Chatham County. The peak inundation value of 6.1 feet above ground level was measured at a culvert on Chatham Parkway." +120576,722319,NEW HAMPSHIRE,2017,September,Thunderstorm Wind,"CHESHIRE",2017-09-05 15:30:00,EST-5,2017-09-05 15:35:00,0,0,0,0,0.00K,0,0.00K,0,42.9,-72.52,42.9,-72.52,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees and power lines on Old Ferry Road near Cross Road in West Chesterfield." +120576,722320,NEW HAMPSHIRE,2017,September,Thunderstorm Wind,"CHESHIRE",2017-09-05 15:35:00,EST-5,2017-09-05 15:40:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-72.44,42.96,-72.44,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees in Westmoreland." +120576,722321,NEW HAMPSHIRE,2017,September,Thunderstorm Wind,"CHESHIRE",2017-09-05 15:45:00,EST-5,2017-09-05 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-72.42,42.91,-72.42,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees in Spofford near Chesterfield Gorge." +120576,722322,NEW HAMPSHIRE,2017,September,Thunderstorm Wind,"MERRIMACK",2017-09-05 17:15:00,EST-5,2017-09-05 17:20:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-71.47,43.24,-71.47,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees and power lines on Josiah Bartlett Road in Horse Corners." +120577,722323,MAINE,2017,September,Thunderstorm Wind,"OXFORD",2017-09-05 16:05:00,EST-5,2017-09-05 16:10:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-70.8,43.88,-70.8,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees and wires on Route 113 at the Baldwin/Hiram town line." +120809,723458,FLORIDA,2017,September,Storm Surge/Tide,"MONROE/MIDDLE KEYS",2017-09-10 00:00:00,EST-5,2017-09-11 00:00:00,0,0,1,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall over the Lower Florida Keys as a category 4 hurricane on the Saffir-Simpson Hurricane Wind Scale, with the eye crossing directly over Cudjoe Key. Due to the large radius of hurricane-force winds, destructive hurricane-force winds and storm surge impacts all of the Florida Keys. Extensive damage to residences, businesses, electric, water and communications utilities resulted. The eye of Hurricane Irma moved ashore in the Lower Florida Keys over Cudjoe Key at 9:10 am EDT Sunday, September 10, with a minimum central pressure of 929 mb and maximum sustained winds near 115 knots (130 mph). The highest sustained winds in the Lower Florida Keys were measured at 61 knots (70 mph) at the Key West Harbor, with a peak measured gusts at 120 mph at the Key Deer National Wildlife Refuge and a private residence on Big Pine Key. Storm survey evidence estimated the highest 3-second wind gusts on Big Pine Key and Scout Key, at 150 to 160 mph. Maximum storm surge in the Lower Florida Keys was measured at 5 to 8 feet from Sugarloaf Key through Duck Keys, with total water height reaching a maximum of 5 to 6 feet above ground level in eastern Big Pine Key, and wave wash marks up to 20 feet above mean high water along Long Beach Road on the south side of Big Pine Key. Rainfall totals of 6 to 12 inches were measured at available rain gauges, with a maximum of 12.54 inches at the Key Deer Wildlife Refuge on Big Pine Key. A total of 10 fatalities were attributed in the Florida Keys attributed to Irma, 4 directly related to hurricane impacts. More than 40 direct injuries were officially totaled across the entire Florida Keys. More than 1300 vessels were damaged or destroyed, requiring removal from the coastal waters. Additional information on number of residences and businesses damaged or destroyed is pending. Financial damage estimates are also pending as costs related to business loss and community recovery are continuing to accrue.","Storm surge estimates of 5 to 8 feet were evident from Marathon and Key Colony Beach, Grassy Key, and Duck Key. Storm surge values of 3 to 5 feet were observed from Conch Key through Long Key and Layton. Total water height ranged from around 4 to 5 feet above ground level along the western edge of Marathon and Key Colony Beach to about 2 feet above ground level in Layton. Numerous mobile homes were destroyed in Marathon as the storm tide pushed them off foundations toward U.S. Highway 1." +120690,722905,FLORIDA,2017,September,Tropical Storm,"INLAND PALM BEACH COUNTY",2017-09-10 05:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 65 mph with gusts of hurricane force as high as 90 mph across Inland Palm Beach County. These winds produced widespread tree and fence damage. Death toll, estimates of damage and customers without power is contained in the event narrative for Metro Palm Beach County." +120690,722906,FLORIDA,2017,September,Tropical Storm,"METRO PALM BEACH COUNTY",2017-09-09 17:00:00,EST-5,2017-09-11 02:00:00,0,0,0,4,300.00M,300000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph with stronger gusts across metro Palm Beach County. Highest measured wind gust in the county was 91 mph at Palm Beach International Airport at 455 PM EDT and at Lake Worth Pier at 500 PM EDT. Widespread tree and fence damage occurred county-wide, with only minor structural damage. 566,240 customers lost power, about 75% of total customers. Around 17,300 people evacuated to county shelters." +117453,709541,IOWA,2017,June,Tornado,"MADISON",2017-06-28 15:56:00,CST-6,2017-06-28 16:00:00,0,0,0,0,0.00K,0,1.00K,1000,41.3097,-94.2415,41.3307,-94.2158,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Tornado entered Madison County from Adair County. There was impressive tree damage just inside Madison County as the tornado moved northeast. Little additional damage was noted for the rest of the path." +114222,685689,MISSOURI,2017,March,Thunderstorm Wind,"HOLT",2017-03-06 18:25:00,CST-6,2017-03-06 18:28:00,0,0,0,0,,NaN,,NaN,39.98,-95.17,39.98,-95.17,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Sheriff reported downed trees between Forest City and Oregon." +118675,713091,MISSISSIPPI,2017,August,Flash Flood,"OKTIBBEHA",2017-08-08 11:18:00,CST-6,2017-08-08 12:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.4687,-88.7552,33.4679,-88.7472,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Saint Andrew's Lane at the Garden Homes of Highland Plantation had up to one foot of standing water." +118675,713104,MISSISSIPPI,2017,August,Flash Flood,"ISSAQUENA",2017-08-08 13:10:00,CST-6,2017-08-08 15:45:00,0,0,0,0,9.00K,9000,0.00K,0,32.98,-91.01,32.9574,-91.0416,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Multiple roads were flooded in the northern part of the county." +118675,713107,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-08 14:53:00,CST-6,2017-08-08 17:15:00,0,0,0,0,2.00K,2000,0.00K,0,31.3286,-89.2876,31.3293,-89.2881,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flooding occurred at the intersection of East Pine and Evans streets." +118675,713108,MISSISSIPPI,2017,August,Thunderstorm Wind,"CLARKE",2017-08-09 15:08:00,CST-6,2017-08-09 15:08:00,0,0,0,0,15.00K,15000,0.00K,0,32.1652,-88.8709,32.1652,-88.8709,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A tree was blown down onto a car on County Road 363." +118675,713111,MISSISSIPPI,2017,August,Flash Flood,"RANKIN",2017-08-09 15:58:00,CST-6,2017-08-09 18:45:00,0,0,0,0,2.00K,2000,0.00K,0,32.06,-90.19,32.056,-90.2055,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flash flooding occurred on Poplar Springs Road in southern Rankin County." +118675,713112,MISSISSIPPI,2017,August,Flash Flood,"RANKIN",2017-08-09 16:20:00,CST-6,2017-08-09 18:45:00,0,0,0,0,3.00K,3000,0.00K,0,32.209,-90.1543,32.2106,-90.1475,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flash flooding occurred on US Highway 49 southbound at Cleary Road." +118675,713113,MISSISSIPPI,2017,August,Flash Flood,"HINDS",2017-08-09 16:35:00,CST-6,2017-08-09 18:45:00,0,0,0,0,15.00K,15000,0.00K,0,32.34,-90.14,32.3587,-90.1241,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flash flooding occurred in the Eastover subdivision and multiple residential streets were flooded around Jackson." +119078,719385,KANSAS,2017,August,Hail,"BUTLER",2017-08-21 18:46:00,CST-6,2017-08-21 18:47:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-96.89,37.94,-96.89,"On the 21st, an isolated thunderstorm that occurred over Wichita that evening proved severe when it produced a 65-mph gust 2 miles west of downtown.","" +117994,716373,MONTANA,2017,August,Thunderstorm Wind,"VALLEY",2017-08-24 20:24:00,MST-7,2017-08-24 20:24:00,0,0,0,0,0.00K,0,0.00K,0,48.21,-106.62,48.21,-106.62,"Strong daytime heating ahead of an approaching cold front allowed strong to severe thunderstorms to develop. Thunderstorms near the Phillips/Valley County line produced a squall line which quickly moved east through most of Valley County.","A 63 mph wind gust was measured as the Glasgow Airport ASOS." +117994,716385,MONTANA,2017,August,Thunderstorm Wind,"VALLEY",2017-08-24 20:30:00,MST-7,2017-08-24 20:30:00,0,0,0,0,0.00K,0,0.00K,0,48.4108,-106.516,48.4108,-106.516,"Strong daytime heating ahead of an approaching cold front allowed strong to severe thunderstorms to develop. Thunderstorms near the Phillips/Valley County line produced a squall line which quickly moved east through most of Valley County.","The Saint Marie MARCO site measured a 67 mph thunderstorm wind gust. Time is estimated by radar." +119408,716644,MONTANA,2017,August,Drought,"CENTRAL AND SE PHILLIPS",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Extreme drought conditions (D4) persisted throughout the month of August. Very little rainfall fell during the month, generally less than a quarter of an inch, which is approximately an inch below normal." +119408,716648,MONTANA,2017,August,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Record drought persisted through the month across central and southern Valley county. Very little rain fell across the area, with amounts generally between a quarter and a half an inch, which was approximately one inch below normal." +119408,716649,MONTANA,2017,August,Drought,"DANIELS",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Exceptional (D4) drought persisted through the month across Daniels County. The area received generally around half an inch of rain, which was approximately one inch below normal for the month." +117887,708485,LOUISIANA,2017,August,Heat,"GRANT",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708486,LOUISIANA,2017,August,Heat,"NATCHITOCHES",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117887,708487,LOUISIANA,2017,August,Heat,"SABINE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across all of North Louisiana.","" +117888,708489,OKLAHOMA,2017,August,Heat,"MCCURTAIN",2017-08-19 10:38:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across much of Southeast Oklahoma.","" +117891,708498,TEXAS,2017,August,Heat,"CASS",2017-08-19 20:32:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s on August 20th. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +119371,717596,VIRGINIA,2017,August,Thunderstorm Wind,"SHENANDOAH",2017-08-11 15:06:00,EST-5,2017-08-11 15:06:00,0,0,0,0,,NaN,,NaN,38.84,-78.597,38.84,-78.597,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree fell onto power lines along Swover Creek Road and Corner Road." +119371,717597,VIRGINIA,2017,August,Thunderstorm Wind,"WARREN",2017-08-11 15:38:00,EST-5,2017-08-11 15:38:00,0,0,0,0,,NaN,,NaN,38.86,-78.27,38.86,-78.27,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree fell onto power lines blocking Stonewall Jackson Highway around the 5900 block. Trees were down in the 6000 block of Stonewall Jackson Highway." +119371,717599,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 16:46:00,EST-5,2017-08-11 16:46:00,0,0,0,0,,NaN,,NaN,38.8499,-77.9359,38.8499,-77.9359,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree was down near Moreland Road and Ramey Road." +119371,717600,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 16:57:00,EST-5,2017-08-11 16:57:00,0,0,0,0,,NaN,,NaN,38.793,-77.8202,38.793,-77.8202,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A downed tree was near James Madison Highway and Merry Oaks Road." +119371,717601,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 16:58:00,EST-5,2017-08-11 16:58:00,0,0,0,0,,NaN,,NaN,38.837,-77.8529,38.837,-77.8529,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Four inch diameter limbs were down on Carters Run Road." +119371,717602,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 17:01:00,EST-5,2017-08-11 17:01:00,0,0,0,0,,NaN,,NaN,38.8561,-77.8686,38.8561,-77.8686,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A downed tree was near Free State Road and Crest Hill Road." +119371,717603,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 17:02:00,EST-5,2017-08-11 17:02:00,0,0,0,0,,NaN,,NaN,38.8561,-77.8404,38.8561,-77.8404,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A downed tree was near Winchester Road near Carters Run Road." +119371,717604,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-11 17:12:00,EST-5,2017-08-11 17:12:00,0,0,0,0,,NaN,,NaN,38.8237,-77.7106,38.8237,-77.7106,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree was down on a car along Interstate 66 near mile marker 36.1." +119371,717605,VIRGINIA,2017,August,Thunderstorm Wind,"PRINCE WILLIAM",2017-08-11 17:12:00,EST-5,2017-08-11 17:12:00,0,0,0,0,,NaN,,NaN,38.8234,-77.7042,38.8234,-77.7042,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Multiple trees were down along John Marshall Highway." +120347,721398,GEORGIA,2017,September,Tropical Storm,"STEWART",2017-09-11 09:00:00,EST-5,2017-09-11 16:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown across the county. Many customers were without electricity for varying periods of time. Radar estimated between 2 and 4 inches of rain fell across the county with 2.35 inches measured in Union. No injuries were reported." +119611,717572,ARKANSAS,2017,August,Thunderstorm Wind,"BOONE",2017-08-18 18:03:00,CST-6,2017-08-18 18:03:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-93.23,36.13,-93.23,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Reports were received of a barn and power poles being blown down." +119889,718644,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-21 21:18:00,CST-6,2017-08-21 23:18:00,0,0,0,0,0.00K,0,0.00K,0,39.0528,-94.5899,39.054,-94.5911,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","There was 3 feet of water over the road at Mill St and Westport Road." +119889,718645,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-21 21:23:00,CST-6,2017-08-21 23:23:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-94.6,39.1868,-94.5918,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue was performed at an unknown intersection in Riverside." +119889,718646,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-21 21:34:00,CST-6,2017-08-21 23:34:00,0,0,0,0,0.00K,0,0.00K,0,39.0705,-94.6059,39.1056,-94.6043,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Two to three feet of water covered I-35 southbound near downtown." +119889,718647,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-21 23:40:00,CST-6,2017-08-22 01:40:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-94.57,39.1008,-94.5764,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","The ramp from US HWY 71 onto I-670 was flooded with several vehicles stranded." +117490,709301,NEW JERSEY,2017,August,Flood,"ATLANTIC",2017-08-07 14:00:00,EST-5,2017-08-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5256,-74.9444,39.5205,-74.9341,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Route 40 in Buena closed due to flooding." +117490,709302,NEW JERSEY,2017,August,Flood,"ATLANTIC",2017-08-07 14:38:00,EST-5,2017-08-07 15:38:00,0,0,0,0,0.00K,0,0.00K,0,39.53,-74.94,39.5361,-74.9426,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Flooding at 40 and 609 intersection." +117490,709303,NEW JERSEY,2017,August,Flood,"CAPE MAY",2017-08-07 14:42:00,EST-5,2017-08-07 15:42:00,0,0,0,0,0.00K,0,0.00K,0,38.9938,-74.819,38.9951,-74.8134,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Flooding at 47 and 614." +117490,709304,NEW JERSEY,2017,August,Flood,"CAPE MAY",2017-08-07 15:00:00,EST-5,2017-08-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-74.6,39.2652,-74.5946,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Street flooding on Haven ave." +117490,709305,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 11:00:00,EST-5,2017-08-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-75.18,39.3,-75.18,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just over 2 inches of rain fell." +117490,709306,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 11:55:00,EST-5,2017-08-07 11:55:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.28,39.39,-75.28,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just over 2 inches of rain fell." +117490,709308,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:25:00,EST-5,2017-08-07 13:25:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-75.17,39.24,-75.17,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Around three inches of rain fell." +117490,709309,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:33:00,EST-5,2017-08-07 13:33:00,0,0,0,0,0.00K,0,0.00K,0,39.38,-75.03,39.38,-75.03,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Two and a half inches of rain fell." +117490,709310,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:35:00,EST-5,2017-08-07 13:35:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.28,39.39,-75.28,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Almost four inches of rain fell." +117490,709311,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:35:00,EST-5,2017-08-07 13:35:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-75.11,39.42,-75.11,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Almost four inches of rain fell." +122206,731545,TEXAS,2017,December,Drought,"DALLAS",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Dallas County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731546,TEXAS,2017,December,Drought,"TARRANT",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Tarrant County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731547,TEXAS,2017,December,Drought,"PARKER",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Parker County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731548,TEXAS,2017,December,Drought,"WISE",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Wise County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731549,TEXAS,2017,December,Drought,"DENTON",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Denton County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731550,TEXAS,2017,December,Drought,"COLLIN",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Collin County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731551,TEXAS,2017,December,Drought,"ROCKWALL",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Rockwall County ended after 12/19 following beneficial rainfall during the middle part of the month." +119951,718913,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-04 16:45:00,CST-6,2017-08-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.6381,-88.1401,30.6359,-88.1392,"Slow moving thunderstorms produced very heavy rain which caused flooding across southwest Alabama.","Heavy rain caused water over the roadway at US 90 and Azalea Road." +119951,718914,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-04 16:45:00,CST-6,2017-08-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.6396,-88.2233,30.6388,-88.224,"Slow moving thunderstorms produced very heavy rain which caused flooding across southwest Alabama.","Heavy rain caused water over the roadway near Schillinger and Cottage Hill Road." +119951,718915,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-04 16:45:00,CST-6,2017-08-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.6157,-88.2062,30.6151,-88.2068,"Slow moving thunderstorms produced very heavy rain which caused flooding across southwest Alabama.","Heavy rain caused water over the roadway near Sollie Road near Halls Mill Creek." +119951,719439,ALABAMA,2017,August,Flood,"CRENSHAW",2017-08-04 21:10:00,CST-6,2017-08-04 22:10:00,0,0,0,0,0.00K,0,0.00K,0,31.6332,-86.27,31.6298,-86.2677,"Slow moving thunderstorms produced very heavy rain which caused flooding across southwest Alabama.","Heavy rain caused all lanes on US Highway 331 to be closed at MM 49." +120060,719440,GULF OF MEXICO,2017,August,Waterspout,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-08-09 18:30:00,CST-6,2017-08-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,30.2585,-87.5899,30.2585,-87.5899,"A waterspout was seen south of Orange Beach.","Waterspout seen south of Orange Beach." +120061,719441,MISSISSIPPI,2017,August,Flash Flood,"PERRY",2017-08-09 18:45:00,CST-6,2017-08-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,31.2409,-88.9821,31.2434,-88.9718,"Heavy rain caused flooding in southeast Mississippi.","Heavy rain caused water to flow across Calvary Church Road." +120062,719442,ALABAMA,2017,August,Rip Current,"BALDWIN COASTAL",2017-08-11 18:30:00,CST-6,2017-08-11 18:30:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dangerous rip current conditions over the Alabama coastal waters resulted in 2 deaths.","Dangerous rip current conditions over the Alabama coastal waters resulted in 2 deaths." +120063,719444,FLORIDA,2017,August,Lightning,"SANTA ROSA",2017-08-23 14:48:00,CST-6,2017-08-23 14:48:00,2,0,0,0,0.00K,0,0.00K,0,30.67,-86.87,30.67,-86.87,"Two people were struck by lightning.","Two individuals were struck by lightning." +120064,719445,ALABAMA,2017,August,Lightning,"BALDWIN",2017-08-26 14:45:00,CST-6,2017-08-26 14:45:00,5,0,1,0,0.00K,0,0.00K,0,30.28,-87.68,30.28,-87.68,"A group of 6 men were struck by lightning on the beach in Gulf Shores. There were 5 injuries and 1 died.","A group of 6 were struck by lightning on the beach. There were 5 injuries and 1 death." +118665,712901,NEVADA,2017,August,Flash Flood,"NYE",2017-08-04 14:40:00,PST-8,2017-08-04 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.52,-116.98,38.5427,-117.0337,"Flash flooding was reported in Manhattan and Tonopah which caused damage to some roads.","Flash flooding was reported between Manhattan and Belmont. The road between Manhattan and Belmont was washed out and needed repair. Damages are estimated." +118665,712903,NEVADA,2017,August,Flash Flood,"NYE",2017-08-04 16:00:00,PST-8,2017-08-04 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.0591,-117.2459,38.0894,-117.2659,"Flash flooding was reported in Manhattan and Tonopah which caused damage to some roads.","Flash flooding occurred in the town of Tonopah damaging some road shoulders. Damages are estimated." +118667,712907,NEVADA,2017,August,Thunderstorm Wind,"LANDER",2017-08-09 14:39:00,PST-8,2017-08-09 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-117.32,39.98,-117.32,"A thunderstorm wind gust of 62 mph was reported at the Red Butte RAWS in Lander county and a thunderstorm wind gust of 61 mph was reported 8 miles north of Ryndon.","Red Butte RAWS recorded a wind gust of 62 mph." +118667,712909,NEVADA,2017,August,Thunderstorm Wind,"ELKO",2017-08-09 15:30:00,PST-8,2017-08-09 15:35:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-115.58,41.07,-115.58,"A thunderstorm wind gust of 62 mph was reported at the Red Butte RAWS in Lander county and a thunderstorm wind gust of 61 mph was reported 8 miles north of Ryndon.","A trained weather spotter estimated a thunderstorm wind gust of 61 mph." +118727,713248,LOUISIANA,2017,August,Flash Flood,"ORLEANS",2017-08-08 19:00:00,CST-6,2017-08-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,30.01,-90.08,30.0189,-90.1164,"A weak trough of low pressure combined with a very moist airmass to aid the development of nearly stationary thunderstorms, which produced one report of flash flooding in the New Orleans area.","Multiple roads were reported flooded around City Park and Lakeview toward the University of New Orleans. The report was relayed by social media." +118728,713249,GULF OF MEXICO,2017,August,Waterspout,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-08-15 11:15:00,CST-6,2017-08-15 11:15:00,0,0,0,0,0.00K,0,0.00K,0,30.0495,-90.1847,30.0495,-90.1847,"An isolated waterspout developed over Lake Pontchartrain around midday.","A waterspout was spotted over Lake Pontchartrain." +118729,713250,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"MISSISSIPPI SOUND",2017-08-18 17:00:00,CST-6,2017-08-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4095,-88.9254,30.4095,-88.9254,"A strong thunderstorm over Mississippi Sound produced strong winds on the Biloxi Back Bay.","A 49 knot wind gust was reported at Keesler AFB in a thunderstorm." +118730,713251,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-08-19 08:30:00,CST-6,2017-08-19 08:30:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-88.21,29.21,-88.21,"An upper level trough of low pressure aided in the development of strong to severe thunderstorms over the coastal waters during the morning hours. Some of the storms moved over land in the afternoon.","A 40 mph wind gust was reported by Buoy 42040 in a thunderstorm." +118730,713252,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-08-19 08:40:00,CST-6,2017-08-19 08:40:00,0,0,0,0,0.00K,0,0.00K,0,29.3,-88.84,29.3,-88.84,"An upper level trough of low pressure aided in the development of strong to severe thunderstorms over the coastal waters during the morning hours. Some of the storms moved over land in the afternoon.","Main Pass Block 140 Platform AWOS station KMIS reported a 46 mph wind gust in a thunderstorm." +120328,721014,KANSAS,2017,August,Hail,"MORTON",2017-08-27 00:11:00,CST-6,2017-08-27 00:11:00,0,0,0,0,,NaN,,NaN,37.12,-101.63,37.12,-101.63,"The atmosphere recovered in the wake of an outflow passage from the morning. A weak frontal boundary attendant to the upper level shortwave trough in the Upper Midwest moved southward across southwest and south central Kansas early in the evening. Thunderstorms triggered in the axis of increased forcing in the vicinity of the front as it |pushed slowly southward across the area. Surface dewpoints in the 60s(F) and steepening low/mid level lapse rates lead to MLCAPE values upward of 1500 to |2000 J/kg ahead of the boundary. These storms produced severe hail and wind.","Winds of 65 MPH accompanied the hail." +120330,721035,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-08-01 19:35:00,EST-5,2017-08-01 19:35:00,0,0,0,0,0.00K,0,0.00K,0,24.61,-83,24.61,-83,"Scattered thunderstorms along a small convergence boundary produced gale-force wind gusts near Dry Tortugas.","A wind gust of 46 knots was measured by the NOAA Research Vessel Nancy Foster about 5 miles west-southwest of Dry Tortugas Light. The observation was made by a NWS employee deployed onboard to provide weather decision support." +120331,721037,GULF OF MEXICO,2017,August,Waterspout,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-08-10 12:50:00,EST-5,2017-08-10 13:00:00,0,0,0,0,0.00K,0,0.00K,0,25.2,-80.39,25.2,-80.39,"An isolated waterspout was observed in Barnes Sound in the vicinity of isolated showers and thunderstorms.","A mature waterspout was observed in Barnes Sound near the Jewfish Creek Bridge." +120332,721039,FLORIDA,2017,August,Tornado,"MONROE",2017-08-11 16:03:00,EST-5,2017-08-11 16:05:00,0,0,0,0,,NaN,0.00K,0,24.5688,-81.7339,24.5677,-81.7373,"A brief tornado was observed and recorded on video under a developing towering cumulus cloud line along the extreme Lower Keys.","The examination of a video of the event and survey results revealed the first instance of damage to a hollow metal tube roof structure topped with plastic or hard vinyl |covering, affixed to wood two-by-four supports of a fishing house shed just northwest of Safe Harbor on Stock Island. The roof structure was flipped airborne and deposited about 20 to 30 feet to the west-northwest of the original location. The tornado moved just south of due west, and lifted a boat tarp including hollow tubing framework 30 to 40 feet into the air, depositing it in a stand of Australian pines over 100 feet to the northwest. A 15-by-15 foot folding tent structure topped with boat covering structure was lifted airborne for several seconds and destroyed 20 to 30 feet from its original location. Another hollow tubing boat covering frame, affixed via screws through flat plywood shims to another fish house shack, and used as a shade overhang, was removed as a single unit and deposited 20 feet to the east-northeast. This direction of damage deposition was nearly opposite the direction of travel of the tornado. Numerous healthy small limbs of one half (0.5) inch diameter of healthy Australian pine were desposited toward the west-southeast across an unpaved dockfront access road. Video examinination determined some of the limbs were severed as the various roof covering structures struck the pine trees. It was at this point that the maximum wind estimate of 60 to 65 mph 3-second gust was demonstrated.||The tornado then entered the harbor waters at an oblique angle, causing a well-defined waterspout spray ring, and indicative of 3-second winds well in excess of 50 mph. The now-waterspout crossed back over land as a tornado at the docks south of the 4th Avenue curve on Stock Island, where loose objects aboard vessels was lifted and deposited in a small turning basin. Eyewitnesses and video indicated the tornado no longer lifted debris or spray at that point, and seemingly dissipated." +120333,721040,GULF OF MEXICO,2017,August,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-08-12 13:15:00,EST-5,2017-08-12 13:22:00,0,0,0,0,0.00K,0,0.00K,0,24.68,-81.61,24.68,-81.61,"An isolated waterspout was observed over the nearshore Gulf of Mexico waters near the Saddlebunch Keys.","A waterspout was observed about 4 miles north-northwest of Bay Point. The report was relayed via social media." +120335,721042,GULF OF MEXICO,2017,August,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-19 10:53:00,EST-5,2017-08-19 11:06:00,0,0,0,0,0.00K,0,0.00K,0,24.64,-81.2,24.64,-81.2,"An isolated waterspout was observed in association with an isolated shower over Hawk Channel near Bahia Honda Key.","A thin, mature waterspout was observed off Veterans Park, offshore between Bahia Honda State Park and the Seven Mile Bridge. The waterspout was accompanied by a spray ring." +120336,721043,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-19 19:33:00,EST-5,2017-08-19 19:33:00,0,0,0,0,0.00K,0,0.00K,0,24.5571,-81.7554,24.5571,-81.7554,"Scattered thunderstorms produced isolated gale force wind gusts near Islamorada, and more widespread over and near Key West. A surface trough was moving west through the Florida Keys, focusing thunderstorms ventilated with favorable upper divergence east of a Tropical Upper Tropospheric Trough (TUTT) axis.","A wind gust of 39 knots was measured at Key West International Airport." +120141,719790,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-15 21:00:00,CST-6,2017-08-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-99.37,41.6409,-99.3784,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Custer county emergency management reports numerous flooded streets in Sargent." +120168,720011,NEBRASKA,2017,August,Hail,"BLAINE",2017-08-19 17:11:00,CST-6,2017-08-19 17:11:00,0,0,0,0,0.00K,0,0.00K,0,41.94,-99.96,41.94,-99.96,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","" +120168,720012,NEBRASKA,2017,August,Hail,"BLAINE",2017-08-19 17:35:00,CST-6,2017-08-19 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-99.88,41.91,-99.88,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","" +120168,720013,NEBRASKA,2017,August,Thunderstorm Wind,"ROCK",2017-08-19 18:25:00,CST-6,2017-08-19 18:25:00,0,0,0,0,2.00K,2000,0.00K,0,42.13,-99.53,42.13,-99.53,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","A two to three foot diameter tree uprooted at this location." +120168,720016,NEBRASKA,2017,August,Hail,"LOUP",2017-08-19 19:27:00,CST-6,2017-08-19 19:27:00,0,0,0,0,30.00K,30000,0.00K,0,41.84,-99.61,41.84,-99.61,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Numerous broken windows and holes in siding due to large hail at this location." +120168,720017,NEBRASKA,2017,August,Hail,"LOUP",2017-08-19 19:50:00,CST-6,2017-08-19 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-99.44,41.77,-99.44,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","" +120168,720018,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-19 20:00:00,CST-6,2017-08-19 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-99.47,41.71,-99.47,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","" +120168,720020,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-19 21:05:00,CST-6,2017-08-19 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-99.37,41.6403,-99.3752,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Water reported over roadways in Sargent along with ditches full of water. City pumps are running." +119789,718318,NEBRASKA,2017,August,Flash Flood,"ANTELOPE",2017-08-15 15:05:00,CST-6,2017-08-15 22:00:00,0,0,0,0,30.00K,30000,10.00K,10000,42.21,-98.03,42.1623,-98.0748,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","Flooding along Nebraska Highway 14 was reported north of Neligh." +119789,718320,NEBRASKA,2017,August,Flash Flood,"COLFAX",2017-08-16 06:19:00,CST-6,2017-08-16 12:30:00,0,0,0,0,50.00K,50000,30.00K,30000,41.4724,-97.2467,41.4086,-97.2618,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","Flash flooding occurred along Highway 30 near Richland and along Highway 15 near Schuyler." +119789,718321,NEBRASKA,2017,August,Flash Flood,"BUTLER",2017-08-16 07:45:00,CST-6,2017-08-16 12:30:00,0,0,0,0,100.00K,100000,100.00K,100000,41.36,-97.13,41.3215,-97.1204,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","Highway 15 was closed due to flooding and debris in the road. In addition numerous county roads were closed across Butler County." +119789,718322,NEBRASKA,2017,August,Flash Flood,"COLFAX",2017-08-16 07:45:00,CST-6,2017-08-16 12:30:00,0,0,0,0,50.00K,50000,50.00K,50000,41.4923,-97.2617,41.3904,-97.2534,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","Highway 15 was closed near the Platte River Bridge along with several county roads." +117250,705222,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-02 13:46:00,EST-5,2017-08-02 13:46:00,0,0,0,0,0.00K,0,0.00K,0,39.9618,-74.9444,39.9691,-74.9484,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Locust street closed between Kenilworth and the railroad due to flooding." +117250,705223,NEW JERSEY,2017,August,Flood,"MORRIS",2017-08-02 14:15:00,EST-5,2017-08-02 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.8585,-74.6899,40.8768,-74.6876,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Intersection of route 206 and Flanders Bartley road flooded." +117250,705224,NEW JERSEY,2017,August,Flood,"MIDDLESEX",2017-08-02 15:08:00,EST-5,2017-08-02 16:08:00,0,0,0,0,0.00K,0,0.00K,0,40.5052,-74.3977,40.5093,-74.3937,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Old post road at Violet place flooded due to heavy rainfall." +117250,705225,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-03 17:02:00,EST-5,2017-08-03 18:02:00,0,0,0,0,0.00K,0,0.00K,0,40.1097,-74.7712,40.1101,-74.7463,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Route 130 north near Kinkira road was impassable." +117250,705226,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-03 17:20:00,EST-5,2017-08-03 18:20:00,0,0,0,0,0.00K,0,0.00K,0,40.0882,-74.7494,40.0791,-74.7505,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Exit 52 ramp on Interstate 295 was closed." +117250,705227,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-03 17:30:00,EST-5,2017-08-03 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-74.81,40.1172,-74.773,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","All lanes closed due to flooding on US-130 north of CR656." +117250,705228,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-03 17:32:00,EST-5,2017-08-03 18:32:00,0,0,0,0,0.00K,0,0.00K,0,40.0897,-74.8293,40.0918,-74.8204,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","US-130 closed at Neck road due to flooding." +117250,705229,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-03 18:00:00,EST-5,2017-08-03 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0682,-74.8687,40.0685,-74.8703,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Flood waters into the save-a-lot and Roger Wilco stores on 130." +117250,705230,NEW JERSEY,2017,August,Hail,"MORRIS",2017-08-02 11:19:00,EST-5,2017-08-02 11:19:00,0,0,0,0,,NaN,,NaN,40.89,-74.48,40.89,-74.48,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Measured hail." +117573,707051,TEXAS,2017,August,Heat,"WOOD",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707052,TEXAS,2017,August,Heat,"UPSHUR",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707053,TEXAS,2017,August,Heat,"HARRISON",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +120347,721386,GEORGIA,2017,September,Tropical Storm,"SCHLEY",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. No injuries were reported." +118226,710469,COLORADO,2017,August,Hail,"FREMONT",2017-08-08 13:10:00,MST-7,2017-08-08 13:15:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-104.96,38.37,-104.96,"Strong storms produced hail up to nickel size.","" +118226,710471,COLORADO,2017,August,Hail,"EL PASO",2017-08-08 14:00:00,MST-7,2017-08-08 14:05:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-104.83,38.75,-104.83,"Strong storms produced hail up to nickel size.","" +118227,710472,COLORADO,2017,August,Hail,"EL PASO",2017-08-10 14:05:00,MST-7,2017-08-10 14:10:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-104.82,38.73,-104.82,"Strong storms produced hail up to nickel size.","" +118227,710473,COLORADO,2017,August,Hail,"EL PASO",2017-08-10 15:26:00,MST-7,2017-08-10 15:31:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-104.84,38.8,-104.84,"Strong storms produced hail up to nickel size.","" +118227,710480,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:40:00,MST-7,2017-08-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-102.72,38.15,-102.72,"Strong storms produced hail up to nickel size.","" +117533,706878,COLORADO,2017,August,Flash Flood,"TELLER",2017-08-09 16:40:00,MST-7,2017-08-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-105.26,38.8307,-105.2731,"A thunderstorm produced heavy rain and flash flooding in southwest Teller County. Another severe storm produced wind damage south of the Pueblo Resevoir. In addition lightning struck a house in southwest Colorado Springs.","Flash flooding was noted on County Road 11, where flowing water was more than six inches deep and 100 feet wide for a time." +117533,708443,COLORADO,2017,August,Thunderstorm Wind,"PUEBLO",2017-08-09 19:25:00,MST-7,2017-08-09 19:27:00,0,0,0,0,4.00K,4000,0.00K,0,38.215,-104.762,38.215,-104.762,"A thunderstorm produced heavy rain and flash flooding in southwest Teller County. Another severe storm produced wind damage south of the Pueblo Resevoir. In addition lightning struck a house in southwest Colorado Springs.","Two modular homes were damaged, one being fiipped on its side. They were unoccupied and no one was injured." +117533,710496,COLORADO,2017,August,Lightning,"EL PASO",2017-08-09 22:30:00,MST-7,2017-08-09 22:30:00,0,0,0,0,20.00K,20000,0.00K,0,38.7459,-104.8329,38.7459,-104.8329,"A thunderstorm produced heavy rain and flash flooding in southwest Teller County. Another severe storm produced wind damage south of the Pueblo Resevoir. In addition lightning struck a house in southwest Colorado Springs.","Lightning struck a house, causing a fire. All family members escaped without injury." +118278,710846,OREGON,2017,August,Wildfire,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-08-01 00:00:00,PST-8,2017-08-10 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Devils Lake Wildfire was started by lightning at around 1500 PDT on 07/31/17. As of the last report at 0430 PDT on 08/10/17, the fire covered 1706 acres and was 93 percent contained. 3.8 million dollars had been spent on firefighting efforts.","The Devils Lake Wildfire was started by lightning at around 1500 PDT on 07/31/17. As of the last report at 0430 PDT on 08/10/17, the fire covered 1706 acres and was 93 percent contained. 3.8 million dollars had been spent on firefighting efforts." +118163,710381,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 16:30:00,MST-7,2017-08-03 16:45:00,0,0,0,0,25.00K,25000,0.00K,0,33.8,-112.11,33.8,-112.11,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered thunderstorms developed across the far northern portion of the greater Phoenix area during the afternoon hours on August 3rd; some of the stronger storms generated gusty and damaging outflow winds estimated to be as high as 60 mph. From 1630MST to 1645MST, as reported by a trained spotter as well as the City of Phoenix Storm Drain Department, gusty winds downed a number of trees approximately 8 miles south of New River. The downed trees were south of the town of Anthem, near the Carefree Highway and just east of Interstate 17. Additionally, according to a report from the public, multiple trees were uprooted just south of the Carefree Highway and east of Interstate 17. A block wall was also blown down. A Severe Thunderstorm Warning was in effect at the time of the damage and it was issued at 1615MST." +118163,710793,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 16:45:00,MST-7,2017-08-03 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.58,-112,33.58,-112,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Thunderstorms developed across the northern portion of the greater Phoenix area during the afternoon hours on August 3rd and some of them affected the area around Paradise Valley. Some of the stronger storms produced gusty, damaging outflow winds. At 1645MST, local broadcast media reported that strong wind downed power lines as well as several trees about 5 miles northeast of Paradise Valley. The downed trees were just south of Shea Boulevard, near North 38th Street. Additionally at 1700MST, the City of Phoenix Storm Drain Department reported several trees downed that were blocking the right of way and some sidewalks. These downed trees were about one mile to the north, just east of Highway 51 and just north of East Cactus Road. The wind gusts that created the damage were estimated to be around 60 mph." +118766,713495,MASSACHUSETTS,2017,August,Flood,"HAMPSHIRE",2017-08-05 14:14:00,EST-5,2017-08-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3268,-72.6559,42.3327,-72.6448,"A cold front sweeping east from the Great Lakes crossed Southern New England during the afternoon and evening of August 5th. One thunderstorm in the area of Northampton produced damaging wind and flooding downpours.","At 214 PM EST, State Street in Northampton had between eight and twelve inches of flooding between Bedford Terrace and Summer Street. Several manhole covers came off due to flooding, including three on Elm Street near Childs Park and one on Old South Street. At 227 PM EST Jackson Street was flooded and impassable, with the water two feet deep on King Street near the Bluebonnet Diner. At 240 PM EST An underpass near North Street and Market Street was flooded and impassable." +117579,707078,OHIO,2017,August,Flood,"CHAMPAIGN",2017-08-11 21:40:00,EST-5,2017-08-11 22:40:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-83.73,40.0231,-83.7283,"Isolated strong thunderstorms with heavy rain developed ahead of a weak cold front.","Five to six inches of water was reported flowing over County Line Road." +117579,707080,OHIO,2017,August,Flood,"CLARK",2017-08-11 21:57:00,EST-5,2017-08-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-83.68,40.0165,-83.6774,"Isolated strong thunderstorms with heavy rain developed ahead of a weak cold front.","Six inches of water was reported flowing across County Line Road. County Line Road and State Route 4 were closed due to high water." +117713,707844,OHIO,2017,August,Thunderstorm Wind,"CLARK",2017-08-17 13:55:00,EST-5,2017-08-17 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.95,-83.89,39.95,-83.89,"A line of thunderstorms, some of them strong to severe, developed on a pre-frontal trough in a very moist and unstable airmass.","A tree fell onto the roadway in the 1800 block of Shrine Road." +117713,707846,OHIO,2017,August,Thunderstorm Wind,"HAMILTON",2017-08-17 14:00:00,EST-5,2017-08-17 14:10:00,0,0,0,0,2.00K,2000,0.00K,0,39.23,-84.47,39.23,-84.47,"A line of thunderstorms, some of them strong to severe, developed on a pre-frontal trough in a very moist and unstable airmass.","Trees and a power line were knocked down onto Worthington Avenue, just east of Burns Avenue." +118098,709776,OHIO,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 11:54:00,EST-5,2017-08-22 11:59:00,0,0,0,0,2.00K,2000,0.00K,0,40.01,-82.86,40.01,-82.86,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","Power lines were knocked down and trees were snapped on Hamilton Road." +118098,709782,OHIO,2017,August,Thunderstorm Wind,"SCIOTO",2017-08-22 12:48:00,EST-5,2017-08-22 12:58:00,0,0,0,0,0.00K,0,0.00K,0,38.74,-83,38.74,-83,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","A measured wind gust which came from a personal weather station at the Scioto County EMA office." +118675,713127,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-09 18:00:00,CST-6,2017-08-09 20:30:00,0,0,0,0,200.00K,200000,0.00K,0,31.347,-89.2668,31.3473,-89.2632,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A few inches of water went into some apartments on Jackson Avenue. There was also water in some homes along the same street." +118330,711413,TEXAS,2017,August,Flash Flood,"SHELBY",2017-08-30 21:28:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.7831,-94.2469,31.7825,-94.2457,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 138 over Bush Creek was covered in high water." +118330,711414,TEXAS,2017,August,Flash Flood,"SHELBY",2017-08-30 21:30:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.5947,-93.9785,31.5928,-93.9747,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","FM 353 at Highway 87 near the Patroon community was closed due to flooding." +118330,711415,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 12:11:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2585,-93.9857,31.257,-93.9771,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","Timberland Drive, Maple Street, and Yaupon Street in Pineland were closed due to high water." +118386,711416,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 11:56:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5876,-93.4786,31.5911,-93.4655,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Marthaville Road/LA 1217 was flooded." +118386,711417,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 12:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4212,-93.3651,31.4256,-93.3627,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Cenchrea Road crossing Mill Creek east of Florien was flooded and closed." +118386,711418,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 12:59:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4432,-93.4804,31.4449,-93.4722,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 474 near Ebenezer just west of Florien was flooded and closed." +118386,711419,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 12:59:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.038,-93.2216,32.0413,-93.2204,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Brushy Creek Road was closed due to high water." +118386,711420,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 12:59:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5576,-93.4864,31.5571,-93.4838,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Fairgrounds Road and Baton Road were flooded." +118386,711421,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 13:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9469,-93.2689,31.9466,-93.2644,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 480 and Lock and Dam Road was closed due to flooding." +118386,711422,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 13:17:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5036,-93.4522,31.5033,-93.4199,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Pump Station Road was flooded and closed east of Highway 171 near Fire Tower Road." +118386,711423,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 13:20:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7812,-93.1124,31.7767,-93.0576,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Numerous road closures due to flooding reported throughout the city of Natchitoches, including East 5th at Bienville Ave, East 5th at Royal Dr, Watson Drive at South Drive, Ledet Drive at Katelyn Williams Avenue from Byrd Avenue to Salter Street, Stevens Avenue at East 3rd Street, Texas Street at the Eagle Underpass, Fairgrounds Road at Reba Drive, St. Breda Avenue, Rowena Street, Keyser Avenue at the Wal-Mart, and North Melrose Avenue." +118386,711424,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 13:23:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.787,-93.1249,31.7854,-93.1219,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Chinquapin Drive off of Highway 3191 was closed due to high water." +117706,707809,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 15:15:00,CST-6,2017-08-12 15:15:00,0,0,0,0,,NaN,0.00K,0,43.49,-100.06,43.49,-100.06,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707810,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TRIPP",2017-08-12 15:15:00,CST-6,2017-08-12 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-100.06,43.49,-100.06,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","The public estimated wind gusts at 60 mph." +117706,707811,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"TRIPP",2017-08-12 15:20:00,CST-6,2017-08-12 15:40:00,0,0,0,0,,NaN,0.00K,0,43.3765,-100.0495,43.3765,-100.0495,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707813,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 15:30:00,CST-6,2017-08-12 15:30:00,0,0,0,0,,NaN,0.00K,0,43.4298,-99.9892,43.4298,-99.9892,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707817,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 15:50:00,CST-6,2017-08-12 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,43.37,-99.87,43.37,-99.87,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","The combination of hail and wind broke a window in a home." +117706,707820,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 16:20:00,CST-6,2017-08-12 16:20:00,0,0,0,0,,NaN,0.00K,0,43.25,-99.7796,43.25,-99.7796,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117706,707821,SOUTH DAKOTA,2017,August,Hail,"TRIPP",2017-08-12 16:45:00,CST-6,2017-08-12 16:45:00,0,0,0,0,,NaN,0.00K,0,43.16,-99.67,43.16,-99.67,"A thunderstorm became severe over eastern Mellette County and tracked southeast across Tripp County. The storm produced hail to golf ball size and wind gusts around 60 mph. Some crop and minor property damage was reported.","" +117714,707845,SOUTH DAKOTA,2017,August,Hail,"HARDING",2017-08-12 14:40:00,MST-7,2017-08-12 14:40:00,0,0,0,0,0.00K,0,0.00K,0,45.52,-103.34,45.52,-103.34,"A line of severe thunderstorms developed across Harding County and moved southeast before weakening over Perkins County. The storms produced hail o quarter size and wind gusts around 60 mph.","" +117714,707847,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"HARDING",2017-08-12 15:15:00,MST-7,2017-08-12 15:15:00,0,0,0,0,,NaN,0.00K,0,45.46,-102.99,45.46,-102.99,"A line of severe thunderstorms developed across Harding County and moved southeast before weakening over Perkins County. The storms produced hail o quarter size and wind gusts around 60 mph.","Heavy rain and small hail accompanied the wind." +117445,714434,NEBRASKA,2017,August,Thunderstorm Wind,"HALL",2017-08-02 23:02:00,CST-6,2017-08-02 23:02:00,0,0,0,0,250.00K,250000,1.00M,1000000,40.9276,-98.6,40.9276,-98.6,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","Wind gusts estimated to be near 60 MPH accompanied hail to the size of quarters." +119251,716055,NORTH DAKOTA,2017,August,Hail,"ADAMS",2017-08-12 17:00:00,MST-7,2017-08-12 17:03:00,0,0,0,0,0.00K,0,0.00K,0,46.26,-102.62,46.26,-102.62,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","" +119251,716056,NORTH DAKOTA,2017,August,Hail,"ADAMS",2017-08-12 17:00:00,MST-7,2017-08-12 17:04:00,0,0,0,0,0.00K,0,0.00K,0,46.27,-102.55,46.27,-102.55,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","" +119251,716065,NORTH DAKOTA,2017,August,Hail,"ADAMS",2017-08-12 17:35:00,MST-7,2017-08-12 17:38:00,0,0,0,0,0.00K,0,0.00K,0,46.04,-102.34,46.04,-102.34,"A pair of upper level short wave troughs moved into southwest and south central North Dakota in the afternoon and evening hours. This led to thunderstorms developing, with some producing very large hail up to baseball size in southwest North Dakota. Many of the thunderstorms produced heavy rain.","" +119556,717412,TEXAS,2017,August,Hail,"HUTCHINSON",2017-08-17 18:35:00,CST-6,2017-08-17 18:35:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-101.53,36.02,-101.53,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119556,717413,TEXAS,2017,August,Thunderstorm Wind,"RANDALL",2017-08-17 18:59:00,CST-6,2017-08-17 18:59:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-101.79,35.07,-101.79,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","NWS Employee estimated a 60 MPH wind gust." +119565,717436,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-27 20:27:00,CST-6,2017-08-27 20:27:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-102.55,36.03,-102.55,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","" +119663,717889,TEXAS,2017,August,Flash Flood,"HUNT",2017-08-13 07:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2975,-96.1996,33.2892,-96.199,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported numerous roads being flooded throughout the city of Celeste, TX." +119663,717888,TEXAS,2017,August,Flash Flood,"HUNT",2017-08-13 07:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2772,-95.8997,33.272,-95.8984,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported 4 and 1/2 feet of water in the parking lot of Commerce Automatic Gas Company near the intersection of Hwy 50 and Hwy 24 in the city of Commerce, TX." +119663,717961,TEXAS,2017,August,Flash Flood,"DELTA",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.303,-95.8283,33.2651,-95.8331,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Delta County Sheriff's Department reported that part of FM 1531 was closed due to high water." +119663,717968,TEXAS,2017,August,Flash Flood,"DELTA",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3567,-95.8489,33.3346,-95.8519,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Delta County Sheriff's Department reported that part of FM 2068 was closed due to high water." +119663,717971,TEXAS,2017,August,Flash Flood,"DELTA",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4071,-95.7888,33.3805,-95.7809,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Delta County Sheriff's Department reported that FM 3388 was flooded." +119786,718293,NEBRASKA,2017,August,Hail,"KNOX",2017-08-21 16:07:00,CST-6,2017-08-21 16:07:00,0,0,0,0,,NaN,,NaN,42.6,-98,42.6,-98,"An area of thunderstorms developed along a warm front across Northern Nebraska and Northern Nebraska and Northern Iowa. One storm produced quarter sized hail in Knox County.","Quarter size hail fell east of Verdigre." +119787,718296,NEBRASKA,2017,August,Funnel Cloud,"CEDAR",2017-08-09 17:10:00,CST-6,2017-08-09 17:10:00,0,0,0,0,,NaN,,NaN,42.7,-97.36,42.7,-97.36,"Convective showers and isolated thunderstorms developed ahead of a southeast moving cold front over Northeast Nebraska. A couple funnel clouds were sighted with a couple of these showers over Cedar County.","A funnel cloud was sighted west of Fordyce." +119787,718297,NEBRASKA,2017,August,Funnel Cloud,"CEDAR",2017-08-09 17:25:00,CST-6,2017-08-09 17:25:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-97.2,42.67,-97.2,"Convective showers and isolated thunderstorms developed ahead of a southeast moving cold front over Northeast Nebraska. A couple funnel clouds were sighted with a couple of these showers over Cedar County.","A funnel cloud was sighted southeast of Bow Valley." +119770,718273,NEBRASKA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-19 23:59:00,CST-6,2017-08-19 23:59:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-96.67,40.83,-96.67,"An area of strong thunderstorms developed ahead of a weak cold front across Eastern Nebraska during the evening and nighttime hours. Isolated wind gusts occurred in Platte County and in Lincoln that downed trees and power lines. Another storm produced a 59 mph wind gust early in the morning of the 20th in Lincoln.","A possible microburst occurred in central part of Lincoln. There were numerous large trees and power lines downed by the wind event. About 15,000 customers lost power from the storm." +119770,718274,NEBRASKA,2017,August,Thunderstorm Wind,"PLATTE",2017-08-19 21:50:00,CST-6,2017-08-19 21:50:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-97.32,41.64,-97.32,"An area of strong thunderstorms developed ahead of a weak cold front across Eastern Nebraska during the evening and nighttime hours. Isolated wind gusts occurred in Platte County and in Lincoln that downed trees and power lines. Another storm produced a 59 mph wind gust early in the morning of the 20th in Lincoln.","A few trees were snapped by damaging winds." +119770,718301,NEBRASKA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-20 03:59:00,CST-6,2017-08-20 03:59:00,0,0,0,0,,NaN,,NaN,40.82,-96.69,40.82,-96.69,"An area of strong thunderstorms developed ahead of a weak cold front across Eastern Nebraska during the evening and nighttime hours. Isolated wind gusts occurred in Platte County and in Lincoln that downed trees and power lines. Another storm produced a 59 mph wind gust early in the morning of the 20th in Lincoln.","A 59 MPH wind gust was reported at Lincoln Airport." +119843,718494,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-08-20 08:55:00,EST-5,2017-08-20 08:55:00,0,0,0,0,,NaN,,NaN,25.59,-80.1,25.59,-80.1,"A tropical wave moving across South Florida during the morning hours lead to a very moist and unstable atmosphere across the region. Numerous showers and storms developed over the local Atlantic waters during the morning hours and moved into the coast. A strong wind gust was reported with this activity.","A thunderstorm produced a wind gust to 37 knots (43 mph) at the C-MAN station FWFY1 located at Fowey Rocks at 1246 PM EDT. The anemometer at this station is located at a height of 145 ft." +119016,714867,CALIFORNIA,2017,August,Flash Flood,"SAN BERNARDINO",2017-08-03 05:45:00,PST-8,2017-08-03 07:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.1036,-114.9148,34.1015,-114.9163,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Highway 62 was flooded near mile marker 103." +119016,714868,CALIFORNIA,2017,August,Flash Flood,"SAN BERNARDINO",2017-08-03 06:15:00,PST-8,2017-08-03 09:30:00,0,0,0,0,5.00K,5000,0.00K,0,34.2249,-114.6502,34.4404,-114.6726,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Highway 95 was flooded at all wash crossings between mile markers 15 and 29, with vehicles stuck." +119016,714870,CALIFORNIA,2017,August,Flash Flood,"INYO",2017-08-04 14:54:00,PST-8,2017-08-04 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.3481,-116.6384,36.3561,-116.6336,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Water and debris flowed over Highway 190." +119016,714871,CALIFORNIA,2017,August,Flash Flood,"INYO",2017-08-04 15:15:00,PST-8,2017-08-04 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.9943,-116.2757,36.0086,-116.293,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Jubilee Pass Road was flooded and closed to Highway 127." +119017,714873,NEVADA,2017,August,Heavy Rain,"CLARK",2017-08-02 17:50:00,PST-8,2017-08-02 17:55:00,0,0,0,1,0.00K,0,0.00K,0,36.568,-114.6751,36.568,-114.6751,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Heavy rain and hail contributed to a motorcycle crash on I-15 near mile marker 81. One man was killed." +119017,714874,NEVADA,2017,August,Thunderstorm Wind,"CLARK",2017-08-02 17:44:00,PST-8,2017-08-02 17:44:00,0,0,0,0,0.00K,0,0.00K,0,36.1031,-115.0305,36.1031,-115.0305,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","" +119017,714875,NEVADA,2017,August,Flash Flood,"CLARK",2017-08-03 18:42:00,PST-8,2017-08-03 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.8115,-114.0601,36.8116,-114.0601,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Six inches of water flowed over the road." +119017,714877,NEVADA,2017,August,Flash Flood,"CLARK",2017-08-04 12:30:00,PST-8,2017-08-04 15:35:00,0,0,1,0,10.00K,10000,0.00K,0,36.1187,-115.1691,36.1154,-115.057,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Six people were rescued from the Flamingo Wash behind the Linq Hotel, and roads were closed in the area due to flooding. Two people were swept into the Flamingo Wash near Boulder Highway. One man, who had been rescuing people from the wash, was killed." +119017,714878,NEVADA,2017,August,Flash Flood,"CLARK",2017-08-04 12:51:00,PST-8,2017-08-04 16:30:00,0,0,0,0,50.00K,50000,0.00K,0,36.0938,-115.8117,36.293,-115.673,"A push of monsoon moisture fueled an outbreak of thunderstorms with severe weather and flash flooding.","Water and debris washed out Harris Springs Road, flowed along Highway 157 and Lovell Canyon Road, and through the Forest Service Campground and the Rainbow Subdivision. Flooding also closed Highway 160 at Tecopa Road, stranding about 100 cars on the highway until the water receded." +119029,714879,NEVADA,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-06 21:41:00,PST-8,2017-08-06 21:41:00,0,0,0,0,0.00K,0,0.00K,0,37.2501,-114.7067,37.2501,-114.7067,"Lingering monsoon moisture helped produce isolated thunderstorms over the southern Great Basin. One storm produced severe weather.","" +119961,718965,SOUTH DAKOTA,2017,August,Drought,"DEWEY",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718966,SOUTH DAKOTA,2017,August,Drought,"STANLEY",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119964,718953,ILLINOIS,2017,August,Hail,"MCDONOUGH",2017-08-02 15:06:00,CST-6,2017-08-02 15:06:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-90.67,40.44,-90.67,"Scattered showers and thunderstorms developed ahead of a southeastward moving cool front during the late afternoon and evening hours on August 2nd. A thunderstorm in McDonough County produced small sub-severe hail.","" +117968,719208,MINNESOTA,2017,August,Tornado,"CASS",2017-08-03 17:04:00,CST-6,2017-08-03 17:15:00,0,0,0,0,0.00K,0,0.00K,0,47.4341,-94.2526,47.4334,-94.2534,"On the evening of August 3rd, a thunderstorm with surrounding cooler air temperatures passed over the warmer waters of Lake Winnibigoshish producing three waterspouts that lasted for a short duration. Eye witnesses fishing on the lake were able to photograph and videotape two of the waterspouts occurring at the same time with the third one unable to capture digitally.","Multiple reports of photos and video received showing waterspouts on Lake Winnibigoshish. Eye witnesses reported three different waterspouts on the lake with two occurring at the same time." +117968,719211,MINNESOTA,2017,August,Tornado,"CASS",2017-08-03 17:10:00,CST-6,2017-08-03 17:15:00,0,0,0,0,0.00K,0,0.00K,0,47.3999,-94.2862,47.3994,-94.2842,"On the evening of August 3rd, a thunderstorm with surrounding cooler air temperatures passed over the warmer waters of Lake Winnibigoshish producing three waterspouts that lasted for a short duration. Eye witnesses fishing on the lake were able to photograph and videotape two of the waterspouts occurring at the same time with the third one unable to capture digitally.","Multiple reports of photos and video received showing waterspouts on Lake Winnibigoshish. Eye witnesses reported three different waterspouts on the lake with two occurring at the same time." +120020,719665,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-02 17:06:00,EST-5,2017-08-02 17:12:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","Wind gusts up to 37 knots were reported at Tolchester." +120025,719239,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-18 16:35:00,EST-5,2017-08-18 16:35:00,0,0,0,0,,NaN,,NaN,39.28,-76.61,39.28,-76.61,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 38 knots was reported at the Maryland Science Center." +120025,719249,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-18 18:00:00,EST-5,2017-08-18 18:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Thomas Point Lighthouse." +120027,719278,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-21 16:23:00,EST-5,2017-08-21 17:18:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 35 knots were reported at Hartmiller Island." +120002,719108,ALABAMA,2017,August,Flash Flood,"MONTGOMERY",2017-08-10 17:30:00,CST-6,2017-08-10 19:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3,-86.4,32.2512,-86.3553,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Numerous roads flooded and impassable in the city of Montgomery. Several roads flooded near the exit 164 off Interstate 65. The Montgomery Regional Airport (KMGM) recorded 5.01 inches of rain during a 90 minute time span." +120004,719116,NEW YORK,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 14:54:00,EST-5,2017-08-04 14:54:00,0,0,0,0,,NaN,,NaN,43.23,-74.16,43.23,-74.16,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was down on Ridge Road in the town of Northville. This was reported by the Fulton County Sheriffs Office." +120004,719117,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 15:12:00,EST-5,2017-08-04 15:12:00,0,0,0,0,,NaN,,NaN,43.13,-74.89,43.13,-74.89,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was reported down." +120081,719504,SOUTH DAKOTA,2017,August,Hail,"HAMLIN",2017-08-13 09:25:00,CST-6,2017-08-13 09:25:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-97.19,44.67,-97.19,"Numerous thunderstorms developed along a cold front and brought hail up to the size of golf balls along with very heavy rains of 2 to 4 inches. The very heavy rains brought flash flooding near Twin Brooks.","" +120081,719505,SOUTH DAKOTA,2017,August,Hail,"CLARK",2017-08-13 10:33:00,CST-6,2017-08-13 10:33:00,0,0,0,0,,NaN,,NaN,44.77,-97.51,44.77,-97.51,"Numerous thunderstorms developed along a cold front and brought hail up to the size of golf balls along with very heavy rains of 2 to 4 inches. The very heavy rains brought flash flooding near Twin Brooks.","" +122228,731697,MINNESOTA,2017,December,Cold/Wind Chill,"NOBLES",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +122228,731698,MINNESOTA,2017,December,Cold/Wind Chill,"JACKSON",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +122229,731702,IOWA,2017,December,Cold/Wind Chill,"BUENA VISTA",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 30 below." +122229,731703,IOWA,2017,December,Cold/Wind Chill,"CLAY",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 30 below." +119673,717831,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-02 12:45:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.9102,-74.264,40.9153,-74.2666,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced flash flooding across parts of Passaic County. Over one inch of rain was reported in southern Passaic County, with a CoCoRaHS gauge in Little Falls Township recording 1.59 of rain.","Route 202 was closed at the Mountainview Boulevard exit in Wayne due to flooding." +120145,719896,TENNESSEE,2017,August,Flash Flood,"WILLIAMSON",2017-08-31 20:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.0439,-87.1779,35.8547,-87.2082,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Flash flooding affected much of western Williamson County. Several roads were flooded and closed, including Highway 100 at Glenhaven Drive, Chester Road, Cumberland Drive, Horn Tavern Drive, Sleepy Hollow Road, and Cox Pike in Fairview; Lewisburg Pike in Franklin; and Granny White Pike in Brentwood." +120145,719900,TENNESSEE,2017,August,Flash Flood,"MAURY",2017-08-31 22:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.8274,-87.2026,35.713,-87.2247,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Flash flooding affected parts of western Maury County. Several roads were flooded and closed including Hay Hollow Road at Leipers Creek Road in Santa Fe, Terrapin Branch Road in Mount Pleasant, and Taylor Store Road in Hampshire." +120145,719901,TENNESSEE,2017,August,Strong Wind,"SUMNER",2017-08-31 20:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-10 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected western Sumner County during the evening on August 31. A Facebook photo showed a power pole was blown down on Elnora Drive in Hendersonville causing a widespread power outage in the area. Several other trees and power lines were blown down across the county with scattered power outages." +120154,719928,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 13:14:00,EST-5,2017-08-22 13:14:00,0,0,0,0,0.50K,500,0.00K,0,40.46,-79.82,40.46,-79.82,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down on Lime Hollow Rd at Frankstown Rd." +120154,719929,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 13:20:00,EST-5,2017-08-22 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,40.43,-79.76,40.43,-79.76,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719930,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:20:00,EST-5,2017-08-22 13:20:00,0,0,0,0,10.00K,10000,0.00K,0,40.38,-79.76,40.38,-79.76,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees and wires down on Seventh St." +120154,719931,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:23:00,EST-5,2017-08-22 13:23:00,0,0,0,0,1.00K,1000,0.00K,0,40.38,-79.76,40.38,-79.76,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on Murraysville Rd." +120154,719932,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:24:00,EST-5,2017-08-22 13:24:00,0,0,0,0,10.00K,10000,0.00K,0,40.39,-79.72,40.39,-79.72,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees and wires down on Route 130." +120154,719933,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:29:00,EST-5,2017-08-22 13:29:00,0,0,0,0,1.00K,1000,0.00K,0,40.41,-79.66,40.41,-79.66,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719934,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:29:00,EST-5,2017-08-22 13:29:00,0,0,0,0,1.00K,1000,0.00K,0,40.44,-79.66,40.44,-79.66,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on School Rd." +119599,717516,WASHINGTON,2017,August,Dense Smoke,"SPOKANE AREA",2017-08-05 00:00:00,PST-8,2017-08-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August Eastern Washington was fumigated by dense smoke palls from numerous wildfires around the region. During the second week of August smoke from wildfires in British Columbia caused air quality to drop into unhealthy levels at numerous recording sites in eastern Washington. A cold front brought relief to the region on August 14th. During the last week of August another round of dense and widespread smoke infiltrated the region from fires in Oregon.","Spokane Air Quality monitors indicated unhealthy conditions around the area." +119601,717524,IDAHO,2017,August,Dense Smoke,"LEWISTON AREA",2017-08-05 00:00:00,PST-8,2017-08-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August North Idaho was fumigated by dense smoke palls from numerous wildfires around the region. During the first and second week of August smoke from wildfires in British Columbia caused air quality to drop into unhealthy levels at numerous recording sites in northern Idaho. A cold front brought relief to the region on August 14th. During the last week of August another round of dense and widespread smoke infiltrated the region from fires in Oregon.","Air Quality in Lewiston deteriorated into the unhealthy category as smoke from regional wildfires infiltrated the area." +119601,717525,IDAHO,2017,August,Dense Smoke,"NORTHERN PANHANDLE",2017-08-02 00:00:00,PST-8,2017-08-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the month of August North Idaho was fumigated by dense smoke palls from numerous wildfires around the region. During the first and second week of August smoke from wildfires in British Columbia caused air quality to drop into unhealthy levels at numerous recording sites in northern Idaho. A cold front brought relief to the region on August 14th. During the last week of August another round of dense and widespread smoke infiltrated the region from fires in Oregon.","The Idaho Department of Environmental Quality issued an Air Quality Warning for much of northern Idaho including the northern Panhandle due to dense smoke infiltrating from area wildfires." +119605,717531,IDAHO,2017,August,Thunderstorm Wind,"LEWIS",2017-08-29 15:00:00,PST-8,2017-08-29 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,46.2255,-116.0276,46.2255,-116.0276,"Hot and unstable conditions with mid level monsoonal moisture created conditions ripe for gusty thunderstorms over north central Idaho during the afternoons of August 29th and 30th. ||During the afternoon of August 29th thunderstorms developed over extreme northeast Oregon and tracked into Nez Perce and Lewis Counties in Idaho. These storms produced wind gusts which downed trees and damaged structures in the Kamiah area. A nearby remote weather station recorded a peak wind gust of 94 mph as these storms passed through.||The next day on August 30th another round of afternoon high based thunderstorms produced a microburst which created extensive damage to power lines along a stretch of Highway 64 on the Camas Prairie.","Several trees uprooted and split, with large branches broken off due to thunderstorm winds." +120014,719210,NEW YORK,2017,August,Thunderstorm Wind,"SARATOGA",2017-08-22 19:20:00,EST-5,2017-08-22 19:20:00,0,0,0,0,,NaN,,NaN,42.9568,-73.6934,42.9568,-73.6934,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Four trees were downed on Route 75, Hudson Avenue, Flick Road and Ten Broeck Street." +120014,719212,NEW YORK,2017,August,Thunderstorm Wind,"DUTCHESS",2017-08-22 19:22:00,EST-5,2017-08-22 19:22:00,0,0,0,0,,NaN,,NaN,42.05,-73.9,42.05,-73.9,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","A tree was downed." +120014,719213,NEW YORK,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-22 19:32:00,EST-5,2017-08-22 19:32:00,0,0,0,0,,NaN,,NaN,42.09,-73.83,42.09,-73.83,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed." +120014,719214,NEW YORK,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-22 19:34:00,EST-5,2017-08-22 19:34:00,0,0,0,0,,NaN,,NaN,42.14,-73.83,42.14,-73.83,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed." +121564,727637,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN PLYMOUTH",2017-12-09 10:30:00,EST-5,2017-12-10 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Two to four inches of snow fell on Western Plymouth County." +121564,727638,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN PLYMOUTH",2017-12-09 10:45:00,EST-5,2017-12-10 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Two and one-half to three inches of snow fell on Eastern Plymouth County." +121564,727639,MASSACHUSETTS,2017,December,Winter Storm,"SUFFOLK",2017-12-09 10:00:00,EST-5,2017-12-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to six and one-half inches of snow fell on Suffolk County." +121564,727642,MASSACHUSETTS,2017,December,Winter Storm,"NORTHERN WORCESTER",2017-12-09 09:00:00,EST-5,2017-12-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to seven and one-half inches of snow fell on Northern Worcester County." +121564,727643,MASSACHUSETTS,2017,December,Winter Storm,"SOUTHERN WORCESTER",2017-12-09 09:00:00,EST-5,2017-12-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Five to seven inches of snow fell on Southern Worcester County." +121566,727644,RHODE ISLAND,2017,December,Winter Weather,"BRISTOL",2017-12-09 10:15:00,EST-5,2017-12-10 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Two to four inches of snow fell on Bristol County." +121566,727646,RHODE ISLAND,2017,December,Winter Weather,"EASTERN KENT",2017-12-09 10:15:00,EST-5,2017-12-10 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Two and one-half to four inches of snow fell on Eastern Kent County." +121566,727647,RHODE ISLAND,2017,December,Winter Weather,"WESTERN KENT",2017-12-09 10:30:00,EST-5,2017-12-10 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Three inches of snow fell on Western Kent County." +119751,718402,ALABAMA,2017,August,Flood,"MADISON",2017-08-10 05:03:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-86.5,34.9161,-86.4982,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Billy D Harbin Road at Walker Lane closed. Part of roadway washed out." +119751,718403,ALABAMA,2017,August,Flood,"MADISON",2017-08-10 18:30:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-86.7,34.731,-86.6938,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The parking lot at Columbia High School flooded. Several cars were partially submerged. Report relayed by Social Media." +120133,719840,OKLAHOMA,2017,August,Flash Flood,"CLEVELAND",2017-08-22 19:54:00,CST-6,2017-08-22 22:54:00,0,0,0,0,0.00K,0,0.00K,0,35.211,-97.4375,35.2101,-97.4368,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","Three feet of water was in front of the Mont restaurant at the intersection of Boyd street and Classen Blvd from excessive rainfall." +120133,719841,OKLAHOMA,2017,August,Flash Flood,"CLEVELAND",2017-08-22 19:55:00,CST-6,2017-08-22 22:55:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-97.43,35.2307,-97.4211,"A line of storms formed along a cold front on the evening of the 22nd, and swept southeastward. Storms were slow moving with heavy rainfall rates, producing several instances of flash flooding.","Flooded roads stranded several vehicles at the corner of 12TH avenue northeast and east Robinson street." +120134,719842,OKLAHOMA,2017,August,Flash Flood,"GREER",2017-08-25 07:30:00,CST-6,2017-08-25 10:30:00,0,0,0,0,0.00K,0,0.00K,0,34.9558,-99.4048,34.9567,-99.3975,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","" +120134,719843,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 08:20:00,CST-6,2017-08-25 11:20:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-97.52,35.5053,-97.5176,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","ODOT shut down I-235 north bound at 36TH due to flooding." +120134,719844,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 08:39:00,CST-6,2017-08-25 11:39:00,0,0,0,0,0.00K,0,0.00K,0,35.4132,-97.4789,35.4159,-97.4055,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","Flooding caused stalled vehicles in both residential and commercial roadways." +120134,719845,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 08:57:00,CST-6,2017-08-25 11:57:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-97.42,35.4243,-97.4216,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","Water rescue reported at SE 44TH and Sooner." +120134,719846,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 08:58:00,CST-6,2017-08-25 11:58:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-97.55,35.4755,-97.5502,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","Two water rescues reported near 500 N. Pennsylvania. Also, N. Pennsylvania between 3RD and 7TH was completely impassable." +120134,719847,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 09:08:00,CST-6,2017-08-25 12:08:00,0,0,0,0,0.00K,0,0.00K,0,35.5106,-97.5354,35.51,-97.5265,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","Reports of 14 to 18 inches of water flowing over the roads near NW 36TH and Western." +120134,719848,OKLAHOMA,2017,August,Flash Flood,"OKLAHOMA",2017-08-25 12:30:00,CST-6,2017-08-25 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.5803,-97.6412,35.5633,-97.6419,"With hurricane Harvey moving inland from the gulf, Oklahoma experienced a predecessor rain event resulting in several areas of flash flooding.","" +119753,721098,TEXAS,2017,August,Flash Flood,"AUSTIN",2017-08-28 03:30:00,CST-6,2017-08-28 06:15:00,0,0,0,0,0.00K,0,0.00K,0,29.9592,-96.5211,29.8981,-96.5036,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Portions of FM 109 between Industry and New Ulm was closed due to flooding.||Record level flooding along the Brazos River in San Felipe caused several homes to flood along FM 1458." +122187,731441,VIRGINIA,2017,December,Winter Storm,"GRAYSON",2017-12-08 08:00:00,EST-5,2017-12-09 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around five inches near Spring Valley to around seven inches near Mouth of Wilson." +122187,731457,VIRGINIA,2017,December,Winter Storm,"CARROLL",2017-12-08 09:15:00,EST-5,2017-12-09 12:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around four inches near Byllesby to around seven inches near Laurel Fork." +122187,731482,VIRGINIA,2017,December,Winter Storm,"BUCKINGHAM",2017-12-08 12:30:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around two inches near Gold Hill to around five inches near Sheppards and Dillwyn." +119966,718956,IOWA,2017,August,Hail,"LEE",2017-08-18 17:39:00,CST-6,2017-08-18 17:39:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-91.23,40.72,-91.23,"Showers and thunderstorms developed in the vicinity of low pressure over southeastern Iowa. A few of these thunderstorms produced hail up to the size quarters in Lee and Des Moines Counties.","The report was received via social media." +119962,718948,ILLINOIS,2017,August,Hail,"WARREN",2017-08-18 19:14:00,CST-6,2017-08-18 19:14:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-90.52,40.88,-90.52,"Showers and thunderstorms developed in the vicinity of low pressure over southeastern Iowa. A few of these thunderstorms became severe and produced hail up to the size of quarters and gusty thunderstorm winds in Hancock, Henderson and Warren Counties.","A trained spotter reported that hail was nearly covering the ground. The largest stone was half dollar size. Time of the event was estimated using radar." +119805,718385,INDIANA,2017,August,Hail,"MARION",2017-08-01 14:15:00,EST-5,2017-08-01 14:17:00,0,0,0,0,,NaN,0.00K,0,39.8534,-86.232,39.8534,-86.232,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","" +119805,718386,INDIANA,2017,August,Hail,"MARION",2017-08-01 14:43:00,EST-5,2017-08-01 14:48:00,0,0,0,0,,NaN,0.00K,0,39.92,-86.16,39.92,-86.16,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","Hail started as pea to nickel size then diminished to pea size over a five to ten minute period. The hail was accompanied by very heavy rain." +119805,718387,INDIANA,2017,August,Hail,"HAMILTON",2017-08-01 14:50:00,EST-5,2017-08-01 14:52:00,0,0,0,0,,NaN,0.00K,0,39.9269,-86.158,39.9269,-86.158,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","Slightly larger than quarter-size hail was observed at 96th Street and Meridian Street." +119805,718388,INDIANA,2017,August,Thunderstorm Wind,"RUSH",2017-08-01 15:00:00,EST-5,2017-08-01 15:00:00,0,0,0,0,7.00K,7000,,NaN,39.5246,-85.4602,39.5246,-85.4602,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","Several trees and utility lines were down around County Road 600 South and State Road 3 in Southern Rush County due to damaging thunderstorm wind gusts. This report was relayed by the county emergency manager." +119645,721016,OKLAHOMA,2017,August,Tornado,"TULSA",2017-08-06 00:27:00,CST-6,2017-08-06 00:30:00,0,0,0,0,200.00K,200000,0.00K,0,36.0919,-95.7936,36.0835,-95.7617,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This is the first segment of a two segment tornado. The tornado developed over a neighborhood along and north of E 51st Street S and west of S 177th East Avenue, where numerous homes received damage to their roofs and trees were damaged. The tornado moved east-southeast uprooting trees and snapping large tree limbs between Lynn Lane and County Line Road. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 100 mph. The tornado continued into Wagoner County." +119645,721018,OKLAHOMA,2017,August,Tornado,"ROGERS",2017-08-06 00:32:00,CST-6,2017-08-06 00:40:00,0,0,0,0,15.00K,15000,0.00K,0,36.4443,-95.6908,36.5075,-95.6958,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This tornado developed east of Oologah where barns and trees were damaged. The tornado moved northward along the S 4110 Road where power poles were snapped, a home was damaged, and trees were blown down. The tornado turned more northwesterly after crossing the E 370 Road and dissipated south of the E 350 Road. Based on this damage, maximum estimated wind in the tornado was 90 to 100 mph." +119736,718104,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:19:00,CST-6,2017-08-10 18:19:00,0,0,0,0,0.00K,0,0.00K,0,36.8866,-95.9231,36.8866,-95.9231,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind gusts were estimated to 70 mph." +118430,720253,KANSAS,2017,August,Thunderstorm Wind,"PHILLIPS",2017-08-16 02:25:00,CST-6,2017-08-16 02:25:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-99.2071,39.75,-99.2071,"During the early morning hours on this Wednesday, a strong to marginally-severe squall line tracked across this six-county North Central Kansas area, first entering Phillips and Rooks counties between 2:30-3:30 a.m. CDT and eventually exiting Jewell and Mitchell counties between 5-6 a.m. CDT. Although there were no known, ground-truth reports of wind damage, several automated airport and mesonet sensors recorded wind gusts in the 50-65 MPH range, and even a 67 MPH gust at the Phillipsburg airport. Other severe-criteria gusts included measured 62 MPH in rural northeastern Smith County and estimated 60 MPH east of Phillipsburg. Rainfall-wise, most of the area received a much-needed 0.50-1.50 during the night. ||This organized linear convective system evolved/intensified from weaker convection that flared up hours earlier in the KS/CO/NE border area. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Aiding convection intensifcation/longevity was the presence of a 30-35 knot, southerly low-level jet evident at 850 millibars. Around the time the squall line entered North Central Kansas, mesoscale analysis indicated most-unstable CAPE around 1000 J/kg and effective deep-layer wind shear around 30 knots.","Wind gusts were estimated to be near 60 MPH." +118430,720263,KANSAS,2017,August,Thunderstorm Wind,"SMITH",2017-08-16 02:55:00,CST-6,2017-08-16 02:55:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-98.66,39.91,-98.66,"During the early morning hours on this Wednesday, a strong to marginally-severe squall line tracked across this six-county North Central Kansas area, first entering Phillips and Rooks counties between 2:30-3:30 a.m. CDT and eventually exiting Jewell and Mitchell counties between 5-6 a.m. CDT. Although there were no known, ground-truth reports of wind damage, several automated airport and mesonet sensors recorded wind gusts in the 50-65 MPH range, and even a 67 MPH gust at the Phillipsburg airport. Other severe-criteria gusts included measured 62 MPH in rural northeastern Smith County and estimated 60 MPH east of Phillipsburg. Rainfall-wise, most of the area received a much-needed 0.50-1.50 during the night. ||This organized linear convective system evolved/intensified from weaker convection that flared up hours earlier in the KS/CO/NE border area. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Aiding convection intensifcation/longevity was the presence of a 30-35 knot, southerly low-level jet evident at 850 millibars. Around the time the squall line entered North Central Kansas, mesoscale analysis indicated most-unstable CAPE around 1000 J/kg and effective deep-layer wind shear around 30 knots.","" +121721,728693,VIRGINIA,2017,December,Winter Weather,"EASTERN LOUDOUN",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 2 and 4 inches across eastern Loudoun County. Snowfall totaled up to 4.0 inches at Dulles International, 3.0 inches near Leesburg and 4.5 inches near Ashburn." +119035,722100,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:47:00,CST-6,2017-09-19 23:48:00,0,0,0,0,0.00K,0,0.00K,0,45.5294,-95.1019,45.5427,-95.0761,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About two dozen trees were damaged, a house lost a portion of its roof, siding was peeled away, and corn fields sustained some damage. This area may have been an earlier beginning point of the tornado that tracked from west to northeast of Elrosa, but damage was too scant to be certain, and therefore this damage has been listed as thunderstorm wind damage." +121721,728694,VIRGINIA,2017,December,Winter Weather,"FAIRFAX",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 2 and 4 inches across Fairfax County. Snowfall totaled up to 3.6 inches near Chantilly, 3.0 inches near Reston, and 2.0 inches near Dunn Loring." +121721,728695,VIRGINIA,2017,December,Winter Weather,"ARLINGTON",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.3 inches near Barcroft and 2.0 inches at Reagan National Airport." +121721,728696,VIRGINIA,2017,December,Winter Weather,"SOUTHERN FAUQUIER",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.4 inches near Warrenton." +121721,728697,VIRGINIA,2017,December,Winter Weather,"SPOTSYLVANIA",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 1 and 2 inches across the county." +121721,728698,VIRGINIA,2017,December,Winter Weather,"STAFFORD",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up 2.2 inches near White Oak, 2.1 inches near Spring Valley and 2.0 inches near Ramoth." +122245,731880,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHERN BERKSHIRE",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although western Massachusetts was on the western edge of this storm system, steady snowfall moved into the area during the morning hours and continued through the remainder of the day. The snow briefly fell moderate in intensity at times, resulting in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 3 to 6 inches of snowfall.","" +122246,731881,VERMONT,2017,December,Winter Weather,"BENNINGTON",2017-12-09 11:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although southern Vermont was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across southern Vermont which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122246,731882,VERMONT,2017,December,Winter Weather,"EASTERN WINDHAM",2017-12-09 11:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although southern Vermont was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across southern Vermont which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122246,731883,VERMONT,2017,December,Winter Weather,"WESTERN WINDHAM",2017-12-09 11:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although southern Vermont was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across southern Vermont which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122247,731894,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN BERKSHIRE",2017-12-12 04:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. Snowfall began during the early morning hours, with the steadiest and heaviest snow falling during the morning and the afternoon hours. Snow tapered off during the evening hours with total snowfall ranging between 4 to 8 inches.","" +121365,726507,TEXAS,2017,December,Drought,"CHEROKEE",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +121365,726508,TEXAS,2017,December,Drought,"RUSK",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +121365,726509,TEXAS,2017,December,Drought,"NACOGDOCHES",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +120409,721252,NEW YORK,2017,August,Heat,"NORTHERN QUEENS",2017-08-22 15:00:00,EST-5,2017-08-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bermuda high pressure ushered in hot and humid air across the region.","At 4 pm, the ASOS at Laguardia Airport measured a temperature of 90 degrees and a dew point of 76. The resultant heat index was 101 degrees." +119707,720124,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"SEBASTIAN INLET TO JUPITER INLET 20-60NM",2017-09-10 12:00:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the offshore waters with frequent gusts to hurricane force, especially within squalls. The Scripps buoy just offshore Ft. Pierce measured seas of 20 to 25 feet nearshore. Seas were likely at or above this range across the offshore waters." +119707,720125,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-09-10 13:00:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the offshore waters with frequent gusts to hurricane force, especially within squalls. NOAA buoy 41009, located 20 miles east of Port Canaveral measured a maximum sustained wind of 49 knots with a peak gust to 66 knots at 2150LST on September 10. Seas reached 20 to 25 feet." +119707,720126,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 20-60NM",2017-09-10 13:00:00,EST-5,2017-09-11 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the offshore waters with frequent gusts to hurricane force, especially within squalls. NOAA buoy 41009, located 20 miles east of Port Canaveral measured a maximum sustained wind of 49 knots with a peak gust to 66 knots at 2150LST on September 10. Seas reached 20 to 25 feet." +119707,720127,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-09-10 14:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the coastal waters with frequent gusts to hurricane force, especially within squalls. A Scripps buoy just east of Port Canaveral measured seas up to 17 feet." +120374,721128,WISCONSIN,2017,September,Hail,"WASHBURN",2017-09-02 13:06:00,CST-6,2017-09-02 13:06:00,0,0,0,0,,NaN,,NaN,45.9,-91.82,45.9,-91.82,"Strong thunderstorms moved across Washburn and Burnett Counties dropping hail as large as nickels.","" +120402,721234,MINNESOTA,2017,September,Hail,"ITASCA",2017-09-03 19:48:00,CST-6,2017-09-03 19:48:00,0,0,0,0,,NaN,,NaN,47.21,-93.58,47.21,-93.58,"A severe thunderstorm moved across Itasca County producing 1 sized hail in the town of Grand Rapids.","" +121373,726581,LOUISIANA,2017,December,Drought,"WEBSTER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +121504,727313,GEORGIA,2017,December,Winter Storm,"RABUN",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread northeast Georgia, snow developed over the mountains around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the area. Total accumulations generally ranged from 8-12 inches. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +120421,721367,MICHIGAN,2017,September,Thunderstorm Wind,"GENESEE",2017-09-21 15:16:00,EST-5,2017-09-21 15:16:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-83.89,43.13,-83.89,"A couple of severe thunderstorms developed just west of Flint.","A large tree was reported blown down." +120421,721368,MICHIGAN,2017,September,Thunderstorm Wind,"SHIAWASSEE",2017-09-21 16:13:00,EST-5,2017-09-21 16:13:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-84.03,42.94,-84.03,"A couple of severe thunderstorms developed just west of Flint.","Multiple 6 to 8 inch diameter trees reported down." +120436,721543,ALASKA,2017,September,High Surf,"YUKON DELTA",2017-09-18 00:00:00,AKST-9,2017-09-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds created high surf and minor beach erosion for the coastal areas near Emmonak. Waves and surf built to 6 to 11 feet offshore with runup above the normal high tide line. Also high surf in Norton Sound with waves 4 to 6 feet offshore.","" +121505,727315,NORTH CAROLINA,2017,December,Winter Storm,"HAYWOOD",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121505,727316,NORTH CAROLINA,2017,December,Winter Storm,"GRAHAM",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121505,727317,NORTH CAROLINA,2017,December,Winter Storm,"NORTHERN JACKSON",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727322,NORTH CAROLINA,2017,December,Winter Storm,"MADISON",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +120509,721994,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"NARRAGANSETT BAY",2017-09-21 21:36:00,EST-5,2017-09-21 21:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 936 PM EST, the National Ocean Service buoy near Quonset Point measured a sustained wind of 40 mph." +120509,721995,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"MASSACHUSETTS BAY AND IPSWICH BAY",2017-09-22 06:35:00,EST-5,2017-09-22 06:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 635 AM EST on Sept 22, a marine mesonet station one mile east of Duxbury measured a sustained wind of 40 mph." +120509,722823,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"NARRAGANSETT BAY",2017-09-21 21:24:00,EST-5,2017-09-21 22:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 924 PM EST, the National Ocean Service PORTS buoy near Prudence Island measured a sustained wind of 40 mph." +120551,722203,KANSAS,2017,September,Thunderstorm Wind,"ALLEN",2017-09-16 15:15:00,CST-6,2017-09-16 15:17:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-95.39,37.94,-95.39,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","A power pole was blown down on the northeast side of town." +120551,722204,KANSAS,2017,September,Thunderstorm Wind,"LABETTE",2017-09-16 16:16:00,CST-6,2017-09-16 16:18:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-95.29,37.34,-95.29,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Power lines were blown down on the west side of town." +120551,722205,KANSAS,2017,September,Thunderstorm Wind,"ELK",2017-09-16 14:17:00,CST-6,2017-09-16 14:19:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-95.97,37.57,-95.97,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Also had half inch diameter hail with the wind." +120551,722206,KANSAS,2017,September,Thunderstorm Wind,"NEOSHO",2017-09-16 14:51:00,CST-6,2017-09-16 14:53:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.49,37.67,-95.49,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","" +120551,722207,KANSAS,2017,September,Thunderstorm Wind,"NEOSHO",2017-09-16 14:54:00,CST-6,2017-09-16 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-95.46,37.67,-95.46,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Wind ranged between 50 and 60 mph." +120551,722208,KANSAS,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-16 15:24:00,CST-6,2017-09-16 15:26:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-95.91,37.2,-95.91,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Winds were estimated by a trained spotter." +120551,722209,KANSAS,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-16 15:26:00,CST-6,2017-09-16 15:28:00,0,0,0,0,0.00K,0,0.00K,0,37.11,-95.94,37.11,-95.94,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","The wind gusts ranged from 70 TO 80 mph. Report came from a broadcast media partner in Kansas City via social media." +120551,722210,KANSAS,2017,September,Thunderstorm Wind,"LABETTE",2017-09-16 16:10:00,CST-6,2017-09-16 16:12:00,0,0,0,0,0.00K,0,0.00K,0,37.34,-95.27,37.34,-95.27,"Winds up to 80 mph moved across southern Kansas causing damage to trees and power lines. A few hail reports were also noted.","Winds were estimated by a trained spotter." +120499,721904,VERMONT,2017,September,Thunderstorm Wind,"WINDHAM",2017-09-05 15:23:00,EST-5,2017-09-05 15:25:00,0,0,0,0,,NaN,,NaN,42.8758,-72.5604,42.8962,-72.5506,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","Numerous trees and power lines were reported down along Putney Road from the Veterans Bridge north to the Brattleboro town line." +120472,721775,WISCONSIN,2017,September,Hail,"PORTAGE",2017-09-20 17:38:00,CST-6,2017-09-20 17:38:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-89.33,44.37,-89.33,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Nickel size hail fell northwest of Blaine." +120472,721776,WISCONSIN,2017,September,Hail,"CALUMET",2017-09-20 18:48:00,CST-6,2017-09-20 18:48:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-88.27,44.17,-88.27,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Quarter size hail fell in Sherwood." +120472,721777,WISCONSIN,2017,September,Hail,"CALUMET",2017-09-20 19:17:00,CST-6,2017-09-20 19:17:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-88.36,44.24,-88.36,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","Nickel size hail fell near the intersection of Calumet Street and Highway 441." +120472,721778,WISCONSIN,2017,September,Hail,"OUTAGAMIE",2017-09-20 19:24:00,CST-6,2017-09-20 19:24:00,0,0,0,0,0.00K,0,0.00K,0,44.29,-88.27,44.29,-88.27,"A weak cold front moving across the state brought scattered thunderstorms to eastern Wisconsin. The strongest storms produced hail up to 2 inches in diameter, strong winds and torrential rainfall.","A thunderstorm produced nickel size hail and 40 to 50 mph wind gusts north of Kaukauna." +120662,722772,NORTH CAROLINA,2017,September,Rip Current,"EASTERN DARE",2017-09-09 17:00:00,EST-5,2017-09-09 17:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 17 year old male drowned in a rip current near Buxton.","A 17 year old male from Attleboro, MA drowned in a rip current a mile and a half north of the jetties in Buxton. The body was discovered on the morning of September 13 by Cape Hatteras National Seashore staff." +120661,722773,NEVADA,2017,September,Thunderstorm Wind,"WASHOE",2017-09-05 14:50:00,PST-8,2017-09-05 14:55:00,0,0,0,0,,NaN,,NaN,39.5078,-119.7682,39.5078,-119.7682,"Showers and thunderstorms developed each afternoon September 5th���6th as an upper-level area of low pressure off the California coast slowly moved into the Great Basin. Some of these thunderstorms produced strong wind gusts and hail.","An outflow from a line of thunderstorms produced a 57-knot peak gust at the KRNO ASOS. Airport observers also noted that visibility dropped to 3 statute miles south of the northward-moving gust front." +120661,722774,NEVADA,2017,September,Thunderstorm Wind,"PERSHING",2017-09-05 16:30:00,PST-8,2017-09-05 16:35:00,0,0,0,0,,NaN,,NaN,40.0684,-118.5702,40.0684,-118.5702,"Showers and thunderstorms developed each afternoon September 5th���6th as an upper-level area of low pressure off the California coast slowly moved into the Great Basin. Some of these thunderstorms produced strong wind gusts and hail.","A strong thunderstorm located near Lovelock Airport produced a wind gust of 59 knots." +120663,722775,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 23:10:00,EST-5,2017-09-01 23:10:00,0,0,0,0,0.00K,0,0.00K,0,35.511,-77.6785,35.5096,-77.6785,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Road closed between Newell Rd and Hwy 91 due to high water." +120534,722067,GEORGIA,2017,September,High Wind,"STEPHENS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over northeast Georgia. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722068,SOUTH CAROLINA,2017,September,High Wind,"ABBEVILLE",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722069,SOUTH CAROLINA,2017,September,High Wind,"OCONEE MOUNTAINS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722070,SOUTH CAROLINA,2017,September,High Wind,"PICKENS MOUNTAINS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722071,SOUTH CAROLINA,2017,September,High Wind,"GREENVILLE MOUNTAINS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722072,SOUTH CAROLINA,2017,September,High Wind,"GREATER OCONEE",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +119265,723154,SOUTH CAROLINA,2017,September,Strong Wind,"LEXINGTON",2017-09-11 15:42:00,EST-5,2017-09-11 15:42:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Columbia SC Metropolitan Airport measured a peak wind gust of 51 MPH at 4:42 pm EDT (1542 EST)." +119265,723155,SOUTH CAROLINA,2017,September,High Wind,"MCCORMICK",2017-09-11 15:35:00,EST-5,2017-09-11 15:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","J Strom Thurmond Dam operations manager reported that the entrance to Hawe Creek Campground blocked due to a downed tree." +119265,723156,SOUTH CAROLINA,2017,September,High Wind,"LEXINGTON",2017-09-11 15:48:00,EST-5,2017-09-11 15:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Large tree down on a home on Duchess Trail Rd." +120588,722409,MINNESOTA,2017,September,Hail,"CROW WING",2017-09-20 00:53:00,CST-6,2017-09-20 00:58:00,0,0,0,0,,NaN,,NaN,46.22,-93.82,46.22,-93.82,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","" +120588,722410,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-20 00:56:00,CST-6,2017-09-20 00:56:00,0,0,0,0,,NaN,,NaN,47.1,-94.21,47.1,-94.21,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down on County Road 8 in Boy Lake Township." +120588,722411,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-20 01:00:00,CST-6,2017-09-20 01:00:00,0,0,0,0,,NaN,,NaN,47.18,-94.14,47.18,-94.14,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down on County Road 63 in Boy River Township." +120588,722412,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-20 01:03:00,CST-6,2017-09-20 01:03:00,0,0,0,0,,NaN,,NaN,47.34,-94.21,47.34,-94.21,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Multiple trees were knocked down." +120680,722825,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-09 16:15:00,PST-8,2017-09-09 18:15:00,0,0,0,0,1.00M,1000000,0.00K,0,33.8075,-116.5538,33.747,-116.5544,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","The second intense thunderstorm of the day rolled over Palm Canyon and Palm Springs producing a daily rainfall record. Intense runoff through Palm Canyon Creek and the Whitewater River resulted in a closure of Cathedral Canyon Road and a swiftwater rescue and closure at Golf Club Drive. South Araby Drive was also closed. Other sections of the city were inundated with standing water and street flooding. Numerous homes suffered flood damage, cars were water logged and streets covered in debris." +120680,722845,CALIFORNIA,2017,September,Flash Flood,"SAN DIEGO",2017-09-07 18:15:00,PST-8,2017-09-07 18:45:00,0,0,0,0,15.00K,15000,0.00K,0,33.3001,-116.2942,33.3055,-116.2676,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","Flash flooding washed out the shoulder of the S22 (Borrego Salton Seaway) near Borrego Springs." +120680,722857,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-09 16:00:00,PST-8,2017-09-09 18:00:00,0,0,0,0,400.00K,400000,0.00K,0,33.7941,-116.5059,33.7944,-116.5018,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A 1-3 ft wall of water and debris surged through the Safari Mobile Home Park in Palm Springs. Multiple homes were damaged, Santa Monica Street was filled with debris and several residents were stranded in their homes." +118391,711453,WEST VIRGINIA,2017,August,Thunderstorm Wind,"PLEASANTS",2017-08-19 18:19:00,EST-5,2017-08-19 18:19:00,0,0,0,0,5.00K,5000,0.00K,0,39.41,-81.18,39.41,-81.18,"A surface cold front and upper level trough of low pressure moved into the mid and upper Ohio River Valley during the afternoon of the 19th. A couple of the storms had gusty outflow winds, which produced minor tree damage.","A tree limb fell onto a parked car and truck, causing minor damage to both." +118392,711458,OHIO,2017,August,Thunderstorm Wind,"GALLIA",2017-08-22 13:56:00,EST-5,2017-08-22 13:56:00,0,0,0,0,2.00K,2000,0.00K,0,38.67,-82.32,38.67,-82.32,"A strong cold front pushed into a moist and unstable air mass across the middle Ohio River Valley on the 22nd. Ahead of the cold front, a line of strong to severe thunderstorms formed during the afternoon. This line peaked in strength as it crossed the Ohio River, and then weakened rapidly as it continued eastward.","Multiple trees were blown down along State Route 790." +118392,711459,OHIO,2017,August,Thunderstorm Wind,"GALLIA",2017-08-22 13:58:00,EST-5,2017-08-22 13:58:00,0,0,0,0,2.00K,2000,0.00K,0,38.6271,-82.2952,38.6271,-82.2952,"A strong cold front pushed into a moist and unstable air mass across the middle Ohio River Valley on the 22nd. Ahead of the cold front, a line of strong to severe thunderstorms formed during the afternoon. This line peaked in strength as it crossed the Ohio River, and then weakened rapidly as it continued eastward.","Multiple large trees fell down along State Route 218." +118394,711461,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MASON",2017-08-22 14:16:00,EST-5,2017-08-22 14:16:00,0,0,0,0,1.00K,1000,0.00K,0,38.64,-82.08,38.64,-82.08,"A strong cold front pushed into a moist and unstable air mass across the middle Ohio River Valley on the 22nd. Ahead of the cold front, a line of strong to severe thunderstorms formed during the afternoon. This line peaked in strength as it crossed the Ohio River, and then weakened rapidly as it continued eastward.","Multiple large limbs were broken and fell down near WV 37." +118394,711464,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MASON",2017-08-22 14:24:00,EST-5,2017-08-22 14:24:00,0,0,0,0,1.00K,1000,0.00K,0,38.73,-82.04,38.73,-82.04,"A strong cold front pushed into a moist and unstable air mass across the middle Ohio River Valley on the 22nd. Ahead of the cold front, a line of strong to severe thunderstorms formed during the afternoon. This line peaked in strength as it crossed the Ohio River, and then weakened rapidly as it continued eastward.","Two trees were blown down and fell across County Route 40." +117847,708307,GEORGIA,2017,August,Thunderstorm Wind,"WARE",2017-08-04 15:10:00,EST-5,2017-08-04 15:10:00,0,0,0,0,0.00K,0,0.00K,0,31.36,-82.48,31.36,-82.48,"Southwest steering flow, high moisture content and active sea breeze convection under a weakening mid level short wave trough produced a few strong to severe storms in the afternoon and evening.","Trees were blown down across Bickley Highway." +117848,708308,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-08-04 19:39:00,EST-5,2017-08-04 19:39:00,0,0,0,0,0.00K,0,0.00K,0,29.85,-81.3311,29.85,-81.3311,"Southwest steering flow, high moisture content and active sea breeze convection under a weakening mid level short wave trough produced a few strong to severe storms in the afternoon and evening.","" +118678,712985,ARIZONA,2017,August,Dust Storm,"CENTRAL DESERTS",2017-08-04 21:30:00,MST-7,2017-08-04 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Isolated to scattered thunderstorms developed across portions of south-central Arizona on August 4th, and they brought typical monsoon weather hazards to the area such as damaging outflow winds and dense blowing dust. For the most part, the day was not especially active convectively speaking, but gusty winds did blow down several trees near Deer Valley during the mid morning, and during the evening hours, strong winds in the Ak-Chin area caused localized dust storm conditions and also damaged a trailer, knocking it off of its foundation.","Isolated thunderstorms developed over the central deserts during the evening hours on August 4th, and some of them produced gusty outflow winds reaching speeds of at least 40 mph. The strong winds picked up dust and dirt and created dense blowing dust, sufficient to briefly cause a dust storm. According to a trained weather spotter located 11 miles southeast of the Ak-Chin village, at 2137MST dense blowing dust briefly lowered visibility below one quarter of a mile. A Dust Storm Warning was not issued however due to the limited areal extent of the dense blowing dust." +118678,712986,ARIZONA,2017,August,Thunderstorm Wind,"PINAL",2017-08-04 21:37:00,MST-7,2017-08-04 21:37:00,0,0,0,0,5.00K,5000,0.00K,0,33.0257,-112.1512,33.0257,-112.1512,"Isolated to scattered thunderstorms developed across portions of south-central Arizona on August 4th, and they brought typical monsoon weather hazards to the area such as damaging outflow winds and dense blowing dust. For the most part, the day was not especially active convectively speaking, but gusty winds did blow down several trees near Deer Valley during the mid morning, and during the evening hours, strong winds in the Ak-Chin area caused localized dust storm conditions and also damaged a trailer, knocking it off of its foundation.","Thunderstorms developed across the far southern portions of the greater Phoenix area during the evening hours and one of the stronger storms generated gusty damaging microburst winds estimated to be as high as 70 mph. According to a trained weather spotter 11 miles southeast of the Ak-Chin Village, around 2130MST gusty winds damaged a trailer in the Hidden Valley area which is to the southwest of the town of Maricopa. The trailer was knocked off of its base by the strong winds. The spotter was passing along the information about the damaged trailer." +120577,722324,MAINE,2017,September,Thunderstorm Wind,"CUMBERLAND",2017-09-05 16:10:00,EST-5,2017-09-05 16:15:00,0,0,0,0,0.00K,0,0.00K,0,43.97,-70.61,43.97,-70.61,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed a tree on State Park Road in Naples." +120577,722325,MAINE,2017,September,Thunderstorm Wind,"ANDROSCOGGIN",2017-09-05 16:30:00,EST-5,2017-09-05 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-70.22,44.1,-70.22,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed power lines on Switzerland Road in Auburn." +120577,722326,MAINE,2017,September,Thunderstorm Wind,"ANDROSCOGGIN",2017-09-05 17:45:00,EST-5,2017-09-05 17:50:00,0,0,0,0,0.00K,0,0.00K,0,44.31,-70.23,44.31,-70.23,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed trees on Pleasant Pond Road in Howes Corner." +120577,722327,MAINE,2017,September,Thunderstorm Wind,"SOMERSET",2017-09-05 18:20:00,EST-5,2017-09-05 18:25:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-69.6,44.59,-69.6,"A cold front was approaching the area from the northwest during the afternoon of September 5th. A high shear, low CAPE environment was in place ahead of the front. As instability built during the afternoon, strong low- to mid-level winds mixed down to the ground in stronger cells. Numerous reports of wind damage occurred with these storms.","A severe thunderstorm downed a tree on West Street in Fairfield." +118397,711484,KENTUCKY,2017,September,Flash Flood,"SIMPSON",2017-09-01 01:07:00,CST-6,2017-09-01 01:07:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-86.67,36.7362,-86.6691,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","Local law enforcement reported that Kentucky Highway 100 at mile marker 16 was closed due to high water over the bridge." +120690,722909,FLORIDA,2017,September,Tropical Storm,"METROPOLITAN MIAMI-DADE",2017-09-09 09:00:00,EST-5,2017-09-10 21:00:00,0,0,0,5,,NaN,255.00M,255000000,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph, with gusts to hurricane force as high as 90-100 mph. A peak wind gust of 99 mph was measured at the FAA observation tower at Miami International Airport at 119 PM on September 10th. These winds produced heavy tree, fence and power pole damage, with mostly minor damage to structures. 888,530 customers lost power, 80% of total customers. Around 31,100 people evacuated to shelters. Over 1,500 structures suffered notable damage, an estimate that will likely increase as additional damage assessments are done. Estimate of damage to the agricultural industry totaled about $255 million, and overall damage in Miami-Dade County is likely much higher and awaiting final assessments." +120690,722911,FLORIDA,2017,September,Tornado,"BROWARD",2017-09-09 17:35:00,EST-5,2017-09-09 17:39:00,0,0,0,0,,NaN,,NaN,26.1383,-80.1039,26.1559,-80.1281,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","During a NWS storm survey for Hurricane Irma evidence was found of a discontinuous track of a tornado from Fort Lauderdale Beach to Wilton Manors. Multiple trees were damaged along the path." +120690,722914,FLORIDA,2017,September,Hurricane,"MAINLAND MONROE",2017-09-09 06:00:00,EST-5,2017-09-10 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Satellite imagery and radar velocity data support wind speeds of 75 to 90 mph were sustained in Mainland Monroe county. Tree damage and storm surge was also evident via satellite imagery." +120690,723025,FLORIDA,2017,September,Tropical Storm,"COASTAL BROWARD COUNTY",2017-09-09 12:00:00,EST-5,2017-09-10 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph, with possible isolated spots of sustained wind to hurricane force. Gusts of 80 to 100 mph were common across most of metro Broward County. These winds produced heavy tree, fences and power pole damage. Structural damage was mostly minor. Information on death toll, estimates of damage, number of people in evacuation shelters and number of customers without power is contained in the event summary for Metro Broward County." +120690,723026,FLORIDA,2017,September,Tropical Storm,"METRO BROWARD COUNTY",2017-09-09 15:00:00,EST-5,2017-09-10 22:00:00,0,0,1,20,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph, with possible isolated spots of sustained wind to hurricane force. Gusts of 80 to 100 mph were common across most of metro Broward County. These winds produced heavy tree, fences and power pole damage. Structural damage was mostly minor. A total of 689,500 customers lost power, abput 74% of total customers. Around 17,000 people evacuated to county shelters.||One direct fatality occurred in the Miami Gardens neighborhood in the southern part of the county where an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home the night before landfall. The victim hit his head on the floor and died a few days later from the resulting injuries." +120690,723027,FLORIDA,2017,September,Tornado,"MIAMI-DADE",2017-09-09 18:20:00,EST-5,2017-09-09 18:22:00,0,0,0,0,,NaN,,NaN,25.44,-80.39,25.4444,-80.4012,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","A tornado was reported by a member of the public around Homestead Motor Speedway." +114222,685690,MISSOURI,2017,March,Hail,"NODAWAY",2017-03-06 18:32:00,CST-6,2017-03-06 18:32:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-94.93,40.35,-94.93,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,685757,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:05:00,CST-6,2017-03-06 20:06:00,0,0,0,0,0.00K,0,0.00K,0,39.11,-94.5,39.11,-94.5,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +118675,713114,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-09 17:25:00,CST-6,2017-08-09 20:30:00,0,0,0,0,3.00K,3000,0.00K,0,31.33,-89.33,31.3326,-89.3302,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Water covered the road on Highway 49 under the overpass at West 4th Street." +118675,713132,MISSISSIPPI,2017,August,Thunderstorm Wind,"JONES",2017-08-09 18:15:00,CST-6,2017-08-09 18:15:00,0,0,0,0,8.00K,8000,0.00K,0,31.6422,-89.1809,31.6422,-89.1809,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Trees and powerlines were blown down on Palmer Road and Burnt Bridge Road." +118675,713135,MISSISSIPPI,2017,August,Flash Flood,"JONES",2017-08-09 18:20:00,CST-6,2017-08-09 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.45,-89.28,31.4486,-89.2891,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A lot of flash flooding occurred around the WDAM studios, including water that covered that road." +118675,713138,MISSISSIPPI,2017,August,Flash Flood,"JONES",2017-08-09 18:20:00,CST-6,2017-08-09 21:15:00,0,0,0,0,15.00K,15000,0.00K,0,31.6098,-89.1944,31.6124,-89.2052,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Flooding occurred on several roads around Ellisville, including Washington, Anderson, Adams, Devall streets as well as on Old School Road." +118675,713139,MISSISSIPPI,2017,August,Flash Flood,"JONES",2017-08-09 18:40:00,CST-6,2017-08-09 21:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.7,-89.1,31.7014,-89.0951,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","The off ramp at Highways 84 and 184 was flooded." +118675,713281,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-10 13:30:00,CST-6,2017-08-10 16:15:00,0,0,0,0,30.00K,30000,0.00K,0,31.2927,-89.2841,31.2927,-89.2804,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Four to six inches of water occurred in a home along Collins Road." +118675,713282,MISSISSIPPI,2017,August,Flash Flood,"LAMAR",2017-08-10 14:05:00,CST-6,2017-08-10 16:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.42,-89.55,31.4261,-89.5362,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Mississippi Highway 589 was closed in Sumrall due to flooding." +119408,716654,MONTANA,2017,August,Drought,"DAWSON",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Dawson County entered August with the northern third of the county experiencing Extreme (D3) drought conditions, with the southern two thirds experiencing Severe (D2) drought conditions. Generally less than half an inch of rain fell across the county, which was approximately one inch below normal. The continued dry weather worsened the drought across Dawson County, with the entire county experiencing Extreme (D3) to Exceptional (D4) drought conditions by the end of the month." +119408,716655,MONTANA,2017,August,Drought,"EASTERN ROOSEVELT",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Eastern Roosevelt County entered August experiencing Extreme (D3) drought conditions, which persisted throughout the month. Generally a little more than one inch of rain fell across the area, which was only about one quarter of an inch below normal. Although the rainfall received prevented the drought from worsening to Exceptional (D4) levels, it was not enough to see any improvement, either." +119408,716656,MONTANA,2017,August,Drought,"GARFIELD",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Garfield County entered August experiencing Extreme (D3) drought conditions across the southern half of the county and Exceptional (D4) drought conditions across the northern half of the county. The area was hit especially hard in August, with generally a tenth of an inch or less of rain falling throughout the county, which is one to one and a half inches below normal. This caused the drought to worsen to Exceptional (D4) levels across the entire county by the end of the month." +119408,716657,MONTANA,2017,August,Drought,"MCCONE",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","McCone County entered August experiencing Extreme (D3) drought conditions across most of the county, with Exceptional (D4) drought conditions across the northwestern portions. The area was hit especially hard in August, with generally half an inch or less of rain falling throughout the county, which is a little more than one inch below normal. This caused the drought to worsen to Exceptional (D4) levels across the entire county by the end of the month." +117891,708499,TEXAS,2017,August,Heat,"MARION",2017-08-19 20:32:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s on August 20th. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117891,708500,TEXAS,2017,August,Heat,"HARRISON",2017-08-19 20:32:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s on August 20th. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117891,708501,TEXAS,2017,August,Heat,"GREGG",2017-08-19 20:32:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s on August 20th. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117891,708503,TEXAS,2017,August,Heat,"RUSK",2017-08-19 20:32:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s on August 20th. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117921,708659,ARKANSAS,2017,August,Flash Flood,"HOWARD",2017-08-23 06:00:00,CST-6,2017-08-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0282,-93.9506,34.0285,-93.9439,"A weak frontal boundary moved into Southeast Oklahoma and Southwest Arkansas from the north during the early morning hours of August 23rd. Upper level impulses in the northwest flow aloft interacted with ample low level moisture and forcing near the frontal boundary to produce showers and thunderstorms over much of Southeast Oklahoma and Southwest Arkansas. These storms produced locally heavy rainfall and continued to redevelop over the same areas of Central Howard County Arkansas, where high water was reported over roadways in the Center Point community.","High water covered the intersection of Highway 278 and Highway 26." +119371,717606,VIRGINIA,2017,August,Thunderstorm Wind,"MANASSAS (C)",2017-08-11 18:05:00,EST-5,2017-08-11 18:05:00,0,0,0,0,,NaN,,NaN,38.7474,-77.4854,38.7474,-77.4854,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree fell into a house along the 6800 Block of Saint Paul Drive." +119371,717607,VIRGINIA,2017,August,Thunderstorm Wind,"PRINCE WILLIAM",2017-08-11 17:46:00,EST-5,2017-08-11 17:46:00,0,0,0,0,,NaN,,NaN,38.8261,-77.6377,38.8261,-77.6377,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree fell into a house along the 5900 Block of Spout Spring Court." +119371,717608,VIRGINIA,2017,August,Thunderstorm Wind,"PRINCE WILLIAM",2017-08-11 18:09:00,EST-5,2017-08-11 18:09:00,0,0,0,0,,NaN,,NaN,38.7326,-77.5459,38.7326,-77.5459,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","A tree was down along power lines near Nokesville Road and Bristow Road." +119371,717609,VIRGINIA,2017,August,Thunderstorm Wind,"PRINCE WILLIAM",2017-08-11 18:14:00,EST-5,2017-08-11 18:14:00,0,0,0,0,,NaN,,NaN,38.7132,-77.4407,38.7132,-77.4407,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Multiple trees were knocked over and uprooted with a few snapped in half along Blandsford Drive." +119371,717610,VIRGINIA,2017,August,Thunderstorm Wind,"PRINCE WILLIAM",2017-08-11 18:14:00,EST-5,2017-08-11 18:14:00,0,0,0,0,,NaN,,NaN,38.7051,-77.4519,38.7051,-77.4519,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Piney Avenue was blocked due to downed trees." +119371,717612,VIRGINIA,2017,August,Tornado,"FAUQUIER",2017-08-11 17:08:00,EST-5,2017-08-11 17:10:00,0,0,0,0,,NaN,,NaN,38.8222,-77.733,38.8183,-77.7079,"A cold front and an upper-level trough caused showers and thunderstorms to develop. Some thunderstorms were severe due to stronger winds aloft and an unstable atmosphere.","Numerous trees were uprooted and large branches snapped along a|1.2-mile long path that paralleled John Marshall Highway just to|its south. Some trees fell on power lines and homes. The tornado|touched down as the circulation crossed Blantyre Road between|Trapp Branch Road and Georgetown Road, then tracked east and|lifted two minutes later shortly after crossing Beverlys Mill |Road a quarter mile south of John Marshall Highway.||KLWX Doppler Radar and FAA Terminal Doppler Radars showed a|rotating supercell with a classic hook echo signature crossing|these areas between 608 and 610 PM. Tree damage showed a|convergent signature, implying rotation reached the ground." +119372,717615,MARYLAND,2017,August,Hail,"FREDERICK",2017-08-12 16:31:00,EST-5,2017-08-12 16:31:00,0,0,0,0,,NaN,,NaN,39.4344,-77.425,39.4344,-77.425,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Quarter sized hail was reported near Frederick." +119372,717617,MARYLAND,2017,August,Hail,"FREDERICK",2017-08-12 17:10:00,EST-5,2017-08-12 17:10:00,0,0,0,0,,NaN,,NaN,39.3424,-77.1972,39.3424,-77.1972,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Quarter sized hail was reported near Friendship." +117779,708109,MINNESOTA,2017,August,Tornado,"NICOLLET",2017-08-16 16:03:00,CST-6,2017-08-16 16:09:00,0,0,0,0,0.00K,0,0.00K,0,44.244,-94.1705,44.2711,-94.1806,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","Shortly after one tornado, a second tornado developed south of Nicollet and moved north. It was observed by a local citizen, and a damage survey showed that it caused damage to corn fields. Placement of tornado track was based on high-res satellite imagery." +117779,708111,MINNESOTA,2017,August,Tornado,"NICOLLET",2017-08-16 16:33:00,CST-6,2017-08-16 16:44:00,0,0,0,0,0.00K,0,0.00K,0,44.4065,-94.1975,44.4566,-94.2208,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","The strongest tornado of the day developed in northern Nicollet County and lifted into|Sibley County. This was a multi-vortex tornado. Video shows one vortex struck a farmstead directly causing significant damage to trees and out buildings." +119611,717573,ARKANSAS,2017,August,Thunderstorm Wind,"NEWTON",2017-08-18 18:13:00,CST-6,2017-08-18 18:13:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-93.3,36.1,-93.3,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","NWS Cooperative Observer reports at least one tree blew over in their yard and estimated winds around 60 mph." +119889,718648,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 00:11:00,CST-6,2017-08-22 02:11:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-94.53,39.0967,-94.5295,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue occurred at 12th St and Jackson St." +119889,718649,MISSOURI,2017,August,Flash Flood,"CASS",2017-08-22 00:23:00,CST-6,2017-08-22 02:23:00,0,0,0,0,0.00K,0,0.00K,0,38.6697,-94.3777,38.6083,-94.3849,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Several streets in Harrisonville were flooded with 2 to 3 feet of water." +119889,718650,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 00:46:00,CST-6,2017-08-22 02:46:00,0,0,0,0,0.00K,0,0.00K,0,38.8539,-94.5528,38.8012,-94.5435,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue was performed at an unknown intersection near Belton." +119889,718651,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 01:05:00,CST-6,2017-08-22 02:35:00,0,0,0,0,0.00K,0,0.00K,0,39.0149,-94.537,38.9928,-94.537,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue was performed near Swope Park as a vehicle became stranded." +117490,709312,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:37:00,EST-5,2017-08-07 13:37:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-75.23,39.43,-75.23,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just over 2 inches of rain fell." +117490,709315,NEW JERSEY,2017,August,Heavy Rain,"ATLANTIC",2017-08-07 16:31:00,EST-5,2017-08-07 16:31:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-74.77,39.35,-74.77,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Just over 2 inches of rain fell." +117974,709433,NEW JERSEY,2017,August,Flood,"SOMERSET",2017-08-22 22:50:00,EST-5,2017-08-22 23:50:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-74.63,40.5076,-74.6298,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Minor street flooding was reported." +117974,709434,NEW JERSEY,2017,August,Flood,"SOMERSET",2017-08-22 23:44:00,EST-5,2017-08-23 00:44:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-74.44,40.6182,-74.4326,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Flooding occurred on Rockview Ave." +117974,709435,NEW JERSEY,2017,August,Flood,"CAMDEN",2017-08-23 01:00:00,EST-5,2017-08-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.7998,-75.0353,39.8007,-75.0244,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A basement collapsed due to flooding." +117974,709436,NEW JERSEY,2017,August,Flood,"CAMDEN",2017-08-23 01:02:00,EST-5,2017-08-23 02:02:00,0,0,0,0,0.00K,0,0.00K,0,39.92,-75.03,39.9181,-75.0312,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Route 70 was closed at Haddonfield road due to flooding." +117974,709437,NEW JERSEY,2017,August,Flood,"GLOUCESTER",2017-08-23 01:29:00,EST-5,2017-08-23 02:29:00,0,0,0,0,0.00K,0,0.00K,0,39.8724,-75.1334,39.8755,-75.1253,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","NJ 45 closed at the intersection with 130 due to flooding." +117972,709439,NEW JERSEY,2017,August,Flood,"OCEAN",2017-08-18 08:55:00,EST-5,2017-08-18 09:55:00,0,0,0,0,0.00K,0,0.00K,0,39.957,-74.1737,39.9683,-74.1806,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Flooding on route 37 from Collidge ave to Fischer blvd." +117972,709440,NEW JERSEY,2017,August,Flood,"BURLINGTON",2017-08-18 18:25:00,EST-5,2017-08-18 19:25:00,0,0,0,0,0.00K,0,0.00K,0,40.0747,-74.8607,40.0755,-74.8507,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Minor street flooding occurred." +117971,709443,PENNSYLVANIA,2017,August,Flood,"BERKS",2017-08-18 14:15:00,EST-5,2017-08-18 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-75.81,40.6114,-75.818,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Landslide blocked parts of route 737." +117971,709444,PENNSYLVANIA,2017,August,Hail,"BUCKS",2017-08-18 17:15:00,EST-5,2017-08-18 17:15:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-74.85,40.24,-74.85,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Nickel size hail." +120158,719925,MARYLAND,2017,August,Heavy Rain,"TALBOT",2017-08-29 00:00:00,EST-5,2017-08-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,38.775,-76.069,38.775,-76.069,"Coastal low pressure lead to storm total rainfall up to around two inches across portions of the eastern shore of Maryland on 8/29 and 8/30.","A Storm Total Rainfall of 2.03 inches was measured 1 mile north-northwest of Easton, MD at 7:00 AM on 8/30." +122206,731552,TEXAS,2017,December,Drought,"RAINS",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Rains County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731553,TEXAS,2017,December,Drought,"KAUFMAN",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Kaufman County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731554,TEXAS,2017,December,Drought,"VAN ZANDT",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Van Zandt County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731555,TEXAS,2017,December,Drought,"HENDERSON",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Henderson County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731556,TEXAS,2017,December,Drought,"ANDERSON",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Anderson County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731557,TEXAS,2017,December,Drought,"NAVARRO",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Navarro County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731558,TEXAS,2017,December,Drought,"FREESTONE",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Freestone County ended after 12/19 following beneficial rainfall during the middle part of the month." +118443,711729,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LACKAWANNA",2017-08-02 13:37:00,EST-5,2017-08-02 13:47:00,0,0,0,0,1.00K,1000,0.00K,0,41.49,-75.71,41.49,-75.71,"A weak shortwave moved into western New York Wednesday morning and slowly moved east throughout the day. By Wednesday afternoon, showers and thunderstorms had developed across the area. Some of these storms quickly became severe as the environment was very unstable and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a large tree on Bald Mountain Road." +118570,712295,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SUSQUEHANNA",2017-08-18 12:39:00,EST-5,2017-08-18 12:49:00,0,0,0,0,5.00K,5000,0.00K,0,41.74,-75.49,41.74,-75.49,"A cold front moves across the northeast Pennsylvania Friday afternoon, and showers and thunderstorms developed ahead and along the front. As the front moved it, it moved into an unstable environment. Some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and produced structural damage to a house." +118574,712301,NEW YORK,2017,August,Hail,"ONEIDA",2017-08-22 15:20:00,EST-5,2017-08-22 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,43.13,-75.58,43.13,-75.58,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm developed over the area and produced golf ball sized hail." +118574,712302,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 14:08:00,EST-5,2017-08-22 14:18:00,0,0,0,0,5.00K,5000,0.00K,0,43.22,-76.43,43.22,-76.43,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712303,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 14:27:00,EST-5,2017-08-22 14:37:00,0,0,0,0,5.00K,5000,0.00K,0,43.09,-76.17,43.09,-76.17,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712305,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 14:41:00,EST-5,2017-08-22 14:51:00,0,0,0,0,5.00K,5000,0.00K,0,43.14,-76.14,43.14,-76.14,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118733,713255,MISSISSIPPI,2017,August,Flash Flood,"JACKSON",2017-08-30 01:30:00,CST-6,2017-08-30 03:30:00,0,0,0,0,0.00K,0,0.00K,0,30.371,-88.5313,30.3647,-88.5304,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","Local broadcast media relayed a report from the Pascagoula Police Department of 12 people rescued from floodwaters. Eight were residents on Tupelo Avenue and four were residents of Railroad Street. Event time was estimated by radar." +118733,713257,MISSISSIPPI,2017,August,Tornado,"JACKSON",2017-08-30 01:20:00,CST-6,2017-08-30 01:22:00,0,0,0,0,0.00K,0,0.00K,0,30.3431,-88.5479,30.3467,-88.5481,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","An apparent waterspout came onshore near Market Street, producing light to moderate damage for several blocks inland before dissipating. Damage included several downed trees and downed fencing. Two homes were damaged by falling trees. Maximum estimated wind speed 85 mph, damage path 0.25 miles and path width 200 yards." +118733,713259,MISSISSIPPI,2017,August,Tornado,"PEARL RIVER",2017-08-30 09:07:00,CST-6,2017-08-30 09:13:00,0,0,0,0,0.00K,0,0.00K,0,30.7239,-89.3618,30.7703,-89.3532,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","The tornado produced mostly EF-0 damage, but a large farmstead had two barns heavily damaged with EF-1 type damage with winds estimated at 100 mph. Large hardwood trees were split. Large encased walnuts were thrown as projectiles through airborne shingles. A small limb was wind driven and wedged between a window frame and the brick wall without breaking the glass. A social media photo was posted showing the tornado from the starting location vantage point." +118733,713261,MISSISSIPPI,2017,August,Tornado,"JACKSON",2017-08-30 10:31:00,CST-6,2017-08-30 10:35:00,0,0,0,0,0.00K,0,0.00K,0,30.3638,-88.769,30.3956,-88.7562,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","A large waterspout moved onshore as a tornado near Seacliff Boulevard and produced mainly tree damage to hardwoods and softwoods. Minor awning and shingle damage was observed and light objects were tossed. Tin sheeting was observed in trees and several fences were blown down. Damage was consistent with EF-0 damage with an estimated wind speed of 85 mph. Damage width was about 2 blocks wide where the waterspout moved onshore and about 100 yards wide upon lifting near Old Spanish Trail near 9th Avenue." +120336,721044,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-19 19:40:00,EST-5,2017-08-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"Scattered thunderstorms produced isolated gale force wind gusts near Islamorada, and more widespread over and near Key West. A surface trough was moving west through the Florida Keys, focusing thunderstorms ventilated with favorable upper divergence east of a Tropical Upper Tropospheric Trough (TUTT) axis.","A wind gust of 45 knots was measured at the WFO Key West RSOIS." +120336,721045,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-08-19 19:40:00,EST-5,2017-08-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"Scattered thunderstorms produced isolated gale force wind gusts near Islamorada, and more widespread over and near Key West. A surface trough was moving west through the Florida Keys, focusing thunderstorms ventilated with favorable upper divergence east of a Tropical Upper Tropospheric Trough (TUTT) axis.","A wind gust of 39 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Station Key West." +120336,721046,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-08-19 20:59:00,EST-5,2017-08-19 20:59:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Scattered thunderstorms produced isolated gale force wind gusts near Islamorada, and more widespread over and near Key West. A surface trough was moving west through the Florida Keys, focusing thunderstorms ventilated with favorable upper divergence east of a Tropical Upper Tropospheric Trough (TUTT) axis.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +120338,721047,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-25 15:00:00,EST-5,2017-08-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"Scattered gale-force wind gusts were observed in association with thunderstorms along an outflow boundary originating from strong convection over Cuba.","A wind gust of 38 knots was measured at the WFO Key West RSOIS." +120338,721048,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-25 15:07:00,EST-5,2017-08-25 15:07:00,0,0,0,0,0.00K,0,0.00K,0,24.5571,-81.7554,24.5571,-81.7554,"Scattered gale-force wind gusts were observed in association with thunderstorms along an outflow boundary originating from strong convection over Cuba.","A wind gust of 34 knots was measured at Key West International Airport." +120338,721049,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-08-25 15:14:00,EST-5,2017-08-25 15:14:00,0,0,0,0,0.00K,0,0.00K,0,24.5801,-81.6829,24.5801,-81.6829,"Scattered gale-force wind gusts were observed in association with thunderstorms along an outflow boundary originating from strong convection over Cuba.","A wind gust of 34 knots was measured the Naval Air Station Key West Boca Chica Field." +120338,721050,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-08-25 19:15:00,EST-5,2017-08-25 19:15:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Scattered gale-force wind gusts were observed in association with thunderstorms along an outflow boundary originating from strong convection over Cuba.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +120141,720021,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-16 06:30:00,CST-6,2017-08-16 06:30:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-99.84,41.5961,-99.8372,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Water covering approximately 1000 Feet of county road 812." +120141,720022,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-16 07:20:00,CST-6,2017-08-16 07:20:00,0,0,0,0,0.00K,0,0.00K,0,41.4777,-99.978,41.4836,-99.9792,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Water over highway 92 10 miles west of Merna." +120141,720023,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-16 07:20:00,CST-6,2017-08-16 07:20:00,0,0,0,0,0.00K,0,0.00K,0,41.5623,-99.8029,41.5595,-99.8122,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Water reported over highway 2, 5 miles northwest of Merna." +120141,720024,NEBRASKA,2017,August,Flash Flood,"CUSTER",2017-08-16 07:20:00,CST-6,2017-08-16 07:20:00,0,0,0,0,0.00K,0,0.00K,0,41.6352,-99.3629,41.6355,-99.3671,"A slow moving frontal boundary initiated thunderstorms across the central Nebraska Sandhills during the late morning hours of August 15th. As thunderstorms moved into the eastern Sandhills that afternoon, golf ball sized hail and rainfall over 4 inches was reported in portions of central Nebraska and the eastern Sandhills.","Water reported over highway 183 approximately 1 mile south of Sargent." +120168,720025,NEBRASKA,2017,August,Tornado,"LOUP",2017-08-19 18:40:00,CST-6,2017-08-19 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-99.66,41.93,-99.66,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Tornado briefly touched down with no damage reported." +120168,720026,NEBRASKA,2017,August,Tornado,"LOUP",2017-08-19 18:48:00,CST-6,2017-08-19 18:50:00,0,0,0,0,50.00K,50000,0.00K,0,41.87,-99.6,41.83,-99.58,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Tornado touched down and traveled approximately 2 miles to the south southeast. The tornado partially removed a roof off of a well built home. In addition, to the damaged roof, numerous power poles were snapped off along the tornado's path." +119789,718325,NEBRASKA,2017,August,Flash Flood,"PLATTE",2017-08-16 07:45:00,CST-6,2017-08-16 12:30:00,0,0,0,0,50.00K,50000,50.00K,50000,41.47,-97.6,41.4823,-97.6028,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","A county road was closed near Monroe due to flash flooding." +119789,718326,NEBRASKA,2017,August,Flash Flood,"SAUNDERS",2017-08-16 07:45:00,CST-6,2017-08-16 12:30:00,0,0,0,0,50.00K,50000,50.00K,50000,41.4,-96.71,41.2973,-96.7066,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","More than 5 inches of rain fell causing flooding of fields and creeks." +119789,718331,NEBRASKA,2017,August,Flood,"BUTLER",2017-08-16 12:45:00,CST-6,2017-08-17 11:00:00,0,0,0,0,100.00K,100000,100.00K,100000,41.18,-97.16,41.1909,-96.8846,"Heavy rainfall fell on August 15th-16th The heaviest rains were focused over western Butler and Polk counties. A cooperative weather observer in David City measured 6.01 inches of rain for this event. This rain caused the Big Blue River and nearby tributaries to reach flood stage, which lasted until 8/23. Many roads were flooded and closed for several days in the affected area. Highway 30 was flooded near Richland and Highway 15 had water over it in both Butler and Colfax counties. Further north highways 13 and 14 were closed due to flooding in Knox and Antelope counties. In total three flash flood warnings were issued for this event.","At least 50 roads were closed across Butler County due to widespread flooding with amounts of 4 to 6 inches reported. David City reported 6.01 inches of rain." +120002,719105,ALABAMA,2017,August,Flash Flood,"AUTAUGA",2017-08-10 16:15:00,CST-6,2017-08-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5045,-86.4124,32.4532,-86.4124,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Several roads flooded in the city of Prattville including portions of Highway 82." +117250,705232,NEW JERSEY,2017,August,Hail,"BURLINGTON",2017-08-03 16:30:00,EST-5,2017-08-03 16:30:00,0,0,0,0,,NaN,,NaN,40.15,-74.71,40.15,-74.71,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Dime size hail." +117250,705233,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-01 17:51:00,EST-5,2017-08-01 17:51:00,0,0,0,0,,NaN,,NaN,40.01,-75.01,40.01,-75.01,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Rainfall 1.5 inches in 1.5 hours of rain." +117250,705234,NEW JERSEY,2017,August,Heavy Rain,"OCEAN",2017-08-02 14:22:00,EST-5,2017-08-02 14:22:00,0,0,0,0,,NaN,,NaN,40.12,-74.35,40.12,-74.35,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Rainfall of 1.5 inches in 40 minutes." +117250,705235,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 16:40:00,EST-5,2017-08-03 16:40:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-74.8,40.12,-74.8,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Almost one inch of rain in 15 minutes." +117250,705236,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 17:18:00,EST-5,2017-08-03 17:18:00,0,0,0,0,,NaN,,NaN,40.1,-74.77,40.1,-74.77,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over an inch of rain in 15 minutes." +117250,705237,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 17:22:00,EST-5,2017-08-03 17:22:00,0,0,0,0,,NaN,,NaN,40.07,-74.82,40.07,-74.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Rainfall over an inch in 15 minutes." +117250,705238,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:00:00,EST-5,2017-08-03 18:00:00,0,0,0,0,,NaN,,NaN,40.04,-74.86,40.04,-74.86,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Total rainfall in 80 minutes over 4 inches." +117250,705239,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:06:00,EST-5,2017-08-03 18:06:00,0,0,0,0,,NaN,,NaN,40.08,-74.82,40.08,-74.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over four inches of rain in two hours." +117250,705240,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:10:00,EST-5,2017-08-03 18:10:00,0,0,0,0,,NaN,,NaN,40.07,-74.86,40.07,-74.86,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over four inches of rain fell in a couple of hours." +117250,705241,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:13:00,EST-5,2017-08-03 18:13:00,0,0,0,0,,NaN,,NaN,40.07,-74.82,40.07,-74.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over 4 inches of rain fell in a couple of hours." +117573,707054,TEXAS,2017,August,Heat,"GREGG",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707055,TEXAS,2017,August,Heat,"SMITH",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707056,TEXAS,2017,August,Heat,"CHEROKEE",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +122182,731407,IOWA,2017,December,Winter Weather,"BUENA VISTA",2017-12-21 11:00:00,CST-6,2017-12-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated around an inch. Snowfall of 1.0 inches was reported at Storm Lake." +122182,731411,IOWA,2017,December,Winter Weather,"CHEROKEE",2017-12-21 11:00:00,CST-6,2017-12-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated to an inch or less. Snowfall of 0.5 inch was reported at Cherokee." +122182,731413,IOWA,2017,December,Winter Weather,"WOODBURY",2017-12-21 12:00:00,CST-6,2017-12-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated to an inch or less. Snowfall of 1.0 inch was reported at Sioux City." +122182,731415,IOWA,2017,December,Winter Weather,"IDA",2017-12-21 12:00:00,CST-6,2017-12-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated to an inch or less. Snowfall of 1.4 inch was reported 3 miles NNE of Battle Creek." +122228,731691,MINNESOTA,2017,December,Cold/Wind Chill,"COTTONWOOD",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +122228,731692,MINNESOTA,2017,December,Cold/Wind Chill,"MURRAY",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +122228,731693,MINNESOTA,2017,December,Cold/Wind Chill,"LYON",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +118216,710385,ARIZONA,2017,August,Thunderstorm Wind,"YUMA",2017-08-03 16:05:00,MST-7,2017-08-03 16:05:00,0,0,0,0,30.00K,30000,0.00K,0,32.67,-113.97,32.67,-113.97,"Thunderstorms developed across portions of Yuma and La Paz Counties during the afternoon hours on August 3rd and some of the stronger storms affected the area east of Yuma, along Interstate 8 through the town of Tacna. Isolated strong storms produced gusty and damaging microburst winds that downed a number of power poles in the area around Tacna and further westward along Interstate 8. Additionally, some of the gusty outflow winds produced trailer damage to structures in the town of Tacna. No injuries were reported due to the strong winds. A Severe Thunderstorm Warning was not in effect at the time of the damage. Further to the north, at 1500MST, microburst winds 7 miles south of Quartzsite damaged several sheds and a trailer as well as an off-road vehicle.","Thunderstorms developed across portions of southwest Yuma County during the afternoon hours on August 3rd, and some of them affected the town of Tacna along Interstate 8. Some of the stronger storms generated gusty and damaging microburst winds estimated to be as high as 70 mph. According to a trained spotter about 2 miles southwest of Tacna, at 1605MST strong winds flipped several small trailers south of Interstate 8 near the intersection of 11th Street and Avenue 39. No injuries were reported as a result of the damage." +118216,710749,ARIZONA,2017,August,Thunderstorm Wind,"YUMA",2017-08-03 16:07:00,MST-7,2017-08-03 16:07:00,0,0,0,0,5.00K,5000,0.00K,0,32.71,-113.97,32.71,-113.97,"Thunderstorms developed across portions of Yuma and La Paz Counties during the afternoon hours on August 3rd and some of the stronger storms affected the area east of Yuma, along Interstate 8 through the town of Tacna. Isolated strong storms produced gusty and damaging microburst winds that downed a number of power poles in the area around Tacna and further westward along Interstate 8. Additionally, some of the gusty outflow winds produced trailer damage to structures in the town of Tacna. No injuries were reported due to the strong winds. A Severe Thunderstorm Warning was not in effect at the time of the damage. Further to the north, at 1500MST, microburst winds 7 miles south of Quartzsite damaged several sheds and a trailer as well as an off-road vehicle.","Thunderstorms developed to the east of Yuma, and near the town of Tacna, during the afternoon hours on August 3rd. Some of the stronger thunderstorms produced gusty and damaging outflow winds estimated to be at least 60 mph in strength. According to a trained weather spotter, strong outflow winds blew the awning off of a home near Avenue 39 and County 8, about 1 mile northwest of the town of Tacna." +118163,710796,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:00:00,MST-7,2017-08-03 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.68,-112.2,33.68,-112.2,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Thunderstorms developed across the northern portion of the greater Phoenix area during the late afternoon hours on August 3rd; some of them affected the area around Deer Valley. One of the stronger storms developed gusty and damaging outflow winds estimated to be as high as 60 mph. According to a report from the public via social media, at 1700MST gusty winds downed several trees in the parking lot of a local Sprouts. This was also confirmed by the store. This occurred near the intersection of North 67th Avenue and West Deer Valley Road." +118163,710797,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:00:00,MST-7,2017-08-03 17:10:00,0,0,0,0,50.00K,50000,0.00K,0,33.45,-111.95,33.45,-111.95,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered monsoon thunderstorms developed over the central portion of the greater Phoenix metropolitan area during the late afternoon hours on August 3rd and some of them affected the downtown area near the Phoenix Sky Harbor Airport. Some of the stronger storms produced gusty and damaging outflow winds estimated to be as high as 65 mph. According to a report from the Park and Forest Service, at 1700MST gusty outflow winds downed multiple trees at the Phoenix Zoo; the winds also caused damage to some of the animal enclosures at the zoo. The zoo is just to the east of the airport and about 2 miles northwest of Arizona State University. At the same time, the Phoenix Storm Drain Department reported both a downed tree and a downed power pole about 3 miles to the northeast of the airport. Finally, at 1710MST broadcast media reported that strong winds downed a tree which caused a hole in a local roof. This occurred 3 miles northeast of the airport; the hole in the roof led to flooding within the damaged building." +118767,713498,MASSACHUSETTS,2017,August,High Surf,"NANTUCKET",2017-08-16 08:00:00,EST-5,2017-08-16 18:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Gert moved north toward New England on August 14 and spread a high swell toward the region. Gert then turned toward the northeast on August 15 and then moved out to sea. Heavy surf spread along the southern coast of Massachusetts by Wednesday morning August 16, then diminished Wednesday night.","A lifeguard rescuing a group of distressed swimmers outside of the lifeguarded area of Nobadeer Beach discovered a man floating face-down in the water late in the morning. The lifeguard and three off-duty lifeguards brought the 47-year-old man to shore and performed CPR until a Nantucket Fire Department ambulance arrived shortly after noon to transport the man to the hospital. The man was pronounced dead at the hospital.||Waves on the south shore of the island were estimated at twelve feet, with strong rip currents in place. The beach was double red-flagged to indicate that swimming was not allowed. A High Surf Advisory was in effect." +118675,713126,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-09 17:45:00,CST-6,2017-08-09 20:30:00,0,0,0,0,300.00K,300000,0.00K,0,31.3247,-89.328,31.3138,-89.3216,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","Numerous roads were flooded around Hattiesburg. Flash flooding occurred at Highway 49 northbound and Hardy Street, Vickers Circle, West 4th Street and Main Street, Hall Avenue, the intersection of Pittman Road and River Road. Water also went into homes on Aztec Street. Flash flooding also occurred on some roads near the Hattiesburg Zoo. Flood waters entered Hattiesburg Fire Station #1." +118739,713299,MISSISSIPPI,2017,August,Flash Flood,"SUNFLOWER",2017-08-14 06:54:00,CST-6,2017-08-14 09:30:00,0,0,0,0,100.00K,100000,0.00K,0,33.7977,-90.538,33.7976,-90.5105,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Multiple streets were flooded with up to three feet of water. Water also entered some homes." +118739,713303,MISSISSIPPI,2017,August,Flash Flood,"GRENADA",2017-08-14 09:00:00,CST-6,2017-08-14 10:15:00,0,0,0,0,200.00K,200000,0.00K,0,33.79,-89.79,33.7883,-89.8229,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","People were rescued from a couple of vehicles in Grenada due to flooding. A couple of homes were also flooded." +118341,711095,HAWAII,2017,August,Heavy Rain,"HAWAII",2017-08-20 13:28:00,HST-10,2017-08-20 20:48:00,0,0,0,0,0.00K,0,0.00K,0,19.8292,-155.1105,19.5965,-155.907,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","" +118386,711425,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 14:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5949,-93.5325,31.583,-93.4823,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Shuteye Road was flooded and closed southwest of Many. Highway 6 and Highway 171 were both covered in high water." +118386,711426,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 14:20:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5981,-93.4594,31.5975,-93.456,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Petty Road near Many High School was covered in high water." +118386,711427,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 14:28:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8952,-93.3604,31.9448,-93.054,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","The following roads were closed in Natchitoches Parish due to flooding: Nelson Road near Marthaville, Eight Mile Loops in Oak Grove, Stiles Road off of Collier Hill Road north of Campti, Longlois Hill Road near Flora, Jim Bell Road north of Campti, Rocks Creek Road near Marthaville, Central LP near Center Point Energy in Robeline, Manmy Trail near McDonald's Camp, BJ Smith Road, Bright Star Church Road, and Allen Marthaville Road near Crossroads Church." +118386,711428,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 15:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8386,-93.281,31.7165,-93.2643,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 485 about 0.5 miles west of I-49, as well as 2 miles north of the Highway 6 intersection, was flooded and closed." +118386,711429,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 15:01:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7831,-93.7073,31.7836,-93.7071,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Manshack Road in Converse was covered in high water." +118386,711430,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 15:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7409,-93.2743,31.7519,-93.2711,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 1222/Posey Road was flooded and closed." +118386,711431,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 15:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9427,-93.1369,31.9424,-93.133,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Collier Hill Road north of Campti was flooded and closed." +118386,711538,LOUISIANA,2017,August,Flash Flood,"DE SOTO",2017-08-30 15:39:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.975,-93.7296,31.9747,-93.7296,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Hudson Darby Road was washed out." +118386,711539,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 16:15:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7932,-93.5275,31.8031,-93.5282,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Rural roads near Moffett Lane was flooded between Pleasant Hill and Belmont." +118386,711541,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 17:21:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7797,-93.7875,31.4651,-93.69,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Numerous road closures across Sabine Parish due to flooding. These included Plainview Road, Sneed Road, Warren Church Road, Barren Road, Pump Station Road, Highway 473 at Lawrence Road, Marthaville Road, Highway 473 in Toro, Highway 175 in Bozeman, Cenchrea Road at Highway 118, Russell Road, Pioneer Road, and Prim and Herrington Roads." +117714,707849,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"PERKINS",2017-08-12 15:26:00,MST-7,2017-08-12 15:26:00,0,0,0,0,,NaN,0.00K,0,45.33,-102.88,45.33,-102.88,"A line of severe thunderstorms developed across Harding County and moved southeast before weakening over Perkins County. The storms produced hail o quarter size and wind gusts around 60 mph.","" +117716,707853,SOUTH DAKOTA,2017,August,Hail,"PERKINS",2017-08-12 18:00:00,MST-7,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,45.8821,-102.36,45.8821,-102.36,"A severe thunderstorm moved into northeastern Perkins County from North Dakota, producing large hail south of White Butte.","" +118214,710426,FLORIDA,2017,August,Thunderstorm Wind,"HARDEE",2017-08-18 18:15:00,EST-5,2017-08-18 19:00:00,0,0,0,0,100.00K,100000,0.00K,0,27.55,-81.81,27.55,-81.81,"Scattered summer thunderstorms developed across the area during the late morning and afternoon hours. A lightning bolt from one of these storms struck and injured a golfer in Pinellas County. Another storm caused widespread wind damage in Hardee County.","Hardee County Emergency Management relayed numerous reports of trees and power lines knocked down across Wauchula and Bowling Green from wind damage. The 911 call center received a total of 163 calls within a 3 hour window as a result of the storm." +119101,715311,CALIFORNIA,2017,August,Flash Flood,"KERN",2017-08-03 12:00:00,PST-8,2017-08-03 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.1896,-118.4972,35.1548,-118.401,"A moist east-southeast flow prevailed over Central California in early August as persistent strong high pressure was centered over the Great Basin. As a result, a surge of tropical moisture spread into the area between the afternoon of August 2 and the early morning of August 4. Showers and thunderstorms were prevalent over the mountains, Kern County Deserts and south end of the San Joaquin Valley on August 2 and into the Central San Joaquin Valley on the evening of August 3 and into the morning of August 4. Slow moving thunderstorms produced flash flooding in the Tehachapi area during the afternoon of August 3.","Water was covering several roadways in and around Tehachapi." +118561,712265,IDAHO,2017,August,Thunderstorm Wind,"IDAHO",2017-08-29 16:45:00,PST-8,2017-08-29 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,46.2375,-116.0264,46.2375,-116.0264,"Monsoon moisture moved up across a very hot atmosphere sparking showers and thunderstorms across central Idaho. The storms were mainly dry and produced a microburst over Kamiah and into Woodland. Trees were ripped out all across town which caused widespread power outages. The City of Kamiah declared a Disaster Declaration due to the volume of trees that fell across town. Kamiah is across the Clearwater River from NWS Missoula's County Warning Area, but the damage extended into Clearwater County as well.","A spotter reported a pine tree with a diameter of 2.5 feet snapped in half from the strong wind. They estimated the wind gust to be 60 mph. Also power was reported out for 13 hours." +118001,709395,KANSAS,2017,August,Flood,"CRAWFORD",2017-08-19 18:30:00,CST-6,2017-08-19 20:30:00,0,0,0,0,0.00K,0,0.00K,0,37.4695,-94.6173,37.4689,-94.6187,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced minor flooding.","A one hundred foot section of State Line Road had several inches of water just south of Highway 160." +117445,714435,NEBRASKA,2017,August,Thunderstorm Wind,"DAWSON",2017-08-02 21:34:00,CST-6,2017-08-02 21:34:00,0,0,0,0,1.00M,1000000,2.00M,2000000,40.8668,-99.73,40.8668,-99.73,"A few clusters of strong to severe thunderstorms rumbled southeastward across South Central Nebraska between the evening hours of Wednesday the 2nd and the pre-dawn hours of Thursday the 3rd, resulting in a handful of hail and damaging wind reports. A few of the more noteworthy reports included: golf ball size hail and estimated 60 MPH winds along Highway 21 north of Lexington; estimated 60 MPH winds downing a 5-inch diameter tree branch near Pauline in southeastern Adams County. ||Breaking down event evolution/timing, there were two primary clusters of strong to severe storms, both of which entered the local area between 9:30-10:30 p.m. CDT. The western one peaked in intensity over Dawson County and gradually weakened as it dropped south of the Interstate 80 corridor. The other, and longer-lasting storm cluster started over Valley County but did not peak in intensity until reaching Hall and Adams counties between 11:30 p.m-1:00 a.m. CDT, during which time the dominant storm assumed supercell characteristics. Convection weakened below severe limits after 1 a.m. CDT but expanded in coverage mainly within areas south of Interstate 80 and east of Highway 281, eventually departing the majority of South Central Nebraska by 4 a.m. CDT. Rainfall-wise, most areas affected by these storm clusters received between 0.50-1.50...not enough to promote flooding issues. ||In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, to the south of a moderately strong shortwave trough tracking mainly through the Dakotas. Despite minimal large-scale forcing along the southern periphery of this disturbance and also the loss of daytime heating, there was sufficient convergence and instability along an invading cold front to spark a few nocturnal severe storms. Late evening mesoscale parameters featured 1000-2000 J/kg most-unstable CAPE and around 35 knots of effective deep layer wind shear.","Wind gusts estimated to be near 60 MPH accompanied hail to the size of golf balls." +119258,716070,NORTH DAKOTA,2017,August,Hail,"DIVIDE",2017-08-17 20:11:00,CST-6,2017-08-17 20:14:00,0,0,0,0,10.00K,10000,0.00K,0,48.63,-103.18,48.63,-103.18,"A short wave trough moved into an area of enhanced moisture and strong deep layer shear. Some thunderstorms became severe over northwest North Dakota, with up to ping pong ball size hail reported.","Damage occurred to vehicles." +119260,716071,NORTH DAKOTA,2017,August,Funnel Cloud,"ADAMS",2017-08-15 13:50:00,MST-7,2017-08-15 13:53:00,0,0,0,0,0.00K,0,0.00K,0,46.19,-102.72,46.19,-102.72,"Showers and a few thunderstorms moved through the region. One storm produced a funnel cloud over Adams County.","A brief funnel cloud was reported." +119266,716106,NORTH DAKOTA,2017,August,Hail,"GRANT",2017-08-26 14:54:00,MST-7,2017-08-26 14:58:00,0,0,0,0,50.00K,50000,0.00K,0,46.37,-101.95,46.37,-101.95,"An upper level short wave trough approached the area in the late afternoon and early evening when enhanced instability was noted. Thunderstorms developed, with some becoming severe over southwest North Dakota. Several law enforcement vehicles were damaged by large hail in Grant County, while tennis ball sized hail was reported in Hettinger County.","Several law enforcement vehicles were damaged by the large hail." +119556,717414,TEXAS,2017,August,Hail,"OCHILTREE",2017-08-17 22:25:00,CST-6,2017-08-17 22:25:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-100.8,36.15,-100.8,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119556,717415,TEXAS,2017,August,Thunderstorm Wind,"OCHILTREE",2017-08-17 22:25:00,CST-6,2017-08-17 22:25:00,0,0,0,0,0.00K,0,0.00K,0,36.15,-100.8,36.15,-100.8,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","Measured wind gust of 60 MPH by trained spotter." +119663,717976,TEXAS,2017,August,Flash Flood,"HOPKINS",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1622,-95.6798,33.16,-95.68,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hopkins County Sheriff's Department reported that Highway 11 near the intersection of CR 4707 was closed due to high water." +119663,717978,TEXAS,2017,August,Flash Flood,"HOPKINS",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-95.51,33.1831,-95.4992,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hopkins County Sheriff's Department reported that FM 1537 near Hwy 69 was closed due to high water; approximately 7 miles northeast of the city of Sulphur Springs, TX." +119663,717979,TEXAS,2017,August,Flash Flood,"HOPKINS",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.2391,-95.5458,33.2337,-95.5494,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hopkins County Sheriff's Department reported that FM 3236 near the intersection of CR 3512 was closed due to high water and flood damage." +119663,717980,TEXAS,2017,August,Flash Flood,"HUNT",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.0449,-96.1462,33.0411,-96.1456,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported that several houses near the intersection of CR 2208 and FM 1903 were flooded, and 5 to 6 feet of water was reported at the intersection." +119663,717981,TEXAS,2017,August,Flash Flood,"HUNT",2017-08-13 08:00:00,CST-6,2017-08-13 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1785,-96.1299,33.1797,-96.1351,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hunt County Sheriff's Department reported that Highway 69 north of Interstate 30 was closed at the railroad tracks due to high water." +119788,718304,CALIFORNIA,2017,August,Wildfire,"S SIERRA MTNS",2017-08-29 12:00:00,PST-8,2017-08-31 23:59:00,6,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Railroad Fire started on the afternoon of August 29, 2017, west of Highway 41, 8.75 miles north of Oakhurst, just south of Yosemite National Park near the community of Sugar Pine. The fire spread rapidly in dry brush. Highway 41 between Oakhurst and the south entrance of Yosemite National Park was closed in both directions for about a week with several small communities evacuated, including Tenaya Lodge that serves visitors to Yosemite. The fire burned 12,407 acres before being contained on September 15, 2017. Cost of containment was $20.8 million. There were 17 structures destroyed, including a historic locomotive that wasn���t being used, as well as a passenger car, snowplow, side dump car and refrigerator car that were attached to it that were part of the Yosemite Mountain Sugar Pine Railroad. More than 200 wooden railroad ties also burned. The fire also burned into the Nelder Grove of Giant Sequoia trees.","The Railroad Fire started just near the community of Sugar Pine along Highway 41, 8.75 miles north of Oakhurst. This area is just south of Yosemite National Park. It spread rapidly, destroying 17 structures, including at least 5 homes, a historic locomotive and the passenger car, snowplow, side dump car and refrigerator car that were attached to it. The fire also burned into the Nelder Grove of Giant Sequoia trees, threatening significant damage." +122228,731695,MINNESOTA,2017,December,Cold/Wind Chill,"PIPESTONE",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +119876,718600,TEXAS,2017,August,Thunderstorm Wind,"IRION",2017-08-06 16:37:00,CST-6,2017-08-06 16:37:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-100.81,31.3,-100.81,"Isolated strong thunderstorms resulted in a couple of microbursts near Weinert and Mertzon.","The Texas Tech West Texas Mesonet measured a 67 mph wind gust about 3 miles north northeast of Mertzon." +119876,718598,TEXAS,2017,August,Thunderstorm Wind,"HASKELL",2017-08-06 16:30:00,CST-6,2017-08-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-99.67,33.32,-99.67,"Isolated strong thunderstorms resulted in a couple of microbursts near Weinert and Mertzon.","An 18 Wheeler was overturned because of damaging thunderstorm wind gust along U.S. Highway 277 near Weinert." +119878,718603,TEXAS,2017,August,Thunderstorm Wind,"TOM GREEN",2017-08-17 15:40:00,CST-6,2017-08-17 15:40:00,0,0,0,0,0.00K,0,0.00K,0,31.37,-100.29,31.37,-100.29,"A few strong thunderstorms resulted in damaging thunderstorm wind gusts at Lake Coleman. Two Texas Tech West Texas Mesonets measured severe thunderstorm wind gusts near Wall and about 29 miles west of Ozona.","" +122228,731696,MINNESOTA,2017,December,Cold/Wind Chill,"ROCK",2017-12-25 05:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 20 mph and bitterly cold arctic air produced wind chills from 25 below to 35 below zero at times. Coldest wind chills were early in the morning of December 26th at nearly 35 below." +119030,715651,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-10 19:00:00,MST-7,2017-08-10 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,34.69,-114.1,34.6963,-114.0997,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","Water flowed throughout a ranch property, including through the garage." +119030,715652,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-12 15:34:00,MST-7,2017-08-12 18:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.7811,-114.5047,35.7853,-114.4861,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","High flow in the Detrital Wash flooded Highway 93 and White Hills Road." +119031,715656,CALIFORNIA,2017,August,Flash Flood,"SAN BERNARDINO",2017-08-10 16:16:00,PST-8,2017-08-10 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.1,-115.05,34.1006,-115.0417,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","Highway 62 flooded and started to wash away near mile marker 93." +119031,715657,CALIFORNIA,2017,August,Thunderstorm Wind,"SAN BERNARDINO",2017-08-11 12:15:00,PST-8,2017-08-11 12:15:00,0,0,0,0,0.00K,0,0.00K,0,34.1303,-116.0888,34.1303,-116.0888,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","" +119031,715659,CALIFORNIA,2017,August,Flash Flood,"SAN BERNARDINO",2017-08-11 13:22:00,PST-8,2017-08-11 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.1379,-116.0705,34.137,-116.0725,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","Highway 62 was flooded at Mesquite Springs Road." +119032,715661,NEVADA,2017,August,Thunderstorm Wind,"CLARK",2017-08-11 15:16:00,PST-8,2017-08-11 15:16:00,0,0,0,0,0.00K,0,0.00K,0,35.9736,-115.1344,35.9736,-115.1344,"A weak push of monsoon moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced severe weather and flash flooding.","" +119171,715676,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-24 07:45:00,MST-7,2017-08-24 09:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.6974,-114.174,35.6987,-114.1742,"A weak area of low pressure passing through the Mojave Desert plus lingering moisture triggered a small area of thunderstorms. A few storms produced flash flooding over Mohave County.","Pierce Ferry Road was closed due to flooding at Archibald Wash." +119171,715680,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-24 08:30:00,MST-7,2017-08-24 10:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.5589,-114.0975,35.613,-114.1215,"A weak area of low pressure passing through the Mojave Desert plus lingering moisture triggered a small area of thunderstorms. A few storms produced flash flooding over Mohave County.","Stockton Hill Road was closed from mile marker 28 to 38 due to flooding." +119175,715683,CALIFORNIA,2017,August,Thunderstorm Wind,"INYO",2017-08-31 21:26:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,35.8711,-117.9183,35.8711,-117.9183,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","Severe thunderstorm outflow winds persisted for over two and a half hours." +119961,718967,SOUTH DAKOTA,2017,August,Drought,"JONES",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718968,SOUTH DAKOTA,2017,August,Drought,"CAMPBELL",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +120002,719343,ALABAMA,2017,August,Flash Flood,"ST. CLAIR",2017-08-10 18:20:00,CST-6,2017-08-10 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.7878,-86.5242,33.8174,-86.4617,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Several roads flooded and impassable in the town of Springville." +119663,717877,TEXAS,2017,August,Flash Flood,"GRAYSON",2017-08-13 04:12:00,CST-6,2017-08-13 07:15:00,0,0,0,0,100.00K,100000,0.00K,0,33.6515,-96.5918,33.6452,-96.632,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Emergency management reported multiple water rescues throughout the city of Sherman, TX. Water also entered several homes and businesses. One media outlet reported that there were 25 high water rescues and that 20 to 25 homes were evacuated due to high water." +120043,719348,ARIZONA,2017,August,Flash Flood,"COCONINO",2017-08-02 16:10:00,MST-7,2017-08-02 16:40:00,0,0,0,0,0.00K,0,0.00K,0,36.794,-111.3018,36.9426,-111.4216,"Enough moisture remained over northern Arizona to produce heavy rain along the Utah border near the town of Page.","A thunderstorm with heavy rain produced flowing water in Lower Antelope Canyon. Tours were cancelled for the day." +117566,707032,MISSOURI,2017,August,Heavy Rain,"POLK",2017-08-06 06:00:00,CST-6,2017-08-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-93.55,37.63,-93.55,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 5.25 inches was measured at a CoCoRaHS station just east of Fair Play." +117566,707026,MISSOURI,2017,August,Heavy Rain,"PULASKI",2017-08-06 05:00:00,CST-6,2017-08-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-92.25,37.88,-92.25,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 6.37 inches was measured at a CoCoRaHS station about four miles northwest of Waynesville." +117566,707027,MISSOURI,2017,August,Heavy Rain,"PULASKI",2017-08-06 05:51:00,CST-6,2017-08-06 05:51:00,0,0,0,0,0.00K,0,0.00K,0,37.81,-92.28,37.81,-92.28,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 5.66 inches was measured at a CoCoRaHS station about three miles northeast of Laquey." +120004,719118,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 15:24:00,EST-5,2017-08-04 15:24:00,0,0,0,0,,NaN,,NaN,43.13,-74.81,43.13,-74.81,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was reported down." +120004,719119,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 15:25:00,EST-5,2017-08-04 15:25:00,0,0,0,0,,NaN,,NaN,43.13,-74.89,43.13,-74.89,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was downed." +119673,717838,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-02 13:00:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.9226,-74.2351,40.9234,-74.2344,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced flash flooding across parts of Passaic County. Over one inch of rain was reported in southern Passaic County, with a CoCoRaHS gauge in Little Falls Township recording 1.59 of rain.","Valley Road was closed at McDonald Drive in Wayne due to flooding." +119673,717836,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-02 13:00:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.889,-74.251,40.8887,-74.2518,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced flash flooding across parts of Passaic County. Over one inch of rain was reported in southern Passaic County, with a CoCoRaHS gauge in Little Falls Township recording 1.59 of rain.","Willowbrook Boulevard was closed at North Leg Road in Wayne with cars stuck in water." +119673,717832,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-02 12:49:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-74.2496,40.8906,-74.2486,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced flash flooding across parts of Passaic County. Over one inch of rain was reported in southern Passaic County, with a CoCoRaHS gauge in Little Falls Township recording 1.59 of rain.","All lanes were closed due to flooding on NJ 23 at Willowbrook Boulevard in Wayne." +119673,717834,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-02 13:00:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8945,-74.1738,40.895,-74.1733,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced flash flooding across parts of Passaic County. Over one inch of rain was reported in southern Passaic County, with a CoCoRaHS gauge in Little Falls Township recording 1.59 of rain.","The intersection of Mountain Park Road and Valley Road in Woodland park was closed due to flooding." +119679,717841,NEW YORK,2017,August,Flash Flood,"ORANGE",2017-08-02 14:39:00,EST-5,2017-08-02 15:09:00,0,0,0,0,0.00K,0,0.00K,0,41.5602,-74.1874,41.5607,-74.1834,"An approaching upper level disturbance combined with increasing instability resulted in the development of afternoon showers and thunderstorms. With weak steering flow and precipitable water values of 1.5 or greater, these storms produced isolated flash flooding across parts of New York City and the Lower Hudson Valley.","East Main Street in Walden was closed due to flooding." +120157,719923,NEW JERSEY,2017,August,Heavy Rain,"MONMOUTH",2017-08-29 00:00:00,EST-5,2017-08-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1765,-74.259,40.1765,-74.259,"Coastal low pressure lead to storm total rainfall up to around 1.5 inches across portions of southern and eastern coastal New Jersey on 8/29 and 8/30. Wind gusts between 40 and 45 mph were also reported along the New Jersey coast, mainly in Cape May and Ocean counties.","A Storm Total Rainfall of 1.57 inches was measured 4 miles south-southwest of Howell TWP, New Jersey at 7:06 AM on 8/30." +120156,719922,DELAWARE,2017,August,Heavy Rain,"SUSSEX",2017-08-29 00:00:00,EST-5,2017-08-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-75.1006,38.45,-75.1006,"Coastal low pressure lead to storm total rainfall over two inches across portions of Sussex County on 8/29 and 8/30. Wind gusts between 41 and 47 mph were also reported along the Delaware coast, mainly near the Atlantic Oceanfront in Sussex County.","A Storm Total Rainfall of 2.28 inches was measured 7 miles east of Selbyville, DE at 6:00 AM on 8/30." +119808,718399,ARIZONA,2017,August,Flash Flood,"PIMA",2017-08-13 03:45:00,MST-7,2017-08-13 04:05:00,0,0,0,0,0.50K,500,0.00K,0,32.3295,-111.1023,32.376,-111.2352,"A large area of rain and thunderstorms remained over portions of the area on the morning of August 13 causing flash flooding in the Tucson Metro Area. Another round of eastward-moving scattered thunderstorms developed in the afternoon and produced damaging wind gusts in Sahuarita.","A swift water rescue was conducted along Ina Road near Camino de los Caballos when a car was swept 20 feet off the road due to flash flooding. Sandario Road also became inundated by flood waters between Avra Valley and Twin Peaks Roads." +119808,718400,ARIZONA,2017,August,Thunderstorm Wind,"PIMA",2017-08-13 14:35:00,MST-7,2017-08-13 14:40:00,0,0,0,0,0.50K,500,0.00K,0,31.9801,-110.9693,31.9632,-110.9748,"A large area of rain and thunderstorms remained over portions of the area on the morning of August 13 causing flash flooding in the Tucson Metro Area. Another round of eastward-moving scattered thunderstorms developed in the afternoon and produced damaging wind gusts in Sahuarita.","Several trees were downed across the town of Sahuarita." +119808,719953,ARIZONA,2017,August,Hail,"PIMA",2017-08-13 14:35:00,MST-7,2017-08-13 14:35:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-110.97,31.98,-110.97,"A large area of rain and thunderstorms remained over portions of the area on the morning of August 13 causing flash flooding in the Tucson Metro Area. Another round of eastward-moving scattered thunderstorms developed in the afternoon and produced damaging wind gusts in Sahuarita.","" +120154,719935,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:30:00,EST-5,2017-08-22 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,40.41,-79.64,40.41,-79.64,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees and wires down on Haymaker Farm Rd." +120154,719936,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:38:00,EST-5,2017-08-22 13:38:00,0,0,0,0,1.00K,1000,0.00K,0,40.41,-79.56,40.41,-79.56,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down on East Pittsburgh St." +120154,719937,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 13:38:00,EST-5,2017-08-22 13:38:00,0,0,0,0,1.00K,1000,0.00K,0,40.41,-79.57,40.41,-79.57,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on Trees Mills Rd." +120154,719938,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 13:41:00,EST-5,2017-08-22 13:41:00,0,0,0,0,1.00K,1000,0.00K,0,40.95,-78.93,40.95,-78.93,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on Pine Tree Rd." +120154,719939,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 13:43:00,EST-5,2017-08-22 13:43:00,0,0,0,0,1.00K,1000,0.00K,0,40.95,-78.93,40.95,-78.93,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down on Greenhouse Rd." +120154,719940,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 13:25:00,EST-5,2017-08-22 13:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.99,-79.17,40.99,-79.17,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +120154,719941,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 14:07:00,EST-5,2017-08-22 14:07:00,0,0,0,0,1.00K,1000,0.00K,0,40.41,-79.28,40.41,-79.28,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down on Derry Lane." +119605,720130,IDAHO,2017,August,Thunderstorm Wind,"NEZ PERCE",2017-08-29 14:49:00,PST-8,2017-08-29 14:55:00,0,0,0,0,0.00K,0,0.00K,0,46.03,-116.9,46.03,-116.9,"Hot and unstable conditions with mid level monsoonal moisture created conditions ripe for gusty thunderstorms over north central Idaho during the afternoons of August 29th and 30th. ||During the afternoon of August 29th thunderstorms developed over extreme northeast Oregon and tracked into Nez Perce and Lewis Counties in Idaho. These storms produced wind gusts which downed trees and damaged structures in the Kamiah area. A nearby remote weather station recorded a peak wind gust of 94 mph as these storms passed through.||The next day on August 30th another round of afternoon high based thunderstorms produced a microburst which created extensive damage to power lines along a stretch of Highway 64 on the Camas Prairie.","The Corral Creek remote weather station recorded a wind gust of 94 mph. Radar indicated a thunderstorm just to the south of the station at the time of the gust." +119605,720136,IDAHO,2017,August,Thunderstorm Wind,"LEWIS",2017-08-29 15:00:00,PST-8,2017-08-29 15:30:00,0,0,0,0,50.00K,50000,0.00K,0,46.2255,-116.0276,46.2255,-116.0276,"Hot and unstable conditions with mid level monsoonal moisture created conditions ripe for gusty thunderstorms over north central Idaho during the afternoons of August 29th and 30th. ||During the afternoon of August 29th thunderstorms developed over extreme northeast Oregon and tracked into Nez Perce and Lewis Counties in Idaho. These storms produced wind gusts which downed trees and damaged structures in the Kamiah area. A nearby remote weather station recorded a peak wind gust of 94 mph as these storms passed through.||The next day on August 30th another round of afternoon high based thunderstorms produced a microburst which created extensive damage to power lines along a stretch of Highway 64 on the Camas Prairie.","A series of photographs from the Lewis County Emergency Manager indicated numerous trees down in Kamiah, with damage to outbuildings, a barn and at least one car in and around the town." +119605,720134,IDAHO,2017,August,Thunderstorm Wind,"LEWIS",2017-08-30 14:45:00,PST-8,2017-08-30 15:00:00,0,0,0,0,20.00K,20000,0.00K,0,46.2518,-116.1712,46.2518,-116.1712,"Hot and unstable conditions with mid level monsoonal moisture created conditions ripe for gusty thunderstorms over north central Idaho during the afternoons of August 29th and 30th. ||During the afternoon of August 29th thunderstorms developed over extreme northeast Oregon and tracked into Nez Perce and Lewis Counties in Idaho. These storms produced wind gusts which downed trees and damaged structures in the Kamiah area. A nearby remote weather station recorded a peak wind gust of 94 mph as these storms passed through.||The next day on August 30th another round of afternoon high based thunderstorms produced a microburst which created extensive damage to power lines along a stretch of Highway 64 on the Camas Prairie.","The Lewis County Emergency Manager reported 13 power poles knocked down and multiple transformers damaged along Highway 64 between Lyons Rd. and Marker Rd. Power was cut off to the area for 18 hours while repairs were made. Radar indicated a thunderstorm nearby which likely produced a strong microburst into the damage area." +119809,718418,WISCONSIN,2017,August,Hail,"BROWN",2017-08-10 14:02:00,CST-6,2017-08-10 14:02:00,0,0,0,0,0.00K,0,0.00K,0,44.5037,-88.0638,44.5037,-88.0638,"Scattered thunderstorms developed when a cold front encountered moderately unstable air. The strongest storms contained heavy rain, large hail, and wind gusts of 40 to 50 mph. The largest reported hail was half dollar size in Green Bay (Brown Co.).","Half dollar size hail fell on the west side of Green Bay." +120014,719215,NEW YORK,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-22 19:40:00,EST-5,2017-08-22 19:40:00,0,0,0,0,,NaN,,NaN,42.14,-73.67,42.14,-73.67,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed." +120014,719216,NEW YORK,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 19:55:00,EST-5,2017-08-22 19:55:00,0,0,0,0,,NaN,,NaN,43.41,-73.27,43.41,-73.27,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in numerous reports of trees and power lines down across eastern New York. A severe storm that passed through Montgomery county snapped several trees in half due to straight line wind damage. Several thousand people lost power in New York due to the severe thunderstorms as well.","Trees were downed." +120016,719175,VERMONT,2017,August,Thunderstorm Wind,"BENNINGTON",2017-08-22 19:53:00,EST-5,2017-08-22 19:53:00,0,0,0,0,,NaN,,NaN,42.91,-73.21,42.91,-73.21,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in reports of trees down across southern Vermont.","Multiple trees were downed." +120016,719176,VERMONT,2017,August,Thunderstorm Wind,"BENNINGTON",2017-08-22 19:55:00,EST-5,2017-08-22 19:55:00,0,0,0,0,,NaN,,NaN,42.88,-73.19,42.88,-73.19,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in reports of trees down across southern Vermont.","A large tree branch was downed on Pleasant Street." +120016,719177,VERMONT,2017,August,Thunderstorm Wind,"WINDHAM",2017-08-22 20:20:00,EST-5,2017-08-22 20:20:00,0,0,0,0,,NaN,,NaN,43.1,-72.79,43.1,-72.79,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted in reports of trees down across southern Vermont.","Trees and wires were downed." +120224,720313,NEBRASKA,2017,August,Hail,"BROWN",2017-08-27 00:00:00,CST-6,2017-08-27 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-99.87,42.11,-99.87,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","" +119753,721099,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-28 08:50:00,CST-6,2017-08-28 10:45:00,0,0,0,0,0.00K,0,0.00K,0,29.5314,-95.2295,29.5647,-95.1826,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooded roadways through Friendswood in and around the FM 2351 and FM 518 intersection.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +119035,721266,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-20 00:06:00,CST-6,2017-09-20 00:09:00,0,0,0,0,0.00K,0,0.00K,0,45.7301,-94.6544,45.7671,-94.6297,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About two dozen trees and numerous corn fields were blown down. Based on a storm survey, it was determined that this area was hit with downburst winds. A small part of the roof from a turkey farm was blown off." +119751,718405,ALABAMA,2017,August,Heavy Rain,"MADISON",2017-08-10 16:00:00,CST-6,2017-08-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-86.45,34.56,-86.45,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Event total near the corner of Old Highway 431 and Brockway Road." +119751,718406,ALABAMA,2017,August,Heavy Rain,"MADISON",2017-08-10 16:00:00,CST-6,2017-08-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-86.41,34.6,-86.41,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Event total at Owens Crossroads Volunteer Fire Dept." +120224,720314,NEBRASKA,2017,August,Hail,"BLAINE",2017-08-27 00:15:00,CST-6,2017-08-27 00:15:00,0,0,0,0,25.00K,25000,0.00K,0,42.03,-99.86,42.03,-99.86,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","Baseball sized hail punched holes in a roof and siding, dented a camper, and broke numerous windows out on a house at this location." +120224,720315,NEBRASKA,2017,August,Thunderstorm Wind,"BLAINE",2017-08-27 00:30:00,CST-6,2017-08-27 00:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.94,-99.87,41.94,-99.87,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","Tree limbs blown down and a shed overturned on the east side of Brewster." +120121,719761,OKLAHOMA,2017,August,Thunderstorm Wind,"ALFALFA",2017-08-05 17:52:00,CST-6,2017-08-05 17:52:00,0,0,0,0,5.00K,5000,0.00K,0,36.99,-98.42,36.99,-98.42,"Numerous thunderstorms formed across southwest and south-central Kansas during the later afternoon in an unstable airmass near a stationary surface front. These storms, along with more isolated storms further south into western Oklahoma, moved east-southeastward. The most intense storms occurred in far northern Oklahoma and southern Kansas. Sporadic marginally severe hail and severe wind gusts causing some damaging to utility poles occurred with these storms during the evening of the 5th.","Power poles downed by a downburst." +118983,714682,IOWA,2017,August,Hail,"JONES",2017-08-10 13:25:00,CST-6,2017-08-10 13:25:00,0,0,0,0,0.00K,0,0.00K,0,42,-91.14,42,-91.14,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118983,714683,IOWA,2017,August,Hail,"WASHINGTON",2017-08-10 15:00:00,CST-6,2017-08-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-91.59,41.37,-91.59,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","The time of the event was estimated using radar." +118983,714684,IOWA,2017,August,Hail,"CLINTON",2017-08-10 15:32:00,CST-6,2017-08-10 15:32:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118983,714685,IOWA,2017,August,Hail,"CLINTON",2017-08-10 15:55:00,CST-6,2017-08-10 15:55:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-90.36,41.8,-90.36,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118983,714686,IOWA,2017,August,Hail,"CLINTON",2017-08-10 15:58:00,CST-6,2017-08-10 15:58:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-90.35,41.75,-90.35,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +122187,731480,VIRGINIA,2017,December,Winter Storm,"APPOMATTOX",2017-12-08 12:00:00,EST-5,2017-12-09 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall amounts ranged from around four inches near Evergreen to around five inches near Appomattox." +122187,731483,VIRGINIA,2017,December,Winter Storm,"CHARLOTTE",2017-12-08 12:00:00,EST-5,2017-12-09 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall amounts ranged from around three inches near Saxe to around five inches near Abilene." +120902,723902,NEW MEXICO,2017,December,High Wind,"FAR NORTHEAST HIGHLANDS",2017-12-08 07:20:00,MST-7,2017-12-08 08:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper level trough over the Great Plains forced strong northerly winds onto the Front Range of the Rockies. Winds started increasing the during early morning hours over far northeastern NM then spread southward toward the Interstate 40 corridor by late morning. The Raton area experienced the strongest winds influenced by gap flow through Raton Pass. Peak wind gusts topped out at 63 mph at the Raton airport. Mills Canyon also experienced wind gusts near 60 mph. Other locations across eastern New Mexico reported wind gusts in the 45 to 55 mph range.","Peak wind gusts up to 63 mph were reported for nearly one hour at the Raton airport." +120902,723903,NEW MEXICO,2017,December,High Wind,"FAR NORTHEAST HIGHLANDS",2017-12-08 07:50:00,MST-7,2017-12-08 13:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper level trough over the Great Plains forced strong northerly winds onto the Front Range of the Rockies. Winds started increasing the during early morning hours over far northeastern NM then spread southward toward the Interstate 40 corridor by late morning. The Raton area experienced the strongest winds influenced by gap flow through Raton Pass. Peak wind gusts topped out at 63 mph at the Raton airport. Mills Canyon also experienced wind gusts near 60 mph. Other locations across eastern New Mexico reported wind gusts in the 45 to 55 mph range.","Sustained winds between 40 and 44 mph were reported at the Raton airport periodically for several hours." +120028,719284,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-01 19:50:00,MST-7,2017-08-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-112.32,34.5983,-112.5206,"Moisture over Yavapai County triggered thunderstorms in the evening.","The Yavapai Flood District Office reported one foot of water over area roads due to the heavy rain." +119805,718391,INDIANA,2017,August,Thunderstorm Wind,"HAMILTON",2017-08-01 15:10:00,EST-5,2017-08-01 15:10:00,0,0,0,0,0.75K,750,0.00K,0,39.93,-86.14,39.93,-86.14,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","Tree limbs, of unknown size, were downed in this location due to damaging thunderstorm wind gusts." +119805,720918,INDIANA,2017,August,Lightning,"MARION",2017-08-01 14:40:00,EST-5,2017-08-01 14:40:00,3,0,0,0,,NaN,,NaN,39.8853,-86.1475,39.8853,-86.1475,"A band of scattered thunderstorms from northwest Indianapolis through Greensburg moved northeast through portions of central Indiana during the afternoon hours of August the 1st. Along with a few severe wind and hail reports, three workers were struck by lightning and injured at Park Tudor High School in Indianapolis.","The IndyStar newspaper reported that a lightning strike at Park Tudor High School��injured three workers who sought shelter under a tree, shocking one into cardiac arrest, the Indianapolis Fire Department says.||A Park Tudor Police Officer shocked the victim in cardiac arrest with a defibrillator once, and then��began CPR on the worker until firefighters and medics arrived about 3:50 p.m. The man was shocked twice more before��he regained a pulse��and was resuscitated within 12 minutes.||The worker��was taken to St. Vincent Hospital, where he was awake and talking to doctors.��The other two workers were transported to St. Vincent with minor injuries. The three were paving the north corner of the parking lot when a storm appeared, and they sought shelter under a tree. Lightning struck nearby, knocking all three men off their feet.||Initially, the man who suffered cardiac arrest was believed to be killed." +119806,718395,INDIANA,2017,August,Thunderstorm Wind,"HOWARD",2017-08-03 17:29:00,EST-5,2017-08-03 17:29:00,0,0,0,0,,NaN,,NaN,40.56,-86.24,40.56,-86.24,"A line of thunderstorms pushed into northwest Howard County during the early evening hours of August 3rd. These thunderstorms produced a couple severe wind gust reports from that area.","An estimated 60 mph thunderstorm wind gust was observed in this location." +119806,718396,INDIANA,2017,August,Thunderstorm Wind,"HOWARD",2017-08-03 17:30:00,EST-5,2017-08-03 17:30:00,0,0,0,0,,NaN,,NaN,40.56,-86.17,40.56,-86.17,"A line of thunderstorms pushed into northwest Howard County during the early evening hours of August 3rd. These thunderstorms produced a couple severe wind gust reports from that area.","An estimated 60 mph thunderstorm wind gust was observed in this location." +120188,720170,SOUTH DAKOTA,2017,August,Flash Flood,"HUGHES",2017-08-21 07:50:00,CST-6,2017-08-21 10:45:00,0,0,0,0,0.00K,0,0.00K,0,44.3796,-100.3625,44.3743,-100.3665,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","Very heavy rains of 1.5 to 3.5 inches falling over a short period of time brought flash flooding to Pierre during the morning hours. There was flooding over several roads along with man hole covers coming off. The flash flooding resulted in stalled vehicles along with the flooding of some businesses and homes. Some vehicles became stalled with a few rescues occurring. Several areas were barricaded to prevent further stranded vehicles." +119645,721019,OKLAHOMA,2017,August,Tornado,"ROGERS",2017-08-06 01:11:00,CST-6,2017-08-06 01:12:00,0,0,0,0,5.00K,5000,0.00K,0,36.4496,-95.4409,36.4548,-95.4356,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This is the first segment of a two segment tornado. The tornado developed just west of Highway 28 along and just south of the 390 Road to the south of Chelsea. The tornado uprooted trees and damaged the roof of an agricultural building. Based on this damage, maximum estimated wind in this segment of the tornado was 90 to 95 mph. The tornado continued into Mayes County." +119645,721020,OKLAHOMA,2017,August,Tornado,"MAYES",2017-08-06 01:12:00,CST-6,2017-08-06 01:13:00,0,0,0,0,0.00K,0,0.00K,0,36.4548,-95.4356,36.4607,-95.4333,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","This is the second segment of a two segment tornado. The tornado crossed into Mayes County snapping large tree limbs before dissipating. Based on this damage, maximum estimated wind in this segment of the tornado was 70 to 80 mph." +119736,718105,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:25:00,CST-6,2017-08-10 18:25:00,0,0,0,0,0.00K,0,0.00K,0,36.9099,-95.8855,36.9099,-95.8855,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","The Oklahoma Mesonet station near Copan measured 73 mph thunderstorm wind gusts." +119736,718106,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:30:00,CST-6,2017-08-10 18:30:00,0,0,0,0,30.00K,30000,0.00K,0,36.9,-95.8938,36.9,-95.8938,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind severely damaged the roofs of three homes east of Copan." +118429,719451,NEBRASKA,2017,August,Flash Flood,"SHERMAN",2017-08-15 16:30:00,CST-6,2017-08-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-99.09,41.2,-99.14,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Widespread 3 to 5 inches of rain fell over the area. Water was running over 789th Road between 471st and 472nd Avenues. Flash flooding evolved into an areal flood during the night and lasted until early morning Thursday, August 17th." +118429,719452,NEBRASKA,2017,August,Flash Flood,"SHERMAN",2017-08-15 16:52:00,CST-6,2017-08-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-98.83,41.29,-98.78,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Widespread rainfall of 3 to 5 inches occurred over the area. Water was over 784th Road near Highway 10, as well as over WPA Road, 3 miles south of Loup City. Flash flooding evolved into an areal flood during the night and lasted until early morning Thursday, August 17th." +118429,719453,NEBRASKA,2017,August,Flash Flood,"NANCE",2017-08-15 19:00:00,CST-6,2017-08-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-98.11,41.3004,-98.0593,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A lot of street flooding occurred in Fullerton. Flash flooding also occurred across Highway 22 between Genoa and Fullerton, near a local seed plant. The flash flooding evolved into an areal flood during the night and lasted until mid-morning Thursday, August 17th. Rainfall amounts in the 3 to 6 inch range were reported." +118429,719454,NEBRASKA,2017,August,Flash Flood,"HAMILTON",2017-08-16 00:30:00,CST-6,2017-08-16 03:00:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-97.86,40.9666,-98.0001,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Many streets in Aurora were flooded and egress windows in town were giving way to flash flooding. Highway 34 was covered in water just east of Aurora.The flash flooding evolved into an areal flooding situation overnight and lasted until Sunday morning, August 20th. Widespread rainfall amounts in the 4 to 7 inch range were reported." +118429,719455,NEBRASKA,2017,August,Flash Flood,"POLK",2017-08-16 01:45:00,CST-6,2017-08-16 03:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-97.656,41.126,-97.695,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Many roads were not passable due to flowing water. Street flooding was widespread in Osceola. Widespread rainfall amounts in the 4 to 8 inch range were reported, with the highest total of 8.37 inches occurring 4 miles northwest of Shelby. Roads that were closed included: County Road 130 from Road O to Road Q; County Road Q between Road 127 and Road 128; County Road M between Road 136 and Road 138, County Road T between Road 139 and Road 140, and County Road 141 between Road R and Road S. Several roads received damage. Some roads were covered in as much as four feet of water. Part of Highway 92 was also covered in water. Some schools started late or were closed due to flooding issues. Sandbagging and evacuations occurred on the east side of Osceola due to the flash flooding. The flash flood evolved into an areal flood situation that lasted until Sunday evening, August 20th." +121721,728699,VIRGINIA,2017,December,Winter Weather,"KING GEORGE",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall was estimated to average between 2 and 4 inches across the county based on observations nearby." +121723,729432,MARYLAND,2017,December,Winter Weather,"CALVERT",2017-12-08 17:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.0 inches near Saint Leonard and 3.0 inches near Deale. Snowfall averaged between 2 and 5 inches across the county." +121723,729433,MARYLAND,2017,December,Winter Weather,"ST. MARY'S",2017-12-08 17:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 6.2 inches near Ridge and 5.0 inches near Leonardtown. Snowfall averaged between 3 and 6 inches across the county." +121723,729434,MARYLAND,2017,December,Winter Weather,"CHARLES",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.3 inches near Dentsville and 2.0 inches near Bryantown." +121723,729435,MARYLAND,2017,December,Winter Storm,"CARROLL",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 3 and 6 inches across Carroll County. Snowfall totaled up to 6.1 inches near Oakland, 5.7 inches near Gamber and 5.4 inches near Winfield." +121723,729436,MARYLAND,2017,December,Winter Storm,"NORTHERN BALTIMORE",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 3 and 6 inches across northern Baltimore County. Snowfall totaled up to 6.0 inches near Bentley Springs and 5.5 inches near Parkton. Snowfall totaled up to 5.0 inches near Glyndon and 4.5 in Reisterstown." +121851,729438,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN GRANT",2017-12-12 09:00:00,EST-5,2017-12-12 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 5.6 inches in Bayard and 4.0 inches at Mount Storm." +119753,721115,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-28 18:30:00,CST-6,2017-08-28 21:15:00,0,0,0,0,0.00K,0,0.00K,0,29.5111,-95.1303,29.4937,-95.1262,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 518 in League City as well as parts of I-45 near the FM 518 exit were closed due to run off and Clear Creek flooding.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +117250,705451,NEW JERSEY,2017,August,Flood,"MIDDLESEX",2017-08-02 12:00:00,EST-5,2017-08-02 12:00:00,0,0,0,0,0.01K,10,0.00K,0,40.4919,-74.4485,40.5009,-74.4475,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Flooding at routes 1 and 18 intersection." +117829,708270,INDIANA,2017,August,Hail,"WHITE",2017-08-21 02:05:00,EST-5,2017-08-21 02:06:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-87.04,40.76,-87.04,"The remnants of convection on the 20th caused thunderstorms to develop across western Indiana. One thunderstorm tapped the limited instability in the area and was able to produce severe hail.","" +117274,705366,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-08-02 10:54:00,EST-5,2017-08-02 10:54:00,0,0,0,0,0.00K,0,0.00K,0,28.4331,-82.6667,28.4331,-82.6667,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A few of these storms produced marine wind gusts along the Gulf Coast.","The COMPS station near Aripeka (ARPF1) measured a 37 knot thunderstorm wind gust." +117361,705769,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 15:43:00,EST-5,2017-08-04 15:43:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-75.65,44.59,-75.65,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117726,707895,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"OGLALA LAKOTA",2017-08-14 18:45:00,MST-7,2017-08-14 18:45:00,0,0,0,0,,NaN,0.00K,0,43.2812,-102.2597,43.2812,-102.2597,"A long-lived severe thunderstorm moved slowly southeastward across northern and eastern Oglala Lakota County; producing very large hail, strong wind gusts, and heavy rain. The large hail damaged some property and widespread two to four inches of rain flooded some roads.","" +121373,726519,LOUISIANA,2017,December,Drought,"JACKSON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +121373,726520,LOUISIANA,2017,December,Drought,"UNION",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +119707,720128,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 20-60NM",2017-09-10 14:00:00,EST-5,2017-09-11 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the western Florida peninsula and produced a long duration of sustained tropical storm force winds with frequent gusts to hurricane force over the Atlantic coastal waters due to its very expansive wind field. These winds drove seas of at least 20 to 25 feet.","Hurricane Irma moved north near and parallel to the Florida west coast from the afternoon of September 10 through the morning of September 11. The large wind field of the hurricane brought a long duration of sustained tropical storm winds to the offshore waters with frequent gusts to hurricane force, especially within squalls. A Scripps buoy just east of Port Canaveral measured seas up to 17 feet and NOAA buoy 41009 located 20 miles offshore Port Canaveral measured seas of 20 to 25 feet. Similar seas likely occurred across the waters farther offshore the Volusia County coast." +118772,719433,FLORIDA,2017,September,Tropical Storm,"ST. LUCIE",2017-09-10 06:00:00,EST-5,2017-09-11 06:00:00,0,0,0,1,25.00M,25000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening while weakening to a Category 2 hurricane approximately 95 miles west of Ft. Pierce. A long duration of damaging winds occurred across St. Lucie County, with a period of frequent gusts to hurricane force. The highest sustained wind was measured at the Treasure Coast International Airport in Ft. Pierce (71 mph from the southeast at 1806LST on September 10) and the peak gust was 100 mph from the southeast at 1804LST at the St. Lucie Power Plant on Hutchinson Island. Total estimated damage to residential and business structures as well as beach erosion and mosquito impoundments was $62 million. Damage generally involved roof shingles/tiles, soffits, awnings, and pool enclosures. A few houses, condos and businesses lost portions of their roofs, primarily along the coast, with additional damage due to water intrusion. Numerous trees were uprooted or snapped. A total of 150,000 homes and businesses lost power. A total of 2,365 residents evacuated to shelters within the county. There was one indirect hurricane-related fatality when a 52-year old man driving north on Interstate 95 during heavy rain and tropical storm force gusts veered into a street lamp. The car overturned in standing water and the man drowned." +120203,720233,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-09-08 20:14:00,EST-5,2017-09-08 20:14:00,0,0,0,0,0.00K,0,0.00K,0,27.35,-80.24,27.35,-80.24,"Showers and isolated thunderstorms moved southwest and onshore the east-central Florida coast associated with several narrow rain bands. During the evening, several of the showers and storms produced strong wind gusts along the coast of Brevard, St. Lucie and Martin Counties.","WeatherFlow mesonet site XSTL located along the coast east of the St. Lucie Power Plant recorded a peak wind of 45 knots from the east-northeast as showers and thunderstorms within a narrow line moved southwest and onshore." +119125,720359,FLORIDA,2017,September,Tropical Storm,"BRADFORD",2017-09-10 09:35:00,EST-5,2017-09-11 11:00:00,0,0,0,0,4.00M,4000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","This narrative is from the NWS Jacksonville Post Storm Report for Hurricane Irma which is a compiled list of reports from the storm survey, Emergency Management, private and public weather observation networks and broadcast media sources.||The county experienced widespread tree and power line damage due to tropical storm force winds. ||The county EM team reported that about 300 homes where flooded in the cities of Starke, Sampson and Crosby Lake. Two apartment complexes were flooded. Three weeks after the storm, residents of Sampson and Crosby Lake were still taking boats to get to their homes. Initial road damage estimates were up to $4 million dollars. ||Storm total rainfall included 11.74 inches measured 0.9 miles ESE of Starke. At 10:35 am on 9/10, Alligator Creek in Starke started rising up to the bridge level at Laura Street. This occurred in conjunction with major flood stage reported at the Alligator Creek gauge located just downstream at U.S. Highway 301. Alligator Creek at Starke set a record flood stage at 147.98 feet on 09/11 at 1100 EDT. The Santa Fe River near Graham set a record flood stage at 118.98 feet on 09/11 at 0945 EDT. Hampton Lake near Hampton crested at 131.03 feet on Sept 13th at 1200 EDT. Moderate flooding occurred at this level. Lake Sampson near Starke set a record flood stage at 135.34 feet on Sept 15th at 2000 EDT. Major flooding occurred at this level. New River near Lake Butler set a record flood stage at 98.55 feet on Sept 12th at 0815 EDT. Major flooding occurred at this level. Sampson River at Sampson City set a record flood stage at 135.09 feet on Sept 15th at 1900 EDT. Major flooding occurred at this level." +121505,727319,NORTH CAROLINA,2017,December,Winter Storm,"MACON",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727323,NORTH CAROLINA,2017,December,Winter Storm,"YANCEY",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727324,NORTH CAROLINA,2017,December,Winter Storm,"MITCHELL",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +122299,732318,IDAHO,2017,December,Heavy Snow,"CARIBOU HIGHLANDS",2017-12-03 10:00:00,MST-7,2017-12-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some heavy snow amounts and dangerous roads to southeast Idaho.","The Pebble Creek Ski Resort south of Pocatello received 8 inches of snow with the Wildhorse Divide SNOTEL reporting 9 inches. 6 inches fell at Somsen Ranch SNOTEL." +122299,732319,IDAHO,2017,December,Heavy Snow,"SOUTH CENTRAL HIGHLANDS",2017-12-03 09:00:00,MST-7,2017-12-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some heavy snow amounts and dangerous roads to southeast Idaho.","The Howell Canyon SNOTEL carried 11 inches if snow and the Bostetter Ranger Station SNOTEL had 8 inches." +120509,721989,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"RHODE ISLAND SOUND",2017-09-21 13:40:00,EST-5,2017-09-21 22:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate. ||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 140 PM EST, the coastal marine station at Buzzards Bay, 6 miles west-southwest of Cuttyhunk, measured a sustained wind of 43 mph. At 1059 PM EST, the same station measured a sustained wind of 53 mph and a gust to 59 mph." +119926,721588,RHODE ISLAND,2017,September,Tropical Storm,"BLOCK ISLAND",2017-09-20 09:18:00,EST-5,2017-09-22 02:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket, Massachusetts. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts to Rhode Island, primarily to the islands and south coast. Wind gusts reached 61 mph at Block Island.","At 9:18 AM EST on Sept 20, the Cooperative Observer at Block Island recorded a sustained wind of 41 mph. At 216 AM EST on Sept 22 the observer reported a wind gust to 61 mph. No property damage was reported." +120499,722249,VERMONT,2017,September,Hail,"WINDHAM",2017-09-05 15:20:00,EST-5,2017-09-05 15:20:00,0,0,0,0,,NaN,,NaN,42.87,-72.61,42.87,-72.61,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","The public estimated quarter-size hail." +120499,722250,VERMONT,2017,September,Thunderstorm Wind,"WINDHAM",2017-09-05 15:20:00,EST-5,2017-09-05 15:20:00,0,0,0,0,,NaN,,NaN,42.85,-72.58,42.85,-72.58,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","The public reported a tree down via Facebook." +120499,722251,VERMONT,2017,September,Thunderstorm Wind,"WINDHAM",2017-09-05 15:20:00,EST-5,2017-09-05 15:24:00,0,0,0,0,,NaN,,NaN,42.8577,-72.6061,42.8889,-72.565,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","The Brattleboro Fire Department reported tree damage and isolated power outages from Stockwell Drive in West Brattleboro to Kipling Road in Brattleboro. Tree damage was also reported along Black Mountain Road, Upper Dummerston Road, and East Orchard Street." +120499,722252,VERMONT,2017,September,Thunderstorm Wind,"WINDHAM",2017-09-05 15:24:00,EST-5,2017-09-05 15:24:00,0,0,0,0,,NaN,,NaN,42.8844,-72.5631,42.8844,-72.5631,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","The Brattleboro Fire Department reported tree damage on Crescent Drive." +120499,722253,VERMONT,2017,September,Thunderstorm Wind,"WINDHAM",2017-09-05 15:23:00,EST-5,2017-09-05 15:23:00,0,0,0,0,,NaN,,NaN,42.8537,-72.5687,42.8537,-72.5687,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. One of these storms became severe in southern Vermont with wind damage and large hail reported. Numerous trees and power lines were reported down in the town of Brattleboro.","The Brattleboro Fire Department reported tree damage on Cedar Street." +120567,722286,LOUISIANA,2017,September,Flood,"CAMERON",2017-09-01 00:00:00,CST-6,2017-09-07 23:59:00,0,0,0,0,0.00K,0,0.00K,0,29.7936,-93.9002,29.8723,-93.7766,"Run-off from heavy rain over Southeast Texas caused the Sabine River to spill over into Cameron Parish. Several secondary roads were flooded keeping residents out of their homes during the first week of the month.","Water covered most secondary roads in southwest Cameron Parish as flood water from Harvey drained toward the gulf. Water depth in some locations was around waist deep and kept residents away from their homes during the first week of September. Shallow water also covered portions of highway 82 near Holly Beach and between Johnson Bayou and Port Arthur." +120663,722776,NORTH CAROLINA,2017,September,Flash Flood,"PITT",2017-09-01 20:58:00,EST-5,2017-09-01 20:58:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-77.37,35.5998,-77.368,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Reports of stalled vehicles across several locations around Greenville." +120663,722777,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 21:45:00,EST-5,2017-09-01 21:45:00,0,0,0,0,0.00K,0,0.00K,0,35.441,-77.7922,35.4402,-77.7924,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Road closed at Hwy 13S and Shine Rd due to high waters." +120663,722778,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 21:50:00,EST-5,2017-09-01 21:50:00,0,0,0,0,0.00K,0,0.00K,0,35.5864,-77.6895,35.5887,-77.6913,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Fildsboro Rd in Walstonburg closed due to high water." +120663,722779,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 22:05:00,EST-5,2017-09-01 22:05:00,0,0,0,0,0.00K,0,0.00K,0,35.4326,-77.4931,35.4329,-77.4957,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Intersection of Artis Cemetery Rd and Edwards Bridge Rd closed due to high water." +120663,722780,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 22:29:00,EST-5,2017-09-01 22:29:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-77.64,35.5357,-77.6388,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Taylor Rd closed due to high water." +120663,722781,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 22:35:00,EST-5,2017-09-01 22:35:00,0,0,0,0,0.00K,0,0.00K,0,35.4025,-77.6977,35.4041,-77.6997,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Intersection between Jesse Hill Rd and Hull Rd closed due to high water." +120663,722782,NORTH CAROLINA,2017,September,Flash Flood,"LENOIR",2017-09-01 22:42:00,EST-5,2017-09-01 22:42:00,0,0,0,0,0.00K,0,0.00K,0,35.3288,-77.7866,35.3298,-77.7799,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Road flooded between Hwy 903S and Lenoir and Greene County line." +120663,722783,NORTH CAROLINA,2017,September,Flash Flood,"GREENE",2017-09-01 22:58:00,EST-5,2017-09-01 22:58:00,0,0,0,0,0.00K,0,0.00K,0,35.4987,-77.5221,35.5004,-77.5235,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Road closed at Willow Green Rd and Ormondsville Rd due to high water." +120663,722784,NORTH CAROLINA,2017,September,Thunderstorm Wind,"LENOIR",2017-09-01 18:15:00,EST-5,2017-09-01 18:15:00,0,0,0,0,,NaN,,NaN,35.0279,-77.6847,35.0279,-77.6847,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Lenoir County emergency manager reported damage to 3 to 4 buildings on Snags Path Rd and Turner Farm Ln." +120663,722786,NORTH CAROLINA,2017,September,Thunderstorm Wind,"GREENE",2017-09-01 18:20:00,EST-5,2017-09-01 18:20:00,0,0,0,0,,NaN,,NaN,35.48,-77.6,35.48,-77.6,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Trees were blown down in the Maury Community." +120663,722787,NORTH CAROLINA,2017,September,Thunderstorm Wind,"CRAVEN",2017-09-01 19:32:00,EST-5,2017-09-01 19:32:00,0,0,0,0,,NaN,,NaN,35.34,-77.27,35.34,-77.27,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Large branches were blown down, and an awning and swing set were destroyed at a local restaurant." +120535,722073,SOUTH CAROLINA,2017,September,High Wind,"GREATER PICKENS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722074,SOUTH CAROLINA,2017,September,High Wind,"GREATER GREENVILLE",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722075,SOUTH CAROLINA,2017,September,High Wind,"ANDERSON",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722076,SOUTH CAROLINA,2017,September,High Wind,"LAURENS",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120535,722077,SOUTH CAROLINA,2017,September,High Wind,"GREENWOOD",2017-09-11 09:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Storm Irma moved north/northwest across the Florida Panhandle and southwest Georgia, strong winds developed over western portions of Upstate South Carolina. Although gusts only occasionally exceeded 50 mph in these areas, the prolonged nature of the event, combined with saturated soils resulting from heavy rainfall resulted in many trees falling on roads, power lines, vehicles, and structures. Many were without power for a day or more.","" +120714,723041,ALASKA,2017,September,High Wind,"DELTANA AND TANANA",2017-09-05 00:59:00,AKST-9,2017-09-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient developed in channeled areas of the Alaska range on the 5th of September. A 980 Low over the Bering Sea induced the pressure gradient and associated weather front moved across the range as well.||zone 223: Peak wind gust of 57 kt (66 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek. ||Zone 226: The U.S. Army Mesonet station Edge Creek reported a wind gust to 61 kts (70 mph).","" +119265,723157,SOUTH CAROLINA,2017,September,High Wind,"LEXINGTON",2017-09-11 15:50:00,EST-5,2017-09-11 15:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Power pole snapped with lines and transformers down in a parking lot of a fast food restaurant along Sunset Blvd in Lexington." +119265,723158,SOUTH CAROLINA,2017,September,Strong Wind,"LANCASTER",2017-09-11 15:55:00,EST-5,2017-09-11 15:55:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","AWOS unit at Lancaster SC Airport measured a peak wind gust of 55 MPH at 4:55 pm EDT (1555 EST)." +119265,723159,SOUTH CAROLINA,2017,September,Strong Wind,"SUMTER",2017-09-11 17:19:00,EST-5,2017-09-11 17:19:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Shaw AFB near Sumter measured a peak wind gust of 51 MPH at 6:19 pm EDT (1719 EST)." +120588,722413,MINNESOTA,2017,September,Thunderstorm Wind,"AITKIN",2017-09-20 01:15:00,CST-6,2017-09-20 01:15:00,0,0,0,0,,NaN,,NaN,46.28,-93.55,46.28,-93.55,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several trees were uprooted. A large tree branch landed on a car." +120588,722414,MINNESOTA,2017,September,Thunderstorm Wind,"ITASCA",2017-09-20 01:24:00,CST-6,2017-09-20 01:24:00,0,0,0,0,,NaN,,NaN,47.59,-93.69,47.59,-93.69,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several trees were knocked down along Minnesota 38." +120588,722415,MINNESOTA,2017,September,Thunderstorm Wind,"ITASCA",2017-09-20 01:31:00,CST-6,2017-09-20 01:31:00,0,0,0,0,,NaN,,NaN,47.54,-93.2,47.54,-93.2,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several trees were knocked down along Minnesota State Highway 65 near Buck Lake." +120588,722416,MINNESOTA,2017,September,Thunderstorm Wind,"PINE",2017-09-20 01:35:00,CST-6,2017-09-20 01:35:00,0,0,0,0,,NaN,,NaN,46.32,-93.02,46.32,-93.02,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A few trees were knocked down along County Road 41 near Willow River." +120680,722859,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-09 16:00:00,PST-8,2017-09-09 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,33.8194,-116.5242,33.8195,-116.518,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","Palm Springs High School suffered major flood damage for the second time in a month. A total of 31 classrooms were flooded." +120680,722860,CALIFORNIA,2017,September,Thunderstorm Wind,"RIVERSIDE",2017-09-09 15:45:00,PST-8,2017-09-09 16:15:00,0,0,0,0,15.00K,15000,0.00K,0,33.8263,-116.5359,33.8263,-116.5359,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","Strong downburst winds from a thunderstorm produced a 55 mph wind gust at Palm Springs International Airport. Winds may have been stronger elsewhere in the city. Southern California Edison reported 1000 power outages." +120680,723123,CALIFORNIA,2017,September,Thunderstorm Wind,"RIVERSIDE",2017-09-07 15:50:00,PST-8,2017-09-07 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,33.7864,-116.4111,33.7864,-116.4111,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","Downburst winds from a thunderstorm toppled several trees at the Children's Discovery Museum in Rancho Mirage, CA, the irrigation system was also damaged." +117846,708306,FLORIDA,2017,August,Flash Flood,"DUVAL",2017-08-02 12:40:00,EST-5,2017-08-02 14:13:00,0,0,0,0,0.00K,0,0.00K,0,30.33,-81.65,30.3258,-81.649,"A warm front lifted across north Florida into the afternoon as a broad surface low over the Gulf of Mexico tracked NNE along the boundary ahead of an approaching upper level trough. Very high moisture content (PWAT values 2-2.3 inches) combined with daytime heating along the trough axis enhanced heavy rainfall potential. Flash flooding occurred in parts of Jacksonville during the early afternoon.","At 1:40 pm, a NWS Employee reported minor flooding on North Market Street and Confederate Street. Minor flooding was reported on East State Street and Liberty Street. At 2:50 pm, broadcast media reported flooding on I-10 westbound between Lenox and Cassat in the left lane. At 3:13 pm, a NWS Employee reported water was 2 feet deep at North Market Street and Confederate Street. A person was trapped in a vehicle and rescued." +117849,708309,FLORIDA,2017,August,Thunderstorm Wind,"ST. JOHNS",2017-08-04 19:15:00,EST-5,2017-08-04 19:15:00,0,0,0,0,0.50K,500,0.00K,0,29.76,-81.31,29.76,-81.31,"Southwest steering flow, high moisture content and active sea breeze convection under a weakening mid level short wave trough produced a few strong to severe storms in the afternoon and evening.","A few trees were blown down near the intersection of State Road 206 and U.S. Highway 1 near Dupont. The time of damage was based on radar. The cost of damage was estimated for inclusion of the event in Storm Data." +117852,708313,FLORIDA,2017,August,Funnel Cloud,"ST. JOHNS",2017-08-08 13:20:00,EST-5,2017-08-08 13:20:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-81.39,30.24,-81.39,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","A funnel cloud was observed in the Nocatee area." +117852,708314,FLORIDA,2017,August,Funnel Cloud,"FLAGLER",2017-08-08 18:33:00,EST-5,2017-08-08 18:33:00,0,0,0,0,0.00K,0,0.00K,0,29.51,-81.14,29.51,-81.14,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","A funnel cloud was reported near Silver Lake." +117852,708315,FLORIDA,2017,August,Heavy Rain,"MARION",2017-08-08 15:35:00,EST-5,2017-08-08 16:35:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.06,29.21,-82.06,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","A spotter estimated 2.25-2.49 inches of rainfall within the past 1 hour." +118685,712999,ARIZONA,2017,August,Thunderstorm Wind,"LA PAZ",2017-08-10 13:59:00,MST-7,2017-08-10 14:00:00,0,0,0,0,25.00K,25000,0.00K,0,33.68,-113.91,33.68,-113.91,"Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th; the stronger storms produced strong damaging microburst winds as well as locally heavy rainfall. Intense rainfall led to episodes of flash flooding which primarily affected the interstate 10 corridor from Quartzsite through Brenda. At 1617MST Flash flooding resulted in the closure of highway 95 at milepost 104 in Quartzsite; earlier at about 1500MST the eastbound lane of Interstate 10 in Quartzsite was closed due to flooding. The strong storms also produced damaging microburst winds in Quartzsite which downed power lines and shredded metal sheet roofs; damaging winds also damaged RVs east of Brenda. No injuries were reported due to the wind damage or flooding.","Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th and some affected the Interstate 10 corridor near the town of Brenda. According to a delayed reported received from the public, at about 1400MST strong winds blew the roof off of an RV at the Gateway Ranch RV Resort about one mile east of the town of Brenda. The report came from a renter at the resort who also reported that an awning was blown away and tangled. Multiple trees were also reported to be downed by the strong winds. The damaging wind gusts were estimated to be as high as 75 mph. No injuries were reported due to the strong winds." +118685,713005,ARIZONA,2017,August,Thunderstorm Wind,"LA PAZ",2017-08-10 15:20:00,MST-7,2017-08-10 15:20:00,0,0,0,0,20.00K,20000,0.00K,0,33.66,-114.24,33.66,-114.24,"Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th; the stronger storms produced strong damaging microburst winds as well as locally heavy rainfall. Intense rainfall led to episodes of flash flooding which primarily affected the interstate 10 corridor from Quartzsite through Brenda. At 1617MST Flash flooding resulted in the closure of highway 95 at milepost 104 in Quartzsite; earlier at about 1500MST the eastbound lane of Interstate 10 in Quartzsite was closed due to flooding. The strong storms also produced damaging microburst winds in Quartzsite which downed power lines and shredded metal sheet roofs; damaging winds also damaged RVs east of Brenda. No injuries were reported due to the wind damage or flooding.","Scattered thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th and some of the stronger storms affected the Interstate 10 corridor near the town of Quartzsite. One of the stronger storms that impacted Quartzsite produced damaging microburst winds estimated to be as high as 70 mph. According to a report from the public, at 1520MST strong winds downed power lines along Main Street in Quartzsite. In addition, the winds shredded off a sheet metal roof from the building across the street from McDonald's and pieces of the roof became caught up in the remaining power lines that were left standing. This report was made via the use of social media and including at least one picture of the damage. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 1456MST and was in effect through 1530MST." +118397,711486,KENTUCKY,2017,September,Flash Flood,"LOGAN",2017-09-01 02:42:00,CST-6,2017-09-01 02:42:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-86.73,36.8958,-86.725,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","Local law enforcement reported Highway 103 near Lashley Road near Auburn was impassable due to high water." +118397,711493,KENTUCKY,2017,September,Flash Flood,"METCALFE",2017-09-01 07:30:00,CST-6,2017-09-01 07:30:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-85.62,36.9888,-85.6163,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","Metcalfe officials reported several roads closed due to flooding." +118397,711488,KENTUCKY,2017,September,Flash Flood,"SIMPSON",2017-09-01 05:18:00,CST-6,2017-09-01 05:18:00,0,0,0,0,0.00K,0,0.00K,0,36.72,-86.58,36.7254,-86.5795,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","The Simpson County Emergency Manager reported numerous roads closed with other roads impassable due to high water. The Simpson County Schools were closed due to flooding." +122300,732322,IDAHO,2017,December,Heavy Snow,"UPPER SNAKE RIVER PLAIN",2017-12-16 00:00:00,MST-7,2017-12-16 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to mainly the Snake River Plain where 3 to 7 inches of snow fell.","Three to 5 inches of snow fell with several minor crashes reported by Bonneville County Police. One crash was on the Lewisville Highway which a vehicle took out a power pole and brought down lines. 55 Rocky Mountain Power customers lost power due to the accident." +120690,723028,FLORIDA,2017,September,Tornado,"COLLIER",2017-09-09 11:20:00,EST-5,2017-09-09 11:23:00,0,0,0,0,,NaN,,NaN,25.9022,-81.3274,25.9002,-81.3332,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","NWS storm survey determined damage including leaning wood power poles along US 41 and SR 29 were due to a tornado. Time estimated by radar." +120690,723029,FLORIDA,2017,September,Tornado,"BROWARD",2017-09-09 07:10:00,EST-5,2017-09-09 07:11:00,0,0,0,0,,NaN,,NaN,25.9878,-80.3756,25.9886,-80.3766,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","NWS storm survey determined an area of enhanced tree damage along SW 172 Avenue between Memorial Hospital and Miramar Regional Park was the result of a tornado. Sections of trees were completely ripped apart." +120690,723030,FLORIDA,2017,September,Tornado,"BROWARD",2017-09-10 06:40:00,EST-5,2017-09-10 06:42:00,0,0,0,0,,NaN,,NaN,26.0139,-80.4065,26.0168,-80.41,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","NWS storm survey determined a tornado in the Chapel Trail neighborhood near NW 196 Avenue north of Pines Boulevard. Several trees ripped apart with roof tile damage. Damage pattern suggested rotation. Time estimated via radar." +120690,723255,FLORIDA,2017,September,Hurricane,"INLAND COLLIER COUNTY",2017-09-09 16:00:00,EST-5,2017-09-11 06:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds near 115 mph at landfall in Marco Island and 70-100 mph across most of Inland Collier County. Wind gusts were in excess of 100 mph over most areas, particularly in the western half of the county near the eye wall. Heavy tree and power pole damage, along with minor structural damage, was observed in areas affected by the eye wall. Post-storm survey revealed the likelihood of mini-vortices in the eastern eye wall causing enhanced tree and structural damage in the Orangetree and Corkscrew Swamp area. Total number of damaged structures, damage estimates, death toll and customers without power are included in the Coastal Collier County entry." +120690,723266,FLORIDA,2017,September,Tropical Storm,"COASTAL PALM BEACH COUNTY",2017-09-09 17:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph with stronger gusts across metro Palm Beach County. Highest measured wind gust in the county was 91 mph at Palm Beach International Airport at 455 PM EDT and at Lake Worth Pier at 500 PM EDT. Widespread tree and fence damage occurred county-wide, with only minor structural damage. 566,240 customers lost power, about 75% of total customers. Around 17,300 people evacuated to county shelters. Information on damage estimates and death toll is contained in the event summary for Metro Palm Beach County." +120690,723286,FLORIDA,2017,September,Hurricane,"INLAND MIAMI-DADE",2017-09-09 09:00:00,EST-5,2017-09-10 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds of 60 to 75 mph across inland sections of Miami-Dade County, with a maximum sustained wind reading of 76 mph five miles southwest of Florida City. Wind gusts to hurricane force were observed across the entire area, with highest gust of 90 mph measured at Chekika in the Everglades. There was widespread damage to trees, fences and power poles, with limited damage to structures. Information on death toll, damage estimates, customers without power and people in evacuation shelters is contained in the event summary for Metropolitan Miami-Dade County." +114222,685758,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:07:00,CST-6,2017-03-06 20:10:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-94.41,38.93,-94.41,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115195,694285,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-02 23:10:00,CST-6,2017-05-02 23:10:00,0,0,0,0,15.00K,15000,0.00K,0,36.2221,-99.34,36.3769,-99.3535,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Dozens of power poles downed along highway 34 from 4 miles south of Woodward south to Sharon." +115195,694286,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-02 23:12:00,CST-6,2017-05-02 23:12:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-99.39,36.43,-99.39,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Time estimated by radar." +115195,694287,OKLAHOMA,2017,May,Hail,"GRANT",2017-05-02 23:17:00,CST-6,2017-05-02 23:17:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-97.52,36.81,-97.52,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694288,OKLAHOMA,2017,May,Hail,"KAY",2017-05-02 23:42:00,CST-6,2017-05-02 23:42:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-97.33,36.88,-97.33,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +118675,713283,MISSISSIPPI,2017,August,Thunderstorm Wind,"CLARKE",2017-08-10 15:59:00,CST-6,2017-08-10 15:59:00,0,0,0,0,25.00K,25000,0.00K,0,32.14,-88.79,32.14,-88.79,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","An approximately three foot diameter pine tree fell on a house." +118675,713284,MISSISSIPPI,2017,August,Flash Flood,"CLARKE",2017-08-10 16:52:00,CST-6,2017-08-10 19:30:00,0,0,0,0,4.00K,4000,0.00K,0,32.05,-88.64,32.0505,-88.6357,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","County Road 671 was under approximately six to seven inches of water." +118737,713290,ARKANSAS,2017,August,Flash Flood,"ASHLEY",2017-08-08 08:15:00,CST-6,2017-08-08 09:30:00,0,0,0,0,25.00K,25000,0.00K,0,33.24,-91.51,33.2439,-91.496,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area.","Farm equipment was under water and water occurred over a farm road in Portland." +118739,713296,MISSISSIPPI,2017,August,Funnel Cloud,"CARROLL",2017-08-12 14:32:00,CST-6,2017-08-12 14:32:00,0,0,0,0,0.00K,0,0.00K,0,33.44,-90.06,33.44,-90.06,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","A brief funnel cloud occurred beneath a developing shower." +118739,713301,MISSISSIPPI,2017,August,Flash Flood,"WASHINGTON",2017-08-14 08:00:00,CST-6,2017-08-14 10:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.4,-91.05,33.4042,-91.0238,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Street flooding occurred in Greenville." +118739,713302,MISSISSIPPI,2017,August,Thunderstorm Wind,"GRENADA",2017-08-14 08:14:00,CST-6,2017-08-14 08:14:00,0,0,0,0,5.00K,5000,0.00K,0,33.76,-89.69,33.76,-89.69,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","A couple of trees were blown down." +118739,713304,MISSISSIPPI,2017,August,Flash Flood,"GRENADA",2017-08-14 07:35:00,CST-6,2017-08-14 10:15:00,0,0,0,0,20.00K,20000,0.00K,0,33.8227,-90.0302,33.8044,-89.6306,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Numerous streets were flooded across the county." +119408,716658,MONTANA,2017,August,Drought,"NORTHERN PHILLIPS",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Northern Phillips County entered August experiencing Extreme (D3) drought conditions. The drought persisted through the month, with approximately a quarter of an inch of rain falling across the area, which is approximately three quarters of an inch below normal. This caused the drought to worsen to Exceptional (D4) levels by the end of the month." +119408,716659,MONTANA,2017,August,Drought,"NORTHERN VALLEY",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Northern Valley County entered August experiencing Extreme (D3) to Exceptional (D4) drought conditions. The drought persisted through the month, with generally a quarter to a half of an inch of rain falling during the month, which is three quarters of an inch to one inch below normal. This caused the drought to worsen to Exceptional (D4) levels across the entire area by the end of the month." +119408,716660,MONTANA,2017,August,Drought,"PETROLEUM",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Petroleum County entered August experiencing Extreme (D3) drought conditions. The drought persisted through the month, with generally a quarter of an inch of rain or less falling during the month, which is approximately one inch below normal. This caused the drought to worsen to Exceptional (D4) levels across the entire county by the end of the month." +119408,716661,MONTANA,2017,August,Drought,"PRAIRIE",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Prairie County entered August experiencing Severe (D2) drought conditions across the eastern half of the county, and Extreme (D3) drought conditions across the western half. The drought persisted through the month, with only a tenth of an inch of rain across most locations during the month, which is approximately one inch below normal. This caused the drought to worsen to Exceptional (D4) levels across the western half of the county, and to Extreme (D3) levels across eastern Prairie County, by the end of the month." +118325,711038,TEXAS,2017,August,Thunderstorm Wind,"ANGELINA",2017-08-26 15:30:00,CST-6,2017-08-26 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.3992,-94.6413,31.3992,-94.6413,"Major Hurricane Harvey made landfall between Port Aransas and Port O'Connor Texas during the late evening hours on August 25th, and drifted inland into South Texas before becoming stationary on August 26th. The outer bands of Hurricane Harvey spread northwest across much of Southeast Texas and portions of Deep East Texas during the afternoon on the 26th, where damaging winds downed trees in the Moffitt community in Northern Angelina County.","Trees and other debris were blown down in the Moffitt community." +118915,714371,TEXAS,2017,August,Tropical Storm,"ANGELINA",2017-08-30 02:50:00,CST-6,2017-08-30 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina, Nacogdoches, San Augustine, and Sabine Counties throughout the day on August 30th, resulting in reports of downed trees and power lines as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds. ||In Angelina County, trees were blown down on FM 1818 near Biloxi Creek about 5 miles east southeast of Diboll. In Nacogdoches County, power lines were blown down across FM 2259, 3 miles southeast of Highway 224 just southeast of Nacogdoches. A tree also fell across both lanes of FM 95 about 4 miles south of Martinsville. In San Augustine County, several trees and power lines were blown down in Broaddus. In Sabine County, a tree fell on FM 2024 just east of Bronson, causing a vehicle to crash. There were unknown injuries. In addition, trees were blown down across Highway 87 at Redhill Lake, Odis Lowe Road, and FM 1592 about 1 mile north of Highway 184 in Northern Sabine County.","" +118915,714372,TEXAS,2017,August,Tropical Storm,"NACOGDOCHES",2017-08-30 02:50:00,CST-6,2017-08-30 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina, Nacogdoches, San Augustine, and Sabine Counties throughout the day on August 30th, resulting in reports of downed trees and power lines as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds. ||In Angelina County, trees were blown down on FM 1818 near Biloxi Creek about 5 miles east southeast of Diboll. In Nacogdoches County, power lines were blown down across FM 2259, 3 miles southeast of Highway 224 just southeast of Nacogdoches. A tree also fell across both lanes of FM 95 about 4 miles south of Martinsville. In San Augustine County, several trees and power lines were blown down in Broaddus. In Sabine County, a tree fell on FM 2024 just east of Bronson, causing a vehicle to crash. There were unknown injuries. In addition, trees were blown down across Highway 87 at Redhill Lake, Odis Lowe Road, and FM 1592 about 1 mile north of Highway 184 in Northern Sabine County.","" +119372,717618,MARYLAND,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-12 14:27:00,EST-5,2017-08-12 14:27:00,0,0,0,0,,NaN,,NaN,39.6834,-78.3731,39.6834,-78.3731,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Two trees were down along Turkey Farm Road." +119372,717620,MARYLAND,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-12 14:28:00,EST-5,2017-08-12 14:28:00,0,0,0,0,,NaN,,NaN,39.6291,-78.3895,39.6291,-78.3895,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down on Oldtown Orleans Road near Apple Road." +119372,717621,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-12 16:20:00,EST-5,2017-08-12 16:20:00,0,0,0,0,,NaN,,NaN,39.4457,-77.4959,39.4457,-77.4959,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down blocking both directions of Baltimore National Pike at Gambrill Park Road." +119372,717622,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-12 16:27:00,EST-5,2017-08-12 16:27:00,0,0,0,0,,NaN,,NaN,39.4255,-77.4286,39.4255,-77.4286,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Poles and wires were down on Rosemont Avenue." +119372,717623,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-12 16:32:00,EST-5,2017-08-12 16:32:00,0,0,0,0,,NaN,,NaN,39.3976,-77.4221,39.3976,-77.4221,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down blocking the exit ramp at Interstate 70 and Highway 40." +119372,717624,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-12 17:04:00,EST-5,2017-08-12 17:04:00,0,0,0,0,,NaN,,NaN,39.3447,-77.1944,39.3447,-77.1944,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree eight inches in diameter was down in the 13000 Block of Penn Shop Road." +119372,717626,MARYLAND,2017,August,Thunderstorm Wind,"HOWARD",2017-08-12 17:08:00,EST-5,2017-08-12 17:08:00,0,0,0,0,,NaN,,NaN,39.3219,-77.1569,39.3219,-77.1569,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Two trees were down near the intersection of Long Corner Road and New Cut Road." +119372,717628,MARYLAND,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-12 17:11:00,EST-5,2017-08-12 17:11:00,0,0,0,0,,NaN,,NaN,39.3,-77.1653,39.3,-77.1653,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down near the intersection off Long Corner Road and Gue Road." +119372,717630,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-12 18:06:00,EST-5,2017-08-12 18:06:00,0,0,0,0,,NaN,,NaN,39.3753,-76.7383,39.3753,-76.7383,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down on a light pole near the intersection of Court Road and Woodholme Avenue." +119372,717632,MARYLAND,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-12 18:25:00,EST-5,2017-08-12 18:25:00,0,0,0,0,,NaN,,NaN,38.973,-77.1786,38.973,-77.1786,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down on Clara Barton Parkway near the Capital Beltway." +119372,717634,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-12 18:26:00,EST-5,2017-08-12 18:26:00,0,0,0,0,,NaN,,NaN,39.2388,-76.6919,39.2388,-76.6919,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down in the roadway near the intersection of Southwestern Boulevard and Francis Avenue." +119372,717636,MARYLAND,2017,August,Thunderstorm Wind,"ANNE ARUNDEL",2017-08-12 19:15:00,EST-5,2017-08-12 19:15:00,0,0,0,0,,NaN,,NaN,39.0722,-76.5412,39.0722,-76.5412,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down blocking two right lanes of Governor Ritchie Highway at Cypress Creek Road." +114222,686052,MISSOURI,2017,March,Hail,"MACON",2017-03-06 21:32:00,CST-6,2017-03-06 21:32:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-92.49,40.03,-92.49,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,686053,MISSOURI,2017,March,Thunderstorm Wind,"COOPER",2017-03-06 21:40:00,CST-6,2017-03-06 21:43:00,0,0,0,0,,NaN,,NaN,38.8,-92.96,38.8,-92.96,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several trees were down near Clifton City. Also, a grain bin was moved by these strong straight line winds. Damage continued toward HWY 5 and Mile Corner Road, but this damage was associated with an embedded tornado within the squall line." +115195,694491,OKLAHOMA,2017,May,Thunderstorm Wind,"GARFIELD",2017-05-03 01:13:00,CST-6,2017-05-03 01:13:00,0,0,0,0,2.00K,2000,0.00K,0,36.56,-97.66,36.56,-97.66,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Roofs were blown off outbuildings. Estimated 70 mph winds. Time of event is uncertain." +119611,717574,ARKANSAS,2017,August,Thunderstorm Wind,"LOGAN",2017-08-18 18:55:00,CST-6,2017-08-18 18:55:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-93.63,35.34,-93.63,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Trees and power lines were reported down across Cottonwood Road." +119889,718652,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-22 01:35:00,CST-6,2017-08-22 02:35:00,0,0,0,0,0.00K,0,0.00K,0,39.1623,-94.6513,39.1801,-94.652,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","There was 2 feet of water trapping employees in their business at the Horizons Business Park." +119889,718653,MISSOURI,2017,August,Flash Flood,"CASS",2017-08-22 01:37:00,CST-6,2017-08-22 03:37:00,0,0,0,0,0.00K,0,0.00K,0,38.7972,-94.2139,38.7986,-94.5806,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Numerous roads were closed across Cass County due to running water." +119889,718655,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 01:46:00,CST-6,2017-08-22 04:46:00,0,0,0,0,0.00K,0,0.00K,0,38.9444,-94.6076,38.9459,-94.5919,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Indian Creek was running over the Wornall Bridge at 103rd and Wornall, near the Kansas/Missouri state line." +119889,718656,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 01:49:00,CST-6,2017-08-22 04:49:00,0,0,0,0,0.00K,0,0.00K,0,39.0483,-94.4974,39.0491,-94.4932,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue was performed when a vehicle was swept into Round Grove Creek, along Raytown Road." +120135,719746,OKLAHOMA,2017,August,Drought,"ELLIS",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719747,OKLAHOMA,2017,August,Drought,"ROGER MILLS",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719748,OKLAHOMA,2017,August,Drought,"BECKHAM",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719750,OKLAHOMA,2017,August,Drought,"BLAINE",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719751,OKLAHOMA,2017,August,Drought,"KINGFISHER",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719752,OKLAHOMA,2017,August,Drought,"CANADIAN",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719753,OKLAHOMA,2017,August,Drought,"OKLAHOMA",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120135,719754,OKLAHOMA,2017,August,Drought,"CLEVELAND",2017-08-01 00:00:00,CST-6,2017-08-08 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abundant rainfall helped to end the drought across the area by mid month.","" +120129,719821,TEXAS,2017,August,Hail,"HARDEMAN",2017-08-16 19:02:00,CST-6,2017-08-16 19:02:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-99.74,34.25,-99.74,"Insert description here.","" +120129,719822,TEXAS,2017,August,Thunderstorm Wind,"HARDEMAN",2017-08-16 19:15:00,CST-6,2017-08-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-99.68,34.25,-99.68,"Insert description here.","No damage reported." +119527,717281,NORTH CAROLINA,2017,August,Hail,"NASH",2017-08-23 15:25:00,EST-5,2017-08-23 15:25:00,0,0,0,0,0.00K,0,0.00K,0,36.0598,-78.0804,36.0598,-78.0804,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Nickel size hail was reported on Race Track Road." +119527,717282,NORTH CAROLINA,2017,August,Thunderstorm Wind,"WAKE",2017-08-23 14:53:00,EST-5,2017-08-23 14:58:00,0,0,0,0,10.00K,10000,0.00K,0,35.9,-78.44,35.8703,-78.3531,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Trees were reported down near Rolesville and Zebulon." +122206,731559,TEXAS,2017,December,Drought,"LIMESTONE",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Limestone County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731560,TEXAS,2017,December,Drought,"HILL",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Hill County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731561,TEXAS,2017,December,Drought,"MCLENNAN",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across McLennan County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731562,TEXAS,2017,December,Drought,"FALLS",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Falls County ended after 12/19 following beneficial rainfall during the middle part of the month." +122206,731563,TEXAS,2017,December,Drought,"BELL",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Bell County ended after 12/19 following beneficial rainfall during the middle part of the month." +122082,731573,TEXAS,2017,December,Winter Weather,"DENTON",2017-12-07 08:45:00,CST-6,2017-12-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Reports from social media, broadcast media and emergency management indicated light snow across Denton County. Only trace accumulations were reported." +122082,731575,TEXAS,2017,December,Winter Weather,"DALLAS",2017-12-07 09:00:00,CST-6,2017-12-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Reports from social media, broadcast media and trained spotters indicated light snow across Dallas County amounting to only trace accumulations." +118574,712304,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 14:31:00,EST-5,2017-08-22 14:41:00,0,0,0,0,5.00K,5000,0.00K,0,43.15,-76.1,43.15,-76.1,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712306,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 14:52:00,EST-5,2017-08-22 15:02:00,0,0,0,0,5.00K,5000,0.00K,0,43.13,-76.13,43.13,-76.13,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712307,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-22 15:10:00,EST-5,2017-08-22 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,42.73,-76.32,42.73,-76.32,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712308,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 15:10:00,EST-5,2017-08-22 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,43.19,-76.19,43.19,-76.19,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712309,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 15:14:00,EST-5,2017-08-22 15:24:00,0,0,0,0,5.00K,5000,0.00K,0,43.2,-76.05,43.2,-76.05,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118733,713262,MISSISSIPPI,2017,August,Thunderstorm Wind,"JACKSON",2017-08-30 01:30:00,CST-6,2017-08-30 01:30:00,0,0,0,0,0.00K,0,0.00K,0,30.3447,-88.5472,30.3447,-88.5472,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","Several large tree limbs and trees were reported blown down. Two homes were damaged from trees falling on roofs near Canal Street and Washington Avenue." +118732,713266,LOUISIANA,2017,August,Flash Flood,"ST. CHARLES",2017-08-29 08:00:00,CST-6,2017-08-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,29.9217,-90.3371,29.9502,-90.3986,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","At least 10 residences were reported to have water in them. Numerous roads across St. Charles Parish were reported to have water over them and were impassible." +118731,713269,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA FROM 20 TO 60 NM",2017-08-29 06:15:00,CST-6,2017-08-29 06:15:00,0,0,0,0,0.00K,0,0.00K,0,28.64,-89.79,28.64,-89.79,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","Mississippi Canyon Block 311A AWOS station KMDJ reported a 40 knot wind gust in a thunderstorm." +118731,713270,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA FROM 20 TO 60 NM",2017-08-29 09:15:00,CST-6,2017-08-29 09:15:00,0,0,0,0,0.00K,0,0.00K,0,28.64,-89.79,28.64,-89.79,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","Mississippi Canyon Block 311A AWOS station KMDJ reported a 37 knot wind gust in a thunderstorm." +118731,713272,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-08-30 02:35:00,CST-6,2017-08-30 02:35:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-88.44,29.25,-88.44,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","Main Pass Block 289C AWOS station KVKY reported a 51 knot wind gust during a thunderstorm." +120340,721053,GULF OF MEXICO,2017,August,Waterspout,"STRAITS OF FLORIDA FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT 20 NM",2017-08-29 07:12:00,EST-5,2017-08-29 07:12:00,0,0,0,0,0.00K,0,0.00K,0,24.55,-80.98,24.55,-80.98,"An isolated waterspout was observed well offshore Key Colony Beach in association with an isolated rain shower.","A brief waterspout was observed about 12 miles south-southeast of Key Colony Beach moving toward the north around 10 knots." +119745,718140,TEXAS,2017,August,Flash Flood,"JEFFERSON",2017-08-07 11:14:00,CST-6,2017-08-07 12:14:00,0,0,0,0,0.00K,0,0.00K,0,30.1392,-94.4038,30.1327,-94.1899,"An upper level trough and ample surface moisture created numerous thunderstorms over Southeast Texas. One location experienced flooding.","Law enforcement reported water over Old Sour Lake Road." +120120,719742,LOUISIANA,2017,August,Flood,"CAMERON",2017-08-30 12:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,29.7681,-93.8864,30.9307,-93.5321,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Western sections of Cameron Parish received 20 to 40 inches of rain from Tropical Storm Harvey. While some secondary roads had minor flooding from rain and storm surge flooding was worse in early September when the flood wave from the Neches and Sabine passed through Sabine Lake. Some temporary workers had camper trailers flood during the event." +120120,719749,LOUISIANA,2017,August,Flash Flood,"CALCASIEU",2017-08-27 11:17:00,CST-6,2017-08-30 16:00:00,0,0,0,0,60.00M,60000000,0.00K,0,29.7693,-93.8892,30.9284,-93.5239,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Harvey produced 15 to 30 inches of rain across Calcasieu Parish. One rain band set up on the east side of Lake Charles during the 27th and produced a quick foot of rainfall flooding numerous homes. Total flooded homes was estimated at 1,572. The rain produced the 3rd highest crest on the Sabine at Starks/Deweyville and 2nd highest at Orange. At Sam Houston Jones the Calcasieu River reached its 4th highest crest." +120168,720027,NEBRASKA,2017,August,Tornado,"LOUP",2017-08-19 18:48:00,CST-6,2017-08-19 18:50:00,0,0,0,0,10.00K,10000,0.00K,0,41.87,-99.59,41.86,-99.59,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","An outbuilding was flipped over and severe tree damage was reported along the tornado's path." +120168,720031,NEBRASKA,2017,August,Tornado,"LOUP",2017-08-19 19:03:00,CST-6,2017-08-19 19:03:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-99.59,41.84,-99.59,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Tornado briefly touched down in a field with no damage reported." +120168,720033,NEBRASKA,2017,August,Thunderstorm Wind,"LOUP",2017-08-19 19:15:00,CST-6,2017-08-19 19:15:00,0,0,0,0,55.00K,55000,0.00K,0,41.83,-99.5249,41.83,-99.5249,"Thunderstorms initiated across north central Nebraska during the late afternoon hours of August 19th. As storms tracked to the southeast, they produced large hail, heavy rain and 5 tornadoes.","Thunderstorm winds estimated at 90 MPH flipped a center pivot and caused significant tree damage just west of Almeria." +120225,720320,NEBRASKA,2017,August,Thunderstorm Wind,"KEITH",2017-08-01 17:00:00,MST-7,2017-08-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-101.36,41.12,-101.36,"Isolated thunderstorms developed over the eastern Nebraska Panhandle on the afternoon of August 1st. Thunderstorm wind gusts up to 60 MPH were reported in Keith County.","Thunderstorm wind gust estimated at 60 MPH was reported at this location." +120226,720321,NEBRASKA,2017,August,Thunderstorm Wind,"HOOKER",2017-08-05 04:00:00,MST-7,2017-08-05 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.04,-101.04,42.04,-101.04,"Isolated thunderstorms developed across the northwestern Sandhills and tracked east southeast into the central Sandhills. Thunderstorm wind damage was reported in Hooker County.","Numerous tree limbs reported down in Mullen." +120227,720322,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-29 18:10:00,MST-7,2017-08-29 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-101.69,41.57,-101.69,"Isolated thunderstorms developed along a surface trough of low pressure in the eastern Nebraska Panhandle during the late afternoon hours on August 29th. Severe thunderstorms tracked through Arthur county producing ping pong ball sized hail.","" +120227,720323,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-29 18:30:00,MST-7,2017-08-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-101.81,41.57,-101.81,"Isolated thunderstorms developed along a surface trough of low pressure in the eastern Nebraska Panhandle during the late afternoon hours on August 29th. Severe thunderstorms tracked through Arthur county producing ping pong ball sized hail.","" +120002,719346,ALABAMA,2017,August,Flash Flood,"CLAY",2017-08-10 19:10:00,CST-6,2017-08-10 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2228,-85.957,33.3422,-85.9186,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Numerous roads flooded across eastern Clay County. Reports include Highway 49 in the city of Lineville and Highway 77 in the city of Ashland. Canady Road washed out at Wesobulga Creek." +120002,719349,ALABAMA,2017,August,Flash Flood,"RANDOLPH",2017-08-10 19:10:00,CST-6,2017-08-10 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1272,-85.6544,33.3398,-85.6513,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Numerous reports of flooded roadways across southern Randolph County. Major flooding occurred in the city of Roanoke. Five water rescues were performed in the city of Roanoke along with two bridges washed out." +120002,719362,ALABAMA,2017,August,Flash Flood,"JEFFERSON",2017-08-10 21:40:00,CST-6,2017-08-10 23:30:00,0,0,0,0,0.00K,0,0.00K,0,33.7969,-86.8586,33.8442,-86.8819,"The interaction of two mesoscale features produced areas of concentrated heavy rainfall and flash flooding across central Alabama. A Mesoscale Convective Vortex moving eastward from southern Mississippi collided with a sea-breeze front moving northward from the Gulf Coast. Precipitable water values were near 2.5 inches which resulted in highly efficient rainfall rates.","Several roads flooded and impassable in and near the town of Warrior. Roads include Highway 31 at Dana Road, Cane Creek Road, and Highway 31 near Elliot Drive." +117688,707699,COLORADO,2017,August,Flash Flood,"RIO BLANCO",2017-08-12 14:00:00,MST-7,2017-08-12 16:30:00,0,0,0,0,0.00K,0,5.00K,5000,39.8281,-108.1863,39.728,-108.2409,"A very moist air mass where thunderstorms developed in a slow moving westerly flow resulted in heavy rainfall and flash flooding.","Heavy rainfall, with radar estimates of nearly two inches of total rain within about an hour on the Roan Plateau, produced flash flooding several feet deep which came down drainages and ran across farm fields before ending up in Piceance Creek." +117895,708527,COLORADO,2017,August,Funnel Cloud,"RIO BLANCO",2017-08-22 13:24:00,MST-7,2017-08-22 13:26:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-108.52,39.75,-108.52,"Increasing subtropical moisture that flowed up into western Colorado produced a thunderstorm with a little rotation.","A short-lived funnel cloud was observed by a traveler who was driving south on Highway 139." +118552,712212,CONNECTICUT,2017,August,Hail,"TOLLAND",2017-08-02 12:20:00,EST-5,2017-08-02 12:20:00,0,0,0,0,0.00K,0,0.00K,0,41.7844,-72.3357,41.7844,-72.3357,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 1220 PM EST, a trained spotter reported one-inch diameter hail at Coventry." +117250,705242,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:17:00,EST-5,2017-08-03 18:17:00,0,0,0,0,,NaN,,NaN,40.1,-74.77,40.1,-74.77,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over 4 inches of rain fell in a couple of hours." +117250,705243,NEW JERSEY,2017,August,Heavy Rain,"BURLINGTON",2017-08-03 18:25:00,EST-5,2017-08-03 18:25:00,0,0,0,0,,NaN,,NaN,40.08,-74.81,40.08,-74.81,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Over 4 inches of rain fell in a couple of hours." +117250,705244,NEW JERSEY,2017,August,Lightning,"BURLINGTON",2017-08-02 13:25:00,EST-5,2017-08-02 13:25:00,0,0,0,0,0.01K,10,0.00K,0,39.93,-74.89,39.93,-74.89,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Lightning caused a structure fire." +117250,705245,NEW JERSEY,2017,August,Lightning,"BURLINGTON",2017-08-02 13:30:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.01K,10,0.00K,0,39.9,-74.93,39.9,-74.93,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","A house caught fire from a lightning strike." +117250,705246,NEW JERSEY,2017,August,Lightning,"MIDDLESEX",2017-08-02 15:05:00,EST-5,2017-08-02 15:05:00,0,0,0,0,0.01K,10,0.00K,0,40.5,-74.43,40.5,-74.43,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","A structure caught fire from a lightning strike." +117250,705248,NEW JERSEY,2017,August,Lightning,"WARREN",2017-08-03 19:20:00,EST-5,2017-08-03 19:20:00,0,0,0,0,0.01K,10,0.00K,0,40.95,-75.07,40.95,-75.07,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","A lightning strike took down wires on Knowlton twp along with setting a tree on fire." +117250,705251,NEW JERSEY,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-02 11:42:00,EST-5,2017-08-02 11:42:00,0,0,0,0,,NaN,,NaN,40.52,-74.27,40.52,-74.27,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Trees and wires downed due to thunderstorm winds." +117250,705253,NEW JERSEY,2017,August,Thunderstorm Wind,"OCEAN",2017-08-02 14:14:00,EST-5,2017-08-02 14:14:00,0,0,0,0,,NaN,,NaN,40.12,-74.35,40.12,-74.35,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Several trees downed from thunderstorm winds in Jackson." +117250,705254,NEW JERSEY,2017,August,Thunderstorm Wind,"GLOUCESTER",2017-08-02 15:29:00,EST-5,2017-08-02 15:29:00,0,0,0,0,,NaN,,NaN,39.81,-75.21,39.81,-75.21,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Several trees downed due to thunderstorm winds." +117573,707057,TEXAS,2017,August,Heat,"RUSK",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707058,TEXAS,2017,August,Heat,"PANOLA",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707059,TEXAS,2017,August,Heat,"SHELBY",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117779,717673,MINNESOTA,2017,August,Heavy Rain,"RENVILLE",2017-08-16 17:00:00,CST-6,2017-08-17 05:00:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-95.05,44.58,-95.05,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A measured rainfall report indicated 6.49 inches fell near Beaver Falls in a 12 hour period." +117779,717674,MINNESOTA,2017,August,Heavy Rain,"REDWOOD",2017-08-16 17:30:00,CST-6,2017-08-17 05:30:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-95.1,44.55,-95.1,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","The COOP Observer for Redwood Falls, Minnesota, measured 8.12 inches of rainfall in a 12 hour period. The 8.12 rainfall total is the new state rainfall record for the date (which was officially recorded the morning of August 17th)." +118216,710751,ARIZONA,2017,August,Thunderstorm Wind,"YUMA",2017-08-03 16:15:00,MST-7,2017-08-03 16:15:00,0,0,0,0,30.00K,30000,0.00K,0,32.71,-113.95,32.71,-113.95,"Thunderstorms developed across portions of Yuma and La Paz Counties during the afternoon hours on August 3rd and some of the stronger storms affected the area east of Yuma, along Interstate 8 through the town of Tacna. Isolated strong storms produced gusty and damaging microburst winds that downed a number of power poles in the area around Tacna and further westward along Interstate 8. Additionally, some of the gusty outflow winds produced trailer damage to structures in the town of Tacna. No injuries were reported due to the strong winds. A Severe Thunderstorm Warning was not in effect at the time of the damage. Further to the north, at 1500MST, microburst winds 7 miles south of Quartzsite damaged several sheds and a trailer as well as an off-road vehicle.","Thunderstorms developed to the east of Yuma, and near the town of Tacna, during the afternoon hours on August 3rd. Some of the stronger storms produced gusty and damaging microburst winds which were estimated to be as high as 70 mph. According to a trained spotter less than one mile north of Tacna, several power poles were downed near Avenue 40. No cross streets were given. No injuries were reported." +118216,710753,ARIZONA,2017,August,Thunderstorm Wind,"YUMA",2017-08-03 16:15:00,MST-7,2017-08-03 16:15:00,0,0,0,0,70.00K,70000,0.00K,0,32.66,-114.21,32.66,-114.21,"Thunderstorms developed across portions of Yuma and La Paz Counties during the afternoon hours on August 3rd and some of the stronger storms affected the area east of Yuma, along Interstate 8 through the town of Tacna. Isolated strong storms produced gusty and damaging microburst winds that downed a number of power poles in the area around Tacna and further westward along Interstate 8. Additionally, some of the gusty outflow winds produced trailer damage to structures in the town of Tacna. No injuries were reported due to the strong winds. A Severe Thunderstorm Warning was not in effect at the time of the damage. Further to the north, at 1500MST, microburst winds 7 miles south of Quartzsite damaged several sheds and a trailer as well as an off-road vehicle.","Thunderstorms developed to the east of Yuma, and close to the town of Wellton, during the afternoon hours on August 3rd. Some of the stronger storms produced gusty and damaging microburst winds. According to local law enforcement, at 1615MST, 5 power poles were blown down about 5 miles to the west of Wellton and just north of Interstate 8. At the same time, a trained spotter reported several power poles down slightly further to the west, about 4 miles to the east of the town of Ligurta. The poles were located along Avenue 24. The microburst wind gusts that downed the poles were estimated to be as high as 70 mph." +119710,717950,COLORADO,2017,September,Winter Weather,"FLATTOP MOUNTAINS",2017-09-23 03:00:00,MST-7,2017-09-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and associated strong jet stream flow pushed through western Colorado and brought high elevation snow to some northern and central mountain areas of western Colorado.","Generally 4 to 8 inches of snow was measured across the area." +118163,710803,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:15:00,MST-7,2017-08-03 17:15:00,0,0,0,0,12.00K,12000,0.00K,0,33.25,-111.62,33.25,-111.62,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Thunderstorms developed across much of the greater Phoenix area during the afternoon hours on August 3rd and some of them affected southeast valley communities like Queen Creek. Some of the stronger storms generated gusty and damaging microburst winds estimated to be as strong as 70 mph. According to a trained weather spotter in Queen Creek, gusty outflow winds snapped numerous larger trees in half, near the intersection of West Ocotillo Road and South Crismon Road. No injuries were reported due to strong winds or falling trees." +118163,710804,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:13:00,MST-7,2017-08-03 17:13:00,0,0,0,0,8.00K,8000,0.00K,0,33.59,-112,33.59,-112,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Thunderstorms developed across the northern portion of the greater Phoenix area during the afternoon hours on August 3rd, and some of them affected communities such as Paradise Valley. The stronger storms generated gusty and damaging outflow winds estimated to be at least 60 mph in strength. According to a trained spotter, strong winds blew down several large trees near the intersection of 36th Street and East Cholla Street. This was just east of Highway 51." +118746,713316,MISSISSIPPI,2017,August,Tornado,"JEFFERSON DAVIS",2017-08-30 11:35:00,CST-6,2017-08-30 11:37:00,0,0,0,0,15.00K,15000,0.00K,0,31.5687,-89.7513,31.5842,-89.7529,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","This brief tornado touched down at Williams Ln, just off Highway 35, and tracked north for about one mile. At Williams Ln, a large tree was blown down onto a truck, the tree was laid to the west. Other large limbs and tree debris was also blown down here and laid to the west. The tornado broke off several limbs a Granby Road where it then dissipated. Maximum winds were around 80 mph." +118746,713315,MISSISSIPPI,2017,August,Tornado,"FORREST",2017-08-30 10:41:00,CST-6,2017-08-30 10:45:00,0,0,0,0,200.00K,200000,0.00K,0,31.3462,-89.2692,31.3644,-89.2713,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","This tornado touched down in Petal along West Central Ave. Here, two businesses sustained minor roof damage with a portion of the roof peeled off. Several trees were uprooted and a fence was blown down. As the tornado moved northward, a few more trees were downed along with limbs broken off trees. Along Stevens St, a large tree crushed two vehicles. More minor tree damage occurred across several streets before the tornado crossed the intersection of Highway 11 and the Evelyn Gandy Parkway, where more trees were damaged. The tornado lifted after it crossed into the wooded area north of the Parkway near the Leaf River. Maximum winds were around 90 mph." +118341,711096,HAWAII,2017,August,Lightning,"KAUAI",2017-08-20 22:24:00,HST-10,2017-08-20 22:24:00,0,0,0,0,10.00K,10000,0.00K,0,22.21,-159.41,22.21,-159.41,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","Power outage in Kilauea after a transformer was struck by lightning." +118341,711097,HAWAII,2017,August,Flash Flood,"KAUAI",2017-08-21 01:00:00,HST-10,2017-08-21 05:00:00,0,0,0,0,0.00K,0,0.00K,0,22.2102,-159.4803,22.2111,-159.4781,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","Kuhio Highway near the Hanalei Bridge was closed because of flooding waters on the roadway." +118386,711542,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 17:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5815,-93.4765,31.603,-93.4746,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","High water covered Highway 1217 just north of Many." +118386,711543,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 17:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.4429,-93.4808,31.445,-93.4716,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","High water covered Highway 474 just west of Florien." +118386,711544,LOUISIANA,2017,August,Flash Flood,"SABINE",2017-08-30 17:42:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7438,-93.5118,31.7439,-93.5096,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","High water over Bozeman Loop in the Belmont community." +118386,711546,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 18:09:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9943,-93.0679,31.9943,-93.0595,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 153 about 1 mile north of Highway 9 near the Creston community was closed due to flooding." +118386,711547,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 18:10:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1118,-93.1339,32.109,-93.1327,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 155 at Red Nelson Road was impassable due to high water." +118386,711548,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-30 18:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9673,-92.7662,31.9609,-92.6838,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 156 between Calvin and Winnfield was closed due to flooding." +118386,711549,LOUISIANA,2017,August,Flash Flood,"DE SOTO",2017-08-30 19:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9402,-93.4529,31.9413,-93.4499,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 177 at the Chemard Lake Bridge 2 miles south of I-49 was closed due to flooding." +118386,711550,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 19:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.101,-93.1045,32.1002,-93.0988,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 153 near Red Nelson Road south of Ashland was closed due to flooding." +118386,711551,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 19:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0045,-93.2066,32.002,-93.1902,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Several roads were flooded and closed near the Fairview-Alpha community." +118386,711553,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-31 01:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9702,-92.6912,31.9689,-92.6851,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 1232 between Highway 156 and Highway 501 was closed due to flooding." +118386,711554,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-31 01:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9691,-92.795,31.9528,-92.7912,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 156 between Highway 501 and Highway 167 was closed due to flooding." +118386,711555,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-31 01:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1236,-92.893,32.1261,-92.8458,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Portions of LA 126 between LA 1233 and LA 501 was closed due to a washout." +118386,711556,LOUISIANA,2017,August,Flash Flood,"WINN",2017-08-31 03:05:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9864,-92.7665,32.009,-92.7638,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 1232 from Highway 156 to Highway 501 was closed due to high water." +118938,714522,MICHIGAN,2017,August,Hail,"ALGER",2017-08-09 15:25:00,EST-5,2017-08-09 15:45:00,0,0,0,0,0.00K,0,0.00K,0,46.19,-86.98,46.19,-86.98,"The interaction of a warm front and a lake breeze off Lake Superior generated an isolated severe thunderstorms near Trenary on the afternoon of the 9th.","There was a picture of near golf ball sized hail near Trenary via social media. The hail fell for about twenty minutes. Strong winds were also observed." +118697,713023,MICHIGAN,2017,August,Rip Current,"ALGER",2017-08-02 14:00:00,EST-5,2017-08-02 14:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northerly flow across Lake Superior created dangerous rip currents along the beaches of Alger county, which unfortunately took the life of one individual on 8/2.","At least two individuals were swimming in Lake Superior at a beach in Alger County, east of the Laughing Whitefish River outlet, when they were both swept out towards the open waters by a rip current. Both individuals were in water that was waist deep when the first individual was pulled out by the rip current. Upon trying to rescue the individual, the second swimmer was also pulled out by the same current. The current was so strong it was reported that the individual who lost their life had been ripped out of the hands of the second individual. The second individual was able to self-rescue back to shore, but unfortunately the first individual that was pulled out by the rip current was unreachable and lost their life. Both were from Gahanna, Ohio, 612 miles away from the incident." +118969,715707,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:45:00,EST-5,2017-08-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5032,-76.3077,39.5024,-76.3071,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Bynum Run rapidly escaped its banks, causing flooding and a road closure at the intersection of Patterson Mill Road and East Wheel Road." +118032,713492,TEXAS,2017,August,Heavy Rain,"SWISHER",2017-08-22 14:30:00,CST-6,2017-08-22 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5411,-101.7375,34.5411,-101.7375,"Numerous slow-moving thunderstorms erupted this afternoon in the southern Texas Panhandle along a weak cold front, before spreading south through the South Plains and Rolling Plains throughout the evening. Some of these storms redeveloped over the same areas, most notably in central Swisher County where Tulia and the nearby Middle Tule Creek experienced flash flooding from over four inches of rain in less than one hour. In Hockley County, a favorable merger of outflow boundaries supported a rotating thunderstorm that produced a swath of damaging winds and flash flooding. In addition to damaging several power poles and a Texas Tech University West Texas Mesonet, this storm produced incredible rainfall rates measured as great as 0.69 inches in 5 minutes, or 8.28 inches per hour.","Backbuilding thunderstorms produced 3.45 inches of rain as measured by a Texas Tech University West Texas Mesonet located near Tulia. Radar estimated just over four inches of rain a short distance north of this mesonet." +119266,716108,NORTH DAKOTA,2017,August,Hail,"GRANT",2017-08-26 14:48:00,MST-7,2017-08-26 14:57:00,0,0,0,0,20.00K,20000,0.00K,0,46.39,-101.95,46.39,-101.95,"An upper level short wave trough approached the area in the late afternoon and early evening when enhanced instability was noted. Thunderstorms developed, with some becoming severe over southwest North Dakota. Several law enforcement vehicles were damaged by large hail in Grant County, while tennis ball sized hail was reported in Hettinger County.","There was damage to vehicles and roofs." +119266,716109,NORTH DAKOTA,2017,August,Hail,"HETTINGER",2017-08-26 14:22:00,MST-7,2017-08-26 14:26:00,0,0,0,0,60.00K,60000,0.00K,0,46.56,-102.06,46.56,-102.06,"An upper level short wave trough approached the area in the late afternoon and early evening when enhanced instability was noted. Thunderstorms developed, with some becoming severe over southwest North Dakota. Several law enforcement vehicles were damaged by large hail in Grant County, while tennis ball sized hail was reported in Hettinger County.","There was damage to vehicles and roofs." +119354,716487,LAKE SUPERIOR,2017,August,Marine Thunderstorm Wind,"MARQUETTE TO MUNISING MI",2017-08-01 16:00:00,EST-5,2017-08-01 16:05:00,0,0,0,0,0.00K,0,0.00K,0,46.4588,-86.9307,46.4588,-86.9307,"A slow moving, severe thunderstorm moved across northern Alger county and out across Lake Superior. The storm caused significant tree damage along the shore of Lake Superior just south of M-28 due to straight-line winds.","Over 100 trees 1-2 feet in diameter were snapped and uprooted, with power lines downed as well." +119407,716636,TEXAS,2017,August,Thunderstorm Wind,"DALLAM",2017-08-13 16:26:00,CST-6,2017-08-13 16:26:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-102.94,36.32,-102.94,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Trained spotter estimated wind gust of 60 MPH." +119407,716637,TEXAS,2017,August,Hail,"DALLAM",2017-08-13 16:44:00,CST-6,2017-08-13 16:44:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-103.02,36.38,-103.02,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119556,717416,TEXAS,2017,August,Thunderstorm Wind,"HEMPHILL",2017-08-17 23:18:00,CST-6,2017-08-17 23:18:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-100.28,35.92,-100.28,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119555,717397,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-17 19:00:00,CST-6,2017-08-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-101.78,36.92,-101.78,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119663,718225,TEXAS,2017,August,Flood,"FANNIN",2017-08-13 00:15:00,CST-6,2017-08-13 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.3849,-96.0874,33.3844,-96.0883,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Fannin County Sheriff's Department reported that swift water was flowing over Highway 11 near the intersection of CR 3808, where a car had stalled." +119663,718226,TEXAS,2017,August,Flood,"FANNIN",2017-08-13 00:15:00,CST-6,2017-08-13 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.3918,-96.2407,33.3845,-96.2402,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Fannin County Sheriff's Department reported street flooding in the city of Leonard, TX, where approximately 6 inches of water was flowing over parts of Highway 69." +119663,718227,TEXAS,2017,August,Flood,"FANNIN",2017-08-13 00:15:00,CST-6,2017-08-13 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4189,-96.194,33.4133,-96.1957,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Fannin County Sheriff's Department reported that water was flowing over Highway 78 just south of the city of Bailey, TX." +119663,717799,TEXAS,2017,August,Thunderstorm Wind,"COLLIN",2017-08-12 16:00:00,CST-6,2017-08-12 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,33.3,-96.4,33.3,-96.4,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","A public report indicated that a metal roof was blown off of a detached wood-framed workshop in the city of Blue Ridge, TX." +119665,717803,CALIFORNIA,2017,August,High Wind,"SE KERN CTY DESERT",2017-08-13 22:40:00,PST-8,2017-08-13 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough dropped southward over California from the evening of the 13th through the early morning of the 15th producing strong down slope west to northwest winds over the Kern County Mountains and Deserts as pressure gradients increased over the area.","The APRS station 1NNW Mojave reported a maximum wind gust of 58 mph." +119665,717804,CALIFORNIA,2017,August,High Wind,"KERN CTY MTNS",2017-08-14 14:27:00,PST-8,2017-08-14 14:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough dropped southward over California from the evening of the 13th through the early morning of the 15th producing strong down slope west to northwest winds over the Kern County Mountains and Deserts as pressure gradients increased over the area.","The Bird Springs Pass RAWS reported a maximum wind gust of 58 mph." +119878,718604,TEXAS,2017,August,Thunderstorm Wind,"CROCKETT",2017-08-17 17:46:00,CST-6,2017-08-17 17:46:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-101.69,30.66,-101.69,"A few strong thunderstorms resulted in damaging thunderstorm wind gusts at Lake Coleman. Two Texas Tech West Texas Mesonets measured severe thunderstorm wind gusts near Wall and about 29 miles west of Ozona.","" +119878,718602,TEXAS,2017,August,Thunderstorm Wind,"COLEMAN",2017-08-17 13:05:00,CST-6,2017-08-17 13:05:00,0,0,0,0,0.00K,0,0.00K,0,32.01,-99.52,32.01,-99.52,"A few strong thunderstorms resulted in damaging thunderstorm wind gusts at Lake Coleman. Two Texas Tech West Texas Mesonets measured severe thunderstorm wind gusts near Wall and about 29 miles west of Ozona.","Damaging thunderstorm winds blew a large tree over and overturned a dock at Lake Coleman." +119877,718601,TEXAS,2017,August,Thunderstorm Wind,"NOLAN",2017-08-12 11:25:00,CST-6,2017-08-12 11:25:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.41,32.47,-100.41,"A strong thunderstorm gust front caused wind damage in Sweetwater.","Sweetwater Police relayed reports of winds knocking down a few trees near the 1000 Block of Pines Street in Sweetwater." +119856,718521,MISSOURI,2017,August,Flash Flood,"CLAY",2017-08-05 20:05:00,CST-6,2017-08-05 23:05:00,0,0,0,0,0.00K,0,0.00K,0,39.1643,-94.5958,39.1653,-94.5894,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Two water rescues occurred at Briarcliff Parkway and Highway 169 near Northmoor." +119176,715690,NEVADA,2017,August,Flash Flood,"CLARK",2017-08-29 12:30:00,PST-8,2017-08-29 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.2585,-115.6384,36.2535,-115.6376,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","One person at Fletcher View Campground had to be rescued by firefighters, and debris covered roads in a subdivision." +119176,715697,NEVADA,2017,August,Thunderstorm Wind,"NYE",2017-08-30 15:30:00,PST-8,2017-08-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.6721,-116.4043,36.6721,-116.4043,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","" +119176,715698,NEVADA,2017,August,Thunderstorm Wind,"NYE",2017-08-30 16:00:00,PST-8,2017-08-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8523,-116.4664,36.8523,-116.4664,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","" +119176,715699,NEVADA,2017,August,Dust Storm,"WESTERN CLARK/SOUTHERN NYE",2017-08-30 16:15:00,PST-8,2017-08-30 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","Numerous people reported near zero visibility in Pahrump due to dust storm conditions associated with thunderstorm outflow winds." +119176,715701,NEVADA,2017,August,Thunderstorm Wind,"NYE",2017-08-31 18:00:00,PST-8,2017-08-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0036,-116.0597,37.0036,-116.0597,"High heat and a little mid level moisture triggered isolated thunderstorms over the Mojave Desert. A few storms produced high winds in the deserts and flash flooding in the mountains.","" +119674,717833,NEVADA,2017,August,Heat,"LAS VEGAS VALLEY",2017-08-01 00:00:00,PST-8,2017-08-04 23:59:00,0,0,5,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Six people died of heat related causes in the Las Vegas Valley.","Six people died of heat related causes in the Las Vegas Valley." +119675,717835,NEVADA,2017,August,Heat,"LAS VEGAS VALLEY",2017-08-06 00:00:00,PST-8,2017-08-10 23:59:00,0,0,2,4,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Six people died of heat related causes in the Las Vegas Valley.","Six people died of heat related causes in the Las Vegas Valley." +119677,717839,NEVADA,2017,August,Heat,"LAS VEGAS VALLEY",2017-08-17 00:00:00,PST-8,2017-08-21 23:59:00,0,0,5,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Five people died of heat related causes in the Las Vegas Valley.","Five people died of heat related causes in the Las Vegas Valley." +119676,717837,NEVADA,2017,August,Heat,"LAS VEGAS VALLEY",2017-08-11 00:00:00,PST-8,2017-08-13 23:59:00,0,0,2,2,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Four people died of heat related causes in the Las Vegas Valley.","Four people died of heat related causes in the Las Vegas Valley." +119678,717840,NEVADA,2017,August,Heat,"LAS VEGAS VALLEY",2017-08-29 00:00:00,PST-8,2017-08-29 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"One person died of heat related causes in the Las Vegas Valley.","One person died of heat related causes in the Las Vegas Valley." +119680,717843,CALIFORNIA,2017,August,Heat,"EASTERN MOJAVE DESERT",2017-08-12 13:35:00,PST-8,2017-08-12 16:22:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people died while hiking at Amboy Crater.","A couple died after getting lost and separated during a hike near Amboy Crater." +119961,718970,SOUTH DAKOTA,2017,August,Drought,"WALWORTH",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718971,SOUTH DAKOTA,2017,August,Drought,"POTTER",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117566,707028,MISSOURI,2017,August,Heavy Rain,"BENTON",2017-08-06 06:00:00,CST-6,2017-08-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-93.26,38.48,-93.26,"Several rounds of showers and thunderstorms produced heavy rainfall and minor flooding across the Missouri Ozarks.","A 24 hour rainfall total of 5.29 inches was measured at a CoCoRaHS station about three miles northwest of Cole Camp." +118006,709408,MISSOURI,2017,August,Flash Flood,"JASPER",2017-08-16 11:43:00,CST-6,2017-08-16 13:43:00,0,0,0,0,0.00K,0,0.00K,0,37.2467,-94.5825,37.2474,-94.5818,"A stalled front produced thunderstorms with locally heavy rainfall and minor flooding.","Maple Road near State Highway 171 was washed out." +118006,709409,MISSOURI,2017,August,Flash Flood,"JASPER",2017-08-16 12:05:00,CST-6,2017-08-16 14:05:00,0,0,0,0,0.00K,0,0.00K,0,37.3335,-94.3044,37.334,-94.304,"A stalled front produced thunderstorms with locally heavy rainfall and minor flooding.","Main and Morrison Roads had water flowing over it. Grand and 4th Street were flooded." +118006,709410,MISSOURI,2017,August,Flash Flood,"JASPER",2017-08-16 12:46:00,CST-6,2017-08-16 14:46:00,0,0,0,0,0.00K,0,0.00K,0,37.2525,-94.3908,37.253,-94.4118,"A stalled front produced thunderstorms with locally heavy rainfall and minor flooding.","Baseline Road and County Road 201 was under water." +118006,709413,MISSOURI,2017,August,Flood,"JASPER",2017-08-16 21:00:00,CST-6,2017-08-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0771,-94.4958,37.0788,-94.4964,"A stalled front produced thunderstorms with locally heavy rainfall and minor flooding.","Some ponding of water at the usual places in Joplin and across Jasper County were reported." +118003,709397,KANSAS,2017,August,Flash Flood,"CRAWFORD",2017-08-16 20:15:00,CST-6,2017-08-16 22:15:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-94.86,37.4999,-94.8655,"Slow moving thunderstorms produced locally heavy rainfall and reports of minor flooding.","Water was over the roadway on 610 Road just west of the cemetery." +117954,709066,MISSOURI,2017,August,Flash Flood,"VERNON",2017-08-18 15:55:00,CST-6,2017-08-18 17:55:00,0,0,0,0,0.00K,0,0.00K,0,37.8638,-94.5825,37.8641,-94.5773,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A section of County Road 300 in western rural Vernon County was flooded." +117954,709341,MISSOURI,2017,August,Flash Flood,"DADE",2017-08-20 18:44:00,CST-6,2017-08-20 20:44:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-93.67,37.5596,-93.6758,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","Excessive rainfall caused a section of Highway RA to become flooded." +117954,709344,MISSOURI,2017,August,Flash Flood,"DADE",2017-08-20 18:46:00,CST-6,2017-08-20 20:46:00,0,0,0,0,0.00K,0,0.00K,0,37.5465,-93.7114,37.5471,-93.7163,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A section of Highway 215 west of Bona was flooded." +120004,719120,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 15:28:00,EST-5,2017-08-04 15:28:00,0,0,0,0,,NaN,,NaN,43.18,-74.72,43.18,-74.72,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A trained spotter reported wires down on Barnes Road." +120004,719121,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 15:28:00,EST-5,2017-08-04 15:28:00,0,0,0,0,,NaN,,NaN,43.29,-73.79,43.29,-73.79,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were downed." +119682,717856,NEW YORK,2017,August,Flash Flood,"QUEENS",2017-08-04 07:50:00,EST-5,2017-08-04 08:20:00,0,0,0,0,0.00K,0,0.00K,0,40.7044,-73.8162,40.7043,-73.818,"A weak upper level disturbance interacting with a moist environment and weak steering flow sparked the development of isolated morning thunderstorms over New York City, which led to flash flooding.","A portion of the service road for the Van Wyck Expressway was closed due to flooding in Kew Gardens, Queens. In addition, two lanes were blocked due to flooding on the Van Wyck Expressway northbound approaching the Grand Central Parkway. Only one lane remained passable." +119684,717857,NEW YORK,2017,August,Flash Flood,"WESTCHESTER",2017-08-05 05:36:00,EST-5,2017-08-05 06:06:00,0,0,0,0,0.00K,0,0.00K,0,41.1256,-73.7874,41.125,-73.7847,"Showers and thunderstorms moved across the area during the early morning hours ahead of an approaching cold front. These storms developed in a high moisture environment, with precipitable water values on the 8am EDT Upton sounding exceeding 2. CoCoRaHS observations indicate rainfall amounts of 1.0-1.5 across parts of Westchester County, where isolated flash flooding was reported.","The northbound Saw Mill River Parkway was closed at Exit 27 in Sherman Park due to flooding." +119685,717860,NEW JERSEY,2017,August,Flash Flood,"PASSAIC",2017-08-05 03:42:00,EST-5,2017-08-05 04:12:00,0,0,0,0,0.00K,0,0.00K,0,40.8851,-74.1309,40.8786,-74.1502,"Showers and thunderstorms moved across the area during the early morning hours ahead of an approaching cold front. These storms developed in a high moisture environment, with precipitable water values on the 8am EDT Upton sounding exceeding 2. This led to isolated flash flooding in Passaic County.","US 46 was closed in both directions west of CR 625 and Randolph Avenue in Clifton due to flooding." +120084,719546,NEW YORK,2017,August,Flash Flood,"SUFFOLK",2017-08-18 08:50:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8201,-73.4214,40.8202,-73.4211,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","A car was stuck in water at the intersection of West Hills Road and Chichester Road in West Hills." +120084,719551,NEW YORK,2017,August,Flash Flood,"SUFFOLK",2017-08-18 09:30:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9142,-73.3419,40.913,-73.3354,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","Cars were stuck in water on Locust Road in the Crab Meadow section of Northport." +119828,718452,ARIZONA,2017,August,Flash Flood,"PIMA",2017-08-23 17:40:00,MST-7,2017-08-23 18:00:00,1,0,0,0,0.00K,0,0.00K,0,32.1823,-111.1526,32.183,-111.1534,"Numerous thunderstorms moved northeast across southeast Arizona. One storm caused flash flooding west of Tucson, while another resulted in a lightning-caused house fire in Green Valley.","Heavy rain inundated roads in the western portions of the Tucson Metro Area north and northeast of Ryan Field. A child was swept off her feet and was carried 20 yards downstream after attempting to cross a flooded roadway with water 3 to 4 feet deep. She was found unconscious, but recovered." +119828,718454,ARIZONA,2017,August,Lightning,"PIMA",2017-08-23 15:15:00,MST-7,2017-08-23 15:15:00,0,0,0,0,8.00K,8000,0.00K,0,31.8758,-110.9647,31.8758,-110.9647,"Numerous thunderstorms moved northeast across southeast Arizona. One storm caused flash flooding west of Tucson, while another resulted in a lightning-caused house fire in Green Valley.","Lightning started a house on fire in the 1000 block of Stronghold Canyon Lane in Sahuarita." +115395,693609,MISSOURI,2017,April,Thunderstorm Wind,"DUNKLIN",2017-04-30 01:15:00,CST-6,2017-04-30 01:25:00,0,0,0,0,100.00K,100000,0.00K,0,36.2311,-90.0426,36.2366,-89.7707,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Numerous power lines down between Kennett and Hayti along Highway 412. In addition, several back roads have power lines, power poles and debris from houses covering them." +115531,693790,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:27:00,CST-6,2017-04-30 10:35:00,0,0,0,0,15.00K,15000,0.00K,0,35.1262,-90.0185,35.1289,-90.0128,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree down on a car in parking lot of Owen Brennan's restaurant." +115531,693799,TENNESSEE,2017,April,Flash Flood,"OBION",2017-04-30 11:45:00,CST-6,2017-04-30 13:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.4188,-89.0772,36.405,-89.0818,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Lowe's parking lot and adjacent areas flooded out." +119754,718168,PENNSYLVANIA,2017,August,Hail,"LAWRENCE",2017-08-04 17:05:00,EST-5,2017-08-04 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.86,-80.28,40.86,-80.28,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","" +120154,719942,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 14:02:00,EST-5,2017-08-22 14:02:00,0,0,0,0,20.00K,20000,0.00K,0,40.35,-80.03,40.35,-80.03,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees snapped and uprooted. Tree caused structural damage to a chimney." +120154,719943,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 14:05:00,EST-5,2017-08-22 14:05:00,0,0,0,0,0.50K,500,0.00K,0,40.49,-79.84,40.49,-79.84,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","One large tree down on Allegheny River Blvd." +120154,719944,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-22 14:16:00,EST-5,2017-08-22 14:16:00,0,0,0,0,1.00K,1000,0.00K,0,40.43,-79.73,40.43,-79.73,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +120154,719945,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 13:19:00,EST-5,2017-08-22 13:19:00,0,0,0,0,10.00K,10000,0.00K,0,40.27,-80.49,40.27,-80.49,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","A van on its side with a fallen tree on top of it on Fallen Timber Rd in Independence Twp." +120154,719946,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 14:40:00,EST-5,2017-08-22 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,40.35,-79.59,40.35,-79.59,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree and wires down on Sleepy Hollow Rd." +120154,719954,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 15:22:00,EST-5,2017-08-22 15:22:00,0,0,0,0,0.50K,500,0.00K,0,40.15,-80.05,40.15,-80.05,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down on Short Cut Rd." +119815,718421,WISCONSIN,2017,August,Hail,"OUTAGAMIE",2017-08-30 14:09:00,CST-6,2017-08-30 14:09:00,0,0,0,0,0.00K,0,0.00K,0,44.47,-88.58,44.47,-88.58,"Isolated severe thunderstorms developed as an east-west cold front moved south and encountered a more unstable air mass with marginal deep layer shear. The storms produced mainly hail up to an inch in diameter.","Quarter size hail fell and covered the ground north of Shiocton. Winds from the storm also broke tree branches of up to 8 inches in diameter." +115338,692524,TENNESSEE,2017,April,Thunderstorm Wind,"OBION",2017-04-26 18:02:00,CST-6,2017-04-26 18:15:00,0,0,0,0,15.00K,15000,0.00K,0,36.3213,-89.3017,36.35,-89.17,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Trees down near the communities of Hornbeak and Troy. A porch roof was torn off a house." +115733,695559,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 12:23:00,CST-6,2017-04-30 12:24:00,0,0,0,0,0.00K,0,0.00K,0,33.91,-87.34,33.91,-87.34,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted on Russell Dairy Road." +115979,697083,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:37:00,EST-5,2017-05-29 17:42:00,0,0,0,0,,NaN,,NaN,33.83,-81.8,33.83,-81.8,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported, via social media, baseball size hail on Lee St." +115979,697084,SOUTH CAROLINA,2017,May,Hail,"LEXINGTON",2017-05-29 18:03:00,EST-5,2017-05-29 18:08:00,0,0,0,0,,NaN,,NaN,33.76,-81.37,33.76,-81.37,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported, via social media, penny size hail at Fairview Crossroads." +115979,697085,SOUTH CAROLINA,2017,May,Hail,"LEXINGTON",2017-05-29 18:37:00,EST-5,2017-05-29 18:42:00,0,0,0,0,,NaN,,NaN,33.82,-81.1,33.82,-81.1,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported, via mPING app, golf ball size hail in Gaston." +115979,697088,SOUTH CAROLINA,2017,May,Hail,"SUMTER",2017-05-29 19:12:00,EST-5,2017-05-29 19:17:00,0,0,0,0,,NaN,,NaN,33.89,-80.41,33.89,-80.41,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported quarter size hail and estimated 50 MPH wind gusts on Ridgehill Dr." +120189,720185,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-04 12:31:00,EST-5,2017-08-04 12:31:00,0,0,0,0,,NaN,,NaN,41.86,-72.96,41.86,-72.96,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York and western New England was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable. ||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours and then proceeded to track through eastern New York and western New England. These storms resulted in an isolated report of a tree down in Connecticut.","A tree was downed onto a car." +120191,720187,NEW YORK,2017,August,Hail,"HERKIMER",2017-08-15 15:22:00,EST-5,2017-08-15 15:22:00,0,0,0,0,,NaN,,NaN,42.99,-75.1,42.99,-75.1,"An upper level disturbance tracked through the area during the afternoon hours of Tuesday, August 15th, 2017. This allowed for isolated showers and thunderstorms to develop. These storms resulted in two sub-severe hail reports Herkimer County, NY.","Estimated penny size hail was reported at a golf course." +120191,720188,NEW YORK,2017,August,Hail,"HERKIMER",2017-08-15 15:40:00,EST-5,2017-08-15 15:40:00,0,0,0,0,,NaN,,NaN,42.95,-75.02,42.95,-75.02,"An upper level disturbance tracked through the area during the afternoon hours of Tuesday, August 15th, 2017. This allowed for isolated showers and thunderstorms to develop. These storms resulted in two sub-severe hail reports Herkimer County, NY.","A report of nickel size hail was reported near Getman Corners in Herkimer county." +120075,719479,MICHIGAN,2017,August,Thunderstorm Wind,"WAYNE",2017-08-02 16:45:00,EST-5,2017-08-02 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-83.35,42.14,-83.35,"A severe thunderstorm moved through Wayne county.","Several trees reported down." +117708,707842,MICHIGAN,2017,August,Tornado,"TUSCOLA",2017-08-17 20:10:00,EST-5,2017-08-17 20:17:00,0,0,0,0,0.00K,0,0.00K,0,43.391,-83.146,43.4175,-83.097,"A weak tornado spun up from a heavy rainshower just east of Kingston in Tuscola County, as there was no lightning detected due to the low top of the storm.","Sporadic minor tree and crop damage along a path from Clothier Road between Denhoff and Brief Roads to Northeast of the intersection of Marton Road (Tuscola/Sanilac county line) and Sanilac Road (M46). Greatest observed damage was the removal of roofing material from an outbuilding near the corner of Marton and Sanilac Roads, which is consistent with winds of approximately 75 MPH (EF0). Additional minor tree damage was observed along the damage path." +119898,718697,ILLINOIS,2017,August,Thunderstorm Wind,"VERMILION",2017-08-03 14:35:00,CST-6,2017-08-03 14:40:00,0,0,0,0,32.00K,32000,0.00K,0,40.47,-87.67,40.47,-87.67,"An approaching warm front triggered a broken line of strong thunderstorms during the late afternoon and evening of August 3rd. A few of the cells produced marginally severe wind gusts of around 60mph and heavy downpours. Isolated wind damage occurred, including a downed tree in DeWitt County.","A machine shed was damaged and a few tree branches were blown down." +119899,718700,ILLINOIS,2017,August,Thunderstorm Wind,"FULTON",2017-08-10 18:25:00,CST-6,2017-08-10 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.3,-90.43,40.3,-90.43,"A cold front interacting with a moderately unstable airmass triggered scattered strong thunderstorms across west-central Illinois during the late afternoon and early evening of August 10th. One cell produced wind gusts of around 60mph that blew down a tree in Vermont in Fulton County.","A tree was blown down, taking out a power line." +121566,727649,RHODE ISLAND,2017,December,Winter Storm,"NORTHWEST PROVIDENCE",2017-12-09 08:30:00,EST-5,2017-12-10 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Four to six inches of snow fell on Northwest Providence County." +121566,727651,RHODE ISLAND,2017,December,Winter Weather,"SOUTHEAST PROVIDENCE",2017-12-09 09:30:00,EST-5,2017-12-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","Two and one-half to four and one-half inches of snow fell on Southeast Providence County." +121566,727652,RHODE ISLAND,2017,December,Winter Weather,"WASHINGTON",2017-12-09 08:45:00,EST-5,2017-12-10 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from the Gulf of Mexico moved up the USA East Coast spreading snow and rain across Southern New England during the 9th. The storm moved off through the Maritimes during the night of the 9th.","One and one-half to four and one-half inches of snow fell on Washington County." +119753,720469,TEXAS,2017,August,Flash Flood,"MONTGOMERY",2017-08-26 08:00:00,CST-6,2017-08-26 10:30:00,0,0,0,0,0.00K,0,0.00K,0,30.3872,-95.5275,30.405,-95.4108,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were impassable roads due to high water at Horseshoe Circle and Painted Blvd off the Grand Parkway, 19000 block of David Memorial from Sam's Club to Shenandoah Park, the 11000 block of River Oaks Drive, the 45 northbound lanes at Highway 242 and Hines Road in Willis.||Record pool levels on Lake Conroe required downstream releases that flooded numerous downstream homes, businesses and vehicles. Major flooding occurred along the San Jacinto River and the east Fork of the San Jacinto and its tributaries inundated tens to hundreds of residential subdivisions. There were hundreds of flooded homes along Lake, Spring, Peach and Caney Creeks." +121573,727694,MASSACHUSETTS,2017,December,Strong Wind,"WESTERN NORFOLK",2017-12-05 22:30:00,EST-5,2017-12-06 00:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 1119 PM EST, the Automated Surface Observing System at Norwood recorded a wind gust of 53 mph. At 1041 PM EST, a large tree and wires were down at the intersection of West and Adams Streets in Medfield. At 1128 PM, a tree and power lines were down on Hooper Road in Dedham. At 1222 AM, a tree and power lines were down on Turner Street in Dedham." +120224,720316,NEBRASKA,2017,August,Thunderstorm Wind,"BLAINE",2017-08-27 00:05:00,CST-6,2017-08-27 00:05:00,0,0,0,0,0.00K,0,0.00K,0,42,-99.87,42,-99.87,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","Thunderstorm wind gust estimated at 60 MPH at this location." +120224,720317,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-27 00:54:00,CST-6,2017-08-27 00:54:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-99.74,41.73,-99.74,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","Thunderstorm wind gust estimated at 60 MPH at this location." +120224,720318,NEBRASKA,2017,August,Thunderstorm Wind,"CUSTER",2017-08-27 02:45:00,CST-6,2017-08-27 02:45:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-99.38,41.29,-99.38,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","Thunderstorm wind gust estimated at 70 MPH at this location." +120224,720319,NEBRASKA,2017,August,Hail,"BROWN",2017-08-27 00:15:00,CST-6,2017-08-27 00:15:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-99.87,42.11,-99.87,"Isolated thunderstorms developed over north central Nebraska and moved southeast into central Nebraska. The storms produced heavy rain and hail up to two inches in diameter.","" +120119,719741,ARKANSAS,2017,August,Flood,"WOODRUFF",2017-08-16 04:00:00,CST-6,2017-08-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2744,-91.2417,35.2631,-91.2432,"Heavy rain brought flooding to the Cache River during the middle of August.||Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).","Flooding developed on the Cache River at Patterson on August 16, 2017." +120130,719743,ARKANSAS,2017,August,Flood,"WOODRUFF",2017-08-31 11:48:00,CST-6,2017-08-31 22:59:00,0,0,0,0,0.00K,0,0.00K,0,35.2774,-91.2423,35.2609,-91.2461,"Heavy rain brought more flooding to the Cache River at Patterson on August 31, 2017.||The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.","Flooding again began on the Cache River at Patterson on August 31, 2017." +118983,714707,IOWA,2017,August,Hail,"CLINTON",2017-08-10 16:05:00,CST-6,2017-08-10 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-90.23,41.84,-90.23,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118983,714708,IOWA,2017,August,Hail,"VAN BUREN",2017-08-10 16:16:00,CST-6,2017-08-10 16:16:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-91.92,40.72,-91.92,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118983,714725,IOWA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 15:00:00,CST-6,2017-08-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-91.59,41.37,-91.59,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","An amateur radio operator reported trees down near the intersection of County Road G36 and Spruce Avenue." +118983,714732,IOWA,2017,August,Thunderstorm Wind,"DES MOINES",2017-08-10 16:40:00,CST-6,2017-08-10 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.16,41.01,-91.16,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","A member of the public reported 2 large tree branches down. The time of the event was estimated using radar." +118983,714733,IOWA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 14:53:00,CST-6,2017-08-10 14:53:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-91.58,41.4,-91.58,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","A public report of 60 MPH wind gust from a thunderstorm." +118983,714735,IOWA,2017,August,Thunderstorm Wind,"LOUISA",2017-08-10 15:20:00,CST-6,2017-08-10 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-91.47,41.35,-91.47,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","A trained spotter estimated a thunderstorm wind gust of 40 to 60 MPH. Several small branches were blown down and nickel hail was falling at their location." +120304,720903,CALIFORNIA,2017,August,Wildfire,"MONO",2017-08-29 17:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms with limited rainfall produced many lightning strikes leading to several new wildfire starts in northwest Nevada and far eastern California on the 29th.","The Slinkard Fire burned 8,925 acres west of Topaz, California, between August 29th and September 11th. The fire was suspected to be lightning-caused by a high-based thunderstorm. Extreme fire growth in cheat grass, sagebrush, and pinyon/juniper lead to evacuations in Topaz north of California 89 to the Nevada state line. U.S. 395 was closed from south of Gardnerville, Nevada, to California 108 in Bridgeport, California, from August 31st to September 2nd. California 89 was also closed from U.S. 395 to State Road 4 at Monitor Pass. Nevada 208 was also closed for a short period of time. The cost to fight the fire was at least $5.7M." +119963,719464,NEVADA,2017,August,Flash Flood,"WASHOE",2017-08-06 16:10:00,PST-8,2017-08-06 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-119.34,40.6378,-119.339,"Showers and thunderstorms developed each afternoon August 6th���9th as an upper-level area of low pressure slowly moved into the Great Basin. Some of these thunderstorms produced strong wind gusts and flash flooding.","A nearly stationary thunderstorm produced over 2 inches of rain and caused a debris flow across Nevada Highway 447 south of Gerlach, Nevada. Nevada Department of Transportation reported mud and debris in the roadway blocking all lanes in both directions. No damage estimates were available." +120240,720426,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-03 11:15:00,MST-7,2017-08-03 11:45:00,0,0,0,0,0.00K,0,0.00K,0,34.6208,-112.4801,34.5203,-112.5206,"Thunderstorms caused heavy rain and flash flooding around the Prescott area.","The USGS river gauge on Granite Creek in Prescott rose 4.42 feet in 30 minutes (11:15 AM to 11:45 AM MST). ||A trained spotter reported ponding and running water in streets near Yavapai College. Pea sized hail (1/4 inch) fell for 15 minutes." +120245,720457,ARIZONA,2017,August,Funnel Cloud,"YAVAPAI",2017-08-05 10:52:00,MST-7,2017-08-05 11:07:00,0,0,0,0,0.00K,0,0.00K,0,34.6807,-112.3827,34.783,-112.2581,"An upper air disturbance moving eastward across northern Arizona and southern Utah|helped trigger strong thunderstorms over central Arizona.","At 10:52 AM MST, the Prescott Airport reported a funnel cloud three miles northeast of the tower moving northeast. At 11:25 AM MST, they reported that the cell was weakening with just a moderate intensity rain shaft. The duration of the funnel cloud was 15 minutes." +120246,720458,ARIZONA,2017,August,Flash Flood,"COCONINO",2017-08-06 02:00:00,MST-7,2017-08-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-111.59,37.0092,-111.7255,"A disturbance moving through Utah kept thunderstorms active in southern Utah well into the evening. Heavy rain over the Paria River drainage in Utah caused flash flooding that flowed into Arizona and the Colorado River.","Heavy rain in Utah created a flash flood that flowed through the Paria River from Utah to the Colorado River in Arizona. The stream gauge near the Colorado River indicated a two foot rise in the normally dry river bed." +120188,720171,SOUTH DAKOTA,2017,August,Flash Flood,"STANLEY",2017-08-21 07:00:00,MST-7,2017-08-21 09:45:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-100.38,44.346,-100.375,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","Very heavy rains of 1 to 3 inches falling over a short period of time brought flash flooding to Fort Pierre during the morning hours. Several roads were flooded including parts of Highways 34 and 14 being blocked off due to water over the road. A few homes and businesses received flooding with several vehicles stalled." +120188,720172,SOUTH DAKOTA,2017,August,Hail,"DEWEY",2017-08-21 03:45:00,MST-7,2017-08-21 03:45:00,0,0,0,0,,NaN,,NaN,44.96,-100.8,44.96,-100.8,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720173,SOUTH DAKOTA,2017,August,Hail,"SULLY",2017-08-21 05:36:00,CST-6,2017-08-21 05:36:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-100.47,44.78,-100.47,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720174,SOUTH DAKOTA,2017,August,Hail,"SULLY",2017-08-21 05:40:00,CST-6,2017-08-21 05:40:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-100.47,44.71,-100.47,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720175,SOUTH DAKOTA,2017,August,Hail,"CODINGTON",2017-08-21 06:38:00,CST-6,2017-08-21 06:38:00,0,0,0,0,,NaN,,NaN,44.92,-97.17,44.92,-97.17,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720176,SOUTH DAKOTA,2017,August,Hail,"STANLEY",2017-08-21 06:58:00,MST-7,2017-08-21 06:58:00,0,0,0,0,,NaN,0.00K,0,44.36,-100.38,44.36,-100.38,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720177,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-21 08:20:00,CST-6,2017-08-21 08:20:00,0,0,0,0,,NaN,,NaN,44.16,-100.09,44.16,-100.09,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720178,SOUTH DAKOTA,2017,August,Hail,"STANLEY",2017-08-21 07:30:00,MST-7,2017-08-21 07:30:00,0,0,0,0,0.00K,0,0.00K,0,44.22,-100.13,44.22,-100.13,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720179,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-21 09:20:00,CST-6,2017-08-21 09:20:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-99.75,43.76,-99.75,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +119736,718107,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:30:00,CST-6,2017-08-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.9099,-95.8855,36.9099,-95.8855,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","The Oklahoma Mesonet station near Copan measured 70 mph thunderstorm wind gusts." +119736,718108,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:32:00,CST-6,2017-08-10 18:32:00,0,0,0,0,0.00K,0,0.00K,0,36.8876,-95.9195,36.8876,-95.9195,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind was estimated to 70 mph." +119736,718109,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:35:00,CST-6,2017-08-10 18:35:00,0,0,0,0,2.00K,2000,0.00K,0,36.8586,-95.9348,36.8586,-95.9348,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind blew down power lines and snapped large tree limbs near the W1100 Road and Highway 75 intersection." +119736,718110,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:35:00,CST-6,2017-08-10 18:35:00,0,0,0,0,25.00K,25000,0.00K,0,36.7959,-95.9349,36.7959,-95.9349,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind severely damaged a large metal barn." +119736,718111,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:36:00,CST-6,2017-08-10 18:36:00,0,0,0,0,0.00K,0,0.00K,0,36.9,-95.86,36.9,-95.86,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind was estimated to 70 mph." +119736,718112,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:36:00,CST-6,2017-08-10 18:36:00,0,0,0,0,5.00K,5000,0.00K,0,36.9021,-95.9153,36.9021,-95.9153,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind blew down trees and power lines along Highway 10 and Highway 75." +119736,718113,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 18:40:00,CST-6,2017-08-10 18:40:00,0,0,0,0,2.00K,2000,0.00K,0,36.8586,-95.8814,36.8586,-95.8814,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind blew down power lines near W1100 Road and N 4000 Road." +118429,719978,NEBRASKA,2017,August,Hail,"VALLEY",2017-08-15 07:40:00,CST-6,2017-08-15 07:40:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-99.12,41.46,-99.12,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A few quarter size hail stones occurred, but most were smaller. This was associated with a morning storm, apart from the primary severe event later in the day." +118429,719979,NEBRASKA,2017,August,Hail,"SHERMAN",2017-08-15 15:30:00,CST-6,2017-08-15 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.2369,-99.1132,41.2369,-99.1132,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","" +118429,719981,NEBRASKA,2017,August,Hail,"NANCE",2017-08-15 16:05:00,CST-6,2017-08-15 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-97.98,41.3411,-97.98,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A slowly moving severe thunderstorm dropped hail ranging in size from quarters to baseballs in the Fullerton area." +118429,719982,NEBRASKA,2017,August,Hail,"NANCE",2017-08-15 16:20:00,CST-6,2017-08-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-98.14,41.39,-98.14,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","" +118429,720150,NEBRASKA,2017,August,Hail,"SHERMAN",2017-08-15 16:38:00,CST-6,2017-08-15 16:38:00,0,0,0,0,0.00K,0,0.00K,0,41.1776,-98.9772,41.1776,-98.9772,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Nickel to quarter size hail was reported at the intersection of Highway 10 and Litchfield Road." +118429,720153,NEBRASKA,2017,August,Hail,"HOWARD",2017-08-15 18:02:00,CST-6,2017-08-15 18:12:00,0,0,0,0,0.00K,0,0.00K,0,41.22,-98.41,41.22,-98.41,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","" +118429,720154,NEBRASKA,2017,August,Hail,"MERRICK",2017-08-15 18:45:00,CST-6,2017-08-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-98.24,41.25,-98.24,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","" +118429,720155,NEBRASKA,2017,August,Hail,"MERRICK",2017-08-15 18:48:00,CST-6,2017-08-15 18:48:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-98.25,41.25,-98.25,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","" +118429,720156,NEBRASKA,2017,August,Thunderstorm Wind,"SHERMAN",2017-08-15 16:50:00,CST-6,2017-08-15 16:50:00,0,0,0,0,0.00K,0,0.00K,0,41.2126,-98.9195,41.2126,-98.9195,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","The Sherman County Sheriff estimated that 60 to 70 mph thunderstorm wind gusts occurred at the intersection of Highway 58 and 477th Road." +118429,720158,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-16 00:43:00,CST-6,2017-08-16 00:43:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-100.17,40.28,-100.17,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","Wind gusts were estimated to be near 60 MPH." +118429,720553,NEBRASKA,2017,August,Heavy Rain,"MERRICK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1405,-97.9728,41.1405,-97.9728,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.03 inches was recorded 2 miles northeast of Central City." +118429,720554,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1421,-97.43,41.1421,-97.43,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.75 inches was recorded 4 miles south of Shelby." +118429,720557,NEBRASKA,2017,August,Heavy Rain,"VALLEY",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-99.17,41.73,-99.17,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.50 inches was recorded 8 miles west of Fort Hartsuff State Historical Park." +118429,720558,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-98,40.87,-98,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.06 inches was recorded." +118429,720559,NEBRASKA,2017,August,Heavy Rain,"ADAMS",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6379,-98.38,40.6379,-98.38,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.57 inches was recorded at the NWS Hastings Forecast Office." +121851,729439,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN PENDLETON",2017-12-12 09:00:00,EST-5,2017-12-12 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 4.0 inches in Circleville." +121854,729441,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN MINERAL",2017-12-13 22:00:00,EST-5,2017-12-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall was estimated to be around 3 inches across western Mineral County." +121854,729443,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN GRANT",2017-12-13 22:00:00,EST-5,2017-12-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 3.6 inches at Bayard." +121855,729444,MARYLAND,2017,December,Winter Weather,"EXTREME WESTERN ALLEGANY",2017-12-13 22:00:00,EST-5,2017-12-14 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 3.6 inches in Frostburg." +121857,729445,MARYLAND,2017,December,Winter Weather,"FREDERICK",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to one-half inch near Thurmont and Emmitsburg." +121857,729446,MARYLAND,2017,December,Winter Weather,"CARROLL",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to one-half inch near Oakland." +121857,729447,MARYLAND,2017,December,Winter Weather,"NORTHERN BALTIMORE",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 1.5 inches near Long Green and 0.8 inches in Reisterstown." +121857,729448,MARYLAND,2017,December,Winter Weather,"SOUTHERN BALTIMORE",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 1.0 inches near Pimlico." +121857,729449,MARYLAND,2017,December,Winter Weather,"ANNE ARUNDEL",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to one-half inch in Crofton." +121857,729450,MARYLAND,2017,December,Winter Weather,"NORTHWEST HARFORD",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 0.8 inches in Elkridge." +121857,729451,MARYLAND,2017,December,Winter Weather,"SOUTHEAST HARFORD",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 0.5 inches in Ellicott City." +121857,729452,MARYLAND,2017,December,Winter Weather,"NORTHWEST HARFORD",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 2.0 inches in Pylesville." +122250,731947,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN BERKSHIRE",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Total snowfall ranged between 4 and 7 inches across the Berkshires.","" +122250,731948,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHERN BERKSHIRE",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Total snowfall ranged between 4 and 7 inches across the Berkshires.","" +122260,731996,VERMONT,2017,December,Cold/Wind Chill,"EASTERN WINDHAM",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as five below zero to 14 degrees below zero across southern Vermont on Wednesday night. This resulted in wind chill values as low as 37 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122260,731997,VERMONT,2017,December,Cold/Wind Chill,"WESTERN WINDHAM",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as five below zero to 14 degrees below zero across southern Vermont on Wednesday night. This resulted in wind chill values as low as 37 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122261,731998,MASSACHUSETTS,2017,December,Extreme Cold/Wind Chill,"NORTHERN BERKSHIRE",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as one below zero to 10 degrees below zero across western Massachusetts on Wednesday night. This resulted in wind chill values as low as 31 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +121365,726510,TEXAS,2017,December,Drought,"SHELBY",2017-12-07 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches areawide, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 3-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a two category improvement to abnormally dry (D0) was made across Smith, Gregg, Rusk, and Cherokee Counties, with a one category improvement to moderate (D1) drought made across Nacogdoches and Shelby Counties.","" +117944,708950,KENTUCKY,2017,August,Thunderstorm Wind,"ESTILL",2017-08-22 14:00:00,EST-5,2017-08-22 14:00:00,0,0,0,0,,NaN,,NaN,37.707,-83.89,37.707,-83.89,"Multiple lines of showers and thunderstorms developed from early this afternoon through this evening ahead of a cold front moving from northwest to southeast. Strong to severe winds materialized underneath a few of these storms, resulting in downed trees in Montgomery, Estill, and Elliott Counties.","The local department of highways reported several trees down along Kentucky Highway 52 near Pitts." +117971,709178,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUCKS",2017-08-18 17:32:00,EST-5,2017-08-18 17:32:00,0,0,0,0,,NaN,,NaN,40.17,-74.8,40.17,-74.8,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down wires in several locations." +121371,726513,TEXAS,2017,December,Drought,"PANOLA",2017-12-07 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed Panola County Texas to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3.50-4.50 inches, which was only 25-35% of normal whereas temperatures during the period remained above normal as well. This resulted in a burn ban being hoisted for Panola County, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed. As a result, a one category improvement to moderate drought (D1) was made across the county to end December.","" +121373,726514,LOUISIANA,2017,December,Drought,"CADDO",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +117850,708310,FLORIDA,2017,August,Thunderstorm Wind,"NASSAU",2017-08-06 17:47:00,EST-5,2017-08-06 17:47:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-81.88,30.66,-81.88,"High pressure strengthened over the area through the day however a moist and and unstable airmass continued to fuel sea breeze induced thunderstorms. A lone severe storm developed in Nassau county in the evening and produced wind damage.","Power lines were blown down at Pratt Siding Road and U.S. Highway 1." +117252,709239,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-08-02 17:23:00,EST-5,2017-08-02 17:23:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-74.33,39.6,-74.33,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with strong winds on the waters.","Weatherflow." +117490,709300,NEW JERSEY,2017,August,Flood,"CUMBERLAND",2017-08-07 13:00:00,EST-5,2017-08-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4121,-75.0469,39.415,-75.0205,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Flooding in Millville." +117490,709307,NEW JERSEY,2017,August,Heavy Rain,"CUMBERLAND",2017-08-07 13:00:00,EST-5,2017-08-07 13:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-75.18,39.3,-75.18,"Thunderstorms developed along and ahead of a warm front. With a humid airmass in place, these storms produced heavy rain that led to flash flooding.","Around three inches of rain fell." +118134,709925,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-26 12:00:00,MST-7,2017-08-26 12:00:00,0,0,0,0,,NaN,0.00K,0,44.01,-103.2,44.01,-103.2,"A supercell thunderstorm developed over the eastern slopes of the central Black Hills and moved south-southeast onto the adjacent plains and into northeastern Fall River County before weakening over western Oglala Lakota County. The storm produced hail larger than golf balls along its track.","" +118214,710384,FLORIDA,2017,August,Lightning,"PINELLAS",2017-08-18 10:27:00,EST-5,2017-08-18 10:27:00,1,0,0,0,0.00K,0,0.00K,0,27.971,-82.782,27.971,-82.782,"Scattered summer thunderstorms developed across the area during the late morning and afternoon hours. A lightning bolt from one of these storms struck and injured a golfer in Pinellas County. Another storm caused widespread wind damage in Hardee County.","A 76 year old golfer was stuck by lightning and transported to a hospital, where he was listed in fair condition later that afternoon." +118217,710389,KANSAS,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-03 15:10:00,CST-6,2017-08-03 15:10:00,0,0,0,0,,NaN,,NaN,37.0366,-95.7105,37.0366,-95.7105,"A slow moving cold frontal boundary led to the development of a broken line of strong to severe thunderstorms across southern Kansas. Severe thunderstorms occurred across portions of southeast Kansas, with some isolated wind gusts of 60 to 70 mph.","The wind gust was reported along highway 166." +118772,713517,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 08:19:00,EST-5,2017-09-10 08:19:00,0,0,0,0,,NaN,2.00K,2000,28.0701,-80.5584,28.0701,-80.5584,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, a waterspout moved onshore Melbourne Beach near Avenue B, causing minor damage to the second floor of two homes. The brief EF-0 tornado with winds estimated at 70 to 80 mph continued inland and dissipated just west of Highway A1A. DI2, DOD2, LB-EXP." +118772,713518,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 10:00:00,EST-5,2017-09-10 10:02:00,0,0,0,0,,NaN,0.00K,0,28.0317,-80.5755,28.0276,-80.5968,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, a waterspout that developed on the Indian River moved onshore and damaged several residences on Worth Court in Palm Bay, including a waterfront home whose second floor was removed and carried downwind. The EF-1 tornado (estimated 100 to 110 mph) continued across US-1, causing minor roof damage to a university building. The tornado then impacted over a dozen mobile homes within Palm Bay Estates, several of which were heavily damaged or destroyed. The tornado continued west, just to the north of Turkey Creek, damaging many trees and several additional homes before moving through a school campus before dissipating near the Harris Corporation. DI2, DOD6, LB-EXP." +118772,713522,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 16:48:00,EST-5,2017-09-10 16:50:00,0,0,0,0,,NaN,0.00K,0,28.6864,-80.8366,28.6943,-80.8606,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, a tornado developed just west of the intersection of Brockett Road and Hammock Road in Mims. The tornado snapped many trees and partially removed the roof from a mobile home on Brockett Road (strong EF-1 strength), then moved through a wooded area before reaching near the north end of Nab Street and the east end of Benson Court. A pickup truck near the corner of Benson Court and Lisa Drive rolled about 30 feet west into the fence of an adjacent yard. The tornado strengthened to EF-2 intensity with estimated wind speeds of 115 to 125 mph as it affected homes on Kilbee Street, Turnbull Road, and Brevard Road. Numerous homes were impacted and several were left uninhabitable due to severe roof damage. A number of trees were snapped and uprooted as the tornado continued west northwest across Old Dixie Highway. The tornado dissipated shortly after crossing US Highway 1 near Roosevelt Road. DI2, DOD6, EXP. DI27, DOD4, EXP." +118772,713533,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 17:00:00,EST-5,2017-09-10 17:01:00,0,0,0,0,,NaN,0.00K,0,28.6894,-80.8551,28.6926,-80.8622,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, an EF-1 tornado, with estimated wind speeds between 90 to 95 mph, snapped and uprooted several trees as it developed near Old Dixie Highway in Mims. The tornado continued across US Highway 1 and the northern portion of the Northgate Mobile Home and RV Park, damaging over a dozen homes, several of which experienced partial roof removal. In addition, several power poles snapped in the development and one landed on a home. The tornado also rolled several unoccupied RV's onto to their sides, which were being stored in a parking lot between US Highway 1 and the mobile home park. DI28, DOD3, EXP; DI24, DOD4, LB; DI3, DOD3, EXP." +118772,719431,FLORIDA,2017,September,Tropical Storm,"MARTIN",2017-09-10 14:00:00,EST-5,2017-09-11 06:00:00,0,0,0,0,4.30M,4300000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Category 3 Hurricane Irma made landfall near Naples during the late afternoon of September 10. Irma then moved northward across west-central Florida during the evening while weakening to a Category 2 hurricane approximately 100 miles west of Stuart. A long duration of damaging winds occurred across Martin County, with a period of gusts to minimal hurricane force. The highest measured sustained wind was recorded by a WeatherFlow site at Jensen Beach (55 mph from the southeast at 1845LST on September 10) and the highest measured peak gust was 75 mph at 1655LST. A preliminary damage assessment from the county listed 180 affected structures, with an additional 192 with minor damage, 8 with major damage and 1 destroyed. The total estimated damage cost was $4.3 million. Damage generally involved roof shingles/tiles, soffits, awnings, and pool enclosures. Many trees were uprooted or snapped." +120203,720234,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-09-08 21:30:00,EST-5,2017-09-08 21:30:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"Showers and isolated thunderstorms moved southwest and onshore the east-central Florida coast associated with several narrow rain bands. During the evening, several of the showers and storms produced strong wind gusts along the coast of Brevard, St. Lucie and Martin Counties.","USAF wind tower 0019 along the Cape Canaveral National Seashore recorded a peak wind of 35 knots from the northeast as showers and thunderstorms within a narrow line moved southwest and onshore." +120203,720230,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-09-08 19:20:00,EST-5,2017-09-08 19:20:00,0,0,0,0,0.00K,0,0.00K,0,27.22,-80.2,27.22,-80.2,"Showers and isolated thunderstorms moved southwest and onshore the east-central Florida coast associated with several narrow rain bands. During the evening, several of the showers and storms produced strong wind gusts along the coast of Brevard, St. Lucie and Martin Counties.","WeatherFlow mesonet site XJEN over the Indian River east of Jensen Beach recorded a peak wind of 34 knots from the east-northeast as showers and thunderstorms within a narrow line moved southwest and onshore." +119730,720399,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 16:19:00,PST-8,2017-09-03 16:19:00,0,0,0,0,10.00K,10000,0.00K,0,35.22,-118.91,35.22,-118.91,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported power lines were downed by thunderstorm winds across the northbound lanes of State Route 184 near Sunset Blvd 3 miles south of Lamont." +120254,721325,GEORGIA,2017,September,Tropical Storm,"BRANTLEY",2017-09-10 10:00:00,EST-5,2017-09-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","The Satilla River at Atkinson crested at 16.07 ft on Sept. 17th at 0845 EDT. Minor flooding occurred at that level. Storm total rainfall included 10.34 inches 6 miles south of Nahunta and 8.74 inches 1 mile WSW of Atkinson." +120436,721544,ALASKA,2017,September,High Surf,"SRN SEWARD PENINSULA COAST",2017-09-18 00:00:00,AKST-9,2017-09-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds created high surf and minor beach erosion for the coastal areas near Emmonak. Waves and surf built to 6 to 11 feet offshore with runup above the normal high tide line. Also high surf in Norton Sound with waves 4 to 6 feet offshore.","" +120438,721547,ALASKA,2017,September,High Surf,"CHUKCHI SEA COAST",2017-09-30 00:00:00,AKST-9,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds 25 to 40 mph with gusts to 50 mph created high surf and minor beach erosion for the coastal areas near Kivalina and Point Hope. Waves and surf built to 3 to 8 feet offshore with runup above the normal high tide line.","" +120440,721549,ALASKA,2017,September,High Wind,"N. BROOKS RNG E OF COLVILLE R",2017-09-13 04:00:00,AKST-9,2017-09-13 17:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient in the Brooks range produced winds near 60 mph in the passes|on September 13th.","" +119142,721560,ALABAMA,2017,September,Thunderstorm Wind,"DEKALB",2017-09-23 17:35:00,CST-6,2017-09-23 17:35:00,0,0,0,0,,NaN,,NaN,34.29,-86.02,34.29,-86.02,"An evening thunderstorm produced wind damage in and around Crossville. Trees were uprooted and roof damage was reported.","A spotter reported minor roof damage to barns in the area. Also, two oak trees were uprooted." +121506,727325,NORTH CAROLINA,2017,December,Winter Storm,"BUNCOMBE",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727326,NORTH CAROLINA,2017,December,Winter Storm,"TRANSYLVANIA",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727327,NORTH CAROLINA,2017,December,Winter Storm,"HENDERSON",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +120568,722287,TEXAS,2017,September,Flood,"JEFFERSON",2017-09-01 00:00:00,CST-6,2017-09-07 23:59:00,0,0,0,0,0.00K,0,0.00K,0,30.1482,-94.1247,30.1553,-94.1068,"Tropical Storm Harvey moved through the region during the last half of August causing record flooding. Flood water along the Sabine and Neches Rivers slowly receded during the first week of September.","Record or near record crests along the Lower Neches River occurred during Tropical Storm Harvey. Areas along the river stayed flooded during much of the first week of September as the Neches remained above major flood stage. This affected some refineries near the river and also some parks, roadways, and residences. The crest finally moved through Sabine Lake during the 3rd." +120568,722288,TEXAS,2017,September,Flood,"ORANGE",2017-09-01 00:00:00,CST-6,2017-09-07 23:59:00,0,0,0,0,0.00K,0,0.00K,0,29.9889,-93.8274,30.1505,-93.6887,"Tropical Storm Harvey moved through the region during the last half of August causing record flooding. Flood water along the Sabine and Neches Rivers slowly receded during the first week of September.","Heavy rain from Tropical Storm Harvey caused record or near record flooding along the lower Sabine and Neches Rivers. While the crests of the rivers was during the last couple days of August to the first days of September the rivers remained in major flood stage through the first week. Some roadways and residences remained flooded near the rivers through the first week of the month." +120569,722289,INDIANA,2017,September,Hail,"DELAWARE",2017-09-04 20:05:00,EST-5,2017-09-04 20:07:00,0,0,0,0,,NaN,0.00K,0,40.2,-85.41,40.2,-85.41,"A northeast to southwest oriented band of showers and thunderstorms pushed east southeast through northern portions of central Indiana during the evening hours of September the 4th. A couple storms within the band produced damaging wind and small hail.","" +120569,722290,INDIANA,2017,September,Thunderstorm Wind,"HOWARD",2017-09-04 18:25:00,EST-5,2017-09-04 18:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.4901,-86.3661,40.4901,-86.3661,"A northeast to southwest oriented band of showers and thunderstorms pushed east southeast through northern portions of central Indiana during the evening hours of September the 4th. A couple storms within the band produced damaging wind and small hail.","A tree was reported down across County Road 1250 West due to damaging thunderstorm wind gusts. Report was relayed via Twitter." +120569,722291,INDIANA,2017,September,Thunderstorm Wind,"RANDOLPH",2017-09-04 20:40:00,EST-5,2017-09-04 20:40:00,0,0,0,0,,NaN,,NaN,40.13,-85.2,40.13,-85.2,"A northeast to southwest oriented band of showers and thunderstorms pushed east southeast through northern portions of central Indiana during the evening hours of September the 4th. A couple storms within the band produced damaging wind and small hail.","An estimated 60 mph thunderstorm wind gust was observed in this location." +120039,719347,MONTANA,2017,September,Wildfire,"CENTRAL AND SOUTHERN VALLEY",2017-09-01 06:00:00,MST-7,2017-09-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent dry conditions contributed to the start of a wildfire on the morning of the 1st on the Charles M Russell National Wildlife Refuge in Valley County near Fort Peck Lake. The fire was brought under control by the afternoon of the 5th after burning 1,261 acres.","A grass/understory wildfire started on the morning of the 1st on the Charles M Russell National Wildlife Refuge in Valley County near Fort Peck Lake, on 329 Road. The fire burned 1,261 acres, but burned on a peninsula and out into Fort Peck Lake. The fire was brought under control by the afternoon of the 5th." +120663,722789,NORTH CAROLINA,2017,September,Thunderstorm Wind,"DARE",2017-09-02 03:30:00,EST-5,2017-09-02 03:30:00,0,0,0,0,,NaN,,NaN,35.35,-75.5,35.35,-75.5,"Thunderstorms developed and became severe, producing wind damage and flash flooding.","Minor damage was done to a deck, and a house was struck by lightning in Avon." +120502,721941,ARIZONA,2017,September,Funnel Cloud,"PIMA",2017-09-16 19:02:00,MST-7,2017-09-16 19:05:00,0,0,0,0,0.00K,0,0.00K,0,31.9982,-110.8781,31.9982,-110.8781,"A couple of small storms formed in Santa Cruz county and moved northeast toward Tucson. One cell produced a short-lived funnel cloud just before sunset.","A short-lived funnel cloud was observed near the Arizona Motorplex on Los Reales Rd." +120508,721983,ARIZONA,2017,September,Thunderstorm Wind,"PIMA",2017-09-05 15:14:00,MST-7,2017-09-05 15:14:00,0,0,0,0,0.00K,0,0.00K,0,31.9126,-111.8975,31.9126,-111.8975,"Scattered thunderstorms moved west across southeast Arizona. One produced a severe wind gust near Sells.","RAWS site in Sells measured a thunderstorm wind gust of 60mph." +120541,722180,KANSAS,2017,September,Thunderstorm Wind,"RAWLINS",2017-09-13 14:30:00,CST-6,2017-09-13 14:30:00,0,0,0,0,3.00K,3000,0.00K,0,39.7845,-101.3713,39.7845,-101.3713,"A thunderstorm over McDonald produced nickel size hail and damaged some structures in town from the straight-line winds.","A power line was blown down and three six inch diameter tree limbs, along with several smaller limbs, were broken off. At the baseball field, the roof of one of the dugouts was blown off and landed about a block away." +118594,712458,NORTH DAKOTA,2017,September,Tornado,"GRIGGS",2017-09-01 18:16:00,CST-6,2017-09-01 18:22:00,0,0,0,0,1.00K,1000,2.00K,2000,47.5053,-98.0044,47.4867,-97.9815,"During the early evening of September 1st, a line of thunderstorms formed between Stump Lake, in Nelson County, and Pembina, in Cavalier County. However, one cell on the far southern end of the line quickly became the strongest storm, and it would hold together as the storm tracked to the south-southeast, through Griggs, Steele, and Cass counties, before weakening. This cell produced several weak tornadoes, funnel clouds, and large hail.","This tornado tracked intermittently for about two miles across a portion of the Sheyenne River Valley. Large tree branches were broken down in various shelterbelts and groves along the path, mainly along the valley edge. Peak winds were estimated at 75 mph." +119242,716035,NORTH DAKOTA,2017,September,Thunderstorm Wind,"GRAND FORKS",2017-09-22 19:34:00,CST-6,2017-09-22 19:34:00,0,0,0,0,10.00K,10000,,NaN,48.09,-97.21,48.09,-97.21,"By early in the evening of September 22nd, an area of surface low pressure was located just northwest of Fargo, North Dakota, with a stationary boundary extending out to the east, toward Fosston and Bemidji, Minnesota. A strong low level jet helped storms fire to the north and east of the surface features, mainly from Grand Forks County in North Dakota, up toward Marshall County in Minnesota.","A large piece of metal sheet roofing from a neighbor's machine shed was torn off and hit the house, causing minor damage. An enclosed trailer was moved about ten feet and two trees were uprooted." +120714,723042,ALASKA,2017,September,High Wind,"DENALI",2017-09-05 00:51:00,AKST-9,2017-09-06 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient developed in channeled areas of the Alaska range on the 5th of September. A 980 Low over the Bering Sea induced the pressure gradient and associated weather front moved across the range as well.||zone 223: Peak wind gust of 57 kt (66 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek. ||Zone 226: The U.S. Army Mesonet station Edge Creek reported a wind gust to 61 kts (70 mph).","" +120713,723043,NEVADA,2017,September,Tornado,"DOUGLAS",2017-09-21 14:29:00,PST-8,2017-09-21 14:34:00,0,0,0,0,,NaN,,NaN,39.04,-119.97,39.0346,-119.9657,"Showers and isolated thunderstorms developed along a surface trough beneath an upper-level area of low pressure on September 21st.","A citizen reported a confirmed tornado/waterspout that formed two brief spin-ups on Lake Tahoe near Cave Rock, Nevada. The position of the tornado was estimated based on pictures and terrain features. The tornado was determined to be an EF-0 as no damage was reported. This tornado was non-supercellular in nature." +120675,722813,OKLAHOMA,2017,September,Flash Flood,"COMANCHE",2017-09-27 05:18:00,CST-6,2017-09-27 09:18:00,0,0,0,0,10.00K,10000,0.00K,0,34.6102,-98.4594,34.6104,-98.4572,"Moderate to heavy showers persisted for long enough during the morning of the 27th across portions of southwest Oklahoma to cause some localized flooding. One report of flooding was received between Lawton and Cache. The intersection of NW Cache Rd and NW Airport Rd was reported to be flooded and impassible.","A report was relayed by broadcast media of flooding at the intersection of 53rd and Gore Blvd. Water was reported to be coming into a vehicle at this intersection." +120635,722600,TEXAS,2017,September,Thunderstorm Wind,"WICHITA",2017-09-19 15:20:00,CST-6,2017-09-19 15:20:00,0,0,0,0,,NaN,,NaN,33.84,-98.58,33.84,-98.58,"Fairly strong warm air advection and a subtle mid level shortwave trough resulted in isolated severe thunderstorms developing during the overnight and early morning hours across portions of western north TX.","Three to four inch diameter tree limbs were snapped by the strong winds." +120635,722601,TEXAS,2017,September,Thunderstorm Wind,"WICHITA",2017-09-19 15:45:00,CST-6,2017-09-19 15:45:00,0,0,0,0,4.00K,4000,0.00K,0,34.05,-98.53,34.05,-98.53,"Fairly strong warm air advection and a subtle mid level shortwave trough resulted in isolated severe thunderstorms developing during the overnight and early morning hours across portions of western north TX.","Downed/snapped power poles were reported by the emergency manager." +120635,722602,TEXAS,2017,September,Thunderstorm Wind,"ARCHER",2017-09-19 16:15:00,CST-6,2017-09-19 16:15:00,0,0,0,0,8.00K,8000,0.00K,0,33.81,-98.54,33.81,-98.54,"Fairly strong warm air advection and a subtle mid level shortwave trough resulted in isolated severe thunderstorms developing during the overnight and early morning hours across portions of western north TX.","Four power poles were downed/snapped by strong winds." +120635,722603,TEXAS,2017,September,Thunderstorm Wind,"ARCHER",2017-09-19 17:00:00,CST-6,2017-09-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-98.54,33.81,-98.54,"Fairly strong warm air advection and a subtle mid level shortwave trough resulted in isolated severe thunderstorms developing during the overnight and early morning hours across portions of western north TX.","The fire department estimated wind speeds near 60 mph." +119265,723160,SOUTH CAROLINA,2017,September,High Wind,"BAMBERG",2017-09-11 17:30:00,EST-5,2017-09-11 17:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Tree down across Faust St in Bamberg." +119265,723161,SOUTH CAROLINA,2017,September,Strong Wind,"FAIRFIELD",2017-09-11 17:35:00,EST-5,2017-09-11 17:35:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","AWOS unit at Fairfield Co Airport south of Winnsboro SC measured a peak wind gust of 53 MPH at 6:35 pm EDT (1735 EST)." +120637,723078,TEXAS,2017,September,Flood,"FRIO",2017-09-27 10:14:00,CST-6,2017-09-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.6671,-99.3404,28.6478,-99.4198,"The remnants of Pacific Tropical Storm Pilar moved across Mexico adding mid-level moisture to an already moist boundary layer. Precipitable water values were around 2.5 inches when a series of upper level shortwave troughs initiated thunderstorms. Some of these storms produced heavy rainfall that led to flash flooding.","Thunderstorms produced heavy rain that led to flooding closing SH 85 between Dilley and Big Wells." +120155,719921,UTAH,2017,September,Wildfire,"NORTHERN WASATCH FRONT",2017-09-05 07:15:00,MST-7,2017-09-10 11:20:00,0,0,0,0,849.00K,849000,0.00K,0,NaN,NaN,NaN,NaN,"The Uintah Fire began in northern Utah on September 5 and was contained on September 10.","The Uintah Fire started on September 5 near the mouth of Weber Canyon. The fire was sparked by a downed power line and spread rapidly due to strong easterly canyon winds in the area, eventually burning 619 acres. More than 900 people were evacuated from their homes in the cities of Uintah and South Weber on September 5 before being allowed to return by September 7. The fire destroyed three homes and damaged two other homes and a mixed-use property. In total, the fire destroyed or damaged 18 structures. The estimated damage was $849,000, with operational costs to fight the fire at around $273,000. The fire was contained on September 10." +120588,722417,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 01:42:00,CST-6,2017-09-20 01:42:00,0,0,0,0,,NaN,,NaN,47.4,-92.95,47.4,-92.95,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several large trees were knocked down with some falling onto a house, damaging its chimney and siding." +120588,722418,MINNESOTA,2017,September,Thunderstorm Wind,"CARLTON",2017-09-20 01:43:00,CST-6,2017-09-20 01:43:00,0,0,0,0,,NaN,,NaN,46.46,-92.86,46.46,-92.86,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A few trees measuring 10 inches in diameter were knocked down along Minnesota 27 by the intersection with Minnesota 73." +120588,722419,MINNESOTA,2017,September,Thunderstorm Wind,"CARLTON",2017-09-20 02:03:00,CST-6,2017-09-20 02:03:00,0,0,0,0,,NaN,,NaN,46.71,-92.44,46.71,-92.44,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A 12 to 18 inch diameter tree branch was knocked down partially blocking Grant Avenue." +120588,722420,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 02:06:00,CST-6,2017-09-20 02:06:00,0,0,0,0,,NaN,,NaN,47.43,-92.58,47.43,-92.58,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","Several trees were knocked down blocking Old Mesabi Road in Clinton Township." +120680,723124,CALIFORNIA,2017,September,Lightning,"RIVERSIDE",2017-09-07 16:00:00,PST-8,2017-09-07 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.7252,-116.3768,33.7252,-116.3768,"The month picked up where August left off, with an active monsoon pattern bringing periods of showers and thunderstorms to the mountains and deserts. The storms were confined to the deserts where intense isolated strong/severe thunderstorms on the 7th, 8th and 9th produced damage and impacts. Flash flooding was especially intense in Palm Springs and Cathedral City on the 9th, where structures throughout the city were flooded and roads were covered in debris. At Palm Springs High School 31 classrooms were inundated. Major flood damage also occurred at the Safari Mobile Home Park. Palm Springs set a daily record with 1.19 inches of rainfall. Many trees were toppled on September 8th when 62 mph winds occurred at Thermal Airport.","A lightning strike struck a palm tree, catching the tree and a residence on fire." +120682,722826,CALIFORNIA,2017,September,Wildfire,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-09-25 13:00:00,PST-8,2017-09-27 23:00:00,0,0,0,0,1.00M,1000000,,NaN,NaN,NaN,NaN,NaN,"The canyon fire began shortly after 1300 PST on the 25th near Highway 91 in Orange County. The fire spread rapidly due to dry fuel conditions and very low humidity, and fire fighting efforts were hindered by a transition from light Santa Ana Winds to onshore flow. This initially pushed the fire into the foothills before sending it back eastward toward Corona. By 2100 PST on the 25th the fire was estimated at 1700+ acres and was threatening residences. Winds calmed over the ensuing days and the fire was quickly contained at 2662 acres. The cause of the wildfire was determined to be a roadside flare.","The Canyon Fire began around 1300 PST, and spread rapidly near Highway 91, consuming 1700+ acres in the first 6 hours. The fire damaged 6 structures and forced hundreds of residents to evacuate in Corona. At least 8 schools were closed." +120761,723291,ALABAMA,2017,September,Tropical Storm,"BLOUNT",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +117852,708316,FLORIDA,2017,August,Heavy Rain,"NASSAU",2017-08-08 16:35:00,EST-5,2017-08-08 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-81.94,30.38,-81.94,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","The media reported 3.5 inches of rainfall." +117852,708317,FLORIDA,2017,August,Heavy Rain,"FLAGLER",2017-08-07 23:00:00,EST-5,2017-08-08 22:59:00,0,0,0,0,0.00K,0,0.00K,0,29.6,-81.21,29.6,-81.21,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","A spotter measured 3.5 inches of daily rainfall." +117853,708318,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-08-08 16:35:00,EST-5,2017-08-08 16:35:00,0,0,0,0,0.00K,0,0.00K,0,31.24,-81.47,31.24,-81.47,"Southwest steering flow ahead of an approaching mid level short wave trough was across the local area. A surface front shifted southward toward GA and AL. Moist conditions and an unstable airmass, combined with sea breeze convergence under destabilizing upper level conditions fueled strong to severe storms. Boundary mergers spawned a couple of short lived funnel clouds.","The AWOS at the Brunswick Golden Isles Airport measured a thunderstorm gust to 52 mph." +117854,708319,FLORIDA,2017,August,Thunderstorm Wind,"ALACHUA",2017-08-09 15:00:00,EST-5,2017-08-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-82.34,29.68,-82.34,"A surface front was across south Georgia with very high moisture content along this feature and south. Light south flow enabled both sea breezes to develop and press inland and interact over the moist and unstable airmass. Scattered severe storms developed across NE Fl, and produced strong wind gusts due to pockets of dry mid level air that enhanced downbursts.","A tree was uprooted and blown down onto a home along NW 14th Street. The time of damage was based on radar." +117854,708320,FLORIDA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-09 15:00:00,EST-5,2017-08-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,29.9,-82.33,29.9,-82.33,"A surface front was across south Georgia with very high moisture content along this feature and south. Light south flow enabled both sea breezes to develop and press inland and interact over the moist and unstable airmass. Scattered severe storms developed across NE Fl, and produced strong wind gusts due to pockets of dry mid level air that enhanced downbursts.","A tree was blown down on Eden Loop Church Road in Brooker." +117854,708321,FLORIDA,2017,August,Thunderstorm Wind,"ALACHUA",2017-08-09 15:05:00,EST-5,2017-08-09 15:05:00,0,0,0,0,0.00K,0,0.00K,0,29.66,-82.32,29.66,-82.32,"A surface front was across south Georgia with very high moisture content along this feature and south. Light south flow enabled both sea breezes to develop and press inland and interact over the moist and unstable airmass. Scattered severe storms developed across NE Fl, and produced strong wind gusts due to pockets of dry mid level air that enhanced downbursts.","Scattered trees were blown down across the Gainesville city limits. The time of damage was based on radar." +118685,713159,ARIZONA,2017,August,Flash Flood,"LA PAZ",2017-08-10 14:30:00,MST-7,2017-08-10 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.6445,-114.0848,33.7021,-114.0889,"Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th; the stronger storms produced strong damaging microburst winds as well as locally heavy rainfall. Intense rainfall led to episodes of flash flooding which primarily affected the interstate 10 corridor from Quartzsite through Brenda. At 1617MST Flash flooding resulted in the closure of highway 95 at milepost 104 in Quartzsite; earlier at about 1500MST the eastbound lane of Interstate 10 in Quartzsite was closed due to flooding. The strong storms also produced damaging microburst winds in Quartzsite which downed power lines and shredded metal sheet roofs; damaging winds also damaged RVs east of Brenda. No injuries were reported due to the wind damage or flooding.","Thunderstorms developed across portions of La Paz county during the early afternoon hours on August 10th and some of the stronger storms produced locally heavy rains which led to an episode of flash flooding along the Interstate 10 corridor east of Quartzsite. Based in radar rainfall estimates, peak rain rates approached 2 inches per hour, more than sufficient to cause flash flooding. At 1455MST the Arizona Department of Highways reported that the right (eastbound) lane of Interstate 10 was closed due to flash flooding between mileposts 33 and 34. This was near the intersection of Interstate 10 and U.S. highway 60 about 3 miles southwest of the town of Brenda. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1421MST and was in effect through 1715MST." +118685,713165,ARIZONA,2017,August,Flash Flood,"LA PAZ",2017-08-10 16:10:00,MST-7,2017-08-10 19:30:00,0,0,0,0,5.00K,5000,0.00K,0,33.6067,-114.2908,33.689,-114.3251,"Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th; the stronger storms produced strong damaging microburst winds as well as locally heavy rainfall. Intense rainfall led to episodes of flash flooding which primarily affected the interstate 10 corridor from Quartzsite through Brenda. At 1617MST Flash flooding resulted in the closure of highway 95 at milepost 104 in Quartzsite; earlier at about 1500MST the eastbound lane of Interstate 10 in Quartzsite was closed due to flooding. The strong storms also produced damaging microburst winds in Quartzsite which downed power lines and shredded metal sheet roofs; damaging winds also damaged RVs east of Brenda. No injuries were reported due to the wind damage or flooding.","Thunderstorms developed across portions of La Paz County, particularly along the Interstate 10 corridor, during the afternoon hours on August 10th. Some of the stronger storms produced intense rainfall with peak rain rates approaching 2 inches per hour. The very heavy rain led to episodes of flash flooding in the town of Quartzsite and along U.S. highway 95. At 1617MST the Arizona Department of Highways reported that highway 95 was closed in both directions at milepost 104 in Quartzsite due to the flash flooding and flooding was also reported across the town of Quartzsite. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1527MST and it remained in effect through 1930MST." +118397,711495,KENTUCKY,2017,September,Flash Flood,"METCALFE",2017-09-01 08:30:00,CST-6,2017-09-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-85.61,36.9844,-85.6032,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","An animal shelter had to be evacuated due to rising flood water." +118397,711487,KENTUCKY,2017,September,Flash Flood,"SIMPSON",2017-09-01 03:06:00,CST-6,2017-09-01 03:06:00,0,0,0,0,0.00K,0,0.00K,0,36.7029,-86.3889,36.7225,-86.6272,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","Local law enforcement reported that Highway 100 east of I-65 to the Allen County line was closed due to high water. Highway 383 also had multiple closures. Numerous county road bridges were closed due to high water as well." +118397,711489,KENTUCKY,2017,September,Flash Flood,"HART",2017-09-01 06:15:00,CST-6,2017-09-01 06:15:00,0,0,0,0,10.00K,10000,0.00K,0,37.18,-85.91,37.1834,-85.9071,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","The Hart County Emergency Manager reported that a water rescue was performed in Horse Cave after a vehicle stalled out in flood waters." +120690,723287,FLORIDA,2017,September,Hurricane,"FAR SOUTH MIAMI-DADE COUNTY",2017-09-09 08:00:00,EST-5,2017-09-10 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds of 60 to 75 mph across inland and far southern sections of Miami-Dade County, with a maximum sustained wind reading of 76 mph five miles southwest of Florida City. Wind gusts to hurricane force were observed across the entire area, with highest gust of 90 mph measured at Royal Palm Ranger Station in the Everglades. There was widespread damage to trees, fences and power poles, with limited damage to structures. Information on death toll, damage estimates, customers without power and people in evacuation shelters is contained in the event summary for Metropolitan Miami-Dade County." +120690,723288,FLORIDA,2017,September,Tropical Storm,"COASTAL MIAMI-DADE COUNTY",2017-09-09 09:00:00,EST-5,2017-09-10 21:00:00,0,0,0,5,,NaN,245.00K,245000,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Hurricane Irma produced maximum sustained winds generally between 50 and 70 mph, with gusts to hurricane force as high as 90-100 mph. A peak wind gust of 99 mph was measured at the FAA observation tower at Miami International Airport at 119 PM on September 10th. These winds produced heavy tree, fence and power pole damage, with mostly minor damage to structures. Information on death toll, estimates of damage, number of customers without power, and number of people in evacuation shelters is contained in the event summary for Metropolitan Miami-Dade County." +120690,723361,FLORIDA,2017,September,Storm Surge/Tide,"COASTAL COLLIER COUNTY",2017-09-10 14:00:00,EST-5,2017-09-10 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Storm surge across Collier County ranged from 4 to 8 feet, highest in the Chokoloskee and Everglades City area and lowest at the northern Collier County coast. Impacts were most severe in Chokoloskee, Everglades City, Plantation Island and Goodland where numerous homes were flooded and suffered major to catastrophic damage. ||Storm survey and data from USGS rapid deployment gauges indicated highest inundation from storm surge in Chokoloskee with up to 8 feet at waterfront, approximately 8 feet above Mean Higher High Water (MHHW), as well as 3-5 feet of inundation across the island.||In Everglades City, a maximum 6 ft of inundation at the Everglades National Park Gulf|Visitor Center, with 2-4 feet across the town and as high as 5 feet in a few areas.|USGS high water mark data showed 1-2 feet of inundation as far inland as Tamiami Trail between State Road 29 and Collier-Seminole State Park. ||In Goodland, maximum storm tide was about 5.5 ft above MHHW, translating to between 5-6 ft of inundation at waterfront and 3-4 ft across most of town.||In Marco Island, storm tide was as high as 4.5 feet above MHHW, translating to between 2-4 ft inundation mainly over south and east parts of the island. |Inland penetration was generally less than a half-mile. ||In Naples, NOS tide gauge at Naples Pier measured maximum storm tide of 5.14 feet above MHHW. Between 3-4 feet of inundation noted along the Gulf beachfront within 1 block of beach, with less than a half-mile of inland penetration. Highest inundation values noted in Vanderbilt Beach as well as south of Naples Pier. Along Naples Bay, maximum storm tide of about 2-3 ft above MHHW resulting in inundation of 1 to 2 feet on west side of bay just south of Tamiami Trail. This led to flooding of restaurants and shops." +115195,694490,OKLAHOMA,2017,May,Thunderstorm Wind,"GARFIELD",2017-05-03 00:40:00,CST-6,2017-05-03 00:40:00,0,0,0,0,20.00K,20000,0.00K,0,36.51,-98.08,36.51,-98.08,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Approximately 22 utility poles were downed between Sheridan and Stable roads. Some trees were uprooted. Estimated 70 mph winds. Time estimate based on radar." +117280,705390,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:18:00,CST-6,2017-06-15 17:18:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-92.67,42.84,-92.67,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Emergency manager reported half dollar sized hail." +117280,705391,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:20:00,CST-6,2017-06-15 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-92.67,42.78,-92.67,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Local fire department reported penny sized hail." +117280,705392,IOWA,2017,June,Hail,"BREMER",2017-06-15 17:28:00,CST-6,2017-06-15 17:28:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-92.54,42.84,-92.54,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported golf ball sized hail." +117280,705393,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:44:00,CST-6,2017-06-15 17:44:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-92.45,42.52,-92.45,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported golf ball sized hail." +118741,713305,ARKANSAS,2017,August,Flash Flood,"CHICOT",2017-08-14 06:15:00,CST-6,2017-08-14 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.5188,-91.4423,33.5383,-91.443,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Street flooding occurred in Dermott. Over a foot of water occurred on some streets." +118741,713306,ARKANSAS,2017,August,Flash Flood,"ASHLEY",2017-08-14 07:55:00,CST-6,2017-08-14 10:15:00,0,0,0,0,3.00K,3000,0.00K,0,33.2163,-91.5299,33.2416,-91.5226,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Minor street flooding occurred in Portland." +118741,713307,ARKANSAS,2017,August,Flash Flood,"CHICOT",2017-08-14 07:50:00,CST-6,2017-08-14 10:15:00,0,0,0,0,3.00K,3000,0.00K,0,33.3053,-91.3122,33.3426,-91.3009,"A moist airmass remained in place across the ArkLaMiss during mid-August. A stalled front allowed for a good coverage of showers and thunderstorms across the area. These resulted in flash flooding for several locations as a strong upper level disturbance also moved through the region.","Minor street flooding occurred in Lake Village." +118743,713309,MISSISSIPPI,2017,August,Flash Flood,"JONES",2017-08-16 16:35:00,CST-6,2017-08-16 18:15:00,0,0,0,0,4.00K,4000,0.00K,0,31.4742,-89.3177,31.4577,-89.3144,"A moist airmass combined with daytime heating to produce showers and thunderstorms. Some of these storms produced heavy rain, which led to flash flooding.","Up to a foot of water occurred over I-59 between mile markers 73 and 76 near the Pine Belt airport." +118743,713310,MISSISSIPPI,2017,August,Flash Flood,"FORREST",2017-08-16 16:49:00,CST-6,2017-08-16 18:15:00,0,0,0,0,3.00K,3000,0.00K,0,31.3803,-89.3206,31.385,-89.3278,"A moist airmass combined with daytime heating to produce showers and thunderstorms. Some of these storms produced heavy rain, which led to flash flooding.","Flooding occurred on I-59 north of Evelyn Gandy Parkway." +118743,713311,MISSISSIPPI,2017,August,Thunderstorm Wind,"LAUDERDALE",2017-08-16 18:05:00,CST-6,2017-08-16 18:05:00,0,0,0,0,6.00K,6000,0.00K,0,32.3347,-88.6875,32.3347,-88.6875,"A moist airmass combined with daytime heating to produce showers and thunderstorms. Some of these storms produced heavy rain, which led to flash flooding.","Trees were blown down across Mississippi Highway 145 at Grand Avenue." +118745,713312,MISSISSIPPI,2017,August,Flash Flood,"MARION",2017-08-23 21:10:00,CST-6,2017-08-23 23:45:00,0,0,0,0,7.00K,7000,0.00K,0,31.2503,-89.8388,31.2654,-89.8361,"A moist airmass combined with daytime heating to produce showers and thunderstorms. Some of these storms produced heavy rain, which led to flash flooding.","Several streets were flooded in Columbia." +118749,713324,ARKANSAS,2017,August,Strong Wind,"ASHLEY",2017-08-31 05:30:00,CST-6,2017-08-31 05:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity. Locally heavy rainfall resulted in instances of flash flooding.","A large pine tree was blown down across Ashley County Road 12 just east of the county landfill around Hamburg." +119408,716662,MONTANA,2017,August,Drought,"RICHLAND",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Richland County entered August experiencing Extreme (D3) drought conditions. Even with one to one and a half inches of rainfall falling across the area, which was about a quarter of an inch above normal for the month, this wasn't enough to improve drought conditions, and Richland County continued to experience Extreme (D3) drought conditions by the end of August." +119408,716664,MONTANA,2017,August,Drought,"WESTERN ROOSEVELT",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Western Roosevelt County entered August experiencing Exceptional (D4) drought conditions, which persisted through the month. Rainfall amounts across the area varied, but were up to one inch below normal." +119408,716663,MONTANA,2017,August,Drought,"SHERIDAN",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Sheridan County entered August experiencing Extreme (D3) to Exceptional (D4) drought conditions. Even with one to one and a half inches of rainfall falling across the area, which was near normal for the month, this wasn't enough to improve drought conditions, and Sheridan County continued to experience Extreme (D3) to Exceptional (D4) drought conditions through the end of August." +119408,716665,MONTANA,2017,August,Drought,"WIBAUX",2017-08-01 00:00:00,MST-7,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The drought affecting the region all summer long persisted through August, with all of northeast Montana in Extreme (D3) to Exceptional (D4) conditions. Very little rainfall was observed during the month of August, with no relief to the drought through the entire month.","Wibaux County entered August experiencing Extreme (D3) drought conditions, which persisted through the month. Although rainfall amounts across the area measured nearly an inch above normal, this was not enough to counter several months of persistent drought." +117568,707034,MISSOURI,2017,August,Flash Flood,"NEWTON",2017-08-11 06:30:00,CST-6,2017-08-11 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8732,-94.3645,36.8736,-94.3625,"There was an isolated report of flooding.","Several roads were closed in Neosho due to flooding." +118001,709389,KANSAS,2017,August,Flash Flood,"BOURBON",2017-08-22 07:00:00,CST-6,2017-08-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-94.82,38.0066,-94.8315,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced minor flooding.","The Little Osage River quickly rose out the banks at State Highway 7 with some water flowing over the highway." +118915,714373,TEXAS,2017,August,Tropical Storm,"SAN AUGUSTINE",2017-08-30 02:50:00,CST-6,2017-08-30 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina, Nacogdoches, San Augustine, and Sabine Counties throughout the day on August 30th, resulting in reports of downed trees and power lines as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds. ||In Angelina County, trees were blown down on FM 1818 near Biloxi Creek about 5 miles east southeast of Diboll. In Nacogdoches County, power lines were blown down across FM 2259, 3 miles southeast of Highway 224 just southeast of Nacogdoches. A tree also fell across both lanes of FM 95 about 4 miles south of Martinsville. In San Augustine County, several trees and power lines were blown down in Broaddus. In Sabine County, a tree fell on FM 2024 just east of Bronson, causing a vehicle to crash. There were unknown injuries. In addition, trees were blown down across Highway 87 at Redhill Lake, Odis Lowe Road, and FM 1592 about 1 mile north of Highway 184 in Northern Sabine County.","" +118915,714374,TEXAS,2017,August,Tropical Storm,"SABINE",2017-08-30 02:50:00,CST-6,2017-08-30 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina, Nacogdoches, San Augustine, and Sabine Counties throughout the day on August 30th, resulting in reports of downed trees and power lines as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds. ||In Angelina County, trees were blown down on FM 1818 near Biloxi Creek about 5 miles east southeast of Diboll. In Nacogdoches County, power lines were blown down across FM 2259, 3 miles southeast of Highway 224 just southeast of Nacogdoches. A tree also fell across both lanes of FM 95 about 4 miles south of Martinsville. In San Augustine County, several trees and power lines were blown down in Broaddus. In Sabine County, a tree fell on FM 2024 just east of Bronson, causing a vehicle to crash. There were unknown injuries. In addition, trees were blown down across Highway 87 at Redhill Lake, Odis Lowe Road, and FM 1592 about 1 mile north of Highway 184 in Northern Sabine County.","" +118962,714597,MARYLAND,2017,August,Flood,"MONTGOMERY",2017-08-01 17:31:00,EST-5,2017-08-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9962,-77.0062,38.9952,-77.0059,"Isolated afternoon and evening thunderstorms created minor flooding in Montgomery County, Maryland during the evening of August 1st.","Several inches of water were flowing down walkways and the roadway surface on Piney Branch Road near Manchester Road." +119372,717637,MARYLAND,2017,August,Thunderstorm Wind,"PRINCE GEORGE'S",2017-08-12 19:49:00,EST-5,2017-08-12 19:49:00,0,0,0,0,,NaN,,NaN,38.7247,-76.751,38.7247,-76.751,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Several large six inch in diameter tree limbs were down along Nottingham Road and Molly Berry Road." +119372,717639,MARYLAND,2017,August,Thunderstorm Wind,"ANNE ARUNDEL",2017-08-12 19:24:00,EST-5,2017-08-12 19:24:00,0,0,0,0,,NaN,,NaN,39.072,-76.502,39.072,-76.502,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A wind gust of 62 mph was reported." +119375,717644,WEST VIRGINIA,2017,August,Hail,"MORGAN",2017-08-12 14:50:00,EST-5,2017-08-12 14:50:00,0,0,0,0,,NaN,,NaN,39.6116,-78.2224,39.6116,-78.2224,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Quarter sized hail was reported." +119375,717645,WEST VIRGINIA,2017,August,Hail,"BERKELEY",2017-08-12 15:05:00,EST-5,2017-08-12 15:05:00,0,0,0,0,,NaN,,NaN,39.561,-78.0356,39.561,-78.0356,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Dime to quarter sized hail was reported." +119375,717646,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:40:00,EST-5,2017-08-12 14:40:00,0,0,0,0,,NaN,,NaN,39.635,-78.2485,39.635,-78.2485,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree fell onto power lines along Wild Turkey Road." +119375,717647,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:43:00,EST-5,2017-08-12 14:43:00,0,0,0,0,,NaN,,NaN,39.6227,-78.2589,39.6227,-78.2589,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree fell onto a car near Panorama at the peak." +119375,717648,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:44:00,EST-5,2017-08-12 14:44:00,0,0,0,0,,NaN,,NaN,39.6111,-78.209,39.6111,-78.209,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Power lines were down near the intersection of Hope Road and Guitar Lane." +119375,717649,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:44:00,EST-5,2017-08-12 14:44:00,0,0,0,0,,NaN,,NaN,39.6246,-78.2472,39.6246,-78.2472,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Multiple trees were down across Route 9 near the intersection of Quaint Acres Lane." +119375,717650,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:46:00,EST-5,2017-08-12 14:46:00,0,0,0,0,,NaN,,NaN,39.6116,-78.2224,39.6116,-78.2224,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Nine locust trees approximately 12 to 14 inches in diameter were snapped halfway up." +119375,717651,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:49:00,EST-5,2017-08-12 14:49:00,0,0,0,0,,NaN,,NaN,39.608,-78.168,39.608,-78.168,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Several large trees were down along Spohrs Road between the intersection of New Hope Road and Eckerd Lane." +119375,717652,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MORGAN",2017-08-12 14:56:00,EST-5,2017-08-12 14:56:00,0,0,0,0,,NaN,,NaN,39.6291,-78.0929,39.6291,-78.0929,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down on Victory Lane." +119375,717653,WEST VIRGINIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-12 17:13:00,EST-5,2017-08-12 17:13:00,0,0,0,0,,NaN,,NaN,39.2078,-77.806,39.2078,-77.806,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree fell into a house along Stone Ridge Road." +120136,719744,OREGON,2017,August,Wildfire,"CASCADE FOOTHILLS IN LANE COUNTY",2017-08-10 17:51:00,PST-8,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Conditions were very dry when a dry lightning event started the Jones Fire in the Willamette National Forest, in the Little Fall Creek watershed.","Conditions were very dry when a dry lightning event started the Jones Fire in the Willamette National Forest, in the Little Fall Creek watershed. By the end, the Jones Fire had burned around 10,500 acres." +120137,719745,OREGON,2017,August,Wildfire,"CASCADES IN LANE COUNTY",2017-08-09 20:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions preceded a dry lightning event, which started the Staley Fire in the Willamette National Forest, 23 miles south of Oakridge, OR.","Dry conditions preceded a dry lightning event, which started the Staley Fire in the Willamette National Forest, 23 miles south of Oakridge, OR. By the end, it had burned around 2300 acres." +119815,718422,WISCONSIN,2017,August,Hail,"OUTAGAMIE",2017-08-30 14:52:00,CST-6,2017-08-30 14:52:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-88.44,44.3,-88.44,"Isolated severe thunderstorms developed as an east-west cold front moved south and encountered a more unstable air mass with marginal deep layer shear. The storms produced mainly hail up to an inch in diameter.","Hail, up to quarter size, fell in Grand Chute." +120347,721373,GEORGIA,2017,September,Tropical Storm,"DODGE",2017-09-11 05:00:00,EST-5,2017-09-11 14:00:00,0,0,0,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The local news media reported many trees and power lines blown down across the county. Several homes throughout the county received damage when trees fell onto them as did an apartment building in Eastman. A wind gust of 48 mph was measured in Eastman. Radar estimated between 1.5 and 3.5 inches of rain fell across the county with 3.38 measured near Chauncey. No injuries were reported." +119611,717576,ARKANSAS,2017,August,Thunderstorm Wind,"LOGAN",2017-08-18 19:10:00,CST-6,2017-08-18 19:10:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-93.6,35.32,-93.6,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Trees and power lines were reported down and blocking Highway 288 and Highway 197." +119889,718657,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 01:58:00,CST-6,2017-08-22 04:58:00,0,0,0,0,0.00K,0,0.00K,0,38.88,-94.59,38.8992,-94.5885,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","An apartment complex was evacuated along Holmes Road due to flooding." +119889,718658,MISSOURI,2017,August,Flash Flood,"CASS",2017-08-22 04:16:00,CST-6,2017-08-22 06:16:00,0,0,0,0,0.00K,0,0.00K,0,38.7577,-94.5437,38.758,-94.526,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A basement was flooded due to running water around a residence near Belton." +119889,718659,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-22 04:51:00,CST-6,2017-08-22 05:51:00,0,0,0,0,0.00K,0,0.00K,0,38.9304,-94.5788,38.9274,-94.5613,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A water rescue took place at E Red Bridge Road and Blue River Road. Photos show the old Red Bridge under water." +119889,718660,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-22 06:00:00,CST-6,2017-08-22 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.775,-94.0498,38.7885,-93.9276,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Numerous low water crossings near Holden had running water over them." +119527,717284,NORTH CAROLINA,2017,August,Thunderstorm Wind,"JOHNSTON",2017-08-23 16:50:00,EST-5,2017-08-23 16:50:00,0,0,0,0,20.00K,20000,0.00K,0,35.49,-78.35,35.49,-78.35,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Billboards were damaged and trees were reported down near the Brogden Road exit along Interstate 95." +119527,717285,NORTH CAROLINA,2017,August,Thunderstorm Wind,"JOHNSTON",2017-08-23 16:52:00,EST-5,2017-08-23 16:52:00,1,0,0,0,10.00K,10000,0.00K,0,35.5007,-78.3415,35.5007,-78.3415,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","A large tree branch fell on a car on Lee Street. An entrapped occupant sustained minor injuries." +119527,717286,NORTH CAROLINA,2017,August,Thunderstorm Wind,"JOHNSTON",2017-08-23 16:54:00,EST-5,2017-08-23 16:54:00,0,0,0,0,25.00K,25000,0.00K,0,35.5,-78.35,35.5009,-78.3488,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Damage was reported at a few auto sales stores on Brightleaf Boulevard, between Brogden Road and 5th Street." +119527,717287,NORTH CAROLINA,2017,August,Thunderstorm Wind,"JOHNSTON",2017-08-23 16:54:00,EST-5,2017-08-23 16:54:00,0,0,0,0,100.00K,100000,0.00K,0,35.51,-78.34,35.51,-78.34,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Multiple trees and power lines were reported down, along with structural damage to multiple buildings and carports in Smithfield." +119527,717288,NORTH CAROLINA,2017,August,Thunderstorm Wind,"SAMPSON",2017-08-23 18:55:00,EST-5,2017-08-23 18:55:00,0,0,0,0,5.00K,5000,0.00K,0,34.8631,-78.3463,34.8631,-78.3463,"A strong cold front moved across central North Carolina during the evening into the overnight hours. Showers and storms developed in advance of the front along a prefrontal trough. Some of these storms became severe across eastern portions of central North Carolina, producing wind damage. One such report of damage resulted in an individual being injured from a large tree branch falling on a car, trapping and injuring the occupant.","Multiple trees were reported down on Ebenezer Forest Road." +122082,731577,TEXAS,2017,December,Winter Weather,"STEPHENS",2017-12-07 09:15:00,CST-6,2017-12-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A trained spotter reported sleet about a mile east of the city of Breckenridge, TX, amounting to trace accumulations." +122082,731578,TEXAS,2017,December,Winter Weather,"BOSQUE",2017-12-06 00:00:00,CST-6,2017-12-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Bosque County Sheriff's Department reported that sleet had fallen periodically across the county since the overnight hours, with only trace accumulations reported." +122082,731579,TEXAS,2017,December,Winter Weather,"TARRANT",2017-12-06 00:00:00,CST-6,2017-12-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A public report indicated light sleet approximately 3 miles south-southeast of the city of Haslet, TX." +122082,731580,TEXAS,2017,December,Winter Weather,"COMANCHE",2017-12-06 05:45:00,CST-6,2017-12-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A public report of light sleet was received from the city of De Leon, TX." +122082,731581,TEXAS,2017,December,Winter Weather,"ERATH",2017-12-06 06:30:00,CST-6,2017-12-06 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Public and social media reports of sleet were received from Dublin, TX and just west of Chalk Mountain near the Somervell County line." +122082,731582,TEXAS,2017,December,Winter Weather,"BELL",2017-12-06 08:00:00,CST-6,2017-12-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Several public reports of sleet were received across Bell County during the day of December 6, 2017." +118574,712311,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 16:10:00,EST-5,2017-08-22 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,42.99,-76.4,42.99,-76.4,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712310,NEW YORK,2017,August,Thunderstorm Wind,"ONONDAGA",2017-08-22 16:07:00,EST-5,2017-08-22 16:17:00,0,0,0,0,5.00K,5000,0.00K,0,43.15,-76.34,43.15,-76.34,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712314,NEW YORK,2017,August,Thunderstorm Wind,"TOMPKINS",2017-08-22 16:36:00,EST-5,2017-08-22 16:46:00,0,0,0,0,5.00K,5000,0.00K,0,42.49,-76.49,42.49,-76.49,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712315,NEW YORK,2017,August,Thunderstorm Wind,"TOMPKINS",2017-08-22 16:36:00,EST-5,2017-08-22 16:46:00,0,0,0,0,5.00K,5000,0.00K,0,42.59,-76.37,42.59,-76.37,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118574,712316,NEW YORK,2017,August,Thunderstorm Wind,"MADISON",2017-08-22 17:30:00,EST-5,2017-08-22 17:40:00,0,0,0,0,5.00K,5000,0.00K,0,42.74,-75.55,42.74,-75.55,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +120323,720949,KANSAS,2017,August,Hail,"BARBER",2017-08-09 17:57:00,CST-6,2017-08-09 17:57:00,0,0,0,0,,NaN,,NaN,37.27,-98.63,37.27,-98.63,"Northwest flow aloft persisted this day, and weak disturbances tracked over the region. Instability increased as a cold front sunk into the CWA. In addition, the airmass over the central Plains continued to be fairly moist. This was enough lift and instability to produce a thunderstorm in Barber county with 4.25 in hail and 70 mph winds.","" +120324,720953,KANSAS,2017,August,Hail,"TREGO",2017-08-10 13:31:00,CST-6,2017-08-10 13:31:00,0,0,0,0,,NaN,,NaN,39.02,-100,39.02,-100,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","High winds accompanied the hail." +120324,720954,KANSAS,2017,August,Hail,"TREGO",2017-08-10 13:37:00,CST-6,2017-08-10 13:37:00,0,0,0,0,,NaN,,NaN,39.02,-99.88,39.02,-99.88,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Winds were at least 70 MPH while the hail fell. Nearly every window was broken in structures and vehicles." +120324,720955,KANSAS,2017,August,Hail,"TREGO",2017-08-10 13:38:00,CST-6,2017-08-10 13:38:00,0,0,0,0,,NaN,,NaN,39.02,-99.88,39.02,-99.88,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Winds were at least 70 MPH." +120120,719755,LOUISIANA,2017,August,Flash Flood,"BEAUREGARD",2017-08-28 12:00:00,CST-6,2017-08-30 16:00:00,0,0,0,0,15.00M,15000000,0.00K,0,29.7694,-93.8809,30.9001,-93.5486,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Harvey produced 15 to 30 inches of rain. This flooded 387 homes in Beauregard Parish, but mainly near Bundick Creek and the Sabine River." +120120,719999,LOUISIANA,2017,August,Storm Surge/Tide,"VERMILION",2017-08-27 08:30:00,CST-6,2017-08-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","The tide stayed elevated through multiple cycles while Harvey moved into Texas then into Louisiana. The tide at Freshwater Lock peaked at 5.33 feet with a surge of 3.63 feet. Minor erosion was noted." +120120,720000,LOUISIANA,2017,August,Storm Surge/Tide,"ST. MARY",2017-08-27 08:30:00,CST-6,2017-08-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","The tide stayed elevated through multiple cycles while Harvey moved into Texas then into Louisiana. The tide reached its highest at Eugene Island where it peaked at 4.68 feet with a surge of 3.1 feet. Minor erosion was noted." +120347,721387,GEORGIA,2017,September,Tropical Storm,"MACON",2017-09-11 08:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Macon County Emergency Manager reported trees and power lines blown down. A home was damaged by a falling tree in Montezuma and another was damaged around Clearview. Radar estimated between 2 and 3 inches of rain fell across the county with 2.04 inches measured near Montezuma. No injuries were reported." +118552,712214,CONNECTICUT,2017,August,Hail,"HARTFORD",2017-08-02 16:15:00,EST-5,2017-08-02 16:15:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-72.6,41.7,-72.6,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 415 PM EST, a trained spotter reported dime-size hail at Glastonbury." +118553,713050,RHODE ISLAND,2017,August,Thunderstorm Wind,"PROVIDENCE",2017-08-02 12:35:00,EST-5,2017-08-02 12:35:00,0,0,0,0,1.00K,1000,0.00K,0,41.9948,-71.5756,41.9948,-71.5756,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 1235 PM EST, a tree was brought down in North Smithfield on Providence Pike at Industrial Drive." +118551,713052,MASSACHUSETTS,2017,August,Hail,"FRANKLIN",2017-08-02 13:28:00,EST-5,2017-08-02 13:28:00,0,0,0,0,0.00K,0,0.00K,0,42.6042,-72.9125,42.6042,-72.9125,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 128 PM EST, one-inch diameter hail fell in Hawley. Hail was reported to be covering the ground." +118551,713054,MASSACHUSETTS,2017,August,Hail,"MIDDLESEX",2017-08-02 14:08:00,EST-5,2017-08-02 14:08:00,0,0,0,0,0.00K,0,0.00K,0,42.4802,-71.1001,42.4802,-71.1001,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 208 PM EST, mixed pea to dime size hail fell in Stoneham." +118551,713057,MASSACHUSETTS,2017,August,Hail,"WORCESTER",2017-08-02 16:06:00,EST-5,2017-08-02 16:11:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-71.52,42.15,-71.52,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 406 PM EST and 411 PM EST one-inch diameter hail was reported in Milford." +118551,713060,MASSACHUSETTS,2017,August,Lightning,"WORCESTER",2017-08-02 18:30:00,EST-5,2017-08-02 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.03,-71.58,42.03,-71.58,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 630 PM EST, a two-foot diameter tree was struck by lightning on Providence Street in Millville." +118551,713203,MASSACHUSETTS,2017,August,Hail,"HAMPSHIRE",2017-08-02 13:28:00,EST-5,2017-08-02 13:28:00,0,0,0,0,0.00K,0,0.00K,0,42.3418,-72.585,42.3418,-72.585,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 1:28 PM EST, one-inch diameter hail was covering the ground at Hadley." +118551,713210,MASSACHUSETTS,2017,August,Thunderstorm Wind,"NORFOLK",2017-08-02 13:10:00,EST-5,2017-08-02 13:10:00,0,0,0,0,2.50K,2500,0.00K,0,42.1168,-71.4299,42.1168,-71.4299,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 1:10 PM EST, a tree was brought down on power lines at 711 Pond Street in Franklin. A tree was also brought down on Annabel Lane." +117250,705255,NEW JERSEY,2017,August,Thunderstorm Wind,"CUMBERLAND",2017-08-02 16:19:00,EST-5,2017-08-02 16:19:00,0,0,0,0,,NaN,,NaN,39.46,-75,39.46,-75,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Wires taken down due to thunderstorm winds." +117250,705258,NEW JERSEY,2017,August,Thunderstorm Wind,"BURLINGTON",2017-08-03 16:27:00,EST-5,2017-08-03 16:27:00,0,0,0,0,,NaN,,NaN,40.12,-74.81,40.12,-74.81,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","A tree fell onto railroad tracks between Florence and Roebling." +117250,705259,NEW JERSEY,2017,August,Thunderstorm Wind,"BURLINGTON",2017-08-03 17:15:00,EST-5,2017-08-03 17:15:00,0,0,0,0,,NaN,,NaN,40.08,-74.85,40.08,-74.85,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Numerous trees taken down from thunderstorm winds." +117250,705448,NEW JERSEY,2017,August,Lightning,"BURLINGTON",2017-08-02 13:30:00,EST-5,2017-08-02 13:30:00,0,0,0,0,0.01K,10,0.00K,0,39.88,-74.92,39.88,-74.92,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Lightning struck a wire. Time estimated." +117250,705450,NEW JERSEY,2017,August,Flood,"MIDDLESEX",2017-08-02 12:00:00,EST-5,2017-08-02 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4919,-74.4485,40.5009,-74.4475,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Flooding at routes 1 and 18 intersection." +117250,705452,NEW JERSEY,2017,August,Thunderstorm Wind,"SUSSEX",2017-08-02 15:00:00,EST-5,2017-08-02 15:00:00,0,0,0,0,,NaN,,NaN,41.03,-74.82,41.03,-74.82,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Wires down on Stillwater road." +117250,706585,NEW JERSEY,2017,August,Flash Flood,"BURLINGTON",2017-08-01 17:40:00,EST-5,2017-08-01 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.0123,-75.0037,40.0113,-75.0225,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Several roads were flooded and impassable." +117250,706587,NEW JERSEY,2017,August,Flash Flood,"MORRIS",2017-08-02 13:45:00,EST-5,2017-08-02 14:45:00,0,0,0,0,0.00K,0,0.00K,0,40.8477,-74.4647,40.8445,-74.4589,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. Over 2,000 people lost power.","Flooding at the intersection of route 10 and 222 with many other roads impassable." +117281,705453,OHIO,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-04 11:19:00,EST-5,2017-08-04 11:19:00,0,0,0,0,2.00K,2000,0.00K,0,39.37,-81.4,39.37,-81.4,"In the unstable air ahead of a strong cold front, showers and thunderstorms formed across the middle Ohio River Valley on the morning 4th. Most of the storms were just general summer time thunderstorms, however one did pulse up and produce some wind damage.","Multiple trees were uprooted in Reno." +117573,707060,TEXAS,2017,August,Heat,"NACOGDOCHES",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707061,TEXAS,2017,August,Heat,"ANGELINA",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117573,707062,TEXAS,2017,August,Heat,"SAN AUGUSTINE",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117806,708190,WEST VIRGINIA,2017,August,Heavy Rain,"WOOD",2017-08-17 18:30:00,EST-5,2017-08-17 19:00:00,0,0,1,0,0.00K,0,0.00K,0,39.2507,-81.6359,39.2507,-81.6359,"In the moist and unstable air ahead of a cold front, showers and thunderstorms developed across the middle Ohio River Valley on the afternoon of the 17th. The storms were not overly strong, however they did contain brief downpours. While no flooding occurred, a young girl was playing in a ditch flowing with runoff following one of the downpours. Other children in the area said the girl slipped in the swiftly running water and became stuck inside a culvert running under the road. First responders were unable to rescue her in time. ||Nearby, the The Parkersburg Airport automated weather system received 0.16 inches of rain, there was a personal weather station closer to the incident that received 0.72 as the storm passed.","Remove." +117851,708312,FLORIDA,2017,August,Heavy Rain,"MARION",2017-08-06 23:00:00,EST-5,2017-08-07 19:45:00,0,0,0,0,0.00K,0,0.00K,0,29.07,-82.04,29.07,-82.04,"Stacked high pressure was over the region with a moist airmass and unstable diurnal conditions. Heavy rainfall occurred in slow moving cells.","A spotter measured 2.75 inches in a short period of time." +120347,721378,GEORGIA,2017,September,Tropical Storm,"WILCOX",2017-09-11 07:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. No injuries were reported." +118216,710755,ARIZONA,2017,August,Thunderstorm Wind,"LA PAZ",2017-08-03 15:00:00,MST-7,2017-08-03 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.57,-114.23,33.57,-114.23,"Thunderstorms developed across portions of Yuma and La Paz Counties during the afternoon hours on August 3rd and some of the stronger storms affected the area east of Yuma, along Interstate 8 through the town of Tacna. Isolated strong storms produced gusty and damaging microburst winds that downed a number of power poles in the area around Tacna and further westward along Interstate 8. Additionally, some of the gusty outflow winds produced trailer damage to structures in the town of Tacna. No injuries were reported due to the strong winds. A Severe Thunderstorm Warning was not in effect at the time of the damage. Further to the north, at 1500MST, microburst winds 7 miles south of Quartzsite damaged several sheds and a trailer as well as an off-road vehicle.","Thunderstorms developed across the southern portion of La Paz County during the afternoon hours on August 3rd and one of the stronger storms affected areas around the town of Quartzsite. A storm located about 6 miles south of Quartzsite produced gusty damaging outflow winds estimated to be as high as 70 mph. According to local law enforcement, at 1500MST, strong microburst winds damaged several sheds, a trailer and an off-road vehicle in Laz Paz Valley, just west of Highway 95. The trailer was completely blown over. The damage was confirmed by La Paz County Sheriff's Dispatch as well as a witness. No injuries were reported due to the strong winds." +118280,710852,CALIFORNIA,2017,August,Wildfire,"MODOC COUNTY",2017-08-01 00:00:00,PST-8,2017-08-14 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This wildfire was started by multiple lightning strikes on the afternoon and evening of 07/23/17. More fires were started by subsequent strikes. As of the last report at 04:30 PDT on 08/14/17, the complex covered 83120 acres and was 100 percent contained. 35.2 million dollars had been spent on firefighting efforts.","This wildfire was started by multiple lightning strikes on the afternoon and evening of 07/23/17. More fires were started by subsequent strikes. As of the last report at 04:30 PDT on 08/14/17, the complex covered 83120 acres and was 100 percent contained. 35.2 million dollars had been spent on firefighting efforts." +118345,711117,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-22 12:52:00,EST-5,2017-08-22 12:52:00,0,0,0,0,5.00K,5000,0.00K,0,44.6,-75.41,44.6,-75.41,"A strong cold front and upper level system approached northern NY during the afternoon of August 22nd and moved through during the night. Numerous thunderstorms moved across northern NY during the afternoon with several producing damaging winds in the form of downed trees and power lines.","Several trees downed by thunderstorm winds." +118345,711118,NEW YORK,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 14:05:00,EST-5,2017-08-22 14:05:00,0,0,0,0,5.00K,5000,0.00K,0,44.93,-74.3,44.93,-74.3,"A strong cold front and upper level system approached northern NY during the afternoon of August 22nd and moved through during the night. Numerous thunderstorms moved across northern NY during the afternoon with several producing damaging winds in the form of downed trees and power lines.","Several trees downed by thunderstorm winds." +118163,710806,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:20:00,MST-7,2017-08-03 17:23:00,0,0,0,0,30.00K,30000,0.00K,0,33.48,-111.98,33.48,-111.98,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered monsoon thunderstorms developed over the central portion of the greater Phoenix area, including downtown Phoenix, during the afternoon hours on August 3rd. Some of the stronger storms generated gusty and damaging winds as well as heavy rain. At 1720MST, Phoenix Fire and Rescue reported that a tree was blown down and into a home near the intersection of 48th Street and Thomas Road. Numerous power lines were also blown down in the area. Due to very heavy rain and associated runoff, some manhole covers were blown off and into the street. Additionally, at about the same time a trained spotter located near 52nd Street and Thomas reported numerous tree limbs snapping off of trees. The larger tree limbs were about 4 inches in diameter. Wind gusts that resulted in the damage were estimated to be as high as 65 mph." +118163,711962,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:25:00,MST-7,2017-08-03 17:35:00,0,0,0,0,10.00K,10000,0.00K,0,33.38,-111.88,33.38,-111.88,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Thunderstorms developed across the southeast portion of the greater Phoenix metropolitan area during the afternoon hours on August 3rd, and some of them impacted communities such as Tempe and Guadalupe. Some of the stronger storms developed gusty and damaging outflow winds, estimated to be as high as 60 mph. According to a report from local broadcast media, a strong wind gust downed a light pole in a parking lot, near the intersection of Baseline Road the the Loop 101 freeway in central Tempe. At the same time, in far south Tempe, a trained weather spotter reported a large Palo Verde tree downed near the intersection of Ray Road and Kyrene Road. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 1706MST. At 1735MST, a public report via Twitter indicated that a large tree was downed near the intersection of Baseline Road and McClintock Road. Additionally, at 1735MST another public report was received, via Twitter, indicating a downed awning due to strong outflow winds. This was just southeast of the intersection of Guadalupe Road the the 101 freeway. A second Severe Thunderstorm Warning was in effect at the time of the last 2 damage reports; it was issued at 1727MST." +118341,711098,HAWAII,2017,August,Heavy Rain,"HONOLULU",2017-08-21 10:07:00,HST-10,2017-08-21 14:15:00,0,0,0,0,0.00K,0,0.00K,0,21.5899,-157.901,21.3956,-158.1523,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","" +118341,711102,HAWAII,2017,August,Heavy Rain,"MAUI",2017-08-21 13:53:00,HST-10,2017-08-21 17:17:00,0,0,0,0,0.00K,0,0.00K,0,20.9128,-156.6829,20.746,-156.3519,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","" +118341,713516,HAWAII,2017,August,Flash Flood,"KAUAI",2017-08-21 15:57:00,HST-10,2017-08-21 22:43:00,0,0,0,0,0.00K,0,0.00K,0,22.0633,-159.399,22.0655,-159.3975,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","Loop Road low water crossings became inundated near the Wailua River. Also, Kuhio Highway near the Hanalei Bridge was closed for a time because of water over the roadway." +117928,713637,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-22 18:54:00,EST-5,2017-08-22 18:54:00,0,0,0,0,2.00K,2000,0.00K,0,40.6502,-76.5013,40.6502,-76.5013,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees in Hegins." +118832,713908,MICHIGAN,2017,August,Thunderstorm Wind,"ALGER",2017-08-01 16:00:00,EST-5,2017-08-01 16:06:00,0,0,0,0,70.00K,70000,0.00K,0,46.46,-86.93,46.46,-86.93,"Isolated severe thunderstorms formed along lake breeze boundaries over portions of central Upper Michigan on the afternoon of the 1st.","Over 100 12-24 inch diameter trees were snapped and uprooted five miles west-northwest of Au Train. Two trees were down on a house along Rock River Road. Power lines were also reported down." +118386,711557,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-31 03:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0837,-93.1834,32.0837,-93.1775,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 787 near the intersection of Highway 155 was closed due to a washout." +118386,711558,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-31 06:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1217,-93.3629,32.1171,-93.355,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 783 at the Bayou Chicot Bridge was closed due to flooding." +118386,711559,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8882,-93.1102,31.889,-93.1075,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 71 in Campti was covered in high water and closed." +118386,711560,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 18:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9989,-93.0448,31.9976,-93.0357,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 9 was flooded and closed." +118386,711561,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 19:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1007,-93.4401,32.1385,-93.1929,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","High water across Ferguson Road, Hand Cemetery Road, Hughes Road, Layfield Road, Mount Olive Road and Bessie Crow near Highway 480, and Highway 480." +118386,711562,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 15:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7128,-93.2179,31.7122,-93.2121,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 117 2 miles southeast of LA 120 was flooded and closed." +118386,711563,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7913,-93.3965,31.7854,-93.3766,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 487 at the intersection of Highway 120 was closed due to high water." +118386,711564,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9781,-93.0479,31.9627,-93.0315,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","LA 156 from LA 9 to LA 479 was closed due to high water." +118386,711565,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8975,-93.1337,31.8954,-93.1338,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","LA 480 west of Highway 71 near Campti was closed due to high water." +118386,711566,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0955,-93.1602,32.0902,-93.1565,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","LA 155 from the Red River Parish line to LA 153 was closed due to high water." +118386,711567,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.6147,-93.1006,31.6129,-93.0952,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","LA 478 between LA 120 and I-49 north of Flora was closed due to high water." +118386,711569,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5679,-92.9976,31.5449,-92.9977,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Highway 493 west southwest of the Montrose community west of I-49 was flooded and closed." +117372,705849,TEXAS,2017,August,Heavy Rain,"LUBBOCK",2017-08-07 17:45:00,CST-6,2017-08-07 18:05:00,0,0,0,0,0.00K,0,0.00K,0,33.4207,-102.0498,33.4207,-102.0498,"Late this afternoon, a pulse thunderstorm drifted south along the Lubbock and Hockley County line. A series of traveling downbursts accompanied this storm from Reese Center south to extreme southwest Lubbock County, along with torrential rainfall rates of up to 0.42 inches in just five minutes.","A Texas Tech University West Texas mesonet southwest of Wolfforth measured 1.54 inches of rain in 20 minutes; 0.42 inches of which fell in just five minutes." +117372,705844,TEXAS,2017,August,Thunderstorm Wind,"LUBBOCK",2017-08-07 17:25:00,CST-6,2017-08-07 17:53:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-102.05,33.4413,-102.0177,"Late this afternoon, a pulse thunderstorm drifted south along the Lubbock and Hockley County line. A series of traveling downbursts accompanied this storm from Reese Center south to extreme southwest Lubbock County, along with torrential rainfall rates of up to 0.42 inches in just five minutes.","Measured by a Texas Tech University West Texas mesonet at Reese Center. This same storm continued moving south and produced similar winds at a NWS employee's home south of Wolfforth." +118965,714645,VIRGINIA,2017,August,Flood,"PRINCE WILLIAM",2017-08-12 02:26:00,EST-5,2017-08-12 08:26:00,0,0,0,0,0.00K,0,0.00K,0,38.7347,-77.5327,38.7255,-77.5318,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","The stream gauge on Broad Run near Bristow exceeded its flood stage for six hours, peaking at over 12 feet. At these levels, Piper Road is flooded and closed near Manassas Airport and the Broad Run VRE station." +118999,715932,ILLINOIS,2017,August,Tornado,"JEFFERSON",2017-08-02 17:27:00,CST-6,2017-08-02 17:29:00,0,0,0,0,0.00K,0,0.00K,0,38.15,-88.9368,38.15,-88.9276,"Isolated strong thunderstorms developed during the heat of the afternoon in a weakly sheared environment. A broad area of weak low pressure over eastern Missouri and western Illinois provided enough convergence for storms to form. A weak 500 mb impulse embedded in a light northwest flow aloft contributed to convective development. A waterspout occurred over Rend Lake, and dime-size hail fell at Carbondale.","A waterspout was photographed over northern Rend Lake between Nason and Ina. The upper portion of the waterspout was not visible in the photo. The lower portion was a narrow, cylindrical column that produced spray where it contacted the lake surface. The waterspout was also reported by an emergency management official. The waterspout was associated with a thunderstorm that produced heavy rain and possibly some small hail." +118999,715935,ILLINOIS,2017,August,Hail,"JACKSON",2017-08-02 12:49:00,CST-6,2017-08-02 12:49:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-89.22,37.72,-89.22,"Isolated strong thunderstorms developed during the heat of the afternoon in a weakly sheared environment. A broad area of weak low pressure over eastern Missouri and western Illinois provided enough convergence for storms to form. A weak 500 mb impulse embedded in a light northwest flow aloft contributed to convective development. A waterspout occurred over Rend Lake, and dime-size hail fell at Carbondale.","" +119407,716638,TEXAS,2017,August,Thunderstorm Wind,"DALLAM",2017-08-13 17:07:00,CST-6,2017-08-13 17:07:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-102.62,36.14,-102.62,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Estimated wind gust of 70 MPH." +119407,716640,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-13 17:24:00,CST-6,2017-08-13 17:24:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-102.52,36.06,-102.52,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Tree limbs down reported in Dalhart." +119410,716668,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-14 19:28:00,CST-6,2017-08-14 19:28:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-102.55,36.03,-102.55,"A similar synoptic setup in comparison for the event that took place the day before on the 13th. West-northwest flow established across the region at the mid levels carried convection southeastward from NM. However, on this day, the lower levels were not as conducive for convection. With a large cap in place, along with limited effective shear, storms that developed west of the region quickly moved east and formed a line of convection along the established localized outflow boundary. A few severe wind gusts were reported as the line moved southeast across the western TX Panhandle.","" +122229,731704,IOWA,2017,December,Cold/Wind Chill,"DICKINSON",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 30 below." +119555,717398,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-17 19:34:00,CST-6,2017-08-17 19:34:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-101.47,36.7,-101.47,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119555,717399,OKLAHOMA,2017,August,Hail,"TEXAS",2017-08-17 19:35:00,CST-6,2017-08-17 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-101.48,36.7,-101.48,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119665,717805,CALIFORNIA,2017,August,High Wind,"INDIAN WELLS VLY",2017-08-14 22:26:00,PST-8,2017-08-14 22:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough dropped southward over California from the evening of the 13th through the early morning of the 15th producing strong down slope west to northwest winds over the Kern County Mountains and Deserts as pressure gradients increased over the area.","The Indian Wells Canyon RAWS reported a maximum wind gust of 58 mph." +119665,717806,CALIFORNIA,2017,August,High Wind,"KERN CTY MTNS",2017-08-14 22:32:00,PST-8,2017-08-14 22:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough dropped southward over California from the evening of the 13th through the early morning of the 15th producing strong down slope west to northwest winds over the Kern County Mountains and Deserts as pressure gradients increased over the area.","The Blue Max RAWS reported a maximum wind gust of 60 mph." +119683,717858,CALIFORNIA,2017,August,Heavy Rain,"MARIPOSA",2017-08-18 15:45:00,PST-8,2017-08-18 16:45:00,0,0,0,0,0.00K,0,0.00K,0,37.749,-119.5946,37.749,-119.5946,"A persistent low pressure system off the Southern California Coast produced enough instability for thunderstorms to develop over the Southern Sierra Nevada each afternoon between August 17 and August 23. On the afternoon of the 18th, some slow moving thunderstorms produced heavy rainfall over Yosemite National Park which resulted in flash flooding in Yosemite Valley.","A slow moving thunderstorm produced 1.27 inches of rainfall in one hour at Yosemite Valley. Pea sized hail was also reported." +119683,717859,CALIFORNIA,2017,August,Flash Flood,"MARIPOSA",2017-08-18 16:15:00,PST-8,2017-08-18 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.7409,-119.6116,37.753,-119.5843,"A persistent low pressure system off the Southern California Coast produced enough instability for thunderstorms to develop over the Southern Sierra Nevada each afternoon between August 17 and August 23. On the afternoon of the 18th, some slow moving thunderstorms produced heavy rainfall over Yosemite National Park which resulted in flash flooding in Yosemite Valley.","Park Service video showed flash flooding in Yosemite Valley from heavy rainfall." +119687,717872,CALIFORNIA,2017,August,Heat,"S SIERRA FOOTHILLS",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 104 and 110 degrees at several locations from August 26 through August 31." +119687,717868,CALIFORNIA,2017,August,Heat,"W CENTRAL S.J. VALLEY",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +119856,718520,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 19:40:00,CST-6,2017-08-05 22:40:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-94.6,39.0615,-94.5851,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was 10 inches deep around neighborhoods just SSW of Kansas City." +119856,718522,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 20:05:00,CST-6,2017-08-05 23:05:00,0,0,0,0,0.00K,0,0.00K,0,39.0432,-94.5759,39.0409,-94.5756,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Brush Creek Blvd was shut down due to flash flooding." +119856,718523,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 20:06:00,CST-6,2017-08-05 23:06:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.53,39.0405,-94.5332,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","The road was closed at Emanuel Cleaver II Blvd and Elmwood Ave due to flash flooding." +122229,731712,IOWA,2017,December,Cold/Wind Chill,"PLYMOUTH",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 25 below." +122229,731713,IOWA,2017,December,Cold/Wind Chill,"CHEROKEE",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 25 below." +122229,731715,IOWA,2017,December,Cold/Wind Chill,"SIOUX",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 28 below." +122229,731717,IOWA,2017,December,Cold/Wind Chill,"IDA",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 28 below." +122235,731769,SOUTH DAKOTA,2017,December,Winter Weather,"MINER",2017-12-29 06:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.5 inches at Howard, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122235,731770,SOUTH DAKOTA,2017,December,Winter Weather,"LAKE",2017-12-29 06:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.0 inches at Madison, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +119961,718974,SOUTH DAKOTA,2017,August,Drought,"SULLY",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718975,SOUTH DAKOTA,2017,August,Drought,"HUGHES",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117954,709346,MISSOURI,2017,August,Flash Flood,"POLK",2017-08-20 19:39:00,CST-6,2017-08-20 21:39:00,0,0,0,0,0.00K,0,0.00K,0,37.4775,-93.5565,37.4782,-93.5547,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A section of Highway W near Turkey Creek was flooded. Walnut Grove Fire Department closed this section of highway." +117954,709349,MISSOURI,2017,August,Flash Flood,"POLK",2017-08-20 19:46:00,CST-6,2017-08-20 21:46:00,0,0,0,0,0.00K,0,0.00K,0,37.4395,-93.4649,37.4324,-93.4658,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","The section of 560 Road near Asher Creek in southern Polk County was flooded." +117954,709350,MISSOURI,2017,August,Flash Flood,"MILLER",2017-08-22 06:00:00,CST-6,2017-08-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2632,-92.654,38.2596,-92.6514,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","The low water crossing at Blue Springs Drive along Big Spring Creek was flooded." +117954,709351,MISSOURI,2017,August,Flash Flood,"MILLER",2017-08-22 06:00:00,CST-6,2017-08-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2753,-92.6583,38.271,-92.6587,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","The low water crossing at State Highway Z along Big Spring Creek was flooded." +117954,709352,MISSOURI,2017,August,Flash Flood,"MILLER",2017-08-22 06:00:00,CST-6,2017-08-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3185,-92.5125,38.3177,-92.5131,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","The low water crossing at Rock Hole Road near Saline Creek was flooded." +117954,709353,MISSOURI,2017,August,Flash Flood,"MILLER",2017-08-22 06:00:00,CST-6,2017-08-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3467,-92.6436,38.3432,-92.6455,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","The low water crossing at Watts Road near Moreau Creek was flooded." +117954,709354,MISSOURI,2017,August,Flash Flood,"MORGAN",2017-08-22 07:05:00,CST-6,2017-08-22 09:05:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-92.96,38.5729,-92.961,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","MODOT reported Route BB was closed due to flooding at Gabriel Creek southeast of Florence." +120004,719122,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 15:29:00,EST-5,2017-08-04 15:29:00,0,0,0,0,,NaN,,NaN,43.3,-73.76,43.3,-73.76,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees were reported down on roadway." +120004,719123,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:06:00,EST-5,2017-08-04 16:06:00,0,0,0,0,,NaN,,NaN,43.33,-73.69,43.33,-73.69,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was down blocking a roadway." +120084,719552,NEW YORK,2017,August,Flash Flood,"SUFFOLK",2017-08-18 09:45:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9433,-72.8411,40.9446,-72.8415,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","A current of water to the top of tires was flowing over the road at the intersection of Route 25A and Wading River Manor Road in Wading River. Some vehicles were unable to pass through the intersection." +120084,719544,NEW YORK,2017,August,Flash Flood,"NASSAU",2017-08-18 08:26:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7925,-73.7389,40.7924,-73.7393,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","Police assisted a car stuck in water at the intersection of Clover Drive and Myrtle Drive in Great Neck Estates." +120084,719553,NEW YORK,2017,August,Flash Flood,"SUFFOLK",2017-08-18 11:45:00,EST-5,2017-08-18 12:15:00,0,0,0,0,0.00K,0,0.00K,0,40.9783,-72.5459,40.9708,-72.5398,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","A man was rescued from a Jeep trapped in flood waters on Bray Avenue in Southold that reached over the hood of the vehicle." +120084,719545,NEW YORK,2017,August,Flash Flood,"SUFFOLK",2017-08-18 08:30:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8817,-73.4183,40.885,-73.4192,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","A car was stuck in water up to its' hood in Halesite." +120084,719547,NEW YORK,2017,August,Flash Flood,"NASSAU",2017-08-18 09:30:00,EST-5,2017-08-18 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7312,-73.4601,40.7286,-73.4597,"Showers and thunderstorms developed along a warm front as it lifted through the region during the morning hours. Precipitable water values around 2 resulted in rainfall rates exceeding 1.5/hour across parts of the area, producing flash flooding across parts of Suffolk and Nassau counties on Long Island. Rainfall amounts ranged from 1.5 to nearly 4 across this region, with a trained spotter in East Shoreham reporting 3.80 of rain.","An elderly couple was rescued from a vehicle trapped in flood waters on Merrits Road near Fulton Street in Farmingdale." +119754,718198,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-04 13:10:00,EST-5,2017-08-04 13:10:00,0,0,0,0,2.50K,2500,0.00K,0,40.3,-80.32,40.3,-80.32,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,718212,PENNSYLVANIA,2017,August,Thunderstorm Wind,"GREENE",2017-08-04 12:50:00,EST-5,2017-08-04 12:50:00,0,0,0,0,5.00K,5000,0.00K,0,39.9021,-80.4146,39.9021,-80.4146,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down on Poland Rd and Grange Rd." +119754,718214,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-04 13:30:00,EST-5,2017-08-04 13:30:00,0,0,0,0,2.50K,2500,0.00K,0,40.33,-80.01,40.33,-80.01,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees and wires down." +119754,718215,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-04 13:25:00,EST-5,2017-08-04 13:25:00,0,0,0,0,2.50K,2500,0.00K,0,40.338,-80.118,40.338,-80.118,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","NWS Employee reported trees down on Lakeview Dr." +119754,718217,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-04 13:57:00,EST-5,2017-08-04 13:57:00,0,0,0,0,0.50K,500,0.00K,0,41.0394,-79.8994,41.0394,-79.8994,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Trained spotter reported a large tree and wires down blocking Pry Rd." +119754,718218,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-04 14:00:00,EST-5,2017-08-04 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.62,-79.73,40.62,-79.73,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","State official reported several trees down in Natrona Heights and Harrison Twp." +119754,718219,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-04 14:00:00,EST-5,2017-08-04 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.44,-79.66,40.44,-79.66,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported several trees down in Murraysville." +119754,718220,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-04 14:00:00,EST-5,2017-08-04 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.58,-79.71,40.58,-79.71,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported several trees down in Lower Burrell and New Kensington." +120154,719955,PENNSYLVANIA,2017,August,Thunderstorm Wind,"GREENE",2017-08-22 15:23:00,EST-5,2017-08-22 15:23:00,0,0,0,0,0.50K,500,0.00K,0,39.76,-80.26,39.76,-80.26,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","A tree down on Bull Dog Run." +120154,719956,PENNSYLVANIA,2017,August,Thunderstorm Wind,"GREENE",2017-08-22 15:35:00,EST-5,2017-08-22 15:35:00,0,0,0,0,0.50K,500,0.00K,0,39.75,-80.12,39.75,-80.12,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","A tree down on Big Shannon Run." +120154,719957,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 15:28:00,EST-5,2017-08-22 15:28:00,0,0,0,0,0.50K,500,0.00K,0,40.15,-79.89,40.15,-79.89,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Tree down on Reeves Ave." +120154,719958,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-22 15:30:00,EST-5,2017-08-22 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.14,-79.9,40.14,-79.9,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719959,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 15:31:00,EST-5,2017-08-22 15:31:00,0,0,0,0,5.00K,5000,0.00K,0,40.17,-79.81,40.17,-79.81,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down in Rostraver Twp." +120154,719960,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 15:38:00,EST-5,2017-08-22 15:38:00,0,0,0,0,15.00K,15000,0.00K,0,40.13,-79.85,40.13,-79.85,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees snapped or uprooted. Widespread wind damage over a one half mile area." +120154,719961,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 15:45:00,EST-5,2017-08-22 15:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.09,-79.75,40.09,-79.75,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +119231,715991,GEORGIA,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-31 14:30:00,EST-5,2017-08-31 14:35:00,0,0,0,0,,NaN,,NaN,33.43,-82.32,33.43,-82.32,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing damaging wind gusts.","Columbia Co GA Sheriff reported tree in roadway at N Fairfield Dr and Sawdust Rd in Harlem." +119231,715992,GEORGIA,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-31 14:52:00,EST-5,2017-08-31 14:57:00,0,0,0,0,,NaN,,NaN,33.44,-82.25,33.44,-82.25,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing damaging wind gusts.","Sheriff dispatch reported trees down along Old Louisville Rd and Young Dr." +119232,715994,SOUTH CAROLINA,2017,August,Hail,"AIKEN",2017-08-31 14:59:00,EST-5,2017-08-31 15:03:00,0,0,0,0,,NaN,,NaN,33.42,-81.69,33.42,-81.69,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Utility company employee reported quarter size hail in New Ellenton." +119232,715999,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"AIKEN",2017-08-31 14:52:00,EST-5,2017-08-31 14:55:00,0,0,0,0,,NaN,,NaN,33.43,-81.71,33.43,-81.71,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","A large branch was downed and took down a power line along Dry Branch Rd near New Ellenton." +119835,718488,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-08-01 18:42:00,EST-5,2017-08-01 18:42:00,0,0,0,0,,NaN,,NaN,26.12,-81.82,26.12,-81.82,"A departing Tropical Depression Emily left an elongated trough across South Florida. Several rounds of strong storms affected the Gulf coast: the first during the overnight hours and the second during the early evening hours. This activity lead to several strong wind gusts along the coast.","A thunderstorm produced a wind gust of 37 knots (43 mph) at NOS station NPSF1." +119837,718505,FLORIDA,2017,August,Flash Flood,"MIAMI-DADE",2017-08-02 14:50:00,EST-5,2017-08-02 18:00:00,0,0,0,0,1.00M,1000000,0.00K,0,25.7517,-80.2146,25.7245,-80.1411,"A departing Tropical Depression Emily left an elongated trough across South Florida in the during the day of August 1st. Daytime heating along with this trough triggered several rounds of strong storms and heavy rainfall across Miami-Dade County. This activity remained nearly stationary for a number of hours, leading to significant flooding across portions of the county.","Several rounds of strong storms and heavy rain fell across Miami-Dade County during the afternoon and early evening hours of August 1st. Activity initially streamed across Miami Beach, Key Biscayne and Downtown Miami just after 2 PM, then redeveloped farther to the west and southwest across The Redland, Kendall, Palmetto Bay and Pinecrest later in the afternoon. Rainfall totals of 4-6 inches were widespread in these areas, with isolated amounts of 7-8 inches. Virtually all of this rain fell in a three-hour period during the mid and late afternoon ending around 6 PM. Numerous reports of flood waters entering businesses, homes, apartment lobbies and parking garages were received across Miami Beach during the event. Water was 1 to 2 feet deep on streets in many areas of South Beach, including Purdy Avenue, West Avenue, Alton Road, Pennsylvania Avenue, Meridian Avenue, Collins Avenue, Washington Avenue and Indian Creek Drive. Numerous vehicles stalled in these streets and others across the city. Across the City of Miami, especially Downtown Miami, more than 10 businesses, stores and buildings in the vicinity of Mary Brickell Village had at least 1 to 4 inches of water inside their structures. This includes stores and businesses on SW 10th Street between S. Miami Avenue and SW 1st Avenue. SW 10th street was also closed for half a block due to deep water. Across the remainder of the county, there were reports of more minor street flooding along neighborhood streets." +119840,718491,FLORIDA,2017,August,Lightning,"MIAMI-DADE",2017-08-14 13:41:00,EST-5,2017-08-14 13:41:00,1,0,0,0,0.00K,0,0.00K,0,25.51,-80.55,25.51,-80.55,"A construction worker was injured by thunderstorms developing along the east coast seabreeze during the early afternoon hours.","A 31-year old male was injured by a lightning strike while sitting in a white Dodge Ram truck at 241 PM EDT in southwest Miami-Dade County near the intersection of SW 272nd Street and SW 224th Avenue. The victim was transported to Homestead Hospital in unknown condition." +119847,718499,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-08-25 04:42:00,EST-5,2017-08-25 04:42:00,0,0,0,0,0.00K,0,0.00K,0,26.13,-81.81,26.13,-81.81,"A slow moving tropical disturbance meandering around the state lead to several rounds of strong storms. Several of these storms produced a strong wind gust they moved into the Gulf coast.","A thunderstorm wind gust of 34 knots (39 mph) was recorded by NOS site NPSF1 at 542 AM EDT." +120180,720129,GEORGIA,2017,August,Tornado,"BIBB",2017-08-04 18:46:00,EST-5,2017-08-04 18:50:00,0,0,0,0,100.00K,100000,,NaN,32.7145,-83.6986,32.7193,-83.6671,"Scattered strong thunderstorms associated with a weak upper-level wave developed along a stationary front across central Georgia during the evening. Heavy rain associated with these storms trained from an area north of Columbus to Macon. This caused isolated flash flooding. And although instability was only moderate, sufficient deep shear was present for an isolated tornado to develop.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 105 MPH and a maximum path width of 200 yards occurred in southern Bibb County. The tornado resulted in damage across a residential area just northwest of the Middle Georgia Regional Airport. The main damage occurred from near the initial touchdown on Joseph Chandler Drive near Luke Drive to Houston Road south of Sardis Church Road. In this area the tornado caused significant damage to the roof of a house and snapped a few trees. An outbuilding was removed from its foundation and destroyed on Whittington Drive and a few trees were snapped with part of a fence blown down along Houston Road. To the east northeast, along Walden Road, the tornado caused damage in a sunflower field, uprooted multiple trees, and caused roof damage to a barn and another outbuilding. The tornado lifted along Chriswood Drive just west of Industrial Highway 41 after causing more tree damage. [08/04/17: Tornado #1, County #1/1, EF-1, Bibb, 2017:082]." +114098,692667,TEXAS,2017,April,Hail,"VAN ZANDT",2017-04-29 18:59:00,CST-6,2017-04-29 18:59:00,0,0,0,0,0.00K,0,0.00K,0,32.5359,-95.8763,32.5359,-95.8763,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Reports of slightly larger than quarter sized hail were called into the office." +114739,688294,IOWA,2017,April,Hail,"WASHINGTON",2017-04-15 16:23:00,CST-6,2017-04-15 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-91.57,41.48,-91.57,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +114739,688314,IOWA,2017,April,Hail,"CLINTON",2017-04-15 17:11:00,CST-6,2017-04-15 17:11:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-90.76,41.83,-90.76,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","This report was relayed via broadcast media (KWQC). The time of the event was estimated using radar." +119778,718302,ARIZONA,2017,August,Thunderstorm Wind,"PIMA",2017-08-10 16:35:00,MST-7,2017-08-10 17:00:00,0,0,0,0,250.00K,250000,0.00K,0,32.2192,-110.838,32.2513,-110.8409,"Scattered thunderstorms moved northwest across southeast Arizona. The most notable produced a large swath of tree damage across the east side of Tucson.","Over one hundred eucalyptus and other large shallow-rooted trees were toppled and many other tree limbs were downed on the east side of Tucson. The damage path from this severe thunderstorm was about a mile and a half either side of a line from Broadway Blvd. and Kolb Road to Tanque Verde and Sabino Canyon Roads. Several trees fell on to buildings near Speedway Blvd. and Pantano Road, including the Woodridge Apartment complex, which sustained significant damage to several units. One of the trees also crushed an automobile. Many other trees damaged retaining walls or power lines when they were downed. At least one power pole was also snapped. At least 7,000 customers were without power for several hours. Additionally, the roof was ripped off one house near 5th St. and Kent Drive." +118983,718962,IOWA,2017,August,Hail,"WASHINGTON",2017-08-10 14:53:00,CST-6,2017-08-10 14:53:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-91.58,41.4,-91.58,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","" +118993,714746,ILLINOIS,2017,August,Hail,"WHITESIDE",2017-08-10 16:20:00,CST-6,2017-08-10 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-90.15,41.72,-90.15,"A storm system pushed a cold front across northwest Illinois during the evening hours of August 10th. Thunderstorms developed ahead of this cold front and produced hail up to the size of quarters and thunderstorms wind gusts estimated up to 65 MPH. Heavy rainfall ranging from 3.45 inches to 4.33 inches were reported in parts of Hancock and McDonough Counties.","" +118993,714747,ILLINOIS,2017,August,Hail,"WHITESIDE",2017-08-10 16:37:00,CST-6,2017-08-10 16:37:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-90.08,41.66,-90.08,"A storm system pushed a cold front across northwest Illinois during the evening hours of August 10th. Thunderstorms developed ahead of this cold front and produced hail up to the size of quarters and thunderstorms wind gusts estimated up to 65 MPH. Heavy rainfall ranging from 3.45 inches to 4.33 inches were reported in parts of Hancock and McDonough Counties.","A trained spotter reported quarter size hail with wind gusts up to 45 MPH." +118993,714749,ILLINOIS,2017,August,Thunderstorm Wind,"HENRY",2017-08-10 17:30:00,CST-6,2017-08-10 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-89.89,41.39,-89.89,"A storm system pushed a cold front across northwest Illinois during the evening hours of August 10th. Thunderstorms developed ahead of this cold front and produced hail up to the size of quarters and thunderstorms wind gusts estimated up to 65 MPH. Heavy rainfall ranging from 3.45 inches to 4.33 inches were reported in parts of Hancock and McDonough Counties.","A trained spotter reported an estimated wind gust of 60 MPH." +119956,718938,ILLINOIS,2017,August,Tornado,"STEPHENSON",2017-08-16 18:21:00,CST-6,2017-08-16 18:28:00,0,0,0,0,0.00K,0,0.00K,0,42.2741,-89.7316,42.3122,-89.7134,"Scattered showers with some embedded thunderstorms moved northeastward across northwest Illinois during the evening of August 16 where a warm front was draped across the region. Thunderstorms moving across the warm front produced a brief EF-0 tornado in Jo Daviess County and an EF-1 and EF-0 tornadoes in Stephenson County.","A weak EF-1 tornado tracked north/northeast, damaging numerous trees. Two homes also suffered minor damage. The tornado was on the ground for around 2.8 miles with a maximum width of 75 yards. The peak winds were estimated to be around 90 MPH." +119956,718942,ILLINOIS,2017,August,Tornado,"JO DAVIESS",2017-08-16 18:22:00,CST-6,2017-08-16 18:24:00,0,0,0,0,0.00K,0,0.00K,0,42.3414,-90.3187,42.3474,-90.3118,"Scattered showers with some embedded thunderstorms moved northeastward across northwest Illinois during the evening of August 16 where a warm front was draped across the region. Thunderstorms moving across the warm front produced a brief EF-0 tornado in Jo Daviess County and an EF-1 and EF-0 tornadoes in Stephenson County.","A weak EF-1 tornado tracked northeast, causing extensive tree damage. It uprooted large Walnut trees and snapped some off around 10 feet from the base. The maximum path width was around 60 yards and the tornado was on the ground for about a half a mile." +120263,720623,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-10 17:40:00,MST-7,2017-08-10 19:40:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-112.06,34.2653,-112.3434,"A major Mesoscale Convective System pushed moisture back northward over Arizona during the night. This system also induced a Gulf of California moisture surgel, pushing dew points along the Lower Colorado river to near 80. This allowed a strong thunderstorm to form over the Goodwin Fire scar that produced flash flooding.","A thunderstorm produced heavy rain over the Goodwin Fire scar that caused flash flooding on the Agua Fria River. The stream gauge went from 1 foot to 4.91 feet during the flash flood." +120265,720641,ARIZONA,2017,August,Flash Flood,"GILA",2017-08-12 17:10:00,MST-7,2017-08-12 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.4335,-111.3028,34.4036,-111.1185,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","A flash flood was reported at Shadow Rim Girl Scout Camp. Chase Creek was six to eight feet deep and over the banks. Water lines were damaged and roads were washed out. They received 2.45 inches of rain at the camp. Flash flooding was reported in the East Verde River at the Water Wheel (near Houston Mesa Road). That road was impassable from water and heavy debris in that location. The The East Verde River upstream was flowing five to six feet deep. A weather spotter claimed that it was the worst flooding in many years." +120265,720661,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-12 17:00:00,MST-7,2017-08-12 18:27:00,0,0,0,0,0.00K,0,0.00K,0,34.6469,-111.5002,34.7158,-111.9479,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","Thunderstorms produced heavy rain across portions of the Verde Valley. A four inch bird bath was filled to over flowing in 90 minutes just north of McGuireville. Water flooded their back yard and two inches of water was flowing over their road. A spotter reported 1.90 inches of rain in Cornville. Sand and gravel washed over their road as well." +120265,720658,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-12 17:21:00,MST-7,2017-08-12 18:06:00,0,0,0,0,0.00K,0,0.00K,0,34.71,-111.92,34.6559,-111.9988,"Plentiful low level moisture across northern Arizona with dew points in the lower 50s lead to strong thunderstorms with heavy rain. This caused several flash floods across northern Arizona.","A thunderstorm produced 1.60 inches of rain in 45 minutes (heavy rain still falling a the time of the report). Water was starting to run in the normally dry washes." +120272,720664,ARIZONA,2017,August,Flash Flood,"COCONINO",2017-08-13 17:00:00,MST-7,2017-08-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1756,-112.5776,36.2839,-112.6936,"A thunderstorms produced heavy rain over the Cataract/Havasu Creek Drainage that resulted in flash flooding.","A thunderstorm produced heavy rain and a flash flood that the Supai Police tracked as it moved down through Havasu Creek. The river gauge near the Village of Supai rose around 2 feet." +120188,720180,SOUTH DAKOTA,2017,August,Hail,"LYMAN",2017-08-21 09:45:00,CST-6,2017-08-21 09:45:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-99.53,43.71,-99.53,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +120188,720181,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"LYMAN",2017-08-21 09:20:00,CST-6,2017-08-21 09:20:00,0,0,0,0,,NaN,0.00K,0,43.76,-99.75,43.76,-99.75,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","Sixty-five mph winds downed several large tree branches." +120188,720182,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"JONES",2017-08-21 08:01:00,CST-6,2017-08-21 08:01:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-100.46,44.06,-100.46,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","Seventy mph winds were estimated." +120188,720183,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"LYMAN",2017-08-21 08:41:00,CST-6,2017-08-21 08:41:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-100.29,43.93,-100.29,"Several thunderstorms rolled across central South Dakota bringing hail up to the size of golf balls, severe winds up to 70 mph, along with flash flooding in the Pierre/Fort Pierre area.","" +119807,718397,INDIANA,2017,August,Hail,"MARION",2017-08-28 23:25:00,EST-5,2017-08-28 23:27:00,0,0,0,0,,NaN,0.00K,0,39.66,-86.2,39.66,-86.2,"A line of strong thunderstorms moved through the Indianapolis metro area during the early morning hours of August 29th. As this line of storms moved through, a singular small hail report came from the Southport area.","" +118725,713238,LOUISIANA,2017,August,Flash Flood,"ST. CHARLES",2017-08-04 14:45:00,CST-6,2017-08-04 15:45:00,0,0,0,0,0.00K,0,0.00K,0,30.0091,-90.3028,29.944,-90.3141,"A weaken frontal boundary along the Interstate 10 corridor in southeast Louisiana and south Mississippi along with local land-lake/sea breeze interaction aided in the development of thunderstorms producing heavy rain along this corridor on all 3 days. Reports of flash flooding were received from the New Orleans area on the 4th and 5th, and the Gulfport-Biloxi area on the 6th.","One home received ankle deep water in Norco. There was significant street flooding reported with some roads impassable in Norco, Destrehan and Luling. Minor street flooding was reported in St. Rose. Rain gauges measured 2 to 3 inches of rain in a very short period of time in the flooded area." +118724,713245,MISSISSIPPI,2017,August,Flash Flood,"HARRISON",2017-08-06 09:00:00,CST-6,2017-08-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-89.11,30.6462,-89.118,"A weaken frontal boundary along the Interstate 10 corridor in southeast Louisiana and south Mississippi along with local land-lake/sea breeze interaction aided in the development of thunderstorms producing heavy rain along this corridor on all 3 days. Reports of flash flooding were received from the New Orleans area on the 4th and 5th, and the Gulfport-Biloxi area on the 6th.","Broadus Road and Clark Road were reported washed out by flash flooding. The county Emergency Manager measured 5.78 inches of rain nearby. Time of flooding was estimated." +118725,713244,LOUISIANA,2017,August,Flash Flood,"ORLEANS",2017-08-05 14:55:00,CST-6,2017-08-05 21:00:00,0,0,0,0,5.00M,5000000,0.00K,0,30.0091,-90.1165,29.9711,-90.1148,"A weaken frontal boundary along the Interstate 10 corridor in southeast Louisiana and south Mississippi along with local land-lake/sea breeze interaction aided in the development of thunderstorms producing heavy rain along this corridor on all 3 days. Reports of flash flooding were received from the New Orleans area on the 4th and 5th, and the Gulfport-Biloxi area on the 6th.","Thunderstorms repeatedly developed over the same area of New Orleans from the mid afternoon into early evening producing 4 to 9 inches of rain during a 3 to 5 hour period. The rainfall overwhelmed the drainage system leading to widespread and deep street flooding. Many streets were impassable from the Mid City area to just north of the French Quarter and Central Business District, and road and highway underpasses were deeply flooded . Numerous automobiles were also damaged by the flooding. Water entered at least several hundred homes and a number of businesses, with estimates likely to increase as claims are processed." +120324,720952,KANSAS,2017,August,Hail,"TREGO",2017-08-10 13:30:00,CST-6,2017-08-10 13:30:00,0,0,0,0,,NaN,,NaN,39.02,-100.06,39.02,-100.06,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Winds were 70 to 80 MPH while the giant hail fell." +119736,718114,OKLAHOMA,2017,August,Thunderstorm Wind,"NOWATA",2017-08-10 18:55:00,CST-6,2017-08-10 18:55:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-95.7203,36.7,-95.7203,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind uprooted a large tree." +119736,718115,OKLAHOMA,2017,August,Hail,"NOWATA",2017-08-10 19:00:00,CST-6,2017-08-10 19:00:00,0,0,0,0,15.00K,15000,0.00K,0,36.6177,-95.6566,36.6177,-95.6566,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","" +119736,718116,OKLAHOMA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-10 19:01:00,CST-6,2017-08-10 19:01:00,0,0,0,0,0.00K,0,0.00K,0,36.728,-95.8814,36.728,-95.8814,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind blew down trees across Highway 60 near the N 4000 Road." +119736,718117,OKLAHOMA,2017,August,Hail,"ROGERS",2017-08-10 19:40:00,CST-6,2017-08-10 19:40:00,0,0,0,0,5.00K,5000,0.00K,0,36.43,-95.484,36.43,-95.484,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","" +119736,718118,OKLAHOMA,2017,August,Thunderstorm Wind,"MAYES",2017-08-10 20:49:00,CST-6,2017-08-10 20:49:00,0,0,0,0,30.00K,30000,0.00K,0,36.34,-95.403,36.34,-95.403,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind destroyed an unoccupied mobile home, blew down power poles and trees, and destroyed two barns in the Osage area." +119739,718121,OKLAHOMA,2017,August,Flash Flood,"SEQUOYAH",2017-08-13 03:30:00,CST-6,2017-08-13 07:15:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-94.7,35.3985,-94.6762,"Thunderstorms developed over southeastern Oklahoma during the early morning hours of the 13th, to the north of a stationary front that was located over northern Texas. Locally heavy rainfall resulted in some flooding.","Portions of roads were impassable due to flooding in the Gans area." +119739,718122,OKLAHOMA,2017,August,Flash Flood,"SEQUOYAH",2017-08-13 03:53:00,CST-6,2017-08-13 07:15:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-94.6934,35.4566,-94.694,"Thunderstorms developed over southeastern Oklahoma during the early morning hours of the 13th, to the north of a stationary front that was located over northern Texas. Locally heavy rainfall resulted in some flooding.","Portions of some roads east of Sallisaw were flooded and impassable. A water rescue was required on the E 1070 Road." +118429,720563,NEBRASKA,2017,August,Heavy Rain,"ADAMS",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-98.37,40.7,-98.37,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.70 inches was recorded in Hansen." +118429,720564,NEBRASKA,2017,August,Heavy Rain,"BUFFALO",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9993,-98.8893,40.9993,-98.8893,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.52 inches was recorded 3 miles southeast of Ravenna." +118429,720566,NEBRASKA,2017,August,Heavy Rain,"HALL",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-98.4082,40.77,-98.4082,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.46 inches was recorded 2 miles west of Doniphan." +118429,720567,NEBRASKA,2017,August,Heavy Rain,"HALL",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7922,-98.2994,40.7922,-98.2994,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.94 inches was recorded 4 miles east-northeast of Doniphan." +118429,720568,NEBRASKA,2017,August,Heavy Rain,"HALL",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-98.3934,40.87,-98.3934,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.18 inches was recorded 4 miles east of Alda." +118429,720571,NEBRASKA,2017,August,Heavy Rain,"HALL",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9334,-98.3427,40.9334,-98.3427,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.36 inches was recorded on the north side of Grand Island." +118429,720572,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7902,-98.1635,40.7902,-98.1635,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.36 inches was recorded 1 mile northwest of Giltner." +118429,720573,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8534,-97.847,40.8534,-97.847,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.30 inches was recorded 3 miles east-southeast of Hampton." +118429,720574,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.88,-98.12,40.88,-98.12,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 6.70 inches was recorded in Murphy." +118429,720576,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8755,-97.8823,40.8755,-97.8823,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.17 inches was recorded 1 mile northeast of Hampton." +118429,720577,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9421,-98,40.9421,-98,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.05 inches was recorded 4 miles south of Marquette." +118429,720579,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9898,-97.9864,40.9898,-97.9864,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.52 inches was recorded 1 mile southeast of Marquette." +118429,720581,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.04,-97.84,41.04,-97.84,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.74 inches was recorded 4 mile southwest of Polk." +118429,720583,NEBRASKA,2017,August,Heavy Rain,"HOWARD",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-98.6378,41.28,-98.6378,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.35 inches was recorded 3 miles west of Elba." +122261,731999,MASSACHUSETTS,2017,December,Cold/Wind Chill,"SOUTHERN BERKSHIRE",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as one below zero to 10 degrees below zero across western Massachusetts on Wednesday night. This resulted in wind chill values as low as 31 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122263,732000,CONNECTICUT,2017,December,Extreme Cold/Wind Chill,"NORTHERN LITCHFIELD",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as zero degrees to 8 degrees below zero across Litchfield county, Connecticut on Wednesday night. This resulted in wind chill values as low as 27 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122263,732001,CONNECTICUT,2017,December,Cold/Wind Chill,"SOUTHERN LITCHFIELD",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as zero degrees to 8 degrees below zero across Litchfield county, Connecticut on Wednesday night. This resulted in wind chill values as low as 27 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122284,732144,NEW YORK,2017,December,Extreme Cold/Wind Chill,"SOUTHERN WASHINGTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732146,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN HERKIMER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +120363,721107,ILLINOIS,2017,August,Flood,"KANKAKEE",2017-08-03 14:22:00,CST-6,2017-08-03 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.1308,-87.8755,41.1011,-87.8755,"Scattered thunderstorms produced large hail during the afternoon of August 3rd.","A few roads were flooded with 2 to 3 inches of water from multiple rounds of storms." +117486,709265,DELAWARE,2017,August,Flood,"KENT",2017-08-07 14:20:00,EST-5,2017-08-07 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.2105,-75.5925,39.2179,-75.5997,"Showers and Thunderstorms developed along a north of a warm frontal boundary. With a moist environment in place, the storms produced heavy rain and flash flooding.","Water on DE-42 and Moorton road." +119753,721130,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-29 07:00:00,CST-6,2017-08-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5527,-94.3775,29.5541,-94.3799,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Heavy rainfall exacerbated the the flooding of low lying areas along Highway 87 at Highway 124 on the eastern side of Bolivar Peninsula.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +118219,710448,KANSAS,2017,August,Thunderstorm Wind,"COWLEY",2017-08-05 19:46:00,CST-6,2017-08-05 19:46:00,0,0,0,0,,NaN,,NaN,37.0566,-97.0757,37.0566,-97.0757,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","The emergency manager estimated the gust." +117296,710707,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-04 18:38:00,EST-5,2017-08-04 18:38:00,0,0,0,0,0.00K,0,0.00K,0,40.4825,-77.3094,40.4825,-77.3094,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down near Ickesburg." +117296,710713,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ADAMS",2017-08-04 20:30:00,EST-5,2017-08-04 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.0161,-77.1463,40.0161,-77.1463,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Huntington Township." +118330,711093,TEXAS,2017,August,Flash Flood,"SABINE",2017-08-30 18:42:00,CST-6,2017-08-31 02:45:00,0,0,0,0,0.00K,0,0.00K,0,31.2018,-93.737,31.2026,-93.7364,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. The persistent outer bands of Tropical Storm Harvey began consistently affecting Angelina County, Texas during the afternoon and evening of August 27th, with persistent training resulting in flash flooding. Breaks in the heavy rain were observed through much of the 28th before affecting Angelina County again during the late afternoon/evening hours, which continued through the early morning hours on August 29th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are some of the 4 day cumulative rainfall reports across Deep East Texas from Tropical Storm Harvey: In Angelina County, 2 ESE Zavalla 20.27 inches, 2 ENE Zavalla 17.32 inches, Huntington 13.94 inches, Lufkin Angelina Airport 12.11 inches, 1 SSE Lufkin 11.96 inches, 3 SW Lufkin 11.74 inches, 8 W Lufkin 10.17 inches, 5 WNW Lufkin 10.00 inches, 7 W Lufkin 9.60 inches, 2 WSW Hudson 9.09 inches. In Nacogdoches County, 4 NW Appleby 9.91 inches, Nacogdoches Arbor Oaks 8.35 inches, 10 NE Nacogdoches 6.38 inches. In Sabine County, Pineland 15.67 inches, Sabine South RAWS 14.36 inches, 4 SSE Hemphill 8.77 inches. In San Augustine County, 15 SE Broaddus 19.01 inches, Ayish Bayou 15.45 inches. In Shelby County, 4 SSW Huxley 13.24 inches, Center 0.6 NW 6.62 inches, Center 4.26 inches. In addition, the Neches River gauge near Rockland recorded 21.93 inches, with Sam Rayburn Dam recording 18.21 inches.","High water across Willow Oak Road near Toledo Bend Lake." +118341,711100,HAWAII,2017,August,Heavy Rain,"HAWAII",2017-08-21 13:41:00,HST-10,2017-08-21 17:18:00,0,0,0,0,0.00K,0,0.00K,0,19.3536,-155.1599,19.8729,-155.8603,"With an upper trough in the area acting on abundant low-level tropical moisture, heavy showers and thunderstorms developed from the Big Island to Kauai. Most of the rain caused ponding on roadways, and small stream and drainage ditch flooding. On Kauai, the soaking precipitation produced flash flooding as Kuhio Highway in Hanalei became impassable, and county officials were forced to close the Hanalei Bridge. There were no reports of significant property damage or injuries.","" +118772,713655,FLORIDA,2017,September,Tornado,"VOLUSIA",2017-09-10 20:04:00,EST-5,2017-09-10 20:05:00,0,0,0,0,,NaN,0.00K,0,29.2901,-81.0574,29.2905,-81.0703,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, a waterspout moved onshore from the Halifax River near Dix Avenue and North Beach Street in Ormond Beach, causing tree damage and minor siding and shingle damage to a few two story homes. The tornado continued inland and produced strong EF-1 damage (estimated 100 to 110 mph) to several homes and trees near the intersection of Hernandez Avenue, North Ridgewood Avenue and Rosewood Avenue. Several homes sustained major roof damage. The tornado then downed trees and produced debris impact at the Ormond Beach Fire Station 93 and damaging the roofs of two commercial buildings near US Highway 1 and Wilmette Avenue. The tornado dissipated just west of US Highway 1. DI2, DOD6, LB-EXP." +118772,713736,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 10:24:00,EST-5,2017-09-10 10:26:00,0,0,0,0,,NaN,0.00K,0,28.0943,-80.5665,28.1031,-80.5835,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","A NWS storm survey revealed that a waterspout moved onshore the barrier island in Indialantic near Highway A1A and 1st Avenue. The EF-1 tornado (winds estimated 90-100 mph) removed part of the roof of a beachfront condo and carried it across the highway, where it landed on a bank. The tornado then weakened as it traveled west-northwest, producing damage to trees and roof shingles and soffits of several homes along a narrow path across the barrier island, exiting to the Indian River near Cedar Lane and West Riveria Boulevard. DI5, DOD3, LB." +118772,714247,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 20:14:00,EST-5,2017-09-10 20:15:00,0,0,0,0,,NaN,0.00K,0,28.2791,-80.6899,28.2809,-80.6944,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","A NWS storm survey confirmed that a waterspout moved onshore along Rockledge Drive near River Woods Drive in Rockledge and produced EF-1 tornado damage (winds estimated 95-105 mph) along a short track. Approximately six homes sustained significant roof damage and numerous trees were snapped or uprooted. A portion of one roof was removed and at least one other home had a portion of its metal roof peeled back. Several homes adjacent to the area of most significant damage also experienced a lesser degree of shingle damage. At least one screen patio was destroyed, several others were damaged and some fences were blown over and carried downwind. DI2, DOD4, EXP; DI27, DOD4, EXP." +119730,720408,CALIFORNIA,2017,September,Thunderstorm Wind,"KERN",2017-09-03 16:31:00,PST-8,2017-09-03 16:31:00,0,0,0,0,1.00K,1000,0.00K,0,35.3981,-118.4724,35.3981,-118.4724,"A northwest surge of tropical moisture during the Labor Day weekend produced strong thunderstorms over the Kern County Mountains during the late afternoon of September 3. These thunderstorms produced heavy rain which caused flash flooding in the Frazier Park and Pine Mountain Club areas. The thunderstorms spread northward through the San Joaquin Valley along an outflow boundary which also produced wind gusts between 40 and 50 mph and blowing dust which reduced visibility to near zero.","California Highway Patrol reported tree branches downed from thunderstorm wind gusts 13 ENE Keene." +120254,720514,GEORGIA,2017,September,Flash Flood,"BRANTLEY",2017-09-11 07:00:00,EST-5,2017-09-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1,-81.94,31.1688,-81.9642,"Hurricane Irma's eye passed west of the local forecast area, with the region on the storm's turbulent east side. Widespread tropical storm force winds with gusts to hurricane force were felt across much of the area, with the strongest winds surging up the Florida east coast during the pre-dawn hours of Sept. 11th. Extensive tree and power line damage occurred across the local area from the winds. One of the greatest local impacts exacerbated by Irma's rainfall and storm surge was river flooding. Prior to Irma's arrival, a local nor'eastern developed 3 days prior, with strong onshore flow pumping water into the St. Johns River basin. Elevated water levels of 1-2 ft above normal tidal departure were already ongoing for several tidal cycles before Irma's surge and rainfall. The nor'easter also brought localized heavy rainfall bands, with some areas near the coast realizing 4-6 inches in 24 hrs the days prior to Irma. In addition, precursor conditions to the nor'easter included an above average rainfall across the region during the summer months. Major, historic river flooding was forecast along Black Creek and the Sante Fe a week prior to Irma. Realized river values along the St. Johns surpassed prior record levels set by Hurricane Dora in 1964, during low tide the morning of Sept. 11th. The St. Johns River basin continued to rise with the combination of trapped tides due to the nor'easter, astronomically high tides heading into the spring tide season, storm surge of up to 5 ft in some areas, fresh water rainfall of 7-11 inches, and strong southerly winds pushing the water across the basin on the east side of Irma. Historic river flooding occurred across much of NE Florida Sept 11th through the following week as water levels were slow to funnel out of the St. Johns basin. Coastal infrastructure that was already weakened about 1 year ago due to Hurricane Matthew suffered the most damage from Irma's storm surge.","Multiple roads were closed across Brantley county due to flash flooding." +120271,720654,CALIFORNIA,2017,September,High Wind,"KERN CTY MTNS",2017-09-18 23:27:00,PST-8,2017-09-18 23:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry upper trough and associated cold front pushed southward through Central California on September 19. This system produced strong wind gusts along indicator ridge tops and below the passes in the Kern County Mountains and Deserts.","The Bird Springs Pass RAWS reported a maximum wind gust of 78 mph." +119142,721561,ALABAMA,2017,September,Thunderstorm Wind,"DEKALB",2017-09-23 17:35:00,CST-6,2017-09-23 17:35:00,0,0,0,0,,NaN,,NaN,34.29,-86.03,34.29,-86.03,"An evening thunderstorm produced wind damage in and around Crossville. Trees were uprooted and roof damage was reported.","A tree was knocked down onto a house. Side paneling of a barn was torn back." +119142,721562,ALABAMA,2017,September,Thunderstorm Wind,"DEKALB",2017-09-23 17:50:00,CST-6,2017-09-23 17:50:00,0,0,0,0,,NaN,,NaN,34.27,-86.08,34.27,-86.08,"An evening thunderstorm produced wind damage in and around Crossville. Trees were uprooted and roof damage was reported.","Trees were knocked down in a field near the intersection of Highways 68 and 168. time is estimated." +118711,721572,ALABAMA,2017,September,High Wind,"DEKALB",2017-09-11 20:00:00,CST-6,2017-09-11 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Depression Irma moved into southwest Georgia during the afternoon and evening of the 11th. This resulted in windy conditions across northeast Alabama. North to northeast winds gusted over 35 mph in a few locations. This resulted in a few reports of trees and tree limbs being knocked down. A few hundred residents also lost power due to the downed tree limbs onto utility lines.","Multiple trees and power lines were knocked down due to high winds in the Sylvania and Henegar communities causing sporadic power outages." +118711,721571,ALABAMA,2017,September,High Wind,"MARSHALL",2017-09-11 16:00:00,CST-6,2017-09-12 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Depression Irma moved into southwest Georgia during the afternoon and evening of the 11th. This resulted in windy conditions across northeast Alabama. North to northeast winds gusted over 35 mph in a few locations. This resulted in a few reports of trees and tree limbs being knocked down. A few hundred residents also lost power due to the downed tree limbs onto utility lines.","Multiple trees and tree limbs were knocked down causing power outages. One large tree was knocked down onto the roadway at 1848 Mount Olive Drive. Another tree was knocked down at the 4300 block of Pleasant Grove Road." +120204,720236,ATLANTIC SOUTH,2017,September,Waterspout,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-09-18 11:40:00,EST-5,2017-09-18 11:46:00,0,0,0,0,0.00K,0,0.00K,0,29.33,-81.03,29.33,-81.03,"Several reports were received of waterspouts offshore of Ormond by the Sea over a 30-minute period. The waterspouts dissipated before reaching the coast.","Multiple reports were received of a waterspout 1-2 miles offshore of Ormond by the Sea, north of Granada Boulevard. The waterspout dissipated before reaching the coast. Sources of the reports included Flagler County Emergency Management and Amateur Radio spotters." +120204,721663,ATLANTIC SOUTH,2017,September,Waterspout,"FLAGLER BEACH TO VOLUSIA-BREVARD COUNTY LINE 0-20NM",2017-09-18 11:50:00,EST-5,2017-09-18 12:10:00,0,0,0,0,0.00K,0,0.00K,0,29.33,-81.03,29.33,-81.03,"Several reports were received of waterspouts offshore of Ormond by the Sea over a 30-minute period. The waterspouts dissipated before reaching the coast.","Personnel at the Ormond Beach Airport (KOMN) control tower reported one or more waterspout(s) over the Atlantic, 5 miles east of the air field, in association with a shower. The waterspout(s) dissipated approximately 20 minutes later." +121506,727328,NORTH CAROLINA,2017,December,Winter Storm,"CALDWELL MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727329,NORTH CAROLINA,2017,December,Winter Storm,"BURKE MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727330,NORTH CAROLINA,2017,December,Winter Storm,"MCDOWELL MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +120867,723698,IOWA,2017,October,Heavy Rain,"WINNEBAGO",2017-10-06 23:00:00,CST-6,2017-10-07 09:49:00,0,0,0,0,0.00K,0,0.00K,0,43.27,-93.64,43.27,-93.64,"The warm front to stalled out front that provided southern Iowa with heavy rainfall the day before oozed its way northward on the 6th. As it slowly marched northward, showers and storms developed in a very moist environment of precipitable water around 1.8 to 1.9 inches. Fortunately, MUCAPE values were modest under 1000 J/kg and other severe weather metrics were essentially non-existent. The result was another round of heavy rainfall that covered northern Iowa this time around.","Trained spotter reported heavy rainfall of 3.1 inches measured since midnight." +120998,724269,IOWA,2017,October,Frost/Freeze,"BUTLER",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724270,IOWA,2017,October,Frost/Freeze,"BLACK HAWK",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724271,IOWA,2017,October,Frost/Freeze,"GRUNDY",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724272,IOWA,2017,October,Frost/Freeze,"HARDIN",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724273,IOWA,2017,October,Frost/Freeze,"TAMA",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724274,IOWA,2017,October,Frost/Freeze,"MARSHALL",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724275,IOWA,2017,October,Frost/Freeze,"STORY",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724276,IOWA,2017,October,Frost/Freeze,"POWESHIEK",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724277,IOWA,2017,October,Frost/Freeze,"JASPER",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120580,722331,TEXAS,2017,September,Thunderstorm Wind,"KINNEY",2017-09-05 17:23:00,CST-6,2017-09-05 17:23:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-100.47,29.12,-100.47,"Thunderstorms developed in the warm, moist airmass ahead of a cold front. One of these storms produced severe wind gusts.","A thunderstorm produced a wind gust measured at 54 kts. by the AWOS at the Laughlin AFB Auxiliary Field outside Spofford." +120423,722231,NEBRASKA,2017,September,Hail,"PLATTE",2017-09-24 14:35:00,CST-6,2017-09-24 14:35:00,0,0,0,0,,NaN,,NaN,41.42,-97.34,41.42,-97.34,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","Half dollar size hail fell just east of Columbus." +120423,722233,NEBRASKA,2017,September,Hail,"PLATTE",2017-09-24 14:40:00,CST-6,2017-09-24 14:40:00,0,0,0,0,,NaN,,NaN,41.46,-97.28,41.46,-97.28,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","Ping Pong Ball size hail fell east of Columbus." +120423,722234,NEBRASKA,2017,September,Hail,"COLFAX",2017-09-24 14:48:00,CST-6,2017-09-24 14:48:00,0,0,0,0,,NaN,,NaN,41.52,-97.21,41.52,-97.21,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","Hail up to golfball size fell north of Richland. Crops and tree leaves were stripped due to the large hail." +120423,722235,NEBRASKA,2017,September,Hail,"COLFAX",2017-09-24 15:12:00,CST-6,2017-09-24 15:12:00,0,0,0,0,,NaN,,NaN,41.71,-97,41.71,-97,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","Penny size hail was reported just south of Howells." +120423,722236,NEBRASKA,2017,September,Thunderstorm Wind,"SAUNDERS",2017-09-24 13:42:00,CST-6,2017-09-24 13:42:00,0,0,0,0,,NaN,,NaN,41.24,-96.4,41.24,-96.4,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","A camper was flipped over by damaging thunderstorm winds just south of Yutan." +119227,715970,NORTH DAKOTA,2017,September,Tornado,"BARNES",2017-09-19 15:41:00,CST-6,2017-09-19 15:47:00,0,0,0,0,30.00K,30000,3.00K,3000,46.66,-98.17,46.6698,-98.1149,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","The tornado peeled shingles and roofing off of homes at two farmsteads roughly a mile apart, and snapped or uprooted several box-elder and spruce trees at both farmsteads. Branch scatter through a shelterbelt located midway between the farms suggested a possible secondary vortex. Peak winds were estimated at 110 mph." +119236,716017,MINNESOTA,2017,September,High Wind,"KITTSON",2017-09-19 20:30:00,CST-6,2017-09-19 20:30:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"As thunderstorms passed to the south and east, strong sustained winds developed over Kittson County, in what is known as a wake low. Several mesonet sensors measured the sustained period of strong winds.","The period of high sustained winds was measured by a MNDOT RWIS sensor. The wind blew down a gazebo in the nearby town of Kennedy." +119236,716019,MINNESOTA,2017,September,High Wind,"KITTSON",2017-09-19 20:34:00,CST-6,2017-09-19 20:34:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"As thunderstorms passed to the south and east, strong sustained winds developed over Kittson County, in what is known as a wake low. Several mesonet sensors measured the sustained period of strong winds.","The period of high southeast sustained winds was measured by the Hallock AWOS. A poplar tree was blown down on top of a car in the nearby town of Lancaster." +119230,716003,MINNESOTA,2017,September,Tornado,"POLK",2017-09-19 18:53:00,CST-6,2017-09-19 19:01:00,0,0,0,0,50.00K,50000,3.00K,3000,47.4998,-96.529,47.5462,-96.5283,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","This tornado began in Norman County, about three miles north-northeast of Lockhart, at 650 PM CST. As it crossed into Polk County, about 653 PM CST, debris from the tornado broke windows in a vehicle. The tornado then snapped trees in and around the community of Beltrami and dismantled a metal wrapped pole shed. Peak winds were estimated at 105 mph." +120635,722811,TEXAS,2017,September,Hail,"WICHITA",2017-09-19 16:15:00,CST-6,2017-09-19 16:15:00,0,0,0,0,0.00K,0,0.00K,0,33.8577,-98.536,33.8577,-98.536,"Fairly strong warm air advection and a subtle mid level shortwave trough resulted in isolated severe thunderstorms developing during the overnight and early morning hours across portions of western north TX.","" +119261,723162,GEORGIA,2017,September,Heavy Rain,"BURKE",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.0462,-82.0603,33.0462,-82.0603,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","A total rainfall amount of 6.67 inches was measured 3.3 miles SW of Waynesboro." +119261,723163,GEORGIA,2017,September,Heavy Rain,"COLUMBIA",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.55,-82.32,33.55,-82.32,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","NWS LARC near Appling measured a total rainfall amount of 5.00 inches." +119261,723164,GEORGIA,2017,September,Heavy Rain,"MCDUFFIE",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.53,-82.52,33.53,-82.52,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","AWOS unit at Thomson McDuffie Co Airport measured a total of 5.37 inches of rain." +119797,718339,UTAH,2017,September,Thunderstorm Wind,"TOOELE",2017-09-14 00:05:00,MST-7,2017-09-14 00:05:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-113.47,40.73,-113.47,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","The Interstate 80 sensor recorded a peak wind gust of 60 mph." +119797,718340,UTAH,2017,September,Thunderstorm Wind,"GARFIELD",2017-09-14 14:05:00,MST-7,2017-09-14 14:05:00,0,0,0,0,0.00K,0,0.00K,0,38.03,-110.83,38.03,-110.83,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","The Henry Mountain RAWS recorded a peak wind gust of 70 mph." +119797,718341,UTAH,2017,September,Thunderstorm Wind,"KANE",2017-09-14 14:00:00,MST-7,2017-09-14 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-110.73,37.52,-110.73,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","The Bullfrog Marina automated weather station reported a peak wind gust of 73 mph." +119797,718342,UTAH,2017,September,Flash Flood,"WASHINGTON",2017-09-14 16:00:00,MST-7,2017-09-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.3452,-113.0905,37.2282,-113.0631,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Flash flooding was reported in multiple slot canyons in Zion National Park." +119797,718343,UTAH,2017,September,Flash Flood,"WAYNE",2017-09-14 16:00:00,MST-7,2017-09-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4798,-111.5222,38.3526,-111.4453,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Widespread flash flooding was reported across Capitol Reef National Park." +119797,718344,UTAH,2017,September,Flash Flood,"KANE",2017-09-14 16:00:00,MST-7,2017-09-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-112.21,37.0015,-112.2253,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","A large flash flood was reported in Buckskin Wash and some surrounding drainages." +120588,722421,MINNESOTA,2017,September,Hail,"PINE",2017-09-20 02:08:00,CST-6,2017-09-20 02:08:00,0,0,0,0,,NaN,,NaN,46.35,-92.81,46.35,-92.81,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","" +120588,722422,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 02:22:00,CST-6,2017-09-20 02:22:00,0,0,0,0,,NaN,,NaN,47.46,-92.36,47.46,-92.36,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A tree was knocked down blocking the crossing of Eshquaguma Country Road and Vermilion Trail." +120588,722423,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 02:22:00,CST-6,2017-09-20 02:22:00,0,0,0,0,,NaN,,NaN,46.79,-92.15,46.79,-92.15,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A few tree branches measuring 5 to 6 inches in diameter were knocked down." +120588,722426,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 02:24:00,CST-6,2017-09-20 02:24:00,0,0,0,0,,NaN,,NaN,47.82,-92.21,47.82,-92.21,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A tree was knocked down blocking Minnesota 169 in Breitung Township." +120761,723292,ALABAMA,2017,September,Tropical Storm,"CALHOUN",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120761,723294,ALABAMA,2017,September,Tropical Storm,"CHEROKEE",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120761,723296,ALABAMA,2017,September,Tropical Storm,"CLEBURNE",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +117854,708323,FLORIDA,2017,August,Thunderstorm Wind,"UNION",2017-08-09 15:30:00,EST-5,2017-08-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,29.98,-82.36,29.98,-82.36,"A surface front was across south Georgia with very high moisture content along this feature and south. Light south flow enabled both sea breezes to develop and press inland and interact over the moist and unstable airmass. Scattered severe storms developed across NE Fl, and produced strong wind gusts due to pockets of dry mid level air that enhanced downbursts.","A tree was blown down onto a power line on South County Road 231 near SW 69th Trail." +117854,708324,FLORIDA,2017,August,Thunderstorm Wind,"DUVAL",2017-08-09 14:19:00,EST-5,2017-08-09 14:19:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.51,30.34,-81.51,"A surface front was across south Georgia with very high moisture content along this feature and south. Light south flow enabled both sea breezes to develop and press inland and interact over the moist and unstable airmass. Scattered severe storms developed across NE Fl, and produced strong wind gusts due to pockets of dry mid level air that enhanced downbursts.","A thunderstorm gust of 61 mph was measured at Craig Airfield." +118141,709967,FLORIDA,2017,August,Heavy Rain,"GILCHRIST",2017-08-11 17:40:00,EST-5,2017-08-11 17:40:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-82.86,29.78,-82.86,"Weak steering flow supported slow moving heavy rainfall producing sea breeze showers and thunderstorms.","Minor street flooding was reported near NW 25th Street near Bell." +118142,709974,FLORIDA,2017,August,Flood,"FLAGLER",2017-08-14 14:50:00,EST-5,2017-08-14 14:50:00,0,0,0,0,0.00K,0,0.00K,0,29.4769,-81.13,29.4784,-81.1258,"Sea breeze convection and mergers produced locally heavy rainfall and causes some flooding in parts of Flagler County.","Water was nearly over the road along A1A in Flagler Beach. Spots along A1A had higher water due to construction." +118142,709975,FLORIDA,2017,August,Heavy Rain,"FLAGLER",2017-08-13 23:00:00,EST-5,2017-08-14 15:35:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-81.13,29.47,-81.13,"Sea breeze convection and mergers produced locally heavy rainfall and causes some flooding in parts of Flagler County.","A spotter measured 2 inches of rainfall in Flagler Beach." +118143,709976,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-08-14 18:10:00,EST-5,2017-08-14 18:10:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"Sea breeze convection and mergers produced locally heavy rainfall and produced gusty winds.","A mesonet station measured a gust of 47 mph." +118144,709978,ATLANTIC SOUTH,2017,August,Waterspout,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-08-15 13:45:00,EST-5,2017-08-15 13:45:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-81.05,29.54,-81.05,"A lone waterspout was photographed about 7 miles NE of Flagler Beach.","" +118145,709983,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-08-17 13:05:00,EST-5,2017-08-17 13:05:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-81.39,30.29,-81.39,"Sea breeze convection produced strong thunderstorm wind gusts due to heavy rainfall loading.","A mesonet site at the Jacksonville Beach Pier measured a wind gust to 46 mph." +118148,710000,FLORIDA,2017,August,Heavy Rain,"MARION",2017-08-18 14:50:00,EST-5,2017-08-18 15:20:00,0,0,0,0,0.00K,0,0.00K,0,29.06,-82.05,29.06,-82.05,"Prevailing WSW flow brought an early start to rainfall across NE Florida with heavy rainfall and frequent lightning strikes.","The public measured 2.5 inches of rainfall in 30 minutes." +118685,713167,ARIZONA,2017,August,Flash Flood,"LA PAZ",2017-08-10 18:30:00,MST-7,2017-08-10 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,33.5106,-114.2221,33.5117,-114.3622,"Strong thunderstorms developed across portions of La Paz County during the afternoon hours on August 10th; the stronger storms produced strong damaging microburst winds as well as locally heavy rainfall. Intense rainfall led to episodes of flash flooding which primarily affected the interstate 10 corridor from Quartzsite through Brenda. At 1617MST Flash flooding resulted in the closure of highway 95 at milepost 104 in Quartzsite; earlier at about 1500MST the eastbound lane of Interstate 10 in Quartzsite was closed due to flooding. The strong storms also produced damaging microburst winds in Quartzsite which downed power lines and shredded metal sheet roofs; damaging winds also damaged RVs east of Brenda. No injuries were reported due to the wind damage or flooding.","Thunderstorms developed across portions of La Paz county, including the area around Quartzsite, during the evening hours on August 10th and some of the stronger storms produced locally heavy rainfall with peak rain rates up to 2 inches per hour. The heavy rains were sufficient to cause episodes of flash flooding near and to the southwest of the town of Quartzsite. Heavy rain falling on nearby mountains such as the Dome Rock Mountains resulted in rapid runoff which filled area washes such as the Tyson Wash and drained into subdivisions leading to rapid flooding. According to a public report, heavy rainfall on Sawtooth and La Cholla mountains, just northeast of the Dome Rock Mountains, led to heavy runoff which filled a wash that flowed through Rainbow Acres and produced flash flooding. This occurred at about 2000MST in an area around 5 miles to the southwest of Quartzsite. No injuries were reported due to the flooding. A Flash Flood Warning was issued for the area beginning at 1650MST and ending at 2045MST." +118714,713170,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-10 17:44:00,MST-7,2017-08-10 17:44:00,0,0,0,0,15.00K,15000,0.00K,0,33.96,-112.73,33.96,-112.73,"Scattered thunderstorms developed across far northern Maricopa County during the late afternoon hours on August 10th and some of the stronger storms affected the area around the town of Wickenburg. The storms brought gusty and damaging winds estimated to be in excess of 60 mph; the winds were sufficient to down a number of 40 foot tall pine trees. In addition, they produced locally heavy rain which resulted in flash flooding and road closures along highway 60 in Wickenburg. Flash flood warnings were issued in response to the flooding. No injuries were reported due to the strong wind or the flooding.","Thunderstorms developed across the town of Wickenburg during the late afternoon hours on August 10th and some of the stronger storms produced gusty and damaging microburst winds estimated to reach speeds as high as 70 mph. According to a trained weather spotter, at 1744MST the strong microburst winds downed multiple trees in the south part of Wickenburg including many pine trees estimated to be 40 feet in height. Fortunately the downed trees did not fall on anybody and no injuries were reported. A Severe Thunderstorm Warning was not issued." +118397,711491,KENTUCKY,2017,September,Flash Flood,"BARREN",2017-09-01 07:15:00,CST-6,2017-09-01 07:15:00,0,0,0,0,10.00K,10000,0.00K,0,37,-85.9,37.0033,-85.8952,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","The Barren County Emergency Manager reported a car was submerged in flood waters on Shamrock Court." +118397,711492,KENTUCKY,2017,September,Flash Flood,"LOGAN",2017-09-01 07:15:00,CST-6,2017-09-01 07:15:00,0,0,0,0,10.00K,10000,0.00K,0,36.8405,-86.914,36.8371,-86.914,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","State officials reported a water rescue and evacuation took place from a duplex on Emerson Bypass." +118397,711494,KENTUCKY,2017,September,Flash Flood,"LOGAN",2017-09-01 07:40:00,CST-6,2017-09-01 07:40:00,0,0,0,0,10.00K,10000,0.00K,0,36.86,-86.82,36.8588,-86.839,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","State officials reported a water rescue of a person trapped in a vehicle on Stevenson Mill Road." +120690,723362,FLORIDA,2017,September,Storm Surge/Tide,"COASTAL MIAMI-DADE COUNTY",2017-09-10 09:30:00,EST-5,2017-09-10 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Maximum storm tide in Miami-Dade County occurred along the Biscayne Bay shoreline south of Downtown Miami to Black Point, where highest surge values were 5-6 feet above Mean Higher High Water (MHHW). Greatest impacts were in the Coconut Grove area where inundation ranged from 3 to 5 feet at the shoreline, with inland extent of flooding up to the north side of Bayshore Drive. Marinas and parks at the bayfront were flooded, and adjacent properties/structures suffered water damage as far south as Matheson Hammock Park. ||USGS rapid deployment gauges measured a maximum storm tide of 5.75 feet above NAVD88 at Dinner Key Marina in Coconut Grove, 5.61 feet above NAVD88 at Black Point, and 4.07 feet above NAVD88 at Turkey Point. At the Virginia Key NOS station, maximum storm tide was 3.66 feet above MHHW. ||In the Brickell area just south of Downtown Miami, streets within a half-mile of the bay had about 2-3 feet of inundation. Similar inundation was noted north of Downtown Miami up to the Edgewater area, with lower values to the north. ||Along the Atlantic coast from Miami Beach northward, inundation was generally 2-3 feet along the immediate coast, with a maximum storm tide from USGS gauge of 3.32 feet above NAVD88 at Bal Harbour." +120690,723365,FLORIDA,2017,September,Storm Surge/Tide,"COASTAL BROWARD COUNTY",2017-09-10 09:30:00,EST-5,2017-09-10 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","USGS rapid deployment gauges measured maximum storm tide of 3-4 feet above NAVD88 along the Broward County Atlantic coast and Intracoastal Waterway. This resulted in maximum inundation of 2 to 3 feet which affected adjacent streets and properties, particularly in the overwash of State Road A1A in Fort Lauderdale. Inland penetration of flooding was mainly less than a half-mile. North of Fort Lauderdale, little inland penetration was noted." +120690,723367,FLORIDA,2017,September,Storm Surge/Tide,"COASTAL PALM BEACH COUNTY",2017-09-10 09:30:00,EST-5,2017-09-10 16:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Maximum storm tide in Palm Beach County was in the 2-3 ft range, with a measured maximum storm tide of 1.97 feet above Mean Higher High Water (MHHW) at Lake Worth Pier. Little significant inundation was noted." +120690,723371,FLORIDA,2017,September,Flood,"GLADES",2017-09-10 21:00:00,EST-5,2017-09-14 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,26.9203,-81.3064,26.8046,-81.1972,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Glades County Emergency Management reported the closure of State Road 29 due to flooding from State Road 78 halfway up to Palmdale, as well as State Road 78 east from State Road 29 to U.S. 27. Extensive sheet flow flooding affected western and southern Glades County to Muse and the Hendry County line. Also, flooding from Fisheating Creek affected the campground adjacent to U.S. 27 in Palmdale.||Rainfall amounts of 8 to 12 inches were widespread across the area, with estimates of 16 to 20 inches over parts of western Glades County." +120690,723376,FLORIDA,2017,September,Flood,"HENDRY",2017-09-10 21:00:00,EST-5,2017-09-14 10:00:00,0,0,0,0,20.00K,20000,0.00K,0,26.7904,-81.5618,26.6918,-81.5254,"Major Hurricane Irma made landfall in Southwest Florida on Marco Island as a Category 3 hurricane around 330 PM EDT on September 10th. The storm traveled north through southwest Florida through the evening. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached Category 5 strength and a minimum central pressure of 914 MB east of the Bahamas, maintaining Category 5 intensity until landfall along the north coast of Cuba on September 9th. Irma made its first Florida landfall in the Lower Florida Keys early on September 10th as a Category 4 hurricane. ||The strength and size of Hurricane Irma allowed for impacts to be felt across all of South Florida. Irma brought widespread wind damage, heavy rainfall and storm surge to all areas. Hurricane-force sustained wind were measured in much of Collier County, as well as far southern and inland Miami-Dade County, with the possibility of additional hurricane-force sustained wind in more isolated areas over the remainder of South Florida where widespread tropical storm force sustained wind occurred. Gusts to hurricane force were felt over all of South Florida, with the maximum measured wind gust of 142 mph in Naples in Collier County. Widespread tree damage and some structural damage occurred across all of South Florida, with most structural damage on the minor side.||Irma brought a significant storm surge on both coasts of South Florida. Storm surge of 6 to 8 feet was observed in the Everglades City and Goodland areas of Collier County, with 3 to 5 feet from Marco Island to Naples. Along the east coast, observed storm surge values of 4 to 6 feet were noted along Biscayne Bay from south of Miami to Homestead, and 2 to 4 feet elsewhere along the east coast from Key Biscayne to Palm Beach.||Hurricane Irma brought widespread rainfall and some flooding across the region. From the period between 8 AM EDT September 9th and 8 AM EDT September 11th, 8 to 15 inches of rain were measured over interior portions of Southwest Florida, with estimated amounts of 16 to 20 inches in southwestern Hendry County. This rainfall near the end of a wet summer led to significant flooding over these areas. 5 to 10 inches of rain were noted elsewhere across South Florida, with areas of minor to moderate flooding. ||32 deaths were attributed to Irma in southern Florida, all but one indirect. The only direct death was an 86-year-old man who was knocked down by a gust of wind while opening the front door of his home in Broward County. Most of the deaths occurred during cleanup after the storm, as well as several as a result of carbon monoxide poisoning from misuse of generators. Initial and incomplete damage estimate across the area is estimated to be around $800 million, but in all likelihood will be much higher once damage assessments are completed. $222.5 million in damage came in from Collier County, and about $300 million from Palm Beach County. About $255 million came from the agricultural community in Miami-Dade County.||Total number of people who were at county evacuation shelters were as follows: Miami-Dade County - 31,092, Palm Beach County - 17,263, Collier County - 17,040, Broward County - 17,000, Hendry County - 3,000||Total number of customers without power were as follows: Miami-Dade County - 888,530, Broward County - 689,000, Palm Beach County- 566,240, Collier County - 197,630, Hendry County - 9,700, Glades County - 1,670.","Extensive sheet flow' flooding caused by heavy rain from Hurricane Irma affected parts of Hendry County. A total of 9 to 11 inches of rain fell in the area during a 48-hour period leading up to and through the event. Estimated amounts of up to 16 inches or higher may have fallen in parts of Hendry County. No major roads were affected, however many properties remained under water for days." +117280,705394,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:45:00,CST-6,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-92.45,42.52,-92.45,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +117280,705395,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:45:00,CST-6,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-92.8,42.59,-92.8,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Coop observer reported half dollar sized hail. This is a delayed report. Time estimated by radar." +119282,716256,ATLANTIC NORTH,2017,September,Marine Tropical Storm,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-09-19 14:03:00,EST-5,2017-09-19 14:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hurricane Jose meandered offshore for several days. Portions of the offshore waters saw high surf and tropical storm force winds.","Two Weatherflow stations between 3:03 and 3:05 pm reported sustained winds of 34 knots at Ship Bottom and Kite Island." +120469,721752,NEW JERSEY,2017,September,Coastal Flood,"WESTERN ATLANTIC",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected western Atlantic County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.||Here are just a few of the locations that were affected by the flooding. Ohio Avenue, Shore Road and East Faunce Landing Road in Absecon were closed. ||The following tidal gauge reached the moderate flooding threshold: Absecon." +118749,713325,ARKANSAS,2017,August,Flood,"CHICOT",2017-08-31 11:15:00,CST-6,2017-08-31 13:15:00,0,0,0,0,2.00K,2000,0.00K,0,33.5161,-91.4381,33.516,-91.4405,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity. Locally heavy rainfall resulted in instances of flash flooding.","Minor street flooding occurred on Gibson Circle." +121509,727337,NORTH CAROLINA,2017,December,Winter Storm,"ALEXANDER",2017-12-08 10:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the northern North Carolina foothills through the morning, becoming all snow by late morning. As moderate to heavy snow continued through the afternoon, heavy accumulations were reported across area by mid-afternoon. Some sleet began mixing in with the snow during the evening along and south of I-40, which may have undercut total accumulations, but totals of 5-8 inches were reported by the time the snow tapered off to flurries and light snow showers around midnight. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121509,727338,NORTH CAROLINA,2017,December,Winter Storm,"GREATER CALDWELL",2017-12-08 10:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the northern North Carolina foothills through the morning, becoming all snow by late morning. As moderate to heavy snow continued through the afternoon, heavy accumulations were reported across area by mid-afternoon. Some sleet began mixing in with the snow during the evening along and south of I-40, which may have undercut total accumulations, but totals of 5-8 inches were reported by the time the snow tapered off to flurries and light snow showers around midnight. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +118001,709393,KANSAS,2017,August,Flash Flood,"BOURBON",2017-08-22 08:48:00,CST-6,2017-08-22 10:48:00,0,0,0,0,0.00K,0,0.00K,0,37.91,-94.88,37.9083,-94.886,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced minor flooding.","Several low water crossings and low lying roads were flooded across central Bourbon County." +119585,717478,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-08-31 17:02:00,EST-5,2017-08-31 17:02:00,0,0,0,0,0.00K,0,0.00K,0,30.1341,-85.7154,30.1341,-85.7154,"A line of thunderstorms produced strong wind gusts near Panama City and St George Island.","A 34 knot wind gust was measured at wxflow site XSTA." +119585,717479,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-08-31 17:37:00,EST-5,2017-08-31 17:37:00,0,0,0,0,0.00K,0,0.00K,0,29.7134,-84.8909,29.7134,-84.8909,"A line of thunderstorms produced strong wind gusts near Panama City and St George Island.","A 42 knot wind gust was measured at the WeatherSTEM site on the St George Island bridge." +119101,715316,CALIFORNIA,2017,August,Debris Flow,"KERN",2017-08-03 11:52:00,PST-8,2017-08-03 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.0913,-118.3811,35.0624,-118.3681,"A moist east-southeast flow prevailed over Central California in early August as persistent strong high pressure was centered over the Great Basin. As a result, a surge of tropical moisture spread into the area between the afternoon of August 2 and the early morning of August 4. Showers and thunderstorms were prevalent over the mountains, Kern County Deserts and south end of the San Joaquin Valley on August 2 and into the Central San Joaquin Valley on the evening of August 3 and into the morning of August 4. Slow moving thunderstorms produced flash flooding in the Tehachapi area during the afternoon of August 3.","California Highway Patrol reported rocks and mud covering roads 7 miles southeast of Tehachapi." +119101,715322,CALIFORNIA,2017,August,Flash Flood,"KERN",2017-08-03 12:00:00,PST-8,2017-08-03 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.0846,-118.2781,35.0963,-118.3571,"A moist east-southeast flow prevailed over Central California in early August as persistent strong high pressure was centered over the Great Basin. As a result, a surge of tropical moisture spread into the area between the afternoon of August 2 and the early morning of August 4. Showers and thunderstorms were prevalent over the mountains, Kern County Deserts and south end of the San Joaquin Valley on August 2 and into the Central San Joaquin Valley on the evening of August 3 and into the morning of August 4. Slow moving thunderstorms produced flash flooding in the Tehachapi area during the afternoon of August 3.","California Highway Patrol reported up to 4 inches of water on State Highway 58 east of Tehachapi and debris and mud flowing onto smaller nearby roadways." +119101,715328,CALIFORNIA,2017,August,Hail,"MARIPOSA",2017-08-02 15:02:00,PST-8,2017-08-02 15:02:00,0,0,0,0,0.00K,0,0.00K,0,37.8497,-119.6043,37.8497,-119.6043,"A moist east-southeast flow prevailed over Central California in early August as persistent strong high pressure was centered over the Great Basin. As a result, a surge of tropical moisture spread into the area between the afternoon of August 2 and the early morning of August 4. Showers and thunderstorms were prevalent over the mountains, Kern County Deserts and south end of the San Joaquin Valley on August 2 and into the Central San Joaquin Valley on the evening of August 3 and into the morning of August 4. Slow moving thunderstorms produced flash flooding in the Tehachapi area during the afternoon of August 3.","Rangers at Yosemite National Park reported hail covering State Highway 120 (Tioga Road)." +118963,714599,DISTRICT OF COLUMBIA,2017,August,Flood,"DISTRICT OF COLUMBIA",2017-08-01 17:40:00,EST-5,2017-08-01 18:22:00,0,0,0,0,0.00K,0,0.00K,0,38.9575,-77.0606,38.9562,-77.0589,"Isolated afternoon and evening thunderstorms created flooding that intensified to flash flooding in Northwest Washington, DC during the evening of August 1st.","Broad Branch was reported to be out of its banks and spilling over a couple inches deep onto Broad Branch Road in Northwest DC." +118963,714600,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-01 18:22:00,EST-5,2017-08-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9564,-77.0594,38.9532,-77.0565,"Isolated afternoon and evening thunderstorms created flooding that intensified to flash flooding in Northwest Washington, DC during the evening of August 1st.","The earlier flooding intensified and water rapidly spilled onto Broad Branch Road between 27th Street and Grant Road. This water was deep enough to force a road closure." +118964,714603,MARYLAND,2017,August,Flood,"HARFORD",2017-08-02 16:30:00,EST-5,2017-08-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4426,-76.3095,39.4417,-76.3085,"Heavy rains from an isolated thunderstorm caused minor flooding in Harford County, Maryland during the afternoon of August 2nd.","A car became stranded in high water on Edgewood Road under the railroad bridge. A water rescue was successful in removing the vehicle and its occupant." +118965,714615,VIRGINIA,2017,August,Flash Flood,"FAUQUIER",2017-08-11 19:06:00,EST-5,2017-08-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8353,-77.8084,38.8345,-77.8069,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","One foot deep water running across Old Tavern Road near US 17." +118965,714630,VIRGINIA,2017,August,Flood,"WARREN",2017-08-11 19:25:00,EST-5,2017-08-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9285,-78.2545,38.9267,-78.2551,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Stokes Airport Road flooded and closed near Ridgeway Road." +118965,714633,VIRGINIA,2017,August,Flash Flood,"PRINCE WILLIAM",2017-08-11 21:00:00,EST-5,2017-08-11 23:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6835,-77.4221,38.6821,-77.4229,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Kahns Road flooded and closed due to torrential rainfall." +118965,714635,VIRGINIA,2017,August,Flash Flood,"PRINCE WILLIAM",2017-08-11 20:30:00,EST-5,2017-08-11 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.7072,-77.474,38.7077,-77.4731,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Flooding caused a road closure near Bradley Forest Road and Brentsville Road." +119374,717654,VIRGINIA,2017,August,Hail,"LOUDOUN",2017-08-12 17:32:00,EST-5,2017-08-12 17:32:00,0,0,0,0,,NaN,,NaN,39.1335,-77.7705,39.1335,-77.7705,"A cold front and an unstable atmosphere led to some severe thunderstorms.","Quarter sized hail was reported." +119374,717655,VIRGINIA,2017,August,Thunderstorm Wind,"LOUDOUN",2017-08-12 17:36:00,EST-5,2017-08-12 17:36:00,0,0,0,0,,NaN,,NaN,39.1179,-77.71,39.1179,-77.71,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down along Telegraph Springs Road." +119374,717656,VIRGINIA,2017,August,Thunderstorm Wind,"FAIRFAX",2017-08-12 18:24:00,EST-5,2017-08-12 18:24:00,0,0,0,0,,NaN,,NaN,38.8999,-77.4107,38.8999,-77.4107,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A large white pine tree was snapped at the base on Deerberry Court." +119374,717657,VIRGINIA,2017,August,Thunderstorm Wind,"FAIRFAX",2017-08-12 18:37:00,EST-5,2017-08-12 18:37:00,0,0,0,0,,NaN,,NaN,38.8473,-77.1747,38.8473,-77.1747,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A large tree limb was down blocking Sleepy Hollow Road near Dearborn Drive." +119374,717658,VIRGINIA,2017,August,Thunderstorm Wind,"ARLINGTON",2017-08-12 18:45:00,EST-5,2017-08-12 18:45:00,0,0,0,0,,NaN,,NaN,38.8595,-77.0987,38.8595,-77.0987,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down near the intersection of Columbia Pike and South Quincy Street." +119373,717659,DISTRICT OF COLUMBIA,2017,August,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-08-12 18:55:00,EST-5,2017-08-12 18:55:00,0,0,0,0,,NaN,,NaN,38.9159,-77.0173,38.9159,-77.0173,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down in the 1900 Block of 4th Street Northwest." +119373,717660,DISTRICT OF COLUMBIA,2017,August,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-08-12 19:02:00,EST-5,2017-08-12 19:02:00,0,0,0,0,,NaN,,NaN,38.8876,-76.9831,38.8876,-76.9831,"A cold front and an unstable atmosphere led to some severe thunderstorms.","A tree was down in the 1500 Block of Independence Avenue Southeast." +119377,718039,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-18 16:11:00,EST-5,2017-08-18 16:11:00,0,0,0,0,,NaN,,NaN,39.2928,-76.6726,39.2928,-76.6726,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","Several large trees and limbs were down in the 400 Block of North Hilton Street." +119377,718040,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-18 16:15:00,EST-5,2017-08-18 16:15:00,0,0,0,0,,NaN,,NaN,39.2645,-76.7417,39.2645,-76.7417,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","Several reports of trees were down in the Catonsville area." +119377,718041,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-18 16:22:00,EST-5,2017-08-18 16:22:00,0,0,0,0,,NaN,,NaN,39.2459,-76.6962,39.2459,-76.6962,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","A large tree fell onto a vehicle along Willys Avenue between Sulphur Spring Road and June Road. Several other trees were down in the area." +119377,718042,MARYLAND,2017,August,Thunderstorm Wind,"BALTIMORE",2017-08-18 16:24:00,EST-5,2017-08-18 16:24:00,0,0,0,0,,NaN,,NaN,39.2494,-76.6913,39.2494,-76.6913,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","Two large tree branches were down near Ice Cream Cottage between Southwestern Boulevard and Linden Avenue." +117779,708112,MINNESOTA,2017,August,Tornado,"SIBLEY",2017-08-16 16:44:00,CST-6,2017-08-16 16:48:00,0,0,0,0,0.00K,0,0.00K,0,44.4566,-94.2208,44.4702,-94.2462,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","The strongest tornado of the day developed in northern Nicollet county and lifted into|Sibley county. This was a multi-vortex tornado. Video shows one vortex struck a farmstead directly causing significant damage to trees and out buildings." +117779,713275,MINNESOTA,2017,August,Tornado,"SCOTT",2017-08-16 18:08:00,CST-6,2017-08-16 18:11:00,0,0,0,0,0.00K,0,0.00K,0,44.5436,-93.59,44.5523,-93.5994,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A weak circulation developed south of New Prague and moved across the western part of town, into Scott County, where it knocked over a tree in a cemetery on the west side of town. Just northwest of New Prague, a farm sustained minor damage to trees and outbuildings, along with a chimney that was blown over." +119611,717577,ARKANSAS,2017,August,Thunderstorm Wind,"LOGAN",2017-08-18 19:20:00,CST-6,2017-08-18 19:20:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-93.53,35.29,-93.53,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Trees and power lines were reported down on Highway 22 in Midway." +119889,718661,MISSOURI,2017,August,Flood,"CLAY",2017-08-21 13:43:00,CST-6,2017-08-21 19:43:00,0,0,0,0,0.00K,0,0.00K,0,39.2928,-94.5805,39.2912,-94.5716,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Water was over the road at Shoal Creek Parkway and N Oak due to a culvert not being able to handle all the water." +119889,718662,MISSOURI,2017,August,Flood,"CLAY",2017-08-21 14:12:00,CST-6,2017-08-21 20:12:00,0,0,0,0,0.00K,0,0.00K,0,39.3479,-94.3914,39.3826,-94.3976,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Water was over several roads in Kearney." +119889,718663,MISSOURI,2017,August,Flood,"CLAY",2017-08-21 14:21:00,CST-6,2017-08-21 20:21:00,0,0,0,0,0.00K,0,0.00K,0,39.3221,-94.5837,39.3226,-94.5065,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Several area small creeks were out of their banks, but posed minimal threat to residences." +119889,718664,MISSOURI,2017,August,Hail,"PLATTE",2017-08-21 15:21:00,CST-6,2017-08-21 15:22:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-94.61,39.18,-94.61,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","" +120257,720575,NORTH CAROLINA,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-17 15:30:00,EST-5,2017-08-17 15:30:00,0,0,0,0,3.00K,3000,0.00K,0,36.1,-78.3,36.1007,-78.2909,"A line of showers and thunderstorms associated with a short wave aloft moved through Central North Carolina in a moderately unstable environment. One storm produced a downburst, resulting in isolated wind damage.","Several trees and a few large tree limbs were blown down along a swath through downtown Louisburg." +118224,710466,COLORADO,2017,August,Hail,"KIOWA",2017-08-02 19:19:00,MST-7,2017-08-02 19:24:00,0,0,0,0,0.00K,0,0.00K,0,38.46,-102.73,38.46,-102.73,"A strong storm produced hail up to nickel size.","" +118225,710467,COLORADO,2017,August,Hail,"OTERO",2017-08-05 20:35:00,MST-7,2017-08-05 20:40:00,0,0,0,0,0.00K,0,0.00K,0,38,-103.58,38,-103.58,"A strong storm produced hail up to nickel size.","" +119972,718994,UTAH,2017,August,Thunderstorm Wind,"BEAVER",2017-08-07 12:25:00,MST-7,2017-08-07 12:25:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-113.39,38.31,-113.39,"The airmass over Utah dried out a bit for the 2nd week of August, helping thunderstorms to produce stronger wind gusts across primarily western Utah.","The Brimstone Reservoir RAWS recorded a maximum wind gust of 72 mph." +119971,718998,UTAH,2017,August,Thunderstorm Wind,"KANE",2017-08-03 14:45:00,MST-7,2017-08-03 14:45:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-110.72,37.5,-110.72,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","A 62 mph wind gust was recorded at the Bullfrog Marina sensor." +119971,719014,UTAH,2017,August,Flash Flood,"WAYNE",2017-08-03 13:00:00,MST-7,2017-08-03 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.2177,-111.102,38.2587,-111.1404,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Flash flooding was reported in Capitol Reef National Park, with 4 to 6 inches of flowing water reported in Capitol Gorge. This water damaged the dirt road that provides access to the Capitol Gorge area." +119971,719017,UTAH,2017,August,Flash Flood,"WASHINGTON",2017-08-03 19:00:00,MST-7,2017-08-03 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.2194,-112.9333,37.1648,-112.9875,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Heavy rain led to flash flooding across the southern half of Zion National Park, including along Pine Creek. In addition, street flooding was reported in the towns of Springdale and Rockville." +119971,719018,UTAH,2017,August,Flash Flood,"KANE",2017-08-05 20:30:00,MST-7,2017-08-05 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.1053,-111.6582,37.1637,-111.7749,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Flash flooding was reported along Coyote Creek, which is a tributary of Wahweap Creek." +119971,719019,UTAH,2017,August,Flash Flood,"KANE",2017-08-05 21:00:00,MST-7,2017-08-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0071,-111.8243,37.3091,-111.8491,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","The Paria River rose from 7 cfs to 1240 cfs, or an increase of approximately 3 feet." +122082,731583,TEXAS,2017,December,Winter Weather,"MCLENNAN",2017-12-06 08:45:00,CST-6,2017-12-06 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Several public and social media reports of sleet were received across McLennan County the morning of December 6, 2017. Trace amounts were reported to have fallen." +119479,717029,TEXAS,2017,August,Thunderstorm Wind,"WISE",2017-08-06 15:31:00,CST-6,2017-08-06 15:31:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-97.89,33.3,-97.89,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","A social media report indicated trees blown down in the Sand Flat area near Lake Bridgeport." +119479,717031,TEXAS,2017,August,Thunderstorm Wind,"PARKER",2017-08-06 17:48:00,CST-6,2017-08-06 17:48:00,0,0,0,0,5.00K,5000,0.00K,0,32.73,-97.6,32.73,-97.6,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","Fire and rescue reported trees and power lines down near the intersection of I-20 and Farmer Road, approximately 2 miles north of the city of Aledo, TX." +119479,717033,TEXAS,2017,August,Thunderstorm Wind,"PARKER",2017-08-06 18:20:00,CST-6,2017-08-06 18:20:00,0,0,0,0,0.50K,500,0.00K,0,32.71,-98.07,32.71,-98.07,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","A public report indicated large tree limbs blown down on River View and Soda Springs Roads." +119479,717034,TEXAS,2017,August,Thunderstorm Wind,"PARKER",2017-08-06 18:30:00,CST-6,2017-08-06 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-97.65,32.75,-97.65,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","A public report indicated large branches blown down approximately 2 miles north of the city of Annetta, TX." +119479,717035,TEXAS,2017,August,Thunderstorm Wind,"PARKER",2017-08-06 18:44:00,CST-6,2017-08-06 18:44:00,0,0,0,0,5.00K,5000,0.00K,0,32.74,-97.79,32.74,-97.79,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","A public report indicated power poles broken approximately 2 miles south-southeast of the city of Weatherford, TX." +119479,717038,TEXAS,2017,August,Thunderstorm Wind,"JOHNSON",2017-08-06 19:07:00,CST-6,2017-08-06 19:07:00,0,0,0,0,1.00K,1000,0.00K,0,32.34,-97.41,32.34,-97.41,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","A public report indicated shingles blown from a roof about 1 mile south-southwest of Cleburne, TX." +118574,712317,NEW YORK,2017,August,Thunderstorm Wind,"CORTLAND",2017-08-22 16:54:00,EST-5,2017-08-22 17:04:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-76.18,42.6,-76.18,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A thunderstorm moved across the region and became severe. This thunderstorm produced a severe wind gust of 52 knots." +118574,720917,NEW YORK,2017,August,Tornado,"MADISON",2017-08-22 16:25:00,EST-5,2017-08-22 16:26:00,0,0,0,0,50.00K,50000,0.00K,0,42.8571,-75.4318,42.8605,-75.4246,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A tornado touched down in a field west of Mason Road in Brookfield|NY. The tornado knocked down a couple dozen trees, partially blew|roofs off two barns and ripped a roof off a greenhouse. One home|lost a few shingles. The tornado tracked east northeast and was on|the ground for a little less than one half mile. The width of the|tornado was about 150 yards. Maximum winds were estimated at 90 mph." +118574,720915,NEW YORK,2017,August,Tornado,"MADISON",2017-08-22 15:55:00,EST-5,2017-08-22 15:56:00,0,0,0,0,10.00K,10000,0.00K,0,42.8041,-75.7403,42.8049,-75.7376,"A strong upper level storm system moved across the region Tuesday and forced a strong cold front across New York and Pennsylvania. Two separate lines of showers and thunderstorms quickly developed across the region among a very unstable atmosphere. As these lines moved east, the storms quickly became severe and produced damaging winds, large hail and a few tornadoes.","A tornado briefly touched down along Parker Hill Road in Georgetown, NY. The tornado did extensive damage to a forest largely composed of Norway spruce and other softwood conifers. The tornado damage path was very narrow only being 30 yards wide. Maximum winds were estimated at 90 mph." +120192,720189,NORTH CAROLINA,2017,August,Thunderstorm Wind,"WILKES",2017-08-17 18:28:00,EST-5,2017-08-17 18:28:00,0,0,0,0,0.50K,500,,NaN,36.18,-81.3,36.18,-81.3,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Thunderstorm winds blew a tree down on Boone Trail. Damage values are estimated." +120192,720190,NORTH CAROLINA,2017,August,Lightning,"WILKES",2017-08-17 18:28:00,EST-5,2017-08-17 18:28:00,0,0,0,0,5.00K,5000,,NaN,36.1786,-81.2468,36.1786,-81.2468,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Lightning struck an outbuilding, and set it on fire, at a property located on Kite Road. Damage values are estimated." +120324,720956,KANSAS,2017,August,Hail,"TREGO",2017-08-10 13:48:00,CST-6,2017-08-10 13:48:00,0,0,0,0,,NaN,,NaN,39,-99.86,39,-99.86,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720957,KANSAS,2017,August,Hail,"RUSH",2017-08-10 15:25:00,CST-6,2017-08-10 15:25:00,0,0,0,0,,NaN,,NaN,38.47,-99.24,38.47,-99.24,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720959,KANSAS,2017,August,Hail,"STAFFORD",2017-08-10 16:35:00,CST-6,2017-08-10 16:35:00,0,0,0,0,,NaN,,NaN,38.04,-98.75,38.04,-98.75,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720958,KANSAS,2017,August,Hail,"STAFFORD",2017-08-10 16:10:00,CST-6,2017-08-10 16:10:00,0,0,0,0,,NaN,,NaN,38.18,-98.84,38.18,-98.84,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120120,720001,LOUISIANA,2017,August,Tornado,"CAMERON",2017-08-26 11:22:00,CST-6,2017-08-26 11:25:00,0,0,0,0,7.00K,7000,0.00K,0,29.9692,-93.3495,29.9814,-93.3733,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","A tornado associated with an outer rain band of Tropical Storm Harvey touched down west of Calcasieu Lake near Joe Dugas Road, where a travel trailer rolled over on its side. The tornado continued to the northwest, and pulled some shingles off a home near Hackberry High School. The region was in a mandatory evacuation at the time. Several people photographed or videoed the tornado." +120120,720002,LOUISIANA,2017,August,Tornado,"VERMILION",2017-08-27 13:15:00,CST-6,2017-08-27 13:17:00,0,0,0,0,5.00K,5000,0.00K,0,29.9893,-92.0415,29.9924,-92.0414,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Some tin was pulled off a large barn, and a travel|trailer was tipped over. Across the street, a large section of the|sugar cane field was blown over." +120120,720003,LOUISIANA,2017,August,Tornado,"IBERIA",2017-08-27 13:35:00,CST-6,2017-08-27 13:36:00,0,0,0,0,0.00K,0,0.00K,0,29.9708,-91.7559,29.9719,-91.7538,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","A tornado briefly touched down in a sugar cane|field off of Darnall Road. No damage was reported, but it was|videoed." +120167,720015,GULF OF MEXICO,2017,August,Marine Tropical Storm,"COASTAL WATERS FROM INTRACOASTAL CITY TO CAMERON LA OUT 20 NM",2017-08-29 07:00:00,CST-6,2017-08-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Harvey moved across the gulf winds increased. Minimal Tropical Storm conditions were observed.","Winds along the Cameron Parish coast winds were generally sustained right at or slightly below tropical storm strength. The highest sustained wind reported was 33 knots at Cameron with a peak gust of 44 knots." +111785,666753,MISSOURI,2017,January,Ice Storm,"DE KALB",2017-01-15 09:00:00,CST-6,2017-01-16 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Freezing rain started on Friday January 13 across portions of southern Kansas and southern Missouri. Freezing rain fell across a fairly narrow corridor on Friday night into Saturday morning across that area, causing icing to occur. After a mostly dry day on Saturday, throughout the day on Sunday the rain moved north through the Kansas City Metro area, but did not create much in the way of ice accumulations, with maybe .10 of ice at the most. By the time the rain moved into northern Missouri it started accumulating more ice. Across numerous counties in northern Missouri several spotters reported a quarter inch of ice. While the ice in the KC Metro area did not result in an official ice storm, there were still numerous vehicle accidents as a result of the light icing. On Friday night and Saturday night vehicle fatalities occurred. The first on Friday night occurred in Platte County near mile marker 20 on Interstate 29. The second fatality occurred in Nodaway county near Ravenwood. Both accidents were the result of icy road surfaces.","To finish off a prolonged freezing rain event across northeast Kansas and northwest Missouri light rain lifted north into far northern Missouri causing some ice to accumulate through the day on Sunday and overnight into Monday morning. Several trained weather spotters from across northern Missouri reported a quarter inch of ice on all surfaces. Several area roads were ice covered through the day on Sunday and into Monday morning before temperatures warmed above freezing Monday morning." +120759,723277,ALASKA,2017,September,Flood,"KENAI PENINSULA",2017-09-21 13:04:00,AKST-9,2017-09-27 00:10:00,0,0,0,0,5000.00K,5000000,0.00K,0,60.4736,-149.6777,60.4995,-149.7649,"Snow Lake, a glacier-dammed lake in the Kenai Mountains, released on September 16th. The draining of the lake caused the Snow River, Kenai Lake, and the Kenai River to rise significantly. Flow measured on the Snow River was measured to be about 15 times the normal flow expected for September. Snow glacier-dammed lake typically releases every 2 years, usually during the fall.","Flooding in many yards and at least one cabin along Snug Harbor Road. The lake edge is normally about another 30 feet off the deck. NWS survey crews found flooded boat launches at both Cooper Landing Boat Launch and Quartz Creek Campground Boat Launch. The public also reported flooding of various parking lots around the Cooper Landing area via Social Media." +120759,723278,ALASKA,2017,September,Flood,"WRN P.W. SND & KENAI MTNS",2017-09-22 17:30:00,AKST-9,2017-09-27 00:10:00,0,0,0,0,1000.00K,1000000,0.00K,0,60.3365,-149.333,60.3462,-149.3435,"Snow Lake, a glacier-dammed lake in the Kenai Mountains, released on September 16th. The draining of the lake caused the Snow River, Kenai Lake, and the Kenai River to rise significantly. Flow measured on the Snow River was measured to be about 15 times the normal flow expected for September. Snow glacier-dammed lake typically releases every 2 years, usually during the fall.","NWS Survey team as well as photos and reports from residents along Primrose Spur road on south end of Kenai Lake confirm several days of flooded yards and road closed by state Dept. of Transportation. Resident reported flooding on the high end of normal for this biennial flooding event." +118551,713212,MASSACHUSETTS,2017,August,Thunderstorm Wind,"SUFFOLK",2017-08-02 13:40:00,EST-5,2017-08-02 13:40:00,0,0,0,0,1.00K,1000,0.00K,0,42.3633,-71.0252,42.3633,-71.0252,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 140 PM EST, a tree was uprooted on Harborside Drive in East Boston." +118551,713214,MASSACHUSETTS,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-02 13:54:00,EST-5,2017-08-02 13:54:00,0,0,0,0,6.00K,6000,0.00K,0,42.4959,-71.4523,42.4959,-71.4523,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 154 PM EST, a tree was brought down on a moving car on Newtown Road in Acton." +118551,713217,MASSACHUSETTS,2017,August,Thunderstorm Wind,"WORCESTER",2017-08-02 14:00:00,EST-5,2017-08-02 14:05:00,0,0,0,0,2.50K,2500,0.00K,0,42.4185,-71.5625,42.4185,-71.5625,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","Between 2 PM and 205 PM EST, a tree and wires were brought down on Long Hill Road in Bolton, and a tree was down on Teele Road in Bolton." +118551,713218,MASSACHUSETTS,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-02 14:15:00,EST-5,2017-08-02 14:15:00,0,0,0,0,6.00K,6000,0.00K,0,42.4247,-71.4555,42.4247,-71.4555,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 215 PM EST, a tree was downed on a car on Great Road in Maynard." +118551,713221,MASSACHUSETTS,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-02 14:15:00,EST-5,2017-08-02 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,42.451,-71.5185,42.451,-71.5185,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 215 PM EST, a tree was down and blocking Taylor Road in Stow." +118551,713224,MASSACHUSETTS,2017,August,Thunderstorm Wind,"MIDDLESEX",2017-08-02 14:15:00,EST-5,2017-08-02 14:15:00,0,0,0,0,1.00K,1000,0.00K,0,42.4776,-71.5139,42.4776,-71.5139,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 215 PM EST, a large tree was down on wires on Stow Road in Boxborough." +118551,713232,MASSACHUSETTS,2017,August,Thunderstorm Wind,"HAMPDEN",2017-08-02 14:35:00,EST-5,2017-08-02 14:40:00,0,0,0,0,2.00K,2000,0.00K,0,42.0533,-72.7718,42.0533,-72.7718,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 235 PM EST, a tree was downed at 454 College Highway in Southwick. At 240 PM EST, a tree was down on wires at Sam West Road." +118551,713234,MASSACHUSETTS,2017,August,Thunderstorm Wind,"HAMPDEN",2017-08-02 14:40:00,EST-5,2017-08-02 14:40:00,0,0,0,0,1.00K,1000,0.00K,0,42.1083,-72.619,42.1083,-72.619,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 240 PM EST, a tree was down on Hanover Street in West Springfield." +117274,705555,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-08-02 11:48:00,EST-5,2017-08-02 11:48:00,0,0,0,0,0.00K,0,0.00K,0,28.1533,-82.8012,28.1533,-82.8012,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A few of these storms produced marine wind gusts along the Gulf Coast.","The COMPS station at Fred Howard Park (FHPF1) recorded a 36 knot thunderstorm wind gust." +117274,705556,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-02 13:06:00,EST-5,2017-08-02 13:06:00,0,0,0,0,0.00K,0,0.00K,0,27.8578,-82.5527,27.8578,-82.5527,"Deep moisture along a weak frontal boundary drifting south through the Florida Peninsula developed scattered to numerous thunderstorms. A few of these storms produced marine wind gusts along the Gulf Coast.","The PORTS station at Old Port Tampa (OPTF1) recorded a 38 knot thunderstorm wind gust." +117332,705679,WYOMING,2017,August,Thunderstorm Wind,"JOHNSON",2017-08-01 17:20:00,MST-7,2017-08-01 17:20:00,0,0,0,0,0.00K,0,0.00K,0,44.3832,-106.8122,44.3832,-106.8122,"A thunderstorm intensified as it moved off of the Big Horn Mountains and produced locally high winds. A spotter to the west of Buffalo reported a wind gust of 62 mph.","A trained spotter measured a wind gust of 62 mph around 6 miles west-northwest of Buffalo." +117336,705685,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"TAMPA BAY",2017-08-06 14:49:00,EST-5,2017-08-06 14:49:00,0,0,0,0,0.00K,0,0.00K,0,27.8407,-82.5315,27.8407,-82.5315,"Isolated to scattered thunderstorms developed over the Florida Peninsula and spread out into the Gulf during the late afternoon and early evening hours. A few of these storms produced marine wind gusts along the coast.","The AWOS at MacDill Air Force Base (KMCF) recorded a 36 knot thunderstorm wind gust." +117354,705743,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-02 15:10:00,EST-5,2017-08-02 15:10:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"Strong westerly winds propelled a broken line of thunderstorms from the central Florida interior quickly across the Brevard County mainland and to the intracoastal waters, barrier islands and adjacent Atlantic. Strong wind gusts were observed at several locations.","USAF wind tower 0421, located over far north Merritt Island just south of the Volusia-Brevard County line, measured a peak wind gust of 36 knots from the west-southwest as a strong thunderstorm passed by." +117355,705748,FLORIDA,2017,August,Funnel Cloud,"OSCEOLA",2017-08-02 18:20:00,EST-5,2017-08-02 18:25:00,0,0,0,0,0.00K,0,0.00K,0,28.1,-81.27,28.1,-81.27,"A citizen observed a funnel cloud approximately 10 miles south of St. Cloud, close to a line of showers.","A citizen observed a funnel cloud which developed along the leading edge of a line of dissipating showers to the south of St. Cloud. The funnel was reported to last 5 minutes and video of the funnel cloud was obtained via social media." +117357,705753,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-03 17:55:00,EST-5,2017-08-03 17:55:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"A line of storms developed along the collision of the east and west coast sea breezes over east central Florida. With a southwesterly wind regime the line of storms moved eastward and produced strong winds along the intracoastal waters of Brevard County.","US Air Force wind tower 0421 measured a peak wind gust of 35 knots from the northwest." +117573,707063,TEXAS,2017,August,Heat,"SABINE",2017-08-12 12:00:00,CST-6,2017-08-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front, which was reinforced by showers and thunderstorms during the afternoon and evening of August 11th, extended from just south of the Red River of North Texas and into Northeast Texas and Western Louisiana during the daylight hours of August 12th. This boundary resulted in compressional warming and low level moisture pooling (with dewpoints in the mid and upper 70s) along and south of it over the lower half of East Texas, mainly along and south of Interstate 20. This resulted is afternoon temperatures climbing into the mid 90s across this area, with heat indices ranging from 105 to 109 degrees before isolated showers and thunderstorms developed and helped to cool some of these areas late in the afternoon through the evening hours.","" +117596,707182,PENNSYLVANIA,2017,August,Tornado,"JUNIATA",2017-08-12 14:12:00,EST-5,2017-08-12 14:20:00,0,0,0,0,500.00K,500000,1.00K,1000,40.6462,-77.2744,40.6,-77.1882,"An EF1 tornado touched down in Juniata County near Mcalisterville during the afternoon of August 12, 2017.","The tornado touched down on the northeast side of Mcalisterville, PA, near the Juniata Mennonite School. Damage included a flipped tractor trailer, snapped pine trees, and a long swatch of snapped and uprooted trees. The main school building roof was lifted off its base. There was sporadic tree damage all the way to Dunn Valley Road. Along Dunn Valley Road there was a flipped travel trailer, damaged trees, and a damaged house. Farther along the track, it damaged a bus shed and a tool shed. There was also sporadic tree damage in this area. Further to the south and east, along Maze and Blackdog Roads, there was focused swaths of tree damage along the north side of the road. Near the end of the road the tree damage became less evident. Peak winds were estimated at 105 mph, giving it an EF1 rating. There were no injuries or fatalities." +114445,686346,NEW YORK,2017,March,Blizzard,"NORTHERN WARREN",2017-03-14 03:30:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686347,NEW YORK,2017,March,Blizzard,"NORTHERN WASHINGTON",2017-03-14 03:30:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686348,NEW YORK,2017,March,Blizzard,"WESTERN SCHENECTADY",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686349,NEW YORK,2017,March,Blizzard,"EASTERN SCHENECTADY",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686350,NEW YORK,2017,March,Blizzard,"SOUTHERN SARATOGA",2017-03-14 02:30:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686351,NEW YORK,2017,March,Blizzard,"WESTERN ALBANY",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +114445,686352,NEW YORK,2017,March,Blizzard,"EASTERN ALBANY",2017-03-14 02:00:00,EST-5,2017-03-16 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +117655,707482,TEXAS,2017,August,Thunderstorm Wind,"HALL",2017-08-13 20:40:00,CST-6,2017-08-13 20:50:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-100.9,34.39,-100.9,"Two rounds of strong and severe thunderstorms moved southeast across the southern Texas Panhandle this evening. The first round consisted of a discrete supercell thunderstorm that moved from northern Briscoe County to southwest Hall County. Although this storm exhibited strong rotation with a likelihood of very large hail at times, no ground truth of severe weather was obtained. Immediately on the heels of this supercell, a large line of storms spread southward accompanied by a series of destructive microbursts in far southwest Hall County. Multiple homes, buildings and trees in Turkey sustained moderate to substantial damage from straight line winds determined as high as 120 mph. Following the damaging winds, torrential rains measured as great as 3.06 inches in Turkey led to flash flooding and brief closures area streets and roads.","Severe winds of 58 mph to 68 mph were measured for 10 consecutive minutes by a Texas Tech University West Texas mesonet southwest of Turkey." +117655,707483,TEXAS,2017,August,Thunderstorm Wind,"HALL",2017-08-13 20:30:00,CST-6,2017-08-13 20:45:00,0,0,0,0,2.50M,2500000,0.00K,0,34.3979,-100.8936,34.3892,-100.8926,"Two rounds of strong and severe thunderstorms moved southeast across the southern Texas Panhandle this evening. The first round consisted of a discrete supercell thunderstorm that moved from northern Briscoe County to southwest Hall County. Although this storm exhibited strong rotation with a likelihood of very large hail at times, no ground truth of severe weather was obtained. Immediately on the heels of this supercell, a large line of storms spread southward accompanied by a series of destructive microbursts in far southwest Hall County. Multiple homes, buildings and trees in Turkey sustained moderate to substantial damage from straight line winds determined as high as 120 mph. Following the damaging winds, torrential rains measured as great as 3.06 inches in Turkey led to flash flooding and brief closures area streets and roads.","For approximately 15 minutes, a barrage of northerly winds of 60 mph to as great as 120 mph inflicted heavy damage in the city of Turkey, located in far southwest Hall County. NWS Lubbock meteorologists conducted a ground and aerial damage survey at Turkey the following afternoon. All available evidence including radar, damage patterns, eyewitness accounts, and most notably a 15-minute duration of high winds indicated that a series of wet microbursts moved from north to south across Turkey. Several homes and businesses suffered damage, most notably the Turkey Compress which was totally destroyed. At least two homes suffered major damage and were deemed uninhabitable. Numerous large trees and power poles were snapped, building and car windows broken, garage doors collapsed, and other extensive damage occurred to car ports and canopies. Power in the city was not restored until nearly 12 hours later. Despite a large amount of airborne debris that affected the city, no fatalities or injuries occurred. Peak wind speeds were estimated to be in the 100-120 mph range based on the degree of damage. It is important to note that the most severely damaged structures were particularly old and not well maintained, including one home built in 1927. Homes that suffered roof damage or even broken windows also sustained extensive water damage from torrential rains that followed the series of microbursts." +118345,711119,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-22 13:45:00,EST-5,2017-08-22 13:45:00,0,0,0,0,2.00K,2000,0.00K,0,44.23,-75.32,44.23,-75.32,"A strong cold front and upper level system approached northern NY during the afternoon of August 22nd and moved through during the night. Numerous thunderstorms moved across northern NY during the afternoon with several producing damaging winds in the form of downed trees and power lines.","Tree and branches down across road due to thunderstorm winds." +118345,711120,NEW YORK,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 15:10:00,EST-5,2017-08-22 15:10:00,0,0,0,0,5.00K,5000,0.00K,0,44.33,-74.43,44.33,-74.43,"A strong cold front and upper level system approached northern NY during the afternoon of August 22nd and moved through during the night. Numerous thunderstorms moved across northern NY during the afternoon with several producing damaging winds in the form of downed trees and power lines.","Several trees downed by thunderstorm winds." +118371,711368,DELAWARE,2017,August,Rip Current,"DELAWARE BEACHES",2017-08-01 18:00:00,EST-5,2017-08-01 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three persons were injured by breaking waves.","Two shoulder injuries in Cape May and one spinal injury in North Wildwood." +117930,712580,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLEARFIELD",2017-08-19 16:15:00,EST-5,2017-08-19 16:15:00,0,0,0,0,4.00K,4000,0.00K,0,40.8741,-78.7258,40.8741,-78.7258,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires at the intersection of East Main Street and Willow Street in Mahaffey." +117930,712581,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLEARFIELD",2017-08-19 16:30:00,EST-5,2017-08-19 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,40.7446,-78.4716,40.7446,-78.4716,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto wires at Cross Roads Boulevard and Heverly Boulevard east of Coalport." +117930,712582,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:45:00,EST-5,2017-08-19 16:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.4732,-78.1824,40.4732,-78.1824,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on Covedale Road near Williamsburg." +117930,712583,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:45:00,EST-5,2017-08-19 16:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.5079,-78.3862,40.5079,-78.3862,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph snapped and uprooted trees on Hudson Avenue in Altoona." +118163,711986,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-03 17:45:00,MST-7,2017-08-03 17:50:00,0,0,0,0,15.00K,15000,0.00K,0,33.24,-111.6,33.24,-111.6,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","Scattered thunderstorms developed across the southeastern portion of the greater Phoenix metropolitan area during the afternoon hours on August 3rd, and some of the stronger storms affected communities such as Chandler, Sun Lakes and Queen Creek. The stronger storms produced gusty and damaging outflow winds which were estimated to reach as high as 70 mph. According to a trained weather spotter located about 2 miles east of Queen Creek, at 1745MST gusty outflow winds downed at least six large trees and also blew a number of shingles off of the roofs of some peoples homes. About 5 minutes later, a report was received from the public via Twitter that indicated a large tree was uprooted and subsequently damaged a patio during its fall. The fallen tree was located about 4 miles east of Sun Lakes, just north of Riggs Road and near the intersection of Via De Palmas Road and South Cooper Road. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued at 1727MST.|||TRAINED SPOTTER REPORTS AT LEAST 6 LARGE TREES DOWN AND SHINGLES OFF PEOPLES HOUSES." +118163,711989,ARIZONA,2017,August,Tornado,"MARICOPA",2017-08-03 17:05:00,MST-7,2017-08-03 17:10:00,0,0,0,0,0.00K,0,0.00K,0,33.41,-112.07,33.411,-112.0682,"Scattered monsoon thunderstorms developed across portions of the south central deserts during the afternoon and early evening hours and they impacted the greater Phoenix area. The stronger storms produced gusty and damaging outflow winds that blew over a number of trees in downtown Phoenix as well as Paradise Valley and other communities across north Phoenix including the town of Deer Valley. Trees and power poles were blown down near Phoenix Sky Harbor airport. Wind gusts with the stronger storms were estimated to be at least as high as 70 mph. No injuries were reported due to the gusty winds. Additionally, one of the storms generated a weak landspout tornado which was very short lived and produced no damage.","August 3rd was a very active day, convectively speaking, as widespread thunderstorms affected the greater Phoenix area during the afternoon and evening hours. The stronger storms produced gusty and damaging outflow winds as well as very heavy rain. In addition, one storm generated a weak tornado across south Phoenix during the late afternoon hours. The tornado was located just south of the Salt River, near the intersection of Central Avenue and Broadway Road. The tornado was reported by a trained weather spotter who had video evidence of the tornado. It was corroborated by Phoenix Terminal Doppler Radar data which supported a brief landspout tornado. The tornado was very short lived, had a very short track as well as a narrow path width, and produced no damage or injuries. Nevertheless, due to the extreme rarity of tornadoes in the greater Phoenix area, this was a noteworthy event." +118791,713600,ARIZONA,2017,August,Flash Flood,"PINAL",2017-08-26 17:45:00,MST-7,2017-08-26 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.3422,-111.5497,33.4659,-111.5401,"Thunderstorms developed across the eastern portions of the greater Phoenix area during the late afternoon hours on August 26th, and a few of these storms produced locally heavy rains which led to an episode of flash flooding east of Phoenix and in the area around Apache Junction. Rainfall east of Phoenix was not extreme, but at least one weather spotter measured nearly three quarters of an inch within 20 minutes, and due to rapidly responding streams and washes in the area, this was enough to produce flash flooding. At 1820MST flash flooding swept 2 cars down a wash and 2 drivers had to be rescued. This occurred about 4 miles southeast of Apache Junction. A Flash Flood Warning was in effect at the time of the water rescues. Fortunately no injuries were reported.","Thunderstorms with locally heavy rains developed across the eastern portion of the greater Phoenix area during the late afternoon hours on August 26th, and some of the stronger storms affected the community of Apache Junction. The storms produced some intense rainfall; a trained spotter located 2 miles southeast of Apache Junction measured about 0.74 inches of rain within 20 minutes near the intersection of Tomahawk Road and the Superstition Freeway; this suggested a rain rate around 2 inches per hour. Rain of this magnitude was more than enough to cause flash flooding in Apache Junction given the rapid response nature of streams and washes, such as Weekes Wash, in the area. As washes began to rapidly fill and flow they began to pose an extreme hazard to area motorists. At 1820MST local broadcast media reported that 2 drivers needed to be rescued by bystanders from 2 cars that were both swept down a a wash, eventually becoming lodged underneath a foot bridge. The location of the rescue was near the intersection of Southern Avenue and Mountain View Road, about 4 miles southeast of Apache Junction. Fortunately there were no reports of serious injuries to either driver. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1734MST and it was in effect through 2030MST." +118834,713921,MICHIGAN,2017,August,Hail,"KEWEENAW",2017-08-07 16:25:00,EST-5,2017-08-07 16:29:00,0,0,0,0,0.00K,0,0.00K,0,48.12,-88.57,48.12,-88.57,"An upper disturbance moving through a moist and unstable air mass produced isolated severe storms with large hail over portions of Menominee and Keweenaw counties on the evening of the 7th.","A delayed report from the park ranger at Isle Royale National Park reported gusty winds and hail the size of quarters." +118834,713923,MICHIGAN,2017,August,Hail,"MENOMINEE",2017-08-07 16:13:00,CST-6,2017-08-07 16:17:00,0,0,0,0,0.00K,0,0.00K,0,45.59,-87.42,45.59,-87.42,"An upper disturbance moving through a moist and unstable air mass produced isolated severe storms with large hail over portions of Menominee and Keweenaw counties on the evening of the 7th.","A report via social media of nickel sized hail near Gourley." +118834,713926,MICHIGAN,2017,August,Hail,"MENOMINEE",2017-08-07 16:50:00,CST-6,2017-08-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,45.4,-87.38,45.4,-87.38,"An upper disturbance moving through a moist and unstable air mass produced isolated severe storms with large hail over portions of Menominee and Keweenaw counties on the evening of the 7th.","There was a delayed report of significant amounts of dime to nickel sized hail with a few stones up to quarter size. Hail drifts of six inches were observed with some hail on the ground the next morning." +118386,711570,LOUISIANA,2017,August,Flash Flood,"NATCHITOCHES",2017-08-30 17:00:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5778,-92.9977,31.5729,-92.9934,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","LA 493 between Highway 1 near Montrose and LA 484 near Melrose was flooded and closed." +118386,714252,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 19:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1817,-93.2292,32.1816,-93.2284,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","Portions of Doc Martin Road just south of Loftin Road near the Womack community was washed away." +118386,714253,LOUISIANA,2017,August,Flash Flood,"RED RIVER",2017-08-30 19:30:00,CST-6,2017-08-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,32.047,-93.3085,32.0451,-93.3066,"Tropical Storm Harvey emerged back over the Northwest Gulf of Mexico during the morning hours of August 28th, and intensified slightly as drifted northwest just off the Southeast Texas coast, eventually making a 3rd landfall near Cameron, Louisiana during the early morning hours of August 30th. After Harvey made landfall in far Southwest Louisiana during the early morning hours of August 30th, the more concentrated bands of heavy rain were concentrated on the northwest side of the center, which slowly drifted northeast into Central Louisiana during the afternoon and evening hours. Thus, more significant reports of flash flooding were received across Deep East Texas and Westcentral Louisiana, before drier air had begun to wrap around the center, thus reducing rainfall rates as the center moved into Northeast Louisiana during the early morning hours of August 31st. In addition to the widespread flooding, reports of downed trees and power lines were received over portions of Deep East Texas and Northcentral Louisiana, as some of the stronger squalls produced wind gusts to 35-40 mph with locally higher gusts atop already saturated grounds.||Here are the 4 day cumulative rainfall totals across portions of Northcentral Louisiana: In Bienville Parish, Arcadia 4.09 inches. In Bossier Parish, Koran 5.35 inches, Red River Research Station 4.82 inches, 4 S Bossier City 4.59 inches, 1 SSW Bossier City 3.48 inches, 5 E Benton 2.25 inches, 8 NNW Bossier City 2.12 inches. In Caddo Parish, Shreveport Downtown Airport 2.47 inches, Shreveport Southern Hills 4.58 inches, 5 SSE Shreveport 4.99 inches, 6 S Shreveport 4.73 inches, 7 S Shreveport 4.25 inches, 6 S Barksdale Air Force Base 4.24 inches, 2 NNW Keithville 4.40 inches, Keithville 4.02 inches, Shreveport Regional Airport 3.51 inches, 4 NNW Keithville 3.31 inches, 4 SSE Shreveport 3.03 inches, 2 SW Bossier City 2.25 inches, 5 WNW Bossier City 2.02 inches. In Claiborne Parish, Homer 4.40 inches, Homer 3 SSW 3.45 inches. In DeSoto Parish, Mansfield CE Rust Airport 3.38 inches. In Grant Parish, 12 W Georgetown 6.31 inches, 3 WSW Pollock 5.50 inches, 9 E Atlanta 3.89 inches, 4 W Dry Prong 2.50 inches. In Lincoln Parish, 6 NNW Ruston 4.02 inches, 5 ENE Ruston 2.93 inches, 2 NW Choudrant 2.63 inches. In Natchitoches Parish, 10 N Kurthwood 13.01 inches, 2 N Goldonna 12.74 inches, 1 N Goldonna 11.75 inches, 1 NE Natchitoches 10.04 inches, 5 ENE Campti 9.88 inches, Natchitoches #2 8.34 inches, Midpoint 5.52 inches. In Ouachita Parish, Monroe 1.9 NNW 3.18 inches, Monroe Regional Airport 2.69 inches, 2 SW Swartz 2.34 inches, 1 SSW Swartz 2.23 inches, Monroe 3.2 SSE 2.12 inches. In Red River Parish, 1 NE Coushatta 11.93 inches, Edgefield 10.49 inches, Red River Lock and Dam #4 10.12 inches. In Sabine Parish, Bayou Toro near Toro 18.56 inches, 10 SE Pleasant Hill 15.05 inches, Peason Ridge 14.16 inches, 2 ESE Noble 13.10 inches, 6 W Robeline 12.03 inches, 1 ESE Noble 10.26 inches. In Union Parish, 7 E Marion 4.21 inches, 9 N Sterlington 4.03 inches, Little Corney Bayou near Lillie 3.36 inches. In Webster Parish, Minden 4.18 inches, 3 NNW Minden 3.36 inches, 2 NE Minden 3.35 inches. In Winn Parish, 4 S Calvin 9.37 inches, 8 SW Calvin 8.39 inches, 9 E Atlanta 3.45 inches.","High water across Highway 155 just northeast of Coushatta." +118965,714631,VIRGINIA,2017,August,Flash Flood,"PRINCE WILLIAM",2017-08-11 19:40:00,EST-5,2017-08-11 20:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8187,-77.5299,38.817,-77.5292,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Swift water rescue reported due to vehicle trapped in floodwaters near Lee Highway (US 29) and Sudley Road (VA 234)." +118991,714734,MISSOURI,2017,August,Heat,"BOLLINGER",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714736,MISSOURI,2017,August,Heat,"BUTLER",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714737,MISSOURI,2017,August,Heat,"CAPE GIRARDEAU",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +117446,714436,NEBRASKA,2017,August,Hail,"HALL",2017-08-05 03:46:00,CST-6,2017-08-05 03:46:00,0,0,0,0,0.00K,0,0.00K,0,40.9168,-98.4071,40.9168,-98.4071,"Although thunderstorms were fairly numerous within much of South Central Nebraska on this early Saturday morning, only one rogue storm reached verified severe-criteria as nickel to quarter size hail was reported on the west side of Grand Island shortly before 5 a.m. CDT. ||This was a classic case of elevated, nocturnal convection flaring up within a focused corridor of warm air/moisture advection along the nose of a modestly-strong (40 knot) southerly low-level jet evident at 850 millibars. Convection first initiated over the local area mainly between 2:30-3:30 a.m. CDT and gradually increased in coverage while pushing eastward, eventually exiting the majority of South Central Nebraska by 7 a.m. CDT. Based on radar signatures, several storms within the area likely contained at least small hail, and it is somewhat surprising that a few more did not become severe given that the environment featured around 1000 J/kg most-unstable CAPE and at least 30-40 knots of deep layer wind shear. In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, along the southwestern fringes of a large-scale trough centered over the Upper Great Lakes.","" +117446,714437,NEBRASKA,2017,August,Hail,"HALL",2017-08-05 03:50:00,CST-6,2017-08-05 03:50:00,0,0,0,0,0.00K,0,0.00K,0,40.9405,-98.3771,40.9405,-98.3771,"Although thunderstorms were fairly numerous within much of South Central Nebraska on this early Saturday morning, only one rogue storm reached verified severe-criteria as nickel to quarter size hail was reported on the west side of Grand Island shortly before 5 a.m. CDT. ||This was a classic case of elevated, nocturnal convection flaring up within a focused corridor of warm air/moisture advection along the nose of a modestly-strong (40 knot) southerly low-level jet evident at 850 millibars. Convection first initiated over the local area mainly between 2:30-3:30 a.m. CDT and gradually increased in coverage while pushing eastward, eventually exiting the majority of South Central Nebraska by 7 a.m. CDT. Based on radar signatures, several storms within the area likely contained at least small hail, and it is somewhat surprising that a few more did not become severe given that the environment featured around 1000 J/kg most-unstable CAPE and at least 30-40 knots of deep layer wind shear. In the mid-upper levels, South Central Nebraska resided under northwesterly flow aloft, along the southwestern fringes of a large-scale trough centered over the Upper Great Lakes.","" +119293,716335,TEXAS,2017,August,Thunderstorm Wind,"CARSON",2017-08-05 18:35:00,CST-6,2017-08-05 18:35:00,0,0,0,0,,NaN,,NaN,35.57,-101.17,35.57,-101.17,"A complex of storms first developed across eastern NM/SE Colorado and moved SE into the Panhandles region. An embedded disturbance in the mean zonal 700-500 hPa flow helped to trigger convection. As the main convection moved into the western TX Panhandle, a residual boundary draped across the western TX Panhandle helped to develop a line of cellular convection. With SBCAPE and MUCAPE around 2,000 J/kg and forecast vertical profiles showed an inverted-v sounding indicated good mid layer dry air to mix down strong winds aloft along with steep mid level lapse rates. This resulted in several severe wind reports along with 2 documented microbursts in the TX Panhandle.","Carson county sheriff called to report damage from the thunderstorms that had moved over the area. Fences blow over and debris had been tossed around." +119407,716641,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-13 17:25:00,CST-6,2017-08-13 17:25:00,0,0,0,0,,NaN,,NaN,36.03,-102.55,36.03,-102.55,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Extensive damage to hangars and airplanes were flipped over." +119407,716642,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-13 17:25:00,CST-6,2017-08-13 17:25:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-102.55,36.03,-102.55,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119407,716643,TEXAS,2017,August,Thunderstorm Wind,"HARTLEY",2017-08-13 17:48:00,CST-6,2017-08-13 17:48:00,0,0,0,0,,NaN,,NaN,35.89,-102.4,35.89,-102.4,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Wind damage at a gas station in the town of Hartley." +119366,716884,MARYLAND,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-04 15:43:00,EST-5,2017-08-04 15:43:00,0,0,0,0,,NaN,,NaN,39.65,-78.929,39.65,-78.929,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A large tree was down near the intersection of Old Legislative Road Southwest and Plains Moab Road." +119555,717400,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-17 19:35:00,CST-6,2017-08-17 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-101.48,36.7,-101.48,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","Estimated wind gust of 65 MPH by Emergency Manager." +119555,717401,OKLAHOMA,2017,August,Thunderstorm Wind,"CIMARRON",2017-08-18 00:15:00,CST-6,2017-08-18 00:15:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-102.5,36.69,-102.5,"A total of 2 rounds of severe weather moved through the northern TX and OK panhandles on the evening of the 17th through the early morning hours on the 18th. The first round of severe weather was out ahead of a shortwave trough moving SE out of northern Colorado. Out ahead of the trough, strong upper level omega values provided good lift in the atmosphere. in-conjunction, a low level ridge east of the Panhandles allowed SE winds to advect sufficient low level moisture ahead of the shortwave trough. This produced SBCAPE of around 4000 J/kg, MUCAPE of around 2500 J/Kg and effective shear of 35-50 kts. This was an environment for supercell to develop and maintain themselves, especially on the onset of the precipitation. The first round of supercells moves east across the Panhandles producing gusty winds and large hail. The second round of storms started early in the morning of the 18th as a second line segment moved south into western OK panhandle. This was associated with the trough axis moving over the OK Panhandle providing very good divergence aloft. However, the time of day limited CAPE, but enough shear and divergence aloft developed a second line of storms with damaging wind reports.","" +119687,717869,CALIFORNIA,2017,August,Heat,"E CENTRAL S.J. VALLEY",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +119687,717870,CALIFORNIA,2017,August,Heat,"SW S.J. VALLEY",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +119687,717871,CALIFORNIA,2017,August,Heat,"SE S.J. VALLEY",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +119856,718524,MISSOURI,2017,August,Flash Flood,"CLAY",2017-08-05 20:08:00,CST-6,2017-08-05 23:08:00,0,0,0,0,0.00K,0,0.00K,0,39.2246,-94.5913,39.1921,-94.5978,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Numerous roads in the Gladstone area were impassible due to flash flooding." +119856,718526,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-05 20:42:00,CST-6,2017-08-05 23:42:00,0,0,0,0,0.00K,0,0.00K,0,39.1694,-94.6045,39.1741,-94.6119,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Portions of NW Platte Drive and NW Gateway Ave between NW Woodland Road and NW Valley Lane were closed due to runoff from the bluff area and mud over the roadway." +119856,718528,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 20:49:00,CST-6,2017-08-05 23:49:00,0,0,0,0,0.00K,0,0.00K,0,38.7132,-93.9753,38.7123,-93.9295,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was over the road on HWY 58, about a mile and a half east of Holden." +122235,731771,SOUTH DAKOTA,2017,December,Winter Weather,"MOODY",2017-12-29 06:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.4 inches at Flandreau, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122235,731772,SOUTH DAKOTA,2017,December,Winter Weather,"MCCOOK",2017-12-29 07:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 2 to 4 inches during the morning and early afternoon, including 3.0 inches at Bridgewater, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +117721,718207,SOUTH DAKOTA,2017,August,Heavy Rain,"PENNINGTON",2017-08-14 16:30:00,MST-7,2017-08-14 17:30:00,0,0,0,0,,NaN,0.00K,0,44.1067,-103.2146,44.1067,-103.2146,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","One to two inches of rain in the Rapid City area caused minor street flooding in north Rapid City and the Rushmore Mall." +117721,707883,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"PENNINGTON",2017-08-14 17:20:00,MST-7,2017-08-14 17:20:00,0,0,0,0,,NaN,0.00K,0,44.062,-103.17,44.062,-103.17,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","The spotter reported wind gusts at least 60 mph." +118151,712396,SOUTH DAKOTA,2017,August,Hail,"MELLETTE",2017-08-26 17:44:00,CST-6,2017-08-26 17:44:00,0,0,0,0,,NaN,0.00K,0,43.5568,-101.2,43.5568,-101.2,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","" +122235,731773,SOUTH DAKOTA,2017,December,Winter Weather,"MINNEHAHA",2017-12-29 07:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 2 to 4 inches during the morning and early afternoon, including 3.1 inches at NWS Sioux Falls, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +119961,718976,SOUTH DAKOTA,2017,August,Drought,"LYMAN",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718977,SOUTH DAKOTA,2017,August,Drought,"MCPHERSON",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117954,709355,MISSOURI,2017,August,Flash Flood,"ST. CLAIR",2017-08-22 09:24:00,CST-6,2017-08-22 11:24:00,0,0,0,0,2.00K,2000,0.00K,0,38.0104,-93.6749,38.0122,-93.6743,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","Several roads were flooded across St. Clair County. The Collins Fire Department reported several gravel roads were damaged or washed out." +117954,709356,MISSOURI,2017,August,Flood,"HICKORY",2017-08-22 07:30:00,CST-6,2017-08-22 09:30:00,0,0,0,0,0.00K,0,0.00K,0,38.02,-93.15,38.0192,-93.1492,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","MODOT reported Route P was closed due to flooding of Starks Creek." +117954,709357,MISSOURI,2017,August,Flood,"HICKORY",2017-08-22 08:05:00,CST-6,2017-08-22 10:05:00,0,0,0,0,0.00K,0,0.00K,0,37.937,-93.2181,37.9367,-93.2191,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","MODOT reported Route D near Preston closed due to flooding." +117954,709358,MISSOURI,2017,August,Flash Flood,"VERNON",2017-08-18 16:29:00,CST-6,2017-08-18 18:29:00,0,0,0,0,0.00K,0,0.00K,0,37.8975,-94.503,37.9003,-94.5026,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","Water flowed over the roadway on Highway O just east of Highway H." +117954,709359,MISSOURI,2017,August,Flash Flood,"VERNON",2017-08-18 16:29:00,CST-6,2017-08-18 18:29:00,0,0,0,0,0.00K,0,0.00K,0,37.8997,-94.5271,37.9002,-94.5259,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","Water flowed over the roadway at 600 Road and Katy Track Road." +117954,709360,MISSOURI,2017,August,Flash Flood,"VERNON",2017-08-18 16:29:00,CST-6,2017-08-18 18:29:00,0,0,0,0,0.00K,0,0.00K,0,37.9,-94.6,37.8997,-94.5981,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","Water flowed over the roadway at 200 Road and Katy Track Road." +117954,709361,MISSOURI,2017,August,Hail,"CAMDEN",2017-08-18 20:35:00,CST-6,2017-08-18 20:35:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-92.74,38.01,-92.74,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","" +120004,719124,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:06:00,EST-5,2017-08-04 16:06:00,0,0,0,0,,NaN,,NaN,43.33,-73.7,43.33,-73.7,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree fell on a house." +120004,719125,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:07:00,EST-5,2017-08-04 16:07:00,0,0,0,0,,NaN,,NaN,43.31,-73.7,43.31,-73.7,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was downed." +119768,718268,ARIZONA,2017,August,Flash Flood,"PIMA",2017-08-01 18:30:00,MST-7,2017-08-01 20:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2564,-110.6546,32.2539,-110.6591,"Scattered thunderstorms moved slowly southwest across southeast Arizona with one causing flash flooding that trapped several people at Tanque Verde Falls.","Three people were trapped at Tanque Verde Falls and unable to cross the wash to exit the area due to a rapid increase in water levels." +119771,718272,ARIZONA,2017,August,Flash Flood,"PIMA",2017-08-02 15:05:00,MST-7,2017-08-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.378,-111.2187,32.4072,-111.2222,"Numerous thunderstorms moved northeast across southeast Arizona. A cluster of storms produced heavy rain and flash flooding that closed several roads across northwest portions of the Tucson Metro area.","Heavy rain caused water several feet deep across several roadways in rural Marana including Twin Peaks Road between Sandario and Sanders Roads, Avra Valley Road at the Brawley Wash and portions of Clayton Road." +119773,719567,ARIZONA,2017,August,Flash Flood,"PIMA",2017-08-03 17:10:00,MST-7,2017-08-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3847,-111.3396,32.4265,-111.3327,"Scattered thunderstorms moved northeast across southeast Arizona. One storm produced damaging winds in Tucson and another caused flash flooding.","Portions of Anway Road were closed due to flash flooding in Avra Valley." +119773,718277,ARIZONA,2017,August,Thunderstorm Wind,"PIMA",2017-08-03 16:57:00,MST-7,2017-08-03 17:10:00,0,0,0,0,7.00K,7000,0.00K,0,32.2567,-110.9802,32.2574,-110.984,"Scattered thunderstorms moved northeast across southeast Arizona. One storm produced damaging winds in Tucson and another caused flash flooding.","Tree were uprooted on 14th Ave between Glenn Street and Kelso Street. Also, a large tree fell on house on Glenn Street between Fairview Ave and 15th Ave." +119778,718398,ARIZONA,2017,August,Flash Flood,"SANTA CRUZ",2017-08-10 15:00:00,MST-7,2017-08-10 15:40:00,0,0,0,0,1.00K,1000,0.00K,0,31.3516,-110.9266,31.3715,-110.9304,"Scattered thunderstorms moved northwest across southeast Arizona. The most notable produced a large swath of tree damage across the east side of Tucson.","An excavator became buried in about four feet of mud after the Nogales Wash flooded. Was buried up to the operator's cabin and had to be pulled out via tow truck. Additionally, a stream gauge in the Nogales Wash recorded a level of 10.4 feet at 3pm, which is almost 2.5 feet above flood level." +119778,719586,ARIZONA,2017,August,Thunderstorm Wind,"PIMA",2017-08-10 17:10:00,MST-7,2017-08-10 17:10:00,0,0,0,0,0.50K,500,0.00K,0,32.3157,-110.9698,32.3157,-110.9698,"Scattered thunderstorms moved northwest across southeast Arizona. The most notable produced a large swath of tree damage across the east side of Tucson.","Power lines were downed by thunderstorm winds between First Ave. and Oracle Rd." +119754,718221,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ARMSTRONG",2017-08-04 14:20:00,EST-5,2017-08-04 14:20:00,0,0,0,0,5.00K,5000,0.00K,0,40.77,-79.57,40.77,-79.57,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees and wires down in Manor and Buffalo Townships." +119754,718223,PENNSYLVANIA,2017,August,Thunderstorm Wind,"VENANGO",2017-08-04 14:30:00,EST-5,2017-08-04 14:30:00,0,0,0,0,2.50K,2500,0.00K,0,41.35,-79.72,41.35,-79.72,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported multiple trees are down in Cranberry Twp." +119754,718224,PENNSYLVANIA,2017,August,Thunderstorm Wind,"VENANGO",2017-08-04 14:30:00,EST-5,2017-08-04 14:30:00,0,0,0,0,2.50K,2500,0.00K,0,41.4603,-79.5592,41.4603,-79.5592,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported multiple trees are down on President Rd." +119754,718228,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLARION",2017-08-04 14:50:00,EST-5,2017-08-04 14:50:00,0,0,0,0,2.50K,2500,0.00K,0,41.23,-79.41,41.23,-79.41,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down on wires in Paint Township." +119754,718229,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 15:07:00,EST-5,2017-08-04 15:07:00,0,0,0,0,5.00K,5000,0.00K,0,41.16,-79.08,41.16,-79.08,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down in the town of Brookville." +119754,718230,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 15:07:00,EST-5,2017-08-04 15:07:00,0,0,0,0,5.00K,5000,0.00K,0,41.1741,-79.1111,41.1741,-79.1111,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","NWS employee reported trees and power poles down." +119754,718237,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-04 17:05:00,EST-5,2017-08-04 17:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.86,-80.28,40.86,-80.28,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported numerous trees and wires down." +119754,718238,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-04 17:30:00,EST-5,2017-08-04 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.908,-80.159,40.908,-80.159,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported multiple trees and poles down on Bauder Mill Rd." +120154,719962,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 15:47:00,EST-5,2017-08-22 15:47:00,0,0,0,0,5.00K,5000,0.00K,0,40.26,-79.57,40.26,-79.57,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down around Hempfield Twp." +120154,719963,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 15:50:00,EST-5,2017-08-22 15:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.38,-79.5,40.38,-79.5,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down in Salem Twp." +120154,719964,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 15:53:00,EST-5,2017-08-22 15:53:00,0,0,0,0,1.00K,1000,0.00K,0,40.03,-79.66,40.03,-79.66,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719965,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 16:00:00,EST-5,2017-08-22 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.02,-79.59,40.02,-79.59,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Trees down." +120154,719966,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-22 16:13:00,EST-5,2017-08-22 16:13:00,0,0,0,0,5.00K,5000,0.00K,0,40.24,-79.24,40.24,-79.24,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down along Route 30." +120154,719967,PENNSYLVANIA,2017,August,Tornado,"GREENE",2017-08-22 15:23:00,EST-5,2017-08-22 15:25:00,0,0,0,0,50.00K,50000,0.00K,0,39.758,-80.2871,39.753,-80.269,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","EF1 tornado confirmed. A tornado touched down on the border of Gilmore and Wayne Townships along Holy Hill Rd. Tree damage was observed with several softwood trees snapped at the trunk. The tornado moved east-southeast and took nearly the entire roof off of a house. It also tore the entire deck off, which was attached with metal straps. A piece of the deck became a projectile and was driven into the windshield of a car. The winds moved a 35 pound battery about 20 yards. The tornado continued down a valley and eventually lifted near Oak Forest Rd. In the valley, numerous hardwood trees were snapped at the trunk, and some of them were uprooted." +119232,716000,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"AIKEN",2017-08-31 14:59:00,EST-5,2017-08-31 15:00:00,0,0,0,0,,NaN,,NaN,33.42,-81.69,33.42,-81.69,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","SCHP reported a tree down in New Ellenton at the intersection of Virginia Ave and Coffee St." +119232,716001,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"KERSHAW",2017-08-31 15:46:00,EST-5,2017-08-31 15:50:00,0,0,0,0,,NaN,,NaN,34.33,-80.59,34.33,-80.59,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Sheriff dispatch reported a tree down along Lockhart Rd near Butternut Ln." +119232,716002,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"KERSHAW",2017-08-31 15:52:00,EST-5,2017-08-31 15:55:00,0,0,0,0,,NaN,,NaN,34.35,-80.57,34.35,-80.57,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Sheriff dispatch reported trees down in the vicinity of Sanders Creek Rd and Lockhart Rd." +119232,716004,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"KERSHAW",2017-08-31 15:54:00,EST-5,2017-08-31 15:57:00,0,0,0,0,,NaN,,NaN,34.42,-80.53,34.42,-80.53,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Sheriff dispatch reported trees down in the vicinity of Old Georgetown Rd and Lockhart Rd." +119232,716005,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"KERSHAW",2017-08-31 15:55:00,EST-5,2017-08-31 15:59:00,0,0,0,0,,NaN,,NaN,34.37,-80.51,34.37,-80.51,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Sheriff dispatch reported trees down near the intersection of Lake Elliott Rd and Old Georgetown Rd." +119847,718500,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-08-25 05:28:00,EST-5,2017-08-25 05:28:00,0,0,0,0,,NaN,,NaN,25.92,-81.73,25.92,-81.73,"A slow moving tropical disturbance meandering around the state lead to several rounds of strong storms. Several of these storms produced a strong wind gust they moved into the Gulf coast.","A thunderstorm produced a wind gust of 42 knots (47 mph) was recorded by the WeatherBug mesonet site MRCSC located at the Charter Club of Marco Beach at 628 AM EDT." +119849,718506,FLORIDA,2017,August,Flood,"COLLIER",2017-08-25 07:00:00,EST-5,2017-08-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,26.17,-81.8,26.2,-81.8,"A slow moving tropical disturbance first moved west across South Florida, then northeast across Central and North Florida as a frontal boundary dropped into the state. This system would develop into Potential Tropical Cyclone 10 as it moved up the east coast, leaving a trailing trough that would bring additional heavy rainfall through Aug 29th. Significant flooding was reported over three days across Collier County, especially across the Naples area. Additional minor street flooding occurred a day later in Miami-Dade County. Significant street flooding then occurred across southern Broward County on Aug 28th with another round of heavy rainfall.","A persistent band of heavy rain that moved into the Gulf coast during the early morning hours lead to reports of flooding across the city of Naples, with multiple roadways and intersections closed and standing water across the city. Flood waters entered a guest home along Trail Terrace, along with stranding vehicles along 10th Street south of 5th Avenue." +119849,718508,FLORIDA,2017,August,Flood,"COLLIER",2017-08-26 11:30:00,EST-5,2017-08-26 13:30:00,0,0,0,0,0.00K,0,0.00K,0,26.2414,-81.7361,26.214,-81.721,"A slow moving tropical disturbance first moved west across South Florida, then northeast across Central and North Florida as a frontal boundary dropped into the state. This system would develop into Potential Tropical Cyclone 10 as it moved up the east coast, leaving a trailing trough that would bring additional heavy rainfall through Aug 29th. Significant flooding was reported over three days across Collier County, especially across the Naples area. Additional minor street flooding occurred a day later in Miami-Dade County. Significant street flooding then occurred across southern Broward County on Aug 28th with another round of heavy rainfall.","Additional rainfall of 2 to 3 inches fell across Collier County during the early morning hours of August 26th. This lead to additional flooding along Logan Boulevard as well as Vanderbilt Beach. Several sections of these roadways were impassable due to flooding." +118476,711896,CALIFORNIA,2017,August,Wildfire,"CENTRAL SACRAMENTO VALLEY",2017-08-29 12:16:00,PST-8,2017-08-31 23:59:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and dry conditions increased wildfire danger in late August, with the Ponderosa Wildfire starting on August 29th and continuing into September.","The Ponderosa Fire burned 4,016 acres and destroyed 54 structures, 32 homes & 22 outbuildings. There were 2 injuries. The fire cause was an illegal campfire that got out of control." +119751,718158,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 03:45:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-86.72,34.8572,-86.717,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The intersection of Harvest Road and Highway 53 is impassable due to flowing water." +119751,718160,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 04:00:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-86.73,34.8793,-86.745,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","McKee Road just south of Toney Road is impassable due to flowing water." +120221,720308,CALIFORNIA,2017,August,Hail,"LASSEN",2017-08-06 15:00:00,PST-8,2017-08-06 15:30:00,0,0,0,0,,NaN,,NaN,40.41,-120.65,40.41,-120.65,"Showers and thunderstorms developed on the afternoon of August 6th as an upper-level area of low pressure moved into northern California and brought increased instability into northeastern California.","Reports of hail between 1500���1530PST in downtown Susanville with the largest hail up to golf ball size occurring closer to 1530PST. Leaves removed from many trees and garden plants damaged." +119963,719461,NEVADA,2017,August,Flash Flood,"WASHOE",2017-08-06 15:15:00,PST-8,2017-08-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9462,-119.6832,39.9556,-119.5984,"Showers and thunderstorms developed each afternoon August 6th���9th as an upper-level area of low pressure slowly moved into the Great Basin. Some of these thunderstorms produced strong wind gusts and flash flooding.","A nearly stationary thunderstorm west-southwest of Pyramid Lake produced 1.25 inches of rain in less than an hour. The USGS stream gauge on Hardscrabble Creek registered a 5-foot rise in its level in about 40 minutes from 1515���1555PST. Nevada Department of Transporation reported debris and rocks on Nevada Highway 445 just south of Sutcliffe, Nevada, with all lanes blocked. No damage estimates were available." +119963,720440,NEVADA,2017,August,Thunderstorm Wind,"CHURCHILL",2017-08-08 22:30:00,PST-8,2017-08-08 22:35:00,0,0,0,0,,NaN,,NaN,39.75,-118.78,39.75,-118.78,"Showers and thunderstorms developed each afternoon August 6th���9th as an upper-level area of low pressure slowly moved into the Great Basin. Some of these thunderstorms produced strong wind gusts and flash flooding.","A pulse thunderstorm produced a 53-knot peak gust at the Hot Springs Mountain HADS site." +120241,720434,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-04 12:02:00,MST-7,2017-08-04 14:02:00,0,0,0,0,0.00K,0,0.00K,0,34.4,-112.23,34.2967,-112.052,"An upper air disturbance moving eastward across northern Arizona and southern Utah|allowed showers and thunderstorms to continue over night across central |Arizona. Some storms reformed over the same area leading to flooding issues across Yavapai County.","Heavy rain over the Goodwin Fire scar caused a flash flood in Big Bug Creek The river gauge at State Route 69 reported a peak of 5.1 feet...an estimated four foot rise." +120241,720435,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-04 16:11:00,MST-7,2017-08-04 18:11:00,0,0,0,0,0.00K,0,0.00K,0,34.828,-111.8058,34.79,-111.7997,"An upper air disturbance moving eastward across northern Arizona and southern Utah|allowed showers and thunderstorms to continue over night across central |Arizona. Some storms reformed over the same area leading to flooding issues across Yavapai County.","The Sedona Fire Department could not respond to an emergency call due to water flowing over Verde Valley School Road. At least two feet of water was flowing over the road." +120241,720454,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-04 19:00:00,MST-7,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.644,-111.7645,34.6445,-111.7711,"An upper air disturbance moving eastward across northern Arizona and southern Utah|allowed showers and thunderstorms to continue over night across central |Arizona. Some storms reformed over the same area leading to flooding issues across Yavapai County.","Beaver Creek Road was impassible due to flash flooding at School Hose Wash." +119956,718945,ILLINOIS,2017,August,Tornado,"STEPHENSON",2017-08-16 18:28:00,CST-6,2017-08-16 18:38:00,0,0,0,0,0.00K,0,0.00K,0,42.3222,-89.7119,42.3666,-89.6911,"Scattered showers with some embedded thunderstorms moved northeastward across northwest Illinois during the evening of August 16 where a warm front was draped across the region. Thunderstorms moving across the warm front produced a brief EF-0 tornado in Jo Daviess County and an EF-1 and EF-0 tornadoes in Stephenson County.","An EF-0 tornado developed at the same time a tornado just to the south and damaged trees on its north/northeast path. The peak winds were estimated to be around 80 MPH. The tornado was on the ground for about 3.3 miles and was 20 yards wide." +119962,718947,ILLINOIS,2017,August,Hail,"HENDERSON",2017-08-18 18:22:00,CST-6,2017-08-18 18:22:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-90.82,40.76,-90.82,"Showers and thunderstorms developed in the vicinity of low pressure over southeastern Iowa. A few of these thunderstorms became severe and produced hail up to the size of quarters and gusty thunderstorm winds in Hancock, Henderson and Warren Counties.","" +119962,718949,ILLINOIS,2017,August,Thunderstorm Wind,"HANCOCK",2017-08-18 17:48:00,CST-6,2017-08-18 17:48:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-91.38,40.28,-91.38,"Showers and thunderstorms developed in the vicinity of low pressure over southeastern Iowa. A few of these thunderstorms became severe and produced hail up to the size of quarters and gusty thunderstorm winds in Hancock, Henderson and Warren Counties.","The fire department reported that trees and power lines were down. The time of the event was estimated using radar." +119965,718954,ILLINOIS,2017,August,Thunderstorm Wind,"MCDONOUGH",2017-08-03 17:19:00,CST-6,2017-08-03 17:19:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-90.5,40.55,-90.5,"A storm system pushed a cold front from eastern Iowa into northwest Illinois during the afternoon and evening hours of August 3rd. Scattered showers and thunderstorms develop ahead of this cold front with the thunderstorms producing isolated damaging wind gusts in Warren and McDonough Counties.","Law enforcement reported a tree down in Bushnell." +119965,718955,ILLINOIS,2017,August,Thunderstorm Wind,"WARREN",2017-08-03 16:09:00,CST-6,2017-08-03 16:09:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-90.57,41.05,-90.57,"A storm system pushed a cold front from eastern Iowa into northwest Illinois during the afternoon and evening hours of August 3rd. Scattered showers and thunderstorms develop ahead of this cold front with the thunderstorms producing isolated damaging wind gusts in Warren and McDonough Counties.","A trained spotter also reported pea size hail with the estimated wind gust." +119966,718957,IOWA,2017,August,Hail,"DES MOINES",2017-08-18 18:00:00,CST-6,2017-08-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-91.15,40.75,-91.15,"Showers and thunderstorms developed in the vicinity of low pressure over southeastern Iowa. A few of these thunderstorms produced hail up to the size quarters in Lee and Des Moines Counties.","A trained spotter reported a mixture of dime to quarter size hail." +119968,718960,IOWA,2017,August,Hail,"LINN",2017-08-27 18:00:00,CST-6,2017-08-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-91.56,42.05,-91.56,"Scattered showers and thunderstorms developed ahead of a slow moving cold front in southeastern Iowa during the afternoon on August 27, 2017. An isolated thunderstorm produced pea to nickel size hail in Linn County. There were also isolated reports of heavy rain in Dubuque County where 1.24 inches was measured at the Dubuque Airport.","A trained spotter reported a mix of pea to nickel size hail at their location." +120274,720665,ARIZONA,2017,August,Hail,"NAVAJO",2017-08-14 16:53:00,MST-7,2017-08-14 16:53:00,0,0,0,0,0.00K,0,0.00K,0,34.08,-109.89,34.1176,-109.8523,"Enough moisture remained over eastern Arizona to produce strong thunderstorms.","A thunderstorm produced quarter sized (1 inch in diameter) hail with very heavy rain. Some stones were larger." +120275,720666,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-23 23:55:00,MST-7,2017-08-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,34.7598,-111.985,34.7203,-112.04,"A weak weather disturbance will brought isolated thunderstorms to northern Arizona.","Cottonwood Police Department reported flooding in homes in several areas in Cottonwood." +120276,720667,ARIZONA,2017,August,Thunderstorm Wind,"YAVAPAI",2017-08-27 18:21:00,MST-7,2017-08-27 18:21:00,0,0,0,0,1.00K,1000,0.00K,0,34.72,-111.97,34.72,-111.97,"High pressure across the Great Basin brought enough moisture back over Arizona for widely scattered showers and thunderstorms.","Wind gusts to around 50 MPH broke small tree branches (less than 2 inches in diameter). The winds also produced blowing dust that reduced the visibility." +120190,720186,VIRGINIA,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-04 17:18:00,EST-5,2017-08-04 17:18:00,0,0,0,0,7.50K,7500,,NaN,37.27,-80.45,37.27,-80.45,"A cold front approached the area with showers and some storms in advance of it. One of these storms reached severe levels producing damaging winds three miles northwest of Blacksburg, VA, in Montgomery County.","Straight-line thunderstorm winds snapped and uprooted twelve to fifteen healthy trees along Laurel Drive, specifically near the intersection with East Ridge Road and West Ridge Road. Damage values are estimated." +120192,720192,NORTH CAROLINA,2017,August,Thunderstorm Wind,"WILKES",2017-08-17 18:45:00,EST-5,2017-08-17 18:45:00,0,0,0,0,0.50K,500,,NaN,36.1365,-81.1769,36.1365,-81.1769,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Thunderstorm winds blew a tree down on School Street. Damage values are estimated." +120192,720193,NORTH CAROLINA,2017,August,Thunderstorm Wind,"WILKES",2017-08-17 18:53:00,EST-5,2017-08-17 18:53:00,0,0,0,0,0.00K,0,,NaN,36.1316,-81.1641,36.1316,-81.1641,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Thunderstorm winds blew a tree limb down onto a power line on Gilreath Stree." +120192,720194,NORTH CAROLINA,2017,August,Thunderstorm Wind,"WILKES",2017-08-17 18:53:00,EST-5,2017-08-17 18:53:00,0,0,0,0,0.50K,500,,NaN,36.1582,-81.1604,36.1582,-81.1604,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Thunderstorm winds blew a tree down on Boone Trail Road near Route 421. Damage values are estimated." +120316,720928,GULF OF MEXICO,2017,August,Marine High Wind,"WATERS FROM BAFFIN BAY TO PT MANSFIELD TX EXT FROM 20 TO 60NM",2017-08-25 07:50:00,CST-6,2017-08-25 16:50:00,0,0,0,0,,NaN,0.00K,0,26.968,-96.694,26.968,-96.694,"Hurricane Harvey moved from 90 nautical miles (nm) east of the mouth of the Rio Grande during the pre-dawn hours of August 25th to 71 nm east of the Cameron/Willacy County line by 7 AM, and finally, approximately 51 nm east of the Baffin Bay area (along the Kenedy/Kleberg County line) by mid afternoon on its way to landfall north of Port Aransas and near the Rockport area by 10 PM. Sustained tropical storm force winds were recorded at several platforms, mainly along and north of Port Mansfield, TX from late morning through afternoon. Hurricane force gusts reached the waters at least 37 nm east of the Kenedy County coast, as the rapidly intensifying hurricane attained Category 3 status in a 20 to 25 nm radius around the eye. Two buoys were knocked offline and may have sustained damage from the hurricane force gusts.||Though no known damage was reported, observations platforms within Laguna Madre north of Port Mansfield (GMZ135) carried sustained tropical storm force winds. Rincon del San Jose, near the land cut in central Kenedy County, reported sustained winds of 34 knots at 12:36 PM CST, and Baffin Bay (along the Kenedy/Nueces Border) reported a prolonged period of tropical storm sustained winds from 12:36 through 9:30 PM, peaking at 44 knots at 4:30 PM.","NOAA Buoy 42020 (LLNR 1330, Corpus Christi, TX 60 NM SSE) recorded moderate tropical storm force winds with at least one gust to hurricane force (64 knots). The strong winds unmoored the buoy, which remained adrift into the autumn and eventually stopped recording completely in mid October. The extent of the damage was unknown as of this writing. A Texas A&M experimental research buoy, located very near or within the core eyewall, went offline prior to the arrival of the strongest winds whose value could only be estimated to be sustained hurricane force. Damage to this buoy (56 nm east of the northeast Kenedy County coast) was unknown as of this writing." +118732,713264,LOUISIANA,2017,August,Flash Flood,"LAFOURCHE",2017-08-29 07:00:00,CST-6,2017-08-29 09:00:00,0,0,0,0,0.00K,0,0.00K,0,29.6788,-90.5315,29.666,-90.5734,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","A few homes were reported to have water inside in the Lockport area. Multiple roads were reported to have water covering them in northern and central Lafourche Parish." +119643,717740,OKLAHOMA,2017,August,Thunderstorm Wind,"MAYES",2017-08-03 17:30:00,CST-6,2017-08-03 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,36.41,-95.08,36.41,-95.08,"Thunderstorms developed over northeastern Oklahoma during the evening of the 3rd as a cold front moved into the area. These storms continued to affect the region into the early morning hours of the 4th. The strongest storms produced damaging wind gusts and hail.","Strong thunderstorm wind blew down trees and damaged a barn." +119643,720943,OKLAHOMA,2017,August,Hail,"WASHINGTON",2017-08-04 04:30:00,CST-6,2017-08-04 04:30:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-95.9801,36.75,-95.9801,"Thunderstorms developed over northeastern Oklahoma during the evening of the 3rd as a cold front moved into the area. These storms continued to affect the region into the early morning hours of the 4th. The strongest storms produced damaging wind gusts and hail.","" +117997,709331,KENTUCKY,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-22 16:59:00,EST-5,2017-08-22 16:59:00,0,0,0,0,,NaN,0.00K,0,37.99,-84.53,37.99,-84.53,"A strong cold front clashed with existing warm and humid air across central Kentucky during the afternoon of August 22. A few of the storms produced damaging winds across the Bluegrass region around Lexington.","Trees down in the area." +120329,721021,INDIANA,2017,August,Hail,"CLARK",2017-08-02 01:00:00,EST-5,2017-08-02 01:05:00,0,0,0,0,,NaN,0.00K,0,38.5402,-85.6569,38.5402,-85.6569,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was very unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","" +120329,721022,INDIANA,2017,August,Hail,"SCOTT",2017-08-01 15:55:00,EST-5,2017-08-01 16:00:00,0,0,0,0,,NaN,0.00K,0,38.68,-85.7515,38.68,-85.7515,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was very unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","" +120329,721023,INDIANA,2017,August,Hail,"CLARK",2017-08-01 19:43:00,EST-5,2017-08-01 19:48:00,0,0,0,0,,NaN,0.00K,0,38.5795,-85.7538,38.5795,-85.7538,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was very unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","Dime-sized hail covered the ground." +120334,721041,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-08-18 22:50:00,EST-5,2017-08-18 22:50:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Isolated showers and thunderstorms along a southward moving outflow boundary, enhanced in part favorably by a tropical upper tropospheric trough, produced an isolated gale-force wind gust at Smith Shoal, northwest of Key West.","A wind gust of 34 knot was measured at an automated WeatherFlow station at Smith Shoal Light." +120339,721051,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-08-27 14:20:00,EST-5,2017-08-27 14:20:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Isolated gale-force wind gusts were observed northwest of Key West as scattered thunderstorms developed along a convergence zone between a narrow ridge of high pressure over the Florida Straits and a surface trough of low pressure over central Florida.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +120339,721052,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-08-28 00:10:00,EST-5,2017-08-28 00:10:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Isolated gale-force wind gusts were observed northwest of Key West as scattered thunderstorms developed along a convergence zone between a narrow ridge of high pressure over the Florida Straits and a surface trough of low pressure over central Florida.","A wind gust of 35 knots was measured at Pulaski Shoal Light." +119731,718091,WASHINGTON,2017,August,Wildfire,"SOUTHWEST INTERIOR",2017-08-22 14:00:00,PST-8,2017-08-22 22:00:00,0,0,0,0,4.00M,4000000,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started and thanks to westerly winds of 10 to 15 mph, erupted quickly in the Scatter Creek area on the afternoon of the 22nd. The fire started on the west side of Interstate-5 and jumped the freeway to the east side burning six structures including four homes and two businesses. 1000 utility customers lost power and a number of power poles were lost. One of the structures lost was the 1860 Miller-Brewer homestead and barn. 100 families evacuated their homes. The two businesses lost personal and commercial vehicles and equipment.","A wildfire started and thanks to westerly winds of 10 to 15 mph, erupted quickly in the Scatter Creek area on the afternoon of the 22nd. The fire started on the west side of Interstate-5 and jumped the freeway to the east side burning six structures including four homes and two businesses. 1000 utility customers lost power and a number of power poles were lost. One of the structures lost was the 1860 Miller-Brewer homestead and barn. 100 families evacuated their homes. The two businesses lost personal and commercial vehicles and equipment. The fire burned about 384 acres." +120217,720298,NEW YORK,2017,August,Thunderstorm Wind,"ORANGE",2017-08-02 13:48:00,EST-5,2017-08-02 13:48:00,0,0,0,0,5.00K,5000,,NaN,41.53,-74.07,41.53,-74.07,"A passing upper level disturbance triggered multiple severe storms, impacting Orange and Westchester counties.","Multiple trees were reported down throughout Gardnertown." +120217,720300,NEW YORK,2017,August,Thunderstorm Wind,"ORANGE",2017-08-02 14:41:00,EST-5,2017-08-02 14:41:00,0,0,0,0,1.50K,1500,,NaN,41.5232,-74.2405,41.5275,-74.237,"A passing upper level disturbance triggered multiple severe storms, impacting Orange and Westchester counties.","A tree was reported down on westbound New York State Route 17K near Union Street in Montgomery." +118429,720584,NEBRASKA,2017,August,Heavy Rain,"MERRICK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1334,-97.9927,41.1334,-97.9927,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.03 inches was recorded 1 mile north-northeast of Central City." +118429,720585,NEBRASKA,2017,August,Heavy Rain,"MERRICK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.249,-98.25,41.249,-98.25,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.98 inches was recorded 2 miles north of Palmer." +118429,720587,NEBRASKA,2017,August,Heavy Rain,"NANCE",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4099,-97.7522,41.4099,-97.7522,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.20 inches was recorded 3 miles south-southwest of Genoa." +118429,720588,NEBRASKA,2017,August,Heavy Rain,"NANCE",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4334,-97.7835,41.4334,-97.7835,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.07 inches was recorded 3 miles west-southwest of Genoa." +118429,720589,NEBRASKA,2017,August,Heavy Rain,"NANCE",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4943,-97.8728,41.4943,-97.8728,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.10 inches was recorded 8 miles west-northwest of Genoa." +118429,720591,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0923,-97.5113,41.0923,-97.5113,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.28 inches was recorded 5 miles east-southeast of Stromsburg." +118429,720592,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-97.5808,41.12,-97.5808,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.37 inches was recorded 1 mile east of Stromsburg." +118429,720593,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-97.55,41.18,-97.55,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 6.95 inches was recorded in Osceola." +118429,720594,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-97.6846,41.18,-97.6846,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.35 inches was recorded 7 miles west of Osceola." +118429,720595,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2022,-97.6211,41.2022,-97.6211,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.48 inches was recorded 4 miles west-northwest of Osceola." +118429,720596,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2307,-97.3892,41.2307,-97.3892,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.80 inches was recorded 3 miles northeast of Shelby." +118429,720597,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2409,-97.4844,41.2409,-97.4844,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 8.37 inches was recorded 4 miles northwest of Shelby. This is the highest known precipitation total in the NWS Hastings County Warning Area for this event." +118429,720598,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3882,-97.43,41.3882,-97.43,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.40 inches was recorded 13 miles north of Shelby." +122284,732147,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN HERKIMER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732148,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN FULTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732149,NEW YORK,2017,December,Cold/Wind Chill,"MONTGOMERY",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732150,NEW YORK,2017,December,Cold/Wind Chill,"SCHOHARIE",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732151,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN GREENE",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732152,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN GREENE",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +121373,726515,LOUISIANA,2017,December,Drought,"BOSSIER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +117296,709474,PENNSYLVANIA,2017,August,Thunderstorm Wind,"HUNTINGDON",2017-08-04 15:43:00,EST-5,2017-08-04 15:43:00,0,0,0,0,8.00K,8000,0.00K,0,40.6507,-77.8486,40.6507,-77.8486,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees and wires along Route 26 in northern Huntindgon County." +121373,726516,LOUISIANA,2017,December,Drought,"CLAIBORNE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +121373,726517,LOUISIANA,2017,December,Drought,"BIENVILLE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +117448,711527,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-11 19:50:00,EST-5,2017-08-11 19:50:00,0,0,0,0,4.00K,4000,0.00K,0,40.4451,-77.3171,40.4451,-77.3171,"Widely scattered convection developed in a warm and relatively humid airmass well ahead of a cold front over the Midwest. The strongest of these storms produced wind damage in Perry County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Ickesburg." +118434,711672,NEBRASKA,2017,August,Hail,"CHERRY",2017-08-12 17:40:00,CST-6,2017-08-12 17:40:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-100.55,42.31,-100.55,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118772,716757,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 20:04:00,EST-5,2017-09-10 20:05:00,0,0,0,0,,NaN,0.00K,0,28.2302,-80.5997,28.2402,-80.6163,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Based on a NWS storm survey, a waterspout moved onshore from the Atlantic and caused tornado damage as it continued across the barrier island, affecting Patrick Air Force Base. The EF-1 tornado (estimated 85 to 95 mph) removed the roof from a small building east of Highway A1A, then produced minor to moderate damage to several storage buildings, mainly in the form of partial loss of roof coverings and broken glass in some east and north facing windows. Several, large steel CONEX storage containers within the tornado path were rolled 100+ feet downwind (northwest). Damage also occurred to antennas mounted on free standing towers and to some small trees and shrubs. The tornado then weakened as it approached the Banana River. DOD23, DI2, EXP-UB; DOD25, DI1, EXP." +118772,719512,FLORIDA,2017,September,Flash Flood,"INDIAN RIVER",2017-09-10 20:00:00,EST-5,2017-09-10 21:15:00,0,0,0,0,50.00K,50000,0.00K,0,27.7793,-80.6184,27.758,-80.6082,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Excessive rainfall from Hurricane Irma produced flash flooding in Fellsmere. Indian River County Sheriffs and Fellsmere Police rescued 12 people from flood waters and transported them in a high-water vehicle to the nearby Fellsmere Elementary School evacuation shelter, which was also surrounded by high water and impassible." +118772,720073,FLORIDA,2017,September,Storm Surge/Tide,"BREVARD",2017-09-10 19:00:00,EST-5,2017-09-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","As Hurricane Irma moved northward over west-central Florida, the Brevard County beaches experienced moderate to major erosion and wave run-up due to an estimated 2-4 foot storm surge. Similar water level rises occurred within the Indian River Lagoon, which combined with wave action to produce areas of moderate to major damage to docks and boathouses, primarily along the western shores of the rivers." +118772,720094,FLORIDA,2017,September,Storm Surge/Tide,"VOLUSIA",2017-09-10 20:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","As Hurricane Irma moved northward over west-central Florida, the Volusia County beaches experienced moderate to major erosion and wave run-up due to an estimated 3-4 foot storm surge. Similar water level rises occurred within the Indian River Lagoon, which combined with wave action to produce areas of moderate to major damage to docks and boathouses, primarily along the western shores of the rivers." +118772,720120,FLORIDA,2017,September,Flood,"LAKE",2017-09-10 21:00:00,EST-5,2017-09-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,28.927,-82.0038,28.9658,-81.6487,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Rainbands associated with Hurricane Irma produced rainfall totals between 8 and 12 inches, resulting in areas of urban and poor drainage flooding. Numerous roadways were impacted by significant levels of standing water and many retention ponds reached capacity or overflowed." +120243,720622,CALIFORNIA,2017,September,Hail,"TULARE",2017-09-11 15:30:00,PST-8,2017-09-11 15:30:00,0,0,0,0,0.00K,0,0.00K,0,36.128,-118.6295,36.128,-118.6295,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","A Weather Service forecaster providing onsite support at the Pier Fire reported penny sized hail at Pierpoint Springs." +120243,720626,CALIFORNIA,2017,September,Lightning,"KINGS",2017-09-11 19:00:00,PST-8,2017-09-11 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.35,-119.64,36.35,-119.64,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","A report of lightning striking a house near Hanford High School was reported on social media." +120243,720628,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:42:00,PST-8,2017-09-11 16:42:00,0,0,0,0,100.00K,100000,0.00K,0,36.25,-119.65,36.25,-119.65,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Media report of a dairy farm south of Hanford having several barns with extensive roof damage from thunderstorm winds." +118772,713795,FLORIDA,2017,September,Tornado,"LAKE",2017-09-10 17:28:00,EST-5,2017-09-10 17:30:00,0,0,0,0,,NaN,0.00K,0,28.9394,-81.6238,28.9352,-81.6871,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","A NWS storm survey revealed an EF-1 tornado with estimated wind speeds between 95 and 100 mph developed near East 8th Avenue in Umatilla, uprooting and snapping several trees in an open field. The tornado moved toward a residential neighborhood between East 8th Avenue and East Collins Street and peeled back the roofs from several homes and uprooted numerous trees. Damage continued into North Lake Community Park where a scoreboard was toppled and three power poles were snapped. The tornado moved across Lake Pearl and into the Olde Mill RV resort where it destroyed approximately ten recreational vehicles and damaged at least 25 others. The tornado continued west toward downtown Umatilla and damaged the roofs of the Umatilla Inn, an elementary school, and a home on Babb Road. DI24, DOD4, LB-EXP; DI28, DOD4, LB-EXP; DI3, DOD7, LB." +120462,721722,TENNESSEE,2017,September,Hail,"COFFEE",2017-09-21 14:25:00,CST-6,2017-09-21 14:25:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-86.08,35.48,-86.08,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on September 21. One storm became severe in Coffee County and produced large hail and strong winds.","Numerous reports of hail up to quarter size and strong winds were received from in and around Manchester." +120461,721716,TENNESSEE,2017,September,Hail,"DAVIDSON",2017-09-19 14:14:00,CST-6,2017-09-19 14:14:00,0,0,0,0,0.00K,0,0.00K,0,36.1099,-86.8093,36.1099,-86.8093,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","Nickel size hail reported at the Green Hills Library." +120461,721717,TENNESSEE,2017,September,Thunderstorm Wind,"DAVIDSON",2017-09-19 14:20:00,CST-6,2017-09-19 14:20:00,0,0,0,0,1.00K,1000,0.00K,0,36.0653,-86.7593,36.0653,-86.7593,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","A two foot diameter tree was blown down in the Crieve Hall area of Nashville." +120461,721718,TENNESSEE,2017,September,Thunderstorm Wind,"DAVIDSON",2017-09-19 14:20:00,CST-6,2017-09-19 14:20:00,0,0,0,0,25.00K,25000,0.00K,0,36.0653,-86.7593,36.0653,-86.7593,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","Davidson County Emergency Management reported 70-80 trees were blown down in the Crieve Hall and Oak Hill areas of Nashville, with some trees snapped and others uprooted." +120461,721719,TENNESSEE,2017,September,Thunderstorm Wind,"WILLIAMSON",2017-09-19 14:25:00,CST-6,2017-09-19 14:25:00,0,0,0,0,3.00K,3000,0.00K,0,36.0362,-86.8106,36.0362,-86.8106,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","Several 2-3 foot diameter trees were blown down at the intersection of Maryland Way and Continental Place in Brentwood." +121506,727331,NORTH CAROLINA,2017,December,Winter Storm,"RUTHERFORD MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727332,NORTH CAROLINA,2017,December,Winter Storm,"POLK MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121507,727333,SOUTH CAROLINA,2017,December,Winter Storm,"GREENVILLE MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread Upstate South Carolina, snow developed across the mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across areas above 2000 ft or so, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. Meanwhile, accumulations along the Highway 11 corridor were generally in the 4-6 inch range. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +120359,721078,NEVADA,2017,September,Heat,"LAS VEGAS VALLEY",2017-09-02 00:00:00,PST-8,2017-09-06 23:59:00,0,0,1,3,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Four people in the Las Vegas Valley died of heat related causes.","Four people died of heat related causes." +119178,715728,ARIZONA,2017,September,Thunderstorm Wind,"MOHAVE",2017-09-02 18:10:00,MST-7,2017-09-02 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.2578,-113.9331,35.2578,-113.9331,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert.","" +119178,715731,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-02 19:10:00,MST-7,2017-09-02 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.6947,-114.1776,35.6982,-114.176,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert.","A vehicle was stuck in flooding on Pierce Ferry Road at Archibald Wash." +119178,715733,ARIZONA,2017,September,Thunderstorm Wind,"MOHAVE",2017-09-05 18:15:00,MST-7,2017-09-05 20:33:00,0,0,0,0,15.00K,15000,0.00K,0,35.1957,-114.0559,35.7671,-114.275,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert.","The peak gust was measured in Chloride. A power pole was blown down in Kingman, knocking out power to about 12,000 customers. Dense blowing dust and shingle damage were reported 11 miles NNW of Dolan Springs. Severe outflow winds eventually spread as far as Bullhead City and Tweeds Point." +119179,715738,CALIFORNIA,2017,September,Thunderstorm Wind,"INYO",2017-09-03 14:23:00,PST-8,2017-09-03 14:23:00,0,0,0,0,0.00K,0,0.00K,0,37.3711,-118.3581,37.3711,-118.3581,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert and Owens Valley.","" +118527,712108,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-12 00:30:00,CST-6,2017-07-12 00:30:00,0,0,0,0,,NaN,,NaN,46.4076,-94.3573,46.4076,-94.3573,"During the early morning of July 12th, a thunderstorm passed through portions of Crow Wing County producing strong wind speeds and associated wind damage. On a nearby lake, boats that were tied to a pier were blown into the pier breaking it. A tree was also snapped with smaller limbs broken off.","Several boats that were tied to a pier were blown into the pier breaking it. One tree was also snapped." +120423,722237,NEBRASKA,2017,September,Thunderstorm Wind,"DOUGLAS",2017-09-24 13:54:00,CST-6,2017-09-24 13:54:00,0,0,0,0,,NaN,,NaN,41.33,-96.35,41.33,-96.35,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","There was shingle damage to a home in the Valley Shores subdivision in Valley. In addition, outdoor furniture was blown around as well. The event was isolated as there was no damage to other homes in the same housing subdivision." +120423,722238,NEBRASKA,2017,September,Thunderstorm Wind,"PLATTE",2017-09-24 14:40:00,CST-6,2017-09-24 14:40:00,0,0,0,0,,NaN,,NaN,41.46,-97.28,41.46,-97.28,"A northeast to southwest orientated stationary front over eastern Nebraska was the focus for the development of isolated severe thunderstorms on the afternoon of the 24th. Trees were blown down by damaging wind in the Columbus area. The same storm produced hail up to golfball size which stripped trees and damaged crops. Another isolated storm produced wind damage at Yutan and also near Valley.","A semi trailer, u-haul trailers, and a power pole were blown over by damaging thunderstorm winds." +120581,722334,NEBRASKA,2017,September,Hail,"JEFFERSON",2017-09-16 22:05:00,CST-6,2017-09-16 22:05:00,0,0,0,0,,NaN,,NaN,40.03,-97.34,40.03,-97.34,"Thunderstorms developed along a cold front moving southeast across Nebraska and Iowa on the evening of September 16th. An isolated severe storm developed in northeast Kansas and moved into Jefferson County and produced up to half dollar size hail south of Reynolds that damaged vehicles.","Hail up to half dollar size fell from a storm south of Reynolds. Vehicles were damaged by the large hail." +120582,722335,NEBRASKA,2017,September,Hail,"BOONE",2017-09-15 20:05:00,CST-6,2017-09-15 20:05:00,0,0,0,0,,NaN,,NaN,41.67,-98,41.67,-98,"Thunderstorms developed over central and eastern Nebraska along a northeast to southwest frontal boundary during the evening of the 15th. One thunderstorm in Boone County produced up to nickel size hail south of Albion.","Nickel size hail fell from a thunderstorm south of Albion." +120585,722343,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 05:55:00,CST-6,2017-09-22 05:55:00,0,0,0,0,,NaN,,NaN,46.97,-92.58,46.97,-92.58,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Multiple trees were knocked down onto nearby power lines." +120585,722344,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 05:36:00,CST-6,2017-09-22 05:36:00,0,0,0,0,,NaN,,NaN,46.92,-92.81,46.92,-92.81,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked down onto nearby power lines." +119230,715989,MINNESOTA,2017,September,Tornado,"NORMAN",2017-09-19 18:50:00,CST-6,2017-09-19 18:53:00,0,0,0,0,2.00K,2000,2.00K,2000,47.48,-96.53,47.4998,-96.529,"Late in the afternoon of September 19th, a frontal boundary pushed into the Devils Lake to Jamestown (ND) corridor. Due to fairly extensive cloud cover throughout the day, late afternoon temperatures only ranged in the low 60s over the Devils Lake region, to the lower 70s over southeast North Dakota into west central Minnesota. Even though temperatures remained on the cool side, a strong moisture surge occurred. Cloud cover decreased somewhat over southeast North Dakota during the late afternoon, where thunderstorms flared up south of Jamestown. As this large thunderstorm cell moved into southwest Barnes County (ND), it produced a tornado near Litchville. This cell evolved into a larger storm complex, which moved east-northeast through the evening. This storm complex produced large hail, strong winds, and a second tornado along the Norman/Polk (MN) county border in Minnesota.","This tornado began in Norman County, Minnesota, about three miles north-northeast of Lockhart. It tracked about a mile in Norman County, before it crossed into Polk County, where it continued about another three miles. The tornado ended at 701 PM CST, just past the community of Beltrami, Polk County. Peak winds were estimated at 105 mph." +120698,722955,NEVADA,2017,September,Tornado,"WASHOE",2017-09-13 14:51:00,PST-8,2017-09-13 15:15:00,0,0,0,0,,NaN,,NaN,39.1785,-119.9606,39.202,-119.9572,"Strong Thunderstorms developed over the Eastern Sierra and Northwestern Nevada on the afternoon of September 13th as an upper-level area of low pressure moved over south-central California.","North Lake Tahoe Fire Protection District reported a confirmed tornado/waterspout a mile off the northeastern shore of Lake Tahoe near Sand Harbor, Nevada. The position of the tornado was estimated based on a video and terrain features. Numerous other spotter photos also showed a well-defined spray ring on the water surface of Lake Tahoe. The tornado was determined to be an EF-0 as no damage was reported. This tornado was associated with a supercell thunderstorm." +120590,722550,SOUTH CAROLINA,2017,September,Tropical Storm,"COASTAL JASPER",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Jasper County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma." +120590,722650,SOUTH CAROLINA,2017,September,Tropical Storm,"BEAUFORT",2017-09-11 07:00:00,EST-5,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Beaufort County Emergency Management reported numerous trees and power lines down across the county due to strong winds associated with Hurricane Irma. On Lady's Island, strong winds damaged airport hangars and other airport infrastructure. The Weatherflow site at Pritchards Island near Beaufort measured peak sustained winds of 56 mph and a peak wind gust of 76 mph. The AWOS at the Beaufort County Airport (KARW) measured peak sustained winds of 40 mph and a peak wind gust of 59 mph. The ASOS at the Beaufort Marine Corps Air Station measured peak sustained winds of 30 mph and a peak wind gust of 61 mph." +119261,723165,GEORGIA,2017,September,Heavy Rain,"RICHMOND",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.37,-81.97,33.37,-81.97,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Augusta GA Bush Field Airport measured a total rainfall amount of 4.11 inches." +119261,723166,GEORGIA,2017,September,Heavy Rain,"RICHMOND",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.47,-82.03,33.47,-82.03,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Augusta GA Daniel Field Airport measured a total rainfall amount of 3.92 inches." +119261,723167,GEORGIA,2017,September,High Wind,"RICHMOND",2017-09-11 08:00:00,EST-5,2017-09-11 08:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Tree down near Walton Way and Bransford Rd." +119797,718348,UTAH,2017,September,Flash Flood,"KANE",2017-09-14 17:00:00,MST-7,2017-09-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-112,37.001,-111.9967,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","A flash flood was reported in Buckskin Wash." +119797,718338,UTAH,2017,September,Thunderstorm Wind,"TOOELE",2017-09-14 00:00:00,MST-7,2017-09-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-113.5,40.73,-113.5,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","The I-80 @ mp 29 sensor recorded a peak wind gust of 60 mph." +119797,718349,UTAH,2017,September,Thunderstorm Wind,"KANE",2017-09-14 12:50:00,MST-7,2017-09-14 12:50:00,3,0,0,0,500.00K,500000,0.00K,0,37.06,-111.33,37.06,-111.33,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Thunderstorms moving over the Glen Canyon National Recreation Area produced severe microburst winds in the Padre Canyon, Sand King, Lone Rock, and Gunsight areas of the park. Several boats were overturned, including a 75 foot houseboat carrying 14 people. Aboard the large houseboat in Padre Canyon, the arm of an 80-year-old woman was severed, and a 57-year-old woman suffered head and hip injuries. Another person near Gunsight suffered a dislocated shoulder." +119797,718345,UTAH,2017,September,Flash Flood,"GARFIELD",2017-09-14 16:00:00,MST-7,2017-09-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.72,-111.65,38.1522,-111.5991,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Flash flooding was reported across many tributaries of the Escalante River." +119797,718346,UTAH,2017,September,Flood,"SALT LAKE",2017-09-15 08:00:00,MST-7,2017-09-15 10:00:00,0,0,0,0,15.00K,15000,0.00K,0,40.762,-111.8848,40.7605,-111.8767,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Heavy rain caused flood damage to the Salt Lake City Justice Court and to a nearby Crossfit gym." +120588,722427,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-20 02:42:00,CST-6,2017-09-20 02:42:00,0,0,0,0,0.00K,0,0.00K,0,47.7,-92.01,47.7,-92.01,"A series of severe thunderstorms moved across portions of northeast Minnesota. The storms caused very gusty winds that led to numerous reports of blown down trees blocking roads and bringing down nearby power lines. A few buildings were also damaged by downed trees. Severe hail was also reported. Preliminary damage estimates across Cass County were at $64,000 which included $45,000 damage sustained by Crow Wing Power, city of Lake Shore with $10,000, Loon Lake Township at $5,000 and Fairview Township at $4,000. Minnesota Governor Mark Dayton authorized $351,000 to both Cass and Crow Wing Counties for recovery efforts.","A tree was knocked down blocking the roadway at Highway 21 and Shaver Road." +120585,722340,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 06:13:00,CST-6,2017-09-22 06:13:00,0,0,0,0,,NaN,,NaN,46.84,-92.21,46.84,-92.21,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","The wind speed was recorded by the ASOS station at the Duluth International Airport." +120585,722341,MINNESOTA,2017,September,Thunderstorm Wind,"ST. LOUIS",2017-09-22 06:02:00,CST-6,2017-09-22 06:02:00,0,0,0,0,,NaN,,NaN,46.78,-92.2,46.78,-92.2,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A 9 diameter healthy poplar tree was blown down." +120585,722338,MINNESOTA,2017,September,Thunderstorm Wind,"COOK",2017-09-22 07:47:00,CST-6,2017-09-22 07:47:00,0,0,0,0,,NaN,,NaN,47.71,-90.52,47.71,-90.52,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were blown down along Minnesota Highway 61 by mile marker 100." +120586,722357,WISCONSIN,2017,September,Hail,"DOUGLAS",2017-09-20 02:35:00,CST-6,2017-09-20 02:35:00,0,0,0,0,,NaN,,NaN,46.59,-92.13,46.59,-92.13,"Severe storms that moved across portions of Burnett County and Douglas County produced quarter size hail and strong winds that toppled trees.","" +120586,722358,WISCONSIN,2017,September,Thunderstorm Wind,"BURNETT",2017-09-20 02:40:00,CST-6,2017-09-20 02:40:00,0,0,0,0,,NaN,,NaN,45.88,-92.27,45.88,-92.27,"Severe storms that moved across portions of Burnett County and Douglas County produced quarter size hail and strong winds that toppled trees.","A tree was knocked down and blocked travel on Austin Lake Road in Sand Lake Township." +120586,722359,WISCONSIN,2017,September,Thunderstorm Wind,"BURNETT",2017-09-20 02:40:00,CST-6,2017-09-20 02:40:00,0,0,0,0,,NaN,,NaN,45.93,-92.22,45.93,-92.22,"Severe storms that moved across portions of Burnett County and Douglas County produced quarter size hail and strong winds that toppled trees.","Multiple trees were knocked down and blocked travel on County Road A and Treasure Island Road in Jackson Township." +120761,723297,ALABAMA,2017,September,Tropical Storm,"ELMORE",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120761,723298,ALABAMA,2017,September,Tropical Storm,"ETOWAH",2017-09-11 15:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120761,723299,ALABAMA,2017,September,Tropical Storm,"LEE",2017-09-11 11:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +118148,710003,FLORIDA,2017,August,Heavy Rain,"MARION",2017-08-18 13:54:00,EST-5,2017-08-18 16:54:00,0,0,0,0,0.00K,0,0.00K,0,29.02,-82.08,29.02,-82.08,"Prevailing WSW flow brought an early start to rainfall across NE Florida with heavy rainfall and frequent lightning strikes.","A HAM radio operator measured 2.61 inches of rainfall within 3 hours along SE 137th Lane in Summerfield. There was widespread low area flooding across Belleview." +118148,710006,FLORIDA,2017,August,Lightning,"DUVAL",2017-08-18 11:26:00,EST-5,2017-08-18 11:26:00,0,0,0,0,100.00K,100000,0.00K,0,30.24,-81.52,30.24,-81.52,"Prevailing WSW flow brought an early start to rainfall across NE Florida with heavy rainfall and frequent lightning strikes.","A lightning strike caused an apartment fire along Gate Parkway. Five people were displaced. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +118148,710007,FLORIDA,2017,August,Lightning,"DUVAL",2017-08-18 11:50:00,EST-5,2017-08-18 11:50:00,0,0,0,0,5.00K,5000,0.00K,0,30.21,-81.54,30.21,-81.54,"Prevailing WSW flow brought an early start to rainfall across NE Florida with heavy rainfall and frequent lightning strikes.","A house was struck by lightning along East Autumn Drive. The extent and cost of damage was unknown, but the cost was estimated so the event could be included in Storm Data." +118407,711585,FLORIDA,2017,August,Flood,"PUTNAM",2017-08-20 17:40:00,EST-5,2017-08-20 17:40:00,0,0,0,0,0.00K,0,0.00K,0,29.667,-82.03,29.6669,-82.0339,"A dominant east coast sea breeze fired convection as it drifted inland toward the I-75 corridor. Elevated moisture content supported locally heavy rainfall and wet downburst potential.","The southbound lane of State Road 21 was closed near the Intersection of Baden Powell Road due to flooding." +118407,711586,FLORIDA,2017,August,Thunderstorm Wind,"DUVAL",2017-08-20 14:30:00,EST-5,2017-08-20 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,30.14,-81.6,30.14,-81.6,"A dominant east coast sea breeze fired convection as it drifted inland toward the I-75 corridor. Elevated moisture content supported locally heavy rainfall and wet downburst potential.","Power lines were blown down near Hood Landing Road, south of Julington Creek Road. The time of damage was based on radar imagery. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +118408,711589,GEORGIA,2017,August,Funnel Cloud,"GLYNN",2017-08-21 09:33:00,EST-5,2017-08-21 09:33:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-81.47,31.33,-81.47,"A surface trough was along the local Atlantic coast. As showers moved inland, a funnel cloud developed near I-95 in Glynn County.","A funnel cloud was observed along Interstate 95 near Mile Marker 47, north of Brunswick." +118409,711599,FLORIDA,2017,August,Lightning,"DUVAL",2017-08-24 15:26:00,EST-5,2017-08-24 15:26:00,0,0,0,0,5.00K,5000,0.00K,0,30.3,-81.63,30.3,-81.63,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","A home was struck by lightning on Schumacher Avenue. Smoke was detected but fire was not yet observed. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +118714,713172,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-10 17:50:00,MST-7,2017-08-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,33.9298,-112.7802,33.9782,-112.7877,"Scattered thunderstorms developed across far northern Maricopa County during the late afternoon hours on August 10th and some of the stronger storms affected the area around the town of Wickenburg. The storms brought gusty and damaging winds estimated to be in excess of 60 mph; the winds were sufficient to down a number of 40 foot tall pine trees. In addition, they produced locally heavy rain which resulted in flash flooding and road closures along highway 60 in Wickenburg. Flash flood warnings were issued in response to the flooding. No injuries were reported due to the strong wind or the flooding.","Thunderstorms developed across the far northern portion of Maricopa County during the evening hours on August 10th and some of the stronger storms affected the community of Wickenburg. Intense rainfall occurred in the Wickenburg area with peak rain rates approaching 2 inches per hour, more than sufficient to cause episodes of flash flooding. According to the Arizona Department of Transportation, U.S. Highway 60 westbound was closed at milepost 110 in Wickenburg due to flash flooding. The road closure occurred at approximately 1808MST. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1753MST and remained in effect through 2000MST." +118715,713175,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-10 21:30:00,MST-7,2017-08-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9938,-112.364,33.0571,-112.3627,"Thunderstorms with heavy rain developed over portions of the south central Arizona deserts during the evening hours on August 10th and some of the heavier rains fell across the desert to the southwest of Phoenix, along highway 238 between the towns of Mobile and Gila Bend. Many washes run across highway 238 and locally heavy rains near the highway are often sufficient to result in flooding of those washes; the flowing washes present a hazard to motorists driving on the highway and as such the road must be closed. At about 2200MST The Arizona Department of Transportation reported that highway 238 was indeed closed at 83rd Avenue, about 2 miles east of the town of Mobile. The highway remained closed into the early morning hours the next day.","Thunderstorms with locally heavy rainfall developed to the south and southwest of Phoenix during the evening hours on August 10th; some of the heavier rains fell along highway 238 between the towns of Maricopa and Gila Bend. There are a number of washes that cross highway 238 near the town of Mobile and the heavy rains caused these washes to rapidly fill up and pose a significant hazard to motorists. At about 2210MST, Arizona Department of Transportation reported that highway 238 was closed at 83rd Avenue, about 2 miles to the east of the town of Mobile. Although a Flash Flood Warning was not issued, an Areal Flood Warning was issued instead at 2113MST and this warning continued through about 0100MST the next morning. There were no accidents or injuries reported due to the flooding." +118397,711490,KENTUCKY,2017,September,Flash Flood,"BARREN",2017-09-01 06:52:00,CST-6,2017-09-01 06:52:00,0,0,0,0,10.00K,10000,0.00K,0,36.96,-85.88,36.9653,-85.8758,"Powerful and slow moving Hurricane Harvey made landfall along the Texas Gulf Coast as a Category 4 hurricane. After the storm stalled along the coast, producing extreme and unprecedented amounts of rainfall along the Texas and Louisiana coasts that resulted in catastrophic flooding in the Houston metro area. The system then lifted toward the Tennessee and lower Ohio River Valleys on Friday September 1. Heavy rain spread across central Kentucky with amounts ranging from 4 to 6 inches. There were localized amounts of 7 to 8 inches across Warren, Barren, Allen, Simpson, and Logan counties. Many roads became flooded with high water and there were reports of high water rescues performed.","State officials reported that one water rescue was performed along Burkesville Road near Siloam Road." +122301,732323,IDAHO,2017,December,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-12-19 20:00:00,MST-7,2017-12-20 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Multiple semi truck slide offs reported with heavy snow.","Multiple semi truck slide offs were reported in the Island Park area by 6 pm on the 20th. The White Elephant SNOTEL reported 16 inches of snow." +120692,722912,NEW YORK,2017,September,High Surf,"SOUTHERN NASSAU",2017-09-19 06:00:00,EST-5,2017-09-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical cyclone Jose tracked north and east along the Mid Atlantic coast Tuesday September 19th, eventually passing about 150 to 200 miles southeast of Montauk Point Tuesday night into Wednesday morning. Generally 1 to 2 feet of surge was observed during the Tuesday Night and Wednesday morning high tides, resulting in minor to isolated moderate flooding thresholds being exceeded along the southern bays and Atlantic shore front communities of NYC and Long Island. The elevated water levels combined with incoming energetic swells from Jose, also brought surf of 7 to 13 feet. This caused widespread beachfront flooding, dune erosion, and localized wash overs.","Widespread minor to moderate flooding was experienced along the Atlantic beachfront during high tides Tuesday morning into Wednesday morning, except Jones Beach where major inundation was experienced. Specifically, the entire Jones Beach front from Field 1 through Field 6 was under water and the Central Mall area including the Administration parking field and former Boardwalk Restaurant parking field were also flooded. The flooding was 2-3 feet in depth." +120716,723048,CONNECTICUT,2017,September,Thunderstorm Wind,"FAIRFIELD",2017-09-05 18:34:00,EST-5,2017-09-05 18:34:00,0,0,0,0,7.00K,7000,,NaN,41.48,-73.42,41.48,-73.42,"An approaching cold front triggered an isolated severe thunderstorm in Fairfield County.","Numerous trees and power lines were reported down in Brookfield." +120717,723052,NEW YORK,2017,September,Thunderstorm Wind,"PUTNAM",2017-09-05 15:53:00,EST-5,2017-09-05 15:53:00,0,0,0,0,2.50K,2500,,NaN,41.3881,-73.8912,41.3894,-73.8852,"An approaching cold front triggered isolated severe thunderstorms in Putnam County.","Trees were reported down on Canopus Hill Road, east of Route 9." +119098,715242,TEXAS,2017,September,Lightning,"HARRIS",2017-09-20 13:29:00,CST-6,2017-09-20 13:29:00,0,0,1,0,0.00K,0,0.00K,0,29.554,-95.191,29.554,-95.191,"There was a lightning fatality on a golf course.","A lightning strike killed a golfer while practicing at putting green at the Timber Creek Golf Course." +117453,706374,IOWA,2017,June,Hail,"STORY",2017-06-28 16:09:00,CST-6,2017-06-28 16:09:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-93.53,41.9,-93.53,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Law enforcement reported golf ball sized hail." +120691,722903,NEW YORK,2017,September,Rip Current,"SOUTHEAST SUFFOLK",2017-09-16 13:00:00,EST-5,2017-09-16 14:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Long period swells ahead of Tropical Cyclone Jose began affecting the Atlantic ocean beachfront on Saturday September 16th. The incoming energetic swells resulted in high surf and dangerous rip current development on Saturday. A Rip Current Statement was issued by NWS New York, NY to alert of this threat. Unfortunately, a man drowned at Coopers Beach in Southampton Village on Saturday afternoon in the dangerous conditions.","Timothy Allen Osborne, 46, of Singapore drowned at Coopers Beach in Southampton Village on Saturday.||Police said they responded to a call that two swimmers were in distress at Coopers Beach in Southampton Village at 12:31 p.m. on Saturday. Police said one of the swimmers, an unidentified woman, was able to get back to shore on her own, but Mr. Osborne could not.||A group of people who were at the beach, police said, went into the ocean to save Mr. Osborne, and were able to pull him out. Once on the beach, police began to perform CPR on Mr. Osborne. Mr. Osborne was then taken to Southampton Hospital where he was pronounced dead at 1:21 p.m." +120721,723064,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"MORICHES INLET NY TO MONTAUK POINT NY FROM 20 TO 40 NM",2017-09-06 07:18:00,EST-5,2017-09-06 07:18:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-73.17,40.25,-73.17,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","The buoy 44025 wind system measured a peak gust of 39 knots." +121509,727339,NORTH CAROLINA,2017,December,Winter Storm,"GREATER BURKE",2017-12-08 10:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the northern North Carolina foothills through the morning, becoming all snow by late morning. As moderate to heavy snow continued through the afternoon, heavy accumulations were reported across area by mid-afternoon. Some sleet began mixing in with the snow during the evening along and south of I-40, which may have undercut total accumulations, but totals of 5-8 inches were reported by the time the snow tapered off to flurries and light snow showers around midnight. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121509,727340,NORTH CAROLINA,2017,December,Winter Storm,"EASTERN MCDOWELL",2017-12-08 10:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the northern North Carolina foothills through the morning, becoming all snow by late morning. As moderate to heavy snow continued through the afternoon, heavy accumulations were reported across area by mid-afternoon. Some sleet began mixing in with the snow during the evening along and south of I-40, which may have undercut total accumulations, but totals of 5-8 inches were reported by the time the snow tapered off to flurries and light snow showers around midnight. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121510,727341,NORTH CAROLINA,2017,December,Winter Storm,"IREDELL",2017-12-08 12:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the southern foothills and northwest Piedmont of North Carolina, becoming all snow by early afternoon. As moderate to occasionally heavy snow continued across the area, heavy snowfall accumulations were reported by early evening. By the time the snow tapered off to flurries and light snow showers around midnight, total accumulations ranged from 3 to 5 inches across the area. Rain and sleet mixing in with the snow during the evening likely undercut these totals a bit, especially south of I-40. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +122302,732324,IDAHO,2017,December,Heavy Snow,"SOUTH CENTRAL HIGHLANDS",2017-12-22 18:00:00,MST-7,2017-12-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific system brought heavy snow to the mountains of southeast Idaho.","The Bostetter Ranger Station received 15 inches of snow with 24 inches at Howell Canyon and 10 inches at Oxford Springs." +122302,732325,IDAHO,2017,December,Heavy Snow,"CARIBOU HIGHLANDS",2017-12-22 18:00:00,MST-7,2017-12-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific system brought heavy snow to the mountains of southeast Idaho.","Heavy snow amounts at SNOTEL sites were the following: Pine Creek Pass 17 inches, Sedgick Peak 12 inches, Somsen Ranch 13 inches, Sheep Mountain 14 inches, and Wildhorse Divide 15 inches." +119101,715332,CALIFORNIA,2017,August,Heavy Rain,"MARIPOSA",2017-08-02 13:25:00,PST-8,2017-08-02 15:25:00,0,0,0,0,0.00K,0,0.00K,0,37.85,-119.61,37.85,-119.61,"A moist east-southeast flow prevailed over Central California in early August as persistent strong high pressure was centered over the Great Basin. As a result, a surge of tropical moisture spread into the area between the afternoon of August 2 and the early morning of August 4. Showers and thunderstorms were prevalent over the mountains, Kern County Deserts and south end of the San Joaquin Valley on August 2 and into the Central San Joaquin Valley on the evening of August 3 and into the morning of August 4. Slow moving thunderstorms produced flash flooding in the Tehachapi area during the afternoon of August 3.","The White Wolf RAWS measured 1.02 inches of rainfall from a slow moving thunderstorm." +119664,717802,CALIFORNIA,2017,August,Flash Flood,"MARIPOSA",2017-08-05 15:30:00,PST-8,2017-08-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.817,-119.4828,37.8256,-119.4759,"Although a drier southwest flow became prevalent over Central California on August 5th, there was still enough moisture over the region for thunderstorms to develop over the higher elevations of the Southern Sierra Nevada. One thunderstorm produced flash flooding near Tuolumne Meadows on SR 120.","Yosemite National Park rangers reported that Raisin Creek flooded causing debris on SR 120 (Tioga Pass Road) near Murphy Creek." +119687,717873,CALIFORNIA,2017,August,Heat,"TULARE CTY FOOTHILLS",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 104 and 110 degrees at several locations from August 26 through August 31." +119687,717874,CALIFORNIA,2017,August,Heat,"INDIAN WELLS VLY",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +119687,717875,CALIFORNIA,2017,August,Heat,"SE KERN CTY DESERT",2017-08-26 10:00:00,PST-8,2017-08-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A persistent large upper ridge centered over the Great Basin provided the area with an extended period of much warmer than normal temperatures between August 26 and September 3. High temperatures ranged mainly from 106 to 112 degrees at many locations each day between August 26 and September 3 across the San Joaquin Valley, the southern Sierra foothills and the Kern County Deserts while morning lows ranged from the mid 70's to the lower 80's.","High temperatures were between 106 and 112 degrees at several locations from August 26 through August 31." +118965,714640,VIRGINIA,2017,August,Flash Flood,"PRINCE WILLIAM",2017-08-11 20:00:00,EST-5,2017-08-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8218,-77.6931,38.8219,-77.6909,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Flash flooding near the intersection of Route 55 and Route 723 caused a road closure." +118965,714642,VIRGINIA,2017,August,Flash Flood,"FAUQUIER",2017-08-11 20:02:00,EST-5,2017-08-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8535,-77.7875,38.8523,-77.7851,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Old Tavern Road was flooded and closed one-half mile from The Plains." +118966,714647,MARYLAND,2017,August,Flash Flood,"PRINCE GEORGE'S",2017-08-11 22:01:00,EST-5,2017-08-12 00:30:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-76.98,38.7106,-76.9795,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the evening, into areas south of Washington, DC, causing minor flooding in a portion of Prince George's County, Maryland.","Clarion Road was flooded and closed. Cars were reported stranded in high water in the area." +118967,714650,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-15 10:35:00,EST-5,2017-08-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9433,-77.0823,38.9433,-77.0874,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain produced flash flooding in Northwest DC during the midday hours.","High water due to torrential rain reported in the 4500 block of Van Ness Street NW." +118967,714652,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-15 10:50:00,EST-5,2017-08-15 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9522,-77.0554,38.9494,-77.0526,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain produced flash flooding in Northwest DC during the midday hours.","Broad Branch Road flooded and closed due to flash flooding on Broad Branch near Brandywine Street NW." +118968,715684,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-15 11:00:00,EST-5,2017-08-15 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5718,-76.4632,39.5722,-76.4623,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","The hillside adjacent to Baldwin Mill Road washed out in a landslide, blocking the roadway in the 1800 block." +119377,718043,MARYLAND,2017,August,Thunderstorm Wind,"ST. MARY'S",2017-08-18 17:46:00,EST-5,2017-08-18 17:46:00,0,0,0,0,,NaN,,NaN,38.4421,-76.6806,38.4421,-76.6806,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","A tree was down on power lines near the intersection of New Market Turner Road and Hidden Valley Lane." +119377,718044,MARYLAND,2017,August,Thunderstorm Wind,"CALVERT",2017-08-18 18:08:00,EST-5,2017-08-18 18:08:00,0,0,0,0,,NaN,,NaN,38.4181,-76.5444,38.4181,-76.5444,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","A tree was down on Broomes Island." +119377,718045,MARYLAND,2017,August,Thunderstorm Wind,"ST. MARY'S",2017-08-18 18:44:00,EST-5,2017-08-18 18:44:00,0,0,0,0,,NaN,,NaN,38.3675,-76.7833,38.3675,-76.7833,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","Two trees were down in Chaptico." +119379,718046,VIRGINIA,2017,August,Thunderstorm Wind,"RAPPAHANNOCK",2017-08-19 19:40:00,EST-5,2017-08-19 19:40:00,0,0,0,0,,NaN,,NaN,38.7572,-78.0348,38.7572,-78.0348,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on Crest Hill road at North Poes Road." +119379,718047,VIRGINIA,2017,August,Thunderstorm Wind,"RAPPAHANNOCK",2017-08-19 19:45:00,EST-5,2017-08-19 19:45:00,0,0,0,0,,NaN,,NaN,38.7389,-78.0788,38.7389,-78.0788,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on Ben Venue Road at Williams Orchard." +119379,718048,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-19 19:55:00,EST-5,2017-08-19 19:55:00,0,0,0,0,,NaN,,NaN,38.7172,-77.8701,38.7172,-77.8701,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down Old Waterloo Road at Retreat." +119379,718049,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-19 20:05:00,EST-5,2017-08-19 20:05:00,0,0,0,0,,NaN,,NaN,38.7036,-77.7878,38.7036,-77.7878,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on Taylor Street at Falmouth Street." +119379,718050,VIRGINIA,2017,August,Thunderstorm Wind,"RAPPAHANNOCK",2017-08-19 20:10:00,EST-5,2017-08-19 20:10:00,0,0,0,0,,NaN,,NaN,38.6828,-78.0096,38.6828,-78.0096,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down along Route 211 at Maddox Lane." +119380,718051,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-19 19:20:00,EST-5,2017-08-19 19:20:00,0,0,0,0,,NaN,,NaN,39.5262,-77.5373,39.5262,-77.5373,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on Wolfsville Road at Crow Rock Road." +119380,718052,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-19 19:33:00,EST-5,2017-08-19 19:33:00,0,0,0,0,,NaN,,NaN,39.4627,-77.4635,39.4627,-77.4635,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on Etzler Road at Rocky Spring Road." +119380,718053,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-19 19:40:00,EST-5,2017-08-19 19:40:00,0,0,0,0,,NaN,,NaN,39.4807,-77.3571,39.4807,-77.3571,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down on a house along Georgetown Road near Hampton Place." +120347,721374,GEORGIA,2017,September,Tropical Storm,"LAURENS",2017-09-11 05:00:00,EST-5,2017-09-11 14:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. A wind gust of 54 mph was measured northwest of Dublin. Radar estimated between 1.5 and 3 inches of rain fell across the county with 1.91 inches measured near Dublin. No injuries were reported." +117280,705396,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:45:00,CST-6,2017-06-15 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.69,-92.77,42.69,-92.77,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail. This is a delayed report and time estimated from radar." +117280,705397,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 17:52:00,CST-6,2017-06-15 17:52:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-92.45,42.52,-92.45,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +119611,717578,ARKANSAS,2017,August,Thunderstorm Wind,"YELL",2017-08-18 20:23:00,CST-6,2017-08-18 20:23:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-93.53,35.11,-93.53,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","Trees were down on Highway 27." +119889,718665,MISSOURI,2017,August,Thunderstorm Wind,"JACKSON",2017-08-21 08:31:00,CST-6,2017-08-21 08:34:00,0,0,0,0,0.00K,0,0.00K,0,38.8995,-94.4007,38.8995,-94.4007,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A couple 6 to 8 inch tree limbs fell over Crossing Drive near Lee's Summit." +119889,718666,MISSOURI,2017,August,Thunderstorm Wind,"PETTIS",2017-08-21 17:15:00,CST-6,2017-08-21 17:18:00,0,0,0,0,,NaN,,NaN,38.9,-93.13,38.9,-93.13,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A large tree of unknown size or condition was down. Power lines were also brought down and a roof was torn off of a barn near Nelson." +119889,718667,MISSOURI,2017,August,Thunderstorm Wind,"COOPER",2017-08-21 17:40:00,CST-6,2017-08-21 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-92.85,38.87,-92.85,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A trained spotter reported a 70 mph wind gust." +119889,718669,MISSOURI,2017,August,Heavy Rain,"JACKSON",2017-08-21 18:00:00,CST-6,2017-08-22 06:00:00,0,0,0,0,,NaN,,NaN,39.02,-94.59,39.02,-94.59,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road. Several water rescues were made overnight Monday into Tuesday morning, due to flooding. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","This constitutes the highest rain total from this event. A NWS employee recorded 9.2 inches of rain in their rain gauge in Brookside, a subdivision of Kansas City." +121914,729752,NEW JERSEY,2017,December,Winter Weather,"EASTERN UNION",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","The observer at Newark Airport reported 4.3 inches of snow." +121914,729753,NEW JERSEY,2017,December,Winter Weather,"HUDSON",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","The COOP observer in Harrison measured 5 inches of snow." +121914,731672,NEW JERSEY,2017,December,Winter Weather,"WESTERN BERGEN",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained Spotters and the public reported 4 to 6 inches of snow." +121784,728934,ARKANSAS,2017,December,Hail,"POLK",2017-12-04 20:00:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-94.31,34.61,-94.31,"Widespread appreciable rain was something Arkansas had not experienced for awhile. It was the driest fall (September, October, and November) on record in parts of the state, and drought conditions were worsening. Fortunately, a storm system and cold front from the Plains brought welcome downpours on December 4th.||Ahead of the front, a line of showers and thunderstorms moved through the region during the evening. A large part of the state received a half to an inch and a half of rain. Isolated storms became severe. Quarter size hail was reported a few miles west of Mena (Polk County). Trees were snapped and a well house was destroyed near Lonsdale (Saline County). Trees were downed and roof damage occurred in west Little Rock (Pulaski County).","One inch hail was reported at Quad B Farm west of Mena." +121784,728937,ARKANSAS,2017,December,Thunderstorm Wind,"SALINE",2017-12-04 22:00:00,CST-6,2017-12-04 22:00:00,0,0,0,0,0.50K,500,0.00K,0,34.61,-92.85,34.61,-92.85,"Widespread appreciable rain was something Arkansas had not experienced for awhile. It was the driest fall (September, October, and November) on record in parts of the state, and drought conditions were worsening. Fortunately, a storm system and cold front from the Plains brought welcome downpours on December 4th.||Ahead of the front, a line of showers and thunderstorms moved through the region during the evening. A large part of the state received a half to an inch and a half of rain. Isolated storms became severe. Quarter size hail was reported a few miles west of Mena (Polk County). Trees were snapped and a well house was destroyed near Lonsdale (Saline County). Trees were downed and roof damage occurred in west Little Rock (Pulaski County).","This is a delayed report. Received a report of several trees snapped and a well house blown over near Lonsdale in northern Saline county." +119479,717230,TEXAS,2017,August,Thunderstorm Wind,"JOHNSON",2017-08-06 19:12:00,CST-6,2017-08-06 19:12:00,0,0,0,0,5.00K,5000,0.00K,0,32.45,-97.53,32.45,-97.53,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","Emergency management reported several power poles down in the city of Godley, TX." +119479,717231,TEXAS,2017,August,Thunderstorm Wind,"TARRANT",2017-08-06 17:20:00,CST-6,2017-08-06 17:20:00,0,0,0,0,0.00K,0,0.00K,0,32.9,-97.53,32.9,-97.53,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","Amateur radio reported a 70 MPH wind gust in the city of Azle, TX. Pea sized hail was also reported." +119479,717234,TEXAS,2017,August,Thunderstorm Wind,"PARKER",2017-08-06 17:45:00,CST-6,2017-08-06 17:45:00,0,0,0,0,0.00K,0,0.00K,0,32.7,-97.6,32.7,-97.6,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","Broadcast media reported a wind gust between 60 and 65 MPH near the intersection of Interstate 20 and Farmer Road just north of the city of Aledo, TX." +119764,718253,TEXAS,2017,August,Flood,"KAUFMAN",2017-08-17 06:10:00,CST-6,2017-08-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,32.7406,-96.2818,32.7328,-96.2825,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Kaufman County Emergency Management reported street flooding throughout the city of Terrell, TX with water over the curb in some locations." +119764,718254,TEXAS,2017,August,Flash Flood,"GRAYSON",2017-08-17 04:30:00,CST-6,2017-08-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.5473,-96.8488,33.5409,-96.8473,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Grayson County Sheriff's Department reported high water over FM 902 at Cobler Rd just east of the city of Collinsville, TX." +119764,718259,TEXAS,2017,August,Flash Flood,"GRAYSON",2017-08-17 04:30:00,CST-6,2017-08-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.6407,-96.8441,33.6449,-96.8628,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Grayson County Sheriff's Department reported numerous roadways being closed in and around the city of Whitesboro, TX due to high water. These included FM 901 at Hwy 56 and Hwy 377 at Lynch Crossing." +119764,718260,TEXAS,2017,August,Flash Flood,"DENTON",2017-08-17 06:00:00,CST-6,2017-08-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.2306,-97.0844,33.227,-97.0846,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Emergency management reported a road closure near the intersection of Blagg Rd and N Mayhill Rd due to high water." +120192,720191,NORTH CAROLINA,2017,August,Lightning,"WILKES",2017-08-17 18:43:00,EST-5,2017-08-17 18:43:00,0,0,0,0,0.50K,500,,NaN,36.2404,-81.1945,36.2404,-81.1945,"A warm and humid air mass was in place in advance of an approaching cold front. Showers and some storms developed in this air mass, with one producing damaging winds in Wilkes County, NC. Lightning from this same thunderstorm caused damage as well.","Lightning struck and downed a tree on Windy Ridge Road. Damage values are estimated." +119975,718992,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"JONES",2017-08-06 14:53:00,CST-6,2017-08-06 14:53:00,0,0,0,0,,NaN,,NaN,43.86,-100.72,43.86,-100.72,"An isolated thunderstorm brought severe winds up to over 70 mph south and southeast of Murdo during the late afternoon.","" +119975,718993,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"JONES",2017-08-06 15:00:00,CST-6,2017-08-06 15:00:00,0,0,0,0,,NaN,0.00K,0,43.84,-100.68,43.84,-100.68,"An isolated thunderstorm brought severe winds up to over 70 mph south and southeast of Murdo during the late afternoon.","Sixty-five mph winds were estimated stripping leaves off of trees." +120277,720671,SOUTH DAKOTA,2017,August,Hail,"POTTER",2017-08-25 14:27:00,CST-6,2017-08-25 14:27:00,0,0,0,0,0.00K,0,0.00K,0,44.94,-99.67,44.94,-99.67,"A thunderstorm brought penny hail to Potter county.","" +120093,719564,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-08-08 03:05:00,EST-5,2017-08-08 03:07:00,0,0,0,0,0.00K,0,0.00K,0,33.96,-77.94,33.96,-77.94,"A cold front produced strong offshore storms.","A 44 mph gust was recorded on the Federal Point WeatherFlow sensor." +120093,719565,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-08-08 03:36:00,EST-5,2017-08-08 03:38:00,0,0,0,0,0.00K,0,0.00K,0,34.21,-77.8,34.21,-77.8,"A cold front produced strong offshore storms.","A 39 mph gust was recorded at the Johnny Mercer Pier." +120095,719568,NORTH CAROLINA,2017,August,Flood,"NEW HANOVER",2017-08-08 14:58:00,EST-5,2017-08-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-77.89,34.1378,-77.8921,"A cold front produced heavy rain near the coast.","Over four inches of rain was recorded at the Myrtle Grove Junction." +120095,719569,NORTH CAROLINA,2017,August,Flood,"BRUNSWICK",2017-08-08 14:56:00,EST-5,2017-08-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-78.05,34.2375,-78.0441,"A cold front produced heavy rain near the coast.","Nearly four inches of rain fell in Leland, with minor flooding." +120095,719571,NORTH CAROLINA,2017,August,Flood,"NEW HANOVER",2017-08-08 14:52:00,EST-5,2017-08-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0352,-77.8936,34.0352,-77.892,"A cold front produced heavy rain near the coast.","About three and a half inches fell at Carolina Beach." +120248,720484,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"FLORENCE",2017-08-06 19:15:00,EST-5,2017-08-06 19:16:00,0,0,0,0,3.00K,3000,0.00K,0,33.9993,-79.572,33.9987,-79.5717,"Thunderstorms developed along a pseudo warm front. One of the thunderstorms did briefly produce damaging winds.","Trees were reported down along N Walnut St." +120250,720500,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DILLON",2017-08-23 17:58:00,EST-5,2017-08-23 17:59:00,0,0,0,0,1.00K,1000,0.00K,0,34.4338,-79.3905,34.4338,-79.3905,"Widespread late afternoon thunderstorms developed and blossomed in the humid air mass ahead of a cold front. The environment was not only highly unstable, but high DCAPE values supported wind damage at the surface.","A tree was reported down along Interstate 95." +120324,720960,KANSAS,2017,August,Hail,"FORD",2017-08-10 16:50:00,CST-6,2017-08-10 16:50:00,0,0,0,0,,NaN,,NaN,37.91,-99.71,37.91,-99.71,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720961,KANSAS,2017,August,Hail,"KIOWA",2017-08-10 17:35:00,CST-6,2017-08-10 17:35:00,0,0,0,0,,NaN,,NaN,37.68,-99.45,37.68,-99.45,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720962,KANSAS,2017,August,Hail,"KIOWA",2017-08-10 17:55:00,CST-6,2017-08-10 17:55:00,0,0,0,0,,NaN,,NaN,37.6,-99.41,37.6,-99.41,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720963,KANSAS,2017,August,Hail,"KIOWA",2017-08-10 18:19:00,CST-6,2017-08-10 18:19:00,0,0,0,0,,NaN,,NaN,37.53,-99.3,37.53,-99.3,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120120,720004,LOUISIANA,2017,August,Tornado,"VERMILION",2017-08-29 16:00:00,CST-6,2017-08-29 16:01:00,0,0,0,0,0.00K,0,0.00K,0,29.96,-92.41,29.9602,-92.4102,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","A tornado briefly touched down in a field. No damage occurred." +120120,720005,LOUISIANA,2017,August,Tornado,"LAFAYETTE",2017-08-29 16:34:00,CST-6,2017-08-29 16:35:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-92.18,30.1617,-92.1812,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Pictures were sent in of a tornado that briefly touched down in a field near Ridge." +120120,720006,LOUISIANA,2017,August,Tornado,"ACADIA",2017-08-29 16:09:00,CST-6,2017-08-29 16:15:00,0,0,0,0,200.00K,200000,0.00K,0,30.2276,-92.5776,30.2506,-92.6026,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","A tornado touched down along Riverside Road south of Interstate 10 and south of Bamboo Road where hardwood trees were uprooted. The path continued northeast and crossed the interstate and Evangeline Highway. Along Evangeline Highway a small trailer was flipped. The tornado then crossed Riverside Road again damaging 4 homes, a pick-up truck, motorcycle, fencing, and downing 3 power poles. Of the homes damaged, two had roof damage, a trailer was moved off the blocks, and one was destroyed. The home that was destroyed had the majority of the roof removed and exterior wall failure. The path ended in the field behind the destroyed home. This tornado was also filmed and pictured by several individuals." +117257,705249,INDIANA,2017,August,Hail,"ST. JOSEPH",2017-08-03 13:58:00,EST-5,2017-08-03 14:13:00,0,0,0,0,0.00K,0,0.00K,0,41.72,-86.22,41.72,-86.22,"An unstable, but poorly sheared environment allowed for several rounds of showers and thunderstorms from mid afternoon on the 3rd into the overnight hours of the 4th. Isolated wind damage occurred in a few locations, mainly to older or rotten trees.","The hail lasted for 10 to 15 minutes." +117257,705250,INDIANA,2017,August,Hail,"ALLEN",2017-08-03 19:10:00,EST-5,2017-08-03 19:11:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-85,40.93,-85,"An unstable, but poorly sheared environment allowed for several rounds of showers and thunderstorms from mid afternoon on the 3rd into the overnight hours of the 4th. Isolated wind damage occurred in a few locations, mainly to older or rotten trees.","" +117257,705252,INDIANA,2017,August,Thunderstorm Wind,"HUNTINGTON",2017-08-03 18:29:00,EST-5,2017-08-03 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-85.61,40.8,-85.61,"An unstable, but poorly sheared environment allowed for several rounds of showers and thunderstorms from mid afternoon on the 3rd into the overnight hours of the 4th. Isolated wind damage occurred in a few locations, mainly to older or rotten trees.","Emergency management officials reported a tree was blown down." +120200,720207,KANSAS,2017,August,Hail,"POTTAWATOMIE",2017-08-14 18:37:00,CST-6,2017-08-14 18:38:00,0,0,0,0,,NaN,,NaN,39.27,-96.29,39.27,-96.29,"An isolated thunderstorm produced quarter size hail in Pottawatomie County during the evening hours of August 13th. A complex of thunderstorms produced damaging winds in Cloud County during the early morning hours of August 16th. Additional thunderstorms during the afternoon hours of August 16th produced damaging wind reports across Anderson County.","Wind gusts of 40 to 50 mph were also reported." +118551,713235,MASSACHUSETTS,2017,August,Thunderstorm Wind,"WORCESTER",2017-08-02 16:11:00,EST-5,2017-08-02 16:11:00,0,0,0,0,2.00K,2000,0.00K,0,42.125,-71.5164,42.125,-71.5164,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 411 PM EST, trees were reported down on South Main Street in Milford." +118551,713236,MASSACHUSETTS,2017,August,Thunderstorm Wind,"WORCESTER",2017-08-02 16:12:00,EST-5,2017-08-02 16:12:00,0,0,0,0,2.00K,2000,0.00K,0,42.4769,-72.1963,42.4769,-72.1963,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 412 PM EST, a trained spotter reported two tree down on Route 32A in Petersham." +118551,713237,MASSACHUSETTS,2017,August,Thunderstorm Wind,"WORCESTER",2017-08-02 16:35:00,EST-5,2017-08-02 16:35:00,0,0,0,0,2.50K,2500,0.00K,0,42.1057,-71.5361,42.1057,-71.5361,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 435 PM EST, trees were down on Neck Hill Road and Gaskill Street in Mendon. The roads were impassable." +118551,713260,MASSACHUSETTS,2017,August,Flood,"MIDDLESEX",2017-08-02 14:43:00,EST-5,2017-08-02 17:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.4275,-71.5334,42.4354,-71.4886,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 243 PM EST, an amateur radio operator reported basement flooding on Hudson Road in Stow. At 302 PM EST state route 117 in Stow was flooded, as was an adjacent shopping center lot." +118551,713263,MASSACHUSETTS,2017,August,Flood,"NORFOLK",2017-08-02 15:46:00,EST-5,2017-08-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2387,-70.8316,42.2405,-70.8266,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 346 PM EST, Cushing Highway in Cohassett was flooded with water pouring out of manhole covers." +118551,713268,MASSACHUSETTS,2017,August,Flood,"NORFOLK",2017-08-02 15:50:00,EST-5,2017-08-02 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2185,-71.0271,42.2186,-71.025,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 350 PM EST, Granite Street in Braintree had six to twelve inches of street flooding." +118551,713271,MASSACHUSETTS,2017,August,Flood,"NORFOLK",2017-08-02 16:25:00,EST-5,2017-08-02 19:35:00,0,0,0,0,0.00K,0,0.00K,0,42.1456,-71.4345,42.1573,-71.3945,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 425 PM EST, state route 109 in Medway had six to twelve inches of street flooding." +117361,705762,NEW YORK,2017,August,Lightning,"ST. LAWRENCE",2017-08-04 12:08:00,EST-5,2017-08-04 12:08:00,0,0,0,0,1.00K,1000,0.00K,0,44.67,-74.98,44.67,-74.98,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Lightning started a tree fire in Potsdam." +117361,705777,NEW YORK,2017,August,Lightning,"ST. LAWRENCE",2017-08-04 11:48:00,EST-5,2017-08-04 11:48:00,0,0,0,0,1.00K,1000,0.00K,0,44.6,-75.17,44.6,-75.17,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Lightning started a tree fire in Canton." +117407,706072,MONTANA,2017,August,Thunderstorm Wind,"BIG HORN",2017-08-01 21:48:00,MST-7,2017-08-01 21:48:00,0,0,0,0,0.00K,0,0.00K,0,45.76,-107.61,45.76,-107.61,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","A wind gust estimated at 70 mph resulted in a downed tree." +117407,706082,MONTANA,2017,August,Thunderstorm Wind,"YELLOWSTONE",2017-08-01 21:30:00,MST-7,2017-08-01 21:30:00,0,0,0,0,0.00K,0,0.00K,0,45.79,-108.65,45.79,-108.65,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","A thunderstorm wind gust blew down sections of a yard fence, as well as broke off 3 to 4 inch diameter tree limbs." +117407,706083,MONTANA,2017,August,Hail,"YELLOWSTONE",2017-08-01 21:14:00,MST-7,2017-08-01 21:14:00,0,0,0,0,0.00K,0,0.00K,0,45.8,-108.44,45.8,-108.44,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","" +117407,706084,MONTANA,2017,August,Hail,"MUSSELSHELL",2017-08-01 20:07:00,MST-7,2017-08-01 20:07:00,0,0,0,0,0.00K,0,0.00K,0,46.55,-107.8,46.55,-107.8,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","" +117407,706085,MONTANA,2017,August,Thunderstorm Wind,"CARBON",2017-08-01 19:54:00,MST-7,2017-08-01 19:54:00,0,0,0,0,0.00K,0,0.00K,0,45.36,-109.19,45.36,-109.19,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","Some trees were blown down, size unknown." +122229,731706,IOWA,2017,December,Cold/Wind Chill,"OSCEOLA",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 30 below." +117609,707244,NORTH CAROLINA,2017,August,Flash Flood,"MARTIN",2017-08-14 21:30:00,EST-5,2017-08-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-77.12,35.712,-77.122,"Slow moving thunderstorms produced very heavy rain and flash flooding. Several roads were closed due to deep water covering them. Six or more inches of rain fell in just a couple hours time.","A foot of water covered the intersection of Lee Rd and Sweet Home Rd. Deep ditches were overflowing into the road. They measured 6.5 inches of rain in less than 2 hours at this location. The ditch was the highest they had seen outside of a hurricane." +117609,707246,NORTH CAROLINA,2017,August,Flash Flood,"MARTIN",2017-08-14 21:30:00,EST-5,2017-08-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-76.98,35.7437,-76.9793,"Slow moving thunderstorms produced very heavy rain and flash flooding. Several roads were closed due to deep water covering them. Six or more inches of rain fell in just a couple hours time.","Highway 171 was closed near Holly Springs Church Rd due to high was as of 320 PM on 8/15/17. A foot and a half of water was still on the road as of the following morning, with several feet of water across the road Monday evening." +117609,707247,NORTH CAROLINA,2017,August,Flash Flood,"MARTIN",2017-08-14 21:30:00,EST-5,2017-08-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.8,-76.95,35.7797,-76.9579,"Slow moving thunderstorms produced very heavy rain and flash flooding. Several roads were closed due to deep water covering them. Six or more inches of rain fell in just a couple hours time.","Tar Landing Rd was closed as of 330 PM on 8/15/17 per the NCDOT twitter page." +117624,707366,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 15:20:00,MST-7,2017-08-15 15:20:00,0,0,0,0,,NaN,,NaN,39.13,-103.47,39.13,-103.47,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +122229,731707,IOWA,2017,December,Cold/Wind Chill,"LYON",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 27th at around 30 below." +122229,731709,IOWA,2017,December,Cold/Wind Chill,"O'BRIEN",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +117655,707484,TEXAS,2017,August,Heavy Rain,"HALL",2017-08-13 20:45:00,CST-6,2017-08-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.3925,-100.8912,34.3925,-100.8912,"Two rounds of strong and severe thunderstorms moved southeast across the southern Texas Panhandle this evening. The first round consisted of a discrete supercell thunderstorm that moved from northern Briscoe County to southwest Hall County. Although this storm exhibited strong rotation with a likelihood of very large hail at times, no ground truth of severe weather was obtained. Immediately on the heels of this supercell, a large line of storms spread southward accompanied by a series of destructive microbursts in far southwest Hall County. Multiple homes, buildings and trees in Turkey sustained moderate to substantial damage from straight line winds determined as high as 120 mph. Following the damaging winds, torrential rains measured as great as 3.06 inches in Turkey led to flash flooding and brief closures area streets and roads.","Torrential rain of 3.02 inches was measured by a NWS Cooperative Observer at the Valley Peanut Growers in Turkey." +117886,708462,ARKANSAS,2017,August,Heat,"SEVIER",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-110 degrees across all of Southwest Arkansas.","" +117890,708490,TEXAS,2017,August,Heat,"BOWIE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117890,708491,TEXAS,2017,August,Heat,"PANOLA",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117930,712584,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:45:00,EST-5,2017-08-19 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.6195,-78.2621,40.6195,-78.2621,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees southeast of Tipton." +117930,712585,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLEARFIELD",2017-08-19 16:45:00,EST-5,2017-08-19 16:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.8908,-78.2285,40.8908,-78.2285,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto a vehicle near the corner of Laura Street and Alton Street in Chester Hill." +117930,712586,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:50:00,EST-5,2017-08-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.5399,-78.4127,40.5399,-78.4127,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph snapped and uprooted trees along Juniata Gap Road west of Altoona." +117930,712587,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:50:00,EST-5,2017-08-19 16:50:00,0,0,0,0,15.00K,15000,0.00K,0,40.6726,-78.2375,40.6726,-78.2375,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph damaged roofs on the 1200 block of Pennsylvania Avenue in Tyrone." +117930,712588,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CAMBRIA",2017-08-19 16:50:00,EST-5,2017-08-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.2686,-78.842,40.2686,-78.842,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large circus tent at the Richland Community Day Festival in Richland Township." +117930,712589,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 16:56:00,EST-5,2017-08-19 16:56:00,0,0,0,0,3.00K,3000,0.00K,0,40.3318,-78.4006,40.3318,-78.4006,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph snapped trees near the intersection of Walnut Street and Roosevelt Street in Roaring Spring." +117930,712590,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 17:00:00,EST-5,2017-08-19 17:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.2861,-78.4677,40.2861,-78.4677,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on Pine Hollow Road near Claysburg." +118502,712005,ILLINOIS,2017,August,Hail,"WAYNE",2017-08-19 05:40:00,CST-6,2017-08-19 05:40:00,0,0,0,0,0.00K,0,0.00K,0,38.5,-88.65,38.5,-88.65,"Scattered thunderstorms occurred south of a weak cold front that extended from central Indiana west across central Missouri. The storms were aided by a rather strong 500 mb shortwave trough extending from western Michigan down into the lower Ohio Valley. Although instability was weak during these early morning storms, the strength of the shortwave and its associated wind fields resulted in isolated severe storms with large hail.","" +118502,712008,ILLINOIS,2017,August,Hail,"WHITE",2017-08-19 07:20:00,CST-6,2017-08-19 07:20:00,0,0,0,0,0.00K,0,0.00K,0,38.0655,-88.17,38.0655,-88.17,"Scattered thunderstorms occurred south of a weak cold front that extended from central Indiana west across central Missouri. The storms were aided by a rather strong 500 mb shortwave trough extending from western Michigan down into the lower Ohio Valley. Although instability was weak during these early morning storms, the strength of the shortwave and its associated wind fields resulted in isolated severe storms with large hail.","Dime-size hail covered the ground." +118506,712011,KENTUCKY,2017,August,Hail,"WEBSTER",2017-08-19 08:15:00,CST-6,2017-08-19 08:15:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-87.5,37.48,-87.5,"Scattered thunderstorms occurred south of a weak cold front that extended from central Indiana west across central Missouri. A few storms produced hail up to the size of dimes.","" +118529,712109,MINNESOTA,2017,August,Hail,"ST. LOUIS",2017-08-08 17:43:00,CST-6,2017-08-08 18:00:00,0,0,0,0,,NaN,,NaN,47.5,-92.48,47.5,-92.48,"A strong thunderstorm moved through St. Louis County in northeastern Minnesota producing penny sized hail.","" +118559,712221,CALIFORNIA,2017,August,Hail,"TRINITY",2017-08-06 17:30:00,PST-8,2017-08-06 17:50:00,0,0,0,0,,NaN,,NaN,41.04,-122.7,41.04,-122.7,"A low pressure system brought moisture into Northwest California resulting in multiple days of strong to severe thunderstorms development across the region.","Marble to quarter size hail along with locally heavy rain." +118557,712226,NEBRASKA,2017,August,Thunderstorm Wind,"BOX BUTTE",2017-08-12 13:33:00,MST-7,2017-08-12 13:35:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-103.1875,42.32,-103.1875,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Estimated wind gusts of 55 to 60 mph were observed." +118557,712248,NEBRASKA,2017,August,Hail,"BOX BUTTE",2017-08-12 13:57:00,MST-7,2017-08-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2177,-103.2083,42.2177,-103.2083,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Golf ball size hail was observed southwest of Hemingford." +118557,712250,NEBRASKA,2017,August,Hail,"BOX BUTTE",2017-08-12 14:14:00,MST-7,2017-08-12 14:17:00,0,0,0,0,0.00K,0,0.00K,0,42.2023,-103.008,42.2023,-103.008,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Golf ball size hail was observed northwest of Alliance." +118557,712258,NEBRASKA,2017,August,Hail,"KIMBALL",2017-08-12 14:50:00,MST-7,2017-08-12 14:53:00,0,0,0,0,0.00K,0,0.00K,0,41.1866,-103.89,41.1866,-103.89,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Quarter size hail was observed south of Bushnell." +117296,706144,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-04 19:17:00,EST-5,2017-08-04 19:17:00,0,0,0,0,55.00K,55000,0.00K,0,40.7293,-76.8934,40.7293,-76.8934,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm produced very strong straight-line winds estimated near 90 mph, damaging a garage, a couple of barns, some trees and a cornfield north of Port Treverton in Snyder County." +117296,709466,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CUMBERLAND",2017-08-04 12:30:00,EST-5,2017-08-04 12:30:00,0,0,0,0,6.00K,6000,0.00K,0,40.2329,-77.1089,40.2329,-77.1089,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down several large trees across the 2600 block of Route 11 east of Carlisle. Trees down elsewhere in Cumberland County as well." +117296,709467,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CUMBERLAND",2017-08-04 13:30:00,EST-5,2017-08-04 13:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.2398,-76.9352,40.2398,-76.9352,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large tree across the road near the Route 11/Route 15 split in Camp Hill." +117296,709468,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 13:45:00,EST-5,2017-08-04 13:45:00,0,0,0,0,4.00K,4000,0.00K,0,41.854,-79.3426,41.854,-79.3426,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Mead Run Road near Youngsville." +118991,714738,MISSOURI,2017,August,Heat,"CARTER",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714739,MISSOURI,2017,August,Heat,"MISSISSIPPI",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714740,MISSOURI,2017,August,Heat,"NEW MADRID",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714741,MISSOURI,2017,August,Heat,"PERRY",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714742,MISSOURI,2017,August,Heat,"RIPLEY",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +119293,716336,TEXAS,2017,August,Thunderstorm Wind,"GRAY",2017-08-05 18:50:00,CST-6,2017-08-05 18:50:00,0,0,0,0,,NaN,,NaN,35.61,-101,35.61,-101,"A complex of storms first developed across eastern NM/SE Colorado and moved SE into the Panhandles region. An embedded disturbance in the mean zonal 700-500 hPa flow helped to trigger convection. As the main convection moved into the western TX Panhandle, a residual boundary draped across the western TX Panhandle helped to develop a line of cellular convection. With SBCAPE and MUCAPE around 2,000 J/kg and forecast vertical profiles showed an inverted-v sounding indicated good mid layer dry air to mix down strong winds aloft along with steep mid level lapse rates. This resulted in several severe wind reports along with 2 documented microbursts in the TX Panhandle.","Pampa AWOS showed a 67 mph wind gust. Also received media report that power was out in parts of the city." +119293,716340,TEXAS,2017,August,Thunderstorm Wind,"GRAY",2017-08-05 18:50:00,CST-6,2017-08-05 18:50:00,0,0,0,0,,NaN,,NaN,35.55,-100.96,35.55,-100.96,"A complex of storms first developed across eastern NM/SE Colorado and moved SE into the Panhandles region. An embedded disturbance in the mean zonal 700-500 hPa flow helped to trigger convection. As the main convection moved into the western TX Panhandle, a residual boundary draped across the western TX Panhandle helped to develop a line of cellular convection. With SBCAPE and MUCAPE around 2,000 J/kg and forecast vertical profiles showed an inverted-v sounding indicated good mid layer dry air to mix down strong winds aloft along with steep mid level lapse rates. This resulted in several severe wind reports along with 2 documented microbursts in the TX Panhandle.","Two separate microbursts were observed with thunderstorms in the Skellytown and Pampa areas on Saturday evening. In Skellytown, 21 power poles were snapped with an additional 50 poles snapped in the northwest and northern parts of the city of Pampa. Numerous trees were uprooted or snapped and portions of roof coverings were removed from several homes. A large RV was also overturned. After talking with county EM's and gathering other reports, winds of 90 MPH were estimated to be the cause of the damage." +119296,716346,TEXAS,2017,August,Hail,"OLDHAM",2017-08-10 18:20:00,CST-6,2017-08-10 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-102.26,35.44,-102.26,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported.","" +119407,716645,TEXAS,2017,August,Thunderstorm Wind,"OLDHAM",2017-08-13 17:48:00,CST-6,2017-08-13 17:48:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-102.27,35.53,-102.27,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119407,716646,TEXAS,2017,August,Hail,"MOORE",2017-08-13 17:53:00,CST-6,2017-08-13 17:53:00,0,0,0,0,0.00K,0,0.00K,0,35.86,-101.97,35.86,-101.97,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Hail the size of quarters to half dollars falling with moderate to heavy rain and winds 20 to 40 mph." +119407,716647,TEXAS,2017,August,Hail,"MOORE",2017-08-13 18:10:00,CST-6,2017-08-13 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-101.97,35.92,-101.97,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Picture of 2 inch hail submitted from social media 4 miles north of Dumas." +119565,717435,TEXAS,2017,August,Thunderstorm Wind,"DALLAM",2017-08-27 20:15:00,CST-6,2017-08-27 20:15:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-102.44,36.06,-102.44,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","A few tree limbs 9 to 16 inches in diameter were blown down." +119565,717438,TEXAS,2017,August,Thunderstorm Wind,"MOORE",2017-08-27 20:46:00,CST-6,2017-08-27 20:46:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-102.14,35.75,-102.14,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","" +119565,717439,TEXAS,2017,August,Thunderstorm Wind,"OLDHAM",2017-08-27 21:10:00,CST-6,2017-08-27 21:10:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-102.27,35.53,-102.27,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","" +119753,720862,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 22:00:00,CST-6,2017-08-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5736,-95.2789,29.5753,-95.097,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within League City, Dickinson and Santa Fe. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and around northern and central Galveston County were flooded and therefore closed for long time periods.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +122235,731774,SOUTH DAKOTA,2017,December,Winter Weather,"LINCOLN",2017-12-29 07:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 2 to 4 inches during the morning and early afternoon, including 2.9 inches six miles south of Sioux Falls, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +122238,731776,MINNESOTA,2017,December,Winter Weather,"ROCK",2017-12-29 07:00:00,CST-6,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +119856,718527,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 20:45:00,CST-6,2017-08-05 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.06,-94.55,39.0607,-94.5607,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Several roads were impassible in the 39th and Prospect area, due to high water over the roads." +119856,718529,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 20:50:00,CST-6,2017-08-05 23:50:00,0,0,0,0,0.00K,0,0.00K,0,39.1217,-94.5106,39.1282,-94.5037,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Cars were reported in high water at 4200 Gardner Ave." +119856,718530,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 20:50:00,CST-6,2017-08-05 23:50:00,0,0,0,0,0.00K,0,0.00K,0,38.8546,-94.0267,38.8865,-94.0262,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was over the road on NW 1501st Road between HWY 50 and NW 800th Road." +118151,712397,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"MELLETTE",2017-08-26 17:44:00,CST-6,2017-08-26 17:44:00,0,0,0,0,,NaN,0.00K,0,43.5568,-101.2,43.5568,-101.2,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","Wind gusts were estimated at 70 mph." +115979,697090,SOUTH CAROLINA,2017,May,Hail,"CLARENDON",2017-05-29 20:51:00,EST-5,2017-05-29 20:56:00,0,0,0,0,,NaN,,NaN,33.68,-80.02,33.68,-80.02,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported small dents in a vehicle, caused by hail, along Coleman Rd." +115979,697097,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"EDGEFIELD",2017-05-29 17:18:00,EST-5,2017-05-29 17:23:00,0,0,0,0,,NaN,,NaN,33.83,-82.03,33.83,-82.03,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported tree in roadway SC 283 and Walker Rd." +115979,697099,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 17:40:00,EST-5,2017-05-29 17:45:00,0,0,0,0,,NaN,,NaN,34.05,-81.15,34.05,-81.15,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Tree down on a structure on St. Andrews Rd." +115979,697100,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:03:00,EST-5,2017-05-29 18:08:00,0,0,0,0,,NaN,,NaN,33.89,-81.51,33.89,-81.51,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Trees down on Lee St and Fallaws Lane." +115979,697101,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:08:00,EST-5,2017-05-29 18:13:00,0,0,0,0,,NaN,,NaN,33.89,-81.46,33.89,-81.46,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Numerous trees uprooted and snapped off on Dixired Rd, Buck Smith Rd, and Providence Rd in Leesville. Several trees fell onto homes. Time estimated." +119961,718978,SOUTH DAKOTA,2017,August,Drought,"EDMUNDS",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718979,SOUTH DAKOTA,2017,August,Drought,"FAULK",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117954,709362,MISSOURI,2017,August,Hail,"CAMDEN",2017-08-18 20:44:00,CST-6,2017-08-18 20:44:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-92.74,38.01,-92.74,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","" +117954,709363,MISSOURI,2017,August,Hail,"CAMDEN",2017-08-18 20:44:00,CST-6,2017-08-18 20:44:00,0,0,0,0,0.00K,0,0.00K,0,38.04,-92.7,38.04,-92.7,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A picture of ping pong size hail was on social media near Linn Creek." +117954,709364,MISSOURI,2017,August,Hail,"TEXAS",2017-08-20 11:00:00,CST-6,2017-08-20 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-91.66,37.27,-91.66,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","" +117954,709366,MISSOURI,2017,August,Thunderstorm Wind,"BARRY",2017-08-18 16:34:00,CST-6,2017-08-18 16:34:00,0,0,0,0,0.00K,0,0.00K,0,36.53,-93.94,36.53,-93.94,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A tree was blown over onto State Highway 37." +117954,709367,MISSOURI,2017,August,Thunderstorm Wind,"PULASKI",2017-08-19 00:07:00,CST-6,2017-08-19 00:07:00,0,0,0,0,20.00K,20000,0.00K,0,37.83,-92.1,37.83,-92.1,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A large tree fell on a small truck. Numerous trees and power lines were blown down southeast of St. Roberts." +117954,709368,MISSOURI,2017,August,Thunderstorm Wind,"TANEY",2017-08-22 06:34:00,CST-6,2017-08-22 06:34:00,0,0,0,0,2.00K,2000,0.00K,0,36.64,-93.22,36.64,-93.22,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","There was damage to utility poles near the city hall in Branson." +117954,709369,MISSOURI,2017,August,Thunderstorm Wind,"ST. CLAIR",2017-08-20 17:25:00,CST-6,2017-08-20 17:25:00,0,0,0,0,5.00K,5000,0.00K,0,38.14,-93.75,38.14,-93.75,"A stalled front in the area and rich moisture content in the atmosphere led to thunderstorms with heavy rainfall which produced flooding. There were a few severe thunderstorms with large hail and damaging wind reports.","A farm building was heavily damaged on Highway A west of Lowry City." +120004,719126,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:09:00,EST-5,2017-08-04 16:09:00,0,0,0,0,,NaN,,NaN,43.33,-73.69,43.33,-73.69,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were downed in front of a house." +120004,719127,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:10:00,EST-5,2017-08-04 16:10:00,0,0,0,0,,NaN,,NaN,43.31,-73.7,43.31,-73.7,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was downed onto a house." +120104,719602,FLORIDA,2017,August,Lightning,"SANTA ROSA",2017-08-31 06:30:00,CST-6,2017-08-31 06:30:00,0,0,0,0,30.00K,30000,0.00K,0,30.629,-87.15,30.629,-87.15,"Lightning strikes caused damage in northwest Florida.","" +122186,731450,TEXAS,2017,December,Winter Weather,"DIMMIT",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119754,718239,PENNSYLVANIA,2017,August,Thunderstorm Wind,"GREENE",2017-08-04 17:40:00,EST-5,2017-08-04 17:40:00,0,0,0,0,2.50K,2500,0.00K,0,39.76,-79.94,39.76,-79.94,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,718240,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BUTLER",2017-08-04 18:05:00,EST-5,2017-08-04 18:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.89,-79.9,40.89,-79.9,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported multiple trees down in Butler Township." +119754,718241,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 19:04:00,EST-5,2017-08-04 19:04:00,0,0,0,0,5.00K,5000,0.00K,0,41.16,-79.08,41.16,-79.08,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,718242,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 19:25:00,EST-5,2017-08-04 19:25:00,0,0,0,0,5.00K,5000,0.00K,0,41.02,-79.14,41.02,-79.14,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported several trees down." +119754,718243,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 19:32:00,EST-5,2017-08-04 19:32:00,0,0,0,0,15.00K,15000,0.00K,0,41.15,-79.08,41.15,-79.08,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Emergency manager reported a metal roof blown off township building." +119754,718244,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ALLEGHENY",2017-08-04 13:48:00,EST-5,2017-08-04 13:48:00,0,0,0,0,1.00K,1000,0.00K,0,40.42,-79.79,40.42,-79.79,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Two large trees snapped on the CCAC Boyce Campus." +119754,718245,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MERCER",2017-08-04 13:45:00,EST-5,2017-08-04 13:45:00,0,0,0,0,2.00K,2000,0.00K,0,41.41,-80.48,41.41,-80.48,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","The public reported a few trees down, as well as large branches and limbs." +119754,718246,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WESTMORELAND",2017-08-04 13:55:00,EST-5,2017-08-04 13:55:00,0,0,0,0,5.00K,5000,0.00K,0,40.57,-79.75,40.57,-79.75,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Trained spotter reported trees down at the corner of Freeport Rd and Woodbury Rd." +120159,719948,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-22 14:40:00,EST-5,2017-08-22 14:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.08,-80.72,40.08,-80.72,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +120159,719949,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-22 14:41:00,EST-5,2017-08-22 14:41:00,0,0,0,0,0.10K,100,0.00K,0,40.12,-80.7,40.12,-80.7,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Large branches down." +120159,719950,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-22 14:45:00,EST-5,2017-08-22 14:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.09,-80.65,40.09,-80.65,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +120159,719951,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-22 14:49:00,EST-5,2017-08-22 14:49:00,0,0,0,0,10.00K,10000,0.00K,0,40.1,-80.58,40.1,-80.58,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees and wires down." +120159,719952,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-22 14:54:00,EST-5,2017-08-22 14:54:00,0,0,0,0,1.00K,1000,0.00K,0,40.1,-80.52,40.1,-80.52,"Strong low pressure tracking across the upper Great Lakes, pulled a cold front across the region. Increasing moisture, shear and instability provided the fuel for organized storms. There were several reports of wind damage as a result of these storms and a tornado was also confirmed in Greene county, Pennsylvania.","Multiple trees down." +120166,719989,MICHIGAN,2017,August,Flash Flood,"OAKLAND",2017-08-28 18:15:00,EST-5,2017-08-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,42.499,-83.4556,42.4337,-83.514,"Thunderstorms producing heavy rain produced flash flooding in Detroit and the northern suburbs. 2 to 3 inches with isolated 4 inch amounts occurred in roughly a three hour window. Freeways were closed due to flooding, along with flooding and road closures on|some surface streets.","" +120166,719990,MICHIGAN,2017,August,Flash Flood,"MACOMB",2017-08-28 18:15:00,EST-5,2017-08-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,42.6837,-83.0539,42.4468,-83.0439,"Thunderstorms producing heavy rain produced flash flooding in Detroit and the northern suburbs. 2 to 3 inches with isolated 4 inch amounts occurred in roughly a three hour window. Freeways were closed due to flooding, along with flooding and road closures on|some surface streets.","" +119232,716007,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"KERSHAW",2017-08-31 16:15:00,EST-5,2017-08-31 16:19:00,0,0,0,0,,NaN,,NaN,34.42,-80.36,34.42,-80.36,"The remnants of Tropical Cyclone Harvey shifted NE into the Tennessee Valley, causing a warm front to lift north from the Gulf Coast into the Central Savannah River Area (CSRA) of GA and Midlands of SC. This feature, along with daytime heating, and energy and moisture associated with the remnants of Harvey, led to scattered severe thunderstorms over portions of the CSRA and Midlands during the mid and late afternoon, producing mainly damaging wind gusts.","Sheriff dispatch reported a tree down on Pine Dr near Bethune." +119746,720009,TEXAS,2017,August,Flood,"JEFFERSON",2017-08-30 16:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,30.1713,-94.1851,30.1731,-94.1123,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Record river stages were observed along Pine Island Bayou and the lower Neches during Harvey. This kept lower sections of Jefferson County flooded into early September which included some river side refineries. The high stream flow in the Neches at Beaumont caused an under water natural gas pipeline to rupture. The river also caused a lot of erosion." +119035,722096,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:48:00,CST-6,2017-09-19 23:48:00,0,0,0,0,0.00K,0,0.00K,0,45.4483,-95.0027,45.4483,-95.0027,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Dozens and possibly more than 100 trees were felled in Belgrade, just to the south of a tornado. A storm survey determined this was due to rear flank downdraft winds associated with the Belgrade tornado." +119849,718510,FLORIDA,2017,August,Flood,"COLLIER",2017-08-27 14:30:00,EST-5,2017-08-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,26.05,-81.69,26.01,-81.63,"A slow moving tropical disturbance first moved west across South Florida, then northeast across Central and North Florida as a frontal boundary dropped into the state. This system would develop into Potential Tropical Cyclone 10 as it moved up the east coast, leaving a trailing trough that would bring additional heavy rainfall through Aug 29th. Significant flooding was reported over three days across Collier County, especially across the Naples area. Additional minor street flooding occurred a day later in Miami-Dade County. Significant street flooding then occurred across southern Broward County on Aug 28th with another round of heavy rainfall.","Additional heavy rainfall exacerbated ongoing flooding across portions of Collier County. The Collier County Sheriff's Office reported numerous ongoing road closures due to flooding across the county." +121224,725929,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"CLAY",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725930,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST BECKER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725931,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST BECKER",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725932,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WILKIN",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725933,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"EAST OTTER TAIL",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121224,725934,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WEST OTTER TAIL",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +119751,718163,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 04:00:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-86.67,34.9082,-86.6729,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The intersection of Pulaski Pike and Toney Road is considered impassable due to flowing water." +119751,718164,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 05:00:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-86.61,34.9071,-86.6099,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The intersection of Grimwood Road and Jack Thomas is considered impassable due fast flowing water." +120241,720455,ARIZONA,2017,August,Flash Flood,"YAVAPAI",2017-08-04 20:30:00,MST-7,2017-08-04 21:30:00,0,0,0,0,0.00K,0,0.00K,0,34.655,-111.6245,34.5675,-111.846,"An upper air disturbance moving eastward across northern Arizona and southern Utah|allowed showers and thunderstorms to continue over night across central |Arizona. Some storms reformed over the same area leading to flooding issues across Yavapai County.","The stream gauge on Beaver Creek (2 SW McGuireville) showed a sudden rise of three feet." +120241,720456,ARIZONA,2017,August,Heavy Rain,"YAVAPAI",2017-08-04 22:30:00,MST-7,2017-08-05 00:40:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-111.87,34.8749,-111.5662,"An upper air disturbance moving eastward across northern Arizona and southern Utah|allowed showers and thunderstorms to continue over night across central |Arizona. Some storms reformed over the same area leading to flooding issues across Yavapai County.","An inch and a half of rain caused minor street flooding in the Sedona Shadows Neighborhood." +120249,720487,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"GEORGETOWN",2017-08-07 14:53:00,EST-5,2017-08-07 14:54:00,0,0,0,0,2.00K,2000,0.00K,0,33.609,-79.3297,33.609,-79.3297,"High levels of moisture and strong heating and lift from the seabreeze produced a formidable line of thunderstorms that migrated across the Grand Strand and then inland during the afternoon and evening.","Several sturdy signs were damaged or completely knocked over on Choppee Rd. in front of Carvers Bay High School." +120249,720489,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"HORRY",2017-08-07 15:18:00,EST-5,2017-08-07 15:19:00,0,0,0,0,3.00K,3000,0.00K,0,33.699,-79.1127,33.6998,-79.1108,"High levels of moisture and strong heating and lift from the seabreeze produced a formidable line of thunderstorms that migrated across the Grand Strand and then inland during the afternoon and evening.","Several trees, up to 4 inches in diameter, were reported snapped." +120253,720513,NORTH CAROLINA,2017,August,Thunderstorm Wind,"ROBESON",2017-08-23 18:20:00,EST-5,2017-08-23 18:21:00,0,0,0,0,5.00K,5000,0.00K,0,34.4996,-79.1201,34.4982,-79.12,"Widespread late afternoon thunderstorms developed and blossomed in the humid air mass ahead of a cold front. The environment was not only highly unstable, but high DCAPE values supported wind damage at the surface.","Trees were reported down in Fairmont." +120253,720517,NORTH CAROLINA,2017,August,Thunderstorm Wind,"COLUMBUS",2017-08-23 18:49:00,EST-5,2017-08-23 18:50:00,0,0,0,0,4.00K,4000,0.00K,0,34.4062,-78.7907,34.4057,-78.7897,"Widespread late afternoon thunderstorms developed and blossomed in the humid air mass ahead of a cold front. The environment was not only highly unstable, but high DCAPE values supported wind damage at the surface.","Trees were reported down on Old Lumberton Rd." +119979,719012,ILLINOIS,2017,August,Funnel Cloud,"ROCK ISLAND",2017-08-28 13:29:00,CST-6,2017-08-28 13:29:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-90.24,41.61,-90.24,"Scattered showers and thunderstorms developed ahead of a slow moving cold front in northwest Illinois during the afternoon of August 28th. A storm moving through Rock Island produced a funnel cloud.","The public reported a funnel cloud 5 miles east of Port Byron." +118993,714753,ILLINOIS,2017,August,Thunderstorm Wind,"PUTNAM",2017-08-10 18:34:00,CST-6,2017-08-10 18:34:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-89.23,41.26,-89.23,"A storm system pushed a cold front across northwest Illinois during the evening hours of August 10th. Thunderstorms developed ahead of this cold front and produced hail up to the size of quarters and thunderstorms wind gusts estimated up to 65 MPH. Heavy rainfall ranging from 3.45 inches to 4.33 inches were reported in parts of Hancock and McDonough Counties.","The WSPL Radio news director relayed a trained spotter report of estimated thunderstorm winds of 65 MPH." +118983,714710,IOWA,2017,August,Thunderstorm Wind,"JONES",2017-08-10 13:02:00,CST-6,2017-08-10 13:02:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-91.19,42.24,-91.19,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","The emergency manager reported a tree down in the center of town. The time of the event was estimated using radar." +119971,720698,UTAH,2017,August,Flash Flood,"IRON",2017-08-03 17:30:00,MST-7,2017-08-03 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.8822,-112.7863,37.8657,-112.8145,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Heavy rain over the Brianhead Fire burn scar caused flash flooding along State Routes 143 and 271, temporarily closing these routes due to debris on the roadways." +117529,706872,COLORADO,2017,August,Flash Flood,"FREMONT",2017-08-03 17:45:00,MST-7,2017-08-03 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.3036,-105.7245,38.3554,-105.7232,"A thunderstorm produced heavy rain which caused flash flooding and a road washout near the Hayden Pass burn scar.","A portion of Dinkle Ditch Road was washed out at the confluence of Butter and Cottonwood Creeks. In addition, high water flows and flash flooding also occurred along portions of Hayden Creek." +117538,706896,COLORADO,2017,August,Hail,"PROWERS",2017-08-13 15:30:00,MST-7,2017-08-13 15:35:00,0,0,0,0,20.00K,20000,0.00K,0,38.06,-102.31,38.06,-102.31,"Isolated severe storms across the southeast plains produced hail up to the size of baseballs which damaged vehicles and windows.","Wind-driven hail broke windows of vehicles and houses." +117672,707587,COLORADO,2017,August,Flash Flood,"PUEBLO",2017-08-11 16:00:00,MST-7,2017-08-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.0811,-104.9768,38.0738,-104.9654,"An isolated storm produced heavy rain which caused high water to come down North Creek northeast of Beulah.","Driveways along North Creek Road were impacted with high, fast-flowing water, although the adjacent North Creek Road was not flooded." +120193,720195,VIRGINIA,2017,August,Thunderstorm Wind,"BEDFORD",2017-08-21 16:52:00,EST-5,2017-08-21 16:52:00,0,0,0,0,1.00K,1000,,NaN,37.37,-79.28,37.37,-79.28,"A thunderstorm developed within a hot and humid atmosphere. Outflow from the storm, in addition to very heavy rainfall, helped to bring down two trees in the Forest, VA area of Bedford County.","Thunderstorm outflow winds, along with heavy water loading from torrential rains, brought down two trees within the community of Forest, VA. Damage values are estimated." +117781,708122,MINNESOTA,2017,August,Rip Current,"SOUTHERN ST. LOUIS / CARLTON",2017-08-10 16:10:00,CST-6,2017-08-10 18:00:00,0,1,2,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An adult male and juvenile female, a father and his daughter, were swimming off the beach of Lake Superior in Park Point rip currents swept them further out into the water. Emergency responders were able to retrieve the unresponsive swimmers after a lengthy search. CPR was performed and the individuals were transported to an area hospital where further attempts to resuscitate fell short. During the rescue, a fire department boat capsized due to strong onshore waves. One of the firefighters ingested water and required medical attention.","A father and his daughter were swimming in high surf and swept away in Lake Superior off of Park Point Beach in Duluth. First responders retrieved both individuals and transported them to an area hospital where they were pronounced dead by drowning. During the rescue a fire department boat was flipped by waves. A firefighter ingested water and was treated at an area hospital." +119633,717717,MINNESOTA,2017,August,Hail,"CROW WING",2017-08-18 14:30:00,CST-6,2017-08-18 14:30:00,0,0,0,0,,NaN,,NaN,46.35,-94.19,46.35,-94.19,"Thunderstorms moved across St. Louis and Crow Wing counties during the afternoon and produced penny sized hail.","" +119633,717718,MINNESOTA,2017,August,Hail,"ST. LOUIS",2017-08-18 18:13:00,CST-6,2017-08-18 18:13:00,0,0,0,0,,NaN,,NaN,47.39,-92.26,47.39,-92.26,"Thunderstorms moved across St. Louis and Crow Wing counties during the afternoon and produced penny sized hail.","" +118530,712111,WISCONSIN,2017,August,Hail,"WASHBURN",2017-08-04 15:15:00,CST-6,2017-08-04 15:15:00,0,0,0,0,,NaN,,NaN,46.1,-91.82,46.1,-91.82,"An afternoon thunderstorm moved across Washburn County and produced nickel size hail in Minong.","" +118530,712112,WISCONSIN,2017,August,Hail,"WASHBURN",2017-08-04 15:23:00,CST-6,2017-08-04 15:23:00,0,0,0,0,,NaN,,NaN,46.1,-91.83,46.1,-91.83,"An afternoon thunderstorm moved across Washburn County and produced nickel size hail in Minong.","" +118530,712113,WISCONSIN,2017,August,Hail,"WASHBURN",2017-08-04 15:23:00,CST-6,2017-08-04 15:23:00,0,0,0,0,,NaN,,NaN,46.1,-91.88,46.1,-91.88,"An afternoon thunderstorm moved across Washburn County and produced nickel size hail in Minong.","" +120309,720908,VIRGINIA,2017,August,Flash Flood,"BEDFORD",2017-08-21 16:42:00,EST-5,2017-08-21 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.3234,-79.4983,37.3241,-79.4978,"An isolated storm produced 2 to 3.5 inches of rain in about one hour during the evening of the August 21st over the town of Bedford and several small stream basins in central Bedford County. The Bedford COOP (BDFV2) site located just north of the core of heaviest rainfall, had a 24-hour total of 3.30��� ending at 12z on the 22nd. This was the 9th highest 1-day August rainfall at this site with sporadic records dating back to 1893.|Several flood reports from the area were received.","Up to two feet of standing water was observed along Route 460 westbound near the intersection with Hulls Street." +117226,705999,KENTUCKY,2017,August,Flash Flood,"OLDHAM",2017-08-03 16:26:00,EST-5,2017-08-03 16:26:00,0,0,0,0,0.00K,0,0.00K,0,38.44,-85.34,38.4438,-85.349,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","Law Enforcement reported flash flooding and high water over roadway." +117226,706000,KENTUCKY,2017,August,Flash Flood,"HENRY",2017-08-03 16:27:00,EST-5,2017-08-03 16:27:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-85.29,38.4505,-85.2955,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","High water and flooding were reported over Highway 153." +117226,721025,KENTUCKY,2017,August,Thunderstorm Wind,"OLDHAM",2017-08-01 20:30:00,EST-5,2017-08-01 20:30:00,0,0,0,0,25.00K,25000,0.00K,0,38.4267,-85.5559,38.4267,-85.5559,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","A large tree was blown onto the roof of a home, exposing the attic." +117226,721026,KENTUCKY,2017,August,Hail,"OLDHAM",2017-08-01 20:45:00,EST-5,2017-08-01 20:48:00,0,0,0,0,,NaN,0.00K,0,38.43,-85.53,38.43,-85.53,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","" +117226,721027,KENTUCKY,2017,August,Thunderstorm Wind,"NICHOLAS",2017-08-02 15:10:00,EST-5,2017-08-02 15:10:00,0,0,0,0,,NaN,0.00K,0,38.28,-84.1,38.28,-84.1,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","A Kentucky Mesonet station gusted to 55 kts." +117226,721029,KENTUCKY,2017,August,Thunderstorm Wind,"FAYETTE",2017-08-02 15:27:00,EST-5,2017-08-02 15:27:00,0,0,0,0,,NaN,0.00K,0,38.05,-84.6287,38.03,-84.6,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","A tree was downed at Mill Road and Versailles Rd. The nearby ASOS at Bluegrass airport recorded a gust of 47 kts." +120217,720294,NEW YORK,2017,August,Hail,"WESTCHESTER",2017-08-02 12:00:00,EST-5,2017-08-02 12:00:00,0,0,0,0,,NaN,,NaN,40.93,-73.85,40.93,-73.85,"A passing upper level disturbance triggered multiple severe storms, impacting Orange and Westchester counties.","Nickel sized hail was reported in Yonkers by a trained spotter." +120217,720295,NEW YORK,2017,August,Hail,"WESTCHESTER",2017-08-02 12:35:00,EST-5,2017-08-02 12:35:00,0,0,0,0,,NaN,,NaN,41.12,-73.78,41.12,-73.78,"A passing upper level disturbance triggered multiple severe storms, impacting Orange and Westchester counties.","Golfball size hail was reported in Thornwood by a trained spotter." +120218,720301,NEW JERSEY,2017,August,Thunderstorm Wind,"BERGEN",2017-08-02 12:41:00,EST-5,2017-08-02 12:41:00,0,0,0,0,2.50K,2500,,NaN,40.984,-73.9838,40.984,-73.9838,"A passing upper level disturbance triggered a severe storm, that impacted Bergen County.","Trees were reported down at the intersection of Martha Road and Parkway Street, just west of Harrington Park." +120219,720304,NEW YORK,2017,August,Thunderstorm Wind,"ORANGE",2017-08-18 17:11:00,EST-5,2017-08-18 17:11:00,0,0,0,0,2.00K,2000,,NaN,41.5277,-74.237,41.5277,-74.237,"An approaching cold front triggered a severe thunderstorm in Orange County.","A tree fell on top of power lines on Ward Street in Montgomery." +118431,714439,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-16 15:28:00,CST-6,2017-08-16 15:28:00,0,0,0,0,0.00K,0,0.00K,0,40.3067,-100.1555,40.3067,-100.1555,"Despite the post-frontal environment over South Central Nebraska on this Wednesday afternoon not being overly-supportive of severe weather, a small cluster of storms managed to intensify enough to yield a few severe-criteria wind reports over northern Furnas County between 4:30-5:00 p.m. CDT. First, a mesonet station near Cambridge clocked a 66 MPH gust, followed a short time later by a spotter-estimated 60 MPH gust in Arapahoe. For the next few hours, this convective cluster marched on through portions of Harlan, Franklin and Webster counties, but generated no additional storm reports. ||In the mid-upper levels, a slow-moving shortwave trough gradually trudged eastward across the region over the course of the day. At the surface, the primary low pressure center had already reached the NE-IA border by afternoon, with a fairly well-defined cold front trailing southward through eastern KS into OK. This placed South Central Nebraska in a large-scale post-frontal regime featuring northwest breezes. Nonetheless, residual low-level moisture with surface dewpoints into at least the low-60s F teamed with steepening low-level lapse rates to yield a sneaky thunderstorm setup. Around the time of the Furnas County wind reports, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE but no more than 30 knots of deep layer wind shear.","" +120353,721074,NEBRASKA,2017,August,Flash Flood,"WAYNE",2017-08-25 10:55:00,CST-6,2017-08-25 14:00:00,0,0,0,0,10.00K,10000,100.00K,100000,42.3071,-97.021,42.3671,-97.0237,"On August 25th, heavy rains from thunderstorms rains produced flash flooding in northeast Wayne County. The storms formed along a weak warm front as it slowly moved eastward across northeast Nebraska.","Emergency management reports water was running over roads near the Wayne/Dixon County border. The flash flooding occurred with water over the roads generally between Wayne County County Roads 572 to 575 Avenue and between 860 to 864 Roads." +118429,720600,NEBRASKA,2017,August,Heavy Rain,"SHERMAN",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2279,-99.15,41.2279,-99.15,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.77 inches was recorded 4 miles north of Litchfield." +118429,720602,NEBRASKA,2017,August,Heavy Rain,"SHERMAN",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-99.0185,41.28,-99.0185,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.25 inches was recorded 2 miles west of Loup City." +118429,720603,NEBRASKA,2017,August,Heavy Rain,"VALLEY",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-99.1686,41.43,-99.1686,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.08 inches was recorded 2 miles west of Arcadia." +118429,720604,NEBRASKA,2017,August,Heavy Rain,"VALLEY",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-99.1363,41.68,-99.1363,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.62 inches was recorded 6 miles west of Elyira." +118429,720606,NEBRASKA,2017,August,Heavy Rain,"YORK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9209,-97.7842,40.9209,-97.7842,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.76 inches was recorded 4 miles northwest of Bradshaw." +118429,720607,NEBRASKA,2017,August,Heavy Rain,"YORK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41,-97.6967,41,-97.6967,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.94 inches was recorded 4 miles west of Benedict." +118429,720608,NEBRASKA,2017,August,Heavy Rain,"YORK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-97.4576,41.03,-97.4576,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.95 inches was recorded 3 miles west of Gresham." +118429,720609,NEBRASKA,2017,August,Heavy Rain,"YORK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0577,-97.4887,41.0577,-97.4887,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.45 inches was recorded 5 miles west-northwest of Gresham." +118429,720610,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9424,-98,40.9424,-98,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 6.00 inches was recorded 5 miles north of Aurora." +118429,720611,NEBRASKA,2017,August,Heavy Rain,"HAMILTON",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1005,-97.8728,41.1005,-97.8728,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 4.30 inches was recorded 2 miles northeast of Hordville." +118429,720613,NEBRASKA,2017,August,Heavy Rain,"POLK",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-97.43,41.2,-97.43,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 5.20 inches was recorded in Shelby." +118429,720614,NEBRASKA,2017,August,Heavy Rain,"HALL",2017-08-15 06:00:00,CST-6,2017-08-16 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8766,-98.35,40.8766,-98.35,"Between the afternoon of Tuesday the 15th and the morning of Wednesday the 16th, roughly the northern half of this 24-county South Central Nebraska area saw its most significant heavy rain and localized flooding event of 2017, along with a smattering of severe storms (including one that pounded the Fullerton area with tennis ball to baseball size hail). Focusing first on the heavy rain and flooding, most areas north of a line from Kearney-Hastings-York measured at least 2-4 per NWS observers/CoCoRaHS/ radar estimation, with localized pockets of 5-7. Some of the overall-heaviest rain targeted the following three areas: 1) Much of Polk County (including a whopping 8.37 a few miles northeast of Osceola and 6.95 in town)...2) Much of Nance County (radar estimates of a widespread 3-5)...3) A roughly 10-mile wide corridor running from the north side of Hastings to around Aurora (widespread 3-5 and up to 6.70 near Phillips). Of particular note, at Osceola the official total of 6.95 set a new all-time 24-hour record for the 122 year-history of the station!||While some of this rain was actually much-needed/appreciated, various flooding issued ensued across several counties, affecting not only numerous rural roads and agricultural areas, but also several creeks and rivers, including: 1) Big Blue River, Clear Creek and Davis Creek in Polk County...2) Lincoln Creek and Beaver Creek in Hamilton and York counties...3) West Fork Big Blue River mainly between northwestern Clay and southern Hamilton counties. Most flooding (especially outside of Polk County) was relatively minor and confined to typical flood-prone areas, but issues persisted at least 36-48 hours in some places. Of all local counties, Polk County bore the brunt of flooding impacts, including: several rural roads damaged and impassable for at least few days, and fairly widespread flooding along the Davis Creek within Osceola. ||While thunderstorms were widespread during this roughly 15-hour convective event, the majority of them were sub-severe. Most severe storms occurred fairly early in the event (mainly 4-8 p.m. CDT) and yielded primarily large hail. One of the hardest-hit areas was in/near Fullerton, where stones up to baseball size fell. Elsewhere, quarter to ping pong ball size was reported in parts of Sherman, Howard, Nance and Merrick counties. There were only a few ground-truth reports of estimated severe winds, including 60-70 MPH near Loup City during the afternoon and 60 MPH in Cambridge late in the night along an invading squall line. ||Looking closer at timing, a few strong to marginally severe storms actually brushed northern parts of the area during the morning/early afternoon. However, the main event got underway near and north of the Nebraska Highway 92 corridor between 3:30-5:30 p.m. CDT as fairly isolated/intense cells erupted along a northward-shifting warm front/retreating outflow boundary. Over the next several hours, the severity of storms gradually waned, but the coverage of convection and heavy rain greatly increased as a strengthening low level jet interacted with a southward-drifting, west-east oriented outflow boundary. Through midnight CDT, the vast majority of convection focused near and north of the Interstate 80 corridor. Then after midnight, another area of storms pushed in from the west in the form of a northeast-southwest oriented squall line, but this activity was largely sub-severe as it crossed all of South Central Nebraska. By daybreak on the 16th, only an area of lighter stratiform rain remained, before finally departing the eastern fringes of the local area by mid-morning. ||Turning to the meteorological background behind this event, the primary factors were: 1) the presence of a very moist airmass characterized by surface dewpoints between the mid 60s-low 70s F...2) a generally west-oriented surface front stretched near the Interstate 80 corridor...3) A southerly low level jet of 30-40 knots ramping up after dark into the frontal zone. In the mid-upper levels, several small-scale disturbances were passing through the region, downstream of a primary trough axis advancing out of the Central Rockies. Around the time of the most intense afternoon storms, mixed-layer CAPE averaged 2000-3000 J/kg, but deep-layer wind shear held at-or-below 30 knots, fostering slow storm motions and heavy rainfall.","A 24-hour precipitation amount of 3.72 inches was recorded on the south side of Grand Island." +118433,714463,NEBRASKA,2017,August,Thunderstorm Wind,"HOWARD",2017-08-27 02:45:00,CST-6,2017-08-27 03:19:00,0,0,0,0,25.00K,25000,0.00K,0,41.08,-98.72,41.1034,-98.4968,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","Wind gusts estimated to be near 70 MPH resulted in tree damage across the area. Large tree limbs were downed along Highway 58 near Dannebrog. A large pine tree in Boelus had its top snapped off, with a large branch impaling the roof of a nearby house." +119035,722098,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:54:00,CST-6,2017-09-19 23:56:00,0,0,0,0,500.00K,500000,0.00K,0,45.5674,-94.9478,45.586,-94.8917,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A large shed lost part of its roof, a grain bin was dented in, other outbuildings were damaged, a few dozen trees were broken, and a few cornfields were damaged. This was all southeast of a tornado that tracked from west to northeast of Elrosa, and was deemed to be due to rear flank downdraft winds." +119736,721034,OKLAHOMA,2017,August,Thunderstorm Wind,"TULSA",2017-08-11 03:15:00,CST-6,2017-08-11 03:15:00,0,0,0,0,5.00K,5000,0.00K,0,36.1741,-95.8189,36.1741,-95.8189,"A complex of thunderstorms developed over northeastern Oklahoma during the evening hours of the 10th as a cold front moved into the region. These storms produced large hail and damaging wind gusts as they moved across northeastern Oklahoma.","Strong thunderstorm wind uprooted trees and blew down power poles near S 145th East Avenue and E Marshall Street." +117248,705208,DELAWARE,2017,August,Heavy Rain,"SUSSEX",2017-08-03 17:32:00,EST-5,2017-08-03 17:32:00,0,0,0,0,,NaN,,NaN,38.66,-75.56,38.66,-75.56,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Around two inches of rain fell from thunderstorms in 40 minutes." +117251,705273,PENNSYLVANIA,2017,August,Hail,"MONTGOMERY",2017-08-02 12:30:00,EST-5,2017-08-02 12:30:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-75.38,40.1,-75.38,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Nickel size hail." +122284,732153,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN ULSTER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732154,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN ULSTER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +117251,705281,PENNSYLVANIA,2017,August,Lightning,"MONTGOMERY",2017-08-02 12:13:00,EST-5,2017-08-02 12:13:00,0,0,0,0,0.01K,10,0.00K,0,40.12,-75.22,40.12,-75.22,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding. A few thousand people lost power.","Lightning took down wires leading to a structure fire." +122284,732155,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN DUTCHESS",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732156,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN DUTCHESS",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732157,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN COLUMBIA",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +117296,709478,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 16:50:00,EST-5,2017-08-04 16:50:00,0,0,0,0,3.00K,3000,0.00K,0,39.9531,-78.1269,39.9531,-78.1269,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down several trees west of Andover." +118215,712220,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 17:30:00,MST-7,2017-08-03 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,33.4258,-112.0372,33.4263,-111.9589,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered to numerous showers and thunderstorms developed across the greater Phoenix area during the afternoon hours on August 3rd, and some of the storms across the central and northern portions produced locally heavy rains with peak rain rates approaching 2 inches per hour. The intense rains led to episodes of flash flooding in areas ranging from central Phoenix, around Sky Harbor airport, northeast into Paradise Valley. At 1739MST, a trained spotter 2 miles west of Scottsdale reported water flooding the streets and rapidly encroaching an apartment located at the intersection of 60th Street and Thomas Road. At 1743MST, a public report indicated bumper deep water at the intersection of 44th Street and Indian School Road in central Phoenix. At 1746MST a public report via Twitter was received, indicating that flash flooding had caused street flooding and manhole covers to be blown from the ground near terminal 4 at Phoenix Sky Harbor Airport. Finally, at 1755MST, another public report via Twitter was received; it reported flash flooding about 1 mile southeast of Paradise Valley. Water was reported to be one foot deep on Scottsdale Road near the intersection of McDonald and Camelback Roads. No injuries were reported due to the flash flooding. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1728MST and was in effect until 2030MST." +118557,712261,NEBRASKA,2017,August,Hail,"MORRILL",2017-08-12 15:30:00,MST-7,2017-08-12 15:33:00,0,0,0,0,0.00K,0,0.00K,0,41.7928,-102.9354,41.7928,-102.9354,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Quarter size hail was observed northeast of Bridgeport." +118626,712617,NEBRASKA,2017,August,Hail,"BANNER",2017-08-15 16:18:00,MST-7,2017-08-15 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-103.66,41.44,-103.66,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Quarter size hail was observed southeast of Harrisburg." +118772,719502,FLORIDA,2017,September,Flash Flood,"ST. LUCIE",2017-09-10 02:00:00,EST-5,2017-09-10 04:00:00,0,0,0,0,30.00M,30000000,0.00K,0,27.448,-80.4321,27.4177,-80.3295,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","Prior to the direct impacts from approaching Hurricane Irma, rain bands streamed onshore from the Atlantic and produced between 6 and 11 inches of rain in less than 4 hours during the very early morning hours, affecting much of Ft. Pierce. A Weather Underground site measured 10.46 inches. Numerous roadways quickly flooded and became impassible, with nearly 4 feet of standing water in front of the Ft. Pierce Police Station on US Highway 1. Water breached several homes, including on El Rancho Drive and near 25th Street and Virginia Avenue. One family needed to be rescued from their flooded home due to rising water." +119911,719465,ALABAMA,2017,September,Tropical Storm,"COFFEE",2017-09-11 04:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||For southeast Alabama, Houston county reported a few trees and power lines down. ||Coffee county reported several power lines and large trees down across major highways including Highway 135 South, 441 South, and 151 South. Some trees fell on structures and one farm structure collapsed. ||Henry county reported numerous trees and power lines were down across the county. Two homes sustained structural damage damage due to fallen trees. Multiple roads were blocked with fallen trees. Approximately 1200 homes were without power. ||Dale county reported several trees and power lines were down in the county. Two homes suffered minor damage due to trees falling on the roofs. Power outages were also noted in the county. ||Geneva county reported trees and power lines down across the county with the county removing trees from 37 sites. In addition, on County Road 60, the roof was lost off a mobile home. The ceiling of the mobile home eventually collapsed and with rain entering the mobile home, it was a complete loss.","" +119912,719613,FLORIDA,2017,September,Tropical Storm,"CALHOUN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719614,FLORIDA,2017,September,Tropical Storm,"CENTRAL WALTON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719615,FLORIDA,2017,September,Tropical Storm,"COASTAL BAY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,38.00K,38000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +120243,720629,CALIFORNIA,2017,September,Thunderstorm Wind,"TULARE",2017-09-11 16:47:00,PST-8,2017-09-11 16:47:00,0,0,0,0,10.00K,10000,0.00K,0,36.05,-119.31,36.05,-119.31,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported several trees down on northbound State Route 99 just south of the State Route 190 interchange." +120243,720632,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:52:00,PST-8,2017-09-11 16:52:00,0,0,0,0,1.00K,1000,0.00K,0,36.3133,-119.6941,36.3133,-119.6941,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported tree debris on State Route 198 near Hanford-Armona Rd." +120243,720633,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:53:00,PST-8,2017-09-11 16:53:00,0,0,0,0,10.00K,10000,0.00K,0,36.322,-119.6503,36.322,-119.6503,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported a fence blew onto State Route 198 near 11th Ave in Hanford." +120461,721720,TENNESSEE,2017,September,Hail,"DAVIDSON",2017-09-19 14:29:00,CST-6,2017-09-19 14:29:00,0,0,0,0,0.00K,0,0.00K,0,36.06,-86.7667,36.06,-86.7667,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","Pea to nickel size hail fell at the intersection of Rochelle Drive and Oakley Drive." +120461,721721,TENNESSEE,2017,September,Thunderstorm Wind,"WILLIAMSON",2017-09-19 14:24:00,CST-6,2017-09-19 14:24:00,0,0,0,0,15.00K,15000,0.00K,0,36.0362,-86.8106,36.0362,-86.8106,"Isolated showers and thunderstorms developed across Middle Tennessee during the afternoon and evening hours on September 19. One storm became severe in the Nashville metro area, with several reports of wind damage and hail received from southern Davidson and northern Williamson Counties.","A large section of the roof at The Academy of Powell Place preschool on Powell Place in the Maryland Farms area of Brentwood collapsed due to high winds. No injuries." +120460,721707,TENNESSEE,2017,September,Strong Wind,"HUMPHREYS",2017-09-01 00:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Humphreys County during the early morning hours on September 1. Several trees and power lines were blown down across the county with scattered power outages." +120460,721708,TENNESSEE,2017,September,Strong Wind,"HOUSTON",2017-09-01 00:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Houston County during the early morning hours on September 1. Several trees and power lines were blown down across the county with scattered power outages." +121507,727334,SOUTH CAROLINA,2017,December,Winter Storm,"OCONEE MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread Upstate South Carolina, snow developed across the mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across areas above 2000 ft or so, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. Meanwhile, accumulations along the Highway 11 corridor were generally in the 4-6 inch range. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121507,727335,SOUTH CAROLINA,2017,December,Winter Storm,"PICKENS MOUNTAINS",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread Upstate South Carolina, snow developed across the mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across areas above 2000 ft or so, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. Meanwhile, accumulations along the Highway 11 corridor were generally in the 4-6 inch range. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +119035,714905,MINNESOTA,2017,September,Hail,"STEVENS",2017-09-19 22:52:00,CST-6,2017-09-19 22:52:00,0,0,0,0,0.00K,0,0.00K,0,45.59,-95.92,45.59,-95.92,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","" +119186,715742,NEVADA,2017,September,Thunderstorm Wind,"CLARK",2017-09-02 18:31:00,PST-8,2017-09-02 18:45:00,0,0,0,1,0.00K,0,0.00K,0,35.4926,-114.6862,35.4926,-114.6862,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert.","Thunderstorms produced strong winds near Cottonwood Cove. A man was killed when he became entangled in the mooring line of a house boat and dragged under the water." +119187,716582,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-08 16:56:00,MST-7,2017-09-08 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.1904,-113.8994,35.1869,-113.8906,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","DW Ranch Road was closed from Interstate 40 to Hualapai Mountain Road due to all the washes flowing over the road." +119187,716584,ARIZONA,2017,September,Thunderstorm Wind,"MOHAVE",2017-09-08 17:33:00,MST-7,2017-09-08 17:33:00,0,0,0,0,0.00K,0,0.00K,0,36.5819,-113.7319,36.5819,-113.7319,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","" +119187,716588,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-08 19:00:00,MST-7,2017-09-08 20:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.23,-114.2873,35.2298,-114.2812,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Chino Dr and Shinarump Dr were closed due to flooding." +119187,716589,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-08 19:29:00,MST-7,2017-09-08 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.8651,-114.664,35.8713,-114.659,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Willow Beach Access Road was closed due to flooding." +119187,716597,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-09 13:45:00,MST-7,2017-09-09 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.4581,-114.2805,34.4582,-114.2798,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","The intersection of Maricopa and Oro Grande was flooded and impassable." +119187,716599,ARIZONA,2017,September,Flash Flood,"MOHAVE",2017-09-09 15:14:00,MST-7,2017-09-09 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.2324,-114.0374,35.2315,-114.038,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Kino Road was closed where it crosses the wash, and water flowed over Stockton Hill Road." +119188,716603,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-07 15:31:00,PST-8,2017-09-07 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,34.0787,-115.5674,34.0748,-115.5666,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Highway 62 was flooded and impassable at mile marker 62." +120585,722345,MINNESOTA,2017,September,Hail,"PINE",2017-09-22 05:15:00,CST-6,2017-09-22 05:15:00,0,0,0,0,,NaN,,NaN,46.29,-93.05,46.29,-93.05,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","" +120585,722346,MINNESOTA,2017,September,Thunderstorm Wind,"CARLTON",2017-09-22 05:12:00,CST-6,2017-09-22 05:12:00,0,0,0,0,,NaN,,NaN,46.46,-92.87,46.46,-92.87,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked along Minnesota Highway 73 west of Moose Lake." +120585,722347,MINNESOTA,2017,September,Thunderstorm Wind,"CARLTON",2017-09-22 05:08:00,CST-6,2017-09-22 05:08:00,0,0,0,0,,NaN,,NaN,46.49,-92.88,46.49,-92.88,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Four trees were knocked down." +120585,722349,MINNESOTA,2017,September,Thunderstorm Wind,"AITKIN",2017-09-22 05:03:00,CST-6,2017-09-22 05:03:00,0,0,0,0,,NaN,,NaN,46.22,-93.09,46.22,-93.09,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked down along Minnesota Highway 18 between McGrath and Finlayson." +120585,722350,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-22 04:33:00,CST-6,2017-09-22 04:33:00,0,0,0,0,,NaN,,NaN,46.68,-94.09,46.68,-94.09,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Multiple trees were knocked down along with nearby power lines." +120585,722351,MINNESOTA,2017,September,Hail,"CROW WING",2017-09-22 04:20:00,CST-6,2017-09-22 04:20:00,0,0,0,0,,NaN,,NaN,46.17,-94.36,46.17,-94.36,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","" +120585,722352,MINNESOTA,2017,September,Thunderstorm Wind,"CASS",2017-09-22 04:20:00,CST-6,2017-09-22 04:20:00,0,0,0,0,,NaN,,NaN,46.8,-94.6,46.8,-94.6,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked down blocking Minnesota Highway 87 west of Backus." +120590,722668,SOUTH CAROLINA,2017,September,Storm Surge/Tide,"BEAUFORT",2017-09-11 09:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Beaufort County Emergency Management reported that widespread significant impacts occurred across the county due to storm surge associated with Tropical Storm Irma. Extensive storm surge related damage occurred across Hunting Island State Park. On Fripp Island at Ocean Point the sea wall was breached and beach front homes were inundated and extensive flooding was observed on the northern half of the island. Homes along Highway 21 were flooded, and South Carolina DOT reported that the Harbor River flooded over Highway 21 at Cougar Drive on Lady's Island. Other homes were flooded in the Carolina Shores neighborhood and across the northeast end of Port Royal Island near and near the Marine Corps Air Station. Highway 17 near the Pocotaligo River flooded and was closed for several hours. Also, Highway 170 was flooded near Callawassie Island. Other flooded areas due to storm surge include the south end of Hilton Head Island, Sea Pines Plantation, Long Cove Club, and Harbor Town Links clubhouse. Prior to the event, the USGS deployed its Storm Tide Sensor Network and analysis of the data showed that storm surge related inundation ranged from 1.67-6.04 feet above ground level in the hardest hit areas. Some of the more notable values include 6.04 feet at the Colleton River at the end of JW Mariculture Road, 5.21 feet near Harbor Town, and 5.21 feet at Sea Island Parkway between Hunting Island State Park and Fripp Island." +119261,723168,GEORGIA,2017,September,High Wind,"RICHMOND",2017-09-11 09:30:00,EST-5,2017-09-11 09:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Tree down onto a home." +119261,723169,GEORGIA,2017,September,High Wind,"COLUMBIA",2017-09-11 10:20:00,EST-5,2017-09-11 10:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Columbia Co GA EOC received multiple reports of trees down, power lines down, and traffic signal outages." +119261,723170,GEORGIA,2017,September,High Wind,"BURKE",2017-09-11 10:22:00,EST-5,2017-09-11 10:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Burke Co GA EM reported numerous trees down across the county." +119797,718347,UTAH,2017,September,Flash Flood,"WAYNE",2017-09-15 16:30:00,MST-7,2017-09-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-111.1,38.097,-111.0982,"Widespread thunderstorms developed over Utah on September 14, resulting in widespread flash flooding across southern Utah with some strong winds. Strong winds over Lake Powell resulted in three injuries to boaters. Additional showers and thunderstorms developed on September 15, resulting in additional areas of flooding in northern Utah and southern Utah.","Flash flooding was reported on Pleasant Creek in Capitol Reef National Park." +120590,722549,SOUTH CAROLINA,2017,September,Tropical Depression,"JASPER",2017-09-11 06:00:00,EST-5,2017-09-11 18:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Jasper County Emergency Management reported multiple trees down across the county due to strong winds associated with Hurricane Irma. One 87 year old male died 10 days after his car ran into a tree that had fallen across Highway 278 near Yemassee." +119095,715218,CALIFORNIA,2017,September,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-09-21 09:00:00,PST-8,2017-09-22 00:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually cold storm system brought accumulating snow to the Sierra, impacting travel and closing seasonal passes.","An unusually early season snow storm brought slippery Sierra road conditions above 5500 feet. Snow was 6 inches deep at Sugar Bowl Ski Resort. I80 was held several times due to collisions, including a major accident involving 16 vehicles. One driver was killed in this accident. At Ebbetts Pass there were 6 ill-prepared hikers on the Pacific Crest Trail who were rescued by a deputy sheriff." +120684,722846,IDAHO,2017,September,Dense Smoke,"COEUR D'ALENE AREA",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120684,722847,IDAHO,2017,September,Dense Smoke,"CENTRAL PANHANDLE MOUNTAINS",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120406,721236,WISCONSIN,2017,September,Hail,"WASHBURN",2017-09-22 06:27:00,CST-6,2017-09-22 06:27:00,0,0,0,0,,NaN,,NaN,45.72,-91.77,45.72,-91.77,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721237,WISCONSIN,2017,September,Hail,"WASHBURN",2017-09-22 06:30:00,CST-6,2017-09-22 06:30:00,0,0,0,0,,NaN,,NaN,45.7,-91.8,45.7,-91.8,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721238,WISCONSIN,2017,September,Hail,"WASHBURN",2017-09-22 06:42:00,CST-6,2017-09-22 06:42:00,0,0,0,0,,NaN,,NaN,45.75,-91.76,45.75,-91.76,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721239,WISCONSIN,2017,September,Lightning,"DOUGLAS",2017-09-22 06:45:00,CST-6,2017-09-22 06:45:00,0,0,0,0,100.00K,100000,0.00K,0,46.65,-92.1,46.65,-92.1,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","An assisted living residence was struck by lightning damaging the roof and ignited an electric fire in the attic." +120406,721240,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 07:31:00,CST-6,2017-09-22 07:31:00,0,0,0,0,,NaN,,NaN,46,-91.42,46,-91.42,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721241,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 08:10:00,CST-6,2017-09-22 08:10:00,0,0,0,0,,NaN,,NaN,46.05,-91.31,46.05,-91.31,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721242,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 08:28:00,CST-6,2017-09-22 08:28:00,0,0,0,0,,NaN,,NaN,46.05,-91.31,46.05,-91.31,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120761,723300,ALABAMA,2017,September,Tropical Storm,"PIKE",2017-09-11 11:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120761,723302,ALABAMA,2017,September,Tropical Storm,"RUSSELL",2017-09-11 11:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120761,723304,ALABAMA,2017,September,Tropical Storm,"TALLAPOOSA",2017-09-11 12:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +118409,711600,FLORIDA,2017,August,Thunderstorm Wind,"NASSAU",2017-08-24 16:05:00,EST-5,2017-08-24 16:05:00,0,0,0,0,0.00K,0,0.00K,0,30.53,-81.79,30.53,-81.79,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","Power lines were blown down on Cravey Road. The time of damage was based on radar." +118409,711601,FLORIDA,2017,August,Thunderstorm Wind,"NASSAU",2017-08-24 16:25:00,EST-5,2017-08-24 16:25:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-81.85,30.49,-81.85,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","Power lines were blown down on Thomas Creek Road. The time of damage was based on radar." +118409,711606,FLORIDA,2017,August,Thunderstorm Wind,"DUVAL",2017-08-24 16:53:00,EST-5,2017-08-24 16:53:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-81.93,30.37,-81.93,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","Power lines and trees were blown down along Otis Road. The time of damage was based on radar." +118409,711607,FLORIDA,2017,August,Thunderstorm Wind,"DUVAL",2017-08-24 17:00:00,EST-5,2017-08-24 17:00:00,0,0,0,0,0.50K,500,0.00K,0,30.38,-81.68,30.38,-81.68,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","A tree was blown down on Fernandina Avenue. The time of damage was based on radar. The cost of damage was unknown, but it was estimated for the inclusion of the event in Storm Data." +118409,711608,FLORIDA,2017,August,Thunderstorm Wind,"NASSAU",2017-08-24 17:05:00,EST-5,2017-08-24 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.94,30.39,-81.94,"An approaching short wave trough as well as increased moisture from a tropical wave over the Gulf of Mexico combined with diurnal heating and instability over the area. These ingredient fueled severe storms that initiated along the sea breezes during the late afternoon and evening across near the Florida Atlantic coast.","A tree was blown down onto power lines on Church Avenue. The time of damage was based on radar." +119038,714927,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-25 19:30:00,EST-5,2017-08-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.63,-82.89,31.63,-82.89,"A front settled southward across the area as low pressure tracked along the boundary across north Florida through the day. Onshore flow focused the highest rain chances inland during the afternoon and evening, where a lone severe storm produced damage in Coffee county.","Trees and power lines were blown down in Broxton." +118716,713178,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-12 04:15:00,MST-7,2017-08-12 04:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.48,-112.34,33.48,-112.34,"Scattered monsoon thunderstorms developed across the greater Phoenix area at various times of the day, including the early afternoon and late evening hours, on August 12th. Some of the stronger storms impacted various west Phoenix communities such as Goodyear and Avondale and Buckeye. The storms produced typical monsoon weather hazards such as gusty damaging outflow winds as well as locally heavy rainfall. Flash flooding was observed during the late evening just to the west of Goodyear, near the intersection of Interstate 10 and the loop 303 freeway. The loop 303 southbound exit was flooded at Thomas Road and other roads were impassible near Sarival and McDowell Roads. Shortly after noon, several roads were reported closed due to washes flowing over them approximately 6 to 8 miles southeast of the town of Buckeye.","Isolated thunderstorms developed across portions of the greater Phoenix area during the early morning hours on August 12th and some of them affected the area around Litchfield Park in west Phoenix. According to a broadcast media report, at 0415MST gusty winds estimated to be up to 50 mph in strength blew down several trees near the intersection of Thomas and Dysart Roads, about 2 miles to the southeast of Litchfield Park." +118716,713179,ARIZONA,2017,August,Thunderstorm Wind,"MARICOPA",2017-08-12 22:30:00,MST-7,2017-08-12 22:30:00,0,0,0,0,30.00K,30000,0.00K,0,33.54,-112.21,33.54,-112.21,"Scattered monsoon thunderstorms developed across the greater Phoenix area at various times of the day, including the early afternoon and late evening hours, on August 12th. Some of the stronger storms impacted various west Phoenix communities such as Goodyear and Avondale and Buckeye. The storms produced typical monsoon weather hazards such as gusty damaging outflow winds as well as locally heavy rainfall. Flash flooding was observed during the late evening just to the west of Goodyear, near the intersection of Interstate 10 and the loop 303 freeway. The loop 303 southbound exit was flooded at Thomas Road and other roads were impassible near Sarival and McDowell Roads. Shortly after noon, several roads were reported closed due to washes flowing over them approximately 6 to 8 miles southeast of the town of Buckeye.","Thunderstorms moved across the western portion of the greater Phoenix area during the late evening hours on August 12th, and some of the storms affected the community of Glendale. One of the stronger storms generated gusty damaging microburst winds estimated to be upwards of 65 mph. According to a report from local broadcast media, at 2230MST microburst winds downed 2 large trees about 2 miles west of Glendale, near the intersection of West Glendale Avenue and North 71st Avenue. One of the large trees fell and landed on a house. Fortunately no injuries were reported due to the falling trees." +120692,723072,NEW YORK,2017,September,High Surf,"SOUTHEAST SUFFOLK",2017-09-19 06:00:00,EST-5,2017-09-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical cyclone Jose tracked north and east along the Mid Atlantic coast Tuesday September 19th, eventually passing about 150 to 200 miles southeast of Montauk Point Tuesday night into Wednesday morning. Generally 1 to 2 feet of surge was observed during the Tuesday Night and Wednesday morning high tides, resulting in minor to isolated moderate flooding thresholds being exceeded along the southern bays and Atlantic shore front communities of NYC and Long Island. The elevated water levels combined with incoming energetic swells from Jose, also brought surf of 7 to 13 feet. This caused widespread beachfront flooding, dune erosion, and localized wash overs.","At Hither Hills in Montauk, the entire beachfront experienced minor to moderate flooding with waves eroding the base of the dunes during the Tuesday morning through Wednesday morning high tides." +120692,722913,NEW YORK,2017,September,High Surf,"SOUTHWEST SUFFOLK",2017-09-19 06:00:00,EST-5,2017-09-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical cyclone Jose tracked north and east along the Mid Atlantic coast Tuesday September 19th, eventually passing about 150 to 200 miles southeast of Montauk Point Tuesday night into Wednesday morning. Generally 1 to 2 feet of surge was observed during the Tuesday Night and Wednesday morning high tides, resulting in minor to isolated moderate flooding thresholds being exceeded along the southern bays and Atlantic shore front communities of NYC and Long Island. The elevated water levels combined with incoming energetic swells from Jose, also brought surf of 7 to 13 feet. This caused widespread beachfront flooding, dune erosion, and localized wash overs.","At Robert Moses, minor to moderate flooding and beach erosion were observed during the Tuesday morning to Wednesday morning high tides.||Gilgo Beach had water up to the dunes during the Tuesday morning to Wednesday morning high tides, causing moderate erosion with a strong littoral drift.||A wash over cutting from ocean to bay occurred through the Otis Pike High Dune Wilderness Area just west of Smith Point on Fire Island during the Tuesday Night and Wednesday morning high tides." +120717,723050,NEW YORK,2017,September,Thunderstorm Wind,"PUTNAM",2017-09-05 15:55:00,EST-5,2017-09-05 15:55:00,0,0,0,0,1.00K,1000,,NaN,41.3223,-73.9762,41.3223,-73.9762,"An approaching cold front triggered isolated severe thunderstorms in Putnam County.","Trees were reported down on New York State Route 9D, one-quarter of a mile north of Bear Mountain Bridge." +120717,723053,NEW YORK,2017,September,Thunderstorm Wind,"PUTNAM",2017-09-05 16:19:00,EST-5,2017-09-05 16:19:00,0,0,0,0,1.00K,1000,,NaN,41.4593,-73.5561,41.4593,-73.5561,"An approaching cold front triggered isolated severe thunderstorms in Putnam County.","A tree was reported down near 450 East Branch Road in Putnam Lake." +120719,723056,CONNECTICUT,2017,September,Thunderstorm Wind,"NEW LONDON",2017-09-06 09:01:00,EST-5,2017-09-06 09:01:00,0,0,0,0,5.00K,5000,,NaN,41.43,-72.02,41.43,-72.02,"A passing cold front triggered isolated severe thunderstorms, which impacted New London County.","Multiple trees were reported down throughout town." +117453,706375,IOWA,2017,June,Hail,"TAYLOR",2017-06-28 16:10:00,CST-6,2017-06-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-94.68,40.65,-94.68,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported baseball sized hail. This is a delayed report." +117453,708353,IOWA,2017,June,Funnel Cloud,"TAMA",2017-06-28 19:20:00,CST-6,2017-06-28 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.1268,-92.3662,42.1268,-92.3662,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported a funnel cloud." +119034,714971,TEXAS,2017,September,Thunderstorm Wind,"CROSBY",2017-09-17 17:35:00,CST-6,2017-09-17 17:55:00,0,0,0,0,1.50M,1500000,0.50M,500000,33.8156,-101.553,33.7665,-101.086,"Scattered severe thunderstorms erupted this afternoon and tracked eastward across the South Plains and into the Rolling Plains. A few of these storms acquired deep rotation as they interacted with a stationary front draped west-to-east over the region, and resulted in swaths of destructive hail and significant straight line winds at times. One particularly intense supercell storm produced a large swath of downburst winds of 70 to 100 mph over portions of Lubbock, Hale, Crosby, and Dickens Counties.","A large and particularly destructive macroburst (downburst winds more than 2.5 miles in width) tracked east across most of northern Crosby County this evening, accompanied by winds ranging from 80 to 100 mph at times. Data from radar and damage patterns during a NWS storm survey indicated these intense winds were about five miles in width, and traveled for a distance of almost 30 miles. The community of Cone was struck especially hard by these winds. An older, single family home had a west-facing wall partially collapse, and the roof to a grain store was blown off and deposited on US Highway 62 forcing a temporary closure of the road. Additional damage in Cone consisted of several downed power lines, about ten snapped utility poles, a few downed trees, light to moderate building damage, and one metal shed that was destroyed and had its contents of antique tractors and vehicles damaged. The NWS damage survey also noted several dozen more damaged power lines throughout northern Crosby County, along with multiple center pivot irrigation systems overturned. Cotton, corn, and sorghum crops sustained light to moderate damage, however some crops used as silage were completely flattened by the intense winds. Combined losses in Crosby County alone are estimated to be nearly $2 million USD." +119499,717142,COLORADO,2017,September,Lightning,"ARCHULETA",2017-09-30 11:40:00,MST-7,2017-09-30 11:40:00,0,0,0,0,20.00K,20000,0.00K,0,37.1927,-107.1,37.1927,-107.1,"A strong thunderstorm in Archuleta County produced a number of cloud-to-ground lightning strikes, with at least one that resulted in property damage.","Lightning struck the Oak Brush communications site and damaged law enforcement communications equipment." +118902,714317,UTAH,2017,September,Flash Flood,"GRAND",2017-09-14 13:00:00,MST-7,2017-09-14 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7364,-109.5177,38.7396,-109.5228,"A progressive upper level disturbance, paired with the support from a maximum jetstream wind flow, trekked across the Four Corners region and resulted in numerous showers and thunderstorms. While these storms moved quickly they were still very efficient rainfall producers which led to localized heavy runoff and at least two flash floods where thunderstorms trained behind one another.","After a bout of heavy rain, the normally dry Salt Wash near the Delicate Arch parking lot in Arches National Park ran at least two feet deep and stranded several people." +119710,717949,COLORADO,2017,September,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-09-23 07:00:00,MST-7,2017-09-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and associated strong jet stream flow pushed through western Colorado and brought high elevation snow to some northern and central mountain areas of western Colorado.","Snowfall amounts of 6 to 9 inches were measured across the area above the 9000 foot level, including over 6 inches at the Grand Mesa Visitor's Center. Several vehicle accidents occurred on Colorado Highway 65 as a result of slick and snowpacked roads." +121510,727342,NORTH CAROLINA,2017,December,Winter Storm,"DAVIE",2017-12-08 12:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the southern foothills and northwest Piedmont of North Carolina, becoming all snow by early afternoon. As moderate to occasionally heavy snow continued across the area, heavy snowfall accumulations were reported by early evening. By the time the snow tapered off to flurries and light snow showers around midnight, total accumulations ranged from 3 to 5 inches across the area. Rain and sleet mixing in with the snow during the evening likely undercut these totals a bit, especially south of I-40. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121510,727343,NORTH CAROLINA,2017,December,Winter Storm,"CATAWBA",2017-12-08 12:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the southern foothills and northwest Piedmont of North Carolina, becoming all snow by early afternoon. As moderate to occasionally heavy snow continued across the area, heavy snowfall accumulations were reported by early evening. By the time the snow tapered off to flurries and light snow showers around midnight, total accumulations ranged from 3 to 5 inches across the area. Rain and sleet mixing in with the snow during the evening likely undercut these totals a bit, especially south of I-40. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121510,727344,NORTH CAROLINA,2017,December,Winter Storm,"GREATER RUTHERFORD",2017-12-08 12:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the southern foothills and northwest Piedmont of North Carolina, becoming all snow by early afternoon. As moderate to occasionally heavy snow continued across the area, heavy snowfall accumulations were reported by early evening. By the time the snow tapered off to flurries and light snow showers around midnight, total accumulations ranged from 3 to 5 inches across the area. Rain and sleet mixing in with the snow during the evening likely undercut these totals a bit, especially south of I-40. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +122302,732326,IDAHO,2017,December,Heavy Snow,"CACHE VALLEY/IDAHO PORTION",2017-12-22 14:00:00,MST-7,2017-12-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific system brought heavy snow to the mountains of southeast Idaho.","The city of Preston received 6 inches of snow." +122302,732327,IDAHO,2017,December,Heavy Snow,"WASATCH MOUNTAINS/IADHO PORTION",2017-12-22 18:00:00,MST-7,2017-12-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific system brought heavy snow to the mountains of southeast Idaho.","The Emigrant Summit SNOTEL recorded 12 inches of snow and the Slug Creek Divide SNOTEL recorded 14 inches." +119749,718151,CALIFORNIA,2017,August,Wildfire,"S SIERRA FOOTHILLS",2017-08-01 00:00:00,PST-8,2017-08-24 17:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Detwiler Fire began on July 16, 2017, 15 miles northwest of Mariposa, CA. It was human caused. It burned 81,826 acres, resulting in 63 residences, 67 minor structures and 1 commercial structure being destroyed with another 13 residences and 8 minor structures damaged. The fire forced the evacuation of several small rural communities for as long as 10 days and also the entire town of Mariposa (population 18,000) for 3 days. Parts of Highways 41, 49, and 140 were closed at times during the fire. The fire was contained on August 24, 2017. Cost of containment was $90 Million.","" +119790,718315,CALIFORNIA,2017,August,Wildfire,"TULARE CTY MTNS",2017-08-29 01:30:00,PST-8,2017-08-31 23:59:00,5,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The human caused Pier Fire began in the early morning hours of August 29, 2017 when a stolen car was set on fire and pushed off a cliff along Highway 190, 7 miles east of Springville, CA. The fire burned 36,556 acres before being contained on September 24, 2017. There were mandatory evacuations for the small communities of Camp Nelson, Pierpoint Springs, Cedar Slope, Sequoia Crest, Rogers Camp, Doyle Springs, Mountain Aire and Wishon for several weeks. Much of Highway 190 between Springville and Ponderosa was closed to traffic. There were 2 structures lost. Cost of containment was $38.76 million.","The human caused Pier Fire began in the early morning hours of August 29, 2017 when a stolen car was set on fire and pushed off a cliff along Highway 190, 7 miles east of Springville, CA. The fire burned 36,556 acres before being contained on September 24, 2017. There were mandatory evacuations for many small communities for several weeks and Highway 190 between Springville and Ponderosa was closed to traffic. There were 2 structures lost." +117433,706211,LAKE MICHIGAN,2017,August,Waterspout,"PORT WASHINGTON TO NORTH POINT LIGHT WI 5NM OFFSHORE TO MID LAKE",2017-08-10 17:05:00,CST-6,2017-08-10 17:14:00,0,0,0,0,0.00K,0,0.00K,0,43.2163,-87.645,43.1856,-87.6029,"A developing thunderstorm merged with an outflow boundary from another thunderstorm to produce a waterspout about 16 miles southeast of Port Washington. The waterspout lasted for 5 to 10 minutes per estimates from radar.","Public took a photograph of a waterspout on Lake Michigan. The start and end times and path length of the waterspout are estimated from radar." +117436,706238,LAKE MICHIGAN,2017,August,Marine Thunderstorm Wind,"SHEBOYGAN TO PT WASHINGTON WI",2017-08-10 15:48:00,CST-6,2017-08-10 15:48:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-87.692,43.75,-87.692,"Scattered strong thunderstorms affected the near shore waters of Lake Michigan during the late afternoon, producing strong wind gusts.","Passing thunderstorms producing strong wind gusts at Sheboygan lakeshore weather station." +117452,706359,WISCONSIN,2017,August,Rip Current,"KENOSHA",2017-08-07 17:30:00,CST-6,2017-08-07 17:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An 18 year old man drowned in Kenosha harbor after jumping into Lake Michigan from North Pier. Structural currents likely contributed to the man being pulled underwater.","An 18 year old male drowned after jumping from North Pier into Kenosha Harbor. Structural currents below the surface of Lake Michigan likely contributed to the drowning." +117894,708521,WISCONSIN,2017,August,Hail,"JEFFERSON",2017-08-03 12:15:00,CST-6,2017-08-03 12:15:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-88.95,43.07,-88.95,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +118968,715688,MARYLAND,2017,August,Flood,"HARFORD",2017-08-15 12:03:00,EST-5,2017-08-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6251,-76.3101,39.6233,-76.3091,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Sandy Hook Road flooded at Deer Creek." +118968,715689,MARYLAND,2017,August,Flood,"HARFORD",2017-08-15 12:05:00,EST-5,2017-08-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5567,-76.3451,39.5563,-76.3447,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Henderson Road flooded at a stream crossing near the 900 block." +118968,715691,MARYLAND,2017,August,Flash Flood,"BALTIMORE",2017-08-15 12:23:00,EST-5,2017-08-15 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2815,-76.493,39.2812,-76.4927,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Water two feet deep reported near North Point Road and German Hill Road in Dundalk." +118968,715692,MARYLAND,2017,August,Flash Flood,"BALTIMORE",2017-08-15 12:30:00,EST-5,2017-08-15 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2771,-76.7731,39.2771,-76.7724,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Edmonson Avenue flooded near Cooper Branch in the 3200 block." +118968,715694,MARYLAND,2017,August,Flash Flood,"BALTIMORE",2017-08-15 12:35:00,EST-5,2017-08-15 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2978,-76.5341,39.2972,-76.5315,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Multiple vehicles trapped in multiple feet of water on Erdman Avenue under the railroad tracks just west of I-95." +118968,715695,MARYLAND,2017,August,Flash Flood,"BALTIMORE",2017-08-15 12:37:00,EST-5,2017-08-15 14:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2899,-76.5063,39.289,-76.5034,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Flooding due to torrential rain was reported near the intersection of North Point Boulevard and Interstate 695." +118968,715696,MARYLAND,2017,August,Flood,"HARFORD",2017-08-15 12:46:00,EST-5,2017-08-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5337,-76.3917,39.5326,-76.3901,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Flooding on Vale Road near the intersection with North Tollgate Road." +119380,718055,MARYLAND,2017,August,Thunderstorm Wind,"CHARLES",2017-08-19 22:01:00,EST-5,2017-08-19 22:01:00,0,0,0,0,,NaN,,NaN,38.5819,-76.7553,38.5819,-76.7553,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","A tree was down near the Intersection of Wilkerson Road and Inheritance Drive." +119382,718056,VIRGINIA,2017,August,Thunderstorm Wind,"FAIRFAX",2017-08-21 14:19:00,EST-5,2017-08-21 14:19:00,0,0,0,0,,NaN,,NaN,38.9465,-77.212,38.9465,-77.212,"An unstable atmosphere led to a few severe thunderstorms.","One tree and a dozen large tree limbs were down near Georgetown Pike. The tree was blocking VA-193 eastbound." +119382,718057,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-21 16:02:00,EST-5,2017-08-21 16:02:00,0,0,0,0,,NaN,,NaN,38.5227,-77.7234,38.5227,-77.7234,"An unstable atmosphere led to a few severe thunderstorms.","Trees were down on Marsh Road and Harpers Run Road." +119382,718059,VIRGINIA,2017,August,Thunderstorm Wind,"CULPEPER",2017-08-21 16:51:00,EST-5,2017-08-21 16:51:00,0,0,0,0,,NaN,,NaN,38.4147,-77.8229,38.4147,-77.8229,"An unstable atmosphere led to a few severe thunderstorms.","Multiple trees were down and on wires by Route 3." +119382,718060,VIRGINIA,2017,August,Thunderstorm Wind,"ORANGE",2017-08-21 17:35:00,EST-5,2017-08-21 17:35:00,0,0,0,0,,NaN,,NaN,38.3601,-77.9468,38.3601,-77.9468,"An unstable atmosphere led to a few severe thunderstorms.","Trees were down at Raccoon Ford Road and Rebel Ridge Lane near the river." +119947,718871,DISTRICT OF COLUMBIA,2017,August,Heat,"DISTRICT OF COLUMBIA",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718872,MARYLAND,2017,August,Heat,"SOUTHERN BALTIMORE",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718874,MARYLAND,2017,August,Heat,"CHARLES",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718877,MARYLAND,2017,August,Heat,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718878,MARYLAND,2017,August,Heat,"CENTRAL AND SOUTHEAST HOWARD",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +117779,713493,MINNESOTA,2017,August,Tornado,"NICOLLET",2017-08-16 16:32:00,CST-6,2017-08-16 16:34:00,0,0,0,0,0.00K,0,0.00K,0,44.3939,-94.1851,44.412,-94.1809,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A spotter reported two tornadoes near New Sweden. This tornado was confirmed by viewing high-res satellite imagery. Corn fields were damaged." +117779,713496,MINNESOTA,2017,August,Tornado,"MCLEOD",2017-08-16 19:05:00,CST-6,2017-08-16 19:07:00,0,0,0,0,0.00K,0,0.00K,0,44.8517,-94.309,44.8508,-94.3246,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A brief EF0 tornado between Hutchinson and Biscay. It tracked through corn fields and damaged a few trees." +119611,717579,ARKANSAS,2017,August,Hail,"BAXTER",2017-08-19 15:05:00,CST-6,2017-08-19 15:05:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-92.19,36.27,-92.19,"Given all of the rain, flooding was almost non-existent locally. That changed on the 15th. The front had lifted a bit to the north by this time, and was draped across central Arkansas. Before dawn, a large cluster of thunderstorms hit areas along and north of the Arkansas River, mainly north and west of Little Rock (Pulaski County). At least two dozen reporting sites registered four inches of rain or more.||By 700 am CDT, a whopping 7.20 inches was reported at Damascus (Van Buren County)! That is two months of rain in just a few hours. Elsewhere, an impressive 5.95 inches of rain poured on Center Ridge (Conway County), with 4.90 inches at Ozark (Franklin County), 4.75 inches at Hattieville (Conway County), 4.10 inches at Conway (Faulkner County), and 4.08 inches at Coal Hill (Johnson County).|A subdivision flooded and cars were under water at Clarksville (Johnson County). It was the same story at Russellville (Pope County), and it looked like a lake near Arkansas State University. Roads were blocked off in Enola (Faulkner County) as water flowed over the pavement.||After dark on the 15th, isolated storms in the far north/west flooded Highway 59 near Natural Dam (Crawford County). There was a quick two to three inches of rain from Mountain Home to Gamaliel (both in Baxter County). ||We went from flooding to severe weather on the 18th, mainly from northwest into central Arkansas. Ten miles southwest of Harrison (Boone County), a barn was destroyed by damaging straight-line winds. Trees and power lines were blown down just northeast of Subiaco (Logan County) on Highways 197 and 288, and also along Highway 22 at Midway (Logan County). Trees were toppled along Highway 27 at Havana (Yell County).||Isolated storms redeveloped on the 19th, mainly across the north. One storm produced quarter size hail at Rodney (Baxter County).","" +119888,718670,KANSAS,2017,August,Flash Flood,"ATCHISON",2017-08-21 19:00:00,CST-6,2017-08-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4739,-95.2614,39.4552,-95.2638,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Water was flowing over roadways near Cummings." +119888,718671,KANSAS,2017,August,Flash Flood,"ATCHISON",2017-08-21 19:47:00,CST-6,2017-08-21 22:47:00,0,0,0,0,0.00K,0,0.00K,0,39.4231,-95.3437,39.4078,-95.3449,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Water was flowing over the roadways near Cummings." +119888,718672,KANSAS,2017,August,Flash Flood,"LEAVENWORTH",2017-08-21 21:25:00,CST-6,2017-08-22 00:25:00,0,0,0,0,0.00K,0,0.00K,0,39.2634,-94.8808,39.2629,-94.8833,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Kansas HWY 5 was shutdown near 7 Mile Creek, due to water flowing over the road." +121784,728939,ARKANSAS,2017,December,Thunderstorm Wind,"PULASKI",2017-12-04 22:25:00,CST-6,2017-12-04 22:25:00,0,0,0,0,5.00K,5000,0.00K,0,34.77,-92.41,34.77,-92.41,"Widespread appreciable rain was something Arkansas had not experienced for awhile. It was the driest fall (September, October, and November) on record in parts of the state, and drought conditions were worsening. Fortunately, a storm system and cold front from the Plains brought welcome downpours on December 4th.||Ahead of the front, a line of showers and thunderstorms moved through the region during the evening. A large part of the state received a half to an inch and a half of rain. Isolated storms became severe. Quarter size hail was reported a few miles west of Mena (Polk County). Trees were snapped and a well house was destroyed near Lonsdale (Saline County). Trees were downed and roof damage occurred in west Little Rock (Pulaski County).","Amateur radio operators reported trees and power lines downed on Kanis Rd. in west Little rock. There are reports of roof damage in the same area." +121786,729713,ARKANSAS,2017,December,Flash Flood,"JEFFERSON",2017-12-22 09:30:00,CST-6,2017-12-22 11:30:00,0,0,0,0,0.00K,0,0.00K,0,34.19,-92.02,34.1681,-92.051,"Heavy rains brought flooding in the latter part of December 2017.","Reports were received of a portion of a road washed out and water running over several roads and intersections." +121786,729716,ARKANSAS,2017,December,Flash Flood,"ARKANSAS",2017-12-22 09:37:00,CST-6,2017-12-22 11:37:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-91.4,34.4534,-91.4399,"Heavy rains brought flooding in the latter part of December 2017.","Reports were received of flash flooding and water running over the road between Stuttgart and Crocketts Bluff." +121786,729719,ARKANSAS,2017,December,Flash Flood,"JEFFERSON",2017-12-22 11:25:00,CST-6,2017-12-22 13:25:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-92.01,34.201,-92.0486,"Heavy rains brought flooding in the latter part of December 2017.","Reports were received of houses flooding." +121786,729722,ARKANSAS,2017,December,Flash Flood,"ARKANSAS",2017-12-22 12:20:00,CST-6,2017-12-22 14:20:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-91.55,34.4897,-91.5602,"Heavy rains brought flooding in the latter part of December 2017.","A parking lot and nearby areas were flooded. A car was submerged in water and needed a high water rescue." +121786,729727,ARKANSAS,2017,December,Flash Flood,"ARKANSAS",2017-12-22 13:43:00,CST-6,2017-12-22 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3673,-91.3582,34.344,-91.3602,"Heavy rains brought flooding in the latter part of December 2017.","Highway 130 was flooded just north of Murphy Rd." +121786,729729,ARKANSAS,2017,December,Flash Flood,"JEFFERSON",2017-12-22 17:18:00,CST-6,2017-12-22 19:18:00,0,0,0,0,0.00K,0,0.00K,0,34.3749,-91.9532,34.3486,-91.9339,"Heavy rains brought flooding in the latter part of December 2017.","Highway 15 had water over the lanes in several locations." +121786,729732,ARKANSAS,2017,December,Flash Flood,"PULASKI",2017-12-22 17:50:00,CST-6,2017-12-22 19:50:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-92.39,34.7693,-92.3962,"Heavy rains brought flooding in the latter part of December 2017.","Fairly deep water was running over some roads near the Rodney Parham and I430 interchange area." +121786,729734,ARKANSAS,2017,December,Flood,"PULASKI",2017-12-22 20:20:00,CST-6,2017-12-22 22:20:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-92.39,34.7461,-92.3932,"Heavy rains brought flooding in the latter part of December 2017.","Approximately 8 to 10 inches of standing water was present across one of the lanes at the beginning of I630 eastbound." +119764,718261,TEXAS,2017,August,Flash Flood,"DALLAS",2017-08-17 06:50:00,CST-6,2017-08-17 09:30:00,0,0,0,0,0.00K,0,0.00K,0,32.7474,-96.6008,32.747,-96.6036,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Broadcast media reported flooding along South Mesquite Creek neat Cartwright and Beltline Roads." +119764,718262,TEXAS,2017,August,Flash Flood,"DALLAS",2017-08-17 06:50:00,CST-6,2017-08-17 09:30:00,0,0,0,0,0.00K,0,0.00K,0,32.7491,-96.755,32.7435,-96.7553,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Dallas County Sheriff's Department reported flooding at the intersection of U.S. Highway 175 and Bexar Street in the city of Dallas, TX." +119764,718263,TEXAS,2017,August,Flood,"COLLIN",2017-08-17 05:30:00,CST-6,2017-08-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,33.03,-96.43,33.0293,-96.4403,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Collin County Sheriff's Department reported a few intersections being flooded along Highway 78 in the city of Lavon, TX." +119764,718264,TEXAS,2017,August,Flood,"COLLIN",2017-08-17 07:27:00,CST-6,2017-08-17 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1,-96.45,33.0358,-96.4401,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Collin County Sheriff's Department reported that Highway 78 on the east side of Lake Lavon had to be barricaded in several spots because of high water. Water was not moving, but had ponded in several spots from heavy rain." +119764,718265,TEXAS,2017,August,Flood,"HUNT",2017-08-17 08:35:00,CST-6,2017-08-17 11:00:00,0,0,0,0,0.00K,0,0.00K,0,33.1933,-96.2878,33.1755,-96.2909,"Thunderstorms which developed over the Southern Plains along a weak cold front dropped south across the Red River during he morning hours of Thursday August 17. Locally heavy rain led to flash flooding in a some areas from the Red River to the Dallas-Fort Worth Metroplex.","Hunt County Sheriff's Department reported water over County Roads 1123 and 1124, making them impassable." +119479,719344,TEXAS,2017,August,Lightning,"COLLIN",2017-08-07 00:50:00,CST-6,2017-08-07 00:50:00,0,0,0,0,100.00K,100000,0.00K,0,33.0676,-96.664,33.0676,-96.664,"A rare August cold front served as a focus for thunderstorm development as it sagged south of the Red River on Sunday August 6. Several reports of damaging winds occurred with these storms.","Lightning was blamed for a house fire near the intersection of Bright Star Way and Cloverhaven Way in the city of Plano, TX." +120255,720520,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"MARION",2017-08-31 18:48:00,EST-5,2017-08-31 18:49:00,0,0,0,0,1.00K,1000,0.00K,0,33.8628,-79.3268,33.8628,-79.3268,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","A tree was reported down on U.S. 378. The time was estimated based on radar data." +120255,720525,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DARLINGTON",2017-08-31 16:50:00,EST-5,2017-08-31 16:51:00,0,0,0,0,0.00K,0,0.00K,0,34.2986,-79.9247,34.2986,-79.9247,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","Two National Weather Service employees, located at the Darlington County EOC, estimated winds to 65 mph. They observed no damage from their vantage point." +120255,720532,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DARLINGTON",2017-08-31 16:51:00,EST-5,2017-08-31 16:52:00,0,0,0,0,5.00K,5000,0.00K,0,34.3024,-79.9199,34.3024,-79.9199,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","The roof of a mobile home on Nancys Dr. was blown off." +120255,720538,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DARLINGTON",2017-08-31 16:54:00,EST-5,2017-08-31 16:55:00,0,0,0,0,2.00K,2000,0.00K,0,34.3124,-79.9053,34.3124,-79.9053,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","Power lines were reported down along E Billy Farrow Highway about a half mile west of U.S. 52." +120220,720307,NEVADA,2017,August,Thunderstorm Wind,"WASHOE",2017-08-03 16:25:00,PST-8,2017-08-03 16:30:00,0,0,0,0,,NaN,,NaN,39.27,-119.82,39.27,-119.82,"Daytime heating and ample moisture beneath a strong ridge caused widespread convection over western Nevada and the eastern Sierra on August 3rd.","A pulse thunderstorm produced a strong outflow that caused 3-foot whitecaps along Washoe Lake along with several snapped tree limbs 3���4 inches in diameter. Washoe Valley Mesonet reported a 59 MPH wind gust from 1625���1630PST." +120270,720653,NEVADA,2017,August,Debris Flow,"CARSON CITY (C)",2017-08-22 14:45:00,PST-8,2017-08-22 14:55:00,0,0,0,0,0.00K,0,0.00K,0,39.1376,-119.9276,39.1376,-119.9271,"An upper-level area of low pressure near the California coast and a ridge axis over the eastern Great Basin combined to bring increased south to southeast flow into western Nevada and aided in producing a focusing mechanism for thunderstorms. These thunderstorms produced localized areas of heavy rainfall in far western Nevada.","An area of pulse thunderstorms caused boulders to slide onto Nevada State Highway 28 at mile marker 3. No damage reports/estimates were available." +120324,720964,KANSAS,2017,August,Hail,"STANTON",2017-08-10 19:35:00,CST-6,2017-08-10 19:35:00,0,0,0,0,,NaN,,NaN,37.66,-102,37.66,-102,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720965,KANSAS,2017,August,Hail,"STANTON",2017-08-10 19:45:00,CST-6,2017-08-10 19:45:00,0,0,0,0,,NaN,,NaN,37.52,-101.89,37.52,-101.89,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720966,KANSAS,2017,August,Hail,"MORTON",2017-08-10 20:50:00,CST-6,2017-08-10 20:50:00,0,0,0,0,,NaN,,NaN,37.12,-101.64,37.12,-101.64,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720967,KANSAS,2017,August,Hail,"MORTON",2017-08-10 21:00:00,CST-6,2017-08-10 21:00:00,0,0,0,0,,NaN,,NaN,37.12,-101.63,37.12,-101.63,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120120,720007,LOUISIANA,2017,August,Tornado,"CAMERON",2017-08-28 03:39:00,CST-6,2017-08-28 03:41:00,0,0,0,0,15.00K,15000,0.00K,0,29.7638,-93.71,29.7671,-93.7126,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","A tornado touched down near Highway 82 and flipped a shed and damaged trees. The path continued to the northwest and removed a portion of roofing on a home on Bills Lane." +120120,720008,LOUISIANA,2017,August,Flash Flood,"VERMILION",2017-08-28 13:00:00,CST-6,2017-08-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.01,-92.12,29.958,-92.0366,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Media shared images of flooding nearing several homes along 167 and Sandpit road. Other roads were flooded in Abbeville as well." +120167,720184,GULF OF MEXICO,2017,August,Marine Tropical Storm,"ATCHAFALAYA R TO INTRACOASTAL CITY LA 20 TO 60NM",2017-08-30 03:00:00,CST-6,2017-08-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As Tropical Harvey moved across the gulf winds increased. Minimal Tropical Storm conditions were observed.","A sustained wind of 34 knots with a peak gust of 41 knots was reported by KEIR AWOS." +118324,711018,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-02 15:00:00,MST-7,2017-08-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-101.44,41.57,-101.44,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711019,NEBRASKA,2017,August,Hail,"MCPHERSON",2017-08-02 16:19:00,CST-6,2017-08-02 16:19:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-101.3,41.44,-101.3,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Ping pong ball sized hail along with gusty winds reported at this location." +117257,719149,INDIANA,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 00:00:00,EST-5,2017-08-04 00:01:00,0,0,1,0,0.00K,0,0.00K,0,41.0843,-86.424,41.0843,-86.424,"An unstable, but poorly sheared environment allowed for several rounds of showers and thunderstorms from mid afternoon on the 3rd into the overnight hours of the 4th. Isolated wind damage occurred in a few locations, mainly to older or rotten trees.","A 45 year old male, riding a moped, struck a downed tree on State Route 17, near County Road 200 North. The driver was ejected and pronounced dead at a local hospital. The time noted for this entry was when the accident happened. Thunderstorms were not occurring at the time, but had occurred on the 3rd." +120200,720208,KANSAS,2017,August,Thunderstorm Wind,"CLOUD",2017-08-16 04:38:00,CST-6,2017-08-16 04:39:00,0,0,0,0,,NaN,,NaN,39.55,-97.65,39.55,-97.65,"An isolated thunderstorm produced quarter size hail in Pottawatomie County during the evening hours of August 13th. A complex of thunderstorms produced damaging winds in Cloud County during the early morning hours of August 16th. Additional thunderstorms during the afternoon hours of August 16th produced damaging wind reports across Anderson County.","" +120200,720209,KANSAS,2017,August,Thunderstorm Wind,"ANDERSON",2017-08-16 16:35:00,CST-6,2017-08-16 16:36:00,0,0,0,0,,NaN,,NaN,38.07,-95.25,38.07,-95.25,"An isolated thunderstorm produced quarter size hail in Pottawatomie County during the evening hours of August 13th. A complex of thunderstorms produced damaging winds in Cloud County during the early morning hours of August 16th. Additional thunderstorms during the afternoon hours of August 16th produced damaging wind reports across Anderson County.","Estimated wind gust report." +120200,720210,KANSAS,2017,August,Thunderstorm Wind,"ANDERSON",2017-08-16 16:30:00,CST-6,2017-08-16 16:31:00,0,0,0,0,,NaN,,NaN,38.11,-95.37,38.11,-95.37,"An isolated thunderstorm produced quarter size hail in Pottawatomie County during the evening hours of August 13th. A complex of thunderstorms produced damaging winds in Cloud County during the early morning hours of August 16th. Additional thunderstorms during the afternoon hours of August 16th produced damaging wind reports across Anderson County.","Estimated wind gust report." +120015,720212,KANSAS,2017,August,Thunderstorm Wind,"JACKSON",2017-08-21 19:17:00,CST-6,2017-08-21 19:18:00,0,0,0,0,,NaN,,NaN,39.23,-95.7,39.23,-95.7,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Delayed report of an ornamental tree, 10 inches in diameter was down on a neighbors house. Several 2-2.5 inch diameter limbs were down as well. Time was estimated from radar." +120015,720214,KANSAS,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-21 19:40:00,CST-6,2017-08-21 19:41:00,0,0,0,0,,NaN,,NaN,39.23,-95.5,39.23,-95.5,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Two inch diameter tree limb was down." +118551,713273,MASSACHUSETTS,2017,August,Flood,"NORFOLK",2017-08-02 16:35:00,EST-5,2017-08-02 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2907,-71.2346,42.2908,-71.2355,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 435 PM EST, Highland Avenue in Needham had flooding over the the sidewalks between Morton and Mellon Streets." +118551,713278,MASSACHUSETTS,2017,August,Flood,"SUFFOLK",2017-08-02 13:58:00,EST-5,2017-08-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3573,-71.0262,42.3572,-71.0252,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 158 PM EST, the Ted Williams Tunnel near Logan Airport flooded, with two feet of water trapping a car in the flood waters." +118551,713279,MASSACHUSETTS,2017,August,Flood,"MIDDLESEX",2017-08-02 17:09:00,EST-5,2017-08-02 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3331,-71.1733,42.3312,-71.1729,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","Between 509 PM and 527 PM EST, Beacon Street in Newton became flooded and impassable." +118761,713486,MASSACHUSETTS,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-03 18:32:00,EST-5,2017-08-03 18:32:00,0,0,0,0,3.00K,3000,0.00K,0,42.6947,-72.8991,42.6947,-72.8991,"A mid-level disturbance over the Great Lakes and moist unstable air over New England combined to generate a few damaging thunderstorms and heavy downpours in Northwestern Massachusetts during the afternoon of August 3rd.","At 632 PM EST, trees were brought down on Zoar Road and Hazelton Road in Rowe." +118761,713490,MASSACHUSETTS,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-03 18:55:00,EST-5,2017-08-03 18:55:00,0,0,0,0,1.00K,1000,0.00K,0,42.6928,-72.6349,42.6928,-72.6349,"A mid-level disturbance over the Great Lakes and moist unstable air over New England combined to generate a few damaging thunderstorms and heavy downpours in Northwestern Massachusetts during the afternoon of August 3rd.","At 655 PM EST, an amateur radio operator reported a tree down on Mid County Road in Leyden." +118769,716826,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-19 00:18:00,EST-5,2017-08-19 07:00:00,0,0,0,0,7.00K,7000,0.00K,0,41.73,-70.2,41.7215,-70.1604,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 1218 PM EST, a car was trapped in flood waters on Upper County Road near the Hart Farm. At 1220 AM EST, the parking lot at Ring Brothers Marketplace was flooded. At 1224 AM EST, Bob Crowell Road was flooded near the intersection with State Route 134 and the DPW was requested for assistance. At 1230 AM EST, the Sea Shell Motel on Chase Avenue had flooding on the first floor. At 321 AM EST, an amateur radio operator measured 6.95 inches of rain." +117407,706086,MONTANA,2017,August,Hail,"POWDER RIVER",2017-08-01 15:30:00,MST-7,2017-08-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,45.44,-105.63,45.44,-105.63,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","" +117472,711529,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MIFFLIN",2017-08-12 13:17:00,EST-5,2017-08-12 13:17:00,0,0,0,0,1.00K,1000,0.00K,0,40.7199,-77.5649,40.7199,-77.5649,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Salem Road between Blue Hollow Road and Jacks Lane in Armagh Township." +117472,711530,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MIFFLIN",2017-08-12 13:30:00,EST-5,2017-08-12 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,40.6426,-77.5792,40.6426,-77.5792,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down wires along North Main Street near Third Street in Derry Township." +117472,711531,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JUNIATA",2017-08-12 13:56:00,EST-5,2017-08-12 13:56:00,0,0,0,0,2.00K,2000,0.00K,0,40.5939,-77.3543,40.5939,-77.3543,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near the intersection of Route 35 and Jericho Road." +117472,711532,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JUNIATA",2017-08-12 14:00:00,EST-5,2017-08-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6388,-77.2661,40.6388,-77.2661,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees across northern Juniata County." +117472,711534,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JUNIATA",2017-08-12 14:09:00,EST-5,2017-08-12 14:09:00,0,0,0,0,3.00K,3000,0.00K,0,40.5662,-77.2455,40.5662,-77.2455,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees across roads in Thompsontown." +117608,707242,NORTH CAROLINA,2017,August,Rip Current,"EASTERN HYDE",2017-08-14 16:10:00,EST-5,2017-08-14 16:10:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 63-year-old man died after getting caught in a rip current while trying to help another swimmer in distress.","A 63-year-old man from out-of state died Monday (8/14) after getting caught in a rip current off Ocracoke Island while trying to help another swimmer in distress. The incident happened around 5:10 p.m. EDT near the Ocracoke Pony Pen beach access in Cape Hatteras National Seashore, according to a National Park Service statement. Park Service law enforcement rangers, Hyde County deputies, lifeguards, Ocracoke EMS and the Ocracoke Fire Department all responded to the incident but were unable to revive the man. The other swimmer was able to safely return to shore." +117624,707367,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 15:25:00,MST-7,2017-08-15 15:25:00,0,0,0,0,,NaN,,NaN,39.13,-103.47,39.13,-103.47,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707368,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 15:27:00,MST-7,2017-08-15 15:27:00,0,0,0,0,,NaN,,NaN,39.13,-103.47,39.13,-103.47,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707369,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 15:42:00,MST-7,2017-08-15 15:42:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-103.54,39.13,-103.54,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707370,COLORADO,2017,August,Hail,"DOUGLAS",2017-08-15 15:44:00,MST-7,2017-08-15 15:44:00,0,0,0,0,,NaN,,NaN,39.34,-104.8,39.34,-104.8,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707371,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 15:54:00,MST-7,2017-08-15 15:54:00,0,0,0,0,,NaN,,NaN,39.13,-103.47,39.13,-103.47,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707373,COLORADO,2017,August,Hail,"ELBERT",2017-08-15 16:47:00,MST-7,2017-08-15 16:47:00,0,0,0,0,,NaN,,NaN,39.08,-103.89,39.08,-103.89,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707374,COLORADO,2017,August,Hail,"ELBERT",2017-08-15 17:00:00,MST-7,2017-08-15 17:00:00,0,0,0,0,,NaN,,NaN,39,-103.74,39,-103.74,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117624,707375,COLORADO,2017,August,Hail,"LINCOLN",2017-08-15 17:34:00,MST-7,2017-08-15 17:34:00,0,0,0,0,,NaN,,NaN,38.96,-103.64,38.96,-103.64,"Severe thunderstorms produced large hail, from 1 to 2 inches in diameter.","" +117628,707383,COLORADO,2017,August,Thunderstorm Wind,"DENVER",2017-08-04 19:14:00,MST-7,2017-08-04 19:14:00,0,0,0,0,,NaN,,NaN,39.87,-104.67,39.87,-104.67,"Intense thunderstorm winds downed tree branches and electrical lines which produced localized outages.","" +117537,706895,COLORADO,2017,August,Hail,"EL PASO",2017-08-12 15:50:00,MST-7,2017-08-12 15:55:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-104.34,38.95,-104.34,"An isolated severe storm produced hail up to the size of quarters.","" +117531,706874,COLORADO,2017,August,Hail,"CUSTER",2017-08-04 14:55:00,MST-7,2017-08-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,38.21,-105.09,38.21,-105.09,"Isolated severe storms produced hail up to the size of half dollars.","" +117890,708492,TEXAS,2017,August,Heat,"SHELBY",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117890,708493,TEXAS,2017,August,Heat,"SABINE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117890,708494,TEXAS,2017,August,Heat,"SAN AUGUSTINE",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117890,708495,TEXAS,2017,August,Heat,"NACOGDOCHES",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117978,709156,NEW JERSEY,2017,August,Rip Current,"EASTERN CAPE MAY",2017-08-16 18:00:00,EST-5,2017-08-16 18:00:00,4,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Four people were injured from Rip currents, times unknown.","Four people were injured from Rip currents, times unknown." +117977,709155,NEW JERSEY,2017,August,Rip Current,"EASTERN CAPE MAY",2017-08-13 18:00:00,EST-5,2017-08-13 18:00:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Ten rescues and one injury occurred due to rip currents.","Ten rescues and an injury occurred due to rip currents." +117930,712591,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-19 17:00:00,EST-5,2017-08-19 17:00:00,0,0,0,0,50.00K,50000,0.00K,0,40.4333,-78.3387,40.4333,-78.3387,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a barb that was built in 1870." +117930,712592,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SOMERSET",2017-08-19 17:05:00,EST-5,2017-08-19 17:05:00,0,0,0,0,3.00K,3000,0.00K,0,40.0103,-79.0819,40.0103,-79.0819,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Somerset." +117930,712593,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SOMERSET",2017-08-19 17:05:00,EST-5,2017-08-19 17:05:00,0,0,0,0,3.00K,3000,0.00K,0,40.2254,-78.938,40.2254,-78.938,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Davidsville." +117930,712594,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CENTRE",2017-08-19 17:10:00,EST-5,2017-08-19 17:10:00,0,0,0,0,4.00K,4000,0.00K,0,40.7164,-77.9924,40.7164,-77.9924,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires on Anaconda Drive in Ferguson Township." +117930,712595,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CAMBRIA",2017-08-19 17:15:00,EST-5,2017-08-19 17:15:00,0,0,0,0,3.00K,3000,0.00K,0,40.7158,-78.535,40.7158,-78.535,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down live wires across Beaver Valley Road near Prince Gallitzin State Park." +117930,712596,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CENTRE",2017-08-19 17:22:00,EST-5,2017-08-19 17:22:00,0,0,0,0,3.00K,3000,0.00K,0,40.7582,-77.8812,40.7582,-77.8812,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down live wires across Whitehall Road in Ferguson Township." +117930,712597,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CENTRE",2017-08-19 17:30:00,EST-5,2017-08-19 17:30:00,0,0,0,0,6.00K,6000,0.00K,0,40.7287,-77.8782,40.7287,-77.8782,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees onto Pine Grove Mountain Road, closing the road above Pine Grove Mills." +118557,712260,NEBRASKA,2017,August,Hail,"MORRILL",2017-08-12 15:07:00,MST-7,2017-08-12 15:10:00,0,0,0,0,0.00K,0,0.00K,0,41.8147,-103.1,41.8147,-103.1,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Ping pong ball size hail was observed north of Bridgeport." +118557,712253,NEBRASKA,2017,August,Hail,"BOX BUTTE",2017-08-12 15:30:00,MST-7,2017-08-12 15:35:00,0,0,0,0,0.00K,0,0.00K,0,42.0276,-102.87,42.0276,-102.87,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Half dollar size hail covered Highway 385 south of Alliance." +118557,712257,NEBRASKA,2017,August,Hail,"MORRILL",2017-08-12 14:33:00,MST-7,2017-08-12 14:38:00,0,0,0,0,0.00K,0,0.00K,0,42,-103.01,42,-103.01,"Thunderstorms over portions of western Nebraska produced several occurrences of large hail, along with strong wind gusts and locally heavy rainfall.","Golf ball size hail fell along Highway 385. Several vehicles sustained broken windshields." +118215,712259,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 18:00:00,MST-7,2017-08-03 21:00:00,0,0,0,0,0.00K,0,0.00K,0,33.212,-111.6582,33.2284,-111.6652,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered thunderstorms, some with locally heavy rain, developed across the southeast portion of the greater Phoenix area during the late afternoon and early evening hours on August 3rd. Some of the stronger storms affected areas around the community of Queen Creek and the intense rain led to episodes of flash flooding as area washes quickly filled up with swiftly moving water. At about 1830MST, a mesonet station one mile southwest of Queen Creek reported a very rapid rise in the Sonoqui Wash near Hawes Road. The depth of the flow was about 2 feet at the crest. The flooding in the wash impacted local road crossings in the area. Fortunately no injuries occurred due to the flash flooding. A Flash Flood Warning was in effect during the flooding; it was issued at 1803MST and was cancelled at 2033MST." +118563,712267,WYOMING,2017,August,Thunderstorm Wind,"LARAMIE",2017-08-14 14:45:00,MST-7,2017-08-14 14:48:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-104.8008,41.14,-104.8008,"Thunderstorms produced strong wind gusts near Cheyenne and north of Lance Creek.","Estimated wind gusts of 55 to 60 mph were observed just east of Cheyenne." +118563,712269,WYOMING,2017,August,Thunderstorm Wind,"NIOBRARA",2017-08-14 17:15:00,MST-7,2017-08-14 17:18:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-104.65,43.4,-104.65,"Thunderstorms produced strong wind gusts near Cheyenne and north of Lance Creek.","Estimated wind gusts of 55 to 60 mph were observed north of Lance Creek." +117296,709469,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LYCOMING",2017-08-04 14:39:00,EST-5,2017-08-04 14:39:00,0,0,0,0,3.00K,3000,0.00K,0,41.2533,-76.8171,41.2533,-76.8171,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires along Bush Hollow Road near Pennsdale." +117296,709471,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-04 15:03:00,EST-5,2017-08-04 15:03:00,0,0,0,0,10.00K,10000,0.00K,0,40.8213,-76.2061,40.8213,-76.2061,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph blew off a portion of a roof on a structure on West Arlington Street in Shenandoah." +117296,709470,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LYCOMING",2017-08-04 14:47:00,EST-5,2017-08-04 14:47:00,0,0,0,0,3.00K,3000,0.00K,0,41.2138,-77.0346,41.2138,-77.0346,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires along Jack's Hollow Road in Armstrong Township." +117296,709472,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SULLIVAN",2017-08-04 15:27:00,EST-5,2017-08-04 15:27:00,0,0,0,0,6.00K,6000,0.00K,0,41.4923,-76.3565,41.4923,-76.3565,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in multiple locations in Colley Township." +118991,714744,MISSOURI,2017,August,Heat,"STODDARD",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714743,MISSOURI,2017,August,Heat,"SCOTT",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118991,714745,MISSOURI,2017,August,Heat,"WAYNE",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked from 105 to 109 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. The peak heat index at the Poplar Bluff and Sikeston airports was 108 degrees, and at the Cape Girardeau airport it was 105. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118995,714759,ILLINOIS,2017,August,Dense Fog,"ALEXANDER",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118995,714761,ILLINOIS,2017,August,Dense Fog,"PULASKI",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118995,714762,ILLINOIS,2017,August,Dense Fog,"MASSAC",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118995,714763,ILLINOIS,2017,August,Dense Fog,"JOHNSON",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +119296,716341,TEXAS,2017,August,Flash Flood,"ARMSTRONG",2017-08-10 07:06:00,CST-6,2017-08-10 07:06:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.5953,35.106,-101.5901,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported.","Flooding has been reported on county road 2 and fm 1151." +119296,716345,TEXAS,2017,August,Flash Flood,"RANDALL",2017-08-10 07:19:00,CST-6,2017-08-10 07:19:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-101.89,35.1509,-101.8822,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported.","Interstate 27 closed with traffic being diverted to the access roads. Flooding has also been reported in low spots on interstate 40 through town as well as most underpasses in downtown Amarillo." +119296,716347,TEXAS,2017,August,Hail,"HARTLEY",2017-08-10 19:37:00,CST-6,2017-08-10 19:37:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-102.3,35.63,-102.3,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported.","" +119298,716362,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-10 21:10:00,CST-6,2017-08-10 21:10:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-101.78,36.92,-101.78,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported. In this same atmosphere to the north across the OK Panhandle, convection that developed across SE Colorado moved south and produced hail and severe wind gusts across the OK Panhandle the evening of the 10th.","" +119407,716650,TEXAS,2017,August,Tornado,"POTTER",2017-08-13 19:00:00,CST-6,2017-08-13 19:01:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-101.71,35.319,-101.709,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","Brief tornado lasted about one minute." +119407,716651,TEXAS,2017,August,Thunderstorm Wind,"POTTER",2017-08-13 19:11:00,CST-6,2017-08-13 19:11:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-101.66,35.25,-101.66,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119407,716652,TEXAS,2017,August,Thunderstorm Wind,"POTTER",2017-08-13 19:12:00,CST-6,2017-08-13 19:12:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-101.72,35.22,-101.72,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119564,717440,OKLAHOMA,2017,August,Hail,"TEXAS",2017-08-27 19:45:00,CST-6,2017-08-27 19:45:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-101.79,36.51,-101.79,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","Mostly dime size hail with a few nickels. Max wind gusts were 50 MPH." +119564,717434,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-27 18:50:00,CST-6,2017-08-27 18:50:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-101.78,36.92,-101.78,"The environment for the storms that transpired on the 27th were in a high CAPE, low shear environment. A large upper level anti-cyclonic flow across the inter-mountain west. The main linear complex moving SE through Kansas earlier in the day on the east side of the large anti-cyclone along a cold front was the main lift axis for storm development. However, residual outflow from convection moving southwest from thew main complex in KS moved toward our region ahead of the front into an environment with good mid level lapse rates and good SBCAPE resulted in left moving convection through parts of the central and western Panhandles into the late evening hours. Convection that regenerated in SW Kansas eventually formed a bowed segment and severe wind gusts were reported. The line segments eventually became disorganized as the event went further into the evening moving further SW into the SW TX Panhandle.","" +117721,707871,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"PENNINGTON",2017-08-14 16:57:00,MST-7,2017-08-14 16:59:00,0,0,0,0,0.00K,0,0.00K,0,44.0728,-103.2111,44.0728,-103.2111,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707873,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:00:00,MST-7,2017-08-14 17:00:00,0,0,0,0,,NaN,0.00K,0,44.1379,-103.23,44.1379,-103.23,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707876,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:05:00,MST-7,2017-08-14 17:05:00,0,0,0,0,,NaN,0.00K,0,44.0626,-103.2553,44.0626,-103.2553,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +119698,717924,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-08-11 16:50:00,EST-5,2017-08-11 16:50:00,0,0,0,0,0.00K,0,0.00K,0,27.22,-80.2,27.22,-80.2,"A line of strong thunderstorms moved offshore the Treasure Coast. One of the storms produced wind gusts of 34 knots at Jensen Beach.","A Weatherflow mesonet site at Jensen Beach (XJEN) measured a gust to 34 knots as a strong thunderstorm moved offshore the mainland." +119702,717928,ATLANTIC SOUTH,2017,August,Waterspout,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-16 16:25:00,EST-5,2017-08-16 16:29:00,0,0,0,0,0.00K,0,0.00K,0,28.42,-80.74,28.42,-80.74,"A dramatic-looking waterspout lasted several minutes after forming in the Indian River of North Merritt Island. The waterspout was seen from as far south as Rockledge. A short time later, a thunderstorm produced strong winds over North Merritt Island and Cape Canaveral and the adjacent Banana River.","Several weather spotters and citizens observed a waterspout in the Indian River, just north of the Highway 528 Causeway in Merritt Island. Since the waterspout was not obscured by heavy rain, it was visible from all directions." +119702,717929,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-16 16:50:00,EST-5,2017-08-16 16:50:00,0,0,0,0,0.00K,0,0.00K,0,28.46,-80.67,28.46,-80.67,"A dramatic-looking waterspout lasted several minutes after forming in the Indian River of North Merritt Island. The waterspout was seen from as far south as Rockledge. A short time later, a thunderstorm produced strong winds over North Merritt Island and Cape Canaveral and the adjacent Banana River.","USAF wind tower 0803 over North Merritt Island reported wind gusts to 37 knots from the west-southwest as a strong thunderstorm moved to the Banana River and Cape Canaveral." +119704,717930,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-08-27 14:13:00,EST-5,2017-08-27 14:13:00,0,0,0,0,0.00K,0,0.00K,0,27.191,-80.19,27.191,-80.19,"A weak tropical disturbance resulted in showers and squalls moving off the peninsula and into the east-central Florida coastal waters. One of the squalls moved offshore with strong winds of 34 knots, affecting Stuart and the adjacent coastal and intracoastal waters.","The Witham Field ASOS in Stuart recorded wind gusts up to 34 knots from the west-southwest as squalls moved northeast across the intracoastal waters, barrier island and into the nearshore coastal waters." +119856,718531,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 20:51:00,CST-6,2017-08-05 23:51:00,0,0,0,0,0.00K,0,0.00K,0,38.7177,-93.9783,38.7035,-93.9772,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was over the road in Holden at the 300 block of E 10th St, near S Clay St." +119856,718532,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 20:52:00,CST-6,2017-08-05 23:52:00,0,0,0,0,0.00K,0,0.00K,0,38.7516,-93.5694,38.7754,-93.5676,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water over the road in Knob Noster in the vicinity of S Washington St, between Sunset and Division St." +119856,718533,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-05 20:53:00,CST-6,2017-08-05 23:53:00,0,0,0,0,0.00K,0,0.00K,0,39.2389,-94.8091,39.2446,-94.788,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Highway 45 between NW Jones Myer Road and NW Baker Road was closed by MODOT due to water over the road." +122186,731453,TEXAS,2017,December,Winter Weather,"GILLESPIE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119961,718981,SOUTH DAKOTA,2017,August,Drought,"HYDE",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718982,SOUTH DAKOTA,2017,August,Drought,"HAND",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117628,707382,COLORADO,2017,August,Thunderstorm Wind,"BOULDER",2017-08-04 18:45:00,MST-7,2017-08-04 18:45:00,0,0,0,0,,NaN,,NaN,40.09,-105.07,40.09,-105.07,"Intense thunderstorm winds downed tree branches and electrical lines which produced localized outages.","Intense thunderstorm winds snapped tree branches which knocked down power lines. |Power outages were reported along CO 52 near County Line Road. Outages were also reported in the vicinity CO 52 and CO 287." +118482,711920,COLORADO,2017,August,Hail,"WASHINGTON",2017-08-24 16:20:00,MST-7,2017-08-24 16:20:00,0,0,0,0,,NaN,,NaN,39.91,-103.33,39.91,-103.33,"Severe thunderstorms produced hail up to quarter size across parts of Logan, Morgan and Washington counties.","" +118482,711921,COLORADO,2017,August,Hail,"LOGAN",2017-08-24 16:24:00,MST-7,2017-08-24 16:24:00,0,0,0,0,,NaN,,NaN,40.76,-103.01,40.76,-103.01,"Severe thunderstorms produced hail up to quarter size across parts of Logan, Morgan and Washington counties.","" +118482,711922,COLORADO,2017,August,Hail,"MORGAN",2017-08-24 17:53:00,MST-7,2017-08-24 17:53:00,0,0,0,0,,NaN,,NaN,40.26,-103.78,40.26,-103.78,"Severe thunderstorms produced hail up to quarter size across parts of Logan, Morgan and Washington counties.","" +117431,706196,COLORADO,2017,August,Hail,"ADAMS",2017-08-10 14:05:00,MST-7,2017-08-10 14:05:00,0,0,0,0,,NaN,,NaN,38.73,-104.82,38.73,-104.82,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706197,COLORADO,2017,August,Hail,"LARIMER",2017-08-10 14:05:00,MST-7,2017-08-10 14:05:00,0,0,0,0,,NaN,,NaN,40.54,-105.12,40.54,-105.12,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +120004,719128,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:11:00,EST-5,2017-08-04 16:11:00,0,0,0,0,,NaN,,NaN,43.32,-73.64,43.32,-73.64,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was leaning on wires." +120004,719129,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:15:00,EST-5,2017-08-04 16:15:00,0,0,0,0,,NaN,,NaN,43.35,-73.7,43.35,-73.7,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Large tree branches were down near Six Flags Great Escape." +120020,719223,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-02 15:09:00,EST-5,2017-08-02 15:19:00,0,0,0,0,,NaN,,NaN,39.36,-76.37,39.36,-76.37,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","Wind gusts of 37 to 46 knots were reported at Gunpowder." +122186,731444,TEXAS,2017,December,Winter Weather,"BASTROP",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119754,718248,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 19:30:00,EST-5,2017-08-04 19:30:00,0,0,0,0,2.50K,2500,0.00K,0,41.25,-78.79,41.25,-78.79,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,718250,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 19:44:00,EST-5,2017-08-04 19:44:00,0,0,0,0,2.50K,2500,0.00K,0,41.09,-78.89,41.09,-78.89,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,719666,PENNSYLVANIA,2017,August,Thunderstorm Wind,"GREENE",2017-08-04 12:45:00,EST-5,2017-08-04 12:45:00,0,0,0,0,2.50K,2500,0.00K,0,39.9416,-80.3621,39.9416,-80.3621,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down on Grange Road." +119754,719667,PENNSYLVANIA,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-04 13:08:00,EST-5,2017-08-04 13:08:00,0,0,0,0,2.50K,2500,0.00K,0,40.38,-80.39,40.38,-80.39,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down." +119754,719668,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 15:00:00,EST-5,2017-08-04 15:00:00,0,0,0,0,8.00K,8000,0.00K,0,41.28,-79.12,41.28,-79.12,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported numerous trees down throughout the county." +119756,718174,OHIO,2017,August,Thunderstorm Wind,"GUERNSEY",2017-08-04 11:53:00,EST-5,2017-08-04 11:53:00,0,0,0,0,1.00K,1000,0.00K,0,39.97,-81.56,39.97,-81.56,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down at Pioneer Rd and Country Club Rd." +119756,718176,OHIO,2017,August,Thunderstorm Wind,"GUERNSEY",2017-08-04 12:06:00,EST-5,2017-08-04 12:06:00,0,0,0,0,1.00K,1000,0.00K,0,40.05,-81.33,40.05,-81.33,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Law enforcement reported trees down in Middlebourne." +119756,718178,OHIO,2017,August,Thunderstorm Wind,"GUERNSEY",2017-08-04 12:15:00,EST-5,2017-08-04 12:15:00,0,0,0,0,10.00K,10000,0.00K,0,40.12,-81.35,40.12,-81.35,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Law enforcement reported several trees down with one of them on a house." +120166,719991,MICHIGAN,2017,August,Flash Flood,"WAYNE",2017-08-28 18:15:00,EST-5,2017-08-28 20:45:00,0,0,0,0,0.00K,0,0.00K,0,42.2815,-83.0992,42.4388,-82.8767,"Thunderstorms producing heavy rain produced flash flooding in Detroit and the northern suburbs. 2 to 3 inches with isolated 4 inch amounts occurred in roughly a three hour window. Freeways were closed due to flooding, along with flooding and road closures on|some surface streets.","" +120051,719412,ALABAMA,2017,August,Tornado,"PICKENS",2017-08-31 14:40:00,CST-6,2017-08-31 14:54:00,6,0,0,0,0.00K,0,0.00K,0,33.3793,-88.0344,33.525,-87.9542,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in northern Pickens County and determined that the damage was consistent with an EF2 tornado. The tornado touched down at 7th Ave SW in the town of Reform. The tornado tracked northeast crossing Highway 82 and into residential areas where the worst damage occurred. Several single family wood framed homes and a mobile home were destroyed. One wood framed home was completely swept off its foundation. Several vehicles were also overturned. Four people, including an infant, were in the house that was swept off its foundation. They only suffered minor injuries. The tornado continued northeast and crossed near the intersection of County Road 25 and 15th Ave NW where numerous trees were snapped and uprooted. It then crossed Highway 17 about one mile south of County Road 8 where several trees were snapped and a house lost part of its roof. The tornado paralleled Highway 17 for several miles and did extensive tree and power line damage in the community of Palmetto. A fire station was also heavily damaged in Palmetto. From Palmetto, it traveled along County Road 59 where is snapped and uprooted trees, then it crossed into extreme southeast Lamar County." +120051,719421,ALABAMA,2017,August,Tornado,"LAMAR",2017-08-31 14:54:00,CST-6,2017-08-31 14:58:00,0,0,0,0,0.00K,0,0.00K,0,33.525,-87.9542,33.5419,-87.9462,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in extreme southeast Lamar County and determined that the damage was consistent with an EF0 tornado. This tornado moved out of Pickens County and across the extreme southeast tip of Lamar County. The tornado exited Lamar County near Junkins Road. Damage in Lamar County was limited mainly to uprooted pine trees." +120051,719987,ALABAMA,2017,August,Tornado,"FAYETTE",2017-08-31 14:58:00,CST-6,2017-08-31 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.5419,-87.9462,33.7901,-87.8125,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in western Fayette County and determined that the damage was consistent with an EF1 tornado. The tornado moved out of extreme southeast Lamar County and continued northeast across the western portions of Fayette County, with numerous trees snapped and uprooted. Just before the tornado crossed Highway 96, it produced extensive tree damage at the Fayette Country Club Golf Course. It continued northeast crossing County Road 18 and Wilkinson Road, and then to County Road 85 near Earl Housh Road. It paralleled County Road 85 for several miles, producing tree damage. It finally lifted about one mile southwest of the intersection of Highway 43 and Housh Chapel Road." +121224,725928,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WADENA",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +118315,710970,CONNECTICUT,2017,August,Flash Flood,"LITCHFIELD",2017-08-02 15:02:00,EST-5,2017-08-02 18:00:00,0,0,0,0,5.00K,5000,1.00K,1000,41.85,-73.33,41.85,-73.3275,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","Four to six inches of water on Route 125 led to a road closure. Part of the road was also washed out." +118315,710971,CONNECTICUT,2017,August,Flash Flood,"LITCHFIELD",2017-08-02 15:15:00,EST-5,2017-08-02 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,41.72,-73.47,41.7241,-73.4735,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","Route 341 and South Kent Road were closed due to water over the roadways. Multiple trees were also downed by severe thunderstorm winds." +118315,710972,CONNECTICUT,2017,August,Hail,"LITCHFIELD",2017-08-02 14:57:00,EST-5,2017-08-02 14:58:00,0,0,0,0,,NaN,,NaN,41.66,-73.46,41.66,-73.46,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","One inch hail was reported." +118315,710973,CONNECTICUT,2017,August,Lightning,"LITCHFIELD",2017-08-02 14:45:00,EST-5,2017-08-02 14:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.83,-73.23,41.83,-73.23,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","A tree was struck by lightning and caught fire. The time was estimated by radar." +121224,725935,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"GRANT",2017-12-29 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid air mass dropped southward out of Canada, bringing some of the coldest air of the year. The morning of the 31st was the coldest, with many stations getting down to 25 below to 35 below zero. The coldest wind chill readings dipped to around 55 below zero.","" +121160,727753,NORTH DAKOTA,2017,December,Heavy Snow,"GRAND FORKS",2017-12-20 19:30:00,CST-6,2017-12-21 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +121160,727754,NORTH DAKOTA,2017,December,Heavy Snow,"STEELE",2017-12-20 19:30:00,CST-6,2017-12-21 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +121160,727755,NORTH DAKOTA,2017,December,Heavy Snow,"TRAILL",2017-12-20 19:30:00,CST-6,2017-12-21 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +119035,722097,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-19 23:46:00,CST-6,2017-09-19 23:47:00,0,0,0,0,0.00K,0,0.00K,0,45.4354,-95.0656,45.4485,-95.0259,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A few dozen trees were damaged, the roof of an open sided shed was blown off, and several corn fields were damaged. This area may have been an earlier beginning point of the Belgrade tornado, but damage was too scant to be certain, and therefore this damage has been listed as thunderstorm wind damage." +119751,718165,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 05:02:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9,-86.59,34.9041,-86.5925,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The intersection of Grimwood Road and Cherry Drive is considered impassable due to fast flowing water." +119751,718180,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 05:48:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.91,-86.73,34.9115,-86.7341,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","The intersection of Old Railroad Bed Road and Dan Crutcher Road is considered impassable due to flowing water." +120255,720518,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"HORRY",2017-08-31 18:54:00,EST-5,2017-08-31 18:55:00,0,0,0,0,1.00K,1000,0.00K,0,33.8387,-79.2228,33.8387,-79.2228,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","A tree was reported down at the intersection of U.S. 378 and Pee Dee Hwy." +120186,720157,GEORGIA,2017,August,Flash Flood,"MONTGOMERY",2017-08-25 18:30:00,EST-5,2017-08-25 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.261,-82.5079,32.2551,-82.5077,"Scattered showers and thunderstorms riding a stationary front across central GA led to isolated flash flooding.","The 911 Call Center reported Old Kibbee Road South was washed out. Little Swift Creek intersects Old Kibbee road and may have influenced the flooding along this roadway. Radar estimates 2.5-4 inches of rain in the vicinity." +120186,720250,GEORGIA,2017,August,Flash Flood,"DODGE",2017-08-25 19:00:00,EST-5,2017-08-25 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.0142,-83.249,32.014,-83.249,"Scattered showers and thunderstorms riding a stationary front across central GA led to isolated flash flooding.","The 911 Call Center reported that a portion of Coffee Cemetery Road washed out due to flooding, which is north of US HWY 280 and HWY 87 junction. Radar estimated between 3 and 5 inches in this vicinity." +120182,720132,GEORGIA,2017,August,Thunderstorm Wind,"EMANUEL",2017-08-09 12:08:00,EST-5,2017-08-09 12:20:00,0,0,0,0,5.00K,5000,,NaN,32.6702,-82.185,32.578,-82.1343,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","The Emanuel County Emergency Manager reported trees blown down from around the intersection of Highway 192 and Canoochee Road in Canoochee to around the intersection of Highway 80 and George L. Smith State Park Road near Twin City." +120182,720149,GEORGIA,2017,August,Flash Flood,"FULTON",2017-08-09 08:15:00,EST-5,2017-08-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.8859,-84.3595,33.8858,-84.3592,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","Broadcast Media reported the Windsor Parkways Bridge over Nancy Creek had several feet of water over it. The Nancy Creek Gage at Buckhead (NCKG1) and at Chamblee went into minor flood stage at 745am EST and 630am EST, respectively." +120182,720151,GEORGIA,2017,August,Flash Flood,"FULTON",2017-08-09 09:45:00,EST-5,2017-08-09 11:45:00,0,0,0,0,0.00K,0,0.00K,0,33.8639,-84.404,33.8638,-84.404,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","Emergency Manager reported a property on Northside Drive became inundated with flood waters from the adjacent Nancy Creek. The water was rapidly moving across the front yard and driveways, cutting off access to the property." +119971,720708,UTAH,2017,August,Flash Flood,"IRON",2017-08-06 13:30:00,MST-7,2017-08-06 23:30:00,0,0,0,0,50.00K,50000,0.00K,0,37.8,-112.78,37.8434,-112.8567,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Multiple rounds of heavy rain over the Brianhead Fire burn scar produced both flash flooding and debris flows. This debris and water first inundated State Route 143, ultimately closing portions of the roadway for multiple days. A second round of rain in the early evening hours flowed into Parowan Creek and ran into the town of Parowan, with water 6-8 feet above normal stage during the event. This later flooding damaged four homes in Parowan, primarily basements. In addition, flood damage occurred along Old United States Highway 91, as well as northbound lanes of Interstate 15 between milepost 73 and Parowan. The debris field along Interstate 15 was approximately an eighth of a mile long, and forced the closure of the roadway for several hours." +119972,718995,UTAH,2017,August,Thunderstorm Wind,"TOOELE",2017-08-08 16:45:00,MST-7,2017-08-08 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-113.7,39.95,-113.7,"The airmass over Utah dried out a bit for the 2nd week of August, helping thunderstorms to produce stronger wind gusts across primarily western Utah.","The Callao sensor in the U.S. Army Dugway Proving Ground mesonet recorded a peak wind gust of 59 mph." +119972,718997,UTAH,2017,August,Thunderstorm Wind,"TOOELE",2017-08-10 16:00:00,MST-7,2017-08-10 16:05:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-113.54,39.98,-113.54,"The airmass over Utah dried out a bit for the 2nd week of August, helping thunderstorms to produce stronger wind gusts across primarily western Utah.","A peak wind gust of 60 mph was recorded at the Causeway sensor in the U.S. Army Dugway Proving Ground mesonet." +119973,719000,UTAH,2017,August,Hail,"CARBON",2017-08-13 15:30:00,MST-7,2017-08-13 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-110.8,39.6,-110.8,"Isolated thunderstorms formed over Utah on August 13, producing large hail and gusty winds.","Nickel-sized hail was reported near Price." +119973,720462,UTAH,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-13 12:00:00,MST-7,2017-08-13 12:20:00,0,0,0,0,1.00K,1000,0.00K,0,37.1168,-113.5417,37.1168,-113.5417,"Isolated thunderstorms formed over Utah on August 13, producing large hail and gusty winds.","An outflow from a thunderstorm south of St. George caused damage near the Red Cliffs Mall. Eight trees, 5 to 12 inches in diameter, were uprooted by these strong winds." +119973,718999,UTAH,2017,August,Hail,"SALT LAKE",2017-08-13 14:14:00,MST-7,2017-08-13 14:14:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-111.9,40.61,-111.9,"Isolated thunderstorms formed over Utah on August 13, producing large hail and gusty winds.","A member of the public reported dime-sized hail near Interstate 15 and 7200 South." +119974,719020,UTAH,2017,August,Flash Flood,"IRON",2017-08-20 21:30:00,MST-7,2017-08-20 22:30:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-112.87,37.8364,-112.8773,"Afternoon thunderstorms continued over Utah in the second half of August, with some producing flash flooding or large hail.","Flash flooding along Parowan Creek spilled over onto Interstate 15, temporarily closing the right-hand lane of northbound Interstate 15." +120071,719459,FLORIDA,2017,August,Flash Flood,"ESCAMBIA",2017-08-30 07:00:00,CST-6,2017-08-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-87.22,30.4126,-87.2266,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in northwest Florida.","Heavy rains caused flooding in the Pensacola area." +120071,719460,FLORIDA,2017,August,Flash Flood,"SANTA ROSA",2017-08-30 07:20:00,CST-6,2017-08-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.63,-87.03,30.6274,-87.0308,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in northwest Florida.","Heavy rains caused several roads to be closed due to flooding." +120072,719462,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-30 07:00:00,CST-6,2017-08-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6384,-88.3795,30.5139,-88.3699,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Numerous reports of flooding across central and southern Mobile County." +120072,719463,ALABAMA,2017,August,Flash Flood,"BALDWIN",2017-08-30 07:30:00,CST-6,2017-08-30 09:30:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-87.57,30.2662,-87.6002,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Flooding caused several road closures in Orange Beach." +120072,719596,ALABAMA,2017,August,Flash Flood,"BALDWIN",2017-08-30 07:40:00,CST-6,2017-08-30 09:40:00,0,0,0,0,0.00K,0,0.00K,0,30.3605,-87.7869,30.2817,-87.6984,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Heavy rain caused numerous road closures across southern Baldwin County." +120072,719600,ALABAMA,2017,August,Thunderstorm Wind,"CRENSHAW",2017-08-30 16:33:00,CST-6,2017-08-30 16:35:00,0,0,0,0,5.00K,5000,0.00K,0,31.95,-86.32,31.95,-86.32,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Winds estimated at 60 mph downed a few trees." +120065,719446,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-29 18:55:00,CST-6,2017-08-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.538,-88.2822,30.5331,-88.2779,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Heavy rain caused water to flow over the roadway." +120065,719447,ALABAMA,2017,August,Flash Flood,"MOBILE",2017-08-29 19:10:00,CST-6,2017-08-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6983,-88.2384,30.6983,-88.2375,"The eastern fringes of Tropical Storm Harvey produced heavy rain over the area, which resulted in flooding in southwest Alabama.","Heavy rain caused water to flow over the roadway." +120066,719448,ALABAMA,2017,August,Coastal Flood,"BALDWIN INLAND",2017-08-30 05:00:00,CST-6,2017-08-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, gusty winds on the far eastern fringes of Tropical Storm Harvey resulted in above normal tides and minor coastal flooding on the Mobile Bay Causeway.","Coastal Flooding observed on the causeway." +120070,719458,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-08-30 05:54:00,CST-6,2017-08-30 05:54:00,0,0,0,0,0.00K,0,0.00K,0,30.1551,-87.5665,30.1551,-87.5665,"Thunderstorms on the far eastern fringes of Tropical Storm Harvey moved over the marine area and produced strong winds.","" +119735,718103,OKLAHOMA,2017,August,Flash Flood,"CHOCTAW",2017-08-07 00:00:00,CST-6,2017-08-07 03:15:00,0,0,0,0,0.00K,0,0.00K,0,34.0221,-95.552,33.9806,-95.5517,"Thunderstorms developed along an outflow boundary that was positioned across southeastern Oklahoma. These thunderstorms focused locally heavy rainfall across the area, which resulted in flooding in Choctaw County.","Numerous roads were flooded and closed in Hugo. Highway 271 south of Hugo was briefly closed due to flooding." +117226,721031,KENTUCKY,2017,August,Thunderstorm Wind,"METCALFE",2017-08-02 16:15:00,CST-6,2017-08-02 16:15:00,0,0,0,0,40.00K,40000,0.00K,0,36.9533,-85.5861,36.9533,-85.5861,"Afternoon to evening thunderstorms developed the first few days of August 2017. The atmosphere was plenty unstable but a lack of deep wind shear prevented storms from being anything more organized than pulse and marginally severe. A few instances of 1 inch hail was reported along with isolated reports of downed trees and 55 to 60 mph wind gusts.","Trees fell on the roofs of two houses." +117394,705998,KENTUCKY,2017,August,Thunderstorm Wind,"ALLEN",2017-08-06 16:10:00,CST-6,2017-08-06 16:10:00,0,0,0,0,,NaN,0.00K,0,36.65,-85.98,36.65,-85.98,"A storm system lifting out of the Tennessee Valley combined with existing heat and humidity to produce scattered strong to severe thunderstorms on August 6. One storm downed trees in Allen County, and heavy rainfall caused minor roadway flooding.","State officials reported trees down in the southeast part of the county." +117394,721032,KENTUCKY,2017,August,Flood,"CLINTON",2017-08-06 20:45:00,CST-6,2017-08-06 21:45:00,0,0,0,0,0.00K,0,0.00K,0,36.7016,-85.1403,36.7011,-85.1406,"A storm system lifting out of the Tennessee Valley combined with existing heat and humidity to produce scattered strong to severe thunderstorms on August 6. One storm downed trees in Allen County, and heavy rainfall caused minor roadway flooding.","Water was covering West Hill Street." +117394,721033,KENTUCKY,2017,August,Flood,"SIMPSON",2017-08-06 21:29:00,CST-6,2017-08-06 22:29:00,0,0,0,0,0.00K,0,0.00K,0,36.7064,-86.4637,36.709,-86.461,"A storm system lifting out of the Tennessee Valley combined with existing heat and humidity to produce scattered strong to severe thunderstorms on August 6. One storm downed trees in Allen County, and heavy rainfall caused minor roadway flooding.","Minor flooding was reported with water over Scottsville Road and Gold City road 6 miles east of Franklin. The Emergency Manager stated these areas flood frequently in rain events." +119741,718123,OKLAHOMA,2017,August,Flash Flood,"PITTSBURG",2017-08-14 15:15:00,CST-6,2017-08-14 19:15:00,0,0,0,0,0.00K,0,0.00K,0,34.9302,-95.7075,34.933,-95.7126,"A warm front lifted slowly north out of northern Texas on the 14th. Ahead of this feature, slow moving and heavy rain producing thunderstorms occurred across southeastern Oklahoma, resulting in localized flooding across portions of Pittsburg County.","Portions of some roads were flooded near Krebs, including Highway 270. A swift water rescue was conducted on Krebs Lake Road." +119869,718567,ARKANSAS,2017,August,Flash Flood,"FRANKLIN",2017-08-15 07:14:00,CST-6,2017-08-15 08:00:00,0,0,0,0,40.00K,40000,0.00K,0,35.5427,-93.8653,35.546,-93.8541,"Showers and thunderstorms occurred across portions of west-central Arkansas on the morning of the 15th, to the north of a stationary front located south of the Red River. A complex of thunderstorms also occurred during the late afternoon and evening, as a cold front pushed through the region. Heavy rainfall was observed during both events, resulting in localized flooding across portions of west-central Arkansas.","Flood water inundated several homes along Highway 23 north of Ozark." +118431,714440,NEBRASKA,2017,August,Thunderstorm Wind,"FURNAS",2017-08-16 15:54:00,CST-6,2017-08-16 15:54:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-99.9,40.3,-99.9,"Despite the post-frontal environment over South Central Nebraska on this Wednesday afternoon not being overly-supportive of severe weather, a small cluster of storms managed to intensify enough to yield a few severe-criteria wind reports over northern Furnas County between 4:30-5:00 p.m. CDT. First, a mesonet station near Cambridge clocked a 66 MPH gust, followed a short time later by a spotter-estimated 60 MPH gust in Arapahoe. For the next few hours, this convective cluster marched on through portions of Harlan, Franklin and Webster counties, but generated no additional storm reports. ||In the mid-upper levels, a slow-moving shortwave trough gradually trudged eastward across the region over the course of the day. At the surface, the primary low pressure center had already reached the NE-IA border by afternoon, with a fairly well-defined cold front trailing southward through eastern KS into OK. This placed South Central Nebraska in a large-scale post-frontal regime featuring northwest breezes. Nonetheless, residual low-level moisture with surface dewpoints into at least the low-60s F teamed with steepening low-level lapse rates to yield a sneaky thunderstorm setup. Around the time of the Furnas County wind reports, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE but no more than 30 knots of deep layer wind shear.","Wind gusts were estimated to be near 60 MPH." +120085,719542,MAINE,2017,August,Thunderstorm Wind,"OXFORD",2017-08-02 16:40:00,EST-5,2017-08-02 16:45:00,0,0,0,0,0.00K,0,0.00K,0,44.13,-70.89,44.13,-70.89,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells in New Hampshire. A few cells held together to make it into western Maine producing some isolated wind damage.","A severe thunderstorm downed a tree and power lines in Lovell." +120085,719543,MAINE,2017,August,Thunderstorm Wind,"OXFORD",2017-08-02 18:10:00,EST-5,2017-08-02 18:15:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-70.93,43.8,-70.93,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells in New Hampshire. A few cells held together to make it into western Maine producing some isolated wind damage.","A severe thunderstorm downed large tree limbs in Porter." +120086,719548,MAINE,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 18:45:00,EST-5,2017-08-22 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-70.23,44.59,-70.23,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage in New Hampshire. A few severe cells moved into western Maine toward the end of the event producing a few reports of wind damage.","A severe thunderstorm downed trees in Wilton." +118433,714466,NEBRASKA,2017,August,Thunderstorm Wind,"SHERMAN",2017-08-27 02:24:00,CST-6,2017-08-27 02:24:00,0,0,0,0,75.00K,75000,0.00K,0,41.28,-98.98,41.28,-98.98,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","Wind gusts estimated to be near 70 MPH resulted in some large trees being downed in Loup City, blocking a few streets." +118433,714467,NEBRASKA,2017,August,Thunderstorm Wind,"NUCKOLLS",2017-08-27 04:24:00,CST-6,2017-08-27 04:24:00,0,0,0,0,0.00K,0,0.00K,0,40.2145,-98.07,40.2145,-98.07,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","" +118433,714468,NEBRASKA,2017,August,Thunderstorm Wind,"BUFFALO",2017-08-27 03:15:00,CST-6,2017-08-27 03:19:00,0,0,0,0,75.00K,75000,5.00M,5000000,40.6945,-99.1035,40.6945,-99.1035,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","Wind gusts were estimated to be near 70 MPH. A trailer home was damaged when 3 trees were downed. Part of a tree knocked a hole through the roof, allowing water to get inside the home." +118433,714474,NEBRASKA,2017,August,Thunderstorm Wind,"HALL",2017-08-27 02:55:00,CST-6,2017-08-27 03:30:00,0,0,0,0,75.00K,75000,5.00M,5000000,41,-98.6,40.92,-98.35,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","Wind gusts along this path were estimated to be between 60 and 70 MPH, with the strongest wind being in the Cairo area and generally a bit weaker in Grand Island. There were several reports of large tree limbs being downed in the area, some as large as 8-9 inches in diameter." +118433,714478,NEBRASKA,2017,August,Thunderstorm Wind,"BUFFALO",2017-08-27 02:35:00,CST-6,2017-08-27 02:45:00,0,0,0,0,500.00K,500000,5.00M,5000000,40.97,-99.08,41.03,-98.93,"The pre-dawn hours of this Sunday featured a surprisingly-potent, southward-surging complex of severe thunderstorms that provoked considerable wind damage primarily within Sherman, Buffalo, Howard and Hall counties, and likely isolated wind damage in several nearby counties as well. Some of the worst impacts occurred in and near Ravenna, where estimated gusts to around 85 MPH downed numerous trees, some as large as 4-6 feet in diameter. Portions of the community were without power for several hours, and a few homes and vehicles also sustained damage. In Kearney, while damage was not widespread, three large trees crashed down on a trailer home causing substantial roof damage. Other communities that suffered wind damage (mainly to trees) included: Loup City, Pleasanton, Cairo, Boelus and Grand Island (although impacts were quite minimal on the grounds of the ongoing Nebraska State Fair). Once storms pushed south of the Interstate 80 corridor, most peak gusts checked in around or below 50 MPH, although a mesonet station near Nelson clocked a 60 MPH gust shortly before the strongest part of the complex departed southward into Kansas. As for rainfall, the majority of South Central Nebraska received at least 0.50-1.00, but localized pockets of mainly Valley, Sherman and Howard counties tallied 2+. ||Breaking down event timing and evolution, the late evening featured a smattering of fairly weak storms here and there. However, the main event did not get even get underway until 2-3 a.m. CDT, as the beginning stages of a developing squall line took shape in far northern portions of South Central Nebraska, evolving from earlier activity that initiated in northern Nebraska. Over the next few hours, this linear complex surged south, wreaking the aforementioned wind damage and eventually assuming the form of a mature bow echo before departing into north central Kansas mainly between 5:30-6:30 a.m. CDT. ||Although the severity of this late-night severe event was not well-anticipated, a chance of thunderstorms was in the forecast as the mid-upper levels featured a fairly compact shortwave trough diving out of SD into Nebraska in a north-northwest flow regime. Closer to the surface at 850 millibars, modest south-southwesterly flow resulted in decent low-level moisture convergence into central Nebraska, and at the surface, a weak cold front sagged southward across the state as the night wore on (eventually augmented by storm outflow). Once storms established a surging cold pool, the moisture-rich surface environment proved favorable to fostering severe wind gusts, with dewpoints averaging in the mid-60s to around 70 F. Around the time the damaging wind event ramped up, mesoscale analysis indicated most-unstable CAPE up to around 2000 j/kg and effective deep-layer wind shear around 40 knots.","Wind gusts in the area were estimated to be near 85 MPH, based on damage reports. There was widespread tree damage reported, especially in the Ravenna area. Several large trees were downed, some 4 to 6 feet in diameter, and heavy equipment was needed to clear some roads. Power lines were also downed in the area and a few homes and vehicles were damaged." +119035,721268,MINNESOTA,2017,September,Thunderstorm Wind,"SWIFT",2017-09-19 23:30:00,CST-6,2017-09-19 23:31:00,0,0,0,0,0.00K,0,0.00K,0,45.3704,-95.4437,45.3797,-95.4314,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A few trees were damaged, a weak 4-legged metal tower was tipped over, and a shed was blown over. This area may have been an earlier beginning point of the Camp Lake tornado, but damage was too scant to be certain, and therefore this damage has been listed as thunderstorm wind damage." +121857,729453,MARYLAND,2017,December,Winter Weather,"SOUTHEAST HARFORD",2017-12-15 12:00:00,EST-5,2017-12-15 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A period of snow developed as weak low pressure tracked through the area.","Snowfall totaled up to 2.0 inches in Bynum." +121862,729454,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN GRANT",2017-12-24 21:00:00,EST-5,2017-12-25 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 4.9 inches at Bayard." +121862,729455,WEST VIRGINIA,2017,December,Winter Weather,"WESTERN PENDLETON",2017-12-24 21:00:00,EST-5,2017-12-25 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 3.0 inches at Circleville." +121863,729456,VIRGINIA,2017,December,Winter Weather,"WESTERN HIGHLAND",2017-12-24 21:00:00,EST-5,2017-12-25 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope wind combined with moisture from the Great Lakes caused snow to develop along and west of the Allegheny front.","Snowfall totaled up to 3.5 inches in Hightown." +121865,729461,MARYLAND,2017,December,Winter Weather,"FREDERICK",2017-12-30 02:00:00,EST-5,2017-12-30 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system brought a period of snow to northern Maryland.","Snowfall totaled up to 2.1 inches near Thurmont." +121865,729464,MARYLAND,2017,December,Winter Weather,"CARROLL",2017-12-30 02:00:00,EST-5,2017-12-30 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system brought a period of snow to northern Maryland.","Snowfall totaled up to 1.9 inches near Millers." +121866,729471,WEST VIRGINIA,2017,December,Winter Storm,"WESTERN GRANT",2017-12-29 23:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope flow caused snow to develop along and west of the Allegheny Front.","Snowfall totaled up to 9.6 inches at Bayard." +121866,729472,WEST VIRGINIA,2017,December,Winter Storm,"WESTERN PENDLETON",2017-12-29 23:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upslope flow caused snow to develop along and west of the Allegheny Front.","Snowfall was estimated to be around eight inches based on observations nearby." +121722,729473,DISTRICT OF COLUMBIA,2017,December,Winter Weather,"DISTRICT OF COLUMBIA",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.0 inches at Delcarlia Reservoir and one inch at the National Arboretum." +121871,729474,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN GRANT",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121871,729476,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN PENDLETON",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121871,729477,WEST VIRGINIA,2017,December,Cold/Wind Chill,"EASTERN PENDLETON",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +122284,732158,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN COLUMBIA",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732159,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN ALBANY",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732160,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN ALBANY",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732162,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN RENSSELAER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732163,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN RENSSELAER",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732165,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN SCHENECTADY",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +118151,710037,SOUTH DAKOTA,2017,August,Hail,"HAAKON",2017-08-26 14:34:00,MST-7,2017-08-26 14:34:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-101.99,44.51,-101.99,"A supercell thunderstorm developed over west central South Dakota and tracked southeastward into south central South Dakota before weakening. The storm produced hail to golf ball size and eventually strong wind gusts before dissipating.","" +119114,715374,MINNESOTA,2017,September,Hail,"MILLE LACS",2017-09-22 04:30:00,CST-6,2017-09-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,46.13,-93.5,46.13,-93.5,"Several thunderstorms developed along an elevated core of strong instability in west central, and central Minnesota during the early morning of Friday, September 22nd. These storms tracked along a line from north of Alexandria, to Mora, Minnesota. Most of the storms were non-severe and produced up to nickel size hail and gusty winds of 40 to 50 mph. However, one of the storms became severe and produced severe hail north of Mora. Other storms developed farther to the south, but remained non-severe and produced an occasional penny size hail stone.","" +119127,715424,MINNESOTA,2017,September,Thunderstorm Wind,"CHIPPEWA",2017-09-22 20:55:00,CST-6,2017-09-22 20:55:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-95.85,45.01,-95.85,"A line of storms that developed in eastern South Dakota, moved northeast into west central Minnesota and produced wind gusts of 40 to 55 mph across Lac Qui Parle County. As the storms moved into Chippewa and Swift counties, a few severe wind gusts caused damage near Watson and Murdock.","Several trees were blown down near Watson." +119127,715425,MINNESOTA,2017,September,Thunderstorm Wind,"SWIFT",2017-09-22 21:15:00,CST-6,2017-09-22 21:15:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-95.39,45.22,-95.39,"A line of storms that developed in eastern South Dakota, moved northeast into west central Minnesota and produced wind gusts of 40 to 55 mph across Lac Qui Parle County. As the storms moved into Chippewa and Swift counties, a few severe wind gusts caused damage near Watson and Murdock.","Numerous trees were blown down in the city of Murdock. Some of the trees were one foot in diameter. Due to several of the trees knocking down power lines, a large portion of Murdock lost power." +120755,723268,ALASKA,2017,September,High Wind,"PRIBILOF ISLANDS",2017-09-15 22:05:00,AKST-9,2017-09-16 03:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the Aleutian Islands to just off the Kuskokwim Delta coast, while intensifying rapidly to 970mb. Cold air advection and a tight pressure gradient on the backside of the low brought hurricane force winds to the Bering Sea.","St George Airport hit a peak gust of 68 knots and observed 6 hours of warning level winds." +118551,713265,MASSACHUSETTS,2017,August,Flood,"NORFOLK",2017-08-02 15:49:00,EST-5,2017-08-02 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.2376,-71.0047,42.2372,-71.0039,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 349 PM EST, a car was trapped in street flooding at junction of Independence Avenue and Bennington Street in Quincy." +118732,713267,LOUISIANA,2017,August,Flash Flood,"ST. JAMES",2017-08-29 09:00:00,CST-6,2017-08-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0568,-90.8154,30.0555,-90.835,"As Hurricane Harvey struck southeast Texas and southwest Louisiana, outer rain bands moved across southeast Louisiana, southern Mississippi and the adjacent coastal waters on several occasions between the 28th and 30th of August. Several tornadoes were reported across the area as well as instances of flooding.","A few homes were reported to have water inside in the Convent area. Multiple roads were flooded in St. James Parish." +118965,714638,VIRGINIA,2017,August,Flash Flood,"PRINCE WILLIAM",2017-08-11 20:00:00,EST-5,2017-08-11 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8277,-77.5788,38.8234,-77.5786,"Copious moisture spreading northward from the Gulf of Mexico combined with a weak boundary to produce a complex of thunderstorms during the afternoon of August 11th in northern Virginia. This complex moved eastward through the late afternoon and evening, causing numerous instances of flash flooding. Stream flooding continued through the following morning.","Flash flooding forced the closure of Artemus Road and Pageland Lane." +118983,714687,IOWA,2017,August,Hail,"CLINTON",2017-08-10 16:00:00,CST-6,2017-08-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.79,-90.28,41.79,-90.28,"A storm system pushed a cold front across eastern Iowa during the evening hours of August 10th. Showers and thunderstorms developed ahead of this front and produced wind gusts up to 60 MPH and hail up to 1.50 inches in diameter across parts of eastern Iowa. Rainfall mounts ranged from a few hundredths of an inch to isolated reports over one inch.","An off duty NWS employee relayed a public report of 1.5 inch hail. The time of the event was estimated using radar." +119039,714930,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-30 16:42:00,EST-5,2017-08-30 16:42:00,0,0,0,0,0.00K,0,0.00K,0,31.55,-82.92,31.55,-82.92,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Winds blew down trees along Brigmond Road." +119363,716571,MARYLAND,2017,August,Hail,"BALTIMORE",2017-08-03 16:19:00,EST-5,2017-08-03 16:19:00,0,0,0,0,,NaN,,NaN,39.3615,-76.7058,39.3615,-76.7058,"A weak boundary along with hot and humid air caused thunderstorms to develop. A few thunderstorms became severe due to high amounts of instability.","Quarter sized hail was reported." +119911,719466,ALABAMA,2017,September,Tropical Storm,"DALE",2017-09-11 04:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||For southeast Alabama, Houston county reported a few trees and power lines down. ||Coffee county reported several power lines and large trees down across major highways including Highway 135 South, 441 South, and 151 South. Some trees fell on structures and one farm structure collapsed. ||Henry county reported numerous trees and power lines were down across the county. Two homes sustained structural damage damage due to fallen trees. Multiple roads were blocked with fallen trees. Approximately 1200 homes were without power. ||Dale county reported several trees and power lines were down in the county. Two homes suffered minor damage due to trees falling on the roofs. Power outages were also noted in the county. ||Geneva county reported trees and power lines down across the county with the county removing trees from 37 sites. In addition, on County Road 60, the roof was lost off a mobile home. The ceiling of the mobile home eventually collapsed and with rain entering the mobile home, it was a complete loss.","" +119912,719616,FLORIDA,2017,September,Tropical Storm,"COASTAL DIXIE",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719617,FLORIDA,2017,September,Tropical Storm,"COASTAL FRANKLIN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,750.00K,750000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719618,FLORIDA,2017,September,Tropical Storm,"COASTAL GULF",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719619,FLORIDA,2017,September,Tropical Storm,"COASTAL JEFFERSON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719620,FLORIDA,2017,September,Tropical Storm,"COASTAL TAYLOR",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719621,FLORIDA,2017,September,Tropical Storm,"COASTAL WAKULLA",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719622,FLORIDA,2017,September,Tropical Storm,"GADSDEN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719623,FLORIDA,2017,September,Tropical Storm,"HOLMES",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719624,FLORIDA,2017,September,Tropical Storm,"INLAND BAY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,37.00K,37000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +120243,720634,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:55:00,PST-8,2017-09-11 16:55:00,0,0,0,0,10.00K,10000,0.00K,0,36.2983,-119.6912,36.2983,-119.6912,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported a tree fell onto a vehicle near the intersection of 13th Ave. and Houston Ave. near Hanford." +120243,720635,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:58:00,PST-8,2017-09-11 16:58:00,0,0,0,0,8.00K,8000,0.00K,0,36.2546,-119.6303,36.2546,-119.6303,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported 8 telephone poles were downed on Jackson Ave. near 9th Ave. south of Hanford." +120243,720637,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 17:00:00,PST-8,2017-09-11 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.35,-119.65,36.35,-119.65,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Report received on social media of damage to outdoor furniture in Hanford near the intersection of Peralta Way and Monroe Dr." +120460,721709,TENNESSEE,2017,September,Strong Wind,"STEWART",2017-09-01 00:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Stewart County during the early morning hours on September 1. Several trees and power lines were blown down across the county with roads closed due to downed trees. Scattered power outages also occurred with up to 1300 people without power." +120460,721710,TENNESSEE,2017,September,Strong Wind,"MONTGOMERY",2017-09-01 00:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Gusty northeast winds up to 50 mph associated with Tropical Depression Harvey affected Montgomery County during the early morning hours on September 1. A peak wind gust of 49 mph was measured at the Clarksville Outlaw Field ASOS at 305 AM CDT (205 AM CST). Several trees and power lines were blown down across the county with scattered power outages knocking out power to up to 3400 people." +120460,721713,TENNESSEE,2017,September,Flash Flood,"CHEATHAM",2017-09-01 01:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.3767,-87.144,36.186,-87.1437,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Two homes were flooded along Sycamore Creek north of Ashland City with water in their basements. Several roads were flooded and closed in Ashland City including Fairgrounds Road, Chestnut Street, Duke Street, and Brookhollow Drive." +120347,721438,GEORGIA,2017,September,Tropical Storm,"JACKSON",2017-09-11 13:00:00,EST-5,2017-09-11 19:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. A wind gust of 41 mph was measured near Pendergrass. Radar estimated between 2 and 3 inches of rain fell across the county with 2.97 inches measured in Jefferson. No injuries were reported." +119188,716607,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-08 14:26:00,PST-8,2017-09-08 18:00:00,0,0,0,0,65.00K,65000,0.00K,0,34.1391,-115.9291,34.1189,-115.9284,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","A large amount of water and debris crossed Highway 62 at Ironage Road. One semi and multiple other vehicles became stuck. The highway also flooded in places farther east, and was closed from Godwin Road to Highway 177 for three days for repairs." +119188,716608,CALIFORNIA,2017,September,Flash Flood,"INYO",2017-09-08 15:36:00,PST-8,2017-09-08 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.8694,-116.2885,35.8705,-116.2916,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Highway 127 was flooded at Old Spanish Trail." +119188,716610,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-08 17:06:00,PST-8,2017-09-08 20:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.4534,-115.3839,35.4596,-115.3848,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Nipton Road was closed at Ivanpah Road due to flooding and large rocks in the road. Approximately 12 vehicles were stuck between flooded washes. The road was closed until morning. This event continued into Nevada." +119188,716612,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-08 19:53:00,PST-8,2017-09-08 21:30:00,0,0,0,0,2.00K,2000,0.00K,0,34.1938,-114.5978,34.1913,-114.5982,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Highway 95 was closed due to flooding and debris in the road." +119188,716613,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-09 13:37:00,PST-8,2017-09-09 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.0527,-115.6531,35.0042,-115.6119,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert. Several storms produced flash flooding and severe weather.","Kelso Cima Road was closed from Morning Star Mine Road to Kelbaker Road due to flooding." +119189,716614,NEVADA,2017,September,Flash Flood,"LINCOLN",2017-09-07 17:19:00,PST-8,2017-09-07 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,37.6069,-115.2293,37.6068,-115.2277,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert with a few thunderstorms over the southern Great Basin. Several storms produced flash flooding and severe weather.","A 200-300 yard stretch of Highway 318 was flooded at Hiko." +119189,716615,NEVADA,2017,September,Flash Flood,"CLARK",2017-09-08 17:06:00,PST-8,2017-09-08 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.4752,-115.2246,35.4615,-114.93,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert with a few thunderstorms over the southern Great Basin. Several storms produced flash flooding and severe weather.","Nipton Road was closed to Highway 95 due to flooding. This event continued into California." +120585,722353,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-22 04:07:00,CST-6,2017-09-22 04:07:00,0,0,0,0,,NaN,,NaN,46.3,-93.82,46.3,-93.82,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked down and partially blocking Minnesota Highway 169." +120585,722354,MINNESOTA,2017,September,Thunderstorm Wind,"CROW WING",2017-09-22 03:56:00,CST-6,2017-09-22 03:56:00,0,0,0,0,,NaN,,NaN,46.35,-94.19,46.35,-94.19,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","A few trees were knocked down within the city with widespread tree damage across portions of Crow Wing County." +120585,722356,MINNESOTA,2017,September,Thunderstorm Wind,"ITASCA",2017-09-22 02:21:00,CST-6,2017-09-22 02:21:00,0,0,0,0,,NaN,,NaN,47.04,-93.48,47.04,-93.48,"Severe thunderstorms developed across portions of northeast Minnesota the evening of the 21st of September and continued across the region into the early morning hours of the 22nd. Several large trees were knocked down along with nearby powerlines. A cupola was blown off of a bar and hail as large as an inch fell.","Several large tree branches were knocked down." +120590,722378,SOUTH CAROLINA,2017,September,Tornado,"CHARLESTON",2017-09-11 13:48:00,EST-5,2017-09-11 13:50:00,0,0,0,0,,NaN,0.00K,0,32.8915,-80.0436,32.9073,-80.0604,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","A National Weather Service storm survey team confirmed an EF0 toranado on Joint Base Charleston in Charleston County. The weak, short-lived tornado, associated with the outer rain bands of Tropical Storm Irma, touched down near the Joint Base Charleston flight line and traveled along a discontinuous path toward the north-northwest. The tornado pushed back the edge of the roof on the control tower, damaged fascia of a nearby building near the flight line, and damaged the roof of another metal building on the base. Farther northwest on the Wrenwoods Golf Course, the tornado blew down two large oak trees and snapped large branches of other trees. The tornado then dissipated just beyond the north side of the golf course, about 2 minutes after touchdown." +120590,722380,SOUTH CAROLINA,2017,September,Tornado,"CHARLESTON",2017-09-11 17:19:00,EST-5,2017-09-11 17:21:00,0,0,0,0,,NaN,0.00K,0,32.7264,-79.9111,32.7279,-79.9121,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","A National Weather Service storm survey team confirmed an EF0 tornado on James Island. The weak, short-lived tornado, associated with an outer rainband of Tropical Storm Irma, touched won in a marsh north of Schooner Creek and tracked north-northwest. The tornado uprooted a live oak tree and damaged another tree at the edge of the marsh. The tornado then damaged a residence on the southeast side of Seaward Drive, blowing of part of the southeast and northwest facing roof. The tornado then crossed Seaward Drive, damaging another tree and blowing 4 shutters off the southeast facing side of a residence on Lynne Avenue. Debris carried from the Seaward Drive residence also damaged a soffit on the Lynne Avenue home. The tornado then lifted south of Parrot Point Creek." +120708,723017,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"DEERFIELD BEACH TO OCEAN REEF FL",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Multiple mesonet stations reported tropical storm force sustained winds between 55 to 70 knots in the nearshore Atlantic waters. Stations also had hurricane force wind gust." +115349,693221,ALABAMA,2017,April,Thunderstorm Wind,"LEE",2017-04-05 21:03:00,CST-6,2017-04-05 21:05:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-85.09,32.54,-85.09,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted in the town of Smiths Station." +115361,692845,ARKANSAS,2017,April,Thunderstorm Wind,"CLAY",2017-04-30 00:30:00,CST-6,2017-04-30 00:35:00,0,0,0,0,60.00K,60000,0.00K,0,36.3611,-90.6468,36.3699,-90.5431,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Roof blown off a home southwest of Corning." +115361,692847,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:41:00,CST-6,2017-04-30 00:50:00,0,0,0,0,2.00K,2000,0.00K,0,35.7373,-90.5758,35.7567,-90.5109,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Wind damaged a garage door in Bay." +119261,723171,GEORGIA,2017,September,High Wind,"RICHMOND",2017-09-11 14:10:00,EST-5,2017-09-11 14:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Augusta GA Daniel Field Airport measured a peak wind gust of 58 MPH at 3:10 pm EDT (1410 EST)." +119261,723172,GEORGIA,2017,September,Strong Wind,"BURKE",2017-09-11 14:33:00,EST-5,2017-09-11 14:33:00,0,0,0,0,0.10K,100,0.10K,100,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Augusta GA Bush Field Airport measured a peak wind gust of 55 MPH at 3:33 pm EDT (1433 EST)." +119261,723173,GEORGIA,2017,September,High Wind,"COLUMBIA",2017-09-11 15:35:00,EST-5,2017-09-11 15:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","J Strom Thurmond Dam operations manager reported two trees down on to campers in the Winfield Campground." +120684,722848,IDAHO,2017,September,Dense Smoke,"IDAHO PALOUSE",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120684,722849,IDAHO,2017,September,Dense Smoke,"LEWIS AND SOUTHERN NEZ PERCE",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120684,722850,IDAHO,2017,September,Dense Smoke,"LEWISTON AREA",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120684,722851,IDAHO,2017,September,Dense Smoke,"NORTHERN PANHANDLE",2017-09-04 10:00:00,PST-8,2017-09-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Washington and Idaho fumigated north Idaho from September 4th through the 8th. Air Quality sensors throughout north Idaho recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by state authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Idaho Department of Health and Welfare issued a press release advising of Unhealthy to Hazardous air quality through out Idaho due to smoke from regional wild fires." +120406,721243,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 08:31:00,CST-6,2017-09-22 08:31:00,0,0,0,0,,NaN,,NaN,46.01,-91.36,46.01,-91.36,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721244,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 08:41:00,CST-6,2017-09-22 08:41:00,0,0,0,0,,NaN,,NaN,46.04,-91.2,46.04,-91.2,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721245,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 08:41:00,CST-6,2017-09-22 08:41:00,0,0,0,0,,NaN,,NaN,45.89,-91.48,45.89,-91.48,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721246,WISCONSIN,2017,September,Hail,"SAWYER",2017-09-22 09:38:00,CST-6,2017-09-22 09:40:00,0,0,0,0,,NaN,,NaN,45.89,-90.9,45.89,-90.9,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","" +120406,721247,WISCONSIN,2017,September,Thunderstorm Wind,"PRICE",2017-09-22 09:52:00,CST-6,2017-09-22 09:52:00,0,0,0,0,,NaN,,NaN,45.95,-90.45,45.95,-90.45,"Several severe thunderstorms moved across portions of Washburn, Douglas, Sawyer, and Price Counties. These storms dropped penny-sized to hen's egg sized hail. A lightning strike damaged and sparked a fire at an assisted living home in Superior while strong winds blew down a tree in Price County.","A tree that was blown over also took down a power cable near Agenda and North River Roads." +120693,722915,SOUTH DAKOTA,2017,September,Drought,"CORSON",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120761,723290,ALABAMA,2017,September,Tropical Storm,"BARBOUR",2017-09-11 11:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120761,723295,ALABAMA,2017,September,Tropical Storm,"CLAY",2017-09-11 13:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120761,723303,ALABAMA,2017,September,Tropical Storm,"TALLADEGA",2017-09-11 13:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +119038,714928,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-25 19:30:00,EST-5,2017-08-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,31.63,-82.9,31.63,-82.9,"A front settled southward across the area as low pressure tracked along the boundary across north Florida through the day. Onshore flow focused the highest rain chances inland during the afternoon and evening, where a lone severe storm produced damage in Coffee county.","A tin roof was blown off of a mobile home on Joy Road." +119039,714931,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-30 16:44:00,EST-5,2017-08-30 16:44:00,0,0,0,0,0.00K,0,0.00K,0,31.44,-83,31.44,-83,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Winds blew down power lines between Douglas and Withlacoochee." +119039,714932,GEORGIA,2017,August,Thunderstorm Wind,"ATKINSON",2017-08-30 16:45:00,EST-5,2017-08-30 16:45:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-82.99,31.38,-82.99,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Winds blew power lines down across Highway 135." +119039,714933,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-30 16:50:00,EST-5,2017-08-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,31.61,-82.74,31.61,-82.74,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Winds blew down power lines in West Green." +119039,714934,GEORGIA,2017,August,Thunderstorm Wind,"COFFEE",2017-08-30 17:07:00,EST-5,2017-08-30 17:07:00,0,0,0,0,2.00K,2000,0.00K,0,31.42,-82.83,31.42,-82.83,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Power lines were blown down across Rebecca S. Waldron Road in Green Acres. The time of damage was based on radar. The cost of damage was unknown but it was estimated so the event could be included in Storm Data." +119039,714935,GEORGIA,2017,August,Thunderstorm Wind,"WARE",2017-08-30 18:12:00,EST-5,2017-08-30 18:12:00,0,0,0,0,0.00K,0,0.00K,0,31.21,-82.39,31.21,-82.39,"A front lifted north across the region and provided a focus for strong to severe storms to develop. Convection was enhanced in the afternoon and evening due to the sea breezes and diurnal heating interacting near the front.","Trees were blown down across Highway 82. The time of damage was based on radar." +119040,714936,FLORIDA,2017,August,Lightning,"ST. JOHNS",2017-08-31 18:55:00,EST-5,2017-08-31 18:55:00,0,0,0,0,5.00K,5000,0.00K,0,30.1,-81.45,30.1,-81.45,"TS Harvey was across the TN River Valley with high pressure across the southern FL peninsula. Drier mid level air enhanced downdrafts in scattered afternoon and evening sea breeze storms near the St. Johns River basin.","Lightning caused a house fire on Kenmore Avenue. The cost of damage was unknown, but it was estimated so this event could be included in Storm Data." +118716,713180,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-12 12:00:00,MST-7,2017-08-12 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.3375,-112.4478,33.3203,-112.5549,"Scattered monsoon thunderstorms developed across the greater Phoenix area at various times of the day, including the early afternoon and late evening hours, on August 12th. Some of the stronger storms impacted various west Phoenix communities such as Goodyear and Avondale and Buckeye. The storms produced typical monsoon weather hazards such as gusty damaging outflow winds as well as locally heavy rainfall. Flash flooding was observed during the late evening just to the west of Goodyear, near the intersection of Interstate 10 and the loop 303 freeway. The loop 303 southbound exit was flooded at Thomas Road and other roads were impassible near Sarival and McDowell Roads. Shortly after noon, several roads were reported closed due to washes flowing over them approximately 6 to 8 miles southeast of the town of Buckeye.","Thunderstorms developed across the central and southwest portions of the greater Phoenix area during the morning hours on August 12th, and some of them produced locally heavy rains which impacted areas to the southeast of Buckeye. Intense rain rates in excess of one inch per hour led to episodes of flash flooding during the late morning and early afternoon hours. At 1221MST the Maricopa County Department of Transportation reported that Tuthill Road was closed between Fairview and Ray Roads due to a wash flowing over the road. This was about 8 miles southeast of the town of Buckeye, and west of the Estrella Mountain Regional Park. Shortly after that, at 1242MST, the Department of Transportation reported flash flooding about 6 miles southeast of Buckeye. They reported that Narramore Road was closed between 214th and 218th Avenue due to a wash that was flowing over a road. No injuries were reported due to the flash flooding. A Flash Flood Warning had been issued hours before the flooding, at 0845MST and the warning remained in effect through 1445MST." +118716,713185,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-12 22:00:00,MST-7,2017-08-13 01:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4899,-112.4011,33.4601,-112.4118,"Scattered monsoon thunderstorms developed across the greater Phoenix area at various times of the day, including the early afternoon and late evening hours, on August 12th. Some of the stronger storms impacted various west Phoenix communities such as Goodyear and Avondale and Buckeye. The storms produced typical monsoon weather hazards such as gusty damaging outflow winds as well as locally heavy rainfall. Flash flooding was observed during the late evening just to the west of Goodyear, near the intersection of Interstate 10 and the loop 303 freeway. The loop 303 southbound exit was flooded at Thomas Road and other roads were impassible near Sarival and McDowell Roads. Shortly after noon, several roads were reported closed due to washes flowing over them approximately 6 to 8 miles southeast of the town of Buckeye.","Scattered thunderstorms developed across the western portion of the greater Phoenix metropolitan area, including the community of Goodyear, during the evening hours on August 12th. Some of the stronger storms produced intense rainfall with rainfall rates in excess of one inch per hour. The rain was sufficient to cause episodes of flash flooding given the urban nature of the environment dominated by paved roads and other surfaces. At 2252MST, Arizona Department of Transportation reported flash flooding along the loop 303 freeway; the southbound exit at Thomas Road was flooded. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 2212MST and was in effect through 0115MST the next morning." +120719,723057,CONNECTICUT,2017,September,Thunderstorm Wind,"NEW LONDON",2017-09-06 08:52:00,EST-5,2017-09-06 08:52:00,0,0,0,0,10.00K,10000,,NaN,41.33,-72.07,41.33,-72.07,"A passing cold front triggered isolated severe thunderstorms, which impacted New London County.","Multiple trees were reported down over the western and middle sections of the town. Including a tree falling into a building at 1 Crouch Street, trees down across Eastern Point Road, and a utility pole and wires down on Thames Street." +120719,723055,CONNECTICUT,2017,September,Thunderstorm Wind,"NEW LONDON",2017-09-06 08:52:00,EST-5,2017-09-06 08:52:00,1,1,1,0,15.00K,15000,,NaN,41.3349,-72.0984,41.3349,-72.0984,"A passing cold front triggered isolated severe thunderstorms, which impacted New London County.","Multiple trees were reported down along Pequot Avenue (just south of New London), including one tree falling onto a car, killing one person and injuring another. There was also minor damage to windows to one building." +120720,723058,NEW YORK,2017,September,Thunderstorm Wind,"SUFFOLK",2017-09-06 08:30:00,EST-5,2017-09-06 08:30:00,0,0,0,0,1.50K,1500,,NaN,41.07,-72.35,41.07,-72.35,"A passing cold front triggered an isolated severe thunderstorm which impacted Eastern Suffolk County.","Wires and branches were reported down on Shelter Island." +120720,723059,NEW YORK,2017,September,Thunderstorm Wind,"SUFFOLK",2017-09-06 08:35:00,EST-5,2017-09-06 08:35:00,0,0,0,0,1.00K,1000,,NaN,41.1519,-72.2743,41.1519,-72.2743,"A passing cold front triggered an isolated severe thunderstorm which impacted Eastern Suffolk County.","A tree was reported down on Old Main Road , just north of Main Road (25) in Orient." +120718,723054,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-09-05 22:54:00,EST-5,2017-09-05 22:54:00,0,0,0,0,,NaN,,NaN,40.66,-74.07,40.66,-74.07,"An approaching cold front triggered an isolated strong thunderstorm over upper NY Harbor.","A wind gust of 35 knots was reported at the National Ocean Service observation site at Robbins Reef." +120721,723061,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-09-06 08:50:00,EST-5,2017-09-06 08:50:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-72.12,41.2,-72.12,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","A gust of 41 knots was measured at the Great Gull Island Mesonet Location." +120721,723065,ATLANTIC NORTH,2017,September,Waterspout,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-09-06 09:00:00,EST-5,2017-09-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3045,-72.072,41.3045,-72.072,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","A waterspout was observed south of Ledge Light." +120721,723063,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"PECONIC AND GARDINERS BAYS",2017-09-06 08:30:00,EST-5,2017-09-06 08:30:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-72.34,41.08,-72.34,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","Wires and branches were reported down on Shelter Island." +117453,709535,IOWA,2017,June,Tornado,"ADAIR",2017-06-28 14:57:00,CST-6,2017-06-28 15:30:00,0,0,0,0,5.00K,5000,5.00K,5000,41.3985,-94.519,41.462,-94.2435,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Path was intermittent for several miles after developing with condensation funnel not always visible. However, a persistent funnel eventually formed and was well documented as it moved across northern Adair County. It remained in rural areas with only minor damage to a few outbuildings and trees." +114222,685685,MISSOURI,2017,March,Hail,"ATCHISON",2017-03-06 17:36:00,CST-6,2017-03-06 17:39:00,0,0,0,0,,NaN,,NaN,40.54,-95.38,40.54,-95.38,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +118902,714318,UTAH,2017,September,Flash Flood,"GRAND",2017-09-14 16:00:00,MST-7,2017-09-14 17:00:00,0,0,0,0,30.00K,30000,0.00K,0,38.55,-109.53,38.5483,-109.5243,"A progressive upper level disturbance, paired with the support from a maximum jetstream wind flow, trekked across the Four Corners region and resulted in numerous showers and thunderstorms. While these storms moved quickly they were still very efficient rainfall producers which led to localized heavy runoff and at least two flash floods where thunderstorms trained behind one another.","Heavy rainfall resulted in flash flood waters at least a foot deep which ran down several drainages from the east side of the valley and across Highway 191 into a southern section of Moab. A flood control dam in one of the drainages was destroyed by the flash flooding after it was overtopped. Power House Dam Road was closed due to flood damage and some houses on Holyoak Lane and a couple of businesses incurred some flood damage. The flash flooding deposited a large amount of debris on roads. Rainfall measurements in the southeast area of Moab were up to 0.96 of an inch within about a half hour." +119711,717957,COLORADO,2017,September,Frost/Freeze,"PARADOX VALLEY / LOWER DOLORES RIVER BASIN",2017-09-25 00:30:00,MST-7,2017-09-25 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Minimum temperatures dropped down to 27 to 32 degrees F across most of the zone." +119711,717955,COLORADO,2017,September,Frost/Freeze,"ANIMAS RIVER BASIN",2017-09-25 01:00:00,MST-7,2017-09-25 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Minimum temperatures dropped down to 25 to 29 degrees F across the zone, including 25 degrees F at the Durango-La Plata County Airport." +119711,717953,COLORADO,2017,September,Frost/Freeze,"CENTRAL COLORADO RIVER BASIN",2017-09-25 01:00:00,MST-7,2017-09-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Minimum temperatures dropped down to 23 to 32 degrees F across most of the zone, including 26 degrees F at the Eagle County Regional Airport." +119711,717954,COLORADO,2017,September,Frost/Freeze,"FOUR CORNERS / UPPER DOLORES RIVER BASIN",2017-09-25 00:00:00,MST-7,2017-09-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Over half of the forecast zone had minimum temperatures down to 24 to 30 degrees F, including 26 degrees F at the Cortez Municipal Airport." +119711,717952,COLORADO,2017,September,Frost/Freeze,"UPPER YAMPA RIVER BASIN",2017-09-25 00:00:00,MST-7,2017-09-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Minimum temperatures dropped down to 20 to 32 degrees F across the zone, including 27 degrees F at the Steamboat Springs Airport." +119711,717951,COLORADO,2017,September,Frost/Freeze,"CENTRAL YAMPA RIVER BASIN",2017-09-24 23:00:00,MST-7,2017-09-25 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a departing closed upper low resulted in temperatures that to plummeted to below freezing across much of western Colorado.","Minimum temperatures dropped down to 22 to 32 degrees F across the zone." +121510,727345,NORTH CAROLINA,2017,December,Winter Storm,"EASTERN POLK",2017-12-08 12:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain and snow developed over the southern foothills and northwest Piedmont of North Carolina, becoming all snow by early afternoon. As moderate to occasionally heavy snow continued across the area, heavy snowfall accumulations were reported by early evening. By the time the snow tapered off to flurries and light snow showers around midnight, total accumulations ranged from 3 to 5 inches across the area. Rain and sleet mixing in with the snow during the evening likely undercut these totals a bit, especially south of I-40. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121511,727346,GEORGIA,2017,December,Winter Storm,"STEPHENS",2017-12-08 13:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread northeast Georgia, rain developed during the morning north of the I-85 corridor. As the atmosphere gradually cooled, the rain changed to snow in most areas during the early afternoon. As moderate to occasionally heavy snow continued into early evening, heavy accumulations were reported. By the time the snow tapered off to flurries and occasional snow showers during the early morning hours, total accumulations ranged from 4-5 inches. Rain and sleet mixing in during the late afternoon and evening likely undercut these totals somewhat. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121512,727347,SOUTH CAROLINA,2017,December,Winter Storm,"GREATER PICKENS",2017-12-08 13:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain developed during the morning along and north of the I-85 corridor in Upstate South Carolina. As the atmosphere gradually cooled, the rain changed to snow in most areas during the early afternoon. As moderate to occasionally heavy snow continued across area into early evening, heavy accumulations were reported. By the time the snow tapered off to flurries and occasional snow showers during the early morning hours, total accumulations ranged from an inch or two along and south of I-85, to 4-5 inches farther north. Rain and sleet mixing in during the late afternoon and evening likely undercut these totals somewhat. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +122302,732328,IDAHO,2017,December,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-12-22 18:00:00,MST-7,2017-12-23 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific system brought heavy snow to the mountains of southeast Idaho.","The Vienna Mine SNOTEL recorded 12 inches of snow." +117894,708522,WISCONSIN,2017,August,Hail,"JEFFERSON",2017-08-03 12:31:00,CST-6,2017-08-03 12:31:00,0,0,0,0,0.00K,0,0.00K,0,43.08,-88.91,43.08,-88.91,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +117894,708523,WISCONSIN,2017,August,Hail,"SHEBOYGAN",2017-08-03 14:10:00,CST-6,2017-08-03 14:10:00,0,0,0,0,0.00K,0,0.00K,0,43.57,-87.82,43.57,-87.82,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +117894,708524,WISCONSIN,2017,August,Hail,"MILWAUKEE",2017-08-03 14:45:00,CST-6,2017-08-03 14:45:00,0,0,0,0,,NaN,0.00K,0,43.05,-88.02,43.05,-88.02,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +117894,708525,WISCONSIN,2017,August,Hail,"MILWAUKEE",2017-08-03 14:49:00,CST-6,2017-08-03 14:49:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-87.97,43.06,-87.97,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +117894,708526,WISCONSIN,2017,August,Hail,"KENOSHA",2017-08-03 16:27:00,CST-6,2017-08-03 16:27:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-87.86,42.58,-87.86,"A low pressure area triggered rounds of thunderstorms over southern WI during the afternoon and evening hours. Large hail was observed.","" +117896,708528,WISCONSIN,2017,August,Hail,"WASHINGTON",2017-08-10 14:28:00,CST-6,2017-08-10 14:28:00,0,0,0,0,,NaN,,NaN,43.32,-88.16,43.32,-88.16,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708529,WISCONSIN,2017,August,Hail,"ROCK",2017-08-10 14:29:00,CST-6,2017-08-10 14:29:00,0,0,0,0,,NaN,,NaN,42.52,-89.02,42.52,-89.02,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708530,WISCONSIN,2017,August,Hail,"OZAUKEE",2017-08-10 14:43:00,CST-6,2017-08-10 14:43:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-87.99,43.3,-87.99,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708532,WISCONSIN,2017,August,Hail,"DODGE",2017-08-10 15:08:00,CST-6,2017-08-10 15:08:00,0,0,0,0,,NaN,,NaN,43.52,-88.45,43.52,-88.45,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708533,WISCONSIN,2017,August,Hail,"FOND DU LAC",2017-08-10 15:08:00,CST-6,2017-08-10 15:08:00,0,0,0,0,,NaN,0.00K,0,43.78,-88.45,43.78,-88.45,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708535,WISCONSIN,2017,August,Hail,"DODGE",2017-08-10 15:15:00,CST-6,2017-08-10 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.63,-88.93,43.63,-88.93,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708536,WISCONSIN,2017,August,Hail,"WASHINGTON",2017-08-10 15:23:00,CST-6,2017-08-10 15:23:00,0,0,0,0,1.00K,1000,,NaN,43.32,-88.39,43.32,-88.39,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","Dents on the hood of a car." +118968,715700,MARYLAND,2017,August,Flood,"HARFORD",2017-08-15 13:15:00,EST-5,2017-08-15 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5349,-76.4011,39.5345,-76.4005,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Carrs Mill Road flooded and closed adjacent to Winters Run, between the 1300 and 1600 blocks." +118969,715702,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 16:45:00,EST-5,2017-08-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.5775,-76.3134,39.5783,-76.3108,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Torrential rain caused Thomas Run to flood, prompting the closure of Thomas Run Road at Ruffs Mills Road." +118969,715703,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 16:47:00,EST-5,2017-08-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5011,-76.3694,39.501,-76.3681,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Whitaker Mill Road flooded and closed near Old Joppa Road due to torrential rainfall." +118969,715704,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 16:50:00,EST-5,2017-08-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5044,-76.3397,39.5041,-76.3385,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Plumtree Run flooded, causing South Tollgate Road to be closed near Ruth Avenue." +118969,715705,MARYLAND,2017,August,Flash Flood,"HOWARD",2017-08-18 16:53:00,EST-5,2017-08-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2689,-76.8076,39.2692,-76.8072,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","A foot of water flowing over Main Street in Ellicott City at Belfont Drive due to heavy rainfall. The road had to be closed." +118969,715706,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 16:54:00,EST-5,2017-08-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5492,-76.2872,39.5487,-76.2875,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Schucks Road flooded and closed near 308 Schucks Road." +119945,718879,MARYLAND,2017,August,Heat,"ST. MARY'S",2017-08-18 14:00:00,EST-5,2017-08-18 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119945,718880,MARYLAND,2017,August,Heat,"CALVERT",2017-08-18 14:00:00,EST-5,2017-08-18 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119946,718881,VIRGINIA,2017,August,Heat,"FAIRFAX",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119946,718882,VIRGINIA,2017,August,Heat,"ARLINGTON",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119946,718883,VIRGINIA,2017,August,Heat,"STAFFORD",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119946,718884,VIRGINIA,2017,August,Heat,"SPOTSYLVANIA",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +119946,718885,VIRGINIA,2017,August,Heat,"KING GEORGE",2017-08-18 10:00:00,EST-5,2017-08-18 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southwesterly flow around high pressure over the Atlantic pumped in plenty of moisture while hot conditions persisted due to an upper-level ridge of high pressure. The heat and humidity caused dangerous heat indices.","Heat indices were around 105 degrees based on observations nearby." +120022,719224,ATLANTIC NORTH,2017,August,Waterspout,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-08-07 16:43:00,EST-5,2017-08-07 16:43:00,0,0,0,0,,NaN,,NaN,38.0591,-75.9595,38.0591,-75.9595,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","A waterspout was spotted going over the Tangier Sound." +120023,719225,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-08-11 22:28:00,EST-5,2017-08-11 22:36:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"An unstable atmosphere led to isolated gusty winds with thunderstorms.","A wind gust of 34 knots was reported at BlackWalnut Harbor." +117779,713497,MINNESOTA,2017,August,Tornado,"SIBLEY",2017-08-16 17:15:00,CST-6,2017-08-16 17:19:00,0,0,0,0,0.00K,0,0.00K,0,44.5377,-94.2398,44.5573,-94.2447,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A tornado moved across corn fields. It was recorded on video by a storm chaser. Placement of tornado track was based on video and high-res satellite imagery." +117779,717671,MINNESOTA,2017,August,Flash Flood,"SCOTT",2017-08-16 19:40:00,CST-6,2017-08-16 20:40:00,0,0,0,0,0.00K,0,0.00K,0,44.8009,-93.5128,44.8018,-93.5078,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","Several cars were stalled due to a flooded roadway at the intersection of Highway 101, and Marshall Road in Shakopee." +121914,729747,NEW JERSEY,2017,December,Winter Weather,"EASTERN BERGEN",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained Spotters and the public reported 4 to 6 inches of snow." +119659,717789,ARKANSAS,2017,August,Flash Flood,"PRAIRIE",2017-08-31 09:00:00,CST-6,2017-08-31 11:00:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-91.52,34.9693,-91.5171,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","CO-OP Observer reported street flooding just west of Des Arc." +119613,717569,TEXAS,2017,August,Flash Flood,"ECTOR",2017-08-01 20:07:00,CST-6,2017-08-01 22:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.8566,-102.379,31.8787,-102.3861,"An upper trough moved over the Central Plains, and there were a couple of surface boundaries across the region. Afternoon heating, along with clearing skies, helped to destabilize the atmosphere. These conditions, along with very rich moisture, allowed for heavy rain and flash flooding to develop across the Permian Basin.","Heavy rain fell across Ector County and produced flash flooding in Odessa. The Odessa Fire Department worked two high water rescues. One rescue was on Tom Green and 16th Street and the other was on Grandview and Maple in Odessa. The cost of damage is a very rough estimate." +121914,729749,NEW JERSEY,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained Spotters and the public reported 4 to 5 inches of snow." +121914,729750,NEW JERSEY,2017,December,Winter Weather,"WESTERN PASSAIC",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained Spotters reported 4 to 5 inches of snow." +121914,729751,NEW JERSEY,2017,December,Winter Weather,"WESTERN UNION",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of northeast New Jersey. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","A trained spotter reported 5.5 inches of snow in Plainfield." +119888,718673,KANSAS,2017,August,Flash Flood,"JOHNSON",2017-08-21 23:56:00,CST-6,2017-08-22 02:56:00,0,0,0,0,0.00K,0,0.00K,0,38.87,-94.78,38.8708,-94.773,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Several feet of running water was reported running over the road at 143rd and Locust." +119888,718675,KANSAS,2017,August,Flash Flood,"MIAMI",2017-08-22 03:11:00,CST-6,2017-08-22 06:11:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-94.69,38.4797,-94.6764,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","HWY 69 at 359th St was closed due to flash flooding." +119888,718674,KANSAS,2017,August,Flash Flood,"MIAMI",2017-08-22 02:40:00,CST-6,2017-08-22 05:40:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-94.99,38.7093,-94.639,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Numerous roads were closed across Miami County due to flash flooding." +121786,729736,ARKANSAS,2017,December,Flood,"PULASKI",2017-12-22 20:20:00,CST-6,2017-12-22 22:20:00,0,0,0,0,0.00K,0,0.00K,0,34.87,-92.13,34.8673,-92.1313,"Heavy rains brought flooding in the latter part of December 2017.","One to two inches of flood water was in the first floor of a business in Jacksonville." +121786,729740,ARKANSAS,2017,December,Flood,"PULASKI",2017-12-22 21:23:00,CST-6,2017-12-22 23:23:00,0,0,0,0,0.00K,0,0.00K,0,34.8797,-92.0977,34.8771,-92.1011,"Heavy rains brought flooding in the latter part of December 2017.","A creek near Leonard Dr. was out of its banks and in the callers yard." +121786,729741,ARKANSAS,2017,December,Flash Flood,"ARKANSAS",2017-12-22 21:46:00,CST-6,2017-12-22 21:46:00,0,0,0,0,0.00K,0,0.00K,0,34.5326,-91.5292,34.5151,-91.5432,"Heavy rains brought flooding in the latter part of December 2017.","On Highway 146, water was over the road impeding travel in both directions." +121786,729743,ARKANSAS,2017,December,Heavy Rain,"SALINE",2017-12-23 08:05:00,CST-6,2017-12-23 08:05:00,0,0,0,0,0.00K,0,0.00K,0,34.63,-92.52,34.63,-92.52,"Heavy rains brought flooding in the latter part of December 2017.","NWS employee measured 4.09 inches." +121550,729988,IOWA,2017,December,High Wind,"PALO ALTO",2017-12-13 09:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Estimated to hit 58 mph or greater gusts based on stations in surrounding counties." +121550,729989,IOWA,2017,December,High Wind,"HUMBOLDT",2017-12-13 09:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Estimated to hit 58 mph or greater gusts based on stations in surrounding counties." +121550,729990,IOWA,2017,December,High Wind,"HANCOCK",2017-12-13 09:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Estimated to hit 58 mph or greater gusts based on stations in surrounding counties." +121551,729991,IOWA,2017,December,Cold/Wind Chill,"EMMET",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729992,IOWA,2017,December,Extreme Cold/Wind Chill,"KOSSUTH",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729993,IOWA,2017,December,Extreme Cold/Wind Chill,"WINNEBAGO",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729994,IOWA,2017,December,Extreme Cold/Wind Chill,"WORTH",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729995,IOWA,2017,December,Extreme Cold/Wind Chill,"PALO ALTO",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +122186,731445,TEXAS,2017,December,Winter Weather,"BEXAR",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +120305,720905,NEVADA,2017,August,Wildfire,"WESTERN NEVADA BASIN AND RANGE",2017-08-29 18:30:00,PST-8,2017-08-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms with limited rainfall produced many lightning strikes leading to several new wildfire starts in northwest Nevada and far eastern California on the 29th.","The Tohakum 2 Fire burned 94,221 acres approximately 40 miles north of Nixon, Nevada, between August 29th and September 12th. No structures were lost, but power lines were damaged and traffic on Nevada 447 was affected by flames and smoke for several days, making travel difficult for Burning Man attendees headed to the Black Rock Desert. The fire was suspected to be started by a lightning strike from a high-based thunderstorm. The cost to fight the fire was at least $3.5M." +122082,731584,TEXAS,2017,December,Winter Weather,"LIMESTONE",2017-12-06 09:00:00,CST-6,2017-12-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Emergency management reported of sleet in the cities of Groesbeck, Shiloh, Marquez, and Mexia the morning of December 6, 2017. Trace amounts were reported to have fallen." +122082,731585,TEXAS,2017,December,Winter Weather,"HILL",2017-12-06 10:00:00,CST-6,2017-12-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A social media report indicated sleet near the city of Abbott, TX, with only trace accumulations reported." +122082,731586,TEXAS,2017,December,Winter Weather,"LAMPASAS",2017-12-06 10:30:00,CST-6,2017-12-06 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Lampasas County Sheriff's Department reported sleet in the city of Lometa, TX, with only trace amounts reported." +122082,731587,TEXAS,2017,December,Winter Weather,"ANDERSON",2017-12-06 11:00:00,CST-6,2017-12-06 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Reports from social media and a trained spotter indicated sleet near the city of Palestine, TX, with trace accumulations." +122082,731588,TEXAS,2017,December,Winter Weather,"LEON",2017-12-06 13:00:00,CST-6,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A broadcast media report indicated light sleet in the city of Leona, TX, with only trace accumulations." +120324,720968,KANSAS,2017,August,Heavy Rain,"TREGO",2017-08-10 12:00:00,CST-6,2017-08-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-99.79,39.01,-99.79,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 2.55 inches of which most fell in an hour." +120324,720969,KANSAS,2017,August,Heavy Rain,"SEWARD",2017-08-10 18:00:00,CST-6,2017-08-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-100.94,37.04,-100.94,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Rainfall was 5.0 inches." +120324,720970,KANSAS,2017,August,Heavy Rain,"STANTON",2017-08-10 18:00:00,CST-6,2017-08-10 23:00:00,0,0,0,0,,NaN,,NaN,37.45,-101.76,37.45,-101.76,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +120324,720971,KANSAS,2017,August,Thunderstorm Wind,"STANTON",2017-08-10 09:45:00,CST-6,2017-08-10 09:45:00,0,0,0,0,,NaN,,NaN,37.55,-101.75,37.55,-101.75,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Twenty power poles were blown down by the high wind." +118324,711020,NEBRASKA,2017,August,Hail,"CHERRY",2017-08-02 16:49:00,CST-6,2017-08-02 16:49:00,0,0,0,0,0.00K,0,0.00K,0,42.13,-101.76,42.13,-101.76,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711021,NEBRASKA,2017,August,Hail,"KEITH",2017-08-02 15:56:00,MST-7,2017-08-02 15:56:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-101.37,41.21,-101.37,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711022,NEBRASKA,2017,August,Hail,"KEITH",2017-08-02 16:05:00,MST-7,2017-08-02 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-101.3,41.16,-101.3,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711023,NEBRASKA,2017,August,Hail,"KEITH",2017-08-02 16:07:00,MST-7,2017-08-02 16:07:00,0,0,0,0,100.00K,100000,0.00K,0,41.16,-101.3,41.16,-101.3,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Golf ball sized hail along with 40 to 50 MPH wind damaged siding on numerous houses, broke windows and wind shields on numerous cars in Sarben." +118324,711024,NEBRASKA,2017,August,Hail,"KEITH",2017-08-02 16:09:00,MST-7,2017-08-02 16:09:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-101.3,41.16,-101.3,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Tennis ball sized hail reported at this location." +118324,711025,NEBRASKA,2017,August,Thunderstorm Wind,"KEITH",2017-08-02 16:05:00,MST-7,2017-08-02 16:05:00,0,0,0,0,0.00K,0,30.00K,30000,41.16,-101.3,41.16,-101.3,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Thunderstorm wind gusts to 60 MPH along with tennis ball sized hail, severely damaged crops at this location." +118324,711026,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-02 16:40:00,MST-7,2017-08-02 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-101.51,41.71,-101.51,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +120015,720215,KANSAS,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-21 19:42:00,CST-6,2017-08-21 19:43:00,0,0,0,0,,NaN,,NaN,39.23,-95.47,39.23,-95.47,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Estimated wind gust report." +120015,720216,KANSAS,2017,August,Flash Flood,"JEFFERSON",2017-08-21 19:51:00,CST-6,2017-08-21 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4222,-95.3418,39.4017,-95.3455,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Ditches are overflowing, water over roadways 2 miles east of Nortonville and in fields near house. Estimated rainfall of 4.82 inches." +120015,720217,KANSAS,2017,August,Thunderstorm Wind,"LYON",2017-08-21 20:21:00,CST-6,2017-08-21 20:22:00,0,0,0,0,,NaN,,NaN,38.4,-96.17,38.4,-96.17,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Reports of several 2 inch diameter limbs down." +120015,720219,KANSAS,2017,August,Thunderstorm Wind,"LYON",2017-08-21 20:21:00,CST-6,2017-08-21 20:22:00,0,0,0,0,,NaN,,NaN,38.41,-96.21,38.41,-96.21,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Six inch diameter tree limb down." +120015,720220,KANSAS,2017,August,Thunderstorm Wind,"DOUGLAS",2017-08-21 20:23:00,CST-6,2017-08-21 20:24:00,0,0,0,0,,NaN,,NaN,39,-95.35,39,-95.35,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Delayed report of tree split in half. Time was estimated via social media." +118769,716832,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-19 00:42:00,EST-5,2017-08-19 05:30:00,0,0,0,0,4.00K,4000,0.00K,0,41.9441,-69.9851,41.9192,-69.9798,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 1242 AM EST, a car was reported trapped in a sinkhole near the Beachcomber on Cahoon Hollow Road in Wellfleet. At 1248 AM EST, US Route 6 was reported impassable due to flooding in the area near the Wellfleet Post Office. At 107 AM EST, Cottontail Road was reported flooded and impassable. At 530 AM EST, a Cocorahs observer in Wellfleet reported storm total rainfall of 5.30 inches." +118769,716834,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-19 01:12:00,EST-5,2017-08-19 03:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.68,-69.96,41.6801,-69.9587,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 112 AM EST, the Chatham Town Hall basement and parking lot were reported to be flooded. At 300 AM EST, the Automated Surface Observation platform at Chatham Airport reported storm total rainfall of 5.27 inches." +118769,716835,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-19 01:23:00,EST-5,2017-08-19 04:00:00,0,0,0,0,0.20K,200,0.00K,0,41.7131,-70.208,41.7051,-70.2517,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 112 AM EST, State Route 6A in Yarmouth was reported flooded and impassable. At 600 AM EST, a Cocorahs observer in Yarmouth reported a storm total rainfall of 5.15 inches." +118769,717014,MASSACHUSETTS,2017,August,Flood,"BRISTOL",2017-08-18 23:00:00,EST-5,2017-08-19 02:00:00,0,0,0,0,2.00K,2000,0.00K,0,41.66,-70.94,41.6144,-70.922,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 11 PM EST, State Route 18 at Cove Street was closed due to flooding. At 1114 PM EST, a car was trapped in flood waters on southbound Route 18 at the Purchase Street ramp. At 1125 PM EST, Route 18 was closed in both directions due to flooding between Cove Street and Potomska Street." +119476,717020,MASSACHUSETTS,2017,August,Lightning,"HAMPSHIRE",2017-08-22 22:12:00,EST-5,2017-08-22 22:12:00,0,0,0,0,8.50K,8500,0.00K,0,42.3323,-72.6644,42.3323,-72.6644,"A cold front from the Great Lakes crossed Western Massachusetts just before midnight EST, knocking down several trees.","At 1012 PM EST, lightning brought down wires and set a pole on fire along South Main Street in the Florence portion of Northampton." +117472,711535,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-12 14:30:00,EST-5,2017-08-12 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.5756,-76.9958,40.5756,-76.9958,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Liverpool." +117472,711536,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LEBANON",2017-08-12 16:05:00,EST-5,2017-08-12 16:05:00,0,0,0,0,4.00K,4000,0.00K,0,40.3378,-76.4187,40.3378,-76.4187,"An approaching cold front triggered a line of storms over the western highlands during the early afternoon hours of Saturday, August 12. As this line progresses eastward, one cell in the line evolved into a rotating supercell and produced wind damage across northern Juniata County. Elsewhere, the line of storms produced sporadic wind damage.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires in Lebanon." +117448,711528,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-11 20:05:00,EST-5,2017-08-11 20:05:00,0,0,0,0,4.00K,4000,0.00K,0,40.4283,-77.1881,40.4283,-77.1881,"Widely scattered convection developed in a warm and relatively humid airmass well ahead of a cold front over the Midwest. The strongest of these storms produced wind damage in Perry County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near New Bloomfield." +119035,717533,MINNESOTA,2017,September,Tornado,"CHIPPEWA",2017-09-19 23:22:00,CST-6,2017-09-19 23:23:00,0,0,0,0,0.00K,0,0.00K,0,44.9213,-95.7191,44.9213,-95.7169,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","This tornado uprooted or snapped dozens of trees south of Montevideo and just east of the Minnesota River." +119035,717546,MINNESOTA,2017,September,Hail,"SWIFT",2017-09-19 23:30:00,CST-6,2017-09-19 23:32:00,0,0,0,0,0.00K,0,0.00K,0,45.4075,-95.3832,45.4075,-95.3832,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Hail fell on the northeast side of Camp Lake, just before the tornado hit." +117574,707064,LOUISIANA,2017,August,Thunderstorm Wind,"CADDO",2017-08-11 17:55:00,CST-6,2017-08-11 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.4021,-93.8443,32.4021,-93.8443,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","Numerous power lines were downed along Bert Kouns between Flournoy Lucas and Buncomb Roads. A traffic light was also blown down at the intersection of Flournoy Lucas and Bert Kouns. Over 20,000 customers were without power across South Shreveport and Southern Caddo Parish." +117574,707065,LOUISIANA,2017,August,Thunderstorm Wind,"CADDO",2017-08-11 18:00:00,CST-6,2017-08-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3615,-93.8611,32.3615,-93.8611,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","A tree was blown down across Colquitt Road in front of Grawood Baptist Church." +117574,707066,LOUISIANA,2017,August,Thunderstorm Wind,"CADDO",2017-08-11 18:05:00,CST-6,2017-08-11 18:05:00,0,0,0,0,0.00K,0,0.00K,0,32.3323,-93.8365,32.3323,-93.8365,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","A tree was blown down across the railroad tracks on Keithville-Springridge Road off of Old Mansfield Road." +117890,708496,TEXAS,2017,August,Heat,"ANGELINA",2017-08-19 09:00:00,CST-6,2017-08-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure shifted west and amplified along the Gulf Coast of Southeast Texas and Southern Louisiana on August 19th, and lingered across the area during August 20th. Sinking air and compressional heating near and beneath the ridge center resulted in only isolated afternoon showers and thunderstorms across portions of the region, with temperatures climbing into the mid and upper 90s each day. Light winds and limited mixing within the very moist air mass in place resulted in high humidities, with heat indices ranging from 105-109 degrees across portions of extreme Eastern Texas.","" +117979,709160,NEW JERSEY,2017,August,Rip Current,"EASTERN CAPE MAY",2017-08-19 18:00:00,EST-5,2017-08-19 18:00:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several rescues and two injuries occurred due to rip currents.","Two people were injured trying to get away from a rip current." +117976,709154,DELAWARE,2017,August,Rip Current,"DELAWARE BEACHES",2017-08-13 18:00:00,EST-5,2017-08-13 18:00:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A person was injured by a rip current.","A rip current injury occurred, time unknown." +117973,709186,PENNSYLVANIA,2017,August,Flood,"MONTGOMERY",2017-08-22 21:42:00,EST-5,2017-08-22 22:42:00,0,0,0,0,0.00K,0,0.00K,0,40.4956,-75.7549,40.5384,-75.7521,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Part of Kutztown road was flooded." +117973,709187,PENNSYLVANIA,2017,August,Flood,"PHILADELPHIA",2017-08-22 23:47:00,EST-5,2017-08-23 00:47:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-75.17,39.8997,-75.1689,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Flooding on I-95 at exit 17." +117973,709188,PENNSYLVANIA,2017,August,Flood,"PHILADELPHIA",2017-08-22 23:58:00,EST-5,2017-08-23 00:58:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-75.18,39.9472,-75.1843,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","I-76 between exits 345 and 346 was flooded." +117973,709189,PENNSYLVANIA,2017,August,Flood,"DELAWARE",2017-08-23 01:41:00,EST-5,2017-08-23 02:41:00,0,0,0,0,0.00K,0,0.00K,0,39.85,-75.56,39.8484,-75.5563,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Flooding on Smithbridge road between Brook lane and Ridge road in Chadds Ford." +117973,709190,PENNSYLVANIA,2017,August,Hail,"BERKS",2017-08-22 19:50:00,EST-5,2017-08-22 19:50:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-75.78,40.52,-75.78,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Measured." +117973,709191,PENNSYLVANIA,2017,August,Hail,"CHESTER",2017-08-22 21:15:00,EST-5,2017-08-22 21:15:00,0,0,0,0,,NaN,,NaN,40.23,-75.67,40.23,-75.67,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Measured." +117973,709192,PENNSYLVANIA,2017,August,Lightning,"LEHIGH",2017-08-22 19:45:00,EST-5,2017-08-22 19:45:00,0,0,0,0,0.01K,10,0.00K,0,40.75,-75.62,40.75,-75.62,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A roof fire was caused by a lightning strike in Slatington." +117973,709193,PENNSYLVANIA,2017,August,Lightning,"BERKS",2017-08-22 20:30:00,EST-5,2017-08-22 20:30:00,0,0,0,0,0.01K,10,0.00K,0,40.31,-75.84,40.31,-75.84,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A house was struck by lightning on Lilac lane." +117930,712598,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MIFFLIN",2017-08-19 17:30:00,EST-5,2017-08-19 17:30:00,0,0,0,0,4.00K,4000,0.00K,0,40.6401,-77.5656,40.6401,-77.5656,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees in Burnham." +117930,712920,PENNSYLVANIA,2017,August,Thunderstorm Wind,"HUNTINGDON",2017-08-19 17:35:00,EST-5,2017-08-19 17:35:00,0,0,0,0,7.00K,7000,0.00K,0,40.4882,-77.9507,40.4882,-77.9507,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees, poles, and wires across School House Hollow Road." +117930,712921,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MIFFLIN",2017-08-19 17:42:00,EST-5,2017-08-19 17:42:00,0,0,0,0,5.00K,5000,0.00K,0,40.6029,-77.5713,40.6029,-77.5713,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees in Lewistown." +117930,712922,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEDFORD",2017-08-19 17:45:00,EST-5,2017-08-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9149,-78.3847,39.9149,-78.3847,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Clearville." +117930,712923,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JUNIATA",2017-08-19 17:55:00,EST-5,2017-08-19 17:55:00,0,0,0,0,0.00K,0,0.00K,0,40.5686,-77.3968,40.5686,-77.3968,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near Mifflintown." +117930,712924,PENNSYLVANIA,2017,August,Thunderstorm Wind,"JUNIATA",2017-08-19 18:04:00,EST-5,2017-08-19 18:04:00,0,0,0,0,0.00K,0,0.00K,0,40.6314,-77.29,40.6314,-77.29,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous trees near McAlisterville." +117930,712925,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-19 18:10:00,EST-5,2017-08-19 18:10:00,0,0,0,0,1.00K,1000,0.00K,0,40.7251,-77.2699,40.7251,-77.2699,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Route 522, blocking one lane." +118215,711998,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-03 17:30:00,MST-7,2017-08-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3633,-111.9548,33.3593,-111.882,"Scattered to numerous monsoon thunderstorms developed across portions of south central Arizona, including the greater Phoenix metropolitan area, on August 3rd. Some of the thunderstorms generated intense rainfall with peak rain rates approaching 2 inches per hour. The heavy rains led to multiple episodes of flooding and flash flooding during the afternoon and evening hours. Heavy rains led to evening flash flooding of the Delaney Wash near Tonopah which resulted in the closure of 411th Avenue. Flash flooding was also observed in Queen Creek as the rapidly rising Sonoqui Wash near Hawes Road closed various low water crossings. No injuries were reported due to the flooding.","Scattered to numerous thunderstorms developed across the central and southeast portions of the greater Phoenix metropolitan area during the afternoon hours on August 3rd, and some of the stronger storms generated intense rainfall with peak rainfall rates in excess of 4 inches per hour. At about 1800MST, a trained spotter in central Tempe near the intersection of Southern Avenue and McClintock Road measured 2.35 inches within 30 minutes. The intense rainfall easily led to episodes of flash flooding, especially given the extreme amounts of asphalt and concrete present in the area. At 1808MST, the Arizona Department of Highways reported flash flooding on the Superstition Freeway; the heavy rains caused the freeway to become flooded at McClintock Avenue in central Tempe. At 1816MST, the Arizona Department of Highways reported flash flooding further to the west as Highway 60, the Superstition Freeway, was flooded at the Mill Avenue underpass. Shortly thereafter, at 1826MST, local broadcast media reported that flash flooding resulted in the closure of Mill Avenue just north of Broadway Road. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 1728MST and was valid through 2030MST. No injuries were reported due to the flash flooding." +118567,712292,ARIZONA,2017,August,Flash Flood,"LA PAZ",2017-08-03 09:00:00,MST-7,2017-08-03 11:00:00,0,0,0,0,4.00K,4000,0.00K,0,33.7439,-114.3114,33.7592,-114.1528,"Isolated to scattered showers and thunderstorms developed across portions of La Paz County during the morning hours on August 3rd. Some of the stronger storms generated locally heavy rains with peak rain rates in excess of one inch per hour. The heavy rains led to an episode of flash flooding near the town of Quartzsite during the middle of the morning. Flash flooding caused Highway 95 to become impassable to cars near milepost 112. The flooding resulted in the issuance of a Flash Flood Warning. No injuries were reported.","Scattered thunderstorms developed over portions of La Paz County during the morning hours on August 3rd and some of them affected the area near the town of Quartzsite. The stronger storms generated locally heavy rains which led to an episode of flash flooding. According to local law enforcement, at 0930MST Highway 95 was rendered impassible to cars in the vicinity of milepost 112 due to the flash flooding. This was about 4 miles north of Quartzsite. Fortunately there were no injuries as a result of the flash flooding. A Flash Flood Warning was in effect at the time of the flooding; it was issued at 0755MST and was in effect through 1100MST." +118624,712601,WYOMING,2017,August,Thunderstorm Wind,"LARAMIE",2017-08-15 15:30:00,MST-7,2017-08-15 15:32:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-104.48,41.21,-104.48,"Thunderstorms produced strong outflow winds in central Carbon and eastern Laramie counties.","Estimated wind gusts of 60 mph were observed at Hillsdale." +117296,709473,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-04 15:31:00,EST-5,2017-08-04 15:31:00,0,0,0,0,3.00K,3000,0.00K,0,40.4688,-78.4705,40.4688,-78.4705,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Sugar Run Road in Allegheny Township." +117296,709475,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SOMERSET",2017-08-04 15:45:00,EST-5,2017-08-04 15:45:00,0,0,0,0,4.00K,4000,0.00K,0,40.2105,-78.7174,40.2105,-78.7174,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Ogletown." +117296,709476,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-04 15:49:00,EST-5,2017-08-04 15:49:00,0,0,0,0,2.00K,2000,0.00K,0,40.6006,-78.3418,40.6006,-78.3418,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Bellwood." +117296,709477,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BLAIR",2017-08-04 16:01:00,EST-5,2017-08-04 16:01:00,0,0,0,0,2.00K,2000,0.00K,0,40.6942,-78.243,40.6942,-78.243,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down wires onto Decker Hollow Road north of Tyrone." +118995,714765,ILLINOIS,2017,August,Dense Fog,"UNION",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118995,714766,ILLINOIS,2017,August,Dense Fog,"JACKSON",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118995,714767,ILLINOIS,2017,August,Dense Fog,"WILLIAMSON",2017-08-15 03:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less across parts of southern Illinois, mainly from the Marion/Carbondale area southward. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714769,MISSOURI,2017,August,Dense Fog,"BOLLINGER",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714770,MISSOURI,2017,August,Dense Fog,"BUTLER",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714771,MISSOURI,2017,August,Dense Fog,"CAPE GIRARDEAU",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714772,MISSOURI,2017,August,Dense Fog,"CARTER",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714773,MISSOURI,2017,August,Dense Fog,"MISSISSIPPI",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714774,MISSOURI,2017,August,Dense Fog,"NEW MADRID",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +119298,716363,OKLAHOMA,2017,August,Thunderstorm Wind,"TEXAS",2017-08-10 21:40:00,CST-6,2017-08-10 21:40:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-101.51,36.69,-101.51,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported. In this same atmosphere to the north across the OK Panhandle, convection that developed across SE Colorado moved south and produced hail and severe wind gusts across the OK Panhandle the evening of the 10th.","" +119298,716364,OKLAHOMA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-10 21:55:00,CST-6,2017-08-10 21:55:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported. In this same atmosphere to the north across the OK Panhandle, convection that developed across SE Colorado moved south and produced hail and severe wind gusts across the OK Panhandle the evening of the 10th.","" +119298,716366,OKLAHOMA,2017,August,Hail,"BEAVER",2017-08-10 21:59:00,CST-6,2017-08-10 21:59:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.12,36.62,-100.12,"The first round of weather early in the morning on the 10th produced flash flooding reports in Armstrong and Randall counties. With PWAT values in the 75th percentile based off climatology upper air obs, the atmosphere was very moist to support heavy rainfall. Residual outflow boundaries across the western TX Panhandle generated storms later in the afternoon on the 10th with SBCAPE of around 1500 J/kg and MUCAPE of 2000 J/kg with effective shear of 30-35 kts. This allowed some storms to develop with one report of half dollar size hail along with nickel size hail reported. In this same atmosphere to the north across the OK Panhandle, convection that developed across SE Colorado moved south and produced hail and severe wind gusts across the OK Panhandle the evening of the 10th.","Reported by viewer to local media." +118279,710859,OREGON,2017,August,Wildfire,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-08-01 00:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of 04:30 PDT on 09/01/17, the fire covered 131197 acres and was 10 percent contained. 24.1 million dollars had been spend on firefighting efforts.","The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of 04:30 PDT on 09/01/17, the fire covered 131197 acres and was 10 percent contained. 24.1 million dollars had been spend on firefighting efforts." +119407,716653,TEXAS,2017,August,Thunderstorm Wind,"DEAF SMITH",2017-08-13 20:25:00,CST-6,2017-08-13 20:25:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-102.43,34.83,-102.43,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","" +119407,716667,TEXAS,2017,August,Thunderstorm Wind,"DALLAM",2017-08-13 18:20:00,CST-6,2017-08-13 18:32:00,0,0,0,0,,NaN,,NaN,36.05,-102.56,36.03,-102.55,"Mid to upper level northwesterly flow helped to move storms into the Panhandles region. With SBCAPE of 3000-4000 J/Kg in the western TX Panhandles, in-conjunction with 30-40 kts of effective shear, an established 850-700 surface trough over eastern NM advecting surface moisture northward downstream of its axis, along with around 200 m2/s2 of effective helicity provided an initial environment of supercell development on the onset of the convection before an MCS eventually developed and moved SE across the remainder of the TX Panhandle. Some cells across the central TX Panhandle did develop before being part of the southward moving MCS from the western TX Panhandle which one cell did produce a short lived weak tornado. Overall, several reports early on of large hail and damaging winds were reported, especially across the western TX Panhandle.","A significant downburst wind event occurred west and southwest of Dalhart, TX on Sunday evening. The downburst was associated with an RFD of a supercell thunderstorm. Damage from the downburst was initially observed at the Twisted Elms Golf Course were several trees were uprooted and many large branches were downed, including some onto power lines. Damage at the golf course was estimated at 75-85 MPH. The damage continued to the southeast were several power poles were blown down. Severe straight line damaged peaked at the airport where a 74 MPH wind was observed with even some of NWS ASOS equipment was damaged afterwards by flying debris from airport hangers up to half a mile away. Several small planes and a pop-up camper were flipped and thrown up to 50 yards. Damage at the airport was estimated to be from 100 to 110 MPH winds, which is equivalent of a high end EF-1 tornado." +117721,707878,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:09:00,MST-7,2017-08-14 17:09:00,0,0,0,0,0.00K,0,0.00K,0,44.0667,-103.2499,44.0667,-103.2499,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707877,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:09:00,MST-7,2017-08-14 17:09:00,0,0,0,0,,NaN,0.00K,0,44.0373,-103.2612,44.0373,-103.2612,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707886,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:15:00,MST-7,2017-08-14 17:20:00,0,0,0,0,,NaN,0.00K,0,44.0639,-103.2709,44.0498,-103.2645,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117727,708392,SOUTH DAKOTA,2017,August,Hail,"BUTTE",2017-08-14 18:00:00,MST-7,2017-08-14 18:00:00,0,0,0,0,,NaN,0.00K,0,44.935,-103.967,44.935,-103.967,"A supercell thunderstorm moved east-southeast from Montana across portions of Butte County. The storm produced large hail and wind gusts to 60 mph.","" +117727,708393,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"BUTTE",2017-08-14 18:00:00,MST-7,2017-08-14 18:00:00,0,0,0,0,,NaN,0.00K,0,44.935,-103.967,44.935,-103.967,"A supercell thunderstorm moved east-southeast from Montana across portions of Butte County. The storm produced large hail and wind gusts to 60 mph.","Wind gusts were estimated around 60 mph." +117727,708394,SOUTH DAKOTA,2017,August,Hail,"BUTTE",2017-08-14 19:20:00,MST-7,2017-08-14 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.6521,-103.42,44.6521,-103.42,"A supercell thunderstorm moved east-southeast from Montana across portions of Butte County. The storm produced large hail and wind gusts to 60 mph.","" +117721,707866,SOUTH DAKOTA,2017,August,Hail,"MEADE",2017-08-14 16:45:00,MST-7,2017-08-14 16:45:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-103.31,44.15,-103.31,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707885,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:13:00,MST-7,2017-08-14 17:13:00,0,0,0,0,0.00K,0,0.00K,0,44.0533,-103.2146,44.0533,-103.2146,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117356,705750,FLORIDA,2017,August,Thunderstorm Wind,"BREVARD",2017-08-03 14:27:00,EST-5,2017-08-03 14:27:00,3,0,0,0,50.00K,50000,0.00K,0,28.3676,-80.6015,28.3676,-80.6015,"A thunderstorm produced a microburst which damaged a portion of the Cocoa Beach Pier. Three people sustained minor injuries. A trained weather spotter located about 1.5 miles north of the pier estimated wind gusts of 48 to 55 mph, approximately 1-3 minutes after the damage at the pier.","Photos and information provided by Brevard County Emergency Management and local media helped confirm that a thunderstorm produced a microburst which impacted a portion of the Cocoa Beach Pier. The wood and metal awning-like roof of a outdoor bar/restaurant along the pier was peeled back and dislodged. The roofing material was blown north onto the roof of an adjacent, indoor restaurant, damaging air conditioning units. Three people experienced minor cuts from flying debris and were treated at the scene. Based on the damage photos, winds were estimated near 65 mph." +117344,705690,FLORIDA,2017,August,Lightning,"VOLUSIA",2017-08-05 14:05:00,EST-5,2017-08-05 14:05:00,0,0,0,0,200.00K,200000,0.00K,0,28.86,-80.91,28.86,-80.91,"An afternoon thunderstorm produced a lightning strike that hit a house in Oak Hill. The house caught fire and suffered extensive damage. No injuries or fatalities were reported.","Broadcast media reported that a house was struck by lightning on Maytown road, just east of Interstate 95 and near Cubert Lane in Oak Hill. The house suffered extensive damage. The homeowner was inside when the house was struck but he was not injured." +117343,705688,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-05 15:15:00,EST-5,2017-08-05 15:15:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"Numerous sea breeze thunderstorms developed across east central Florida, and one storm produced strong winds in northern Brevard County as it moved east over the intracoastal waters.","US Air Force wind tower 0421 measured a peak wind gust of 38 knots from the east." +117343,705689,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-05 15:35:00,EST-5,2017-08-05 15:35:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"Numerous sea breeze thunderstorms developed across east central Florida, and one storm produced strong winds in northern Brevard County as it moved east over the intracoastal waters.","US Air Force wind tower 0421 measured a peak wind gust of 39 knots from the southeast." +119721,717992,TEXAS,2017,August,Thunderstorm Wind,"MIDLAND",2017-08-16 19:36:00,CST-6,2017-08-16 19:36:00,0,0,0,0,,NaN,,NaN,32.0602,-101.948,32.0602,-101.948,"An upper ridge was to the east of the region with very warm temperatures across West Texas. A plentiful supply of moisture was present across the Western Low Rolling Plains and eastern portions of the Permian Basin. There was a cold front to the north of the area and a weak dryline across the Permian Basin. These conditions, along with good instability, resulted in thunderstorms with strong winds and large hail across the area.","A thunderstorm moved across Midland County and produced estimated 50 to 60 mph wind gusts ten miles southwest of Stanton on I-20." +119383,718061,MARYLAND,2017,August,Hail,"BALTIMORE",2017-08-21 14:10:00,EST-5,2017-08-21 14:10:00,0,0,0,0,,NaN,,NaN,39.2962,-76.4629,39.2962,-76.4629,"An unstable atmosphere led to a few severe thunderstorms.","Dime to quarter sized hail was reported." +119856,718534,MISSOURI,2017,August,Flash Flood,"PLATTE",2017-08-05 20:54:00,CST-6,2017-08-05 23:54:00,0,0,0,0,0.00K,0,0.00K,0,39.2355,-94.6474,39.2266,-94.6469,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","The spillway for Lake Waukomis was closed due to water flowing over it." +119856,718535,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 21:00:00,CST-6,2017-08-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.6,39.0388,-94.5976,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Four or five cars were reported to have stalled in high water at 51st and Ward Parkway." +119856,718536,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:07:00,CST-6,2017-08-06 00:07:00,0,0,0,0,0.00K,0,0.00K,0,38.8761,-93.6337,38.8679,-93.6348,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water over the road was reported at HWY E and NE 41st St." +122186,731454,TEXAS,2017,December,Winter Weather,"GONZALES",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119961,718983,SOUTH DAKOTA,2017,August,Drought,"BUFFALO",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +119961,718985,SOUTH DAKOTA,2017,August,Drought,"BROWN",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117431,706198,COLORADO,2017,August,Hail,"LARIMER",2017-08-10 14:07:00,MST-7,2017-08-10 14:07:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-105.12,40.51,-105.12,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706199,COLORADO,2017,August,Hail,"LARIMER",2017-08-10 14:10:00,MST-7,2017-08-10 14:10:00,0,0,0,0,,NaN,,NaN,40.52,-105.11,40.52,-105.11,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706200,COLORADO,2017,August,Hail,"LARIMER",2017-08-10 14:10:00,MST-7,2017-08-10 14:10:00,0,0,0,0,,NaN,,NaN,40.55,-105.08,40.55,-105.08,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +120004,719130,NEW YORK,2017,August,Thunderstorm Wind,"HAMILTON",2017-08-04 16:50:00,EST-5,2017-08-04 16:50:00,0,0,0,0,,NaN,,NaN,43.94,-74.46,43.94,-74.46,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees were downed on North Point Road near Long Lake." +120004,719131,NEW YORK,2017,August,Thunderstorm Wind,"WARREN",2017-08-04 16:51:00,EST-5,2017-08-04 16:51:00,0,0,0,0,,NaN,,NaN,43.34,-73.68,43.34,-73.68,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were downed." +120114,719691,LAKE ST CLAIR,2017,August,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-08-11 17:07:00,EST-5,2017-08-11 17:07:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-82.63,42.56,-82.63,"A thunderstorm which produced tree damage on Harsens Island moved into Lake St. Clair.","A tree and tree limbs reported down on Harsens Island, along with wires. Boathouse also collapsed." +120114,719692,LAKE ST CLAIR,2017,August,Marine Hail,"DETROIT RIVER",2017-08-11 15:14:00,EST-5,2017-08-11 15:14:00,0,0,0,0,0.00K,0,0.00K,0,42.1866,-83.1625,42.1866,-83.1625,"A thunderstorm which produced tree damage on Harsens Island moved into Lake St. Clair.","" +120008,719139,NEW MEXICO,2017,August,Thunderstorm Wind,"HIDALGO",2017-08-09 17:00:00,MST-7,2017-08-09 17:15:00,0,1,0,1,50.00K,50000,0.00K,0,32.2458,-108.913,32.2458,-108.913,"A dry lower atmosphere in place over southwest New Mexico lead to gusty winds exceeding 70 mph from thunderstorms. These winds created a localized dust storm just west of Lordsburg that lead to an accident in which a woman was killed.","Power was out in Lordsburg area for over 30 hours. The wind created a dust storm with near zero visibility west of Lordsburg near mile marker 6 which caused a 2015 Dodge truck towing a travel trailer to rear end an 18 wheeler which had slowed down due to the conditions. One woman in the Dodge truck was killed and serious injuries were sustained to the driver of the truck." +120008,719140,NEW MEXICO,2017,August,Thunderstorm Wind,"HIDALGO",2017-08-09 17:00:00,MST-7,2017-08-09 17:15:00,0,0,0,0,25.00K,25000,0.00K,0,32.0132,-108.8306,32.0132,-108.8306,"A dry lower atmosphere in place over southwest New Mexico lead to gusty winds exceeding 70 mph from thunderstorms. These winds created a localized dust storm just west of Lordsburg that lead to an accident in which a woman was killed.","About 20 power poles were down between Animas and Rodeo. Power was out for over 36 hours in these areas." +120144,719795,TENNESSEE,2017,August,Flash Flood,"MARSHALL",2017-08-11 15:00:00,CST-6,2017-08-11 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,35.458,-86.8147,35.4545,-86.8132,"Scattered slow-moving showers and thunderstorms developed across Middle Tennessee during the afternoon and evening on August 11. Some reports of flash flooding were received across parts Marshall and Giles Counties.","Several roads were flooded and closed in Lewisburg with water rescues of people from vehicles conducted on Old Columbia Road at Silver Creek Road, Hopkins Avenue, and Franklin Avenue at Silver Creek." +120144,719796,TENNESSEE,2017,August,Flash Flood,"GILES",2017-08-11 18:00:00,CST-6,2017-08-11 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.2091,-87.0646,35.1253,-87.0749,"Scattered slow-moving showers and thunderstorms developed across Middle Tennessee during the afternoon and evening on August 11. Some reports of flash flooding were received across parts Marshall and Giles Counties.","Several roads were flooded and closed in and south of Pulaski including Braly Lane at Bennett Drive, as well as Garner Hollow Road where a water rescue was conducted." +119756,718186,OHIO,2017,August,Thunderstorm Wind,"BELMONT",2017-08-04 12:25:00,EST-5,2017-08-04 12:25:00,0,0,0,0,1.00K,1000,0.00K,0,39.99,-80.77,39.99,-80.77,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down along Winding Hill Rd." +119756,718232,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-04 15:27:00,EST-5,2017-08-04 15:27:00,0,0,0,0,5.00K,5000,0.00K,0,40.62,-81.09,40.62,-81.09,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported multiple trees down." +119756,718233,OHIO,2017,August,Hail,"CARROLL",2017-08-04 15:37:00,EST-5,2017-08-04 15:37:00,0,0,0,0,0.10K,100,0.00K,0,40.69,-81.05,40.69,-81.05,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","" +119756,718234,OHIO,2017,August,Thunderstorm Wind,"COLUMBIANA",2017-08-04 16:07:00,EST-5,2017-08-04 16:07:00,0,0,0,0,5.00K,5000,0.00K,0,40.78,-80.7,40.78,-80.7,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down in Elk Run Township." +119756,718235,OHIO,2017,August,Thunderstorm Wind,"COLUMBIANA",2017-08-04 16:12:00,EST-5,2017-08-04 16:12:00,0,0,0,0,5.00K,5000,0.00K,0,40.83,-80.68,40.83,-80.68,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down in Fairfield Township." +119756,718236,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-04 16:28:00,EST-5,2017-08-04 16:28:00,0,0,0,0,5.00K,5000,0.00K,0,40.62,-80.9,40.62,-80.9,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Law enforcement reported several large tree branches down on Route 39." +119756,718252,OHIO,2017,August,Hail,"BELMONT",2017-08-04 12:15:00,EST-5,2017-08-04 12:15:00,0,0,0,0,0.00K,0,0.00K,0,40.1,-80.72,40.1,-80.72,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","" +119760,718189,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MARSHALL",2017-08-04 12:25:00,EST-5,2017-08-04 12:25:00,0,0,0,0,0.10K,100,0.00K,0,40.01,-80.73,40.01,-80.73,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Trained spotter reported several large tree branches down." +120051,719988,ALABAMA,2017,August,Tornado,"BIBB",2017-08-31 17:57:00,CST-6,2017-08-31 18:10:00,0,0,0,0,0.00K,0,0.00K,0,32.9173,-87.3345,32.9907,-87.2645,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in western Bibb County and determined that the damage was consistent with an EF1 tornado. The tornado spun up along Road 700 north of Highway 25 in the Oakmulgee District of the Talladega National Forest, just west of Lake Ponderosa, where a couple tree branches were broken. It continued northeast through forested land and strengthened as it approached County Highway 16. There, an anchored barn and shed both collapsed, and an unanchored mobile home was rolled over, while numerous softwood trees were snapped. After crossing County 16, it damaged the tin roof of an abandoned structure, and continued to snap numerous trees as it began to parallel County Road 16 and cross Highway 1. The roof was damaged on a small shed along Sugar Hill Lane with continued tree damage. The tornado dissipated after crossing Ward School Road, prior to reaching Highway 82 and Eoline. The tornado was captured in a couple videos. The parent supercell went on to exhibit a couple additional tight velocity couplets and a lowering in correlation coefficient as it continued through Bibb County near West Blocton and Woodstock. However, survey teams could not find any additional damage on any accessible roads, and no additional damage was reported." +120051,719995,ALABAMA,2017,August,Tornado,"BIBB",2017-08-31 18:28:00,CST-6,2017-08-31 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1008,-87.1718,33.1068,-87.1654,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in northern Bibb County and determined that the damage was consistent with an EF1 tornado. The tornado spun up along a hunting road south of Hopewell Church Road, where a couple of trees were downed. It paralleled Hopewell Church Road and reached its greatest intensity near a pond. Numerous trees were snapped and uprooted on both sides of the pond. The tornado dissipated north of the pond, prior to reaching Hopewell Church Road." +120051,719996,ALABAMA,2017,August,Tornado,"BIBB",2017-08-31 18:42:00,CST-6,2017-08-31 18:44:00,0,0,0,0,0.00K,0,0.00K,0,33.196,-87.1277,33.1997,-87.1251,"The remnants of Hurricane Harvey tracked northeast across Louisiana and along the Mississippi River. Feeder bands on the east side of Harvey produced four tornadoes across central Alabama.","NWS meteorologists surveyed damage in northern Bibb County and determined that the damage was consistent with an EF0 tornado. The tornado developed just south of Old Woodstock Road along the northern side of the Colonial Pipeline with light tree damage observed. The tornado briefly intensified as it crossed Old Woodstock Road, uprooting several trees. Another batch of uprooted trees was seen toward the northeast, as the tornado moved through a stand of trees. The circulation then quickly weakened roughly 1.5 miles south of the Tuscaloosa County line." +118315,710974,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 14:12:00,EST-5,2017-08-02 14:12:00,0,0,0,0,,NaN,,NaN,41.53,-73.37,41.53,-73.37,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","Trees and wires reported down." +118315,710976,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 14:14:00,EST-5,2017-08-02 14:14:00,0,0,0,0,,NaN,,NaN,41.93,-73.08,41.93,-73.08,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","A tree was knocked down across roadway." +118315,710977,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 14:15:00,EST-5,2017-08-02 14:15:00,0,0,0,0,,NaN,,NaN,41.92,-73.06,41.92,-73.06,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","A tree was knocked down onto power lines." +118315,710979,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 15:03:00,EST-5,2017-08-02 15:03:00,0,0,0,0,,NaN,,NaN,41.69,-73.48,41.69,-73.48,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","Numerous trees and wires were downed along South Kent Road between Spooner Hill Road and Camps Flat Road." +120013,719169,MASSACHUSETTS,2017,August,Flash Flood,"BERKSHIRE",2017-08-22 21:05:00,EST-5,2017-08-22 23:15:00,0,0,0,0,1.00K,1000,1.00K,1000,42.449,-73.2538,42.4498,-73.2536,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","North Street was flooded with cars stuck in the water." +120057,719432,WISCONSIN,2017,September,Heavy Rain,"FOND DU LAC",2017-09-20 20:30:00,CST-6,2017-09-21 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,43.7473,-88.4654,43.7915,-88.4173,"A slow moving cold front resulted in repeated rounds of showers and thunderstorms. This caused urban flooding in the city of Fond du Lac.","Heavy rain of 3.50-4.00 inches over several hours resulted in street flooding in the city of Fond du Lac. I-41 flooded at S. Hickory Rd. The Woodland Trailer Park was being monitored for evacuation due to rising water but was ultimately not needed." +119660,717779,VIRGINIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-07 14:37:00,EST-5,2017-08-07 14:37:00,0,0,0,0,1.00K,1000,0.00K,0,37.48,-75.84,37.48,-75.84,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Large branches were broken and a tree was downed just east of Nassawadox." +119660,717782,VIRGINIA,2017,August,Thunderstorm Wind,"ACCOMACK",2017-08-07 14:47:00,EST-5,2017-08-07 14:47:00,0,0,0,0,1.00K,1000,0.00K,0,37.5,-75.77,37.5,-75.77,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Large branches were broken on Upshur Neck Rd." +120067,719449,COLORADO,2017,September,Hail,"WELD",2017-09-15 21:45:00,MST-7,2017-09-15 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-104.93,40.15,-104.93,"A strong thunderstorm produced dime size hail near Firestone.","" +120068,719450,COLORADO,2017,September,Thunderstorm Wind,"ARAPAHOE",2017-09-17 15:48:00,MST-7,2017-09-17 15:48:00,0,0,0,0,,NaN,,NaN,39.66,-104.19,39.66,-104.19,"A strong dust devil developed briefly on the leading edge of gust front. Minor tree |damage was observed.","Strong winds gusts snapped small tree branches." +119035,721267,MINNESOTA,2017,September,Thunderstorm Wind,"POPE",2017-09-19 23:39:00,CST-6,2017-09-19 23:41:00,0,0,0,0,0.00K,0,0.00K,0,45.4446,-95.2429,45.4582,-95.2074,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","About two hundred trees were broken or uprooted due to the rear flank downdraft that accompanied the Camp Lake tornado. This damage was one to two miles southeast of the dissipation point of the tornado." +119751,718181,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 06:00:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-86.65,34.9009,-86.6493,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Reports of flooding along Murphy Hill Road and the Whitt Haven Subdivision. Report relayed by public and social media." +119751,718185,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 06:30:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-86.52,34.8856,-86.5207,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Media relayed report of flooding near Lynn Fanning Elementary School." +120255,720529,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DARLINGTON",2017-08-31 16:36:00,EST-5,2017-08-31 16:37:00,0,0,0,0,5.00K,5000,0.00K,0,34.3653,-80.0651,34.3642,-80.0644,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","Trees and signage were reported down along S 4th St." +120182,720152,GEORGIA,2017,August,Flash Flood,"BALDWIN",2017-08-09 10:00:00,EST-5,2017-08-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.1222,-83.113,33.1219,-83.1127,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","Emergency Manager reported moderate flooding at a residence along Snyder Road, NE of Milledgeville. The residence is located adjacent to Town Creek which was experiencing flooding at the time. The water was not flowing into the road, but the yard was submerged. Radar estimated 2 to 3 inches of rain. The previous day, upstream of Town Creek, some locations received 3 to 4 inches of rain." +120183,720548,GEORGIA,2017,August,Strong Wind,"DADE",2017-08-31 19:30:00,EST-5,2017-08-31 20:30:00,0,0,0,0,8.00K,8000,,NaN,NaN,NaN,NaN,NaN,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","The Dade County Emergency Manager reported four trees blown down on the campus of Covenant College." +120183,720751,GEORGIA,2017,August,Thunderstorm Wind,"HOUSTON",2017-08-31 12:50:00,EST-5,2017-08-31 12:55:00,0,0,0,0,5.00K,5000,0.00K,0,32.5442,-83.5977,32.5442,-83.5977,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","Powerlines down along 100 block of Allen Hwy." +120183,720753,GEORGIA,2017,August,Thunderstorm Wind,"HOUSTON",2017-08-31 12:45:00,EST-5,2017-08-31 12:50:00,0,0,0,0,2.00K,2000,0.00K,0,32.5938,-83.6984,32.5938,-83.6984,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","Powerlines down across the road at the 100 block of Covey Drive." +119974,719003,UTAH,2017,August,Hail,"SALT LAKE",2017-08-23 13:50:00,MST-7,2017-08-23 14:10:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-112.03,40.52,-112.03,"Afternoon thunderstorms continued over Utah in the second half of August, with some producing flash flooding or large hail.","Quarter-sized hail was reported across Herriman, with a picture of the hail also provided." +119971,720705,UTAH,2017,August,Flash Flood,"GARFIELD",2017-08-05 15:30:00,MST-7,2017-08-05 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.7278,-112.6188,37.7251,-112.6061,"A moist airmass across Utah in the first week of August led to scattered thunderstorms producing heavy rain. These storms produced several flash floods, primarily across the southern half of Utah.","Heavy rain on the Brianhead Fire burn scar once again caused flooding and debris along State Route 143, this time near the White Bridge Campground in the Panguitch Creek Drainage. A front loader was needed to remove the boulders from the road." +120181,720131,GEORGIA,2017,August,Thunderstorm Wind,"GORDON",2017-08-06 16:20:00,EST-5,2017-08-06 16:30:00,0,0,0,0,6.00K,6000,,NaN,34.45,-84.83,34.5011,-84.7098,"Thunderstorms along a warm front lifting north across north Georgia produced an isolated severe thunderstorm during the early evening hours.","The Gordon County 911 center reported trees and power lines blown down from around Sonoraville Elementary School to Highway 411 and Liberty Church Road in Ranger." +120182,720543,GEORGIA,2017,August,Strong Wind,"DE KALB",2017-08-09 07:00:00,EST-5,2017-08-09 09:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","Strong winds associated with a large area of persistent showers produced isolated reports of damage in DeKalb County, including a large tree that fell on an apartment building and a car on Northeast Expressway and another tree blown down across the intersection of LaVista Road and North Druid Hills Road blocking traffic in all directions. No injuries were reported." +120182,720545,GEORGIA,2017,August,Strong Wind,"NORTH FULTON",2017-08-09 08:00:00,EST-5,2017-08-09 10:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"Scattered thunderstorms along a stationary front produced isolated reports of flash flooding and wind damage across portions of north and central Georgia.","Strong winds associated with a large area of persistent showers produced isolated reports of damage in north Fulton County, including a large tree that fell on power lines and two cars on Moores Mill Road near Ridgewood Road. No injuries were reported." +120183,720133,GEORGIA,2017,August,Thunderstorm Wind,"MACON",2017-08-31 12:07:00,EST-5,2017-08-31 12:12:00,0,0,0,0,6.00K,6000,,NaN,32.2244,-83.9931,32.2729,-83.9956,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","The Macon County 911 center reported trees and power lines blown down from around Drayton Road to around the intersection of Highway 90 and Cedar Valley Road." +120070,719597,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"WATERS FROM DESTIN FL TO PENSACOLA FL FROM 20 TO 60 NM",2017-08-30 07:50:00,CST-6,2017-08-30 07:50:00,0,0,0,0,0.00K,0,0.00K,0,30.3422,-87.1559,30.3422,-87.1559,"Thunderstorms on the far eastern fringes of Tropical Storm Harvey moved over the marine area and produced strong winds.","Recorded by Weatherflow site XGBZ." +120103,719601,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-08-31 06:03:00,CST-6,2017-08-31 06:03:00,0,0,0,0,0.00K,0,0.00K,0,30.3548,-87.2771,30.3548,-87.2771,"Strong thunderstorms on the far eastern fringe of Tropical Depression Harvey moved across the marine area and produced strong winds.","" +120103,719610,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-08-31 06:32:00,CST-6,2017-08-31 06:32:00,0,0,0,0,0.00K,0,0.00K,0,30.4025,-87.0375,30.4025,-87.0375,"Strong thunderstorms on the far eastern fringe of Tropical Depression Harvey moved across the marine area and produced strong winds.","GB Soundside Weatherflow site measurement." +120103,719611,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"CHOCTAWHATCHEE BAY",2017-08-31 07:08:00,CST-6,2017-08-31 07:08:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-86.5671,30.39,-86.5671,"Strong thunderstorms on the far eastern fringe of Tropical Depression Harvey moved across the marine area and produced strong winds.","XFWB Weatherflow measurement." +120103,719612,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-08-31 08:17:00,CST-6,2017-08-31 08:17:00,0,0,0,0,0.00K,0,0.00K,0,30.3083,-87.5102,30.3083,-87.5102,"Strong thunderstorms on the far eastern fringe of Tropical Depression Harvey moved across the marine area and produced strong winds.","XLMP Weatherflow measurement." +120250,720504,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"FLORENCE",2017-08-23 21:12:00,EST-5,2017-08-23 21:13:00,0,0,0,0,1.00K,1000,0.00K,0,34.1343,-79.6601,34.1343,-79.6601,"Widespread late afternoon thunderstorms developed and blossomed in the humid air mass ahead of a cold front. The environment was not only highly unstable, but high DCAPE values supported wind damage at the surface.","A tree was reported down near the intersection of Claussen Rd. and Brookhaven Ln." +120255,720524,SOUTH CAROLINA,2017,August,Thunderstorm Wind,"DARLINGTON",2017-08-31 16:42:00,EST-5,2017-08-31 16:43:00,2,0,0,0,35.00K,35000,0.00K,0,34.3308,-80.0333,34.3308,-80.0333,"An organized complex of thunderstorms moved across the area late day and during the evening ahead of a mid-level shortwave. Damage was concentrated and significant in Darlington County. The damage in Horry and Marion counties was confined to trees.","An anchored mobile home was flipped over near the corner of Feast Rd. and Foremost Rd. The mobile home ended up atop a pickup truck parked nearby. Two people inside the home at the time were reported injured." +118444,711731,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-04 15:39:00,EST-5,2017-08-04 15:49:00,0,0,0,0,10.00K,10000,0.00K,0,42.93,-76.57,42.93,-76.57,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees on structures." +120089,720944,KANSAS,2017,August,Hail,"BARBER",2017-08-05 15:27:00,CST-6,2017-08-05 15:27:00,0,0,0,0,,NaN,,NaN,37.43,-98.92,37.43,-98.92,"An area of surface low pressure intensified across eastern Colorado as the day progressed, leading to breezy south southwesterly winds across the area. A cold front then moved through the CWA by the evening, shifting winds to more of a northerly direction. Given moderate instability, a few thunderstorms formed along this boundary in Barber County.","" +119869,718569,ARKANSAS,2017,August,Flash Flood,"CRAWFORD",2017-08-15 22:00:00,CST-6,2017-08-16 01:15:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-94.37,35.5707,-94.3647,"Showers and thunderstorms occurred across portions of west-central Arkansas on the morning of the 15th, to the north of a stationary front located south of the Red River. A complex of thunderstorms also occurred during the late afternoon and evening, as a cold front pushed through the region. Heavy rainfall was observed during both events, resulting in localized flooding across portions of west-central Arkansas.","Highway 59 was flooded from Natural Dam to Cedarville." +119869,718568,ARKANSAS,2017,August,Flash Flood,"FRANKLIN",2017-08-15 07:21:00,CST-6,2017-08-15 08:00:00,0,0,0,0,75.00K,75000,0.00K,0,35.3,-93.95,35.3007,-93.9387,"Showers and thunderstorms occurred across portions of west-central Arkansas on the morning of the 15th, to the north of a stationary front located south of the Red River. A complex of thunderstorms also occurred during the late afternoon and evening, as a cold front pushed through the region. Heavy rainfall was observed during both events, resulting in localized flooding across portions of west-central Arkansas.","Portions of Highway 41 were flooded and closed, and a couple bridges were washed out." +119870,718573,OKLAHOMA,2017,August,Flash Flood,"TULSA",2017-08-15 17:08:00,CST-6,2017-08-15 21:08:00,0,0,0,0,0.00K,0,0.00K,0,36.131,-96.0801,36.1222,-96.0775,"Thunderstorms developed during the afternoon of the 15th across northeastern Oklahoma in advance of a cold front that moved into the region. Heavy rain occurred across portions of Tulsa County, resulting in localized flooding.","Portions of W 21st Street S were flooded between Chandler Park and the Arkansas River bridge." +119871,718577,OKLAHOMA,2017,August,Thunderstorm Wind,"ROGERS",2017-08-16 20:32:00,CST-6,2017-08-16 20:32:00,0,0,0,0,25.00K,25000,0.00K,0,36.4256,-95.7011,36.4256,-95.7011,"Thunderstorms developed along an outflow boundary, and moved through portions of northeastern Oklahoma during the evening of the 16th. One storm produced damaging winds in Rogers County.","Strong thunderstorm wind blew down a large transmission tower at the PSO plant." +119872,718580,OKLAHOMA,2017,August,Thunderstorm Wind,"PITTSBURG",2017-08-17 00:07:00,CST-6,2017-08-17 00:07:00,0,0,0,0,2.00K,2000,0.00K,0,34.9155,-95.77,34.9155,-95.77,"A line of thunderstorms moved quickly through southeastern Oklahoma during the early morning hours of the 17th. The storms produced damaging winds in Pittsburg County.","Strong thunderstorm wind snapped large tree limbs and power poles." +119875,718596,OKLAHOMA,2017,August,Hail,"MUSKOGEE",2017-08-22 18:20:00,CST-6,2017-08-22 18:20:00,0,0,0,0,0.00K,0,0.00K,0,35.5934,-95.65,35.5934,-95.65,"Thunderstorms developed across portions of eastern Oklahoma during the evening hours of the 22nd. The strongest storms produced hail.","" +119874,718582,ARKANSAS,2017,August,Hail,"BENTON",2017-08-18 16:22:00,CST-6,2017-08-18 16:22:00,0,0,0,0,0.00K,0,0.00K,0,36.2681,-94.4841,36.2681,-94.4841,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +120086,719549,MAINE,2017,August,Thunderstorm Wind,"OXFORD",2017-08-22 21:09:00,EST-5,2017-08-22 21:14:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-70.46,44.53,-70.46,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage in New Hampshire. A few severe cells moved into western Maine toward the end of the event producing a few reports of wind damage.","A severe thunderstorm downed trees and wires on Canton Point Road in Dixfield." +120086,719550,MAINE,2017,August,Thunderstorm Wind,"YORK",2017-08-22 22:25:00,EST-5,2017-08-22 22:30:00,0,0,0,0,0.00K,0,0.00K,0,43.48,-70.72,43.48,-70.72,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage in New Hampshire. A few severe cells moved into western Maine toward the end of the event producing a few reports of wind damage.","A severe thunderstorm downed trees and wires on Gore Road in Alfred." +119985,719028,NEW HAMPSHIRE,2017,August,Hail,"MERRIMACK",2017-08-02 16:00:00,EST-5,2017-08-02 16:04:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-71.57,43.34,-71.57,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A thunderstorm produced 0.75 inch hail in Canterbury." +119985,719029,NEW HAMPSHIRE,2017,August,Hail,"CARROLL",2017-08-02 18:00:00,EST-5,2017-08-02 18:05:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-71.04,43.81,-71.04,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A severe thunderstorm produced 1.75 inch hail in Effingham Falls." +119985,719030,NEW HAMPSHIRE,2017,August,Hail,"CARROLL",2017-08-02 18:00:00,EST-5,2017-08-02 18:05:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-71.09,43.87,-71.09,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A severe thunderstorm produced 1 inch hail in East Madison." +119985,719031,NEW HAMPSHIRE,2017,August,Hail,"CARROLL",2017-08-02 18:00:00,EST-5,2017-08-02 18:06:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-71.08,43.91,-71.08,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A severe thunderstorm produced 1 inch hail in Eaton Center." +120505,721959,SOUTH CAROLINA,2017,September,Thunderstorm Wind,"GEORGETOWN",2017-09-11 17:14:00,EST-5,2017-09-11 17:15:00,0,0,0,0,0.00K,0,0.00K,0,33.315,-79.3129,33.315,-79.3129,"The combination of rapidly weakening Tropical Storm Irma across southwest Georgia and strong high pressure to the north brought strong gradient winds to the area. These winds were enhanced by convection. One thunderstorm was able to produce stronger winds at the surface, resulting in a severe thunderstorm wind gust at the Georgetown County Airport.","AWOS equipment measured a wind gust to 61 mph at the Georgetown County Airport." +120775,723359,NORTH CAROLINA,2017,September,Rip Current,"COASTAL NEW HANOVER",2017-09-23 08:00:00,EST-5,2017-09-26 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Large swells from Hurricane Maria, located far offshore, produced high surf and strong rip currents.","Hurricane Maria, located far offshore, produced large swells, which resulted in strong rip currents. On September 23rd, the lifeguards at Wrightsville Beach reported 25 rip related rescues. The surf height peaked around 8 feet, per lifeguard reports." +120774,723354,SOUTH CAROLINA,2017,September,Coastal Flood,"COASTAL GEORGETOWN",2017-09-11 12:00:00,EST-5,2017-09-12 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As tropical storm Irma traveled through central Florida, it interacted with strong high pressure to the north, creating a very strong onshore gradient and ocean fetch in Georgetown County, with lesser conditions in Horry County and points north.","A strong pressure gradient between high pressure to the north and Tropical Storm Irma to the south created strong onshore flow. Moderate coastal flooding was reported at Pawleys Island and portions of Georgetown, with multiple road closures. At one point, the Frying Pan Shoals buoy reported a 3.5 meter wave height. A NOS gauge at North Inlet Winyah Bay measured water levels 3.35 feet mean higher higher water (MHHW) and a USGS gauge on the Pee Dee River at Georgetown measured a water level 3.4 feet MHHW." +122097,730984,TEXAS,2017,December,Winter Weather,"HARDIN",2017-12-07 23:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Hardin County. Schools closed during the event since some roads became icy." +122097,730985,TEXAS,2017,December,Winter Weather,"TYLER",2017-12-07 22:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Hardin County. Schools closed during the event since some roads became icy." +122097,730988,TEXAS,2017,December,Winter Weather,"SOUTHERN JASPER",2017-12-07 23:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Jasper County. Schools closed during the event since some roads became icy." +121869,729480,VIRGINIA,2017,December,Cold/Wind Chill,"CENTRAL VIRGINIA BLUE RIDGE",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121869,729481,VIRGINIA,2017,December,Cold/Wind Chill,"EASTERN HIGHLAND",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121869,729478,VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN HIGHLAND",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121869,729479,VIRGINIA,2017,December,Cold/Wind Chill,"NORTHERN VIRGINIA BLUE RIDGE",2017-12-12 23:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121870,729482,MARYLAND,2017,December,Cold/Wind Chill,"EXTREME WESTERN ALLEGANY",2017-12-13 05:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +122303,732332,ATLANTIC NORTH,2017,December,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-12-06 02:10:00,EST-5,2017-12-06 02:10:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"A strong cold front caused gusty showers to develop over the waters during the morning hours of the 6th.","A wind gust of 35 knots was measured at the Susquehanna Buoy." +122303,732333,ATLANTIC NORTH,2017,December,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-12-06 01:46:00,EST-5,2017-12-06 01:46:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"A strong cold front caused gusty showers to develop over the waters during the morning hours of the 6th.","A wind gust of 35 knots was measured at Hart Miller Island." +122303,732334,ATLANTIC NORTH,2017,December,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-12-06 01:30:00,EST-5,2017-12-06 02:30:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A strong cold front caused gusty showers to develop over the waters during the morning hours of the 6th.","A wind gust in excess of 30 knots was reported at the Baltimore Key Bridge." +122243,731867,NEW YORK,2017,December,Winter Weather,"WESTERN GREENE",2017-12-09 11:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although eastern New York was on the western edge of this storm system, steady snowfall moved into the area during the late morning hours and continued through the remainder of the day. As the storm intensified just off the coast of southern New England, a narrow band of moderate snowfall developed during the evening hours across parts of the eastern Catskills, southeastern parts of the Capital Region and into the northern Taconics, which helped produced locally higher snowfall totals. The snowfall resulted in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 4 to 8 inches of snowfall.","" +122284,732166,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN SCHENECTADY",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732167,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN SARATOGA",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732168,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN SARATOGA",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732169,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHEAST WARREN",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732170,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN WARREN",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122284,732172,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN WASHINGTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +118168,710375,ARIZONA,2017,August,Flash Flood,"PINAL",2017-08-02 18:00:00,MST-7,2017-08-03 00:40:00,0,0,0,0,20.00K,20000,0.00K,0,32.9259,-112.1869,33.0571,-112.191,"Thunderstorms with locally heavy rain developed across portions of the greater Phoenix metropolitan area during the afternoon hours on August 2nd. The heavy rain was sufficient to cause washes to flow heavily in some locations, particularly south of Phoenix and in the areas near and to the south of the town of Maricopa. Rapidly rising waters in the Vekol Wash north of Interstate 8 drained northward and into the town of Ak Chin Village, resulting in flash flooding. Additionally the flooding affected communities to the west of state route 347, between Interstate 8 and the town of Maricopa. A Flash Flood Warning was issued at 1707MST and was in effect through 1935MST.","Thunderstorms with very heavy rain developed during the late afternoon hours over the southern portion of the greater Phoenix area, in the areas around the towns of Maricopa and Ak-Chin Village. Heavy rains led to rapidly rising flow down the Vekol Wash, which flowed downstream from around Interstate 8 northward and into the community of Ak-Chin Village. According to local law enforcement as well as trained spotters in the area, at 2045MST swiftly running water was moving through the Vekol Wash and through the Ak-Chin indian community resulting in on-going flooding. Water rescues were underway at Ralston Road and Val Vista Road where the Vekol Wash crosses the Roadway. A Flash Flood Watch had been issued earlier in the afternoon for the area but was cancelled at 1935MST. This was later replaced by a Flood Watch which was issued at 2151MST and remained in effect through 0040MST the next day. Fortunately, no injuries were reported due to the flash flooding." +117296,710718,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-04 23:05:00,EST-5,2017-08-04 23:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.0118,-76.3043,40.0118,-76.3043,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along New Danville Pike south of Lancaster." +118345,711121,NEW YORK,2017,August,Thunderstorm Wind,"ESSEX",2017-08-22 16:55:00,EST-5,2017-08-22 16:55:00,0,0,0,0,10.00K,10000,0.00K,0,43.95,-73.43,43.95,-73.43,"A strong cold front and upper level system approached northern NY during the afternoon of August 22nd and moved through during the night. Numerous thunderstorms moved across northern NY during the afternoon with several producing damaging winds in the form of downed trees and power lines.","Several power lines downed by thunderstorm winds." +119368,716873,WEST VIRGINIA,2017,August,Thunderstorm Wind,"MINERAL",2017-08-04 16:00:00,EST-5,2017-08-04 16:00:00,0,0,0,0,,NaN,,NaN,39.5576,-78.7376,39.5576,-78.7376,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down on Patterson Creek Pike." +119583,717491,GEORGIA,2017,August,Thunderstorm Wind,"BROOKS",2017-08-31 18:45:00,EST-5,2017-08-31 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,30.7861,-83.5499,30.7861,-83.5499,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A power line was blown down on Lafayette Street." +119287,717563,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-08-11 10:46:00,EST-5,2017-08-11 10:47:00,0,0,0,0,,NaN,,NaN,32.7512,-79.8707,32.7512,-79.8707,"An area of low pressure lifting north from Florida to Georgia helped spawn thunderstorms with strong winds over coastal waters.","A 36 knot wind gust was recorded at the Fort Sumter Range Front Light Weatherflow sensor." +119648,717751,NEW MEXICO,2017,August,Thunderstorm Wind,"EDDY",2017-08-15 18:17:00,MST-7,2017-08-15 18:17:00,0,0,0,0,,NaN,,NaN,32.5868,-104.22,32.5868,-104.22,"An upper ridge was over Florida, and a broad upper trough was over the western United States. A remaining outflow boundary was across the area, and there was good moisture present. These conditions, along with daytime heating contributing to an unstable atmosphere, allowed for storms with strong winds to develop across southeast New Mexico.","A thunderstorm moved across Eddy County and produced a 60 mph wind gust six miles north of Avalon." +119663,717883,TEXAS,2017,August,Flash Flood,"HOPKINS",2017-08-13 02:45:00,CST-6,2017-08-13 05:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3403,-95.3984,33.3251,-95.3939,"An upper level disturbance kicked off multiple rounds of showers and thunderstorms along a stationary front which stretched across North Texas. A few severe storms occurred during the evening of Saturday August 12th, then training thunderstorms with heavy rain led to flash flooding in many locations between the Red River and the Interstate 20 corridor during the morning of the 13th.","Hopkins County Sheriff's Department reported that Highway 71 near the Delta/Hopkins County line was closed due to high water." +119701,717927,FLORIDA,2017,August,Funnel Cloud,"OKEECHOBEE",2017-08-24 10:05:00,EST-5,2017-08-24 10:05:00,0,0,0,0,0.00K,0,0.00K,0,27.46,-80.81,27.46,-80.81,"A weather spotter observed a funnel cloud near Fort Drum as he was was driving northward on US Highway 441.","A weather spotter observed a funnel cloud to his north as he was driving on US Highway 441 at the intersection of NE 240th Street, south of Fort Drum." +119728,718012,NEBRASKA,2017,August,Hail,"CUSTER",2017-08-13 16:18:00,CST-6,2017-08-13 16:18:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-99.88,41.63,-99.88,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119911,719467,ALABAMA,2017,September,Tropical Storm,"GENEVA",2017-09-11 04:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||For southeast Alabama, Houston county reported a few trees and power lines down. ||Coffee county reported several power lines and large trees down across major highways including Highway 135 South, 441 South, and 151 South. Some trees fell on structures and one farm structure collapsed. ||Henry county reported numerous trees and power lines were down across the county. Two homes sustained structural damage damage due to fallen trees. Multiple roads were blocked with fallen trees. Approximately 1200 homes were without power. ||Dale county reported several trees and power lines were down in the county. Two homes suffered minor damage due to trees falling on the roofs. Power outages were also noted in the county. ||Geneva county reported trees and power lines down across the county with the county removing trees from 37 sites. In addition, on County Road 60, the roof was lost off a mobile home. The ceiling of the mobile home eventually collapsed and with rain entering the mobile home, it was a complete loss.","" +119912,719625,FLORIDA,2017,September,Tropical Storm,"INLAND DIXIE",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,7.00M,7000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719626,FLORIDA,2017,September,Tropical Storm,"INLAND FRANKLIN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719627,FLORIDA,2017,September,Tropical Storm,"INLAND GULF",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719628,FLORIDA,2017,September,Tropical Storm,"INLAND JEFFERSON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,900.00K,900000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719630,FLORIDA,2017,September,Tropical Storm,"INLAND WAKULLA",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719631,FLORIDA,2017,September,Tropical Storm,"JACKSON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719632,FLORIDA,2017,September,Tropical Storm,"LAFAYETTE",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,3.00M,3000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719633,FLORIDA,2017,September,Tropical Storm,"LEON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,7.50M,7500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719635,FLORIDA,2017,September,Tropical Storm,"MADISON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +120243,720638,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 17:33:00,PST-8,2017-09-11 17:33:00,0,0,0,0,10.00K,10000,0.00K,0,36.6037,-119.9902,36.6037,-119.9902,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported power lines downed by thunderstorm winds on West Manning Ave. to the west of Raisin City." +120243,720639,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 17:47:00,PST-8,2017-09-11 17:47:00,0,0,0,0,10.00K,10000,0.00K,0,36.4236,-119.7805,36.4236,-119.7805,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported a downed power line and a downed tree on East St. at the intersection of Wood Ave." +120243,720640,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 18:00:00,PST-8,2017-09-11 18:00:00,0,0,0,0,30.00K,30000,0.00K,0,36.76,-120.38,36.76,-120.38,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Media posted video showing 30 power lines downed in Mendota from a microburst." +120460,721712,TENNESSEE,2017,September,Flash Flood,"DAVIDSON",2017-09-01 00:00:00,CST-6,2017-09-01 02:00:00,0,0,0,0,200.00K,200000,0.00K,0,36.3737,-86.8925,36.0619,-87.0122,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Major flash flooding continued to affect much of the western two-thirds of Davidson County from the evening hours on August 31 into the early morning hours on September 1, with the worst flooding occurring in northwest Davidson County. Numerous homes were flooded on Cato Road and Eatons Creek Road in northwest Nashville and a home was flooded on Vailview Drive in north Nashville. Other homes and cars were flooded on Battlefield Drive near Belmont University with apartments and cars flooded at the Royal Arms Apartments in Green Hills. Many roadways were underwater and closed due to flooding including West End Avenue near Centennial Park and Highway 100 near Lynnwood Terrace in Belle Meade. A total of 30 water rescues were conducted across Davidson County including in Goodlettsville and Whites Creek as well as along Browns Creek, Mill Creek, and Sevenmile Creek.|||in the Whites Creek area with many water rescues conducted. Several roads were also flooded in Whites Creek including Lickton Pike and Knight Road. Other roads were flooded and closed in parts of Nashville with several vehicles submerged and water rescues conducted, including at Vantage Way and Rosa Parks Blvd, Murfreesboro Pike north of Briley Parkway, Rolland Road, and Interstate 40 eastbound at Dr. D.B. Todd Jr. Blvd. where 5 cars stalled in the high water." +120460,721714,TENNESSEE,2017,September,Flash Flood,"SUMNER",2017-09-01 01:00:00,CST-6,2017-09-01 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.337,-86.7112,36.4104,-86.7375,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Highway 31W, Highway 76, and Flat Ridge Road in the Millersville and White House areas were flooded and closed. Two RV campgrounds in the area were also flooded and evacuated." +120347,721439,GEORGIA,2017,September,Tropical Storm,"MADISON",2017-09-11 13:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. Some homes were damaged by falling trees and large limbs. Radar estimated between 2 and 4 inches of rain fell across the county with 3.39 inches measured near Sanford. No injuries were reported." +119189,716616,NEVADA,2017,September,Flash Flood,"CLARK",2017-09-08 18:15:00,PST-8,2017-09-08 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.4825,-114.8442,35.4971,-114.7041,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert with a few thunderstorms over the southern Great Basin. Several storms produced flash flooding and severe weather.","Cottonwood Cove Road was closed due to flooding." +119189,716617,NEVADA,2017,September,Funnel Cloud,"CLARK",2017-09-09 12:57:00,PST-8,2017-09-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-114.84,35.62,-114.84,"A strong push of monsoon moisture plus low pressure moving in from the west triggered an outbreak of thunderstorms over the Mojave Desert with a few thunderstorms over the southern Great Basin. Several storms produced flash flooding and severe weather.","A funnel cloud was photographed between Searchlight and Nelson Landing." +119190,716621,CALIFORNIA,2017,September,Thunderstorm Wind,"INYO",2017-09-11 16:30:00,PST-8,2017-09-11 16:40:00,0,0,0,0,50.00K,50000,0.00K,0,36.5028,-116.869,36.5028,-116.869,"An upper level low pressure system lingered near the California coast, helping to force isolated thunderstorms over the Mojave Desert. A couple of storms produced severe weather.","Thunderstorm winds blew the roof off one building, damaged five other roofs, and blew windows out of four vehicles." +119191,716624,NEVADA,2017,September,Lightning,"CLARK",2017-09-13 19:26:00,PST-8,2017-09-13 19:41:00,0,0,0,0,10.00K,10000,0.00K,0,36.18,-115.32,36.18,-115.32,"An upper level low pressure system lingered near the California coast, helping to force isolated thunderstorms over the Mojave Desert. A couple of storms produced severe weather.","Lightning struck at least two homes and started 10 tree fires." +120360,721079,NEVADA,2017,September,Heat,"LAS VEGAS VALLEY",2017-09-08 00:00:00,PST-8,2017-09-11 23:59:00,0,0,1,2,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Three people in the Las Vegas Valley died of Heat related causes.","Three people died of heat related causes." +120523,722040,TEXAS,2017,September,Flood,"VICTORIA",2017-09-01 00:00:00,CST-6,2017-09-03 18:00:00,0,0,0,0,0.00K,0,0.00K,0,28.8773,-97.1603,28.6045,-96.9495,"Major river flooding continued into the first few days of September along the Guadalupe River from Victoria southward to Tivoli. The flooding was associated with rainfall from Hurricane Harvey.","Major river flooding continued along the Guadalupe River in Victoria County through September 3rd. At least 100 homes were flooded in Victoria in the Green's Addition area. Fox, Smith, Pozzi, Fordyce, Parsifal, Lower Mission Valley, and Old River Roads were inundated." +120525,722046,TEXAS,2017,September,Flood,"LA SALLE",2017-09-28 12:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,28.3896,-99.4757,28.4459,-99.4634,"Torrential rainfall fell across the western Brush Country from September 26th through the 28th. Generally, 5 to 10 inches of rain fell during the period with some areas over northern Webb County into eastern Dimmit County received from 15 to 20 inches of rain. This caused major flooding on the Nueces River affecting portions of La Salle County.","Farm to Market Road 3408 from I-35, Valley Wells Road, and the frontage road near mile marker 67 were flooded. Flooding also occurred on Dobie Road including in and around Highway 624." +120590,722381,SOUTH CAROLINA,2017,September,Tornado,"CHARLESTON",2017-09-11 18:13:00,EST-5,2017-09-11 18:15:00,0,0,0,0,,NaN,0.00K,0,32.8027,-79.8403,32.7956,-79.8353,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","A National Weather Service Storm Survey team confirmed an EF0 tornado in Mount Pleasant. The weak, short-lived tornado, associated with an outer rainband of Tropical Storm Irma, formed over the marsh area between Mount Pleasant and Sullivan's Island. The weak tornado first moved into the south end of Pine Island View Road, then moved quickly north-northwest over the eastern ends of Oak Landing Road and Green Path Lane, before dissipating back on Pine Island View Road. Although no significant structural damage was observed, there were many large tree limbs down, some uprooted trees, and one wooden fence completely blown down." +120590,722442,SOUTH CAROLINA,2017,September,Flash Flood,"JASPER",2017-09-11 13:30:00,EST-5,2017-09-11 16:00:00,0,0,0,0,25.00K,25000,0.00K,0,32.4577,-80.9076,32.4518,-80.9065,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Jasper County Emergency Management reported homes flooded and inaccessible on Cherry Hill Road near the intersection with Highway 462. At least 1 person was stranded and in need of rescue." +120590,722449,SOUTH CAROLINA,2017,September,Flash Flood,"CHARLESTON",2017-09-11 13:40:00,EST-5,2017-09-12 01:00:00,0,0,0,0,50.00K,50000,0.00K,0,32.8339,-80.0801,32.8262,-80.0747,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","The Crosstowne Christian Church on Bees Ferry Road flooded with at least one foot of water reported inside. Flooding occurred when Church Creek overflowed its banks in the afternoon. A nearby river and rain gauge on Church Creek measured a nearly 5 foot rise in the creek level in response to 8.97 inches of storm total rainfall due to Tropical Storm Irma. Winners Circle was also flooded and impassable along Church Creek on the other side of Bees Ferry Road." +120590,722544,SOUTH CAROLINA,2017,September,Tropical Depression,"INLAND BERKELEY",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Berkeley County Emergency Management reported scattered trees down across the county due to strong winds associated with Tropical Storm Irma. Specifically, trees were down along Highway 52 at Tom Hill Road and Garbar Lane, as well as Highway 41 and Tiger Corner Road. The AWOS site in Moncks Corner measured peak sustained winds of 28 mph and a peak wind gust of 41 mph. The official National Weather Service observation at Pinopolis on Lake Moultrie measured a peak wind gust of 44 mph." +120590,722545,SOUTH CAROLINA,2017,September,Tropical Depression,"TIDAL BERKELEY",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Berkeley County Emergency Management reported scattered trees down across the county due to strong winds associated with Tropical Storm Irma." +120590,722552,SOUTH CAROLINA,2017,September,Tropical Storm,"SOUTHERN COLLETON",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Colleton County Emergency Management reported numerous trees and power lines down across the county due to strong winds associated with Tropical Storm Irma. Many roads in and around around Edisto Island were impassable due to downed trees and power lines." +120590,722670,SOUTH CAROLINA,2017,September,Storm Surge/Tide,"TIDAL BERKELEY",2017-09-11 10:00:00,EST-5,2017-09-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Berkeley County Emergency Management reported that Bushy Park Road at Bushy Park Boat Landing was impassable due to storm surge related flooding. Also, the public reported that numerous docks were damaged on the north side of the Wando River." +120708,723018,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"DEERFIELD BEACH TO OCEAN REEF FL 20 TO 60NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Satellite and radar velocity data support tropical storm force sustained winds between 50 to 70 knots in offshore Atlantic waters." +120708,723020,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Multiple mesonet stations reported tropical storm force sustained winds between 45 to 60 knots in nearshore Atlantic waters offshore Palm Beach County. Stations also had frequent hurricane force gusts." +120708,723019,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"JUPITER INLET TO DEERFIELD BEACH FL 20 TO 60NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Satellite and radar velocity data support tropical storm force sustained winds between 50 to 60 knots in offshore Atlantic waters." +120708,723021,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"LAKE OKEECHOBEE",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Multiple mesonet stations reported tropical storm force sustained winds between 50 to 65 knots on Lake Okeechobee." +119261,723174,GEORGIA,2017,September,High Wind,"COLUMBIA",2017-09-11 16:25:00,EST-5,2017-09-11 16:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","Trees and power lines down across the road at Keg Creek Dr near Lady Ct." +119265,716101,SOUTH CAROLINA,2017,September,Tornado,"BAMBERG",2017-09-11 18:01:00,EST-5,2017-09-11 18:05:00,0,0,0,0,,NaN,,NaN,33.19,-81.19,33.217,-81.194,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","NWS storm survey team confirmed an EF-0 tornado touched down just NE of Olar, SC, moved to the NNW and dissipated approximately 4 minutes later near Govan, SC. The tornado was associated with the circulation of tropical cyclone Irma. ||The tornado touched down just northwest of the town of Olar along Thunder Road. The tornado continued north-northwest for approximately 2 miles. The tornado crossed Thunder Road, Red Fox Road, Memorial Church Road and dissipated before reaching Ehrhardt Road. The tornado downed a few trees and several large limbs along it's path. The tornado was brief, only staying on the ground for approximately |4 minutes." +120261,720619,AMERICAN SAMOA,2017,September,Heavy Rain,"TUTUILA",2017-09-22 20:00:00,SST-11,2017-09-23 21:00:00,0,0,0,0,,NaN,,NaN,-14.3,-170.6,-14.3,-170.6,"Heavy rainfall from thunderstorms soaked American Samoa. This situation triggered heavy runoff and flash flooding across the territory especially near Tualauta district and low-lying areas in the Fagaloa. The Weather Service Office recorded over 3.70 inches of rainfall.","Heavy rainfall from thunderstorms soaked American Samoa. This situation triggered heavy runoff and flash flooding across the territory especially near Tualauta district and low-lying areas in the Fagaloa. The Weather Service Office recorded over 3.70 inches of rainfall." +120685,722852,WASHINGTON,2017,September,Dense Smoke,"SPOKANE AREA",2017-09-04 07:00:00,PST-8,2017-09-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Oregon and Washington fumigated eastern Washington from September 4th through the 8th. Air Quality sensors throughout eastern Washington recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by local authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Spokane Regional Clean Air Agency reported Very Unhealthy air quality at their monitoring station in Spokane." +120685,722853,WASHINGTON,2017,September,Dense Smoke,"WASHINGTON PALOUSE",2017-09-04 07:00:00,PST-8,2017-09-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Oregon and Washington fumigated eastern Washington from September 4th through the 8th. Air Quality sensors throughout eastern Washington recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by local authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Washington State Department of Ecology reported Hazardous air quality readings at their monitoring station in Pullman and Rosalia." +120685,722854,WASHINGTON,2017,September,Dense Smoke,"NORTHEAST MOUNTAINS",2017-09-04 07:00:00,PST-8,2017-09-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Oregon and Washington fumigated eastern Washington from September 4th through the 8th. Air Quality sensors throughout eastern Washington recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by local authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Washington State Department of Ecology reported Hazardous air quality readings at their monitoring station in Newport." +120685,722855,WASHINGTON,2017,September,Dense Smoke,"WENATCHEE AREA",2017-09-04 07:00:00,PST-8,2017-09-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Oregon and Washington fumigated eastern Washington from September 4th through the 8th. Air Quality sensors throughout eastern Washington recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by local authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Washington State Department of Ecology reported Very Unhealthy air quality readings at their monitoring station in Wenatchee." +120693,722917,SOUTH DAKOTA,2017,September,Drought,"STANLEY",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722916,SOUTH DAKOTA,2017,September,Drought,"DEWEY",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722918,SOUTH DAKOTA,2017,September,Drought,"JONES",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722919,SOUTH DAKOTA,2017,September,Drought,"LYMAN",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120761,723301,ALABAMA,2017,September,Tropical Storm,"RANDOLPH",2017-09-11 13:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120761,723293,ALABAMA,2017,September,Tropical Storm,"CHAMBERS",2017-09-11 12:00:00,CST-6,2017-09-11 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma made landfall on the west coast of the Florida peninsula on September 10th. The hurricane tracked northward across Florida and weakened into a tropical storm on September 11th as it moved into southwest Georgia Tropical Storm Warnings were in effect for east central Alabama as Tropical Storm Irma approached east Alabama. Steady rains overspread the region by early morning, with breezy and gusty winds arriving south to north through the day. The highest impacts occurred east of Interstate 65 where peak wind gusts of 30 to 45 mph knocked down numerous trees, some of which blocked roadways, fell onto homes, and took out power lines. Due to the track of Irma���s center, there was no tornado threat to Alabama. By the nighttime hours, winds were decreasing and Irma was downgraded to a tropical depression.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120762,723305,MICHIGAN,2017,September,Hail,"CHARLEVOIX",2017-09-04 10:26:00,EST-5,2017-09-04 10:31:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-85.13,45.15,-85.13,"A broken line of thunderstorms crossed northern Michigan at around midday. One storm produced hail.","" +119544,717368,VIRGINIA,2017,September,Thunderstorm Wind,"ROCKBRIDGE",2017-09-05 14:18:00,EST-5,2017-09-05 14:18:00,0,0,0,0,0.20K,200,0.00K,0,37.78,-79.43,37.78,-79.43,"High pressure gave way to a slow moving cold front which entered the region early on the 5th, before stalling just east of the Blue Ridge Mountains. This front provided the focus for isolated thunderstorms to develop across portions of southwest Virginia, a few of which produced small hail and isolated wind damage.","Thunderstorms winds downed a large tree limb east of the intersection of Nelson Street and South Lee Highway." +122299,732320,IDAHO,2017,December,Heavy Snow,"UPPER SNAKE RIVER PLAIN",2017-12-03 16:00:00,MST-7,2017-12-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some heavy snow amounts and dangerous roads to southeast Idaho.","The Idaho Falls and Shelley areas received several reports of 4 to 6 inches of snow from broadcast media and spotters. State troopers reported several slide offs due to snow covered roads." +122300,732321,IDAHO,2017,December,Heavy Snow,"LOWER SNAKE RIVER PLAIN",2017-12-16 00:00:00,MST-7,2017-12-16 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to mainly the Snake River Plain where 3 to 7 inches of snow fell.","Widespread 3 to 7 inches of snow fell in the Pocatello area with the highest measured at 6.7 inches in East Chubbuck." +118625,712600,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLEARFIELD",2017-08-21 12:00:00,EST-5,2017-08-21 12:00:00,0,0,0,0,2.00K,2000,0.00K,0,41.0098,-78.4441,41.0098,-78.4441,"An isolated severe thunderstorm developed over the Allegheny Plateau in the early afternoon of August 21, 2017 and knocked down a couple of trees in Clearfield County.","A severe thunderstorm producing winds estimated near 60 mph knocked down two trees in Clearfield Borough." +117928,713624,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ELK",2017-08-22 13:30:00,EST-5,2017-08-22 13:30:00,0,0,0,0,0.00K,0,0.00K,0,41.5795,-78.6817,41.5795,-78.6817,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Wilcox." +117928,713627,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CAMBRIA",2017-08-22 14:41:00,EST-5,2017-08-22 14:41:00,0,0,0,0,3.00K,3000,0.00K,0,40.4783,-78.9091,40.4783,-78.9091,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires across Plank Road near Vintondale." +117928,713628,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ELK",2017-08-22 16:20:00,EST-5,2017-08-22 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.4894,-78.6831,41.4894,-78.6831,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Johnsonburg." +117928,713629,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SOMERSET",2017-08-22 16:40:00,EST-5,2017-08-22 16:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.0432,-79.2181,40.0432,-79.2181,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Route 31." +117928,713630,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-22 18:15:00,EST-5,2017-08-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.5743,-76.9944,40.5743,-76.9944,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees near Liverpool." +117928,713632,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DAUPHIN",2017-08-22 18:22:00,EST-5,2017-08-22 18:22:00,0,0,0,0,0.00K,0,0.00K,0,40.5424,-76.9651,40.5424,-76.9651,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Millersburg." +118756,713369,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-13 02:00:00,MST-7,2017-08-13 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.4487,-112.2398,33.4739,-112.2442,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Scattered thunderstorms developed across the greater Phoenix area during the early morning hours on August 13th and some of the stronger storms affected central Phoenix including the downtown area. The primary weather hazard was heavy rain with flash flooding; peak rain rates in excess of one inch per hour were more than sufficient to cause flash flooding in the highly urbanized downtown area. According to local law enforcement, at 0226MST flash flooding resulted in a water rescue at the intersection of Interstate 10 and North 75th Avenue approximately 2 miles east of the town of Tolleson. No injuries were reported. A Flash Flood Warning was in effect at the time of the rescue; it was issued at 0200MST and was in effect through 0500MST." +118756,713379,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-13 06:00:00,MST-7,2017-08-13 08:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.7127,-112.4344,33.7326,-112.4329,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Scattered thunderstorms developed across the northwestern portion of the greater Phoenix area during the morning hours on August 13th and the stronger storms produced locally heavy rains with peak rain rates between one and two inches per hour. The intense rains led to episodes of flash flooding to the northwest of the town of Sun City West. According to a report from the Department of Highways and the city of Surprise, heavy rains from early morning storms forced the closure of Jomax Road west of 163rd Avenue due to flash flooding. The flooding was east of Highway 60 and northwest of the Loop 303 freeway, about 2 miles northwest of Beardsley." +120721,723062,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-09-06 08:35:00,EST-5,2017-09-06 08:35:00,0,0,0,0,0.00K,0,0.00K,0,41.1518,-72.2737,41.1518,-72.2737,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","A tree was reported down on Old Main Road in Orient." +120721,723060,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-09-06 08:59:00,EST-5,2017-09-06 08:59:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-72.05,41.33,-72.05,"A passing cold front triggered isolated strong to severe thunderstorms, which impacted the ocean waters south of Central Long Island, Eastern Long Island Sound, and Peconic and Gardiners Bays.","The ASOS wind system at Groton Airport measured a gust to 39 knots." +120780,723374,ATLANTIC NORTH,2017,September,Waterspout,"MONTAUK POINT TO MORICHES INLET NY OUT 20NM",2017-09-30 10:48:00,EST-5,2017-09-30 10:48:00,0,0,0,0,0.00K,0,0.00K,0,40.7641,-72.6972,40.7641,-72.6972,"A passing upper level disturbance and surface low triggered a waterspout just south of Westhampton Beach.","A waterspout was observed south of Dune Road in West Hampton Dunes, offshore." +120810,723451,ALASKA,2017,September,Flood,"TAIYA INLET",2017-09-27 16:30:00,AKST-9,2017-09-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,59.4905,-135.3358,59.6088,-135.3111,"A strong atmospheric river moved over Southeast Alaska from September 26th through the 28th. There was a long southwest fetch of subtropical moisture that was pointed at the region. This stream of moisture produced moderate to heavy rain over most of the area but there was moderate flooding along the Taiya River near Skagway and impacted the Chilkoot trail. The Taiya River rose about 4 feet and went above minor flood stage at 0600AKDT on September 27 and then above moderate flood stage at 0830AKDT. The river remained above flood stage until 1100AKDT on September 28th.||48 hour rain amounts for this event over the Skagway area and in the high elevations ranged from one and one half inches to two and one quarter inches in the headwaters of the Taiya River.","The Taiya River continued to rise at a steep rate for 36 hours from the moderate rainfall. The river went above moderate flood stage of 17 feet in the late afternoon hours on September 27th and did not go below that threshold until the early morning of September 28th. The Chilkoot trail within the Klondike Gold Rush Historical Park near Skagway Alaska was impacted by flooding along the lower portions of the trail. The river crested at a level of 17.59 feet and in doing so produced flood waters of knee deep or higher in places. In the morning hours of the 28th the National Park Service advised boaters and other recreational water based actives on the Taiya River to be suspended until the water level went down. The water levels receded through the day on the 28th and was below flood stage by the early afternoon." +120746,723177,ALABAMA,2017,September,Hail,"CALHOUN",2017-09-19 15:57:00,CST-6,2017-09-19 15:58:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-85.7,33.67,-85.7,"An upper level short wave trough moved across north Alabama during the day on September 19th. Surface based CAPE peaked between 2500 and 3000 J/KG during the afternoon. Scattered to numerous thunderstorms developed during the afternoon and early evening, and a few became severe.","" +114222,685686,MISSOURI,2017,March,Thunderstorm Wind,"GENTRY",2017-03-06 19:02:00,CST-6,2017-03-06 19:05:00,0,0,0,0,,NaN,,NaN,40.21,-94.5,40.21,-94.5,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings were destroyed near Stanberry." +114222,685752,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:04:00,CST-6,2017-03-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.46,39.03,-94.46,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +119708,717946,COLORADO,2017,September,Frost/Freeze,"UPPER GUNNISON RIVER VALLEY",2017-09-19 00:00:00,MST-7,2017-09-19 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass filtered into the region behind a departing upper level trough and associated cold front. This resulted in temperatures that dropped below freezing across most of the Upper Gunnison River Valley.","Over half of the forecast zone had temperatures down to 21 to 30 degrees F, including 27 degrees F at the Gunnison Airport." +119714,717960,UTAH,2017,September,Avalanche,"EASTERN UINTA MOUNTAINS",2017-09-24 04:00:00,MST-7,2017-09-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist upper low moved over eastern Utah and resulted significant snowfall over the eastern Uinta Mountains.","Snowfall totals of 3 to 6 inches were measured across the area. A locally higher amount of 11 inches was measured at the Mosby Mountain SNOTEL site." +119717,717969,COLORADO,2017,September,Dense Fog,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-09-28 05:00:00,MST-7,2017-09-28 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure that produced a little rain and also dropped temperatures resulted in areas of dense fog which formed in a few valleys within western Colorado.","Dense fog occurred along Highway 50 from the Mesa County line to the west edge of the town of Delta. Visibility was down to no more than 50 feet in many areas." +119717,717970,COLORADO,2017,September,Dense Fog,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-09-28 05:00:00,MST-7,2017-09-28 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure that produced a little rain and also dropped temperatures resulted in areas of dense fog which formed in a few valleys within western Colorado.","Webcams and eyewitness reports along Hwy 550 near Ridgway and south of town indicated dense fog with visibilities estimated to be a quarter mile or less." +119717,723863,COLORADO,2017,September,Dense Fog,"GRAND VALLEY",2017-09-28 05:00:00,MST-7,2017-09-28 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure that produced a little rain and also dropped temperatures resulted in areas of dense fog which formed in a few valleys within western Colorado.","Dense fog occurred along Highway 50 several miles within Mesa County to the Delta County line. Visibility was generally around 200 feet." +119718,717972,COLORADO,2017,September,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-09-27 13:00:00,MST-7,2017-09-27 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved over the region and produced significant snowfall at high elevations in the southwest San Juan Mountains.","Two to four inches of snow accumulated across the area, mainly above the 10,500 foot level." +119709,717948,COLORADO,2017,September,High Wind,"ROAN AND TAVAPUTS PLATEAUS",2017-09-21 09:15:00,MST-7,2017-09-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds ahead of a cold front were enhanced by 110 knot upper level jetstream winds which partially mixed down to the surface.","Sustained wind speeds of 50 to 70 mph were measured across the zone for much of the day with a peak wind gust of 85 mph reported at the Douglas Pass RAWS site." +119750,718155,COLORADO,2017,September,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-09-30 21:00:00,MST-7,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong and moist upper level disturbance produced significant snowfall in the some central mountain areas of western Colorado.","Over 2 inches of snow was measured at Independence Pass over the course of three hours which resulted in very slick road conditions on Highway 82." +121512,727348,SOUTH CAROLINA,2017,December,Winter Storm,"GREATER GREENVILLE",2017-12-08 13:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, rain developed during the morning along and north of the I-85 corridor in Upstate South Carolina. As the atmosphere gradually cooled, the rain changed to snow in most areas during the early afternoon. As moderate to occasionally heavy snow continued across area into early evening, heavy accumulations were reported. By the time the snow tapered off to flurries and occasional snow showers during the early morning hours, total accumulations ranged from an inch or two along and south of I-85, to 4-5 inches farther north. Rain and sleet mixing in during the late afternoon and evening likely undercut these totals somewhat. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +121569,727645,NEW YORK,2017,December,Strong Wind,"NORTHERN QUEENS",2017-12-25 07:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind deepening low pressure and a cold front.","The ASOS at LaGuardia Airport measured a wind gust to 55 mph at 958 am. In nearby Floral Park, a wind gust up to 53 mph was reported at 730 am." +121569,727650,NEW YORK,2017,December,Strong Wind,"NORTHEAST SUFFOLK",2017-12-25 11:00:00,EST-5,2017-12-25 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind deepening low pressure and a cold front.","At 1220 pm, the mesonet station located on Great Gull Island reported a wind gust of 56 mph, and a gust to 52 mph was measured on Fishers Island Airport at 1210 pm." +119566,717437,MINNESOTA,2017,August,Funnel Cloud,"HOUSTON",2017-08-14 16:15:00,CST-6,2017-08-14 16:15:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-91.45,43.67,-91.45,"Scattered showers and thunderstorms moved across portions of southeast Minnesota during the late afternoon of August 14th. A funnel cloud was sighted from one of the storms near Caledonia (Houston County).","A funnel cloud was sighted northeast of Caledonia." +119598,717513,MINNESOTA,2017,August,Hail,"WABASHA",2017-08-20 18:45:00,CST-6,2017-08-20 18:45:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-92.33,44.41,-92.33,"A line of thunderstorms developed over southeast Minnesota during the early evening of August 20th. One of these storms briefly became strong enough to drop some dime sized hail southwest of Lake City (Wabasha County).","" +119602,717523,WISCONSIN,2017,August,Hail,"GRANT",2017-08-27 15:42:00,CST-6,2017-08-27 15:42:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-90.65,42.98,-90.65,"Scattered thunderstorms developed over portions of southwest Wisconsin during the afternoon of August 27th. One of these storms became strong enough to drop some dime sized hail in Fennimore (Grant County).","" +120047,719366,IOWA,2017,August,Funnel Cloud,"CLAYTON",2017-08-06 13:40:00,CST-6,2017-08-06 13:46:00,0,0,0,0,0.00K,0,0.00K,0,43.05,-91.4,43.05,-91.4,"A funnel cloud was reported for several minutes near the community of Monona (Clayton County).","A funnel cloud was filmed briefly near Monona, IA as non-severe thunderstorms moved along Highway 18 towards Wisconsin." +117896,708538,WISCONSIN,2017,August,Hail,"DODGE",2017-08-10 15:35:00,CST-6,2017-08-10 15:35:00,0,0,0,0,,NaN,5.00K,5000,43.61,-88.81,43.61,-88.81,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","Significant damage to crops." +117896,708539,WISCONSIN,2017,August,Hail,"DODGE",2017-08-10 15:41:00,CST-6,2017-08-10 15:41:00,0,0,0,0,,NaN,,NaN,43.63,-88.74,43.63,-88.74,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","" +117896,708540,WISCONSIN,2017,August,Thunderstorm Wind,"LAFAYETTE",2017-08-10 13:18:00,CST-6,2017-08-10 13:18:00,0,0,0,0,1.00K,1000,,NaN,42.7,-89.87,42.7,-89.87,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","Branches and power lines down." +117896,708541,WISCONSIN,2017,August,Thunderstorm Wind,"SHEBOYGAN",2017-08-10 15:41:00,CST-6,2017-08-10 15:41:00,0,0,0,0,2.00K,2000,0.00K,0,43.75,-87.97,43.75,-87.97,"A weak cold front and upper trough resulted in numerous thunderstorms over southern WI. Large hail and damaging winds occurred.","Several trees down." +117899,708546,WISCONSIN,2017,August,Heavy Rain,"ROCK",2017-08-16 20:30:00,CST-6,2017-08-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.846,-89.0592,42.846,-89.0592,"Low pressure and a warm front brought rounds of showers and thunderstorms to southern WI. Heavy rainfall and street flooding occurred in the Edgerton area.","Street flooding in Edgerton including 3 feet of water at the intersection of Main St. and Ladd Ln. Radar estimate of 2.50 inches." +117899,708547,WISCONSIN,2017,August,Heavy Rain,"DANE",2017-08-16 20:15:00,CST-6,2017-08-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8733,-89.0543,42.8733,-89.0543,"Low pressure and a warm front brought rounds of showers and thunderstorms to southern WI. Heavy rainfall and street flooding occurred in the Edgerton area.","Up to 3 feet of water on the off ramp of I-90 and highway 73." +118235,710520,OREGON,2017,August,Hail,"KLAMATH",2017-08-08 14:38:00,PST-8,2017-08-08 14:48:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-121.72,42.2,-121.72,"Monsoonal moisture fueled a number of thunderstorms over the area on this date. At least one of the storms proved to be severe.","The duration of the hail event was 10 minutes." +118235,710524,OREGON,2017,August,Thunderstorm Wind,"JACKSON",2017-08-08 18:13:00,PST-8,2017-08-08 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-123.06,42.25,-123.06,"Monsoonal moisture fueled a number of thunderstorms over the area on this date. At least one of the storms proved to be severe.","A 24 inch in diameter pine tree was snapped in half and took out a birch tree. Time based on radar estimate." +118245,710582,OREGON,2017,August,Excessive Heat,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 95 to 102 degrees. Reported low temperatures during this interval ranged from 53 to 55 degrees." +118245,710584,OREGON,2017,August,Excessive Heat,"SOUTH CENTRAL OREGON CASCADES",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of southwest and south central Oregon.","Reported high temperatures during this interval ranged from 82 to 101 degrees. Reported low temperatures during this interval ranged from 41 to 62 degrees." +118969,715708,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 17:30:00,EST-5,2017-08-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5002,-76.3261,39.4998,-76.3259,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Bright Oaks Drive flooded and closed due to torrential rainfall." +118969,715709,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 17:40:00,EST-5,2017-08-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4849,-76.3003,39.4842,-76.2995,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Flash flooding caused a road closure at Laurel Bush Road and Spruce Pine Road." +118969,715710,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 17:40:00,EST-5,2017-08-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5391,-76.2002,39.539,-76.199,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Aldino Stepney Road was flooded by Carsins Run, causing it to be closed." +118969,715712,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:15:00,EST-5,2017-08-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4163,-76.2924,39.416,-76.2923,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","A swift water rescue was reported near the Amtrak bridge on Edgewood Road." +118969,715713,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:30:00,EST-5,2017-08-18 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5153,-76.1597,39.5144,-76.1587,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","A swift water rescue was reported near the intersection of US Route 40 and Maryland State Route 22." +118969,715714,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:30:00,EST-5,2017-08-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.516,-76.1994,39.516,-76.1987,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Bush Chapel Road flooded and closed at a stream crossing near Aberdeen." +120024,719226,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-12 18:35:00,EST-5,2017-08-12 18:35:00,0,0,0,0,,NaN,,NaN,39.25,-76.65,39.25,-76.65,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust of 34 knots was reported at Lakeland Elementary School." +120024,719227,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-08-12 18:56:00,EST-5,2017-08-12 18:56:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust in excess of 30 knots was reported at Reagan National." +120024,719228,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-12 21:00:00,EST-5,2017-08-12 21:10:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","Wind gusts up to 35 knots were reported at Pylons." +120024,719229,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-12 19:42:00,EST-5,2017-08-12 19:42:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust of 43 knots was reported." +120024,719230,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-12 19:40:00,EST-5,2017-08-12 19:40:00,0,0,0,0,,NaN,,NaN,39.0481,-76.4152,39.0481,-76.4152,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust in excess of 30 knots was reported near Cape St. Claire." +120024,719231,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-08-12 21:50:00,EST-5,2017-08-12 21:50:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust of 43 knots was reported." +120024,719232,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-12 21:18:00,EST-5,2017-08-12 21:18:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","A wind gust in excess of 30 knots was reported at Monroe Creek." +120024,719233,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-08-12 21:29:00,EST-5,2017-08-12 21:34:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A cold front and an unstable atmosphere led to some gusty thunderstorms.","Wind gusts up to 37 knots were reported at Cobb Point." +120025,719234,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-08-18 16:55:00,EST-5,2017-08-18 16:55:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Grove Point." +120025,719235,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-08-18 16:59:00,EST-5,2017-08-18 17:09:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 37 knots was reported at North Bay." +120025,719236,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 15:55:00,EST-5,2017-08-18 15:55:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Quantico." +114445,686345,NEW YORK,2017,March,Blizzard,"NORTHERN SARATOGA",2017-03-14 03:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very significant coastal snowstorm impacted the region March 14 through 16, featuring extremely heavy snowfall and blizzard conditions. The bulk of the snowstorm occurred during the day on Tuesday, March 14th. This snowstorm was regarded as the largest snowstorm to impact upstate New York since the Valentines Day 2007 Snowstorm/Blizzard. Most areas saw 15-25 inches, with some western parts of the area picking up an amazing 30-42 inches of snowfall. The snow fell at 1 to 4 inches per hour for much of the day. A particularly heavy band of snow rotated northward across the region during the late morning into the early afternoon and stalled out over portions of the Mohawk Valley, resulting in an incredible report of 11.5 inches in two hours in Herkimer County. There was a widespread extreme public impact, with many roads severely impacted and schools closed for two days. A state of emergency was issued for all New York Counties, and tractor-trailers were banned on most area interstates. Numerous counties issued travel bans on county roads. Much of the train service across the region was cancelled, and all flights were grounded at Albany International Airport. The weight of the snow resulted in two barn collapses in Schoharie County, one of which was a 20,000 square-foot structure housing 150 cows. According to media reports, total statewide government costs for response and recovery from the storm were $31.4 million, allowing the state to qualify for a federal disaster declaration. In addition to the snowfall, gusty winds up to 45 mph resulted in near-zero visibility and blizzard conditions across the Mid-Hudson Valley, Catskills, Capital District, Taconics, and Lake George-Saratoga Region. The winds brought considerable blowing and drifting of snow along with numerous power outages.||Although the most severe impacts from the storm occurred on March 14, periods of light snow and blowing snow continued to affect the region through the early morning hours of March 16.","" +118349,711131,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 18:57:00,EST-5,2017-08-18 18:57:00,0,0,0,0,,NaN,,NaN,43.27,-75.13,43.27,-75.13,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Multiple trees were knocked down on Simpson Road." +118349,711132,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 18:57:00,EST-5,2017-08-18 18:57:00,0,0,0,0,,NaN,,NaN,43.28,-75.15,43.28,-75.15,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Trees and wires knocked down on Dover Road." +118349,711133,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 18:57:00,EST-5,2017-08-18 18:57:00,0,0,0,0,,NaN,,NaN,43.3,-75.14,43.3,-75.14,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Multiple trees were knocked down on Military Road near Gauss Rd." +118349,711134,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 19:02:00,EST-5,2017-08-18 19:02:00,0,0,0,0,,NaN,,NaN,43.25,-75.08,43.25,-75.08,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Multiple trees knocked down on Russia Road." +118349,711135,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 19:02:00,EST-5,2017-08-18 19:02:00,0,0,0,0,,NaN,,NaN,43.26,-75.09,43.26,-75.09,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Trees were knocked down on Military Road near Mill Road." +118349,711136,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-18 19:02:00,EST-5,2017-08-18 19:02:00,0,0,0,0,,NaN,,NaN,43.28,-75.11,43.28,-75.11,"A cold front brought isolated severe weather to Herkimer county, New York during the late afternoon hours of Friday, August 18th, 2017. These storms knocked down numerous trees and power lines.","Tree and wires were downed due to severe thunderstorm winds." +120075,719476,MICHIGAN,2017,August,Hail,"WAYNE",2017-08-02 16:45:00,EST-5,2017-08-02 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-83.21,42.2,-83.21,"A severe thunderstorm moved through Wayne county.","" +120075,719477,MICHIGAN,2017,August,Thunderstorm Wind,"WAYNE",2017-08-02 16:22:00,EST-5,2017-08-02 16:22:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-82.99,42.34,-82.99,"A severe thunderstorm moved through Wayne county.","Tree limbs reported down at Belle Isle State Park." +120075,719480,MICHIGAN,2017,August,Hail,"ST. CLAIR",2017-08-02 14:39:00,EST-5,2017-08-02 14:39:00,0,0,0,0,0.00K,0,0.00K,0,43.04,-82.45,43.04,-82.45,"A severe thunderstorm moved through Wayne county.","" +119659,717791,ARKANSAS,2017,August,Flash Flood,"WOODRUFF",2017-08-31 09:31:00,CST-6,2017-08-31 11:31:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-91.2,35.2472,-91.2083,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Flash flooding reported in Woodruff County in McCrory. Some roads were closed due to high water and sandbags were being used to protect homes." +119659,717794,ARKANSAS,2017,August,Flash Flood,"PRAIRIE",2017-08-31 10:15:00,CST-6,2017-08-31 12:15:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-91.59,34.9786,-91.59,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Highway 38 west of Des Arc was closed due to flooding." +119659,717795,ARKANSAS,2017,August,Flash Flood,"JACKSON",2017-08-31 10:30:00,CST-6,2017-08-31 12:30:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-91.12,35.4197,-91.1204,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Beedeville observer reported water coverning the roads around Beedeville. Observer reported near 4 inches of rainfall with rain still falling." +119888,718677,KANSAS,2017,August,Flash Flood,"MIAMI",2017-08-22 03:50:00,CST-6,2017-08-22 06:50:00,0,0,1,0,0.00K,0,0.00K,0,38.4798,-94.6968,38.4845,-94.673,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A vehicle hydroplaned off the road on HWY 69 near 363rd Street. The vehicle left the roadway, then sank into the flooded ditch alongside the road. An occupant in the vehicle perished." +119888,718676,KANSAS,2017,August,Flash Flood,"MIAMI",2017-08-22 03:12:00,CST-6,2017-08-22 06:12:00,0,0,0,0,0.00K,0,0.00K,0,38.7289,-94.8433,38.7408,-94.8134,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","US HWY 169 was closed just south of Spring Hill due to flooding on the roadway." +119888,718678,KANSAS,2017,August,Flood,"LEAVENWORTH",2017-08-22 21:15:00,CST-6,2017-08-23 00:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3763,-95.1245,39.3918,-95.1226,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","Numerous vehicles were running into roadways at 231st and Millwood, along Stranger Creek." +121551,729996,IOWA,2017,December,Extreme Cold/Wind Chill,"HANCOCK",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729997,IOWA,2017,December,Extreme Cold/Wind Chill,"CERRO GORDO",2017-12-30 01:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -40 deg F." +121551,729998,IOWA,2017,December,Extreme Cold/Wind Chill,"POCAHONTAS",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,729999,IOWA,2017,December,Extreme Cold/Wind Chill,"HUMBOLDT",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730000,IOWA,2017,December,Extreme Cold/Wind Chill,"WRIGHT",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730001,IOWA,2017,December,Extreme Cold/Wind Chill,"FRANKLIN",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730002,IOWA,2017,December,Extreme Cold/Wind Chill,"BUTLER",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730003,IOWA,2017,December,Extreme Cold/Wind Chill,"BREMER",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730004,IOWA,2017,December,Extreme Cold/Wind Chill,"SAC",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730005,IOWA,2017,December,Extreme Cold/Wind Chill,"CALHOUN",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +122186,731446,TEXAS,2017,December,Winter Weather,"BLANCO",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122082,731890,TEXAS,2017,December,Winter Weather,"ERATH",2017-12-07 10:30:00,CST-6,2017-12-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Erath County Emergency Management reported light snow flurries at Tarleton State University." +122082,731891,TEXAS,2017,December,Winter Weather,"JOHNSON",2017-12-07 11:30:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A trained spotter and a social media report indicated snow grains in both Cleburne and Alvarado. No accumulations were reported." +122082,731892,TEXAS,2017,December,Winter Weather,"KAUFMAN",2017-12-07 12:45:00,CST-6,2017-12-07 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Kaufman County Emergency Management reported sleet and snow in the city of Terrell, TX. Precipitation melted as it hit the ground." +122082,731893,TEXAS,2017,December,Winter Weather,"ELLIS",2017-12-07 14:00:00,CST-6,2017-12-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","A social media report indicated flurries in the city of Midlothian, TX." +122083,731895,TEXAS,2017,December,Winter Weather,"EASTLAND",2017-12-30 19:00:00,CST-6,2017-12-30 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Eastland County Sheriff's Department reported that approximately a hundredth of an inch of freezing drizzle was causing icing on a Highway 6 bridge north of the city of Cisco, TX." +122083,731896,TEXAS,2017,December,Winter Weather,"PARKER",2017-12-30 20:00:00,CST-6,2017-12-30 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A trained spotter reported that a light glaze was forming on elevated surfaces from freezing drizzle in the city of Weatherford, TX." +122083,731897,TEXAS,2017,December,Winter Weather,"GRAYSON",2017-12-31 05:00:00,CST-6,2017-12-31 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated snow falling 1 mile west of the city of Sadler, TX." +120324,720972,KANSAS,2017,August,Thunderstorm Wind,"TREGO",2017-08-10 13:30:00,CST-6,2017-08-10 13:30:00,0,0,0,0,,NaN,,NaN,39.02,-99.95,39.02,-99.95,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","A semi tractor trailer was blown over on the interstate." +120324,720973,KANSAS,2017,August,Thunderstorm Wind,"TREGO",2017-08-10 13:36:00,CST-6,2017-08-10 13:36:00,0,0,0,0,,NaN,,NaN,39.02,-99.88,39.02,-99.88,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Siding was blown off a DQ but was also accompanied by very large hail shattering much of the siding." +120324,720974,KANSAS,2017,August,Thunderstorm Wind,"TREGO",2017-08-10 13:36:00,CST-6,2017-08-10 13:36:00,0,0,0,0,,NaN,,NaN,39.03,-99.87,39.03,-99.87,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Many homes had siding damage from hail and high wind. A nearby crop field was completely destroyed." +120324,720975,KANSAS,2017,August,Thunderstorm Wind,"TREGO",2017-08-10 13:48:00,CST-6,2017-08-10 13:48:00,0,0,0,0,,NaN,,NaN,39,-99.86,39,-99.86,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Windows were broken and trees were uprooted by the high wind." +118324,711027,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-02 17:47:00,CST-6,2017-08-02 17:47:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-101.16,40.91,-101.16,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711028,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-02 17:48:00,CST-6,2017-08-02 17:48:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-101.16,40.92,-101.16,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711029,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-02 16:50:00,MST-7,2017-08-02 16:50:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-101.55,41.67,-101.55,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711030,NEBRASKA,2017,August,Hail,"ARTHUR",2017-08-02 16:58:00,MST-7,2017-08-02 16:58:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-101.52,41.57,-101.52,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711031,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-02 18:01:00,CST-6,2017-08-02 18:01:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-101.16,40.84,-101.16,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711032,NEBRASKA,2017,August,Hail,"LINCOLN",2017-08-02 18:20:00,CST-6,2017-08-02 18:20:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-101.16,40.76,-101.16,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118324,711034,NEBRASKA,2017,August,Thunderstorm Wind,"CHASE",2017-08-02 17:40:00,MST-7,2017-08-02 17:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.52,-101.64,40.52,-101.64,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Large tree snapped in half in Imperial. Winds estimated at 70 MPH." +120015,720221,KANSAS,2017,August,Thunderstorm Wind,"DOUGLAS",2017-08-21 20:39:00,CST-6,2017-08-21 20:40:00,0,0,0,0,,NaN,,NaN,38.97,-95.26,38.97,-95.26,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Emergency manager relayed reports strong winds of 60 mph at Peterson and Kasold Ave." +120015,720222,KANSAS,2017,August,Thunderstorm Wind,"COFFEY",2017-08-21 22:17:00,CST-6,2017-08-21 22:18:00,0,0,0,0,,NaN,,NaN,38.08,-95.63,38.08,-95.63,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Numerous trees were reported to be split along with several tree branches snapped. The sizes were unknown. Delayed report. Time was based on radar." +120015,720223,KANSAS,2017,August,Flash Flood,"FRANKLIN",2017-08-22 02:24:00,CST-6,2017-08-22 04:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7318,-95.0956,38.7036,-95.094,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Flash flooding of several streets in Wellsville." +120015,720224,KANSAS,2017,August,Flash Flood,"DOUGLAS",2017-08-22 02:49:00,CST-6,2017-08-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-95.09,38.7415,-95.0863,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Delayed report of a water rescue." +120015,720226,KANSAS,2017,August,Flash Flood,"JEFFERSON",2017-08-22 04:11:00,CST-6,2017-08-22 05:45:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-95.25,39.1697,-95.2704,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Numerous low water crossings were under water." +119476,717023,MASSACHUSETTS,2017,August,Thunderstorm Wind,"HAMPSHIRE",2017-08-22 22:12:00,EST-5,2017-08-22 22:12:00,0,0,0,0,2.00K,2000,0.00K,0,42.33,-72.68,42.33,-72.68,"A cold front from the Great Lakes crossed Western Massachusetts just before midnight EST, knocking down several trees.","At 1012 PM EST, trees were reported down by wind on Sylvester Road and on Pine Street, both in Northampton." +119476,717024,MASSACHUSETTS,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 22:25:00,EST-5,2017-08-22 22:25:00,0,0,0,0,1.00K,1000,0.00K,0,42.464,-72.517,42.464,-72.517,"A cold front from the Great Lakes crossed Western Massachusetts just before midnight EST, knocking down several trees.","At 1025 PM EST, an amateur radio operator reported a tree down by wind along State Route 63 in Leverett." +119476,717025,MASSACHUSETTS,2017,August,Thunderstorm Wind,"HAMPDEN",2017-08-22 23:00:00,EST-5,2017-08-22 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.1064,-72.6365,42.1064,-72.6365,"A cold front from the Great Lakes crossed Western Massachusetts just before midnight EST, knocking down several trees.","At 11 PM EST, an amateur radio operator reported a tree down on wires on Maple Street in West Springfield." +118551,717026,MASSACHUSETTS,2017,August,Flash Flood,"HAMPDEN",2017-08-02 13:45:00,EST-5,2017-08-02 16:25:00,0,0,0,0,20.00K,20000,0.00K,0,42.2617,-72.9777,42.27,-72.9715,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 145 PM EST, an amateur radio operator reported that Round Hill Road in Chester was washed out to a depth of two feet and impassable due to flooding." +118551,720670,MASSACHUSETTS,2017,August,Flash Flood,"WORCESTER",2017-08-02 16:08:00,EST-5,2017-08-02 19:15:00,0,0,0,0,0.00K,0,0.00K,0,42.6038,-71.7993,42.627,-71.7936,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","Water two feet deep was reported on State Route 31 north of Fitchburg." +118449,711794,ALABAMA,2017,August,Tornado,"MARSHALL",2017-08-31 20:17:00,CST-6,2017-08-31 20:19:00,0,0,0,0,,NaN,,NaN,34.3042,-86.5662,34.3456,-86.5597,"A quasi-linear convective systeam (QLCS) band of showers and thunderstorms swept northeast through north Alabama during the mid to late evening hours. This band was associated with Tropical Depression Harvey which was tracking into southwest and middle Tennessee. One of the thunderstorms along the line produced a tornado. The tornado produced up to EF-2 damage and tracked from near Holly Pond to Joppa Alabama.","A tornado continued its path from just west of Joppa into Marshall County. The tornado uprooted and snapped a few more trees before dissipating near the intersection of Mat Morrow Road and Midfield Road." +117248,706586,DELAWARE,2017,August,Flash Flood,"NEW CASTLE",2017-08-02 14:46:00,EST-5,2017-08-02 15:46:00,0,0,0,0,0.00K,0,0.00K,0,39.7406,-75.5698,39.7462,-75.5713,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Several roads including Union Street became impassable with a few feet of water on them." +119035,721271,MINNESOTA,2017,September,Thunderstorm Wind,"POPE",2017-09-19 23:41:00,CST-6,2017-09-19 23:43:00,0,0,0,0,0.00K,0,0.00K,0,45.478,-95.2107,45.4998,-95.173,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A couple dozen trees were blown down or broken. Damage was scant, and therefore the storm survey was unable to determine if this was downburst or the continuation of the Camp Lake tornado. Radar data suggest it was probably downburst winds in the wake of the tornado." +119035,721272,MINNESOTA,2017,September,Thunderstorm Wind,"STEVENS",2017-09-19 22:54:00,CST-6,2017-09-19 22:58:00,0,0,0,0,0.00K,0,0.00K,0,45.6,-95.9276,45.6347,-95.8804,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","Dozens of trees were damaged, shingled were blown off a house, a flag pole was bent, antennas were damaged on a radio tower, and a pump station at a co-op was blown over. There were also scattered trees down in the city of Morris. Based on radar, it is possible that this may have been tornado damage, but the report came in days later and by that time, the damage had been cleaned up and therefore a damage survey was not conducted." +117574,707067,LOUISIANA,2017,August,Thunderstorm Wind,"RED RIVER",2017-08-11 18:55:00,CST-6,2017-08-11 18:55:00,0,0,0,0,0.00K,0,0.00K,0,32.1854,-93.3903,32.1854,-93.3903,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","Trees were blown down along Highway 71 just north of Highway 514." +117574,707068,LOUISIANA,2017,August,Thunderstorm Wind,"RED RIVER",2017-08-11 18:55:00,CST-6,2017-08-11 18:55:00,0,0,0,0,0.00K,0,0.00K,0,32.1651,-93.476,32.1651,-93.476,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","A roof was torn off of a home on Bundrick Road in the Westdale community. Other homes were damaged on Bundrick Road as well. Numerous trees were snapped or blown down in the area. A large metal grain bin was also destroyed." +117574,707069,LOUISIANA,2017,August,Thunderstorm Wind,"RED RIVER",2017-08-11 19:05:00,CST-6,2017-08-11 19:05:00,0,0,0,0,0.00K,0,0.00K,0,32.0372,-93.3316,32.0372,-93.3316,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","Trees were blown down onto power lines on Almond Road near Highway 155, causing power outages and utility poles to catch fire." +117973,709194,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-19 19:34:00,EST-5,2017-08-19 19:34:00,0,0,0,0,,NaN,,NaN,40.4,-75.99,40.4,-75.99,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Trees and wires downed due to thunderstorm winds." +117973,709195,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-19 19:41:00,EST-5,2017-08-19 19:41:00,0,0,0,0,,NaN,,NaN,40.39,-75.91,40.39,-75.91,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds blew down trees and wires." +117973,709196,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-19 20:03:00,EST-5,2017-08-19 20:03:00,0,0,0,0,,NaN,,NaN,40.29,-75.76,40.29,-75.76,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires." +117973,709197,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CARBON",2017-08-22 18:44:00,EST-5,2017-08-22 18:44:00,0,0,0,0,,NaN,,NaN,40.85,-75.67,40.85,-75.67,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees." +117973,709198,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CARBON",2017-08-22 18:45:00,EST-5,2017-08-22 18:45:00,0,0,0,0,,NaN,,NaN,40.87,-75.66,40.87,-75.66,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires along long run road in Franklin twp." +117973,709199,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 19:05:00,EST-5,2017-08-22 19:05:00,0,0,0,0,,NaN,,NaN,40.48,-76.33,40.48,-76.33,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down numerous trees." +117973,709200,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONROE",2017-08-22 19:13:00,EST-5,2017-08-22 19:13:00,0,0,0,0,,NaN,,NaN,40.92,-75.44,40.92,-75.44,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Numerous trees downed due to thunderstorm winds at the fairgrounds in Gilbert." +117973,709201,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 19:30:00,EST-5,2017-08-22 19:30:00,0,0,0,0,,NaN,,NaN,40.51,-75.94,40.51,-75.94,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees which fell onto roads." +117973,709202,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONROE",2017-08-22 19:30:00,EST-5,2017-08-22 19:30:00,0,0,0,0,,NaN,,NaN,41.01,-75.28,41.01,-75.28,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees throughout the county." +117973,709203,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CARBON",2017-08-22 19:34:00,EST-5,2017-08-22 19:34:00,0,0,0,0,,NaN,,NaN,40.77,-75.75,40.77,-75.75,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Some trees were blown down due to thunderstorm winds." +117973,709204,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 19:45:00,EST-5,2017-08-22 19:45:00,0,0,0,0,,NaN,,NaN,40.46,-75.88,40.46,-75.88,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Trees were snapped and uprooted due to thunderstorm winds." +117973,709205,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-22 19:50:00,EST-5,2017-08-22 19:50:00,0,0,0,0,,NaN,,NaN,40.67,-75.4,40.67,-75.4,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Several trees were taken down from thunderstorm winds." +117930,712926,PENNSYLVANIA,2017,August,Thunderstorm Wind,"PERRY",2017-08-19 18:20:00,EST-5,2017-08-19 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,40.3488,-77.2008,40.3488,-77.2008,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees on Landisburg Road." +117930,712927,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-19 18:25:00,EST-5,2017-08-19 18:25:00,0,0,0,0,5.00K,5000,0.00K,0,40.76,-76.958,40.76,-76.958,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires across a roadway west of Freesburg." +117930,712928,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 18:40:00,EST-5,2017-08-19 18:40:00,0,0,0,0,3.00K,3000,0.00K,0,40.866,-76.7678,40.866,-76.7678,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires on Snydertown Road." +117930,712929,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 18:45:00,EST-5,2017-08-19 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.6498,-76.8202,40.6498,-76.8202,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees northwest of Pillow." +117930,712930,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 18:45:00,EST-5,2017-08-19 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.8601,-76.7876,40.8601,-76.7876,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto Market Street in Sunbury." +117930,712931,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 18:45:00,EST-5,2017-08-19 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.9268,-76.7881,40.9268,-76.7881,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Ridge Road." +117930,712932,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SNYDER",2017-08-19 18:45:00,EST-5,2017-08-19 18:45:00,0,0,0,0,3.00K,3000,0.00K,0,40.8,-76.8603,40.8,-76.8603,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees on Water Street in Selinsgrove." +118624,712599,WYOMING,2017,August,Thunderstorm Wind,"CARBON",2017-08-15 12:45:00,MST-7,2017-08-15 12:47:00,0,0,0,0,0.00K,0,0.00K,0,41.7184,-107.336,41.7184,-107.336,"Thunderstorms produced strong outflow winds in central Carbon and eastern Laramie counties.","Estimated wind gusts of 55 to 60 mph were observed southwest of Rawlins." +118626,712616,NEBRASKA,2017,August,Thunderstorm Wind,"BANNER",2017-08-15 16:18:00,MST-7,2017-08-15 16:23:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-103.66,41.44,-103.66,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Estimated wind gusts of 55 to 60 mph were observed southeast of Harrisburg." +118626,712647,NEBRASKA,2017,August,Hail,"CHEYENNE",2017-08-15 18:13:00,MST-7,2017-08-15 18:16:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-102.7773,41.32,-102.7773,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Half dollar size hail was observed east of Gurley." +118626,712644,NEBRASKA,2017,August,Tornado,"CHEYENNE",2017-08-15 17:10:00,MST-7,2017-08-15 17:25:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-103.31,41.32,-103.18,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","A weak tornado touched down in open country eight miles north of Potter. The tornado was obscured by heavy rain. The tornado moved east and lifted 10 miles northeast of Potter. No damage was reported." +118626,712649,NEBRASKA,2017,August,Thunderstorm Wind,"CHEYENNE",2017-08-15 18:13:00,MST-7,2017-08-15 18:16:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-102.7773,41.32,-102.7773,"Thunderstorms produced large hail, strong winds, locally heavy rain and a weak tornado across portions of the Nebraska Panhandle.","Peak wind gusts of 72 mph were measured with a hand-held anemometer." +118666,712905,NEVADA,2017,August,Flash Flood,"EUREKA",2017-08-07 13:20:00,PST-8,2017-08-07 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.18,-115.95,39.1782,-115.9503,"Flash flooding washed out a road in the extreme southeast portion of Eureka county and damaged some roads near Eureka.","A road was washed out by a flash flood. Damages are estimated." +118666,712906,NEVADA,2017,August,Flash Flood,"EUREKA",2017-08-07 15:35:00,PST-8,2017-08-07 17:00:00,0,0,0,0,3.00K,3000,0.00K,0,39.52,-115.97,39.515,-115.9705,"Flash flooding washed out a road in the extreme southeast portion of Eureka county and damaged some roads near Eureka.","Multiple roads in the area showed evidence of flash flooding. Damages are estimated." +118018,709455,OHIO,2017,August,Hail,"LICKING",2017-08-19 13:23:00,EST-5,2017-08-19 13:26:00,0,0,0,0,0.00K,0,0.00K,0,40.22,-82.27,40.22,-82.27,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709456,OHIO,2017,August,Hail,"DELAWARE",2017-08-19 13:54:00,EST-5,2017-08-19 13:57:00,0,0,0,0,1.00K,1000,0.00K,0,40.25,-82.86,40.25,-82.86,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","A media member reported minor damage to his car which was parked outside." +118018,709457,OHIO,2017,August,Hail,"DELAWARE",2017-08-19 14:10:00,EST-5,2017-08-19 14:13:00,0,0,0,0,0.00K,0,0.00K,0,40.22,-82.78,40.22,-82.78,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +117296,709479,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 16:50:00,EST-5,2017-08-04 16:50:00,0,0,0,0,4.00K,4000,0.00K,0,39.9499,-78.2287,39.9499,-78.2287,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near the intersection of Route 915 and Pleasant Valley Road near the Crystal Spring exit on I-70." +117296,710698,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-04 17:20:00,EST-5,2017-08-04 17:20:00,0,0,0,0,0.00K,0,0.00K,0,39.9952,-77.9005,39.9952,-77.9005,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph damaged multiple trees just east of Cowans Gap." +117296,710699,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FULTON",2017-08-04 17:20:00,EST-5,2017-08-04 17:20:00,0,0,0,0,4.00K,4000,0.00K,0,39.941,-77.9963,39.941,-77.9963,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near McConnellsburg." +117296,710704,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CLINTON",2017-08-04 18:11:00,EST-5,2017-08-04 18:11:00,0,0,0,0,0.00K,0,0.00K,0,41.152,-77.4222,41.152,-77.4222,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees near Dunnstown." +118996,714775,MISSOURI,2017,August,Dense Fog,"PERRY",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714776,MISSOURI,2017,August,Dense Fog,"RIPLEY",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714777,MISSOURI,2017,August,Dense Fog,"SCOTT",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714778,MISSOURI,2017,August,Dense Fog,"STODDARD",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118996,714779,MISSOURI,2017,August,Dense Fog,"WAYNE",2017-08-15 01:00:00,CST-6,2017-08-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog reduced visibility to one-quarter mile or less throughout southeast Missouri. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118998,714782,KENTUCKY,2017,August,Dense Fog,"BALLARD",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118998,714783,KENTUCKY,2017,August,Dense Fog,"MCCRACKEN",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118998,714784,KENTUCKY,2017,August,Dense Fog,"GRAVES",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118998,714785,KENTUCKY,2017,August,Dense Fog,"CARLISLE",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118281,710860,OREGON,2017,August,Wildfire,"SOUTH CENTRAL OREGON CASCADES",2017-08-01 00:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17. The Spruce Lake fir was also started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of 03:30 PDT on 09/01/17, the fires collectively covered 26332 acres and was 37 percent contained. 35.0 million dollars had been spent on firefighting efforts.","The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17. The Spruce Lake fir was also started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of 03:30 PDT on 09/01/17, the fires collectively covered 26332 acres and was 37 percent contained. 35.0 million dollars had been spent on firefighting efforts." +118287,710861,OREGON,2017,August,Wildfire,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-08-10 10:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The North Pelican Wildfire was started by lightning on 08/10/17 around 11:00 AM PDT. As of 09/01/17 at 03:30 AM PDT, the fire covered 1800 acres and was 18 percent contained. 2.6 million dollars had been spent on firefighting efforts.","The North Pelican Wildfire was started by lightning on 08/10/17 around 11:00 AM PDT. As of 09/01/17 at 03:30 AM PDT, the fire covered 1800 acres and was 18 percent contained. 2.6 million dollars had been spent on firefighting efforts." +118288,710864,OREGON,2017,August,Wildfire,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-08-08 16:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Falcon Complex included the Buckskin, Fire #292, Fire#280, Tallow, Freeze, Cougar, Fire #283, and Lone Woman fires. All were started by lightning, the earliest starting on 8/8/17 at around 5:00 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 2935 acres and was 45 percent contained. 12.8 million dollars had been spent on firefighting efforts.","The Falcon Complex included the Buckskin, Fire #292, Fire#280, Tallow, Freeze, Cougar, Fire #283, and Lone Woman fires. All were started by lightning, the earliest starting on 8/8/17 at around 5:00 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 2935 acres and was 45 percent contained. 12.8 million dollars had been spent on firefighting efforts." +118290,710868,CALIFORNIA,2017,August,Wildfire,"WESTERN SISKIYOU COUNTY",2017-08-10 23:01:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Salmon August Complex included the Wallow, Island, Mary, Rush, Grizzly, Pointers, and Garden fires. All were started by lightning, the earliest starting on 8/11/17 at around 12:01 AM PDT. As of 03:30 on 09/01/17, the fires collectively covered 23211 acres and was 19 percent contained. 13.6 million dollars had been spent on firefighting efforts.","The Salmon August Complex included the Wallow, Island, Mary, Rush, Grizzly, Pointers, and Garden fires. All were started by lightning, the earliest starting on 8/11/17 at around 12:01 AM PDT. As of 03:30 on 09/01/17, the fires collectively covered 23211 acres and was 19 percent contained. 13.6 million dollars had been spent on firefighting efforts." +119410,716669,TEXAS,2017,August,Thunderstorm Wind,"OLDHAM",2017-08-14 20:44:00,CST-6,2017-08-14 20:44:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-102.42,35.24,-102.42,"A similar synoptic setup in comparison for the event that took place the day before on the 13th. West-northwest flow established across the region at the mid levels carried convection southeastward from NM. However, on this day, the lower levels were not as conducive for convection. With a large cap in place, along with limited effective shear, storms that developed west of the region quickly moved east and formed a line of convection along the established localized outflow boundary. A few severe wind gusts were reported as the line moved southeast across the western TX Panhandle.","" +118769,713514,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-18 23:38:00,EST-5,2017-08-19 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,41.8595,-69.9571,41.8402,-69.9647,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 1138 PM EST, Cable Road near Nauset Regional High School in Eastham was flooded and impassable. At 1154 PM EST, there were multiple reports of flooded basements on Jennie Clark Road. There were also reports of flooded basements on Kingswood Drive and Cestaro Way. At 1204 AM EST a car on Gail's Way was trapped in flood waters in a road washout. At 1252 AM EST there was three feet of water on Old Orchard Road near Kettle Hole Road. At 111 AM EST, two cars were trapped in flood waters on Brackett Road. At 6 AM EST, a Cocorahs observer in Eastham reported a storm total rainfall of 8.25 inches." +118769,713515,MASSACHUSETTS,2017,August,Flash Flood,"BARNSTABLE",2017-08-18 23:39:00,EST-5,2017-08-19 03:00:00,0,0,0,0,12.00K,12000,0.00K,0,41.7569,-70.0433,41.7493,-70.0986,"A warm front stalled along the northern Massachusetts border. Low pressure moved from the Mid Atlantic states up across Southeast Massachusetts during the night of the 18th and early morning of the 19th. High moisture values in place south of the warm front and a low level jet to generate lift over Southeast Massachusetts led to a period of torrential downpours from New Bedford to Outer Cape Cod.","At 1139 PM EST, a basement was flooded on Robbins Hill Road in Brewster. At 1215 AM EST, the Ocean Edge Mansion on Main Street had flooding in the parking lot and the west wing of the building. At 1220 AM EST, a basement was reported flooded on Endicott Lane. At 1 AM EST, a basement was flooded on Lunds Farm Way." +119366,716887,MARYLAND,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-04 15:54:00,EST-5,2017-08-04 15:54:00,0,0,0,0,,NaN,,NaN,39.6511,-78.7638,39.6511,-78.7638,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree and power lines were down near the intersection of Braddock Road and Seton Drive." +119366,716888,MARYLAND,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-04 15:56:00,EST-5,2017-08-04 15:56:00,0,0,0,0,,NaN,,NaN,39.6482,-78.7662,39.6482,-78.7662,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down on Bridge Street." +117721,707875,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 17:05:00,MST-7,2017-08-14 17:05:00,0,0,0,0,,NaN,0.00K,0,44.0945,-103.23,44.0945,-103.23,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","The storm also produced wind gusts around 55 mph and torrential rain." +119581,717480,GEORGIA,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-20 17:37:00,EST-5,2017-08-20 17:37:00,0,0,0,0,0.00K,0,0.00K,0,30.9,-83.07,30.9,-83.07,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down in the Naylor area." +119581,717481,GEORGIA,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-20 17:58:00,EST-5,2017-08-20 17:58:00,0,0,0,0,0.00K,0,0.00K,0,30.97,-83.18,30.97,-83.18,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A wind gust of 60 mph was measured at Moody AFB." +119581,717482,GEORGIA,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-24 16:11:00,EST-5,2017-08-24 16:11:00,0,0,0,0,0.00K,0,0.00K,0,30.7,-83.21,30.7,-83.21,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were down on the railroad tracks between Lake Park and Dasher." +119581,717483,GEORGIA,2017,August,Thunderstorm Wind,"LOWNDES",2017-08-24 16:25:00,EST-5,2017-08-24 16:25:00,0,0,0,0,0.00K,0,0.00K,0,30.65,-83.15,30.65,-83.15,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down on Highway 41 between Lake Park and the Florida-Georgia state line." +119583,717484,GEORGIA,2017,August,Thunderstorm Wind,"DECATUR",2017-08-31 17:20:00,EST-5,2017-08-31 17:40:00,0,0,0,0,0.00K,0,0.00K,0,30.9,-84.57,30.8798,-84.3776,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Several trees were blown down across Decatur county." +119583,717485,GEORGIA,2017,August,Thunderstorm Wind,"GRADY",2017-08-31 17:40:00,EST-5,2017-08-31 17:50:00,0,0,0,0,0.00K,0,0.00K,0,30.8798,-84.3776,30.85,-84.1,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Several trees were blown down across Grady county." +119583,717487,GEORGIA,2017,August,Thunderstorm Wind,"LEE",2017-08-30 14:35:00,EST-5,2017-08-30 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,31.75,-84.01,31.75,-84.01,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A few power outages occurred due to wind near Philema." +119583,717488,GEORGIA,2017,August,Thunderstorm Wind,"BEN HILL",2017-08-30 16:10:00,EST-5,2017-08-30 16:10:00,0,0,0,0,0.00K,0,0.00K,0,31.7559,-83.2803,31.7559,-83.2803,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down across Primrose Road." +119383,718062,MARYLAND,2017,August,Hail,"BALTIMORE",2017-08-21 14:55:00,EST-5,2017-08-21 14:55:00,0,0,0,0,,NaN,,NaN,39.2662,-76.4694,39.2662,-76.4694,"An unstable atmosphere led to a few severe thunderstorms.","Quarter sized hail was reported." +119383,718063,MARYLAND,2017,August,Thunderstorm Wind,"CHARLES",2017-08-21 15:04:00,EST-5,2017-08-21 15:04:00,0,0,0,0,,NaN,,NaN,38.5447,-77.0786,38.5447,-77.0786,"An unstable atmosphere led to a few severe thunderstorms.","Several trees were down along Ripley Road." +119383,718064,MARYLAND,2017,August,Thunderstorm Wind,"CHARLES",2017-08-21 15:52:00,EST-5,2017-08-21 15:52:00,0,0,0,0,,NaN,,NaN,38.4949,-76.9138,38.4949,-76.9138,"An unstable atmosphere led to a few severe thunderstorms.","Multiple trees were down along Estecez Road and Charles Street." +119383,718065,MARYLAND,2017,August,Thunderstorm Wind,"CHARLES",2017-08-21 15:56:00,EST-5,2017-08-21 15:56:00,0,0,0,0,,NaN,,NaN,38.4491,-76.8652,38.4491,-76.8652,"An unstable atmosphere led to a few severe thunderstorms.","Many trees were down between Charles Street and Budds Creek Road." +119383,718066,MARYLAND,2017,August,Thunderstorm Wind,"ST. MARY'S",2017-08-21 16:04:00,EST-5,2017-08-21 16:04:00,0,0,0,0,,NaN,,NaN,38.3843,-76.8479,38.3843,-76.8479,"An unstable atmosphere led to a few severe thunderstorms.","A couple of trees were down." +119383,718067,MARYLAND,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-21 18:59:00,EST-5,2017-08-21 18:59:00,0,0,0,0,,NaN,,NaN,39.6895,-77.5632,39.6895,-77.5632,"An unstable atmosphere led to a few severe thunderstorms.","Multiple trees were down from Smithsburg to Cascade. One intersection in particular was Route 64 and Ingram Drive." +119383,718068,MARYLAND,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-21 18:59:00,EST-5,2017-08-21 18:59:00,0,0,0,0,,NaN,,NaN,39.6895,-77.5632,39.6895,-77.5632,"An unstable atmosphere led to a few severe thunderstorms.","A barn collapsed." +119383,718069,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-21 19:49:00,EST-5,2017-08-21 19:49:00,0,0,0,0,,NaN,,NaN,39.5358,-77.4325,39.5358,-77.4325,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down at Fish Hatchery Road and Bethel Road." +119383,718070,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:10:00,EST-5,2017-08-22 21:10:00,0,0,0,0,,NaN,,NaN,39.5872,-76.3576,39.5872,-76.3576,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down in the 2400 Block of Johnson Mill Road." +119383,718071,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:18:00,EST-5,2017-08-22 21:18:00,0,0,0,0,,NaN,,NaN,39.543,-76.3415,39.543,-76.3415,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down in the 800 Block of Calvin Place." +119383,718072,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:10:00,EST-5,2017-08-22 21:10:00,0,0,0,0,,NaN,,NaN,39.6475,-76.2982,39.6475,-76.2982,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down in the 1300 Block of Quaker Church Road." +119383,718073,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:25:00,EST-5,2017-08-22 21:25:00,0,0,0,0,,NaN,,NaN,39.5892,-76.2228,39.5892,-76.2228,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down near the intersection of Glenville Road and Old Level Road." +119856,718537,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:10:00,CST-6,2017-08-06 00:10:00,0,0,0,0,0.00K,0,0.00K,0,38.6485,-93.7451,38.6295,-93.7451,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was reported over the road south of Warrensburg on HWY 13, about 1/4 mile south of SE MO PP Road." +119856,718538,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 21:23:00,CST-6,2017-08-06 00:23:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.57,39.0307,-94.5756,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Police were blocking off the road near E 56th St and Troost Ave due to flash flooding." +119856,718539,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 21:34:00,CST-6,2017-08-06 00:34:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-94.43,38.9624,-94.4169,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","KCMO Fire responded to a water rescue, and a report of vehicle floating in water at 13105 Blue Parkway." +122186,731464,TEXAS,2017,December,Winter Weather,"MEDINA",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +119961,718986,SOUTH DAKOTA,2017,August,Drought,"SPINK",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Drought conditions improved some in August as a changing weather pattern had brought cooler conditions along with more frequent episodes of showers and thunderstorms. The average monthly temperatures across the drought region were from 3 to 5 degrees below normal. Monthly rainfall amounts were from 3 to 6 inches, ranging from 1 to nearly 4 inches above normal.||There was a decrease in the areal coverage of severe drought along with almost the elimination of the extreme drought region across north central South Dakota. In fact, the drought conditions jumped two categories from the 1st to the 31st from extreme to moderate drought over part of north central South Dakota. Due to the above normal rainfall, there was some improvement with the crops and pastureland across the region. Although, stock water supplies were still running short. The spring wheat harvested in the state this year was only 670,000 acres, the lowest since the big drought year of 1936 where only 550,000 acres were harvested. ||Most of the counties across the region had lifted their burn bans by the end of August. There was also an increase in the number of sick or dead livestock due to nitrate poisoning from the drinking water. Stream flows were also up to at or above normal due to the heavier rainfall by the end of the month along with better topsoil and subsoil moisture. The drought continued into September.","" +117417,706118,COLORADO,2017,August,Debris Flow,"GARFIELD",2017-08-10 12:25:00,MST-7,2017-08-10 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.631,-107.7391,39.6308,-107.7416,"A moist air mass resulted in some thunderstorms with heavy rainfall in the Rifle Gap Reservoir area.","Heavy rainfall resulted in a large quantity of mud and vegetation which flowed down a drainage and covered Highway 325 between mile markers 5.5 and 5.7. The highway was closed for about 30 minutes until road crews were able to clear the pavement." +118689,713008,COLORADO,2017,August,Debris Flow,"MONTROSE",2017-08-04 13:00:00,MST-7,2017-08-04 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.49,-108.89,38.4857,-108.8845,"An unsettled northwesterly flow aloft brought in a series of embedded upper level disturbances that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms which resulted in mudslides and flash flooding in portions of the state.","The Colorado Department of Transportation was sent by law enforcement to remove debris over Colorado Highway 141 near mile marker 95 as a result of excessive rainfall." +118689,713009,COLORADO,2017,August,Heavy Rain,"GARFIELD",2017-08-04 15:00:00,MST-7,2017-08-04 15:40:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-107.22,39.4,-107.22,"An unsettled northwesterly flow aloft brought in a series of embedded upper level disturbances that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms which resulted in mudslides and flash flooding in portions of the state.","In addition to pea sized hail, 0.60 inches of rain fell within 40 minutes." +118689,713010,COLORADO,2017,August,Debris Flow,"GARFIELD",2017-08-04 15:30:00,MST-7,2017-08-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,39.41,-107.31,39.4085,-107.3099,"An unsettled northwesterly flow aloft brought in a series of embedded upper level disturbances that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms which resulted in mudslides and flash flooding in portions of the state.","A mudslide occurred on County Road 117 at mile marker 9 due to heavy rain from thunderstorms." +117431,706201,COLORADO,2017,August,Hail,"LARIMER",2017-08-10 14:11:00,MST-7,2017-08-10 14:11:00,0,0,0,0,,NaN,,NaN,40.55,-105.09,40.55,-105.09,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706202,COLORADO,2017,August,Hail,"LINCOLN",2017-08-10 15:55:00,MST-7,2017-08-10 15:55:00,0,0,0,0,,NaN,,NaN,39.34,-103.69,39.34,-103.69,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706203,COLORADO,2017,August,Thunderstorm Wind,"WELD",2017-08-10 14:01:00,MST-7,2017-08-10 14:01:00,0,0,0,0,,NaN,,NaN,40.26,-104.6,40.26,-104.6,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +120004,719132,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 17:28:00,EST-5,2017-08-04 17:28:00,0,0,0,0,,NaN,,NaN,42.93,-75.17,42.93,-75.17,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","A tree was downed." +120004,719133,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 17:43:00,EST-5,2017-08-04 17:43:00,0,0,0,0,,NaN,,NaN,43.02,-74.99,43.02,-74.99,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Wires were downed on South Caroline Street." +120010,719145,TEXAS,2017,August,Flash Flood,"EL PASO",2017-08-14 23:24:00,MST-7,2017-08-15 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,31.6002,-106.2076,31.7084,-106.3202,"A weak surface low was located along the Rio Grande Valley with increasing westerly flow aloft as 55 knot jet streak moved along the New Mexico border. The lift provided by the jet streak combined with deep moisture that was in place over far west Texas. Very heavy rain occurred in an area which was already saturated from earlier storms near Socorro, TX and flash flooding quickly resulted. Numerous people were forced to evacuate and their homes damaged.","All residents along Coker Road in Soccorro had to be evacuated around 1230AM. Several homes roofs caved in due to the heavy rain which totaled up to 4.35 inches according to a CoCoRaHS report. Heavy rain also caused evacuations and an apartment roof to collapse off of Alameda and Davis Drive. The heavy rain also caused significant damage to grave sites at Mt. Carmel Cemetery near Zaragoza and the Border Highway." +119760,718190,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-04 12:35:00,EST-5,2017-08-04 12:35:00,0,0,0,0,15.00K,15000,0.00K,0,40.06,-80.66,40.06,-80.66,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local broadcast media reported trees down with one on a mail truck." +119760,718191,WEST VIRGINIA,2017,August,Thunderstorm Wind,"OHIO",2017-08-04 12:35:00,EST-5,2017-08-04 12:35:00,0,0,0,0,5.00K,5000,0.00K,0,40.08,-80.7,40.08,-80.7,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Emergency manager reported multiple trees down on Peters Run Rd, Center Ave, Jenner Ave, and Parkview Ave." +119760,718192,WEST VIRGINIA,2017,August,Hail,"OHIO",2017-08-04 12:35:00,EST-5,2017-08-04 12:35:00,0,0,0,0,0.00K,0,0.00K,0,40.16,-80.66,40.16,-80.66,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","" +119760,718194,WEST VIRGINIA,2017,August,Thunderstorm Wind,"BROOKE",2017-08-04 13:10:00,EST-5,2017-08-04 13:10:00,0,0,0,0,2.00K,2000,0.00K,0,40.37,-80.53,40.37,-80.53,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported several trees down." +119760,718231,WEST VIRGINIA,2017,August,Thunderstorm Wind,"PRESTON",2017-08-04 14:53:00,EST-5,2017-08-04 14:53:00,0,0,0,0,10.00K,10000,0.00K,0,39.32,-79.55,39.32,-79.55,"Showers and thunderstorms developed ahead of a cold front on the 4th of August. Modest instability and shear, considering the earlier onset of storm activity, resulted in several wind damage reports and some hail.","Local 911 reported trees down along US 50." +120107,719669,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-17 13:17:00,EST-5,2017-08-17 13:17:00,0,0,0,0,8.00K,8000,0.00K,0,40.5951,-81.1077,40.5951,-81.1077,"Showers and storms developed with support from an upper level shortwave passing across the upper Ohio valley. Despite the provided lift, rather warm mid levels and early morning cloud cover were limiting factors that helped keep thunderstorms disorganized.","Emergency manager reported numerous trees uprooted and ripped off along Fresno Road, Fisherman Road, and Bacon Road." +120108,719670,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MERCER",2017-08-17 18:30:00,EST-5,2017-08-17 18:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.41,-80.38,41.41,-80.38,"Showers and storms developed with support from an upper level shortwave passing across the upper Ohio valley. Despite the provided lift, rather warm mid levels and early morning cloud cover were limiting factors that helped keep thunderstorms disorganized.","State Department of Transportation reported trees down." +120109,719671,OHIO,2017,August,Hail,"TUSCARAWAS",2017-08-19 13:21:00,EST-5,2017-08-19 13:21:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-81.49,40.47,-81.49,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","" +120120,719998,LOUISIANA,2017,August,Storm Surge/Tide,"EAST CAMERON",2017-08-27 08:30:00,CST-6,2017-08-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","The tide ran a couple feet above normal for multiple cycles along the coast of Cameron Parish. The tide peaked at 4.7 feet with a surge of 2.94 feet at the Cameron tide gauge. Minor coastal erosion was noted and some streets in Cameron, Holly Beach, and Johnson Bayou flooded during the event." +119746,719334,TEXAS,2017,August,Storm Surge/Tide,"JEFFERSON",2017-08-27 20:30:00,CST-6,2017-08-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","The storm surge from Harvey went above 3 feet at Texas Point during the evening of the 27th and fell below 3 feet around mid day on the 28th. The tide peaked at 5.03 feet with a surge of 3.49 feet. Minor beach erosion was noted during the event." +120120,719997,LOUISIANA,2017,August,Storm Surge/Tide,"WEST CAMERON",2017-08-27 08:30:00,CST-6,2017-08-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","The tide ran a couple feet above normal for multiple cycles along the coast of Cameron Parish. The tide peaked at 4.7 feet with a surge of 2.94 feet at the Cameron tide gauge. Minor coastal erosion was noted and some streets in Cameron, Holly Beach, and Johnson Bayou flooded during the event." +118315,710980,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 15:03:00,EST-5,2017-08-02 15:03:00,0,0,0,0,,NaN,,NaN,41.72,-73.47,41.72,-73.47,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","Route 341 and South Kent Road were closed due to multiple trees and water across the roadways." +118315,710981,CONNECTICUT,2017,August,Thunderstorm Wind,"LITCHFIELD",2017-08-02 15:07:00,EST-5,2017-08-02 15:07:00,0,0,0,0,,NaN,,NaN,41.81,-73.14,41.81,-73.14,"Scattered strong to severe thunderstorms developed over northwestern Connecticut during the afternoon hours on Wednesday, August 2, 2017. This was due to an upper level disturbance passing through the area. The severe weather knocked down numerous trees and power lines, produced large hail as well as isolated flash flooding in Litchfield county. Flash flooding occurred in the towns of Kent and Cornwall Center, with a report of a road being partially washed out. There was a maximum rainfall report of 3.03 inches in Kent from the storms.","A tree was downed on Riverside Ave." +120006,719150,MASSACHUSETTS,2017,August,Flash Flood,"BERKSHIRE",2017-08-12 22:15:00,EST-5,2017-08-12 23:45:00,0,0,0,0,1.00K,1000,1.00K,1000,42.4452,-73.2546,42.445,-73.2529,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||Isolated reports of downed trees and wires occurred as thunderstorms moved across Berkshire County. Heavy rainfall also resulted in isolated flash flooding.","The eastbound side of East Housatonic Street was closed to traffic. A sewer cover was popped off." +120006,719151,MASSACHUSETTS,2017,August,Thunderstorm Wind,"BERKSHIRE",2017-08-12 21:58:00,EST-5,2017-08-12 21:58:00,0,0,0,0,,NaN,,NaN,42.45,-73.28,42.45,-73.28,"After widespread rain moved through overnight associated with a warm front, early clouds gave way to breaks of sun ahead of an approaching cold front and upper level disturbance on Saturday, August 12th. Dewpoints were in the mid to upper 60s throughout the region with strong wind shear in place aloft. The upper level disturbance and an approaching cold front served as main focus for severe weather. ||Isolated reports of downed trees and wires occurred as thunderstorms moved across Berkshire County. Heavy rainfall also resulted in isolated flash flooding.","A large tree and wires were down on a residence." +121161,727756,MINNESOTA,2017,December,Heavy Snow,"WEST POLK",2017-12-20 19:30:00,CST-6,2017-12-21 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +121161,727757,MINNESOTA,2017,December,Heavy Snow,"NORMAN",2017-12-20 19:30:00,CST-6,2017-12-21 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +120180,720146,GEORGIA,2017,August,Flash Flood,"BIBB",2017-08-04 19:00:00,EST-5,2017-08-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8509,-83.674,32.8507,-83.6739,"Scattered strong thunderstorms associated with a weak upper-level wave developed along a stationary front across central Georgia during the evening. Heavy rain associated with these storms trained from an area north of Columbus to Macon. This caused isolated flash flooding. And although instability was only moderate, sufficient deep shear was present for an isolated tornado to develop.","Broadcast Media reported street flooding along Vineville Avenue in Payne City and on Gray Highway NE of Macon. Radar estimated 2 to 2.5 inches of rain in the area." +121161,727758,MINNESOTA,2017,December,Heavy Snow,"MAHNOMEN",2017-12-20 19:30:00,CST-6,2017-12-21 03:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +121161,727759,MINNESOTA,2017,December,Heavy Snow,"SOUTH CLEARWATER",2017-12-20 19:30:00,CST-6,2017-12-21 03:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure tracked out of Wyoming on the afternoon of Wednesday, December 20th. Meanwhile, surface high pressure was located over most of southern Canada. This initially brought a period of steady east winds to eastern North Dakota and the northwest quarter of Minnesota. Unlike several prior events, temperatures were much colder this time around, which kept the precipitation as snow. A thin band of 6 to 9 inches of snow fell from New Rockford to Hillsboro (ND) to north of Park Rapids (MN). The snow ended by the early morning hours of the 21st, as the high pushed southward into the area.","" +119751,718303,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 06:30:00,CST-6,2017-08-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-86.58,34.948,-86.5788,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Media relayed social media report of flooding along West Limestone Road near Hazel Green." +119751,718305,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 19:10:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-86.52,34.6972,-86.5171,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Huntsville Police reporting that part of the road was washing away on Highway 431 Southbound just South of Dug Hill Road with water overtopping the retaining wall." +120259,720612,AMERICAN SAMOA,2017,August,Heavy Rain,"TUTUILA",2017-08-19 22:00:00,SST-11,2017-08-20 10:00:00,0,0,0,0,,NaN,,NaN,-14.3413,-170.7962,-14.2323,-169.4257,"Heavy rainfall with isolated thunderstorms and windy conditions triggered flash flooding across Tutuila and Manua. The Weather Service Office recorded over 2.60 inches of rainfall and maximum winds of 30 mph yet much higher near thunderstorms.","Heavy rainfall with isolated thunderstorms and windy conditions triggered flash flooding across Tutuila and Manua. The Weather Service Office recorded over 2.60 inches of rainfall and maximum winds of 30 mph yet much higher near thunderstorms." +120215,720267,CALIFORNIA,2017,August,Hail,"PLUMAS",2017-08-02 18:40:00,PST-8,2017-08-02 18:50:00,0,0,0,0,,NaN,,NaN,39.92,-120.83,39.92,-120.83,"Upper level high pressure brought record heat to the area. A plume of subtropical moisture promoted the growth of isolated afternoon thunderstorms with large hail.","Golf ball hail was reported southeast of Quincy, in the vicinity of the Minerva Fire." +120215,720356,CALIFORNIA,2017,August,Excessive Heat,"SOUTHERN SACRAMENTO VALLEY",2017-08-01 12:00:00,PST-8,2017-08-03 16:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure brought record heat to the area. A plume of subtropical moisture promoted the growth of isolated afternoon thunderstorms with large hail.","A 13-year-old was hospitalized Tuesday after suffering heat stroke during tryouts for the freshman football team at Lincoln High School on August 1. Temperatures at Lincoln Airport reached 100 degrees between 4 and 7 pm PDT." +120267,720630,CALIFORNIA,2017,August,Hail,"SHASTA",2017-08-09 15:10:00,PST-8,2017-08-09 15:20:00,0,0,0,0,,NaN,,NaN,40.64,-121.47,40.64,-121.47,"A weak disturbance and instability brought afternoon thunderstorms over the mountains, with an isolated strong storm in the southern Cascades.","Hail covered the ground. Some of the hail stones were as large as an inch in diameter." +120244,720636,CALIFORNIA,2017,August,Debris Flow,"SIERRA",2017-08-18 16:30:00,PST-8,2017-08-18 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.447,-120.0098,39.4487,-120.0113,"A weak upper low set up near southern California and slowly meandered northeast generating thunderstorms along the eastern Sierra. One thunderstorm produced large hail and another produced a very localized flash flood which lead to a debris flow.","A training thunderstorm caused flash flooding and a debris flow on the westbound side of Interstate-80 near Farad, CA, which closed the interstate from approximately 1745���1920PST. This area was associated with steep terrain and the burn scar from the Farad Fire. No damage estimates were available." +120244,720649,CALIFORNIA,2017,August,Hail,"EL DORADO",2017-08-20 16:40:00,PST-8,2017-08-20 16:45:00,0,0,0,0,,NaN,,NaN,38.9783,-120.1028,38.9783,-120.1028,"A weak upper low set up near southern California and slowly meandered northeast generating thunderstorms along the eastern Sierra. One thunderstorm produced large hail and another produced a very localized flash flood which lead to a debris flow.","A severe thunderstorm near Emerald Bay/D. L. Bliss State Park dropped large hail up to 1.75 inches in diameter. No damage estimates/reports were available." +120183,720135,GEORGIA,2017,August,Thunderstorm Wind,"HOUSTON",2017-08-31 12:32:00,EST-5,2017-08-31 12:37:00,0,0,0,0,2.00K,2000,,NaN,32.4329,-83.8077,32.4329,-83.8077,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","Large tree reported down on Toomer Road near intersection of GA-224." +120183,720749,GEORGIA,2017,August,Thunderstorm Wind,"HOUSTON",2017-08-31 12:40:00,EST-5,2017-08-31 12:45:00,0,0,0,0,6.00K,6000,0.00K,0,32.5255,-83.6923,32.5255,-83.6923,"Isolated severe thunderstorms occurred in central Georgia along a warm front lifting north across the region associated with the remains of a tropical system to the west of the state. Late in the evening, gradient winds associated with the former tropical system produced isolated reports of downed trees in extreme northwest Georgia.","Large tree reported down on powerlines off of Johnson Court." +119753,720878,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-27 00:40:00,CST-6,2017-08-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5039,-95.1382,29.4347,-95.0995,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within League City and Dickinson. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways such as but not limited to Calder and Walker Streets, Highway 96, FM 518, FM 517, sections of Highway 3 and FM 646 in and around League City and Dickinson were flooded and therefore closed for long time periods.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +118444,711733,NEW YORK,2017,August,Thunderstorm Wind,"BROOME",2017-08-04 16:30:00,EST-5,2017-08-04 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,42.1,-75.91,42.1,-75.91,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree near the intersection of Clinton Street and Front Street." +118444,711734,NEW YORK,2017,August,Thunderstorm Wind,"BROOME",2017-08-04 16:35:00,EST-5,2017-08-04 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.1,-75.91,42.1,-75.91,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which fell on a house on Clifton Blvd." +118444,711735,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-04 16:39:00,EST-5,2017-08-04 16:49:00,0,0,0,0,10.00K,10000,0.00K,0,42.4,-75.8,42.4,-75.8,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in the vicinity of highway 41 and Collier Road." +118444,711736,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-04 16:41:00,EST-5,2017-08-04 16:51:00,0,0,0,0,1.00K,1000,0.00K,0,42.44,-75.6,42.44,-75.6,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which blocked the road in the vicinity of 2351 highway 220." +118444,711737,NEW YORK,2017,August,Thunderstorm Wind,"CHENANGO",2017-08-04 17:07:00,EST-5,2017-08-04 17:17:00,0,0,0,0,1.00K,1000,0.00K,0,42.68,-75.5,42.68,-75.5,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which blocked the road in the vicinity of 203 Blanding Road." +119874,718584,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 17:28:00,CST-6,2017-08-18 17:28:00,0,0,0,0,1.00K,1000,0.00K,0,36.1168,-94.2116,36.1168,-94.2116,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind blew down power lines." +119874,718585,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 17:42:00,CST-6,2017-08-18 17:42:00,0,0,0,0,2.00K,2000,0.00K,0,36.0866,-94.2196,36.0866,-94.2196,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind snapped large tree limbs and blew down power poles." +119874,718586,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 17:53:00,CST-6,2017-08-18 17:53:00,0,0,0,0,0.00K,0,0.00K,0,36.0804,-94.176,36.0804,-94.176,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind snapped large tree limbs." +119874,718587,ARKANSAS,2017,August,Hail,"WASHINGTON",2017-08-18 17:53:00,CST-6,2017-08-18 17:53:00,0,0,0,0,0.00K,0,0.00K,0,36.0786,-94.1739,36.0786,-94.1739,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119874,718588,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 17:53:00,CST-6,2017-08-18 17:53:00,0,0,0,0,1.00K,1000,0.00K,0,36.0481,-94.1494,36.0481,-94.1494,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind blew down power lines near Morningside Drive and 15th Street on the southeast side of Fayetteville." +119874,718589,ARKANSAS,2017,August,Hail,"WASHINGTON",2017-08-18 17:55:00,CST-6,2017-08-18 17:55:00,0,0,0,0,5.00K,5000,0.00K,0,36.0086,-94.0941,36.0086,-94.0941,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119874,718590,ARKANSAS,2017,August,Hail,"WASHINGTON",2017-08-18 17:55:00,CST-6,2017-08-18 17:55:00,0,0,0,0,10.00K,10000,0.00K,0,36.0188,-94.1067,36.0188,-94.1067,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119874,718591,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 17:56:00,CST-6,2017-08-18 17:56:00,0,0,0,0,0.00K,0,0.00K,0,36.0861,-94.2033,36.0861,-94.2033,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind snapped numerous large tree limbs." +119985,719032,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"MERRIMACK",2017-08-02 16:00:00,EST-5,2017-08-02 16:05:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-71.57,43.34,-71.57,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A severe thunderstorm downed trees in Canterbury." +119985,719033,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CARROLL",2017-08-02 18:00:00,EST-5,2017-08-02 18:05:00,0,0,0,0,0.00K,0,0.00K,0,43.76,-71,43.76,-71,"A very moist air mass was in place across the region on the afternoon of August 2nd with precipitable water values around 1.5 inches. Steep lapse rates and a dry layer in the mid levels combined with moderate shear to produce several severe cells. Large hail and damaging winds were reported with these storms.","A severe thunderstorm downed trees and wires throughout the town of Effingham Falls." +120082,719516,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"GRAFTON",2017-08-22 18:30:00,EST-5,2017-08-22 18:35:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-72.04,44.15,-72.04,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires in Woodsville." +120082,719517,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"GRAFTON",2017-08-22 18:30:00,EST-5,2017-08-22 18:35:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-71.97,44.17,-71.97,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and power lines in Bath." +120082,719518,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"COOS",2017-08-22 18:35:00,EST-5,2017-08-22 18:40:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-71.7,44.42,-71.7,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees in Dalton." +120082,719519,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"COOS",2017-08-22 18:45:00,EST-5,2017-08-22 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-71.57,44.49,-71.57,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires closing Route 3 in Lancaster." +117400,709337,TEXAS,2017,June,Thunderstorm Wind,"TOM GREEN",2017-06-04 19:50:00,CST-6,2017-06-04 19:50:00,0,0,0,0,0.00K,0,0.00K,0,31.16,-100.55,31.16,-100.55,"Over 8 inches of very heavy rain fell near Lake Throckmorton during the morning hours of June 2nd. The heavy rain filled Lake Throckmorton, over topped the spillway and flooded the south side of Throckmorton with swift moving, deep water. Several homes and a business were flooded. A couple of storms produced damaging microburst winds.||On June 2, a 70 mph thunderstorm microburst wind was measured about 11 miles southwest of Sweetwater and a NWS employee estimated a 70 mph thunderstorm microburst wind at his residence in Christoval.","A National Weather Service Employee measured a 70 mph wind gust in Christoval." +117779,717677,MINNESOTA,2017,August,Heavy Rain,"REDWOOD",2017-08-16 06:00:00,CST-6,2017-08-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,44.5467,-95.081,44.5467,-95.081,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","The Redwood Falls airport ASOS measured 9.45 inches of rainfall in 24 hours." +119671,718912,NEW MEXICO,2017,September,Flash Flood,"SANDOVAL",2017-09-28 19:00:00,MST-7,2017-09-28 22:00:00,0,0,0,0,75.00K,75000,0.00K,0,35.2738,-106.6411,35.2712,-106.635,"The potent upper low pressure system responsible for severe thunderstorms and flooding over eastern New Mexico between the 22nd and 25th began lifting slowly northeast into the central Rockies on the 26th and 27th. Daily rounds of showers and thunderstorms with heavy rainfall, hail, and strong winds began spreading westward to include much of central and western New Mexico through this period. This additional heavy rainfall set the stage for a more widespread flooding event through the end of September. Widespread three day rainfall reports averaged between two and five inches within central New Mexico. Several stations reported record daily rainfall amounts and placed September 2017 into the top 5 wettest Septembers on record. A potent storm that moved across Rio Rancho late on the 28th forced water into four homes along Arlene Road. A cluster of thunderstorms with torrential rainfall moved across western New Mexico during the early afternoon hours on the 29th and produced flash flooding around Farmington and Acoma Pueblo. These storms then shifted eastward and produced severe hail and flash flooding along much of the Interstate 25 corridor between Los Lunas, Belen, and Bernardo. Interstate 25 was closed for several hours as water flooded over the highway. Powerful storms developed again on the 30th and produced more flash flooding, severe hail, high winds, and even a tornado west of Albuquerque.","Memorable Moments day care was closed due to flood damages for four days. Lots of mud, sand, and debris were covering nearby roadways." +117453,708342,IOWA,2017,June,Hail,"POLK",2017-06-28 16:00:00,CST-6,2017-06-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.5955,-93.7734,41.5955,-93.7734,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","" +120347,721460,GEORGIA,2017,September,Tropical Storm,"FANNIN",2017-09-11 17:00:00,EST-5,2017-09-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Fannin County Emergency Manager reported little damage in the county. A wind gust of 31 mph was measured in Blue Ridge. Radar estimated between 1 and 3 inches of rain fell across the county with 2.62 inches measured near Hurst. No injuries were reported." +118383,711399,MONTANA,2017,August,Hail,"MISSOULA",2017-08-24 18:36:00,MST-7,2017-08-24 18:54:00,0,0,0,0,0.00K,0,0.00K,0,46.7342,-114.3162,46.7342,-114.3162,"A thunderstorm quickly developed over the mountains and dropped quarter-sized hail near the edge of the Lolo Peak wildfire (7 miles SW of Elk Creek).","Local Firefighters on the Lolo Peak wildfire reported quarter sized hail with no damages." +118392,711457,OHIO,2017,August,Thunderstorm Wind,"LAWRENCE",2017-08-22 13:49:00,EST-5,2017-08-22 13:49:00,0,0,0,0,0.50K,500,0.00K,0,38.67,-82.38,38.67,-82.38,"A strong cold front pushed into a moist and unstable air mass across the middle Ohio River Valley on the 22nd. Ahead of the cold front, a line of strong to severe thunderstorms formed during the afternoon. This line peaked in strength as it crossed the Ohio River, and then weakened rapidly as it continued eastward.","A large tree fell across State Route 775 near mile marker 23." +118445,711747,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BRADFORD",2017-08-04 15:41:00,EST-5,2017-08-04 15:51:00,0,0,0,0,1.00K,1000,0.00K,0,41.78,-76.61,41.78,-76.61,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree in the vicinity of the Burlington Turnpike." +118529,712110,MINNESOTA,2017,August,Hail,"ST. LOUIS",2017-08-08 17:50:00,CST-6,2017-08-08 17:55:00,0,0,0,0,,NaN,,NaN,47.52,-92.51,47.52,-92.51,"A strong thunderstorm moved through St. Louis County in northeastern Minnesota producing penny sized hail.","" +118552,712213,CONNECTICUT,2017,August,Hail,"HARTFORD",2017-08-02 14:50:00,EST-5,2017-08-02 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-72.52,41.78,-72.52,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","At 250 PM EST, an amateur radio operator reported dime-size hail at Manchester." +118675,713292,MISSISSIPPI,2017,August,Lightning,"MARION",2017-08-11 16:24:00,CST-6,2017-08-11 16:24:00,0,0,0,0,200.00K,200000,0.00K,0,31.2591,-89.8809,31.2591,-89.8809,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A house caught on fire by a lightning strike at 40 Henry Lee Lane." +118761,713488,MASSACHUSETTS,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-03 18:50:00,EST-5,2017-08-03 18:50:00,0,0,0,0,2.50K,2500,0.00K,0,42.6674,-72.6825,42.6674,-72.6825,"A mid-level disturbance over the Great Lakes and moist unstable air over New England combined to generate a few damaging thunderstorms and heavy downpours in Northwestern Massachusetts during the afternoon of August 3rd.","At 650 PM EST, a tree was brought down on power lines on Greenfield Road in Colrain. Also, a tree was brought down on West Leyden Road." +119728,718024,NEBRASKA,2017,August,Hail,"LOGAN",2017-08-13 19:05:00,CST-6,2017-08-13 19:05:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-100.35,41.42,-100.35,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119728,718028,NEBRASKA,2017,August,Hail,"FRONTIER",2017-08-13 21:57:00,CST-6,2017-08-13 21:57:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-100.06,40.68,-100.06,"A slow moving cold front initiated thunderstorms across the Nebraska Sandhills during the late afternoon and evening of August 13th. As this feature tracked into central Nebraska, it produced several severe storms with large hail and heavy rain, which led to flash flooding.","" +119377,718038,MARYLAND,2017,August,Lightning,"HARFORD",2017-08-18 16:14:00,EST-5,2017-08-18 16:14:00,10,0,0,0,,NaN,,NaN,39.5346,-76.3469,39.5346,-76.3469,"A cold front triggered some showers and thunderstorms. A few thunderstorms became severe.","Lightning struck the building at the Harford County 911 Center. Damage occurred to the building and 10 people were injured." +119380,718054,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-19 19:42:00,EST-5,2017-08-19 19:42:00,0,0,0,0,,NaN,,NaN,39.4725,-77.3601,39.4725,-77.3601,"A boundary triggered some thunderstorms and an unstable atmosphere caused a few to become severe.","Trees and wires were down along Raleigh Road at Antietam Drive." +119382,718058,VIRGINIA,2017,August,Thunderstorm Wind,"FAUQUIER",2017-08-21 16:06:00,EST-5,2017-08-21 16:06:00,0,0,0,0,,NaN,,NaN,38.5068,-77.707,38.5068,-77.707,"An unstable atmosphere led to a few severe thunderstorms.","Trees were down at Marsh Road and Razor Hill Road." +119383,718074,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:18:00,EST-5,2017-08-22 21:18:00,0,0,0,0,,NaN,,NaN,39.534,-76.3415,39.534,-76.3415,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down on Priestford Road south of Cool Spring Road." +119777,718279,NEBRASKA,2017,August,Hail,"KNOX",2017-08-13 18:04:00,CST-6,2017-08-13 18:04:00,0,0,0,0,,NaN,,NaN,42.75,-98.03,42.75,-98.03,"An isolated severe thunderstorm developed along a warm front and moved southeast in Knox County and produced hail as large as half dollars.","Hail up to half dollar size was reported in Niobrara." +119836,718486,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-08-01 12:06:00,EST-5,2017-08-01 12:06:00,0,0,0,0,,NaN,,NaN,26.21,-80.09,26.21,-80.09,"A departing Tropical Depression Emily left an elongated trough across South Florida. Daytime heating along with this trough triggered several rounds of strong storms and heavy rainfall across the region, including several storms that produced strong wind gusts as they moved off the coast during the afternoon.","A marine thunderstorm wind gust of 35 knots (40 mph) was recorded at 106 PM EDT at mesonet site EW4311 in Pompano Beach." +119911,719468,ALABAMA,2017,September,Tropical Storm,"HENRY",2017-09-11 04:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||For southeast Alabama, Houston county reported a few trees and power lines down. ||Coffee county reported several power lines and large trees down across major highways including Highway 135 South, 441 South, and 151 South. Some trees fell on structures and one farm structure collapsed. ||Henry county reported numerous trees and power lines were down across the county. Two homes sustained structural damage damage due to fallen trees. Multiple roads were blocked with fallen trees. Approximately 1200 homes were without power. ||Dale county reported several trees and power lines were down in the county. Two homes suffered minor damage due to trees falling on the roofs. Power outages were also noted in the county. ||Geneva county reported trees and power lines down across the county with the county removing trees from 37 sites. In addition, on County Road 60, the roof was lost off a mobile home. The ceiling of the mobile home eventually collapsed and with rain entering the mobile home, it was a complete loss.","" +119912,719636,FLORIDA,2017,September,Tropical Storm,"NORTH WALTON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719637,FLORIDA,2017,September,Tropical Storm,"SOUTH WALTON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719638,FLORIDA,2017,September,Tropical Storm,"WASHINGTON",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719634,FLORIDA,2017,September,Tropical Storm,"LIBERTY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,1,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119912,719629,FLORIDA,2017,September,Tropical Storm,"INLAND TAYLOR",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,2,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Dixie county experienced trees and power lines down across the county. Roughly 40 to 50 homes sustained major damage with 55 suffering minor damage. ||Leon county experienced tropical storm force wind gusts for approximately 8 hours. The highest wind gust recorded was 55 mph at the Tallahassee International Airport. The highest recorded sustained wind was 43 mph at the FSU WeatherSTEM site. Numerous trees and power lines were downed across the county. At the peak, approximately 70,000 customers were without power. There were 200 obstructions cleared from roadways. There were 88 homes that sustained some level of damage with one house destroyed, 4 sustaining major damage, and 29 sustaining minor damage. There were 11 shelters that hosted 3,000 people including local residents and evacuees from other parts of the state. FSU, FAMU, and TCC were closed for 6 days. County public schools were closed for 4 days.||In Taylor county, damage was primarily to trees and power lines with a few trees on houses causing damage. Three homes sustained major damage and two homes sustained minor damage. There were 10,941 power outages with some not restored for 6 days. There were blow out tides but no surge flooding. Two indirect fatalities occurred due to carbon monoxide from a generator. ||In Washington county, there were a few trees and power lines downed. One tree blocked traffic on I-10 at mile marker 124. ||In Liberty county, there were downed trees and power lines, but minimal to no damage to structures. There were 250 residents housed in shelters. Five car crashes during the event resulted in one fatality. ||In Wakulla county, U.S. Highway 98 was blocked from SR267 to SR363 because of downed trees. A total of 98 trees were felled with 50 of those entangled in lines. All 98 downed trees were blocking roadways or presented a danger to traffic on roadways. Three trees fell on structures and two on vehicles. There were 8700 power outages and 317 evacuated to shelters. There were 10 homes damaged in total with 6 having major damage and 1 destroyed. ||In Lafayette county, there were numerous trees and power lines down across the county with extensive damage to transmission and feeder lines resulting in power loss to 100 percent of county residents and businesses. Two residential structures were destroyed with three others sustaining major damage and nine sustaining minor damage. ||In Madison county, trees and power lines were down across the county, two of which blocked traffic on I-10 at mile marker 253 and 246. Two roofs were damaged due to trees. A total of 12 homes were damaged, 3 of which sustained major damage. ||In Jackson county, numerous trees and power lines were blown down and blocking roads. Two homes sustained major damage from falling trees. ||In Bay county, 55 people were sheltered. Sporadic power outages occurred due to downed trees. Minor damage was sustained to one county fire station. ||In Calhoun county, downed trees and power lines occurred with sporadic power outages, but there were no road closures or major structural damage reported. ||In Franklin county, there were several trees downed with some damaging homes along with several power outages. ||In Jefferson county, there were several trees downed with one falling on a home and three on cars. Barns, fences, and farms were damaged.||In Holmes county, there were a few trees and power lines downed. There were 35 evacuees from outside the county that were housed in shelters. ||In Gulf county, a few trees and power lines were down across the county with around 2,000 people without power.","" +119913,719639,GEORGIA,2017,September,Tropical Storm,"BAKER",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719640,GEORGIA,2017,September,Tropical Storm,"BEN HILL",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719641,GEORGIA,2017,September,Tropical Storm,"BERRIEN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719642,GEORGIA,2017,September,Tropical Storm,"BROOKS",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +120243,720642,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 18:20:00,PST-8,2017-09-11 18:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.5598,-119.9535,36.5598,-119.9535,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported power lines in the road on Westlawn Ave. near the intersection of Nebraska Ave." +120243,720643,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 18:44:00,PST-8,2017-09-11 18:44:00,0,0,0,0,10.00K,10000,0.00K,0,36.82,-120.53,36.82,-120.53,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported power lines downed in the roadway on West Jerrold Ave. near West Bullard Ave near Firebaugh." +120243,720644,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 19:28:00,PST-8,2017-09-11 19:28:00,0,0,0,0,10.00K,10000,0.00K,0,36.4,-119.75,36.4,-119.75,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","California Highway Patrol reported large tree limbs on the road on Maple Ave. between Excelsior Blvd. and Lewiston Ave near Hardwick." +120460,721715,TENNESSEE,2017,September,Flash Flood,"MONTGOMERY",2017-09-01 02:00:00,CST-6,2017-09-01 04:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.5092,-87.125,36.5633,-87.1533,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","Ten roads were flooded and closed across eastern Montgomery County, including Highway 76 near Port Royal which was completely washed out." +120460,721727,TENNESSEE,2017,September,Heavy Rain,"ROBERTSON",2017-09-02 06:00:00,CST-6,2017-09-02 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.493,-86.9107,36.493,-86.9107,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 8.98 inches was measured at CoCoRaHS station Springfield 1.8 WSW." +120460,721728,TENNESSEE,2017,September,Heavy Rain,"DICKSON",2017-09-02 05:00:00,CST-6,2017-09-02 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.212,-87.4058,36.212,-87.4058,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 8.36 inches was measured at CoCoRaHS station Vanleer 2.8 SE." +121508,727336,GEORGIA,2017,December,Winter Storm,"HABERSHAM",2017-12-08 10:00:00,EST-5,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread northeast Georgia, rain and snow developed over the Blue Ridge through the morning, becoming all snow by late morning. As moderate to heavy snow continued through the afternoon, heavy accumulations were reported across area by mid-afternoon. Some sleet began mixing in with the snow during the evening, which may have undercut total accumulations, but totals of 5-8 inches were reported by the time the snow tapered off to flurries and light snow showers around midnight. While occasional flurries and light snow showers produced locally light additional accumulations into the overnight and early daylight hours of the 9th, the accumulating snow ended in most areas by late evening on the 8th.","" +114222,685683,MISSOURI,2017,March,Thunderstorm Wind,"CASS",2017-03-06 20:31:00,CST-6,2017-03-06 20:35:00,0,0,0,0,,NaN,,NaN,38.65,-94.36,38.65,-94.36,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The public reported several large trees down across Harrisonville." +120523,722041,TEXAS,2017,September,Flood,"CALHOUN",2017-09-01 00:00:00,CST-6,2017-09-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,28.5058,-96.8864,28.5137,-96.8733,"Major river flooding continued into the first few days of September along the Guadalupe River from Victoria southward to Tivoli. The flooding was associated with rainfall from Hurricane Harvey.","Major river flooding continued along the Guadalupe River in Calhoun County just east of Tivoli through September 4th. Several homes were flooded along River Road in Calhoun County east of Tivoli. State Highway 35 was closed near Tivoli." +120526,722048,TEXAS,2017,September,Tornado,"LIVE OAK",2017-09-25 13:10:00,CST-6,2017-09-25 13:11:00,0,0,0,0,0.00K,0,0.00K,0,28.0531,-97.8921,28.0545,-97.8925,"A waterspout occurred over Lake Corpus Christi near Fiesta Mariner at Pernitas Point.","Live Oak County Sheriff's Office reported a waterspout over Lake Corpus Christi near Pernitas Point." +120590,722669,SOUTH CAROLINA,2017,September,Storm Surge/Tide,"SOUTHERN COLLETON",2017-09-11 09:00:00,EST-5,2017-09-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","A National Weather Service storm survey team toured portions of Edisto Island beach and confirmed significant storm surge caused flooding, damage to homes, and beach erosion. The entire dune line along the beach was breached and washed away resulting in up to a foot of sand being deposited onto Palmetto Boulevard. During the event one person attempted to evacuate the area in a vehicle, became stranded in sand and water on Palmetto Boulevard, and required rescue. Numerous homes sustained damage from storm surge related inundation and wave action battering the structures. Inundation was estimated to be as high as 6 feet above ground level, which was confirmed by the USGS Storm Tide Sensor Network. One such sensor measured 6.2 feet of inundation above ground level on the back side of Edisto Island along Big Bay Creek near Buoy Road." +120590,722671,SOUTH CAROLINA,2017,September,Storm Surge/Tide,"INLAND BERKELEY",2017-09-11 10:00:00,EST-5,2017-09-11 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","The public reported that storm surge caused damage to numerous docks on the north side of the Wando River." +120590,722379,SOUTH CAROLINA,2017,September,Tornado,"CHARLESTON",2017-09-11 16:45:00,EST-5,2017-09-11 16:47:00,0,0,0,0,,NaN,0.00K,0,32.675,-80.0055,32.6812,-80.0062,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","A National Weather Service storm survey team confirmed an EF1 tornado in Legare Farms on Johns Island. The tornado touched down along the west bank of the Stono River near the junction of Abbapoola Creek. The tornado initially traveled north-northwest near the Stono River, destroying a shed, snapping a large live oak tree at the trunk, and damaging several other trees. In this area, the tornado also pulled from the ground a well pump and cement anchors for a chain link fence. The tornado then knocked a home off pilings, and the displaced residence incurred significant roof damage and crushed a pickup truck which was parked under the damaged house. The tornado then turned toward the north and northeast, damaging multiple trees before lifting along the west bank of the Stono River." +120590,722515,SOUTH CAROLINA,2017,September,Tropical Depression,"HAMPTON",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Hampton County Emergency Management reported numerous trees down across the county due to strong winds associated with Tropical Storm Irma. A Natural Resources Conservation Service (NRCS) observation site located at Youmans Farm near Furman measured a peak wind gust of 40 mph during the event." +120590,722517,SOUTH CAROLINA,2017,September,Tropical Depression,"DORCHESTER",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Dorchester County Emergency Management reported multiple trees down across the county due to strong winds associated with Tropical Storm Irma. Several structures received significant damage from falling trees and one person was injured in Ladson when a large tree fell on a residence on Monroe Road. Multiple roads were blocked by downed trees and power lines during the event. Also, numerous roads across the county were closed due to high water from heavy rainfall." +120590,722516,SOUTH CAROLINA,2017,September,Tropical Depression,"ALLENDALE",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Allendale County Emergency Management reported multiple trees down across the county due to strong winds associated with Tropical Storm Irma. Also, one lane of Highway 321 was closed due to high water near Fairfax." +120708,723016,ATLANTIC SOUTH,2017,September,Marine Tropical Storm,"BISCAYNE BAY",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Multiple mesonet stations reported tropical storm force sustained winds between 50 to 60 knots in Biscayne Bay. Stations also had hurricane force wind gust." +120709,723022,GULF OF MEXICO,2017,September,Marine Hurricane/Typhoon,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Multiple mesonet stations along with satellite and radar velocity data support hurricane force sustained winds between 75 to 100 knots in Gulf waters with frequent higher wind gust." +120709,723023,GULF OF MEXICO,2017,September,Marine Hurricane/Typhoon,"E CP SABLE TO CHOKOLOSKEE FL OUT 20NM",2017-09-09 00:00:00,EST-5,2017-09-11 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Irma made landfall in southwest Florida on Marco Island as a category 3 hurricane in the afternoon on September 10th. The storm traveled north through southwest Florida through the morning on September 11th. Effects from Irma were felt across South Florida from September 9th through September 11th. Irma had reached a Category 5 strength and a minimum central pressure of 914mb before weakening before landfall.||The strength and size of Hurricane Irma allowed the effects to expand across all of South Florida waters. The wind, waves, surge created dangerous life-threatening marine conditions.","Satellite and radar velocity data support hurricane force sustained winds between 75 to 100 knots in Gulf waters with frequent higher wind gust." +120464,721732,NORTH CAROLINA,2017,September,Thunderstorm Wind,"MECKLENBURG",2017-09-01 13:30:00,EST-5,2017-09-01 13:30:00,0,0,0,0,0.00K,0,0.00K,0,35.169,-80.794,35.179,-80.786,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","FD reported multiple power lines blown down on the southeast side of Charlotte." +119265,723131,SOUTH CAROLINA,2017,September,Heavy Rain,"BAMBERG",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.3366,-81.198,33.3366,-81.198,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","CoCoRaHS observer measured a total rainfall amount of 6.80 inches 3 miles WNW of Denmark." +119265,723132,SOUTH CAROLINA,2017,September,Heavy Rain,"ORANGEBURG",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.3183,-80.4183,33.3183,-80.4183,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","COOP observer near Holly Hill measured a total rainfall amount of 7.18 inches." +119265,723133,SOUTH CAROLINA,2017,September,Heavy Rain,"LEXINGTON",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.98,-81.2151,33.98,-81.2151,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","CoCoRaHS observer measured a total rainfall amount of 5.86 inches 2 miles E of Lexington." +120685,722856,WASHINGTON,2017,September,Dense Smoke,"OKANOGAN VALLEY",2017-09-04 07:00:00,PST-8,2017-09-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Smoke from numerous regional wildfires in Canada, Montana, Oregon and Washington fumigated eastern Washington from September 4th through the 8th. Air Quality sensors throughout eastern Washington recorded Unhealthy and Very Unhealthy readings during much of this period, with local reports of Hazardous air quality. Public Health Advisories were issued by local authorities to limit outdoor exposure and activities. A weak cold front on the 8th brought enough wind to ventilate the region and partially clear the smoke from the area.","The Washington State Department of Ecology reported Very Unhealthy air quality readings at their monitoring station at Omak." +120751,723186,NEBRASKA,2017,September,Thunderstorm Wind,"CUSTER",2017-09-22 15:28:00,CST-6,2017-09-22 15:28:00,0,0,0,0,,NaN,,NaN,41.64,-99.43,41.64,-99.43,"An Isolated thunderstorm caused winds damage in Custer county.","Three power poles reported downed." +120686,722858,WASHINGTON,2017,September,Wildfire,"EAST SLOPES NORTHERN CASCADES",2017-09-01 00:00:00,PST-8,2017-09-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The summer of 2017 produced numerous large wildfires in Eastern Washington. Most of these fires started in July and August and many continued to burn into September, most notably the Diamond Creek Fire in the Pasayten Wilderness of the north Cascades which burned 97,140 acres in the United Sates and spread into Canada before coming under containment in October. The Uno Fire near lake Chelan was started on August 30th and |burned 8,726 acres through the month of September.","The Uno Peak Fire was started by unknown causes in the rugged terrain north of Lake Chelan about 15 miles north of Manson. It burned 8,726 acres before being contained in mid October. The fire burned in uninhabited remote forest land and no structures were affected." +120428,721510,ATLANTIC SOUTH,2017,September,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-09-04 09:00:00,EST-5,2017-09-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,26.71,-79.98,26.71,-79.98,"In a typical summertime pattern with easterly flow showers and thunderstorms developed over the Atlantic waters in the morning hours. A couple of these isolated to scattered showers and storms produced waterspouts offshore Palm Beach County.","A member of the public called to report a waterspout offshore West Palm Beach. Time is estimated based on radar." +120430,721513,FLORIDA,2017,September,Funnel Cloud,"MIAMI-DADE",2017-09-19 16:50:00,EST-5,2017-09-19 16:50:00,0,0,0,0,0.00K,0,0.00K,0,25.8927,-80.5284,25.8927,-80.5284,"Sea breeze driven showers and thunderstorms were prevalent throughout the afternoon and evening hours. One of these storms along a colliding boundary was able to produce a funnel cloud in Miami Dade County.","Multiple reports from the public and photos on social media reported a funnel cloud in northern Miami-Dade County west of US-27." +120740,723189,KANSAS,2017,September,Hail,"FINNEY",2017-09-01 21:10:00,CST-6,2017-09-01 21:10:00,0,0,0,0,,NaN,,NaN,37.92,-100.71,37.92,-100.71,"An upper level ridge built over the Rockies. Near the surface, a ridge of high pressure extending from the great lakes into Colorado moved slightly northward and this shifted the winds from the northeast to the southeast by the afternoon. A few thunderstorms developed bringing just a few severe reports.","" +120693,722920,SOUTH DAKOTA,2017,September,Drought,"HUGHES",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722921,SOUTH DAKOTA,2017,September,Drought,"SULLY",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722922,SOUTH DAKOTA,2017,September,Drought,"POTTER",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722923,SOUTH DAKOTA,2017,September,Drought,"WALWORTH",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +119544,717367,VIRGINIA,2017,September,Thunderstorm Wind,"BOTETOURT",2017-09-05 13:50:00,EST-5,2017-09-05 13:50:00,0,0,0,0,0.50K,500,0.00K,0,37.6225,-79.8217,37.6225,-79.8217,"High pressure gave way to a slow moving cold front which entered the region early on the 5th, before stalling just east of the Blue Ridge Mountains. This front provided the focus for isolated thunderstorms to develop across portions of southwest Virginia, a few of which produced small hail and isolated wind damage.","Thunderstorm winds brought a tree down on a phone line near Mout Moriah Road." +119544,717369,VIRGINIA,2017,September,Lightning,"BEDFORD",2017-09-05 15:20:00,EST-5,2017-09-05 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,37.4478,-79.2666,37.4478,-79.2666,"High pressure gave way to a slow moving cold front which entered the region early on the 5th, before stalling just east of the Blue Ridge Mountains. This front provided the focus for isolated thunderstorms to develop across portions of southwest Virginia, a few of which produced small hail and isolated wind damage.","A lightning strike from a thunderstorm struck a tree on church property during the evening hours. Early the next morning, residual embers from the roots of the struck tree caused a small fire to occur within a nearby church building." +119543,717366,NORTH CAROLINA,2017,September,Thunderstorm Wind,"WILKES",2017-09-05 15:00:00,EST-5,2017-09-05 15:00:00,0,0,0,0,0.20K,200,0.00K,0,36.2498,-81.1155,36.2498,-81.1155,"High pressure gave way to a slow moving cold front which entered the region early on the 5th, before stalling just east of the Blue Ridge mountains in Virginia and North Carolina. This frontal passage provided the focus for isolated thunderstorms to develop across portions of north central North Carolina, a few of which produced small hail and isolated wind damage.","Thunderstorm winds downed multiple large tree limbs within the community of Hays." +119543,717365,NORTH CAROLINA,2017,September,Hail,"WILKES",2017-09-05 15:06:00,EST-5,2017-09-05 15:06:00,0,0,0,0,0.00K,0,0.00K,0,36.3081,-81.0595,36.3081,-81.0595,"High pressure gave way to a slow moving cold front which entered the region early on the 5th, before stalling just east of the Blue Ridge mountains in Virginia and North Carolina. This frontal passage provided the focus for isolated thunderstorms to develop across portions of north central North Carolina, a few of which produced small hail and isolated wind damage.","" +119545,717372,NORTH CAROLINA,2017,September,Strong Wind,"WILKES",2017-09-12 04:45:00,EST-5,2017-09-12 06:10:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Irma continued to weaken as it tracked northwest across the southeast U.S., spreading near tropical storm force wind gusts across the North Carolina high country. These high wind gusts,coupled with light to moderate rain, produced isolated wind damage in the form of falling trees.","Winds from the remnants of Irma caused several trees to fall across Wilkes County, resulting in temporary road closures along Congo Road, Absher Road, Country Club Road, Speedway Road, and John P Frank Parkway." +117928,713634,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DAUPHIN",2017-08-22 18:25:00,EST-5,2017-08-22 18:25:00,0,0,0,0,4.00K,4000,0.00K,0,40.5467,-76.9626,40.5467,-76.9626,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Shippen Dam Road and Route 145 in Millersburg." +117928,713635,PENNSYLVANIA,2017,August,Thunderstorm Wind,"COLUMBIA",2017-08-22 18:28:00,EST-5,2017-08-22 18:28:00,0,0,0,0,0.00K,0,0.00K,0,41.1512,-76.3675,41.1512,-76.3675,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Stillwater." +117928,713638,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LEBANON",2017-08-22 19:40:00,EST-5,2017-08-22 19:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.3097,-76.5877,40.3097,-76.5877,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Palmyra." +117928,713639,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LEBANON",2017-08-22 19:45:00,EST-5,2017-08-22 19:45:00,0,0,0,0,2.00K,2000,0.00K,0,40.3282,-76.516,40.3282,-76.516,"Several lines of thunderstorms developed along and ahead of an approaching cold front in a warm and humid airmass with good low-level shear and moderate CAPE during the afternoon and evening of August 22, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Annville." +118031,709516,TEXAS,2017,August,Thunderstorm Wind,"LUBBOCK",2017-08-21 16:15:00,CST-6,2017-08-21 16:15:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-101.82,33.67,-101.82,"Scattered thunderstorms late this afternoon resulted in a few instances of severe wind gusts from the South Plains into the northern Rolling Plains.","Measured by the ASOS at Lubbock International Airport." +118031,709517,TEXAS,2017,August,Thunderstorm Wind,"HALE",2017-08-21 16:19:00,CST-6,2017-08-21 16:19:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-101.57,34.13,-101.57,"Scattered thunderstorms late this afternoon resulted in a few instances of severe wind gusts from the South Plains into the northern Rolling Plains.","Measured by a Texas Tech University West Texas mesonet near Aiken." +118031,709518,TEXAS,2017,August,Thunderstorm Wind,"MOTLEY",2017-08-21 18:30:00,CST-6,2017-08-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-100.6,34.27,-100.6,"Scattered thunderstorms late this afternoon resulted in a few instances of severe wind gusts from the South Plains into the northern Rolling Plains.","Measured by a Texas Tech University West Texas mesonet near Northfield." +117231,705021,OHIO,2017,August,Flood,"FRANKLIN",2017-08-02 17:29:00,EST-5,2017-08-02 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0834,-82.8091,40.0819,-82.8091,"A weak upper level disturbance interacted with a moist atmosphere to produce isolated strong thunderstorms with heavy rain.","Water was reported on State Route 605, north of Dublin-Granville Rd." +118756,713384,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-13 06:00:00,MST-7,2017-08-13 08:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.6445,-112.3819,33.6478,-112.4588,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Scattered thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and some of the stronger storms affected the west and northwestern communities such as Surprise and Waddell. The storms generated locally heavy rains with peak rain rates between one and two inches per hour, which was more than sufficient to cause episodes of flash flooding over the highly urbanized surfaces. According to a report from the Department of Highways and the city of Surprise, flash flooding from the earlier morning storms led to the closure of Sarival Road south of Bell Road, approximately 2 miles northwest of Waddell and just west of Surprise. The road was closed as of 0700MST. At the same time, another public report indicated that flash flooding also closed Cotton Lane between Cactus Road and Peoria Avenue, about 2 miles southwest of Waddell and just west of the Loop 303 freeway. A Flash Flood Warning was in effect at the time; it was issued at 0541MST and was in effect through 0845MST." +118756,713393,ARIZONA,2017,August,Flash Flood,"MARICOPA",2017-08-12 23:30:00,MST-7,2017-08-13 01:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.3161,-111.967,33.3262,-111.9668,"Scattered to numerous thunderstorms developed across the greater Phoenix area during the morning hours on August 13th and they produced locally heavy rainfall which led to a number of flash flooding episodes that affected communities such as Surprise, Glendale and Tempe. Intense rainfall with peak rain rates over one inch per hour was more than sufficient to produce flash flooding in Phoenix, especially given the urban nature of the surface which is largely ground covered by impermeable concrete and asphalt. The flash flooding led to a number of road closures and resulted in a number of water rescues including one at Interstate 10 and Ray Road and another at Interstate 10 and 75th Avenue in downtown Phoenix. Multiple Flash Flood Warnings were issued and fortunately there were no injuries reported due to the flooding.","Scattered thunderstorms developed over portions of the greater Phoenix area, including the southeastern communities, during the late evening hours on August 12th and they persisted into the early morning hours on August 13th. Some of the stronger storms produced locally heavy rainfall which led to an episode of flash flooding in far south Tempe shortly after midnight. Despite rainfall rates typically less than one inch per hour, they were sufficient to cause flooding problems along Interstate 10 near Ray Road. According to local law enforcement, at 0111MST a water rescue was performed near Interstate 10 and Ray Road. No accidents or injuries were reported. A Flash Flood Warning was not in effect, instead a Flood Advisory had been issued at 2238MST the previous day and it was valid through 0145MST on the 13th." +120784,723455,ALASKA,2017,September,Flood,"TAIYA INLET",2017-09-06 23:00:00,AKST-9,2017-09-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,59.4979,-135.3406,59.6598,-135.2561,"A very strong and moist weather front moved over Southeast Alaska and produced 2 shots of moderate to heavy rainfall. Soils were already saturated from an event a day prior and the base flow of the Taiya River near Skagway remained at bankful stage. The river started to rise a few hours after the rain started in the afternoon hours of September 6th and went about moderate flood stage in the early morning hours of September 7th. The rain rates began to relax through September 7th and went back below minor flood stage in mid afternoon.||Rain amounts across the area of Skagway and in the headwaters of the Taiya River ranged from one and a half inch to two inches.","The Taiya River started a steep rise in the mid afternoon of September 6th and went above minor flood stage of 16.5 feet during the evening hours. There was about ankle deep water in the lower portions of the Chilkoot Trail within the Klondike Gold rush Historical Park near Skagway. There was a slight lull in the rain rates the water level remained above minor flood stage but leveled out in the evening hours. The rain increased in the headwaters of the basin overnight on September 6th and the Taiya River began another steep rise and went up above moderate flood stage of 17.0 feet just before midnight. The Taiya River crested at a stage of 17.78 feet around 0400AKDT and water levels started to fall as the rain rates tapered off. The river level went below minor flood stage by the mid afternoon on September 7th. There was flooding impacts along the Chilkoot Trail as the National Park Service closed the trail due to impacts associated with the high waters. The main reason for this is that trail orientation and navigation begins to become difficult and may hinder route-finding for several hundred meters. Water will be knee deep or higher in places along the lower portions of the trail. The NPS also advise against boating and other recreational water-based activities on the Taiya River." +118961,714586,TEXAS,2017,September,Flash Flood,"HARRIS",2017-09-18 18:30:00,CST-6,2017-09-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,29.7438,-95.3546,29.7108,-95.4355,"Slow moving thunderstorms produced localized flash flooding in the Houston area.","There were reports of high water over roadways in and around the Houston area, including the Loop 610 I-45 and Loop 610 Highway 288 intersections and just south of the I-45 I-69 intersection." +119562,717420,TEXAS,2017,September,Lightning,"BRAZORIA",2017-09-21 11:29:00,CST-6,2017-09-21 11:29:00,0,0,0,0,2.00K,2000,0.00K,0,29.5638,-95.2839,29.5638,-95.2839,"On the 21st of September, a thunderstorm produced a lightning strike in Pearland.","A car was damaged by lightning at the intersection of North Grand Blvd and Broadway in Pearland." +120820,723477,TEXAS,2017,September,Flash Flood,"HARRIS",2017-09-21 12:20:00,CST-6,2017-09-21 14:15:00,0,0,0,0,5.00K,5000,0.00K,0,29.6664,-95.1186,29.6675,-95.0348,"A lone slow-moving thunderstorm caused very isolated flooding within Pasadena's city limits.","Flooding was reported between Spencer Highway and Fairmont Parkway in Pasadena. Flood waters entered a local junior college's gymnasium." +114222,685753,MISSOURI,2017,March,Thunderstorm Wind,"RAY",2017-03-06 20:05:00,CST-6,2017-03-06 20:09:00,0,0,0,0,0.00K,0,0.00K,0,39.45,-94.14,39.45,-94.14,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An Emergency Manager for Ray County reported 6 inch tree limbs down from strong thunderstorm winds near Lawson, Missouri." +117453,706376,IOWA,2017,June,Hail,"DALLAS",2017-06-28 16:16:00,CST-6,2017-06-28 16:16:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-93.87,41.59,-93.87,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Amateur radio operator reported quarter sized hail." +115195,694492,OKLAHOMA,2017,May,Thunderstorm Wind,"GARFIELD",2017-05-03 01:15:00,CST-6,2017-05-03 01:15:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-97.69,36.41,-97.69,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694493,OKLAHOMA,2017,May,Thunderstorm Wind,"KAY",2017-05-03 02:10:00,CST-6,2017-05-03 02:10:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-96.91,36.88,-96.91,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115200,694714,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-18 14:45:00,CST-6,2017-05-18 14:45:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-99.42,36.42,-99.42,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","No damage reported." +115200,694715,OKLAHOMA,2017,May,Hail,"BLAINE",2017-05-18 16:07:00,CST-6,2017-05-18 16:07:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-98.38,35.73,-98.38,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115202,694988,OKLAHOMA,2017,May,Flash Flood,"GARVIN",2017-05-19 20:04:00,CST-6,2017-05-19 23:04:00,0,0,0,0,0.00K,0,0.00K,0,34.8009,-96.9639,34.8001,-96.9525,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Water was coming up to apartment complexes." +115365,695402,ARKANSAS,2017,April,Tornado,"DREW",2017-04-30 04:50:00,CST-6,2017-04-30 04:52:00,0,0,0,0,50.00K,50000,0.00K,0,33.5438,-91.7672,33.5594,-91.7612,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several trees were snapped or uprooted. A few mobile homes sustained heavy roof damage. One outbuilding had a tree fall through it." +115365,695712,ARKANSAS,2017,April,Heavy Rain,"MONTGOMERY",2017-04-30 04:00:00,CST-6,2017-04-30 04:00:00,0,0,0,0,1.00M,1000000,0.00K,0,34.55,-93.63,34.55,-93.63,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","Several bridges and roads have been washed out. There was a mud slide on Manford Rd. between Norman and Caddo Gap. Rain measured was 5.75 inches." +118217,710386,KANSAS,2017,August,Thunderstorm Wind,"NEOSHO",2017-08-03 13:59:00,CST-6,2017-08-03 13:59:00,0,0,0,0,,NaN,,NaN,37.57,-95.24,37.57,-95.24,"A slow moving cold frontal boundary led to the development of a broken line of strong to severe thunderstorms across southern Kansas. Severe thunderstorms occurred across portions of southeast Kansas, with some isolated wind gusts of 60 to 70 mph.","A trained spotter reported the gust." +118217,710387,KANSAS,2017,August,Thunderstorm Wind,"NEOSHO",2017-08-03 14:02:00,CST-6,2017-08-03 14:02:00,0,0,0,0,,NaN,,NaN,37.57,-95.24,37.57,-95.24,"A slow moving cold frontal boundary led to the development of a broken line of strong to severe thunderstorms across southern Kansas. Severe thunderstorms occurred across portions of southeast Kansas, with some isolated wind gusts of 60 to 70 mph.","Law enforcement reported the gust." +118217,710388,KANSAS,2017,August,Hail,"MONTGOMERY",2017-08-03 15:03:00,CST-6,2017-08-03 15:03:00,0,0,0,0,5.00K,5000,,NaN,37.06,-95.71,37.06,-95.71,"A slow moving cold frontal boundary led to the development of a broken line of strong to severe thunderstorms across southern Kansas. Severe thunderstorms occurred across portions of southeast Kansas, with some isolated wind gusts of 60 to 70 mph.","The hail caused some damage to a pickup truck." +118219,710392,KANSAS,2017,August,Hail,"BUTLER",2017-08-05 15:49:00,CST-6,2017-08-05 15:49:00,0,0,0,0,,NaN,,NaN,37.56,-97.01,37.56,-97.01,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710393,KANSAS,2017,August,Hail,"BUTLER",2017-08-05 15:53:00,CST-6,2017-08-05 15:53:00,0,0,0,0,,NaN,,NaN,37.52,-96.99,37.52,-96.99,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710395,KANSAS,2017,August,Hail,"COWLEY",2017-08-05 16:09:00,CST-6,2017-08-05 16:09:00,0,0,0,0,,NaN,,NaN,37.46,-96.96,37.46,-96.96,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118219,710397,KANSAS,2017,August,Hail,"COWLEY",2017-08-05 16:11:00,CST-6,2017-08-05 16:11:00,0,0,0,0,,NaN,,NaN,37.44,-96.9,37.44,-96.9,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","A trained spotter reported dime to golf ball sized hail shredding leaves from trees." +118219,710398,KANSAS,2017,August,Hail,"BUTLER",2017-08-05 16:13:00,CST-6,2017-08-05 16:13:00,0,0,0,0,,NaN,,NaN,37.52,-96.97,37.52,-96.97,"A cluster of strong to severe storms developed across portions of south central Kansas during the afternoon and evening hours of August 5th, 2017. Hail as large as golfballs and wind gusts to 70 mph were reported.","" +118244,710592,CALIFORNIA,2017,August,Excessive Heat,"CENTRAL SISKIYOU COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of northern California.","Reported high temperatures during this interval ranged from 99 to 110 degrees. Reported low temperatures during this interval ranged from 55 to 66 degrees." +118244,710597,CALIFORNIA,2017,August,Excessive Heat,"MODOC COUNTY",2017-08-01 00:00:00,PST-8,2017-08-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong high pressure brought record breaking heat to many parts of northern California.","Reported high temperatures during this interval ranged from 95 to 100 degrees. Reported low temperatures during this interval ranged from 56 to 61 degrees." +118282,710836,CALIFORNIA,2017,August,Wildfire,"MODOC COUNTY",2017-08-03 13:00:00,PST-8,2017-08-15 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Parker 2 Wildfire was started by lightning on 08/03/17 around 2:00 PM PDT. As of the last report on 08/15 at 04:30 PDT, the fire was at 7697 acres and was 100% contained. 10.4 million dollars had been spent on firefighting efforts.","The Parker 2 Wildfire was started by lightning on 08/03/17 around 2:00 PM PDT. As of the last report on 08/15 at 04:30 PDT, the fire was at 7697 acres and was 100% contained. 10.4 million dollars had been spent on firefighting efforts." +118284,710853,OREGON,2017,August,Wildfire,"JACKSON COUNTY",2017-08-07 15:45:00,PST-8,2017-08-21 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Flounce wildfire was started by lightning on 08/07/17 around 4:45 PM PDT. As of the last report at 03:30 PDT on 08/21/17, the fire covered 587 acres and was 93 percent contained. 3.0 million dollars had been spent on firefighting efforts.","The Flounce wildfire was started by lightning on 08/07/17 around 4:45 PM PDT. As of the last report at 03:30 PDT on 08/21/17, the fire covered 587 acres and was 93 percent contained. 3.0 million dollars had been spent on firefighting efforts." +118285,710855,OREGON,2017,August,Wildfire,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-08-10 18:13:00,PST-8,2017-08-21 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Shan Creek wildfire was started by lightning on 08/10/17 around 7:13 PM PDT. As of the last report at 03:30 PDT on 08/21/17, the fire covered 156 acres and was 85 percent contained. 1.7 million dollars had been spent on firefighting efforts.","The Shan Creek wildfire was started by lightning on 08/10/17 around 7:13 PM PDT. As of the last report at 03:30 PDT on 08/21/17, the fire covered 156 acres and was 85 percent contained. 1.7 million dollars had been spent on firefighting efforts." +120007,719138,TEXAS,2017,August,Flash Flood,"HUDSPETH",2017-08-07 22:45:00,MST-7,2017-08-07 23:30:00,0,0,0,0,0.00K,0,0.00K,0,30.8616,-105.2339,30.8463,-105.2217,"A surface trough extended along the Rio Grande Valley with deep monsoon moisture to the east. Northwest flow aloft pushed early evening storms into eastern Hudspeth County with locally heavy rain occurring just east of Indian Hot Springs which lead to flash flooding.","An unnamed tributary arroyo to Red Light Draw was running fast and out of its banks. Bramblett Road was inaccessible." +120009,719141,NEW MEXICO,2017,August,Hail,"DONA ANA",2017-08-13 14:44:00,MST-7,2017-08-13 14:44:00,0,0,0,0,0.00K,0,0.00K,0,32.3806,-106.8002,32.3806,-106.8002,"A weak upper trough moved across the region with deep moisture in place. This trough triggered a few strong thunderstorms which produced hail up to the size of nickels and very heavy rain leading to flash flooding on Interstate 25 north of Las Cruces.","Pea to dime size hail with very heavy rainfall." +118969,715715,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:30:00,EST-5,2017-08-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5346,-76.164,39.5353,-76.1623,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Old Robinhood Road flooded and closed due to rapid stream flooding." +118970,715716,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-18 17:55:00,EST-5,2017-08-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9579,-77.0641,38.9567,-77.0588,"Heavy rain developed late in the afternoon of August 18th, primarily in the Broad Branch and Rock Creek stream basins northwest of Washington, DC. This heavy rain caused isolated flash flooding in Northwest DC during the evening hours.","Torrential rain brought Broad Branch out of its banks, causing six to eight inches of water to flow across Broad Branch Road between 32nd Street NW and Brandywine Street NW." +118970,715717,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-18 18:04:00,EST-5,2017-08-18 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9401,-77.0517,38.9395,-77.0519,"Heavy rain developed late in the afternoon of August 18th, primarily in the Broad Branch and Rock Creek stream basins northwest of Washington, DC. This heavy rain caused isolated flash flooding in Northwest DC during the evening hours.","A van became trapped in high water caused by torrential rainfall near the intersection of Tilden Street NW and Beach Drive NW. This necessitated a water rescue." +118970,715718,DISTRICT OF COLUMBIA,2017,August,Flash Flood,"DISTRICT OF COLUMBIA",2017-08-18 18:50:00,EST-5,2017-08-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9201,-77.0516,38.9194,-77.0539,"Heavy rain developed late in the afternoon of August 18th, primarily in the Broad Branch and Rock Creek stream basins northwest of Washington, DC. This heavy rain caused isolated flash flooding in Northwest DC during the evening hours.","Rock Creek and Potomac Parkway flooded and closed near Connecticut Avenue NW." +118969,715719,MARYLAND,2017,August,Flash Flood,"HARFORD",2017-08-18 18:30:00,EST-5,2017-08-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4719,-76.2672,39.4716,-76.2666,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","A swift water rescue was reported on Bynum Run at Route 7." +118969,715720,MARYLAND,2017,August,Flash Flood,"ST. MARY'S",2017-08-18 21:43:00,EST-5,2017-08-18 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.3929,-76.7,38.3934,-76.6983,"Heavy rain developed late in the afternoon of August 18th mainly across the Baltimore metropolitan area, and in southern Maryland. This heavy rain was ahead of an approaching cold front. The torrential rains caused numerous instances of flash flooding, with some of the flooding in southern Maryland being slow enough to recede that it lasted well into the overnight hours.","Morganza Turner Road flooded and closed at a stream crossing near Morganza." +120025,719238,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-18 16:30:00,EST-5,2017-08-18 16:30:00,0,0,0,0,,NaN,,NaN,39.28,-76.62,39.28,-76.62,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 42 knots was reported at Oriole Park." +120025,719240,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-18 16:54:00,EST-5,2017-08-18 16:54:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 34 knots was reported at Key Bridge." +120025,719241,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-18 16:58:00,EST-5,2017-08-18 17:03:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Hart Miller Island." +120025,719242,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-08-18 17:18:00,EST-5,2017-08-18 17:24:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts of 34 to 36 knots were reported at Tolchester." +120025,719243,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 17:58:00,EST-5,2017-08-18 18:13:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts up to 47 knots were reported at Potomac Light." +120025,719244,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-08-18 18:12:00,EST-5,2017-08-18 18:12:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 43 knots was reported at Cuckold Creek." +120025,719245,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-18 17:29:00,EST-5,2017-08-18 17:29:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 39 knots was reported at Greenberry Point." +120025,719246,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-18 17:30:00,EST-5,2017-08-18 17:30:00,0,0,0,0,,NaN,,NaN,38.976,-76.481,38.976,-76.481,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 35 knots was reported at the Annapolis Buoy." +120025,719247,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-18 17:50:00,EST-5,2017-08-18 17:50:00,0,0,0,0,,NaN,,NaN,38.92,-76.36,38.92,-76.36,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 34 knots was reported at Kent Island." +120025,719248,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-08-18 17:56:00,EST-5,2017-08-18 18:11:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A cold front triggered some showers and thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Tolly Point." +120077,719484,LAKE ST CLAIR,2017,August,Marine Thunderstorm Wind,"DETROIT RIVER",2017-08-02 16:22:00,EST-5,2017-08-02 16:22:00,0,0,0,0,0.00K,0,0.00K,0,42.3373,-82.9845,42.3373,-82.9845,"Thunderstorms tracking through Detroit River and Lake St. Clair produced wind gusts around 40 knots.","Tree limbs reported down on Belle Isle." +120078,719485,MICHIGAN,2017,August,Hail,"LAPEER",2017-08-03 12:48:00,EST-5,2017-08-03 12:48:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-83.33,42.91,-83.33,"Isolated marginal severe thunderstorms developed during the early evening.","" +120078,719486,MICHIGAN,2017,August,Thunderstorm Wind,"WASHTENAW",2017-08-03 16:43:00,EST-5,2017-08-03 16:43:00,0,0,0,0,0.00K,0,0.00K,0,42.3,-84.05,42.3,-84.05,"Isolated marginal severe thunderstorms developed during the early evening.","A tree was uprooted, along with multiple limbs reported down." +120078,719487,MICHIGAN,2017,August,Thunderstorm Wind,"OAKLAND",2017-08-03 17:45:00,EST-5,2017-08-03 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.54,-83.48,42.54,-83.48,"Isolated marginal severe thunderstorms developed during the early evening.","A tree was reported blown over." +120078,719488,MICHIGAN,2017,August,Thunderstorm Wind,"MIDLAND",2017-08-03 18:15:00,EST-5,2017-08-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-84.23,43.62,-84.23,"Isolated marginal severe thunderstorms developed during the early evening.","A tree was reported blown over." +120111,719684,MICHIGAN,2017,August,Hail,"SANILAC",2017-08-11 13:03:00,EST-5,2017-08-11 13:03:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-82.83,43.42,-82.83,"Several reports of hail in the Detroit Metro Area.","" +120111,719685,MICHIGAN,2017,August,Hail,"OAKLAND",2017-08-11 13:20:00,EST-5,2017-08-11 13:20:00,0,0,0,0,0.00K,0,0.00K,0,42.7,-83.41,42.7,-83.41,"Several reports of hail in the Detroit Metro Area.","" +120111,719686,MICHIGAN,2017,August,Hail,"OAKLAND",2017-08-11 13:20:00,EST-5,2017-08-11 13:20:00,0,0,0,0,0.00K,0,0.00K,0,42.71,-83.47,42.71,-83.47,"Several reports of hail in the Detroit Metro Area.","Nickel size hail observed at NWS White Lake office." +120111,719687,MICHIGAN,2017,August,Hail,"OAKLAND",2017-08-11 13:23:00,EST-5,2017-08-11 13:23:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-83.41,42.67,-83.41,"Several reports of hail in the Detroit Metro Area.","" +120111,719688,MICHIGAN,2017,August,Hail,"MACOMB",2017-08-11 16:37:00,EST-5,2017-08-11 16:37:00,0,0,0,0,0.00K,0,0.00K,0,42.66,-82.85,42.66,-82.85,"Several reports of hail in the Detroit Metro Area.","" +120111,719689,MICHIGAN,2017,August,Hail,"MACOMB",2017-08-11 16:55:00,EST-5,2017-08-11 16:55:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-82.8,42.58,-82.8,"Several reports of hail in the Detroit Metro Area.","" +120111,719690,MICHIGAN,2017,August,Thunderstorm Wind,"ST. CLAIR",2017-08-11 17:07:00,EST-5,2017-08-11 17:07:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-82.63,42.56,-82.63,"Several reports of hail in the Detroit Metro Area.","A tree and tree limbs reported down, along with wires. Boathouse also collapsed." +120114,719694,LAKE ST CLAIR,2017,August,Marine Thunderstorm Wind,"DETROIT RIVER",2017-08-11 15:14:00,EST-5,2017-08-11 15:14:00,0,0,0,0,0.00K,0,0.00K,0,42.1866,-83.1625,42.1866,-83.1625,"A thunderstorm which produced tree damage on Harsens Island moved into Lake St. Clair.","A spotter estimated a 50 mph thunderstorm wind gust." +120111,719695,MICHIGAN,2017,August,Hail,"WAYNE",2017-08-11 15:14:00,EST-5,2017-08-11 15:14:00,0,0,0,0,0.00K,0,0.00K,0,42.1866,-83.1625,42.1866,-83.1625,"Several reports of hail in the Detroit Metro Area.","" +119659,717796,ARKANSAS,2017,August,Flash Flood,"WOODRUFF",2017-08-31 11:00:00,CST-6,2017-08-31 13:00:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-91.2,35.2468,-91.1996,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Several inches of water on roads rising above wheelwell on vehicles." +119659,717797,ARKANSAS,2017,August,Flash Flood,"PRAIRIE",2017-08-31 11:11:00,CST-6,2017-08-31 12:11:00,0,0,0,0,0.00K,0,0.00K,0,34.9681,-91.4929,34.9674,-91.4947,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Hwy 323 at Biene Creek is closed. The road is sinking due to a failed culvert as a result of the rain." +119659,717798,ARKANSAS,2017,August,Flash Flood,"DESHA",2017-08-31 12:15:00,CST-6,2017-08-31 14:15:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-91.49,33.8726,-91.4919,"The projected track of Harvey was directed toward the Tennessee Valley to finish the month. Areas east of Little Rock (Pulaski County) were close enough to the track to worry about heavy downpours and localized flash flooding.||Flash Flood Watches were posted in eastern sections of the state on the 31st. Showers/isolated thunderstorms developed before dawn and continued through the day. By evening, two to four inch rainfall totals were common, with radar estimates over ten inches in spots.||There was a report of almost 11 inches at McCrory (Woodruff County). High water closed roads, and sandbags were used to protect homes. West of Des Arc (Prairie County), there was enough rain to stop travel on Highway 38. Closer to town, the pavement along Highway 323 caved in due to a failed culvert (near a creek). Sections of Highways 17 and 152 were barricaded south of DeWitt (Arkansas County).","Water was covering roadways in Dumas." +119888,718679,KANSAS,2017,August,Thunderstorm Wind,"JOHNSON",2017-08-21 21:00:00,CST-6,2017-08-21 21:03:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-94.97,38.98,-94.97,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A trained spotter reported a 63 mph measured wind gust." +119888,718680,KANSAS,2017,August,Flood,"JOHNSON",2017-08-22 07:52:00,CST-6,2017-08-22 13:52:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-94.61,38.8503,-94.6172,"From August 21st through the 22nd, multiple rounds of heavy rain fell, with some of the highest totals observed over the southwestern portions of the Kansas City metro area and other locations south of Kansas City. Widespread amounts of 4 to 6 were recorded, with isolated reports of 8 to nearly 10. In addition to numerous roads and some schools closed due to widespread flooding, record crests were made on Indian Creek at State Line Road as well as in Overland Park. Several water rescues were made overnight Monday into Tuesday morning, with one fatality due to flooding. The fatality occurred on the east side of HWY 69 near 363rd St in Miami County, where deep rushing water was present. More information can be found at the dedicated website for this event from the NWS in Pleasant Hill. https://www.weather.gov/eax/SignificantFloodingEventofAugust21st-22nd2017 .","A family was stranded on a roof at 151st and Kenneth." +117248,705206,DELAWARE,2017,August,Heavy Rain,"NEW CASTLE",2017-08-02 19:00:00,EST-5,2017-08-02 19:00:00,0,0,0,0,,NaN,,NaN,39.76,-75.59,39.76,-75.59,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Three and a half inches of rain was measured." +117248,705207,DELAWARE,2017,August,Heavy Rain,"SUSSEX",2017-08-03 16:00:00,EST-5,2017-08-03 16:00:00,0,0,0,0,,NaN,,NaN,38.69,-75.36,38.69,-75.36,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Around two inches of rain fell from thunderstorms." +117248,705209,DELAWARE,2017,August,Heavy Rain,"KENT",2017-08-03 17:43:00,EST-5,2017-08-03 17:43:00,0,0,0,0,,NaN,,NaN,39.17,-75.6,39.17,-75.6,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Around two inches of rain fell from thunderstorms." +117248,705210,DELAWARE,2017,August,Thunderstorm Wind,"SUSSEX",2017-08-03 13:37:00,EST-5,2017-08-03 13:37:00,0,0,0,0,,NaN,,NaN,38.69,-75.39,38.69,-75.39,"A hot and humid airmass with weak boundaries led to slow moving strong to severe thunderstorms with damaging winds, hail and flooding.","Wires downed due to thunderstorm winds on Cedar Lane." +121551,730006,IOWA,2017,December,Extreme Cold/Wind Chill,"WEBSTER",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730007,IOWA,2017,December,Extreme Cold/Wind Chill,"HAMILTON",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730008,IOWA,2017,December,Extreme Cold/Wind Chill,"HARDIN",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730009,IOWA,2017,December,Extreme Cold/Wind Chill,"GRUNDY",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730010,IOWA,2017,December,Extreme Cold/Wind Chill,"BLACK HAWK",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730011,IOWA,2017,December,Extreme Cold/Wind Chill,"CRAWFORD",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730012,IOWA,2017,December,Extreme Cold/Wind Chill,"CARROLL",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730013,IOWA,2017,December,Extreme Cold/Wind Chill,"GREENE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730014,IOWA,2017,December,Extreme Cold/Wind Chill,"BOONE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +121551,730015,IOWA,2017,December,Extreme Cold/Wind Chill,"STORY",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitter cold wind chills occurred across much of the area due to arctic air spreading across the region and remaining in place into the new year.","Sustained, long duration dangerous wind chills of -25 to -35 deg F." +122186,731455,TEXAS,2017,December,Winter Weather,"GUADALUPE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122083,731905,TEXAS,2017,December,Winter Weather,"EASTLAND",2017-12-31 05:30:00,CST-6,2017-12-31 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Cisco Police Department reported freezing drizzle, with accidents on Interstate 20 near Cisco." +122083,731906,TEXAS,2017,December,Winter Weather,"FANNIN",2017-12-31 05:30:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated light snow with minor accumulations across the county." +122083,731907,TEXAS,2017,December,Winter Weather,"COOKE",2017-12-31 05:30:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated light snow with minor accumulations across the county." +122083,731908,TEXAS,2017,December,Winter Weather,"GRAYSON",2017-12-31 05:30:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated light snow with minor accumulations across the county." +122083,731909,TEXAS,2017,December,Winter Weather,"LAMAR",2017-12-31 05:30:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated light snow with minor accumulations across the county." +122083,731910,TEXAS,2017,December,Winter Weather,"ERATH",2017-12-31 06:00:00,CST-6,2017-12-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated an icy bridge near the Erath/Hood County line." +122083,731911,TEXAS,2017,December,Winter Weather,"HOPKINS",2017-12-31 06:00:00,CST-6,2017-12-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Sulphur Springs Police Department reported snow flurries in and around the city of Sulphur Springs." +122083,731912,TEXAS,2017,December,Winter Weather,"PARKER",2017-12-31 07:00:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","A social media report indicated that black ice was forming on roads across the county." +120324,720976,KANSAS,2017,August,Thunderstorm Wind,"ELLIS",2017-08-10 14:24:00,CST-6,2017-08-10 14:24:00,0,0,0,0,,NaN,,NaN,38.79,-99.56,38.79,-99.56,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Winds were estimated to be 75 MPH." +120324,720977,KANSAS,2017,August,Thunderstorm Wind,"STAFFORD",2017-08-10 16:10:00,CST-6,2017-08-10 16:10:00,0,0,0,0,,NaN,,NaN,38.16,-98.84,38.16,-98.84,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Power lines were blown down." +120324,720978,KANSAS,2017,August,Thunderstorm Wind,"STEVENS",2017-08-10 10:51:00,CST-6,2017-08-10 10:51:00,0,0,0,0,,NaN,,NaN,37.12,-101.14,37.12,-101.14,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","Two to three inch diameter tree branches were broken by the high wind." +120324,720979,KANSAS,2017,August,Thunderstorm Wind,"MORTON",2017-08-10 19:45:00,CST-6,2017-08-10 19:45:00,0,0,0,0,,NaN,,NaN,37.14,-101.9,37.14,-101.9,"Upper level troughing over the northern plains and upper midwest and a baroclinic zone across the southern and central plains were set up on August 10. A component of the mid level flow across the Rockies resulted in weak low level troughing over the southern high plains and low level moisture inflow into southwestern Kansas A weak cold front approached western Kansas by the evening as a disturbance in northwesterly flow passed to our northeast. Ample low level moisture, surface heating and 40-50kt 0-6 km bulk shear all helped in the development of thunderstorms. Supercell thunderstorms developed in the afternoon before convection evolved into a large cluster, accompanied by widespread large hail, damaging wind and flooding.","" +118324,711035,NEBRASKA,2017,August,Thunderstorm Wind,"CHASE",2017-08-02 17:37:00,MST-7,2017-08-02 17:37:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-101.64,40.55,-101.64,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","Cooperative observer estimated 60 MPH winds north of Imperial." +118324,711036,NEBRASKA,2017,August,Thunderstorm Wind,"CHASE",2017-08-02 17:40:00,MST-7,2017-08-02 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-101.64,40.52,-101.64,"Thunderstorms developed during the late afternoon hours in the northeastern Nebraska panhandle along a surface trough of low pressure. As storms tracked to the south southeast, they encountered favorable moisture and shear, and became severe with large hail and damaging winds.","" +118426,711664,NEBRASKA,2017,August,Thunderstorm Wind,"FRONTIER",2017-08-09 15:04:00,CST-6,2017-08-09 15:04:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-100.03,40.66,-100.03,"Isolated thunderstorms developed in far southeastern Lincoln county during the late afternoon hours of August 9th. As the storms drifted southeast into eastern Frontier county, they became severe with quarter sized hail and thunderstorm wind gusts to 60 MPH.","Trained spotter measured a 60 MPH wind gust." +118434,711667,NEBRASKA,2017,August,Hail,"THOMAS",2017-08-12 14:56:00,CST-6,2017-08-12 14:56:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-100.27,41.93,-100.27,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,711669,NEBRASKA,2017,August,Hail,"BLAINE",2017-08-12 16:35:00,CST-6,2017-08-12 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-100.21,41.75,-100.21,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +118434,711670,NEBRASKA,2017,August,Hail,"BLAINE",2017-08-12 17:00:00,CST-6,2017-08-12 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.76,-100.01,41.76,-100.01,"A stalled out frontal boundary, combined with an approaching upper level trough of low pressure, led to the development of thunderstorms during the late afternoon hours of August 12th. Thunderstorm activity became better organized as it moved southeast into the central Nebraska Sandhills and portions of central Nebraska. Wind gusts estimated up to 100 MPH, along with very heavy rain and golf ball sized hail was reported.","" +120015,720227,KANSAS,2017,August,Flash Flood,"SHAWNEE",2017-08-22 06:37:00,CST-6,2017-08-22 08:15:00,0,0,0,0,0.00K,0,0.00K,0,39.1094,-95.8392,39.0917,-95.8404,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Northwest Hodges Road from 35th Street to Highway 24 is approximately 2 feet under water." +120015,720228,KANSAS,2017,August,Flash Flood,"FRANKLIN",2017-08-22 06:55:00,CST-6,2017-08-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-95.27,38.7161,-95.1409,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Several rural roads are under water in the northeast portion of Franklin County. 2 water rescues from vehicles and 1 from a home." +120015,720229,KANSAS,2017,August,Flash Flood,"DOUGLAS",2017-08-22 07:00:00,CST-6,2017-08-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-95.36,38.8002,-95.1375,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","N400 road was washed out due to flash flooding. The town of Lone Star was reported flooded. Many county roads flooded in low lying areas." +120015,720231,KANSAS,2017,August,Flash Flood,"JEFFERSON",2017-08-22 01:36:00,CST-6,2017-08-22 03:15:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-95.19,39.1524,-95.1953,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Swift water rescue was ongoing due to flash flooding." +120015,720232,KANSAS,2017,August,Flash Flood,"FRANKLIN",2017-08-22 08:06:00,CST-6,2017-08-22 09:30:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-95.22,38.6642,-95.2154,"Thunderstorms developed across portions of central and northern Kansas during the late afternoon hours of August 21st. Upon reaching the Interstate 70 corridor, the thunderstorm complex greatly slowed its southern progression, causing several hours of heavy rainfall. Some areas in southern Douglas and northern Franklin received as much as 9 inches of rainfall.","Water rescue reported in the 3800 block of Nebraska Drive in Ottawa." +118449,711793,ALABAMA,2017,August,Tornado,"CULLMAN",2017-08-31 19:58:00,CST-6,2017-08-31 20:17:00,0,0,0,0,,NaN,,NaN,34.1522,-86.6058,34.3042,-86.5662,"A quasi-linear convective systeam (QLCS) band of showers and thunderstorms swept northeast through north Alabama during the mid to late evening hours. This band was associated with Tropical Depression Harvey which was tracking into southwest and middle Tennessee. One of the thunderstorms along the line produced a tornado. The tornado produced up to EF-2 damage and tracked from near Holly Pond to Joppa Alabama.","A tornado developed just south of Holly Pond, Alabama near the intersection of Highway 91 and CR 695 where a couple of trees were uprooted. As the tornado moved northeast it crossed Highway 278 where more trees were snapped and uprooted, and then struck 10 chicken houses. It destroyed nearly all of the chicken houses producing damage consistent with a low end EF-2. Metal roofing from these chicken houses was spread across a large area several hundred yards in width. Additional roof shingle damage |also occurred to a family residence along with several snapped and uprooted trees just to the northeast of these chicken houses along CR 1728. ||As the tornado continued to move northeast more trees were snapped and uprooted before 3 more chicken houses were destroyed on CR 1716. ||After proceeding northeast a few miles the tornado strengthened to its maximum intensity snapping and destroying multiple trees and power poles near the intersection of Red Hill Road and CR 1810. ||More trees were uprooted and power lines downed further northeast on Harris Road just west of Joppa." +120361,721086,ILLINOIS,2017,August,Funnel Cloud,"LA SALLE",2017-08-01 11:42:00,CST-6,2017-08-01 11:45:00,0,0,0,0,0.00K,0,0.00K,0,41.5766,-88.8,41.5766,-88.8,"Thunderstorms moved across portions of northern Illinois during the afternoon hours of August 1st.","A funnel cloud was viewed for about 3 minutes." +120361,721088,ILLINOIS,2017,August,Funnel Cloud,"LA SALLE",2017-08-01 11:55:00,CST-6,2017-08-01 11:55:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-88.73,41.48,-88.73,"Thunderstorms moved across portions of northern Illinois during the afternoon hours of August 1st.","Photos were taken of a funnel cloud near Serena." +120361,721100,ILLINOIS,2017,August,Thunderstorm Wind,"COOK",2017-08-01 14:10:00,CST-6,2017-08-01 14:10:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-87.6529,41.85,-87.6529,"Thunderstorms moved across portions of northern Illinois during the afternoon hours of August 1st.","Numerous branches were blown down, including several large branches between Ashland and Pulaski and Roosevelt and 31st in the Little Village Neighborhood." +120363,721103,ILLINOIS,2017,August,Hail,"LAKE",2017-08-03 15:54:00,CST-6,2017-08-03 15:55:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-88.05,42.42,-88.05,"Scattered thunderstorms produced large hail during the afternoon of August 3rd.","" +120363,721104,ILLINOIS,2017,August,Hail,"LAKE",2017-08-03 15:54:00,CST-6,2017-08-03 15:56:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-88.07,42.37,-88.07,"Scattered thunderstorms produced large hail during the afternoon of August 3rd.","" +120363,721106,ILLINOIS,2017,August,Hail,"DU PAGE",2017-08-03 13:38:00,CST-6,2017-08-03 13:39:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-88.08,41.8,-88.08,"Scattered thunderstorms produced large hail during the afternoon of August 3rd.","" +122239,731794,IOWA,2017,December,Winter Weather,"DICKINSON",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 5.1 inches four miles northwest of Milford, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122239,731795,IOWA,2017,December,Winter Weather,"SIOUX",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4 inches two miles southeast of Sioux Center, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +117407,706079,MONTANA,2017,August,Hail,"BIG HORN",2017-08-01 21:48:00,MST-7,2017-08-01 21:48:00,0,0,0,0,0.00K,0,0.00K,0,45.76,-107.61,45.76,-107.61,"A strong cold front combined with an upper level disturbance resulted in the development of severe thunderstorms across portions of south central Montana during the early to late evening hours on the 1st. Although some hail was reported, the main impact from these thunderstorms was strong to damaging wind gusts due to the large temperature-dew point spreads.","" +122239,731798,IOWA,2017,December,Winter Weather,"O'BRIEN",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 5 inches at Primghar, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were around 10 below zero." +122239,731799,IOWA,2017,December,Winter Weather,"CLAY",2017-12-29 07:00:00,CST-6,2017-12-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4 inches two miles north of Spencer, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were 10 below to 15 below zero." +117574,707070,LOUISIANA,2017,August,Thunderstorm Wind,"RED RIVER",2017-08-11 19:10:00,CST-6,2017-08-11 19:10:00,0,0,0,0,0.00K,0,0.00K,0,31.9919,-93.3204,31.9919,-93.3204,"Scattered showers and thunderstorms developed during the afternoon and evening hours across East Texas, Southern Arkansas, and much of North Louisiana, near a stationary front that extended from near the Red River of North Texas into Northeast Texas and North Louisiana. Moderate instability developed as afternoon temperatures climbed into the mid 90s, with abundant moisture in place with the passage of a weak upper level disturbance atop the front. Strong thunderstorms developed over Eastern Harrison County Texas which moved southeast and intensified across Southwest and southern Caddo Parish and across much of Red River Parish in Northwest Louisiana. This resulted in a wide swath of damaging winds of 60-70 mph across these areas, which downed numerous trees and power lines before weakening as they moved into Natchitoches Parish.","Trees were blown down on Carlisle Road near Highway 480 just south of Coushatta." +117531,706875,COLORADO,2017,August,Hail,"PUEBLO",2017-08-04 15:14:00,MST-7,2017-08-04 15:19:00,0,0,0,0,0.00K,0,0.00K,0,38.17,-104.95,38.17,-104.95,"Isolated severe storms produced hail up to the size of half dollars.","" +117535,706879,COLORADO,2017,August,Hail,"EL PASO",2017-08-10 14:48:00,MST-7,2017-08-10 14:53:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-104.12,38.92,-104.12,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706880,COLORADO,2017,August,Hail,"EL PASO",2017-08-10 15:48:00,MST-7,2017-08-10 15:53:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-104.7,38.73,-104.7,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706881,COLORADO,2017,August,Hail,"BENT",2017-08-10 17:35:00,MST-7,2017-08-10 17:40:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-102.96,38.11,-102.96,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706882,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:35:00,MST-7,2017-08-10 17:40:00,0,0,0,0,0.00K,0,0.00K,0,38.14,-102.62,38.14,-102.62,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706883,COLORADO,2017,August,Hail,"BENT",2017-08-10 17:38:00,MST-7,2017-08-10 17:43:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-102.96,38.11,-102.96,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706884,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:41:00,MST-7,2017-08-10 17:46:00,0,0,0,0,0.00K,0,0.00K,0,38.16,-102.71,38.16,-102.71,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706885,COLORADO,2017,August,Hail,"CROWLEY",2017-08-10 17:45:00,MST-7,2017-08-10 17:50:00,0,0,0,0,0.00K,0,0.00K,0,38.13,-103.76,38.13,-103.76,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706886,COLORADO,2017,August,Hail,"OTERO",2017-08-10 17:48:00,MST-7,2017-08-10 17:53:00,0,0,0,0,0.00K,0,0.00K,0,38.06,-103.71,38.06,-103.71,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117535,706887,COLORADO,2017,August,Hail,"PROWERS",2017-08-10 17:50:00,MST-7,2017-08-10 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.09,-102.62,38.09,-102.62,"Several severe storms produced damaging hail up to around the size of baseballs.","" +117973,709206,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-22 19:50:00,EST-5,2017-08-22 19:50:00,0,0,0,0,,NaN,,NaN,40.75,-75.54,40.75,-75.54,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down trees and wires." +117973,709207,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-22 19:58:00,EST-5,2017-08-22 19:58:00,0,0,0,0,,NaN,,NaN,40.66,-75.47,40.66,-75.47,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree in the north Catasauqua playground." +117973,709208,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-22 20:09:00,EST-5,2017-08-22 20:09:00,0,0,0,0,,NaN,,NaN,40.9,-75.17,40.9,-75.17,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds downed several trees." +117973,709209,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-22 20:10:00,EST-5,2017-08-22 20:10:00,0,0,0,0,,NaN,,NaN,40.87,-75.21,40.87,-75.21,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Several trees taken down from thunderstorm winds." +117973,709210,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 20:32:00,EST-5,2017-08-22 20:32:00,0,0,0,0,,NaN,,NaN,40.32,-75.93,40.32,-75.93,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was taken down from thunderstorm winds and damaged a propane tank." +117973,709212,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 20:45:00,EST-5,2017-08-22 20:45:00,0,0,0,0,,NaN,,NaN,40.24,-75.95,40.24,-75.95,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds blew off a roof at the Green Hills Auction center on route 568 in Brecknock twp." +117973,709215,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BERKS",2017-08-22 20:47:00,EST-5,2017-08-22 20:47:00,0,0,0,0,,NaN,,NaN,40.25,-75.92,40.25,-75.92,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Trees and wires downed on Kurtz Mill road from thunderstorm winds." +117973,709216,PENNSYLVANIA,2017,August,Thunderstorm Wind,"MONTGOMERY",2017-08-22 20:58:00,EST-5,2017-08-22 20:58:00,0,0,0,0,,NaN,,NaN,40.28,-75.66,40.28,-75.66,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds blew down a tree on Levengood road." +117973,709217,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DELAWARE",2017-08-22 21:48:00,EST-5,2017-08-22 21:48:00,0,0,0,0,,NaN,,NaN,39.92,-75.39,39.92,-75.39,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","A tree was downed due to thunderstorm winds at the Delaware County OEM." +117973,709218,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CHESTER",2017-08-22 21:50:00,EST-5,2017-08-22 21:50:00,0,0,0,0,,NaN,,NaN,39.84,-75.71,39.84,-75.71,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree which fell onto a house that trapped people inside." +117973,709220,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DELAWARE",2017-08-22 22:00:00,EST-5,2017-08-22 22:00:00,0,0,0,0,,NaN,,NaN,39.98,-75.32,39.98,-75.32,"Severe thunderstorms formed in a hot and humid airmass ahead of a cold front.","Thunderstorm winds took down a tree." +117930,712935,PENNSYLVANIA,2017,August,Thunderstorm Wind,"YORK",2017-08-19 19:00:00,EST-5,2017-08-19 19:00:00,0,0,0,0,4.00K,4000,0.00K,0,40.1137,-77.0392,40.1137,-77.0392,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down several trees along Route 15 in the Dillsburg area." +117930,712936,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 19:05:00,EST-5,2017-08-19 19:05:00,0,0,0,0,1.00K,1000,0.00K,0,40.8393,-76.5531,40.8393,-76.5531,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across a road south of Elysburg." +117930,712937,PENNSYLVANIA,2017,August,Thunderstorm Wind,"NORTHUMBERLAND",2017-08-19 19:05:00,EST-5,2017-08-19 19:05:00,0,0,0,0,3.00K,3000,0.00K,0,40.9405,-76.771,40.9405,-76.771,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires onto Hookies Grove Road." +117930,712939,PENNSYLVANIA,2017,August,Thunderstorm Wind,"DAUPHIN",2017-08-19 18:50:00,EST-5,2017-08-19 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.3772,-76.6485,40.3772,-76.6485,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds measured at 63 mph knocked down trees and pulled shingles off of roofs near Grantville." +117930,713039,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:07:00,EST-5,2017-08-19 19:07:00,0,0,0,0,1.00K,1000,0.00K,0,40.6332,-76.4248,40.6332,-76.4248,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto Center Street in Frailey Township." +117930,713040,PENNSYLVANIA,2017,August,Thunderstorm Wind,"SCHUYLKILL",2017-08-19 19:10:00,EST-5,2017-08-19 19:10:00,0,0,0,0,0.00K,0,0.00K,0,40.5488,-76.3879,40.5488,-76.3879,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Pine Grove." +117930,713042,PENNSYLVANIA,2017,August,Thunderstorm Wind,"LANCASTER",2017-08-19 19:12:00,EST-5,2017-08-19 19:12:00,0,0,0,0,3.00K,3000,0.00K,0,40.1812,-76.5855,40.1812,-76.5855,"An approaching cold front traversed central Pennsylvania during the late afternoon and evening hours of August 19, 2017, generating a line of showers and storms that produced occasional wind damage along it's path.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Mount Gretna Road." +118018,709458,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:26:00,EST-5,2017-08-19 14:29:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-82.61,40.19,-82.61,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709459,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:27:00,EST-5,2017-08-19 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-82.69,40.15,-82.69,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709460,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:27:00,EST-5,2017-08-19 14:30:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-82.42,40.17,-82.42,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709461,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:43:00,EST-5,2017-08-19 14:46:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-82.49,40.15,-82.49,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709462,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:45:00,EST-5,2017-08-19 14:48:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-82.42,40.17,-82.42,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709463,OHIO,2017,August,Hail,"LICKING",2017-08-19 14:46:00,EST-5,2017-08-19 14:49:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-82.61,40.19,-82.61,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","" +118018,709773,OHIO,2017,August,Thunderstorm Wind,"BROWN",2017-08-19 16:16:00,EST-5,2017-08-19 16:26:00,0,0,0,0,3.00K,3000,0.00K,0,39.01,-83.81,39.01,-83.81,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","Several trees and power lines were reported knocked down." +118018,709774,OHIO,2017,August,Thunderstorm Wind,"BROWN",2017-08-19 16:20:00,EST-5,2017-08-19 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,38.87,-83.79,38.87,-83.79,"Scattered strong to severe thunderstorms developed ahead of a weak cold front.","Trees and power lines were knocked down." +118552,713041,CONNECTICUT,2017,August,Flash Flood,"HARTFORD",2017-08-02 15:50:00,EST-5,2017-08-02 18:30:00,0,0,0,0,10.00K,10000,0.00K,0,41.7715,-72.519,41.7742,-72.5196,"A mid-level disturbance moved across Southern New England, tapping very moist and unstable air to create showers and thunderstorms. Some showers and storms produced heavy downpours and strong wind gusts.","Heavy downpours in Manchester Connecticut brought street flooding to the East Side between 350 PM and 630 PM EST. Pearl Street and Birch Street were under 1 to 2 feet of water, making them impassable." +118675,713109,MISSISSIPPI,2017,August,Flash Flood,"HINDS",2017-08-09 16:10:00,CST-6,2017-08-09 18:45:00,0,0,0,0,40.00K,40000,0.00K,0,32.3092,-90.1972,32.3118,-90.2149,"A stalled front lingered across the ArkLaMiss region, which allowed for several upper level disturbances to move through. This, combined with a rather moist airmass, led to several days of flash flooding across the area. The most significant flash flooding occurred on August 9th.","A person was rescued from their vehicle at Palmyra and West Monument streets. Eastview Street was also flooded. Flash flooding also occurred on Winter Street, with water in yards and it had entered a home." +117296,710700,PENNSYLVANIA,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-04 17:34:00,EST-5,2017-08-04 17:34:00,0,0,0,0,3.00K,3000,0.00K,0,40.0574,-77.7145,40.0574,-77.7145,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree and wires near Upper Strasburg." +117296,710701,PENNSYLVANIA,2017,August,Thunderstorm Wind,"TIOGA",2017-08-04 17:34:00,EST-5,2017-08-04 17:34:00,0,0,0,0,5.00K,5000,0.00K,0,41.7323,-77.3773,41.7323,-77.3773,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple trees along Route 362 between Airport Road and the Wellsboro Country Club." +117296,710702,PENNSYLVANIA,2017,August,Thunderstorm Wind,"TIOGA",2017-08-04 17:38:00,EST-5,2017-08-04 17:38:00,0,0,0,0,4.00K,4000,0.00K,0,41.7704,-77.3793,41.7704,-77.3793,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near the intersection of Dantz Run Road and Route 6 west of Wellsboro." +117296,710703,PENNSYLVANIA,2017,August,Thunderstorm Wind,"TIOGA",2017-08-04 17:50:00,EST-5,2017-08-04 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.8025,-77.1862,41.8025,-77.1862,"A line of pre-frontal convection developed well ahead of an approaching cold front in a moderate CAPE and moderate shear environment over central Pennsylvania during the afternoon of August 4, 2017. This line of storms produced numerous reports of wind damage, and a brief EF1 tornado formed with a cell on the southern portion of this line in Fulton County, PA. Heavy rainfall also accompanied the storms. Flash flooding occurred across Cumberland County on the evening of the 4th.","A severe thunderstorm producing winds estimated near 60 mph snapped trees along Lake Road near Hills Creek State Park." +118998,714786,KENTUCKY,2017,August,Dense Fog,"HICKMAN",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118998,714787,KENTUCKY,2017,August,Dense Fog,"FULTON",2017-08-15 03:00:00,CST-6,2017-08-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed far western Kentucky, mainly west of the Kentucky Lake region. Visibility was reduced to one-quarter mile or less from Paducah and Mayfield west to the Mississippi River. The dense fog formed under a weak ridge of high pressure that extended from the southeast U.S. into the Lower Ohio Valley.","" +118502,712006,ILLINOIS,2017,August,Hail,"WAYNE",2017-08-19 05:45:00,CST-6,2017-08-19 05:45:00,0,0,0,0,0.00K,0,0.00K,0,38.35,-88.58,38.35,-88.58,"Scattered thunderstorms occurred south of a weak cold front that extended from central Indiana west across central Missouri. The storms were aided by a rather strong 500 mb shortwave trough extending from western Michigan down into the lower Ohio Valley. Although instability was weak during these early morning storms, the strength of the shortwave and its associated wind fields resulted in isolated severe storms with large hail.","A few of the hailstones were estimated to be the size of golf balls. Most of them were quarter-size. Photos of the hail were relayed by emergency management officials." +118989,714711,ILLINOIS,2017,August,Heat,"ALEXANDER",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118989,714712,ILLINOIS,2017,August,Heat,"EDWARDS",2017-08-21 11:00:00,CST-6,2017-08-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices peaked around 105 degrees during the afternoon. A total eclipse of the sun during the afternoon helped to keep temperatures and heat indices from climbing higher. At a music festival near Marion, 15 people had to be treated for heat-related illnesses. The peak heat indices were 107 degrees at Mount Vernon and Cairo, 106 at Carmi and Fairfield, and 105 at Carbondale and Harrisburg. A strong 500 mb ridge over the southeast U.S. and Lower Mississippi Valley resulted in hot and humid weather. Surface high pressure over the central Appalachian Mountains produced a south wind flow of hot and humid air.","" +118292,710869,OREGON,2017,August,Wildfire,"EASTERN DOUGLAS COUNTY FOOTHILLS",2017-08-11 09:30:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Umpqua North Complex included the Fall Creek, Happy Dog, Ragged Ridge, Oak Nob,|Brokentooth, Devils Canyon, Hold Devil, Dog Prairie, and Calf Copeland fires. All were started by lightning, the earliest starting on 8/11/17 at around 10:30 AM PDT. As of 03:30 on 09/01/17, the fires collectively covered 25358 acres and was 23 percent contained. 18.2 million dollars had been spent on firefighting efforts.","The Umpqua North Complex included the Fall Creek, Happy Dog, Ragged Ridge, Oak Nob,|Brokentooth, Devils Canyon, Hold Devil, Dog Prairie, and Calf Copeland fires. All were started by lightning, the earliest starting on 8/11/17 at around 10:30 AM PDT. As of 03:30 on 09/01/17, the fires collectively covered 25358 acres and was 23 percent contained. 18.2 million dollars had been spent on firefighting efforts." +118293,710870,OREGON,2017,August,Wildfire,"JACKSON COUNTY",2017-08-14 13:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 14938 acres and was 40 percent contained. 10.6 million dollars had been spent on firefighting efforts.","The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 14938 acres and was 40 percent contained. 10.6 million dollars had been spent on firefighting efforts." +118289,710865,CALIFORNIA,2017,August,Wildfire,"WESTERN SISKIYOU COUNTY",2017-08-01 00:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Eclipse Complex, also known as the CA-KNF-006098 Complex, included the Oak, Cedar, Fourmile, Young, and Clear fires. All were started by lightning, the earliest starting on 7/25/17 at around 12:45 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 68966 acres and was 25 percent contained. 25.8 million dollars had been spent on firefighting efforts.","The Eclipse Complex, also known as the CA-KNF-006098 Complex, included the Oak, Cedar, Fourmile, Young, and Clear fires. All were started by lightning, the earliest starting on 7/25/17 at around 12:45 PM PDT. As of 03:30 on 09/01/17, the fires collectively covered 68966 acres and was 25 percent contained. 25.8 million dollars had been spent on firefighting efforts." +118295,710871,OREGON,2017,August,Wildfire,"CENTRAL DOUGLAS COUNTY",2017-08-26 14:30:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Horse Prairie wildfire started around 3:30 PM on 08/26/17. The cause was unknown.|As of 03:30 on 09/01/17, the fire covered 11500 acres and was 15 percent contained. 2.7 million dollars had been spent on firefighting efforts.","The Horse Prairie wildfire started around 3:30 PM on 08/26/17. The cause was unknown.|As of 03:30 on 09/01/17, the fire covered 11500 acres and was 15 percent contained. 2.7 million dollars had been spent on firefighting efforts." +119366,716889,MARYLAND,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-04 21:05:00,EST-5,2017-08-04 21:05:00,0,0,0,0,,NaN,,NaN,39.5102,-77.7909,39.5102,-77.7909,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","Multiple pine trees were snapped." +119366,716892,MARYLAND,2017,August,Thunderstorm Wind,"FREDERICK",2017-08-04 21:27:00,EST-5,2017-08-04 21:27:00,0,0,0,0,,NaN,,NaN,39.6741,-77.4548,39.6741,-77.4548,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was blocking Md-550." +119366,716893,MARYLAND,2017,August,Thunderstorm Wind,"CARROLL",2017-08-04 21:51:00,EST-5,2017-08-04 21:51:00,0,0,0,0,,NaN,,NaN,39.5777,-77.1506,39.5777,-77.1506,"A weak boundary along with an unstable atmosphere led to a few thunderstorms becoming severe.","A tree was down blocking Hoff Road." +119473,717002,WASHINGTON,2017,August,Wildfire,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-08-11 19:00:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thirteen fires were ignited by lightning on August 11th, in the vicinity of the William O. Douglas and Norse Peak Wilderness Areas on the Naches Ranger District of the Okanogan-Wenatchee National Forest. The fires were burning in steep rocky terrain, with difficult access. Two of the fires reached significant size : the Norse Peak Fire (north of State Route (SR410 near Union Creek) and the American Fire (between SR410 and Bumping Lake). These fires were zoned and managed collectively as ���Norse Peak.��� Resources were shared between the fires. This fire has continued to burn into September.","Inciweb." +119477,717027,OREGON,2017,August,Wildfire,"EAST SLOPES OF THE OREGON CASCADES",2017-08-11 13:45:00,PST-8,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Milli Fire was located in the Sister's Wilderness Area, on the Deschutes National Forest. This fire was lightning caused and continues to burn into September. This fire caused the evacuations of some rural subdivisions near Sisters, Oregon.","Inciweb." +117256,705262,OHIO,2017,August,Strong Wind,"WILLIAMS",2017-08-03 15:11:00,EST-5,2017-08-03 15:12:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unstable, but poorly sheared environment allowed for several rounds of showers and thunderstorms from mid afternoon on the 3rd into the overnight hours of the 4th. Isolated wind damage occurred in a few locations, mainly to older or rotten trees.","Emergency management officials reported a large, but rotten tree fell onto a teenager, causing serious injury to his head and face. A full recovery is expected. No other trees in the area were damaged." +117721,707868,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 16:24:00,MST-7,2017-08-14 16:24:00,0,0,0,0,0.00K,0,0.00K,0,44.109,-103.43,44.109,-103.43,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +117721,707869,SOUTH DAKOTA,2017,August,Hail,"PENNINGTON",2017-08-14 16:47:00,MST-7,2017-08-14 16:47:00,0,0,0,0,,NaN,0.00K,0,44.0647,-103.4014,44.0647,-103.4014,"A severe thunderstorm developed over the northeastern slopes of the Black Hills and tracked slowly southeast through the Rapid City area before weakening east of the Black Hills. The storm produced hail to golf ball size, wind gusts over 60 mph, and heavy rain. Some of the largest hail fell on the north and west sides of Rapid City.","" +119583,717489,GEORGIA,2017,August,Thunderstorm Wind,"THOMAS",2017-08-31 18:18:00,EST-5,2017-08-31 18:18:00,0,0,0,0,0.00K,0,0.00K,0,30.83,-83.98,30.83,-83.98,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down in Thomasville." +119583,717490,GEORGIA,2017,August,Thunderstorm Wind,"THOMAS",2017-08-31 18:20:00,EST-5,2017-08-31 18:20:00,0,0,0,0,0.00K,0,0.00K,0,30.81,-83.84,30.81,-83.84,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down outside of Thomasville in the county." +119583,717486,GEORGIA,2017,August,Thunderstorm Wind,"TERRELL",2017-08-30 14:00:00,EST-5,2017-08-30 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.71,-84.34,31.71,-84.34,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A few power outages occurred due to wind near Sasser." +119582,717492,FLORIDA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-25 22:00:00,EST-5,2017-08-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-83.87,30.35,-83.99,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","There were several reports of trees down across Jefferson county, including Waukeenah Highway." +119582,717493,FLORIDA,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-25 22:00:00,EST-5,2017-08-25 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,30.5414,-83.8651,30.5414,-83.8651,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Fallen trees or limbs resulted in a power outage along Poplar Street in Monticello via the Duke Energy Outage website." +119584,717494,FLORIDA,2017,August,Thunderstorm Wind,"GADSDEN",2017-08-30 15:40:00,EST-5,2017-08-30 15:40:00,0,0,0,0,0.00K,0,0.00K,0,30.65,-84.69,30.65,-84.69,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Mt Pleasant." +119584,717496,FLORIDA,2017,August,Thunderstorm Wind,"WALTON",2017-08-31 08:20:00,CST-6,2017-08-31 08:20:00,0,0,0,0,2.00K,2000,0.00K,0,30.72,-86.04,30.72,-86.04,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees and power lines were blown down on Highway 90E near Old Spanish Trail." +119584,717497,FLORIDA,2017,August,Thunderstorm Wind,"JACKSON",2017-08-31 14:30:00,CST-6,2017-08-31 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-85.39,30.69,-85.39,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Alford." +119584,717498,FLORIDA,2017,August,Thunderstorm Wind,"LEON",2017-08-31 18:25:00,EST-5,2017-08-31 18:25:00,0,0,0,0,0.00K,0,0.00K,0,30.4652,-84.2063,30.4652,-84.2063,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on North Barn Way." +119383,718075,MARYLAND,2017,August,Thunderstorm Wind,"HARFORD",2017-08-22 21:18:00,EST-5,2017-08-22 21:18:00,0,0,0,0,,NaN,,NaN,39.6018,-76.325,39.6018,-76.325,"An unstable atmosphere led to a few severe thunderstorms.","A tree was down in the 2700 Block of Sandy Hook Road." +118683,712964,GUAM,2017,August,Drought,"MARSHALL ISLANDS",2017-08-01 00:00:00,GST10,2017-08-31 23:59:00,0,0,0,0,0.00K,0,50.00K,50000,NaN,NaN,NaN,NaN,"Dry weather prevails across parts of Micronesia. The rainfall has been so light that drought conditions persist across many islands.","The Experimental Drought Assessment of the U.S. Drought Monitor showed that Utirik in the northern Marshall Islands remained at long-term exceptional drought (Drought Level 4 of 4)||Wotje worsened to long-term extreme drought (Drought Level 3 of 4).||Rainfall amounts illustrate the dry conditions as Utirik saw only 3.79 inches of rainfall during the month as opposed to the usual 7.41 inches.||Wotje had shown improvement over the last few months, but August rainfall was lower than average with 1.04 inches this month compared to the average August rainfall of 5.20 inches." +119738,718120,CALIFORNIA,2017,August,Flash Flood,"LOS ANGELES",2017-08-03 15:47:00,PST-8,2017-08-03 16:15:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-118.2204,34.4996,-118.2167,"A surge of monsoonal moisture moved into Southern California, generating scattered thunderstorms across the area. In the Los Angeles county mountains near the Acton area, the thunderstorms generated some flash flooding along Sierra Highway as well as large hail.","Strong thunderstorms generated heavy rain in the mountains of Los Angeles county. At the intersection of Sierra Highway and Red Rover Road, six to ten inches of waters was reported flowing across the intersection." +119738,718131,CALIFORNIA,2017,August,Hail,"LOS ANGELES",2017-08-03 15:45:00,PST-8,2017-08-03 15:50:00,0,0,0,0,0.00K,0,0.00K,0,34.4803,-118.2077,34.4746,-118.2017,"A surge of monsoonal moisture moved into Southern California, generating scattered thunderstorms across the area. In the Los Angeles county mountains near the Acton area, the thunderstorms generated some flash flooding along Sierra Highway as well as large hail.","Weather spotter in the Acton area reported large hail up to 1 inch in diameter." +118127,709901,SOUTH DAKOTA,2017,August,Hail,"ZIEBACH",2017-08-25 09:10:00,MST-7,2017-08-25 09:10:00,0,0,0,0,,NaN,0.00K,0,44.73,-101.59,44.73,-101.59,"A line of slow moving thunderstorms produced hail to golf ball size and heavy rainfall, which caused flash flooding over portions of southern Ziebach County.","" +118127,718149,SOUTH DAKOTA,2017,August,Flash Flood,"ZIEBACH",2017-08-25 10:00:00,MST-7,2017-08-25 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,44.68,-101.78,44.59,-101.52,"A line of slow moving thunderstorms produced hail to golf ball size and heavy rainfall, which caused flash flooding over portions of southern Ziebach County.","Three to five inches of rain fell during the morning across southern Ziebach County. Runoff from the heavy rain caused flash flooding along Ash and Rattlesnake Creeks. Water ran over county roads north of BIA 6 including BIA27/Ash Creek Road, and several stock ponds exceeded capacity." +118130,709905,SOUTH DAKOTA,2017,August,Hail,"TODD",2017-08-25 15:20:00,CST-6,2017-08-25 15:20:00,0,0,0,0,0.00K,0,0.00K,0,43.09,-100.54,43.09,-100.54,"A thunderstorm produced hail south of Mission.","" +119856,718540,MISSOURI,2017,August,Flash Flood,"JOHNSON",2017-08-05 21:54:00,CST-6,2017-08-06 00:54:00,0,0,0,0,0.00K,0,0.00K,0,38.8921,-93.7597,38.8349,-93.7539,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","EMA reports fire and PD responding to water rescues with water over the road at the 700 block of SE HWY 13." +119856,718541,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 22:09:00,CST-6,2017-08-06 00:09:00,0,0,0,0,0.00K,0,0.00K,0,39.056,-94.5956,39.048,-94.598,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water was encroaching into the World Market in Westport." +119856,718542,MISSOURI,2017,August,Flash Flood,"JACKSON",2017-08-05 22:15:00,CST-6,2017-08-06 00:15:00,0,0,0,0,0.00K,0,0.00K,0,39.0509,-94.5931,39.0469,-94.594,"On the evening of August 5, 2017 a round of thunderstorms formed just north of Kansas City. The orientation of these storms ensured that repeated heavy rain would run over the same areas. This training of thunderstorms produced prolonged heavy rain over the Kansas City Metro area resulting in 3 to 6 inches of rain over a 4-6 hour period and causing quite a bit of flooding in and around Kansas City. Most notable was the flooding in and around Westport, where 3 to 4 feet of water came up to the businesses. Several water rescues were conducted around Kansas City through the evening and overnight hours, but remarkably no one was injured or killed in this event. To the east and south of Kansas City, numerous rural roads and streams encountered flooding, which caused numerous road closures in areas predominantly south of Interstate 70. More information from this event can be found at the following dedicated website to the event: https://www.weather.gov/eax/August52017FlashFloodinginKC .","Water rescue was performed with a person stranded in high water at W 43rd St and Wornall Road." +122186,731465,TEXAS,2017,December,Winter Weather,"TRAVIS",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +118689,713011,COLORADO,2017,August,Flash Flood,"GARFIELD",2017-08-04 15:00:00,MST-7,2017-08-04 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-107.22,39.4,-107.2196,"An unsettled northwesterly flow aloft brought in a series of embedded upper level disturbances that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms which resulted in mudslides and flash flooding in portions of the state.","As a result of heavy rains, several streets were flooded with water up to a foot deep that ran across the roadway in Carbondale, including the intersection of Village Road and Highway 133, as well as west Main Street and Highway 133." +118689,717931,COLORADO,2017,August,Heavy Rain,"PITKIN",2017-08-04 13:30:00,MST-7,2017-08-04 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.3661,-107.0249,39.3661,-107.0255,"An unsettled northwesterly flow aloft brought in a series of embedded upper level disturbances that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms which resulted in mudslides and flash flooding in portions of the state.","A series of strong thunderstorms produced torrential rainfall in the Elk Run subdivision which resulted in water that flowed into several homes. A home on Red Tail Court took the brunt of water flowing off the hillside and had two feet of water in the lower level. Some of the streets in Elk Run were coated with as much as 6 inches of mud. Radar estimated 1 to 1.5 inches of rain fell throughout the day." +119706,717934,COLORADO,2017,August,Debris Flow,"GARFIELD",2017-08-05 15:30:00,MST-7,2017-08-05 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6207,-107.7633,39.6207,-107.7641,"A persistent and unsettled northwesterly flow aloft brought yet another embedded upper level disturbance into the region that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms and resulted in some flash flooding and mudslides.","Colorado Highway 325 was closed in both directions in Rifle Gap between mile markers 6 and 8 due to a mudslide and flooding as a result of heavy rains. The Highway reopened 4 hours later." +119706,717936,COLORADO,2017,August,Debris Flow,"RIO BLANCO",2017-08-05 16:30:00,MST-7,2017-08-05 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-107.96,39.7299,-107.963,"A persistent and unsettled northwesterly flow aloft brought yet another embedded upper level disturbance into the region that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms and resulted in some flash flooding and mudslides.","A mudslide occurred on County Road 5 near the intersection of Colorado Highway 13 as a result of heavy rains." +119706,717938,COLORADO,2017,August,Heavy Rain,"GARFIELD",2017-08-05 17:30:00,MST-7,2017-08-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.62,-107.84,39.627,-107.8361,"A persistent and unsettled northwesterly flow aloft brought yet another embedded upper level disturbance into the region that produced scattered to numerous showers and thunderstorms across western Colorado. Significant rainfall occurred with some storms and resulted in some flash flooding and mudslides.","Flooding from Government Creek was reported to be impacting a residence near mile marker 8 along Colorado Highway 13 as a result of heavy rains." +117431,706204,COLORADO,2017,August,Thunderstorm Wind,"WELD",2017-08-10 15:19:00,MST-7,2017-08-10 15:19:00,0,0,0,0,0.00K,0,,NaN,40.11,-104.52,40.11,-104.52,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706205,COLORADO,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-10 17:19:00,MST-7,2017-08-10 17:19:00,0,0,0,0,,NaN,,NaN,38.84,-103.81,38.84,-103.81,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","" +117431,706322,COLORADO,2017,August,Thunderstorm Wind,"LINCOLN",2017-08-10 17:20:00,MST-7,2017-08-10 17:20:00,0,0,0,0,,NaN,,NaN,38.81,-103.7,38.81,-103.7,"Severe thunderstorms produced large hail, torrential rainfall and quarter size hail across parts of Larimer, Lincoln and Weld counties. The combination of heavy rain and hail overwhelmed the drainage system in Evans, and produced widespread street flooding. Nearly 2.4 inches of rain fell in less than 45 minutes. Greeley Public Works briefly closed the roadway near Centerplace and 47th Avenue due to high water. In Weld County, straight-line winds tore the roof off a large outbuilding and caved in an exterior wall. Farm equipment inside the structure was damaged in addition to nearby crops. According to Xcel Energy, about 5,000 customers were without power in the Greeley, Evans and LaSalle areas for nearly two hours. Strong winds and large hail struck between Keenseburg and Roggen. One farmstead reported their crops were completely flattened. In addition, sixty-six head of cattle were injured and later euthanized. Intense straight-line winds also uprooted trees and downed power lines in Lincoln County, near Punkin Center and along CO 71 north of Limon.","Intense winds uprooted large trees and downed some power lines." +120004,719134,NEW YORK,2017,August,Thunderstorm Wind,"HAMILTON",2017-08-04 17:44:00,EST-5,2017-08-04 17:44:00,0,0,0,0,,NaN,,NaN,43.88,-74.55,43.88,-74.55,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires reported down." +120004,719135,NEW YORK,2017,August,Thunderstorm Wind,"HERKIMER",2017-08-04 17:45:00,EST-5,2017-08-04 17:45:00,0,0,0,0,,NaN,,NaN,43.03,-74.99,43.03,-74.99,"A strong upper-level trough over the Great Lakes was headed towards the Northeast on Friday, August 4th along with a weak cold front. Much of eastern New York was situated with a warm and humid air mass, allowing for the atmosphere to be rather unstable.||Strong to severe thunderstorms developed north and west of the Capital District during the afternoon hours. The leading cell in this activity was particularly strong and produced a couple reports of wind damage and one report of large hail. This storm eventually produced a weak, brief tornado on Great Sacandaga Lake captured by amateur video. Additional severe thunderstorm development resulted in reports of wind damage across the Western Adirondacks and Lake George-Saratoga Regions.||A line of storms also approached from central New York later in the evening. These storms resulted in additional reports of trees and wires down.||As a result of the storms throughout the day, over 40,000 customers lost power across the region.","Trees and wires were downed." +120109,719672,OHIO,2017,August,Hail,"TUSCARAWAS",2017-08-19 13:21:00,EST-5,2017-08-19 13:21:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-81.5,40.47,-81.5,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","" +120109,719673,OHIO,2017,August,Hail,"TUSCARAWAS",2017-08-19 13:26:00,EST-5,2017-08-19 13:26:00,0,0,0,0,0.00K,0,0.00K,0,40.49,-81.44,40.49,-81.44,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","" +120109,719674,OHIO,2017,August,Thunderstorm Wind,"CARROLL",2017-08-19 14:27:00,EST-5,2017-08-19 14:27:00,0,0,0,0,0.50K,500,0.00K,0,40.67,-81.2,40.67,-81.2,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","State official reported one large tree down." +120109,719675,OHIO,2017,August,Thunderstorm Wind,"HARRISON",2017-08-19 14:59:00,EST-5,2017-08-19 14:59:00,0,0,0,0,2.50K,2500,0.00K,0,40.26,-81.02,40.26,-81.02,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported numerous trees down." +120109,719676,OHIO,2017,August,Thunderstorm Wind,"HARRISON",2017-08-19 14:59:00,EST-5,2017-08-19 14:59:00,0,0,0,0,2.50K,2500,0.00K,0,40.29,-80.98,40.29,-80.98,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported numerous trees down." +120115,719696,PENNSYLVANIA,2017,August,Hail,"BEAVER",2017-08-19 14:25:00,EST-5,2017-08-19 14:25:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-80.41,40.64,-80.41,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","" +120115,719697,PENNSYLVANIA,2017,August,Hail,"WESTMORELAND",2017-08-19 15:23:00,EST-5,2017-08-19 15:23:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-79.75,40.57,-79.75,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","" +120115,719698,PENNSYLVANIA,2017,August,Thunderstorm Wind,"BEAVER",2017-08-19 14:18:00,EST-5,2017-08-19 14:18:00,0,0,0,0,2.50K,2500,0.00K,0,40.68,-80.48,40.68,-80.48,"Modest instability and shear, helped to maintain the potential for organized storms in the afternoon of the 19th as a weak surface front moved across the Great Lakes toward the region. Dry air/cooling aloft supported hail as well as some damaging wind gusts through the evening.","Local 911 reported several trees down." +119746,719489,TEXAS,2017,August,Flash Flood,"ORANGE",2017-08-26 12:30:00,CST-6,2017-08-30 16:00:00,0,0,10,0,1.50B,1500000000,0.00K,0,29.7758,-93.9372,29.6046,-94.363,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Widespread 30 to 50 inches of rainfall fell across Orange County during Harvey. This resulted in 27,742 homes being flooded. The hardest hit areas were Orange, Vidor, Orangefield, Pine Forest, West Orange, Rose City, Mauriceville, Rose City, and Lake View. Record crests occurred on the lower Neches and Cow Bayou. The Sabine River was at its highest level since Hurricane Ike in 2008. Water covered and closed portions of Interstate 10 in the county. Only 1 home was reported not flooded in Rose City and the community's drinking water was interrupted for near a month. 10 people perished during the event with 2 of them being from electrocution in a flooded home." +119746,719341,TEXAS,2017,August,Tropical Storm,"JEFFERSON",2017-08-28 05:06:00,CST-6,2017-08-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Tropical storm conditions occurred for several hours along the coast of Jefferson County. At Texas Point where the highest winds were recorded peak wind gust of 52 knots occurred during the early morning of the 28th but the highest sustained wind of 42 knots was during the morning of the 29th. Lesser winds were recorded elsewhere, however wind gusts of 35 to 50 knots were common near the coast." +119746,719494,TEXAS,2017,August,Flash Flood,"TYLER",2017-08-28 10:53:00,CST-6,2017-08-30 16:00:00,0,0,1,0,60.00M,60000000,0.00K,0,30.92,-94.6,31.2036,-93.587,"Harvey moved across the Gulf of Mexico into the central Texas Coast during the last week of August. After the initial landfall, the cyclone moved back into the gulf a couple days later and then made another landfall in Southwest Louisiana during the morning of the 30th. The first rains from the system moved across the region during the afternoon of the 25th and finally ended during the morning of September 1. One to 5 feet of rain fell across Southeast Texas during the week which in some cases was slightly more than a normal yearly rainfall total. Widespread flooding occurred and a new rainfall record was set regarding the total for a tropical cyclone in the United States.","Harvey produced 20 to 30 inches of rain which flooded 1,730 homes. Major flooding occurred in Warren, Fred, and along the Neches River where it had the 4th highest crest at Town Bluff. 1 death was a result of the flooding." +120013,719171,MASSACHUSETTS,2017,August,Flash Flood,"BERKSHIRE",2017-08-22 21:15:00,EST-5,2017-08-22 23:15:00,0,0,0,0,1.00K,1000,1.00K,1000,42.451,-73.2439,42.451,-73.2437,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","Fourth Street near Silver Lake was flooded with a possible washout." +120013,719170,MASSACHUSETTS,2017,August,Flash Flood,"BERKSHIRE",2017-08-22 21:10:00,EST-5,2017-08-22 23:15:00,0,0,0,0,1.00K,1000,1.00K,1000,42.4694,-73.2099,42.4696,-73.2105,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","Road was flooded with water over the hood of a truck." +120013,719172,MASSACHUSETTS,2017,August,Lightning,"BERKSHIRE",2017-08-22 21:25:00,EST-5,2017-08-22 21:25:00,0,0,0,0,1.00K,1000,0.00K,0,42.17,-73.05,42.17,-73.05,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","A tree was on fire on Rainbow Street." +120013,719173,MASSACHUSETTS,2017,August,Thunderstorm Wind,"BERKSHIRE",2017-08-22 20:42:00,EST-5,2017-08-22 20:42:00,0,0,0,0,,NaN,,NaN,42.53,-73.2,42.53,-73.2,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","A large tree was downed near Camp Mohawk." +120013,719174,MASSACHUSETTS,2017,August,Thunderstorm Wind,"BERKSHIRE",2017-08-22 20:48:00,EST-5,2017-08-22 20:48:00,0,0,0,0,,NaN,,NaN,42.37,-73.35,42.37,-73.35,"Strong to severe thunderstorms developed along and ahead of a cold frontal boundary as it moved through eastern New York and western New England. Prior to convective initiation, a Tornado Watch (#461) was issued for the western Adirondacks and Mohawk Valley and a Severe Thunderstorm Watch (#463) was issued for much of eastern New York and western New England. These storms resulted reports of flash flooding in western Massachusetts.","Tree was downed onto wires on Swamp Road." +120348,721066,GEORGIA,2017,September,Thunderstorm Wind,"DODGE",2017-09-21 17:25:00,EST-5,2017-09-21 17:45:00,0,0,0,0,5.00K,5000,,NaN,32.2949,-83.305,32.26,-83.27,"An unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Dodge County 911 center reported trees blown down from Hardy Road near Dubois Church Road to Gresston Baptist Road near Hardy Road." +120348,721067,GEORGIA,2017,September,Thunderstorm Wind,"TELFAIR",2017-09-21 17:25:00,EST-5,2017-09-21 17:35:00,0,0,0,0,1.00K,1000,,NaN,32.02,-83.07,32.02,-83.07,"An unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Telfair County 911 center reported a tree blown down in Milan near Highway 280." +120349,721069,GEORGIA,2017,September,Hail,"JOHNSON",2017-09-22 14:23:00,EST-5,2017-09-22 14:33:00,0,0,0,0,,NaN,,NaN,32.7327,-82.6962,32.7327,-82.6962,"An persistent, unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Johnson County Emergency Manager reported quarter size hail along Highway 319 1/2 mile outside of Wrightsville." +120349,721070,GEORGIA,2017,September,Hail,"UPSON",2017-09-22 17:05:00,EST-5,2017-09-22 17:15:00,0,0,0,0,,NaN,,NaN,32.89,-84.33,32.89,-84.33,"An persistent, unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The public reported quarter size hail in Thomaston." +120349,721071,GEORGIA,2017,September,Thunderstorm Wind,"BIBB",2017-09-22 17:13:00,EST-5,2017-09-22 17:23:00,0,0,0,0,0.50K,500,,NaN,32.7892,-83.654,32.7892,-83.654,"An persistent, unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Bibb County 911 center reported a tree blown down on Mikado Avenue on the south side of Macon." +120349,721072,GEORGIA,2017,September,Thunderstorm Wind,"CRAWFORD",2017-09-22 17:40:00,EST-5,2017-09-22 18:10:00,0,0,0,0,6.00K,6000,,NaN,32.7497,-83.8483,32.6509,-83.8998,"An persistent, unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Crawford County 911 center reported several trees blown down from around the intersection of Marshall Mill Road and Pottery Road to around the intersection of Walton Road and Union Church Road." +119751,718306,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 19:36:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-86.49,34.7861,-86.4904,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Water flowing over Homer Nance Road at the curve near Jordan Road where a tributary flows into Chase Creek. Report relayed by social media." +119751,718307,ALABAMA,2017,August,Flash Flood,"MADISON",2017-08-10 19:52:00,CST-6,2017-08-10 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-86.51,34.6991,-86.5112,"During the overnight hours of August 9th into the wee hours of the morning of the 10th, two separate and significant flash flooding events occurred in Madison County. The overnight/early morning hours event occurred in Northern Madison County, affecting locations from Harvest to Hazel Green/Meridianville and eastward to New Market. Widespread rainfall totals of 7-8 inches occurred over the span of a few hours, leading to significant flash flooding, resulting in numerous roads closed and several vehicles inundated with water. The second Flash Flooding event took place that evening over the city of Huntsville, specifically along Highway 431 in eastern Madison County, from California Street near Governors drive eastward along Hwy 431 to Hampton Cove. This mainly was exacerbated both by rainfall rates and enhanced runoff processes due to terrain (Monte Sano Mountain). Numerous roads were closed as well, with one river gage (DUGA1) measuring nearly 4 of rainfall in one hour.","Houses flooded on Cove Creek Drive." +120270,720662,NEVADA,2017,August,Flood,"WASHOE",2017-08-22 14:50:00,PST-8,2017-08-22 15:10:00,0,0,0,0,0.00K,0,0.00K,0,39.421,-119.7521,39.4225,-119.7488,"An upper-level area of low pressure near the California coast and a ridge axis over the eastern Great Basin combined to bring increased south to southeast flow into western Nevada and aided in producing a focusing mechanism for thunderstorms. These thunderstorms produced localized areas of heavy rainfall in far western Nevada.","Nevada Department of Transportation reported water over roadway along Interstate-580 and Damonte Ranch Parkway from a line of thunderstorms. Multiple vehicle accidents were reported, however, no estimate of damages were reported." +120187,720159,SOUTH DAKOTA,2017,August,Hail,"GRANT",2017-08-18 13:35:00,CST-6,2017-08-18 13:35:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-96.63,45.22,-96.63,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720160,SOUTH DAKOTA,2017,August,Hail,"GRANT",2017-08-18 13:40:00,CST-6,2017-08-18 13:40:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-96.64,45.22,-96.64,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720161,SOUTH DAKOTA,2017,August,Hail,"GRANT",2017-08-18 13:42:00,CST-6,2017-08-18 13:42:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-96.66,45.22,-96.66,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","Hail covered the entire highway." +120187,720162,SOUTH DAKOTA,2017,August,Hail,"GRANT",2017-08-18 14:06:00,CST-6,2017-08-18 14:06:00,0,0,0,0,0.00K,0,0.00K,0,45.19,-96.56,45.19,-96.56,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720163,SOUTH DAKOTA,2017,August,Hail,"GRANT",2017-08-18 14:51:00,CST-6,2017-08-18 14:51:00,0,0,0,0,,NaN,,NaN,45.05,-96.5,45.05,-96.5,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720164,SOUTH DAKOTA,2017,August,Hail,"DEUEL",2017-08-18 15:07:00,CST-6,2017-08-18 15:07:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-96.69,44.88,-96.69,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720165,SOUTH DAKOTA,2017,August,Hail,"DEUEL",2017-08-18 15:30:00,CST-6,2017-08-18 15:30:00,0,0,0,0,0.00K,0,0.00K,0,44.82,-96.6,44.82,-96.6,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","" +120187,720166,SOUTH DAKOTA,2017,August,Lightning,"GRANT",2017-08-18 13:35:00,CST-6,2017-08-18 13:35:00,0,0,0,0,10.00K,10000,0.00K,0,45.22,-96.64,45.22,-96.64,"Severe thunderstorms developed along a cold front during the late afternoon bringing large hail up to golf ball size, damaging winds up to 70 mph, along with damaging lightning.","Lightning blew out a transformer which snapped a power pole and downed some power lines in Milbank." +121573,727696,MASSACHUSETTS,2017,December,Strong Wind,"WESTERN MIDDLESEX",2017-12-05 21:30:00,EST-5,2017-12-06 00:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","AT 936 PM EST, a large tree was down on wires at the intersection of Second Avenue and Brunning Road in Wilmington." +119753,721081,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-27 04:00:00,CST-6,2017-08-27 09:30:00,0,0,0,0,0.00K,0,0.00K,0,29.561,-95.2535,29.4916,-95.2855,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Numerous flooded homes, businesses and vehicles around Friendswood from run off sheet flooding and from Mary's Creek and Clear Creek coming out of banks.||Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads." +121573,727698,MASSACHUSETTS,2017,December,Strong Wind,"SOUTHERN PLYMOUTH",2017-12-01 20:15:00,EST-5,2017-12-06 02:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 1040 PM EST, a tree was down on a power line on Hollywood Road in Mattapoisett." +121613,727852,MASSACHUSETTS,2017,December,Strong Wind,"SOUTHERN WORCESTER",2017-12-13 13:40:00,EST-5,2017-12-13 14:05:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intensifying storm over the Maritimes brought strong gusty west winds to Southern New England during the 13th. Winds diminished during the first part of the night as the storm moved farther away.","At 143 PM EST, a sustained wind of 36 mph and gust of 49 mph were measured by the Automated Surface Observing System platform at Worcester Regional Airport in Worcester. At 205 PM EST, a tree was down on wires on Hartford Avenue South in Upton." +121615,727854,RHODE ISLAND,2017,December,Winter Weather,"WASHINGTON",2017-12-14 03:00:00,EST-5,2017-12-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped south of Long Island and quickly moved east out to sea. Snow developed over the region during the early morning of the 14th and tapered off toward midday.","Two to four inches of snow fell on Washington County." +118444,711738,NEW YORK,2017,August,Thunderstorm Wind,"STEUBEN",2017-08-04 17:21:00,EST-5,2017-08-04 17:31:00,0,0,0,0,1.00K,1000,0.00K,0,42.05,-77.55,42.05,-77.55,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree near the intersection of Main Street and Potter Road." +118444,711739,NEW YORK,2017,August,Thunderstorm Wind,"STEUBEN",2017-08-04 17:22:00,EST-5,2017-08-04 17:32:00,0,0,0,0,1.00K,1000,0.00K,0,42.34,-77.32,42.34,-77.32,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree onto County Road 14 between Fort Hill Road and Stewart Road." +118444,711740,NEW YORK,2017,August,Thunderstorm Wind,"STEUBEN",2017-08-04 17:34:00,EST-5,2017-08-04 17:44:00,0,0,0,0,1.00K,1000,0.00K,0,42.08,-77.42,42.08,-77.42,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which fell across Borden Pulteney Hill Road." +118444,711741,NEW YORK,2017,August,Thunderstorm Wind,"STEUBEN",2017-08-04 17:46:00,EST-5,2017-08-04 17:56:00,0,0,0,0,2.00K,2000,0.00K,0,42.34,-77.32,42.34,-77.32,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over two trees along County Road 13." +118444,711742,NEW YORK,2017,August,Thunderstorm Wind,"STEUBEN",2017-08-04 18:13:00,EST-5,2017-08-04 18:23:00,0,0,0,0,1.00K,1000,0.00K,0,42.16,-77.09,42.16,-77.09,"A strong cold front moved across the northeast as a surface low pressure system moved toward Quebec Friday morning. By Friday afternoon, a pre-frontal trough developed across New York and Pennsylvania, leading to thunderstorms in a very unstable atmosphere. As these storms propagated eastward, some became severe producing damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree onto Victory Highway." +120089,720945,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-05 17:10:00,CST-6,2017-08-05 17:10:00,0,0,0,0,,NaN,,NaN,37.02,-98.48,37.02,-98.48,"An area of surface low pressure intensified across eastern Colorado as the day progressed, leading to breezy south southwesterly winds across the area. A cold front then moved through the CWA by the evening, shifting winds to more of a northerly direction. Given moderate instability, a few thunderstorms formed along this boundary in Barber County.","Severe damage was done to the South Barber High School in Kiowa." +120089,720946,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-05 17:21:00,CST-6,2017-08-05 17:21:00,0,0,0,0,,NaN,,NaN,37.02,-98.48,37.02,-98.48,"An area of surface low pressure intensified across eastern Colorado as the day progressed, leading to breezy south southwesterly winds across the area. A cold front then moved through the CWA by the evening, shifting winds to more of a northerly direction. Given moderate instability, a few thunderstorms formed along this boundary in Barber County.","Numerous reports of tree limbs and power lines were blown down. Also a roof was heavily damaged on the west side of Kiowa." +120089,720947,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-05 17:30:00,CST-6,2017-08-05 17:30:00,0,0,0,0,,NaN,,NaN,37.01,-98.44,37.01,-98.44,"An area of surface low pressure intensified across eastern Colorado as the day progressed, leading to breezy south southwesterly winds across the area. A cold front then moved through the CWA by the evening, shifting winds to more of a northerly direction. Given moderate instability, a few thunderstorms formed along this boundary in Barber County.","There reports of six to eight inch diameter tree branches broken by the high wind. Also a fence was blown over." +120089,720948,KANSAS,2017,August,Thunderstorm Wind,"BARBER",2017-08-05 14:50:00,CST-6,2017-08-05 14:50:00,0,0,0,0,,NaN,,NaN,37.3,-98.7,37.3,-98.7,"An area of surface low pressure intensified across eastern Colorado as the day progressed, leading to breezy south southwesterly winds across the area. A cold front then moved through the CWA by the evening, shifting winds to more of a northerly direction. Given moderate instability, a few thunderstorms formed along this boundary in Barber County.","Near Lake City." +119874,718592,ARKANSAS,2017,August,Hail,"WASHINGTON",2017-08-18 17:56:00,CST-6,2017-08-18 17:56:00,0,0,0,0,0.00K,0,0.00K,0,36.0811,-94.2031,36.0811,-94.2031,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119874,718593,ARKANSAS,2017,August,Hail,"WASHINGTON",2017-08-18 18:13:00,CST-6,2017-08-18 18:13:00,0,0,0,0,20.00K,20000,0.00K,0,36.0018,-94.0084,36.0018,-94.0084,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119874,718595,ARKANSAS,2017,August,Hail,"FRANKLIN",2017-08-18 18:40:00,CST-6,2017-08-18 18:40:00,0,0,0,0,0.00K,0,0.00K,0,35.5074,-93.7813,35.5074,-93.7813,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","" +119645,717742,OKLAHOMA,2017,August,Thunderstorm Wind,"OSAGE",2017-08-05 21:14:00,CST-6,2017-08-05 21:14:00,0,0,0,0,0.00K,0,0.00K,0,36.6951,-96.7313,36.6951,-96.7313,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Strong thunderstorm wind blew down several small trees." +119645,717743,OKLAHOMA,2017,August,Thunderstorm Wind,"OSAGE",2017-08-05 21:15:00,CST-6,2017-08-05 21:15:00,0,0,0,0,0.00K,0,0.00K,0,36.72,-96.66,36.72,-96.66,"A surface low pressure system was positioned over southwestern Kansas during the evening of the 5th, with a stationary frontal boundary extending southeast from the low into northeastern Oklahoma and northwestern Arkansas. Thunderstorms developed over northwestern Oklahoma and south central Kansas during the evening hours and moved east into northeastern Oklahoma during the late evening hours of the 5th and early morning hours of the 6th. The thunderstorms evolved into a nearly solid line by the time they reached northeastern Oklahoma and resulted in widespread damaging wind. Very strong low-level wind shear ahead of the line allowed for the development of several areas of rotation along and within the leading edge of the thunderstorms. Several tornadoes formed from these low-level circulations, including a strong tornado that resulted in severe damage across portions of the City of Tulsa.","Thunderstorm wind gusts were measured to 76 mph." +120082,719520,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"GRAFTON",2017-08-22 18:45:00,EST-5,2017-08-22 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.3,-71.73,44.3,-71.73,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires in Littleton." +120082,719521,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"COOS",2017-08-22 18:50:00,EST-5,2017-08-22 18:55:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-71.61,44.38,-71.61,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires in Whitefield." +120082,719522,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"COOS",2017-08-22 18:50:00,EST-5,2017-08-22 18:55:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-71.57,44.49,-71.57,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires in Lancaster." +120082,719523,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"GRAFTON",2017-08-22 19:00:00,EST-5,2017-08-22 19:05:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-71.74,44.24,-71.74,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires on Wallace Hill Road in Franconia." +120082,719525,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"SULLIVAN",2017-08-22 20:33:00,EST-5,2017-08-22 20:38:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-72.35,43.38,-72.35,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees on Elm Street in Claremont." +120082,719526,NEW HAMPSHIRE,2017,August,Thunderstorm Wind,"CHESHIRE",2017-08-22 20:47:00,EST-5,2017-08-22 20:52:00,0,0,0,0,0.00K,0,0.00K,0,42.96,-72.44,42.96,-72.44,"A strong shortwave and associated cold front was shifting into the region from the west on the afternoon of August 22nd. Increasing shear and moderate to strong CAPE ahead of the front resulted in a line of organized convection pushing in from the west during the late afternoon and evening. Bowing line segments resulted in numerous reports of wind damage.","A severe thunderstorm downed trees and wires on River Road in Westmoreland." +120347,721403,GEORGIA,2017,September,Tropical Storm,"UPSON",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Upson County Emergency Manager reported hundreds of trees and power lines blown down across the county. Over 5000 customers lost power for varying periods of time during the storm. A wind gust of 47 mph was measured in Thomaston. Radar estimated between 1.5 and 3.5 inches of rain fell across the county with 3.38 inches measured south of Thomaston. No injuries were reported." +120347,721421,GEORGIA,2017,September,Tropical Storm,"NEWTON",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported hundreds of trees and many power lines blown down across the county. Nearly 50,000 customers were without electricity for varying periods of time. A wind gust of 41 mph was measured north of Covington. Radar estimated between 2 and 4 inches of rain fell across the county with 3.21 inches measured at both Rocky Plains and Alcovy. No injuries were reported." +120347,721461,GEORGIA,2017,September,Tropical Storm,"LUMPKIN",2017-09-11 16:00:00,EST-5,2017-09-12 01:00:00,0,0,0,0,375.00K,375000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Lumpkin County Emergency Manager reported hundreds of trees and numerous power lines blown down across the county. Thirty homes were damaged and 2 were destroyed, mainly due to falling trees. At one point 5 out of 6 electric utility companies serving the county reported no service to the county and the 6th company had only one leg operational. Communication lines and cell towers were also affected. A wind gust of 41 mph was measured near Auraria in the southern portion of the county. Radar estimated between 1.5 and 4 inches of rain fell across the county with 3.6 inches measured in the far eastern portion of the county. No injuries were reported." +118746,713314,MISSISSIPPI,2017,August,Tornado,"LAMAR",2017-08-30 09:04:00,CST-6,2017-08-30 09:07:00,0,0,0,0,150.00K,150000,0.00K,0,31.1606,-89.5365,31.1853,-89.5392,"The remnants of Hurricane Harvey moved across the ArkLaMiss region on August 30th and 31st and brought gusty winds and rain to the region. A few tornadoes also occurred on the 30th. As Harvey decreased to a depression on the 31st, gusty winds still remained across portions of the region. This resulted in some downed trees outside of any shower activity.","This tornado touched down in a wooded area just north of Purvis to Columbia Road, near the intersection of B Young Road. The tornado tracked through an area with fairly young, long leaf pines (10-20ft tall) and managed to uproot/snap several near the trail where the property was accessed. As the tornado crossed the transmission line clearing, several more trees were damaged along with a V based truss tower taken down. Information from the power crew engineers noted that these sort of V truss towers are rated for 100 mph winds. The collapse of this tower, with 100 mph winds, was supported by similar tree damage in and around that location. A TDS from both KLIX/KDGX was noted with a well defined signature. Of note, the presence of the clear TDS seemed to be aided by the tornado traveling through the long leaf pine forest and those ���extra long��� needles offering a larger variety of oddly shaped targets for the CC product to indicate. The maximum estimated wind speeds was 105 mph." +119040,714937,FLORIDA,2017,August,Thunderstorm Wind,"ST. JOHNS",2017-08-31 17:12:00,EST-5,2017-08-31 17:12:00,0,0,0,0,0.50K,500,0.00K,0,30.1,-81.62,30.1,-81.62,"TS Harvey was across the TN River Valley with high pressure across the southern FL peninsula. Drier mid level air enhanced downdrafts in scattered afternoon and evening sea breeze storms near the St. Johns River basin.","A tree was blown down in Fruit Cove. The time of damage was based on radar. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +119171,715681,ARIZONA,2017,August,Flash Flood,"MOHAVE",2017-08-24 09:00:00,MST-7,2017-08-24 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.0265,-114.3206,36.0275,-114.5242,"A weak area of low pressure passing through the Mojave Desert plus lingering moisture triggered a small area of thunderstorms. A few storms produced flash flooding over Mohave County.","Temple Bar Road was closed due to water and debris." +118968,715686,MARYLAND,2017,August,Flood,"HARFORD",2017-08-15 11:55:00,EST-5,2017-08-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5783,-76.3151,39.5785,-76.311,"Heavy rain developed in the morning of August 15th, as a warm front was forced northward into the region, ahead of Hurricane Gert. The heavy rain continued into early afternoon, producing both flooding and flash flooding in the Baltimore metropolitan area.","Water flowing over the roadway near the intersection of Thomas Run Road and Ruffs Mill Road." +119874,718594,ARKANSAS,2017,August,Thunderstorm Wind,"WASHINGTON",2017-08-18 18:19:00,CST-6,2017-08-18 18:19:00,0,0,0,0,0.00K,0,0.00K,0,36.0566,-94.1632,36.0566,-94.1632,"Thunderstorms developed along an outflow boundary and moved into northwestern Arkansas during the afternoon and evening hours of the 18th. The stronger storms produced large hail and damaging winds.","Strong thunderstorm wind snapped large tree limbs." +119886,718624,MISSOURI,2017,August,Hail,"CLINTON",2017-08-18 17:51:00,CST-6,2017-08-18 17:52:00,0,0,0,0,0.00K,0,0.00K,0,39.55,-94.33,39.55,-94.33,"Strong thunderstorms formed on the afternoon and evening of August 18. A few of these storms eventually evolved into supercells, bringing large hail up to 2 inches in diameter. These supercells were not long-lived, so the period of hail production was only an hour or two, before the eventually dissipated.","" +121373,726522,LOUISIANA,2017,December,Drought,"CALDWELL",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +121373,726521,LOUISIANA,2017,December,Drought,"OUACHITA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of North Louisiana to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several parishes in North Louisiana. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 3-4 inches. While this rainfall was beneficial to drop the burn bans that were previously issued, widespread severe drought conditions remained to end the month.","" +120026,719272,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-08-19 20:42:00,EST-5,2017-08-19 20:42:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A boundary triggered some thunderstorms and an unstable atmosphere caused storms to produce gusty winds.","A wind gust of 36 knots was reported at Key Bridge." +120046,719358,KANSAS,2017,August,Hail,"SUMNER",2017-08-16 16:53:00,CST-6,2017-08-16 16:54:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-97.67,37.26,-97.67,"Two rounds of severe weather moved across the area. Central KS was impacted during the morning hours with a couple of isolated strong wind events while a more significant round of storms hit the southern sections later that afternoon and evening. Large hail and winds up to 70 mph were reported with these storms.","" +119911,719469,ALABAMA,2017,September,Tropical Storm,"HOUSTON",2017-09-11 04:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths also occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||For southeast Alabama, Houston county reported a few trees and power lines down. ||Coffee county reported several power lines and large trees down across major highways including Highway 135 South, 441 South, and 151 South. Some trees fell on structures and one farm structure collapsed. ||Henry county reported numerous trees and power lines were down across the county. Two homes sustained structural damage damage due to fallen trees. Multiple roads were blocked with fallen trees. Approximately 1200 homes were without power. ||Dale county reported several trees and power lines were down in the county. Two homes suffered minor damage due to trees falling on the roofs. Power outages were also noted in the county. ||Geneva county reported trees and power lines down across the county with the county removing trees from 37 sites. In addition, on County Road 60, the roof was lost off a mobile home. The ceiling of the mobile home eventually collapsed and with rain entering the mobile home, it was a complete loss.","" +119913,719643,GEORGIA,2017,September,Tropical Storm,"CALHOUN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719644,GEORGIA,2017,September,Tropical Storm,"CLAY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719645,GEORGIA,2017,September,Tropical Storm,"COLQUITT",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719646,GEORGIA,2017,September,Tropical Storm,"COOK",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719647,GEORGIA,2017,September,Tropical Storm,"DECATUR",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719648,GEORGIA,2017,September,Tropical Storm,"DOUGHERTY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,5.00M,5000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719649,GEORGIA,2017,September,Tropical Storm,"EARLY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719650,GEORGIA,2017,September,Tropical Storm,"GRADY",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +119913,719651,GEORGIA,2017,September,Tropical Storm,"IRWIN",2017-09-10 22:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Irma brought numerous impacts to the Florida Big Bend, southwest Georgia and southeast Alabama including widespread downed trees and power lines, roads blocked by trees, power outages, and trees on homes. Two people died during the event - one due to a car crash (Liberty County, FL) and another that had a heart attack (Worth County, GA). Two indirect deaths occurred due to carbon monoxide from a generator (Taylor County, FL). While many counties across the Florida Big Bend and southwest Georgia were impacted, the greatest impacts were across the eastern portion of the area near the I-75 corridor. There were over 6.5 million customers without power in Florida, over 930,000 customers without power in Georgia, and over 45,000 customers without power in Alabama. Total damage cost for each county was estimated when figures were not available.||Seminole county reported $150,000 in damage to structures, trees, and power lines. There were 42 evacuated locals and 74 evacuees from Florida.||Mitchell county reported 200 trees downed onto roadways and power lines. There was little known property damage. However, agricultural damage may have been significant to pecans and cotton.||Colquitt county reported 200 trees downed and many power lines downed resulting in road closures. Some trees fell on homes and one tree fell on a car. Half of the city of Moultrie lost power. ||Lowndes county reported over 500 trees downed with 34 homes damaged and 60,000 customers without power. More than 5,000 pecan trees were destroyed. There was approximately 25,000 CY of vegetative debris on public and private property. The total estimated property losses were around $9 million. Agricultural losses due to the pecan trees was estimated around $12.5 million based on one pecan tree being values at around $2500.||Tift county reported many trees and power lines downed and blocking roads including U.S. Highway 19.||Early county reported a peak wind gust of 63 mph at the EMA office.||Dougherty county reported widespread trees and power lines downed in the Albany area with many power outages and blocked roads. One tree fell on a car in the Shoreham apartment complex.||Worth county reported widespread trees and power lines down with damage to roofs and vehicles reported. Some large oak trees were among the trees toppled by the storm. A man died of a heart attack while sheltering in a homemade shelter. A sustained wind of 42 mph with a peak gust to 70 mph was measured at the EMA office. ||Lanier county reported trees and power lines down across the county including a few large oak trees. Five trees were down on homes. The county sheltered 97 people. ||Berrien county reported trees down across the county with power outages. There was one report of structural damage. In the city of Nashville, trees fell onto two residences causing significant roof damage.||Turner county reported trees and power lines down with roofs blown off several homes. Several barns were also blown down. ||Decatur county reported trees and power lines down with Faceville Highway blocked. ||Lee county reported many trees down across the county. Trees fell onto or into several mobile homes. Downed power lines blocked U.S. Highway 19. The city of Smithville had no potable water for a period of time from Monday into Tuesday. ||Thomas county reported numerous traffic signals out. Downed trees on power lines left 750 residents without power. ||Terrell county reported several power lines and large trees downed, damaging several homes. At least one home in Dawson was severely damaged by a large pecan tree.||Quitman county reported trees and power lines downed across the county. The estimated damage to the county was $15,000.||Randolph county reported widespread trees and power lines down across the county. Forty percent of the county was without power. A two story house caught on fire from a downed tree on a line.||Miller county reported numerous trees and power lines down throughout the county. One house and one outbuilding fire occurred due to downed power lines. ||Baker county reported trees and power lines down across the county. Approximately 2,400 people lost power. ||Grady county reported more than 225 trees and power lines down across the county. Seven to eight homes sustained minor damage due to falling trees. Approximately 11,000 people were without power. A voluntary evacuation was ordered for mobile homes and approximately 550 people in the county evacuated. ||Irwin county reported numerous trees and power lines down across the county. Eight homes sustained minor structural damage due to fallen trees. Approximately 70 people evacuated from their mobile homes. There was one indirect injury from the storm as one lineman was electrocuted. ||Cook county reported trees and power lines down across the county that resulted in 26 road closures. These impacts lasted 4 to 5 days. Approximately 15 homes were damaged due to fallen trees. School in the county was closed for the whole week.||Brooks county reported widespread trees down across the county. Several homes were damaged, including 2 with major damage. Several roads were washed out. Power outages lasted 4 to 5 days across the county with several thousand power outages. There were 150 people sheltered in the county. ||Calhoun county reported numerous trees and power lines down across the county. There were 250 power outages lasting a couple of days. A comfort station was set up for people in mobile homes to stay at during the storm, and 70 people stayed at the comfort center. Ten homes sustained structural damage due to wind or fallen trees. One business in Arlington lost its roof due to wind.","" +120243,720645,CALIFORNIA,2017,September,Thunderstorm Wind,"FRESNO",2017-09-11 18:15:00,PST-8,2017-09-11 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-120.53,36.81,-120.53,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","The APRS station 5WSW Firebaugh reported a 59 mph wind gust from a thunderstorm." +120243,720646,CALIFORNIA,2017,September,Thunderstorm Wind,"KINGS",2017-09-11 16:28:00,PST-8,2017-09-11 16:28:00,0,0,0,0,50.00K,50000,0.00K,0,36.1112,-119.5542,36.1112,-119.5542,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Public report in Corcoran of Thunderstorm winds producing damage to a house and snapping several trees. Beams from a wood fence were snapped from from concrete support and shingles were blown off of a roof." +120243,720647,CALIFORNIA,2017,September,Hail,"KINGS",2017-09-11 16:28:00,PST-8,2017-09-11 16:28:00,0,0,0,0,0.00K,0,0.00K,0,36.1112,-119.5542,36.1112,-119.5542,"The persistent cut off upper low remained situated off the central California coast and continued to pull tropical moisture northward into central California. Some deep tropical moisture associated with a fairly strong upper level shortwave pushed into central California on September 11 and produced a severe thunderstorm outbreak during the afternoon and evening. Numerous reports of downburst winds exceeding 60 mph were reported and the impacts form these thunderstorms included downed power lines, damage to roofs; and large objects being knocked over and damaged. Rainfall amounts were generally a quarter of an inch or less with a few locations in the Southern Sierra Nevada and Tehachapi Mountains receiving between a quarter inch and a half inch of rain.","Public report of nickel sized hail in Corcoran." +120460,721730,TENNESSEE,2017,September,Heavy Rain,"CHEATHAM",2017-09-02 15:00:00,CST-6,2017-09-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1217,-87.0989,36.1217,-87.0989,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 6.83 inches was measured by the KINT1 River Gauge (Harpeth River near Kingston Springs)." +120460,721729,TENNESSEE,2017,September,Heavy Rain,"DAVIDSON",2017-09-02 08:00:00,CST-6,2017-09-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3367,-86.7308,36.3367,-86.7308,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 7.87 inches was measured at CoCoRaHS station Goodlettsville 1.5 W." +120460,721723,TENNESSEE,2017,September,Heavy Rain,"ROBERTSON",2017-09-02 05:00:00,CST-6,2017-09-02 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4437,-86.7981,36.4437,-86.7981,"One week after Hurricane Harvey made landfall along the middle Texas coast, a weakened but still intense Tropical Depression Harvey moved across Middle Tennessee from Thursday August 31, 2017 into Friday September 1, 2017. Supercells rotating around Harvey spawned four weak tornadoes in Davidson, Maury, and Perry Counties. In addition, strong northeast winds up to 50 mph associated with the circulation of Harvey brought down numerous trees and power lines in areas along and west of I-65, knocking out power to thousands of residents. Finally, the heavy rainbands of Harvey produced 8-11 of rain in some areas, leading to major flash flooding of homes and roads. The flash flooding along with the strong winds continued from the late evening hours on August 31 into the morning hours on September 1.","A 72 hour rainfall total of 10.93 inches was measured at CoCoRaHS station Greenbrier 1.4 N." +119924,721593,MASSACHUSETTS,2017,September,Tropical Storm,"EASTERN PLYMOUTH",2017-09-20 05:20:00,EST-5,2017-09-22 09:04:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 5:20 AM EST, an amateur radio operator reported multiple trees and wires down in Cohassett on Beechwood Street. A tree and wires were reported down on Chandler Street in Duxbury. A tree was down and blocking part of Oak Street in Plymouth. A large tree was down on Rocky Pond Road in Plymouth. A tree was down on Rockland Street in Hingham. A tree was down blocking a driveway on Sandwich Street in Plymouth. Two trees were down and blocking Black Cat Road in Plymouth. Two trees were blocking Billington Street in Plymouth. A tree was down at Conservation Lane in Duxbury. A tree and wires were down on Country Way at Pembroke Street in Kingston. A tree was down on State Road in Plymouth. A tree was down on the Hingham Rotary in Hingham. A tree was down on Ann Vinyal Road near Hatherly School. A large tree was down on Bourne Road and a tree down on a parked car on Kings Pond Plain Road in Plymouth. At 9:04 AM a tree was down on wires on North Street and on King Avenue in Plymouth." +119924,721980,MASSACHUSETTS,2017,September,Tropical Storm,"SOUTHEAST MIDDLESEX",2017-09-20 10:08:00,EST-5,2017-09-21 14:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"Named storm Jose formed over the Tropical Atlantic, moving west and growing to become a Major Hurricane. Jose passed north of the Leeward Islands, then turned on a northward path north of the Dominican Republic. As he moved north, Jose diminished to a Tropical Storm during Tuesday the 19th and then stalled about 150 miles southeast of Nantucket. The storm then slowly drifted south by Friday the 22nd and started to dissipate.||Jose brought strong wind gusts and heavy downpours, primarily to the islands and south coasts of Massachusetts. Rainfall reached about 6 inches on Nantucket, wind gusts reached 62 mph at Nantucket and Aquinnah, and storm surge brought minor coastal flooding to parts of Nantucket.","At 1008 AM EST, a tree blocked Center Street in Newton, causing a traffic backup. At 414 PM EST, a tree fell into a house window on Auburn Street in Newton. At 1041 PM EST a tree fell on a car on Brantwood Road in Arlington. At 200 PM EST on Sept 21, a tree was down blocking part of Main Street in Medford." +115195,694289,OKLAHOMA,2017,May,Hail,"KAY",2017-05-02 23:45:00,CST-6,2017-05-02 23:45:00,0,0,0,0,0.00K,0,0.00K,0,36.94,-97.33,36.94,-97.33,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +120347,721404,GEORGIA,2017,September,Tropical Storm,"PIKE",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Pike County Emergency Manager reported 75-85 trees blown down across the county. Some downed trees did strike structures, however only minor damage was reported with no structures uninhabitable. Numerous power lines were downed as well with 50-75% of the county without power initially. Schools were closed for two days after the storm due to power outages and roads blocked by debris. Radar estimated 2.5 to 5 inches of rain fell across the county with 4.68 inches measured in Zebulon. No injuries were reported." +120590,722551,SOUTH CAROLINA,2017,September,Tropical Depression,"NORTHERN COLLETON",2017-09-11 08:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Irma first developed into a tropical storm on August 30th about 420 miles west of the Cabo Verde Islands, and within 24 hours strengthened into a hurricane. Irma continued to intensify and became a major hurricane over the eastern Atlantic on September 1st. After undergoing a brief period of weakening on September 2nd, Irma once again strengthened into a major hurricane on September 3rd and maintained major hurricane status through September 10th when it made landfall on the southwest Florida coast. During this extended period as a major hurricane, Irma set numerous intensity records for a hurricane in the Atlantic basin. Maximum sustained winds reached 185 mph, making Irma the strongest storm on record to exist in the Atlantic Ocean outside of the Caribbean and Gulf of Mexico. Also, Irma���s 185 mph maximum sustained winds are tied for the second strongest maximum winds all time in an Atlantic hurricane. The minimum central pressure reached during Irma���s life cycle was 914 mb which is the lowest pressure on record by an Atlantic hurricane outside of the western Caribbean and Gulf of Mexico. Furthermore, Irma maintained Category 5 status for 3 consecutive days which is the longest on record for an Atlantic hurricane. Irma stayed on a general westward track through September 5th when it began a gradual turn to the west-northwest. On this west-northwestward track, Irma eventually skirted along the north coast of Cuba on September 9th before turning northward toward Florida on September 10th. Irma officially made landfall at Marco Island, FL at 3:35 pm September 10 as a Category 3 hurricane. Following landfall, Irma tracked to the north-northwest and eventually the northwest as it progressed up the western side of the Florida peninsula. Irma steadily weakened during this time and was downgraded to a tropical storm near the big bend of Florida at 8:00 am on September 11th. Through the rest of September 11th, Irma tracked to the northwest into southern Georgia and widespread impacts occurred across the Southeast.||Despite the fact that the center of Irma tracked well to the west of the southeast Georgia and southeast South Carolina region, it still caused significant impacts due to heavy rainfall, strong winds, tornadoes, and storm surge. Feeder bands around Irma continuously moved onshore on September 11th and produced very heavy rainfall rates with rainfall totals generally ranging from 3 to 9 inches. The peak storm total rainfall of 9.07��� was recorded by a CoCoRaHS observer near Beaufort, SC. Daily record rainfall totals for September 11th were recorded at all 3 climate sites in the area: 5.51��� at the Charleston International Airport (KCHS), 4.53��� at Downtown Charleston (KCXM), and 4.74��� at the Savannah-Hilton Head International Airport (KSAV). This widespread heavy rain resulted in several reports of flash flooding with water entering homes and businesses. Wind damage produced numerous power outages across the region with some damage to structures and numerous downed trees. The strongest winds were confined to coastal locations, but frequent gusts into the 40-50 mph range occurred well inland. The maximum sustained wind recorded was 59 mph by the Weatherflow site on the Folly Beach Pier (XFOL) and the maximum wind gust recorded was 76 mph by the Weatherflow site near Beaufort (XBUF). One fatality and 1 injury occurred from trees falling on homes and across roadways in southeast South Carolina. The entire southeast Georgia and southeast South Carolina coast was impacted by storm surge generally ranging from 3 to 6 feet. This storm surge produced numerous reports of 4 to 6 feet of inundation above ground level, mainly along the southeast South Carolina coast. A peak surge of 4.87 feet occurred at the Charleston Harbor tide gauge at 2:00 pm while a peak surge of 5.63 feet occurred at the Fort Pulaski tide gauge at 5:42 am. Significant beach erosion occurred at area beaches with widespread damage to docks and piers all along the coast, as well as numerous reports of inundated roadways.","Colleton County Emergency Management reported numerous trees and power lines down due to strong winds associated with Tropical Storm Irma. The AWOS site in Walterboro measured peak sustained winds of 32 mph and a peak wind gust of 48 mph. Also, numerous roads in and around Walterboro were flooded." +120616,722556,TEXAS,2017,September,Thunderstorm Wind,"TAYLOR",2017-09-02 18:49:00,CST-6,2017-09-02 18:49:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"An isolated supercell thunderstorm caused some wind damage in Abilene and Tye.","Thunderstorm winds blew down a restaurant sign onto a vehicle in southwestern Abilene near the intersection of Southwest Drive and Clack Street." +120616,722557,TEXAS,2017,September,Thunderstorm Wind,"TAYLOR",2017-09-02 18:43:00,CST-6,2017-09-02 18:43:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-99.86,32.42,-99.86,"An isolated supercell thunderstorm caused some wind damage in Abilene and Tye.","" +120616,722555,TEXAS,2017,September,Thunderstorm Wind,"TAYLOR",2017-09-02 18:44:00,CST-6,2017-09-02 18:44:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.87,32.45,-99.87,"An isolated supercell thunderstorm caused some wind damage in Abilene and Tye.","Tye Police Department reported a small 10 by 10 foot metal building was destroyed and a couple of small 4 by 8 foot signs were blown down by damaging thunderstorm winds. Winds were estimated at 60 mph." +120617,722558,TEXAS,2017,September,Thunderstorm Wind,"MASON",2017-09-19 15:10:00,CST-6,2017-09-19 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.71,-99.23,30.71,-99.23,"Lots of instability along with dry and hot low to mid levels resulted in an isolated damaging thunderstorm microburst on September 19. The same airmass remained through September 20. A weak upper level disturbance interacted with this airmass to cause an increase of thunderstorm coverage on the 20th. A few of these thunderstorms resulted in thunderstorm microbursts and subsequent wind damage across West Central Texas. One of the thunderstorms began to rotate near Lawn.","Law enforcement officials reported a barn roof was blown off and trees were snapped in Mason." +120617,722559,TEXAS,2017,September,Thunderstorm Wind,"IRION",2017-09-20 17:18:00,CST-6,2017-09-20 17:18:00,0,0,0,0,0.00K,0,0.00K,0,31.41,-100.73,31.41,-100.73,"Lots of instability along with dry and hot low to mid levels resulted in an isolated damaging thunderstorm microburst on September 19. The same airmass remained through September 20. A weak upper level disturbance interacted with this airmass to cause an increase of thunderstorm coverage on the 20th. A few of these thunderstorms resulted in thunderstorm microbursts and subsequent wind damage across West Central Texas. One of the thunderstorms began to rotate near Lawn.","A trained spotter reported minor tree damage." +120617,722560,TEXAS,2017,September,Thunderstorm Wind,"IRION",2017-09-20 18:07:00,CST-6,2017-09-20 18:07:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-100.81,31.3,-100.81,"Lots of instability along with dry and hot low to mid levels resulted in an isolated damaging thunderstorm microburst on September 19. The same airmass remained through September 20. A weak upper level disturbance interacted with this airmass to cause an increase of thunderstorm coverage on the 20th. A few of these thunderstorms resulted in thunderstorm microbursts and subsequent wind damage across West Central Texas. One of the thunderstorms began to rotate near Lawn.","The West Texas Mesonet near Mertzon measured a 64 knot wind gust." +120464,721733,NORTH CAROLINA,2017,September,Thunderstorm Wind,"ROWAN",2017-09-01 13:55:00,EST-5,2017-09-01 13:55:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-80.62,35.55,-80.62,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","Media reported multiple power lines blown down in downtown Landis." +120464,721734,NORTH CAROLINA,2017,September,Thunderstorm Wind,"IREDELL",2017-09-01 16:24:00,EST-5,2017-09-01 16:33:00,0,0,0,0,0.00K,0,0.00K,0,35.825,-80.964,35.7,-80.91,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","County comms reported several trees blown down on Little Farm Road and another tree down on the west side of Troutman." +120464,722049,NORTH CAROLINA,2017,September,Thunderstorm Wind,"RUTHERFORD",2017-09-01 17:34:00,EST-5,2017-09-01 17:34:00,0,0,0,0,0.00K,0,0.00K,0,35.45,-81.97,35.45,-81.97,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","FD reported a few trees blown down north of Thermal City." +120464,722051,NORTH CAROLINA,2017,September,Thunderstorm Wind,"CABARRUS",2017-09-01 19:37:00,EST-5,2017-09-01 19:37:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-80.59,35.41,-80.59,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","Local law enforcement reported several trees and some power lines blown down in Concord." +120464,722052,NORTH CAROLINA,2017,September,Hail,"MECKLENBURG",2017-09-01 18:17:00,EST-5,2017-09-01 18:17:00,0,0,0,0,,NaN,,NaN,35.467,-80.805,35.467,-80.805,"Two lines of showers and thunderstorms developed ahead of a cold front and associated area of low pressure and moved over the western Piedmont of North Carolina on the 1st: one during early/mid afternoon, and another during the evening. Several embedded thunderstorms produced brief damaging winds, while flash flooding developed across a portion of the Charlotte metro area.","Public reported golf ball size hail between Davidson-Concord Rd and East Rocky River Rd." +119265,723134,SOUTH CAROLINA,2017,September,Heavy Rain,"LEXINGTON",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.9419,-81.122,33.9419,-81.122,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Columbia SC Metropolitan Airport measured a total rainfall amount of 3.78 inches." +119265,723135,SOUTH CAROLINA,2017,September,Heavy Rain,"ORANGEBURG",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.4571,-80.8601,33.4571,-80.8601,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Orangeburg SC Municipal Airport measured a total rainfall amount of 3.86 inches." +119265,723136,SOUTH CAROLINA,2017,September,Heavy Rain,"RICHLAND",2017-09-11 00:00:00,EST-5,2017-09-12 08:00:00,0,0,0,0,,NaN,,NaN,33.9685,-80.9904,33.9685,-80.9904,"Irma made landfall in south Florida as a category 4 hurricane on Sunday, September 10th, then moved north up the Florida peninsula during the day and night while gradually weakening. Irma weakened to Tropical Storm status while over north Florida Monday morning September 11th, and shifted NW over SW Georgia and into Alabama through Monday night while weakening to a Depression. Copious rainfall amounts associated with the cyclone occurred across the Central Savannah River Area (CSRA) of GA and the Midlands of SC, which generally fell from late Sunday night, through Monday and Monday night the 11th, and into the early morning hours of Tuesday the 12th. In addition, the pressure gradient between the cyclone to our SW, and high pressure to our north, provided strong wind gusts over the region as well which downed numerous trees. The strongest wind gusts occurred Monday afternoon Sept 11th.","ASOS unit at Hamilton-Owens Airport in Columbia measured a total rainfall amount of 3.10 inches." +120432,721515,FLORIDA,2017,September,Flood,"COLLIER",2017-09-29 17:00:00,EST-5,2017-09-29 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,26.096,-81.7246,26.1093,-81.7439,"A mid to upper level trough associated with a low centered over the northeast Gulf waters combined with the western edge of the Atlantic high. This brought southerly flow and deep tropical moisture from the Caribbean and southeastern Gulf of Mexico to Florida. This allowed for moderate to heavy rainfall across portions of Collier county leading to flooding of roadways.","The Collier County Sheriffs Office reported multiple intersections in the Lely area closed due to flooding. Two to three feet of standing water in the roadways with vehicles stranded was reported throughout the area, including the following locations: St. Andrews Boulevard at Warren Street, Rattlesnake Hammock Road from US 41 to Hawaii Boulevard, and Pebble Beach Boulevard and Big Springs Drive." +120740,723190,KANSAS,2017,September,Thunderstorm Wind,"STEVENS",2017-09-01 21:15:00,CST-6,2017-09-01 21:15:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-101.37,37.2,-101.37,"An upper level ridge built over the Rockies. Near the surface, a ridge of high pressure extending from the great lakes into Colorado moved slightly northward and this shifted the winds from the northeast to the southeast by the afternoon. A few thunderstorms developed bringing just a few severe reports.","" +118891,714251,COLORADO,2017,September,Tornado,"EL PASO",2017-09-09 13:45:00,MST-7,2017-09-09 13:49:00,0,0,0,0,0.00K,0,0.00K,0,38.9517,-104.6513,38.95,-104.6466,"A boundary served as the catalyst for two closely spaced landspouts to develop northwest of Falcon.","The two brief landspouts caused no known damage from which the NWS could assign an EF-scale rating." +120540,722094,ARKANSAS,2017,September,Flood,"WOODRUFF",2017-09-01 00:00:00,CST-6,2017-09-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2761,-91.2432,35.2585,-91.248,"Heavy rain brought flooding to the Cache River at Patterson in September 2017.","Heavy rain in August led to flooding along the Cache River that continued into early September." +119812,718416,MONTANA,2017,September,Frost/Freeze,"FLATHEAD/MISSION VALLEYS",2017-09-17 04:00:00,MST-7,2017-09-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold air-mass combined with clear conditions created freezing conditions in the Flathead Valley.","Glacier Park International Airport reported a low of 27 degrees while Hot Springs saw a low of 29 degrees Fahrenheit. Both locations experienced around six hours at or below freezing." +119603,717528,MONTANA,2017,September,Heavy Snow,"BITTERROOT / SAPPHIRE MOUNTAINS",2017-09-14 21:00:00,MST-7,2017-09-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After a hot start to September, a cold weather system brought widespread low elevation rain and snow accumulations above 6000 feet across the Northern Rockies impacting backcountry hunters, wildfire crews and travel across mountain passes. The large degree of change coupled with the somewhat unseasonable timing of this event produced greater than normal impacts.","Up to 4 inches of snow fell across the higher terrain during this event causing snow and slush to cover parts of Skalkaho Pass and backcountry roads. Fire personnel from the Lolo Peak wildfire were cut-off from any access to the mid and upper part of the fire due to snow. Temperatures fell from the 70s and 80s in the higher terrain earlier in the week to the upper 20s to lower 30s by the 15th." +120693,722924,SOUTH DAKOTA,2017,September,Drought,"CAMPBELL",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722925,SOUTH DAKOTA,2017,September,Drought,"MCPHERSON",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722926,SOUTH DAKOTA,2017,September,Drought,"EDMUNDS",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +120693,722927,SOUTH DAKOTA,2017,September,Drought,"FAULK",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought continued across most of central and north central South Dakota throughout much of September west of the James River Valley. There was some improvement towards the end of September. Periodic episodes of precipitation across the region had prevented widespread worsening of the drought conditions. The severe drought had began across the region in early June. Several counties still had burn bans in place. Crops and pastureland continued to suffer from the the long term dryness. The spring and winter wheat production was at its lowest in years and more than 60 percent below long-term norms. Only 670,000 acres of spring wheat were harvested in the state this year, the lowest since the big drought year of 1936 when only 550,000 acres were harvested.","" +117361,705760,NEW YORK,2017,August,Hail,"ESSEX",2017-08-04 17:40:00,EST-5,2017-08-04 17:40:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-73.98,44.28,-73.98,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Dime size hail reported." +117361,705764,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 12:08:00,EST-5,2017-08-04 12:08:00,0,0,0,0,2.00K,2000,0.00K,0,44.61,-74.97,44.61,-74.97,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117361,705765,NEW YORK,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-04 13:36:00,EST-5,2017-08-04 13:36:00,0,0,0,0,5.00K,5000,0.00K,0,44.9,-74.17,44.9,-74.17,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines causing power pole to snap." +117361,705767,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 15:32:00,EST-5,2017-08-04 15:32:00,0,0,0,0,2.00K,2000,0.00K,0,44.46,-75.71,44.46,-75.71,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117361,705768,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 15:38:00,EST-5,2017-08-04 15:38:00,0,0,0,0,5.00K,5000,0.00K,0,44.51,-75.7,44.51,-75.7,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds on Sand street at Ireland road." +117361,705770,NEW YORK,2017,August,Thunderstorm Wind,"ST. LAWRENCE",2017-08-04 15:43:00,EST-5,2017-08-04 15:43:00,0,0,0,0,2.00K,2000,0.00K,0,44.59,-75.65,44.59,-75.65,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Tree down on utility lines caused by thunderstorm winds." +117361,705771,NEW YORK,2017,August,Thunderstorm Wind,"ESSEX",2017-08-04 17:54:00,EST-5,2017-08-04 17:54:00,0,0,0,0,5.00K,5000,0.00K,0,44.3,-73.79,44.3,-73.79,"An upper level disturbance ahead of an approaching cold front moved across a moderately unstable air mass across northern NY on the afternoon and evening of August 4th. Scattered thunderstorms developed with a few isolated producing damaging winds and lightning.","Trees down on utility lines on Route 9 near Jay town line." +117580,707082,OHIO,2017,August,Thunderstorm Wind,"MADISON",2017-08-03 19:34:00,EST-5,2017-08-03 19:44:00,0,0,0,0,1.00K,1000,0.00K,0,39.88,-83.45,39.88,-83.45,"A cold front interacted with a moist atmosphere to produce isolated strong thunderstorms.","A tree was knocked down." +118098,709777,OHIO,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-22 11:54:00,EST-5,2017-08-22 11:59:00,0,0,0,0,2.00K,2000,0.00K,0,40.01,-82.87,40.01,-82.87,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","Several large trees were knocked down between Gahanna Lincoln High School and John Glenn Columbus International Airport." +118098,709778,OHIO,2017,August,Thunderstorm Wind,"CLINTON",2017-08-22 12:01:00,EST-5,2017-08-22 12:11:00,0,0,0,0,1.00K,1000,0.00K,0,39.42,-83.99,39.42,-83.99,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","A tree and several large limbs were knocked down on the north side of highway U.S. 22/ Ohio 3." +118098,709779,OHIO,2017,August,Thunderstorm Wind,"LICKING",2017-08-22 12:05:00,EST-5,2017-08-22 12:15:00,0,0,0,0,4.00K,4000,0.00K,0,40.09,-82.61,40.09,-82.61,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","Trees were knocked down in the Pataskala and Alexandria areas." +118098,709780,OHIO,2017,August,Thunderstorm Wind,"LICKING",2017-08-22 12:16:00,EST-5,2017-08-22 12:26:00,0,0,0,0,4.00K,4000,0.00K,0,40.06,-82.4,40.06,-82.4,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","Trees were knocked down in the Granville and Newark areas." +118098,709781,OHIO,2017,August,Thunderstorm Wind,"SCIOTO",2017-08-22 12:42:00,EST-5,2017-08-22 12:52:00,0,0,0,0,1.00K,1000,0.00K,0,38.7052,-83.1168,38.7052,-83.1168,"Scattered strong to severe thunderstorms developed ahead of a cold front that was dropping through the region.","A large tree fell across Odle Creek Road, just off State Route 125." +117354,705737,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-02 15:00:00,EST-5,2017-08-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"Strong westerly winds propelled a broken line of thunderstorms from the central Florida interior quickly across the Brevard County mainland and to the intracoastal waters, barrier islands and adjacent Atlantic. Strong wind gusts were observed at several locations.","USAF wind tower 1007, located over the Indian River along NASA Parkway, measured a peak wind gust of 34 knots from the west-southwest as a strong thunderstorm passed by." +117354,705740,ATLANTIC SOUTH,2017,August,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-08-02 15:05:00,EST-5,2017-08-02 15:05:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"Strong westerly winds propelled a broken line of thunderstorms from the central Florida interior quickly across the Brevard County mainland and to the intracoastal waters, barrier islands and adjacent Atlantic. Strong wind gusts were observed at several locations.","USAF wind tower 0300, located over the Banana River along Highway 528/A1A, measured a peak wind gust of 38 knots from the southwest as a strong thunderstorm passed by." +121415,726797,MICHIGAN,2017,November,Winter Weather,"ONTONAGON",2017-11-18 23:30:00,EST-5,2017-11-19 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shot of colder air moving across Lake Superior resulted in a period of moderate lake effect snow for the northwest wind snow belts of Upper Michigan from late on the 18th into the 19th.","There was a report of four inches of lake effect snow in 12 hours near Mass City." +121415,726798,MICHIGAN,2017,November,Winter Weather,"ALGER",2017-11-19 01:00:00,EST-5,2017-11-19 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shot of colder air moving across Lake Superior resulted in a period of moderate lake effect snow for the northwest wind snow belts of Upper Michigan from late on the 18th into the 19th.","There was a report of four inches of lake effect snow in 12 hours at Christmas." +121424,726906,OKLAHOMA,2017,November,Wildfire,"COAL",2017-11-25 12:00:00,CST-6,2017-11-25 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Sand Creek Fire burned approximately 200 acres in Coal county on the 25th.","" +121425,726908,OKLAHOMA,2017,November,Wildfire,"ATOKA",2017-11-27 12:00:00,CST-6,2017-11-27 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The 5 Mile Road fire burned approximately 270 acres in Atoka county on the 27th.","" +121427,726922,OKLAHOMA,2017,November,Drought,"JEFFERSON",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726923,OKLAHOMA,2017,November,Drought,"CARTER",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726924,OKLAHOMA,2017,November,Drought,"LOVE",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726925,OKLAHOMA,2017,November,Drought,"MURRAY",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726926,OKLAHOMA,2017,November,Drought,"JOHNSTON",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726927,OKLAHOMA,2017,November,Drought,"MARSHALL",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726928,OKLAHOMA,2017,November,Drought,"PONTOTOC",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726930,OKLAHOMA,2017,November,Drought,"COAL",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121427,726931,OKLAHOMA,2017,November,Drought,"ATOKA",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121042,724643,LOUISIANA,2017,November,Drought,"UNION",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded south and east across portions of Northcentral Louisiana during the third week of November, encompassing much of Union, Lincoln, and Caldwell Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121042,724645,LOUISIANA,2017,November,Drought,"CALDWELL",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded south and east across portions of Northcentral Louisiana during the third week of November, encompassing much of Union, Lincoln, and Caldwell Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121042,724644,LOUISIANA,2017,November,Drought,"LINCOLN",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded south and east across portions of Northcentral Louisiana during the third week of November, encompassing much of Union, Lincoln, and Caldwell Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121043,724646,TEXAS,2017,November,Drought,"WOOD",2017-11-30 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south across Northeast Texas by the final day of November, and encompassed Wood and Upshur Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, and only 3-4 inches of rain falling during the Fall months (September-October-November). This resulted in a nearly 9 inch rainfall deficit for the Fall, which was about 25% of normal for this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +120612,722663,ALABAMA,2017,November,Tornado,"COLBERT",2017-11-18 17:01:00,CST-6,2017-11-18 17:04:00,0,0,0,0,,NaN,,NaN,34.588,-87.737,34.589,-87.707,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","The tornado touched down in the vicinity of Ligon Springs Road, about half a mile north of where Ligon Springs Road turns east. Multiple trees in this area were uprooted. The tornado then tracked almost due east. Where the tornado intersected Cook Creek Road, there were numerous trees uprooted and smaller trunks snapped. A house was also damaged on Cook Creek Road. The garage attached to the house was almost completely collapsed and was pulled away from the main house. The house also had some shingle and siding damage as well as the porch supports blown out. Multiple trees behind the home were uprooted and smaller trunks were snapped. The tornado continued to track east and cross the eastern portion of Ligon Springs Road. On this road, a small barn was mostly collapsed along with a few trees uprooted and lying|across the road. No additional damage was found farther east." +120613,726090,TENNESSEE,2017,November,Thunderstorm Wind,"FRANKLIN",2017-11-18 18:16:00,CST-6,2017-11-18 18:16:00,0,0,0,0,3.00K,3000,,NaN,35.18,-86.11,35.18,-86.11,"A narrow fast-moving line of showers and a few embedded thunderstorms produced isolated wind damage.","Tree reported down along 4th Avenue SW in the Winchester area." +120612,722664,ALABAMA,2017,November,Tornado,"LAWRENCE",2017-11-18 17:18:00,CST-6,2017-11-18 17:24:00,0,0,0,0,,NaN,,NaN,34.6094,-87.4622,34.618,-87.3868,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tornado touched down on CR-140 and along a forested area just west of where CR-140 and AL Highway 157 intersect. Just east of Highway 157, a house had significant damage. The tin roof was peeled away from its wooden supports, some of which were broken. Large trees were snapped and uprooted and were laying in multiple directions. A well constructed sturdy barn with metal supports was completely mangled and collapsed. Debris from the barn and the house was tossed into the woods behind it|and wrapped around trees. The tornado then tracked east, with a swath of damage bordering and along CR-140. The houses all along this road had shingle damage, as well as a few holes through the wood of the roof. Another house had an east facing door blown in with a back porch pulled away from another. One house in particular, along with roof damage, had a roof completely removed from a large car port with its supports pulled from the concrete. A trailer was also picked up and placed on top of a tractor. This house also had a row of trees completely snapped near the center of the tree. All along the road there were very large trees uprooted and trunks snapped. The tornado moved east through forested areas before impacting more houses along CR-449. One house had a window blown out and an interior door was twisted along with a small outbuilding collapsed. Next door, a mobile home had the tin peeled off and twisted and some thrown around trees. Siding on the back side was peeled off and the undercarriage was blown out in a few places. A standalone garage port was slightly|shifted off its foundation with the doors blown in. Multiple trees were uprooted and snapped as well. The tornado crossed AL-101 uprooting trees. A mobile home had a few shingles missing along with a few trees uprooted and snapped were found near CR-256 and Broad Hollow Road. No damage was found east of this point." +121293,729187,INDIANA,2017,November,Thunderstorm Wind,"CLINTON",2017-11-05 14:05:00,EST-5,2017-11-05 14:05:00,0,0,0,0,1.50K,1500,0.00K,0,40.21,-86.43,40.21,-86.43,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A utility pole was blown almost all the way over onto South County Road 400 East near East State Road 38 due to damaging thunderstorm wind gusts." +121293,729209,INDIANA,2017,November,Thunderstorm Wind,"HAMILTON",2017-11-05 14:19:00,EST-5,2017-11-05 14:19:00,0,0,0,0,15.00K,15000,0.00K,0,40.1882,-86.1874,40.1882,-86.1874,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Numerous large trees and branches were snapped. A roof of a barn and an old shed was destroyed. Also, the awning of a home was ripped off due to damaging thunderstorm wind gusts." +121293,729217,INDIANA,2017,November,Tornado,"LAWRENCE",2017-11-05 13:20:00,EST-5,2017-11-05 13:25:00,0,0,0,0,125.00K,125000,0.00K,0,38.9509,-86.6385,38.955,-86.5853,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","This EF1 tornado produced damage north of Springville. Over a dozen structures had minor to moderate damage with the worst damage being two destroyed mobile homes and a garage being destroyed. Dozens of hardwood trees were either snapped off or uprooted." +121293,729252,INDIANA,2017,November,Tornado,"DELAWARE",2017-11-05 13:24:00,EST-5,2017-11-05 13:36:00,0,0,0,0,90.00K,90000,0.00K,0,40.3491,-85.3483,40.3788,-85.2594,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A long track, EF2 tornado, with winds estimated at 134 mph, started northeast of Eaton in Delaware County then traveled into Blackford County and then into Ohio. Mainly tree damage in Delaware County until the Delaware-Blackford County border, where a Quonset hut was collapsed. Several tractors and a vintage Harley Davidson were inside and heavily damaged. Winds in this location before pushing into Blackford County were estimated at 120 mph. More significant damage was done farther north along the path." +121293,729263,INDIANA,2017,November,Thunderstorm Wind,"CLINTON",2017-11-05 14:12:00,EST-5,2017-11-05 14:12:00,0,0,0,0,5.00K,5000,0.00K,0,40.2288,-86.3774,40.2288,-86.3774,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Roof damage was noted at State Road 421 and County Road 400 South due to damaging thunderstorm wind gusts. Pea sized hail was also noted at this location." +121436,726957,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 26 inches of snow." +121436,726959,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 20 inches of snow." +121436,726960,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 25 inches of snow." +121436,726961,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 32 inches of snow." +121439,726974,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-17 02:25:00,MST-7,2017-11-17 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed across portions of southeast Wyoming.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 17/0255 MST." +121441,726975,WYOMING,2017,November,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-11-16 08:50:00,MST-7,2017-11-16 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 63 mph at 16/1050 MST." +121441,726978,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 03:50:00,MST-7,2017-11-16 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 16/0425 MST." +121441,726979,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 12:50:00,MST-7,2017-11-16 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +120840,723561,HAWAII,2017,November,High Surf,"WINDWARD HALEAKALA",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723562,HAWAII,2017,November,High Surf,"BIG ISLAND NORTH AND EAST",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120841,723563,HAWAII,2017,November,Heavy Rain,"HONOLULU",2017-11-11 14:11:00,HST-10,2017-11-11 17:01:00,0,0,0,0,0.00K,0,0.00K,0,21.6754,-157.9683,21.3329,-157.7506,"An upper trough moving toward the Aloha State from the northwest acted on a pocket of low level moisture moving through the islands to produce heavy showers and isolated thunderstorms, mainly affecting Oahu and the Big Island of Hawaii. A flash flood also occurred over the southeast portion of Oahu, where two individuals were rescued from the Palolo Stream. However, no significant injuries or property damage was reported.","" +120841,723564,HAWAII,2017,November,Heavy Rain,"HAWAII",2017-11-11 17:15:00,HST-10,2017-11-11 19:56:00,0,0,0,0,0.00K,0,0.00K,0,20.1082,-155.7525,19.5845,-155.7999,"An upper trough moving toward the Aloha State from the northwest acted on a pocket of low level moisture moving through the islands to produce heavy showers and isolated thunderstorms, mainly affecting Oahu and the Big Island of Hawaii. A flash flood also occurred over the southeast portion of Oahu, where two individuals were rescued from the Palolo Stream. However, no significant injuries or property damage was reported.","" +120841,723565,HAWAII,2017,November,Flash Flood,"HONOLULU",2017-11-11 19:15:00,HST-10,2017-11-11 20:33:00,0,0,0,0,0.00K,0,0.00K,0,21.2911,-157.8151,21.2908,-157.8147,"An upper trough moving toward the Aloha State from the northwest acted on a pocket of low level moisture moving through the islands to produce heavy showers and isolated thunderstorms, mainly affecting Oahu and the Big Island of Hawaii. A flash flood also occurred over the southeast portion of Oahu, where two individuals were rescued from the Palolo Stream. However, no significant injuries or property damage was reported.","Two individuals on Oahu were rescued from under a bridge on Waialae Avenue near the Palolo Stream, which had begun overflowing its banks because of heavy rain." +120841,723566,HAWAII,2017,November,Heavy Rain,"HONOLULU",2017-11-11 21:28:00,HST-10,2017-11-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,21.6627,-157.9491,21.3892,-157.7939,"An upper trough moving toward the Aloha State from the northwest acted on a pocket of low level moisture moving through the islands to produce heavy showers and isolated thunderstorms, mainly affecting Oahu and the Big Island of Hawaii. A flash flood also occurred over the southeast portion of Oahu, where two individuals were rescued from the Palolo Stream. However, no significant injuries or property damage was reported.","" +120831,723529,NEBRASKA,2017,November,High Wind,"VALLEY",2017-11-24 10:56:00,CST-6,2017-11-24 10:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High winds occurred at one location in south central Nebraska on this Friday, but a few other locations were very close. An anomalously warm air mass was in place, and the region was in the warm sector of a low pressure center over Ontario, Canada. A very weak cold front extended southwest from the low across the Northern Plains at 6 AM CST. This front was moving rapidly south and it crossed south central Nebraska between 11 AM and 2 PM CST. Winds increased significantly behind the front, resulting in a few locations measuring peak gusts between 55 and 57 mph from 10:45 AM to 12:30 PM CST. The ASOS at Ord (ODX) was the only location to record a peak gust of 58 mph. RAP model 850 mb analyses showed an area of 50 kt winds over western Nebraska at 6 AM. The morning rawinsonde launched from North Platte sampled winds of 55 kt at 5000 ft AGL. These winds were occurring above a very strong inversion. As the morning progressed, these winds spread eastward. So, once cold air advection developed, upward sensible heat fluxes resulted in a deeper, well-mixed boundary layer that brought these some of these winds to the surface.","" +121293,726158,INDIANA,2017,November,Hail,"DELAWARE",2017-11-05 13:20:00,EST-5,2017-11-05 13:22:00,0,0,0,0,,NaN,,NaN,40.3641,-85.3883,40.3641,-85.3883,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","" +121293,726159,INDIANA,2017,November,Hail,"TIPPECANOE",2017-11-05 13:42:00,EST-5,2017-11-05 13:44:00,0,0,0,0,,NaN,,NaN,40.36,-86.9,40.36,-86.9,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","" +121293,726160,INDIANA,2017,November,Hail,"MONROE",2017-11-05 13:45:00,EST-5,2017-11-05 13:47:00,0,0,0,0,,NaN,,NaN,39,-86.5,39,-86.5,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Winds in this location were estimated at 50 to 55 mph." +121293,726161,INDIANA,2017,November,Hail,"TIPPECANOE",2017-11-05 13:51:00,EST-5,2017-11-05 13:53:00,0,0,0,0,,NaN,,NaN,40.29,-86.78,40.29,-86.78,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Winds in this location were estimated at 50 mph." +121302,726165,MONTANA,2017,November,High Wind,"DAWSON",2017-11-29 12:05:00,MST-7,2017-11-29 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds gusting into the 40s and 50s impacted northeast Montana throughout much of the morning and into the early afternoon hours, with a peak wind gust of 59 mph recorded at the AWOS station located at the Glendive Airport.","A 59 mph wind gust was recorded at the Glendive Airport." +121437,726969,WYOMING,2017,November,Winter Weather,"NORTH SNOWY RANGE FOOTHILLS",2017-11-06 12:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Three inches of snow was observed 10 miles south of Medicine Bow." +121437,726970,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Four inches of snow was observed three miles west of Cheyenne." +121437,726971,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Five inches of snow was observed two miles southeast of Cheyenne." +121438,726972,NEBRASKA,2017,November,Winter Weather,"SCOTTS BLUFF",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall across the southwest portion of the Nebraska Panhandle. Snow accumulations of three to six inches were observed.","Three inches of snow was observed at Gering." +121438,726973,NEBRASKA,2017,November,Winter Weather,"KIMBALL",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall across the southwest portion of the Nebraska Panhandle. Snow accumulations of three to six inches were observed.","Three to six inches of snow was observed 15 miles south of Bushnell." +121443,726990,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-16 00:00:00,MST-7,2017-11-16 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 14 inches of snow." +121443,726984,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 17 inches of snow." +121103,725045,MASSACHUSETTS,2017,November,Strong Wind,"SUFFOLK",2017-11-19 12:15:00,EST-5,2017-11-19 13:33:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 12:18 PM EST, The Automated Surface Observation Platform at Logan International Airport measured a wind gust to 49 mph. At 1:33 PM EST, a tree fell into a house on Proctor Avenue in Revere." +121554,727484,UTAH,2017,November,High Wind,"SOUTHWEST UTAH",2017-11-27 10:45:00,MST-7,2017-11-27 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved through Utah on November 27, producing strong, gusty winds, particularly across northern and western Utah. In most cases, the strongest winds were behind the cold front.","The Cedar City Regional Airport ASOS recorded a peak wind gust of 60 mph. Cedar City was one of the few places in this event that the winds were strongest out of the south, ahead of the cold frontal passage." +121555,727483,LOUISIANA,2017,November,Flash Flood,"LAFAYETTE",2017-11-01 13:04:00,CST-6,2017-11-01 14:04:00,0,0,0,0,0.00K,0,0.00K,0,30.2336,-92.0908,30.2591,-92.016,"A cold front worked through South Louisiana during the 1st with scattered to numerous showers and storms along the boundary. Heavy rain trained over Lafayette for multiple hours producing a storm total of 3 to 6 inches.","Multiple reports and photographs were received indicating flooding around the city of Lafayette. Multiple cars were stalled/flooded around the city with some structures almost taking water. Some roads were closed for multiple hours until flood waters receded." +120612,727557,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:48:00,CST-6,2017-11-18 18:48:00,0,0,0,0,,NaN,0.00K,0,34.3637,-86.3533,34.3637,-86.3533,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Power lines were knocked down with roof damage in the middle of the road along Highway 69 at Warrenton Road west of Guntersville." +120612,727559,ALABAMA,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 18:40:00,CST-6,2017-11-18 18:40:00,0,0,0,0,,NaN,0.00K,0,34.8538,-86.0007,34.8538,-86.0007,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Large tree limbs and debris blocking CR 39 east of Skyline." +120612,727549,ALABAMA,2017,November,Thunderstorm Wind,"MADISON",2017-11-18 18:02:00,CST-6,2017-11-18 18:02:00,0,0,0,0,0.50M,500000,0.00K,0,34.64,-86.78,34.64,-86.78,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","FAA representatives reported damage to 5 aircraft and 1 helicopter in two hangers. Three inch diameter ropes were broken that tied the vertical blades down. Time estimated by HSV ASOS wind report and radar." +121554,727482,UTAH,2017,November,High Wind,"WEST CENTRAL UTAH",2017-11-27 11:35:00,MST-7,2017-11-27 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved through Utah on November 27, producing strong, gusty winds, particularly across northern and western Utah. In most cases, the strongest winds were behind the cold front.","The Fish Springs sensor in the U.S. Army Dugway Proving Ground mesonet recorded a maximum wind gust of 59 mph." +113660,692415,TEXAS,2017,April,Flash Flood,"CORYELL",2017-04-11 01:12:00,CST-6,2017-04-11 04:15:00,0,0,0,0,0.00K,0,0.00K,0,31.2854,-97.912,31.2803,-97.9119,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Coryell County Sheriff's Department reported that CR 142 near Pidcoke was flooded." +113660,692417,TEXAS,2017,April,Flash Flood,"BELL",2017-04-11 07:13:00,CST-6,2017-04-11 10:15:00,0,0,0,0,0.00K,0,0.00K,0,31.1994,-97.3045,31.1882,-97.4405,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Law enforcement reported that over 20 roads across Bell County were flooded." +113660,692425,TEXAS,2017,April,Flash Flood,"CORYELL",2017-04-11 07:15:00,CST-6,2017-04-11 10:15:00,0,0,0,0,0.00K,0,0.00K,0,31.28,-97.9,31.1506,-97.8731,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Law enforcement reported continued flooding in the Pidcoke area and southern Coryell County." +113660,692433,TEXAS,2017,April,Flash Flood,"BELL",2017-04-11 09:00:00,CST-6,2017-04-11 10:45:00,0,0,0,0,0.00K,0,0.00K,0,31.1966,-97.3004,31.1072,-97.744,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported 7 water rescues ongoing across Bell County." +113660,693061,TEXAS,2017,April,Flood,"CORYELL",2017-04-11 08:00:00,CST-6,2017-04-11 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.13,-97.92,31.0815,-97.9387,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported minor street flooding in the city of Copperas Cove, TX." +121593,727783,OREGON,2017,November,High Wind,"NORTHERN OREGON COAST",2017-11-26 03:05:00,PST-8,2017-11-26 04:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up the coast. The cold front associated with this low pressure system brought strong winds to the coast.","A Oregon Department of Transportation weather station on Megler Bridge recorded wind gusts up to 62 mph. Wind speeds of similar magnitude were also reported in an adjacent zone." +121567,728339,NEW YORK,2017,November,Coastal Flood,"NORTHERN CAYUGA",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121785,728957,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 11:42:00,PST-8,2017-11-26 11:43:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Mesonet station F0451 3 miles north-northwest of Virginia City reported a 60 mph wind gust." +121783,728935,CALIFORNIA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-26 13:16:00,PST-8,2017-11-26 13:17:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mesonet atop Alpine Meadows (elevation 8643 feet) reported a wind gust of 116 mph." +121783,728936,CALIFORNIA,2017,November,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-11-26 11:31:00,PST-8,2017-11-26 11:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mesonet station RNYC1 4 miles south-southeast of Sierraville (elevation 6943 feet) reported a wind gust of 70 mph." +121783,728938,CALIFORNIA,2017,November,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-11-26 11:11:00,PST-8,2017-11-26 11:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mesonet station DYLC1 2 miles north of Doyle (elevation 4320 feet) reported a wind gust of 63 mph." +121783,728940,CALIFORNIA,2017,November,High Wind,"MONO",2017-11-26 16:15:00,PST-8,2017-11-26 16:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","AWOS at Mammoth-Yosemite Airport (elevation 7112 feet) reported a wind gust of 61 mph." +121783,728941,CALIFORNIA,2017,November,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-11-26 01:00:00,PST-8,2017-11-26 01:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mesonet station JDPC1 9 miles northwest of Frenchman Lake (elevation 6812 feet) reported a wind gust of 61 mph." +121783,728942,CALIFORNIA,2017,November,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-11-26 11:15:00,PST-8,2017-11-26 11:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mesonet station PIEC1 4 miles north-northwest of Antelope Lake (elevation 5811 feet) reported a wind gust of 60 mph." +120735,723098,KENTUCKY,2017,November,Tornado,"MEADE",2017-11-18 16:32:00,EST-5,2017-11-18 16:34:00,1,0,0,0,200.00K,200000,0.00K,0,37.9222,-86.3086,37.9287,-86.2763,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","The tornado touched down just inside the Breckinridge-Meade County line north of Irvington. It pushed a large tobacco barn 15 feet eastward, tore off its roof, and collapsed several walls. Debris from the barn was scattered over a half mile downwind. The tornado moved east-northeast, skipping along a wooded |area where several trees were snapped or uprooted, then hit a mobile home on Fackler Road, rolling the anchored unit several times, destroying the home. The owner sustained only minor injuries as he |rolled over with his house, crawling out of a hole after it settled. A garage on the property was also destroyed. The tornado continued skipping along the northwest side of Sandy Hill Rd, damaging |outbuildings on another farm, before crossing KY highway 261 at Guston Rd. A split level home on Guston Rd had part of its roof removed, with insulation spattered on the lee side of the home. An occupant |of the home reported he was descending the stairs as the roof was torn off, and was briefly drawn up the stairs as it occurred. Debris from the split level home was dropped across the road, where a few more trees were snapped and uprooted. The tornado then flattened a fence and peeled a section of sheet metal on an outbuilding before lifting. The NWS thanks Meade County EMA and Remote Aerial for their assistance in |this damage survey." +121823,729254,NEW YORK,2017,November,Lake-Effect Snow,"NORTHERN ONEIDA",2017-11-19 21:00:00,EST-5,2017-11-20 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracked down the Saint Lawrence River Valley from the 19th to the 20th. A northwest flow of cold air across the relatively warm waters of Lake Ontario led to the first significant lake effect snowstorm for parts of north central New York. Snowfall ranged from 6 to 10 inches in far northern Onondaga, northern Madison County and northwest Oneida County. The snow began during the evening of the 19th and ended the morning of the 20th.","Up to 7 inches of snow fell from the evening of the 19th to the morning of the 20th." +121823,729256,NEW YORK,2017,November,Lake-Effect Snow,"ONONDAGA",2017-11-19 19:00:00,EST-5,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracked down the Saint Lawrence River Valley from the 19th to the 20th. A northwest flow of cold air across the relatively warm waters of Lake Ontario led to the first significant lake effect snowstorm for parts of north central New York. Snowfall ranged from 6 to 10 inches in far northern Onondaga, northern Madison County and northwest Oneida County. The snow began during the evening of the 19th and ended the morning of the 20th.","Between 6 and 10 inches of snow fell from the evening of the 19th to the morning of the 20th in the far northern part of the County." +120592,722384,NEW MEXICO,2017,November,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 9500 FEET/RED RIVER",2017-11-17 09:00:00,MST-7,2017-11-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Taos Ski Valley sites at Kachina Peak and Highline Ridge reported peak wind gusts between 58 mph and 63 mph periodically for much of the day." +120592,722385,NEW MEXICO,2017,November,High Wind,"NORTHEAST HIGHLANDS",2017-11-17 09:50:00,MST-7,2017-11-18 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Sustained winds between 40 mph and 44 mph were reported periodically for much of the day at Tecolotito." +120592,722386,NEW MEXICO,2017,November,High Wind,"NORTHEAST HIGHLANDS",2017-11-17 12:25:00,MST-7,2017-11-17 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Peak wind gust up to 59 mph at the Las Vegas airport." +120606,722499,WEST VIRGINIA,2017,November,Strong Wind,"UPSHUR",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722500,WEST VIRGINIA,2017,November,Strong Wind,"ROANE",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722502,WEST VIRGINIA,2017,November,High Wind,"NORTHWEST RANDOLPH",2017-11-19 01:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724064,ARKANSAS,2017,November,Drought,"POLK",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Polk County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120962,724065,ARKANSAS,2017,November,Drought,"PIKE",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Pike County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120972,724120,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Bayview recorded 7.0 inches of new snow accumulation." +120972,724121,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","The Lookout Pass Ski Resort received 8 to 10 inches of new snow accumulation from this storm. The Silver Mountain Ski Resort measured 12.0 inches of new snow." +120972,724122,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","The observer at Wallace reported 9.3 inches of new snow accumulation." +120972,724123,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","The observer at Prichard reported 8.9 inches of new snow accumulation." +120972,724124,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Pinehurst reported 4.3 inches of new snow accumulation." +121007,724396,INDIANA,2017,November,Strong Wind,"SPENCER",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121008,724397,KENTUCKY,2017,November,Strong Wind,"BALLARD",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724398,KENTUCKY,2017,November,Strong Wind,"CARLISLE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724399,KENTUCKY,2017,November,Strong Wind,"HICKMAN",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121028,724619,TEXAS,2017,November,Drought,"MARION",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across Eastern Bowie, much of Cass, and Eastern Marion Counties in Northeast Texas to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly.","" +121041,724640,TEXAS,2017,November,Drought,"MORRIS",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121085,724859,MONTANA,2017,November,High Wind,"TOOLE",2017-11-23 06:23:00,MST-7,2017-11-23 06:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 8 miles west of Whitlash measured a 59 mph wind gust." +121085,724862,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-23 10:49:00,MST-7,2017-11-23 10:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station in Choteau measured a 62 mph wind gust." +121085,724867,MONTANA,2017,November,High Wind,"CASCADE",2017-11-23 11:58:00,MST-7,2017-11-23 11:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","A 61 mph wind gust measured at site Alpha." +121085,724871,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-23 14:02:00,MST-7,2017-11-23 14:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Mesonet station 8 miles SW of Fort Benton measured a 67 mph wind gust." +122066,730727,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-17 13:50:00,MST-7,2017-12-17 18:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 17/1500 MST." +122066,730728,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-18 07:20:00,MST-7,2017-12-18 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 18/0830 MST." +122066,730729,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-18 08:05:00,MST-7,2017-12-18 10:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 18/0850 MST." +122066,730730,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-17 17:30:00,MST-7,2017-12-17 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher." +122066,730731,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-18 07:55:00,MST-7,2017-12-18 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 18/0900 MST." +122066,730733,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-17 13:15:00,MST-7,2017-12-17 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +122066,730734,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-18 11:20:00,MST-7,2017-12-18 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 18/1210 MST." +122066,730737,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-18 09:00:00,MST-7,2017-12-18 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +122066,730738,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-18 07:00:00,MST-7,2017-12-18 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 660 mph at 18/0710 MST." +122390,732716,OREGON,2017,December,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-12-24 10:00:00,PST-8,2017-12-24 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west into the Willamette Valley, through the Columbia River Gorge. As this system started to bring moisture and precipitation into NW Oregon, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to the Valley Floor around the Portland Metro, in the Columbia River Gorge, and the Hood River Valley.","Spotter reported 4.8 inches of snow nearby in Cascade Locks, and across the river in Underwood there was a CoCoRaHS report of 4.4 inches of snow." +122396,732748,WASHINGTON,2017,December,Winter Weather,"GREATER VANCOUVER AREA",2017-12-24 10:05:00,PST-8,2017-12-25 04:40:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west of the Cascades, through the Columbia River Gorge. As this system started to bring moisture and precipitation into SW Washington, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to sea level around the Vancouver Metro, Lower Columbia River Valley, and in the Columbia River Gorge.","A mix of spotters and local public reported 1 to 3 inches of snow around the Vancouver area, with highest amounts north around Ridgefield. The Vancouver ASOS also observed a changeover to freezing rain, and amounts were probably similar to ice observed at the Portland Airport ASOS, which was 0.20 inch." +122396,732754,WASHINGTON,2017,December,Winter Storm,"WESTERN COLUMBIA GORGE",2017-12-24 10:00:00,PST-8,2017-12-24 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west of the Cascades, through the Columbia River Gorge. As this system started to bring moisture and precipitation into SW Washington, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to sea level around the Vancouver Metro, Lower Columbia River Valley, and in the Columbia River Gorge.","While there were no reports in this zone, just across the river near Corbett, a Broadcast Meteorologist reported 2.5 inches of snow and 0.2 inch of ice. Also, nearby in Cascade Locks, Oregon, a spotter reported 4.8 inches of snow." +122396,732755,WASHINGTON,2017,December,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-12-24 10:00:00,PST-8,2017-12-24 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west of the Cascades, through the Columbia River Gorge. As this system started to bring moisture and precipitation into SW Washington, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to sea level around the Vancouver Metro, Lower Columbia River Valley, and in the Columbia River Gorge.","A CoCoRaHS Observer 2.1 miles west of Underwood reported 4.4 inches of snow." +122422,732942,OREGON,2017,December,High Wind,"NORTHERN OREGON COAST",2017-12-29 12:45:00,PST-8,2017-12-29 17:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the area, bringing high winds mainly to beaches and headlands, but also to a few higher elevation spots in the Coast Range as well.","Weather station on Megler Bridge reported winds gusting up to 67 mph. Another weather station at Garibaldi reported sustained winds up to 40 mph." +121269,725993,WASHINGTON,2017,December,Ice Storm,"WESTERN WHATCOM COUNTY",2017-12-29 12:00:00,PST-8,2017-12-30 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freezing rain fell in parts of Western Whatcom County on Friday, December 29th. The hardest hit areas were north the SR-542 (Mt Baker Hwy) and east of SR-539 (Guide-Meridian). The freezing rain brought down a number of trees, power lines and a few power poles. At the peak, about 20,000 customers were without power.","Freezing rain fell in parts of Western Whatcom County on Friday, December 29th. The hardest hit areas were north the SR-542 (Mt Baker Hwy) and east of SR-539 (Guide-Meridian). The freezing rain brought down a number of trees, power lines and a few power poles. At the peak, about 20,000 customers were without power. Roads and other surfaces with ice-covered with a number of roads closed due to downed trees and power lines and poles including a part of Interstate-5 near the Lynden-Birch Bay interchange." +121260,726047,MONTANA,2017,December,Winter Storm,"MEAGHER",2017-12-03 10:00:00,MST-7,2017-12-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough aloft and accompanying cold front delivered periods of accumulating snow to the region, with the most impactful snow falling in Southwest Montana. This event prompted a winter storm warning for elevations above 5500 feet MSL in Gallatin and Madison Counties.","About 8 inches of new snow in 24-hours at Showdown Ski Area. Approximate elevation: 6800 feet MSL." +121260,726048,MONTANA,2017,December,Winter Storm,"GALLATIN",2017-12-04 07:54:00,MST-7,2017-12-04 07:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough aloft and accompanying cold front delivered periods of accumulating snow to the region, with the most impactful snow falling in Southwest Montana. This event prompted a winter storm warning for elevations above 5500 feet MSL in Gallatin and Madison Counties.","Report of 10.1 inches of new snow in the past 24-hours 7 miles SW of Bozeman. Approximate elevation: 5250 feet MSL." +121261,726056,MONTANA,2017,December,Winter Storm,"HILL",2017-12-20 12:05:00,MST-7,2017-12-20 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT Highway Patrol reported a vehicular crash along 2nd Street West in Havre. No injuries. Observations from nearby Havre Airport ASOS indicate it was likely snowing lightly with 1.5 mile visibility at time of crash." +121364,726503,TEXAS,2017,December,Drought,"HARRISON",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121370,726511,TEXAS,2017,December,Drought,"WOOD",2017-12-01 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) across Wood and Upshur Counties only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. However, an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed by the end of November. As a result, a two category improvement to abnormally dry (D0) was made across Wood and Upshur Counties to end December.","" +121377,726536,MISSOURI,2017,December,Strong Wind,"CAPE GIRARDEAU",2017-12-13 10:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved from the upper Midwest southeast to the upper Ohio Valley. Strong and gusty southwest winds occurred out ahead of an approaching cold front associated with the low. Peak wind gusts were near 40 mph at the Cape Girardeau and Poplar Bluff airports.","" +121378,726545,ILLINOIS,2017,December,Dense Fog,"WABASH",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the Wabash Valley of southern Illinois. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121378,726546,ILLINOIS,2017,December,Dense Fog,"EDWARDS",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the Wabash Valley of southern Illinois. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121124,726701,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-18 15:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Mullan reported 5.6 inches of new snow." +121124,726700,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-18 15:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","The Lookout Pass ski resort reported 35 inches of new snow from this storm. The nearby Silver Mountain ski resort reported 28 inches." +121124,726702,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Bayview reported 8.0 inches of new snow." +121452,727036,HAWAII,2017,December,High Surf,"OAHU NORTH SHORE",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727037,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727038,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121453,727048,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121453,727049,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121534,727459,MONTANA,2017,December,Winter Storm,"NORTHERN SWEET GRASS",2017-12-29 04:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 10 to 20 inches along with severe driving conditions were reported across the area." +121534,727457,MONTANA,2017,December,Winter Storm,"GOLDEN VALLEY",2017-12-29 00:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 7 to 12 inches was reported across the area." +120909,727515,ALABAMA,2017,December,Winter Weather,"CULLMAN",2017-12-08 06:00:00,CST-6,2017-12-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The northern fringe of a large band of snow across central into northeast Alabama brought a period of snow during the morning and afternoon hours over portions of Cullman, Marshall and DeKalb Counties. Amounts ranged from 1 to 3 inches. The Valley Head COOP observer in DeKalb County measured 3.2 inches.","Snowfall accumulated to one inch or less across central and eastern portions of the county. The highest amount reported was 1.0 inch at 1.6 E of Hanceville." +120909,727516,ALABAMA,2017,December,Winter Weather,"MARSHALL",2017-12-08 07:00:00,CST-6,2017-12-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The northern fringe of a large band of snow across central into northeast Alabama brought a period of snow during the morning and afternoon hours over portions of Cullman, Marshall and DeKalb Counties. Amounts ranged from 1 to 3 inches. The Valley Head COOP observer in DeKalb County measured 3.2 inches.","Snowfall accumulation reports ranged from 0.8 inch 2 ENE of Crossville to 1.8 inches 1.8 WNW of Albertville." +120909,727518,ALABAMA,2017,December,Heavy Snow,"DEKALB",2017-12-08 09:00:00,CST-6,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The northern fringe of a large band of snow across central into northeast Alabama brought a period of snow during the morning and afternoon hours over portions of Cullman, Marshall and DeKalb Counties. Amounts ranged from 1 to 3 inches. The Valley Head COOP observer in DeKalb County measured 3.2 inches.","The NWS COOP observer at Valley Head reported a snow total of 3.2 inches in the northeast corner of the county. Other portions of the county received 1.0 to 2.0 inches based on other CoCoRaHS observers." +121621,727898,MONTANA,2017,December,Drought,"CENTRAL AND SE PHILLIPS",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped a few inches of snow across the area the latter half of the month bringing precipitation amounts totaling more than 200 percent above normal, Extreme (D3) conditions prevailed throughout the month across central and southeast Phillips County." +121624,727924,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-23 05:30:00,EST-5,2017-12-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Franklin County received a little over one-tenth inch of ice accumulation on roads and other surfaces." +121624,727928,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN WORCESTER",2017-12-23 07:00:00,EST-5,2017-12-23 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 317 PM EST, a tree was reported down due to ice. It was on John Fitch Highway in Fitchburg. Ice accumulation of one-quarter to three-eighths inch was reported on roads and other surfaces across Northern Worcester County." +121624,727936,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-23 07:00:00,EST-5,2017-12-23 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 510 PM EST, a tree was reported down on a house on Longfellow Road in Wenham. One-tenth inch of ice accumulation was reported in Lynn." +121624,727964,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHEAST MIDDLESEX",2017-12-22 21:00:00,EST-5,2017-12-23 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","Single trees were reported down in Arlington, Newton, and Cambridge. Ice accumulation in Southeast Middlesex County ranged from two-tenths to four-tenths of an inch." +121348,726493,MONTANA,2017,December,Winter Storm,"LOWER CLARK FORK REGION",2017-12-18 03:00:00,MST-7,2017-12-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous winter storm brought wet, heavy snow to northwest Montana and caused significant impacts to school and holiday travel. Freezing rain also became an issue on I-90 west of Missoula where severe driving conditions were reported by Montana Department of Transportation. Due to the heavy and wet nature of the snow, numerous power outages were reported across northwest Montana.","Montana Department of Transportation reported severe driving conditions several times throughout this storm. The first round of severe driving conditions occurred due to freezing rain on the 18th. The second round occurred during the day on the 19th as Lookout Pass experienced 1 to 2 inch per hour snow rates. Lookout Pass ski resort reported 17 inches in 24 hours and a total of 32 inches in 2.5 days. A spotter near Trout Creek reported 12 inches of snow with this storm." +121348,726494,MONTANA,2017,December,Winter Storm,"POTOMAC / SEELEY LAKE REGION",2017-12-18 06:30:00,MST-7,2017-12-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous winter storm brought wet, heavy snow to northwest Montana and caused significant impacts to school and holiday travel. Freezing rain also became an issue on I-90 west of Missoula where severe driving conditions were reported by Montana Department of Transportation. Due to the heavy and wet nature of the snow, numerous power outages were reported across northwest Montana.","A trained spotter reported 21.5 inches of snow in Seeley Lake over 2.5 days. A spotter in Condon reported 14 inches of snow. Due to the heavy snow, trees were reported down on MT-83 near mile marker 67. North Fork Jocko snotel reported a total of 25 inches of new snow. Lastly, freezing rain was also an issue during the onset of this event." +121348,726467,MONTANA,2017,December,Heavy Snow,"WEST GLACIER REGION",2017-12-18 21:00:00,MST-7,2017-12-20 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous winter storm brought wet, heavy snow to northwest Montana and caused significant impacts to school and holiday travel. Freezing rain also became an issue on I-90 west of Missoula where severe driving conditions were reported by Montana Department of Transportation. Due to the heavy and wet nature of the snow, numerous power outages were reported across northwest Montana.","Glacier National Park reported 15 to 19 inches of snow over 24 hours from this winter storm. A spotter in Hungry Horse also reported 17 inches of snow in 24 hours. The Izaak Walton Inn near Essex reported 40 inches of snow over 2.5 days." +121348,726489,MONTANA,2017,December,Winter Storm,"FLATHEAD/MISSION VALLEYS",2017-12-19 03:00:00,MST-7,2017-12-20 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous winter storm brought wet, heavy snow to northwest Montana and caused significant impacts to school and holiday travel. Freezing rain also became an issue on I-90 west of Missoula where severe driving conditions were reported by Montana Department of Transportation. Due to the heavy and wet nature of the snow, numerous power outages were reported across northwest Montana.","A trained spotter reported 11 inches of wet, heavy snow in Kalispell. Spotters in Bigfork and Polson Bear Hollow reported about 9 inches of snow with this system. The heavy wet snow produced downed trees and power outages throughout the region. Also, schools such as Columbia Falls , Deer Park, West Glacier, and Whitefish were closed on December 20." +121723,729426,MARYLAND,2017,December,Winter Weather,"CENTRAL AND SOUTHEAST HOWARD",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 2 and 4 inches across northwest Howard County. Snowfall totaled up 2.0 inches in Columbia." +121723,729427,MARYLAND,2017,December,Winter Weather,"ANNE ARUNDEL",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.5 inches near South Gate and 2.0 inches in Deale. Snowfall averaged between 2 and 4 inches across the county." +121723,729428,MARYLAND,2017,December,Winter Weather,"FREDERICK",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 3.0 inches near New Market and 2.0 inches near Buckeystown." +121723,729429,MARYLAND,2017,December,Winter Weather,"SOUTHERN BALTIMORE",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 4.3 inches near Towson. Snowfall averaged between 2 and 4 inches across southern Baltimore County." +121723,729430,MARYLAND,2017,December,Winter Weather,"NORTHWEST HARFORD",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 3 and 5 inches across northwest Harford County. Snowfall totaled up to 4.3 inches in Norrisville." +121723,729431,MARYLAND,2017,December,Winter Weather,"SOUTHEAST HARFORD",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 2 and 4 inches across southeast Harford County. Snowfall totaled up to 4.0 inches near Abingdon." +121871,729475,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN MINERAL",2017-12-13 05:00:00,EST-5,2017-12-13 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121218,726372,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"STEVENS",2017-12-29 23:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started late Friday evening, and continued through Saturday and Sunday morning. The worst conditions occurred Saturday morning when wind speeds combined with cold lows to produced wind chill values around -46F." +121218,726373,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SWIFT",2017-12-30 00:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -43F." +121964,730214,PENNSYLVANIA,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-15 16:00:00,EST-5,2017-12-16 15:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moved across the central Great Lakes on December 15th. Cold air behind this system caused lake effect snow showers to develop downwind of Lake Erie. The snow showers began late in the afternoon of the 15th and continued till late in the afternoon on the 16th. The snow showers were intermittent during the daylight hours of the 16th. The heaviest snow fell during the late afternoon and early evening hours of the 15th when visibilities were less than a half mile at times. Snowfall rates approached two inches per hour at the peak of the storm. Six to ten inches of snow fell across much of Erie County. A peak total of 17.0 inches was reported at Colt Station with 13.2 inches measured at Erie International Airport on the 15th and 16th. Other totals included 11.0 inches at North East, 10.3 inches at Waterford; 10.0 inches southeast of Erie, 9.7 inches at Wattsburg; 9.6 inches at Girard; 9.5 inches at Millcreek and 9.5 inches at McKeen. Southwest winds gusted to as much as 25 mph during this event causing some blowing and drifting. Travel was hampered by this snow and many accidents were reported.","An area of low pressure moved across the central Great Lakes on December 15th. Cold air behind this system caused lake effect snow showers to develop downwind of Lake Erie. The snow showers began late in the afternoon of the 15th and continued till late in the afternoon on the 16th. The snow showers were intermittent during the daylight hours of the 16th. The heaviest snow fell during the late afternoon and early evening hours of the 15th when visibilities were less than a half mile at times. Snowfall rates approached two inches per hour at the peak of the storm. Six to ten inches of snow fell across much of Erie County. A peak total of 17.0 inches was reported at Colt Station with 13.2 inches measured at Erie International Airport on the 15th and 16th. Other totals included 11.0 inches at North East, 10.3 inches at Waterford; 10.0 inches southeast of Erie, 9.7 inches at Wattsburg; 9.6 inches at Girard; 9.5 inches at Millcreek and 9.5 inches at McKeen. Southwest winds gusted to as much as 25 mph during this event causing some blowing and drifting. Travel was hampered by this snow and many accidents were reported." +121975,730390,PENNSYLVANIA,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-24 20:00:00,EST-5,2017-12-27 15:00:00,0,0,0,0,15.00M,15000000,0.00K,0,NaN,NaN,NaN,NaN,"An historic lake effect snow storm impacted Erie County on December 24th through the 27th. A 24 hour Pennsylvania snowfall record of 50.8 inches is believed to have been set during the period from 7 am on the 25th through 7 am on the 26th at Erie International Airport. The airport saw a total of 65.9 inches on the 24th through 27th with 60.3 inches falling on the 25th and 26th. Snowfall rates during the peak of the storm on the evening of the 25th were around 4 inches per hour. Travel along Interstate 90 was impossible at times during this event and many motorists became stranded in the snow. The Pennsylvania National Guard was activated during the event and sent at least 10 vehicles to assist transporting medical personnel and stranded motorists. West to southwest winds gusted to as much as 40 mph during this snow event leading to prolonged white out conditions. Drifts several feet deep were reported. There were even some reports of thunder and lightning early in the event. ||An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in Erie County between 7 and 8 pm. By midnight up to two inches of snow had fallen. Mainly light snow showers then continued through daybreak with another inch or two of accumulation. The intensity of the snow showers picked up during the morning hours with accumulations of 10 inches of greater reported by early afternoon.|By early evening the snow was falling at 3 to 4 inches per hour. Most of this heavy snow fell close to the Lake Erie shoreline as the winds in the low levels of the atmosphere were southwest by that time. The heavy snow showers continued through mid morning on the 26th and then diminished slightly. Another burst of heavy snow occurred late in the day in on the 26th. Generally light snow showers were reported from the late evening hours of the 26th through the afternoon of the 27th when the snow finally tapered to flurries. ||Roads during this event were impassable at times and even Interstate 90 had to be closed for a few hours because of accidents. Road crews in populated areas had difficulty clearing roads due to parked and stranded cars. Dozens of vehicles had to be towed. Road crews were brought in from other parts of the state to help clear the state and Federal highways in the county. It took several days for snow removal efforts to be completed. In Erie, many business including a large shopping mall closed on December 26th which is traditionally one of the busiest shopping days of the year. Erie International Airport closed on 25th and didn't reopen till late on the 26th interrupting holiday plans for thousands of people. Snow removal costs were significant for local governments. There were also reports of roof collapses and other damage from the weight of the snow. There were dozens of accidents reported. Local media reported impacts from this storm were as great as any previous storm in the areas history. ||The following are some of the snowfall totals from Erie County for the 72 hour period from late on December 24th though late day on the 27th. Please note, that due to the nature of lake effect snow, sharp gradients in totals occurred. A peak total of 65.9 inches was reported at Erie International Airport with 59.0 inches at Colt Station and 58.0 inches southwest of North East. Other totals included: 56.0 inches five miles southeast of Erie; 48.9 inches in Millcreek Township; 44.4 inches six miles southwest of Erie; 43.1 inches near Girard; 35.1 inches at Lake City; 33.2 inches in Harborcreek Township; 24.5 in North East; 22.0 inches at McKean and 20.0 inches at Edinboro.","An historic lake effect snow storm impacted Erie County on December 24th through the 27th. A 24 hour Pennsylvania snowfall record of 50.8 inches is believed to have been set during the period from 7 am on the 25th through 7 am on the 26th at Erie International Airport. The airport saw a total of 65.9 inches on the 24th through 27th with 60.3 inches falling on the 25th and 26th. Snowfall rates during the peak of the storm on the evening of the 25th were around 4 inches per hour. Travel along Interstate 90 was impossible at times during this event and many motorists became stranded in the snow. The Pennsylvania National Guard was activated during the event and sent at least 10 vehicles to assist transporting medical personnel and stranded motorists. West to southwest winds gusted to as much as 40 mph during this snow event leading to prolonged white out conditions. Drifts several feet deep were reported. There were even some reports of thunder and lightning early in the event.||An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in Erie County between 7 and 8 pm. By midnight up to two inches of snow had fallen. Mainly light snow showers then continued through daybreak with another inch or two of accumulation. The intensity of the snow showers picked up during the morning hours with accumulations of 10 inches of greater reported by early afternoon.|By early evening the snow was falling at 3 to 4 inches per hour. Most of this heavy snow fell close to the Lake Erie shoreline as the winds in the low levels of the atmosphere were southwest by that time. The heavy snow showers continued through mid morning on the 26th and then diminished slightly. Another burst of heavy snow occurred late in the day in on the 26th. Generally light snow showers were reported from the late evening hours of the 26th through the afternoon of the 27th when the snow finally tapered to flurries.||Roads during this event were impassable at times and even Interstate 90 had to be closed for a few hours because of accidents. Road crews in populated areas had difficulty clearing roads due to parked and stranded cars. Dozens of vehicles had to be towed. Road crews were brought in from other parts of the state to help clear the state and Federal highways in the county. It took several days for snow removal efforts to be completed. In Erie, many business including a large shopping mall closed on December 26th which is traditionally one of the busiest shopping days of the year. Erie International Airport closed on 25th and didn't reopen till late on the 26th interrupting holiday plans for thousands of people. Snow removal costs were significant for local governments. There were also reports of roof collapses and other damage from the weight of the snow. There were dozens of accidents reported. Local media reported impacts from this storm were as great as any previous storm in the areas history.||The following are some of the snowfall totals from Erie County for the 72 hour period from late on December 24th though late day on the 27th. Please note, that due to the nature of lake effect snow, sharp gradients in totals occurred. A peak total of 65.9 inches was reported at Erie International Airport with 59.0 inches at Colt Station and 58.0 inches southwest of North East. Other totals included: 56.0 inches five miles southeast of Erie; 48.9 inches in Millcreek Township; 44.4 inches six miles southwest of Erie; 43.1 inches near Girard; 35.1 inches at Lake City; 33.2 inches in Harborcreek Township; 24.5 in North East; 22.0 inches at McKean and 20.0 inches at Edinboro." +121975,730391,PENNSYLVANIA,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-24 20:00:00,EST-5,2017-12-27 15:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"An historic lake effect snow storm impacted Erie County on December 24th through the 27th. A 24 hour Pennsylvania snowfall record of 50.8 inches is believed to have been set during the period from 7 am on the 25th through 7 am on the 26th at Erie International Airport. The airport saw a total of 65.9 inches on the 24th through 27th with 60.3 inches falling on the 25th and 26th. Snowfall rates during the peak of the storm on the evening of the 25th were around 4 inches per hour. Travel along Interstate 90 was impossible at times during this event and many motorists became stranded in the snow. The Pennsylvania National Guard was activated during the event and sent at least 10 vehicles to assist transporting medical personnel and stranded motorists. West to southwest winds gusted to as much as 40 mph during this snow event leading to prolonged white out conditions. Drifts several feet deep were reported. There were even some reports of thunder and lightning early in the event. ||An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in Erie County between 7 and 8 pm. By midnight up to two inches of snow had fallen. Mainly light snow showers then continued through daybreak with another inch or two of accumulation. The intensity of the snow showers picked up during the morning hours with accumulations of 10 inches of greater reported by early afternoon.|By early evening the snow was falling at 3 to 4 inches per hour. Most of this heavy snow fell close to the Lake Erie shoreline as the winds in the low levels of the atmosphere were southwest by that time. The heavy snow showers continued through mid morning on the 26th and then diminished slightly. Another burst of heavy snow occurred late in the day in on the 26th. Generally light snow showers were reported from the late evening hours of the 26th through the afternoon of the 27th when the snow finally tapered to flurries. ||Roads during this event were impassable at times and even Interstate 90 had to be closed for a few hours because of accidents. Road crews in populated areas had difficulty clearing roads due to parked and stranded cars. Dozens of vehicles had to be towed. Road crews were brought in from other parts of the state to help clear the state and Federal highways in the county. It took several days for snow removal efforts to be completed. In Erie, many business including a large shopping mall closed on December 26th which is traditionally one of the busiest shopping days of the year. Erie International Airport closed on 25th and didn't reopen till late on the 26th interrupting holiday plans for thousands of people. Snow removal costs were significant for local governments. There were also reports of roof collapses and other damage from the weight of the snow. There were dozens of accidents reported. Local media reported impacts from this storm were as great as any previous storm in the areas history. ||The following are some of the snowfall totals from Erie County for the 72 hour period from late on December 24th though late day on the 27th. Please note, that due to the nature of lake effect snow, sharp gradients in totals occurred. A peak total of 65.9 inches was reported at Erie International Airport with 59.0 inches at Colt Station and 58.0 inches southwest of North East. Other totals included: 56.0 inches five miles southeast of Erie; 48.9 inches in Millcreek Township; 44.4 inches six miles southwest of Erie; 43.1 inches near Girard; 35.1 inches at Lake City; 33.2 inches in Harborcreek Township; 24.5 in North East; 22.0 inches at McKean and 20.0 inches at Edinboro.","An historic lake effect snow storm impacted Erie County on December 24th through the 27th. A 24 hour Pennsylvania snowfall record of 50.8 inches is believed to have been set during the period from 7 am on the 25th through 7 am on the 26th at Erie International Airport. The airport saw a total of 65.9 inches on the 24th through 27th with 60.3 inches falling on the 25th and 26th. Snowfall rates during the peak of the storm on the evening of the 25th were around 4 inches per hour. Travel along Interstate 90 was impossible at times during this event and many motorists became stranded in the snow. The Pennsylvania National Guard was activated during the event and sent at least 10 vehicles to assist transporting medical personnel and stranded motorists. West to southwest winds gusted to as much as 40 mph during this snow event leading to prolonged white out conditions. Drifts several feet deep were reported. There were even some reports of thunder and lightning early in the event.||An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in Erie County between 7 and 8 pm. By midnight up to two inches of snow had fallen. Mainly light snow showers then continued through daybreak with another inch or two of accumulation. The intensity of the snow showers picked up during the morning hours with accumulations of 10 inches of greater reported by early afternoon.|By early evening the snow was falling at 3 to 4 inches per hour. Most of this heavy snow fell close to the Lake Erie shoreline as the winds in the low levels of the atmosphere were southwest by that time. The heavy snow showers continued through mid morning on the 26th and then diminished slightly. Another burst of heavy snow occurred late in the day in on the 26th. Generally light snow showers were reported from the late evening hours of the 26th through the afternoon of the 27th when the snow finally tapered to flurries.||Roads during this event were impassable at times and even Interstate 90 had to be closed for a few hours because of accidents. Road crews in populated areas had difficulty clearing roads due to parked and stranded cars. Dozens of vehicles had to be towed. Road crews were brought in from other parts of the state to help clear the state and Federal highways in the county. It took several days for snow removal efforts to be completed. In Erie, many business including a large shopping mall closed on December 26th which is traditionally one of the busiest shopping days of the year. Erie International Airport closed on 25th and didn't reopen till late on the 26th interrupting holiday plans for thousands of people. Snow removal costs were significant for local governments. There were also reports of roof collapses and other damage from the weight of the snow. There were dozens of accidents reported. Local media reported impacts from this storm were as great as any previous storm in the areas history.||The following are some of the snowfall totals from Erie County for the 72 hour period from late on December 24th though late day on the 27th. Please note, that due to the nature of lake effect snow, sharp gradients in totals occurred. A peak total of 65.9 inches was reported at Erie International Airport with 59.0 inches at Colt Station and 58.0 inches southwest of North East. Other totals included: 56.0 inches five miles southeast of Erie; 48.9 inches in Millcreek Township; 44.4 inches six miles southwest of Erie; 43.1 inches near Girard; 35.1 inches at Lake City; 33.2 inches in Harborcreek Township; 24.5 in North East; 22.0 inches at McKean and 20.0 inches at Edinboro." +121995,730393,OHIO,2017,December,Lake-Effect Snow,"ASHTABULA",2017-12-24 20:00:00,EST-5,2017-12-27 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took a couple days. ||In Ashtabula County, a peak three day snowfall total of 39.3 inches was reported at Conneaut with 32.8 inches just to the south in North Kingsville. Other totals from the county included: 32.5 inches at Ashtabula; 31.3 inches in Monroe Township; 19.5 inches in Kellogsville, and 16.6 inches at Geneva. In Lake County, a peak total of 16.8 inches was reported near Madison.","An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took several days.||In Ashtabula County, a peak three day snowfall total of 39.3 inches was reported at Conneaut with 32.8 inches just to the south in North Kingsville. Other totals from the county included: 32.5 inches at Ashtabula; 31.3 inches in Monroe Township; 19.5 inches in Kellogsville, and 16.6 inches at Geneva." +121467,727144,NEBRASKA,2017,December,Winter Weather,"NUCKOLLS",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 3.0 inches occurred five miles south of Nora, reported by an NeRain observer." +114739,688323,IOWA,2017,April,Hail,"BENTON",2017-04-15 18:38:00,CST-6,2017-04-15 18:38:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-91.88,42.15,-91.88,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","The time of the event was estimated using radar." +114739,688329,IOWA,2017,April,Hail,"BENTON",2017-04-15 19:53:00,CST-6,2017-04-15 19:53:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.28,41.9,-92.28,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +115727,695469,ALABAMA,2017,April,Tornado,"MONTGOMERY",2017-04-27 08:03:00,CST-6,2017-04-27 08:13:00,0,0,0,0,0.00K,0,0.00K,0,32.1822,-86.0712,32.2325,-85.9988,"A pre-frontal trough moved into Central Alabama on Tuesday night, April 26th. This boundary slowly pushed southward and was accompanied by some showers and thunderstorms. The east to west boundary drifted into south central Alabama on the morning of April 27th. The combination of shear, lift along the boundary, increased low level moisture and instability produced by insolation was just enough to spin up a few weak tornadoes.","NWS Meteorologists surveyed damage in far eastern Montgomery county and determined the damage was consistent with an EF1 tornado, with maximum sustained winds of 105 mph. The tornado touched down about 2 miles NW of the Matthews Community, just north of US Highway 82. The first damage was located on Perry Lane and on Hayneville Ridge Road. A few trees were snapped off and some other tree damage was noted. The tornado traveled northeastward and knocked a few more trees down along Old Pike Road. The strongest and most concentrated damage occurred as the tornado approached the Bullock County Line. Numerous trees were snapped off around Stowers Road and along the remained of the damage path. A few homes sustained minor roof damage and one outbuilding had its roof removed. The tornado crossed into Bullock County just south of the intersection of Stowers Road and County Road 37." +122056,730693,LOUISIANA,2017,December,Winter Weather,"CALCASIEU",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to four inches of snow fell across Calcasieu Parish the morning of the 8th. At the National Weather Service office in Lake Charles official 2.1 inches of snow was observed, but the higher totals were on the north side of the city. The heavy wet snow caused some power outages in the Lake Charles area. Most schools closed for a couple of days while the area waited for all of the ice to melt off area bridges." +122056,730762,LOUISIANA,2017,December,Winter Weather,"EAST CAMERON",2017-12-08 03:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Snow began early in the morning and fell through late morning. The majority of the snow had melted by the end of the day, however schools were closed for 2 days as ice slowly melted off area bridges. Snowfall amounts were 2 inches and less across the parish." +122056,730763,LOUISIANA,2017,December,Winter Weather,"WEST CAMERON",2017-12-08 03:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Snow began early in the morning and fell through late morning. The majority of the snow had melted by the end of the day, however schools were closed for 2 days as ice slowly melted off area bridges. Snowfall amounts were 2 inches and less across the parish." +122056,730967,LOUISIANA,2017,December,Winter Weather,"BEAUREGARD",2017-12-08 01:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to 4 inches of snow fell across Beauregard Parish during the morning of the 8th. Schools closed for the day while the snow melted." +122056,730968,LOUISIANA,2017,December,Winter Weather,"VERMILION",2017-12-08 04:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to 2 inches of snow fell across Vermilion Parish during the morning of the 8th. Schools closed for the day while the snow melted." +122186,731475,TEXAS,2017,December,Winter Weather,"ZAVALA",2017-12-07 04:00:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122621,734470,TEXAS,2017,December,Heavy Snow,"BROOKS",2017-12-08 00:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","A single moderate to heavy snow band between midnight and 3 AM, followed by lighter snows during the post-daybreak hours, dropped a whopping 3 to 6 inches of heavy wet snow across the northern half of Brooks County, with an estimated 2 to 3 inches across the southern half based on satellite, radar, and proxy observations on the King Ranch in neighboring western Kenedy County. A fair measurement of 5.5 inches was received just southwest of Falfurrias, with 4.8 inches nearby. The snow, which fell at a rate of 1 to 2 inches per hour during the post midnight period, covered untreated rural roads with up to 3 inches of snow around the Falfurrias area. The snow also covered the US 281 bypass around Falfurrias, slowed traffic, and caused at least one tractor trailer to jackknife. No injuries or fatalities were reported." +115149,692313,OHIO,2017,May,Tornado,"CLARK",2017-05-24 20:12:00,EST-5,2017-05-24 20:16:00,0,0,0,0,100.00K,100000,0.00K,0,39.8497,-84.039,39.8638,-84.0497,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","The tornado initially touched down about a mile north of Fairborn in Greene County at 2006EST before moving northwest and entering Clark County about 2.3 miles south-southwest of Crystal Lakes at 2012EST. ||Tornado damage was found along Lower Valley Pike near Princeton Drive, just southeast of the Interstate 70 and State Route 235 interchange. The tornado then continued in a north-northwest path along and either side of Princeton Drive. Several manufactured homes sustained roof and siding damage, along with carports and awnings destroyed. Several large trees were damaged, either uprooted or with large branches snapped off. Two large trees fell on and destroyed two homes on Cordova Drive.||The damage quickly lessened in strength further to the northwest with minimal damage along Jason Drive and no evidence of damage by Amy Dee Lane." +115149,692315,OHIO,2017,May,Tornado,"WARREN",2017-05-24 18:47:00,EST-5,2017-05-24 18:48:00,0,0,0,0,0.00K,0,0.00K,0,39.5411,-83.9813,39.5436,-83.9832,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Based on radar data, video evidence and eyewitness reports, a tornado appeared to briefly touch down about 4 miles NNE of Harveysburg in extreme northeast Warren County. No damage was observed so the maximum winds were estimated to be 50 mph, equivalent to a weak EF0 tornado." +122079,730808,CALIFORNIA,2017,December,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-12-04 20:51:00,PST-8,2017-12-05 09:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Fremont Canyon reported wind gusts over 70 mph for 13 hours, with sustained winds over 40 mph. A peak gust of 80 mph occurred 0751 PST and 0951 PST. Winds gusts over 70 mph were also reported at Pleasants Peak." +122079,730811,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-12-05 01:00:00,PST-8,2017-12-05 20:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Strong winds below the Cajon Pass downed numerous trees and power lines, toppled 8-12 big rigs and lofted debris onto highways. Most of the toppled big rigs occurred near the Interstate 15-210 interchange. Two small wildfires also occurred along the 215." +122079,730814,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-12-07 09:00:00,PST-8,2017-12-08 02:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","The Heaps Peak mesonet station reported wind gusts above 50 mph for 10 hours with a peak gust of 64 mph. A large tree fell along state route 38 near Barton Flats." +122079,730820,CALIFORNIA,2017,December,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-12-07 14:51:00,PST-8,2017-12-07 17:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Fremont Canyon reported wind gusts above 70 mph for 3 hours. Sustained winds were as high as 63 mph." +120864,723685,NEBRASKA,2017,December,High Wind,"KEARNEY",2017-12-04 14:58:00,CST-6,2017-12-04 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 61 mph occurred two miles north northeast of Norman." +122183,731419,MINNESOTA,2017,December,Winter Weather,"COTTONWOOD",2017-12-21 07:00:00,CST-6,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 2 to 4 inches, including 2.8 inches at Windom, contributing to hazardous road conditions." +122183,731420,MINNESOTA,2017,December,Winter Weather,"ROCK",2017-12-21 10:00:00,CST-6,2017-12-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 2 to 4 inches, including 3.3 inches at Luverne, contributing to hazardous road conditions." +122183,731421,MINNESOTA,2017,December,Winter Weather,"NOBLES",2017-12-21 10:00:00,CST-6,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 2 to 4 inches, including 2.0 inches at Worthington, contributing to hazardous road conditions." +121993,730365,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"HAMILTON",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Aurora airport, the final 8-days of December featured an average temperature of 3.8 degrees, likely one of the coldest endings to any year on record. During this stretch, three days featured low temperatures of at least -15 degrees." +121993,730381,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"SHERMAN",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Loup City, the NWS cooperative observer recorded an average temperature of 3.3 degrees through the final 8-days of December, marking the coldest finish to the year out of roughly 100 years with complete records." +122226,731861,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 00:00:00,MST-7,2017-12-28 03:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, wit ha peak gust of 58 mph at 28/0110 MST." +122226,731862,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 01:30:00,MST-7,2017-12-29 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 29/0650 MST." +122226,731863,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 20:00:00,MST-7,2017-12-30 17:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 30/1615 MST." +122222,731689,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"MINNEHAHA",2017-12-25 04:00:00,CST-6,2017-12-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below. Temperatures were cold enough to result in a water main break in southern Sioux Falls." +122142,731099,UTAH,2017,December,Heavy Snow,"NORTHERN WASATCH FRONT",2017-12-24 17:00:00,MST-7,2017-12-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist storm system brought snow to northern and central Utah Christmas Eve through Christmas Day, with significant accumulations in some northern Utah valley locations.","West Weber received 7.8 inches of snow and West Haven received 6.6 inches of snow from the storm." +122241,731864,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN HERKIMER",2017-12-07 18:00:00,EST-5,2017-12-08 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a cold air mass in place, a band of lake-effect snow developed off Lake Ontario and impacted parts of the western Adirondacks beginning on the evening of Thursday, December 7th. The band drifted around through the overnight hours, but produced up to seven inches of snow before shifting away from the area during the morning of December 8th.","" +122242,731865,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN HERKIMER",2017-12-10 11:00:00,EST-5,2017-12-11 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Behind a departing coastal storm, a band of lake-effect snow developed off Lake Ontario and impacted parts of the western Adirondacks beginning during the late morning on Sunday, December 10th. The band produced snowfall rates in excess of one inch per hour at times, especially during the evening hours on Sunday, December 10th and was fairly continuous over northern parts of Herkimer County and northwestern parts of Hamilton County. The snow band weakened somewhat, but continued into the early morning hours on Monday, December 11th. By the time snowfall ended around sunrise on December 11th, up to a foot of snow fell near the Old Forge and Inlet areas.","" +122251,731964,MISSISSIPPI,2017,December,Winter Weather,"LOWNDES",2017-12-31 05:45:00,CST-6,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","A trace amount of freezing drizzle was measured by the Columbus Air Force Base ASOS - KCBM." +122251,731965,MISSISSIPPI,2017,December,Winter Weather,"WEBSTER",2017-12-31 05:30:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","Light freezing drizzle fell near Eupora." +122251,731966,MISSISSIPPI,2017,December,Winter Weather,"MONTGOMERY",2017-12-31 11:30:00,CST-6,2017-12-31 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","A light accumulation of freezing drizzle occurred in Winona." +122251,731967,MISSISSIPPI,2017,December,Winter Weather,"OKTIBBEHA",2017-12-31 05:45:00,CST-6,2017-12-31 06:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","Light freezing drizzle fell in Starkville and resulted in light ice accumulations on elevated surfaces." +122251,731968,MISSISSIPPI,2017,December,Winter Weather,"CHOCTAW",2017-12-31 06:00:00,CST-6,2017-12-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","A trace amount of very light sleet fell in Ackerman." +122251,731969,MISSISSIPPI,2017,December,Winter Weather,"JASPER",2017-12-31 11:30:00,CST-6,2017-12-31 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","Freezing drizzle resulted in very minor ice accumulations on elevated surfaces east of Bay Springs." +122251,731970,MISSISSIPPI,2017,December,Winter Weather,"NEWTON",2017-12-31 11:45:00,CST-6,2017-12-31 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","Freezing drizzle resulted in a very thin layer of ice accumulation on elevated surfaces near Little Rock." +122251,731971,MISSISSIPPI,2017,December,Winter Weather,"RANKIN",2017-12-31 08:00:00,CST-6,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","A trace amount of freezing drizzle was measured by the Jackson International Airport ASOS - KJAN." +120943,723941,NORTH DAKOTA,2017,December,Blizzard,"DICKEY",2017-12-04 13:00:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure system moved through the Northern Plains which pulled cold air into the Dakotas. Some light freezing rain developed early in the day on December 4 over the James River Valley, with a transition to snow around mid-day. This combined with winds gusting as high as 55 mph to produce a blizzard.","Ongoing snow and strong northwest winds combined to produce a blizzard." +121644,728165,GEORGIA,2017,December,Winter Storm,"SOUTH FULTON",2017-12-08 12:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 2 and 5 inches of snow were estimated across the southern half of Fulton County. Reports from CoCoRaHS observers included 4 inches near East Point and 4.3 inches near Palmetto." +121644,728167,GEORGIA,2017,December,Winter Storm,"FAYETTE",2017-12-08 21:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between a trace and 3 inches of snow were estimated across the county. Reports from CoCoRaHS observers included .4 inches near Woolsey, 1 inch in Peachtree City, 1.5 inches in Fayetteville and 2.5 inches in Tyrone." +121644,728166,GEORGIA,2017,December,Winter Storm,"DE KALB",2017-12-08 14:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 6 inches of snow were estimated across the county. Reports from CoCoRaHS observers included 1.5 to 5.5 inches in Decatur and 3.5 to 5.5 inches in Tucker as well as 3.5 inches in Dunwoody and 4 inches along the Fulton County line in east Atlanta." +121858,730947,MISSISSIPPI,2017,December,Heavy Snow,"NEWTON",2017-12-08 05:00:00,CST-6,2017-12-08 11:55:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 3 to 4 inches of heavy snow fell across Newton County, with a high total of 4 inches measured in Union. Accumulating snowfall resulted in a few downed power lines and several traffic accidents across the county." +121858,730956,MISSISSIPPI,2017,December,Heavy Snow,"NOXUBEE",2017-12-08 05:00:00,CST-6,2017-12-08 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Noxubee County, with totals of 2 to 4 inches." +121858,730958,MISSISSIPPI,2017,December,Heavy Snow,"RANKIN",2017-12-08 00:30:00,CST-6,2017-12-08 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 to 6 inches of heavy snow fell across Rankin County." +121858,730959,MISSISSIPPI,2017,December,Heavy Snow,"SCOTT",2017-12-08 03:00:00,CST-6,2017-12-08 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Scott County, with totals ranging from 4 inches south of Interstate 20 to around 5 inches in northern parts of the county." +121858,730960,MISSISSIPPI,2017,December,Heavy Snow,"SIMPSON",2017-12-07 21:30:00,CST-6,2017-12-08 11:45:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 4 to 5 inches of heavy snow fell across Simpson County, with totals of up to 6 inches measured near Magee and Harrisville. Accumulating snowfall led to several traffic accidents, downed tree limbs, and power outages across the county." +115681,695177,ILLINOIS,2017,April,Hail,"MCDONOUGH",2017-04-10 13:22:00,CST-6,2017-04-10 13:22:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-90.4619,40.55,-90.4619,"Scattered showers and thunderstorms developed over parts of west central Illinois during the early afternoon, as a cold front moved into the area. The storms strengthened as|they moved eastward across and produced isolated pea to penny size hail in McDonough county.","The time of the event was estimated using radar." +114739,688273,IOWA,2017,April,Hail,"KEOKUK",2017-04-15 15:58:00,CST-6,2017-04-15 15:58:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-92.17,41.45,-92.17,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","The local fire department reported lots of pea to dime size hail." +115979,697096,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"MCCORMICK",2017-05-29 16:50:00,EST-5,2017-05-29 16:55:00,0,0,0,0,,NaN,,NaN,33.83,-82.05,33.83,-82.05,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Ham radio operator reported trees down on Plum Branch Rd and Hwy 230." +115979,697074,SOUTH CAROLINA,2017,May,Hail,"MCCORMICK",2017-05-29 16:50:00,EST-5,2017-05-29 16:55:00,0,0,0,0,,NaN,,NaN,33.82,-82.1,33.82,-82.1,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Ham radio operator reported nickel size hail along Plum Branch Rd near Beaverdam range." +122184,731461,SOUTH DAKOTA,2017,December,Blizzard,"BUFFALO",2017-12-04 14:00:00,CST-6,2017-12-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731477,SOUTH DAKOTA,2017,December,Blizzard,"BROWN",2017-12-04 15:00:00,CST-6,2017-12-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731481,SOUTH DAKOTA,2017,December,Blizzard,"SPINK",2017-12-04 16:00:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731484,SOUTH DAKOTA,2017,December,Blizzard,"MARSHALL",2017-12-04 17:00:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731485,SOUTH DAKOTA,2017,December,Blizzard,"DAY",2017-12-04 16:00:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731486,SOUTH DAKOTA,2017,December,Blizzard,"CLARK",2017-12-04 16:00:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +117779,708114,MINNESOTA,2017,August,Tornado,"LE SUEUR",2017-08-16 18:05:00,CST-6,2017-08-16 18:08:00,0,0,0,0,0.00K,0,0.00K,0,44.5359,-93.5852,44.5436,-93.59,"A band of heavy rain developed along a warm front that lifted north through southern and central Minnesota during the afternoon and early evening of August 16. Small low-topped supercells developed within the band and produced numerous tornadoes. In addition, a large circulation was noted in southwest Minnesota during the late evening, early morning hours. This circulation produced isolated severe wind gusts near Redwood Falls, along with flooding as this circulation lasted for several hours in the vicinity. ||This was the most widespread and intense rainfall event of the year in Minnesota, with 1-2 inch totals covering approximately 50,000 square miles, or about 60% of the state. Totals of greater than three inches were concentrated in a multi-county area in western and central Minnesota, generally centered on the Minnesota River. The largest official 24-hour rainfall report came from Redwood Falls, where the airport recorded 9.45 inches, and a volunteer with the National Weather Service's cooperative observer program reported 8.12 inches.||The flood waters caused significant damage to county and township roads, a section of regional railway, and county agricultural drainage systems. The cost of the damage was estimated at $675,750 in total relief.","A weak circulation developed south of New Prague and moved across the far southwest and western part of town, into Scott County. There was minor tree damage which matched up with radar." +117470,707703,ARKANSAS,2017,June,Flash Flood,"HOT SPRING",2017-06-23 17:53:00,CST-6,2017-06-23 17:53:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-92.81,34.3487,-92.8146,"Showers and thunderstorms brought damaging winds and flooding.||The rain intensified and was widespread south and east of Little Rock (Pulaski County) during the wee hours of the 23rd. This is when Cindy crossed the region. The radar estimated 6 to 7 inches of liquid just north of Monticello (Drew County) and not far from DeWitt (Arkansas County). At least five inches dumped at Wynne (Cross County). Not only were some roads impassible due to high water at these places, water got into homes. At the latter location, images showed fields converted into lakes.||Sadly, all the wind resulted in two fatalities. Just east of Salesville (Baxter County), a man was on Lake Norfork when the wind picked up (preceding a severe storm) and overturned his kayak. He was taken to a hospital and eventually died. A couple of miles south of Hardin (Jefferson County), a tree was toppled onto a vehicle and killed a motorist.","Numerous roadways were underwater with several roads closed. There were some reports of water getting into houses." +115920,696519,LAKE SUPERIOR,2017,April,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-04-10 02:12:00,EST-5,2017-04-10 02:17:00,0,0,0,0,0.00K,0,0.00K,0,46.55,-87.4,46.55,-87.4,"An upper level disturbance moving along a stalled out cold front and interacting with a relatively warm and unstable air mass produced strong thunderstorms over the east half of Lake Superior on the morning of the 10th.","The Marquette Coast Guard station measured a peak thunderstorm wind gust of 40 mph." +119033,714981,MISSOURI,2017,July,Flash Flood,"BATES",2017-07-27 06:30:00,CST-6,2017-07-27 09:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2663,-94.1542,38.2681,-94.4337,"On the evening of July 26, a line of thunderstorms formed roughly along the Interstate 70 corridor. The orientation of these storms were such that they trained over Kansas City and surrounding areas for several hours, causing some extreme flash flooding. Some of the heaviest rain hit some of the most vulnerable parts of the city, namely Indian Creek near the Kansas and Missouri state line. in this location between 5 to 7 inches of rain fell over a roughly 3 hour period, causing Indian Creek at State Line Road to rise to 27.96 feet, a new record for that location. The result was businesses in that area becoming inundated with several feet of running water. Numerous car dealerships saw much of their merchandise go underwater at that location. A strip mall consisting of a restaurant among other businesses had water at least 6 feet deep. The restaurant owners tried to salvage their business, but had to flee to the roof in order to escape the rising waters around them. Local news televised a dramatic water rescue of the restaurant owners via motorized raft. For more information regarding this event see the following website: https://www.weather.gov/eax/July26-272017MajorFloodingAcrossKansasCityMetro .","Missouri HWY 52 was closed in both directions near Butler, due to flash flooding from heavy rain." +120347,721465,GEORGIA,2017,September,Tropical Storm,"FLOYD",2017-09-11 15:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Floyd County Emergency Manager and the news media reported a number of trees and power lines blown down across the county. Several thousand customers were without power for varying periods of time. The ASOS at the Rome airport reported a wind gust of 45 MPH. No injuries were reported." +120777,723363,FLORIDA,2017,November,Thunderstorm Wind,"VOLUSIA",2017-11-23 09:49:00,EST-5,2017-11-23 09:49:00,0,0,0,0,50.00K,50000,0.00K,0,29.079,-81.3127,29.079,-81.3127,"A strong thunderstorm embedded within a rain area ahead of a cold front intensified as it traveled quickly northeast across Volusia County. Mobile homes were damaged well inland in Deland, then over 30 minutes later, the storm damaged mobile homes in Daytona Beach.||Rain totals reached five to seven inches in a short period of time from Ormond-by-the-Sea to Holly Hill. High levels of standing water and some impassible roadways occurred.","Media reports indicated damage to mobile homes at the Raintree Village Mobile Home Park in Deland. Minor damage to a few adjacent homes was reported. Also, a resident reported damage to the roof of a nearby gas station at the intersection of US Highway 17 and US Highway 11." +120598,724022,OHIO,2017,November,Thunderstorm Wind,"MONTGOMERY",2017-11-18 16:47:00,EST-5,2017-11-18 16:49:00,0,0,0,0,1.00K,1000,0.00K,0,39.8474,-84.3179,39.8474,-84.3179,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","A large tree was downed along Old Salem Road." +120612,727541,ALABAMA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-18 17:43:00,CST-6,2017-11-18 17:43:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-87.38,34.55,-87.38,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down and roofs were torn off of houses along CR 140, CR 150 and CR 159 in the Moulton area." +122305,732362,TEXAS,2017,December,Winter Weather,"CONCHO",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732363,TEXAS,2017,December,Winter Weather,"MCCULLOCH",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +121502,727307,MISSISSIPPI,2017,December,Heavy Snow,"WAYNE",2017-12-08 00:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amounts were 6 inches in northern Wayne County, 5 in southwestern Wayne County, 4 to 4.5 in Wayneboro and 4 in Buckatunna. Many roads across the county were impassable." +121494,727302,ALABAMA,2017,December,Heavy Snow,"CHOCTAW",2017-12-08 00:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total of 7.5-8 inches in Butler, 7.5 in Needham, 7.5 in Toxey, 7 in Wimbly, 6.5 in Gilbertown, 6.5 in Lusk, 6 in Yantley and 2.5 in Cullomburg. Reports came from a mix of Public, Coop, CoCoRaHS and Social Media. Many roads across the county were impassable." +121991,730337,MISSISSIPPI,2017,December,Heavy Snow,"PEARL RIVER",2017-12-08 06:00:00,CST-6,2017-12-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Pearl River County Emergency Manager reported 2 to 4 inches of snow was common across the county, with 4 inches reported at Poplarville." +121991,730338,MISSISSIPPI,2017,December,Heavy Snow,"PIKE",2017-12-07 22:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Pike County Emergency Manager reported 5.5 inches of snow at McComb. There was a report of 7.5 inches received from the public 5 miles east-northeast of Osyka. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +121991,730339,MISSISSIPPI,2017,December,Heavy Snow,"WALTHALL",2017-12-07 22:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Six to seven inches of snow was reported to the north and west of Tylertown. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +122191,732577,ALABAMA,2017,December,Winter Storm,"TALLAPOOSA",2017-12-08 11:00:00,CST-6,2017-12-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across the northern portions of the Tallapoosa County tapering off to 1-2 inches across the south." +121070,724765,LOUISIANA,2017,December,Winter Weather,"SABINE",2017-12-08 04:30:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121070,724767,LOUISIANA,2017,December,Winter Weather,"WINN",2017-12-08 04:45:00,CST-6,2017-12-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121132,725205,TEXAS,2017,December,Thunderstorm Wind,"NACOGDOCHES",2017-12-19 20:11:00,CST-6,2017-12-19 20:11:00,0,0,0,0,0.00K,0,0.00K,0,31.8171,-94.8381,31.8171,-94.8381,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","A large tree was blown down across the road via dash cam video shown on the WeatherNation Twitter Page in the Cushing community." +121427,726932,OKLAHOMA,2017,November,Drought,"BRYAN",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across southeast and south central Oklahoma.","" +121430,726933,TEXAS,2017,November,Drought,"FOARD",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop in Foard county.","" +121043,724647,TEXAS,2017,November,Drought,"UPSHUR",2017-11-30 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south across Northeast Texas by the final day of November, and encompassed Wood and Upshur Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, and only 3-4 inches of rain falling during the Fall months (September-October-November). This resulted in a nearly 9 inch rainfall deficit for the Fall, which was about 25% of normal for this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121044,724648,LOUISIANA,2017,November,Drought,"BIENVILLE",2017-11-30 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther east across portions of Northcentral Louisiana during the final day of November, encompassing Bienville, Jackson, and Ouachita Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. Monroe only recorded 0.37 inches of rain in September, with ranked as the 7th driest September on record. During the Fall months, only 3.24 inches of rain fell in Monroe, resulting in a 3 month departure from normal of 10.01 inches, which was only 24% of normal. The Fall of 2017 ranked as the 5th driest Fall on record in Monroe. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed.","" +121044,724649,LOUISIANA,2017,November,Drought,"JACKSON",2017-11-30 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther east across portions of Northcentral Louisiana during the final day of November, encompassing Bienville, Jackson, and Ouachita Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. Monroe only recorded 0.37 inches of rain in September, with ranked as the 7th driest September on record. During the Fall months, only 3.24 inches of rain fell in Monroe, resulting in a 3 month departure from normal of 10.01 inches, which was only 24% of normal. The Fall of 2017 ranked as the 5th driest Fall on record in Monroe. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed.","" +120894,723809,WYOMING,2017,November,Winter Storm,"BIGHORN MOUNTAINS WEST",2017-11-01 00:00:00,MST-7,2017-11-01 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","The Shell Creek SNOTEL site measured 16 inches of new snow." +120612,726091,ALABAMA,2017,November,Thunderstorm Wind,"LAUDERDALE",2017-11-18 16:30:00,CST-6,2017-11-18 16:30:00,0,0,0,0,0.50K,500,,NaN,34.89,-87.91,34.89,-87.91,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree reported down along CR 14 and CR 87 in the Waterloo area." +120612,727519,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 16:42:00,CST-6,2017-11-18 16:42:00,0,0,0,0,,NaN,0.00K,0,34.76,-88.02,34.76,-88.02,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Power poles and power lines were knocked down across the Natchez Trace Access Road." +120612,727520,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 16:50:00,CST-6,2017-11-18 16:50:00,0,0,0,0,0.10K,100,0.00K,0,34.59,-87.8,34.59,-87.8,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down on Frankfort Road." +120612,727521,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 16:50:00,CST-6,2017-11-18 16:50:00,0,0,0,0,0.10K,100,0.00K,0,34.67,-87.87,34.67,-87.87,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down on CR 247 about 5 miles west of U.S. Highway 72." +120612,727523,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 16:56:00,CST-6,2017-11-18 16:56:00,0,0,0,0,,NaN,0.00K,0,34.58,-87.72,34.58,-87.72,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Numerous trees were knocked down in and near the intersection of Legon Springs Road and Cook Creek Road and south to the Franklin County Line." +120612,727524,ALABAMA,2017,November,Thunderstorm Wind,"FRANKLIN",2017-11-18 16:56:00,CST-6,2017-11-18 16:56:00,0,0,0,0,0.00K,0,0.00K,0,34.54,-87.74,34.54,-87.74,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Widespread trees were knocked down in and along Cave Hollow Road and in several locations north of this area up to the Colbert County line. Some power power lines were knocked down." +120612,727525,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.65,-87.7,34.65,-87.7,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A power pole was knocked down on County Farm Road." +120612,727526,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,0.10K,100,0.00K,0,34.77,-87.68,34.77,-87.68,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down on 33rd Street near Hatch Blvd." +120612,727527,ALABAMA,2017,November,Thunderstorm Wind,"LAUDERDALE",2017-11-18 17:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,,NaN,0.00K,0,34.85,-87.69,34.85,-87.69,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tin rood was torn off of the Advanced Auto Parts store along Cloverdale Road in Florence. Several windows were damaged." +121293,729253,INDIANA,2017,November,Tornado,"DELAWARE",2017-11-05 15:09:00,EST-5,2017-11-05 15:10:00,0,0,0,0,20.00K,20000,0.00K,0,40.1991,-85.3858,40.199,-85.3841,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Brief EF1 tornado within the heart of Muncie, with winds estimated at 95 mph, destroyed a garage, removed roof panels from a couple houses, snapped numerous trees, and uprooted a large tree then deposited it north of another large tree that was north of it.||A large bow echo on radar producing widespread straight line wind damage spun up this small, brief EF1 tornado." +121293,729264,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 15:09:00,EST-5,2017-11-05 15:09:00,0,0,0,0,50.00K,50000,0.00K,0,40.1979,-85.3878,40.1979,-85.3878,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","The Muncie Fieldhouse had brick facade damage at the top of the building due to damaging thunderstorm wind gusts. It punctured a large hole in the roof and ruptured sprinkler pipes as big as four inches wide." +121293,729268,INDIANA,2017,November,Flood,"DELAWARE",2017-11-05 15:11:00,EST-5,2017-11-05 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.2072,-85.4178,40.207,-85.4178,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Water was 12 inches deep and rising at the time of this observation at Euclid Avenue and Maddox Drive due to heavy rainfall." +121293,729269,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 15:11:00,EST-5,2017-11-05 15:11:00,0,0,0,0,0.50K,500,0.00K,0,40.1936,-85.3912,40.1936,-85.3912,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Tree limbs, six inches in diameter, were downed from a live tree on West Main Street due to strong thunderstorm wind gusts." +121293,729270,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 15:11:00,EST-5,2017-11-05 15:11:00,0,0,0,0,2.00K,2000,0.00K,0,40.1917,-85.4263,40.1917,-85.4263,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Two trees were downed in the 300 block of Schroeder Avenue due to damaging thunderstorm wind gusts." +121441,726980,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 13:30:00,MST-7,2017-11-16 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The WYDOT sensor at Dana Ridge measured peak wind gusts of 58 mph." +121441,726981,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 03:00:00,MST-7,2017-11-16 03:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The WYDOT sensor at Elk Mountain measured peak wind gusts of 58 mph." +121441,726982,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 01:15:00,MST-7,2017-11-16 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The wind sensor at the Elk Mountain Airport measured a peak gust of 59 mph." +121441,726983,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-16 11:20:00,MST-7,2017-11-16 12:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance across northern Wyoming produced a brief period of high winds across portions of south central Wyoming.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +121443,726994,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 14 inches of snow." +121443,726995,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 13 inches of snow." +121443,726996,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 24 inches of snow." +121476,727184,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 08:55:00,MST-7,2017-11-27 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 27/0920 MST." +121476,727185,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 07:25:00,MST-7,2017-11-27 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 27/0800 MST." +120841,723567,HAWAII,2017,November,Heavy Rain,"HAWAII",2017-11-12 16:39:00,HST-10,2017-11-12 18:39:00,0,0,0,0,0.00K,0,0.00K,0,19.5134,-155.0006,19.1506,-155.5472,"An upper trough moving toward the Aloha State from the northwest acted on a pocket of low level moisture moving through the islands to produce heavy showers and isolated thunderstorms, mainly affecting Oahu and the Big Island of Hawaii. A flash flood also occurred over the southeast portion of Oahu, where two individuals were rescued from the Palolo Stream. However, no significant injuries or property damage was reported.","" +120842,723568,HAWAII,2017,November,High Surf,"KAUAI WINDWARD",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723569,HAWAII,2017,November,High Surf,"OAHU KOOLAU",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723571,HAWAII,2017,November,High Surf,"OLOMANA",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723572,HAWAII,2017,November,High Surf,"MOLOKAI WINDWARD",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723573,HAWAII,2017,November,High Surf,"MAUI WINDWARD WEST",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723574,HAWAII,2017,November,High Surf,"WINDWARD HALEAKALA",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120842,723575,HAWAII,2017,November,High Surf,"BIG ISLAND NORTH AND EAST",2017-11-15 07:00:00,HST-10,2017-11-16 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northeast caused surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of serious injuries or property damage.","" +120843,723576,HAWAII,2017,November,High Wind,"BIG ISLAND SUMMIT",2017-11-17 10:39:00,HST-10,2017-11-20 23:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Southwest to west winds strengthened as a low pressure area moved toward the islands from the north, and gusts were above 80 knots at times for the highest elevations in the state on the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121002,724331,ILLINOIS,2017,November,Flash Flood,"FRANKLIN",2017-11-02 22:45:00,CST-6,2017-11-03 00:45:00,0,0,0,0,5.00K,5000,0.00K,0,38.0276,-88.9227,38.0834,-88.7176,"A cold front moved southeastward through south central Illinois and eastern and southern Missouri during the night. Strong thunderstorms located ahead of the front in southern Illinois occurred along a weakening axis of instability. Effective wind shear of around 30 knots, along with marginally steep mid-level lapse rates, was sufficient for nickel-size hail with the stronger updrafts. Locally heavy rain resulted in an isolated flash flooding event.","Illinois Route 14 was flooded at an intersection on the west side of Benton. Cars were stalling in the intersection. A car slid off Route 14 between Benton and Macedonia." +120845,726095,ILLINOIS,2017,November,Thunderstorm Wind,"JACKSON",2017-11-05 18:32:00,CST-6,2017-11-05 18:32:00,0,0,0,0,3.00K,3000,0.00K,0,37.7011,-89.2553,37.7011,-89.2553,"A cold front tracked southeast across southern Illinois during the evening hours. Thunderstorms slowly advanced east-southeastward ahead of the cold front. The storms organized into a line as they crossed southern Illinois. Isolated strong to damaging winds became the main severe weather phenomenon as the storm mode became linear.","An old metal storage shed was destroyed. Some of the wooden posts in the frame of the shed were partially rotted. Scattered tree damage was reported in the vicinity of the destroyed shed. A few of the trees landed on fence lines. The damage occurred on a farm operated by Southern Illinois University." +120955,724007,ILLINOIS,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 11:55:00,CST-6,2017-11-18 11:55:00,0,0,0,0,5.00K,5000,0.00K,0,37.92,-89.55,37.92,-89.55,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","Roof damage was reported." +120955,724005,ILLINOIS,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-18 12:34:00,CST-6,2017-11-18 12:35:00,0,0,0,0,5.00K,5000,0.00K,0,37.8,-89.0666,37.8,-89.03,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","Power lines were down across Highway 166. The highway was closed to traffic. Tree limbs were blown down between Herrin and Colp." +121443,726985,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 14 inches of snow." +121443,726986,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 12 inches of snow." +121443,726987,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 13 inches of snow." +121443,726988,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 17 inches of snow." +121443,726992,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 19 inches of snow." +121443,726993,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-17 00:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system and strong, moist westerly upslope flow produced moderate to heavy snowfall. Winds gusts of 40 to 50 mph created areas of blowing and drifting snow with poor visibilities. Total snow accumulations of 12 to 24 inches were observed.","The Sand lake SNOTEL site (elevation 10050 ft) estimated 22 inches of snow." +121444,726997,WYOMING,2017,November,Winter Weather,"LARAMIE VALLEY",2017-11-17 15:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snow and strong west to northwest winds along the Interstate 80 corridor between Arlington and the Summit. The combination of falling and blowing snow created slick roadways and poor visibilities.","Three inches of snow was measured at Centennial." +121554,727481,UTAH,2017,November,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-11-27 10:50:00,MST-7,2017-11-27 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved through Utah on November 27, producing strong, gusty winds, particularly across northern and western Utah. In most cases, the strongest winds were behind the cold front.","Strong wind gusts were recorded in Utah's west desert with the cold frontal passage, primarily in the U.S. Army Dugway Proving Ground mesonet. Maximum wind gusts included 66 mph at the West Granite sensor, 62 mph at the I-80 @ mp 1 sensor, 61 mph at Callao Gate, and 60 mph at Playa Station." +121554,727480,UTAH,2017,November,High Wind,"SOUTHERN WASATCH FRONT",2017-11-27 13:25:00,MST-7,2017-11-27 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved through Utah on November 27, producing strong, gusty winds, particularly across northern and western Utah. In most cases, the strongest winds were behind the cold front.","The strongest wind gusts in the Utah Valley occurred in Lehi, where a peak wind gust of 62 mph was recorded." +121388,727597,ARKANSAS,2017,November,Hail,"OUACHITA",2017-11-03 14:17:00,CST-6,2017-11-03 14:17:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.74,33.61,-92.74,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","" +121388,727598,ARKANSAS,2017,November,Thunderstorm Wind,"OUACHITA",2017-11-03 14:25:00,CST-6,2017-11-03 14:25:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.74,33.61,-92.74,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","A tree fell on a house. Nobody was home at the time." +121609,727836,ARKANSAS,2017,November,Strong Wind,"FAULKNER",2017-11-18 13:00:00,CST-6,2017-11-18 13:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front and any rain exited Arkansas to the east, winds shifted to the west and northwest and were gusty. Wind and Lake Wind Advisories were posted as gusts peaked from 40 to more than 50 mph. ||At Newport (Jackson County), there was a 61 mph gust at 148 pm CST. A 49 mph gust was measured at Clinton (Van Buren County) and Stuttgart (Arkansas County), a 47 mph gust at Little Rock (Pulaski County), and a 46 mph gust at Russellville (Pope County). Roughly 11,000 power outages were blamed on the wind, and tree limbs were downed. Near Conway (Faulkner County), a section of fence was flattened.","Strong winds knocked over a section on fence. Winds were estimated at 40 to 50 mph near the time of the report." +121567,728340,NEW YORK,2017,November,Coastal Flood,"OSWEGO",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121783,728943,CALIFORNIA,2017,November,Heavy Snow,"MONO",2017-11-26 16:00:00,PST-8,2017-11-27 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds and snowfall to the Sierra Nevada and northeastern California.","Mammoth Mountain Ski Resort reported 18 inches of snow accumulation at an elevation of 9014 feet in a 15-hour time period from 26 November 1600PST to 27 November 0700PST." +121732,728656,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-08 14:20:00,PST-8,2017-11-08 14:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 8th through the morning hours of the 9th.","Mesonet at Slide Mountain (elevation 9650 feet) measured a wind gust of 73 mph." +120358,721076,MINNESOTA,2017,November,Heavy Snow,"SOUTHERN LAKE",2017-11-01 12:00:00,CST-6,2017-11-02 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A Canadian Clipper brought snow to northern Minnesota. The greatest snowfall occurred along the higher terrain of the Minnesota North Shore where 6 to 8 fell. About 2 to 4 of snow fell close to the shore and Highway 61.","About 6 to 8 of snow fell in the higher terrain of Lake County's North Shore. There was a report of 7.4 at the Wolf Ridge Environmental Learning Center, and 6 fell 3 miles east of Finland, MN. Only 2 to 4 fell near the immediate shore and along Highway 61." +120358,721077,MINNESOTA,2017,November,Heavy Snow,"SOUTHERN COOK",2017-11-01 14:00:00,CST-6,2017-11-02 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A Canadian Clipper brought snow to northern Minnesota. The greatest snowfall occurred along the higher terrain of the Minnesota North Shore where 6 to 8 fell. About 2 to 4 of snow fell close to the shore and Highway 61.","About 6 to 8 fell along the higher terrain of Cook County's North Shore. There was a report of 8 at the Gunflint Hills Golf Course north of Grand Marais, MN. Only about 2 to 4 fell near the immediate shore and along Highway 61." +120735,723104,KENTUCKY,2017,November,Thunderstorm Wind,"ANDERSON",2017-11-18 17:59:00,EST-5,2017-11-18 17:59:00,0,0,0,0,0.00K,0,0.00K,0,37.9785,-84.973,37.9785,-84.973,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","State officials reported downed trees blocked a portion of Highway 62." +120735,723099,KENTUCKY,2017,November,Tornado,"TAYLOR",2017-11-18 18:00:00,EST-5,2017-11-18 18:01:00,0,0,0,0,75.00K,75000,0.00K,0,37.4209,-85.3475,37.4201,-85.3203,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","This small, narrow squall-line spinup tornado moved over rural countryside, damaging or destroying a half dozen outbuildings and doing minor tree damage as it traveled east-southeast over three farmsteads. Only minor roof damage occurred to one home in its path. NWS Louisville thanks Taylor County Emergency Management for their assistance in this damage survey." +120735,723109,KENTUCKY,2017,November,Thunderstorm Wind,"FAYETTE",2017-11-18 18:27:00,EST-5,2017-11-18 18:27:00,0,0,0,0,20.00K,20000,0.00K,0,38.05,-84.49,38.05,-84.49,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Broadcast media reported a power pole down and a large tree on a vehicle." +121743,728782,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-15 15:50:00,PST-8,2017-11-15 15:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","Galena RAWS reported a wind gust of 62 mph." +120592,722387,NEW MEXICO,2017,November,High Wind,"EAST SLOPES OF THE SANGRE DE CRISTO MOUNTAINS",2017-11-17 09:00:00,MST-7,2017-11-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Observer reported high winds almost all day. A large 50 ft pine tree was blown down. A large ash tree also blown down. Several other dead trees also blown down." +120592,722388,NEW MEXICO,2017,November,High Wind,"FAR NORTHEAST HIGHLANDS",2017-11-17 09:00:00,MST-7,2017-11-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Large trees blown down around Philmont Scout Ranch." +120592,722389,NEW MEXICO,2017,November,High Wind,"CENTRAL HIGHLANDS",2017-11-18 02:00:00,MST-7,2017-11-18 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Peak wind gust to 61 mph at Clines Corners." +120736,723116,ALASKA,2017,November,Winter Storm,"HAINES BOROUGH AND LYNN CANAL",2017-11-17 00:00:00,AKST-9,2017-11-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic High pressure was persistent over the Yukon Territory on the evening of 11/16 causing a cold northerly outflow at our lowest levels. The high rapidly weakened as a weak low and front developed in the Gulf. Overrunning aloft caused record heavy snow. Impacts were snow removal, otherwise no damage was reported.||...RECORD SNOW AMOUNTS FOR NOVEMBER 17 AND 18...||There were numerous daily COOP snowfall records across portions|of northern Southeast Alaska on November 17 and 18. Record|snowfall was recorded at the following locations:||Annex Creek recorded 11.7 inches on November 17, breaking the|previous record of 7.6 inches from 1959.||Juneau Lena Point near Juneau recorded 8.9 inches on November 17,|breaking the previous record of 5.8 inches from 2015.||Skagway recorded 5.5 inches on November 17, breaking the previous|record of 2.0 inches from 2009.||The Juneau Forecast Office recorded 10.8 inches on November 17,|breaking the previous record of 3.3 inches from 2003.||Downtown Juneau recorded 3.0 inches on November 17, breaking the|previous record of 2.5 inches from 1932.||The Snettisham Powerplant recorded 4.2 inches on November 17,|breaking the previous record of 1.5 inches from 2015.||Hyder recorded 15.0 inches on November 18, breaking the previous|record of 9.5 inches from 2006.||Hoonah recorded 7.0 inches on November 18, breaking the previous|record of 2.7 inches from 2015.||Pelican recorded 5.2 inches on November 18, breaking the previous|record of 4.5 inches from 2015.||Haines recorded 2.0 inches on November 18, breaking the previous|record of 0.5 inches from 2003.","Haines Downtown measured 7.5 inches new snow, storm total at 0800 on 11/18. Mud Bay measured 10.3 inches new snow, storm total. Impact was snow removal. No damage or power outages." +120962,724066,ARKANSAS,2017,November,Drought,"GARLAND",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Garland County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120962,724067,ARKANSAS,2017,November,Drought,"HOT SPRING",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Hot Spring County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120972,724125,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at St. Maries reported 7.5 inches of new snow accumulation." +120972,724126,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Avery reported 5.6 inches of new snow accumulation." +120972,724127,IDAHO,2017,November,Heavy Snow,"COEUR D'ALENE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Rathdrum reported 10.0 inches of storm total snow accumulation." +120972,724128,IDAHO,2017,November,Heavy Snow,"COEUR D'ALENE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer 7 miles southwest of Coeur D'Alene reported 7.0 inches of storm total snow accumulation." +120972,724129,IDAHO,2017,November,Heavy Snow,"COEUR D'ALENE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer in the city of Coeur D'Alene reported 8.0 inches of storm total snow accumulation." +121008,724400,KENTUCKY,2017,November,Strong Wind,"FULTON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724401,KENTUCKY,2017,November,Strong Wind,"MCCRACKEN",2017-11-18 12:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724402,KENTUCKY,2017,November,Strong Wind,"GRAVES",2017-11-18 12:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121009,724421,MISSOURI,2017,November,Strong Wind,"BUTLER",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121101,725032,MASSACHUSETTS,2017,November,Strong Wind,"SOUTHEAST MIDDLESEX",2017-11-10 05:58:00,EST-5,2017-11-10 08:55:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept through Southern New England during the early morning of November 10th. Strong northwest winds behind the cold front brought gusts of 40 to 50 mph and numerous reports of downed trees in Massachusetts.","At 5:58 AM EST, wires were down on Glenn Burn Road in Arlington. At 8:55 AM EST, a tree and wires were brought down on a parked car on Otis Street in Watertown." +121103,725037,MASSACHUSETTS,2017,November,Strong Wind,"WESTERN HAMPSHIRE",2017-11-19 08:44:00,EST-5,2017-11-19 12:55:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 8:44 AM EST, a tree and wires were down on Old Post Road in Worthington. At 10:26 AM EST, trees were down on wires on Ashfield Road in Goshen. At 11:07 AM EST, an amateur radio operator estimated a wind gust to 52 mph in Goshen. At 12:55 PM EST, a tree and wires were down on Montague Road in Westhampton." +121103,725039,MASSACHUSETTS,2017,November,High Wind,"SOUTHERN WORCESTER",2017-11-19 09:39:00,EST-5,2017-11-19 10:20:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 10:03 AM EST, an amateur radio operator reported a tree and wires down on Morris Street in Webster. At 10:18 AM EST, a tree was down on wires on Rock Meadow Road in Uxbridge. At 12:11 PM EST, the Automated Surface Observing System at Worcester Regional Airport measured a wind gust to 58 mph." +121116,725098,OREGON,2017,November,High Wind,"WALLOWA COUNTY",2017-11-26 10:55:00,PST-8,2017-11-26 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Locally high wind gusts occurred near the south end of the Wallowa valley in Wallowa county due to a low pressure system moving through southeast Washington state.","Peak gust of 66 mph at 420 PM PST, 2 miles north of Joseph in Wallowa county. There were seven other sporadic gusts between 58 and 64 mph at this locations during the period. Sustained winds at time of peak gust were 26 mph." +112666,672697,NEW YORK,2017,February,Flash Flood,"DELAWARE",2017-02-25 17:50:00,EST-5,2017-02-25 19:30:00,0,0,0,0,45.00K,45000,0.00K,0,42.13,-75.02,42,-75.31,"A strong cold front moved through the region during the afternoon and evening hours. Heavy rain producing thunderstorms triggered areas of urban and rural small stream flash flooding which caused inundation of numerous roads, parking lots and other poor drainage areas.","Thunderstorms with heavy rain, combined with residual snow melt and saturated ground, created flash flood conditions in the area. Several roads, including Peas Eddy Road were washed out with deep gravel deposits blocking lanes of traffic." +122066,730740,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-18 10:55:00,MST-7,2017-12-18 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 18/1230 MST." +122066,730742,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-18 09:10:00,MST-7,2017-12-18 13:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 18/1040 MST." +122066,730743,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-18 10:50:00,MST-7,2017-12-18 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +122069,730744,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-19 23:15:00,MST-7,2017-12-20 00:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the North Snowy Range foothills.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher." +122069,730745,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-20 07:30:00,MST-7,2017-12-20 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the North Snowy Range foothills.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 20/0805 MST." +122069,730746,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-20 09:25:00,MST-7,2017-12-20 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the North Snowy Range foothills.","The WYDOT sensor at Strouss Hill measured peak wind gust of 58 mph." +122070,730749,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-05 07:00:00,MST-7,2017-12-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed between Chugwater and Wheatland, and near Elk Mountain and Arlington.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 5/0725 MST." +122070,730750,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-05 03:30:00,MST-7,2017-12-05 09:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed between Chugwater and Wheatland, and near Elk Mountain and Arlington.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 5/0720 MST." +122070,730751,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-05 09:10:00,MST-7,2017-12-05 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed between Chugwater and Wheatland, and near Elk Mountain and Arlington.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +122422,732943,OREGON,2017,December,High Wind,"CENTRAL OREGON COAST",2017-12-29 12:15:00,PST-8,2017-12-29 17:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the area, bringing high winds mainly to beaches and headlands, but also to a few higher elevation spots in the Coast Range as well.","A weather station at Gleneden Beach reported winds gusting up to 64 mph. Another weather station in Yachats reported sustained winds up to 41 mph, and the C-MAN station at Newport reported sustained winds up to 43 mph." +122422,732944,OREGON,2017,December,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-12-29 18:12:00,PST-8,2017-12-29 19:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the area, bringing high winds mainly to beaches and headlands, but also to a few higher elevation spots in the Coast Range as well.","Rockhouse RAWS reported winds gusting up to 72 mph." +122337,732487,ATLANTIC SOUTH,2017,December,Waterspout,"COASTAL WATERS OF SOUTHERN PUERTO RICO OUT 10 NM",2017-12-19 14:51:00,AST-4,2017-12-19 14:51:00,0,0,0,0,0.00K,0,0.00K,0,17.9473,-65.9935,17.9078,-65.9725,"A southeast wind flow combined with favorable atmospheric conditions to produce waterspouts across local coastal waters.","A funnel cloud was observed across the waters just southeast of Patillas." +122023,730531,OKLAHOMA,2017,December,Wildfire,"SEMINOLE",2017-12-25 12:00:00,CST-6,2017-12-25 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Off Guard fire burned approximately 171 acres in Seminole county on the 21st.","" +122024,730532,OKLAHOMA,2017,December,Wildfire,"SEMINOLE",2017-12-30 12:00:00,CST-6,2017-12-30 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Snake Creek and Hog Field fires burned approximately 179 acres and 349 acres respectively in Seminole county on the 30th.","" +122025,730533,OKLAHOMA,2017,December,Drought,"HARPER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730534,OKLAHOMA,2017,December,Drought,"WOODWARD",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730535,OKLAHOMA,2017,December,Drought,"WOODS",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730536,OKLAHOMA,2017,December,Drought,"ALFALFA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730537,OKLAHOMA,2017,December,Drought,"MAJOR",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730538,OKLAHOMA,2017,December,Drought,"GRANT",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +121287,726082,INDIANA,2017,December,Winter Weather,"STEUBEN",2017-12-24 12:00:00,EST-5,2017-12-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light to moderate snow during the late morning and afternoon hours of December 24th transitioned to periods of heavy lake effect snow near Lake Michigan into early December 25th. Total snow accumulations ranged between 3 and 10 inches, heaviest across far north-central and northwest Indiana.","Light to moderate snow created difficult travel conditions December 24th into early December 25th. Total snow accumulations generally ranged between 3 and 5 inches. Winds picked up into early December 25th which led to blowing snow and reduced visibilities. There were reports of accidents and slide-offs across the region." +121297,726134,VERMONT,2017,December,Winter Weather,"EASTERN RUTLAND",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 4 to 6 inches of snow fell." +121297,726140,VERMONT,2017,December,Winter Weather,"ESSEX",2017-12-25 03:00:00,EST-5,2017-12-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A clipper storm system moved from the northern Great Lakes on December 24th to New England on Christmas Day with a secondary development off the New England coast. A widespread 4 to 8 inches of snow fell across Vermont.","A general 3 to 5 inches of snow fell." +121303,726166,TEXAS,2017,December,Winter Weather,"HALL",2017-12-30 05:30:00,CST-6,2017-12-30 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Following a strong cold front early this morning, several hours of freezing drizzle fell over much of the South Plains, Rolling Plains and the far southern Texas Panhandle. Although most locations escaped impacts, roads throughout much of southern Hall County were reported to have icy stretches.","Freezing drizzle deposited a glaze of ice on roads in southern Hall County. This ice contributed to a single vehicle rollover along Highway 86 west of Turkey. Fortunately, the driver of the truck was not injured." +121261,726196,MONTANA,2017,December,Winter Storm,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-12-19 11:19:00,MST-7,2017-12-19 11:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","Fresh snowfall of 14 inches during the overnight into late morning hours. Location: 19-miles WNW of Choteau." +121378,726547,ILLINOIS,2017,December,Dense Fog,"WHITE",2017-12-19 19:00:00,CST-6,2017-12-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the Wabash Valley of southern Illinois. Visibility was reduced to one-quarter mile or less. The dense fog occurred under a weak surface high that extended from northwest to southeast across the lower Ohio Valley.","" +121374,726568,LOUISIANA,2017,December,Drought,"DE SOTO",2017-12-07 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of Northcentral Louisiana to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 2-3 inches. While this rainfall was beneficial, it was unable to alleviate the longer term rainfall deficits across the region since September, and thus, severe drought conditions remained in place to end the month.","" +121374,726570,LOUISIANA,2017,December,Drought,"RED RIVER",2017-12-07 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of Northcentral Louisiana to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 2-3 inches. While this rainfall was beneficial, it was unable to alleviate the longer term rainfall deficits across the region since September, and thus, severe drought conditions remained in place to end the month.","" +121374,726577,LOUISIANA,2017,December,Drought,"NATCHITOCHES",2017-12-07 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of Northcentral Louisiana to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 2-3 inches. While this rainfall was beneficial, it was unable to alleviate the longer term rainfall deficits across the region since September, and thus, severe drought conditions remained in place to end the month.","" +121391,726658,SOUTH CAROLINA,2017,December,Strong Wind,"CHARLESTON",2017-12-12 21:45:00,EST-5,2017-12-12 22:15:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through the region, helping produce gusty winds near coastal locations in Southeast South Carolina.","A tree was reported down in the Hobcow Creek area due to gusty winds. Numerous power outages were also reported around the area." +121124,726703,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Bonners Ferry reported 12.6 inches of new snow." +121124,726705,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-18 15:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Mullan reported 5.6 inches of new snow." +121124,726704,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Bonners Ferry reported 12.6 inches of new snow." +121452,727039,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727040,HAWAII,2017,December,High Surf,"MOLOKAI LEEWARD",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727041,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121453,727050,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121453,727051,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121149,726675,ALABAMA,2017,December,Thunderstorm Wind,"COLBERT",2017-12-23 05:46:00,CST-6,2017-12-23 05:46:00,0,0,0,0,1.00K,1000,0.00K,0,34.8,-87.51,34.8,-87.51,"A fast-moving line of showers and thunderstorms pushed through north Alabama from west to east during the early morning hours of the 23rd. Damaging winds snapped a power pole. There were also reports of trees knocked down.","A power pole was snapped and lines knocked down on Baker Road." +121561,727593,MISSOURI,2017,December,Drought,"BUTLER",2017-12-05 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions expanded eastward across the Ozark foothills of southeast Missouri. A lack of precipitation caused soil moisture to decrease rapidly through October and November. Pasture land conditions began to deteriorate. There were reports of early hay feeding of farm animals due to the lack of quality pasture. Stock ponds were beginning to run low in some areas. The dry conditions contributed to a high potential for wildfires. Bans on outdoor burning were imposed in some areas, including Ripley County. A lack of precipitation, combined with above normal temperatures, contributed to the rapid onset of drought conditions. During the fall, seasonal rainfall totals were about 50 percent of the normal amounts.","" +121561,727594,MISSOURI,2017,December,Drought,"CARTER",2017-12-05 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions expanded eastward across the Ozark foothills of southeast Missouri. A lack of precipitation caused soil moisture to decrease rapidly through October and November. Pasture land conditions began to deteriorate. There were reports of early hay feeding of farm animals due to the lack of quality pasture. Stock ponds were beginning to run low in some areas. The dry conditions contributed to a high potential for wildfires. Bans on outdoor burning were imposed in some areas, including Ripley County. A lack of precipitation, combined with above normal temperatures, contributed to the rapid onset of drought conditions. During the fall, seasonal rainfall totals were about 50 percent of the normal amounts.","" +121561,727595,MISSOURI,2017,December,Drought,"RIPLEY",2017-12-05 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions expanded eastward across the Ozark foothills of southeast Missouri. A lack of precipitation caused soil moisture to decrease rapidly through October and November. Pasture land conditions began to deteriorate. There were reports of early hay feeding of farm animals due to the lack of quality pasture. Stock ponds were beginning to run low in some areas. The dry conditions contributed to a high potential for wildfires. Bans on outdoor burning were imposed in some areas, including Ripley County. A lack of precipitation, combined with above normal temperatures, contributed to the rapid onset of drought conditions. During the fall, seasonal rainfall totals were about 50 percent of the normal amounts.","" +121573,727695,MASSACHUSETTS,2017,December,Strong Wind,"SOUTHEAST MIDDLESEX",2017-12-05 21:20:00,EST-5,2017-12-06 00:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 928 PM EST, a tree and wires were down blocking Pine Crest Road in Newton. At 1012 PM EST, a tree and wires were down on Stephen Terrace in Arlington. At 1029 PM, a tree was down through a house on Brentwood Avenue in Newton. At 1047 PM, a pole and wires were down on Deborah Road in Newton." +121265,725978,WEST VIRGINIA,2017,December,Cold/Wind Chill,"KANAWHA",2017-12-30 21:00:00,EST-5,2017-12-31 23:59:00,0,0,0,1,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Following several strong cold fronts in the last week of December, a period of very cold temperatures settled into the Central Appalachians. Afternoon highs across the region topped out in the teens and twenties on most days, with overnight lows in the single digits above and below zero. A 52-year old homeless man was found dead on the front porch of a house in Charleston on the 31st. It is believed that a combination of alcohol and the cold weather lead to his death late on the 30th or early on the 31st. The low that morning at Yeager Airport in Charleston was 5 degrees.","" +121625,727976,CONNECTICUT,2017,December,Winter Weather,"WINDHAM",2017-12-23 03:00:00,EST-5,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of weak moved from the Ohio Valley across Southern New England. This drew warm air north over Southern New England even as colder air moved south at the surface. This brought a brief period of snow during the late afternoon of the 22nd, and freezing rain during the overnight and day of the 23rd. All of Southern New England was affected, with icy roads and downed trees and wires.","At 1203 PM, an amateur radio operator in Woodstock reported ice accumulation of one-tenth inch." +121631,728040,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-25 03:15:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two to six inches of snow fell on Eastern Essex County." +121631,728041,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-25 03:15:00,EST-5,2017-12-25 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Three to six inches of snow fell on Western Essex County." +121631,728042,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-25 03:30:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Four and one-half to seven inches of snow fell on Western Franklin County." +121631,728043,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-25 03:30:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Three to six inches of snow fell on Eastern Franklin County." +121289,726097,MONTANA,2017,December,Winter Storm,"WEST GLACIER REGION",2017-12-28 05:00:00,MST-7,2017-12-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Montana Department of Transportation reported severe driving conditions on Highway 2 near Marias Pass Thursday night the 28th. Conditions deteriorated Friday morning the 29th as the arctic winds funneled through Badrock Canyon, and severe driving conditions were declared from West Glacier to Marias Pass. Periods of severe driving conditions continued through Saturday evening the 30th on US-2. A weather spotter in Essex measured a storm total snowfall of 28 inches over 72 hours. Other snow totals include: 3 feet Swan Lake, between 2 and 3 feet in Nyack, 30 inches Polebridge, 24 inches at Devil's Creek between Essex and Marias Pass and 18 inches at the Hungry Horse Dam. Dangerously cold wind chills dropped down between -35 and -40 degrees Fahrenheit between Essex and Marias Pass during the morning of the 30th." +121289,726099,MONTANA,2017,December,Winter Storm,"LOWER CLARK FORK REGION",2017-12-28 05:00:00,MST-7,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Montana Department of Transportation declared severe driving conditions between Trout Creek and Heron due to heavy snow. The forest service in Trout Creek reported 21 inches of snow with one inch per hour rates during the evening of the 29th. Lookout Pass reported 17 inches of snow in 24 hours. Total 3 day snowfall amounts included: 35 inches 7 miles southeast of Noxon, 31 inches Lookout Pass, 28.9 inches 2 miles northwest of Heron, 23 inches Haugan, and 10 to 12 inches at Plains, St. Regis, Nine Mile and Alberton." +121733,728660,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"WESTERN CHERRY",2017-12-31 00:00:00,MST-7,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across western Cherry County during the overnight and morning hours on Sunday, December 31st. A nearby mesonet station near Gordon recorded a lowest wind chill of 30 below at 330 am MST." +121872,729483,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN GRANT",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121872,729484,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN MINERAL",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121872,729485,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN PENDLETON",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between minus 5 and minus 15 degrees based on observations nearby." +121873,729486,MARYLAND,2017,December,Cold/Wind Chill,"EXTREME WESTERN ALLEGANY",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between -5 and -15 degrees based on observations nearby." +121874,729487,VIRGINIA,2017,December,Cold/Wind Chill,"NORTHERN VIRGINIA BLUE RIDGE",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between -5 and -15 degrees based on observations nearby." +121874,729488,VIRGINIA,2017,December,Cold/Wind Chill,"CENTRAL VIRGINIA BLUE RIDGE",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between -5 and -15 degrees based on observations nearby." +121874,729489,VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN HIGHLAND",2017-12-27 19:00:00,EST-5,2017-12-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty northwest winds and bitterly cold temps caused dangerously low wind chills over the ridges.","Wind chills were estimated to be between -5 and -15 degrees based on observations nearby." +121877,729499,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN GRANT",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121877,729500,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN MINERAL",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121877,729501,WEST VIRGINIA,2017,December,Cold/Wind Chill,"WESTERN PENDLETON",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121877,729502,WEST VIRGINIA,2017,December,Cold/Wind Chill,"EASTERN PENDLETON",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121218,726374,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"TODD",2017-12-29 22:00:00,CST-6,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started late Friday evening, and continued through Saturday and Sunday morning. The worst conditions occurred Saturday morning when wind speeds combined with cold lows to produced wind chill values around -45F." +121218,726375,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"YELLOW MEDICINE",2017-12-30 03:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -40F." +121964,730215,PENNSYLVANIA,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-15 16:00:00,EST-5,2017-12-16 15:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moved across the central Great Lakes on December 15th. Cold air behind this system caused lake effect snow showers to develop downwind of Lake Erie. The snow showers began late in the afternoon of the 15th and continued till late in the afternoon on the 16th. The snow showers were intermittent during the daylight hours of the 16th. The heaviest snow fell during the late afternoon and early evening hours of the 15th when visibilities were less than a half mile at times. Snowfall rates approached two inches per hour at the peak of the storm. Six to ten inches of snow fell across much of Erie County. A peak total of 17.0 inches was reported at Colt Station with 13.2 inches measured at Erie International Airport on the 15th and 16th. Other totals included 11.0 inches at North East, 10.3 inches at Waterford; 10.0 inches southeast of Erie, 9.7 inches at Wattsburg; 9.6 inches at Girard; 9.5 inches at Millcreek and 9.5 inches at McKeen. Southwest winds gusted to as much as 25 mph during this event causing some blowing and drifting. Travel was hampered by this snow and many accidents were reported.","An area of low pressure moved across the central Great Lakes on December 15th. Cold air behind this system caused lake effect snow showers to develop downwind of Lake Erie. The snow showers began late in the afternoon of the 15th and continued till late in the afternoon on the 16th. The snow showers were intermittent during the daylight hours of the 16th. The heaviest snow fell during the late afternoon and early evening hours of the 15th when visibilities were less than a half mile at times. Snowfall rates approached two inches per hour at the peak of the storm. Six to ten inches of snow fell across much of Erie County. A peak total of 17.0 inches was reported at Colt Station with 13.2 inches measured at Erie International Airport on the 15th and 16th. Other totals included 11.0 inches at North East, 10.3 inches at Waterford; 10.0 inches southeast of Erie, 9.7 inches at Wattsburg; 9.6 inches at Girard; 9.5 inches at Millcreek and 9.5 inches at McKeen. Southwest winds gusted to as much as 25 mph during this event causing some blowing and drifting. Travel was hampered by this snow and many accidents were reported." +121995,733330,OHIO,2017,December,Lake-Effect Snow,"ASHTABULA LAKESHORE",2017-12-24 20:00:00,EST-5,2017-12-27 15:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took a couple days. ||In Ashtabula County, a peak three day snowfall total of 39.3 inches was reported at Conneaut with 32.8 inches just to the south in North Kingsville. Other totals from the county included: 32.5 inches at Ashtabula; 31.3 inches in Monroe Township; 19.5 inches in Kellogsville, and 16.6 inches at Geneva. In Lake County, a peak total of 16.8 inches was reported near Madison.","An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took several days.||In Ashtabula County, a peak three day snowfall total of 39.3 inches was reported at Conneaut with 32.8 inches just to the south in North Kingsville. Other totals from the county included: 32.5 inches at Ashtabula; 31.3 inches in Monroe Township; 19.5 inches in Kellogsville, and 16.6 inches at Geneva." +121467,727145,NEBRASKA,2017,December,Winter Weather,"FURNAS",2017-12-23 15:00:00,CST-6,2017-12-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 2.9 inches occurred at Cambridge, with various other reports of at least 2 within the county." +122065,730723,MICHIGAN,2017,December,Strong Wind,"ALGER",2017-12-19 19:30:00,EST-5,2017-12-19 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Northerly winds gusting near 45 mph caused 10 to 15 foot waves and beach erosion at Shot Point on the 19th.","Northerly winds gusting near 45 mph whipped up 10-15 foot waves and caused beach erosion along Lake Superior at Shot Point on the 19th." +122066,730725,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-18 10:34:00,MST-7,2017-12-18 10:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","A peak wind gust of 64 mph was measured at Wheatland." +122067,730747,MICHIGAN,2017,December,Winter Weather,"BARAGA",2017-12-25 03:00:00,EST-5,2017-12-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","There was a report of 7.5 inches of lake effect snow in 17 hours near Keweenaw Bay." +114047,689677,IOWA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-06 21:25:00,CST-6,2017-03-06 21:25:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.97,41.01,-91.97,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Site wind gust measurement received from AWOS." +114047,689519,IOWA,2017,March,Thunderstorm Wind,"JONES",2017-03-06 21:35:00,CST-6,2017-03-06 21:35:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-91.19,42.24,-91.19,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","An AWOS measured a wind gust of 55 kts." +114047,689675,IOWA,2017,March,Thunderstorm Wind,"HENRY",2017-03-06 21:51:00,CST-6,2017-03-06 21:51:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Information was relayed from a trained spotter in Mt. Pleasant." +122056,730969,LOUISIANA,2017,December,Winter Weather,"JEFFERSON DAVIS",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to 4 inches of snow fell across Jefferson Davis Parish during the morning of the 8th. Schools closed for a couple days while the snow melted and some overpasses on Interstate 10 were closed." +122056,730970,LOUISIANA,2017,December,Winter Weather,"ALLEN",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to 4 inches of snow fell across Allen Parish during the morning of the 8th. Schools closed for a couple days while the snow melted." +122056,730971,LOUISIANA,2017,December,Winter Weather,"EVANGELINE",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to 4 inches of snow fell across Beauregard Parish during the morning of the 8th. Schools closed for a couple days while the snow melted." +122056,730972,LOUISIANA,2017,December,Winter Weather,"LAFAYETTE",2017-12-08 04:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to two inches of snow fell around Lafayette. Portions of Interstate 10 were closed during the event as ice formed on overpasses. Schools were also closed." +122056,730973,LOUISIANA,2017,December,Winter Weather,"IBERIA",2017-12-08 04:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to three inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +122056,730974,LOUISIANA,2017,December,Winter Weather,"ST. MARY",2017-12-08 04:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +122186,731472,TEXAS,2017,December,Winter Weather,"KERR",2017-12-07 04:00:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122186,731473,TEXAS,2017,December,Winter Weather,"KINNEY",2017-12-07 04:00:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122079,730816,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-12-07 09:00:00,PST-8,2017-12-07 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Peak wind gusts across the Inland Empire were mostly in the 30-40 mph range. Stronger gusts occurred below the Cajon Pass (with peak a gust of 55 mph at Ontario International) and the San Gorgonio Pass with a peak gust of 65 mph at Highland Springs Raws. The peak gust at Highland Springs occurred between 1316 and 1416 PST. Some tree damage occurred in Hemet. Small brush fires occurred near Murrieta and Mira Loma." +122079,731493,CALIFORNIA,2017,December,Strong Wind,"SAN DIEGO COUNTY COASTAL AREAS",2017-12-07 10:00:00,PST-8,2017-12-07 14:00:00,0,0,0,1,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Winds downed several large trees in Carlsbad, La Mesa and National City. A man was killed in Carlsbad when a large tree branch fell on him. Light poles were also knocked down in Carlsbad and Tierrasanta." +122079,731494,CALIFORNIA,2017,December,High Wind,"SAN DIEGO COUNTY VALLEYS",2017-12-07 06:00:00,PST-8,2017-12-08 01:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Three mesonet stations near the Pala Indian Reservation reported peak gusts between 64 and 69 mph, with the peak gust occurring at Palomar Launch between 1015 and 1030 PST. Similar gusts impacted southern San Diego County with a peak of 70 mph at an SDG&E gauge along East Willows Rd. Tree damage was reported in El Cajon, with both trees and power lines down in Ramona." +122190,731497,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-12-14 05:00:00,PST-8,2017-12-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of weak surface highs moved through the Great Basin between the 14th and 17th of December. This increased offshore surface pressure gradients and brought strong winds to some of the more wind prone locations. The region also experienced a prolonged bout of low relative humidity.","The Paivika Ridge mesonet station reported wind gusts over 60 mph for 5 hours, with a peak gust of 66 mph. Heaps peak also reported a 56 mph gust." +120864,723686,NEBRASKA,2017,December,High Wind,"ADAMS",2017-12-04 15:26:00,CST-6,2017-12-04 15:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 60 mph occurred at the Hastings airport." +122183,731422,MINNESOTA,2017,December,Winter Weather,"JACKSON",2017-12-21 10:30:00,CST-6,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 2 to 3 inches, including 2.2 inches 2 miles NE of Lakefield, contributing to hazardous road conditions." +122175,731348,SOUTH DAKOTA,2017,December,Winter Weather,"BRULE",2017-12-21 04:00:00,CST-6,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 4.1 inches 5 miles south of Chamberlain, produced hazardous road conditions." +122175,731349,SOUTH DAKOTA,2017,December,Winter Weather,"AURORA",2017-12-21 04:00:00,CST-6,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the morning and early afternoon, including 5.0 inches at White Lake, produced hazardous road conditions." +121993,730366,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"KEARNEY",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Minden, the NWS cooperative observer recorded an average temperature of 7.4 degrees through the final 8-days of December, marking the 2nd-coldest finish to the year out of 121 on record." +121993,730382,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"WEBSTER",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Red Cloud, the NWS cooperative observer recorded an average temperature of 4.6 degrees through the final 8-days of December, marking the coldest finish to the year out of 115 on record." +122242,731866,NEW YORK,2017,December,Lake-Effect Snow,"HAMILTON",2017-12-10 11:00:00,EST-5,2017-12-11 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Behind a departing coastal storm, a band of lake-effect snow developed off Lake Ontario and impacted parts of the western Adirondacks beginning during the late morning on Sunday, December 10th. The band produced snowfall rates in excess of one inch per hour at times, especially during the evening hours on Sunday, December 10th and was fairly continuous over northern parts of Herkimer County and northwestern parts of Hamilton County. The snow band weakened somewhat, but continued into the early morning hours on Monday, December 11th. By the time snowfall ended around sunrise on December 11th, up to a foot of snow fell near the Old Forge and Inlet areas.","" +122244,731878,CONNECTICUT,2017,December,Winter Weather,"SOUTHERN LITCHFIELD",2017-12-09 08:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although northwestern Connecticut was on the western edge of this storm system, steady snowfall moved into the area during the morning hours and continued through the remainder of the day. The snow briefly fell moderate in intensity at times, resulting in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 3 to 6 inches of snowfall.","" +122244,731877,CONNECTICUT,2017,December,Winter Weather,"NORTHERN LITCHFIELD",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure area moved up the eastern seaboard on Saturday, December 9th. Although northwestern Connecticut was on the western edge of this storm system, steady snowfall moved into the area during the morning hours and continued through the remainder of the day. The snow briefly fell moderate in intensity at times, resulting in slow and difficult travel across the region. Snowfall tapered off just prior to midnight from west to east. By that point, most areas saw 3 to 6 inches of snowfall.","" +121988,730324,NEW YORK,2017,December,Heavy Snow,"NORTHERN HERKIMER",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged from 7 to 12 inches." +120943,723943,NORTH DAKOTA,2017,December,Blizzard,"LA MOURE",2017-12-04 13:00:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep low pressure system moved through the Northern Plains which pulled cold air into the Dakotas. Some light freezing rain developed early in the day on December 4 over the James River Valley, with a transition to snow around mid-day. This combined with winds gusting as high as 55 mph to produce a blizzard.","Ongoing snow and strong northwest winds combined to produce a blizzard." +121853,729440,NORTH DAKOTA,2017,December,Heavy Snow,"MCLEAN",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Max received six inches of snow." +121853,729442,NORTH DAKOTA,2017,December,Heavy Snow,"DIVIDE",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Crosby received six inches of snow." +121853,729518,NORTH DAKOTA,2017,December,Heavy Snow,"BURKE",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Western Burke County received an estimated six inches of snow." +121853,729519,NORTH DAKOTA,2017,December,Heavy Snow,"WILLIAMS",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Northern Williams County received an estimated six inches of snow." +121853,729521,NORTH DAKOTA,2017,December,Heavy Snow,"MOUNTRAIL",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Southern Mountrail County received an estimated six inches of snow." +121853,729522,NORTH DAKOTA,2017,December,Heavy Snow,"WARD",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Southern Ward County received an estimated six inches of snow." +121853,729523,NORTH DAKOTA,2017,December,Heavy Snow,"MCHENRY",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Southern McHenry County received an estimated six inches of snow." +121644,728168,GEORGIA,2017,December,Winter Storm,"CLAYTON",2017-12-08 20:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 3 inches of snow were estimated across the county. Reports from CoCoRaHS and COOP observers included 1.4 inches Jonesboro and 1.7 inches in Morrow. The official measurement by the contract observers at the Atlanta Hartsfield-Jackson International Airport was 2.3 inches." +121644,728169,GEORGIA,2017,December,Winter Storm,"GWINNETT",2017-12-08 17:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 2 and 6 inches of snow were estimated across the county. Reports from CoCoRaHS observers included 2 to 2.5 inches around Dacula and 5 inches in Duluth." +121644,728170,GEORGIA,2017,December,Winter Storm,"BARROW",2017-12-08 21:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 3 inches of snow were estimated across the county. Reports from CoCoRaHS observers included 2.4 inches around Auburn." +121858,730961,MISSISSIPPI,2017,December,Heavy Snow,"SMITH",2017-12-07 22:00:00,CST-6,2017-12-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Smith County, with totals ranging from 5 inches north of Raleigh to around 7 inches near Taylorsville." +121858,730962,MISSISSIPPI,2017,December,Heavy Snow,"WARREN",2017-12-08 06:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across southern and eastern parts of Warren County, with the highest total of 3 inches measured in Bovina. Lighter accumulations of 1 to 2 inches were measured near Vicksburg and areas to the north." +121858,730965,MISSISSIPPI,2017,December,Heavy Snow,"WINSTON",2017-12-08 05:30:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 2 to 3 inches of heavy snow fell across Winston County, with totals up to 4 inches measured near Nanih Waiya." +121858,730966,MISSISSIPPI,2017,December,Winter Weather,"YAZOO",2017-12-08 06:30:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Up to around 1 inch of snow fell across parts of Yazoo County." +121858,731819,MISSISSIPPI,2017,December,Winter Weather,"CHOCTAW",2017-12-08 06:30:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Up to around 1 inch of snow fell across portions of Choctaw County." +122292,732259,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MINNEHAHA",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. The wind chill at Sioux Falls reached a minimum of -37 at 1900CST December 31. A record low maximum temperature of -9 was measured at Sioux Falls on December 31." +113660,680324,TEXAS,2017,April,Tornado,"MCLENNAN",2017-04-10 21:45:00,CST-6,2017-04-10 21:47:00,0,0,0,0,40.00K,40000,0.00K,0,31.5478,-96.9019,31.5434,-96.8908,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency manager surveyed a brief EF-0 tornado near the Battle Lake golf course, near Battle Lake Road. Several sheds were damaged, including one mobile home. A near continuous path of tree damage was also observed along the path of the tornado." +113660,691783,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 13:54:00,CST-6,2017-04-10 13:54:00,0,0,0,0,2.00K,2000,0.00K,0,33.15,-96.81,33.15,-96.81,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Trained weather spotter reports quarter size hail in Frisco." +113660,691789,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 14:04:00,CST-6,2017-04-10 14:04:00,0,0,0,0,0.00K,0,0.00K,0,33.1,-96.68,33.1,-96.68,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Trained weather spotter reports 1 inch hail 4 miles west-northwest of Allen." +120347,721441,GEORGIA,2017,September,Tropical Storm,"PAULDING",2017-09-11 14:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Paulding County Emergency Manager reported dozens of trees and power lines blown down across the county as well as sporadic power outages. No injuries were reported." +120347,721408,GEORGIA,2017,September,Tropical Storm,"JASPER",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. A wind gust of 33 mph was measured near Adgateville. Radar estimated between 2 and 4 inches of rain feel across the county with 2.89 inches measured near Adgateville. No injuries were reported." +120347,721412,GEORGIA,2017,September,Tropical Storm,"HANCOCK",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. No injuries were reported." +120347,721417,GEORGIA,2017,September,Tropical Storm,"COWETA",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Coweta County Emergency Manager reported hundreds of trees and several power lines blown down across the county. At least 15 homes were damaged, mainly by falling trees and large limbs. A wind gust of 51 mph was measured at the Coweta County Airport. Radar estimated between 2.5 and 5 inches of rain fell across the county with 4.77 inches measured west of Newnan. No injuries were reported." +121835,729302,TENNESSEE,2017,November,Thunderstorm Wind,"MCMINN",2017-11-07 09:30:00,EST-5,2017-11-07 09:30:00,1,0,0,0,,NaN,,NaN,35.38,-84.7,35.38,-84.7,"Isolated thunderstorms generated wind damage in a weakly unstable environment in Eastern Tennessee ahead of a slow moving cold front.","Several trees were reported down along county road 100. Additionally, a resident was injured when a single wide mobile home was blown off of its foundation on the county road 100." +120735,723102,KENTUCKY,2017,November,Thunderstorm Wind,"BULLITT",2017-11-18 17:05:00,EST-5,2017-11-18 17:05:00,0,0,0,0,100.00K,100000,0.00K,0,37.99,-85.72,38.0444,-85.5279,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","A NWS Storm Survey team found a swath of intermittent wind damage extending from Shepherdsville, KY to Mount Washington, KY. Damage length was approximately 11.12 miles and at its widest almost 2 miles. The damage was mainly confined to areas along either side of Highway 44. Numerous trees were downed and several buildings received carport and shingle damage." +121494,727714,ALABAMA,2017,December,Heavy Snow,"CLARKE",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total of 4 inches in West Bend, 3 inches in Jackson, 5 inches in Thomasville and 2 to 3 inches in Grove Hill. Many roads across the northern half of the county were impassable." +121494,727785,ALABAMA,2017,December,Heavy Snow,"WILCOX",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total of 4 inches in Camden, 3.3 near Pine Hill and 3 inches in Pine Apple. Many roads across the county were impassable." +122312,732429,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 13.5 inches of snow." +122312,732392,WYOMING,2017,December,Blizzard,"NORTH SNOWY RANGE FOOTHILLS",2017-12-23 00:00:00,MST-7,2017-12-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Numerous reports of near zero visibility in falling and blowing snow along Interstate 80 between mile posts 235 and 290. Sustained winds of 30 to 40 mph with gusts to 55 mph were observed. Interstate 80 was closed both directions." +122312,732431,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Sandstone Ranger Station SNOTEL site (elevation 8150 ft) estimated 12 inches of snow." +121991,730340,MISSISSIPPI,2017,December,Heavy Snow,"WILKINSON",2017-12-07 21:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Wilkinson County Emergency Manager reported 5 inches of snow in Woodville. The cooperative observer in Gloster reported 2.5 inches of snow, with 3 inches of snow reported in Centreville by a National Weather Service employee." +121991,731748,MISSISSIPPI,2017,December,Winter Weather,"HARRISON",2017-12-08 16:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Emergency Management reported near 2 inches of snow fell in the north part of county near Saucier with minor accumulations of sleet and snow in the south part." +121991,731749,MISSISSIPPI,2017,December,Winter Weather,"HANCOCK",2017-12-08 06:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Snow fell across the county with amounts ranging from near 1 inch at Waveland to near 2 inches at Necaise." +122191,732584,ALABAMA,2017,December,Winter Storm,"CHAMBERS",2017-12-08 12:00:00,CST-6,2017-12-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across the northern portions of Chambers County tapering off to 2 inches across the south." +121070,724766,LOUISIANA,2017,December,Winter Weather,"NATCHITOCHES",2017-12-08 04:30:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121070,724768,LOUISIANA,2017,December,Winter Weather,"GRANT",2017-12-08 04:45:00,CST-6,2017-12-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121132,726400,TEXAS,2017,December,Thunderstorm Wind,"RUSK",2017-12-19 19:47:00,CST-6,2017-12-19 19:47:00,0,0,0,0,10.00K,10000,0.00K,0,31.865,-94.9735,31.865,-94.9735,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","Multiple trees were uprooted and all lying to the northeast along White Oak Road in Reklaw. A nearby utility barn sustained severe damage." +121044,724650,LOUISIANA,2017,November,Drought,"OUACHITA",2017-11-30 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther east across portions of Northcentral Louisiana during the final day of November, encompassing Bienville, Jackson, and Ouachita Parishes. This was in response to significant rainfall deficits that accumulated since the start of September following the departure of the remnants of Tropical Storm Harvey. Only two and a half to three and a half inches of rain fell during the Fall Months (September-October-November), which was nearly ten inches below normal and less than 25% of normal. Monroe only recorded 0.37 inches of rain in September, with ranked as the 7th driest September on record. During the Fall months, only 3.24 inches of rain fell in Monroe, resulting in a 3 month departure from normal of 10.01 inches, which was only 24% of normal. The Fall of 2017 ranked as the 5th driest Fall on record in Monroe. As a result of the drought, stock ponds receded significantly and numerous trees across the area were significantly stressed.","" +120894,723810,WYOMING,2017,November,Winter Storm,"BIGHORN MOUNTAINS SOUTHEAST",2017-11-01 00:00:00,MST-7,2017-11-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","The Cloud Peak Reservoir SNOTEL site measured 13 inches of new snow." +120894,723811,WYOMING,2017,November,Winter Storm,"ABSAROKA MOUNTAINS",2017-11-01 10:00:00,MST-7,2017-11-02 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","The Evening Star SNOTEL measured 16 inches of new snow." +120894,723812,WYOMING,2017,November,Winter Storm,"ABSAROKA MOUNTAINS",2017-11-01 10:00:00,MST-7,2017-11-02 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","The Evening Star SNOTEL measured 16 inches of new snow." +120894,723813,WYOMING,2017,November,Winter Storm,"CODY FOOTHILLS",2017-11-01 12:00:00,MST-7,2017-11-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","A trained spotter measured 7.5 inches of snow at Meeteetse." +120612,727528,ALABAMA,2017,November,Thunderstorm Wind,"LAUDERDALE",2017-11-18 17:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,,NaN,0.00K,0,34.86,-87.6,34.86,-87.6,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A pecan tree was uprooted with large limbs snapped. A tin roof was torn off of a barn along Kasmeier Road in the Saint Florian area." +120612,727529,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:05:00,CST-6,2017-11-18 17:05:00,0,0,0,0,0.10K,100,0.00K,0,34.58,-87.68,34.58,-87.68,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down near the intersection of U.S. Highway 43 and Ligon Springs Road." +120612,727530,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:05:00,CST-6,2017-11-18 17:05:00,0,0,0,0,,NaN,0.00K,0,34.76,-87.57,34.76,-87.57,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down near the intersection of Gate 6 Road and 2nd Street." +120612,727531,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:06:00,CST-6,2017-11-18 17:06:00,0,0,0,0,0.10K,100,0.00K,0,34.59,-87.72,34.59,-87.72,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down onto a vehicle." +120612,727532,ALABAMA,2017,November,Thunderstorm Wind,"LAUDERDALE",2017-11-18 17:08:00,CST-6,2017-11-18 17:08:00,0,0,0,0,,NaN,0.00K,0,34.86,-87.54,34.86,-87.54,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Structural damage at the Killen Drug Store and the Tire Center." +120612,727533,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:09:00,CST-6,2017-11-18 17:09:00,0,0,0,0,0.50K,500,0.00K,0,34.66,-87.53,34.66,-87.53,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree and power lines were knocked down at McCormack Lane and County Line Road." +120612,727534,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:10:00,CST-6,2017-11-18 17:10:00,0,0,0,0,,NaN,0.00K,0,34.58,-87.58,34.58,-87.58,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down near the intersection of Piney Woods Road and Aycock Bridge Road." +120612,727535,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:10:00,CST-6,2017-11-18 17:10:00,0,0,0,0,0.10K,100,0.00K,0,34.62,-87.59,34.62,-87.59,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down on Turkey Farm Road." +120612,727536,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:12:00,CST-6,2017-11-18 17:12:00,0,0,0,0,0.10K,100,0.00K,0,34.58,-87.55,34.58,-87.55,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down at LaGrange Road west of Witt Store Road." +121293,729271,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 15:11:00,EST-5,2017-11-05 15:11:00,0,0,0,0,0.50K,500,0.00K,0,40.1976,-85.4376,40.1976,-85.4376,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A tree limb, six inches in diameter, was torn off a tree at Jackson Street and University Avenue in Muncie." +121293,729272,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 15:12:00,EST-5,2017-11-05 15:12:00,0,0,0,0,0.25K,250,0.00K,0,40.2172,-85.3956,40.2172,-85.3956,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Thunderstorm wind gusts in this location was estimated at 65 mph. Pea size hail and downed small tree limbs were noted as well. The power was going off and on." +121293,729273,INDIANA,2017,November,Thunderstorm Wind,"RANDOLPH",2017-11-05 15:28:00,EST-5,2017-11-05 15:28:00,0,0,0,0,7.00K,7000,0.00K,0,40.2935,-85.0931,40.2935,-85.0931,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A utility pole with live wires was downed onto a vehicle with entrapment at North County Road 600 West and State Road 28 due to damaging thunderstorm wind gusts." +121293,729274,INDIANA,2017,November,Thunderstorm Wind,"RANDOLPH",2017-11-05 15:44:00,EST-5,2017-11-05 15:44:00,0,0,0,0,2.00K,2000,0.00K,0,40.228,-84.9186,40.228,-84.9186,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A tree and utility lines were down in this location on North 300 East due to damaging thunderstorm wind gusts." +121293,729275,INDIANA,2017,November,Flash Flood,"BARTHOLOMEW",2017-11-05 18:00:00,EST-5,2017-11-05 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,39.0606,-85.8886,39.0605,-85.8886,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Dispatch reported flooded roads across portions of Jonesville due to thunderstorm heavy rainfall." +121293,729276,INDIANA,2017,November,Flash Flood,"DELAWARE",2017-11-05 19:00:00,EST-5,2017-11-05 19:29:00,0,0,0,0,5.00K,5000,0.00K,0,40.19,-85.39,40.1907,-85.3812,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Flash flooding in Muncie and across much of Delaware County due to thunderstorm heavy rainfall. There were several streets closed with water flowing over them in Muncie." +121476,727186,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 13:15:00,MST-7,2017-11-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 27/1355 MST." +121476,727187,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 07:25:00,MST-7,2017-11-27 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at County Road 402 measured peak wind gusts of 60 mph." +121476,727188,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 12:45:00,MST-7,2017-11-27 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Dana Ridge measured peak wind gusts of 58 mph." +121476,727189,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 05:00:00,MST-7,2017-11-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Elk Mountain measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 27/0635 MST." +121476,727190,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 06:15:00,MST-7,2017-11-27 07:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The wind sensor at the Elk Mountain Airport measured gusts of 58 mph or higher, with a peak gust of 61 mph at 27/0655 MST." +121476,727191,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 09:00:00,MST-7,2017-11-27 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 27/1020 MST." +121476,727192,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 02:50:00,MST-7,2017-11-27 13:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 27/0350 MST." +121476,727193,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 13:00:00,MST-7,2017-11-27 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Interstate 80 mile post 249 measured peak wind gusts of 58 mph." +121476,727194,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 13:35:00,MST-7,2017-11-27 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Strouss Hill measured peak wind gusts of 60 mph." +121476,727195,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-27 09:20:00,MST-7,2017-11-27 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high winds developed between Laramie and Rawlins.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 27/1125 MST." +121477,727196,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-30 20:50:00,MST-7,2017-11-30 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed near Arlington.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher." +120853,723595,HAWAII,2017,November,Heavy Rain,"HAWAII",2017-11-27 22:45:00,HST-10,2017-11-28 07:33:00,0,0,0,0,0.00K,0,0.00K,0,20.051,-155.4675,19.3946,-155.083,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported.","" +120853,723596,HAWAII,2017,November,Heavy Rain,"HAWAII",2017-11-29 02:09:00,HST-10,2017-11-29 10:53:00,0,0,0,0,0.00K,0,0.00K,0,20.0564,-155.517,19.322,-155.1874,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported.","" +120853,723597,HAWAII,2017,November,Flash Flood,"KAUAI",2017-11-30 02:30:00,HST-10,2017-11-30 07:39:00,0,0,0,0,0.00K,0,0.00K,0,22.2109,-159.4785,22.2113,-159.477,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported.","Kuhio Highway was closed near the Hanalei bridge in the northern part of Kauai as the Hanalei River overflowed its banks because of heavy rain." +120853,723599,HAWAII,2017,November,Heavy Rain,"HAWAII",2017-11-30 22:43:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,20.0564,-155.5444,19.3635,-155.0501,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported.","" +120856,723609,HAWAII,2017,November,Drought,"KAUAI LEEWARD",2017-11-01 00:00:00,HST-10,2017-11-21 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The small area of leeward Kauai that had been in the D2 category of severe drought improved by the latter part of November.","" +120857,723610,HAWAII,2017,November,Drought,"SOUTH BIG ISLAND",2017-11-01 00:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although much of the Big Island had improved significantly in November because of drenching rains, parts of the isle were still mired in the D2 category of severe drought. However, no parts of the island were designated as D3, extreme drought, after the middle of the month.","" +120857,723611,HAWAII,2017,November,Drought,"KOHALA",2017-11-01 00:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although much of the Big Island had improved significantly in November because of drenching rains, parts of the isle were still mired in the D2 category of severe drought. However, no parts of the island were designated as D3, extreme drought, after the middle of the month.","" +120955,724006,ILLINOIS,2017,November,Tornado,"PERRY",2017-11-18 12:15:00,CST-6,2017-11-18 12:16:00,0,0,0,0,250.00K,250000,0.00K,0,38.0184,-89.2386,38.02,-89.2263,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","The EF-0 tornado touched down just north of the downtown business district and tracked east through a residential area. Eyewitness reports of the tornado were obtained. The maximum estimated wind speed was 65 mph. Numerous homes and businesses sustained shingle and siding damage. A large tree fell onto a home. Hundreds of tree limbs were down, damaging several vehicles. Widespread power outages occurred. A power pole was snapped. A dozen mobile homes were damaged, including a mobile home that was moved off its foundation. The mobile home was not tied down." +120956,724009,INDIANA,2017,November,Tornado,"SPENCER",2017-11-18 14:38:00,CST-6,2017-11-18 14:41:00,0,0,0,0,70.00K,70000,0.00K,0,37.9096,-87.113,37.917,-87.0704,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","The tornado touched down about one-half mile north of Indiana Route 66, on the north side of Reo. The tornado lifted about 2.5 miles northeast of Reo. A dozen trees were uprooted or snapped. A detached garage was blown down. Around a half dozen barns and sheds experienced loss of metal roofing. At least a half dozen homes sustained shingle or fascia damage. Maximum winds were estimated near 90 mph." +120955,724008,ILLINOIS,2017,November,Tornado,"MASSAC",2017-11-18 13:38:00,CST-6,2017-11-18 13:39:00,0,0,0,0,5.00K,5000,0.00K,0,37.2351,-88.7367,37.2349,-88.7351,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","A very brief EF-0 tornado touched down with peak winds of 65 mph. A cedar tree was snapped. Limbs were broken off several trees. A residence sustained shingle damage." +121444,726998,WYOMING,2017,November,Winter Weather,"LARAMIE VALLEY",2017-11-17 15:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snow and strong west to northwest winds along the Interstate 80 corridor between Arlington and the Summit. The combination of falling and blowing snow created slick roadways and poor visibilities.","Three and a half inches of snow was measured nine miles west-southwest of Rock River." +121444,726999,WYOMING,2017,November,Winter Weather,"SOUTH LARAMIE RANGE",2017-11-17 15:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snow and strong west to northwest winds along the Interstate 80 corridor between Arlington and the Summit. The combination of falling and blowing snow created slick roadways and poor visibilities.","Four and a half inches of snow was observed 21 miles west-southwest of FE Warren AFB." +121444,727000,WYOMING,2017,November,Winter Weather,"NORTH SNOWY RANGE FOOTHILLS",2017-11-17 11:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snow and strong west to northwest winds along the Interstate 80 corridor between Arlington and the Summit. The combination of falling and blowing snow created slick roadways and poor visibilities.","Five inches of snow was observed at Elk Mountain." +121444,727001,WYOMING,2017,November,Winter Weather,"LARAMIE VALLEY",2017-11-17 15:00:00,MST-7,2017-11-17 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system produced light to moderate snow and strong west to northwest winds along the Interstate 80 corridor between Arlington and the Summit. The combination of falling and blowing snow created slick roadways and poor visibilities.","Four inches of snow was measured 19 miles south of Rock River." +121448,727004,WYOMING,2017,November,Winter Weather,"SNOWY RANGE",2017-11-20 23:00:00,MST-7,2017-11-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving low pressure system brought wind gusts to 35 mph and moderate snowfall to the Snowy mountains. Total snow accumulations ranged from five to ten inches.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 5 inches of snow." +121448,727005,WYOMING,2017,November,Winter Weather,"SNOWY RANGE",2017-11-20 23:00:00,MST-7,2017-11-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving low pressure system brought wind gusts to 35 mph and moderate snowfall to the Snowy mountains. Total snow accumulations ranged from five to ten inches.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated six inches of snow." +121448,727006,WYOMING,2017,November,Winter Weather,"SNOWY RANGE",2017-11-20 23:00:00,MST-7,2017-11-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving low pressure system brought wind gusts to 35 mph and moderate snowfall to the Snowy mountains. Total snow accumulations ranged from five to ten inches.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 10 inches of snow." +121448,727008,WYOMING,2017,November,Winter Weather,"SNOWY RANGE",2017-11-20 23:00:00,MST-7,2017-11-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quick moving low pressure system brought wind gusts to 35 mph and moderate snowfall to the Snowy mountains. Total snow accumulations ranged from five to ten inches.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated five inches of snow." +121388,727599,ARKANSAS,2017,November,Hail,"JEFFERSON",2017-11-03 14:45:00,CST-6,2017-11-03 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.34,-91.95,34.34,-91.95,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","" +121388,727600,ARKANSAS,2017,November,Hail,"JEFFERSON",2017-11-03 15:55:00,CST-6,2017-11-03 15:55:00,0,0,0,0,0.00K,0,0.00K,0,34.44,-92.18,34.44,-92.18,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","" +121388,727601,ARKANSAS,2017,November,Hail,"JEFFERSON",2017-11-03 16:00:00,CST-6,2017-11-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.44,-92.18,34.44,-92.18,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","" +121588,727772,ARKANSAS,2017,November,Drought,"RANDOLPH",2017-11-07 06:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of November and fueled the spread of moderate (D2) drought conditions over parts of Northeast Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions developed across the county." +121567,728341,NEW YORK,2017,November,Coastal Flood,"JEFFERSON",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +114098,683257,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 18:13:00,CST-6,2017-04-29 18:15:00,0,0,0,0,5.00K,5000,2.00K,2000,32.3859,-96.0528,32.3822,-96.0384,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This tornado was observed by residents of southwest Van Zandt County, south of Van Zandt County road 2308. This tornado occurred over open fields and produced tree and ranch land damage." +115349,692610,ALABAMA,2017,April,Hail,"CLAY",2017-04-05 05:20:00,CST-6,2017-04-05 05:21:00,0,0,0,0,0.00K,0,0.00K,0,33.33,-85.68,33.33,-85.68,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted and large hail reported along Fox Creek Road." +120735,723110,KENTUCKY,2017,November,Thunderstorm Wind,"MADISON",2017-11-18 18:39:00,EST-5,2017-11-18 18:39:00,0,0,0,0,40.00K,40000,0.00K,0,37.8,-84.42,37.8,-84.42,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Broadcast media reported numerous trees and farm outbuildings damaged by severe thunderstorm winds in the Baldwin community." +121743,728783,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-15 16:21:00,PST-8,2017-11-15 16:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","Cold Springs NDOT mesonet reported at 62 mph wind gust." +121743,728784,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-15 17:37:00,PST-8,2017-11-15 17:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","NDOT mesonet on US Highway 395/I-580 at Galena Bridge reported a 75 mph wind gust." +121743,728785,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-15 17:57:00,PST-8,2017-11-15 17:58:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","NDOT mesonet on US Highway 395/I-580 at Browns Creek Bridge reported a 59 mph wind gust." +121743,728786,NEVADA,2017,November,High Wind,"MINERAL/SOUTHERN LYON",2017-11-15 19:00:00,PST-8,2017-11-15 19:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","NDOT mesonet on US Highway 95 at Walker Lake reported a 76 mph wind gust." +121743,728787,NEVADA,2017,November,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-11-15 06:03:00,PST-8,2017-11-17 06:03:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","A total of 26 inches of snow fell at the base of the Mount Rose Ski Area (8260 feet) in a 24-hour time period from 15 November 0603PST to 16 November 0603PST. Another 14 inches of snow fell between 16 November 0603PST to 17 November 0603PST to bring the base to a storm total of an estimated 40 inches of snow." +120602,722462,ATLANTIC SOUTH,2017,November,Waterspout,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-11-15 16:10:00,EST-5,2017-11-15 16:20:00,0,0,0,0,0.00K,0,0.00K,0,27.88,-80.44,27.88,-80.44,"Several reports were received from the general public and from a pilot of a waterspout offshore of Barefoot Bay. The waterspout dissipated before it reached land.","A pilot from Vero Beach Airport (KVRB) reported a waterspout located approximately 4 nautical miles east of Barefoot Bay. Other reports were received from the general public via social media of a waterspout just north of Sebastian Inlet. The waterspout dissipated offshore." +120605,722463,KENTUCKY,2017,November,Strong Wind,"BOYD",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,2,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley on the evening of the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front.||Many trees were blown down across Northeast Kentucky, with multiple power outages as a result. Two women received minor injuries when a tree fell on them in Central Park in Ashland, the park bench they were sitting on was destroyed. A vehicle was also struck by that falling tree. Around the time of the incident, the automated weather station at the nearby Ashland Regional Airport reported a 38 mph wind gust.","" +120605,722465,KENTUCKY,2017,November,Strong Wind,"LAWRENCE",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley on the evening of the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front.||Many trees were blown down across Northeast Kentucky, with multiple power outages as a result. Two women received minor injuries when a tree fell on them in Central Park in Ashland, the park bench they were sitting on was destroyed. A vehicle was also struck by that falling tree. Around the time of the incident, the automated weather station at the nearby Ashland Regional Airport reported a 38 mph wind gust.","" +120605,722466,KENTUCKY,2017,November,Strong Wind,"CARTER",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley on the evening of the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front.||Many trees were blown down across Northeast Kentucky, with multiple power outages as a result. Two women received minor injuries when a tree fell on them in Central Park in Ashland, the park bench they were sitting on was destroyed. A vehicle was also struck by that falling tree. Around the time of the incident, the automated weather station at the nearby Ashland Regional Airport reported a 38 mph wind gust.","" +120736,723129,ALASKA,2017,November,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-11-17 00:00:00,AKST-9,2017-11-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic High pressure was persistent over the Yukon Territory on the evening of 11/16 causing a cold northerly outflow at our lowest levels. The high rapidly weakened as a weak low and front developed in the Gulf. Overrunning aloft caused record heavy snow. Impacts were snow removal, otherwise no damage was reported.||...RECORD SNOW AMOUNTS FOR NOVEMBER 17 AND 18...||There were numerous daily COOP snowfall records across portions|of northern Southeast Alaska on November 17 and 18. Record|snowfall was recorded at the following locations:||Annex Creek recorded 11.7 inches on November 17, breaking the|previous record of 7.6 inches from 1959.||Juneau Lena Point near Juneau recorded 8.9 inches on November 17,|breaking the previous record of 5.8 inches from 2015.||Skagway recorded 5.5 inches on November 17, breaking the previous|record of 2.0 inches from 2009.||The Juneau Forecast Office recorded 10.8 inches on November 17,|breaking the previous record of 3.3 inches from 2003.||Downtown Juneau recorded 3.0 inches on November 17, breaking the|previous record of 2.5 inches from 1932.||The Snettisham Powerplant recorded 4.2 inches on November 17,|breaking the previous record of 1.5 inches from 2015.||Hyder recorded 15.0 inches on November 18, breaking the previous|record of 9.5 inches from 2006.||Hoonah recorded 7.0 inches on November 18, breaking the previous|record of 2.7 inches from 2015.||Pelican recorded 5.2 inches on November 18, breaking the previous|record of 4.5 inches from 2015.||Haines recorded 2.0 inches on November 18, breaking the previous|record of 0.5 inches from 2003.","NWS Forecast Office measured a storm total of 11.0 inches at 0800 on 11/18. Most of the snow fell during the evening of 11/17. Other totals around town ranged from 6 to 13 inches. No damage or power outages were reported. Impact was snow removal." +120962,724068,ARKANSAS,2017,November,Drought,"SALINE",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Saline County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120962,724069,ARKANSAS,2017,November,Drought,"PERRY",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Perry County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120982,724139,WASHINGTON,2017,November,Debris Flow,"CHELAN",2017-11-23 05:00:00,PST-8,2017-11-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,48.2035,-120.7812,48.1981,-120.78,"An Atmospheric River of Pacific moisture was directed into the Cascades of Washington during much of the third week of November. Holden Village recorded 3.65 inches of rain and water equivalent wet snow, which melted as the tropical origin moisture brought mild air along with it. Stehekin measured 3.57 inches of rain during the previous three days. All of this moisture resulted in minor flooding along the Stehekin River and triggered a debris flow through the village of Holden on Thanksgiving Day.","The Holden Village Operations Manager reported a debris flow which originated on a nearby avalanche chute due to heavy rain and snow melt, flowing through the town down the main street. Four to 6 inches of mud resulted from this flow. No homes were damaged. Two nearby smaller debris flows were noted but neither of them affected the village." +120982,724141,WASHINGTON,2017,November,Flood,"CHELAN",2017-11-23 03:45:00,PST-8,2017-11-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,48.3768,-120.7569,48.3659,-120.7631,"An Atmospheric River of Pacific moisture was directed into the Cascades of Washington during much of the third week of November. Holden Village recorded 3.65 inches of rain and water equivalent wet snow, which melted as the tropical origin moisture brought mild air along with it. Stehekin measured 3.57 inches of rain during the previous three days. All of this moisture resulted in minor flooding along the Stehekin River and triggered a debris flow through the village of Holden on Thanksgiving Day.","The Stehekin River Gage at Stehekin rose above the Flood Stage of 24.0 feet at 3:45 AM PST on November 23rd. The river crested at 25.8 feet at 8:30 AM and dropped back below Flood Stage at 8:00 PM." +120982,724143,WASHINGTON,2017,November,Flood,"CHELAN",2017-11-23 03:45:00,PST-8,2017-11-23 20:00:00,0,0,0,0,3.00K,3000,0.00K,0,48.3768,-120.7569,48.3659,-120.7631,"An Atmospheric River of Pacific moisture was directed into the Cascades of Washington during much of the third week of November. Holden Village recorded 3.65 inches of rain and water equivalent wet snow, which melted as the tropical origin moisture brought mild air along with it. Stehekin measured 3.57 inches of rain during the previous three days. All of this moisture resulted in minor flooding along the Stehekin River and triggered a debris flow through the village of Holden on Thanksgiving Day.","The Stehekin River reached minor flood on November 23rd. The Stehekin COOP observer reported minor damage to a bridge. Several access roads to private residencies and a camp ground were flooded with minor gravel damage to the road surface." +120958,724012,KENTUCKY,2017,November,Thunderstorm Wind,"CHRISTIAN",2017-11-18 15:09:00,CST-6,2017-11-18 15:09:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-87.65,36.87,-87.65,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","A wind gust to 59 mph was measured." +121008,724403,KENTUCKY,2017,November,Strong Wind,"LIVINGSTON",2017-11-18 12:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724404,KENTUCKY,2017,November,Strong Wind,"MARSHALL",2017-11-18 12:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724407,KENTUCKY,2017,November,Strong Wind,"CALLOWAY",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +122186,731463,TEXAS,2017,December,Winter Weather,"MAVERICK",2017-12-07 04:00:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122070,730753,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-05 07:25:00,MST-7,2017-12-05 08:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed between Chugwater and Wheatland, and near Elk Mountain and Arlington.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher." +122070,730754,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-05 08:00:00,MST-7,2017-12-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed between Chugwater and Wheatland, and near Elk Mountain and Arlington.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +122269,732034,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-08 13:35:00,MST-7,2017-12-08 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The WYDOT sensor at Buford East measured a peak wind gust of 58 mph." +122269,732036,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-08 13:45:00,MST-7,2017-12-08 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The UPR sensor at Buford West measured a peak wind gust of 59 mph." +122269,732043,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-08 11:50:00,MST-7,2017-12-08 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 8/1205 MST." +122269,732044,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-08 13:50:00,MST-7,2017-12-08 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +122269,732046,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-08 10:30:00,MST-7,2017-12-08 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher." +122269,732048,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE COUNTY",2017-12-08 10:40:00,MST-7,2017-12-08 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The WYDOT sensor at Interstate 80 mile marker 373 measured sustained winds of 40 mph or higher." +122269,732050,WYOMING,2017,December,High Wind,"EAST LARAMIE COUNTY",2017-12-08 10:55:00,MST-7,2017-12-08 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed along Interstate 80 from the Summit east toward the Nebraska state line.","The wind sensor at the Pine Bluffs Airport measured a peak gust of 58 mph." +122287,732183,NEBRASKA,2017,December,High Wind,"BOX BUTTE",2017-12-04 10:15:00,MST-7,2017-12-04 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The wind sensor at the Alliance Airport measured sustained winds of 40 mph or higher." +122000,730404,OHIO,2017,December,Lake-Effect Snow,"ASHTABULA LAKESHORE",2017-12-29 07:00:00,EST-5,2017-12-31 15:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Ashtabula County, a peak total of 19.4 inches was reported at North Kingsville with most of that total falling on the 30th. Other totals from Ashtabula County included: 17.0 inches in Monroe Township; 16.0 inches at Geneva; 14.0 inches south of Conneaut; 11.5 inches at Ashtabula and 10.5 inches at Kellogsville. In Lake County, a peak total of 14.5 inches was reported at Madison with 11.8 inches at Mentor. Travel was hampered by this storm and many accidents were reported.","An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Ashtabula County, a peak total of 19.4 inches was reported at North Kingsville with most of that total falling on the 30th. Other totals from Ashtabula County included: 17.0 inches in Monroe Township; 16.0 inches at Geneva; 14.0 inches south of Conneaut; 11.5 inches at Ashtabula and 10.5 inches at Kellogsville." +122025,730539,OKLAHOMA,2017,December,Drought,"ELLIS",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730540,OKLAHOMA,2017,December,Drought,"ROGER MILLS",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +121261,726057,MONTANA,2017,December,Winter Storm,"FERGUS",2017-12-20 14:05:00,MST-7,2017-12-20 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT reported closure of US-191 from Eddie's Corner to Harlowton." +121261,726058,MONTANA,2017,December,Winter Storm,"JUDITH BASIN",2017-12-20 14:05:00,MST-7,2017-12-20 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT reported closure of US-191 from Eddie's Corner to Harlowton." +121262,726199,MONTANA,2017,December,Winter Storm,"CASCADE",2017-12-30 04:55:00,MST-7,2017-12-30 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A nearly-stationary front along the Northern Rockies separated Arctic air over much of North-Central Montana from cool air over most of Southwest Montana on December 28th into the 29th. Isentropic lift along this front combined with an influx of Pacific moisture to generate periods of widespread snow, heavy at times, over much of the region. In addition, moist usplope flow generated periods of steady to heavy snow along the Rocky Mountain Front. A surface low pressure center then developed along this front on the 29th and moved generally eastward, causing segments of the front to become warm and cold fronts, respectively. Snow then tapered-off on the 30th as the low exited the area.","MT DOT reported severe driving conditions along US-87 from the Cascade/Chouteau County line to Carter." +121330,726338,KENTUCKY,2017,December,Flood,"LEE",2017-12-23 11:37:00,EST-5,2017-12-23 12:37:00,0,0,0,0,0.00K,0,0.00K,0,37.58,-83.647,37.5795,-83.6472,"A prolonged period of light to moderate rainfall accompanied a slow-moving cold front, beginning on the afternoon of December 22 and lasting into the afternoon on December 23. This caused sporadic road closures during the morning of the 23rd as high water inundated low spots on a few area roadways.","A department of highways official reported high water across Kentucky Highway 52 east of Beattyville." +121374,726580,LOUISIANA,2017,December,Drought,"WINN",2017-12-07 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of Northcentral Louisiana to start the second week of December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 2-4 inches areawide, which was only 15-25% of normal whereas temperatures during the period remained above normal as well. Widespread wetting rains fell between December 16th-22nd across the area ahead of a couple of cold frontal passages, with amounts ranging from 2-3 inches. While this rainfall was beneficial, it was unable to alleviate the longer term rainfall deficits across the region since September, and thus, severe drought conditions remained in place to end the month.","" +121359,726620,SOUTH CAROLINA,2017,December,Winter Weather,"INLAND BERKELEY",2017-12-29 02:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","NWS employees and CoCoRahs reports indicated light ice accumulation on cars and trees in the College Park area as well as on the surface near the Old Santee Canal State Park. Estimated ice accumulation was as high as 0.02 inches near Terry Town, SC." +121359,726650,SOUTH CAROLINA,2017,December,Winter Weather,"NORTHERN COLLETON",2017-12-29 04:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","The media reported light icing on metal surfaces in the Walterboro, SC area." +121124,726706,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Priest River reported 16.4 inches of new snow." +121124,726707,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer at Priest River reported 16.4 inches of new snow." +121124,726708,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer 3 miles southeast of Bonners Ferry reported 17.6 inches of new snow." +121452,727042,HAWAII,2017,December,High Surf,"MAUI CENTRAL VALLEY",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727043,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727044,HAWAII,2017,December,High Surf,"SOUTH BIG ISLAND",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121453,727052,HAWAII,2017,December,High Surf,"SOUTH BIG ISLAND",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121453,727053,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121561,727596,MISSOURI,2017,December,Drought,"WAYNE",2017-12-05 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions expanded eastward across the Ozark foothills of southeast Missouri. A lack of precipitation caused soil moisture to decrease rapidly through October and November. Pasture land conditions began to deteriorate. There were reports of early hay feeding of farm animals due to the lack of quality pasture. Stock ponds were beginning to run low in some areas. The dry conditions contributed to a high potential for wildfires. Bans on outdoor burning were imposed in some areas, including Ripley County. A lack of precipitation, combined with above normal temperatures, contributed to the rapid onset of drought conditions. During the fall, seasonal rainfall totals were about 50 percent of the normal amounts.","" +121563,727655,WISCONSIN,2017,December,Cold/Wind Chill,"FOND DU LAC",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,1,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Fond du Lac County authorities confirmed one death due to hypothermia. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727656,WISCONSIN,2017,December,Cold/Wind Chill,"COLUMBIA",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121631,728044,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPDEN",2017-12-25 02:45:00,EST-5,2017-12-25 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Three inches of snow fell on Western Hampden County." +121631,728045,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN HAMPDEN",2017-12-25 02:45:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Three to six inches of snow fell on Eastern Hampden County." +121631,728046,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPSHIRE",2017-12-25 02:50:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Four inches of snow fell on Western Hampshire County." +121631,728058,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN HAMPSHIRE",2017-12-25 02:45:00,EST-5,2017-12-25 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two to five and one-half inches of snow fell on Eastern Hampshire County." +121631,728059,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN MIDDLESEX",2017-12-25 00:30:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two to seven inches of snow fell on Western Middlesex County." +121631,728066,MASSACHUSETTS,2017,December,Winter Weather,"NORTHWEST MIDDLESEX COUNTY",2017-12-25 00:30:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Five to five and one-half inches of snow fell on Northwest Middlesex County." +121631,728067,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHEAST MIDDLESEX",2017-12-25 00:50:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two and one-half to six inches of snow fell on Southeast Middlesex County." +121733,728666,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"BLAINE",2017-12-31 00:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Blaine County during the overnight and morning hours on Sunday, December 31st. A mesonet site located 6 miles east of Halsey recorded a lowest wind chill of 30 below at 1005 am CST." +121733,728667,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"BOYD",2017-12-31 00:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Boyd County during the overnight and morning hours on Sunday, December 31st. A mesonet site located in Butte recorded a lowest wind chill of 31 below at 600 am CST." +121733,728658,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"SHERIDAN",2017-12-31 00:00:00,MST-7,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Sheridan County during the overnight and morning hours on Sunday, December 31st. A mesonet station near Gordon recorded a lowest wind chill of 30 below at 330 am MST." +121733,728665,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"HOLT",2017-12-31 00:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Holt County during the overnight and morning hours on Sunday, December 31st. The O'Neill AWOS site recorded a lowest wind chill of 30 below at 435 am CST. A mesonet site located in Ewing recorded a lowest wind chill of 30 below at 945 am CST." +121733,728661,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"EASTERN CHERRY",2017-12-31 00:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across eastern Cherry County during the overnight and morning hours on Sunday, December 31st. A mesonet station near Valentine recorded a lowest wind chill of 30 below at 454 am CST while another mesonet station 14 miles north northeast of Brownlee recorded a lowest wind chill of 30 below at 814 am CST." +121876,729503,VIRGINIA,2017,December,Winter Weather,"NORTHERN VIRGINIA BLUE RIDGE",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121876,729504,VIRGINIA,2017,December,Winter Weather,"CENTRAL VIRGINIA BLUE RIDGE",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121876,729505,VIRGINIA,2017,December,Winter Weather,"EASTERN HIGHLAND",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121876,729506,VIRGINIA,2017,December,Winter Weather,"WESTERN HIGHLAND",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures led to dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121875,729508,MARYLAND,2017,December,Cold/Wind Chill,"NORTHWEST HARFORD",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures caused dangerously low wind chills.","Wind chills were estimated to be between 0 and -10 degrees below zero based on observations nearby." +121875,729509,MARYLAND,2017,December,Cold/Wind Chill,"SOUTHEAST HARFORD",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures caused dangerously low wind chills.","Wind chills were estimated to be between 0 and -10 degrees below zero based on observations nearby." +121875,729507,MARYLAND,2017,December,Cold/Wind Chill,"EXTREME WESTERN ALLEGANY",2017-12-31 22:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds and bitterly cold temperatures caused dangerously low wind chills.","Wind chills were estimated to be between -10 and -25 degrees based on observations nearby." +121720,728636,TEXAS,2017,December,Heavy Snow,"BRAZOS",2017-12-07 17:30:00,CST-6,2017-12-07 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","Approximately 4 to 6 inches of snow fell across the Brazos River Valley." +121720,728638,TEXAS,2017,December,Winter Weather,"WASHINGTON",2017-12-07 17:30:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","One and a half inches of snow was measured in Brenham." +121218,726376,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WATONWAN",2017-12-30 05:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -44F." +121218,726377,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WASECA",2017-12-30 06:00:00,CST-6,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 35 degrees below zero which occurred Saturday morning." +121995,730394,OHIO,2017,December,Lake-Effect Snow,"LAKE",2017-12-25 00:00:00,EST-5,2017-12-27 14:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took a couple days. ||In Ashtabula County, a peak three day snowfall total of 39.3 inches was reported at Conneaut with 32.8 inches just to the south in North Kingsville. Other totals from the county included: 32.5 inches at Ashtabula; 31.3 inches in Monroe Township; 19.5 inches in Kellogsville, and 16.6 inches at Geneva. In Lake County, a peak total of 16.8 inches was reported near Madison.","An area of low pressure moved across the upper Ohio Valley on December 24th. This low moved into western Pennsylvania during the evening hours. Very cold westerly winds behind this front caused lake effect snow showers to develop with the snow beginning in northern Ashtabula County during the evening of the 24th. The snow picked up in intensity on the 25th with moderate to heavy snow then continuing into the 26th. Most of 25th and 26th, the snow showers were confined to the northern third of Ashtabula County with the greatest accumulations near and along Interstate 90 across the northeast end of the county. The heavier snow showers eventually found their way to Lake County on the 26th with greatest accumulations at the east end of the county. The snow began to diminish during the late evening hours of the 26th but didn't taper to flurries till the afternoon of the 27th. Snowfall totals for the 72 hour period beginning on the evening of the 24th through late day on the 27th ranged from more than three feet in northeastern Ashtabula County to over a foot across eastern Lake County. Over a foot of snow fell across the northern tip of Geauga County but the snow wasn't widespread enough to cause any significant problems in that county. Dozens of accidents were reported. Southwest to west winds gusted to as much as 35 mph during this event causing whiteout conditions at times. Holiday traffic was severely hampered by this storm as numerous accidents forced the closure of Interstate 90 and other roads at times. Clean up from this storm took several days.||In Lake County, a peak total of 16.8 inches was reported near Madison." +121467,727147,NEBRASKA,2017,December,Winter Weather,"HOWARD",2017-12-23 18:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 2.8 inches occurred in St. Paul." +122067,730748,MICHIGAN,2017,December,Winter Weather,"GOGEBIC",2017-12-24 16:00:00,CST-6,2017-12-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","There was a report of six inches of very fluffy lake effect snow in five hours at Bessemer." +122067,730752,MICHIGAN,2017,December,Winter Weather,"LUCE",2017-12-25 00:00:00,EST-5,2017-12-25 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","There was an estimated eight inches of lake effect snow in less than 24 hours four miles north of Newberry." +122067,730755,MICHIGAN,2017,December,Lake-Effect Snow,"NORTHERN HOUGHTON",2017-12-24 11:00:00,EST-5,2017-12-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","The observer at Redridge measured 12 inches of lake effect snow in 24 hours. There were public reports of 11 inches of snow in 12 hours at Houghton and an estimated 14 inches of snow in 24 hours five miles south of Hubbell. West winds gusting near 35 mph contributed to whiteout conditions and considerable drifting of snow over portions of the county." +122067,730757,MICHIGAN,2017,December,Winter Weather,"ALGER",2017-12-26 07:00:00,EST-5,2017-12-27 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","The observer ten miles south of Grand Marais measured ten inches of lake effect snow in 24 hours." +122067,730758,MICHIGAN,2017,December,Winter Weather,"NORTHERN HOUGHTON",2017-12-26 08:00:00,EST-5,2017-12-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","The observer at Painesdale measured 7.6 inches of lake effect snow in 24 hours." +122067,730759,MICHIGAN,2017,December,Extreme Cold/Wind Chill,"IRON",2017-12-26 12:00:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","Observers in Amasa and Stambaugh recorded minimum temperatures near 30 below zero during this period." +122056,730975,LOUISIANA,2017,December,Winter Weather,"UPPER ST. MARTIN",2017-12-08 04:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to three inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event. Interstate 10 was also closed during the snow while the basin bridge iced over." +122056,730976,LOUISIANA,2017,December,Winter Weather,"AVOYELLES",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to two inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +122056,730977,LOUISIANA,2017,December,Winter Weather,"ST. LANDRY",2017-12-08 03:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to two inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +122056,730978,LOUISIANA,2017,December,Winter Weather,"ACADIA",2017-12-08 02:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","Two to four inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +122056,730979,LOUISIANA,2017,December,Winter Weather,"RAPIDES",2017-12-08 01:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to two inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event. Interstate 49 was also closed during the event." +122056,730981,LOUISIANA,2017,December,Winter Weather,"VERNON",2017-12-08 00:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region past midnight and accumulate. Snow lingered through much of the morning. The heavy wet snow caused some power outages in the area and area schools to close.","One to two inches of snow fell during the event. Ice formed on some area bridges impeding traffic and closing schools during the event." +115979,697106,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-29 18:43:00,EST-5,2017-05-29 18:48:00,0,0,0,0,,NaN,,NaN,33.87,-81.03,33.87,-81.03,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down along US Hwy 176." +115979,697107,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-29 18:58:00,EST-5,2017-05-29 19:03:00,0,0,0,0,,NaN,,NaN,33.87,-80.52,33.87,-80.52,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down on SC 261 and Belles Mill Rd." +115979,697108,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-29 19:31:00,EST-5,2017-05-29 19:36:00,0,0,0,0,,NaN,,NaN,33.95,-80.28,33.95,-80.28,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down on East Brewington Rd and Blossom View Dr." +115979,697109,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-29 19:37:00,EST-5,2017-05-29 19:42:00,0,0,0,0,,NaN,,NaN,33.95,-80.5,33.95,-80.5,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down on Hwy 378 at Patriot Pkwy." +115979,697110,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-29 19:49:00,EST-5,2017-05-29 19:54:00,0,0,0,0,,NaN,,NaN,33.8,-81.04,33.8,-81.04,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down Baker Mill Lake Lane and Old Sandy Run Rd." +114048,689809,ILLINOIS,2017,March,Thunderstorm Wind,"MCDONOUGH",2017-03-06 23:10:00,CST-6,2017-03-06 23:10:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-90.62,40.37,-90.62,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A report of 4 to 5 power poles was received from the county emergency manager, located on Highway 67 north of 550th Street in the North portion of Industry. Time was estimated by radar." +115979,697111,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"CLARENDON",2017-05-29 19:53:00,EST-5,2017-05-29 19:58:00,0,0,0,0,,NaN,,NaN,33.82,-80.05,33.82,-80.05,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Clarendon Co Sheriff reported trees down across Walker Gamble Rd near Turbeville." +115979,697112,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-29 19:55:00,EST-5,2017-05-29 20:00:00,0,0,0,0,,NaN,,NaN,33.8,-80.97,33.8,-80.97,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down on 9333 Columbia Rd." +115979,697113,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SUMTER",2017-05-29 20:33:00,EST-5,2017-05-29 20:38:00,0,0,0,0,,NaN,,NaN,34,-80.32,34,-80.32,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down 2700 N Main St, north of Sumter." +115979,697114,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:35:00,EST-5,2017-05-29 18:37:00,0,0,0,0,,NaN,,NaN,33.94,-81.12,33.94,-81.12,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","A 60 MPH (52 knot) wind gust was observed at Columbia Metropolitan Airport." +115979,697115,SOUTH CAROLINA,2017,May,Hail,"SUMTER",2017-05-29 17:15:00,EST-5,2017-05-29 17:17:00,0,0,0,0,0.10K,100,0.10K,100,33.75,-80.46,33.75,-80.46,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Pea size hail reported in Pinewood." +122079,731495,CALIFORNIA,2017,December,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-12-07 06:00:00,PST-8,2017-12-08 06:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Winds gusts in the 50-70 mph range were reported throughout the San Diego County Mountains. The strongest winds were at Sill Hill where winds gusted over 70 mph for 12 hours (0600 to 1900 PST), with a peak gust of 88 mph. A section of Interstate 8 through the Cleveland National Forest was closed to High profile vehicles. A big rig and trailer were blown over near the intersection of Interstate 8 and Hwy 79." +122079,731496,CALIFORNIA,2017,December,Wildfire,"SAN DIEGO COUNTY VALLEYS",2017-12-07 11:15:00,PST-8,2017-12-09 00:00:00,0,0,0,0,30.00M,30000000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. The fire consumed 4,100 acres, destroyed 157 structures and damaged 64. Over 100,000 residents were forced to or advised to evacuate and 20,000 people lost power. The fire was fanned by sub 10% relative humidity values and wind gusts over 50 mph. The fire was 100% contained on December 16th, but the majority of damage occurred in the first 48 hours. Damage value is an estimate." +122190,731498,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-12-14 06:30:00,PST-8,2017-12-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of weak surface highs moved through the Great Basin between the 14th and 17th of December. This increased offshore surface pressure gradients and brought strong winds to some of the more wind prone locations. The region also experienced a prolonged bout of low relative humidity.","Ontario International reported a 60 mph wind gust at 0753 PST, with additional gusts to 55 mph reported at Rialto." +122190,731499,CALIFORNIA,2017,December,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-12-14 06:00:00,PST-8,2017-12-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of weak surface highs moved through the Great Basin between the 14th and 17th of December. This increased offshore surface pressure gradients and brought strong winds to some of the more wind prone locations. The region also experienced a prolonged bout of low relative humidity.","The mesonet station in Fremont Canyon reported a peak gust of 79 mph, with additional gusts over 60 mph for 4 hours. Pleasants Peak also reported gusts over 60 mph during the same period." +120864,723687,NEBRASKA,2017,December,High Wind,"GOSPER",2017-12-04 15:02:00,CST-6,2017-12-04 15:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 60 mph occurred three miles south southeast of Johnson Lake." +122175,731357,SOUTH DAKOTA,2017,December,Winter Weather,"SANBORN",2017-12-21 06:30:00,CST-6,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 4 inches during the morning and early afternoon, including 3.0 inches at Woonsocket, produced hazardous road conditions." +122175,731360,SOUTH DAKOTA,2017,December,Winter Weather,"GREGORY",2017-12-21 04:00:00,CST-6,2017-12-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the morning and early afternoon, including 5.0 inches 9 miles north of Gregory, produced hazardous road conditions. Visibility was briefly as low as 1/4 to 1/2 mile between 0900CST and 1100CST." +121993,730367,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"THAYER",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Hebron, the NWS cooperative observer recorded an average temperature of 7.4 degrees through the final 8-days of December, marking the 2nd-coldest finish to the year out of 126 on record." +121993,730383,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"YORK",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At York (3 miles north), the NWS cooperative observer recorded an average temperature of 4.2 degrees through the final 8-days of December, marking the coldest finish to the year out of 117 on record." +122234,731753,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN COLUMBIA",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731754,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN COLUMBIA",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +121988,730327,NEW YORK,2017,December,Heavy Snow,"NORTHERN WARREN",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged from 7.7 to 10.2 inches." +121988,730329,NEW YORK,2017,December,Heavy Snow,"NORTHERN WASHINGTON",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged from 7 to 9 inches." +121988,730328,NEW YORK,2017,December,Heavy Snow,"SOUTHEAST WARREN",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged from 8 to 9 inches." +121989,731889,VERMONT,2017,December,Heavy Snow,"EASTERN WINDHAM",2017-12-12 03:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. Snowfall began during the early morning hours, with the steadiest and heaviest snow falling during the morning and the afternoon hours. Snow tapered off during the evening, although high terrain areas continued to see snow until the early morning on Wednesday, December 13th. Total snowfall was generally 7 to 12 inches, although some high terrain areas within the southern Green Mountains saw up to 16 inches.","" +121853,729524,NORTH DAKOTA,2017,December,Heavy Snow,"SHERIDAN",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Western Sheridan County received an estimated six inches of snow." +121853,729525,NORTH DAKOTA,2017,December,Heavy Snow,"DUNN",2017-12-20 05:00:00,CST-6,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system passed through the Northern Plains bringing snow to much of the region. The heaviest snow, around six inches, fell primarily over northern parts of North Dakota.","Northeast Dunn County received an estimated six inches of snow." +122137,731975,NORTH CAROLINA,2017,December,Winter Storm,"PERSON",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts of up to 3 inches fell across the county. Also, 0.10 inches of freezing rain was reported." +121911,729717,CONNECTICUT,2017,December,Winter Weather,"SOUTHERN FAIRFIELD",2017-12-09 09:30:00,EST-5,2017-12-09 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southern Connecticut. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","CT DOT and trained spotters reported 4 to 6 inches of snow." +121911,729720,CONNECTICUT,2017,December,Winter Weather,"NORTHERN NEW HAVEN",2017-12-09 09:30:00,EST-5,2017-12-09 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southern Connecticut. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","CT DOT and trained spotters reported 4 to 6 inches of snow." +121911,729721,CONNECTICUT,2017,December,Winter Weather,"SOUTHERN NEW HAVEN",2017-12-09 09:30:00,EST-5,2017-12-09 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southern Connecticut. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained spotters and social media reported 4 to 6 inches of snow." +121911,731983,CONNECTICUT,2017,December,Winter Weather,"NORTHERN FAIRFIELD",2017-12-09 09:15:00,EST-5,2017-12-09 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southern Connecticut. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","CT DOT and trained spotters reported 4 to 7 inches of snow. There were also several reports of 6 to 7 inches of snow, but they occurred in period of greater than 12 hours." +121644,728171,GEORGIA,2017,December,Winter Storm,"BANKS",2017-12-08 19:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 2 and 5 inches of snow were estimated across the county. Reports from COOP and CoCoRaHS observers included 2.5 inches in Alto and 4.5 inches in Baldwin." +121644,728173,GEORGIA,2017,December,Winter Storm,"FORSYTH",2017-12-08 12:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 10 inches of snow were estimated across the county. Reports from CoCoRaHS observers and trained spotters include 4.5 inches near Flowery Branch, 4.5 to 6 inches around Cumming, 6 inches near Chestatee and 9 inches on Coal Mountain." +121644,728172,GEORGIA,2017,December,Winter Storm,"NORTH FULTON",2017-12-08 14:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 3 and 8 inches of snow were estimated across the county. The Fulton County Emergency Manager reported 7 inches in Milton." +121858,731822,MISSISSIPPI,2017,December,Winter Weather,"CLAY",2017-12-08 06:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Up to around 1 inch of snow fell across portions Clay County." +122277,732102,NEW HAMPSHIRE,2017,December,Heavy Snow,"EASTERN HILLSBOROUGH",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +121858,731847,MISSISSIPPI,2017,December,Heavy Snow,"OKTIBBEHA",2017-12-08 06:00:00,CST-6,2017-12-08 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Up to 2 inches of heavy snow fell across portions of Oktibbeha County." +122277,732103,NEW HAMPSHIRE,2017,December,Heavy Snow,"INTERIOR ROCKINGHAM",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +122277,732104,NEW HAMPSHIRE,2017,December,Heavy Snow,"NORTHERN CARROLL",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +122277,732105,NEW HAMPSHIRE,2017,December,Heavy Snow,"NORTHERN GRAFTON",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +114098,683252,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 17:00:00,CST-6,2017-04-29 17:04:00,5,0,0,0,300.00K,300000,40.00K,40000,32.3569,-95.9188,32.4061,-95.9025,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This is a continuation of the Henderson County tornado, as it moved into Van Zandt | County. ||This tornado developed northeast of Log Cabin with the first visible damage associated to snapped trees. As the tornado moved north/northeast, a tall communications tower was snapped in half. Eventually, the tornado crossed paths with several homes which led to complete destruction and many debarked trees. The damage path continued to the northeast, eventually stopping near the intersection of Van Zandt County Road 2903 and FM 1256. As this tornado occluded and dissipated, the next tornado began in the next few minutes." +115349,692593,ALABAMA,2017,April,Hail,"RUSSELL",2017-04-05 01:58:00,CST-6,2017-04-05 01:59:00,0,0,0,0,0.00K,0,0.00K,0,32.08,-85.15,32.08,-85.15,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120347,721462,GEORGIA,2017,September,Tropical Storm,"UNION",2017-09-11 16:00:00,EST-5,2017-09-12 01:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported several trees and power lines blown down across the county, especially across the southern portion. Several thousand customers were without power for varying periods of time. The Toccoa RAWS site recorded a wind gust of 34 MPH. No injuries were reported." +120347,721427,GEORGIA,2017,September,Tropical Storm,"DOUGLAS",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and some power lines blown down across the county. Hundreds of customers were without electricity. Radar estimated between 2.5 and 5 inches of rain fell across the county with 4.83 inches measured near Chapel Hill. No injuries were reported." +120347,721413,GEORGIA,2017,September,Tropical Storm,"WARREN",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported many trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. No injuries were reported." +120347,721434,GEORGIA,2017,September,Tropical Storm,"BARROW",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported a significant number of trees and many power lines were blown down across the county. Many customers were without electricity for varying periods of time. A wind gust of 51 mph was recorded near Winder. Radar estimated between 2 and 4 inches of rain fell across the county with 3.18 inches measured near Winder. No injuries were reported." +120847,723579,KENTUCKY,2017,November,Thunderstorm Wind,"WEBSTER",2017-11-05 20:50:00,CST-6,2017-11-05 20:50:00,0,0,0,0,30.00K,30000,0.00K,0,37.4966,-87.7794,37.4966,-87.7794,"A cold front tracked southeast across the lower Ohio Valley during the evening hours. A line of thunderstorms slowly advanced east-southeastward ahead of the cold front. The linear organization of the storms favored isolated strong to damaging winds as the main severe weather phenomenon.","A metal farm equipment shed was destroyed. Debris blocked State Highway 132. Another shed lost a small portion of its metal roof. Trees were blown down in the same area." +120603,723820,VIRGINIA,2017,November,Thunderstorm Wind,"SMYTH",2017-11-18 22:47:00,EST-5,2017-11-18 22:47:00,0,0,0,0,0.50K,500,0.00K,0,36.8574,-81.58,36.8574,-81.58,"A deep low pressure system passed just south of the Great Lakes during the afternoon and evening, dragging with it a strong cold front eastward across the central Appalachians. A line of severe thunderstorms developed just ahead of the front, with at least one wind gust greater than 50 knots was observed as the line of storms passed across Bristol TN. As the line of storms entered southwest Virginia, several trees were blown down across Smyth and Bland counties.","A tree was blown down along Wassum Valley Road by thunderstorm winds." +120598,724098,OHIO,2017,November,Flood,"MIAMI",2017-11-18 16:00:00,EST-5,2017-11-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0571,-84.226,40.0634,-84.1862,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported on several Roads across Miami County." +120612,727550,ALABAMA,2017,November,Thunderstorm Wind,"DEKALB",2017-11-18 18:12:00,CST-6,2017-11-18 18:12:00,0,0,0,0,,NaN,0.00K,0,34.67,-85.66,34.67,-85.66,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Several trees and power lines were knocked down along Highway 117 and CR 134 in the Ider area." +121293,729186,INDIANA,2017,November,Thunderstorm Wind,"TIPPECANOE",2017-11-05 13:48:00,EST-5,2017-11-05 13:48:00,0,0,0,0,5.00K,5000,0.00K,0,40.2146,-86.7146,40.2146,-86.7146,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Three electric poles have been blown down at or near the intersection of East County Line Road South and South County Road 1000 East due to damaging thunderstorm wind gusts. This necessitated a road closure." +122312,732433,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 28 inches of snow." +122312,732435,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 20 inches of snow." +122312,732436,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 36 inches of snow." +122312,732437,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 19.5 inches of snow." +122312,732439,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 30 inches of snow." +122312,732440,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 22 inches of snow." +121991,731756,MISSISSIPPI,2017,December,Winter Weather,"JACKSON",2017-12-08 16:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Snow and sleet fell across the county with only minor accumulations in the north portion near Vancleave where 1.5 inches accumulated." +121918,730399,OREGON,2017,December,Heavy Snow,"SOUTHERN BLUE MOUNTAINS",2017-12-22 15:00:00,PST-8,2017-12-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North flow behind a modified Arctic cold front caused significant snow across northwest and north facing slopes in north-central and northeast Oregon. Also locally significant snow fell in portions of southeast Washington.","Estimated 11 inches of snow at Lucky Strike Snotel, 11 miles NNE of Ukiah in Umatilla county. Elevation 4970 feet." +122189,732676,ALABAMA,2017,December,Tornado,"RANDOLPH",2017-12-20 10:40:00,CST-6,2017-12-20 10:45:00,0,0,0,0,0.00K,0,0.00K,0,33.1695,-85.4267,33.1597,-85.3732,"A line of thunderstorms pushed eastward through central Alabama during the morning hours on December 20th. Wind shear values were favorable for rotating storms with 0-6km Bulk Shear values near 50 knots and 0-3km Storm Relative Helicity values near 350 m2/s2. Surface based instability also increased during the morning hours, reaching values near 500 j/kg by the time the tornado formed.","NWS meteorologists surveyed damage in eastern Randolph County and determined that the damage was consistent with an EF0 tornado. The weak tornado touched near County Road 865 just north of Highway 22. Several metal roof panels were blown off a barn on County Road 865, with a few instances of snapped tree branches and snapped, slender pine trees noted downstream. A snapped tree was noted within the city limits of Roanoke." +122381,732695,OREGON,2017,December,High Wind,"WESTERN COLUMBIA RIVER GORGE",2017-12-14 00:05:00,PST-8,2017-12-14 12:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Persistent ridging over the Pacific Northwest was starting to break down with an approaching front. As Low pressure approached the area, this caused the easterly pressure gradient to increase again through the Columbia River Gorge. As the gradient increased, easterly winds increased again through the Columbia River Gorge.","Winds at the Corbett High School weather station were measured up to 42 mph sustained with gusts up to 77 mph." +122191,732585,ALABAMA,2017,December,Winter Storm,"JEFFERSON",2017-12-08 07:00:00,CST-6,2017-12-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across the southern portions of Jefferson County tapering off to 2-3 inches across the north." +121070,724769,LOUISIANA,2017,December,Winter Weather,"LA SALLE",2017-12-08 05:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121070,724770,LOUISIANA,2017,December,Winter Weather,"CALDWELL",2017-12-08 05:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the reported snowfall totals across portions of Northcentral Louisiana: In Sabine Parish, Negreet and Converse both recorded 0.5 inches. In Natchitoches Parish, Provencal recorded 0.5 inches, and Natchitoches 0.1 inches. In Winn Parish, Winnfield recorded 0.5 inches. In Grant Parish, Pollock recorded 2.5 inches, with 1.0 inches having fallen in Colfax, Bentley, and Dry Prong. In LaSalle Parish, 3.0 inches was recorded in Jena, with 2.0 inches falling in Trout and Olla. In Caldwell Parish, 1.0 inches was recorded in Grayson and Columbia, with 0.5 inches falling at Columbia Lock and Dam.","" +121132,726401,TEXAS,2017,December,Funnel Cloud,"RUSK",2017-12-19 20:01:00,CST-6,2017-12-19 20:01:00,0,0,0,0,0.00K,0,0.00K,0,32.0144,-94.7077,32.0144,-94.7077,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","A funnel cloud was spotted over the community of Minden." +115349,692602,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 04:30:00,CST-6,2017-04-05 04:31:00,0,0,0,0,0.00K,0,0.00K,0,33.6225,-85.759,33.6225,-85.759,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Hail the size of quarters reported along Jones Road." +115349,692603,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 04:34:00,CST-6,2017-04-05 04:35:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-85.83,33.61,-85.83,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692604,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 04:42:00,CST-6,2017-04-05 04:43:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-85.77,33.65,-85.77,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115819,696084,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-23 23:17:00,EST-5,2017-04-23 23:17:00,0,0,0,0,0.10K,100,0.10K,100,33.9885,-81.0274,33.9875,-81.027,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","USGS stream gage at Rocky Branch Creek at Main and Whaley St reached the flood stage of 7.2 feet at 1217 am EDT on April 24th (1117 pm EST on April 23rd)." +115819,696087,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-23 23:35:00,EST-5,2017-04-23 23:59:00,0,0,0,0,1.00K,1000,0.10K,100,34.0056,-81.0216,34.0045,-81.0221,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","A car was submerged halfway up the door near the intersection of Gervais St and Harden St under the railroad bridge." +121585,727768,OREGON,2017,November,High Wind,"CENTRAL OREGON COAST",2017-11-12 23:00:00,PST-8,2017-11-13 10:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","Weather stations on Yaquina Bridge and in Yachats recorded sustained winds up to 47 to 49 mph." +121585,727770,OREGON,2017,November,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-11-13 01:12:00,PST-8,2017-11-13 14:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","Rockhouse RAWS recorded sustained winds up to 45 mph with gusts up to 74 mph." +114098,683256,TEXAS,2017,April,Tornado,"HOPKINS",2017-04-29 17:32:00,CST-6,2017-04-29 17:50:00,0,0,0,0,10.00K,10000,10.00K,10000,32.9906,-95.836,33.1146,-95.8302,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Residents recorded video of a tornado near FM 1567 and|County Road 1137 shortly after 530 PM. Tornado briefly had multiple|vortices but generally maintained a width of around 100 yards. The|tornado traveled north along County Road 1131 with mainly tree |damage observed. A metal barn was destroyed near CR 1131 and CR |1120. A home was damaged along FM 275 south of I-30 near the end|of the track. The home burned after a large tree limb fell on the |main powerline into the home." +120894,723814,WYOMING,2017,November,Winter Storm,"SOUTHWEST BIG HORN BASIN",2017-11-01 17:00:00,MST-7,2017-11-02 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","Trained spotters measured anywhere from 3 to 9 inches around Thermopolis." +120894,723815,WYOMING,2017,November,Winter Storm,"UPPER WIND RIVER BASIN",2017-11-01 18:00:00,MST-7,2017-11-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","A trained spotter measured 8 inches of snow in DuBois." +120894,723816,WYOMING,2017,November,Winter Storm,"SOUTHEAST JOHNSON COUNTY",2017-11-01 12:00:00,MST-7,2017-11-02 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving southward across Wyoming brought heavy snow mainly to the mountainous areas of western and central Wyoming although a few areas in the lower elevations also saw heavy snow. Portions of the Bighorns and Absarokas saw over a foot of snow. A few locations in the lower elevations also saw heavy snow with over 6 inches of snow reported at Meeteetse, DuBois, Thermopolis and near Kaycee.","COOP observers and trained observers reported anywhere from 6 to 9 inches of snow around southern Johnson County." +120897,723825,WYOMING,2017,November,Winter Storm,"ABSAROKA MOUNTAINS",2017-11-03 02:00:00,MST-7,2017-11-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another moisture laden Pacific Storm system moved into western Wyoming on the heels of the previous storm on November 1st and brought another round of heavy snow to the western mountains of Wyoming. Over a foot of new snow fell in many of the higher elevations of the mountains with close to 2 feet in some locations. Some of the more notable snowfall amounts include 23 inches at the Willow Creek SNOTEL in the Salt and Wyoming Range and Lewis Lake Divide in Yellowstone Park, 20 inches at Jackson Hole Ski Resort and 18 inches at Beartooth Lake in the Absarokas.","Over a foot of new snow fell in the higher elevations of the Absarokas. Some of the highest amounts included 18 inches at Beartooth Lake and 14 inches at Evening Star." +120897,723828,WYOMING,2017,November,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-11-03 07:00:00,MST-7,2017-11-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another moisture laden Pacific Storm system moved into western Wyoming on the heels of the previous storm on November 1st and brought another round of heavy snow to the western mountains of Wyoming. Over a foot of new snow fell in many of the higher elevations of the mountains with close to 2 feet in some locations. Some of the more notable snowfall amounts include 23 inches at the Willow Creek SNOTEL in the Salt and Wyoming Range and Lewis Lake Divide in Yellowstone Park, 20 inches at Jackson Hole Ski Resort and 18 inches at Beartooth Lake in the Absarokas.","Heavy snow fell in portions of the Tetons. On the top of the Jackson Hole Ski Resort, 20 inches of new snow was reported. At Grand Targhee, the SNOTEL site reported 22 inches of snow." +120612,727537,ALABAMA,2017,November,Thunderstorm Wind,"COLBERT",2017-11-18 17:12:00,CST-6,2017-11-18 17:12:00,0,0,0,0,1.00K,1000,0.00K,0,34.76,-87.48,34.76,-87.48,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A power pole was knocked down near the corner of Hatton School Road and East 2nd Street." +120612,727538,ALABAMA,2017,November,Thunderstorm Wind,"LIMESTONE",2017-11-18 17:35:00,CST-6,2017-11-18 17:35:00,0,0,0,0,,NaN,0.00K,0,34.93,-86.98,34.93,-86.98,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees and power lines were knocked down at the intersection of Cedar Avenue and Upper Fort Hampton Road." +120612,727540,ALABAMA,2017,November,Thunderstorm Wind,"MORGAN",2017-11-18 17:42:00,CST-6,2017-11-18 17:42:00,0,0,0,0,,NaN,0.00K,0,34.62,-87.08,34.62,-87.08,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down along Highway 20 in Trinity." +120612,727542,ALABAMA,2017,November,Thunderstorm Wind,"LIMESTONE",2017-11-18 17:46:00,CST-6,2017-11-18 17:46:00,0,0,0,0,,NaN,0.00K,0,34.76,-86.86,34.76,-86.86,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees and power lines were knocked down at the intersection of Newby Road and U.S. Highway 72." +120612,727543,ALABAMA,2017,November,Thunderstorm Wind,"LIMESTONE",2017-11-18 17:46:00,CST-6,2017-11-18 17:46:00,0,0,0,0,,NaN,0.00K,0,34.89,-86.83,34.89,-86.83,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees and power lines were knocked down at the intersection of McKee Road and Highway 251." +120612,727544,ALABAMA,2017,November,Thunderstorm Wind,"MORGAN",2017-11-18 17:48:00,CST-6,2017-11-18 17:48:00,0,0,0,0,,NaN,0.00K,0,34.52,-86.97,34.52,-86.97,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down along Mill Road and Old Highway 31." +120612,727545,ALABAMA,2017,November,Thunderstorm Wind,"MORGAN",2017-11-18 17:48:00,CST-6,2017-11-18 17:48:00,0,0,0,0,0.10K,100,0.00K,0,34.54,-87,34.54,-87,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down on a house with sparks coming from the home along Longbow Drive in the Decatur area." +120612,727546,ALABAMA,2017,November,Thunderstorm Wind,"LIMESTONE",2017-11-18 17:52:00,CST-6,2017-11-18 17:52:00,0,0,0,0,,NaN,0.00K,0,34.66,-86.88,34.66,-86.88,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees and power lines were knocked down at the intersection of Garret Road and Mooresville Road." +120612,727547,ALABAMA,2017,November,Thunderstorm Wind,"LIMESTONE",2017-11-18 17:52:00,CST-6,2017-11-18 17:52:00,0,0,0,0,,NaN,0.00K,0,34.91,-86.89,34.91,-86.89,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees and power lines were knocked down near the intersection of Wooley Springs Road and Holt Road." +121293,729277,INDIANA,2017,November,Flash Flood,"RUSH",2017-11-05 20:33:00,EST-5,2017-11-05 21:59:00,0,0,0,0,15.00K,15000,0.00K,0,39.6094,-85.4336,39.6085,-85.4338,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Four inches of rain was causing small streams to exceed their banks and water to enter a basement east of Rushville." +121293,729278,INDIANA,2017,November,Flood,"RANDOLPH",2017-11-05 17:12:00,EST-5,2017-11-05 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.1765,-84.9817,40.1765,-84.9811,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Winchester police closed off North Main Street between 3rd and 4th Streets due to flooding from heavy rainfall. The officer reported water up to his fender wells of his police pick-up truck." +121293,729279,INDIANA,2017,November,Flood,"RANDOLPH",2017-11-05 17:20:00,EST-5,2017-11-05 19:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.2,-84.82,40.1973,-84.8191,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Localized flooding was occurring on various streets due to heavy rainfall. Rainfall of 2.38 inches fell in the Emergency Manager's rain gauge." +121293,729282,INDIANA,2017,November,Flood,"BROWN",2017-11-05 21:55:00,EST-5,2017-11-05 23:55:00,0,0,0,0,25.00K,25000,0.00K,0,39.2669,-86.2966,39.2703,-86.2951,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A trained spotter reported 6 to 9 inches of standing water on Lick Creek Road, north of State Road 45 due to heavy rainfall. Several vehicles were stalled in water." +121293,729284,INDIANA,2017,November,Thunderstorm Wind,"VIGO",2017-11-05 17:49:00,EST-5,2017-11-05 17:49:00,0,0,0,0,1.50K,1500,0.00K,0,39.49,-87.4,39.49,-87.4,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Several 6 to 8 inch tree limbs were snapped due to damaging thunderstorm wind gusts." +121293,729285,INDIANA,2017,November,Thunderstorm Wind,"RUSH",2017-11-05 18:32:00,EST-5,2017-11-05 18:32:00,0,0,0,0,1.50K,1500,0.00K,0,39.7,-85.44,39.7,-85.44,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Several large tree limbs were down near State Road 3 due to damaging thunderstorm wind gusts." +121718,728619,WYOMING,2017,November,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-11-24 04:30:00,MST-7,2017-11-24 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Deer Creek measured sustained winds of 40 mph or higher." +121718,728620,WYOMING,2017,November,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-11-24 08:50:00,MST-7,2017-11-24 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 24/0950 MST." +121718,728621,WYOMING,2017,November,High Wind,"SHIRLEY BASIN",2017-11-24 05:00:00,MST-7,2017-11-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The UPR sensor at Medicine Bow measured sustained winds of 40 mph or higher." +121718,728623,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-23 21:45:00,MST-7,2017-11-23 22:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 23/2200 MST." +121718,728624,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-24 06:10:00,MST-7,2017-11-24 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Bear Creek measured peak wind gusts of 58 mph." +121718,728625,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-24 06:35:00,MST-7,2017-11-24 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Quealy Dome measured peak wind gusts of 58 mph." +121718,728626,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-24 06:15:00,MST-7,2017-11-24 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 24/0625 MST." +121718,728627,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-24 05:25:00,MST-7,2017-11-24 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +120857,723612,HAWAII,2017,November,Drought,"BIG ISLAND INTERIOR",2017-11-01 00:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although much of the Big Island had improved significantly in November because of drenching rains, parts of the isle were still mired in the D2 category of severe drought. However, no parts of the island were designated as D3, extreme drought, after the middle of the month.","" +120853,723894,HAWAII,2017,November,Flash Flood,"HAWAII",2017-11-30 11:55:00,HST-10,2017-11-30 20:44:00,0,0,0,0,0.00K,0,0.00K,0,19.7278,-155.0888,19.7279,-155.0871,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported.","Deep flooding occurred along Bayfront Highway in the Hilo area of the Big Island after an overflow of Alenaio Stream." +120779,723373,ATLANTIC SOUTH,2017,November,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-11-29 02:44:00,EST-5,2017-11-29 02:44:00,0,0,0,0,0.00K,0,0.00K,0,27.656,-80.376,27.656,-80.376,"A mid to upper level shortwave trough axis moved over the Florida peninsula enhanced instability that allowed showers and thunderstorms to develop along the Treasure Coast. One thunderstorm produced strong winds along the coast as it moved inland into Indian River County.","The ASOS at the Vero Beach Airport (KVRB) measured a peak wind gust of 39 knots from the north-northwest." +120504,721958,LOUISIANA,2017,November,Hail,"EAST CARROLL",2017-11-03 21:34:00,CST-6,2017-11-03 21:40:00,0,0,0,0,10.00K,10000,0.00K,0,32.82,-91.21,32.82,-91.21,"An upper level trough combined with sufficient moisture and strong instability to kick off a few severe storms.","" +120825,723492,MONTANA,2017,November,Winter Storm,"JUDITH GAP",2017-11-02 22:00:00,MST-7,2017-11-04 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Judith Gap received 11 inches of snow. U.S. Highway 191 was closed for a period of time." +120825,723493,MONTANA,2017,November,Winter Storm,"GOLDEN VALLEY",2017-11-02 22:00:00,MST-7,2017-11-04 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall amounts of 10-12 inches were reported in Ryegate." +120825,723495,MONTANA,2017,November,Winter Storm,"NORTHERN STILLWATER",2017-11-02 22:00:00,MST-7,2017-11-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall amounts of 6-12 inches were reported from Reed Point to Rapelje." +120956,724010,INDIANA,2017,November,Thunderstorm Wind,"SPENCER",2017-11-18 14:43:00,CST-6,2017-11-18 14:43:00,0,0,0,0,10.00K,10000,0.00K,0,37.9234,-87.05,37.9234,-87.05,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","A tractor-trailer rig was blown over on U.S. Highway 231." +120958,724173,KENTUCKY,2017,November,Thunderstorm Wind,"MCCRACKEN",2017-11-18 14:05:00,CST-6,2017-11-18 14:05:00,0,0,0,0,5.00K,5000,0.00K,0,37.08,-88.75,37.08,-88.6481,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","On the west side of Paducah, a few downed trees were photographed and posted on social media. One of the trees fell over Highway 305. A highway sign along Interstate 24 near exit 4 was damaged. Power outages were reported." +120958,724172,KENTUCKY,2017,November,Thunderstorm Wind,"WEBSTER",2017-11-18 14:27:00,CST-6,2017-11-18 14:31:00,0,0,0,0,450.00K,450000,0.00K,0,37.4,-87.7791,37.4,-87.7563,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","A microburst with estimated wind speeds near 75 mph downed hundreds of trees and limbs in and near Providence. Numerous trees were snapped or uprooted. The damage path was approximately 1.25 miles long across the community of Providence. At least 50 homes sustained partial shingle loss or structural damage. A porch was blown off one home. A wall was blown out of a barn. Garage doors were blown in at a residence. Widespread damage was observed across town. Numerous power lines were down, and the entire community of Providence was without power." +120850,723580,HAWAII,2017,November,High Surf,"NIIHAU",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723581,HAWAII,2017,November,High Surf,"KAUAI WINDWARD",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723582,HAWAII,2017,November,High Surf,"KAUAI LEEWARD",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723583,HAWAII,2017,November,High Surf,"OAHU NORTH SHORE",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +121388,727603,ARKANSAS,2017,November,Hail,"BRADLEY",2017-11-03 16:29:00,CST-6,2017-11-03 16:29:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-92.07,33.61,-92.07,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","Hail damaged some cars." +121388,727602,ARKANSAS,2017,November,Hail,"SALINE",2017-11-03 16:12:00,CST-6,2017-11-03 16:12:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-92.51,34.67,-92.51,"The month started with an unstable situation on the 3rd. A cold front drifted into Arkansas from the north. The front separated springlike air to its south from much cooler air over the northern counties. Afternoon temperatures stayed in the 50s at Harrison (Boone County). Meanwhile, the mercury hit 85 degrees at Little Rock (Pulaski County). This was the second warmest day on record in November, and only a degree away from the 86 degree mark reached on the 13th in 1955.||Scattered thunderstorms developed in the afternoon, mainly from central into southeast sections of the state. Some of the storms were severe, with mainly hail reported. Golf ball size hail pelted East Camden (Ouachita County). Damaging winds also downed trees, with one tree on a house. Ping pong ball size hail fell a few miles south of Sherrill (Jefferson County), with half dollar size hail at Redfield (Jefferson County), and quarter size hail at Warren (Bradley County).","" +121580,727724,TEXAS,2017,November,Drought,"COOKE",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions entered the southern part of Cooke County around November 21 and expanded to include the rest of the county through the end of the month." +121580,727725,TEXAS,2017,November,Drought,"GRAYSON",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions entered the southern part of Grayson County around November 21 and expanded to include the rest of the county through the end of the month." +121580,727726,TEXAS,2017,November,Drought,"FANNIN",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought developed county-wide around November 21st and remained in place through the end of the month." +121588,727773,ARKANSAS,2017,November,Drought,"LAWRENCE",2017-11-07 06:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of November and fueled the spread of moderate (D2) drought conditions over parts of Northeast Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions developed across the county." +121589,727774,ARKANSAS,2017,November,Drought,"CLAY",2017-11-14 06:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of November and fueled the spread of moderate (D2) drought conditions over parts of Northeast Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions developed across the county." +121585,727767,OREGON,2017,November,High Wind,"NORTHERN OREGON COAST",2017-11-13 02:07:00,PST-8,2017-11-13 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","A weather station on Megler Bridge recorded sustained winds up to 62 mph. Also, weather stations at Clatsop Spit and in Pacific City recorded sustained winds 40 to 44 mph. According to a trained spotter, numerous trees and limbs were down in and around the Manzanita area. Also, ODOT reported a tree fell on Highway 101, temporarily closing 101 for cleanup." +121586,727771,WASHINGTON,2017,November,High Wind,"SOUTH COAST",2017-11-13 01:00:00,PST-8,2017-11-13 15:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast.","A weather station at Cape Disappointment recorded sustained winds up to 59 mph with gusts up to 75 mph. Another weather station on Megler Bridge measured sustained winds up to 62 mph. Wahkiakum County official reported that wind tore off part of a metal house roof and siding in Cathlamet. Also, reports of power outages and downed trees on Puget Island." +121585,727769,OREGON,2017,November,High Wind,"COAST RANGE OF NW OREGON",2017-11-13 13:14:00,PST-8,2017-11-13 15:14:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","Tidewater RAWS recorded wind gusts up to 62 mph. Oregon DOT reported trees and branches down on Highway 26, temporarily closing 26 3 miles west of Elsie. Oregon DOT also reported several trees or branches down and blocking portions of Highway 30. Highway 30 was closed near Knappa." +121545,727463,INDIANA,2017,November,Tornado,"JAY",2017-11-05 13:43:00,EST-5,2017-11-05 14:16:00,0,0,0,0,0.00K,0,0.00K,0,40.3977,-85.2066,40.5092,-84.8028,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","The tornado crossed into Jay county north of W County Road 300 S near Big Lick Creek. Damage was somewhat sporadic from north of Dunkirk to northwest of Portland before the tornado intensified per video footage with indications of multiple vortex development at its peak. Numerous farm structures were severely damaged or destroyed with several homes suffering varying degrees of damage up to loss of a second floor. A manufactured home on N County Road 550 E was picked up and rotated clockwise, then placed back down with part of the house still on the southeast corner of the foundation. A male teenager was in the basement when it occurred but was not injured. The home was treated as a DI of FR12 due to being removed from its trailer and extra reinforcement done to the 2 halves when it was assembled. A man and his son were in a barn when it was struck by the tornado. Several hundred bales of hay fell onto them trapping them until they could find a escape route. They suffered minor injuries and were treated at the scene. The tornado did weaken as it approached and eventually crossed into Mercer County (Ohio) and into the Wilmington Ohio forecast area, north of St Anthony Road. Maximum wind speeds are estimated between 130 and 135 mph." +121567,727636,NEW YORK,2017,November,Coastal Flood,"NIAGARA",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121670,728391,SOUTH DAKOTA,2017,November,High Wind,"DAY",2017-11-29 13:15:00,CST-6,2017-11-29 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +121670,728394,SOUTH DAKOTA,2017,November,High Wind,"ROBERTS",2017-11-29 11:52:00,CST-6,2017-11-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +121670,728368,SOUTH DAKOTA,2017,November,High Wind,"CORSON",2017-11-29 15:06:00,CST-6,2017-11-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +121670,728392,SOUTH DAKOTA,2017,November,High Wind,"CLARK",2017-11-29 12:00:00,CST-6,2017-11-29 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +115349,692612,ALABAMA,2017,April,Hail,"HALE",2017-04-05 10:06:00,CST-6,2017-04-05 10:07:00,0,0,0,0,0.00K,0,0.00K,0,32.77,-87.53,32.77,-87.53,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Hail up to the size of quarters along Highway 25." +115349,692613,ALABAMA,2017,April,Thunderstorm Wind,"RANDOLPH",2017-04-05 05:33:00,CST-6,2017-04-05 05:34:00,0,0,0,0,0.00K,0,0.00K,0,33.35,-85.64,33.35,-85.64,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted." +115349,692722,ALABAMA,2017,April,Hail,"RUSSELL",2017-04-05 13:58:00,CST-6,2017-04-05 13:59:00,0,0,0,0,0.00K,0,0.00K,0,32.08,-85.15,32.08,-85.15,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692723,ALABAMA,2017,April,Hail,"TALLADEGA",2017-04-05 14:36:00,CST-6,2017-04-05 14:37:00,0,0,0,0,0.00K,0,0.00K,0,33.49,-86.13,33.49,-86.13,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692724,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 15:00:00,CST-6,2017-04-05 15:01:00,0,0,0,0,0.00K,0,0.00K,0,33.78,-86.01,33.78,-86.01,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +121743,728788,NEVADA,2017,November,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-11-15 07:30:00,PST-8,2017-11-16 07:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","Trained weather spotter measured 12 inches of snow in a 24-hour time period at an elevation of 7600 feet 1-mile north-northwest of Incline Village, Nevada." +121743,728789,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-15 14:20:00,PST-8,2017-11-15 14:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","A mesonet atop Slide Mountain (elevation 9650 feet) measured a 95 mph wind gust." +121743,728944,NEVADA,2017,November,Avalanche,"GREATER LAKE TAHOE AREA",2017-11-16 09:00:00,PST-8,2017-11-16 09:00:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","A dry slab avalanche occurred on Tamarack Peak within the Hourglass Bowl at 0900PST 16 November and partially buried a female skier and totally buried a male skier. A quote from the Sierra Avalanche Center: The person who was still skiing when the avalanche hit her was blown out of her skis and they were buried. She may have hit a tree and her back began seizing up. The person buried had both skis but lost a pole and one skin and had a torn ligament in his ankle. Therefore from this report, it is evident that both the skiers were injured in this avalanche." +121743,729296,NEVADA,2017,November,Heavy Rain,"WASHOE",2017-11-15 08:45:00,PST-8,2017-11-16 08:45:00,0,0,0,0,,NaN,,NaN,39.2444,-119.8808,39.2444,-119.8808,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","RAWS sensor at Little Valley measured 4.46 inches of rain from 15 November 0845PST to 16 November 0845PST." +121742,728790,CALIFORNIA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-15 20:00:00,PST-8,2017-11-15 20:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","Mesonet atop Ward Peak (elevation 8637 feet) reported a wind gust of 116 mph. Sustained winds were between 53-72 mph around the time of the reported gust." +120605,722464,KENTUCKY,2017,November,Strong Wind,"GREENUP",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley on the evening of the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front.||Many trees were blown down across Northeast Kentucky, with multiple power outages as a result. Two women received minor injuries when a tree fell on them in Central Park in Ashland, the park bench they were sitting on was destroyed. A vehicle was also struck by that falling tree. Around the time of the incident, the automated weather station at the nearby Ashland Regional Airport reported a 38 mph wind gust.","" +120609,722469,VIRGINIA,2017,November,Strong Wind,"DICKENSON",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the Central Appalachians late on the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front. A wind gust of 40 miles per hour was reported by a CWOP station near Clintwood during the afternoon.||Many trees were blown down, resulting in localized power outages. Some in Dickenson County didn't have power restored until the 20th.","" +120609,722468,VIRGINIA,2017,November,Strong Wind,"BUCHANAN",2017-11-18 11:00:00,EST-5,2017-11-18 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the Central Appalachians late on the 18th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front. A wind gust of 40 miles per hour was reported by a CWOP station near Clintwood during the afternoon.||Many trees were blown down, resulting in localized power outages. Some in Dickenson County didn't have power restored until the 20th.","" +120614,722655,ALABAMA,2017,November,Frost/Freeze,"COLBERT",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the middle to upper 20s." +120614,722656,ALABAMA,2017,November,Frost/Freeze,"LAUDERDALE",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the middle to upper 20s." +120614,722662,ALABAMA,2017,November,Frost/Freeze,"MADISON",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the middle to upper 20s." +120614,722661,ALABAMA,2017,November,Frost/Freeze,"MORGAN",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the lower to middle 20s." +120614,722660,ALABAMA,2017,November,Frost/Freeze,"LIMESTONE",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the lower to middle 20s." +120736,723126,ALASKA,2017,November,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-11-16 21:00:00,AKST-9,2017-11-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic High pressure was persistent over the Yukon Territory on the evening of 11/16 causing a cold northerly outflow at our lowest levels. The high rapidly weakened as a weak low and front developed in the Gulf. Overrunning aloft caused record heavy snow. Impacts were snow removal, otherwise no damage was reported.||...RECORD SNOW AMOUNTS FOR NOVEMBER 17 AND 18...||There were numerous daily COOP snowfall records across portions|of northern Southeast Alaska on November 17 and 18. Record|snowfall was recorded at the following locations:||Annex Creek recorded 11.7 inches on November 17, breaking the|previous record of 7.6 inches from 1959.||Juneau Lena Point near Juneau recorded 8.9 inches on November 17,|breaking the previous record of 5.8 inches from 2015.||Skagway recorded 5.5 inches on November 17, breaking the previous|record of 2.0 inches from 2009.||The Juneau Forecast Office recorded 10.8 inches on November 17,|breaking the previous record of 3.3 inches from 2003.||Downtown Juneau recorded 3.0 inches on November 17, breaking the|previous record of 2.5 inches from 1932.||The Snettisham Powerplant recorded 4.2 inches on November 17,|breaking the previous record of 1.5 inches from 2015.||Hyder recorded 15.0 inches on November 18, breaking the previous|record of 9.5 inches from 2006.||Hoonah recorded 7.0 inches on November 18, breaking the previous|record of 2.7 inches from 2015.||Pelican recorded 5.2 inches on November 18, breaking the previous|record of 4.5 inches from 2015.||Haines recorded 2.0 inches on November 18, breaking the previous|record of 0.5 inches from 2003.","Pelican COOP measured 7.9 inches new snow ending 0800 on 11/18. Most of the snow fell on the afternoon of 11/17. No damage or power outages reported. Impact was snow removal." +120733,723087,ALASKA,2017,November,Winter Storm,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-11-10 06:00:00,AKST-9,2017-11-10 11:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The arctic front over the central Panhandle interacted with a 1000 MB low off shore to create an overrunning snow event on 11/10 affecting much of the northern Panhandle.|The warm air advection caused the arctic front to retreat rapidly, so snowfall amounts were much less than forecasted. Only the Mendenhall Valley got a dump of new snow. |Other areas, the snow changed to rain. |||.","The Juneau NWS Office measured 6.7 inches of new snow by midnight on the night of 11/10. Snettisham also got 9.5 inches of new snow. Impact was snow removal of heavy wet snow." +120823,723490,MONTANA,2017,November,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-11-01 00:00:00,MST-7,2017-11-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong arctic front combined with an upper low and storm system that moved in from the Pacific Northwest brought heavy snow to portions of the Billings Forecast Area.","Area Snotels reported 11 to 15 inches of snow." +120823,723486,MONTANA,2017,November,Winter Storm,"BEARTOOTH FOOTHILLS",2017-11-01 10:00:00,MST-7,2017-11-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong arctic front combined with an upper low and storm system that moved in from the Pacific Northwest brought heavy snow to portions of the Billings Forecast Area.","Snowfall amounts of 6 inches were reported just southwest of Columbus and Reed Point." +120962,724070,ARKANSAS,2017,November,Drought,"CLARK",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Clark County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120965,724071,ARKANSAS,2017,November,Drought,"MONTGOMERY",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Montgomery County entered D2 drought designation on November 14th and D3 drought designation on November 28th." +120958,724013,KENTUCKY,2017,November,Thunderstorm Wind,"HOPKINS",2017-11-18 14:48:00,CST-6,2017-11-18 14:48:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-87.7,37.17,-87.7,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","A trained spotter estimated a wind gust to 60 mph." +120955,724003,ILLINOIS,2017,November,Hail,"WILLIAMSON",2017-11-18 12:38:00,CST-6,2017-11-18 12:38:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-89.03,37.8,-89.03,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","" +120955,724002,ILLINOIS,2017,November,Hail,"JACKSON",2017-11-18 11:58:00,CST-6,2017-11-18 11:58:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-89.55,37.92,-89.55,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","" +120986,724193,CALIFORNIA,2017,November,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-11-27 00:00:00,PST-8,2017-11-27 00:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Measured wind gust of 47 mph at Oakland Airport." +120987,724196,ILLINOIS,2017,November,Hail,"CLAY",2017-11-18 12:16:00,CST-6,2017-11-18 12:21:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-88.48,38.67,-88.48,"A slow-moving frontal boundary triggered strong thunderstorms across portions of central Illinois on November 18th. Training cells resulted in heavy rainfall of 1.5 to 2.5 and isolated flash flooding in a corridor from Schuyler County eastward to Vermilion County. In addition, a few of the cells produced hail as large as nickels.","" +121008,724408,KENTUCKY,2017,November,Strong Wind,"CRITTENDEN",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724409,KENTUCKY,2017,November,Strong Wind,"LYON",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724410,KENTUCKY,2017,November,Strong Wind,"CALDWELL",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121196,725501,MONTANA,2017,November,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-11-03 16:11:00,MST-7,2017-11-03 16:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Social media report of 8 inches of snowfall." +121178,725514,GEORGIA,2017,November,Thunderstorm Wind,"COWETA",2017-11-18 22:40:00,EST-5,2017-11-18 23:00:00,0,0,0,0,8.00K,8000,,NaN,33.3706,-84.7842,33.36,-84.643,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Coweta County 911 center reported trees and power lines blown down on Ball Street in Newnan and near the intersection of Bob Smith Road and Stewart Road near Sharpsburg." +121178,725510,GEORGIA,2017,November,Thunderstorm Wind,"CARROLL",2017-11-18 22:08:00,EST-5,2017-11-18 22:20:00,0,0,0,0,10.00K,10000,,NaN,33.6495,-84.9283,33.5132,-84.932,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Carroll County Emergency Manager and the 911 center reported trees blown down on Tara Drive and near the intersection of Highway 16 and Little New York Road. The tree that fell on Tara Drive struck an unoccupied car." +121220,725747,AMERICAN SAMOA,2017,November,Heavy Rain,"MANU'A",2017-11-23 05:00:00,SST-11,2017-11-24 21:00:00,0,0,0,0,,NaN,,NaN,-14.1815,-169.6646,-14.2496,-169.4215,"Heavy runoff and flash flooding affected most villages especially low-lying areas including Ottoville and Tafuna Road. The Weather Service Office recorded 5.39 inches of rainfall.","" +121220,725746,AMERICAN SAMOA,2017,November,Heavy Rain,"TUTUILA",2017-11-23 05:00:00,SST-11,2017-11-24 21:00:00,0,0,0,0,,NaN,,NaN,-14.3311,-170.8182,-14.2728,-170.5737,"Heavy runoff and flash flooding affected most villages especially low-lying areas including Ottoville and Tafuna Road. The Weather Service Office recorded 5.39 inches of rainfall.","Heavy runoff and flash flooding affected most villages especially low-lying areas, including Ottoville and Tafuna Road. The Weather Service Office recorded 5.39 inches of rainfall." +121018,724539,MONTANA,2017,November,High Wind,"CASCADE",2017-11-16 19:58:00,MST-7,2017-11-16 19:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active weather pattern including a northward progressing warm front caused isolated gusty winds across North Central Montana.","A peak wind gust of 58 mph was measured near Raynesford." +122287,732185,NEBRASKA,2017,December,High Wind,"SOUTH SIOUX",2017-12-04 08:13:00,MST-7,2017-12-04 10:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The RAWS sensor at Agate measured sustained winds of 40 mph or higher." +122287,732200,NEBRASKA,2017,December,High Wind,"SCOTTS BLUFF",2017-12-04 10:00:00,MST-7,2017-12-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The UPR sensor near Scottsbluff measured sustained winds of 40 mph or higher." +122287,732204,NEBRASKA,2017,December,High Wind,"SCOTTS BLUFF",2017-12-04 10:34:00,MST-7,2017-12-04 10:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The RAWS sensor at Scottsbluff measured a peak wind gust of 58 mph." +122287,732206,NEBRASKA,2017,December,High Wind,"SCOTTS BLUFF",2017-12-04 08:06:00,MST-7,2017-12-04 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The wind sensor at the Scottsbluff Airport measured sustained winds of 40 mph or higher." +122287,732211,NEBRASKA,2017,December,High Wind,"MORRILL",2017-12-04 09:00:00,MST-7,2017-12-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The UPR sensor at Bridgeport measured sustained winds of 40 mph or higher." +122287,732214,NEBRASKA,2017,December,High Wind,"MORRILL",2017-12-04 10:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The NEDOR sensor near Broadwater measured sustained winds of 40 mph or higher." +122287,732218,NEBRASKA,2017,December,High Wind,"KIMBALL",2017-12-04 10:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The UPR sensor at Bushnell measured sustained winds of 40 mph or higher." +122287,732221,NEBRASKA,2017,December,High Wind,"KIMBALL",2017-12-04 06:15:00,MST-7,2017-12-04 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The wind sensor at the Kimball Airport measured sustained winds of 40 mph or higher." +122287,732224,NEBRASKA,2017,December,High Wind,"CHEYENNE",2017-12-04 08:25:00,MST-7,2017-12-04 12:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong winds developed across much of the Nebraska Panhandle.","The wind sensor at the Sidney Airport measured sustained winds of 40 mph or higher." +122297,732276,WYOMING,2017,December,Winter Weather,"CONVERSE COUNTY LOWER ELEVATIONS",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Five inches of snow was observed at Douglas." +122297,732277,WYOMING,2017,December,Winter Weather,"NIOBRARA COUNTY",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Three inches of snow was observed at Lusk." +122000,730405,OHIO,2017,December,Lake-Effect Snow,"ASHTABULA",2017-12-29 08:00:00,EST-5,2017-12-31 15:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Ashtabula County, a peak total of 19.4 inches was reported at North Kingsville with most of that total falling on the 30th. Other totals from Ashtabula County included: 17.0 inches in Monroe Township; 16.0 inches at Geneva; 14.0 inches south of Conneaut; 11.5 inches at Ashtabula and 10.5 inches at Kellogsville. In Lake County, a peak total of 14.5 inches was reported at Madison with 11.8 inches at Mentor. Travel was hampered by this storm and many accidents were reported.","An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Ashtabula County, a peak total of 19.4 inches was reported at North Kingsville with most of that total falling on the 30th. Other totals from Ashtabula County included: 17.0 inches in Monroe Township; 16.0 inches at Geneva; 14.0 inches south of Conneaut; 11.5 inches at Ashtabula and 10.5 inches at Kellogsville." +122025,730541,OKLAHOMA,2017,December,Drought,"DEWEY",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730542,OKLAHOMA,2017,December,Drought,"CUSTER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +121132,726399,TEXAS,2017,December,Tornado,"CHEROKEE",2017-12-19 18:53:00,CST-6,2017-12-19 19:06:00,0,0,0,0,120.00K,120000,0.00K,0,31.7435,-95.1926,31.7687,-95.1494,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","An EF-2 tornado with maximum estimated winds near 115 mph touched down along County Road 1857 southwest of Rusk, where it snapped numerous trees and bent a power pole about 45-50 degrees above the ground. One home on County Road 2210 had its roof ripped off. The tornado crossed County Road 2211 where it snapped the tops of several trees, before it tracked across an open field before crossing FM 23. Numerous trees were either snapped or uprooted along FM 23, with portions of a metal roof and shingles beneath it ripped off of a home and thrown into a open field behind the home. A nearby metal outbuilding was also lofted and destroyed. The tornado continued northeast across FM 752 an intensified where it snapped additional trees and broke/bent 5 concrete poles and cracked an additional 2 poles. The tornado lifted shortly thereafter just east of FM 752 south of the city of Rusk." +121341,726411,ARKANSAS,2017,December,Extreme Cold/Wind Chill,"SEBASTIAN",2017-12-31 10:30:00,CST-6,2017-12-31 10:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through eastern Oklahoma and western Arkansas on the 30th. An arctic air mass spread southward into the region behind the front through the 31st. Temperatures in west central Arkansas were in the mid 20s during the morning hours of the 31st. This cold air combined with northerly wind of 10 to 15 mph resulted in wind chill values around 10 degrees. A 48 year old man was found dead outside a business in Fort Smith during the morning of the 31st. The medical examiner's office ruled that this death was due to extreme hypothermia due to exposure to the elements.","" +121359,726649,SOUTH CAROLINA,2017,December,Winter Weather,"DORCHESTER",2017-12-29 02:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","The public reported minor ice accumulation on elevated surfaces such as automobiles, table tops and grills in the Knightsville area. Light icing was also reported near Greg's Landing." +121359,726601,SOUTH CAROLINA,2017,December,Winter Weather,"TIDAL BERKELEY",2017-12-29 02:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","The media and trained spotters reported a light glaze of ice on cars and shrubs in the Wando area. The Don Holt Bridge was also reported closed due to icing during the morning commute." +121359,726488,SOUTH CAROLINA,2017,December,Winter Weather,"CHARLESTON",2017-12-29 02:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","The media, NWS employees and the public reported a thin glaze of ice covering cars, fences, road signs, elevated structures and various vegetation such as trees and plants above the ground in Charleston, North Charleston, Mt Pleasant, James Island, Johns Island, West Ashley, Redtop, Rantowles, Meggett and Cainhoy, SC. Several areas also experienced a thin layer of ice on grass and roadways, especially on elevated bridges in Charleston, SC and Mt Pleasant, SC. The greatest storm total ice accumulation in Charleston County was 0.03 inches, which occurred at the National Weather Service office in North Charleston, SC. Elsewhere, storm total ice accumulation ranged from a trace to a few hundredths of an inch. The greatest impact associated with the ice accumulation was the closing of major bridges and overpasses in the Charleston, SC Metropolitan area including: Arthur Ravenel Bridge, Isle of Palms Connector, Ben Sawyer Bridge, Northbridge and the I-26/Cosgrove Ave overpass." +121124,726709,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer near Hope reported 15.5 inches of new snow." +121124,726711,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer near Athol reported 9.9 inches of new snow." +121124,726712,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","An observer near Naples reported 22.5 inches of new snow." +121452,727045,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121454,727054,HAWAII,2017,December,High Surf,"NIIHAU",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727055,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727056,HAWAII,2017,December,High Surf,"KAUAI LEEWARD",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121563,727657,WISCONSIN,2017,December,Cold/Wind Chill,"DODGE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727659,WISCONSIN,2017,December,Cold/Wind Chill,"GREEN LAKE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727660,WISCONSIN,2017,December,Cold/Wind Chill,"IOWA",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121631,728077,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN NORFOLK",2017-12-25 08:00:00,EST-5,2017-12-25 10:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two to four inches of snow fell on Western Norfolk County." +121631,728088,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN NORFOLK",2017-12-25 08:15:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","One and one-half to three and one-half inches of snow fell on Eastern Norfolk County." +121631,728091,MASSACHUSETTS,2017,December,Winter Weather,"SOUTHERN WORCESTER",2017-12-25 00:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","One and one-half to five inches of snow fell on Southern Worcester County." +121631,728130,MASSACHUSETTS,2017,December,High Wind,"DUKES",2017-12-25 09:15:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 932 AM EST an amateur radio operator in Edgartown reported a wind gust of 63 mph." +121631,728131,MASSACHUSETTS,2017,December,High Wind,"NANTUCKET",2017-12-25 09:15:00,EST-5,2017-12-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 943 AM EST the Automated Surface Observation System at Nantucket Airport measured a wind gust of 66 mph." +121631,728132,MASSACHUSETTS,2017,December,High Wind,"EASTERN PLYMOUTH",2017-12-25 09:25:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 954 AM EST an amateur radio operator in Duxbury reported a wind gust to 68 mph." +121631,728134,MASSACHUSETTS,2017,December,Strong Wind,"NORTHERN BRISTOL",2017-12-25 09:05:00,EST-5,2017-12-25 10:35:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 915 AM EST an amateur radio operator reported a tree down on wires on Thayer Farms Road in Attleboro." +121733,728662,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"BROWN",2017-12-31 00:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Brown County during the overnight and morning hours on Sunday, December 31st. A mesonet station near Rose recorded a lowest wind chill of 34 below at 300 am CST while the Ainsworth AWOS site recorded a lowest wind chill of 33 below at 635 am CST." +121733,728664,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"ROCK",2017-12-31 00:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Rock County during the overnight and morning hours on Sunday, December 31st. The nearby mesonet site located 10 miles southeast of Mills recorded a lowest wind chill of 30 below at 520 am CST while the nearby Ainsworth AWOS site recorded a lowest wind chill of 33 below at 635 am CST." +121733,728663,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"KEYA PAHA",2017-12-31 00:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold arctic air mass brought dangerous wind chills to portions of north central Nebraska during the overnight and morning hours on Sunday December 31st. Lowest wind chills of 30 to 35 below were common.","Dangerous wind chills of 30 to 35 below zero occurred across Keya Paha County during the overnight and morning hours on Sunday, December 31st. The mesonet site located 10 miles southeast of Mills recorded a lowest wind chill of 30 below at 520 am CST while the nearby Ainsworth AWOS site recorded a lowest wind chill of 33 below at 635 am CST." +121721,728688,VIRGINIA,2017,December,Winter Weather,"CULPEPER",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to to 3.8 inches near Rixeyville and 3.1 inches near Amissville." +121745,728804,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTHERN COOK",2017-12-27 05:55:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121745,728795,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"KOOCHICHING",2017-12-24 20:55:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121720,729410,TEXAS,2017,December,Heavy Snow,"WALKER",2017-12-07 19:30:00,CST-6,2017-12-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","Two inches of snow was measured in Huntsville." +121720,729412,TEXAS,2017,December,Heavy Snow,"TRINITY",2017-12-07 18:00:00,CST-6,2017-12-08 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","There was four inches of snow measured in Trinity." +121720,728640,TEXAS,2017,December,Winter Weather,"WALLER",2017-12-07 19:30:00,CST-6,2017-12-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","Approximately an inch of snow fell in Hempstead." +121720,729411,TEXAS,2017,December,Heavy Snow,"HARRIS",2017-12-07 22:00:00,CST-6,2017-12-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","There were numerous reports of snow in and around Houston ranging from around an inch to slightly over three inches." +121720,729415,TEXAS,2017,December,Heavy Snow,"MONTGOMERY",2017-12-07 21:00:00,CST-6,2017-12-08 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","One to two inches of snow was measured in Oak Ridge North, Conroe and Porter Heights." +121720,729413,TEXAS,2017,December,Heavy Snow,"FORT BEND",2017-12-07 22:00:00,CST-6,2017-12-08 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","One to two inches of snow was measured across the eastern side of the county." +121218,726378,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"WRIGHT",2017-12-31 04:00:00,CST-6,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging between 35 to 40 degrees below zero Sunday morning." +121218,726379,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MILLE LACS",2017-12-30 03:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 35 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Saturday morning when wind speeds combined with cold lows to produced wind chill values around -40F." +121915,729754,NEW YORK,2017,December,Winter Weather,"ORANGE",2017-12-09 10:45:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southeast New York. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","Trained spotters reported 4 to 6 inches of snow." +121915,729755,NEW YORK,2017,December,Winter Weather,"SOUTHERN WESTCHESTER",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southeast New York. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","A trained spotter measured 5 inches of snow in Yonkers." +121999,730400,PENNSYLVANIA,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-29 11:00:00,EST-5,2017-12-30 19:00:00,0,0,0,0,400.00K,400000,0.00K,0,NaN,NaN,NaN,NaN,"An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around midday on the 29th and transitioned completely to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The transition began first along the immediate lakeshore areas during the evening of the 29th. The snow showers continued to intensify and shifted further onshore during the predawn hours of the 30th with moderate to heavy snow reported during the daylight hours of the 30th over about the northern half of the county. Visibilities much of that time were under one half mile and sometimes less than a quarter of a mile. Snowfall rates of 1 to 2 inches per hour occurred. The snow showers tapered to flurries by early evening. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Much of Erie County saw a foot or more of snow during this event, most of it on the 30th. A peak total of 19.1 inches was reported at Harborcreek with 18.2 inches at Erie International Airport on the 29th and 30th. Other totals included: 17.5 inches at Colt Station; 15.5 inches in Erie; 15.4 inches at Lake City; 15.0 inches in Greene Township; 14.0 inches at North East and 13.4 inches in Millcreek. Travel was hampered by this event and many accidents were reported.","An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around midday on the 29th and transitioned completely to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The transition began first along the immediate lakeshore areas during the evening of the 29th. The snow showers continued to intensify and shifted further onshore during the predawn hours of the 30th with moderate to heavy snow reported during the daylight hours of the 30th over about the northern half of the county. Visibilities much of that time were under one half mile and sometimes less than a quarter of a mile. Snowfall rates of 1 to 2 inches per hour occurred. The snow showers tapered to flurries by early evening. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Much of Erie County saw a foot or more of snow during this event, most of it on the 30th. A peak total of 19.1 inches was reported at Harborcreek with 18.2 inches at Erie International Airport on the 29th and 30th. Other totals included: 17.5 inches at Colt Station; 15.5 inches in Erie; 15.4 inches at Lake City; 15.0 inches in Greene Township; 14.0 inches at North East and 13.4 inches in Millcreek. Travel was hampered by this event and many accidents were reported." +122036,730593,MICHIGAN,2017,December,Heavy Snow,"VAN BUREN",2017-12-28 12:00:00,EST-5,2017-12-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow affected the lakeshore counties of far western lower Michigan from December 28th to December 30th. Total snow accumulations of 12 to 20 inches were reported. Snowfall totals of near 20 inches near Muskegon were the greatest 48 hour snowfall totals since January 13-14 of 2012.","Around a foot of snow fell across roughly the northwestern half of Van Buren county." +121467,727150,NEBRASKA,2017,December,Winter Weather,"VALLEY",2017-12-23 17:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 2.5 inches occurred in Ord and also two miles west of Arcadia. A CoCoRaHS observer also reported 2.5 inches six miles west of Elyria." +122067,731006,MICHIGAN,2017,December,Lake-Effect Snow,"NORTHERN SCHOOLCRAFT",2017-12-25 07:00:00,EST-5,2017-12-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","Based on nearby cooperative reports, there was an estimated 12 inches of lake effect snow in 24 hours over the far northeastern portion of Schoolcraft County." +122066,730736,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-18 10:25:00,MST-7,2017-12-18 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The UPR sensor at Lynch measured wind gusts of 58 mph or higher, with a peak gust of 61 mph at 18/1055 MST." +122066,730735,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-18 04:45:00,MST-7,2017-12-18 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The UPR sensor at Buford measured peak wind gusts of 64 mph." +122067,730732,MICHIGAN,2017,December,Lake-Effect Snow,"ONTONAGON",2017-12-23 23:00:00,EST-5,2017-12-27 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","Park rangers at the Porcupine Mountains Wilderness State Park estimated from four to six feet of lake effect snow fell over the higher terrain areas of the park from late on the 23rd through the early morning hours of the 27th. At lower elevations of the park, including the park headquarters and estimated three to five feet of snow fell. Park rangers were stuck numerous times in deeper than waist deep snow, even when traveling on snowmobiles. The duration of the snow event was approximately 72 hours.||Periods of moderate to heavy snow were also reported at White Pine and Ontonagon from the 24th into the 27th along with bitter cold wind chills to 35 below zero on the 26th." +122066,730739,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-18 10:15:00,MST-7,2017-12-18 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 18/1055 MST." +122071,731653,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-15 07:00:00,MST-7,2017-12-15 15:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 15/0740 MST." +122097,730982,TEXAS,2017,December,Winter Weather,"JEFFERSON",2017-12-08 01:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to five inches of snow fell across Jefferson County. The highest amount at 5 inches was received from Fannet. Area bridges became icy and Interstate 10 had some overpasses close. Schools also closed during the event." +122098,730990,TEXAS,2017,December,Tornado,"JASPER",2017-12-20 01:37:00,CST-6,2017-12-20 01:42:00,0,0,0,0,30.00K,30000,0.00K,0,30.2755,-93.9484,30.2945,-93.885,"A weak cold front and a short wave moved through the region during the early morning of the 20th. One tornado developed.","Many trees were downed around the community of Gist, along the Jasper-Newton county line. Some barns and a few roofs to homes were damaged. The maximum wind speed in the tornado was estimated at 100 mph." +122099,730991,LOUISIANA,2017,December,Tornado,"CALCASIEU",2017-12-20 01:59:00,CST-6,2017-12-20 02:03:00,0,0,0,0,15.00K,15000,0.00K,0,30.3501,-93.7148,30.3598,-93.6649,"A weak cold front and a short wave moved through the region during the early morning of the 20th. A pair of tornadoes developed along the cold front in Calcasieu Parish.","Many trees were down along Alligator Park Road and other roads nearby. A few homes and outbuildings received minor damage. Max wind speed was estimated at 100 mph." +122086,730866,TEXAS,2017,December,Heavy Snow,"JIM WELLS",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 2 to 4 inches occurred in the central and southern portions of Jim Wells County." +122086,730868,TEXAS,2017,December,Heavy Snow,"NUECES",2017-12-07 23:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations between 4 to 7 inches occurred across Nueces County. Snowfall caused power outages mainly to the south side of Corpus Christi. Around 1300 customers lost power on the south side of Corpus Christi." +122086,730871,TEXAS,2017,December,Heavy Snow,"SAN PATRICIO",2017-12-07 23:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 3 to 4 inches occurred across San Patricio County. Snowfall caused power outages in Aransas Pass." +122086,730873,TEXAS,2017,December,Heavy Snow,"ARANSAS",2017-12-07 23:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 2 to 4 inches occurred across Aransas County." +122086,730875,TEXAS,2017,December,Heavy Snow,"REFUGIO",2017-12-07 22:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 2 to 4 inches occurred across Refugio County." +122086,730878,TEXAS,2017,December,Heavy Snow,"VICTORIA",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 3 inches occurred across Victoria County." +122086,730879,TEXAS,2017,December,Heavy Snow,"GOLIAD",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 3 inches occurred across Goliad County." +115150,691251,INDIANA,2017,May,Flash Flood,"SWITZERLAND",2017-05-24 18:30:00,EST-5,2017-05-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7908,-84.9912,38.7928,-84.987,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall.","A portion of Markland Pike was closed due to high water." +114098,692669,TEXAS,2017,April,Hail,"HUNT",2017-04-29 16:17:00,CST-6,2017-04-29 16:17:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-95.84,33.3,-95.84,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","" +114739,688327,IOWA,2017,April,Hail,"BENTON",2017-04-15 19:13:00,CST-6,2017-04-15 19:13:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-91.87,42.11,-91.87,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","A public report and photo was sent in via twitter. The time of the event was estimated using radar." +111748,666461,TEXAS,2017,January,Tornado,"CORYELL",2017-01-15 17:45:00,CST-6,2017-01-15 18:00:00,0,0,0,0,300.00K,300000,0.00K,0,31.49,-97.67,31.6,-97.62,"Tornadoes occurred. Read the title.","A National Weather Service storm survey crew found evidence of damage consistent with EF-2 winds in Coryell County. Two homes were damaged to the point where most of their roof was removed. Several barns were destroyed as well, as were multiple pieces of farm and ranch equipment." +122190,731500,CALIFORNIA,2017,December,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-12-15 06:00:00,PST-8,2017-12-15 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of weak surface highs moved through the Great Basin between the 14th and 17th of December. This increased offshore surface pressure gradients and brought strong winds to some of the more wind prone locations. The region also experienced a prolonged bout of low relative humidity.","The mesonet station at Sill Hill reported a gusts into the 60s, with a peak gust of 69 mph. Elsewhere peak gusts were in the 35 to 50 mph range." +122190,731501,CALIFORNIA,2017,December,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-12-17 02:51:00,PST-8,2017-12-17 11:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A pair of weak surface highs moved through the Great Basin between the 14th and 17th of December. This increased offshore surface pressure gradients and brought strong winds to some of the more wind prone locations. The region also experienced a prolonged bout of low relative humidity.","Fremont Canyon reported wind gusts over 60 mph, with a peak gust of 67 mph. A 58 mph wind gust occurred a Pleasants Peak." +122194,731512,CALIFORNIA,2017,December,High Wind,"SAN BERNARDINO COUNTY MOUNTAINS",2017-12-20 14:51:00,PST-8,2017-12-20 18:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate strength upper level trough slid through the Great Basin, with upper level support that set up in a favorable position for mountain wave activity on the west slopes of the Southern California mountains on the 20th. An amazing 110 mph wind gust occurred in Burns Canyon with a surfacing mountain wave. Major dust issues were reported in the Mojave Desert.","The mesonet station in Burns Canyon reported a 110 mph wind gust with sustained winds of 66 mph. Elsewhere wind gusts were much lower, in the 35-55 mph range. No damage was reported." +122194,731513,CALIFORNIA,2017,December,Dust Storm,"APPLE AND LUCERNE VALLEYS",2017-12-20 14:00:00,PST-8,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate strength upper level trough slid through the Great Basin, with upper level support that set up in a favorable position for mountain wave activity on the west slopes of the Southern California mountains on the 20th. An amazing 110 mph wind gust occurred in Burns Canyon with a surfacing mountain wave. Major dust issues were reported in the Mojave Desert.","Strong winds gusting to 50 mph produced a dust storm down wind of Lucerne Valley Lake (dry lake bed) that reduce visibility to zero and lead to a closure of Highway 247 north of Lucerne Valley. Blowing dust also reduced visibility in Johnson Valley." +122194,731514,CALIFORNIA,2017,December,High Wind,"NAPA COUNTY",2017-12-20 16:50:00,PST-8,2017-12-20 19:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate strength upper level trough slid through the Great Basin, with upper level support that set up in a favorable position for mountain wave activity on the west slopes of the Southern California mountains on the 20th. An amazing 110 mph wind gust occurred in Burns Canyon with a surfacing mountain wave. Major dust issues were reported in the Mojave Desert.","Strong winds surfaced below the San Gorgonio Pass with areas of blowing dust. The Whitewater mesonet station reported wind gusts over 70 mph for 3 hours." +120864,723688,NEBRASKA,2017,December,High Wind,"ADAMS",2017-12-04 16:44:00,CST-6,2017-12-04 16:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 59 mph occurred at Hastings airport." +122175,731362,SOUTH DAKOTA,2017,December,Winter Weather,"CHARLES MIX",2017-12-21 04:30:00,CST-6,2017-12-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 5 inches from mid-morning to mid-afternoon, including 3.0 inches 2 miles northeast of Academy and 4.0 inches at Platte, produced hazardous road conditions." +122175,731368,SOUTH DAKOTA,2017,December,Winter Weather,"DOUGLAS",2017-12-21 05:00:00,CST-6,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 4 inches during the morning and early afternoon, including 3.2 inches 10 miles west of Dimock, produced hazardous road conditions." +121993,730368,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"CLAY",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Clay Center, the NWS cooperative observer recorded an average temperature of 8.0 degrees through the final 8-days of December, marking the 3rd-coldest finish to the year out of 47 on record." +122234,731755,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN ALBANY",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731760,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN ULSTER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731759,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN GREENE",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731761,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN ULSTER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731764,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN DUTCHESS",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731790,NEW YORK,2017,December,Extreme Cold/Wind Chill,"NORTHERN WARREN",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +121988,731885,NEW YORK,2017,December,Winter Weather,"NORTHERN SARATOGA",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","" +121988,731886,NEW YORK,2017,December,Winter Weather,"SOUTHERN WASHINGTON",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","" +121988,730325,NEW YORK,2017,December,Heavy Snow,"SOUTHERN HERKIMER",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged from 7.6 to 12 inches." +122260,731995,VERMONT,2017,December,Extreme Cold/Wind Chill,"BENNINGTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as five below zero to 14 degrees below zero across southern Vermont on Wednesday night. This resulted in wind chill values as low as 37 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122265,732023,SOUTH DAKOTA,2017,December,Drought,"CORSON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the lack of precipitation continued, severe drought conditions remained across extreme northwest Dewey and for western Corson county throughout December. This was part of a drought which began in early June.","" +122265,732024,SOUTH DAKOTA,2017,December,Drought,"DEWEY",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the lack of precipitation continued, severe drought conditions remained across extreme northwest Dewey and for western Corson county throughout December. This was part of a drought which began in early June.","" +122144,731138,NORTH CAROLINA,2017,December,Heavy Snow,"ASHE",2017-12-08 07:45:00,EST-5,2017-12-09 11:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall totals ranged from around five inches near Ashland to around eight inches near Deep Gap and White Top." +115349,692589,ALABAMA,2017,April,Hail,"BARBOUR",2017-04-05 00:37:00,CST-6,2017-04-05 00:38:00,0,0,0,0,0.00K,0,0.00K,0,31.64,-85.57,31.64,-85.57,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692590,ALABAMA,2017,April,Hail,"BARBOUR",2017-04-05 00:45:00,CST-6,2017-04-05 00:46:00,0,0,0,0,0.00K,0,0.00K,0,31.66,-85.5,31.66,-85.5,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +121644,728177,GEORGIA,2017,December,Winter Weather,"TROUP",2017-12-09 00:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between .5 and 1.5 inches of snow was estimated across the county. Reports from CoCoRaHS and COOP observers included .7 inches in West Point, 1 inch southeast of LaGrange and 1.5 inches east of LaGrange." +121644,728176,GEORGIA,2017,December,Winter Weather,"MUSCOGEE",2017-12-09 00:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between .5 and 1.5inches of snow were estimated across the county. The Columbus Airport Fire Station #2 reported 1 inch of snow." +121644,728178,GEORGIA,2017,December,Winter Weather,"HENRY",2017-12-09 00:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between .5 and 2 inches of snow was estimated across the county. Reports from CoCoRaHS and COOP observers included a trace east of McDonough and 1.7 inches northeast of Ellenwood." +122277,732106,NEW HAMPSHIRE,2017,December,Heavy Snow,"SOUTHERN CARROLL",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +122277,732107,NEW HAMPSHIRE,2017,December,Heavy Snow,"SOUTHERN COOS",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +122277,732109,NEW HAMPSHIRE,2017,December,Heavy Snow,"STRAFFORD",2017-12-25 00:00:00,EST-5,2017-12-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast U.S. on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to much of the State. Snowfall amounts ranged from 1 to 4inches in Cheshire, coastal Rockingham, and northern Coos Counties to 6 to 10 inches across most of the eastern part of the State.","" +122256,732011,MAINE,2017,December,Winter Storm,"ANDROSCOGGIN",2017-12-22 09:00:00,EST-5,2017-12-23 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the western half of the State. Snowfall amounts generally ranged from 3 to 8 inches.","" +122256,732012,MAINE,2017,December,Winter Storm,"SOUTHERN OXFORD",2017-12-22 09:00:00,EST-5,2017-12-23 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the western half of the State. Snowfall amounts generally ranged from 3 to 8 inches.","" +122256,732014,MAINE,2017,December,Winter Storm,"KNOX",2017-12-22 09:00:00,EST-5,2017-12-23 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the western half of the State. Snowfall amounts generally ranged from 3 to 8 inches.","" +122266,732015,NEW HAMPSHIRE,2017,December,Heavy Snow,"BELKNAP",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +115349,692594,ALABAMA,2017,April,Hail,"RUSSELL",2017-04-05 02:45:00,CST-6,2017-04-05 02:45:00,0,0,0,0,0.00K,0,0.00K,0,32.41,-85.18,32.41,-85.18,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692595,ALABAMA,2017,April,Hail,"RUSSELL",2017-04-05 02:48:00,CST-6,2017-04-05 02:49:00,0,0,0,0,0.00K,0,0.00K,0,32.46,-85.09,32.46,-85.09,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692596,ALABAMA,2017,April,Hail,"HALE",2017-04-05 02:50:00,CST-6,2017-04-05 02:51:00,0,0,0,0,0.00K,0,0.00K,0,32.78,-87.52,32.78,-87.52,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692597,ALABAMA,2017,April,Hail,"RUSSELL",2017-04-05 02:54:00,CST-6,2017-04-05 02:55:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-85.05,32.48,-85.05,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Golf ball size hail on Auburn Road." +115349,692598,ALABAMA,2017,April,Thunderstorm Wind,"AUTAUGA",2017-04-05 03:15:00,CST-6,2017-04-05 03:16:00,0,0,0,0,0.00K,0,0.00K,0,32.43,-86.47,32.43,-86.47,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted along Jensen Road." +120347,721405,GEORGIA,2017,September,Tropical Storm,"LAMAR",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Much of the county was without electricity for varying periods of time. Radar estimated between 2.5 and 5 inches of rain fell across the county with 4.42 inches measured new Orchard Hill. No injuries were reported." +120347,721446,GEORGIA,2017,September,Tropical Storm,"CHEROKEE",2017-09-11 16:00:00,EST-5,2017-09-11 23:00:00,0,1,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Cherokee County Emergency Manager reported hundreds of limbs, trees and power lines blown down across the county. A few structures received damage, mainly from falling trees and limbs. One motor vehicle accident occurred when car hit a downed tree, causing one person to be transported to the hospital with minor injuries. At one time more than 11,000 customers were without power in the county. A wind gust of 41 mph was measured near Ball Ground. Radar estimated between 1 and 4 inches of rain fell across the county with 3.57 inches measured on Kellogg Creek." +119520,721573,FLORIDA,2017,September,Tornado,"POLK",2017-09-10 10:19:00,EST-5,2017-09-10 10:21:00,0,0,0,0,20.00K,20000,0.00K,0,28.1529,-81.8798,28.1568,-81.8885,"Monetary losses do not include insured losses. Fatalities are preliminary until the Florida Medical Examiner releases the official information. This document will be updated once released. ||Hurricane Irma made landfall on Marco Island as a Category 3 hurricane on the afternoon of the 10th and traveled north through southwest Florida through the morning of the 11th. Prior to making landfall in southwest Florida, Irma had previously reached Category 5 strength and made landfalls in Cuba and the Florida Keys. At it's peak, Irma had a central pressure of 914 mb. ||The maximum storm surge in southwest Florida was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW at 2:36 PM EST on the 11th. Farther north, the storm surge was generally less than 3 feet. Due to the track making landfall south of the area then moving north and parallel but inland of the coast, strong offshore flow north of the eye produced in even stronger negative storm surge before the positive surge in most areas as water was pushed away from the coast. ||Rain from Irma started to accumulate over southwest Florida and interior parts of west central Florida on the morning and afternoon of the 10th, with most of the area seeing the highest rain totals during the early morning hours of the 11th. The rain then largely ended by mid morning on the 11th. Most of the area saw rainfall accumulations of 5-10 inches, with some isolated spots seeing totals of over 15 inches. The highest rain total reported was 18.65 inches at the home weather station D1496 in Beverly Hills in Citrus County. The widespread heavy rain caused significant river flooding issues across west central and southwest Florida, with major flooding being observed at points on the Withlacoochee, Anclote, Hillsborough, Alafia, Little Manatee, and Peace Rivers as well as the Horse Creek. ||The collective effects of Hurricane Irma in west central and southwest Florida during the period of September 10 and 11 resulted in 2 direct fatalities, 14 indirect fatalities, an estimated $2.2 billion in property damage (adding individual assistance claims and public assistance claims, not including the cost of debris removal and emergency protective measures when known), and $379 million in crop damage. A total of 509 homes and businesses were destroyed, 5,589 had major damage, 18,834 sustained minor damage, and 61,920 were affected by Hurricane Irma in west central and southwest Florida.||County-by-County Impacts||Lee County - In inland portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 77 knots at the ASOS at Southwest Florida International Airport during the late afternoon on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 11.59 inches at a mesonet site at the waste plant on Buckingham Road in Fort Myers. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also causing flood damage to many homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20426 were affected throughout Lee County. The total property damage from Irma in Lee County was estimated at $826.28 million in individual damage assessments, of which, $163.14 million was estimated to be caused by wind damage in inland portions of Lee County. Additionally, crop damage to citrus plants in Lee County was roughly estimated at $9.6 million. In coastal portions of Lee county, the highest wind reported from Hurricane Irma was a gust to 73 knots at the ASOS at Fort Myers Page Field during the late afternoon on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total being 10.60 inches at the ASOS at Fort Myers Page Field. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines, while heavy rain also caused flood damage to numerous homes. Lee County Emergency Management reported that 92 homes or businesses were destroyed by Irma, 2088 sustained major damage, 1721 had minor damage, and an additional 20,426 were affected throughout Lee County. The maximum storm surge was 3.88 feet in Fort Myers at midnight EST on the 11th. Subtracting the astronomical tide of 0.04 feet, the maximum storm tide was calculated from the tide gauge as 3.28 feet MHHW 1436EST on the 11th. The total damage from Irma in Lee County was estimated at $826.28 million in individual assistance assessments, of which, $163.14 million was estimated to be caused by wind damage in coastal portions of Lee County. There was one direct fatality reported in Bonita Springs, when a 74 year old man fell down stairs near his home on the 11th. Due to the hurricane conditions, paramedics were not able to reach him for several hours, and he died on the 16th.||Charlotte County - In coastal portions of Charlotte County, the highest wind reported from Hurricane Irma was a gust to 64 knots at the ASOS at Punta Gorda Airport during the early evening on the 10th. Rainfall was generally around 5 inches or greater, with the highest rain total being 8.08 inches at the CoCoRaHS station FL-CH-13 in Port Charlotte. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $2.9 million was caused by wind damage in coastal portions of Charlotte County. Emergency management reported that sea walls collapsed when water left the Charlotte Harbor during the negative storm surge ahead of the storm, causing an estimated $20 million in damage. Timing was estimated by using the nearby tide gauge in Fort Myers, where the negative surge bottomed out at around -4 feet MLLW at around 1800EST on the 10th, then surged to a positive surge of just over 3 feet at about 0500EST on the 11th, before slowly receding through the rest of the day. Charlotte county emergency management reported that the negative surge caused sea walls to collapse, causing an estimated $20 million in public assistance claims. In inland portions of Charlotte County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 9.76 inches at mesonet station at Whidden Properties (WHID) near the eastern border of Charlotte County. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Charlotte County Emergency Management reported that 5 homes or businesses sustained major damage and an additional 200 were affected by hurricane Irma throughout Charlotte County. The total property damage from Irma in Charlotte County was estimated at $23 million, including $3 million in individual assistance claims, and $20 million in public assistance claims including for debris removal and emergency protective measures. An estimated $100,000 of that damage was caused by wind damage in inland portions of Charlotte County. Additionally, crop damage to citrus plants in Charlotte County was roughly estimated at $15.9 million.||Sarasota County - In coastal portions of Sarasota County, the highest wind reported from Hurricane Irma was a gust to 70 knots at the home weather station AP859 in Sarasota during the evening on the 10th. Rainfall was generally around 4 inches or greater, with the highest rain total of 10.32 inches at the CWOP station C7986 in Laurel. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Sarasota Emergency Management reported that 4 homes sustained major damage, 10 had minor damage, and 438 were affected. The total property damage from Irma in Sarasota County was estimated at $10.73 million, including $2.47 million in individual assistance claims and $8.26 million in public assistance claims. In inland portions of Sarasota County, winds from Hurricane Irma were estimated to be around 60 to 70 knots using surrounding observations. Additionally, crop damage to citrus plants in Sarasota County was roughly estimated at $2.2 million.||Manatee County - In coastal portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. The highest wind gust reported in coastal Manatee County was 61 knots at the ASOS at Sarasota Bradenton International Airport. Rainfall was generally around 5 inches or greater, with the highest rain total being 6.86 inches at the GOES station LWDF1 in Lake Ward. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $15.3 million was estimated to be caused by wind damage in coastal portions of Manatee County. One direct fatality was reported in Manatee County when an 89 year old man told his wife he was going out to secure their boat to their dock during the storm and was later found unresponsive in the canal. In inland portions of Manatee County, winds from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.65 inches at the HADS station MKHF1. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Manatee County Emergency Management reported that 14 homes or businesses were destroyed, 170 sustained major damage, 196 had minor damage, and an additional 2061 were affected by hurricane Irma throughout Manatee County. The total property damage from Irma in Manatee County was estimated at $18.3 million in individual assistance claims, of which, $3 million was estimated to be caused by wind damage in inland portions of Manatee County. Additionally, crop damage to citrus plants in Manatee County was roughly estimated at $23.5 million.||DeSoto County - The wind gusts from Hurricane Irma were estimated to be around 60 to 70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total being 11.34 inches at the CoCoRaHS station FL-DS-1 in Arcadia. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Additional damaged occurred due to the high rain totals causing flooding on the Peace River and the Horse Creek. The total property damage from DeSoto County is unknown at this time. Additionally, crop damage to citrus plants in DeSoto County was roughly estimated at $71 million.||Hardee County - The highest wind reported from Hurricane Irma was a gust to 69 knots at the Hardee County Emergency Operations Center in Wauchula. Rainfall was generally around 6 inches or greater, with the highest rain total being 10.58 inches at a mesonet station in Zolfo Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hardee County Emergency Management reported that 10 homes or businesses were destroyed by Irma, 20 sustained major damage, 71 had minor damage, and an additional 59 were affected. Additional damage occurred due to the high rain totals causing flooding on the Peace River. An EF-1 tornado was also found to have briefly touched down in Wauchula along US Highway 17 causing roof and power pole damage. The total property damage from Hardee County was estimated at $3.32 million, of which, $1.64 million was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Hardee County was roughly estimated at $57.5 million.||Highlands County - The highest wind reported from Hurricane Irma was a (3 second average) gust to 85 knots at Archbold Bio Station during the evening on the 10th. Elsewhere, the AWOS in Sebring registered a 5 second average gust to 75 knots. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at the CoCoRaHS station FL-HL-13 in Sebring. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Highlands County Emergency Management reported that 144 homes or businesses were destroyed by Irma, 963 sustained major damage, 2408 had minor damage, and an additional 9623 were affected. The total property damage from Highlands County was estimated at $360 million in individual assistance claims, most of which was estimated to be caused by wind damage. Additionally, crop damage to citrus plants in Highlands County was roughly estimated at $70 million. There were four indirect fatalities from Irma in Highlands County. On the 9th, a 55 year old man fell off a ladder in Lake Placid while preparing his home. The man hit his head and died at a Tampa hospital on the 10th. A 56 year old man in Sebring collapsed while trimming trees on the 12th and died. The medical examiner determined that heart disease was the primary cause of death. A 62 year old man was found dead in his garage in Sebring on the 15th with a generator in the on position and out of gas. The medical examiner determined he died of carbon monoxide poisoning. A 23 year old man was electrocuted and died while trimming trees and clearing storm debris in Sebring on the 26th.||Polk County - The highest wind reported from Hurricane Irma was a gust to 75 knots at the APRS station AR663 near Bartow. Rainfall was generally around 6 inches or greater, with the highest rain total being 17.61 inches at the CWOP station E1114 in Davenport. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Most notably, the wind removed a 7 story tall section of facade from the Winter Haven Senior Living Center. Polk County Emergency Management reported that 96 homes or businesses were destroyed by Irma, 1604 sustained major damage, 7710 had minor damage, and an additional 18537 were affected. The total property damage from Polk County was estimated at $69 million in public assistance claims, including from debris removal and emergency protective measures, most of which coming from wind damage. Additionally, crop damage to citrus plants in Polk County was roughly estimated at $93.5 million. One tornado was found to have touched down near Old Polk City Road near Lakeland, causing EF2 damage. Three indirect fatalities were reported in Polk County from Irma. A 7 year old girl died from carbon monoxide poisoning on the 13th in Lakeland due to a gas generator being run indoors. A 63 year old man died in Winterhaven on the 13th while conducting post hurricane work on his home. The medical examiner listed the primary cause of death as heart disease. A 77 year old died in Lakeland on the 17th after he fell while staying at a hurricane shelter.||Hillsborough County - In coastal portions of Hillsborough County, the highest winds reported from Hurricane Irma was a gust to 79 knots at the WeatherFlow station XEGM at Egmont Key. Rainfall was generally around 5 inches or greater, with the highest rain total being 16.18 inches at the CWOP site D3252 in Tampa. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels. A couple of manatees got beached in the mud, and there was a lot of media coverage showing people walking out into the dry part of the bay to rescue them. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $7 million was estimated to be caused by wind damage in coastal portions of Hillsborough County. Three indirect fatalities were reported in Hillsborough County from Hurricane Irma. A 55 year old man in Town N' Country was trimming a damaged tree with a chainsaw when a branch fell on the chainsaw, causing it to kick upward and strike him in the neck. A 60 year old man fell from a ladder in Tampa while cutting branches and died on the 14th. A 61 year old man also died on the 14th while cleaning up yard debris when a branch knocked the ladder out from under him, causing him to fall to the ground. In inland portions of Hillsborough County, winds from Hurricane Irma were estimated to be around 60-70 knots based on surrounding observations. Rainfall was generally around 6 inches or greater, with the highest rain total 7.62 inches at the COOP site PLCF1 in Plant City. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Hillsborough County Emergency Management reported that 41 homes or businesses were destroyed, 130 sustained major damage, 166 had minor damage, and an additional 93 were affected by hurricane Irma throughout Hillsborough County. Heavy rains across the area also resulted in widespread river flooding, with rising water levels damaging houses on the Hillsborough River, the Alafia River, and the Little Manatee River in Hillsborough County. The total damage from Irma in Hillsborough County was estimated at $19.95 million, including $17.86 million in individual assistance claims and $2.09 million in public assistance claims, of which, $6.95 million was estimated to be caused by wind damage in inland portions of Hillsborough County. Additionally, crop damage to citrus plants in Hillsborough County was roughly estimated at $28.5 million.||Pinellas County - In Pinellas County, the highest winds reported from Hurricane Irma was a gust to 77 knots at Pier 60 Park. Rainfall was generally around 4 inches or greater, with the highest rain total 5.98 inches at the the GOES station BTRF1 in Tarpon Springs. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. Pinellas County Emergency Management reported that 77 homes or businesses were destroyed, 533 sustained major damage, 5761 had minor damage, and an additional 11,935 were affected by hurricane Irma throughout Pinellas County. The track of Irma resulted in a much stronger negative surge north of the eye, causing extremely low water levels in the Tampa Bay. No significant damage was reported from either the negative surge or the weak positive surge. The total damage from Irma in Pinellas County was estimated at $594.45 million, including $588.08 million in individual assistance claims and $6.37 million in public assistance claims, most of which was caused by wind damage. One indirect fatality was reported in Pinellas County from Hurricane Irma. A 53 year old man was repairing cable lines in Feather Sound on the 16th when he fell 20 feet from a ladder. The medical examiner ruled that heart disease was a contributing factor.||Pasco County - In coastal portions of Pasco County, winds from Hurricane Irma were estimated to be 60-70 knots based on surrounding observations. Rainfall was generally around 4 inches or greater, with the highest rain total 6.83 inches at the GOES site LWOF1 near Port Richey. The wind resulted in damage to numerous homes, as well as knocking over trees and power lines. The total damage from Irma in Pasco County was estimated at $860,000 in public assistance claims, including debris removal and emergency protective measures, of which, $200,0000 was estimated to be caused by wind damage in coastal portions of Pasco County. One indirect fatality was reported in Port Richey on the 8th when a 69 year old man evacuating ahead of Irma crashed into a tree. In Inland Pasco County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported was a gust to 48 knots at the WeatherFlow station XLOL in Land O' Lakes. Rainfall was generally around 6 inches or greater, with the highest rain total being 9.64 inches at the GOES station WRCF1 in Richland. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. The non-insured property damage in Pasco County was estimated at $10,303,487, including for debris removal and emergency protective measures. Additionally, crop damage to citrus plants in Pasco County was roughly estimated at $7.3 million.||Hernando County - In coastal portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 36 knots at the WeatherFlow station XWKI in Weeki Wachee. Rainfall was generally around 5 inches or greater, with the highest rain total being 10.31 inches at a mesonet station near the Withlacoochee River at Trilby. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected. The total damage from Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims, and $5.3 million in public assistance claims. Roughly $500,000 of that was estimated to be caused by wind damage in coastal portions of Hernando County. In inland portions of Hernando County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 6 inches or greater. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Hernando County Emergency Management reported that 26 homes or businesses were destroyed by Irma, 45 sustained major damage, 103 had minor damage, and an additional 112 were affected throughout the county. The total property damage in Hernando County was estimated at $6.1 million, including $800,000 in individual assistance claims and $5.3 million in public assistance claims. Roughly $600,000 of that was estimated to be caused by wind damage in inland portions of Hernando County. Additionally, crop damage to citrus plants in Hernando County was roughly estimated at $600,000.||Citrus County - In coastal portions of Citrus County, winds from Hurricane Irma were estimated to be around 40 to 60 knots based on surrounding observations. Rainfall was generally around 5 inches or greater. The wind knocked over numerous trees and power lines throughout the county. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in coastal Citrus County. In inland portions of Citrus County, winds from Hurricane Irma were estimated to be around 40-60 knots, with the highest wind reported being a gust to 56 knots at the CWOP station D1496 in Beverly Hills. Rainfall was generally around 6 inches or greater, with the highest rain total being 18.65 inches at the CWOP station D1496 in Beverly Hills. The wind resulted knocked over numerous trees and power lines. The total damage from Hurricane Irma in Citrus County was estimated at $5.9 million in public assistance claims, including debris removal and emergency protective measures, roughly half of which was estimated to be for wind damage in inland Citrus County.||Sumter County - Winds from Hurricane Irma were estimated to be tropical storm force around 40-60 knots, with the highest wind reported being a gust to 53 knots at the CWOP station D5322 in The Villages. Rainfall was generally around 8 inches or greater, with the highest rain total being 11.34 inches at a mesonet station in Compressco. The wind resulted in damage to numerous homes and businesses, as well as knocking over trees and power lines. Sumter County Emergency Management reported that 5 homes or businesses were destroyed by Irma, 27 sustained major damage, and 688 had minor damage. The total damage in Sumter County was estimated at $19 million, which included $5 million in individual assistance claims, and $14 million in public assistance claims including debris removal and emergency protective measures.||Levy County - In coastal portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots, with the highest wind reported being a gust to 48 knots at the RAWS station SWNF1 near Yellow Jacket. Rainfall was generally around 4 inches or greater, with the highest rain total being 6.33 inches at a mesonet station in Yankeetown. The wind knocked down trees and power lines throughout the county. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in coastal Levy County. In inland portions of Levy County, winds from Hurricane Irma were estimated to be around 34 to 50 knots based on surrounding observations. Rainfall was generally around 5 inches or greater, with the highest rain total being 7.92 inches at the CoCoRaHS site FL-LV-9 in Chiefland. The wind knocked down numerous trees and power lines. The total damage in Levy County was estimated at $260,000 in public assistance claims, including debris removal and emergency protective measures, half of which was estimated to be caused by wind damage in inland Levy County.","An NWS storm survey crew found 7 wood power poles snapped halfway up along Old Polk City Road, hinting at a strong rotation just aloft of the surface. Winds were estimated at 115 MPH/EF-2. Timing of the tornado touchdown was estimated from radar." +122184,731487,SOUTH DAKOTA,2017,December,Blizzard,"ROBERTS",2017-12-04 17:00:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +120347,721431,GEORGIA,2017,September,Tropical Storm,"ROCKDALE",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Rockdale County Emergency Manager and the local news media reported numerous trees and power lines blown down across the county. A woman in Conyers was struck by a large falling tree branch sustaining minor injuries. A wind gust of 46 mph was measured in Conyers. Radar estimated between 2 and 4 inches of rain fell across the county with 3.15 inches measured in Milstead." +120347,721456,GEORGIA,2017,September,Tropical Storm,"MURRAY",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Murray County Emergency Manager reported a few trees blown down across the county, mainly in the Fort Mountain area. No injuries were reported." +122258,731985,MINNESOTA,2017,December,Blizzard,"BIG STONE",2017-12-04 17:00:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 2 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions for a short time period in the late afternoon and early evening. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Some schools were closed for the day with travel significantly affected.","" +122262,732003,SOUTH DAKOTA,2017,December,High Wind,"LYMAN",2017-12-11 05:59:00,CST-6,2017-12-11 05:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts to around 60 mph occurred behind a fast moving cold front during the early morning hours.","" +122262,732005,SOUTH DAKOTA,2017,December,High Wind,"CORSON",2017-12-11 04:06:00,CST-6,2017-12-11 05:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts to around 60 mph occurred behind a fast moving cold front during the early morning hours.","" +122262,732006,SOUTH DAKOTA,2017,December,High Wind,"MARSHALL",2017-12-11 08:59:00,CST-6,2017-12-11 08:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts to around 60 mph occurred behind a fast moving cold front during the early morning hours.","" +122264,732007,SOUTH DAKOTA,2017,December,High Wind,"CORSON",2017-12-13 00:09:00,CST-6,2017-12-13 00:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area off to the east along with a strong cold front in behind brought some high wind gusts to the region. High winds gusting to 60 to nearly 70 mph occurred.","" +122264,732008,SOUTH DAKOTA,2017,December,High Wind,"CORSON",2017-12-13 00:06:00,CST-6,2017-12-13 00:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area off to the east along with a strong cold front in behind brought some high wind gusts to the region. High winds gusting to 60 to nearly 70 mph occurred.","" +122264,732009,SOUTH DAKOTA,2017,December,High Wind,"LYMAN",2017-12-13 04:25:00,CST-6,2017-12-13 04:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area off to the east along with a strong cold front in behind brought some high wind gusts to the region. High winds gusting to 60 to nearly 70 mph occurred.","" +122264,732010,SOUTH DAKOTA,2017,December,High Wind,"HYDE",2017-12-13 03:25:00,CST-6,2017-12-13 03:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area off to the east along with a strong cold front in behind brought some high wind gusts to the region. High winds gusting to 60 to nearly 70 mph occurred.","" +122307,732367,WYOMING,2017,December,Winter Weather,"LARAMIE VALLEY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed at Albany." +122307,732366,WYOMING,2017,December,Winter Weather,"CENTRAL CARBON COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed at Rawlins." +122312,732441,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 26 inches of snow." +122312,732443,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 42.5 inches of snow." +122312,732444,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 28 inches of snow." +122312,732445,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-22 20:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 42 inches of snow." +122312,732448,WYOMING,2017,December,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Eight inches of snow was observed 11 miles southwest of Wheatland." +122312,732451,WYOMING,2017,December,Winter Storm,"SOUTH LARAMIE RANGE",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Six inches of snow was observed at the Interstate 80 Summit. Interstate 80 was closed due to numerous traffic accidents." +122191,732557,ALABAMA,2017,December,Winter Storm,"SUMTER",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across the southern portions of Sumter County tapering off to 3 inches across the north." +122191,732586,ALABAMA,2017,December,Winter Storm,"TUSCALOOSA",2017-12-08 07:00:00,CST-6,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 3-4 inches across Tuscaloosa County." +122191,732587,ALABAMA,2017,December,Winter Storm,"ST. CLAIR",2017-12-08 07:00:00,CST-6,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across St. Clair County." +121069,724760,TEXAS,2017,December,Winter Weather,"ANGELINA",2017-12-07 18:40:00,CST-6,2017-12-07 22:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during the evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the snowfall reports received during the morning of December 8th: In Angelina County, 2.0 inches in Diboll, and 1.0 inches in Huntington, Lufkin, and Zavalla. In Nacogdoches County, both Etoile and Chireno recorded 0.5 inches, with a Trace of snow in Nacogdoches. In San Augustine County, 5 miles north of Sam Rayburn Dam recorded 0.9 inches, with 0.5 inches falling in San Augustine. In Shelby County, 0.5 inches fell 15 miles southeast of Shelbyville. In Sabine County, Hemphill recorded 0.5 inches, and Pineland 0.3 inches.","" +121069,724761,TEXAS,2017,December,Winter Weather,"NACOGDOCHES",2017-12-07 18:30:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during the evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the snowfall reports received during the morning of December 8th: In Angelina County, 2.0 inches in Diboll, and 1.0 inches in Huntington, Lufkin, and Zavalla. In Nacogdoches County, both Etoile and Chireno recorded 0.5 inches, with a Trace of snow in Nacogdoches. In San Augustine County, 5 miles north of Sam Rayburn Dam recorded 0.9 inches, with 0.5 inches falling in San Augustine. In Shelby County, 0.5 inches fell 15 miles southeast of Shelbyville. In Sabine County, Hemphill recorded 0.5 inches, and Pineland 0.3 inches.","" +121132,726402,TEXAS,2017,December,Tornado,"RUSK",2017-12-19 19:31:00,CST-6,2017-12-19 19:37:00,0,0,0,0,125.00K,125000,0.00K,0,31.8934,-94.9435,31.9237,-94.8406,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","An EF-2 tornado was maximum estimated winds near 115 mph touched down across a heavily wooded areas just south of FM 4251 northeast of Reklaw, where it snapped and uprooted numerous trees. This tornado destroyed a nearby cabin adjacent to a pond where it was lifted off its pier and beam foundation and moved it about 15 yards into a heavily wooded area. A fiberglass fishing boat was lofted and unable to be found. The tornado continued east across a heavily wooded area before crossing County Road 4234 where numerous trees were snapped and uprooted. This tornado lifted after crossing County Road 4232 southwest of the Laneville community." +120897,723830,WYOMING,2017,November,Winter Storm,"WIND RIVER MOUNTAINS EAST",2017-11-03 10:00:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another moisture laden Pacific Storm system moved into western Wyoming on the heels of the previous storm on November 1st and brought another round of heavy snow to the western mountains of Wyoming. Over a foot of new snow fell in many of the higher elevations of the mountains with close to 2 feet in some locations. Some of the more notable snowfall amounts include 23 inches at the Willow Creek SNOTEL in the Salt and Wyoming Range and Lewis Lake Divide in Yellowstone Park, 20 inches at Jackson Hole Ski Resort and 18 inches at Beartooth Lake in the Absarokas.","The Hobbs Park SNOTEL site reported 14 inches of new snow." +120897,723833,WYOMING,2017,November,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-11-03 11:00:00,MST-7,2017-11-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another moisture laden Pacific Storm system moved into western Wyoming on the heels of the previous storm on November 1st and brought another round of heavy snow to the western mountains of Wyoming. Over a foot of new snow fell in many of the higher elevations of the mountains with close to 2 feet in some locations. Some of the more notable snowfall amounts include 23 inches at the Willow Creek SNOTEL in the Salt and Wyoming Range and Lewis Lake Divide in Yellowstone Park, 20 inches at Jackson Hole Ski Resort and 18 inches at Beartooth Lake in the Absarokas.","Over a foot of new snow was commonplace across the higher elevations of the Salt and Wyoming Range. Some of the more notable amounts included 23 inches at Willow Creek, 21 inches at Blind Bull Summit and 20 inches at Commissary Ridge." +120897,723834,WYOMING,2017,November,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-11-03 09:00:00,MST-7,2017-11-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another moisture laden Pacific Storm system moved into western Wyoming on the heels of the previous storm on November 1st and brought another round of heavy snow to the western mountains of Wyoming. Over a foot of new snow fell in many of the higher elevations of the mountains with close to 2 feet in some locations. Some of the more notable snowfall amounts include 23 inches at the Willow Creek SNOTEL in the Salt and Wyoming Range and Lewis Lake Divide in Yellowstone Park, 20 inches at Jackson Hole Ski Resort and 18 inches at Beartooth Lake in the Absarokas.","Many of the higher elevations of Yellowstone Park saw over a foot of new snow. Some of the highest amounts included 23 inches at Lewis Lake Divide and 21 inches at Two Oceans Plateau." +120901,723841,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-13 20:40:00,MST-7,2017-11-13 22:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A mountain wave broke near Clark and brought a few hour period of very strong winds. There were several gusts over hurricane force including a maximum wind gust of 99 mph.","Several hurricane force wind gusts were reported near Clark, including a maximum gust of 99 mph." +120946,723947,WYOMING,2017,November,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-11-16 05:00:00,MST-7,2017-11-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","Heavy snow fell in portions of the Salt and Wyoming Ranges. The highest amount reported was 22 inches at Blind Bull Summit." +120612,727548,ALABAMA,2017,November,Thunderstorm Wind,"CULLMAN",2017-11-18 18:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,,NaN,0.00K,0,34.18,-86.85,34.18,-86.85,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Numerous trees and power lines were knocked down across the county." +120612,727551,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:36:00,CST-6,2017-11-18 18:36:00,0,0,0,0,,NaN,0.00K,0,34.32,-86.5,34.32,-86.5,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down in the Arab area." +120612,727552,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:36:00,CST-6,2017-11-18 18:36:00,0,0,0,0,,NaN,0.00K,0,34.42,-86.52,34.42,-86.52,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Power lines were knocked down along Water Tank Road and Mountain View Road in Union Grove." +120612,727554,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:42:00,CST-6,2017-11-18 18:42:00,0,0,0,0,,NaN,0.00K,0,34.53,-86.25,34.53,-86.25,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down in the Grant area." +120612,727555,ALABAMA,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 18:47:00,CST-6,2017-11-18 18:47:00,0,0,0,0,,NaN,0.00K,0,34.6741,-86.0348,34.6741,-86.0348,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Power poles were knocked down along north Broad Street in the Scottsboro area." +120612,727556,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:48:00,CST-6,2017-11-18 18:48:00,0,0,0,0,,NaN,0.00K,0,34.2766,-86.4282,34.2766,-86.4282,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A power line was knocked down onto a vehicle with entrapment along Rock Hill Road at Scoles Road southwest of Guntersville." +120612,727558,ALABAMA,2017,November,Thunderstorm Wind,"MARSHALL",2017-11-18 18:48:00,CST-6,2017-11-18 18:48:00,0,0,0,0,,NaN,0.00K,0,34.48,-86.21,34.48,-86.21,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down in the Pine Island Circle area with road blockage." +120612,727560,ALABAMA,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 19:00:00,CST-6,2017-11-18 19:00:00,0,0,0,0,,NaN,0.00K,0,34.4641,-86.185,34.4641,-86.185,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Trees were knocked down along Langston Road and Cemetary Road in the Langston area making them impassible." +120612,727561,ALABAMA,2017,November,Thunderstorm Wind,"DEKALB",2017-11-18 19:07:00,CST-6,2017-11-18 19:07:00,0,0,0,0,,NaN,0.00K,0,34.32,-86.07,34.32,-86.07,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Several trees and power lines were knocked down along Highway 75 and CR 482 northwest of Crossville." +121293,729286,INDIANA,2017,November,Thunderstorm Wind,"PUTNAM",2017-11-05 18:40:00,EST-5,2017-11-05 18:40:00,0,0,0,0,1.50K,1500,0.00K,0,39.4888,-86.9309,39.4888,-86.9309,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Tree limbs were snapped along County Road 1200 South due to damaging thunderstorm wind gusts." +121482,727204,TENNESSEE,2017,November,Thunderstorm Wind,"HARDEMAN",2017-11-18 15:00:00,CST-6,2017-11-18 15:05:00,0,0,0,0,60.00K,60000,0.00K,0,35.3871,-89.174,35.3854,-89.1262,"A cold front generated a line of thunderstorms with a few embedded severe storms across portions of southwest Tennessee during the afternoon of November 18th.","A 40 by 70 foot house trailer was blown off it's foundation. Trees were also down on Bishop and Old Vildo roads." +121482,727205,TENNESSEE,2017,November,Thunderstorm Wind,"DECATUR",2017-11-18 15:55:00,CST-6,2017-11-18 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.4244,-88.1632,35.4487,-88.0994,"A cold front generated a line of thunderstorms with a few embedded severe storms across portions of southwest Tennessee during the afternoon of November 18th.","Greenhouse supports snapped and flattened structure." +121483,727207,MISSISSIPPI,2017,November,Thunderstorm Wind,"UNION",2017-11-18 15:45:00,CST-6,2017-11-18 15:55:00,0,0,0,0,10.00K,10000,0.00K,0,34.4789,-89.0964,34.493,-89.0682,"A cold front generated a line of thunderstorms with a few embedded severe storms across portions of northeast Mississippi during the afternoon of November 18th.","Several trees down on Highway 30 between Oxford and New Albany." +121483,727208,MISSISSIPPI,2017,November,Thunderstorm Wind,"PONTOTOC",2017-11-18 16:10:00,CST-6,2017-11-18 16:15:00,0,0,0,0,60.00K,60000,0.00K,0,34.3143,-88.8802,34.3164,-88.8603,"A cold front generated a line of thunderstorms with a few embedded severe storms across portions of northeast Mississippi during the afternoon of November 18th.","Four storage buildings blown over at Highway 9 and Endville road. A few trees were also down." +121748,728805,ARKANSAS,2017,November,Wildfire,"GREENE",2017-11-28 13:51:00,CST-6,2017-11-28 20:00:00,3,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions combined with gusty winds to create a couple of large wildfires across Northeast Arkansas.","A wildfire occurred east of Paragould around East Fifth Avenue. Two homes were burned and 50-75 people were evacuated. A few people suffered minor burns." +121754,728810,MISSISSIPPI,2017,November,Hail,"COAHOMA",2017-11-03 17:25:00,CST-6,2017-11-03 17:30:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-90.52,34.37,-90.52,"A cold front moved south to Interstate 40 during the morning hours. The airmass destabilized south of the front across Northwest Mississippi during the afternoon hours. An upper level disturbance moved into the area triggering scattered thunderstorms over the Delta region by the evening hours. One severe storm produced large hail in Clarksdale.","" +121178,725509,GEORGIA,2017,November,Thunderstorm Wind,"DADE",2017-11-18 20:30:00,EST-5,2017-11-18 20:35:00,0,0,0,0,0.50K,500,,NaN,34.8246,-85.5019,34.8246,-85.5019,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Dade County 911 center reported a tree blown down near the intersection of Sunset Drive and Highway 136." +121718,728628,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-23 22:00:00,MST-7,2017-11-24 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 24/0540 MST." +121718,728629,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-24 04:50:00,MST-7,2017-11-24 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Strouss Hill measured peak wind gusts of 58 mph." +121718,728630,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-24 02:45:00,MST-7,2017-11-24 03:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher." +121718,728631,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-24 02:55:00,MST-7,2017-11-24 03:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +121718,728632,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-24 02:45:00,MST-7,2017-11-24 02:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Wildcat Trail measured peak wind gusts of 58 mph." +121718,728633,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-24 04:40:00,MST-7,2017-11-24 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Otto Road measured a peak wind gust of 58 mph." +121718,728634,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-24 04:45:00,MST-7,2017-11-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +120984,724177,CALIFORNIA,2017,November,Hail,"MARIN",2017-11-04 01:04:00,PST-8,2017-11-04 01:06:00,0,0,0,0,0.00K,0,0.00K,0,37.9595,-122.526,37.9595,-122.526,"A cold front moved though the region the night of November 3rd in to the 4th bringing rain and small hail.","Storm spotter reported small hail at residence." +120986,724179,CALIFORNIA,2017,November,Flood,"ALAMEDA",2017-11-27 02:06:00,PST-8,2017-11-27 02:36:00,0,0,0,0,0.00K,0,0.00K,0,37.699,-121.9212,37.6988,-121.9214,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Roadway flooding on SB680 connector to EB580." +120825,723496,MONTANA,2017,November,Winter Storm,"MUSSELSHELL",2017-11-03 00:00:00,MST-7,2017-11-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall amounts of 6 to 12 inches were reported from Lavina to Roundup." +120825,723497,MONTANA,2017,November,Winter Storm,"SOUTHERN WHEATLAND",2017-11-02 20:00:00,MST-7,2017-11-04 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Two Dot received 9 inches of snow." +120825,723498,MONTANA,2017,November,Winter Storm,"BEARTOOTH FOOTHILLS",2017-11-02 18:00:00,MST-7,2017-11-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","McLeod received 6 inches of snow." +120825,723504,MONTANA,2017,November,Winter Storm,"LIVINGSTON AREA",2017-11-02 20:00:00,MST-7,2017-11-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Livingston received 7 inches of snow." +120825,723505,MONTANA,2017,November,Winter Storm,"PARADISE VALLEY",2017-11-02 20:00:00,MST-7,2017-11-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall of 7 inches was reported just southeast of Livingston." +120825,723506,MONTANA,2017,November,Winter Storm,"RED LODGE FOOTHILLS",2017-11-02 18:00:00,MST-7,2017-11-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Red Lodge received 6 to 7 inches of snow." +120825,723508,MONTANA,2017,November,Winter Storm,"NORTHERN SWEET GRASS",2017-11-02 20:00:00,MST-7,2017-11-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall of 16 inches was reported around Melville." +120825,723509,MONTANA,2017,November,Winter Storm,"NORTHERN PARK COUNTY",2017-11-02 20:00:00,MST-7,2017-11-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall of 9 inches was reported around Wilsall." +120825,723510,MONTANA,2017,November,Winter Storm,"CRAZY MOUNTAINS",2017-11-02 20:00:00,MST-7,2017-11-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Snowfall of 12 inches was reported." +120958,724174,KENTUCKY,2017,November,Thunderstorm Wind,"CALDWELL",2017-11-18 14:38:00,CST-6,2017-11-18 14:38:00,0,0,0,0,4.00K,4000,0.00K,0,37.1462,-87.9401,37.1462,-87.9401,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","Trees were down near Highway 91 a few miles northwest of Princeton." +120958,724175,KENTUCKY,2017,November,Thunderstorm Wind,"CALLOWAY",2017-11-18 14:38:00,CST-6,2017-11-18 14:48:00,0,0,0,0,15.00K,15000,0.00K,0,36.6924,-88.32,36.5476,-88.32,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","Multiple trees were reported down around the county. A few dozen utility customers were without power." +120958,724176,KENTUCKY,2017,November,Thunderstorm Wind,"TRIGG",2017-11-18 15:01:00,CST-6,2017-11-18 15:01:00,0,0,0,0,1.00K,1000,0.00K,0,36.8887,-87.8118,36.8887,-87.8118,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","Trees were blown down along Highway 124. A shed was blown from the front yard to the back yard. Power outages were reported." +120957,724011,MISSOURI,2017,November,Thunderstorm Wind,"BUTLER",2017-11-18 12:05:00,CST-6,2017-11-18 12:05:00,0,0,0,0,8.00K,8000,0.00K,0,36.75,-90.4,36.75,-90.4,"A broken line of thunderstorms formed along a cold front as it surged southeast into southeast Missouri. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. Isolated strong to damaging wind gusts accompanied the leading edge of the activity.","Road signs and tree limbs were blown down. A large limb landed on a house." +120850,723584,HAWAII,2017,November,High Surf,"OAHU KOOLAU",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723585,HAWAII,2017,November,High Surf,"OLOMANA",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723586,HAWAII,2017,November,High Surf,"MOLOKAI WINDWARD",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723587,HAWAII,2017,November,High Surf,"MOLOKAI LEEWARD",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +121580,727727,TEXAS,2017,November,Drought,"LAMAR",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought developed county-wide around November 21st and remained in place through the end of the month." +121580,727728,TEXAS,2017,November,Drought,"DELTA",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions developed across the northern part of the county around November 21, then spread to the rest of the county through the end of the month." +121580,727729,TEXAS,2017,November,Drought,"HUNT",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions developed across the northern part of the county around November 21, then spread to the rest of the county through the end of the month." +121580,727730,TEXAS,2017,November,Drought,"COLLIN",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions developed across the northern part of the county around November 21, then spread to the rest of the county through the end of the month." +121580,727731,TEXAS,2017,November,Drought,"DENTON",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"After benefiting from a couple of years of above-normal rainfall, the most recent dry spell was enough to push several North Texas counties into severe drought status.","Severe drought conditions developed across the northern part of the county around November 21, then spread to the rest of the county through the end of the month." +121545,727462,INDIANA,2017,November,Tornado,"BLACKFORD",2017-11-05 13:36:00,EST-5,2017-11-05 13:43:00,1,0,0,0,0.00K,0,0.00K,0,40.3789,-85.2575,40.3977,-85.2066,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","The tornado crossed out of Delaware county, into Blackford county, at the intersection of E County Road 1300 N and S County Road 600 E, impacting several structures and trees on the northeast and southeast side of the intersection. Two homes suffered roof damage, with a garage being destroyed, likely due to winds into the garage door side. A middle aged female resident suffered minor injuries when debris from a south facing window and front door impacted her. The tornado did appear to weaken or possibly cycle as it approached the Jay county line with only minor damage noted to some trees. The circulation appeared to cross the county line (State Route 167), north of W County Road 300 S near Big Lick Creek. Maximum winds were estimated in this portion of the tornado at between 110 and 120 mph and was therefore rates a EF2 in Blackford county." +121618,727869,OHIO,2017,November,Thunderstorm Wind,"WILLIAMS",2017-11-05 11:46:00,EST-5,2017-11-05 11:47:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-84.73,41.63,-84.73,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","The public reported several large trees were blown down just north of the Ohio turnpike, near mile marker 4." +121618,727872,OHIO,2017,November,Thunderstorm Wind,"WILLIAMS",2017-11-05 11:50:00,EST-5,2017-11-05 11:51:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-84.41,41.51,-84.41,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","Emergency management officials reported some trees and power lines were down across the county." +121618,727874,OHIO,2017,November,Thunderstorm Wind,"FULTON",2017-11-05 12:15:00,EST-5,2017-11-05 12:16:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-84.3,41.52,-84.3,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","A trained spotter reported a rood was blown off a building near County Road 24 and Mechanic Street." +121618,727875,OHIO,2017,November,Thunderstorm Wind,"HENRY",2017-11-05 12:25:00,EST-5,2017-11-05 12:26:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-84.13,41.41,-84.13,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","Emergency management officials reported a large road sign was knocked down along US 24." +121618,727876,OHIO,2017,November,Thunderstorm Wind,"FULTON",2017-11-05 12:30:00,EST-5,2017-11-05 12:31:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-84.13,41.55,-84.13,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","Emergency management officials reported damage to the grandstand of the high school football field." +120658,722757,NEVADA,2017,November,High Wind,"SPRING MOUNTAINS",2017-11-16 11:34:00,PST-8,2017-11-16 11:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system passing by to the north brought strong southwest winds to much of the area, with a few high wind reports.","This gust occurred 1 mile ESE of Red Rock Canyon." +120658,722758,NEVADA,2017,November,High Wind,"LAS VEGAS VALLEY",2017-11-16 12:22:00,PST-8,2017-11-16 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system passing by to the north brought strong southwest winds to much of the area, with a few high wind reports.","The peak gust was measured 2 miles NW of Centennial Hills." +121077,724815,NEVADA,2017,November,High Wind,"WESTERN CLARK/SOUTHERN NYE",2017-11-27 07:13:00,PST-8,2017-11-27 15:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front blasted through the Mojave Desert, bringing high winds and ending a period of record warmth.","High winds occurred at Indian Springs and Pahrump." +121077,724817,NEVADA,2017,November,High Wind,"ESMERALDA/CENTRAL NYE",2017-11-27 07:45:00,PST-8,2017-11-27 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front blasted through the Mojave Desert, bringing high winds and ending a period of record warmth.","These winds occurred 40 miles E of Beatty." +121077,724818,NEVADA,2017,November,High Wind,"SHEEP RANGE",2017-11-27 11:30:00,PST-8,2017-11-27 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front blasted through the Mojave Desert, bringing high winds and ending a period of record warmth.","This gust occurred 8 miles SE of Hayford Peak." +121077,724819,NEVADA,2017,November,High Wind,"LAS VEGAS VALLEY",2017-11-27 14:16:00,PST-8,2017-11-27 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front blasted through the Mojave Desert, bringing high winds and ending a period of record warmth.","The peak measured gust occurred at the North Las Vegas Airport. In North Las Vegas, power lines and a small tree were blown down, a car window was broken, and roof tiles were damaged." +121078,724812,CALIFORNIA,2017,November,High Wind,"WESTERN MOJAVE DESERT",2017-11-27 11:45:00,PST-8,2017-11-27 13:01:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front blasted through the Mojave Desert, bringing high winds and ending a period of record warmth.","The peak gust occurred at Barstow-Daggett Airport. In Yermo, blowing dust reduced visibility and old communication lines were blown down next to the railroad tracks." +121702,728500,PUERTO RICO,2017,November,Flood,"GUAYNABO",2017-11-18 19:54:00,AST-4,2017-11-18 21:45:00,0,0,0,0,0.00K,0,0.00K,0,18.3846,-66.1095,18.3832,-66.1046,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","PR-177 intersection with Martinez Nadal Expressway reported as flooded." +121708,728519,MARYLAND,2017,November,Frost/Freeze,"NORTHERN BALTIMORE",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728525,MARYLAND,2017,November,Frost/Freeze,"NORTHWEST HARFORD",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121742,728791,CALIFORNIA,2017,November,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-11-15 06:34:00,PST-8,2017-11-17 06:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","Squaw Valley Ski Resort (elevation 8000 feet) reported 12 inches of snowfall over a 12-hour time period from 15 November 2100PST to 16 November 0900PST, with a storm total 48-hour accumulation of 19 inches from 15 November 0634PST to 17 November 0634PST." +121742,728792,CALIFORNIA,2017,November,Heavy Snow,"MONO",2017-11-15 09:20:00,PST-8,2017-11-17 09:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","Mammoth Mountain Ski Area (elevation 9014 feet) reported 9 inches of snowfall over a 24-hour time period from 15 November 0603PST to 16 November 0603PST, with a storm total 48-hour accumulation of 15 inches from 15 November 0603PST to 17 November 0603PST." +121742,728793,CALIFORNIA,2017,November,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-11-15 07:32:00,PST-8,2017-11-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","Heavenly Ski Resort reported 12 inches of snow accumulation in a 24-hour time period from 15 November 0732PST to 16 November 0732PST. A storm total accumulation of 23 inches was reported from 15 November 0732PST to 17 November 0732PST." +121742,729293,CALIFORNIA,2017,November,Heavy Rain,"NEVADA",2017-11-15 07:30:00,PST-8,2017-11-16 07:30:00,0,0,0,0,,NaN,,NaN,39.33,-120.39,39.33,-120.39,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","Trained weather spotter measured 5.23 inches of rain with 8 inches of snow from 15 November 0730PST to 16 November 0730PST." +121742,729294,CALIFORNIA,2017,November,Heavy Rain,"PLACER",2017-11-15 08:00:00,PST-8,2017-11-16 08:00:00,0,0,0,0,,NaN,,NaN,39.18,-120.14,39.18,-120.14,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","A trained weather spotter reported 5.41 inches of rain from 15 November 0800PST to 16 November 0800PST." +120614,722658,ALABAMA,2017,November,Frost/Freeze,"FRANKLIN",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the lower to middle 20s." +120614,722657,ALABAMA,2017,November,Frost/Freeze,"LAWRENCE",2017-11-20 01:00:00,CST-6,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped into the 20s on the morning of the 19th.","The temperature dropped into the lower to middle 20s." +120668,722792,CALIFORNIA,2017,November,Dense Fog,"SW S.J. VALLEY",2017-11-11 07:40:00,PST-8,2017-11-11 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High Pressure built into central California on the morning of November 11 which allowed for winds to diminish and skies to clear out resulting in the development of dense fog across the east side of the San Joaquin Valley. The dense fog adversely impacted holiday travel across portions of State Route 99 until burning off during the late morning hours.","Visibility below a quarter mile was reported in dense fog in Hanford." +120672,722807,CALIFORNIA,2017,November,Dense Fog,"E CENTRAL S.J. VALLEY",2017-11-19 06:35:00,PST-8,2017-11-19 09:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure built into Central California during the morning of November 19 which brought clearing skies and diminishing winds to the San Joaquin Valley. Areas of dense fog formed toward sunrise across portions of the valley as inversion conditions set up. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Fresno, Merced and Atwater." +120672,722808,CALIFORNIA,2017,November,Dense Fog,"SW S.J. VALLEY",2017-11-19 06:53:00,PST-8,2017-11-19 07:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure built into Central California during the morning of November 19 which brought clearing skies and diminishing winds to the San Joaquin Valley. Areas of dense fog formed toward sunrise across portions of the valley as inversion conditions set up. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Hanford." +120672,722809,CALIFORNIA,2017,November,Dense Fog,"SE S.J. VALLEY",2017-11-19 05:16:00,PST-8,2017-11-19 09:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure built into Central California during the morning of November 19 which brought clearing skies and diminishing winds to the San Joaquin Valley. Areas of dense fog formed toward sunrise across portions of the valley as inversion conditions set up. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Visalia." +120646,722709,OREGON,2017,November,Frost/Freeze,"CENTRAL DOUGLAS COUNTY",2017-11-18 02:00:00,PST-8,2017-11-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies combined with a cold air mass to bring freezing temperatures to a few locations in the Umpqua Valley.","Reported low temperatures in this zone ranged from 30 to 37 degrees." +120665,722790,OREGON,2017,November,Frost/Freeze,"CENTRAL DOUGLAS COUNTY",2017-11-19 02:00:00,PST-8,2017-11-19 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies and a cold air mass allowed temperatures to drop below freezing over parts of the Umpqua Basin.","Reported low temperatures in this zone ranged from 27 to 35 degrees." +120823,723487,MONTANA,2017,November,Winter Storm,"RED LODGE FOOTHILLS",2017-11-01 10:31:00,MST-7,2017-11-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong arctic front combined with an upper low and storm system that moved in from the Pacific Northwest brought heavy snow to portions of the Billings Forecast Area.","Snowfall amounts of 6 to 9 inches were reported across the area." +120824,723488,WYOMING,2017,November,Winter Storm,"NORTHEAST BIGHORN MOUNTAINS",2017-11-01 00:00:00,MST-7,2017-11-02 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong arctic front combined with an upper low and storm system that moved in from the Pacific Northwest brought heavy snow to the Big Horn Mountains.","Area Snotels reported 12 to 14 inches of snow." +120669,722794,CALIFORNIA,2017,November,Heavy Snow,"S SIERRA MTNS",2017-11-16 04:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Bishop Pass (11200 feet) picked up an estimated 24 inches of new snowfall." +120669,722795,CALIFORNIA,2017,November,Heavy Snow,"S SIERRA MTNS",2017-11-16 04:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Agnew Pass (9450 feet) picked up an estimated 15 inches of new snowfall." +120669,722796,CALIFORNIA,2017,November,Heavy Snow,"S SIERRA MTNS",2017-11-16 04:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Kaiser Point (9200 feet) picked up an estimated 8 inches of new snowfall." +120965,724072,ARKANSAS,2017,November,Drought,"DALLAS",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Dallas County entered D2 drought designation on November 14th and D3 drought designation on November 28th." +120965,724073,ARKANSAS,2017,November,Drought,"NEWTON",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Dallas County entered D2 drought designation on November 14th." +120427,721516,OHIO,2017,November,Tornado,"MADISON",2017-11-05 18:22:00,EST-5,2017-11-05 18:25:00,0,0,0,0,25.00K,25000,5.00K,5000,39.9279,-83.5368,39.9262,-83.4978,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","This tornado developed in Clark County at 1816EST, about 1 mile north of South Vienna and moved east-southeast, entering Madison County about 2 miles west of Summerford.||Some tree damage occurred on Markley Road, just south of east National Road. Most trees only had limbs downed with two being uprooted. The tornado then strengthened with structural damage occurring just south of east National Road on Roberts Mill Road. A trailer attached to a tractor was tipped on its side and a barn on the property lost the west facing wall, with some of the north and south walls also removed. The east facing wall was completely removed from the structure. Around 30 percent of the roof was removed with pieces of the barn blown into a corn field toward the east. Observed damage from the barn was consistent with EF1 tornadic winds. Farther to the east, corn in a field was downed in different directions before the tornado lifted." +120987,724197,ILLINOIS,2017,November,Hail,"VERMILION",2017-11-18 09:15:00,CST-6,2017-11-18 09:20:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-87.67,40.47,-87.67,"A slow-moving frontal boundary triggered strong thunderstorms across portions of central Illinois on November 18th. Training cells resulted in heavy rainfall of 1.5 to 2.5 and isolated flash flooding in a corridor from Schuyler County eastward to Vermilion County. In addition, a few of the cells produced hail as large as nickels.","" +120987,724198,ILLINOIS,2017,November,Flash Flood,"MCLEAN",2017-11-18 09:24:00,CST-6,2017-11-18 11:24:00,0,0,0,0,0.00K,0,0.00K,0,40.3644,-88.7922,40.3563,-88.7956,"A slow-moving frontal boundary triggered strong thunderstorms across portions of central Illinois on November 18th. Training cells resulted in heavy rainfall of 1.5 to 2.5 and isolated flash flooding in a corridor from Schuyler County eastward to Vermilion County. In addition, a few of the cells produced hail as large as nickels.","Thunderstorms producing excessive rainfall rates dropped around 2 inches of rain in Leroy in a short amount of time. As a result, over one foot of water was flowing across Route 150." +120427,721508,OHIO,2017,November,Tornado,"MERCER",2017-11-05 14:18:00,EST-5,2017-11-05 14:30:00,0,0,0,0,11.00M,11000000,30.00K,30000,40.5092,-84.8028,40.5687,-84.6711,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","This tornado developed in Delaware County, Indiana, near the town of Eaton and then moved across Blackford and Jay Counties in Indiana before crossing into Mercer County, Ohio at 1418EST near the intersection of St. Anthony Road and County Road 235 (see Storm data for Indiana, Central and Northeast, for more information on the beginning portion of this tornado in Indiana). The tornado traveled northeast in Mercer County for just more than 8 miles before terminating in a wooded area north of Carmel Church Road and west of Now Road. A few pieces of light debris were carried slightly further to the northeast, but the tornado is not believed to have been on the ground east of Now Road.||The vast majority of the surveyed path in Mercer County contained damage consistent with winds of 60 to 100 MPH, including scattered tree damage, significant damage or destruction of outbuildings, and minor damage to well-built homes. In all, 20 to 25 different properties were affected by this tornado in Mercer County.||Damage was determined to be most significant at two different locations along the track, with wind speeds estimated at 120 MPH, or EF2 on the Enhanced Fujita Scale. The first of these locations was a dairy farm on State Route 49 north of St. Anthony Road. At this location, a small home had its roof completely removed, with the removal and collapse of some exterior walls. It was noted that while some walls were collapsed, toe nailing was the primary anchoring mechanism for the roof and walls on this home. Barns and outbuildings on the property were significantly damaged or destroyed and debris from this location was deposited up to a mile downstream.||The second location exhibiting EF2-rated damage was at a property on Mud Pike Road just east of Township Line Road. Here, a well-built residence had the majority of its roof removed, including the entirety of the garage roof. Sections of brick facade were removed from the exterior walls of the home, with significant mud splatter on the east-facing exterior wall. A large well-constructed barn adjacent to this home was completely demolished, with debris thrown about a mile downstream of its source location.||Throughout its track across Mercer County, this tornado exhibited a large and relatively uniform width, with damage observed that indicated a width of near or slightly greater than three tenths of a mile. Some minor damage was even observed outside of this estimated width. Downstream of some of the affected properties, debris fields were observed to be long, wide, and relatively uniform." +120933,724244,FLORIDA,2017,November,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-11-05 09:00:00,EST-5,2017-11-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of higher than normal tidal departures coupled with the King Tides brought minor flooding near the times of high tide. Low-lying and vulnerable locations along the Palm Beach, Broward and Miami-Dade coast saw minor flooding of streets and grassy areas.","Minor flooding of sidewalk and curb on NE 23 Street in Miami east of Biscayne Boulevard. Water was up to 6 inches deep at the curb, but most of street remained dry." +121008,724411,KENTUCKY,2017,November,Strong Wind,"TRIGG",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724412,KENTUCKY,2017,November,Strong Wind,"CHRISTIAN",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724413,KENTUCKY,2017,November,Strong Wind,"TODD",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121021,724856,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-22 08:00:00,MST-7,2017-11-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front from a quick moving system delivered gusty conditions across the Plains of Northern and Central Montana.","Mesonet station 6 miles NNE of Augusta measured a 64 mph wind gust." +121085,724870,MONTANA,2017,November,High Wind,"TOOLE",2017-11-23 13:30:00,MST-7,2017-11-23 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Report via KRTV of two vehicles blown over on I-15. Observations in the area were reporting wind gusts of 50 to 60 mph at the time." +121085,724880,MONTANA,2017,November,High Wind,"GALLATIN",2017-11-24 02:28:00,MST-7,2017-11-24 02:28:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","Public report of a measured wind gust of 59 mph." +121085,724877,MONTANA,2017,November,High Wind,"BLAINE",2017-11-24 00:04:00,MST-7,2017-11-24 00:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strengthening jet and weak disturbance created strong southwesterly downsloping winds across a large majority of northern and central Montana overnight early Wednesday morning through Thursday morning.","DOT sensor 5 miles SW of Hays measured a 61 mph wind gust." +122292,732248,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BROOKINGS",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -40 occurred at Brookings around 0800CST on December 31." +122292,732254,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"LAKE",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill reading of -44 was recorded at Madison around 0755CST. The minimum temperature at Madison reached -23 on December 31." +122297,732278,WYOMING,2017,December,Winter Weather,"CONVERSE COUNTY LOWER ELEVATIONS",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Three inches of snow was measured four miles west-southwest of Douglas." +122297,732279,WYOMING,2017,December,Winter Weather,"LARAMIE VALLEY",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","An observer 10 miles west-southwest of Rock River measured 4.7 inches of snow." +122297,732280,WYOMING,2017,December,Winter Weather,"NORTH SNOWY RANGE FOOTHILLS",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Six inches of snow was measured at Elk Mountain." +122297,732283,WYOMING,2017,December,Winter Weather,"LARAMIE VALLEY",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Three and a half inches of snow was measured four miles southeast of Buford." +122297,732284,WYOMING,2017,December,Winter Weather,"CENTRAL CARBON COUNTY",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Three and a half inches of snow was measured a mile north of Rawlins." +122297,732286,WYOMING,2017,December,Winter Weather,"CENTRAL CARBON COUNTY",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Five inches of snow was observed two miles west of Rawlins." +122297,732287,WYOMING,2017,December,Winter Weather,"UPPER NORTH PLATTE RIVER BASIN",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Four to five inches of snow was observed at Saratoga." +122307,732368,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three inches of snow was observed four miles south of Cheyenne." +122000,730406,OHIO,2017,December,Lake-Effect Snow,"LAKE",2017-12-29 08:00:00,EST-5,2017-12-31 15:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Ashtabula County, a peak total of 19.4 inches was reported at North Kingsville with most of that total falling on the 30th. Other totals from Ashtabula County included: 17.0 inches in Monroe Township; 16.0 inches at Geneva; 14.0 inches south of Conneaut; 11.5 inches at Ashtabula and 10.5 inches at Kellogsville. In Lake County, a peak total of 14.5 inches was reported at Madison with 11.8 inches at Mentor. Travel was hampered by this storm and many accidents were reported.","An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around daybreak on the 29th and transitioned to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The snow showers were initially confined to the immediate lakeshore but shifted inland and intensified during the predawn hours of the 30th with periods of moderate to heavy snow reported during the daylight hours of the 30th. Visibilities at times were under one half mile with snowfall rates greater than an inch per hour. The brunt of the snow showers affected the eastern half of Lake County and about the northern third to half of Ashtabula County. The snow showers began to diminish during the evening of the 30th but didn't taper to flurries till the daylight hours of the 31st. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Storm totals exceeded a foot in many areas. In Lake County, a peak total of 14.5 inches was reported at Madison with 11.8 inches at Mentor. Travel was hampered by this storm and many accidents were reported." +122025,730543,OKLAHOMA,2017,December,Drought,"WASHITA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730544,OKLAHOMA,2017,December,Drought,"BECKHAM",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +121328,726320,OKLAHOMA,2017,December,Drought,"CHEROKEE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726319,OKLAHOMA,2017,December,Drought,"ADAIR",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726321,OKLAHOMA,2017,December,Drought,"CHOCTAW",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726322,OKLAHOMA,2017,December,Drought,"HASKELL",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726323,OKLAHOMA,2017,December,Drought,"LATIMER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726324,OKLAHOMA,2017,December,Drought,"LE FLORE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121359,726652,SOUTH CAROLINA,2017,December,Winter Weather,"BEAUFORT",2017-12-29 04:00:00,EST-5,2017-12-29 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold wedge of high pressure expanded over the area within a light northerly flow while low pressure developed south of the region and tracked northeast along the coast. The combination of moisture associated with the passing low and cold temperatures associated with the entrenched wedge of high pressure eventually caused light rain to freeze during early morning hours. Several bridges were shut down around the Charleston Metropolitan area as a trace to a few hundredths of an inch ice accumulated by the Friday morning commute. A peak storm total ice accumulation of 0.03 inches occurred at the National Weather Service office in North Charleston, SC.","The media along with social media reports indicated minor ice accumulation on elevated surfaces such as trees and roadway signs in Beaufort, Lady's Island and Burton, SC." +121253,726679,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","The Holden Village COOP observer reported 24.7 inches of storm total new snow." +121253,726680,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","The Plain COOP observer reported 13.1 inches of new snow." +121253,726682,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer near Plain reported 12.4 inches of new snow." +121124,726713,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-18 23:00:00,PST-8,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a slow moving warm front. The valleys of the Central Idaho Panhandle Mountains were mainly south of the front with mostly rain, although the Coeur D'Alene area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys of north Idaho remained in the cold air mass north of the stalled front and received a prolonged period of heavy snow from this storm. The snow was wet and heavy in the valleys of north Idaho and caused numerous power outages across Bonner and Boundary Counties, with some customers without power for 24 hours. The higher terrain of the Central Idaho Panhandle Mountains also received heavy snow.","A spotter 4 miles northwest of Naples reported 21.0 inches of storm total snow." +121123,726715,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The observer at Mazama recorded 12.6 inches of storm total snow." +121123,726714,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The observer at Holden Village recorded 23.9 inches of storm total snow." +121432,726941,CALIFORNIA,2017,December,Strong Wind,"NORTH BAY INTERIOR VALLEYS",2017-12-16 09:40:00,PST-8,2017-12-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved over the area late on the 15th into early in the morning on the 16th. Strong N/NE winds were observed in the wake of the front over both land and sea. Downed trees and power lines were observed along with multiple water rescues due to high winds.","Heavy winds knocked down a tree in Novato, causing a power outage for 2440 customers. Power was restored by 11:30 am. Nearby Novato sight measured a wind gust of 44 mph around the time of the report http://kron4.com/2017/12/16/high-winds-knock-tree-in-novato-causing-temporary-power-outage/." +121454,727057,HAWAII,2017,December,High Surf,"OAHU NORTH SHORE",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727058,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727059,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727060,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121563,727662,WISCONSIN,2017,December,Cold/Wind Chill,"KENOSHA",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727663,WISCONSIN,2017,December,Cold/Wind Chill,"LAFAYETTE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727664,WISCONSIN,2017,December,Cold/Wind Chill,"MARQUETTE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121631,728135,MASSACHUSETTS,2017,December,Strong Wind,"WESTERN PLYMOUTH",2017-12-25 09:15:00,EST-5,2017-12-25 11:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 940 AM EST a tree and wires were reported down on Pine Street in Middleborough." +121631,728136,MASSACHUSETTS,2017,December,Strong Wind,"SOUTHERN PLYMOUTH",2017-12-25 09:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 953 AM EST a tree and wires were down on Hunter Avenue in Wareham." +121319,726280,COLORADO,2017,December,Winter Weather,"GRAND VALLEY",2017-12-21 04:00:00,MST-7,2017-12-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 5 inches were measured across the area." +121319,726281,COLORADO,2017,December,Winter Weather,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-12-21 05:00:00,MST-7,2017-12-21 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 5 inches were measured across the area." +121319,726282,COLORADO,2017,December,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-12-21 04:00:00,MST-7,2017-12-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts up to 6 inches were measured in the western portion of the zone, including Black Canyon of the Gunnison National Park. The eastern portion of the zone only received about an inch or less of new snow." +121319,726283,COLORADO,2017,December,Winter Weather,"UNCOMPAHGRE PLATEAU AND DALLAS DIVIDE",2017-12-21 05:00:00,MST-7,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 4 to 8 inches were measured across the area." +121319,726284,COLORADO,2017,December,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-12-21 02:00:00,MST-7,2017-12-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 4 to 9 inches were measured across the area." +121745,728799,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTHERN CASS",2017-12-25 05:55:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121745,728794,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTHERN ST. LOUIS",2017-12-25 00:00:00,CST-6,2017-12-27 12:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","An adult male became stranded when his truck became stuck on a logging trail near Gheen. He spent Christmas night in his truck and ventured out the following day collapsing with exhaustion when shortly thereafter he was rescued by a father and son traveling through the area. The adult male is currently recovering from severe frostbite suffered as a result of prolonged exposure. Overnight low was near 30 below with daytime temperatures rising to the minus teens." +121745,728797,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTHERN ITASCA",2017-12-25 07:07:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121745,728801,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTHERN ITASCA",2017-12-25 07:56:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121745,728796,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NORTHERN COOK / NORTHERN LAKE",2017-12-25 08:13:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121745,728802,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SOUTHERN ST. LOUIS / CARLTON",2017-12-25 09:04:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121720,729414,TEXAS,2017,December,Heavy Snow,"WHARTON",2017-12-07 21:00:00,CST-6,2017-12-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","One to three inches of snow was measured in East Bernard, El Campo and Wharton." +121720,729416,TEXAS,2017,December,Heavy Snow,"BRAZORIA",2017-12-08 00:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","One to three inches of snow were measured around Pearland, Alvin and the Lake Jackson area." +121720,729417,TEXAS,2017,December,Winter Weather,"GALVESTON",2017-12-08 00:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The forcing of an approaching upper trough and jet streak allowed precipitation falling through a deep enough sub freezing lower layer to turn to snow. The heaviest snow fell across the northwestern CWA the evening of the 7th with measurable snow across the central and southern forecast area occurring during the early morning hours of the 8th.","Approximately an inch to slightly under two inches of snow was measured around League City and Dickinson." +121894,729603,LAKE SUPERIOR,2017,December,Marine High Wind,"UPPER ENTRANCE OF PORTAGE CANAL TO MANITOU ISLAND MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-12-05 06:00:00,EST-5,2017-12-05 06:15:00,0,0,0,0,0.00K,0,0.00K,0,48.22,-88.37,48.22,-88.37,"Storm force westerly winds impacted all of Lake Superior early December as a strong low pressure system tracked across the region.","Measured wind gusts of 54 to 60mph were observed during this event." +121894,729604,LAKE SUPERIOR,2017,December,Marine High Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-12-05 08:00:00,EST-5,2017-12-05 08:15:00,0,0,0,0,0.00K,0,0.00K,0,47.2,-88.7,47.2,-88.7,"Storm force westerly winds impacted all of Lake Superior early December as a strong low pressure system tracked across the region.","Measured storm force wind gusts began around 8am EST. The maximum measured wind gust during this event at PCLM4 was 50mph around 3:10pm EST." +121894,729652,LAKE SUPERIOR,2017,December,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-12-05 05:00:00,EST-5,2017-12-05 05:10:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm force westerly winds impacted all of Lake Superior early December as a strong low pressure system tracked across the region.","Storm force winds were observed through December 5th at the Stannard Rock platform. The peak sustained winds during this event were measured at 60mph at times. Persistent wind gusts measured during this event ranged from 57mph to 68 mph. A couple of peak gust did exceed 70mph, one measured in at 71mph around 10am EST on 12/5 and the other measured in at 75mph around 6:33pm EST." +121915,729756,NEW YORK,2017,December,Winter Weather,"NORTHERN QUEENS",2017-12-09 09:00:00,EST-5,2017-12-09 22:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southeast New York. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","The Observer at La Guardia Airport measured 4.5 inches of snow." +121915,729758,NEW YORK,2017,December,Winter Weather,"NORTHWEST SUFFOLK",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southeast New York. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","A COOP observer measured 4.8 inches of snow in Centerport." +121922,729816,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-12-28 13:40:00,PST-8,2017-12-29 01:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought a mix of snow, sleet and freezing rain to south-central and southeast Washington.","Estimated 6 to 8 inches of snow with a cover of ice at Cle Elum in Kittitas county. Snow and ice occurred in a period of under 10 hours. Temperatures warmed above freezing 3 to 4 hours after report." +121922,729817,WASHINGTON,2017,December,Ice Storm,"KITTITAS VALLEY",2017-12-28 15:30:00,PST-8,2017-12-29 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought a mix of snow, sleet and freezing rain to south-central and southeast Washington.","One quarter (0.25) inch of ice from freezing rain 5 miles west of Ellensburg in Kittitas county." +121922,729818,WASHINGTON,2017,December,Ice Storm,"YAKIMA VALLEY",2017-12-28 16:00:00,PST-8,2017-12-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought a mix of snow, sleet and freezing rain to south-central and southeast Washington.","One quarter (0.25) inch of ice from freezing rain at Tieton in Yakima county." +121926,729828,CALIFORNIA,2017,December,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-12-04 23:53:00,PST-8,2017-12-05 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the mountains of Los Angeles county. Some reports from local RAWS sensors include: Camp Nine (Gust 73 MPH), Warm Springs (Gust 68 MPH) and Chilao (Gust 72 MPH)." +121926,729829,CALIFORNIA,2017,December,High Wind,"VENTURA COUNTY MOUNTAINS",2017-12-04 23:53:00,PST-8,2017-12-05 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the mountains of Ventura county. Wind gusts up to 70 MPH were reported." +121999,730401,PENNSYLVANIA,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-29 11:00:00,EST-5,2017-12-30 19:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around midday on the 29th and transitioned completely to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The transition began first along the immediate lakeshore areas during the evening of the 29th. The snow showers continued to intensify and shifted further onshore during the predawn hours of the 30th with moderate to heavy snow reported during the daylight hours of the 30th over about the northern half of the county. Visibilities much of that time were under one half mile and sometimes less than a quarter of a mile. Snowfall rates of 1 to 2 inches per hour occurred. The snow showers tapered to flurries by early evening. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Much of Erie County saw a foot or more of snow during this event, most of it on the 30th. A peak total of 19.1 inches was reported at Harborcreek with 18.2 inches at Erie International Airport on the 29th and 30th. Other totals included: 17.5 inches at Colt Station; 15.5 inches in Erie; 15.4 inches at Lake City; 15.0 inches in Greene Township; 14.0 inches at North East and 13.4 inches in Millcreek. Travel was hampered by this event and many accidents were reported.","An area of weak low pressure over the northern Great Lakes at daybreak on December 29th moved southeast and eventually passed to the north of Lake Erie during the early morning hours of the 30th. Snow associated with the low developed around midday on the 29th and transitioned completely to lake effect by early on the 30th as cold northwest winds behind the low interacted with Lake Erie. The transition began first along the immediate lakeshore areas during the evening of the 29th. The snow showers continued to intensify and shifted further onshore during the predawn hours of the 30th with moderate to heavy snow reported during the daylight hours of the 30th over about the northern half of the county. Visibilities much of that time were under one half mile and sometimes less than a quarter of a mile. Snowfall rates of 1 to 2 inches per hour occurred. The snow showers tapered to flurries by early evening. Northwest winds gusted to as much as 30 mph on the 30th causing considerable blowing and drifting. Much of Erie County saw a foot or more of snow during this event, most of it on the 30th. A peak total of 19.1 inches was reported at Harborcreek with 18.2 inches at Erie International Airport on the 29th and 30th. Other totals included: 17.5 inches at Colt Station; 15.5 inches in Erie; 15.4 inches at Lake City; 15.0 inches in Greene Township; 14.0 inches at North East and 13.4 inches in Millcreek. Travel was hampered by this event and many accidents were reported." +122036,730594,MICHIGAN,2017,December,Heavy Snow,"ALLEGAN",2017-12-28 12:00:00,EST-5,2017-12-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow affected the lakeshore counties of far western lower Michigan from December 28th to December 30th. Total snow accumulations of 12 to 20 inches were reported. Snowfall totals of near 20 inches near Muskegon were the greatest 48 hour snowfall totals since January 13-14 of 2012.","Twelve to eighteen inches of snow fell across portions of Allegan county." +121467,727160,NEBRASKA,2017,December,Winter Weather,"GREELEY",2017-12-23 18:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","Snowfall totals included 2.5 inches four miles east of Scotia, and 2.4 inches in Greeley." +122071,731654,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-15 05:35:00,MST-7,2017-12-15 05:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Arlington East measured peak wind gusts of 58 mph." +122071,731656,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-15 05:55:00,MST-7,2017-12-15 09:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 15/0655 MST." +122071,731659,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-15 06:10:00,MST-7,2017-12-15 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher." +122071,731660,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-15 10:00:00,MST-7,2017-12-15 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The UPR sensor at Buford West measured sustained winds of 40 mph or higher." +122071,731661,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-15 15:45:00,MST-7,2017-12-15 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The UPR sensor at Lynch measured a peak wind gust of 58 mph." +122071,731668,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-15 06:30:00,MST-7,2017-12-15 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The UPR sensor at Emkay measured wind gusts of 58 mph or higher, with a peak gust of 62 mph at 15/0955 MST." +122071,731669,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-15 08:30:00,MST-7,2017-12-15 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Interstate 80 mile marker 353 measured sustained winds of 40 mph or higher." +122071,731670,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-15 05:00:00,MST-7,2017-12-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher." +122071,731671,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-15 16:15:00,MST-7,2017-12-15 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of strong gap winds developed across the wind-prone areas of southeast Wyoming. Gusts of 55 to 65 mph were observed.","The UPR sensor 10 miles southwest of Cheyenne measured a peak wind gust of 58 mph." +122086,730880,TEXAS,2017,December,Heavy Snow,"CALHOUN",2017-12-07 23:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 3 inches occurred across Calhoun County." +122086,730881,TEXAS,2017,December,Heavy Snow,"BEE",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 3 inches occurred across mainly southern Bee County." +122086,730882,TEXAS,2017,December,Heavy Snow,"DUVAL",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 2 to 4 inches occurred in the southern portion of Duval County." +122086,730994,TEXAS,2017,December,Heavy Snow,"WEBB",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 3 inches occurred in Webb County." +122086,730995,TEXAS,2017,December,Heavy Snow,"MCMULLEN",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 2 inches occurred in McMullen County." +122086,730996,TEXAS,2017,December,Heavy Snow,"LIVE OAK",2017-12-07 22:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 2 inches occurred in Live Oak County." +122086,730997,TEXAS,2017,December,Heavy Snow,"LA SALLE",2017-12-07 10:30:00,CST-6,2017-12-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations of 1 to 1 and a half inches occurred in La Salle County." +122086,730867,TEXAS,2017,December,Heavy Snow,"KLEBERG",2017-12-07 23:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A wintry mix of rain and snow occurred over South Texas on December 7th and changed to all snow around midnight of December 8th 2017. Areas of light snow moved into the northern Brush Country during the morning of December 7th. A band of heavy snow occurred over the Coastal Bend during the early morning hours of the 8th. This was the first measurable snow event since the Christmas Snowstorm of 2004.||Two slow moving bands of precipitation set up over South Texas during the evening of the 7th. One band extended from Victoria County to Webb County and another ran along the Middle Texas Coastal counties back to Zapata County. By 10 pm, surface temperatures cooled to just above freezing as the rain to snow transition line pushed southward with rain switching to snow first from Victoria to Cotulla. Within the next hour, the transition line pushed further southward into the Coastal Bend. By 11:30 pm, the band along the coast began to transition to wintry mix. ||After midnight as temperatures continued to drop to near freezing, all precipitation had switched over to snow and began to accumulate on grassy surfaces, cars, and creating slushy roadways. Snow continued during the overnight hours over much of South Texas, slowly diminishing from northwest to southeast toward morning as the impacts of the upper jet and drier air moving into the region ended the snow. The two bands of snow slowly shifted eastward through the early morning. By 5 am, the band along the coast dissipated and the westernmost band of snow moved into the Coastal Bend for a second and final round snow. By 9 AM, the snow band had moved offshore, and clouds gradually decreased during the remainder of the day.||Heavy snow occurred in a band along a line from Premont to Kingsville to the south side of Corpus Christi to Ingleside to Rockport. Snow accumulations in this region were in the range of 4 to 6 inches with the maximum of 7 inches in the Kings Crossing subdivision in the south side of Corpus Christi. The heavy snow caused power outages to almost 13 thousand customers, mainly in Kleberg and Nueces Counties.","Snow accumulations between 4 to 7 inches occurred across Kleberg County. Snowfall caused power outages in Kingsville with about 600 customers losing power." +122102,730998,GULF OF MEXICO,2017,December,Marine Strong Wind,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-12-23 09:00:00,CST-6,2017-12-23 15:00:00,0,0,1,0,0.00K,0,0.00K,0,27.58,-97.1484,27.58,-97.1484,"Fire Department crews arrived to find a capsized vessel around five miles offshore and two teenagers clinging to a nearby oil rig. A third boater, who officials believe was their uncle, was found face down in the water where he had reportedly been for several minutes.On the way to the hospital, officials said the man was pronounced dead.","Corpus Christi Fire Department responded just before 3 p.m. Saturday to Packery Channel to reports of three people in distress in the water. Coast Guard helicopter crew was diverted to the scene and provided aerial support to crews on the ground. Fire Department crews arrived to find a capsized vessel around five miles offshore and two teenagers clinging to a nearby oil rig. A third boater, who officials believe was their uncle, was found face down in the water where he had reportedly been for several minutes. All three were brought to shore, where the unconscious man underwent CPR before being taken to a nearby hospital by ambulance. On the way to the hospital, officials said the man was pronounced dead. Officials said the teens reported that they and their uncle were on a fishing trip from Houston and were not local to the area. They said the boat got away from them and their uncle was not a good swimmer. None of the boaters were wearing life jackets." +114029,682968,NEW YORK,2017,February,Heavy Snow,"DELAWARE",2017-02-09 01:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 10 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 10 inches with the highest amount near Long Eddy." +115605,694359,COLORADO,2017,June,Wildfire,"CENTRAL YAMPA RIVER BASIN",2017-06-10 15:00:00,MST-7,2017-06-12 12:00:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of hot and dry conditions resulted in dry vegetation. A southwest flow caused strong winds that led to rapid fire growth. Several new wildfires started under these conditions, including the Temple wildfire.","The Temple wildfire, which was started by a lightning strike, was located 25 miles west of Craig and burned more than 60 acres. A firefighter was injured while fighting the wildfire and sustained second degree burns to his legs." +122392,732714,COLORADO,2017,July,Wildfire,"LOWER YAMPA RIVER BASIN",2017-07-01 14:13:00,MST-7,2017-07-12 14:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A human-caused fire started northeast of Hayden.","A wildfire, believe to be caused by humans, burned 482 acres 13 miles northeast of Hayden, CO." +121981,730433,VIRGINIA,2017,December,Winter Storm,"AMELIA",2017-12-08 14:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking northward just off the East coast produced between three inches and six inches of snow across the Virginia Northern Neck and Piedmont of Central and South Central Virginia.","Snowfall totals ranged between three inches and five inches across the county. Amelia courthouse reported 4.0 inches of snow." +118092,709729,NORTH CAROLINA,2017,June,Thunderstorm Wind,"BERTIE",2017-06-05 15:53:00,EST-5,2017-06-05 16:00:00,0,0,0,0,30.00K,30000,0.00K,0,35.92,-76.94,36.23,-76.93,"Scattered severe thunderstorms well in advance of a cold front produced damaging winds across portions of northeast North Carolina.","Damage to roofs of 3 homes occurred along Cedar Landing Road. Large tree was downed onto power lines near the corner of Wynn Street and Snow Avenue." +113496,679425,VIRGINIA,2017,February,Hail,"CHESTERFIELD",2017-02-25 15:28:00,EST-5,2017-02-25 15:28:00,0,0,0,0,0.00K,0,0.00K,0,37.3308,-77.6928,37.3308,-77.6928,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +116791,702359,VIRGINIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-19 17:15:00,EST-5,2017-05-19 17:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.1638,-76.9444,38.1638,-76.9444,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed on Route 3 between Potomac Mills and the intersection of Route 3 and Longwood Road." +119185,715746,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-15 15:30:00,MST-7,2017-07-15 18:30:00,0,0,10,0,0.00K,0,0.00K,0,34.3798,-111.0663,34.2768,-111.3739,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","Very heavy rain over the Highland Fire scar and surrounding areas produced flash flooding in Ellison Creek which flows into the East Verde River. This is a very popular swimming area during the summer. Ten people were killed by the flooding (ages 2 to 57). Four people were rescued by helicopter after they were trapped in trees." +116372,699795,ARKANSAS,2017,May,Hail,"LOGAN",2017-05-11 14:24:00,CST-6,2017-05-11 14:24:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-93.83,35.2,-93.83,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","Baseball size hail was reported southwest of Paris, AR." +115149,692312,OHIO,2017,May,Tornado,"GREENE",2017-05-24 20:06:00,EST-5,2017-05-24 20:12:00,0,0,0,0,2.00K,2000,0.00K,0,39.8311,-84.0207,39.8497,-84.039,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","The tornado first touched down about a mile north of Fairborn in Greene County where some minor tree damage occurred in Fairborn Park. The tornado passed over the northern end of Wright Patterson Air Force Base with some additional minor tree damage located along Osborn Road in extreme northwest Greene County. The tornado then moved into extreme southeast Clark County, about 2.1 miles north-northeast of Wright Patterson Air Force Base, before ending about 1.9 miles southwest of Crystal Lakes at 2016EST." +122194,731515,CALIFORNIA,2017,December,Strong Wind,"COACHELLA VALLEY",2017-12-20 16:00:00,PST-8,2017-12-20 22:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A moderate strength upper level trough slid through the Great Basin, with upper level support that set up in a favorable position for mountain wave activity on the west slopes of the Southern California mountains on the 20th. An amazing 110 mph wind gust occurred in Burns Canyon with a surfacing mountain wave. Major dust issues were reported in the Mojave Desert.","Strong winds surfaced in the Palm Springs area causing power outages and blowing dust/sand. The Palm Spring Aerial Tramway briefly lost power." +122196,731518,CALIFORNIA,2017,December,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-12-29 22:00:00,PST-8,2017-12-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shallow marine layer brought dense fog into the San Diego Metro on the evening of the 29th. Several flights were diverted/delayed or cancelled.","San Diego International and North Island Naval Air Station reported several hours of dense fog with a visibility of 1/4 mile or less. Approximately 20 flights into San Diego International were diverted/delayed or cancelled." +122194,731516,CALIFORNIA,2017,December,High Wind,"SAN DIEGO COUNTY MOUNTAINS",2017-12-20 16:40:00,PST-8,2017-12-20 19:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate strength upper level trough slid through the Great Basin, with upper level support that set up in a favorable position for mountain wave activity on the west slopes of the Southern California mountains on the 20th. An amazing 110 mph wind gust occurred in Burns Canyon with a surfacing mountain wave. Major dust issues were reported in the Mojave Desert.","The Volcan Mountain mesonet station reported wind gusts over 60 mph for about 3 hours. The Harrison Park mesonet also saw a few gusts over 60. Elsewhere winds were in the 25-50 mph range." +122206,731537,TEXAS,2017,December,Drought,"MONTAGUE",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Montague County ended after 12/19 following beneficial rains during the middle part of the month." +122206,731538,TEXAS,2017,December,Drought,"COOKE",2017-12-01 00:00:00,CST-6,2017-12-19 23:59:00,0,0,0,0,0.00K,0,1.00K,1000,NaN,NaN,NaN,NaN,"Moderate to severe drought conditions affected much of the area for the first half of December. Drought conditions were brought to an end following beneficial rains which occurred from December 16 through December 19.","D2 / severe drought conditions across Cooke County ended after 12/19 following beneficial rains during the middle part of the month." +122082,731576,TEXAS,2017,December,Winter Weather,"COLLIN",2017-12-07 09:00:00,CST-6,2017-12-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The development of a deep upper trough across the Central U.S. brought about a shift to a colder weather pattern across the region. A couple of rounds of light sleet and snow occurred across the southern half of the forecast area. Though there were many reports of wintry precipitation, little to no impacts occurred.","Reports of light snow were obtained from a trained spotter and social media across Collin County. Only trace occumulations occurred." +120864,723689,NEBRASKA,2017,December,High Wind,"THAYER",2017-12-04 15:53:00,CST-6,2017-12-04 15:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 58 mph occurred two miles south southeast of Davenport." +122175,731374,SOUTH DAKOTA,2017,December,Winter Weather,"DAVISON",2017-12-21 05:30:00,CST-6,2017-12-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 5 inches during the morning and early afternoon, including 5.0 inches at Mitchell, produced hazardous road conditions." +122175,731377,SOUTH DAKOTA,2017,December,Winter Weather,"HANSON",2017-12-21 06:00:00,CST-6,2017-12-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the morning and early afternoon, including 4.5 inches at Alexandria, produced hazardous road conditions." +121993,730369,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"FILLMORE",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Geneva, the NWS cooperative observer recorded an average temperature of 7.1 degrees through the final 8-days of December, marking the 3rd-coldest finish to the year out of 125 on record." +122234,731949,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN FULTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731950,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN WASHINGTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731951,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHEAST WARREN",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731954,NEW YORK,2017,December,Cold/Wind Chill,"MONTGOMERY",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731750,NEW YORK,2017,December,Cold/Wind Chill,"SCHOHARIE",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731747,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN DUTCHESS",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +121988,730326,NEW YORK,2017,December,Heavy Snow,"HAMILTON",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","Snowfall totals ranged 8.4 inches to 11.5 inches." +121988,731884,NEW YORK,2017,December,Winter Weather,"NORTHERN FULTON",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","" +121988,731887,NEW YORK,2017,December,Winter Weather,"EASTERN RENSSELAER",2017-12-12 01:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","" +122144,731139,NORTH CAROLINA,2017,December,Heavy Snow,"ALLEGHANY",2017-12-08 08:30:00,EST-5,2017-12-09 11:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall totals ranged from around six inches near Sparta to around eight inches near Whitehead." +122144,731140,NORTH CAROLINA,2017,December,Heavy Snow,"SURRY",2017-12-08 08:45:00,EST-5,2017-12-09 11:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall totals ranged from around five inches near Pine Ridge to around seven inches near Siloam." +122144,731141,NORTH CAROLINA,2017,December,Heavy Snow,"STOKES",2017-12-08 10:00:00,EST-5,2017-12-09 15:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall totals ranged from around five inches near Danbury to around eight inches near King." +122144,731143,NORTH CAROLINA,2017,December,Heavy Snow,"WATAUGA",2017-12-08 06:55:00,EST-5,2017-12-09 11:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall amount ranged from around five inches near Todd to around ten inches at Blowing Rock. Numerous reports of eight to nine inches were received from within and around the community of Boone." +121644,728179,GEORGIA,2017,December,Winter Weather,"WALTON",2017-12-09 02:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between .5 and 2 inches of snow was estimated across the county. Reports from CoCoRaHS observers included 1 inch southwest of Loganville." +121644,728181,GEORGIA,2017,December,Winter Weather,"MADISON",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Up to 1 inch of snow was estimated across the county. Reports from CoCoRaHS and COOP observers included .3 inches near Danielsville and .5 inches near Commerce." +121644,728180,GEORGIA,2017,December,Winter Weather,"JACKSON",2017-12-09 02:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between .5 and 2 inches of snow was estimated across the county. Reports from CoCoRaHS observers included 1 inch near Pendergrass and 1.7 inches near Braselton." +122266,732016,NEW HAMPSHIRE,2017,December,Heavy Snow,"NORTHERN CARROLL",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122266,732017,NEW HAMPSHIRE,2017,December,Heavy Snow,"NORTHERN GRAFTON",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122266,732018,NEW HAMPSHIRE,2017,December,Heavy Snow,"SOUTHERN CARROLL",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122266,732019,NEW HAMPSHIRE,2017,December,Heavy Snow,"SOUTHERN COOS",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122266,732020,NEW HAMPSHIRE,2017,December,Heavy Snow,"SOUTHERN GRAFTON",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122266,732021,NEW HAMPSHIRE,2017,December,Heavy Snow,"SULLIVAN",2017-12-22 03:00:00,EST-5,2017-12-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Ohio Valley on the morning of the 22nd moved northeast to off the New England coast by the morning of the 23rd. The storm brought a moderate to heavy snow to much of the State. Snowfall amounts generally ranged from 3 to 10 inches across the State with the highest amounts in Grafton, Carroll, Sullivan, and southern Coos Counties.","" +122278,732115,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-03 06:45:00,MST-7,2017-12-03 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Cooper Cove measured peak wind gusts of 58 mph." +114739,688270,IOWA,2017,April,Funnel Cloud,"LINN",2017-04-15 19:24:00,CST-6,2017-04-15 19:24:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-91.52,42.28,-91.52,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","The fire department reported a possible funnel cloud seen during a lightning strike." +114739,688264,IOWA,2017,April,Flash Flood,"LINN",2017-04-15 21:33:00,CST-6,2017-04-15 23:59:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-91.67,41.9667,-91.7043,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","Law enforcement reported that several vehicles were stalled on area streets int he city with water over the street. The water was unable to drain properly due to the the intense downpours. Trained spotters in the area reported 3 to 4 inches of rain." +114745,688332,ILLINOIS,2017,April,Thunderstorm Wind,"BUREAU",2017-04-16 00:02:00,CST-6,2017-04-16 00:02:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-89.45,41.38,-89.45,"Scattered thunderstorms moved across portions of northwest Illinois during the early morning hours of April 16, as a cold front pushed east across Illinois. One thunderstorm produced damaging winds in Princeton Illinois as it moved across Bureau County.","The emergency manager reported two 24 to 36 inch trees snapped in town along with 5 to 10 other trees across the east side of Princeton. A power pole was also blown on to the roof of a nearby building which caused power outages in the city." +120347,721423,GEORGIA,2017,September,Tropical Storm,"GREENE",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,175.00K,175000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. A wind gust of 45 mph was measured near Greshamville. Radar estimated between 2 and 4 inches of rain fell across the county with 2.89 inches measured near Wrayswood. No injuries were reported." +122184,731489,SOUTH DAKOTA,2017,December,Blizzard,"HAMLIN",2017-12-04 15:45:00,CST-6,2017-12-04 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +112775,673950,MINNESOTA,2017,March,Hail,"SHERBURNE",2017-03-06 17:32:00,CST-6,2017-03-06 17:34:00,0,0,0,0,0.00K,0,0.00K,0,45.4076,-93.8277,45.4212,-93.8143,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","Large hail was reported northeast of Becker. Almost all of the hail was dime or smaller." +122184,731488,SOUTH DAKOTA,2017,December,Blizzard,"CODINGTON",2017-12-04 16:00:00,CST-6,2017-12-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +113490,679367,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 13:59:00,EST-5,2017-03-08 13:59:00,0,0,0,0,,NaN,,NaN,42.73,-73.99,42.73,-73.99,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree and wires were reported down due to thunderstorm winds in Guilderland." +122184,731490,SOUTH DAKOTA,2017,December,Blizzard,"GRANT",2017-12-04 17:00:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +120347,721450,GEORGIA,2017,September,Tropical Storm,"BANKS",2017-09-11 14:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Banks County Emergency Manager reported hundreds of trees and power lines blown down across the county. Over 35,000 cubic yards of debris was cleared from county roads and right of ways. A wind gust of 51 mph was measured in the Banks Crossing area. Radar estimated between 2 and 3 inches of rain fell across the county with 2.25 inches measured near Banks Crossing. No injuries were reported." +120347,721457,GEORGIA,2017,September,Tropical Storm,"GORDON",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,40.00K,40000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Gordon County Emergency Manager reported dozens of trees and power lines blown down across the county. No structures were reported to have received any significant damage. Radar estimated between 2.5 and 4 inches of rain fell across the county with 3.61 inches measured in Calhoun. Fourteen roads were flooded enough to require attention. No injuries were reported." +122167,731287,TEXAS,2017,December,Winter Weather,"TAYLOR",2017-12-26 16:30:00,CST-6,2017-12-28 18:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell, resulting in areas of ice on Interstate 20 and secondary roadways and bridges. A motorist was killed on the morning of December 27, 12 miles south of Buffalo Gap, according to the Texas Department of Public Safety. The vehicle he was driving collided with a box truck after sliding out of control on ice." +122167,731233,TEXAS,2017,December,Winter Weather,"TOM GREEN",2017-12-26 21:05:00,CST-6,2017-12-27 12:00:00,0,0,1,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","A motorist was killed when his vehicle hit a patch of ice and rolled multiple times in the 1300 block of N. Loop 306 Ramp, just north of Pulliam Street. The patchy ice resulted in multiple crashes especially on Loop 306 in San Angelo." +122167,731288,TEXAS,2017,December,Winter Weather,"NOLAN",2017-12-26 20:00:00,CST-6,2017-12-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread light freezing fog and drizzle resulted in the development of ice on area bridges and overpasses. Nolan's County Sheriff's office reported I-20 west bound was at a stand still with icy problems on U.S. Highway 70." +122289,732182,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CORSON",2017-12-30 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122312,732455,WYOMING,2017,December,Winter Storm,"EAST PLATTE COUNTY",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","A foot of snow was observed at Wheatland." +122312,732456,WYOMING,2017,December,Winter Storm,"EAST PLATTE COUNTY",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Nine inches of snow was observed two miles east of Wheatland." +122312,732457,WYOMING,2017,December,Winter Storm,"GOSHEN COUNTY",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Five to eight inches of snow was observed from Hawk Springs to Torrington." +122312,732459,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Six inches of snow was observed 10 miles east-northeast of Cheyenne." +122312,732452,WYOMING,2017,December,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-23 08:00:00,MST-7,2017-12-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous Pacific low pressure system produced moderate to heavy snow and strong northwest winds with gusts of 35 to 55 mph across much of southeast Wyoming. The strong winds produced blizzard conditions along Interstate 80 between Laramie and Rawlins. Snowfall totals varied from 6 to 12 inches across the high plains, to as much as 42 inches over the higher peaks of the Snowy and Sierra Madre mountains.","Six inches of snow was observed near Buford. Interstate 80 was closed both directions due to numerous traffic accidents." +122332,732460,NEBRASKA,2017,December,Winter Storm,"SCOTTS BLUFF",2017-12-23 15:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system produced moderate to heavy snow across southern portions of the Nebraska Panhandle. Gusty northwest winds of 25 to 35 mph produced areas of blowing and drifting snow.","Seven inches of snow was observed at Scottsbluff." +122191,732558,ALABAMA,2017,December,Winter Storm,"GREENE",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 3-5 inches across the southern portions of Greene County tapering off to 2 inches across the north." +122191,732588,ALABAMA,2017,December,Winter Storm,"PICKENS",2017-12-08 07:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 2-3 inches across Pickens County." +122191,732589,ALABAMA,2017,December,Winter Storm,"WALKER",2017-12-08 07:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 2-3 inches across the southern portions of Walker County tapering off to less than 1 inch across the north." +121069,724762,TEXAS,2017,December,Winter Weather,"SAN AUGUSTINE",2017-12-07 19:00:00,CST-6,2017-12-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during the evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the snowfall reports received during the morning of December 8th: In Angelina County, 2.0 inches in Diboll, and 1.0 inches in Huntington, Lufkin, and Zavalla. In Nacogdoches County, both Etoile and Chireno recorded 0.5 inches, with a Trace of snow in Nacogdoches. In San Augustine County, 5 miles north of Sam Rayburn Dam recorded 0.9 inches, with 0.5 inches falling in San Augustine. In Shelby County, 0.5 inches fell 15 miles southeast of Shelbyville. In Sabine County, Hemphill recorded 0.5 inches, and Pineland 0.3 inches.","" +121069,724763,TEXAS,2017,December,Winter Weather,"SHELBY",2017-12-07 19:00:00,CST-6,2017-12-07 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during the evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the snowfall reports received during the morning of December 8th: In Angelina County, 2.0 inches in Diboll, and 1.0 inches in Huntington, Lufkin, and Zavalla. In Nacogdoches County, both Etoile and Chireno recorded 0.5 inches, with a Trace of snow in Nacogdoches. In San Augustine County, 5 miles north of Sam Rayburn Dam recorded 0.9 inches, with 0.5 inches falling in San Augustine. In Shelby County, 0.5 inches fell 15 miles southeast of Shelbyville. In Sabine County, Hemphill recorded 0.5 inches, and Pineland 0.3 inches.","" +121150,725267,NORTH DAKOTA,2017,December,Blizzard,"PEMBINA",2017-12-04 10:00:00,CST-6,2017-12-04 15:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +121150,725276,NORTH DAKOTA,2017,December,Blizzard,"TRAILL",2017-12-04 12:00:00,CST-6,2017-12-04 18:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Surface low pressure began to organize over the Colorado/Wyoming area on the evening of December 3rd. Surface winds over eastern North Dakota and the northwest quarter of Minnesota were from the east, and temperatures and dew points remained fairly mild. At midnight, temperatures for most of the area held in the 30s with dew points in the mid to upper 20s. This moist and mild air led to some of the precipitation starting out as rain and/or freezing rain on Monday morning the 4th. The precipitation would eventually change over to snow, with the most falling from Mayville, ND, up towards the Lake of the Woods region of Minnesota. In this area, roughly 6 to 11 inches of snow fell. Roosevelt, Minnesota, reported the 11 inches of snow. North winds picked up by late morning on the 4th and remained gusty until early evening, producing blizzard conditions over portions of eastern North Dakota and blizzard and winter storm conditions over most of the northwest quarter of Minnesota. Peak wind speeds ranged from 45 to 57 mph. The wind speeds started to slowly decrease Monday evening.","" +115349,692605,ALABAMA,2017,April,Hail,"CHAMBERS",2017-04-05 04:46:00,CST-6,2017-04-05 04:47:00,0,0,0,0,0.00K,0,0.00K,0,32.99,-85.45,32.99,-85.45,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Hail the size of quarters reported along Highway 77." +115349,692606,ALABAMA,2017,April,Hail,"CHAMBERS",2017-04-05 04:47:00,CST-6,2017-04-05 04:48:00,0,0,0,0,0.00K,0,0.00K,0,33,-85.52,33,-85.52,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692607,ALABAMA,2017,April,Thunderstorm Wind,"CLAY",2017-04-05 05:16:00,CST-6,2017-04-05 05:17:00,0,0,0,0,0.00K,0,0.00K,0,33.3579,-85.7062,33.3579,-85.7062,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees snapped along East Mill Road." +115349,692608,ALABAMA,2017,April,Thunderstorm Wind,"CLAY",2017-04-05 05:20:00,CST-6,2017-04-05 05:21:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-85.71,33.37,-85.71,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted and blocking roadway." +115349,692609,ALABAMA,2017,April,Hail,"CLAY",2017-04-05 05:20:00,CST-6,2017-04-05 05:21:00,0,0,0,0,0.00K,0,0.00K,0,33.31,-85.75,33.31,-85.75,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120946,723945,WYOMING,2017,November,Heavy Snow,"YELLOWSTONE NATIONAL PARK",2017-11-16 00:00:00,MST-7,2017-11-17 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","Heavy snow fell in southwestern portions of Yellowstone Park. Some of the highest amounts were at the SNOTEL sites at Two Oceans Plateau and Lewis Lake Divide, where 20 and 17 inches fell respectively. Lesser amounts fell at other sites." +120946,723946,WYOMING,2017,November,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-11-16 00:00:00,MST-7,2017-11-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","Heavy snow fell in many parts of the Tetons. Some of the highest amounts included 24 inches at the top of Jackson Hole Ski Resort and 18 inches at the Togwotee Pass SNOTEL site." +120946,723948,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-16 04:47:00,MST-7,2017-11-16 04:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","A 59 mph wind gust was reported northwest of Clark." +120946,723949,WYOMING,2017,November,High Wind,"NORTHEAST JOHNSON COUNTY",2017-11-16 12:41:00,MST-7,2017-11-16 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","The ASOS at the Buffalo measured high wind gusts for three hours, including a maximum wind gust of 68 mph." +120612,727562,ALABAMA,2017,November,Thunderstorm Wind,"DEKALB",2017-11-18 19:12:00,CST-6,2017-11-18 19:12:00,0,0,0,0,,NaN,0.00K,0,34.6718,-85.6579,34.6718,-85.6579,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","Several trees and power lines were knocked down along Highway 117 and CR 134 in the Ider area." +120612,727563,ALABAMA,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 19:13:00,CST-6,2017-11-18 19:13:00,0,0,0,0,0.10K,100,0.00K,0,34.71,-85.76,34.71,-85.76,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","A tree was knocked down across Highway 71 at CR 78 northwest of Henagar. A vehicle hit the tree that was in the road." +120612,727564,ALABAMA,2017,November,Thunderstorm Wind,"MADISON",2017-11-18 18:02:00,CST-6,2017-11-18 18:02:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-86.79,34.65,-86.79,"A narrow fast-moving line of showers and a few embedded thunderstorms produced numerous reports of wind damage and two tornadoes.","The ASOS at the Huntsville International Airport (KHSV) recorded a wind gust of 58 mph." +121275,726014,COLORADO,2017,November,High Wind,"ELBERT / C & E DOUGLAS COUNTIES ABOVE 6000 FEET",2017-11-04 11:10:00,MST-7,2017-11-04 15:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed over the Palmer Divide. Peak wind gusts included 66 and 61 mph near Monument.","" +121278,726033,COLORADO,2017,November,Heavy Snow,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-11-04 17:00:00,MST-7,2017-11-06 02:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong flow aloft coupled with Pacific moisture produced a prolonged period of moderate to heavy snow for the north central mountains. The heaviest snowfall occurred in the mountains north of Interstate 70. Storm totals included: 27 inches at Tower, 18 inches at Zirkel, 13 inches at Deadman Hill, 12 inches at Arapahoe Ridge and Lake Irene, 11 inches at Long Draw Reservoir, with 10 inches at Never Summer and Willow Park.","Storm totals included 27 inches at Tower with 18 inches at Zirkel." +121278,726034,COLORADO,2017,November,Heavy Snow,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-11-04 17:00:00,MST-7,2017-11-06 02:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong flow aloft coupled with Pacific moisture produced a prolonged period of moderate to heavy snow for the north central mountains. The heaviest snowfall occurred in the mountains north of Interstate 70. Storm totals included: 27 inches at Tower, 18 inches at Zirkel, 13 inches at Deadman Hill, 12 inches at Arapahoe Ridge and Lake Irene, 11 inches at Long Draw Reservoir, with 10 inches at Never Summer and Willow Park.","Storm totals included: 13 inches at Deadman Hill, 12 inches at Arapahoe Ridge and Lake Irene, 11 inches at Long Draw Reservoir, with 10 inches at Never Summer and Willow Park. ." +121280,726041,COLORADO,2017,November,Winter Weather,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-11-06 13:35:00,MST-7,2017-11-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Localized bands of moderate to heavy snowfall developed over parts of Larimer and Weld counties. In the foothills storm totals included: 12.7 inches near Estes Park, 8 inches at Buckhorn Mountain, 7 inches near Rustic and Virginia Dale, with 6 inches at Pingree Park. Further east storm totals included: 6 inches at Pawnee Buttes, 5 inches Berthoud and 4.7 inches at Fort Collins.","" +121178,725511,GEORGIA,2017,November,Thunderstorm Wind,"DOUGLAS",2017-11-18 22:10:00,EST-5,2017-11-18 22:20:00,0,0,0,0,0.50K,500,,NaN,33.6833,-84.882,33.6833,-84.882,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Douglas County 911 center reported a tree blown down near the intersection of Cole Road and Ephesus Church Road." +121178,725512,GEORGIA,2017,November,Thunderstorm Wind,"PAULDING",2017-11-18 22:05:00,EST-5,2017-11-18 22:15:00,0,0,0,0,0.50K,500,,NaN,33.8134,-84.7327,33.8134,-84.7327,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Paulding County 911 center reported a tree blown down near the intersection of Brownsville Road and Bramlett Way." +121178,725513,GEORGIA,2017,November,Thunderstorm Wind,"COWETA",2017-11-18 22:24:00,EST-5,2017-11-18 22:30:00,0,0,0,0,0.50K,500,,NaN,33.4604,-84.8958,33.4604,-84.8958,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Coweta County 911 center reported a tree blown down in the 700 block of Dyer Road." +121178,725515,GEORGIA,2017,November,Thunderstorm Wind,"FULTON",2017-11-18 22:40:00,EST-5,2017-11-18 22:50:00,0,0,0,0,0.50K,500,,NaN,33.533,-84.6009,33.533,-84.6009,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Fulton County 911 center reported a tree blown down on Oakley Industrial Boulevard near Creekwood Drive." +121178,725516,GEORGIA,2017,November,Thunderstorm Wind,"FAYETTE",2017-11-18 22:50:00,EST-5,2017-11-18 23:00:00,0,0,0,0,0.50K,500,,NaN,33.4226,-84.568,33.4226,-84.568,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Fayette County 911 center reported a tree blown down near the intersection of North Peachtree Parkway and Interlochen Drive." +121178,725517,GEORGIA,2017,November,Thunderstorm Wind,"MERIWETHER",2017-11-18 23:10:00,EST-5,2017-11-18 23:15:00,0,0,0,0,0.50K,500,,NaN,33.1577,-84.5844,33.1577,-84.5844,"Despite very limited instability, a strong short wave and associated cold front resulted in a narrow band of showers and thunderstorms which swept through the region during the evening resulting in isolated reports of damaging winds across portions of north Georgia.","The Meriwether County 911 center reported a tree blown down near the intersection of Highway 85 and Callaway Road." +120986,724180,CALIFORNIA,2017,November,Flood,"MARIN",2017-11-27 01:56:00,PST-8,2017-11-27 02:26:00,0,0,0,0,0.00K,0,0.00K,0,37.943,-122.515,37.9429,-122.515,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Roadway flooding NB 101 at Lucky Dr Offramp." +120986,724181,CALIFORNIA,2017,November,Flood,"SAN FRANCISCO",2017-11-27 12:23:00,PST-8,2017-11-27 12:53:00,0,0,0,0,0.00K,0,0.00K,0,37.7729,-122.4073,37.7729,-122.4074,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Roadway flooding at 455 8th street in San Francisco." +120986,724189,CALIFORNIA,2017,November,Strong Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-11-27 01:31:00,PST-8,2017-11-27 01:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","More than 2000 electric customers without power in blackhawk|http://www.sfgate.com/news/bayarea/article/Update-237-Electric-Customers-Without-Power-In-12385557.php. Wind gust of 48 mph was reported at 1:15 am at Mt. Diablo." +120986,724192,CALIFORNIA,2017,November,Strong Wind,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-11-27 02:28:00,PST-8,2017-11-27 02:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Tree down with power lines down on Paradise Road. Wind gusts of around 30 to 40 mph were reported overnight near Monterey." +120986,724195,CALIFORNIA,2017,November,Strong Wind,"NORTH BAY MOUNTAINS",2017-11-27 00:29:00,PST-8,2017-11-27 00:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On the night of November 26th an upper level low along with a cold front just out ahead dumped widespread rainfall across the region along with gusty winds up to 50 mph. This system caused minor roadway flooding along with downed trees and power lines.","Measured wind gust of 52 mph at Atlas Peak." +121780,728924,CALIFORNIA,2017,November,High Wind,"DEL NORTE INTERIOR",2017-11-08 06:00:00,PST-8,2017-11-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front moved across northwest California producing gusty winds along the coast and inland over area ridges and mountains.","Strong winds developed across interior Del Norte County during the morning of November 8th." +121792,728990,CALIFORNIA,2017,November,High Wind,"NORTHERN HUMBOLDT INTERIOR",2017-11-15 19:57:00,PST-8,2017-11-15 19:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front moved across the region, with high winds occurring over interior portions of northern Humboldt County.","High winds were observed over the high terrain of interior northern Humboldt County." +121515,727353,VERMONT,2017,November,Strong Wind,"BENNINGTON",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +120825,723511,MONTANA,2017,November,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-11-02 18:00:00,MST-7,2017-11-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abundant Pacific moisture moved over cold air in place at the surface. This combined with a strong disturbance aloft resulted in heavy snow across the western portions of the Billings Forecast Area.","Nearly two feet of snow fell in Fishtail." +120827,723513,MONTANA,2017,November,High Wind,"NORTHERN SWEET GRASS",2017-11-20 04:00:00,MST-7,2017-11-20 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight east-west surface pressure gradient resulted in high wind gusts across the Big Timber area.","A wind gust of 67 mph was recorded just southeast of Big Timber." +120828,723514,MONTANA,2017,November,High Wind,"SOUTHERN WHEATLAND",2017-11-26 19:15:00,MST-7,2017-11-26 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients across the area resulted in very high wind gusts.","Wind gusts ranged from 64 to 78 mph across the area." +120829,723515,MONTANA,2017,November,High Wind,"POWDER RIVER",2017-11-29 10:00:00,MST-7,2017-11-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific front followed by rapid pressure rises resulted in very high wind gusts across portions of the Billings forecast area.","Power outages were reported in Broadus." +120829,723516,MONTANA,2017,November,High Wind,"NORTHERN SWEET GRASS",2017-11-29 09:20:00,MST-7,2017-11-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific front followed by rapid pressure rises resulted in very high wind gusts across portions of the Billings forecast area.","A wind gust of 66 mph was reported just southwest of Big Timber." +120548,722188,ALASKA,2017,November,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-11-13 18:00:00,AKST-9,2017-11-14 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A classic outflow and Taku Wind event occurred for SE Alaska on 11/13 & 11/14. 1023 MB High over NW Canada and a 989 MB Low just off Haida Gwaii. Peak wind at the AJ Dock was 91 MPH. No damage was reported and no power outages.","South Douglas Boat harbor measured gusts to 70 mph on the evening of 11/13. The peak wind recorded there was 91 mph. No damage. No power outages." +120732,723086,ALASKA,2017,November,Winter Storm,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-11-24 18:00:00,AKST-9,2017-11-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snow showers moved over the Pelican/Elfin Cove area on the evening of 11/24. Due to the showery nature of the storms localized variations were expected with this system. Pelican did not receive as much snow as anticipated; however, Elfin Cove |measured 6 inches of new snow between 6 PM 11/24 and 6 AM 11/25.","Elfin Cove COOP observer measured 6 inches of new snow overnight early on the morning of 11/25 Pelican got 2.4 inches, Gustavus and Hoonah got 0.5 inches, and Juneau got 2.7 inches during the same time period. Impact was snow removal. Lightning did occur along the outer coast during this event." +120696,722948,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-11-19 01:25:00,EST-5,2017-11-19 01:25:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-86.35,30.37,-86.35,"A line of showers along a cold front produced gusty winds in excess of 34 knots as it moved along the panhandle and big bend coast.","Wunderground site KFLMIRAM24 measured a wind gust of 45 mph." +120696,722949,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-11-19 02:36:00,EST-5,2017-11-19 02:36:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-85.67,30.15,-85.67,"A line of showers along a cold front produced gusty winds in excess of 34 knots as it moved along the panhandle and big bend coast.","Site PACF1 measured a wind gust of 44 mph." +120958,724014,KENTUCKY,2017,November,Tornado,"MUHLENBERG",2017-11-18 15:02:00,CST-6,2017-11-18 15:05:00,0,0,0,0,100.00K,100000,0.00K,0,37.3433,-87.2339,37.3403,-87.1827,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","One tobacco barn was levelled, and two others sustained major damage. Part of the tobacco barn was blown several hundred yards to the southeast and then arcing eastward. Plank projectiles from the tobacco barn were embedded in the siding of a shed. At least five other barns sustained minor roof or siding damage. A pickup truck attached to a loaded trailer was shifted about a foot. A half dozen homes lost some shingles. Dozens of trees were uprooted or lost large limbs. The tornado began just west of Highway 181 and ended just east of Highway 2584. The damage was most extensive in the area of Highway 181. Peak winds were estimated near 90 mph." +120958,724015,KENTUCKY,2017,November,Tornado,"TODD",2017-11-18 15:36:00,CST-6,2017-11-18 15:37:00,0,0,0,0,125.00K,125000,0.00K,0,36.889,-87.196,36.8936,-87.1842,"A broken line of thunderstorms formed along a cold front as it surged southeast from Missouri into the lower Ohio Valley. A large pocket of clear sky during the morning helped warm the lower levels of the atmosphere. Instability became sufficient for storms to fire right along the front, where a rather strong capping inversion was broken. A vigorous upper-level trough moving rapidly eastward across the central Plains provided plenty of large-scale forcing for storm initiation. Very strong wind shear was supportive of isolated tornadoes along the evolving quasi-linear convective system. Scattered damaging wind gusts accompanied the leading edge of the activity.","The short-track tornado began along Highway 171 several miles northwest of Elkton. Four houses had more than 20 percent of their shingles blown off. A well-built porch was lifted. Brick piers supporting a mobile home collapsed, and insulation was blown west in the storm's wake. A grain bin was destroyed and blown 30 yards into a field. A barn was destroyed, and one of the walls of a shed was blown down. Numerous trees were broken off. Yard furniture was blown northwest of the tornado track. Several windows were broken in a home. Peak winds were estimated near 85 mph." +121310,726209,IDAHO,2017,November,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-11-03 04:00:00,MST-7,2017-11-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some snow amounts above 10 inches to SNOTEL locations in southeast Idaho.","The Galena Summit SNOTEL recorded 12 inches of snow with 7 inches at Dollarhide, 6 inches at Galena and 7 inches at Lost Wood Divide." +121310,726210,IDAHO,2017,November,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-11-04 00:00:00,MST-7,2017-11-05 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some snow amounts above 10 inches to SNOTEL locations in southeast Idaho.","The Black Bear SNOTEL recorded 17 inches of snow with 10 inches at White Elephant." +120850,723588,HAWAII,2017,November,High Surf,"MAUI WINDWARD WEST",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723589,HAWAII,2017,November,High Surf,"MAUI LEEWARD WEST",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723590,HAWAII,2017,November,High Surf,"MAUI CENTRAL VALLEY",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +120850,723591,HAWAII,2017,November,High Surf,"WINDWARD HALEAKALA",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +113660,692409,TEXAS,2017,April,Flash Flood,"BELL",2017-04-11 01:12:00,CST-6,2017-04-11 04:15:00,0,0,0,0,0.00K,0,0.00K,0,31.1988,-97.3004,31.113,-97.7412,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Bell County Sheriff's Department reported numerous roads flooded across the county including the Temple area." +121618,727878,OHIO,2017,November,Thunderstorm Wind,"HENRY",2017-11-05 12:45:00,EST-5,2017-11-05 12:46:00,0,0,0,0,0.00K,0,0.00K,0,41.31,-84.12,41.31,-84.12,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","Emergency management reported a tree was blown down across the road." +121618,727879,OHIO,2017,November,Thunderstorm Wind,"WILLIAMS",2017-11-05 12:50:00,EST-5,2017-11-05 12:51:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-84.48,41.44,-84.48,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. This segment caused sporadic damage across portions of Henry, Williams and Fulton counties.","A trained spotter relayed pictures from social media indicating a barn was leveled, a detached garage overturned and a large tree split." +121616,727857,MONTANA,2017,November,Drought,"CENTRAL AND SE PHILLIPS",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Extreme (D3) drought conditions persisted across central and southeast Phillips County as little precipitation fell during the month. Precipitation totals of 50 to 75 percent of normal did little to help drought recovery in that area." +121616,727858,MONTANA,2017,November,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Extreme (D3) drought conditions persisted across central and southern Valley County as little precipitation fell during the month. Precipitation totals of 25 to 70 percent of normal did little to help drought recovery in that area." +121616,727859,MONTANA,2017,November,Drought,"DANIELS",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Extreme (D3) drought conditions persisted across Daniels County as little precipitation fell during the month. Precipitation totals of only 25 to 50 percent of normal did not help drought recovery in that area." +121710,728534,NEBRASKA,2017,November,High Wind,"RED WILLOW",2017-11-24 11:24:00,CST-6,2017-11-24 11:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the morning a high wind gust of 59 MPH was reported at the airport.","" +120603,723824,VIRGINIA,2017,November,Thunderstorm Wind,"SMYTH",2017-11-18 22:40:00,EST-5,2017-11-18 22:40:00,0,0,0,0,0.50K,500,0.00K,0,36.8042,-81.6776,36.8042,-81.6776,"A deep low pressure system passed just south of the Great Lakes during the afternoon and evening, dragging with it a strong cold front eastward across the central Appalachians. A line of severe thunderstorms developed just ahead of the front, with at least one wind gust greater than 50 knots was observed as the line of storms passed across Bristol TN. As the line of storms entered southwest Virginia, several trees were blown down across Smyth and Bland counties.","Thunderstorm winds brought down a tree within the community of Chilhowie." +120603,723823,VIRGINIA,2017,November,Thunderstorm Wind,"SMYTH",2017-11-18 22:45:00,EST-5,2017-11-18 22:45:00,0,0,0,0,0.50K,500,0.00K,0,36.7611,-81.6325,36.7611,-81.6325,"A deep low pressure system passed just south of the Great Lakes during the afternoon and evening, dragging with it a strong cold front eastward across the central Appalachians. A line of severe thunderstorms developed just ahead of the front, with at least one wind gust greater than 50 knots was observed as the line of storms passed across Bristol TN. As the line of storms entered southwest Virginia, several trees were blown down across Smyth and Bland counties.","A tree was blown down near the intersection of Riverside Road and Red Stone Road by thunderstorm winds." +120603,723821,VIRGINIA,2017,November,Thunderstorm Wind,"BLAND",2017-11-18 23:01:00,EST-5,2017-11-18 23:01:00,0,0,0,0,1.50K,1500,0.00K,0,37.0399,-81.092,37.0397,-81.091,"A deep low pressure system passed just south of the Great Lakes during the afternoon and evening, dragging with it a strong cold front eastward across the central Appalachians. A line of severe thunderstorms developed just ahead of the front, with at least one wind gust greater than 50 knots was observed as the line of storms passed across Bristol TN. As the line of storms entered southwest Virginia, several trees were blown down across Smyth and Bland counties.","Three trees were blown down at the intersection of Little Creek Highway and Smith Hollow Road by thunderstorm winds." +120604,723818,WEST VIRGINIA,2017,November,Thunderstorm Wind,"MERCER",2017-11-18 22:42:00,EST-5,2017-11-18 22:42:00,0,0,0,0,1.00K,1000,0.00K,0,37.2898,-81.2541,37.289,-81.2535,"A deep low pressure system passed just south of the Great Lakes during the afternoon and evening, dragging with it a strong cold front eastward across the central Appalachians. A line of severe thunderstorms developed just ahead of the front. While the line began to weaken as it interacted with the mountains, winds with the decaying line brought down two trees in Mercer County.","Two trees were blown down along Coal Heritage Road by thunderstorm winds." +115819,696141,SOUTH CAROLINA,2017,April,Heavy Rain,"RICHLAND",2017-04-23 00:00:00,EST-5,2017-04-24 23:59:00,0,0,0,0,0.10K,100,0.10K,100,33.95,-80.87,33.95,-80.87,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","RCWINDS gage at Lower Richland Fire Station measured a 2 day rainfall total of 5.63 inches." +114737,688218,IOWA,2017,April,Hail,"JOHNSON",2017-04-10 00:44:00,CST-6,2017-04-10 00:44:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-91.81,41.54,-91.81,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","" +114737,688219,IOWA,2017,April,Hail,"WASHINGTON",2017-04-10 00:45:00,CST-6,2017-04-10 00:45:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-91.7,41.49,-91.7,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","" +121742,729295,CALIFORNIA,2017,November,Heavy Rain,"NEVADA",2017-11-15 08:30:00,PST-8,2017-11-16 08:30:00,0,0,0,0,,NaN,,NaN,39.33,-120.28,39.33,-120.28,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","HADS sensor at Donner Lake measured 4.80 inches of rain from 15 November 0830PST to 16 November 0830PST." +121743,729283,NEVADA,2017,November,Heavy Rain,"WASHOE",2017-11-15 00:00:00,PST-8,2017-11-17 00:00:00,0,0,0,0,,NaN,,NaN,39.5078,-119.7682,39.5078,-119.7682,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","Reno-Tahoe International Airport ASOS reported 0.96 inches of rainfall in a 48-hour time period from 15 November 0000PST to 17 November 0000PST." +121742,729290,CALIFORNIA,2017,November,Heavy Rain,"EL DORADO",2017-11-15 07:00:00,PST-8,2017-11-16 07:00:00,0,0,0,0,,NaN,,NaN,38.8488,-120.0657,38.8488,-120.0657,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","CoCoRaHS observer reported 4.28 inches of rain from 15 November 0700PST to 16 November 0700PST." +121742,729291,CALIFORNIA,2017,November,Heavy Rain,"SIERRA",2017-11-15 07:00:00,PST-8,2017-11-16 07:00:00,0,0,0,0,,NaN,,NaN,39.58,-120.38,39.58,-120.38,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","CoCoRaHS observer reported 4.59 inches of rain from 15 November 0700PST to 16 November 0700PST." +121742,729292,CALIFORNIA,2017,November,Heavy Rain,"PLUMAS",2017-11-15 07:15:00,PST-8,2017-11-16 07:15:00,0,0,0,0,,NaN,,NaN,39.7795,-120.5945,39.7795,-120.5945,"The winter season's first strong atmospheric river moved slowly south near the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and eastern California.","RAWS sensor at Denten Creek measured 2.79 inches of rain from 15 November 0715PST to 16 November 0715PST." +121743,729288,NEVADA,2017,November,Heavy Rain,"WASHOE",2017-11-15 08:00:00,PST-8,2017-11-16 18:05:00,0,0,0,0,,NaN,,NaN,39.5,-120,39.5,-120,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","Trained weather spotter measured 5.50 inches of rain from November 15 0800PST to November 16 1805PST." +120435,721542,ALASKA,2017,November,High Wind,"JUNEAU BOROUGH AND NORTHERN ADMIRALTY ISLAND",2017-11-06 20:48:00,AKST-9,2017-11-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A monster storm force low developed in the Gulf of Alaska starting on 11/5 which got stronger and stronger through 11/7. Storm Force winds were measured over the outside waters, but only strong winds were observed on the inside. The exception was Downtown Juneau which had gusts to 76 MPH.","High winds slammed Downtown Juneau and Douglas on the evening of 11/6 and the morning of 11/7. Gusts to 76 mph were observed at the South Douglas boat harbor. No damage or power outages were reported." +120730,723092,OREGON,2017,November,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-11-25 22:40:00,PST-8,2017-11-26 13:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The Squaw Peak RAWS recorded several gusts exceeding 75 mph during this interval. The peak gust was 85 mph, recorded at 25/2339 PST." +120730,723094,OREGON,2017,November,High Wind,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-11-26 05:01:00,PST-8,2017-11-26 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The Calimus RAWS recorded many gusts exceeding 58 mph during this interval. The peak gust was 67 mph, recorded at 26/0700 PST." +120731,723088,CALIFORNIA,2017,November,High Wind,"MODOC COUNTY",2017-11-26 06:04:00,PST-8,2017-11-26 12:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in northeast California.","The Rush Creek RAWS recorded a gust to 61 mph at 26/1103 PST and a gust to 59 mph at 26/1203 PST. The Timber Mountain RAWS recorded a gust to 60 mph at 26/0703 PST." +120736,723730,ALASKA,2017,November,Winter Storm,"EASTERN CHICHAGOF ISLAND",2017-11-16 21:00:00,AKST-9,2017-11-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic High pressure was persistent over the Yukon Territory on the evening of 11/16 causing a cold northerly outflow at our lowest levels. The high rapidly weakened as a weak low and front developed in the Gulf. Overrunning aloft caused record heavy snow. Impacts were snow removal, otherwise no damage was reported.||...RECORD SNOW AMOUNTS FOR NOVEMBER 17 AND 18...||There were numerous daily COOP snowfall records across portions|of northern Southeast Alaska on November 17 and 18. Record|snowfall was recorded at the following locations:||Annex Creek recorded 11.7 inches on November 17, breaking the|previous record of 7.6 inches from 1959.||Juneau Lena Point near Juneau recorded 8.9 inches on November 17,|breaking the previous record of 5.8 inches from 2015.||Skagway recorded 5.5 inches on November 17, breaking the previous|record of 2.0 inches from 2009.||The Juneau Forecast Office recorded 10.8 inches on November 17,|breaking the previous record of 3.3 inches from 2003.||Downtown Juneau recorded 3.0 inches on November 17, breaking the|previous record of 2.5 inches from 1932.||The Snettisham Powerplant recorded 4.2 inches on November 17,|breaking the previous record of 1.5 inches from 2015.||Hyder recorded 15.0 inches on November 18, breaking the previous|record of 9.5 inches from 2006.||Hoonah recorded 7.0 inches on November 18, breaking the previous|record of 2.7 inches from 2015.||Pelican recorded 5.2 inches on November 18, breaking the previous|record of 4.5 inches from 2015.||Haines recorded 2.0 inches on November 18, breaking the previous|record of 0.5 inches from 2003.","Storm total was 7.4 inches by 0800 on 11/18 at Hoonah. Most of the snow fell on the afternoon of 11/17. No damage or power outages reported. Impact was snow removal." +120669,722797,CALIFORNIA,2017,November,Heavy Snow,"S SIERRA MTNS",2017-11-17 04:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","McSwain Meadows along State Route 120 in Yosemite Park at 8200 feet measured 4 inches of new snowfall." +120669,722798,CALIFORNIA,2017,November,Heavy Snow,"TULARE CTY MTNS",2017-11-16 10:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Upper Tyndall Creek (11400 feet) picked up an estimated 14 inches of new snowfall." +120669,722799,CALIFORNIA,2017,November,Heavy Snow,"TULARE CTY MTNS",2017-11-16 10:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Crabtree Meadow (10700 feet) picked up an estimated 20 inches of new snowfall." +120965,724074,ARKANSAS,2017,November,Drought,"VAN BUREN",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Van Buren County entered D2 drought designation on November 14th." +120965,724075,ARKANSAS,2017,November,Drought,"CONWAY",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Conway County entered D2 drought designation on November 14th." +120933,723910,FLORIDA,2017,November,Coastal Flood,"COASTAL PALM BEACH COUNTY",2017-11-05 08:30:00,EST-5,2017-11-05 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The combination of higher than normal tidal departures coupled with the King Tides brought minor flooding near the times of high tide. Low-lying and vulnerable locations along the Palm Beach, Broward and Miami-Dade coast saw minor flooding of streets and grassy areas.","Photos on social media show minor flooding from higher than normal astronomical tides at George S Petty Park. Water from inter coastal waterway covering grassy areas with a few inches deep of water over normally dry land." +120933,723911,FLORIDA,2017,November,Coastal Flood,"COASTAL BROWARD COUNTY",2017-11-05 10:00:00,EST-5,2017-11-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of higher than normal tidal departures coupled with the King Tides brought minor flooding near the times of high tide. Low-lying and vulnerable locations along the Palm Beach, Broward and Miami-Dade coast saw minor flooding of streets and grassy areas.","Multiple photos and video show minor street flooding due to king tides with portions of entire road covered with water near Southlake Drive and S 9th Avenue in Hollywood." +120934,723912,FLORIDA,2017,November,Tornado,"COLLIER",2017-11-22 16:40:00,EST-5,2017-11-22 16:40:00,0,0,0,0,0.00K,0,0.00K,0,26.42,-81.53,26.42,-81.53,"A frontal boundary across the region and a few showers across South Florida. A brief tornado/ land spout occurred in rural portions of Collier County.","Collier County Sheriff Office reported via a police helicopter a tornado in the Corkscrew area in Collier County. The tornado was brief and stayed in an open field with no damage reported." +120936,723913,ATLANTIC SOUTH,2017,November,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-11-23 14:56:00,EST-5,2017-11-23 14:56:00,0,0,0,0,0.00K,0,0.00K,0,25.98,-80.09,25.98,-80.09,"A weak boundary draped across South Florida allowed showers to develop across the region. One of these showers produced a waterspout over the Atlantic waters.","Photos and video of a waterspout on social media were taken from the Beach Club at Hallandale Beach." +120880,723733,ALASKA,2017,November,Heavy Snow,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-11-24 18:00:00,AKST-9,2017-11-25 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another band of heavy snow showers brushed by the outer coast on the night of 11/24 to the early morning of 11/25. Elfin Cove got a quick 6 inches but Pelican only got 2.4 inches. No damage. Impact was snow removal.","Elfin cove got 6 inches of new snow overnight on 11/24 to 11/25. Pelican got 2.4 inches. Only impact was snow removal." +120845,724330,ILLINOIS,2017,November,Flood,"WILLIAMSON",2017-11-05 19:05:00,CST-6,2017-11-05 19:55:00,0,0,0,0,0.00K,0,0.00K,0,37.759,-88.93,37.73,-88.9666,"A cold front tracked southeast across southern Illinois during the evening hours. Thunderstorms slowly advanced east-southeastward ahead of the cold front. The storms organized into a line as they crossed southern Illinois. Isolated strong to damaging winds became the main severe weather phenomenon as the storm mode became linear.","Several streets were covered by one to two inches of water. A few creeks were approaching bankful." +121008,724414,KENTUCKY,2017,November,Strong Wind,"HOPKINS",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724415,KENTUCKY,2017,November,Strong Wind,"MUHLENBERG",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724416,KENTUCKY,2017,November,Strong Wind,"HENDERSON",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +122292,732251,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MINER",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. The minimum temperature at Howard reached -15 on December 31." +122292,732257,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MOODY",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. The wind chill at Flandreau reached a minimum of -41 at 1900CST December 31." +122292,732263,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MCCOOK",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A record low maximum and minimum temperature of -15 and -26 was measured five miles northeast of Salem on December 31." +122307,732369,WYOMING,2017,December,Winter Weather,"CONVERSE COUNTY LOWER ELEVATIONS",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three and a half inches of snow was observed at Bill." +122307,732370,WYOMING,2017,December,Winter Weather,"LARAMIE VALLEY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three inches of snow was observed at Woods Landing." +122307,732371,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed at Hillsdale." +122307,732372,WYOMING,2017,December,Winter Weather,"NIOBRARA COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed 10 miles north of Lusk." +122307,732377,WYOMING,2017,December,Winter Weather,"NIOBRARA COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three inches of snow was measured a mile south of Lusk." +122307,732378,WYOMING,2017,December,Winter Weather,"CENTRAL CARBON COUNTY",2017-12-20 20:00:00,MST-7,2017-12-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across southeast Wyoming. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","An observer one mile north of Rawlins measured 5.3 inches of snow." +122332,732461,NEBRASKA,2017,December,Winter Storm,"SCOTTS BLUFF",2017-12-23 15:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system produced moderate to heavy snow across southern portions of the Nebraska Panhandle. Gusty northwest winds of 25 to 35 mph produced areas of blowing and drifting snow.","Seven inches of snow was observed at Melbeta." +122332,732465,NEBRASKA,2017,December,Winter Storm,"CHEYENNE",2017-12-23 15:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system produced moderate to heavy snow across southern portions of the Nebraska Panhandle. Gusty northwest winds of 25 to 35 mph produced areas of blowing and drifting snow.","Seven to nine inches of snow was observed at Potter." +122332,732466,NEBRASKA,2017,December,Winter Storm,"SOUTH SIOUX",2017-12-23 15:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system produced moderate to heavy snow across southern portions of the Nebraska Panhandle. Gusty northwest winds of 25 to 35 mph produced areas of blowing and drifting snow.","Six inches of snow was observed at Agate." +122025,730545,OKLAHOMA,2017,December,Drought,"HARMON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730546,OKLAHOMA,2017,December,Drought,"GREER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730547,OKLAHOMA,2017,December,Drought,"JACKSON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730548,OKLAHOMA,2017,December,Drought,"KIOWA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730549,OKLAHOMA,2017,December,Drought,"COMANCHE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730550,OKLAHOMA,2017,December,Drought,"TILLMAN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730551,OKLAHOMA,2017,December,Drought,"COTTON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730552,OKLAHOMA,2017,December,Drought,"STEPHENS",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730553,OKLAHOMA,2017,December,Drought,"JEFFERSON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730554,OKLAHOMA,2017,December,Drought,"CARTER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730555,OKLAHOMA,2017,December,Drought,"LOVE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730556,OKLAHOMA,2017,December,Drought,"MURRAY",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730557,OKLAHOMA,2017,December,Drought,"GARVIN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +121328,726325,OKLAHOMA,2017,December,Drought,"MCINTOSH",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726326,OKLAHOMA,2017,December,Drought,"MUSKOGEE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726327,OKLAHOMA,2017,December,Drought,"OKFUSKEE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726328,OKLAHOMA,2017,December,Drought,"OKMULGEE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726329,OKLAHOMA,2017,December,Drought,"PITTSBURG",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121328,726330,OKLAHOMA,2017,December,Drought,"PUSHMATAHA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121253,726681,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","The Mazama COOP observer reported 14.0 inches of new snow." +121253,726683,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer in Leavenworth reported 11.0 inches of new snow." +121253,726684,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A spotter near Ardenvoir reported 7.5 inches of new snow." +121253,726685,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A spotter near Winthrop reported 9.0 inches of new snow." +121123,726716,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The observer at Plain recorded 8.1 inches of storm total snow." +121123,726717,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The observer at Stehekin recorded 9.0 inches of storm total snow." +121123,726718,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer 5 miles south of Peshastin reported 10.3 inches of new snow." +121454,727061,HAWAII,2017,December,High Surf,"MOLOKAI LEEWARD",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727063,HAWAII,2017,December,High Surf,"MAUI CENTRAL VALLEY",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727062,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121454,727064,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121458,727086,HAWAII,2017,December,High Wind,"BIG ISLAND SUMMIT",2017-12-16 10:39:00,HST-10,2017-12-17 19:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds from the southwest reached high wind criteria near the summits of Mauna Kea and Mauna Loa on the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121563,727665,WISCONSIN,2017,December,Cold/Wind Chill,"OZAUKEE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727666,WISCONSIN,2017,December,Cold/Wind Chill,"RACINE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727667,WISCONSIN,2017,December,Cold/Wind Chill,"ROCK",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121319,726285,COLORADO,2017,December,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-12-21 02:00:00,MST-7,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 5 to 10 inches were measured across the area." +121319,727868,COLORADO,2017,December,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-12-21 05:00:00,MST-7,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 6 inches were measured across the area, including 6 inches at Powderhorn Ski Area." +121319,727883,COLORADO,2017,December,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-12-21 04:00:00,MST-7,2017-12-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to many areas in western Colorado, including some lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 8 inches were measured across the area, including 8 inches at Irwin Lodge." +121634,727979,WYOMING,2017,December,High Wind,"CODY FOOTHILLS",2017-12-15 03:30:00,MST-7,2017-12-15 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to surface and brought gap flow high winds to favored areas south of Clark. The wind sensor 8 miles south of Clark had several wind gusts past 58 mph, including a maximum of 86 mph.","There were several wind gusts past 58 mph 8 miles south of Clark, including a maximum gust of 86 mph." +121320,726287,UTAH,2017,December,Winter Weather,"EASTERN UINTA BASIN",2017-12-20 21:00:00,MST-7,2017-12-21 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to much of eastern Utah, including many lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 5 inches were measured from Fort Duchesne to the Vernal area." +121320,726288,UTAH,2017,December,Winter Weather,"LA SAL & ABAJO MOUNTAINS",2017-12-21 01:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to much of eastern Utah, including many lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 5 to 8 inches were measured across the area." +121320,726286,UTAH,2017,December,Winter Storm,"GRAND FLAT AND ARCHES",2017-12-21 03:00:00,MST-7,2017-12-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to much of eastern Utah, including many lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 6 to 10 inches were measured across the entire area which were record amounts in some locations for that time period." +121745,728798,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"CENTRAL ST. LOUIS",2017-12-25 08:35:00,CST-6,2017-12-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A region of cold arctic air descended upon the region leading to dangerously cold wind chills across northeastern Minnesota. Wind chills on Christmas morning were in the minus forties. The following nights were cold with the morning of the 27th the coldest with wind chills nearing fifty below across far northern Minnesota.","" +121768,728864,TENNESSEE,2017,December,Flash Flood,"STEWART",2017-12-23 01:30:00,CST-6,2017-12-23 03:30:00,0,0,0,0,0.00K,0,0.00K,0,36.6223,-88.0306,36.3638,-87.9714,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Significant flash flooding affected much of Stewart County. Numerous roads were flooded and closed including Gillum Hollow Road, Bellwood Landing Road, Highway 120, Highway 46 near Springs Rorie Hollow Road, Shepherd Hollow Road, Ray Crain Road, and North Cross Creek Road. One home in the Carlisle area was surrounded by flood waters, and a water rescue from a stranded vehicle was conducted on Highway 46 in Indian Mound." +121768,728865,TENNESSEE,2017,December,Flash Flood,"ROBERTSON",2017-12-23 04:00:00,CST-6,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6366,-87.1101,36.4575,-87.1107,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Multiple roads were flooded and closed across northwest and north-central parts of Robertson County." +121768,728866,TENNESSEE,2017,December,Flash Flood,"MONTGOMERY",2017-12-23 04:00:00,CST-6,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6287,-87.6275,36.3536,-87.5741,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Several roads were flooded and closed across Montgomery County, including International Blvd at Highway 79 in Clarksville which was covered in 3 to 4 feet of water." +121768,728867,TENNESSEE,2017,December,Flash Flood,"SUMNER",2017-12-23 05:00:00,CST-6,2017-12-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6291,-86.5564,36.4076,-86.6751,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Ten roads were flooded and closed across Sumner County, including Saundersville Road near George A. Whitten Elementary School in Hendersonville." +121894,729653,LAKE SUPERIOR,2017,December,Marine High Wind,"GRAND MARAIS MI TO WHITEFISH POINT MI 5NM OFFSHORE TO THE US/CANADIAN BORDER",2017-12-05 05:00:00,EST-5,2017-12-05 05:10:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm force westerly winds impacted all of Lake Superior early December as a strong low pressure system tracked across the region.","Storm force winds were observed on December 5th at the Stannard Rock Platform. The peak sustained winds during this event were measured at 60mph at times. Persistent wind gusts measured during this event ranged from 57mph to 68 mph. A couple of peak gust did exceed 70mph, one measured in at 71mph around 10am EST on 12/5 and the other measured in at 75mph around 6:33pm EST." +121894,729602,LAKE SUPERIOR,2017,December,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-12-05 05:00:00,EST-5,2017-12-05 05:10:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm force westerly winds impacted all of Lake Superior early December as a strong low pressure system tracked across the region.","Storm force winds were observed on December 5th at the Stannard Rock Platform. The peak sustained winds during this event were measured at 60mph at times. Persistent wind gusts measured during this event ranged from 57mph to 68 mph. A couple of peak gust did exceed 70mph, one measured in at 71mph around 10am EST on 12/5 and the other measured in at 75mph around 6:33pm EST." +121905,729654,LAKE SUPERIOR,2017,December,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-12-19 15:20:00,EST-5,2017-12-19 15:30:00,0,0,0,0,0.00K,0,0.00K,0,46.7024,-87.399,46.7024,-87.399,"West-northwesterly storm force winds were observed across eastern Lake Superior during the afternoon and evening hours on December 19th, 2017.","Storm force wind gusts were observed at Granite Island, station GRIM4. The peak sustained wind during the event was 40.6 knots and the peak wind gust during the event was 50 knots." +121905,729655,LAKE SUPERIOR,2017,December,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-12-19 14:00:00,EST-5,2017-12-19 14:10:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"West-northwesterly storm force winds were observed across eastern Lake Superior during the afternoon and evening hours on December 19th, 2017.","Wind gust was recorded at the Stannard Rock platform. Peak sustained wind during the event was 49 knots and the peak wind gust during the event was 56 knots." +121905,729656,LAKE SUPERIOR,2017,December,Marine High Wind,"GRAND MARAIS MI TO WHITEFISH POINT MI 5NM OFFSHORE TO THE US/CANADIAN BORDER",2017-12-19 14:50:00,EST-5,2017-12-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,46.67,-85.98,46.67,-85.98,"West-northwesterly storm force winds were observed across eastern Lake Superior during the afternoon and evening hours on December 19th, 2017.","Wind gust was recorded at the Grand Marais marine site, GRMM4. The peak sustained wind from this event was 43 knots and the peak wind gust was 50 knots." +121786,729742,ARKANSAS,2017,December,Heavy Rain,"GRANT",2017-12-23 07:59:00,CST-6,2017-12-23 07:59:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-92.4,34.31,-92.4,"Heavy rains brought flooding in the latter part of December 2017.","This, 5.24 inches, is a 24 hour total ending at 8 AM CST." +121926,729830,CALIFORNIA,2017,December,High Wind,"SANTA MONICA MOUNTAINS RECREATION AREA",2017-12-04 18:56:00,PST-8,2017-12-05 06:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the Santa Monica Mountains in Los Angeles county. The RAWS sensor at Malibu Hills reported north to northeast wind gusts up to 71 MPH." +121926,729831,CALIFORNIA,2017,December,High Wind,"VENTURA COUNTY COASTAL VALLEYS",2017-12-04 17:57:00,PST-8,2017-12-05 05:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the coastal valleys of Ventura county. Some wind reports from local RAWS sensors include: South Mountain (Gust 68 MPH) and Wiley Ridge (Gust 71 MPH)." +121926,729832,CALIFORNIA,2017,December,High Wind,"LOS ANGELES COUNTY SAN FERNANDO VALLEY",2017-12-05 05:54:00,PST-8,2017-12-05 07:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the San Fernando Valley in Los Angeles county. In Granada Hills, northeast wind gusts up to 66 MPH were reported." +121926,729833,CALIFORNIA,2017,December,High Wind,"SANTA CLARITA VALLEY",2017-12-04 09:56:00,PST-8,2017-12-05 14:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","Strong north to northeast winds were reported across the Santa Clarita Valley in Los|Angeles county. The RAWS sensor at Newhall Pass reported north to northeast winds gusting up to 60 MPH." +121926,729837,CALIFORNIA,2017,December,Wildfire,"VENTURA COUNTY INTERIOR VALLEYS",2017-12-04 06:28:00,PST-8,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","The Thomas Fire ignited in early December in the coastal valleys of Ventura county, near Thomas Aquinas College. At the time of ignition, fuel conditions were at record dry levels for early December. The combination of gusty Santa Ana winds and the dry fuel conditions allowed the fire to spread quickly across sections of Ventura county. The fire eventually moved into southern Santa Barbara county. The fire was not officially contained until early January 2018. In all, the Thomas Fire burned 281,893 acres, making it the largest recorded fire in the state of California. During the height of the fire, one firefighter died when he was burned over." +121467,727127,NEBRASKA,2017,December,Winter Weather,"BUFFALO",2017-12-23 17:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","Unofficial snowfall totals of 5 inches were reported in Kearney, including by an NWS employee. Officially, the cooperative observer at the airport reported 3.5. Elsewhere in Buffalo County, 4 was reported in Ravenna and 3.6 at Miller." +121467,727161,NEBRASKA,2017,December,Winter Weather,"WEBSTER",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","Cooperative observers reported a snowfall total of 3.7 inches four miles southwest of Blue Hill and 2.5 inches occurred four miles east of Red Cloud. Also, 3.0 inches of snow fell four miles southwest of Bladen." +121856,730837,MAINE,2017,December,Heavy Snow,"COASTAL HANCOCK",2017-12-09 15:00:00,EST-5,2017-12-10 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracking east of the Gulf of Maine brought heavy snow to portions of the region. Snow expanded across the region through the afternoon of the 9th then persisted into the morning of the 10th. Warning criteria snow accumulations occurred through the early morning hours of the 10th. Storm total snow accumulations ranged from 7 to 10 inches across northern and central portions of Piscataquis county...with 5 to 8 inches across northern Penobscot and northeast Aroostook counties. Snow accumulations of 6 to 9 inches were also reported across much of coastal Hancock county.","Storm total snow accumulations ranged from 6 to 9 inches." +114047,689450,IOWA,2017,March,Thunderstorm Wind,"LEE",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,,NaN,0.00K,0,40.66,-91.56,40.66,-91.56,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A semi tractor trailer was blown over while traveling on highway 27 north of Donnellson, near the 1800 block." +115979,697102,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:10:00,EST-5,2017-05-29 18:15:00,0,0,0,0,,NaN,,NaN,33.92,-81.35,33.92,-81.35,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down on Two Notch Rd and Oscar Price Rd." +115979,697103,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:18:00,EST-5,2017-05-29 18:23:00,0,0,0,0,,NaN,,NaN,33.89,-81.37,33.89,-81.37,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","A large oak tree was brought down, with small hail also occurring, at Bridgewood Ct in Gilbert. Wind speed was estimated to be around 75 MPH." +115979,697104,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-29 18:21:00,EST-5,2017-05-29 18:26:00,0,0,0,0,,NaN,,NaN,33.9,-81.31,33.9,-81.31,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Over a dozen trees were either uprooted or snapped. One tree fell on a house." +115979,697105,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"CALHOUN",2017-05-29 18:43:00,EST-5,2017-05-29 18:48:00,0,0,0,0,,NaN,,NaN,33.85,-81.01,33.85,-81.01,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","SCHP reported trees down Hwy 176 and Geiger Lane." +122109,731000,NEW YORK,2017,December,Extreme Cold/Wind Chill,"LEWIS",2017-12-28 02:00:00,EST-5,2017-12-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Arctic air brought frigid temperatures to the north country. Temperatures dropped to 10 to 20 below zero and combined with the wind to produce wind chills colder than 30 below zero. Some specific wind chill readings included -39 degrees at Philadelphia, -34 degrees at Lowville and Highmarket, -32 degrees at Watertown and Copenhagen and -31 degrees at West Carthage.","" +122067,730756,MICHIGAN,2017,December,Lake-Effect Snow,"ALGER",2017-12-25 07:00:00,EST-5,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A bitter cold Arctic air mass and periodic upper disturbances moving over the Upper Great Lakes region resulted in moderate to heavy snowfall over the west to northwest wind snow belts of Lake Superior from the 23rd into the 27th. Much below normal temperatures and bitter cold wind chills were also reported throughout much of the period.","The observer ten miles south of Grand Marais measured 12 inches of lake effect snow in 24 hours. There was also an estimated 12 inches of lake effect snow in 12 hours nine miles south-southeast of Au sable Point on the morning of the 26th." +122114,731010,MICHIGAN,2017,December,Lake-Effect Snow,"SOUTHERN SCHOOLCRAFT",2017-12-28 16:30:00,EST-5,2017-12-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air in place and the presence of an upper-level low pressure trough resulted in heavy lake enhanced snow downwind of Lake Michigan into Schoolcraft County from the afternoon of the 28th into the morning of the 29th.","Public reports and local law enforcement estimated two feet of lake enhanced snowfall just south of Blaney Park along the intersection of Highway US-2 and Highway M-77. Snowfall duration was approximately 15 hours. There was a report during the evening of the 28th of an estimated seven to eight inches of snow in four hours at the Crossroads Gas Station in Gulliver. There were several reports of zero visibility in heavy lake enhanced snow along Highway US-2 during the evening of the 28th." +122116,731012,MICHIGAN,2017,December,Lake-Effect Snow,"NORTHERN HOUGHTON",2017-12-29 10:00:00,EST-5,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","There were reports of 10 inches of lake effect snow in 12 hours at South Range, Painesdale and Calumet during the day on the 29th. Additional snow fell overnight into the morning of the 30th with the Painesdale observer measuring 15 inches of snow in 24 hours and Laurium measuring 14 inches in 22 hours." +122116,731014,MICHIGAN,2017,December,Winter Weather,"KEWEENAW",2017-12-30 08:00:00,EST-5,2017-12-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","The Copper Harbor observer measured 8.6 inches of lake effect snow in 24 hours." +122116,731015,MICHIGAN,2017,December,Winter Weather,"KEWEENAW",2017-12-29 10:00:00,EST-5,2017-12-29 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","There was a report of four inches of lake effect snow in 11 hours at Mohawk." +122621,734523,TEXAS,2017,December,Heavy Snow,"WILLACY",2017-12-08 07:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","While several moderate to locally heavy snow bands persisted through the ranchlands of Brooks, Jim Hogg, Starr, and Zapata County, snow arrived late (mainly after sunrise) in most of Willacy County after periods of light rain overnight. Several reports of 1 inch of snow was reported across the northern half of the county, including the most populated city of Raymondville. At one point between 9 and 10 AM, SR 186 west of Raymondville was covered with a coating of slush during the heaviest band. There were no known significant accidents despite the quick coating." +122621,734524,TEXAS,2017,December,Heavy Snow,"COASTAL WILLACY",2017-12-08 08:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","While several moderate to locally heavy snow bands persisted through the ranchlands of Brooks, Jim Hogg, Starr, and Zapata County, snow arrived late (mainly after sunrise) in coastal Willacy County after periods of light rain overnight. A report of 1 inch of snow was reported across the northern coastal area, in Port Mansfield." +122621,734752,TEXAS,2017,December,Winter Weather,"CAMERON",2017-12-08 08:00:00,CST-6,2017-12-08 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","Light rain changed to snow latest in Cameron County, Texas, on December 8. By 9 AM, light snow was falling across the county, with a small area of 1 inch accumulating over and north of Harlingen by 11 AM. Two thin bands of snow affected the county; the first band across the northern half between 8 and 10 AM, and a second across the southern half between 10 and 1230 PM. Heaviest accumulations on grassy areas occurred during the early morning hours, but the official report at the NWS office in Brownsville (east side of the city) of 0.25 of snow occurred around noon during a short-lived band of moderate snow." +122621,734497,TEXAS,2017,December,Heavy Snow,"KENEDY",2017-12-08 06:00:00,CST-6,2017-12-08 10:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","A single moderate to heavy snow band developed across the Kenedy County King Ranch around daybreak on December 8th, continuing in waves until 1030 AM before precipitation ended. Cooperative observers 7 miles east of Sarita and 4 miles southeast of Armstrong (northern and central portions of the county) reported 2 inches each. County-wide, proxy data from Brooks and Willacy County suggested fairly widespread 2 inch totals, with the exception of the northwest corner between Sarita and Falfurrias, where 3 inches may have fallen. It was unknown whether slush accumulated on the elevated portion of US 77 around Sarita." +122621,734520,TEXAS,2017,December,Heavy Snow,"HIDALGO",2017-12-08 07:00:00,CST-6,2017-12-08 10:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Overnight on December 7th and continuing into the 8th, an embedded upper level disturbance descended the back side of a growing upper level trough that would soon stretch across the entire eastern two���thirds of the nation. The disturbance provided several critical pieces of the atmospheric puzzle that would change miserable biting rain into a snowscape that brought impromptu celebrations of the season on a Friday, less than three weeks before Christmas. Light rain mixed with sleet and snow before changing to all snow, from northwest to southeast, during the pre-dawn hours of the 8th. The initial changeover occurred across the Rio Grande Plains of Jim Hogg and Zapata County between midnight and 2 AM, and would quickly scoot through the remaining ranch country before 4 AM, and reach much of the populated Valley before 6 AM. Because the low levels of the atmosphere were marginally conducive to snow, the highest accumulations were seen in stronger bands that fell before sunrise at the slightly higher elevation of the ranchlands, which allowed temperatures to fall to 32 or 33��F for the duration of the band. In locations where the bands tapered off, or where bands were less intense, snow accumulation was limited and often the snow mixed with rain again. Highest accumulation, ranging from 3 to nearly 6 inches, fell in a stripe from southwest Zapata County through northwest and northern Starr, southern Jim Hogg, and western Brooks County, extending northeast to areas west of Kingsville and ultimately to the Corpus Christi metro area, where 4 to 6 inches piled up before daybreak. Multiple bands developed or re���developed between 5 AM and noon, with additional snow for the aforementioned stripe from Zapata through Brooks but also sliding into the more populated Rio Grande Valley, mainly along and north of Interstate 2. Much of these bands fell after daybreak, which allowed low���latitude daylight to counter the moderate snow and hold accumulation down to around an inch. The final band exited southeast Cameron County (Brownsville to South Padre Island) soon after noon.","While several moderate to locally heavy snow bands persisted through the ranchlands of Brooks, Jim Hogg, Starr, and Zapata County, snow arrived late (mainly after sunrise) in most of Hidalgo County after periods of light rain overnight. A sliver of the Brooks/Starr/Jim Hogg band covered the northern fifth of Hidalgo, where 2 inches likely accumulated. Elsewhere, mainly from Alton to Edinburg and Elsa-Edcouch, around an inch fell in a fairly short period of time (8 AM to 1030 AM) with accumulation primarily on grassy surfaces and trees as surface temperatures largely remained above freezing -| and daylight was able to melt some of the snow on contact. There were no known reports of significant accidents from slick roads due to the snow." +122674,734882,TEXAS,2017,December,Cold/Wind Chill,"KENEDY",2017-12-07 16:00:00,CST-6,2017-12-07 17:00:00,2,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest weather since January 7-8, 2017, descended on Deep South Texas and the Rio Grande Valley December 6 through 8, 2017. Temperatures fell nearly 40 degrees between the afternoon of December 5 and 6, from the mid 80s to the upper 40s; wind chill values fell to between 40 and 45. Temperatures continued to ease down on the 7th, with readings in the upper 30s to lower 40s and wind chill values in the low to mid 30s. An upper level disturbance overnight on the 7th and 8th both cooled the atmosphere and provided sufficient lift for several inches of snow across the ranches and 0.5 to 1.5 inch across the more populated Rio Grande Valley early on the 8th as temperatures fell to or just above freezing. Wind chills bottomed out between 20 and 28 early on the 8th. The cold claimed the lives of at least two undocumented immigrants, one in Falfurrias (Brooks County) and another in Kenedy County, due to hypothermia, on Dec. 7th. Up to 3 additional deaths directly or indirectly related to hypothermia stress were reported by the US Border Patrol. Three hypothermia injuries were directly related to the cold, two on the King Ranch (Kenedy) and one near Hidalgo, in the Valley. An unknown additional number of hypothermia cases were reported in Zapata and Jim Hogg Counties, as part of a US Border Patrol rescue effort of 20 undocumented migrants.","US Border Patrol reported the death of two undocumented immigrants on the King Ranch in Kenedy County, TX, during the afternoon of December 7, due to hypothermia, as indicated by medical staff who discovered the bodies. One death was to a 28 year old man who literally gave the clothes off his back to provide warmth for children. Two other migrant workers were given treatment for hypothermia and sent to regional hospitals. The sharp change of the season's first significant cold front after a record-shattering warm January through November likely contributed to the death by lack of acclimation. Just two days earlier, temperatures had been in the mid 80s; on the 7th, wind chills in the lower 30s were too much for migrants with limited clothing and shelter." +121322,726267,WISCONSIN,2017,December,Heavy Snow,"SOUTHERN MARINETTE",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 8.0 inches of snow fell in Wausaukee." +121322,726268,WISCONSIN,2017,December,Heavy Snow,"SOUTHERN OCONTO",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 11.0 inches of snow fell 4 miles west of Oconto. Lesser totals included 8.6 inches in Abrams and 8.5 inches near Lena." +121322,726269,WISCONSIN,2017,December,Heavy Snow,"DOOR",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 11.5 inches of snow fell at the Sturgeon Bay Experimental Farm and 9.3 inches fell near Juddville." +121322,726270,WISCONSIN,2017,December,Heavy Snow,"SHAWANO",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 8.0 inches of snow fell 3 miles southeast of Pella and at the waste water treatment plant near Shawano." +121322,726271,WISCONSIN,2017,December,Heavy Snow,"BROWN",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 9.0 inches of snow fell in Suamico and 8.4 inches fell at the waste water treatment plant in Denmark. Green Bay's total of 7.1 inches set a new record snowfall for the date." +122175,731386,SOUTH DAKOTA,2017,December,Winter Weather,"LAKE",2017-12-21 06:00:00,CST-6,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 4 inches during the morning and early afternoon, including 3.8 inches 2 miles north of Chester and 3.0 inches at Madison, produced hazardous road conditions. Visibility briefly dropped to 1/4 to 1/2 mile from 0800CST to 0930CST." +122175,731380,SOUTH DAKOTA,2017,December,Winter Weather,"MINER",2017-12-21 06:00:00,CST-6,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 4 inches during the morning and early afternoon, including 3.0 inches at Howard, produced hazardous road conditions." +122175,731387,SOUTH DAKOTA,2017,December,Winter Weather,"MOODY",2017-12-21 06:00:00,CST-6,2017-12-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the morning and early afternoon, including 3.9 inches at Flandreau, produced hazardous road conditions." +122175,731388,SOUTH DAKOTA,2017,December,Winter Weather,"MCCOOK",2017-12-21 08:00:00,CST-6,2017-12-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the morning and early afternoon, including 4.0 inches at Montrose and 5 miles NE of Salem, produced hazardous road conditions." +122175,731389,SOUTH DAKOTA,2017,December,Winter Weather,"HUTCHINSON",2017-12-21 07:00:00,CST-6,2017-12-21 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 2 to 3 inches during the late morning and afternoon, including 2.2 inches at Menno, produced hazardous road conditions." +122175,731390,SOUTH DAKOTA,2017,December,Winter Weather,"MINNEHAHA",2017-12-21 09:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall from 3 to 5 inches during the late morning and afternoon, including 4.3 inches at Sioux Falls, produced hazardous road conditions." +121993,730370,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"FRANKLIN",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Franklin, the NWS cooperative observer recorded an average temperature of 8.2 degrees through the final 8-days of December, marking the coldest finish to the year out of 28 on record." +121994,730384,KANSAS,2017,December,Extreme Cold/Wind Chill,"PHILLIPS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","Based on NWS stations in nearby counties, the final 8 days of December likely averaged among the Top-4 coldest on record." +121994,730385,KANSAS,2017,December,Extreme Cold/Wind Chill,"SMITH",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","At Smith Center, the NWS cooperative observer recorded an average temperature of 12.5 degrees through the final 8-days of December, marking the 3rd-coldest finish to the year out of 78 on record." +121988,731888,NEW YORK,2017,December,Winter Weather,"WESTERN GREENE",2017-12-12 03:00:00,EST-5,2017-12-12 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. The heaviest snow organized in a broad band from the Saratoga area north to the southern Adirondacks. This band of heavier snow was fairly persistent over the this area through the afternoon hours. Farther south, the precipitation became spottier. The atmosphere was cold enough for snow across the entire area in the morning, however, warmer air gradually moved north up the Hudson Valley allowing snow showers to change to rain showers as far north as the Mohawk River by noon. Snowfall totals ranged from an inch or two in the Hudson Valley and Capital District up to around a foot across the southern Adirondacks and Lake George Saratoga region.","" +121989,730330,VERMONT,2017,December,Heavy Snow,"BENNINGTON",2017-12-12 03:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. Snowfall began during the early morning hours, with the steadiest and heaviest snow falling during the morning and the afternoon hours. Snow tapered off during the evening, although high terrain areas continued to see snow until the early morning on Wednesday, December 13th. Total snowfall was generally 7 to 12 inches, although some high terrain areas within the southern Green Mountains saw up to 16 inches.","Snowfall totals ranged from 7 inches in Manchester up to 16 inches in Landgrove, VT." +121989,730331,VERMONT,2017,December,Heavy Snow,"WESTERN WINDHAM",2017-12-12 03:00:00,EST-5,2017-12-13 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked from the southern Great Lakes toward central New York on December 12th, producing a period of light to moderate snow across much of the area. Snowfall began during the early morning hours, with the steadiest and heaviest snow falling during the morning and the afternoon hours. Snow tapered off during the evening, although high terrain areas continued to see snow until the early morning on Wednesday, December 13th. Total snowfall was generally 7 to 12 inches, although some high terrain areas within the southern Green Mountains saw up to 16 inches.","Snowfall totals ranged from 9.5 inches in Townshend up to 12.1 inches near West Wardsboro." +122141,731098,UTAH,2017,December,Heavy Snow,"WEST CENTRAL UTAH",2017-12-20 17:00:00,MST-7,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong storm system moved through Utah starting December 20, bringing snow and gusty winds to much of the state. The heaviest snow fell in central and southern Utah.","Kanosh received 18 inches of snow with this storm system." +122140,731097,UTAH,2017,December,High Wind,"UTAHS DIXIE AND ZION NATIONAL PARK",2017-12-14 01:00:00,MST-7,2017-12-14 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty canyon winds developed in far southwest Utah behind a cold front, with the strongest winds during the early morning hours of December 14.","The Badger Spring RAWS recorded a peak wind gust of 72 mph, while the I-15 at MP 29 Tripod sensor recorded a peak wind gust of 58 mph." +122144,731144,NORTH CAROLINA,2017,December,Heavy Snow,"WILKES",2017-12-08 08:35:00,EST-5,2017-12-09 12:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall amounts range from around five inches near Millers Creek to around ten inches near Boomer." +122144,731145,NORTH CAROLINA,2017,December,Heavy Snow,"YADKIN",2017-12-08 08:45:00,EST-5,2017-12-09 14:25:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall amounts ranged from around four inches near Courtney to around five inches at both Yadkinville and Boonville." +122187,731478,VIRGINIA,2017,December,Winter Storm,"HALIFAX",2017-12-08 11:45:00,EST-5,2017-12-09 18:15:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around two inches near Virgilina, where snow was mixed with sleet, to around five inches near Scottsburg to around six inches near Leda and Elmo. Minor power outages occurred thanks to snow and ice weighted trees and limbs falling on power lines." +122144,731142,NORTH CAROLINA,2017,December,Heavy Snow,"ROCKINGHAM",2017-12-08 11:05:00,EST-5,2017-12-09 16:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the northern mountains of North Carolina where amounts ranged from six to ten inches. Across the foothills and points east, amounts of four to six inches were more common.","Snowfall totals ranged from around four inches near Monroeton to around seven inches near Ruffin." +121644,728183,GEORGIA,2017,December,Winter Weather,"MERIWETHER",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated up to 1 inch of snow fell in Meriwether County." +121644,728182,GEORGIA,2017,December,Winter Weather,"HARRIS",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Harris County." +121644,728184,GEORGIA,2017,December,Winter Weather,"PIKE",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Pike County." +122273,732064,MAINE,2017,December,Heavy Snow,"ANDROSCOGGIN",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122278,732121,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-04 07:55:00,MST-7,2017-12-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +122278,732122,WYOMING,2017,December,High Wind,"EAST PLATTE COUNTY",2017-12-04 05:25:00,MST-7,2017-12-04 09:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher." +122278,732124,WYOMING,2017,December,High Wind,"EAST PLATTE COUNTY",2017-12-04 06:08:00,MST-7,2017-12-04 10:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The RAWS sensor at Guernsey measured sustained winds of 40 mph or higher." +122278,732125,WYOMING,2017,December,High Wind,"GOSHEN COUNTY",2017-12-04 07:35:00,MST-7,2017-12-04 08:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The UPR sensor between Van Tassell and Torrington measured sustained winds of 40 mph or higher." +122278,732127,WYOMING,2017,December,High Wind,"GOSHEN COUNTY",2017-12-04 08:00:00,MST-7,2017-12-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The wind sensor at the Torrington Airport measured sustained winds of 40 mph or higher." +122278,732129,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-03 05:45:00,MST-7,2017-12-03 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Quealy Dome measured sustained winds of 40 mph or higher." +122278,732133,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-03 07:45:00,MST-7,2017-12-03 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher." +122278,732140,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-04 06:00:00,MST-7,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The UPR sensor near Tie Siding measured sustained winds of 40 mph or higher." +122278,732145,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-04 09:10:00,MST-7,2017-12-04 10:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher." +122278,732171,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-04 00:55:00,MST-7,2017-12-04 01:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +122278,732173,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE COUNTY",2017-12-04 08:20:00,MST-7,2017-12-04 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher." +113553,680207,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-05 13:23:00,EST-5,2017-04-05 13:24:00,0,0,0,0,,NaN,,NaN,33.94,-81.12,33.94,-81.12,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","A 59 kt, or 68 mph, wind gust was measured at the Columbia Metropolitan Airport by ASOS. Also, a couple of small trees were downed near the Platt Springs Rd entrance to Columbia Metropolitan Airport." +113660,691795,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:07:00,CST-6,2017-04-10 14:07:00,0,0,0,0,0.00K,0,0.00K,0,32.3144,-97.4319,32.3144,-97.4319,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio operators report 1 inch hail in Lake Cleburne." +113660,691797,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:09:00,CST-6,2017-04-10 14:09:00,0,0,0,0,2.00K,2000,0.00K,0,32.35,-97.4,32.35,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Local emergency manager reports quarter size hail in Cleburne." +113660,691798,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:12:00,CST-6,2017-04-10 14:12:00,0,0,0,0,1.00K,1000,0.00K,0,32.35,-97.4,32.35,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Golfball size hail reported near Walls Hospital at Henderson and HWY 67 in Cleburne." +113660,691803,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:22:00,CST-6,2017-04-10 14:22:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-97.4,32.35,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Half dollar size hail reported in Cleburne." +113660,691807,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:30:00,CST-6,2017-04-10 14:30:00,0,0,0,0,0.00K,0,0.00K,0,32.35,-97.4,32.35,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Half dollar size hail reported in Cleburne." +120347,721442,GEORGIA,2017,September,Tropical Storm,"COBB",2017-09-11 14:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and power lines blown down across the county. The AWOS units at both Dobbins Air Reserve base and McCollum Field recorded wind gusts to 34 MPH. No injuries were reported." +120347,721409,GEORGIA,2017,September,Tropical Storm,"JONES",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported many trees and power lines blown down across the county. Around 6500 customers were without electricity for varying periods of time. A wind gust of 34 mph was measured in Gray. Radar estimated between 2 and 5 inches of rain fell across the county with 4.41 inches measured near Cross Keys. No injuries were reported." +120347,721451,GEORGIA,2017,September,Tropical Storm,"DADE",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported several trees and some power lines blown down across the county. Several roads were blocked by downed trees and some customers were without power for varying periods of time. No injuries were reported." +119035,716490,MINNESOTA,2017,September,Tornado,"SWIFT",2017-09-19 23:28:00,CST-6,2017-09-19 23:38:00,0,0,0,0,1.50M,1500000,0.00K,0,45.255,-95.423,45.3549,-95.2553,"A strong and potent upper level disturbance, combined with a cold front sweeping across the eastern Dakotas, fired a line of severe thunderstorms that moved eastward into western Minnesota toward midnight. This line of storms continued to progress east-northeast across southern and central Minnesota, which produced fast-moving tornadoes, severe measured wind gusts, and hail as large as tennis balls. This line slowly weakened as it moved into far eastern Minnesota, with general, non-severe thunderstorms as the line progressed into west central Wisconsin after 3 am.","A tornado touched down in a corn field northwest of Murdock and moved northeast. The first structure that was hit was a church, which lost part of its roof. Along the way, the tornado destroyed corn fields, knocked down or broke many trees, and blew apart six empty grain bins that were ready for harvest. Three machine or equipment storage sheds were also destroyed and the roof of a restaurant was partially torn off. The tornado then moved into Kandiyohi County (see separate entry)." +120347,721399,GEORGIA,2017,September,Tropical Storm,"CHATTAHOOCHEE",2017-09-11 09:00:00,EST-5,2017-09-11 16:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported many trees and power lines blown down across the county. A wind gust of 47 mph was measured at Lawson Army Airfield on Fort Benning. Some customers were without electricity for varying periods of time. Radar estimated between 2.5 and 4.5 inches of rain fell across the county with 4.34 inches measured at Lawson Army Airfield. No injuries were reported." +122289,732184,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DEWEY",2017-12-30 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732186,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"STANLEY",2017-12-31 04:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732190,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"JONES",2017-12-31 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122332,732463,NEBRASKA,2017,December,Winter Storm,"CHEYENNE",2017-12-23 15:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent Pacific low pressure system produced moderate to heavy snow across southern portions of the Nebraska Panhandle. Gusty northwest winds of 25 to 35 mph produced areas of blowing and drifting snow.","Ten inches of snow was observed at Sidney." +122335,732474,WYOMING,2017,December,Blizzard,"NORTH SNOWY RANGE FOOTHILLS",2017-12-25 04:00:00,MST-7,2017-12-25 17:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","Near zero visibilities in falling and blowing snow and wind gusts to 60 mph were observed along Interstate 80 between mile posts 235 and 290. Interstate 80 was closed both directions for several hours." +122335,732478,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 12 inches of snow." +122335,732479,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 13.5 inches of snow." +122335,732480,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated a foot of snow." +122191,732559,ALABAMA,2017,December,Winter Storm,"HALE",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across Hale County." +122191,732560,ALABAMA,2017,December,Winter Storm,"MARENGO",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across Marengo County." +122191,732590,ALABAMA,2017,December,Winter Storm,"LAMAR",2017-12-08 08:00:00,CST-6,2017-12-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 2-3 inches across the southern portions of Lamar County tapering off to less than 1 inch across the north." +121069,724764,TEXAS,2017,December,Winter Weather,"SABINE",2017-12-07 19:15:00,CST-6,2017-12-07 23:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep, cold yet modified arctic airmass was in place across the Southern Plains and Lower Mississippi Valley during the evening hours of December 7th through the mid morning hours of December 8th. A deep longwave upper level trough was observed across the Texas Hill Country into the Southern and Central Plains with a strong upper level jet streak in the base of this trough from Northern Mexico into Southeast Texas and Southern Louisiana. Strong upward forcing ahead of this trough resulted in precipitation falling across much of Deep East Texas into portions of West Central and East Central Louisiana, much of this in the form of snow. Snowfall ranged from trace amounts to one to three inches across portions of the Lower Toledo Bend and Sam Rayburn Country of Deep East Texas into portions of East Central Louisiana. Much higher snow totals were reported across Central and Southeast Texas into Southern Louisiana where snow was reported as far as Coastal Louisiana into the Atchafalaya Basin of Southern and Southeast Louisiana. There were no reports of any weather related incidents as a result of the snowfall.||Here are the snowfall reports received during the morning of December 8th: In Angelina County, 2.0 inches in Diboll, and 1.0 inches in Huntington, Lufkin, and Zavalla. In Nacogdoches County, both Etoile and Chireno recorded 0.5 inches, with a Trace of snow in Nacogdoches. In San Augustine County, 5 miles north of Sam Rayburn Dam recorded 0.9 inches, with 0.5 inches falling in San Augustine. In Shelby County, 0.5 inches fell 15 miles southeast of Shelbyville. In Sabine County, Hemphill recorded 0.5 inches, and Pineland 0.3 inches.","" +121091,724913,MISSOURI,2017,December,Tornado,"RANDOLPH",2017-12-04 16:54:00,CST-6,2017-12-04 17:09:00,2,0,0,0,200.00K,200000,0.00K,0,39.3099,-92.493,39.3593,-92.3171,"On the afternoon of December 4, 2017, a line of thunderstorms formed in western Missouri and through the rest of the afternoon moved eastward into central Missouri. Several low-topped supercells formed along this line of storms,��one of which produced a tornado that did damage to residences between Higbee and Renick, Missouri. The worst of the damage occurred just east of Higbee, where a couple residences were completely destroyed, one of which was a mobile home. One person was critically injured, and another person suffered minor injuries. The tornado lasted about 15 minutes, and eventually dissipated just east of Renick, near the Randolph/Monroe County line.","This tornado formed just east of Higbee and just west of Road 2550. The tornado lasted approximately 15 minutes, and traveled around 10 miles. The worst of the damage occurred just south of Moberly, near the town of Renick, where a mobile home and a house built into an earthen berm were completely destroyed, injuring one of the occupants. Vehicles in the area were also tossed long distances, and several outbuildings were destroyed. The tornado eventually dissipated just west of the Randolph/Monroe County line, just south of Highway M." +121098,724977,NEW YORK,2017,December,Winter Weather,"SOUTHEASTERN ST. LAWRENCE",2017-12-12 04:00:00,EST-5,2017-12-13 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 4 to 8 inches of snow fell across St. Lawrence county with the higher amounts (>6 inches) falling in northern areas." +121157,725372,TEXAS,2017,December,Winter Weather,"MOTLEY",2017-12-22 16:00:00,CST-6,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A compact upper level storm system moved across the South Plains and Rolling Plains during the afternoon into the evening of the 22nd. Although moisture was lacking with this system, several inches of snow fell at the surface near the center of the upper level closed circulation. Snowfall amounts ranged from 1.0 inches to 2.5 inches for the extreme southeastern Texas Panhandle and portions of the Rolling Plains. Elsewhere across the region, light snow generally melted as it hit the surface.||Snowfall totals from National Weather Service Cooperative weather observers are as follows:||2.5 inches at Childress 14NW (Hall County) and Childress 7NW (Childress County), 2.0 inches at Matador (Motley County) and Roaring Springs (Motley County), 1.8 inches at Childress (Childress County), 1.0 inch at Turkey (Hall County), Paducah (Cottle County), 10S Paducah (Cottle County), Dumont (King County), and Kirkland (Childress County).","" +121157,725373,TEXAS,2017,December,Winter Weather,"HALL",2017-12-22 16:00:00,CST-6,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A compact upper level storm system moved across the South Plains and Rolling Plains during the afternoon into the evening of the 22nd. Although moisture was lacking with this system, several inches of snow fell at the surface near the center of the upper level closed circulation. Snowfall amounts ranged from 1.0 inches to 2.5 inches for the extreme southeastern Texas Panhandle and portions of the Rolling Plains. Elsewhere across the region, light snow generally melted as it hit the surface.||Snowfall totals from National Weather Service Cooperative weather observers are as follows:||2.5 inches at Childress 14NW (Hall County) and Childress 7NW (Childress County), 2.0 inches at Matador (Motley County) and Roaring Springs (Motley County), 1.8 inches at Childress (Childress County), 1.0 inch at Turkey (Hall County), Paducah (Cottle County), 10S Paducah (Cottle County), Dumont (King County), and Kirkland (Childress County).","" +121157,725374,TEXAS,2017,December,Winter Weather,"CHILDRESS",2017-12-22 16:00:00,CST-6,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A compact upper level storm system moved across the South Plains and Rolling Plains during the afternoon into the evening of the 22nd. Although moisture was lacking with this system, several inches of snow fell at the surface near the center of the upper level closed circulation. Snowfall amounts ranged from 1.0 inches to 2.5 inches for the extreme southeastern Texas Panhandle and portions of the Rolling Plains. Elsewhere across the region, light snow generally melted as it hit the surface.||Snowfall totals from National Weather Service Cooperative weather observers are as follows:||2.5 inches at Childress 14NW (Hall County) and Childress 7NW (Childress County), 2.0 inches at Matador (Motley County) and Roaring Springs (Motley County), 1.8 inches at Childress (Childress County), 1.0 inch at Turkey (Hall County), Paducah (Cottle County), 10S Paducah (Cottle County), Dumont (King County), and Kirkland (Childress County).","" +115819,696091,SOUTH CAROLINA,2017,April,Flash Flood,"RICHLAND",2017-04-23 23:45:00,EST-5,2017-04-23 23:45:00,0,0,0,0,0.10K,100,0.10K,100,33.9882,-81.0273,33.9876,-81.0272,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","USGS stream gage at Rocky Branch Creek at the intersection of Main and Whaley St peaked at 10.29 feet at 12:45 am EDT April 24th (11:45 pm EST April 23rd). Flood stage is 7.2 feet. The stream fell below flood stage at 1:09 am EDT April 24th (12:09 am EST April 24th)." +115819,696094,SOUTH CAROLINA,2017,April,Flash Flood,"ORANGEBURG",2017-04-24 16:41:00,EST-5,2017-04-24 17:00:00,0,0,0,0,0.10K,100,0.10K,100,33.3722,-80.8383,33.3723,-80.8365,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","Flash flooding reported at intersection of River Dr and Calhoun St near Rowesville. 2 feet of water covered the roadway." +115819,696095,SOUTH CAROLINA,2017,April,Flash Flood,"ORANGEBURG",2017-04-24 18:30:00,EST-5,2017-04-24 18:45:00,0,0,0,0,0.10K,100,0.10K,100,33.4674,-80.7485,33.4706,-80.7092,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","Roadway flooding on Interstate 26 at mile marker 154. Flooding also along Five Chop Rd." +113660,691820,TEXAS,2017,April,Hail,"BOSQUE",2017-04-10 15:38:00,CST-6,2017-04-10 15:38:00,0,0,0,0,0.00K,0,0.00K,0,32.02,-97.5,32.02,-97.5,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Local Fire Department reported 1 inch hail in Lakeside Village." +121585,727779,OREGON,2017,November,Hail,"TILLAMOOK",2017-11-13 08:25:00,PST-8,2017-11-13 08:35:00,0,0,0,0,,NaN,,NaN,45.4562,-123.844,45.4562,-123.844,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","Storm Spotter in Tillamook reported hail up to 0.75 inch in diameter." +115349,692611,ALABAMA,2017,April,Hail,"CHEROKEE",2017-04-05 05:25:00,CST-6,2017-04-05 05:26:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-85.46,34.09,-85.46,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115819,696097,SOUTH CAROLINA,2017,April,Flash Flood,"ORANGEBURG",2017-04-24 18:40:00,EST-5,2017-04-24 19:00:00,0,0,0,0,0.10K,100,0.10K,100,33.44,-80.79,33.4302,-80.7632,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","Orangeburg Co EM reported 3584 Charleston Hwy flooded and impassable." +115819,696127,SOUTH CAROLINA,2017,April,Hail,"CALHOUN",2017-04-24 13:40:00,EST-5,2017-04-24 13:45:00,0,0,0,0,,NaN,,NaN,33.75,-80.91,33.75,-80.91,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","EMT crew experienced quarter size hail along Big Beaver Creek Rd." +115819,696129,SOUTH CAROLINA,2017,April,Hail,"ORANGEBURG",2017-04-24 16:41:00,EST-5,2017-04-24 16:45:00,0,0,0,0,,NaN,,NaN,33.37,-80.84,33.37,-80.84,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","Orangeburg Co EM reported dime size hail in Rowesville." +120946,723950,WYOMING,2017,November,High Wind,"LANDER FOOTHILLS",2017-11-16 11:36:00,MST-7,2017-11-16 13:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","A 62 mph gust was measured along the North Fork of the Popo Agie River. The ASOS at the Lander airport measured a 60 mph gust." +120946,723951,WYOMING,2017,November,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-11-16 07:10:00,MST-7,2017-11-16 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another Pacific front with decent jet dynamics brought heavy snow to portions of the western Wyoming mountains and strong winds in portions of central Wyoming. New snowfall amounts eclipsed 18 inches in portions of the western mountains with some notable amounts including 2 feet at the Jackson Hole Ski Resort, 22 inches at Blind Bull Summit in the Salt and Wyoming Range and 20 inches at the Two Ocean Plateau in Yellowstone Park. Meanwhile, East of the Divide strong winds were the main concern. Wind gusts past 58 mph were recorded in portions of Park, Johnson, Natrona and Fremont Counties.","The RAWS sites at Camp Creek and Fales Rock reported several hours of wind gusts past 58 mph; including a maximum of 63 mph at both sites." +120949,723954,WYOMING,2017,November,High Wind,"ABSAROKA MOUNTAINS",2017-11-20 09:15:00,MST-7,2017-11-20 11:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient, strong mid level winds and a favorable jet streak position brought high winds to the normally wind prone areas East of the Divide. The high winds lasted 2 days in the Cody Foothills. Wind was most persistent in areas around Clark, but strong winds also reached the western side of Cody as well. The strongest winds occurred when a mountain wave broke near Clark on the morning hours of November 20th, and there were many wind gusts over 80 mph, including a maximum of 110 mph. Wind gusts past 60 mph also occurred along the southwestern wind corridor from the Red Desert through the south side of Casper from the evening of the 19th through the 20th.","The weather station along the Chief Joseph Highway reported sustained winds of 50 mph for an hour or more for two and a half hours on the morning of November 20th. The maximum wind gust reported was 79 mph." +120949,723957,WYOMING,2017,November,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-11-20 03:25:00,MST-7,2017-11-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient, strong mid level winds and a favorable jet streak position brought high winds to the normally wind prone areas East of the Divide. The high winds lasted 2 days in the Cody Foothills. Wind was most persistent in areas around Clark, but strong winds also reached the western side of Cody as well. The strongest winds occurred when a mountain wave broke near Clark on the morning hours of November 20th, and there were many wind gusts over 80 mph, including a maximum of 110 mph. Wind gusts past 60 mph also occurred along the southwestern wind corridor from the Red Desert through the south side of Casper from the evening of the 19th through the 20th.","The weather sensor along Wyoming Boulevard on the south side of Casper reported several wind gusts over 58 mph, including a maximum of 68 mph." +121280,726042,COLORADO,2017,November,Winter Weather,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-11-06 13:35:00,MST-7,2017-11-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Localized bands of moderate to heavy snowfall developed over parts of Larimer and Weld counties. In the foothills storm totals included: 12.7 inches near Estes Park, 8 inches at Buckhorn Mountain, 7 inches near Rustic and Virginia Dale, with 6 inches at Pingree Park. Further east storm totals included: 6 inches at Pawnee Buttes, 5 inches Berthoud and 4.7 inches at Fort Collins.","" +121280,726043,COLORADO,2017,November,Winter Weather,"NE WELD COUNTY",2017-11-06 13:35:00,MST-7,2017-11-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Localized bands of moderate to heavy snowfall developed over parts of Larimer and Weld counties. In the foothills storm totals included: 12.7 inches near Estes Park, 8 inches at Buckhorn Mountain, 7 inches near Rustic and Virginia Dale, with 6 inches at Pingree Park. Further east storm totals included: 6 inches at Pawnee Buttes, 5 inches Berthoud and 4.7 inches at Fort Collins.","" +121399,726667,GEORGIA,2017,November,Thunderstorm Wind,"FRANKLIN",2017-11-07 15:23:00,EST-5,2017-11-07 15:27:00,0,0,0,0,0.00K,0,0.00K,0,34.364,-83.155,34.349,-83.11,"Isolated thunderstorms developed during the afternoon across northeast Georgia ahead of a stationary front. A couple of the storms produced brief damaging winds and large hail.","County comms reported a tree blown down on power lines on Jackson Bridge Rd and power lines down on Starrs Bridge Rd and a tree down on Fowler St in Canon." +121399,726668,GEORGIA,2017,November,Thunderstorm Wind,"HART",2017-11-07 15:35:00,EST-5,2017-11-07 15:39:00,0,0,0,0,0.00K,0,0.00K,0,34.351,-82.963,34.343,-82.907,"Isolated thunderstorms developed during the afternoon across northeast Georgia ahead of a stationary front. A couple of the storms produced brief damaging winds and large hail.","County comms reported a few trees blown down around Hartwell." +121399,726669,GEORGIA,2017,November,Hail,"FRANKLIN",2017-11-07 15:29:00,EST-5,2017-11-07 15:29:00,0,0,0,0,,NaN,,NaN,34.317,-83.11,34.317,-83.11,"Isolated thunderstorms developed during the afternoon across northeast Georgia ahead of a stationary front. A couple of the storms produced brief damaging winds and large hail.","Public reported (via Social Media) quarter size hail near Royston." +121399,726670,GEORGIA,2017,November,Hail,"ELBERT",2017-11-07 15:44:00,EST-5,2017-11-07 15:44:00,0,0,0,0,,NaN,,NaN,34.17,-82.8,34.17,-82.8,"Isolated thunderstorms developed during the afternoon across northeast Georgia ahead of a stationary front. A couple of the storms produced brief damaging winds and large hail.","Spotter reported half dollar size hail in the Ruckersville area." +121772,728881,ST LAWRENCE R,2017,November,Marine Thunderstorm Wind,"ST LAWRENCE RIVER ABOVE OGDENSBURG NY",2017-11-09 21:40:00,EST-5,2017-11-09 21:40:00,0,0,0,0,,NaN,0.00K,0,44.5658,-75.6852,44.5658,-75.6852,"Thunderstorms ahead of an approaching cold front produced winds measured to 34 knots along the St. Lawrence River just off Jacques Cartier State Park.","" +121774,728882,NEW YORK,2017,November,Thunderstorm Wind,"CHAUTAUQUA",2017-11-05 18:54:00,EST-5,2017-11-05 18:54:00,0,0,0,0,15.00K,15000,0.00K,0,42.21,-79.47,42.21,-79.47,"Thunderstorms accompanied a cold front crossing the region. In Chautauqua County, the thunderstorm winds downed trees in Stockton and near Mayville at the Chautauqua Institution.","Law enforcement reported trees downed by thunderstorm winds." +121835,729303,TENNESSEE,2017,November,Thunderstorm Wind,"MCMINN",2017-11-07 09:30:00,EST-5,2017-11-07 09:30:00,0,0,0,0,,NaN,,NaN,35.42,-84.49,35.42,-84.49,"Isolated thunderstorms generated wind damage in a weakly unstable environment in Eastern Tennessee ahead of a slow moving cold front.","A few trees and power lines were reported down near county road 561 and Pine Street." +121843,729356,TEXAS,2017,November,Drought,"JIM HOGG",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Warm and dry conditions, with periods of low humidity, returned to the South Texas Brush Country after a single day thunderstorm event on November 12th, and severe drought developed again just prior to the end of the month.","Severe (D2) Drought returned to southern Jim Hogg County toward the end of November, following a two-week period with little to no rainfall, as well as a four days with afternoon humidity that fell to or below 25%, between the 18th and 25th." +121836,729304,TENNESSEE,2017,November,Thunderstorm Wind,"SULLIVAN",2017-11-18 22:10:00,EST-5,2017-11-18 22:10:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-82.41,36.47,-82.41,"Isolated wind damage occurred across East Tennessee in association with a strong cold front. Instability was weak ahead of the boundary. However, a strong low level flow contributed to the severity of a few storms.","A 60 mph wind gust was measured at the Tri-Cities Regional Airport." +121836,729305,TENNESSEE,2017,November,Thunderstorm Wind,"BLOUNT",2017-11-18 21:05:00,EST-5,2017-11-18 21:05:00,0,0,0,0,0.00K,0,0.00K,0,35.81,-83.99,35.81,-83.99,"Isolated wind damage occurred across East Tennessee in association with a strong cold front. Instability was weak ahead of the boundary. However, a strong low level flow contributed to the severity of a few storms.","Two trees were reported down in the greater Knoxville area." +121737,728721,CALIFORNIA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-08 23:45:00,PST-8,2017-11-08 23:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 8th through the morning hours of the 9th.","Ward Mountain Summit mesonet reported a sustained wind speed of 75 mph with a gust of 122 mph." +121737,728722,CALIFORNIA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-08 23:15:00,PST-8,2017-11-08 23:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 8th through the morning hours of the 9th.","Squaw Crest mesonet reported a wind gust of 95 mph with sustained wind speeds between 58-63 mph near the observation time." +121785,728945,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 10:10:00,PST-8,2017-11-26 10:11:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Mesonet atop Peavine Peak (elevation 8269 feet) measured a wind gust of 126 mph." +121785,728946,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-26 13:20:00,PST-8,2017-11-26 13:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Mesonet atop Slide Mountain (elevation 9650 feet) measured a 112 mph wind gust." +121515,727354,VERMONT,2017,November,Strong Wind,"EASTERN WINDHAM",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121515,727355,VERMONT,2017,November,Strong Wind,"WESTERN WINDHAM",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121516,727356,NEW YORK,2017,November,Strong Wind,"EASTERN ALBANY",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727358,NEW YORK,2017,November,Strong Wind,"EASTERN COLUMBIA",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727359,NEW YORK,2017,November,Strong Wind,"EASTERN DUTCHESS",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727360,NEW YORK,2017,November,Strong Wind,"EASTERN GREENE",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +120696,722950,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-11-19 04:59:00,EST-5,2017-11-19 04:59:00,0,0,0,0,0.00K,0,0.00K,0,29.66,-84.89,29.66,-84.89,"A line of showers along a cold front produced gusty winds in excess of 34 knots as it moved along the panhandle and big bend coast.","Wunderground site KFLEASTP8 measured a wind gust of 40 mph." +120999,724303,MINNESOTA,2017,November,Winter Weather,"WINONA",2017-11-11 06:30:00,CST-6,2017-11-11 09:30:00,0,2,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Seven people were injured and taken to a hospital when a chartered school bus rolled over southeast of Rochester (Olmsted County) as a result of icy roads. A period of very light freezing rain coated untreated roads with a thin layer of ice. The bus fishtailed around a corner before sliding into a ditch and rolling over. Other accidents, some with injuries, occurred along Interstate 90 between Rochester and Winona (Winona County).","Two people were transported to the hospital after being injured in separate crashes along Interstate 90 across southern Winona County. The crashes resulted from icy roads after a period of light freezing rain coated untreated roads." +120415,722173,PENNSYLVANIA,2017,November,Thunderstorm Wind,"WARREN",2017-11-05 19:45:00,EST-5,2017-11-05 19:45:00,0,0,0,0,0.00K,0,0.00K,0,41.6733,-79.5465,41.6733,-79.5465,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near the intersection of Route 27 and Colorado Road south of Grand Valley." +120415,722174,PENNSYLVANIA,2017,November,Thunderstorm Wind,"WARREN",2017-11-05 19:45:00,EST-5,2017-11-05 19:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.9446,-79.317,41.9446,-79.317,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across the road near the intersection of Matthews Run Road and Jackson Run Road southeast of Sugar Grove." +120415,722175,PENNSYLVANIA,2017,November,Thunderstorm Wind,"WARREN",2017-11-05 19:50:00,EST-5,2017-11-05 19:50:00,0,0,0,0,1.00K,1000,0.00K,0,41.7993,-79.5227,41.7993,-79.5227,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree across Bush Road in Spring Creek Township." +120415,722176,PENNSYLVANIA,2017,November,Thunderstorm Wind,"WARREN",2017-11-05 20:00:00,EST-5,2017-11-05 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.9949,-79.0971,41.9949,-79.0971,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto wires along Howard Road near Gouldtown in Pine Grove Township." +120415,722177,PENNSYLVANIA,2017,November,Thunderstorm Wind,"WARREN",2017-11-05 20:04:00,EST-5,2017-11-05 20:04:00,0,0,0,0,0.00K,0,0.00K,0,41.8037,-79.1379,41.8037,-79.1379,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees along Morrison Run Road south of Warren." +121310,726211,IDAHO,2017,November,Heavy Snow,"WASATCH MOUNTAINS/IADHO PORTION",2017-11-04 00:00:00,MST-7,2017-11-05 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some snow amounts above 10 inches to SNOTEL locations in southeast Idaho.","Heavy snow fell in the Idaho Wasatch with 16 inches at Emigrant Summit and 11 inches at Slug Creek Divide. Several slideoffs reported in Franklin county up Emigration Canyon." +121310,726208,IDAHO,2017,November,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-11-03 04:00:00,MST-7,2017-11-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought some snow amounts above 10 inches to SNOTEL locations in southeast Idaho.","Ten inches of snow fell at the Bear Canyon SNOTEL site. Stanley reported 7 to 12 inches." +120596,722424,KENTUCKY,2017,November,Strong Wind,"BATH",2017-11-18 11:00:00,EST-5,2017-11-18 12:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds developed this morning as a low pressure system tracked out of the Mississippi Valley into the Ohio Valley. Numerous gusts of 40 to 50 mph occurred across the Bluegrass to Lake Cumberland regions through the day. These continued into the evening and early overnight along and behind a cold front that swept through eastern Kentucky. Isolated trees and large limbs were reported downed across Bath, Letcher, and Rockcastle Counties.","Emergency management relayed reports of several trees downed in the Preston area. Two of these were found on Stulltown Road, one on Kendall Springs Road, and one on Blevins Valley Road." +120596,722425,KENTUCKY,2017,November,Strong Wind,"ROCKCASTLE",2017-11-18 20:30:00,EST-5,2017-11-18 20:30:00,0,0,0,0,0.30K,300,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds developed this morning as a low pressure system tracked out of the Mississippi Valley into the Ohio Valley. Numerous gusts of 40 to 50 mph occurred across the Bluegrass to Lake Cumberland regions through the day. These continued into the evening and early overnight along and behind a cold front that swept through eastern Kentucky. Isolated trees and large limbs were reported downed across Bath, Letcher, and Rockcastle Counties.","A citizen relayed a report of a few trees and limbs blown down on Copper Creek Road north of Brodhead." +120596,722467,KENTUCKY,2017,November,Strong Wind,"LETCHER",2017-11-18 20:27:00,EST-5,2017-11-18 20:27:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds developed this morning as a low pressure system tracked out of the Mississippi Valley into the Ohio Valley. Numerous gusts of 40 to 50 mph occurred across the Bluegrass to Lake Cumberland regions through the day. These continued into the evening and early overnight along and behind a cold front that swept through eastern Kentucky. Isolated trees and large limbs were reported downed across Bath, Letcher, and Rockcastle Counties.","Local media relayed a report of large tree limbs blocking Kentucky Highway 1862 near Thornton, following a series of strong wind gusts." +121346,726442,MONTANA,2017,November,Dense Fog,"DANIELS",2017-11-12 21:55:00,MST-7,2017-11-13 07:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or below during the evening of the 12th and the morning of the 13th across Daniels County, including at the Scobey Airport." +120850,723592,HAWAII,2017,November,High Surf,"BIG ISLAND NORTH AND EAST",2017-11-19 05:00:00,HST-10,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported.","" +121446,727010,WYOMING,2017,November,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-11-20 12:20:00,MST-7,2017-11-20 14:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Deer Creek measured sustained winds of 40 mph or higher." +121446,727012,WYOMING,2017,November,High Wind,"EAST PLATTE COUNTY",2017-11-20 11:00:00,MST-7,2017-11-20 12:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 20/1135 MST." +121446,727013,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-20 09:10:00,MST-7,2017-11-20 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 20/1000 MST." +121446,727014,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-20 10:05:00,MST-7,2017-11-20 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The wind sensor at the Cheyenne Airport measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 20/1020 MST." +121446,727015,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-20 09:02:00,MST-7,2017-11-20 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher, with a peak gust of 74 mph at 20/1131 MST." +121616,727860,MONTANA,2017,November,Drought,"DAWSON",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across the northwestern portion of Dawson County as little precipitation fell during the month. Precipitation totals of only 50 to 70 percent of normal did not help drought recovery in that area." +121616,727863,MONTANA,2017,November,Drought,"GARFIELD",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) to Extreme (D3) drought conditions persisted across Garfield County as little precipitation fell during the month. Precipitation totals were 50 to 90 percent of normal, and the prevailing drought conditions did not improve throughout November." +121616,727861,MONTANA,2017,November,Drought,"EASTERN ROOSEVELT",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across the eastern Roosevelt County as little precipitation fell during the month. Precipitation totals of only 25 to 70 percent of normal did not help drought recovery in that area." +121616,727864,MONTANA,2017,November,Drought,"LITTLE ROCKY MOUNTAINS",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across the Little Rockies through the month. Precipitation totals were generally 110 to 150 percent of normal, although the above normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727866,MONTANA,2017,November,Drought,"MCCONE",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) to Extreme (D3) drought conditions persisted across McCone County through the month. Precipitation totals were generally only 10 to 50 percent of normal, although the below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121422,726851,SOUTH DAKOTA,2017,November,High Wind,"RAPID CITY",2017-11-24 04:00:00,MST-7,2017-11-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front brought gusty northwest winds to much of western South Dakota during the morning hours. The strongest winds were in the Rapid City area and west of Edgemont in far southwestern South Dakota, where a few gusts near 60 mph were recorded.","" +121422,726852,SOUTH DAKOTA,2017,November,High Wind,"PENNINGTON CO PLAINS",2017-11-24 07:00:00,MST-7,2017-11-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front brought gusty northwest winds to much of western South Dakota during the morning hours. The strongest winds were in the Rapid City area and west of Edgemont in far southwestern South Dakota, where a few gusts near 60 mph were recorded.","" +121422,726853,SOUTH DAKOTA,2017,November,High Wind,"FALL RIVER",2017-11-24 07:00:00,MST-7,2017-11-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front brought gusty northwest winds to much of western South Dakota during the morning hours. The strongest winds were in the Rapid City area and west of Edgemont in far southwestern South Dakota, where a few gusts near 60 mph were recorded.","" +121545,727865,INDIANA,2017,November,Flash Flood,"NOBLE",2017-11-05 10:55:00,EST-5,2017-11-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4368,-85.6535,41.4744,-85.355,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","Two to three inches of rain fell in a short period of time onto already saturated ground. Spotter reports and video footage showed water to the depth of a foot or more flowing in spots along several roadways in and around Cromwell, Kimmel and Albion. This included a portion of US 33 near State Route 5, northeast of Cromwell." +120906,726828,SOUTH DAKOTA,2017,November,High Wind,"BUTTE",2017-11-29 03:00:00,MST-7,2017-11-29 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","Some power outages were reported in Belle Fourche." +120906,726829,SOUTH DAKOTA,2017,November,High Wind,"NORTHERN FOOT HILLS",2017-11-29 03:00:00,MST-7,2017-11-29 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","A tractor trailer was blown over on Interstate 90 near exit 8. A partially built home in Spearfish was damaged and a few trees, branches, and some power lines were blown down." +114737,688223,IOWA,2017,April,Hail,"LINN",2017-04-10 00:57:00,CST-6,2017-04-10 01:01:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-91.59,41.88,-91.59,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","A trained spotter reported quarter size hail that lasted for 3 to 4 minutes." +114737,688227,IOWA,2017,April,Hail,"LINN",2017-04-10 01:00:00,CST-6,2017-04-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,41.94,-91.45,41.94,-91.45,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","The emergency manager relayed a public report of golf ball size hail that damaged cars and roofs in Mount Vernon." +114737,688231,IOWA,2017,April,Hail,"LINN",2017-04-10 01:00:00,CST-6,2017-04-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-91.5,41.95,-91.5,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","Local broadcast media relayed a public report of golf ball sized hail." +121743,729289,NEVADA,2017,November,Heavy Rain,"CARSON CITY (C)",2017-11-15 08:00:00,PST-8,2017-11-16 20:00:00,0,0,0,0,,NaN,,NaN,39.19,-119.81,39.19,-119.81,"The winter season's first strong atmospheric river moved slowly south from the Pacific Northwest coast between the 15th and the 16th before moving inland over northern California and Nevada on the 17th. The system brought high winds, significant snow, and rain to the Sierra Nevada and western Nevada.","A trained weather spotter reported 4.47 inches of rain from 15 November 0800PST to 16 November 2000PST at an elevation of 5300 feet." +121842,729355,TEXAS,2017,November,Drought,"JIM HOGG",2017-11-01 00:00:00,CST-6,2017-11-13 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"The combination of prolonged above-average temperatures with scant precipitation continued to maintain a pocket of severe drought in Jim Hogg County, Texas.","Severe (D2) Drought Conditions persisted through mid November in south central Jim Hogg County. A batch of showers and thunderstorms on November 11th would temporarily improve the conditions by the issuance of the November 14th, 2017 Drought Monitor." +120410,721265,ARKANSAS,2017,November,Hail,"CHICOT",2017-11-03 16:13:00,CST-6,2017-11-03 16:17:00,0,0,0,0,1.00K,1000,0.00K,0,33.11,-91.27,33.12,-91.26,"An upper level trough combined with sufficient moisture and strong instability to kick off a few severe storms.","Hail to the size of quarters, or slightly larger, fell in Eudora." +120411,721270,MISSISSIPPI,2017,November,Hail,"BOLIVAR",2017-11-03 16:55:00,CST-6,2017-11-03 16:59:00,0,0,0,0,2.00K,2000,0.00K,0,33.95,-90.77,33.95,-90.77,"An upper level trough combined with sufficient moisture and strong instability to kick off a few severe storms.","Hail to the size of quarters fell in Shelby." +120411,721273,MISSISSIPPI,2017,November,Hail,"WASHINGTON",2017-11-03 18:24:00,CST-6,2017-11-03 18:30:00,0,0,0,0,15.00K,15000,0.00K,0,33.39,-91.06,33.3937,-91.0094,"An upper level trough combined with sufficient moisture and strong instability to kick off a few severe storms.","A swath of hail from quarter to half dollar size fell in downtown Greenville." +120355,721485,NEW MEXICO,2017,November,High Wind,"NORTHEAST HIGHLANDS",2017-11-01 08:52:00,MST-7,2017-11-01 08:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep surface low over southeastern Colorado with strong winds aloft created downslope winds and above normal temperatures over eastern New Mexico. The strongest winds impacted the area from near Las Vegas to Clines Corners where gusts around 60 mph were reported. Many other areas of eastern New Mexico experienced peak wind gusts in the 50 to 55 mph range. Winds tapered off through the late evening hours.","Peak wind gust to 62 mph at Las Vegas." +120427,721504,OHIO,2017,November,Thunderstorm Wind,"CLARK",2017-11-05 18:25:00,EST-5,2017-11-05 18:27:00,0,0,0,0,2.00K,2000,0.00K,0,39.83,-83.62,39.83,-83.62,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A wooden structure was damaged and numerous branches were downed." +120736,723115,ALASKA,2017,November,Winter Storm,"CAPE FAIRWEATHER TO CAPE SUCKLING COASTAL AREA",2017-11-17 15:00:00,AKST-9,2017-11-18 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic High pressure was persistent over the Yukon Territory on the evening of 11/16 causing a cold northerly outflow at our lowest levels. The high rapidly weakened as a weak low and front developed in the Gulf. Overrunning aloft caused record heavy snow. Impacts were snow removal, otherwise no damage was reported.||...RECORD SNOW AMOUNTS FOR NOVEMBER 17 AND 18...||There were numerous daily COOP snowfall records across portions|of northern Southeast Alaska on November 17 and 18. Record|snowfall was recorded at the following locations:||Annex Creek recorded 11.7 inches on November 17, breaking the|previous record of 7.6 inches from 1959.||Juneau Lena Point near Juneau recorded 8.9 inches on November 17,|breaking the previous record of 5.8 inches from 2015.||Skagway recorded 5.5 inches on November 17, breaking the previous|record of 2.0 inches from 2009.||The Juneau Forecast Office recorded 10.8 inches on November 17,|breaking the previous record of 3.3 inches from 2003.||Downtown Juneau recorded 3.0 inches on November 17, breaking the|previous record of 2.5 inches from 1932.||The Snettisham Powerplant recorded 4.2 inches on November 17,|breaking the previous record of 1.5 inches from 2015.||Hyder recorded 15.0 inches on November 18, breaking the previous|record of 9.5 inches from 2006.||Hoonah recorded 7.0 inches on November 18, breaking the previous|record of 2.7 inches from 2015.||Pelican recorded 5.2 inches on November 18, breaking the previous|record of 4.5 inches from 2015.||Haines recorded 2.0 inches on November 18, breaking the previous|record of 0.5 inches from 2003.","WSO Yakutat measured 14.0 inches new snow at 0800 on 11/18. Impact was snow removal with no damage or power outages reported." +120757,723273,TEXAS,2017,November,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-11-01 22:38:00,MST-7,2017-11-02 11:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft mixed down to the surface in the Guadalupe Mountains and resulted in high winds there.","" +120757,723274,TEXAS,2017,November,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-11-02 07:52:00,MST-7,2017-11-02 10:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft mixed down to the surface in the Guadalupe Mountains and resulted in high winds there.","" +120757,723275,TEXAS,2017,November,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-11-02 04:52:00,MST-7,2017-11-02 11:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft mixed down to the surface in the Guadalupe Mountains and resulted in high winds there.","" +120758,723276,NEW MEXICO,2017,November,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-11-02 04:00:00,MST-7,2017-11-02 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds aloft mixed down to the surface in the Guadalupe Mountains and resulted in high winds there.","" +120669,722800,CALIFORNIA,2017,November,Heavy Snow,"TULARE CTY MTNS",2017-11-16 10:00:00,PST-8,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","The SNOTEL at Pascoes (9150 feet) picked up an estimated 10 inches of new snowfall." +120669,722805,CALIFORNIA,2017,November,Heavy Rain,"FRESNO",2017-11-17 04:09:00,PST-8,2017-11-17 04:39:00,0,0,0,0,0.00K,0,0.00K,0,36.8507,-119.7384,36.8507,-119.7384,"A strong upper trough pushed through the Pacific Northwest on November 16 and 17. A fetch of deep moisture of tropical origin was pulled up ahead of this trough and brought moderate to heavy precipitation to Merced and Mariposa Counties as well as to Yosemite National Park. Several locations in Yosemite National Park measured between 2 and 4 inches of rainfall while several mountain and foothill stations in Madera, Fresno and Tulare Counties picked up over an inch of rain. Snow was basically confined to elevations above 8000 feet as a warm airmass prevailed over the region. Several SNOTELs above 9000 feet did pick up between 1 and 2 feet of fresh snowfall as this was the first significant storm of the season at the higher elevations.","A trained spotter 3NW Clovis measured 0.53 inches of rainfall in 30 minutes." +120793,723402,CALIFORNIA,2017,November,High Wind,"S SIERRA FOOTHILLS",2017-11-26 20:30:00,PST-8,2017-11-26 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","Public Report 3NNE Auberry of 11 dead pine trees being toppled ranging from 75 to 100 feet in height." +120965,724076,ARKANSAS,2017,November,Drought,"FAULKNER",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Faulkner County entered D2 drought designation on November 14th." +120965,724077,ARKANSAS,2017,November,Drought,"PULASKI",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Pulaski County entered D2 drought designation on November 14th." +120999,724302,MINNESOTA,2017,November,Winter Weather,"OLMSTED",2017-11-11 06:25:00,CST-6,2017-11-11 09:20:00,0,7,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Seven people were injured and taken to a hospital when a chartered school bus rolled over southeast of Rochester (Olmsted County) as a result of icy roads. A period of very light freezing rain coated untreated roads with a thin layer of ice. The bus fishtailed around a corner before sliding into a ditch and rolling over. Other accidents, some with injuries, occurred along Interstate 90 between Rochester and Winona (Winona County).","Seven people were injured and transported to the hospital when a chartered school bus rolled over southeast of Rochester because of icy roads. The bus fishtailed around a corner, went into the ditch and rolled over. A period of very light freezing rain coated untreated roads with a thin layer of ice. The automated weather observing equipment at the Rochester airport reported light freezing rain for almost three hours." +121003,724333,ILLINOIS,2017,November,Dense Fog,"ALEXANDER",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the southern tip of Illinois during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121002,724332,ILLINOIS,2017,November,Hail,"FRANKLIN",2017-11-02 22:30:00,CST-6,2017-11-02 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-88.7,38.05,-88.7,"A cold front moved southeastward through south central Illinois and eastern and southern Missouri during the night. Strong thunderstorms located ahead of the front in southern Illinois occurred along a weakening axis of instability. Effective wind shear of around 30 knots, along with marginally steep mid-level lapse rates, was sufficient for nickel-size hail with the stronger updrafts. Locally heavy rain resulted in an isolated flash flooding event.","" +121003,724334,ILLINOIS,2017,November,Dense Fog,"PULASKI",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the southern tip of Illinois during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121003,724335,ILLINOIS,2017,November,Dense Fog,"MASSAC",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed the southern tip of Illinois during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724336,KENTUCKY,2017,November,Dense Fog,"BALLARD",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121008,724417,KENTUCKY,2017,November,Strong Wind,"UNION",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724418,KENTUCKY,2017,November,Strong Wind,"WEBSTER",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121008,724419,KENTUCKY,2017,November,Strong Wind,"DAVIESS",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +122292,732266,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HANSON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A record low maximum temperature of -9 was measured at Alexandria on December 31." +122292,732271,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SANBORN",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A record low minimum temperature of -25 was measured four miles north northeast of Forestburg on December 31." +122292,732282,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"JERAULD",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to 10 below to 20 below zero with winds from 5 to 15 mph. The minimum temperature at Wessington Springs on December 31 was -20." +120992,724217,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 9.1 inches was measure four miles east northeast of Culberson." +121455,727066,HAWAII,2017,December,High Surf,"NIIHAU",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727067,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727068,HAWAII,2017,December,High Surf,"KAUAI LEEWARD",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727069,HAWAII,2017,December,High Surf,"WAIANAE COAST",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727070,HAWAII,2017,December,High Surf,"OAHU NORTH SHORE",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +122025,730558,OKLAHOMA,2017,December,Drought,"MCCLAIN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730559,OKLAHOMA,2017,December,Drought,"POTTAWATOMIE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730560,OKLAHOMA,2017,December,Drought,"SEMINOLE",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730561,OKLAHOMA,2017,December,Drought,"HUGHES",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730562,OKLAHOMA,2017,December,Drought,"PONTOTOC",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730563,OKLAHOMA,2017,December,Drought,"COAL",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730564,OKLAHOMA,2017,December,Drought,"ATOKA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730565,OKLAHOMA,2017,December,Drought,"JOHNSTON",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730566,OKLAHOMA,2017,December,Drought,"MARSHALL",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122025,730567,OKLAHOMA,2017,December,Drought,"BRYAN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought began to develop across western Oklahoma and persisted across south central Oklahoma.","" +122026,730568,TEXAS,2017,December,Drought,"BAYLOR",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +122026,730569,TEXAS,2017,December,Drought,"FOARD",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +122026,730570,TEXAS,2017,December,Drought,"HARDEMAN",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +121328,726331,OKLAHOMA,2017,December,Drought,"SEQUOYAH",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions persisted through December 2017 across much of eastern Oklahoma, with the exception of portions of southeastern Oklahoma. Much of east central and northeastern Oklahoma received less than 50 percent of the average monthly rainfall for the area. These very dry conditions allowed severe drought (D2) conditions to expand across much of east central and southeastern Oklahoma. Monetary damage estimates resulting from the drought were not available.","" +121347,726434,CALIFORNIA,2017,December,Frost/Freeze,"W CENTRAL S.J. VALLEY",2017-12-21 03:00:00,PST-8,2017-12-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported minimum temperatures below 28 degrees." +121347,726435,CALIFORNIA,2017,December,Frost/Freeze,"E CENTRAL S.J. VALLEY",2017-12-21 03:00:00,PST-8,2017-12-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported minimum temperatures below 28 degrees." +121347,726436,CALIFORNIA,2017,December,Frost/Freeze,"SW S.J. VALLEY",2017-12-21 03:00:00,PST-8,2017-12-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported minimum temperatures below 28 degrees." +121253,726686,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-28 10:00:00,PST-8,2017-12-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen near Telma reported 32.0 inches of storm total new snow." +121253,726687,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","The observer at Boundary Dam reported 4.5 inches of new snow." +121253,726689,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A spotter 8 miles southeast of Northport reported 11.5 inches of new snow." +121253,726691,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen near Arden reported 5.3 inches of new snow." +121123,726719,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer in Leavenworth reported 7.1 inches of new snow." +121123,726720,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer near Ardenvior reported 5.9 inches of new snow." +121123,726721,WASHINGTON,2017,December,Heavy Snow,"EAST SLOPES NORTHERN CASCADES",2017-12-18 20:00:00,PST-8,2017-12-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer 7 miles northwest of Winthrop reported 10.3 inches of new snow." +121454,727065,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-05 09:00:00,HST-10,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Swells, generated by a powerful low far northwest of the islands, caused surf of 15 to 30 feet along the north- and west-facing shores of Niihau and Kauai, and the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the west-facing shores of Oahu and Molokai. Lifeguards were busy with warning beach-goers about the dangerous surf and performing rescues where necessary. Some beaches on the Big Island were closed on the 6th, as water and debris from the high surf were being deposited on roadways near the beaches. No serious injuries were reported. The costs of any property damage were not available.","" +121459,727098,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-19 08:00:00,HST-10,2017-12-21 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121460,727099,HAWAII,2017,December,Flash Flood,"MAUI",2017-12-20 08:08:00,HST-10,2017-12-20 18:44:00,0,0,0,0,0.00K,0,0.00K,0,20.9582,-156.5332,20.9599,-156.5317,"A front, with a supporting upper air trough, brought heavy downpours, flash flooding, and isolated thunderstorms to the Aloha State. Most of the precipitation affected the eastern part of the island chain. However, no serious injuries were reported. The costs of any damages were not available.","An area near mile marker 7 along Kahekili Highway in West Maui became flooded as heavy rain inundated the windward side. Flooding also occurred along Hana Highway near Kaupakalua Road where a debris flow closed the roadway for a time, and the intersection of Puunene and Wakea avenues near Christ the King Church in Kahului had to be closed because of deep water." +121461,727103,HAWAII,2017,December,High Wind,"BIG ISLAND SUMMIT",2017-12-21 00:09:00,HST-10,2017-12-21 04:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds from the southwest reached high wind criteria near the summits of Mauna Kea and Mauna Loa on the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121463,727116,HAWAII,2017,December,Flash Flood,"HONOLULU",2017-12-26 16:00:00,HST-10,2017-12-26 20:15:00,0,0,0,0,0.00K,0,0.00K,0,21.2881,-157.8156,21.2884,-157.8154,"As a front approached the Aloha State with upper air support, an area of showers formed to the south of Oahu and began training over the isle. The showers became intense and isolated thunderstorms also developed. The deluge led to flash flooding conditions. However, no significant injuries were reported. The costs of any damages were not available.","Off-duty NWS employee reported water flowing into stores at Market City near Kaimuki Avenue and Kapiolani Boulevard in Honolulu." +121463,727117,HAWAII,2017,December,Heavy Rain,"HONOLULU",2017-12-27 12:43:00,HST-10,2017-12-27 13:47:00,0,0,0,0,0.00K,0,0.00K,0,21.3336,-158.0775,21.4481,-157.7472,"As a front approached the Aloha State with upper air support, an area of showers formed to the south of Oahu and began training over the isle. The showers became intense and isolated thunderstorms also developed. The deluge led to flash flooding conditions. However, no significant injuries were reported. The costs of any damages were not available.","" +121563,727668,WISCONSIN,2017,December,Cold/Wind Chill,"SAUK",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727669,WISCONSIN,2017,December,Cold/Wind Chill,"WALWORTH",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727670,WISCONSIN,2017,December,Cold/Wind Chill,"WASHINGTON",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121320,726290,UTAH,2017,December,Winter Weather,"CANYONLANDS / NATURAL BRIDGES",2017-12-21 03:00:00,MST-7,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong Pacific storm system brought significant snowfall amounts to much of eastern Utah, including many lower elevation locations which experienced their first significant snowfall of the season.","Snowfall amounts of 3 to 6 inches measured across the area. Locally higher amounts included 9 inches at the Neck in Canyonlands National Park." +121323,726295,COLORADO,2017,December,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-12-22 22:00:00,MST-7,2017-12-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist northwest flow with embedded disturbances produced significant to heavy snow accumulations in most northern and central portions of western Colorado.","Snowfall amounts of 5 to 9 inches were measured across the area." +121323,726291,COLORADO,2017,December,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-12-22 23:00:00,MST-7,2017-12-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist northwest flow with embedded disturbances produced significant to heavy snow accumulations in most northern and central portions of western Colorado.","Snowfall amounts of 10 to 20 inches were measured across the area with locally higher amounts, including 25 inches at Steamboat Springs Ski Area. Wind gusts of 50 to 60 mph produced widespread areas of blowing and drifting snow. Highway 40 over Rabbit Ears Pass was closed for nearly four hours." +121323,726293,COLORADO,2017,December,Winter Weather,"UPPER YAMPA RIVER BASIN",2017-12-23 01:00:00,MST-7,2017-12-23 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist northwest flow with embedded disturbances produced significant to heavy snow accumulations in most northern and central portions of western Colorado.","Snowfall amounts of 5 to 10 inches were measured across the area. Locally higher amounts included 15 inches on the southeast side of Steamboat Springs." +121323,726296,COLORADO,2017,December,Winter Weather,"FLATTOP MOUNTAINS",2017-12-23 06:00:00,MST-7,2017-12-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist northwest flow with embedded disturbances produced significant to heavy snow accumulations in most northern and central portions of western Colorado.","Snowfall amounts of 3 to 9 inches were measured across the area." +121325,727981,COLORADO,2017,December,Winter Weather,"CENTRAL YAMPA RIVER BASIN",2017-12-24 21:00:00,MST-7,2017-12-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 4 to 6 inches were measured from the Craig area to Hayden. Other areas within the zone only received 1 to 2 inches." +121633,728039,CONNECTICUT,2017,December,Winter Weather,"TOLLAND",2017-12-24 23:00:00,EST-5,2017-12-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas.","Two and one-half to three inches of snow fell on Tolland County." +121768,728869,TENNESSEE,2017,December,Flood,"MAURY",2017-12-23 04:00:00,CST-6,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.7536,-86.9238,35.7455,-86.9249,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Old Kedron Road near Duplex Road in Spring Hill was closed due to water over the road." +121768,728870,TENNESSEE,2017,December,Flood,"MARSHALL",2017-12-23 11:00:00,CST-6,2017-12-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5076,-86.7656,35.5116,-86.7753,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Double Bridge Road north of Lewisburg was impassable due to high water." +121768,728871,TENNESSEE,2017,December,Flood,"WILLIAMSON",2017-12-23 06:00:00,CST-6,2017-12-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.987,-87.0192,35.8595,-87.0505,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Several roads that commonly flood across Williamson County were impassable due to high water, including Old Hillsboro Road in Leipers Fork." +121768,728872,TENNESSEE,2017,December,Flood,"SMITH",2017-12-23 05:00:00,CST-6,2017-12-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3486,-86.0799,36.1117,-85.9936,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Parts of Hickman Creek Road in Hickman and Pleasant Shade Highway north of Carthage were impassable due to high water." +121539,728923,FLORIDA,2017,December,Thunderstorm Wind,"COLLIER",2017-12-09 05:31:00,EST-5,2017-12-09 05:31:00,0,0,0,0,0.00K,0,0.00K,0,26.15,-81.78,26.15,-81.78,"A squall line associated with a strong cold front moved across South Florida during the morning hours, producing strong wind gusts and funnel clouds.","Measured at Naples Municipal Airport (KAPF)." +121539,727417,FLORIDA,2017,December,Funnel Cloud,"MIAMI-DADE",2017-12-09 09:15:00,EST-5,2017-12-09 09:15:00,0,0,0,0,,NaN,,NaN,25.47,-80.65,25.47,-80.65,"A squall line associated with a strong cold front moved across South Florida during the morning hours, producing strong wind gusts and funnel clouds.","Member of the public reported funnel cloud with strong rotation that made it halfway to the ground." +121538,727419,ATLANTIC SOUTH,2017,December,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-12-09 10:22:00,EST-5,2017-12-09 10:22:00,0,0,0,0,,NaN,,NaN,25.75,-80.1,25.75,-80.1,"A squall line associated with a strong cold front moved across South Florida during the mid to late morning hours. Storms within in the line produced several strong wind gusts as they moved across Lake Okeechobee and the local Atlantic waters.","A gust of 39 mph/34 knots was measured at the Government Cut WxFlow mesonet station XGVT at a height of approximately 75 feet above the surface." +121218,726341,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"BENTON",2017-12-30 03:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -43F." +121218,726342,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"BLUE EARTH",2017-12-30 06:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging between 35 to 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -40F." +121926,729836,CALIFORNIA,2017,December,Wildfire,"VENTURA COUNTY COAST",2017-12-04 06:28:00,PST-8,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","The Thomas Fire ignited in early December in the coastal valleys of Ventura county, near Thomas Aquinas College. At the time of ignition, fuel conditions were at record dry levels for early December. The combination of gusty Santa Ana winds and the dry fuel conditions allowed the fire to spread quickly across sections of Ventura county. The fire eventually moved into southern Santa Barbara county. The fire was not officially contained until early January 2018. In all, the Thomas Fire burned 281,893 acres, making it the largest recorded fire in the state of California. During the height of the fire, one firefighter died when he was burned over." +121926,729838,CALIFORNIA,2017,December,Wildfire,"VENTURA COUNTY MOUNTAINS",2017-12-04 06:28:00,PST-8,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","The Thomas Fire ignited in early December in the coastal valleys of Ventura county, near Thomas Aquinas College. At the time of ignition, fuel conditions were at record dry levels for early December. The combination of gusty Santa Ana winds and the dry fuel conditions allowed the fire to spread quickly across sections of Ventura county. The fire eventually moved into southern Santa Barbara county. The fire was not officially contained until early January 2018. In all, the Thomas Fire burned 281,893 acres, making it the largest recorded fire in the state of California. During the height of the fire, one firefighter died when he was burned over." +121926,729839,CALIFORNIA,2017,December,Wildfire,"SANTA BARBARA COUNTY MOUNTAINS",2017-12-04 06:28:00,PST-8,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","The Thomas Fire ignited in early December in the coastal valleys of Ventura county, near Thomas Aquinas College. At the time of ignition, fuel conditions were at record dry levels for early December. The combination of gusty Santa Ana winds and the dry fuel conditions allowed the fire to spread quickly across sections of Ventura county. The fire eventually moved into southern Santa Barbara county. The fire was not officially contained until early January 2018. In all, the Thomas Fire burned 281,893 acres, making it the largest recorded fire in the state of California. During the height of the fire, one firefighter died when he was burned over." +121467,727128,NEBRASKA,2017,December,Winter Weather,"KEARNEY",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 5.0 inches occurred in Minden." +121467,727162,NEBRASKA,2017,December,Winter Weather,"HARLAN",2017-12-23 17:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","An NeRain observer snowfall total of 3.5 inches occurred three miles west of Ragan." +121856,730838,MAINE,2017,December,Heavy Snow,"NORTHEAST AROOSTOOK",2017-12-09 17:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracking east of the Gulf of Maine brought heavy snow to portions of the region. Snow expanded across the region through the afternoon of the 9th then persisted into the morning of the 10th. Warning criteria snow accumulations occurred through the early morning hours of the 10th. Storm total snow accumulations ranged from 7 to 10 inches across northern and central portions of Piscataquis county...with 5 to 8 inches across northern Penobscot and northeast Aroostook counties. Snow accumulations of 6 to 9 inches were also reported across much of coastal Hancock county.","Storm total snow accumulations ranged from 5 to 8 inches." +121856,730839,MAINE,2017,December,Heavy Snow,"NORTHERN PISCATAQUIS",2017-12-09 17:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracking east of the Gulf of Maine brought heavy snow to portions of the region. Snow expanded across the region through the afternoon of the 9th then persisted into the morning of the 10th. Warning criteria snow accumulations occurred through the early morning hours of the 10th. Storm total snow accumulations ranged from 7 to 10 inches across northern and central portions of Piscataquis county...with 5 to 8 inches across northern Penobscot and northeast Aroostook counties. Snow accumulations of 6 to 9 inches were also reported across much of coastal Hancock county.","Storm total snow accumulations ranged from 7 to 11 inches." +121856,730840,MAINE,2017,December,Heavy Snow,"NORTHERN PENOBSCOT",2017-12-09 17:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracking east of the Gulf of Maine brought heavy snow to portions of the region. Snow expanded across the region through the afternoon of the 9th then persisted into the morning of the 10th. Warning criteria snow accumulations occurred through the early morning hours of the 10th. Storm total snow accumulations ranged from 7 to 10 inches across northern and central portions of Piscataquis county...with 5 to 8 inches across northern Penobscot and northeast Aroostook counties. Snow accumulations of 6 to 9 inches were also reported across much of coastal Hancock county.","Storm total snow accumulations ranged from 6 to 8 inches." +121856,730841,MAINE,2017,December,Heavy Snow,"CENTRAL PISCATAQUIS",2017-12-09 17:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracking east of the Gulf of Maine brought heavy snow to portions of the region. Snow expanded across the region through the afternoon of the 9th then persisted into the morning of the 10th. Warning criteria snow accumulations occurred through the early morning hours of the 10th. Storm total snow accumulations ranged from 7 to 10 inches across northern and central portions of Piscataquis county...with 5 to 8 inches across northern Penobscot and northeast Aroostook counties. Snow accumulations of 6 to 9 inches were also reported across much of coastal Hancock county.","Storm total snow accumulations ranged from 6 to 10 inches." +122116,731017,MICHIGAN,2017,December,Lake-Effect Snow,"ALGER",2017-12-29 09:00:00,EST-5,2017-12-30 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","The observer ten miles south of Grand Marais measured 14 inches of lake effect snow in 24 hours. Five inches of snow fell in six hours at Deerton during the day on the 30th." +122116,731021,MICHIGAN,2017,December,Flood,"MARQUETTE",2017-12-30 21:00:00,EST-5,2017-12-31 22:00:00,0,0,0,0,30.00K,30000,0.00K,0,46.5014,-87.3531,46.5006,-87.3516,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","Strong northwest winds blowing across Lake Superior pushed ice into the mouth of the Chocolay River producing an ice jam. Water backed up behind the ice jam causing flooding in the basements of eight homes along the Chocolay River near Lake Superior." +122116,731016,MICHIGAN,2017,December,Lake-Effect Snow,"MARQUETTE",2017-12-30 10:00:00,EST-5,2017-12-30 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","There were several reports of one to three inch per hour snowfall rates from Big Bay through Negaunee to Gwinn and Marquette to Harvey. There was an estimated six to seven inches of lake effect snow at K.I Sawyer in around a two-hour period with whiteout conditions. There was an estimated four inches of snow in two hours in Little Lake with whiteout conditions reported on Highway M-35 between Gwinn and Little Lake. An estimated six inches of snow fell in five hours eight miles north-northwest of Negaunee. Whiteout conditions also caused accidents and shut down Highway US-41 for a few hours along the rock-cut between Marquette and Harvey." +121781,729281,MICHIGAN,2017,December,Winter Weather,"GOGEBIC",2017-12-05 00:00:00,CST-6,2017-12-05 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","The observer at Ironwood measured six inches of lake effect snow in approximately seven hours. West winds gusting over 35 mph at times caused considerable blowing of snow reducing visibility to one half mile or less at times. In addition, multiple power outages were reported." +121781,728928,MICHIGAN,2017,December,Winter Weather,"ONTONAGON",2017-12-05 03:00:00,EST-5,2017-12-05 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a public report of an estimated eight inches of lake effect snow in 18 hours at Ontonagon. The report was from the WLUC-TV6 social media page. The MDOT RWIS site in Ontonagon measured a 59 mph wind gust on the morning of the 5th. In addition, several power outages were reported." +115111,690962,OHIO,2017,May,Thunderstorm Wind,"BUTLER",2017-05-19 15:17:00,EST-5,2017-05-19 15:19:00,0,0,0,0,1.00K,1000,0.00K,0,39.3984,-84.5482,39.3984,-84.5482,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A tree was downed along Dayton Street." +115111,690963,OHIO,2017,May,Thunderstorm Wind,"BUTLER",2017-05-19 15:29:00,EST-5,2017-05-19 15:31:00,0,0,0,0,3.00K,3000,0.00K,0,39.5,-84.39,39.5,-84.39,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several trees were downed in the Middletown area." +115111,690965,OHIO,2017,May,Thunderstorm Wind,"HAMILTON",2017-05-19 15:32:00,EST-5,2017-05-19 15:34:00,0,0,0,0,3.00K,3000,0.00K,0,39.14,-84.43,39.14,-84.43,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A small tree was uprooted and fell onto power lines." +115111,690971,OHIO,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-19 15:52:00,EST-5,2017-05-19 15:54:00,0,0,0,0,1.00K,1000,0.00K,0,40.04,-83.14,40.04,-83.14,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A tree was downed in the Hilliard area." +115111,690972,OHIO,2017,May,Thunderstorm Wind,"PICKAWAY",2017-05-19 17:10:00,EST-5,2017-05-19 17:12:00,0,0,0,0,3.00K,3000,0.00K,0,39.56,-82.85,39.56,-82.85,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A portion of an outdoor walkway connecting buildings at Logan Elm High School was blown over." +115111,690978,OHIO,2017,May,Thunderstorm Wind,"PICKAWAY",2017-05-19 17:24:00,EST-5,2017-05-19 17:26:00,0,0,0,0,0.00K,0,0.00K,0,39.54,-82.78,39.54,-82.78,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several large branches were downed." +115111,690981,OHIO,2017,May,Thunderstorm Wind,"HOCKING",2017-05-19 17:50:00,EST-5,2017-05-19 17:52:00,0,0,0,0,3.00K,3000,0.00K,0,39.54,-82.4,39.54,-82.4,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several trees were downed in the Logan area." +115111,690970,OHIO,2017,May,Thunderstorm Wind,"HAMILTON",2017-05-19 15:32:00,EST-5,2017-05-19 15:34:00,0,0,0,0,10.00K,10000,0.00K,0,39.13,-84.43,39.13,-84.43,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several large trees were downed, blocking Delta Avenue. Another tree was downed onto a car nearby." +115114,690988,INDIANA,2017,May,Thunderstorm Wind,"RIPLEY",2017-05-19 14:16:00,EST-5,2017-05-19 14:18:00,0,0,0,0,1.00K,1000,0.00K,0,38.9881,-85.2182,38.9881,-85.2182,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A tree was downed along State Route 129 near Olean Road." +115149,692716,OHIO,2017,May,Flash Flood,"MERCER",2017-05-25 00:00:00,EST-5,2017-05-25 00:30:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-84.75,40.6578,-84.7387,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","State Route 707 near Wabash Road was closed due to high water, leading to a water rescue." +115149,692717,OHIO,2017,May,Flash Flood,"BUTLER",2017-05-24 18:30:00,EST-5,2017-05-24 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.4582,-84.5389,39.4562,-84.5374,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","A railroad was washed out due to flooding along Sevenmile Creek." +115149,692718,OHIO,2017,May,Flash Flood,"HAMILTON",2017-05-24 18:30:00,EST-5,2017-05-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-84.68,39.2113,-84.6716,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Taylor Creek overflowed its bank onto Harrison Avenue near the intersection with Springdale Road." +115149,692719,OHIO,2017,May,Flash Flood,"HAMILTON",2017-05-24 17:45:00,EST-5,2017-05-24 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.2087,-84.6495,39.2132,-84.6456,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Rapidly moving water was observed over a portion of Sheed Road." +115149,692720,OHIO,2017,May,Flash Flood,"HAMILTON",2017-05-24 17:30:00,EST-5,2017-05-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-84.63,39.1908,-84.6248,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Water was reported rushing over Race Road near West Fork Road." +121322,726272,WISCONSIN,2017,December,Heavy Snow,"MANITOWOC",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","A storm total of 10.0 inches of snow fell in Two Rivers and 9.0 inches fell in Manitowoc." +121322,726273,WISCONSIN,2017,December,Heavy Snow,"KEWAUNEE",2017-12-13 04:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure from Canada moved across Wisconsin and produced a swath of heavy snow over northeast Wisconsin. Some of the highest official totals included 11.5 inches in Sturgeon Bay (Door Co.), 11.0 inches 4 miles west of Oconto (Oconto Co.), 10.0 inches in Two Rivers (Manitowoc Co.), and 9.3 inches near Juddville (Door Co.).||A new daily snowfall record of 7.1 inches was set for December 13 in Green Bay (Brown Co.), breaking the previous record of 4.7 inches set in 1909.","Heavy snow fell in Kewaunee County." +121426,726912,SOUTH DAKOTA,2017,December,Winter Storm,"NORTHERN BLACK HILLS",2017-12-03 21:00:00,MST-7,2017-12-04 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level system moved across the region, bringing gusty winds and snow to much of western South Dakota. The heaviest snow fell across the northern Black Hills and the northern foothills, where five to ten inches of snow accumulated. The highest amounts were generally across the higher elevation, upslope-favored areas of the northern Black Hills. Gusty northwest winds produced blowing and drifting snow and greatly reduced visibilities at times.","" +121426,726915,SOUTH DAKOTA,2017,December,Winter Storm,"NORTHERN FOOT HILLS",2017-12-03 22:00:00,MST-7,2017-12-04 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level system moved across the region, bringing gusty winds and snow to much of western South Dakota. The heaviest snow fell across the northern Black Hills and the northern foothills, where five to ten inches of snow accumulated. The highest amounts were generally across the higher elevation, upslope-favored areas of the northern Black Hills. Gusty northwest winds produced blowing and drifting snow and greatly reduced visibilities at times.","" +121429,726920,WYOMING,2017,December,Winter Storm,"WYOMING BLACK HILLS",2017-12-03 20:00:00,MST-7,2017-12-04 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A cold front and upper level system brought gusty winds and snow to much of northeastern Wyoming. The heaviest snow fell across the Wyoming Black Hills and Bear Lodge Mountains, where amounts of four to eight inches were reported. The gusty winds produced areas of blowing and drifting snow, which greatly reduced visibilities at times.","" +120907,726871,SOUTH DAKOTA,2017,December,High Wind,"HARDING",2017-12-05 08:00:00,MST-7,2017-12-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +122175,731391,SOUTH DAKOTA,2017,December,Winter Weather,"BON HOMME",2017-12-21 10:00:00,CST-6,2017-12-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall up to 2 inches from the late morning to early evening, including 0.7 inches at Tyndall, produced hazardous road conditions." +122175,731392,SOUTH DAKOTA,2017,December,Winter Weather,"YANKTON",2017-12-21 11:00:00,CST-6,2017-12-21 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall of 1 to 3 inches occurred from the late morning to early evening, including 2.0 inches at 2 miles SE of Yankton. The snow was preceded by a brief period of freezing drizzle, contributing to hazardous road conditions." +122175,731393,SOUTH DAKOTA,2017,December,Winter Weather,"TURNER",2017-12-21 08:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall of 1 to 3 inches occurred from the late morning to early evening, including 2.0 inches at Hurley. The snow was preceded by a brief period of freezing drizzle, contributing to hazardous road conditions." +122175,731394,SOUTH DAKOTA,2017,December,Winter Weather,"CLAY",2017-12-21 11:00:00,CST-6,2017-12-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","Snowfall of 1 to 2 inches occurred during the afternoon and early evening, including 1.5 inches at Vermillion. The snow was preceded by a brief period of freezing drizzle, contributing to hazardous road conditions." +122175,731395,SOUTH DAKOTA,2017,December,Winter Weather,"UNION",2017-12-21 11:00:00,CST-6,2017-12-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","A period of freezing drizzle produced a glaze on roadways prior to a light snowfall through the early evening, contributing to hazardous road conditions. Snowfall accumulated one to two inches, an inch measured 5.6 miles NNE of Elk Point." +121993,730371,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"FURNAS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Cambridge, the NWS cooperative observer recorded an average temperature of 8.2 degrees through the final 8-days of December, marking the 2nd-coldest finish to the year out of 91 on record." +121994,730386,KANSAS,2017,December,Extreme Cold/Wind Chill,"MITCHELL",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","At Beloit, the NWS cooperative observer recorded an average temperature of 14.1 degrees through the final 8-days of December, resulting in the 5th-coldest finish to the year out of 88 on record." +121994,730387,KANSAS,2017,December,Extreme Cold/Wind Chill,"JEWELL",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","At Burr Oak, the NWS cooperative observer recorded an average temperature of 10.5 degrees through the final 8-days of December, marking the 2nd-coldest finish to the year out of 71 on record." +121970,730240,NEW YORK,2017,December,Lake-Effect Snow,"NORTHERN HERKIMER",2017-12-25 11:00:00,EST-5,2017-12-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Conditions were favorable for a significant lake effect snow event across Herkimer and Hamilton counties in New York. A single snowband developed off of Lake Ontario which persisted into Herkimer and Hamilton counties for over two days. Total snow amounts ranged from 17.5 inches near Eagle Bay to 29.0 inches in Old Forge.","Storm total snow measurements ranged from 20.0 inches in Old Forge to 29.0 inches 1 mile SSE of Old Forge." +121970,730241,NEW YORK,2017,December,Lake-Effect Snow,"HAMILTON",2017-12-25 11:00:00,EST-5,2017-12-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Conditions were favorable for a significant lake effect snow event across Herkimer and Hamilton counties in New York. A single snowband developed off of Lake Ontario which persisted into Herkimer and Hamilton counties for over two days. Total snow amounts ranged from 17.5 inches near Eagle Bay to 29.0 inches in Old Forge.","A trained spotter reported 17.5 inches of total snowfall 1 mile ENE of Eagle Bay." +122083,731916,TEXAS,2017,December,Winter Weather,"WISE",2017-12-31 08:00:00,CST-6,2017-12-31 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported icy roads with multiple vehicle accidents across the county." +122249,731927,VERMONT,2017,December,Winter Weather,"BENNINGTON",2017-12-22 02:00:00,EST-5,2017-12-23 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from 2 to 8 inches, with the highest totals over the higher elevations. Some areas also saw a light accretion of ice as well.","" +122249,731928,VERMONT,2017,December,Winter Weather,"EASTERN WINDHAM",2017-12-22 02:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from 2 to 8 inches, with the highest totals over the higher elevations. Some areas also saw a light accretion of ice as well.","" +122249,731929,VERMONT,2017,December,Winter Weather,"WESTERN WINDHAM",2017-12-22 02:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from 2 to 8 inches, with the highest totals over the higher elevations. Some areas also saw a light accretion of ice as well.","" +122195,731517,WEST VIRGINIA,2017,December,Winter Weather,"MERCER",2017-12-12 12:00:00,EST-5,2017-12-12 23:59:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"On Monday, December 11th, 2017 mild conditions allowed for temperatures to reach the upper 40s in Bluefield, WV. The mild conditions, mid 30s to lower 40s, continued into the early morning hours of Tuesday, December 12th, 2017. This helped to have ground temperatures above freezing when snow started to fall around 1040 am. Initially the snow melted on contact, but as temperatures fell through the day, mid-20s by the afternoon, roads and parking lots became icy very quickly with two inches of new snow yielding slushy conditions. This led to numerous traffic accidents, including school buses that were returning children to their homes after school had been cancelled due to the weather.","Snow fell initially on surfaces that were above freezing during the morning and melted, and then temperatures plummeted during the afternoon, and continued falling through the evening well into the twenties and teens. The result was the rapid development of icy conditions that helped contribute to multiple vehicle accidents. Damage values are estimated." +122201,731532,VIRGINIA,2017,December,High Wind,"GRAYSON",2017-12-14 06:01:00,EST-5,2017-12-14 07:30:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region during the early morning hours of December 14th. An associated strong pressure gradient and cold air advection help generate damaging wind gusts across the higher peaks of the Grayson Highlands in southwest Virginia. Trees were reported blown down in the community of Independence, near Elk Creek and also at Mouth of Wilson.","Very strong winds downed trees near Elk Creek, along White Oak Lane near Independence and also along York Ridge Road at Mouth of Wilson. Damage values are estimated." +122202,731533,NORTH CAROLINA,2017,December,High Wind,"ASHE",2017-12-13 22:30:00,EST-5,2017-12-14 06:30:00,0,0,0,0,20.00K,20000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region during the early morning hours of December 14th. An associated strong pressure gradient and cold air advection help generate damaging wind gusts across the higher peaks of the northern mountains of North Carolina. Trees were reported blown down in the community of Boone, near Ennice, and in Jefferson. Power lines were brought down between Crumpler and Jefferson.","Very strong winds caused trees and power lines to come down between Jefferson and Crumpler. Also, a number of trees and wires were down across other parts of the county with numerous power outages. Damage values are estimated." +122202,731535,NORTH CAROLINA,2017,December,High Wind,"WATAUGA",2017-12-14 01:01:00,EST-5,2017-12-14 04:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region during the early morning hours of December 14th. An associated strong pressure gradient and cold air advection help generate damaging wind gusts across the higher peaks of the northern mountains of North Carolina. Trees were reported blown down in the community of Boone, near Ennice, and in Jefferson. Power lines were brought down between Crumpler and Jefferson.","Very strong winds downed a couple of trees in Boone. Damage values are estimated." +121644,728185,GEORGIA,2017,December,Winter Weather,"LAMAR",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Lamar County." +121644,728186,GEORGIA,2017,December,Winter Weather,"SPALDING",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Spalding County." +121644,728187,GEORGIA,2017,December,Winter Weather,"BUTTS",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Butts County." +122278,732177,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE COUNTY",2017-12-04 10:15:00,MST-7,2017-12-04 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of strong winds developed across portions of southeast Wyoming.","The WYDOT sensor at Interstate 80 mile marker 373 measured sustained winds of 40 mph or higher." +122275,732130,NEW YORK,2017,December,Heavy Snow,"NORTHERN ONEIDA",2017-12-12 00:00:00,EST-5,2017-12-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked from the Midwest and Great Lakes from the evening of the 11th to off the New England coast by the evening of the 12th. This low intensified into a major winter storm on the 13th over the Maritime's of Canada. This low brought heavy snow to portions of north central NY from the late evening of the 11th to the evening of the 12th. Then, northwest winds behind the storm brought additional lake effect snow until the evening of the 13th. Total snow accumulations ranged from 6 to 15 inches across northern Oneida County and northern Madison and Onondaga Counties.","Snowfall ranged from 7 to 15 inches in northern Oneida County." +122275,732131,NEW YORK,2017,December,Heavy Snow,"ONONDAGA",2017-12-12 00:00:00,EST-5,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked from the Midwest and Great Lakes from the evening of the 11th to off the New England coast by the evening of the 12th. This low intensified into a major winter storm on the 13th over the Maritime's of Canada. This low brought heavy snow to portions of north central NY from the late evening of the 11th to the evening of the 12th. Then, northwest winds behind the storm brought additional lake effect snow until the evening of the 13th. Total snow accumulations ranged from 6 to 15 inches across northern Oneida County and northern Madison and Onondaga Counties.","Snowfall ranged from 7 to 14 inches in Onondaga County." +122275,732132,NEW YORK,2017,December,Heavy Snow,"MADISON",2017-12-12 00:00:00,EST-5,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked from the Midwest and Great Lakes from the evening of the 11th to off the New England coast by the evening of the 12th. This low intensified into a major winter storm on the 13th over the Maritime's of Canada. This low brought heavy snow to portions of north central NY from the late evening of the 11th to the evening of the 12th. Then, northwest winds behind the storm brought additional lake effect snow until the evening of the 13th. Total snow accumulations ranged from 6 to 15 inches across northern Oneida County and northern Madison and Onondaga Counties.","Snowfall ranged from 6 to 9 inches in northern Madison County." +122284,732142,NEW YORK,2017,December,Extreme Cold/Wind Chill,"HAMILTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +113660,691809,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 15:01:00,CST-6,2017-04-10 15:01:00,0,0,0,0,2.00K,2000,0.00K,0,32.5,-97.59,32.5,-97.59,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Spotter reports golf ball size hail 5 miles NW of Grandview." +113660,691814,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 15:09:00,CST-6,2017-04-10 15:09:00,0,0,0,0,1.00K,1000,0.00K,0,32.4,-97.22,32.4,-97.22,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Quarter size hail reported in Alvarado." +113660,691817,TEXAS,2017,April,Flood,"HUNT",2017-04-10 15:24:00,CST-6,2017-04-10 15:24:00,0,0,0,0,3.00K,3000,0.00K,0,33.2043,-96.1481,33.2045,-96.1479,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","School bus stranded on HWY 69 and County Road 1033 between Greenville and Celeste." +120347,721463,GEORGIA,2017,September,Tropical Storm,"TOWNS",2017-09-11 17:00:00,EST-5,2017-09-12 02:00:00,0,0,0,0,30.00K,30000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The local media reported numerous trees and power lines blown down across the county. Several major roadways were temporarily impassable due to fallen trees. Thousands of customers were without power for varying periods of time. The Brasstown RAWS measured a wind gust of 55 MPH. No injuries were reported." +120347,721428,GEORGIA,2017,September,Tropical Storm,"SOUTH FULTON",2017-09-11 10:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Fulton County Emergency Manager reported hundreds of trees and power lines blown down across the county. Thousands of customers were without electricity for varying periods of time. A wind gust of 52 mph was measured in the Fairburn area. Radar estimated rainfall amounts of 2 to 4 inches across the county with 3.9 inches measured on Utoy Creek. No injuries were reported." +120347,721414,GEORGIA,2017,September,Tropical Storm,"TROUP",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local media reported numerous trees and power lines blown down across the county. Over 70 trees were reported to have fallen on and at least partially blocked roadways. Some damage to homes was reported due to trees or large limbs falling onto them. A wind gust of 35 mph was measured at the LaGrange airport. Many customers were without electricity for varying periods of time. Radar estimated between 2 and 5 inches of rain fell across the county with 4.19 inches measured near Stovall. No injuries were reported." +120347,721418,GEORGIA,2017,September,Tropical Storm,"FAYETTE",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Fayette County Emergency Manager reported numerous trees and power lines blown down across the county. Over a dozen homes received damage, mainly from falling trees and large limbs. A wind gust of 48 mph was measured at the airport in Peachtree City. Radar estimated between 2 and 5 inches of rain fell across the county with 4.47 inches measured in Tyrone. No injuries were reported." +122289,732191,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CAMPBELL",2017-12-31 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732193,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"WALWORTH",2017-12-30 03:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732194,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"POTTER",2017-12-30 10:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122335,732482,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 32 inches of snow." +122335,732481,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 18 inches of snow." +122335,732483,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 20 inches of snow." +122335,732484,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Brooklyn Lake SNOTEL site (elevation 10240 ft) estimated 36 inches of snow." +122335,732485,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 32 inches of snow." +122191,732561,ALABAMA,2017,December,Winter Storm,"BIBB",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across Bibb County." +122191,732562,ALABAMA,2017,December,Winter Storm,"PERRY",2017-12-08 06:00:00,CST-6,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across Perry County." +122191,732591,ALABAMA,2017,December,Winter Storm,"FAYETTE",2017-12-08 08:00:00,CST-6,2017-12-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 2-3 inches across the southern portions of Fayette County tapering off to less than 1 inch across the north." +121098,724976,NEW YORK,2017,December,Winter Storm,"NORTHERN ST. LAWRENCE",2017-12-12 04:00:00,EST-5,2017-12-13 00:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 4 to 8 inches of snow fell across St. Lawrence county with the higher amounts (>6 inches) falling in northern areas." +121098,724978,NEW YORK,2017,December,Winter Weather,"SOUTHWESTERN ST. LAWRENCE",2017-12-12 04:00:00,EST-5,2017-12-13 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 4 to 8 inches of snow fell across St. Lawrence county with the higher amounts (>6 inches) falling in northern areas." +121098,724979,NEW YORK,2017,December,Winter Weather,"NORTHERN FRANKLIN",2017-12-12 05:00:00,EST-5,2017-12-13 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 6 inches of snow fell across Franklin county." +121098,724980,NEW YORK,2017,December,Winter Weather,"SOUTHERN FRANKLIN",2017-12-12 05:00:00,EST-5,2017-12-13 00:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 6 inches of snow fell across Franklin county." +121098,724981,NEW YORK,2017,December,Winter Weather,"EASTERN CLINTON",2017-12-12 06:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 7 inches of snow fell across Clinton county." +121098,724982,NEW YORK,2017,December,Winter Weather,"WESTERN CLINTON",2017-12-12 06:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 7 inches of snow fell across Clinton county." +121157,725375,TEXAS,2017,December,Winter Weather,"COTTLE",2017-12-22 16:00:00,CST-6,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A compact upper level storm system moved across the South Plains and Rolling Plains during the afternoon into the evening of the 22nd. Although moisture was lacking with this system, several inches of snow fell at the surface near the center of the upper level closed circulation. Snowfall amounts ranged from 1.0 inches to 2.5 inches for the extreme southeastern Texas Panhandle and portions of the Rolling Plains. Elsewhere across the region, light snow generally melted as it hit the surface.||Snowfall totals from National Weather Service Cooperative weather observers are as follows:||2.5 inches at Childress 14NW (Hall County) and Childress 7NW (Childress County), 2.0 inches at Matador (Motley County) and Roaring Springs (Motley County), 1.8 inches at Childress (Childress County), 1.0 inch at Turkey (Hall County), Paducah (Cottle County), 10S Paducah (Cottle County), Dumont (King County), and Kirkland (Childress County).","" +121157,725376,TEXAS,2017,December,Winter Weather,"KING",2017-12-22 16:00:00,CST-6,2017-12-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A compact upper level storm system moved across the South Plains and Rolling Plains during the afternoon into the evening of the 22nd. Although moisture was lacking with this system, several inches of snow fell at the surface near the center of the upper level closed circulation. Snowfall amounts ranged from 1.0 inches to 2.5 inches for the extreme southeastern Texas Panhandle and portions of the Rolling Plains. Elsewhere across the region, light snow generally melted as it hit the surface.||Snowfall totals from National Weather Service Cooperative weather observers are as follows:||2.5 inches at Childress 14NW (Hall County) and Childress 7NW (Childress County), 2.0 inches at Matador (Motley County) and Roaring Springs (Motley County), 1.8 inches at Childress (Childress County), 1.0 inch at Turkey (Hall County), Paducah (Cottle County), 10S Paducah (Cottle County), Dumont (King County), and Kirkland (Childress County).","" +121179,725406,MICHIGAN,2017,December,Heavy Snow,"WASHTENAW",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121197,725506,KANSAS,2017,December,High Wind,"GRAHAM",2017-12-04 15:10:00,CST-6,2017-12-04 15:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the afternoon Hill City measured a peak gust of 59 MPH from high winds.","" +113660,691821,TEXAS,2017,April,Flood,"HUNT",2017-04-10 15:39:00,CST-6,2017-04-10 15:39:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-96.2,33.2892,-96.1994,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Fire Department reports several inches of moving water over road at HWY 69." +113660,692337,TEXAS,2017,April,Flash Flood,"BOSQUE",2017-04-10 18:58:00,CST-6,2017-04-10 21:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8007,-97.5483,31.7851,-97.5534,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Broadcast media reported flash flooding on FM 708 near the city of Clifton, TX." +113660,692350,TEXAS,2017,April,Flash Flood,"BOSQUE",2017-04-10 19:43:00,CST-6,2017-04-10 21:45:00,0,0,0,0,0.00K,0,0.00K,0,31.8349,-97.3555,31.8204,-97.389,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported flash flooding on FM 2114 near FM 2490." +113660,692385,TEXAS,2017,April,Flash Flood,"HILL",2017-04-10 20:24:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8808,-97.2451,31.8513,-97.2364,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported water completely covering Highway 933." +113660,692386,TEXAS,2017,April,Flash Flood,"MCLENNAN",2017-04-10 21:10:00,CST-6,2017-04-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7954,-97.1191,31.7329,-97.1253,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Broadcast media reported flooding along I-35 between the cities of West and Ross." +113660,692390,TEXAS,2017,April,Flash Flood,"BELL",2017-04-10 22:46:00,CST-6,2017-04-11 01:15:00,0,0,0,0,0.00K,0,0.00K,0,31.1268,-97.6939,31.1173,-97.6945,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated water rising very fast at Long Branch Park near Lake Road. A Fort Hood boat was assisting Killeen Fire and Police Departments." +121591,727781,OREGON,2017,November,High Wind,"CENTRAL OREGON COAST",2017-11-19 17:29:00,PST-8,2017-11-20 03:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved into Vancouver Island. The front associated with this system brought strong winds to the coast.","A Oregon Department of Transportation weather station on Yaquina Bridge recorded wind gusts up to 61 mph." +121592,727782,WASHINGTON,2017,November,High Wind,"SOUTH COAST",2017-11-19 19:22:00,PST-8,2017-11-20 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved into Vancouver Island. The front associated with this system brought strong winds to the coast.","Weather stations at Cape Disappointment and on Megler Bridge both recorded wind gusts up to 62 mph." +121594,727784,WASHINGTON,2017,November,High Wind,"SOUTH COAST",2017-11-25 22:57:00,PST-8,2017-11-26 04:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved up the coast. The cold front associated with this low pressure system brought strong winds to the coast.","A weather station in Ocean Park recorded wind gusts up to 60 mph. A weather station just south, in Oregon on Megler Bridge, recorded wind gusts up to 62 mph." +121595,727786,WASHINGTON,2017,November,Flood,"WAHKIAKUM",2017-11-20 04:34:00,PST-8,2017-11-20 15:52:00,0,0,0,0,0.00K,0,0.00K,0,46.3537,-123.5828,46.3547,-123.58,"Heavy rain from multiple systems moving into southwest Washington caused the Grays River to rise above flood stage three times from November 20 through November 23rd.","The Grays River crested at 13.6 feet around 10 am, which is 1.6 feet above flood stage. No damage was reported." +121595,727787,WASHINGTON,2017,November,Flood,"WAHKIAKUM",2017-11-21 16:44:00,PST-8,2017-11-22 14:54:00,0,0,0,0,0.00K,0,0.00K,0,46.3537,-123.5836,46.3547,-123.5801,"Heavy rain from multiple systems moving into southwest Washington caused the Grays River to rise above flood stage three times from November 20 through November 23rd.","The Grays River crested at 15.3 feet around 12 am, which is 3.3 feet above flood stage. No damage was reported." +121595,727788,WASHINGTON,2017,November,Flood,"WAHKIAKUM",2017-11-22 22:51:00,PST-8,2017-11-23 21:36:00,0,0,0,0,0.00K,0,0.00K,0,46.3537,-123.5834,46.3548,-123.5799,"Heavy rain from multiple systems moving into southwest Washington caused the Grays River to rise above flood stage three times from November 20 through November 23rd.","The Grays River crested at 14.0 feet around 3 am, which is 2 feet above flood stage. No damage was reported." +120715,723047,MONTANA,2017,November,High Wind,"LITTLE ROCKY MOUNTAINS",2017-11-23 23:53:00,MST-7,2017-11-24 00:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds aloft associated with a passing low pressure system impacted northeast Montana from the afternoon of the 23rd and into the early morning hours of the 24th. Although a strong surface inversion prevented the strongest winds from becoming widespread across the area, lapse rates were strong enough to mix these stronger winds aloft down to the surface across some of the higher elevation sites in Phillips County. In addition, a grass fire was started southeast of Malta, which showed signs of growing quickly before it was put out that evening.","Winds at the Malta South DOT site gusted to or above 58 mph from 11:53 PM MST the night of November 23rd to 12:39 AM MST the morning of the 24th, with a peak wind gust of 68 mph 12:00 AM." +120949,723955,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-18 08:15:00,MST-7,2017-11-20 20:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient, strong mid level winds and a favorable jet streak position brought high winds to the normally wind prone areas East of the Divide. The high winds lasted 2 days in the Cody Foothills. Wind was most persistent in areas around Clark, but strong winds also reached the western side of Cody as well. The strongest winds occurred when a mountain wave broke near Clark on the morning hours of November 20th, and there were many wind gusts over 80 mph, including a maximum of 110 mph. Wind gusts past 60 mph also occurred along the southwestern wind corridor from the Red Desert through the south side of Casper from the evening of the 19th through the 20th.","An extended period of high wind occurred in the Cody Foothills, especially in the vicinity of Clark. The strongest winds occurred when a mountain wave broke and brought a wind gust of 110 mph west of Clark. Strong winds also made into the western side of Cody, where wind gusts of 61 and 67 mph were reported. Since the strongest winds occurred in areas of sparse population, no damage was reported." +120951,723959,WYOMING,2017,November,High Wind,"ABSAROKA MOUNTAINS",2017-11-23 08:15:00,MST-7,2017-11-24 02:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving across Wyoming mixed strong mid level winds to the surface and brought high winds to portions of Wyoming. The strongest winds again occurred around Clark where a mountain wave broke. A maximum wind gust of 109 mph was reported west of Clark, however all three wind sensors near Clark had wind gusts over 60 mph. The high winds also made it to Highway 120, where a wind gust of 77 mph was noted near Meeteetse. High winds also occurred along the Chief Joseph Highway where winds were sustained as high as 60 mph and gusted as high as 79 mph. Strong winds blew in the higher elevations of the Green and Rattlesnake Range, where Camp Creek reported its strongest wind gust ever, 95 mph. However, these winds remained over the mountain tops and wind gusts along main travel routes remained much lighter.","Winds were sustained above 50 mph for several hours along the Chief Joseph Highway. The highest wind gust reported was 79 mph." +120951,723960,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-23 10:30:00,MST-7,2017-11-23 21:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving across Wyoming mixed strong mid level winds to the surface and brought high winds to portions of Wyoming. The strongest winds again occurred around Clark where a mountain wave broke. A maximum wind gust of 109 mph was reported west of Clark, however all three wind sensors near Clark had wind gusts over 60 mph. The high winds also made it to Highway 120, where a wind gust of 77 mph was noted near Meeteetse. High winds also occurred along the Chief Joseph Highway where winds were sustained as high as 60 mph and gusted as high as 79 mph. Strong winds blew in the higher elevations of the Green and Rattlesnake Range, where Camp Creek reported its strongest wind gust ever, 95 mph. However, these winds remained over the mountain tops and wind gusts along main travel routes remained much lighter.","High winds occurred across portions of the Cody Foothills. The strongest winds occurred near Clark when a mountain wave broke. All three sensors near Clark reported wind gusts past 60 mph, including a maximum of 109 mph 5 miles west-northwest of Clark. Strong winds also made to Highway 120, where a pair of wind gusts to 77 mph were reported north of Meeteetse." +121774,728883,NEW YORK,2017,November,Thunderstorm Wind,"CHAUTAUQUA",2017-11-05 18:55:00,EST-5,2017-11-05 18:55:00,0,0,0,0,10.00K,10000,0.00K,0,42.32,-79.36,42.32,-79.36,"Thunderstorms accompanied a cold front crossing the region. In Chautauqua County, the thunderstorm winds downed trees in Stockton and near Mayville at the Chautauqua Institution.","Law enforcement reported trees downed by thunderstorm winds." +121775,728886,NEW YORK,2017,November,Lake-Effect Snow,"OSWEGO",2017-11-19 20:00:00,EST-5,2017-11-20 16:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front crossed the lower Great Lakes early Sunday morning (19th). The cold air crossing the warmer waters of Lake Ontario began to produce lake effect snow bands during the evening hours. Four to six inches of snow fell across the southeast shores during the overnight hours. As high pressure built into Pennsylvania on Monday, winds became more westerly with a single band of snow focusing across the southern and central portions of the Tug Hill. Snowfall rates up to three inches per hour occurred during the morning hours with thunder also occurring over the Tug Hill midday. The lake snow weakened Monday afternoon as drier air built into the region. Reported snowfall totals included: 12 inches in Redfield (Oswego County); 10 inches in North Osceola (Lewis County); 9 inches in Lorraine (Jefferson County) and Lacona (Oswego County); and 7 inches in Highmarket (Lewis County).","" +121775,728887,NEW YORK,2017,November,Lake-Effect Snow,"LEWIS",2017-11-20 04:00:00,EST-5,2017-11-20 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front crossed the lower Great Lakes early Sunday morning (19th). The cold air crossing the warmer waters of Lake Ontario began to produce lake effect snow bands during the evening hours. Four to six inches of snow fell across the southeast shores during the overnight hours. As high pressure built into Pennsylvania on Monday, winds became more westerly with a single band of snow focusing across the southern and central portions of the Tug Hill. Snowfall rates up to three inches per hour occurred during the morning hours with thunder also occurring over the Tug Hill midday. The lake snow weakened Monday afternoon as drier air built into the region. Reported snowfall totals included: 12 inches in Redfield (Oswego County); 10 inches in North Osceola (Lewis County); 9 inches in Lorraine (Jefferson County) and Lacona (Oswego County); and 7 inches in Highmarket (Lewis County).","" +121775,728888,NEW YORK,2017,November,Lake-Effect Snow,"JEFFERSON",2017-11-20 04:00:00,EST-5,2017-11-20 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front crossed the lower Great Lakes early Sunday morning (19th). The cold air crossing the warmer waters of Lake Ontario began to produce lake effect snow bands during the evening hours. Four to six inches of snow fell across the southeast shores during the overnight hours. As high pressure built into Pennsylvania on Monday, winds became more westerly with a single band of snow focusing across the southern and central portions of the Tug Hill. Snowfall rates up to three inches per hour occurred during the morning hours with thunder also occurring over the Tug Hill midday. The lake snow weakened Monday afternoon as drier air built into the region. Reported snowfall totals included: 12 inches in Redfield (Oswego County); 10 inches in North Osceola (Lewis County); 9 inches in Lorraine (Jefferson County) and Lacona (Oswego County); and 7 inches in Highmarket (Lewis County).","" +121785,728947,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 13:45:00,PST-8,2017-11-26 13:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Mesonet atop Virginia Peak (elevation 8299 feet) measured a 91 mph wind gust." +121785,728948,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 12:10:00,PST-8,2017-11-26 12:11:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","The Stead Airport AWOS reported a wind gust of 76 mph." +121785,728950,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 09:37:00,PST-8,2017-11-26 09:38:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Mesonet station CLDNV 5 miles west of Stead reported a wind gust of 70 mph. KRNV News reported that several semi-trucks were overturned on US Highway 395 between Stead and Cold Springs." +121785,728951,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 11:30:00,PST-8,2017-11-26 11:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Cold Springs NDOT sensor reported a peak wind gust of 70 mph. Washoe County Sheriff confirmed 7-8 power poles down along the frontage road on the west side of US Highway 395 between Cold Springs and Border Town. NV Energy reported that at least 862 customers were without power in that area." +121785,728953,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-26 12:50:00,PST-8,2017-11-26 12:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","The Galena RAWS reported a wind gust of 68 mph." +121785,728954,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 11:42:00,PST-8,2017-11-26 11:43:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","NDOT mesonet on US Highway 395/I-580 at Browns Creek Bridge reported a 66 mph wind gust." +121785,728955,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-26 11:35:00,PST-8,2017-11-26 11:36:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Trained weather spotter 3 miles west of Reno reported a peak wind gust of 65 mph." +121516,727361,NEW YORK,2017,November,Strong Wind,"EASTERN RENSSELAER",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727363,NEW YORK,2017,November,Strong Wind,"EASTERN ULSTER",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727364,NEW YORK,2017,November,Strong Wind,"MONTGOMERY",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727365,NEW YORK,2017,November,Strong Wind,"NORTHERN FULTON",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727366,NEW YORK,2017,November,Strong Wind,"SCHOHARIE",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +120415,722178,PENNSYLVANIA,2017,November,Thunderstorm Wind,"MCKEAN",2017-11-05 20:35:00,EST-5,2017-11-05 20:35:00,0,0,0,0,0.00K,0,0.00K,0,41.9623,-78.6486,41.9623,-78.6486,"A line of showers and thunderstorms ahead of a strong cold front tapped into a strong low-level jet and produced several reports of wind damage across northwestern Pennsylvania.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Bradford." +120651,722740,NEVADA,2017,November,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-11-16 14:00:00,PST-8,2017-11-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought 8 to 12 inches of snow to the Ruby Mountains and East Humboldt Range.","" +121243,726787,MICHIGAN,2017,November,Winter Weather,"GOGEBIC",2017-11-08 21:00:00,CST-6,2017-11-09 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","A public report via social media measured 4.5 inches of lake effect snow in 10 hours at Ironwood." +121243,726789,MICHIGAN,2017,November,Winter Weather,"BARAGA",2017-11-08 22:00:00,EST-5,2017-11-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","The observer at Herman measured five inches of lake effect snow in roughly 12 hours." +121243,726790,MICHIGAN,2017,November,Winter Weather,"ALGER",2017-11-09 09:00:00,EST-5,2017-11-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","Observers at Eben Junction and Chatham respectively measured 9.4 inches and 7.0 inches of lake effect snow over a 24-hour period." +121243,726791,MICHIGAN,2017,November,Winter Weather,"SOUTHERN SCHOOLCRAFT",2017-11-09 07:00:00,EST-5,2017-11-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","There was a public report via social media of 4.5 inches of lake effect snow in 12 hours at Manistique." +121243,726792,MICHIGAN,2017,November,Winter Weather,"DELTA",2017-11-09 07:30:00,EST-5,2017-11-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","The spotter 15 miles south of Wetmore measured 6.2 inches of lake effect snow in 12 hours." +121346,726448,MONTANA,2017,November,Dense Fog,"SHERIDAN",2017-11-13 00:00:00,MST-7,2017-11-13 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or below during the morning of the 13th across Sheridan County, including at the Plentywood Airport." +121344,726423,MONTANA,2017,November,Dense Fog,"CENTRAL AND SOUTHERN VALLEY",2017-11-11 16:24:00,MST-7,2017-11-12 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Freezing fog was reducing visibility to one quarter mile or less at the Glasgow Airport from late in the afternoon of the 11th through most of the morning of the 12th before finally lifting." +121344,726424,MONTANA,2017,November,Dense Fog,"DANIELS",2017-11-12 01:55:00,MST-7,2017-11-12 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Visibility due to fog developed at the Scobey Airport at 1:55 AM on the morning of the 12th and dissipated by 8:55 AM that morning." +121344,726426,MONTANA,2017,November,Dense Fog,"WESTERN ROOSEVELT",2017-11-11 20:24:00,MST-7,2017-11-12 08:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Dense fog developed at the Wolf Point Airport during the evening of the 11th, reducing visibility to a quarter mile or less well into the morning of the 12th. Dense fog was also reported at Poplar during most of this time." +121344,726427,MONTANA,2017,November,Dense Fog,"RICHLAND",2017-11-12 03:24:00,MST-7,2017-11-12 07:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Freezing fog brought visibility down to a quarter mile or below for much of the early morning hours on the 12th. The Sidney Airport reported freezing fog from approximately 3:30 AM to 8:00 AM." +121446,727016,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-20 08:45:00,MST-7,2017-11-20 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 373 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 20/0910 MST." +121446,727018,WYOMING,2017,November,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-11-20 11:00:00,MST-7,2017-11-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 20/1550 MST." +121446,727019,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-20 08:20:00,MST-7,2017-11-20 08:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured peak wind gusts of 60 mph." +121446,727020,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-20 09:15:00,MST-7,2017-11-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 20/1015 MST." +121446,727021,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-20 00:55:00,MST-7,2017-11-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 20/2000 MST." +121446,727022,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-19 21:50:00,MST-7,2017-11-19 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 19/2220 MST." +121446,727023,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-20 21:25:00,MST-7,2017-11-20 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 20/2215 MST." +121616,727867,MONTANA,2017,November,Drought,"NORTHERN PHILLIPS",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Extreme (D3) drought conditions persisted across northern Phillips County through the month. Precipitation totals were generally only 10 to 50 percent of normal, although the below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727871,MONTANA,2017,November,Drought,"NORTHERN VALLEY",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Extreme (D3) drought conditions persisted across northern Valley County through the month. Precipitation totals were generally only 25 to 75 percent of normal, although the below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727873,MONTANA,2017,November,Drought,"PETROLEUM",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across Petroleum County through the month. Precipitation totals were generally only 50 to 75 percent of normal, although the below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727877,MONTANA,2017,November,Drought,"PRAIRIE",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across the western half of Prairie County through the month. Precipitation totals were generally only 10 to 50 percent of normal across the western half of the county, and about 50 to 70 percent of normal across the eastern half. The below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +120906,726830,SOUTH DAKOTA,2017,November,High Wind,"NORTHERN BLACK HILLS",2017-11-29 03:00:00,MST-7,2017-11-29 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","Some trees and power lines were downed near Lead and Central City." +120906,726831,SOUTH DAKOTA,2017,November,High Wind,"RAPID CITY",2017-11-29 05:29:00,MST-7,2017-11-29 05:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +120906,726832,SOUTH DAKOTA,2017,November,High Wind,"CENTRAL BLACK HILLS",2017-11-29 06:00:00,MST-7,2017-11-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +120906,726833,SOUTH DAKOTA,2017,November,High Wind,"PENNINGTON CO PLAINS",2017-11-29 03:00:00,MST-7,2017-11-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +120906,726834,SOUTH DAKOTA,2017,November,High Wind,"HAAKON",2017-11-29 06:00:00,MST-7,2017-11-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +120906,726835,SOUTH DAKOTA,2017,November,High Wind,"JACKSON",2017-11-29 07:00:00,MST-7,2017-11-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +113660,693065,TEXAS,2017,April,Flood,"HILL",2017-04-10 17:08:00,CST-6,2017-04-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,32.18,-97.27,32.1589,-97.2723,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported 2 to 3 inches of water over Hwy 67 in northern Hill County." +113660,693066,TEXAS,2017,April,Flood,"ELLIS",2017-04-10 17:33:00,CST-6,2017-04-10 18:45:00,0,0,0,0,0.00K,0,0.00K,0,32.27,-97.05,32.2495,-97.0834,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported about a foot of water covering Hwy 66 approximately 4 miles south-southwest of Maypearl, TX." +113660,693069,TEXAS,2017,April,Hail,"BOSQUE",2017-04-10 16:12:00,CST-6,2017-04-10 16:12:00,0,0,0,0,0.00K,0,0.00K,0,31.789,-97.5894,31.789,-97.5894,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Clifton Police Department reported golf ball sized hail at the high school in Clifton, TX." +113660,693071,TEXAS,2017,April,Hail,"BOSQUE",2017-04-10 16:22:00,CST-6,2017-04-10 16:22:00,0,0,0,0,0.00K,0,0.00K,0,31.7912,-97.5883,31.7912,-97.5883,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A public report of quarter-sized hail was received just north of Clifton Middle School." +113660,693072,TEXAS,2017,April,Hail,"LAMAR",2017-04-10 18:25:00,CST-6,2017-04-10 18:25:00,0,0,0,0,0.00K,0,0.00K,0,33.72,-95.53,33.72,-95.53,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported golf-ball sized hail approximately 5 miles north of Paris on Hwy 271." +113660,693075,TEXAS,2017,April,Hail,"LAMAR",2017-04-10 18:34:00,CST-6,2017-04-10 18:34:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-95.33,33.81,-95.33,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported golf ball sized hail approximately 16 miles northeast of Paris, TX." +113660,693076,TEXAS,2017,April,Hail,"MCLENNAN",2017-04-10 19:41:00,CST-6,2017-04-10 19:41:00,0,0,0,0,0.00K,0,0.00K,0,31.68,-97.4,31.68,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported golf ball sized hail approximately 5 miles west-northwest of China Spring, TX." +120355,721486,NEW MEXICO,2017,November,High Wind,"CENTRAL HIGHLANDS",2017-11-01 13:54:00,MST-7,2017-11-01 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep surface low over southeastern Colorado with strong winds aloft created downslope winds and above normal temperatures over eastern New Mexico. The strongest winds impacted the area from near Las Vegas to Clines Corners where gusts around 60 mph were reported. Many other areas of eastern New Mexico experienced peak wind gusts in the 50 to 55 mph range. Winds tapered off through the late evening hours.","Peak wind gust to 58 mph at Clines Corners." +120427,721505,OHIO,2017,November,Thunderstorm Wind,"AUGLAIZE",2017-11-05 15:49:00,EST-5,2017-11-05 15:51:00,0,0,0,0,5.00K,5000,0.00K,0,40.54,-84.39,40.54,-84.39,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Several trees were downed and a roof of a building was damaged." +120427,721506,OHIO,2017,November,Thunderstorm Wind,"AUGLAIZE",2017-11-05 15:53:00,EST-5,2017-11-05 15:55:00,0,0,0,0,1.00K,1000,0.00K,0,40.6,-84.22,40.6,-84.22,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Sheet metal roofing was removed from an outbuilding." +120427,721507,OHIO,2017,November,Thunderstorm Wind,"CLARK",2017-11-05 18:01:00,EST-5,2017-11-05 18:03:00,0,0,0,0,3.00K,3000,0.00K,0,40,-83.8,40,-83.8,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A few trees and power lines were downed in Moorefield Township." +120427,721518,OHIO,2017,November,Flash Flood,"CLARK",2017-11-05 19:45:00,EST-5,2017-11-05 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,39.9451,-83.8548,39.9455,-83.8571,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","High water caused a basement wall to buckle on Holly Drive." +120427,721523,OHIO,2017,November,Flash Flood,"CLARK",2017-11-05 21:00:00,EST-5,2017-11-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.933,-83.8998,39.9275,-83.9031,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","High water resulted in multiple water rescues in German and Bethel Townships." +120777,723364,FLORIDA,2017,November,Thunderstorm Wind,"VOLUSIA",2017-11-23 10:27:00,EST-5,2017-11-23 10:27:00,0,0,0,0,50.00K,50000,0.00K,0,29.2327,-81.0576,29.2327,-81.0576,"A strong thunderstorm embedded within a rain area ahead of a cold front intensified as it traveled quickly northeast across Volusia County. Mobile homes were damaged well inland in Deland, then over 30 minutes later, the storm damaged mobile homes in Daytona Beach.||Rain totals reached five to seven inches in a short period of time from Ormond-by-the-Sea to Holly Hill. High levels of standing water and some impassible roadways occurred.","Two homes sustained roof damage at the Colonial Colony North Mobile Home Park in Daytona Beach. Approximately four other nearby homes experienced minor damage." +120777,723369,FLORIDA,2017,November,Flood,"VOLUSIA",2017-11-23 06:00:00,EST-5,2017-11-23 13:00:00,0,0,0,0,0.00K,0,0.00K,0,29.493,-81.135,29.2921,-81.0401,"A strong thunderstorm embedded within a rain area ahead of a cold front intensified as it traveled quickly northeast across Volusia County. Mobile homes were damaged well inland in Deland, then over 30 minutes later, the storm damaged mobile homes in Daytona Beach.||Rain totals reached five to seven inches in a short period of time from Ormond-by-the-Sea to Holly Hill. High levels of standing water and some impassible roadways occurred.","Mesonet rain gauges recorded rain totals of five to seven inches (highest value 7.17 inches, 5 miles north-northwest of Holly Hill) which occurred during the morning into mid day as heavy rain repeatedly fell across the area from Ormond-by-the-Sea to Ormond Beach and Holly Hill. High levels of standing water and some impassible roadway temporarily resulted from the heavy rain." +120826,723512,WYOMING,2017,November,High Wind,"SHERIDAN FOOTHILLS",2017-11-23 20:21:00,MST-7,2017-11-23 21:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds at mountain top level (mountain wave) spilled down the east side of the Big Horn Mountains into the Sheridan area.","Wind gusts of 62-68 mph were recorded at the Sheridan Airport." +120838,723550,HAWAII,2017,November,Flash Flood,"KAUAI",2017-11-01 09:00:00,HST-10,2017-11-01 13:55:00,0,0,0,0,0.00K,0,0.00K,0,22.211,-159.4785,22.2106,-159.4791,"A kona (upper) low far off to the northwest of the islands was close enough to send waves of showers to the Garden Isle of Kauai. Some of the bands were intense and caused flash flooding over the northern portion of the island near Hanalei. However, there were no reports of significant property damage or injuries. This is a continuation of an episode that began at the end of October.","Kauai Emergency Management Agency reported that Kuhio Highway near the Hanalei bridge was closed due to flooding waters from the Hanalei River." +120844,723577,MISSOURI,2017,November,Hail,"WAYNE",2017-11-02 22:15:00,CST-6,2017-11-02 22:15:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-90.72,37.17,-90.72,"A cold front moved southeastward through south central Illinois and eastern and southern Missouri during the evening. Strong thunderstorms located ahead of the front in southeast Missouri occurred along a weakening axis of instability. Effective wind shear of around 30 knots, along with marginally steep mid-level lapse rates, was sufficient for dime-size hail with the stronger updrafts.","" +120793,723403,CALIFORNIA,2017,November,High Wind,"S SIERRA MTNS",2017-11-27 00:52:00,PST-8,2017-11-27 00:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Mount Tom RAWS reported a maximum wind gust of 65 mph." +120793,723404,CALIFORNIA,2017,November,High Wind,"TULARE CTY MTNS",2017-11-27 07:10:00,PST-8,2017-11-27 07:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Bear Peak RAWS reported a maximum wind gust of 68 mph." +120793,723405,CALIFORNIA,2017,November,High Wind,"KERN CTY MTNS",2017-11-27 05:32:00,PST-8,2017-11-27 05:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Blue Max RAWS reported a maximum wind gust of 84 mph." +120965,724078,ARKANSAS,2017,November,Drought,"CLEBURNE",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Cleburne County entered D2 drought designation on November 14th." +120965,724079,ARKANSAS,2017,November,Drought,"LONOKE",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Lonoke County entered D2 drought designation on November 14th." +121004,724337,KENTUCKY,2017,November,Dense Fog,"CARLISLE",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724338,KENTUCKY,2017,November,Dense Fog,"HICKMAN",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724339,KENTUCKY,2017,November,Dense Fog,"FULTON",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724340,KENTUCKY,2017,November,Dense Fog,"MCCRACKEN",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724341,KENTUCKY,2017,November,Dense Fog,"GRAVES",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724342,KENTUCKY,2017,November,Dense Fog,"LIVINGSTON",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724343,KENTUCKY,2017,November,Dense Fog,"MARSHALL",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121008,724420,KENTUCKY,2017,November,Strong Wind,"MCLEAN",2017-11-18 12:00:00,CST-6,2017-11-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong to damaging northwest winds occurred. Immediately following the front, a wind gust to 57 mph was reported about 7 miles east-northeast of Hardin in Marshall County. Other measured wind gusts in the wake of the front included 41 mph at the Paducah, Henderson, and Owensboro airports, 52 mph at Fort Campbell near Hopkinsville, and 45 mph at the Murray airport. In Hopkins County, post-frontal winds blew down a barn about six miles east of Dawson Springs. There was minor house damage, as well. In Calloway County, there were scattered reports of downed trees blocking roads.","" +121009,724422,MISSOURI,2017,November,Strong Wind,"CARTER",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724423,MISSOURI,2017,November,Strong Wind,"RIPLEY",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724424,MISSOURI,2017,November,Strong Wind,"WAYNE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724425,MISSOURI,2017,November,Strong Wind,"BOLLINGER",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +122292,732285,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BRULE",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to 10 below to 20 below zero with winds from 5 to 15 mph. The minimum wind chill measured at Chamberlain was -40 around 0900CST. A record low maximum temperature of -8 occurred five miles south of Chamberlain on December 31." +122292,732288,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"AURORA",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to 10 below to 20 below zero with winds from 5 to 15 mph. The minimum wind chill measured at White Lake was -41 at 2300CST December 31. A record low minimum temperature of -23 occurred at White Lake on December 31." +122292,732289,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DAVISON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to 10 below to 20 below zero with winds from 5 to 15 mph. The minimum wind chill measured at Mitchell was -41 at 0700CST December 31. A record low minimum and maximum temperature of -10 and -22 occurred at Mitchell on December 31." +121455,727071,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727073,HAWAII,2017,December,High Surf,"MOLOKAI LEEWARD",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727072,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727074,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727075,HAWAII,2017,December,High Surf,"MAUI CENTRAL VALLEY",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +122026,730571,TEXAS,2017,December,Drought,"KNOX",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +122026,730572,TEXAS,2017,December,Drought,"WICHITA",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +122026,730573,TEXAS,2017,December,Drought,"WILBARGER",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"With a lack of rainfall, severe drought spread across western north Texas with extreme drought developing in Foard county.","" +122273,732068,MAINE,2017,December,Heavy Snow,"CENTRAL SOMERSET",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732069,MAINE,2017,December,Heavy Snow,"COASTAL CUMBERLAND",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732070,MAINE,2017,December,Heavy Snow,"COASTAL WALDO",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732071,MAINE,2017,December,Heavy Snow,"COASTAL YORK",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732072,MAINE,2017,December,Heavy Snow,"INTERIOR CUMBERLAND",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732073,MAINE,2017,December,Heavy Snow,"INTERIOR WALDO",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +121347,726438,CALIFORNIA,2017,December,Frost/Freeze,"SE S.J. VALLEY",2017-12-21 03:00:00,PST-8,2017-12-21 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported minimum temperatures below 28 degrees." +121347,726440,CALIFORNIA,2017,December,Dense Fog,"E CENTRAL S.J. VALLEY",2017-12-21 03:30:00,PST-8,2017-12-21 09:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Visibility below a quarter mile was reported in Fresno and Madera." +121347,726441,CALIFORNIA,2017,December,Dense Fog,"SW S.J. VALLEY",2017-12-21 07:20:00,PST-8,2017-12-21 09:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Visibility below a quarter mile was reported in Hanford." +121347,726444,CALIFORNIA,2017,December,Frost/Freeze,"W CENTRAL S.J. VALLEY",2017-12-22 01:00:00,PST-8,2017-12-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported temperatures below 28 degrees. Frost protection measures were used at many orchards overnight." +121253,726693,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen 1 miles north of Republic reported 7.0 inches of new snow." +121253,726694,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer near Malo reported 6.0 inches of new snow." +121253,726695,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen near Orient reported 5.0 inches of new snow." +121253,726696,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-29 05:00:00,PST-8,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen near Newman Lake reported 6.0 inches of new snow." +121123,726723,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-18 22:00:00,PST-8,2017-12-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer in Republic recorded 6.0 inches of storm total snow." +121123,726732,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The COOP observer in Colville recorded 8.4 inches of storm total snow accumulation." +121123,726743,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The COOP observer at Newport recorded 11.0 inches of storm total snow accumulation." +121466,727121,HAWAII,2017,December,Drought,"KOHALA",2017-12-01 00:00:00,HST-10,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A small portion of the Kohala area in leeward Big Island remained in severe drought, or the D2 designation in the Drought Monitor, through the month of December.","" +121259,725891,MONTANA,2017,December,High Wind,"JUDITH BASIN",2017-12-18 02:58:00,MST-7,2017-12-18 02:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west-northwesterly flow aloft and a tight pressure gradient associated with a surface trough along a Canadian cold front contributed to strong, gusty surface winds for portions of North-Central Montana.","Mesonet station recorded 64 mph peak gust 7 miles E of Geyser." +121382,727209,MONTANA,2017,December,Winter Weather,"BUTTE / BLACKFOOT REGION",2017-12-22 15:50:00,MST-7,2017-12-23 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An increase in snow during the evening commute led to numerous accidents across west-central Montana. A special alert for emergency travel only, was issued by Missoula County for Interstate 90 between Bonner to just east of Clinton for slick roads and blowing snow causing poor visibility and hazardous driving conditions.","A trained spotter in Anaconda reported 7 inches of snow with this winter storm. Road reports from Montana Department of Transportation reported blowing and drifting snow across portions of I-90 in southwest Montana." +121505,727318,NORTH CAROLINA,2017,December,Winter Storm,"SOUTHERN JACKSON",2017-12-08 04:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread the western Carolinas, snow developed over the mountains of southwest North Carolina around daybreak on the 8th and quickly accumulated. By late morning, heavy snowfall accumulations were reported across the Smoky Mountains and Balsams and vicinity. Total accumulations generally ranged from 8-12 inches, with locally higher amounts well over a foot reported in the higher elevations, and lower amounts reported in the low valleys along the Tennessee border. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121506,727321,NORTH CAROLINA,2017,December,Winter Storm,"AVERY",2017-12-08 06:00:00,EST-5,2017-12-09 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As moisture associated with developing and strengthening low pressure over the northeast Gulf of Mexico overspread western North Carolina, snow developed across the central and northern mountains around sunrise on the 8th and quickly accumulated. By noon, heavy snowfall accumulations were reported across much of the Blue Ridge area, while moderate to occasionally heavy snow continued to fall throughout the afternoon into the evening. By the time the snow tapered off to flurries and light snow showers during the early morning hours of the 9th, total accumulations ranged from 9-12 inches across the area, with locally higher amounts reported. While occasional flurries and light snow showers produced locally light additional accumulations into the early daylight hours of the 9th, the accumulating snow ended in most areas shortly after midnight.","" +121563,727671,WISCONSIN,2017,December,Cold/Wind Chill,"WAUKESHA",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727672,WISCONSIN,2017,December,Cold/Wind Chill,"SHEBOYGAN",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727619,WISCONSIN,2017,December,Cold/Wind Chill,"DANE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,3,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 34 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. The Dane County Medical Examiner confirmed four deaths due to hypothermia. Four businesses and two apartments suffered water damage from burst pipes, but more instances of frozen and burst pipes likely occurred. On January 4th, buckling pavement on the Beltline Highway caused a 12 car accident in the morning with another occurrence of buckling in the evening. Both resulted in closed lanes for clean-up and repair. Over a dozen water main breaks occurred in the city of Madison and likely more across Dane County. Some public and private events were cancelled." +121325,726302,COLORADO,2017,December,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-12-24 20:00:00,MST-7,2017-12-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 10 to 16 inches were measured across the area." +121631,728129,MASSACHUSETTS,2017,December,High Wind,"SOUTHERN BRISTOL",2017-12-25 09:00:00,EST-5,2017-12-25 10:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 924 AM EST an amateur radio operator in Fairhaven reported a wind gust of 64 mph. At 917 AM a utility pole in Dartmouth was reported snapped in half with wires down on Milton Street. At 923 AM a tree was down on a house and through the roof of a garage on Sol E Mar Street in Dartmouth." +121631,728090,MASSACHUSETTS,2017,December,Winter Weather,"NORTHERN WORCESTER",2017-12-25 00:30:00,EST-5,2017-12-25 11:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two to six inches of snow fell on Northern Worcester County. At 921 AM EST high tension wires were reported down on Westminster Street in Fitchburg." +121631,728089,MASSACHUSETTS,2017,December,Winter Weather,"SUFFOLK",2017-12-25 07:30:00,EST-5,2017-12-25 11:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","Two and one-half to five inches of snow fell on Suffolk County. At 928 AM EST, power lines were reported down on Maple Street in Boston." +121631,728127,MASSACHUSETTS,2017,December,High Wind,"BARNSTABLE",2017-12-25 09:30:00,EST-5,2017-12-25 13:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. Damaging west to northwest winds followed on Christmas Day.","At 1010 AM EST an amateur radio operator in Eastham reported a wind gust to 76 mph. At 1030 AM EST a co-operative observer in East Falmouth reported a wind gust to 73 mph. At 1009 AM EST an amateur radio operator in Truro reported a wind gust to 69 mph. At 1015 AM EST an amateur radio operator in Dennis reported a wind gust to 65 mph. At 1002 AM EST the Automated Surface Observation System platform at Barnstable Municipal Airport measured a wind gust to 58 mph. At 945 AM EST a tree was down on power lines on Lewis Point Road in Bourne. At 1030 AM a tree and wires were down across U.S. Route 6 in Wellfleet. At 1044 AM a tree was down and the top of a utility pole was snapped off on Main Street in Dennis. At 1048 AM a large tree and wires were down on Pilgrim Lane in Eastham." +121538,727420,ATLANTIC SOUTH,2017,December,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-12-09 10:31:00,EST-5,2017-12-09 10:31:00,0,0,0,0,,NaN,,NaN,25.7,-80.21,25.7,-80.21,"A squall line associated with a strong cold front moved across South Florida during the mid to late morning hours. Storms within in the line produced several strong wind gusts as they moved across Lake Okeechobee and the local Atlantic waters.","A thunderstorm produced a wind gust of 39 mph/34 knots at WeatherFlow mesonet site XDIN in Biscayne Bay." +121538,727422,ATLANTIC SOUTH,2017,December,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-12-09 11:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,25.59,-80.1,25.59,-80.1,"A squall line associated with a strong cold front moved across South Florida during the mid to late morning hours. Storms within in the line produced several strong wind gusts as they moved across Lake Okeechobee and the local Atlantic waters.","A thunderstorm produced a wind gust to 36 knots (41 mph) at the C-MAN station FWYF1 located at Fowey Rocks at a height of 144 feet above the surface." +121494,727304,ALABAMA,2017,December,Winter Weather,"BALDWIN CENTRAL",2017-12-08 21:00:00,CST-6,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snowfall of 2 inches in Loxley, 1.4 in Robertsdale, 1 in Rosinton, 0.5 to 1 in Malbis, 0.4 to 1 in Fairhope and a trace in Foley. Reports came from a mix of Public, Coop, CoCoRaHS and Social Media." +121494,727776,ALABAMA,2017,December,Winter Weather,"CONECUH",2017-12-08 14:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total accumulations of 2 inches in Evergreen and 1.5 inches at I-65 and AL Hwy 41." +121597,728983,FLORIDA,2017,December,Winter Weather,"ESCAMBIA COASTAL",2017-12-08 22:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Inland sections of the western Florida panhandle received from near a trace to as much 2 inches of snow.","Storm total snow amounts of 0.25 in Ferry Pass and a trace in Pensacola." +121218,726343,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"BROWN",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging between 35 to 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -41F." +121218,726344,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"CHIPPEWA",2017-12-30 01:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -42F." +121926,729840,CALIFORNIA,2017,December,Wildfire,"SANTA BARBARA COUNTY SOUTH COAST",2017-12-04 06:28:00,PST-8,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong surface high pressure building in the Great Basin generated strong and gusty Santa Ana winds across sections of Ventura and Los Angeles counties. North to northeast wind gusts up to 73 MPH were reported. During this event, the Thomas Fire ignited across Ventura county, eventually spreading into Santa Barbara county.","The Thomas Fire ignited in early December in the coastal valleys of Ventura county, near Thomas Aquinas College. At the time of ignition, fuel conditions were at record dry levels for early December. The combination of gusty Santa Ana winds and the dry fuel conditions allowed the fire to spread quickly across sections of Ventura county. The fire eventually moved into southern Santa Barbara county. The fire was not officially contained until early January 2018. In all, the Thomas Fire burned 281,893 acres, making it the largest recorded fire in the state of California. During the height of the fire, one firefighter died when he was burned over." +121691,728416,IOWA,2017,December,Extreme Cold/Wind Chill,"CHICKASAW",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Chickasaw County during the evening of December 31st." +121691,728419,IOWA,2017,December,Extreme Cold/Wind Chill,"FLOYD",2017-12-31 19:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Floyd County during the evening of December 31st." +121691,728420,IOWA,2017,December,Extreme Cold/Wind Chill,"HOWARD",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Howard County during the evening of December 31st." +121691,728421,IOWA,2017,December,Extreme Cold/Wind Chill,"MITCHELL",2017-12-31 19:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Mitchell County during the evening of December 31st." +121691,728422,IOWA,2017,December,Extreme Cold/Wind Chill,"WINNESHIEK",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Winneshiek County during the evening of December 31st." +121467,727129,NEBRASKA,2017,December,Winter Weather,"CLAY",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 5.0 inches occurred in Clay Center and 3.2 inches occurred six miles east-southeast of Clay Center." +121467,727165,NEBRASKA,2017,December,Winter Weather,"SHERMAN",2017-12-23 17:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 2.6 inches occurred two miles northwest of Rockville and 2.5 inches occurred in Loup City." +121860,730848,MAINE,2017,December,Heavy Snow,"NORTHWEST AROOSTOOK",2017-12-23 10:00:00,EST-5,2017-12-23 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracking across Downeast Maine during the 23rd brought heavy snow to northern Maine. Snow developed during the morning hours of the 23rd then persisted into the evening. Warning criteria snow accumulations occurred during the evening. Storm total snow accumulations ranged from 6 to 9 inches along with some sleet. A transition to a wintry mix and rain limited snow accumulations southward across the remainder of the region.","Storm total snow accumulations ranged from 6 to 9 inches along with some sleet." +121859,730842,MAINE,2017,December,Heavy Snow,"NORTHWEST AROOSTOOK",2017-12-12 12:00:00,EST-5,2017-12-13 12:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked northeast across Maine through the night of the 12th into the morning of the 13th. Snow developed across the region through the morning into the early afternoon of the 12th. Snow and a wintry mix then persisted into the morning of the 13th. The snow transitioned to a wintry mix across northeast areas during the early morning hours of 13th. Precipitation remained mostly in the form of snow across northwest areas which persisted through the morning of the 13th. Warning criteria snow accumulations occurred through the early morning hours of the 13th. Storm total snow accumulations generally ranged from 6 to 10 inches in an area from northeast Aroostook...to northern Somerset...to northern and central Piscataquis counties. Ice accumulations of around a tenth of an inch along with some sleet also occurred in this area. Snow totals across northwest Aroostook county ranged from 9 to 13 inches.","Storm total snow accumulations ranged from 9 to 13 inches." +121860,730849,MAINE,2017,December,Heavy Snow,"NORTHEAST AROOSTOOK",2017-12-23 10:00:00,EST-5,2017-12-23 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracking across Downeast Maine during the 23rd brought heavy snow to northern Maine. Snow developed during the morning hours of the 23rd then persisted into the evening. Warning criteria snow accumulations occurred during the evening. Storm total snow accumulations ranged from 6 to 9 inches along with some sleet. A transition to a wintry mix and rain limited snow accumulations southward across the remainder of the region.","Storm total snow accumulations ranged from 6 to 9 inches along with some sleet." +121859,730843,MAINE,2017,December,Winter Storm,"NORTHEAST AROOSTOOK",2017-12-12 12:00:00,EST-5,2017-12-13 02:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked northeast across Maine through the night of the 12th into the morning of the 13th. Snow developed across the region through the morning into the early afternoon of the 12th. Snow and a wintry mix then persisted into the morning of the 13th. The snow transitioned to a wintry mix across northeast areas during the early morning hours of 13th. Precipitation remained mostly in the form of snow across northwest areas which persisted through the morning of the 13th. Warning criteria snow accumulations occurred through the early morning hours of the 13th. Storm total snow accumulations generally ranged from 6 to 10 inches in an area from northeast Aroostook...to northern Somerset...to northern and central Piscataquis counties. Ice accumulations of around a tenth of an inch along with some sleet also occurred in this area. Snow totals across northwest Aroostook county ranged from 9 to 13 inches.","Storm total snow accumulations ranged from 6 to 9 inches along with around a tenth of an inch of ice and some sleet." +121781,729409,MICHIGAN,2017,December,Winter Storm,"KEWEENAW",2017-12-05 03:00:00,EST-5,2017-12-06 09:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","The observer in Allouez reported nine inches of lake effect snow in roughly 27 hours. Strong winds gusting near 55 mph caused considerable blowing and drifting of snow with whiteout conditions at times. Drifts of three to four feet were reported in some areas. In addition, multiple power outages were reported." +121781,728927,MICHIGAN,2017,December,Winter Storm,"NORTHERN HOUGHTON",2017-12-05 03:00:00,EST-5,2017-12-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a public report of 8 to 10 inches of lake effect snow in approximately 19 hours in the Houghton/Hancock area. Strong winds gusting near 55 mph caused considerable blowing and drifting of snow with whiteout conditions at times. Drifts of three to four feet were reported in some areas. Observers in Painesdale and Allouez reported nine inches of lake effect snow in roughly 27 hours along with considerable blowing and drifting of snow." +121781,728926,MICHIGAN,2017,December,High Wind,"NORTHERN HOUGHTON",2017-12-05 20:00:00,EST-5,2017-12-05 20:10:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","The spotter in Laurium reported one large tree down along US-41 in Calumet and two large trees down on Pewabic Street in Laurium. Each tree was about two feet in diameter, and one of them landed on a house. The spotter in Freda also measured wind gusts near 60 mph earlier in the afternoon with power outages." +121781,728932,MICHIGAN,2017,December,Winter Weather,"LUCE",2017-12-06 16:00:00,EST-5,2017-12-07 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","Observers in Newberry and seven miles south of Pine Stump Junction measured nine inches of lake effect snow in approximately 15 hours. There was also a public report of 5 to 6 inches of lake effect snow in 12 hours near McMillan. Strong gusty winds resulted in multiple power outages." +112661,682998,PENNSYLVANIA,2017,February,Tornado,"LACKAWANNA",2017-02-25 14:48:00,EST-5,2017-02-25 14:50:00,0,0,0,0,50.00K,50000,0.00K,0,41.3425,-75.6538,41.3991,-75.6235,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","A tornado touched down close to Bald Mountain Road in Plains|Township Luzerne County around 235 pm EST Saturday February|25th, 2017. The tornado did extensive damage to a metal horse|barn, and 2 homes along its path. There was varying amounts of |damage to another 28 homes. The tornado also knocked down over|a thousand trees along a 12.8 mile long path. Hardest hit areas |were Bald Mountain Road in Plains Township, Suscon, Chapel, and |Baker Roads in Pittston Township, and along Glendale Road in |Pittston and Spring Brook Township in Lackawanna County. |Additionally, there was significant tree damage at Lake Scranton|near Moosic. The tornado lifted north of Lake Scranton. ||Maximum winds were estimated at 120 mph along Bald Mountain Road|in Plains Township and between 100 and 110 mph along Suscon, |Chapel, and Baker Roads in Pittston Township. Fortunately, there|were no injuries or deaths." +114029,682969,NEW YORK,2017,February,Heavy Snow,"SULLIVAN",2017-02-09 02:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 10 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 10 inches." +114030,682961,PENNSYLVANIA,2017,February,Heavy Snow,"LACKAWANNA",2017-02-09 01:00:00,EST-5,2017-02-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 11 inches with the highest amount in Clarks Summit." +114030,682962,PENNSYLVANIA,2017,February,Heavy Snow,"LUZERNE",2017-02-09 01:00:00,EST-5,2017-02-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 10 inches with the highest amount in Dallas." +114030,682963,PENNSYLVANIA,2017,February,Heavy Snow,"NORTHERN WAYNE",2017-02-09 01:00:00,EST-5,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged around 7 inches." +114030,682964,PENNSYLVANIA,2017,February,Heavy Snow,"PIKE",2017-02-09 01:00:00,EST-5,2017-02-09 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged around 7 inches." +114030,682965,PENNSYLVANIA,2017,February,Heavy Snow,"SOUTHERN WAYNE",2017-02-09 01:00:00,EST-5,2017-02-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 10 inches with the highest in Hawley." +114030,682966,PENNSYLVANIA,2017,February,Heavy Snow,"SUSQUEHANNA",2017-02-09 01:00:00,EST-5,2017-02-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 6 to 10 inches with the highest in Gelatt." +114030,682967,PENNSYLVANIA,2017,February,Heavy Snow,"WYOMING",2017-02-09 01:00:00,EST-5,2017-02-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracked across Virginia during the morning hours of the 9th and to off the New Jersey Coast by the afternoon while intensifying. This low pressure system spread snow to northeast Pennsylvania and central New York from the early morning hours of the 9th until midday. Snow accumulation ranged from 6 to 11 inches across northeast Pennsylvania to the Catskills of New York.","Snowfall accumulations ranged from 7 to 9 inches with the highest in Falls." +120907,726872,SOUTH DAKOTA,2017,December,High Wind,"PERKINS",2017-12-05 11:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726873,SOUTH DAKOTA,2017,December,High Wind,"BUTTE",2017-12-05 11:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726876,SOUTH DAKOTA,2017,December,High Wind,"NORTHERN MEADE CO PLAINS",2017-12-05 09:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726877,SOUTH DAKOTA,2017,December,High Wind,"ZIEBACH",2017-12-05 11:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726878,SOUTH DAKOTA,2017,December,High Wind,"NORTHERN FOOT HILLS",2017-12-05 11:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726879,SOUTH DAKOTA,2017,December,High Wind,"RAPID CITY",2017-12-05 12:00:00,MST-7,2017-12-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726880,SOUTH DAKOTA,2017,December,High Wind,"PENNINGTON CO PLAINS",2017-12-05 10:00:00,MST-7,2017-12-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726881,SOUTH DAKOTA,2017,December,High Wind,"HAAKON",2017-12-05 14:00:00,MST-7,2017-12-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +120907,726882,SOUTH DAKOTA,2017,December,High Wind,"SOUTHERN MEADE CO PLAINS",2017-12-05 11:00:00,MST-7,2017-12-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed across much of the northwestern and west central South Dakota plains behind a cold front. Gusts over 60 mph were common during the late morning and early afternoon hours.","" +122175,731396,SOUTH DAKOTA,2017,December,Winter Weather,"LINCOLN",2017-12-21 10:00:00,CST-6,2017-12-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of a strong cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts straddled Interstate 90, with a brief period of freezing drizzle in far southeast South Dakota preceding snowfall.","A period of freezing drizzle late morning produced a glaze on roadways prior to a light snowfall lasting into the early evening, contributing to hazardous road conditions. Two (indirect) fatalities occurred 8 miles north of Beresford on Interstate 29 when a northbound pickup lost control, rolled through the median, and came to rest on a southbound car in the other lanes. Snowfall accumulated to one to three inches, 2.9 inches in southern Sioux Falls." +121569,727648,NEW YORK,2017,December,Strong Wind,"KINGS (BROOKLYN)",2017-12-25 08:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind deepening low pressure and a cold front.","At 9 am, a car was damaged by flying scaffolding on Brooklyn Avenue near Dean Street in Crown Heights due to the strong winds. At 11 am, a tree fell onto a car at East 17th Street and Avenue P in Midwood. Local newspaper reported both events." +121568,727640,NEW JERSEY,2017,December,Strong Wind,"EASTERN BERGEN",2017-12-25 09:00:00,EST-5,2017-12-25 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind deepening low pressure and a cold front.","Around 10 am, a large tree was knocked down due to the strong winds at the corner of Fairway and Passaic Street in the town of Maywood." +122222,731652,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"AURORA",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731655,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BRULE",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731657,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"GREGORY",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +121993,730372,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"GOSPER",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","Based on NWS stations in nearby counties, the final 8 days of December likely averaged among the Top-3 coldest on record." +121994,730388,KANSAS,2017,December,Extreme Cold/Wind Chill,"OSBORNE",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","At Alton (two miles southwest), the NWS cooperative observer recorded an average temperature of 12.8 degrees through the final 8-days of December, marking the 4th-coldest finish to the year out of 111 on record." +121994,730389,KANSAS,2017,December,Extreme Cold/Wind Chill,"ROOKS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across North Central Kansas will be most-remembered for bitter cold. Based on data from several official NWS cooperative observer stations, the entire six-county area endured one of the top-5 coldest finishes to December on record (specifically the final eight days from the 24th-31st), and most of the area had one of the top-3 coldest. Focusing on Smith Center as a specific example, the 24th-31st averaged 12.5 degrees, roughly 15 degrees below normal and good for the 3rd-coldest finish to December on record out of 78 on record. During this stretch, three days at Smith Center featured high temperatures of 11 degrees-or-colder, and three days featured sub-zero lows. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, including 1 degree at Burr Oak, 5 degrees at Smith Center and 7 at Beloit. A few of the very coldest official lows during late December (on the morning of the 27th) included -10 degrees at Burr Oak and -3 at Smith Center. Not surprisingly a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories as values dropped into at least the -15 to -25 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 50s-60s from Jan. 7-10.","At Plainville (four miles west-northwest), the NWS cooperative observer recorded an average temperature of 13.3 degrees through the final 8-days of December, marking the 3rd-coldest finish to the year out of 103 on record." +121987,731899,NEW YORK,2017,December,Winter Storm,"HAMILTON",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731900,NEW YORK,2017,December,Winter Storm,"NORTHERN WARREN",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731901,NEW YORK,2017,December,Winter Storm,"NORTHERN SARATOGA",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731902,NEW YORK,2017,December,Winter Storm,"NORTHERN WASHINGTON",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +122271,732047,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRANT",2017-12-24 08:00:00,CST-6,2017-12-24 08:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An elderly Revillo woman died of exposure while walking to find help after crashing her vehicle in rural Grant county a couple days before Christmas. An expansive search resulted in her body being found on Christmas Eve.","" +122202,731536,NORTH CAROLINA,2017,December,High Wind,"ALLEGHANY",2017-12-14 04:30:00,EST-5,2017-12-14 04:30:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"A strong cold front crossed the region during the early morning hours of December 14th. An associated strong pressure gradient and cold air advection help generate damaging wind gusts across the higher peaks of the northern mountains of North Carolina. Trees were reported blown down in the community of Boone, near Ennice, and in Jefferson. Power lines were brought down between Crumpler and Jefferson.","Very strong winds downed a couple of trees along Fox Ridge Road, five miles south-southwest of Ennice. Damage values are estimated." +121644,728139,GEORGIA,2017,December,Winter Weather,"DADE",2017-12-08 08:00:00,EST-5,2017-12-09 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated that around 1 inch of snow fell in Dade County." +121644,728140,GEORGIA,2017,December,Winter Storm,"WALKER",2017-12-08 08:00:00,EST-5,2017-12-09 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 2 inches of snow were estimated across the northern portion of the county with 3 to 4 inches estimated across the south. An amateur radio operator measured 3.5 inches in Villanow." +121644,728188,GEORGIA,2017,December,Winter Weather,"NEWTON",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Newton County." +121644,728189,GEORGIA,2017,December,Winter Weather,"OCONEE",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Oconee County." +121644,728190,GEORGIA,2017,December,Winter Weather,"CLARKE",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated less than 1 inch of snow fell in Clarke County." +122284,732143,NEW YORK,2017,December,Extreme Cold/Wind Chill,"NORTHERN FULTON",2017-12-31 18:00:00,EST-5,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A bitterly cold air mass in place allowed temperatures to plummet several degrees below zero on New Years Eve into New Years Day. Temperatures ranged from zero degrees in Dutchess county to 28 degrees below zero in the high terrain of Hamilton county, New York. These cold temperatures resulted in dangerous wind chills ranging from one below to 31 degrees below zero during the early morning hours of New Years day.","" +122281,732213,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"DAKOTA",2017-12-31 09:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional inch or two snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph occurred at times through the period across northeast Nebraska, met by temperatures diving into the teens below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Winds were mainly 10 to 15 mph over the two day period, but gusted to around 25 mph at times early on December 30 and then during the morning of the 31st. Bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens below zero." +122281,732216,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"DIXON",2017-12-31 09:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional inch or two snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph occurred at times through the period across northeast Nebraska, met by temperatures diving into the teens below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Winds were mainly 10 to 15 mph over the two day period, but gusted to around 25 mph at times early on December 30 and then during the morning of the 31st. Bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens below zero. Wakefield reached a record low maximum of -5 on December 31st." +122268,732089,IOWA,2017,December,Extreme Cold/Wind Chill,"BUENA VISTA",2017-12-31 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -35 to -50 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -40 occurred around 2115CST on December 31 near Storm Lake. A record low maximum temperature of -9F occurred on the 31st four miles east of Sioux Rapids." +114098,683255,TEXAS,2017,April,Tornado,"RAINS",2017-04-29 17:50:00,CST-6,2017-04-29 18:28:00,0,0,0,0,70.00K,70000,20.00K,20000,32.7717,-95.767,32.954,-95.6987,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This tornado was a continuation from Van Zandt County. This tornado began nearly as the last tornado dissipated to the south and west. The parent supercell cycled another tornado about a mile to the east and northeast of the previous storm. This tornado quickly grew to a large tornado, becoming slightly less than one mile wide at its widest point. The tornado was at the strongest near Interstate 20 and FM 17 just north of Canton. The survey crews found continuous damage between Canton and Fruitvale, and then additional damage as far north as Emory, and Lake Fork. Several homes, businesses, and farm buildings were damaged or destroyed in the 40 mile continuous damage path. This tornado occurred for over an hour, and spanned most of Van Zandt, and nearly all of Rains Counties during the 80 minute track." +115349,692599,ALABAMA,2017,April,Hail,"TUSCALOOSA",2017-04-05 03:22:00,CST-6,2017-04-05 03:23:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-87.23,33.15,-87.23,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120347,721406,GEORGIA,2017,September,Tropical Storm,"MONROE",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. A wind gust of 43 mph was measured west of Forsyth. Radar estimated between 2.5 and 5 inches of rain fell across the county with 4.67 inches measured near Bolingbroke. No injuries were reported." +120347,721447,GEORGIA,2017,September,Tropical Storm,"FORSYTH",2017-09-11 14:00:00,EST-5,2017-09-11 21:00:00,1,0,1,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Forsyth County Emergency Manager, local law enforcement and the local media reported numerous trees and power lines blown down across the county. A tree fell onto a vehicle in a driveway off of Shadburn Road killing the passenger in the vehicle, a 67 year old female, and injuring the driver." +120347,721432,GEORGIA,2017,September,Tropical Storm,"GWINNETT",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,3.00M,3000000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Gwinnett County Emergency Manager reported hundreds of trees and power lines blown down across the county. Nine structures were destroyed, 73 sustained major damage and 77 received minor damage, mostly from falling trees. A 51 mph wind gust was measured near Suwanee and a 50 mph gust was measured around Norcross. Radar estimated between 2 and 4 inches of rain fell across the county with 3.98 inches measured in Dacula. No injuries were reported." +120347,721435,GEORGIA,2017,September,Tropical Storm,"OCONEE",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. A wind gust of 42 mph was measured in Watkinsville. Radar estimated between 2 and 4 inches of rain fell across the county with 2.93 inches measured near Watkinsville. No injuries were reported." +122289,732195,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SULLY",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732196,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HUGHES",2017-12-31 04:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732198,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"LYMAN",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122335,732486,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Another potent Pacific low pressure system followed on the heels of the December 23 storm system, and produced heavy snowfall over the Snowy and Sierra Madre Range mountains. Strong west to northwest winds up to 60 mph created considerable blowing snow with blizzard conditions through the Interstate 80 corridor between Laramie and Rawlins on Christmas Day. Mountain snowfall totals varied from 12 to 44 inches, heaviest over the Snowy Range.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 44 inches of snow." +122338,732488,NEBRASKA,2017,December,Winter Weather,"MORRILL",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Three inches of snow was observed at Bridgeport." +122338,732489,NEBRASKA,2017,December,Winter Weather,"SCOTTS BLUFF",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Four inches of snow was observed at Scottsbluff." +122338,732490,NEBRASKA,2017,December,Winter Weather,"SCOTTS BLUFF",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Three inches of snow was observed at Melbeta." +122338,732491,NEBRASKA,2017,December,Winter Weather,"DAWES",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Three inches of snow was measured 10 miles north-northeast of Hemingford." +122338,732492,NEBRASKA,2017,December,Winter Weather,"CHEYENNE",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Three inches of snow was measured eight miles north of Lodgepole." +122338,732495,NEBRASKA,2017,December,Winter Weather,"MORRILL",2017-12-25 00:00:00,MST-7,2017-12-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across the Nebraska Panhandle. Snowfall totals ranged from two to four inches.","Three and a half inches of snow was measured 10 miles south-southeast of Broadwater." +122339,732493,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Three and a half inches of snow was measured at Cheyenne." +122339,732494,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Four inches of snow was measured five miles northeast of Cheyenne." +122191,732563,ALABAMA,2017,December,Winter Storm,"SHELBY",2017-12-08 06:00:00,CST-6,2017-12-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across Shelby County." +122191,732564,ALABAMA,2017,December,Winter Storm,"CHILTON",2017-12-08 06:00:00,CST-6,2017-12-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across Chilton County." +122191,732592,ALABAMA,2017,December,Winter Storm,"BLOUNT",2017-12-08 08:00:00,CST-6,2017-12-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 3-4 inches across the southeast portions of Blount County tapering off to 2 inches across the northwest." +121098,724983,NEW YORK,2017,December,Winter Weather,"EASTERN ESSEX",2017-12-12 06:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 7 inches of snow fell across Essex county." +121098,724984,NEW YORK,2017,December,Winter Weather,"WESTERN ESSEX",2017-12-12 06:00:00,EST-5,2017-12-13 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, southern NY and New England during the afternoon/evening of December 12th. A widespread 4 to 7 inches of snow fell with some reports up to 9-10 inches. The snow began across NY between 4 and 7 am, which caused some traveling issues during the morning commute.","A widespread 3 to 7 inches of snow fell across Essex county." +121099,724993,VERMONT,2017,December,Winter Storm,"ORANGE",2017-12-12 08:00:00,EST-5,2017-12-13 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 12 inches of snow fell across Orange county." +121099,725010,VERMONT,2017,December,Winter Weather,"WESTERN FRANKLIN",2017-12-12 08:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 4 to 7 inches fell across Franklin county." +121099,724986,VERMONT,2017,December,Winter Storm,"CALEDONIA",2017-12-12 08:00:00,EST-5,2017-12-13 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An energetic clipper system with abundant moisture moved across the eastern Great Lakes, NY and New England during the afternoon/evening of December 12th. A coastal storm developed in the Gulf of Maine that help deliver more precipitation westward into eastern VT. A widespread 4 to 8 inches of snow fell across Vermont with areas of 8 to 12 inches and localized amounts in excess of 12 inches. Snow arrived during the morning commute on December 12th and impacted travel through the evening commute and beyond. Brisk winds caused considerable blowing snow.","A widespread 6 to 10 inches of snow fell across Caledonia county." +121179,725408,MICHIGAN,2017,December,Heavy Snow,"LIVINGSTON",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725409,MICHIGAN,2017,December,Heavy Snow,"OAKLAND",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725410,MICHIGAN,2017,December,Heavy Snow,"MACOMB",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +120715,723049,MONTANA,2017,November,High Wind,"LITTLE ROCKY MOUNTAINS",2017-11-24 00:04:00,MST-7,2017-11-24 00:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds aloft associated with a passing low pressure system impacted northeast Montana from the afternoon of the 23rd and into the early morning hours of the 24th. Although a strong surface inversion prevented the strongest winds from becoming widespread across the area, lapse rates were strong enough to mix these stronger winds aloft down to the surface across some of the higher elevation sites in Phillips County. In addition, a grass fire was started southeast of Malta, which showed signs of growing quickly before it was put out that evening.","A 61 mph wind gust was measured at the Hays DOT site, located on MT-66 at milepost 10.5." +120715,723051,MONTANA,2017,November,High Wind,"LITTLE ROCKY MOUNTAINS",2017-11-24 00:32:00,MST-7,2017-11-24 00:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west winds aloft associated with a passing low pressure system impacted northeast Montana from the afternoon of the 23rd and into the early morning hours of the 24th. Although a strong surface inversion prevented the strongest winds from becoming widespread across the area, lapse rates were strong enough to mix these stronger winds aloft down to the surface across some of the higher elevation sites in Phillips County. In addition, a grass fire was started southeast of Malta, which showed signs of growing quickly before it was put out that evening.","A 71 mph wind gust was measured by the BLM RAWS site in Zortman." +121346,726430,MONTANA,2017,November,Dense Fog,"CENTRAL AND SE PHILLIPS",2017-11-12 15:15:00,MST-7,2017-11-12 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or less in portions of Phillips County during much of the afternoon and evening of the 12th, including at the Malta Airport." +121346,726431,MONTANA,2017,November,Dense Fog,"CENTRAL AND SOUTHERN VALLEY",2017-11-12 17:26:00,MST-7,2017-11-12 20:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Freezing fog developed along the Milk River valley in Valley County the evening of the 12th and into the morning on the 13th. The freezing fog was dense at times, with visibility reduced to a quarter mile or less at the Glasgow Airport on the evening of the 12th." +121346,726453,MONTANA,2017,November,Dense Fog,"WESTERN ROOSEVELT",2017-11-13 00:00:00,MST-7,2017-11-13 07:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or below during the morning of the 13th across western Roosevelt County, including at the airports at Wolf Point and Poplar." +121346,726465,MONTANA,2017,November,Dense Fog,"RICHLAND",2017-11-12 19:52:00,MST-7,2017-11-13 07:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or below during the evening of the 12th and the morning of the 13th across portions of Richland County, including at the Sidney Airport." +120952,723963,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-26 22:11:00,MST-7,2017-11-27 02:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another round of high wind occurred across the Cody Foothills and Green and Rattlesnake Range as strong mid level winds mixed to the surface. However, this one was more limited in range than the previous event. High winds in the Cody Foothills were restricted to near Clark where the maximum wind gust was 66 mph. A maximum gust of 67 mph was recorded at Camp Creek in the Green and Rattlesnake Range but again high winds were restricted to the higher elevations and remained away from main travel routes.","The wind sensor 5 miles WNW of Clark reported a maximum wind gust of 66 mph." +120952,723964,WYOMING,2017,November,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-11-27 01:50:00,MST-7,2017-11-27 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Yet another round of high wind occurred across the Cody Foothills and Green and Rattlesnake Range as strong mid level winds mixed to the surface. However, this one was more limited in range than the previous event. High winds in the Cody Foothills were restricted to near Clark where the maximum wind gust was 66 mph. A maximum gust of 67 mph was recorded at Camp Creek in the Green and Rattlesnake Range but again high winds were restricted to the higher elevations and remained away from main travel routes.","The RAWS sites at Camp Creek at Fales Rock reported high wind gusts for a few hours. The maximum gust was 67 mph at Camp Creek." +121158,725311,WYOMING,2017,November,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-11-28 21:50:00,MST-7,2017-11-29 12:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface across the normally wind prone areas East of the Divide. The strongest winds were across the higher elevations of the Green and Rattlesnake Range where wind gusts of 89 mph and 75 mph were recorded at Camp Creek and Fales Rock respectively. Strong winds also occurred around Casper, with the highest winds along Wyoming Boulevard on the south side of the city, with a maximum gust of 76 mph. High winds also occurred in the lee of the Absarokas, where a wind gust of 75 mph occurred along the Chief Joseph highway and 72 mph to the west of Clark.","The RAWS sites at Camp Creek and Fales Rock had many wind gusts over 58 mph. The maximum wind gusts were 89 mph at Camp Creek and 75 mph at Fales Rock." +121158,725312,WYOMING,2017,November,High Wind,"ABSAROKA MOUNTAINS",2017-11-29 03:15:00,MST-7,2017-11-29 03:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface across the normally wind prone areas East of the Divide. The strongest winds were across the higher elevations of the Green and Rattlesnake Range where wind gusts of 89 mph and 75 mph were recorded at Camp Creek and Fales Rock respectively. Strong winds also occurred around Casper, with the highest winds along Wyoming Boulevard on the south side of the city, with a maximum gust of 76 mph. High winds also occurred in the lee of the Absarokas, where a wind gust of 75 mph occurred along the Chief Joseph highway and 72 mph to the west of Clark.","The wind sensor along the Chief Joseph highway recorded a pair of 75 mph wind gusts." +121803,729021,NEW YORK,2017,November,Flood,"WYOMING",2017-11-05 22:45:00,EST-5,2017-11-06 05:15:00,0,0,0,0,10.00K,10000,0.00K,0,42.855,-78.2736,42.8695,-78.2553,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet)." +121803,729022,NEW YORK,2017,November,Flood,"ERIE",2017-11-05 23:30:00,EST-5,2017-11-06 09:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.8388,-78.6264,42.8589,-78.6271,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet)." +121785,729034,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 13:55:00,PST-8,2017-11-26 13:56:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Reno-Tahoe International Airport ASOS reported a wind gust of 58 mph." +121700,728489,PUERTO RICO,2017,November,Flood,"CAROLINA",2017-11-07 22:02:00,AST-4,2017-11-07 22:02:00,0,0,0,0,0.00K,0,0.00K,0,18.4225,-65.992,18.4292,-65.9818,"An upper-level trough pattern in combination with a moist and unstable air mass combined to create favorable conditions for shower and thunderstorm activity across the area.","Marginal along Balderioty, highway 26, flooded and impassable. Numerous vehicles stranded." +121700,728490,PUERTO RICO,2017,November,Flood,"SAN JUAN",2017-11-07 22:02:00,AST-4,2017-11-07 22:02:00,0,0,0,0,0.00K,0,0.00K,0,18.4272,-66.0654,18.4322,-66.0558,"An upper-level trough pattern in combination with a moist and unstable air mass combined to create favorable conditions for shower and thunderstorm activity across the area.","Many roads in San Juan including Balderioty, Ponce de Leon flooded and impassable. Hospital flooded in Santurce." +121702,728493,PUERTO RICO,2017,November,Flash Flood,"BAYAMON",2017-11-18 18:41:00,AST-4,2017-11-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3988,-66.1382,18.3997,-66.1337,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","PR-2 in front of Condominio San Francisco flooded and impassable." +121702,728497,PUERTO RICO,2017,November,Flash Flood,"CATANO",2017-11-18 19:24:00,AST-4,2017-11-18 20:15:00,0,0,0,0,0.00K,0,0.00K,0,18.431,-66.1479,18.4311,-66.1476,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","Houses reported flooded at Urbanization Las Vegas, Calle Gardenia." +121702,728498,PUERTO RICO,2017,November,Flood,"GUAYNABO",2017-11-18 19:54:00,AST-4,2017-11-18 21:45:00,0,0,0,0,0.00K,0,0.00K,0,18.4116,-66.1058,18.4096,-66.1081,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","Kennedy avenue flooded in front of San Patricio Plaza." +121702,728499,PUERTO RICO,2017,November,Flash Flood,"MOROVIS",2017-11-18 19:54:00,AST-4,2017-11-18 21:45:00,0,0,0,0,0.00K,0,0.00K,0,18.2949,-66.4154,18.3073,-66.4017,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","Impassable Road 155 from Morovis to Orocovis. Stream over the road." +121702,728599,PUERTO RICO,2017,November,Flash Flood,"GUAYNABO",2017-11-18 20:54:00,AST-4,2017-11-18 21:45:00,0,0,0,0,200.00K,200000,0.00K,0,18.4087,-66.1029,18.4087,-66.1041,"A frontal boundary located near the area along with abundant moisture provided a favorable environment for shower and thunderstorm activity.","Vehicles were stranded and flooded in Parking lot at San Patricio Shopping mall." +121423,726854,WYOMING,2017,November,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-11-01 13:10:00,MST-7,2017-11-01 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Deer Creek measured peak wind gusts of 58 mph." +121516,727367,NEW YORK,2017,November,Strong Wind,"SOUTHERN FULTON",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727368,NEW YORK,2017,November,Strong Wind,"SOUTHERN HERKIMER",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727369,NEW YORK,2017,November,Strong Wind,"SOUTHERN SARATOGA",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727370,NEW YORK,2017,November,Strong Wind,"WESTERN ALBANY",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727371,NEW YORK,2017,November,Strong Wind,"WESTERN COLUMBIA",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121244,725825,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-15 10:00:00,PST-8,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through north Idaho during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted persistent upslope snow showers into the Idaho panhandle mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Lost Lake SNOTEL site recorded 10 inches of new snow accumulation." +121244,725826,IDAHO,2017,November,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-11-15 10:00:00,PST-8,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through north Idaho during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted persistent upslope snow showers into the Idaho panhandle mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Lookout Pass Ski Resort reported a two day total of 15 inches of new snow accumulation. The nearby Silver Mountain Ski Resort reported 12 inches of new snow accumulation." +121244,725827,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-15 10:00:00,PST-8,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through north Idaho during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted persistent upslope snow showers into the Idaho panhandle mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Hidden Lake SNOTEL station recorded 14 inches of new snow accumulation." +121244,725828,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-15 10:00:00,PST-8,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through north Idaho during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted persistent upslope snow showers into the Idaho panhandle mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Schweitzer Basin SNOTEL station recorded 12 inches of new snow accumulation." +121244,725829,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-15 10:00:00,PST-8,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through north Idaho during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted persistent upslope snow showers into the Idaho panhandle mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Bear Mountain SNOTEL station recorded 12 inches of new snow accumulation." +121196,725497,MONTANA,2017,November,Winter Storm,"GALLATIN",2017-11-03 07:00:00,MST-7,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak warm front across south-central MT, in conjunction with a shallow cold air mass and developing overriding precipitation caused widespread snowfall Thursday through Friday. By Friday, widespread snowfall remained in place due to a passing upper-level disturbance.","Social media report of an estimated 24 hour storm total snowfall total of 9 inches of snow." +121344,726428,MONTANA,2017,November,Dense Fog,"DAWSON",2017-11-11 22:56:00,MST-7,2017-11-12 13:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Dense fog reducing visibility to a quarter mile or less developed during the night of the 11th over portions of Dawson County and persisted into the early afternoon hours on the 12th. The Glendive Aiport reported dense freezing fog from approximately 11:00 PM on the 11th through 2:00 PM on the 12th." +121344,726429,MONTANA,2017,November,Dense Fog,"CENTRAL AND SE PHILLIPS",2017-11-11 07:35:00,MST-7,2017-11-12 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 11th, persisting through the morning of the 12th across many areas, and even into early afternoon across portions of Dawson County. Many of the areas affected were along the Milk, Yellowstone, and Missouri River valleys. Visibility in many of the impacted areas was reduced to below a quarter of a mile during this time.","Freezing fog developed across the Milk River valley in Phillips County the morning of the 11th, reducing visibility to a quarter mile or less at the Malta Airport until the early morning hours of the 12th." +120578,722328,MONTANA,2017,November,Heavy Snow,"KOOTENAI/CABINET REGION",2017-11-02 06:00:00,MST-7,2017-11-03 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an arctic front sliding down the Rockies and a short wave trough moving across the Pacific Northwest creates a perfect setup for heavy valley snow across northwest and southwest Montana. Due to the early season nature of this event, road crews were not fully staffed to clear the heavy snow, and were thus overwhelmed.","Montana Department of Transportation (MDT) reported trees were falling on highway 56 north of Noxon due to the weight of the snow. Snow amounts were very impressive for early November with Libby reporting a storm total of 11 inches. Spotters also reported 10.4 inches near Marion and 12.1 inches near Kila." +120578,722332,MONTANA,2017,November,Heavy Snow,"FLATHEAD/MISSION VALLEYS",2017-11-02 06:00:00,MST-7,2017-11-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an arctic front sliding down the Rockies and a short wave trough moving across the Pacific Northwest creates a perfect setup for heavy valley snow across northwest and southwest Montana. Due to the early season nature of this event, road crews were not fully staffed to clear the heavy snow, and were thus overwhelmed.","Montana Department of Transportation declared Severe Driving conditions for US 93 from Polson to Somers due to heavy snow. Roads were closed from about Dayton to Somers. A Spotter in Kalispell reported a 24 hour total of 12.7 inches with a few hours of 1 per hour snow rates. Other spotters in the Flathead Valley reported 7.4 inches in Bigfork and 7.4 inches in Evergreen." +121446,727024,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-20 21:25:00,MST-7,2017-11-20 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 20/2215 MST." +121446,727025,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-19 22:30:00,MST-7,2017-11-19 22:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured peak wind gusts of 58 mph." +121446,727026,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-20 06:55:00,MST-7,2017-11-20 22:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 20/1505 MST." +121446,727027,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-19 21:50:00,MST-7,2017-11-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 19/2155 MST." +121446,727028,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-20 04:00:00,MST-7,2017-11-20 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 20/0540 MST." +121446,727029,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-20 07:55:00,MST-7,2017-11-20 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 20/1120 MST." +121446,727166,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-20 00:00:00,MST-7,2017-11-20 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 20/0505 MST." +119166,715660,UTAH,2017,July,Thunderstorm Wind,"DUCHESNE",2017-07-02 16:00:00,MST-7,2017-07-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.17,-110.49,40.17,-110.49,"A couple of thunderstorms over Utah on July 2 and July 5 produced severe wind gusts.","The US-40 at Starvation sensor recorded a peak wind gust of 59 mph." +119166,715663,UTAH,2017,July,Thunderstorm Wind,"SUMMIT",2017-07-05 14:43:00,MST-7,2017-07-05 14:43:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-111.54,40.73,-111.54,"A couple of thunderstorms over Utah on July 2 and July 5 produced severe wind gusts.","The UDOT sensor at Kimball Junction and I-80 recorded a maximum wind gust of 59 mph." +119169,715671,UTAH,2017,July,Flash Flood,"WAYNE",2017-07-11 19:00:00,MST-7,2017-07-11 21:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2491,-111.2956,38.3115,-111.2771,"Strong thunderstorms over southern Utah produced flash flooding during the second week of July. The most significant of this flooding hit the town of Kanab on July 9.","Heavy rain caused flash flooding in portions of Capitol Reef National Park, including Cohab Canyon, Sulphur Creek, and Grand Wash." +121616,727881,MONTANA,2017,November,Drought,"SHERIDAN",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across Sheridan County through the month. Precipitation totals were generally only 50 to 90 percent of normal. The below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727880,MONTANA,2017,November,Drought,"RICHLAND",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) drought conditions persisted across the western half of Richland County through the month. Precipitation totals were generally only 50 to 70 percent of normal. The below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +121616,727882,MONTANA,2017,November,Drought,"WESTERN ROOSEVELT",2017-11-01 00:00:00,MST-7,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With most of northeast Montana again experiencing below normal precipitation for the month of November, drought conditions did not change much, if at all, throughout the month. Severe (D2) to Extreme (D3) drought conditions persisted across the region. Additionally, there were reports of signs of negative impacts to the winter wheat crop across Montana and the Dakotas.","Severe (D2) to Extreme (D3) drought conditions persisted across western Roosevelt County through the month. Precipitation totals were generally only 25 to 50 percent of normal. The below normal precipitation was not enough to have a major impact on the prevailing drought conditions." +120666,727892,MONTANA,2017,November,High Wind,"LITTLE ROCKY MOUNTAINS",2017-11-22 02:30:00,MST-7,2017-11-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west to northwest winds aloft between a departing surface low and an approaching upper level area of high pressure moved across northeast Montana the morning of the 22nd. Although a strong surface inversion prevented high winds from impacting much of the area, lapse rates were strong enough to mix these stronger winds aloft down to the surface across some of the higher elevation sites in Phillips County.","The Malta South DOT sensor on US 191 recorded sustained winds of 40 mph or greater from 2:30 AM to 8:00 AM on the morning of the 22nd, with winds gusting to 58 mph or greater much of that time. The peak wind gust was 68 mph, lasting from 4:28 to 4:38 AM." +120906,726836,SOUTH DAKOTA,2017,November,High Wind,"TRIPP",2017-11-29 09:00:00,CST-6,2017-11-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong south to southwest winds developed ahead of an approaching cold front. The strongest winds were over the terrain favored areas of the Black Hills, the Spearfish area, and parts of southwestern into south central South Dakota. Wind gusts of 60 to 70 mph occurred for a brief period during the early morning hours when a spotter west of Spearfish reported a gust of 81 mph.","" +120905,726847,WYOMING,2017,November,High Wind,"NORTHERN CAMPBELL",2017-11-29 01:30:00,MST-7,2017-11-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds developed ahead of an approaching cold front across parts of far northeastern Wyoming. The strongest winds were across the Bear Lodge Mountains and Beulah area, where gusts around 60 mph were recorded.","" +120905,726848,WYOMING,2017,November,High Wind,"WYOMING BLACK HILLS",2017-11-29 03:00:00,MST-7,2017-11-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southwest winds developed ahead of an approaching cold front across parts of far northeastern Wyoming. The strongest winds were across the Bear Lodge Mountains and Beulah area, where gusts around 60 mph were recorded.","" +121420,726839,SOUTH DAKOTA,2017,November,High Wind,"HARDING",2017-11-29 10:00:00,MST-7,2017-11-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +121420,726840,SOUTH DAKOTA,2017,November,High Wind,"PERKINS",2017-11-29 13:00:00,MST-7,2017-11-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +121420,726841,SOUTH DAKOTA,2017,November,High Wind,"BUTTE",2017-11-29 13:00:00,MST-7,2017-11-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +121420,726842,SOUTH DAKOTA,2017,November,High Wind,"NORTHERN MEADE CO PLAINS",2017-11-29 14:00:00,MST-7,2017-11-29 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +121420,726843,SOUTH DAKOTA,2017,November,High Wind,"ZIEBACH",2017-11-29 13:00:00,MST-7,2017-11-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +114098,683254,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 17:08:00,CST-6,2017-04-29 17:50:00,24,0,2,0,600.00K,600000,20.00K,20000,32.3991,-95.8756,32.7717,-95.767,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This tornado began nearly as the last tornado dissipated to the south and west. The parent supercell cycled another tornado about a mile to the east and northeast of the previous storm. This tornado quickly grew to a large tornado, becoming slightly less than one mile wide at its widest point. The tornado was at the strongest near Interstate 20 and FM 17 just north of Canton. The survey crews found continuous damage between Canton and Fruitvale, and then additional damage as far north as Emory, |and Lake Fork. Several homes, businesses, and farm buildings were damaged or destroyed in the 40 mile continuous damage path. This tornado occurred for over an hour, and spanned most of Van Zandt, and nearly all of Rains Counties during the 80 minute track." +114968,689660,COLORADO,2017,May,Hail,"WELD",2017-05-16 13:50:00,MST-7,2017-05-16 13:50:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-104.8,40.42,-104.8,"Strong thunderstorm produced hail up to nickel size across parts of Boulder, Washington and Weld Counties.","" +114968,689661,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-16 14:26:00,MST-7,2017-05-16 14:26:00,0,0,0,0,0.00K,0,0.00K,0,40.13,-102.86,40.13,-102.86,"Strong thunderstorm produced hail up to nickel size across parts of Boulder, Washington and Weld Counties.","" +120427,721525,OHIO,2017,November,Flash Flood,"MONTGOMERY",2017-11-05 21:00:00,EST-5,2017-11-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8734,-84.18,39.8755,-84.0042,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","East and west bound lanes of Interstate 70 were closed in places due to high water between mile markers 36 and 44." +120427,721526,OHIO,2017,November,Flash Flood,"HAMILTON",2017-11-06 00:15:00,EST-5,2017-11-06 01:15:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-84.52,39.2392,-84.5173,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Three to four inches of water were flowing across the street." +120427,721528,OHIO,2017,November,Flash Flood,"WARREN",2017-11-06 01:00:00,EST-5,2017-11-06 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.36,-84.31,39.3662,-84.2727,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Hamilton Road and Mason Montgomery Road were closed due to flowing water. High water was also reported near Columbia Road and Irwin Simpson Road." +120427,721530,OHIO,2017,November,Flood,"GREENE",2017-11-05 19:45:00,EST-5,2017-11-05 21:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8017,-84.0825,39.8006,-84.0552,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Hebble Creek near Hidden Hills Wetlands Park was out of its banks." +120427,721532,OHIO,2017,November,Flood,"GREENE",2017-11-05 20:45:00,EST-5,2017-11-05 22:45:00,0,0,0,0,0.00K,0,0.00K,0,39.69,-83.94,39.7231,-83.9314,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A few roads were closed due to high water." +120427,721533,OHIO,2017,November,Flood,"CLARK",2017-11-05 22:00:00,EST-5,2017-11-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-83.95,39.9315,-83.9428,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","One to two feet of water was reported on north Hampton Road." +120845,723578,ILLINOIS,2017,November,Thunderstorm Wind,"HARDIN",2017-11-05 20:20:00,CST-6,2017-11-05 20:25:00,0,0,0,0,10.00K,10000,0.00K,0,37.45,-88.3,37.47,-88.17,"A cold front tracked southeast across southern Illinois during the evening hours. Thunderstorms slowly advanced east-southeastward ahead of the cold front. The storms organized into a line as they crossed southern Illinois. Isolated strong to damaging winds became the main severe weather phenomenon as the storm mode became linear.","Numerous trees were blown down. One of the trees was down at the housing authority in Elizabethtown." +120855,723603,HAWAII,2017,November,Drought,"MOLOKAI LEEWARD",2017-11-01 00:00:00,HST-10,2017-11-14 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although portions of Molokai, Maui, and the Big Island began the month in the D2 category of severe drought, these areas had enough rainfall to lift them out of that designation by the middle of November.","" +120855,723604,HAWAII,2017,November,Drought,"MAUI CENTRAL VALLEY",2017-11-01 00:00:00,HST-10,2017-11-14 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although portions of Molokai, Maui, and the Big Island began the month in the D2 category of severe drought, these areas had enough rainfall to lift them out of that designation by the middle of November.","" +120855,723605,HAWAII,2017,November,Drought,"LEEWARD HALEAKALA",2017-11-01 00:00:00,HST-10,2017-11-14 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although portions of Molokai, Maui, and the Big Island began the month in the D2 category of severe drought, these areas had enough rainfall to lift them out of that designation by the middle of November.","" +120855,723608,HAWAII,2017,November,Drought,"BIG ISLAND NORTH AND EAST",2017-11-01 00:00:00,HST-10,2017-11-14 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although portions of Molokai, Maui, and the Big Island began the month in the D2 category of severe drought, these areas had enough rainfall to lift them out of that designation by the middle of November.","" +120863,723672,ALASKA,2017,November,Heavy Snow,"HAINES BOROUGH AND LYNN CANAL",2017-11-27 00:00:00,AKST-9,2017-11-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An overrunning snowstorm occurred for the Northernmost Panhandle late on 11/26 and the morning of 11/27 combined with strong convective cells. Lightning was observed. The arctic front was stationary over S. Lynn Canal and Glacier Bay. No damage was reported but the impact was heavy snow removal.","Haines town COOP observed 7.2 inches storm total over three days. Mud Bay spotter got 6 inches new on the morning of 11/27. No damage reported. Impact was snow removal." +120863,723674,ALASKA,2017,November,Heavy Snow,"SALISBURY SOUND TO CAPE FAIRWEATHER COASTAL AREA",2017-11-27 00:00:00,AKST-9,2017-11-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An overrunning snowstorm occurred for the Northernmost Panhandle late on 11/26 and the morning of 11/27 combined with strong convective cells. Lightning was observed. The arctic front was stationary over S. Lynn Canal and Glacier Bay. No damage was reported but the impact was heavy snow removal.","On the morning of 11/27, Pelican measured 8 inches of snow from overnight. No damage reported. Impact was snow removal." +120793,723406,CALIFORNIA,2017,November,High Wind,"KERN CTY MTNS",2017-11-27 07:27:00,PST-8,2017-11-27 07:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Bird Springs Pass RAWS reported a maximum wind gust of 75 mph." +120793,723407,CALIFORNIA,2017,November,High Wind,"KERN CTY MTNS",2017-11-27 11:14:00,PST-8,2017-11-27 11:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Jawbone Canyon RAWS reported a maximum wind gust of 74 mph." +120793,723408,CALIFORNIA,2017,November,High Wind,"KERN CTY MTNS",2017-11-27 11:19:00,PST-8,2017-11-27 11:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","South Slope reported a maximum wind gust of 58 mph." +120965,724080,ARKANSAS,2017,November,Drought,"GRANT",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Grant County entered D2 drought designation on November 14th." +120965,724081,ARKANSAS,2017,November,Drought,"JEFFERSON",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Jefferson County entered D2 drought designation on November 14th." +121004,724344,KENTUCKY,2017,November,Dense Fog,"CALLOWAY",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724345,KENTUCKY,2017,November,Dense Fog,"CRITTENDEN",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724346,KENTUCKY,2017,November,Dense Fog,"LYON",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724347,KENTUCKY,2017,November,Dense Fog,"CALDWELL",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724348,KENTUCKY,2017,November,Dense Fog,"TRIGG",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724349,KENTUCKY,2017,November,Dense Fog,"HOPKINS",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724350,KENTUCKY,2017,November,Dense Fog,"MUHLENBERG",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121004,724351,KENTUCKY,2017,November,Dense Fog,"CHRISTIAN",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121009,724426,MISSOURI,2017,November,Strong Wind,"STODDARD",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724427,MISSOURI,2017,November,Strong Wind,"CAPE GIRARDEAU",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724428,MISSOURI,2017,November,Strong Wind,"PERRY",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724429,MISSOURI,2017,November,Strong Wind,"SCOTT",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724430,MISSOURI,2017,November,Strong Wind,"MISSISSIPPI",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +121009,724431,MISSOURI,2017,November,Strong Wind,"NEW MADRID",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast across southeast Missouri into the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Poplar Bluff airport, wind gusts to 48 mph were measured behind the front. A wind gust to 51 mph was measured at the Cape Girardeau airport soon after the frontal passage.","" +122292,732290,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"LINCOLN",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. The low temperature in Canton was -19 on December 31." +122292,732291,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"UNION",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. A minimum wind chill of -36 was recorded at Beresford around 1000CST on December 31. The low temperature in Beresford was -32 on December 31." +122292,732293,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CLAY",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. The low temperature two miles southeast of Vermillion was -19 on December 31." +121455,727076,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121455,727077,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-09 22:00:00,HST-10,2017-12-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a powerful low northwest of the Aloha State generated surf of 15 to 30 feet along the north- and west-facing shores of Niihau, Kauai, and Molokai, and the north-facing shores of Oahu and Maui; and 10 to 20 feet along the west-facing shores of Oahu and the north-facing shores of the Big Island. Ocean safety personnel were involved in rescues and advising inexperienced beach-goers to stay away from the dangerous surf. There were no reports of serious injuries. Costs of any damages were not available.","" +121456,727078,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121456,727079,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121456,727080,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121456,727081,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121456,727082,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121456,727083,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +122273,732074,MAINE,2017,December,Heavy Snow,"INTERIOR YORK",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732076,MAINE,2017,December,Heavy Snow,"KENNEBEC",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732079,MAINE,2017,December,Heavy Snow,"KNOX",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732080,MAINE,2017,December,Heavy Snow,"LINCOLN",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732081,MAINE,2017,December,Heavy Snow,"SAGADAHOC",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732083,MAINE,2017,December,Heavy Snow,"NORTHERN FRANKLIN",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732084,MAINE,2017,December,Heavy Snow,"NORTHERN OXFORD",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +121347,726446,CALIFORNIA,2017,December,Frost/Freeze,"E CENTRAL S.J. VALLEY",2017-12-22 01:00:00,PST-8,2017-12-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported temperatures below 28 degrees. Frost protection measures were used at many orchards overnight." +121347,726447,CALIFORNIA,2017,December,Frost/Freeze,"SW S.J. VALLEY",2017-12-22 01:00:00,PST-8,2017-12-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported temperatures below 28 degrees. Frost protection measures were used at many orchards overnight." +121347,726449,CALIFORNIA,2017,December,Frost/Freeze,"SE S.J. VALLEY",2017-12-22 01:00:00,PST-8,2017-12-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through Central California on December 20. While rainfall amounts in the San Joaquin Valley were generally light (a tenth of an inch or less), a cooler airmass settled into the valley behind this system. Clearing skies and light winds allowed for strong radiational cooling to take place overnight and temperatures fell into the 20's for several hours overnight. In addition, an area of dense fog formed along the center of the San Joaquin Valley impacting travel on State Route 99 in the Fresno area. On the following morning, less fog was present although some freezing fog was reported as the airmass dried and temperatures dropped even lower than on the previous morning.","Several locations reported temperatures below 28 degrees. Frost protection measures were used at many orchards overnight." +121351,726471,OKLAHOMA,2017,December,Drought,"MCCURTAIN",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions continued from the final day of November through the first three weeks of December across extreme Southeast Oklahoma, before an extended period of wetting rains fell between December 16th-22nd. Up through mid-month, cumulative rainfall deficits of ten to in excess of eleven inches were common across much of McCurtain County, where only 2.75-3.50 inches of rain fell. Widespread rainfall amounts of four to in excess of five inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since mid-November.","" +121253,726698,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-29 05:00:00,PST-8,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer in north Spokane reported 5.0 inches of new snow." +121252,725865,IDAHO,2017,December,Flood,"LATAH",2017-12-29 20:45:00,PST-8,2017-12-29 23:00:00,0,0,0,0,0.50K,500,0.00K,0,46.7306,-117.0329,46.7285,-117.0038,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","The USGS river gage at Paradise Creek in Moscow recorded a sharp rise above the Flood Stage of 9.2 feet at 8:45 PM December 29th. The creek quickly crested at 9.7 feet by 9:00 PM and then receded back below Flood Stage by 11:00 PM. No damage was reported with this minor flood." +121252,725866,IDAHO,2017,December,Debris Flow,"LEWIS",2017-12-30 06:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,46.25,-116.1,46.2444,-116.0937,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","Heavy rain and snow melt saturated the ground and caused a Debris Flow near Kamiah. The mudslide cut and temporarily closed Idaho Highway 64 between Nez Perce and Kamiah." +121123,726744,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The COOP observer at Newport recorded 6.5 inches of storm total snow accumulation." +121123,726745,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","The 49 North ski resort reported 30 inches of storm total snow." +121123,726756,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer near Evans reported 4.5 inches of new snow." +121256,725882,MONTANA,2017,December,Extreme Cold/Wind Chill,"TOOLE",2017-12-31 21:35:00,MST-7,2017-12-31 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","Sweet Grass MT DOT station reported wind chill of -49F with sustained wind of 26 mph, gusting to 30 mph." +121256,725883,MONTANA,2017,December,Extreme Cold/Wind Chill,"BLAINE",2017-12-31 18:18:00,MST-7,2017-12-31 18:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","Fort Belknap RAWS reported -46F wind chill with sustained wind of 10 mph, gusting to 12 mph." +121256,727407,MONTANA,2017,December,Extreme Cold/Wind Chill,"TOOLE",2017-12-31 05:15:00,MST-7,2017-12-31 05:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","MT DOT station near Sunburst recorded -58F wind chill with sustained wind of 12 mph." +121256,727409,MONTANA,2017,December,Extreme Cold/Wind Chill,"LIBERTY",2017-12-30 06:01:00,MST-7,2017-12-30 06:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","COOP station 9 miles SE of Whitlash reported wind chill of -43F with sustained wind of 17 mph." +121563,727635,WISCONSIN,2017,December,Cold/Wind Chill,"MILWAUKEE",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,2,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. The Milwaukee County Medical Examiner confirmed three deaths due to hypothermia. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727658,WISCONSIN,2017,December,Cold/Wind Chill,"GREEN",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121563,727661,WISCONSIN,2017,December,Cold/Wind Chill,"JEFFERSON",2017-12-25 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air and wind chill temperatures prevailed over southern WI from Christmas Day through January 6th. Wind chill temperatures of 20 below to 34 below zero occurred at times with low temperatures below zero for most nights. There are eight known deaths related to hypothermia. Water main breaks and frozen pipes in homes and businesses were a common occurrence across southern WI. Some water damage occurred indoors due to pipes bursting. The cold conditions also caused pavement to buckle on the Beltline Highway in Madison on two separate occasions with one causing a 12 vehicle accident. Some public and private events were cancelled.","Wind chill temperatures of 20 below to 30 below zero, and low temperatures below zero occurred at times during this period of prolonged arctic air. Water main breaks and burst pipes occurred across the area. Some public and private events were cancelled." +121036,724634,CALIFORNIA,2017,December,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-12-16 04:00:00,PST-8,2017-12-16 18:00:00,2,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"North winds in the wake of a departing system brought down trees and limbs, causing 2 injuries and numerous power outages.","A large tree in near Sutter's Fort fell across L and 26th streets in Sacramento. Two people sitting at a nearby bus stop were hit by branches. They were transported to the hospital and treated for minor injuries. Wind gusts reached as high as 49 mph at Sacramento International Airport." +121036,728137,CALIFORNIA,2017,December,Strong Wind,"SOUTHERN SACRAMENTO VALLEY",2017-12-16 04:00:00,PST-8,2017-12-16 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"North winds in the wake of a departing system brought down trees and limbs, causing 2 injuries and numerous power outages.","Winds brought down trees and branches causing power outages. Nearly 13,000 customers were without power in the Sacramento area, about 5,000 in Davis." +121325,726303,COLORADO,2017,December,Winter Storm,"FLATTOP MOUNTAINS",2017-12-24 16:00:00,MST-7,2017-12-25 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 12 to 22 inches were measured across the area." +121325,726299,COLORADO,2017,December,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-12-24 22:00:00,MST-7,2017-12-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 10 to 20 inches were measured across the area. Locally higher amounts included 25 inches at Steamboat Springs Ski Area." +121325,727983,COLORADO,2017,December,Winter Weather,"UPPER YAMPA RIVER BASIN",2017-12-24 23:00:00,MST-7,2017-12-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 6 to 12 inches were measured across the area. Locally higher amounts included 19.5 inches near Clark." +121325,726300,COLORADO,2017,December,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-12-24 23:00:00,MST-7,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 6 to 12 inches were measured across the area. I-70 in the Vail and Vail Pass areas were closed at times due to vehicle accidents on slick and snowpacked roads." +121325,727984,COLORADO,2017,December,Winter Weather,"CENTRAL COLORADO RIVER BASIN",2017-12-24 23:00:00,MST-7,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 2 to 6 inches were measured across the area." +121032,724626,MINNESOTA,2017,December,Cold/Wind Chill,"SOUTHERN ST. LOUIS / CARLTON",2017-12-16 16:15:00,CST-6,2017-12-16 16:15:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A man and his dog were found deceased in a cabin in the Saginaw area. Authorities determined that the cause of death was carbon monoxide poisoning from a generator running inside the cabin.","A man and his dog were found deceased in a cabin in the Saginaw area. Authorities determined that the cause of death was carbon monoxide poisoning from a generator running inside the cabin." +121761,728845,WISCONSIN,2017,December,Heavy Snow,"SAWYER",2017-12-04 20:30:00,CST-6,2017-12-06 06:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system moved off of the Colorado Rockies into Wisconsin. Precipitation initially started as rain with thunderstorms and pea size hail before turning to snow late on the 4th. By the morning of the 5th, a swath of snow stretched from Burnett County to Iron County. Heavy snow was reported near Seeley in Sawyer County of 6 inches in 6 hours and in Iron County with 6 inches in under 12 hours. Total snow in Iron County, including the subsequent lake effect snow, ranged from 8 to 15 inches.","Observer measured 6 inches of snowfall within six hours." +121761,728847,WISCONSIN,2017,December,Heavy Snow,"IRON",2017-12-04 23:00:00,CST-6,2017-12-05 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system moved off of the Colorado Rockies into Wisconsin. Precipitation initially started as rain with thunderstorms and pea size hail before turning to snow late on the 4th. By the morning of the 5th, a swath of snow stretched from Burnett County to Iron County. Heavy snow was reported near Seeley in Sawyer County of 6 inches in 6 hours and in Iron County with 6 inches in under 12 hours. Total snow in Iron County, including the subsequent lake effect snow, ranged from 8 to 15 inches.","Six inches of heavy snow observed one mile west southwest of Saxon, Wisconsin." +121801,729198,OHIO,2017,December,Winter Weather,"LOGAN",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department near Bellefontaine measured .8 inches of snow, while the cooperative observer north of Huntsville measured a half inch." +121801,729199,OHIO,2017,December,Winter Weather,"MERCER",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The highway department west of Celina measured 1.5 inches of snow." +121801,729206,OHIO,2017,December,Winter Weather,"MONTGOMERY",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The Dayton airport measured 1.7 inches of snow, while the highway department near Englewood measured 1.5 inches. A NWS employee south of Centerville measured 1.2 inches." +121801,729211,OHIO,2017,December,Winter Weather,"PREBLE",2017-12-09 19:00:00,EST-5,2017-12-10 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold front combined with an upper level disturbance over the region to produce a shot of light snow over the region.","The CoCoRaHS observer in Eaton and the highway department near West Alexandria both measured an inch of snow." +121218,726345,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"DOUGLAS",2017-12-29 23:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started late Friday evening, and continued through Saturday and Sunday morning. The worst conditions occurred both Saturday and Sunday morning when wind speeds combined with cold lows to produced wind chill values around -44F." +121218,726346,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"FARIBAULT",2017-12-30 06:00:00,CST-6,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 35 degrees below zero which occurred Saturday morning." +121692,728423,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"DODGE",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass dropped temperatures into the teens below zero during the evening of December 31st. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January 2018.","Wind chills of 35 to 40 below were common across Dodge County during the evening of December 31st. The coldest reported wind chill by the automated weather observing equipment at the Dodge Center airport was 37 below." +121692,728424,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"FILLMORE",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass dropped temperatures into the teens below zero during the evening of December 31st. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January 2018.","Wind chills of 35 to 40 below were common across Fillmore County during the evening of December 31st. The coldest reported wind chill by the automated weather observing equipment at the Preston airport was 38 below." +121692,728426,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"OLMSTED",2017-12-31 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass dropped temperatures into the teens below zero during the evening of December 31st. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January 2018.","Wind chills of 35 to 40 below were common across Olmsted County during the evening of December 31st. The coldest reported wind chill by the automated weather observing equipment at the Rochester airport was 38 below." +121692,728425,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MOWER",2017-12-31 20:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass dropped temperatures into the teens below zero during the evening of December 31st. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January 2018.","Wind chills of 35 to 40 below were common across Mower County during the evening of December 31st. The coldest reported wind chill by the automated weather observing equipment at the Austin airport was 36 below." +121691,728418,IOWA,2017,December,Extreme Cold/Wind Chill,"FAYETTE",2017-12-31 21:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic air mass allowed temperatures across northeast Iowa to drop into the teens below zero to close out the year. When combined with wind speeds of 10 to 15 mph, wind chills of 35 to 40 below were common. These dangerously cold wind chills continued into early January.","Wind chills of 35 to 40 below were common across Fayette County during the evening of December 31st. The coldest reported wind chill by the automated weather observing equipment at the Oelwein airport was 39 below." +121931,729851,OHIO,2017,December,Winter Weather,"AUGLAIZE",2017-12-23 06:00:00,EST-5,2017-12-23 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of rain slowly transitioned over to snow in the wake of a cold frontal passage.","The county garage measured an inch of snow south of Wapakoneta, as did the CoCoRaHS observer 3 miles south of St. Mary's." +121467,727130,NEBRASKA,2017,December,Winter Weather,"FILLMORE",2017-12-23 18:00:00,CST-6,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 5.0 inches was reported four miles east of Ohiowa from a CoCoRaHS observer. Also, 4.5 inches of snowfall was measured from a Cooperative Observer in Geneva as well as four miles south of Shickley." +121467,727511,NEBRASKA,2017,December,Winter Weather,"DAWSON",2017-12-23 15:00:00,CST-6,2017-12-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","Cooperative observers reported five inches of snowfall near Lexington and 3.7 inches in Cozad. Snow fell in essentially two rounds. The first round occurred from around 915 am to 130 pm on December 23rd, and a heavier round of snow from about 315 pm on December 23rd to 315 am on December 24th." +121859,730844,MAINE,2017,December,Winter Storm,"NORTHERN SOMERSET",2017-12-12 12:00:00,EST-5,2017-12-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked northeast across Maine through the night of the 12th into the morning of the 13th. Snow developed across the region through the morning into the early afternoon of the 12th. Snow and a wintry mix then persisted into the morning of the 13th. The snow transitioned to a wintry mix across northeast areas during the early morning hours of 13th. Precipitation remained mostly in the form of snow across northwest areas which persisted through the morning of the 13th. Warning criteria snow accumulations occurred through the early morning hours of the 13th. Storm total snow accumulations generally ranged from 6 to 10 inches in an area from northeast Aroostook...to northern Somerset...to northern and central Piscataquis counties. Ice accumulations of around a tenth of an inch along with some sleet also occurred in this area. Snow totals across northwest Aroostook county ranged from 9 to 13 inches.","Storm total snow accumulations ranged from 6 to 10 inches along with around a tenth of an inch of ice and some sleet." +121859,730845,MAINE,2017,December,Winter Storm,"NORTHERN PISCATAQUIS",2017-12-12 12:00:00,EST-5,2017-12-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked northeast across Maine through the night of the 12th into the morning of the 13th. Snow developed across the region through the morning into the early afternoon of the 12th. Snow and a wintry mix then persisted into the morning of the 13th. The snow transitioned to a wintry mix across northeast areas during the early morning hours of 13th. Precipitation remained mostly in the form of snow across northwest areas which persisted through the morning of the 13th. Warning criteria snow accumulations occurred through the early morning hours of the 13th. Storm total snow accumulations generally ranged from 6 to 10 inches in an area from northeast Aroostook...to northern Somerset...to northern and central Piscataquis counties. Ice accumulations of around a tenth of an inch along with some sleet also occurred in this area. Snow totals across northwest Aroostook county ranged from 9 to 13 inches.","Storm total snow accumulations ranged from 6 to 9 inches along with around a tenth of an inch of ice and some sleet." +121859,730846,MAINE,2017,December,Winter Storm,"CENTRAL PISCATAQUIS",2017-12-12 12:00:00,EST-5,2017-12-13 10:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Intensifying low pressure tracked northeast across Maine through the night of the 12th into the morning of the 13th. Snow developed across the region through the morning into the early afternoon of the 12th. Snow and a wintry mix then persisted into the morning of the 13th. The snow transitioned to a wintry mix across northeast areas during the early morning hours of 13th. Precipitation remained mostly in the form of snow across northwest areas which persisted through the morning of the 13th. Warning criteria snow accumulations occurred through the early morning hours of the 13th. Storm total snow accumulations generally ranged from 6 to 10 inches in an area from northeast Aroostook...to northern Somerset...to northern and central Piscataquis counties. Ice accumulations of around a tenth of an inch along with some sleet also occurred in this area. Snow totals across northwest Aroostook county ranged from 9 to 13 inches.","Storm total snow accumulations ranged from 6 to 9 inches along with around a tenth of an inch of ice and some sleet." +121781,728931,MICHIGAN,2017,December,Winter Weather,"ALGER",2017-12-06 17:00:00,EST-5,2017-12-07 05:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a public report of 6 to 8 inches of lake effect snow in 12 hours at Munising. Local law enforcement reported hazardous snow covered roads. Strong gusty winds resulted in blowing snow and several power outages." +121781,729280,MICHIGAN,2017,December,Lake-Effect Snow,"NORTHERN SCHOOLCRAFT",2017-12-06 18:00:00,EST-5,2017-12-07 06:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a report of 12 inches of lake effect snow in 12 hours at Seney. Duration of the event was estimated via radar. Strong gusty winds resulted in blowing snow and several power outages." +122116,731019,MICHIGAN,2017,December,Winter Weather,"DICKINSON",2017-12-30 06:00:00,CST-6,2017-12-30 11:00:00,0,4,0,2,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","A brief period of snow dropped 1 to 3 inches of snow near the Marquette County line during the morning of December 30th. Gusty winds produced blowing snow causing visibility restrictions less than a half mile for a time. A serious car accident attributed to the weather conditions occurred on M-35 in Sagola Township which claimed the lives of two high school students from the Kingsford School District." +122116,731020,MICHIGAN,2017,December,Winter Weather,"GOGEBIC",2017-12-30 05:00:00,CST-6,2017-12-30 15:00:00,0,0,0,1,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the region generated moderate to heavy lake enhanced snow downwind of Lake Superior in a north to northwest wind flow from the 29th into the 31st.","A period of lake effect snow showers dropped 1 to 3 inches of snow across parts of Gogebic County. Gusty winds resulted in blowing snow and visibility restrictions during the day. The combination of snow and reduced visibility contributed to a snowmobile accident at the US 2 and Ramsay Crossing intersection that climbed the life of a gentleman from Wisconsin." +122107,731123,NEW YORK,2017,December,Lake-Effect Snow,"OSWEGO",2017-12-24 22:00:00,EST-5,2017-12-27 17:00:00,0,0,0,0,125.00K,125000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731124,NEW YORK,2017,December,Lake-Effect Snow,"JEFFERSON",2017-12-24 22:00:00,EST-5,2017-12-27 21:00:00,0,0,0,0,70.00K,70000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731125,NEW YORK,2017,December,Lake-Effect Snow,"LEWIS",2017-12-24 22:00:00,EST-5,2017-12-27 21:00:00,0,0,0,0,70.00K,70000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +114739,688328,IOWA,2017,April,Hail,"BENTON",2017-04-15 19:29:00,CST-6,2017-04-15 19:29:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.28,41.9,-92.28,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +114739,688330,IOWA,2017,April,Tornado,"JONES",2017-04-15 19:50:00,CST-6,2017-04-15 19:55:00,0,0,0,0,10.00K,10000,10.00K,10000,42.1417,-91.2288,42.1469,-91.1678,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","An EF-1 tornado began around 850 PM CDT on Saturday evening, approximately 4 miles northeast of Anamosa. The tornado tracked 3.22 miles to the east before lifting. The tornado was 25 yards wide with estimated peak winds of 100 MPH. Damage was to trees and outbuilding along the path." +115359,692649,MISSISSIPPI,2017,April,Thunderstorm Wind,"TUNICA",2017-04-29 18:35:00,CST-6,2017-04-29 18:36:00,0,0,0,0,,NaN,0.00K,0,34.67,-90.37,34.687,-90.3337,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","" +115361,693611,ARKANSAS,2017,April,Thunderstorm Wind,"MISSISSIPPI",2017-04-30 01:26:00,CST-6,2017-04-30 01:28:00,0,0,0,0,0.00K,0,0.00K,0,35.93,-89.83,35.9326,-89.8218,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Measured 68 mph gust." +115733,695598,ALABAMA,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-30 13:02:00,CST-6,2017-04-30 13:03:00,0,0,0,0,0.00K,0,0.00K,0,33.8123,-86.9305,33.8123,-86.9305,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted on Corner Road." +114098,683250,TEXAS,2017,April,Tornado,"HENDERSON",2017-04-29 16:51:00,CST-6,2017-04-29 17:00:00,5,0,0,0,300.00K,300000,40.00K,40000,32.251,-95.9803,32.3569,-95.9188,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This tornado developed northeast of Log Cabin with the first|visible damage associated to snapped trees. As the tornado moved |north/northeast, a tall communications tower was snapped in half. |Eventually, the tornado crossed paths with several homes which led|to complete destruction and many debarked trees. The damage path |continued to the northeast, eventually stopping near the|intersection of Van Zandt County Road 2903 and FM 1256. As this|tornado occluded and dissipated, the next tornado began in the next|few minutes." +115395,695233,MISSOURI,2017,April,Tornado,"DUNKLIN",2017-04-30 00:57:00,CST-6,2017-04-30 00:58:00,0,0,0,0,0.00K,0,0.00K,0,35.9965,-90.2797,36,-90.2762,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A weak tornado moved from Mississippi County into Dunklin County before lifting. Tornado tracked over open farmland." +115361,695232,ARKANSAS,2017,April,Tornado,"MISSISSIPPI",2017-04-30 00:56:00,CST-6,2017-04-30 00:57:00,0,0,0,0,20.00K,20000,0.00K,0,35.9859,-90.3062,35.9965,-90.2797,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A weak tornado touched down in northern Mississippi County and tracked into Dunklin County. A metal farm building was damaged. Peak winds were estimated at 90 mph." +120908,726893,SOUTH DAKOTA,2017,December,High Wind,"RAPID CITY",2017-12-07 20:00:00,MST-7,2017-12-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed in the Rapid City area and parts of the southern Black Hills. Wind gusts over 60 mph occurred during the late evening and early morning hours.","" +120908,726894,SOUTH DAKOTA,2017,December,High Wind,"SOUTHERN BLACK HILLS",2017-12-08 01:00:00,MST-7,2017-12-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed in the Rapid City area and parts of the southern Black Hills. Wind gusts over 60 mph occurred during the late evening and early morning hours.","" +120908,726896,SOUTH DAKOTA,2017,December,High Wind,"PENNINGTON CO PLAINS",2017-12-07 22:00:00,MST-7,2017-12-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed in the Rapid City area and parts of the southern Black Hills. Wind gusts over 60 mph occurred during the late evening and early morning hours.","" +120908,726898,SOUTH DAKOTA,2017,December,High Wind,"SOUTHERN MEADE CO PLAINS",2017-12-07 22:00:00,MST-7,2017-12-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northwest winds developed in the Rapid City area and parts of the southern Black Hills. Wind gusts over 60 mph occurred during the late evening and early morning hours.","" +122170,731238,SOUTH DAKOTA,2017,December,High Wind,"RAPID CITY",2017-12-11 05:00:00,MST-7,2017-12-11 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the early morning hours, bringing gusty winds to much of western South Dakota. The strongest winds developed in the Rapid City and adjacent plains to the east, where sustained winds of 30 to 45 mph and gusts around 60 mph were recorded during the morning.","" +122170,731239,SOUTH DAKOTA,2017,December,High Wind,"PENNINGTON CO PLAINS",2017-12-11 00:30:00,MST-7,2017-12-11 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the early morning hours, bringing gusty winds to much of western South Dakota. The strongest winds developed in the Rapid City and adjacent plains to the east, where sustained winds of 30 to 45 mph and gusts around 60 mph were recorded during the morning.","" +122170,731240,SOUTH DAKOTA,2017,December,High Wind,"SOUTHERN MEADE CO PLAINS",2017-12-11 06:00:00,MST-7,2017-12-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the early morning hours, bringing gusty winds to much of western South Dakota. The strongest winds developed in the Rapid City and adjacent plains to the east, where sustained winds of 30 to 45 mph and gusts around 60 mph were recorded during the morning.","" +121906,729673,SOUTH DAKOTA,2017,December,High Wind,"HARDING",2017-12-12 23:00:00,MST-7,2017-12-13 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729674,SOUTH DAKOTA,2017,December,High Wind,"ZIEBACH",2017-12-12 21:00:00,MST-7,2017-12-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +122222,731658,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"CHARLES MIX",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731662,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"DOUGLAS",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731663,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HUTCHINSON",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731664,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BON HOMME",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731665,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"TURNER",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731666,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"YANKTON",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731667,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"CLAY",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +121993,730373,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"GREELEY",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Greeley, the NWS cooperative observer recorded an average temperature of 2.4 degrees through the final 8-days of December, marking the coldest finish to the year out of 79 on record." +122234,731758,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN GREENE",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731765,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN SCHENECTADY",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122235,731745,SOUTH DAKOTA,2017,December,Winter Weather,"BEADLE",2017-12-29 05:00:00,CST-6,2017-12-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 5 inches during the morning and early afternoon, including 3.9 inches at Huron, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122235,731763,SOUTH DAKOTA,2017,December,Winter Weather,"KINGSBURY",2017-12-29 05:00:00,CST-6,2017-12-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 4 inches during the morning and early afternoon, including 3.4 inches at Iroquois, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +122235,731767,SOUTH DAKOTA,2017,December,Winter Weather,"SANBORN",2017-12-29 05:00:00,CST-6,2017-12-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With cold air well-established, an approaching jet in rapid northwest flow produced a narrow band of snowfall across the area. Amounts either side of a 50 mile-wide band of 3 to 5 inches snowfall dropped off fairly quickly, especially on the south side of the band.","Snowfall of 3 to 4 inches during the morning and early afternoon, including 4.0 inches at 4 miles north northeast Forestburg, produced hazardous road conditions. Winds remained at most 10 to 15 mph during the event with only minor drifting. Wind chills were from 10 below to 15 below zero." +121987,731904,NEW YORK,2017,December,Winter Storm,"NORTHERN FULTON",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731903,NEW YORK,2017,December,Winter Storm,"SOUTHEAST WARREN",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731918,NEW YORK,2017,December,Winter Weather,"NORTHERN HERKIMER",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731920,NEW YORK,2017,December,Winter Weather,"SOUTHERN HERKIMER",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121644,728142,GEORGIA,2017,December,Winter Storm,"CHATTOOGA",2017-12-08 08:00:00,EST-5,2017-12-09 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 3 and 4 inches of snow were estimated across the county. A CoCoRaHS observer measured 3.5 inches northeast of Summerville." +121644,728141,GEORGIA,2017,December,Winter Weather,"CATOOSA",2017-12-08 08:00:00,EST-5,2017-12-09 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 2 inches of snow were estimated across the county. A CoCoRaHS observer measured 1.7 inches southwest of Ringgold." +121644,728143,GEORGIA,2017,December,Winter Storm,"FLOYD",2017-12-08 09:00:00,EST-5,2017-12-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 5 and 8 inches of snow were estimated across the county. A CoCoRaHS observer measured 7 inches near Cave Spring and a report of 7.3 inches in Lindale was received on social media." +121644,728191,GEORGIA,2017,December,Winter Weather,"ROCKDALE",2017-12-09 05:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated up to 1 inch of snow fell in Rockdale County." +121645,728035,GEORGIA,2017,December,Thunderstorm Wind,"COWETA",2017-12-20 12:38:00,EST-5,2017-12-20 12:48:00,0,0,0,0,2.00K,2000,,NaN,33.26,-84.62,33.26,-84.62,"A line of showers, with embedded thunderstorms, developed along a cold front sweeping through north Georgia during the late morning and through the afternoon. Despite limited instability, moderate shear and low-level convergence along the front produced a few isolated severe thunderstorms in North and west central Georgia. One isolated, brief, tornado was also confirmed. This was a Marginal risk day from SPC's Day 1 convective outlook.","A National Weather Service survey team found two pine trees blown down and a trampoline blown 50 feet and destroyed near Chase Wood Lane. Another trampoline was found in the treetops along Fire Creek Trail." +121645,728036,GEORGIA,2017,December,Thunderstorm Wind,"MUSCOGEE",2017-12-20 13:47:00,EST-5,2017-12-20 14:02:00,0,0,0,0,1.00K,1000,,NaN,32.5758,-84.829,32.5758,-84.829,"A line of showers, with embedded thunderstorms, developed along a cold front sweeping through north Georgia during the late morning and through the afternoon. Despite limited instability, moderate shear and low-level convergence along the front produced a few isolated severe thunderstorms in North and west central Georgia. One isolated, brief, tornado was also confirmed. This was a Marginal risk day from SPC's Day 1 convective outlook.","A Columbus TV news reporter reported a couple of trees blown down and metal patio furniture blown off of a deck in the Midland community." +121645,728037,GEORGIA,2017,December,Thunderstorm Wind,"HARRIS",2017-12-20 13:58:00,EST-5,2017-12-20 14:13:00,0,0,0,0,10.00K,10000,,NaN,32.58,-84.74,32.58,-84.74,"A line of showers, with embedded thunderstorms, developed along a cold front sweeping through north Georgia during the late morning and through the afternoon. Despite limited instability, moderate shear and low-level convergence along the front produced a few isolated severe thunderstorms in North and west central Georgia. One isolated, brief, tornado was also confirmed. This was a Marginal risk day from SPC's Day 1 convective outlook.","A Columbus TV news reporter reported part of a chimney blown off of a house as well as a small utility trailer blown around and a couple of trees blown down near the intersection of McKee Road and County Line Road." +122268,732098,IOWA,2017,December,Extreme Cold/Wind Chill,"CHEROKEE",2017-12-31 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -35 occurred around 0735CST on December 31 near Cherokee." +122268,732101,IOWA,2017,December,Extreme Cold/Wind Chill,"IDA",2017-12-31 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A record low minimum temperature of -23 occurred on December 31 at Holstein." +122268,732108,IOWA,2017,December,Extreme Cold/Wind Chill,"O'BRIEN",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -43 occurred around 2355CST on December 31 at Sheldon." +122296,732258,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 15.5 inches of snow." +122296,732260,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 16 inches of snow." +122296,732261,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 16 inches of snow." +122296,732262,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 15 inches of snow." +122296,732264,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 18 inches of snow." +115349,692600,ALABAMA,2017,April,Hail,"BIBB",2017-04-05 03:40:00,CST-6,2017-04-05 03:41:00,0,0,0,0,0.00K,0,0.00K,0,33.04,-86.91,33.04,-86.91,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120347,721424,GEORGIA,2017,September,Tropical Storm,"TALIAFERRO",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","News media reported numerous trees and power lines blown down across the county. No injuries were reported." +120347,721563,GEORGIA,2017,September,Flash Flood,"GORDON",2017-09-11 23:00:00,EST-5,2017-09-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5002,-84.8686,34.5111,-84.9065,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Numerous roads became flooded the evening of September 11th, 2017. The roadways remained closed overnight and through much of the day on September 12th, 2017. 12 roads were closed across Gordon County." +120347,721452,GEORGIA,2017,September,Tropical Storm,"CHATTOOGA",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,20.00K,20000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported several trees and power lines blown down across the county. Several hundred customers were without power for varying periods of time. No injuries were reported." +120347,721458,GEORGIA,2017,September,Tropical Storm,"GILMER",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Gilmer County Sheriff's Office reported trees and power lines blown down. News media reported that commercial apple growers across the county lost up to 15 percent of their crops. No injuries were reported." +122289,732202,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MCPHERSON",2017-12-30 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732203,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EDMUNDS",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732205,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"FAULK",2017-12-30 05:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122339,732496,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Three and a half inches of snow was measured a mile south of Cheyenne." +122339,732497,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Four inches of snow was measured five miles south of Cheyenne." +122339,732498,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Three and a half inches of snow was measured eight miles north of Cheyenne." +122339,732499,WYOMING,2017,December,Winter Weather,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Three inches of snow was measured 12 miles west of Cheyenne." +122339,732500,WYOMING,2017,December,Winter Weather,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Four inches of snow was measured 12 miles south of Horse Creek." +122339,732501,WYOMING,2017,December,Winter Weather,"GOSHEN COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Three inches of snow was measured at Torrington." +122339,732502,WYOMING,2017,December,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-12-24 23:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Periods of light to moderate snow produced slick roads and reduced visibilities across portions of southeast Wyoming. Snowfall totals ranged from two to four inches.","Four inches of snow was observed at Cheyenne." +121883,729520,AMERICAN SAMOA,2017,December,High Wind,"TUTUILA",2017-12-17 08:00:00,SST-11,2017-12-18 19:00:00,0,0,0,0,40.00K,40000,5.00K,5000,NaN,NaN,NaN,NaN,"Strong northerly winds from a monsoon trough began the morning of Dec. 17th and continued through the afternoon of Dec 18th. These monsoon-induced winds damaged several rooftops of homes and a government infrastructure, including fallen trees on homes. There were no injuries or fatalities reported.","Strong northerly winds from a monsoon trough began the morning of Dec. 17th and continued through the afternoon of Dec 18th. These monsoon-induced winds damaged several rooftops of homes and a government infrastructure, including fallen trees on homes. There were no injuries or fatalities reported." +122191,732565,ALABAMA,2017,December,Winter Storm,"TALLADEGA",2017-12-08 06:00:00,CST-6,2017-12-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-7 inches across Talladega County with a few reports near 10 inches in the far southeast." +122191,732593,ALABAMA,2017,December,Winter Storm,"ETOWAH",2017-12-08 08:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 3-5 inches across Etowah County." +122191,732594,ALABAMA,2017,December,Winter Storm,"CHEROKEE",2017-12-08 08:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 3-5 inches across Cherokee County." +121114,725090,OREGON,2017,December,High Wind,"CURRY COUNTY COAST",2017-12-19 07:48:00,PST-8,2017-12-19 12:31:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought strong winds to parts of southwest and south central Oregon.","The ODOT sensor at Humbug Mountain recorded numerous gusts exceeding 57 mph during this interval. The peak gust was 63 mph, recorded at 19/1201 and 19/1231 PST." +121114,725091,OREGON,2017,December,High Wind,"SISKIYOU MOUNTAINS & SOUTHERN OREGON CASCADES",2017-12-19 11:40:00,PST-8,2017-12-19 14:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought strong winds to parts of southwest and south central Oregon.","The Squaw Peak RAWS recorded a gust to 82 mph at 19/1239 PST and a gust to 75 mph at 19/1439 PST." +121114,725092,OREGON,2017,December,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-12-19 13:39:00,PST-8,2017-12-19 21:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought strong winds to parts of southwest and south central Oregon.","The Summer Lake RAWS recorded a gust to 58 mph at 19/1438 PST and the Summit RAWS recorded a gust to 58 mph at 19/2103 PST." +121122,725119,NEW MEXICO,2017,December,High Wind,"SOUTH CENTRAL MOUNTAINS",2017-12-21 06:45:00,MST-7,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough approaching New Mexico from the Four Corners region spread strong southwest winds across the central high terrain on the winter solstice. The strongest winds impacted the area from near Clines Corners southward to Ruidoso where gusts between 55 and 65 mph were reported. High wind gusts developed at the Sierra Blanca Regional Airport shortly before sunrise then continued periodically through the early afternoon before slowly tapering off. The recent stretch of very dry weather also set the stage for some blowing dust as winds turned to the northwest behind a strong cold front.","Sierra Blanca Regional Airport reported peak winds between 58 mph and 66 mph periodically for several hours. The strong wind gust occurred at 135 pm MST." +121134,725184,MINNESOTA,2017,December,Cold/Wind Chill,"CENTRAL ST. LOUIS",2017-12-03 00:00:00,CST-6,2017-12-03 10:00:00,0,12,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Seven people were evacuated from their residence and treated for carbon monoxide poisoning. Several first responders also had to be evaluated due to exposure of the gas. The cause of the leak is unknown, but the two carbon monoxide detectors in the residence were not working at the time of the incident.","Seven people were evacuated from their residence and treated for carbon monoxide poisoning. Several first responders also had to be evaluated due to exposure of the gas. The cause of the leak is unknown, but the two carbon monoxide detectors in the residence were not working at the time of the incident." +121179,725407,MICHIGAN,2017,December,Heavy Snow,"WAYNE",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725412,MICHIGAN,2017,December,Heavy Snow,"LAPEER",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725413,MICHIGAN,2017,December,Heavy Snow,"GENESEE",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725414,MICHIGAN,2017,December,Heavy Snow,"SHIAWASSEE",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +115349,692601,ALABAMA,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-05 04:27:00,CST-6,2017-04-05 04:28:00,0,0,0,0,0.00K,0,0.00K,0,33.586,-85.8205,33.586,-85.8205,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted near the intersection of Cheaha Road and County Line Road." +121346,726466,MONTANA,2017,November,Dense Fog,"DAWSON",2017-11-12 21:36:00,MST-7,2017-11-13 00:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fog developed over much of northeast Montana on the evening of the 12th, persisting through the morning of the 13th across many areas. Visibility in many areas was reduced to below a quarter of a mile during this time.","Dense freezing fog reduced visibility to a quarter mile or below during the evening of the 12th and the early morning of the 13th across portions of Dawson County, including at the Glendive Airport." +120666,727891,MONTANA,2017,November,High Wind,"LITTLE ROCKY MOUNTAINS",2017-11-22 06:32:00,MST-7,2017-11-22 06:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west to northwest winds aloft between a departing surface low and an approaching upper level area of high pressure moved across northeast Montana the morning of the 22nd. Although a strong surface inversion prevented high winds from impacting much of the area, lapse rates were strong enough to mix these stronger winds aloft down to the surface across some of the higher elevation sites in Phillips County.","A 66 mph wind gust was measured by the Zortman BLM RAWS station." +120668,722791,CALIFORNIA,2017,November,Dense Fog,"E CENTRAL S.J. VALLEY",2017-11-11 03:27:00,PST-8,2017-11-11 09:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High Pressure built into central California on the morning of November 11 which allowed for winds to diminish and skies to clear out resulting in the development of dense fog across the east side of the San Joaquin Valley. The dense fog adversely impacted holiday travel across portions of State Route 99 until burning off during the late morning hours.","Visibility below a quarter mile was reported in dense fog in Fresno, Madera and Merced." +120668,722793,CALIFORNIA,2017,November,Dense Fog,"SE S.J. VALLEY",2017-11-11 05:50:00,PST-8,2017-11-11 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High Pressure built into central California on the morning of November 11 which allowed for winds to diminish and skies to clear out resulting in the development of dense fog across the east side of the San Joaquin Valley. The dense fog adversely impacted holiday travel across portions of State Route 99 until burning off during the late morning hours.","Visibility below a quarter mile was reported in dense fog in Visalia." +120671,722806,CALIFORNIA,2017,November,Dense Fog,"KERN CTY MTNS",2017-11-17 14:15:00,PST-8,2017-11-17 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low clouds and fog banked up along the south end of the San Joaquin Valley and along the valley facing slopes of the Tehachapi Mountains on the afternoon of November 17 following a cold frontal passage. Dense fog formed in the Tehachapi area which impacted travel along State Route 58 for a few hours.","The AWOS at the Tehachapi Airport reported visibility below a quarter mile." +120673,722810,CALIFORNIA,2017,November,Dense Fog,"E CENTRAL S.J. VALLEY",2017-11-22 04:53:00,PST-8,2017-11-22 08:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure strengthened over central California on the morning of November 22. Mostly clear skies, light winds and a strong surface inversion allowed for patches of dense fog toward sunrise; and a Dense Fog Advisory was issued for portions of the central San Joaquin Valley. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Fresno, Madera and Merced." +121158,725313,WYOMING,2017,November,High Wind,"CODY FOOTHILLS",2017-11-29 01:47:00,MST-7,2017-11-29 12:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface across the normally wind prone areas East of the Divide. The strongest winds were across the higher elevations of the Green and Rattlesnake Range where wind gusts of 89 mph and 75 mph were recorded at Camp Creek and Fales Rock respectively. Strong winds also occurred around Casper, with the highest winds along Wyoming Boulevard on the south side of the city, with a maximum gust of 76 mph. High winds also occurred in the lee of the Absarokas, where a wind gust of 75 mph occurred along the Chief Joseph highway and 72 mph to the west of Clark.","There was a period of several hours of high wind to the west of Clark. The maximum wind gust recorded was 72 mph." +120745,723176,SOUTH CAROLINA,2017,November,Thunderstorm Wind,"MCCORMICK",2017-11-07 16:45:00,EST-5,2017-11-07 16:48:00,0,0,0,0,,NaN,,NaN,34.01,-82.51,34.01,-82.51,"Thunderstorms developed along a back door cold front across NE GA and Upstate SC, some of which were severe. Some of the activity drifted to the SE into the Midlands of SC. An isolated thunderstorm remained severe and produced wind damage over northern McCormick Co SC.","McCormick Co SC dispatch reported two trees down in Mt. Carmel. One was on Mars Bridge Rd and the other was on Hwy 823. Time estimated based on radar." +121158,725314,WYOMING,2017,November,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-11-28 23:35:00,MST-7,2017-11-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface across the normally wind prone areas East of the Divide. The strongest winds were across the higher elevations of the Green and Rattlesnake Range where wind gusts of 89 mph and 75 mph were recorded at Camp Creek and Fales Rock respectively. Strong winds also occurred around Casper, with the highest winds along Wyoming Boulevard on the south side of the city, with a maximum gust of 76 mph. High winds also occurred in the lee of the Absarokas, where a wind gust of 75 mph occurred along the Chief Joseph highway and 72 mph to the west of Clark.","High winds occurred in around the city of Casper. The strongest winds were along Wyoming Boulevard on the south side of the city, where there were many wind gusts over 58 mph, including a maximum of 76 mph. The ASOS at the Casper Airport had a wind gust of 58 mph." +121581,727736,TEXAS,2017,November,Drought,"HOPKINS",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions continued to slowly expand across North Texas due to below-normal rainfall during November of 2017.","Severe drought conditions developed across Hopkins county during the last few days of November 2017." +121581,727737,TEXAS,2017,November,Drought,"RAINS",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe drought conditions continued to slowly expand across North Texas due to below-normal rainfall during November of 2017.","Severe drought conditions developed across Rains county during the last few days of November 2017." +121705,728506,ILLINOIS,2017,November,Flood,"FORD",2017-11-18 09:30:00,CST-6,2017-11-18 13:00:00,0,0,0,0,0.00K,0,0.00K,0,40.475,-88.1208,40.4403,-88.1208,"Heavy rain moved across parts of central Illinois during the morning hours of November 18th which caused flooding.","Several streets were flooded with standing water up to 8 inches deep." +121803,729023,NEW YORK,2017,November,Flood,"GENESEE",2017-11-06 10:30:00,EST-5,2017-11-07 11:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.9673,-78.1794,42.9931,-78.2501,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet)." +121803,729024,NEW YORK,2017,November,Flood,"CATTARAUGUS",2017-11-05 23:45:00,EST-5,2017-11-06 02:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.46,-78.8434,42.4387,-78.8228,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet)." +121423,726855,WYOMING,2017,November,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-11-01 00:50:00,MST-7,2017-11-01 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 01/0950 MST." +121423,726856,WYOMING,2017,November,High Wind,"SHIRLEY BASIN",2017-11-01 04:45:00,MST-7,2017-11-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Shirley Rim measured peak wind gusts of 58 mph." +121423,726857,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-01 11:45:00,MST-7,2017-11-01 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 01/1415 MST." +121423,726858,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-01 13:04:00,MST-7,2017-11-01 13:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","A wind sensor at Wheatland measured a peak gust of 59 mph." +121423,726859,WYOMING,2017,November,High Wind,"EAST PLATTE COUNTY",2017-11-01 10:00:00,MST-7,2017-11-01 10:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Coleman measured peak wind gusts of 58 mph." +121423,726860,WYOMING,2017,November,High Wind,"CENTRAL CARBON COUNTY",2017-11-01 10:45:00,MST-7,2017-11-01 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor northeast of Hanna measured a peak wind gust of 61 mph." +121423,726861,WYOMING,2017,November,High Wind,"CENTRAL CARBON COUNTY",2017-11-01 09:00:00,MST-7,2017-11-01 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at the Rawlins Airport measured sustained winds of 40 mph or higher." +121423,726862,WYOMING,2017,November,High Wind,"CENTRAL CARBON COUNTY",2017-11-01 15:45:00,MST-7,2017-11-01 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Walcott Junction measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 01/1550 MST." +121516,727372,NEW YORK,2017,November,Strong Wind,"WESTERN DUTCHESS",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727373,NEW YORK,2017,November,Strong Wind,"WESTERN GREENE",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727374,NEW YORK,2017,November,Strong Wind,"WESTERN RENSSELAER",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727375,NEW YORK,2017,November,Strong Wind,"WESTERN SCHENECTADY",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121516,727376,NEW YORK,2017,November,Strong Wind,"WESTERN ULSTER",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121195,725855,MONTANA,2017,November,Heavy Snow,"CASCADE",2017-11-01 18:30:00,MST-7,2017-11-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A clipper low pressure system dropped southwards from Alberta and into eastern Montana. With sufficient cold air in place, showers developed with dropping snow levels causing a change over to all snow in the morning hours.","Great Falls Tribune reported over social media that Warden Bridge (10th Ave S.) is really icy, traffic has slowed after wrecks." +121274,726006,COLORADO,2017,November,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-11-01 00:00:00,MST-7,2017-11-01 07:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong downslope winds continued across portions of the Front Range Mountains and Foothills on the 1st. Peak wind gusts included: 92 mph near Berthoud Pass, 88 mph near Gold Hill, 85 mph at Aspen Springs and 77 mph near Blackhawk.","" +121274,726007,COLORADO,2017,November,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-11-01 00:00:00,MST-7,2017-11-01 13:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong downslope winds continued across portions of the Front Range Mountains and Foothills on the 1st. Peak wind gusts included: 92 mph near Berthoud Pass, 88 mph near Gold Hill, 85 mph at Aspen Springs and 77 mph near Blackhawk.","" +121274,726008,COLORADO,2017,November,High Wind,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-11-01 00:00:00,MST-7,2017-11-01 04:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong downslope winds continued across portions of the Front Range Mountains and Foothills on the 1st. Peak wind gusts included: 92 mph near Berthoud Pass, 88 mph near Gold Hill, 85 mph at Aspen Springs and 77 mph near Blackhawk.","" +121276,726019,OKLAHOMA,2017,November,Drought,"ADAIR",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726020,OKLAHOMA,2017,November,Drought,"CHEROKEE",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +120578,722330,MONTANA,2017,November,Heavy Snow,"WEST GLACIER REGION",2017-11-02 07:00:00,MST-7,2017-11-03 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an arctic front sliding down the Rockies and a short wave trough moving across the Pacific Northwest creates a perfect setup for heavy valley snow across northwest and southwest Montana. Due to the early season nature of this event, road crews were not fully staffed to clear the heavy snow, and were thus overwhelmed.","The media reported 8 to 10 inches of snow in Hungry Horse and 12 inches of snow in West Glacier over 24 hours. Marias pass saw less snow than the valleys with 5 inches being reported. Fielding RAWS station reported an easterly wind at 10 gust 18 mph, and this may have contributed to lower snow ratios at Marias pass." +120578,722333,MONTANA,2017,November,Heavy Snow,"BUTTE / BLACKFOOT REGION",2017-11-03 14:00:00,MST-7,2017-11-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of an arctic front sliding down the Rockies and a short wave trough moving across the Pacific Northwest creates a perfect setup for heavy valley snow across northwest and southwest Montana. Due to the early season nature of this event, road crews were not fully staffed to clear the heavy snow, and were thus overwhelmed.","A spotter reported 10 inches of snow in the outskirts of Butte. The heavy snow appeared to play a role in 3 crashes on I-90 near Homestake pass on the evening of November 3rd. Due to the early season nature of this event, Montana Department of Transportation (MDT) was understaffed and overwhelmed from this heavy snow event. An employee from MDT said they already had a winter worth of snow and don't want any more." +121407,726769,ALASKA,2017,November,High Wind,"NERN P.W. SND",2017-11-24 03:50:00,AKST-9,2017-11-24 20:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 974 mb low moved southward across the Alaska Peninsula and into the Gulf of Alaska. Behind this low, a 1039 high was centered over the Western Aleutians. This caused a strong gradient with northerly flow over the Pribilof Islands, the eastern Aleutians, and the Alaska Peninsula. This storm strengthened in the Gulf of Alaska and moved onshore in the northern Panhandle. As a result, northerly gap winds intensified over the Prince William Sound.","The Road Weather Information System site near Wortmann's Gorge reported a gust to 76 mph. A wind gust of 83 mph was also observed at Valdez airport." +121407,726767,ALASKA,2017,November,High Wind,"ALASKA PENINSULA",2017-11-23 09:12:00,AKST-9,2017-11-23 16:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 974 mb low moved southward across the Alaska Peninsula and into the Gulf of Alaska. Behind this low, a 1039 high was centered over the Western Aleutians. This caused a strong gradient with northerly flow over the Pribilof Islands, the eastern Aleutians, and the Alaska Peninsula. This storm strengthened in the Gulf of Alaska and moved onshore in the northern Panhandle. As a result, northerly gap winds intensified over the Prince William Sound.","False Pass AWOS reported a gust to 66 kts at 9:12 a.m. Warning level winds were also observed at Cold Bay and King Cove." +121446,727167,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-19 22:55:00,MST-7,2017-11-20 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The UPR sensor at Buford measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 20/0255 MST." +121446,727168,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-19 23:05:00,MST-7,2017-11-20 15:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 20/0600 MST." +121446,727169,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-20 03:45:00,MST-7,2017-11-20 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 20/1320 MST." +121446,727170,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-20 04:00:00,MST-7,2017-11-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wildcat Trail measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 20/0440 MST." +121446,727171,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-20 07:15:00,MST-7,2017-11-20 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured wind gusts of 58 mph or higher, with a peak gust of 79 mph at 20/1025 MST." +121446,727173,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-20 05:35:00,MST-7,2017-11-20 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 20/0900 MST." +121446,727174,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-20 08:45:00,MST-7,2017-11-20 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 20/1100 MST." +119181,715730,UTAH,2017,July,Thunderstorm Wind,"WEBER",2017-07-17 17:05:00,MST-7,2017-07-17 17:05:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-112.33,41.15,-112.33,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","A 59 mph wind gust was recorded at the Fremont Island - Miller Hill sensor." +119181,715734,UTAH,2017,July,Flash Flood,"MILLARD",2017-07-19 14:00:00,MST-7,2017-07-19 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-112.1,39.1227,-112.0358,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Heavy rain south of Scipio caused flash flooding along US-50, temporarily closing the roadway." +119181,715736,UTAH,2017,July,Flash Flood,"SEVIER",2017-07-19 13:30:00,MST-7,2017-07-19 14:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5345,-111.5166,38.5885,-111.4865,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Heavy rain north of Capitol Reef National Park, with radar estimates of over 3 inches of rain, caused flash flooding along State Route 72." +119181,715737,UTAH,2017,July,Flash Flood,"WAYNE",2017-07-19 17:00:00,MST-7,2017-07-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4666,-111.4343,38.3288,-111.4069,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Widespread heavy rain across Capitol Reef National Park caused flash flooding in many drainages, particularly in Cathedral Valley and along Sulphur Creek." +119181,715745,UTAH,2017,July,Flash Flood,"SANPETE",2017-07-20 15:15:00,MST-7,2017-07-20 16:15:00,0,0,0,0,0.00K,0,0.00K,0,39.1258,-111.8982,39.1128,-111.8961,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Flash flooding was reported in Centerfield, particularly over Clarion Road, with flowing water temporarily making the road impassible." +119181,715751,UTAH,2017,July,Flash Flood,"KANE",2017-07-21 14:00:00,MST-7,2017-07-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.1539,-111.5717,37.5818,-111.6486,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Widespread flash flooding was reported across south central Utah, including in Croton Canyon, Spooky Canyon, the Egypt 3 slot canyon, Coyote Gulch, and Last Chance Creek." +121420,726844,SOUTH DAKOTA,2017,November,High Wind,"PENNINGTON CO PLAINS",2017-11-29 12:00:00,MST-7,2017-11-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +121420,726845,SOUTH DAKOTA,2017,November,High Wind,"FALL RIVER",2017-11-29 11:00:00,MST-7,2017-11-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds developed during the late morning and afternoon across portions of the western South Dakota plains behind a cold front. The strongest winds were across far northwestern South Dakota, where a few gusts of over 65 mph were recorded.","" +115531,693618,TENNESSEE,2017,April,Thunderstorm Wind,"OBION",2017-04-30 02:08:00,CST-6,2017-04-30 02:15:00,0,0,0,0,0.50K,500,0.00K,0,36.4302,-89.0627,36.436,-89.0408,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Shingles blown off roof." +115349,692725,ALABAMA,2017,April,Hail,"TALLADEGA",2017-04-05 14:55:00,CST-6,2017-04-05 14:56:00,0,0,0,0,0.00K,0,0.00K,0,33.52,-85.97,33.52,-85.97,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several vehicle windows broken out." +115349,692726,ALABAMA,2017,April,Hail,"TALLADEGA",2017-04-05 13:57:00,CST-6,2017-04-05 13:58:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-85.94,33.54,-85.94,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692727,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 15:11:00,CST-6,2017-04-05 15:12:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-85.87,33.94,-85.87,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692728,ALABAMA,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-05 14:55:00,CST-6,2017-04-05 14:56:00,0,0,0,0,0.00K,0,0.00K,0,33.5898,-85.9693,33.5898,-85.9693,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted just north of County Line Road." +115349,692729,ALABAMA,2017,April,Thunderstorm Wind,"TALLADEGA",2017-04-05 14:25:00,CST-6,2017-04-05 14:26:00,0,0,0,0,0.00K,0,0.00K,0,33.4484,-86.2363,33.4484,-86.2363,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted near the intersection of Stemley Road and Renfroe Road." +115349,692730,ALABAMA,2017,April,Hail,"ETOWAH",2017-04-05 15:15:00,CST-6,2017-04-05 15:16:00,0,0,0,0,0.00K,0,0.00K,0,33.97,-85.77,33.97,-85.77,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +114737,688233,IOWA,2017,April,Hail,"LINN",2017-04-10 01:05:00,CST-6,2017-04-10 01:05:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-91.42,41.97,-91.42,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","A public report of golf ball sized hail was relayed by the media." +114737,688234,IOWA,2017,April,Hail,"JONES",2017-04-10 01:15:00,CST-6,2017-04-10 01:15:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-91.26,42.02,-91.26,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","Broadcast media relayed a public report of 1.50 inch hail. The time of the event was estimated using radar." +120427,721534,OHIO,2017,November,Flood,"DARKE",2017-11-05 22:30:00,EST-5,2017-11-05 23:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9832,-84.582,40.0082,-84.5786,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","High water was reported on several roads." +120427,721747,OHIO,2017,November,Thunderstorm Wind,"FRANKLIN",2017-11-05 18:58:00,EST-5,2017-11-05 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.07,-83.03,40.07,-83.03,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Several trees were downed and uprooted, damaging power lines and a few homes." +120427,721748,OHIO,2017,November,Hail,"FRANKLIN",2017-11-05 18:55:00,EST-5,2017-11-05 18:57:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-83.11,40.03,-83.11,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","" +120427,721749,OHIO,2017,November,Thunderstorm Wind,"LICKING",2017-11-05 19:18:00,EST-5,2017-11-05 19:25:00,0,0,0,0,3.00K,3000,0.00K,0,40,-82.67,40,-82.67,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A few trees were downed in the Pataskala area." +120427,721751,OHIO,2017,November,Thunderstorm Wind,"LICKING",2017-11-05 19:38:00,EST-5,2017-11-05 19:48:00,0,0,0,0,5.00K,5000,0.00K,0,40.07,-82.4,40.07,-82.4,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A few trees were downed across eastern Licking County." +120427,723942,OHIO,2017,November,Thunderstorm Wind,"BROWN",2017-11-06 01:01:00,EST-5,2017-11-06 01:03:00,0,0,0,0,1.00K,1000,0.00K,0,39.0685,-83.8961,39.0685,-83.8961,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","A few tree limbs were downed and a residence received some minor roof damage." +120678,722818,ATLANTIC SOUTH,2017,November,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-11-21 11:05:00,EST-5,2017-11-21 11:05:00,0,0,0,0,0.00K,0,0.00K,0,28.4079,-80.7604,28.4079,-80.7604,"Synoptic conditions were supportive of widespread precipitation as a trough moved across the Gulf of Mexico, with the right entrance region of an upper level jet situated over the Florida peninsula. Showers and thunderstorms developed across the central Florida coast as a weak frontal boundary moved from south to north across the Treasure Coast and Brevard County. One of these storms produced strong winds along the intracoastal waters.","US Air Force wind tower 1000 measured a peak wind gust of 43 knots." +120863,723673,ALASKA,2017,November,Heavy Snow,"GLACIER BAY",2017-11-27 00:00:00,AKST-9,2017-11-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An overrunning snowstorm occurred for the Northernmost Panhandle late on 11/26 and the morning of 11/27 combined with strong convective cells. Lightning was observed. The arctic front was stationary over S. Lynn Canal and Glacier Bay. No damage was reported but the impact was heavy snow removal.","On the afternoon of 11/27, NPS at Bartlett Cove measured 7 inches of new in seven hours at 1415 AKST. No damage reported. Impact was snow removal." +120454,721667,OHIO,2017,November,Flash Flood,"ATHENS",2017-11-06 04:00:00,EST-5,2017-11-06 08:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.5204,-82.128,39.4533,-82.0606,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Multiple roads across the northern and eastern parts of the county were covered with water as creeks and streams came out of their banks. Flooding occurred along Congress Run closing Congress Run Road. Greens Run flooded, closing State Route 685. State Routes 329 and 550 were closed near Amesville due to flooding on Federal Creek and Opossum Run. Flooding along Federal Creek, Two Mile Run and Rowell Run caused a closure on State Route 144." +120455,721758,WEST VIRGINIA,2017,November,Flood,"WOOD",2017-11-06 09:00:00,EST-5,2017-11-06 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.2993,-81.5183,39.2711,-81.5007,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system. As the cold front moved through that night, training of showers and storms resulted in areas of around 2.5 inches of rainfall. An additional half inch of rain fell on the 6th. Isolated flash flooding occurred during the predawn on the 6th.","Following flash flooding earlier in the day, lingering high water kept some roads closed through late morning. A car became stranded in high water along Old St. Marys Pike and the driver had to be rescued." +120793,723409,CALIFORNIA,2017,November,High Wind,"INDIAN WELLS VLY",2017-11-27 06:26:00,PST-8,2017-11-27 06:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","The Indian Wells Canyon RAWS reported a maximum wind gust of 78 mph." +120793,723410,CALIFORNIA,2017,November,High Wind,"SE KERN CTY DESERT",2017-11-27 11:52:00,PST-8,2017-11-27 11:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fast-moving upper trough pushed into northern California on November 26 and spread precipitation southward into central California by late evening. The main cold front with this system dropped southward through the area on the morning of November 27 and produced widespread rain and higher elevation snow. Widespread precipitation amounts of half and inch to an inch of rain fell over the Southern Sierra Nevada while portions of the San Joaquin Valley picked up a few tenths of an inch of rain. However, the snow level was above 10000 feet for much of the event although it lowered to around 4000 feet behind the cold front; and snowfall accumulations were only up to a few inches below 10000 feet. The most significant impact from this system was a period of strong winds over the southern Sierra Nevada and Tehachapi Mountains as well as across the Kern County deserts from the evening of November 26 to the early afternoon of November 27.","Cache Creek reported a maximum wind gust of 63 mph." +120949,723956,WYOMING,2017,November,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-11-19 17:50:00,MST-7,2017-11-20 21:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient, strong mid level winds and a favorable jet streak position brought high winds to the normally wind prone areas East of the Divide. The high winds lasted 2 days in the Cody Foothills. Wind was most persistent in areas around Clark, but strong winds also reached the western side of Cody as well. The strongest winds occurred when a mountain wave broke near Clark on the morning hours of November 20th, and there were many wind gusts over 80 mph, including a maximum of 110 mph. Wind gusts past 60 mph also occurred along the southwestern wind corridor from the Red Desert through the south side of Casper from the evening of the 19th through the 20th.","High winds occurred in the higher elevations of the Green and Rattlesnake Ranges. The highest wind gust reported was 80 mph at Camp Creek." +120965,724082,ARKANSAS,2017,November,Drought,"CLEVELAND",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Cleveland County entered D2 drought designation on November 14th." +120965,724083,ARKANSAS,2017,November,Drought,"LINCOLN",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Lincoln County entered D2 drought designation on November 14th." +121004,724352,KENTUCKY,2017,November,Dense Fog,"TODD",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed much of western Kentucky except the Henderson and Owensboro areas during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724353,MISSOURI,2017,November,Dense Fog,"BOLLINGER",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724354,MISSOURI,2017,November,Dense Fog,"BUTLER",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724355,MISSOURI,2017,November,Dense Fog,"CAPE GIRARDEAU",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724356,MISSOURI,2017,November,Dense Fog,"CARTER",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724357,MISSOURI,2017,November,Dense Fog,"MISSISSIPPI",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724358,MISSOURI,2017,November,Dense Fog,"NEW MADRID",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724360,MISSOURI,2017,November,Dense Fog,"RIPLEY",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +120939,723926,NORTH DAKOTA,2017,November,High Wind,"ADAMS",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Sustained winds of 44 mph were measured at the Beach AWOS." +120939,723930,NORTH DAKOTA,2017,November,High Wind,"BILLINGS",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts to 67 mph were measured at the Painted Canyon NDDOT site." +120939,723931,NORTH DAKOTA,2017,November,High Wind,"STARK",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts to 64 mph were measured at the Dickinson ASOS." +120939,723932,NORTH DAKOTA,2017,November,High Wind,"MORTON",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts to 69 mph were measured at the New Salem NDDOT site." +120939,723933,NORTH DAKOTA,2017,November,High Wind,"BURLEIGH",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts to 68 mph were measured at the Long Lake RAWS site." +120939,723934,NORTH DAKOTA,2017,November,High Wind,"SLOPE",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts to 73 mph were measured at the Sand Creek RAWS site." +120939,723935,NORTH DAKOTA,2017,November,High Wind,"ADAMS",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Sustained winds of 48 mph were measured at the Hettinger ASOS." +122292,732294,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"YANKTON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. A minimum wind chill of -38 was recorded at Yankton on December 31." +122292,732295,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BON HOMME",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. The minimum temperature was -18 at Tyndall on December 31." +122292,732296,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HUTCHINSON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. A minimum wind chill of -36 was recorded at Parkson around 2100CST December 31. The minimum temperature was -25 at Parkston on December 31." +121456,727084,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-15 20:00:00,HST-10,2017-12-18 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +121457,727085,HAWAII,2017,December,High Wind,"BIG ISLAND SUMMIT",2017-12-06 02:19:00,HST-10,2017-12-06 19:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds from the southwest and west reached high wind criteria near the summits of Mauna Kea and Mauna Loa on the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121459,727087,HAWAII,2017,December,High Surf,"NIIHAU",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727088,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727089,HAWAII,2017,December,High Surf,"KAUAI LEEWARD",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727090,HAWAII,2017,December,High Surf,"OAHU NORTH SHORE",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727091,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727092,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +122273,732085,MAINE,2017,December,Heavy Snow,"SOUTHERN FRANKLIN",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732086,MAINE,2017,December,Heavy Snow,"SOUTHERN OXFORD",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +122273,732087,MAINE,2017,December,Heavy Snow,"SOUTHERN SOMERSET",2017-12-25 03:00:00,EST-5,2017-12-25 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the Southeast on the morning of the 24th intensified rapidly as it raced up the East Coast and was in the Gulf of Maine by the morning of the 25th. The storm brought heavy snow to all of western Maine. Snowfall across much of western Maine ranged from 6 to 12 inches, with lesser amounts along the immediate coast.","" +121125,725833,WASHINGTON,2017,December,Heavy Snow,"WASHINGTON PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A weather spotter near Malden reported 5.0 inches of new snow accumulation." +121125,725834,WASHINGTON,2017,December,Heavy Snow,"WASHINGTON PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A member of the public near Pullman reported 4.0 inches of new snow accumulation." +121125,725835,WASHINGTON,2017,December,Heavy Snow,"WASHINGTON PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","The COOP observer at Rosalia reported 8.0 inches of new snow accumulation." +121352,726472,ARKANSAS,2017,December,Drought,"LITTLE RIVER",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121352,726473,ARKANSAS,2017,December,Drought,"SEVIER",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121352,726475,ARKANSAS,2017,December,Drought,"HEMPSTEAD",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121252,725867,IDAHO,2017,December,Debris Flow,"NEZ PERCE",2017-12-30 07:00:00,PST-8,2017-12-30 09:00:00,0,0,0,0,0.50K,500,0.00K,0,46.51,-116.47,46.5092,-116.4683,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","Heavy rain and snow melt saturated the ground and caused a Debris Flow near Peck. The mudslide was reported to be 3 to 4 feet deep and about 30 feet wide across Sunnyside Bench Road." +121252,725869,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","An observer 3 miles north of Clark Fork reported 34.5 inches of new snow accumulation over the previous 3 days." +121252,725870,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public in Sandpoint reported 12.0 inches of new snow accumulation." +121123,726758,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer near Clayton reported 7.0 inches of new snow." +121123,726759,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer near Elk reported 8.0 inches of new snow." +121123,726760,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-18 22:00:00,PST-8,2017-12-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer 7 miles north of Republic reported 6.5 inches of new snow." +121256,727408,MONTANA,2017,December,Extreme Cold/Wind Chill,"LIBERTY",2017-12-30 10:40:00,MST-7,2017-12-30 10:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","COOP station 5 miles NNW of Chester reported wind chill of -44F with sustained wind of 21 mph." +121256,727410,MONTANA,2017,December,Extreme Cold/Wind Chill,"BLAINE",2017-12-30 02:34:00,MST-7,2017-12-30 02:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","MT DOT station near Hays reported -43F wind chill with sustained wind of 20 mph." +121256,727411,MONTANA,2017,December,Extreme Cold/Wind Chill,"CASCADE",2017-12-30 18:05:00,MST-7,2017-12-30 18:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","MT DOT station near Monarch Canyon reported -40F wind chill with sustained wind of 13 mph." +121256,727412,MONTANA,2017,December,Extreme Cold/Wind Chill,"EASTERN GLACIER",2017-12-31 08:30:00,MST-7,2017-12-31 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic air mass and breezy winds ahead of a warm front resulted in extreme wind chills being reached in several North-Central Montana locations on the morning of December 30th. On the evening of the 30th, the same air mass and breezy winds allowed additional extreme wind chills to be realized in a few spots as the aforementioned front settled back to the south and west as an Arctic front. Lastly, clearing skies and light winds accompanying an Arctic ridge of high pressure resulted in significant nocturnal cooling on New Year's Eve evening into the morning of New Year's Day, prompting a wind chill warning for portions of North-Central Montana.","Mesonet station 18 miles ENE of Babb reported wind chill of -40F with sustained wind of 12 mph." +121573,727699,MASSACHUSETTS,2017,December,Strong Wind,"NORTHERN BRISTOL",2017-12-05 21:30:00,EST-5,2017-12-06 01:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 1226 AM EST, a tree and wires were down on Summer Street in Easton." +121573,727693,MASSACHUSETTS,2017,December,High Wind,"EASTERN NORFOLK",2017-12-05 22:50:00,EST-5,2017-12-06 01:20:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 948 PM EST, the Automated Surface Observing System at Blue Hill in Milton recorded a wind gust of 62 mph. At 1138 PM EST, a tree and wires were down on Daniel Road in Braintree. At 1240 AM EST, a tree was down on wires on Central Street in Braintree. At 1055 PM a large tree and wires were down on Brush Hill Road in Milton." +121573,727700,MASSACHUSETTS,2017,December,Strong Wind,"SOUTHERN BRISTOL",2017-12-05 21:40:00,EST-5,2017-12-06 01:15:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Southern New England the night of the 5th. Warm air ahead of the front allowed strong south wind gusts to develop across Eastern Massachusetts. These winds diminished after the cold front moved through.","At 1115 PM EST, a tree was down on wires at Pine Street in Seekonk. At 1154 PM, an amateur radio operator in Fall River reported a wind gust of 55 mph." +121494,727306,ALABAMA,2017,December,Winter Weather,"BUTLER",2017-12-08 23:00:00,CST-6,2017-12-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of 1.25 to 1.5 inches in Greenvile." +121494,727303,ALABAMA,2017,December,Heavy Snow,"WASHINGTON",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total of 2.5 to 3 inches in Millry, 1.5 to 2 in Leroy and 0.75 to 1.0 in Sunflower. Reports came from a mix of Public, Coop, CoCoRaHS and Social Media." +121325,727982,COLORADO,2017,December,Winter Weather,"UPPER GUNNISON RIVER VALLEY",2017-12-24 22:00:00,MST-7,2017-12-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance paired with the presence of a strong jet resulted in moderate to heavy snowfall for the northern and central Colorado mountains and some higher valley locations.","Snowfall amounts of 2 to 6 inches were measured across most of the area." +121655,728138,ARIZONA,2017,December,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-12-20 22:30:00,MST-7,2017-12-21 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across northern Arizona with strong southwest winds. The strongest winds were downwind from the Mogollon Rim and White Mountains.","The ASOS at the St Johns Airport measured a peak wind gust of 60 MPH at 240 AM MST. Wind gusts of 40 MPH or higher were observed from around midnight to 500 AM MST. The peak wind gust at the Springerville Airport was 75 MPH at 655 AM MST. The wind gusted over 60 MPH from 1030 PM on the 20th to around 1240 PM MST on the 21st." +121655,728174,ARIZONA,2017,December,High Wind,"LITTLE COLORADO RIVER VALLEY IN COCONINO COUNTY",2017-12-20 20:53:00,MST-7,2017-12-20 20:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across northern Arizona with strong southwest winds. The strongest winds were downwind from the Mogollon Rim and White Mountains.","The ADOT wind sensor at Two Guns measured a peak wind gust of 62 MPH at 853 PM MST. Wind gusts of 50 MPH or greater were observed from around 815 to around 11 PM MST." +121289,726092,MONTANA,2017,December,Winter Storm,"KOOTENAI/CABINET REGION",2017-12-29 16:00:00,MST-7,2017-12-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","On the evening of the 29th, the Montana Department of Transportation reported severe driving conditions due to reduced visibility from blowing and drifting snow between Noxon and Bull lake and between Whitefish and Stryker. Libby and Troy reported 6 to 8 inches of snow in 24 hours and 26 inches of snow was reported near Rexford over 3 days. Three feet of snow fell at Bull Lake while two feet was reported at Happy's Inn." +121299,726361,IDAHO,2017,December,Heavy Snow,"NORTHERN CLEARWATER MOUNTAINS",2017-12-28 13:00:00,PST-8,2017-12-29 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of moderate to heavy snow caused difficult travel conditions and sporadic power outages across central Idaho. While lower elevations experienced a mixture of snow, rain and freezing rain, the combination of rain and snow melt led to water on roadways in a few places.","About 3 feet of snow was reported at Elk River with power outages in the area. For the lower elevations, freezing rain was reported. Also there was minor flooding due to blocked culverts in portions of western Clearwater County." +121822,729258,MISSOURI,2017,December,Thunderstorm Wind,"CLARK",2017-12-04 17:05:00,CST-6,2017-12-04 17:05:00,0,0,0,0,0.00K,0,0.00K,0,40.3278,-91.8315,40.3278,-91.8315,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th. This brought a cold front to along the Mississippi River by early evenings. Ahead of this cold front, scattered showers and thunderstorms moving northeastward across northeast Missouri. One of these storms produced damaging winds as it moved across Clark County. This storm also produced a tornado that caused EF-2 damage near the Highway 27 and 61 interchange before crossing the Des Moines River and moving into Iowa. One person was injured when the tornado hit a tractor trailer.","An NWS Storm Survey team found small limbs broken that were up to 1 inch diameter." +121822,729259,MISSOURI,2017,December,Thunderstorm Wind,"CLARK",2017-12-04 17:06:00,CST-6,2017-12-04 17:06:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-91.7411,40.37,-91.7411,"A storm system moved from Minnesota into Wisconsin during the afternoon and evenings hours of December 4th. This brought a cold front to along the Mississippi River by early evenings. Ahead of this cold front, scattered showers and thunderstorms moving northeastward across northeast Missouri. One of these storms produced damaging winds as it moved across Clark County. This storm also produced a tornado that caused EF-2 damage near the Highway 27 and 61 interchange before crossing the Des Moines River and moving into Iowa. One person was injured when the tornado hit a tractor trailer.","An NWS Storm Survey team found small limbs down that were up to the size of 1 inch diameter." +121218,726347,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"FREEBORN",2017-12-30 06:00:00,CST-6,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 35 degrees below zero which occurred Saturday morning." +121218,726348,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"KANDIYOHI",2017-12-30 03:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -42F." +121693,728427,MINNESOTA,2017,December,Winter Weather,"WINONA",2017-12-28 07:50:00,CST-6,2017-12-28 11:45:00,0,0,0,1,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"One person was killed in a two vehicle accident on Interstate 90 near Dresbach (Winona County) on December 28th. The driver was attempting to pass a semi truck and had limited visibility due to snow blowing off the road. The driver then lost control, rolled down an embankment, coming to rest on its roof. Light snow was falling at the time of the accident, likely reducing the visibility as well.","One person was killed in a two vehicle accident near Dresbach on Interstate 90. The driver of one of the vehicles lost control while attempting to pass a semi truck with limited visibility. The vehicle went through the median, rolled down an embankment, and came to rest on its roof. The automated weather observing equipment at the La Crosse airport reported a visibility of 1.5 miles in light snow at the time of the accident." +121931,729852,OHIO,2017,December,Winter Weather,"MERCER",2017-12-23 06:00:00,EST-5,2017-12-23 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A band of rain slowly transitioned over to snow in the wake of a cold frontal passage.","The county garage measured two inches of snow west of Celina while law enforcement measured an inch in town, as did a spotter in Maria Stein." +121934,729855,KENTUCKY,2017,December,Winter Weather,"BOONE",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observation at the CVG airport showed that 1.4 inches of snow fell. A public report from Walton indicated that 1.3 inches fell there." +121933,729857,INDIANA,2017,December,Winter Weather,"DEARBORN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The observer located 5 miles southeast of Moore's Hill measured 1.4 inches of snow. A public report near Aurora had 0.7 inches of snow." +121932,729878,OHIO,2017,December,Winter Weather,"SHELBY",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","A spotter in Sidney measured 2 inches of snow, while the county garage in town measured 1.5 inches." +121932,729872,OHIO,2017,December,Winter Weather,"HARDIN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The county garage in Kenton measured 1.5 inches of snow." +121937,729910,INDIANA,2017,December,Winter Weather,"FAYETTE",2017-12-29 16:00:00,EST-5,2017-12-30 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th. Highest snowfall accumulations were focused along the I-70 corridor.","The observer northeast of Alpine measured 1.5 inches of snow." +121467,727131,NEBRASKA,2017,December,Winter Weather,"YORK",2017-12-23 18:00:00,CST-6,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 4.7 inches occurred three miles north of York and 4.2 inches was reported in Bradshaw, and 3.0 inches was reported three miles west of Gresham, reported from Cooperative Observers. Also, 3.5 inches of snowfall occurred one mile south of McCool Junction, per an NERain observer." +121467,727512,NEBRASKA,2017,December,Winter Weather,"HALL",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A storm total of 5.8 inches occurred at the Central Nebraska Regional Airport in Grand Island. The snow occurred in two bouts, with a small round of snow occurring from about 1030 am to 1 pm on December 23rd, with the much larger snowfall occurring between about 630 pm on December 23rd to 3 am on December 24th. Less snow fell to the south, with 3.3 inches of snow occurring one mile east southeast of Doniphan, reported by an NWS employee." +121861,730851,MAINE,2017,December,Winter Storm,"NORTHEAST AROOSTOOK",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 6 to 12 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730853,MAINE,2017,December,Winter Storm,"NORTHERN SOMERSET",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 5 to 10 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730854,MAINE,2017,December,Winter Storm,"NORTHERN PISCATAQUIS",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 6 to 10 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +122107,731126,NEW YORK,2017,December,Lake-Effect Snow,"WYOMING",2017-12-24 18:00:00,EST-5,2017-12-27 17:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731127,NEW YORK,2017,December,Lake-Effect Snow,"SOUTHERN ERIE",2017-12-24 18:00:00,EST-5,2017-12-27 17:00:00,0,0,0,0,65.00K,65000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731128,NEW YORK,2017,December,Lake-Effect Snow,"CHAUTAUQUA",2017-12-24 18:00:00,EST-5,2017-12-27 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731129,NEW YORK,2017,December,Lake-Effect Snow,"CATTARAUGUS",2017-12-24 18:00:00,EST-5,2017-12-27 17:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +122107,731130,NEW YORK,2017,December,Lake-Effect Snow,"ALLEGANY",2017-12-24 18:00:00,EST-5,2017-12-27 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow developed early Christmas morning and continued continuously for about 72 hours, before diminishing late in the day on Wednesday the 27th. ||Off Lake Erie, the heaviest lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Erie due to the predominate westerly flow. At the onset of the event Christmas morning, the Buffalo metro area picked up a few of inches of snow before the band pushed south and was disrupted through midday. By Christmas afternoon, the lake effect snow band intensified and made its closest approach to the Buffalo Southtowns during the duration of the event. By Christmas evening, a very robust single plume had developed with localized reports of 5 to 6 inches per hour at Perrysburg in Cattaraugus County and in southern Erie County, along with a few cloud-to-ground lightning strikes. There was considerable blowing and drifting ongoing at the time. Strong wind gusts and blowing snow also accompanied this early part of the event, with gusts 35 to 45 mph. The westerly flow then became locked in from late on the 25th to the 27th, with a lake shore hugging band near Erie, PA that spread inland across Mayville to Perrysburg to Springville to Arcade where it lingered for nearly 2 days. Towns along the Chautauqua Ridge were heavily impacted with storm totals of three to four feet of snow, with towns reportedly struggling to keep up the persistent snow. The snow storm tapered off late in the day on Wednesday the 27th as the flow broke the lake effect into narrow, disorganized multibands. By the evening the snow tapered off completely as high pressure and drier air moved into the lower Great Lakes. Off Lake Erie, specific snowfall reports included: 44 inches at Perrysburg; 33 inches at Colden; 31 inches at Springville; 29 inches at Cattaraugus; 25 inches at Glenwood; 15 inches at Boston; 13 inches at Silver Creek; 12 inches at Rushford, Portland, Fredonia, Franklinville and Little Valley; 10 inches at Wales and Pavilion; 9 inches at Dunkirk and Jamestown; 8 inches at Angelica, Elma and Randolph.||Off Lake Ontario, the most significant lake effect snows with this event were mainly confined to the classic snow belt directly east of Lake Ontario over the Tug Hill due to the predominate westerly flow over the course of this event. However respectable snow totals were still achieved near Watertown and southeast of the lake during fluctuations the position of the band. For the bulk of the time period from Christmas afternoon through the evening of the 26th, the lake effect band remained over the Tug Hill. Generally over three feet fell over the Tug Hill during this event, with locally up to five feet at Redfield. The band was reported to have snowfall rates of 2 to 4 inches per hour on Christmas day. By the 27th, the flow turned more northwesterly, breaking the lake effect into more narrow, disorganized multibands south of Lake Ontario. The two-day snowfall of 62.2 inches of snow at Redfield set a record for Oswego County. The previous two-day record was 57.0 inches at Bennetts Bridge in February 2008. Off Lake Ontario, specific snowfall reports included: 65 inches at Redfield; 38 inches at Mannsville; 37 inches at Lowville and Lacona; 34 inches at Glenfield; 31 inches at Oswego; 30 inches at Constableville and Highmarket; 25 inches at Port Leyden; 21 inches at Osceola and Minetto; 20 inches at Pulaski; 19 inches at Hooker; 17 inches at Watertown; 13 inches at Croghan; 11 inches at Fulton; 10 inches at Palermo and Phoenix.","" +121321,726262,WISCONSIN,2017,December,Hail,"LANGLADE",2017-12-04 21:40:00,CST-6,2017-12-04 21:40:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-88.96,45.16,-88.96,"Thunderstorms that developed in an unstable air mass ahead of an approaching cold front produced isolated hail. Penny size hail fell east of Polar.","Penny size hail fell 2 miles east of Polar." +121179,725411,MICHIGAN,2017,December,Heavy Snow,"ST. CLAIR",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121118,727978,MONTANA,2017,December,Winter Storm,"NORTHERN PHILLIPS",2017-12-19 04:00:00,MST-7,2017-12-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With moisture flowing in from the west and a strong cold front descending from the north, a significant winter storm brought accumulating snow to many northeast Montana locations. The higher snowfall amounts for this region were located in the higher elevations of central Montana and along and near US Highway 2.","A trained spotter located 6 miles west southwest of Chapman reported 8 to 10 inches of snow, primarily falling overnight on the 19th and into the 20th." +121342,728409,MONTANA,2017,December,Extreme Cold/Wind Chill,"NORTHERN VALLEY",2017-12-31 05:44:00,MST-7,2017-12-31 07:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Behind a strong cold front that brought a few inches of snow to the region, northwesterly flow and light winds brought cold temperatures and extreme wind chills to much of northeast Montana from December 30th and into the new year. Wind chill values dropped to less than 50 below zero in a few locations.","Even though winds were near calm, observations at the Bluff Creek RAWS site showed temperatures less than 40 below zero on the morning of the 31st." +122386,732703,COLORADO,2017,July,Wildfire,"ANIMAS RIVER BASIN",2017-07-01 00:00:00,MST-7,2017-07-05 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A fire started in a structure on a private land and quickly spread to nearby vegetation. The fire burned on private, state, and BLM-administered lands.","A structure caught on fire and spread to nearby vegetation. 412 acres were burned about five miles west-southwest of Durango. The BLM closed the following areas North of Highway 160: west of Camino Del Rio/Main Ave. and Junction Creek Road, south of the U.S. Forest Service jurisdictional boundary, and east of Dry Fork/Lightner Creek (County Road 207)." +122674,734881,TEXAS,2017,December,Cold/Wind Chill,"BROOKS",2017-12-07 16:00:00,CST-6,2017-12-07 17:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest weather since January 7-8, 2017, descended on Deep South Texas and the Rio Grande Valley December 6 through 8, 2017. Temperatures fell nearly 40 degrees between the afternoon of December 5 and 6, from the mid 80s to the upper 40s; wind chill values fell to between 40 and 45. Temperatures continued to ease down on the 7th, with readings in the upper 30s to lower 40s and wind chill values in the low to mid 30s. An upper level disturbance overnight on the 7th and 8th both cooled the atmosphere and provided sufficient lift for several inches of snow across the ranches and 0.5 to 1.5 inch across the more populated Rio Grande Valley early on the 8th as temperatures fell to or just above freezing. Wind chills bottomed out between 20 and 28 early on the 8th. The cold claimed the lives of at least two undocumented immigrants, one in Falfurrias (Brooks County) and another in Kenedy County, due to hypothermia, on Dec. 7th. Up to 3 additional deaths directly or indirectly related to hypothermia stress were reported by the US Border Patrol. Three hypothermia injuries were directly related to the cold, two on the King Ranch (Kenedy) and one near Hidalgo, in the Valley. An unknown additional number of hypothermia cases were reported in Zapata and Jim Hogg Counties, as part of a US Border Patrol rescue effort of 20 undocumented migrants.","US Border Patrol reported the death of an undocumented immigrant near Falfurrias, TX, during the afternoon of December 7, due to hypothermia, as indicated by medical staff who discovered the body. The sharp change of the season's first significant cold front after a record-shattering warm January through November likely contributed to the death by lack of acclimation. Just two days earlier, temperatures had been in the mid 80s; on the 7th, wind chills in the lower 30s were too much for migrants with limited clothing and shelter." +122385,732700,COLORADO,2017,June,Wildfire,"ANIMAS RIVER BASIN",2017-06-28 16:17:00,MST-7,2017-06-30 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A fire started in a structure on a private land and quickly spread to nearby vegetation. The fire burned on private, state, and BLM-administered lands.","A structure caught on fire and spread to nearby vegetation. 412 acres were burned around five miles west-southwest of Durango. The BLM closed the following areas North of Highway 160: west of Camino Del Rio/Main Ave. and Junction Creek Road, south of the U.S. Forest Service jurisdictional boundary, and east of Dry Fork/Lightner Creek (County Road 207). This fire persisted into July." +116301,712719,MINNESOTA,2017,July,Hail,"SWIFT",2017-07-09 20:10:00,CST-6,2017-07-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,45.1564,-96.0239,45.1564,-96.0239,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113559,679816,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-02-25 17:05:00,EST-5,2017-02-25 17:05:00,0,0,0,0,0.00K,0,0.00K,0,37.56,-76.29,37.56,-76.29,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 40 knots was measured at Deltaville." +113559,679817,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY SMITH PT TO WINDMILL PT VA",2017-02-25 17:26:00,EST-5,2017-02-25 17:26:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-75.97,37.79,-75.97,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 34 knots was measured at Tangier Sound Light." +113559,679818,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-02-25 17:30:00,EST-5,2017-02-25 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 40 knots was measured at Rappahannock Light." +113559,679819,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY SMITH PT TO WINDMILL PT VA",2017-02-25 17:36:00,EST-5,2017-02-25 17:36:00,0,0,0,0,0.00K,0,0.00K,0,37.65,-75.9,37.65,-75.9,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 40 knots was measured at Onancock." +113559,679820,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-02-25 17:40:00,EST-5,2017-02-25 17:40:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-76.25,37.3,-76.25,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 42 knots was measured at New Point Comfort." +121906,729675,SOUTH DAKOTA,2017,December,High Wind,"RAPID CITY",2017-12-12 22:00:00,MST-7,2017-12-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729676,SOUTH DAKOTA,2017,December,High Wind,"PENNINGTON CO PLAINS",2017-12-12 22:00:00,MST-7,2017-12-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729677,SOUTH DAKOTA,2017,December,High Wind,"HAAKON",2017-12-13 02:00:00,MST-7,2017-12-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729678,SOUTH DAKOTA,2017,December,High Wind,"JACKSON",2017-12-12 22:00:00,MST-7,2017-12-13 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729679,SOUTH DAKOTA,2017,December,High Wind,"TODD",2017-12-13 03:00:00,CST-6,2017-12-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729680,SOUTH DAKOTA,2017,December,High Wind,"TRIPP",2017-12-13 04:00:00,CST-6,2017-12-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729681,SOUTH DAKOTA,2017,December,High Wind,"STURGIS / PIEDMONT FOOTHILLS",2017-12-12 21:00:00,MST-7,2017-12-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +121906,729682,SOUTH DAKOTA,2017,December,High Wind,"SOUTHERN MEADE CO PLAINS",2017-12-12 21:00:00,MST-7,2017-12-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through during the overnight hours, bringing gusty northwest winds to the western and south central South Dakota plains. The strongest winds were from parts of northwest to south central South Dakota, where gusts to 65 mph were recorded.","" +122222,731673,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"LINCOLN",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731675,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"UNION",2017-12-26 00:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731676,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BEADLE",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731677,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"JERAULD",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731678,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"SANBORN",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731679,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"DAVISON",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731681,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"KINGSBURY",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +121993,730374,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"HARLAN",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Harlan County Lake, the NWS cooperative observer recorded an average temperature of 8.4 degrees through the final 8-days of December, marking the 2nd-coldest finish to the year out of 70 on record." +122234,731775,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN SARATOGA",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731740,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN ALBANY",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731779,NEW YORK,2017,December,Cold/Wind Chill,"SOUTHERN WASHINGTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731777,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN SARATOGA",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731786,NEW YORK,2017,December,Extreme Cold/Wind Chill,"SOUTHERN HERKIMER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731785,NEW YORK,2017,December,Extreme Cold/Wind Chill,"NORTHERN HERKIMER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +121987,731922,NEW YORK,2017,December,Winter Weather,"MONTGOMERY",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731921,NEW YORK,2017,December,Winter Weather,"SOUTHERN FULTON",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731923,NEW YORK,2017,December,Winter Weather,"SOUTHERN SARATOGA",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121987,731924,NEW YORK,2017,December,Winter Weather,"SOUTHERN WASHINGTON",2017-12-22 01:00:00,EST-5,2017-12-23 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A complex storm system brought snow and a wintry mix to the region on Friday, December 22nd through Saturday, December 23rd, 2017. The precipitation started out as snow on Friday, but transitioned to a wintry mix by Friday night. Freezing rain lingered through the day Saturday as a warm front lifted through the region, especially for sheltered mountain valley areas. Snowfall totals ranged from a trace in the Mid-Hudson Valley up to 8.5 inches in the Adirondacks (Hamilton county) along with light icing as well. A few spots in the Mohawk Valley and Saratoga Region saw up to two tenths of an inch of ice.","" +121644,728144,GEORGIA,2017,December,Winter Storm,"WHITFIELD",2017-12-08 09:00:00,EST-5,2017-12-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 2 and 5 inches of snow were estimated across the county. A CoCoRaHS observer measured 4.5 inches southeast of Dalton." +121644,728146,GEORGIA,2017,December,Winter Storm,"BARTOW",2017-12-08 09:00:00,EST-5,2017-12-09 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 10 inches of snow were estimated across the county. COOP observers measured 8.8 inches around Taylorsville and 9.5 inches near Adairsville. A social media report of 8 inches was received from Emerson with a public report of 4 inches in Euharlee." +121644,728145,GEORGIA,2017,December,Winter Storm,"POLK",2017-12-08 09:00:00,EST-5,2017-12-09 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 5 and 9 inches of snow were estimated across the county. CoCoRaHS observers measured 8 and 8.2 inches in the Cedartown area." +121645,728048,GEORGIA,2017,December,Tornado,"MERIWETHER",2017-12-20 13:15:00,EST-5,2017-12-20 13:17:00,0,0,0,0,30.00K,30000,,NaN,33.0245,-84.5904,33.0195,-84.536,"A line of showers, with embedded thunderstorms, developed along a cold front sweeping through north Georgia during the late morning and through the afternoon. Despite limited instability, moderate shear and low-level convergence along the front produced a few isolated severe thunderstorms in North and west central Georgia. One isolated, brief, tornado was also confirmed. This was a Marginal risk day from SPC's Day 1 convective outlook.","A National Weather Service survey team found that an EF0 tornado, with maximum winds speeds of 80-85 MPH and a maximum path width of 125 yards, occurred north of Woodbury in east central Meriwether County. The tornado touched down just west of the intersection of Imlac Road and Walnut Creek Road where a few trees were damaged. The tornado moved east hitting a fruit stand along Imlac Road removing the tin roof and scattering debris in the trees nearby. A shed was damaged on the south side of Imlac Road and several large trees were uprooted in the tree line near the shed. The tornado continued east crossing Carroll Chunn Road where several trees were snapped and uprooted and a home sustained shingle damage. The tornado continued tracking east crossing Highway 85 just south of Covered Bridge Road where a barn collapsed on the west side of the highway and a garage sustained roof damage on the east side. Several trees were either snapped or uprooted here as well. The tornado then paralleled Stribling Road to the east, snapping a few trees in the fields behind homes on the south side of the road before lifting just west of the Flint River. [12/20/17: Tornado #1, County #1/1, EF-0, Meriwether, 2017:083]." +121644,728175,GEORGIA,2017,December,Winter Storm,"HALL",2017-12-08 16:00:00,EST-5,2017-12-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 2 and 5 inches of snow were estimated across the county. Reports from CoCoRaHS and COOP observers include 2.5 to 3.5 inches near Flowery Branch and 4 inches near Gainesville." +121079,724820,CALIFORNIA,2017,December,High Wind,"OWENS VALLEY",2017-12-03 09:37:00,PST-8,2017-12-03 10:54:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"High downslope winds off the eastern slopes of the Sierra caused minor damage in the Owens Valley.","The peak gust was measured 9 miles W of Bishop. A tree was blown down across the southbound lanes of Highway 395 1 mile N of Big Pine." +121080,724829,NEVADA,2017,December,High Wind,"LAS VEGAS VALLEY",2017-12-03 11:32:00,PST-8,2017-12-03 11:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Isolated high winds, likely enhanced by downsloping off the Spring Mountains, impacted the northwest corner of the Las Vegas Valley.","This gust occurred 2 miles NW of Centennial Hills." +122268,732111,IOWA,2017,December,Extreme Cold/Wind Chill,"CLAY",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -43 occurred around 2355CST on December 31 at Spencer. The high of -9 at Spencer on December 31st was also a record low maximum for the date." +122268,732114,IOWA,2017,December,Extreme Cold/Wind Chill,"DICKINSON",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -35 to -50 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. The minimum temperatures for the COOP station 4 miles northwest of Milford of -22 and -25 on December 30th and 31st, respectively, were record low minimums for each date." +122268,732116,IOWA,2017,December,Extreme Cold/Wind Chill,"OSCEOLA",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. Sibley plunged to a low of -20 on December 31st." +122296,732265,WYOMING,2017,December,Winter Storm,"SIERRA MADRE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 13 inches of snow." +122296,732267,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 18.5 inches of snow." +122296,732269,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 14.5 inches of snow." +122296,732272,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Brooklyn Lake SNOTEL site (elevation 10240 ft)) estimated 12 inches of snow." +122296,732273,WYOMING,2017,December,Winter Storm,"SNOWY RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","The Medicine Bow SNOTEL site (elevation 10500 ft) estimated 25 inches of snow." +122296,732275,WYOMING,2017,December,Winter Storm,"NORTH LARAMIE RANGE",2017-12-03 15:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced moderate to heavy snow over the higher mountains of southeast Wyoming. Strong westerly winds produced considerable blowing snow and poor visibilities. Storm total snow accumulations ranged from one to two feet.","Ten to twelve inches was observed 20 miles south of Glenrock." +122293,732247,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"BIG STONE",2017-12-30 10:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to west central Minnesota. Wind chills of 35 degrees below to near 45 degrees below zero occurred off and on from December 30th into the first day of the new year. Wheaton only reached a high temperature of 9 degrees below zero on December 30th which was a record. The lowest wind chill was -44 degrees at Graceville. See the storm data for January for the ending of this event.","" +120347,721425,GEORGIA,2017,September,Tropical Storm,"WILKES",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. A local newspaper reported that at one time during the storm, for several hours, every electric utility customer in the county was without power. Some homes and vehicles were damaged by falling trees. A wind gust of 39 mph was measured near Celeste. Radar estimated between 2 and 4 inches of rain fell across the county with 2.77 inches measured near Celeste. No injuries were reported." +120347,721410,GEORGIA,2017,September,Tropical Storm,"PUTNAM",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Many roads were blocked by debris. Some reports of damage to roof shingles and siding on homes was also reported. A wind gust of 37 mph was measured at the Rock Eagle 4-H center and the Putnam County Sheriff's office reported a gust to 43.5 mph. Radar estimated between 2 and 4 inches of rain fell across the county with 3.16 inches measured at the Rock Eagle 4-H center. No injuries were reported." +120347,721453,GEORGIA,2017,September,Tropical Storm,"CATOOSA",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","An amateur radio operator and the local media reported several trees blown down across the county. No injuries were reported." +115732,695527,VIRGINIA,2017,April,Thunderstorm Wind,"HALIFAX",2017-04-22 15:28:00,EST-5,2017-04-22 15:28:00,0,0,0,0,0.50K,500,,NaN,36.81,-78.76,36.81,-78.76,"Showers and thunderstorms developed in the proximity of a stalled frontal boundary. Some of these storms reached severe thresholds by producing damaging winds and quarter sized hail.","Thunderstorm winds blew down a shed along Route 360. Damage values are estimated." +113490,679372,NEW YORK,2017,March,Thunderstorm Wind,"ALBANY",2017-03-08 14:09:00,EST-5,2017-03-08 14:09:00,0,0,0,0,,NaN,,NaN,42.5722,-73.7608,42.5722,-73.7608,"A line of showers and isolated thunderstorms developed during the early afternoon hours ahead of an approaching cold front and upper level disturbance. With a favorable environment in place, gusty winds were brought down to the surface during these showers and thunderstorms, as they moved from west to east across the Greater Capital Region. Multiple trees were downed due to the gusty winds. The threat for showers and thunderstorms ended by the mid-afternoon hours, as the line moved east into New England.","A tree and wires were reported down in Glenmont due to thunderstorm winds." +120347,721400,GEORGIA,2017,September,Tropical Storm,"MUSCOGEE",2017-09-11 09:00:00,EST-5,2017-09-11 16:00:00,0,1,0,0,185.00K,185000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Muscogee County Emergency Manager reported over 100 trees and power lines blown down across the county. Seventy seven reports of trees or large limbs blocking roadways were received and 33 traffic control signals were damaged or downed. Some homes were damaged by falling trees or limbs, however no reports of major damage to structures were received. It is estimated that 15% of customers lost power at some point, most for 10 hours or less. The ASOS at the Columbus Airport measured a 53 mph wind gust. Radar estimated between 2 and 4 inches of rain fell across the county with 3.34 inches measured at Fire Station #2 in Columbus. One minor injury was reported when a woman struck a fallen tree with her car on River Road in Columbus." +122289,732207,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HYDE",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732209,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HAND",2017-12-30 08:30:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732210,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BUFFALO",2017-12-30 08:20:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +121887,729527,AMERICAN SAMOA,2017,December,Flash Flood,"TUTUILA",2017-12-10 03:41:00,SST-11,2017-12-10 09:12:00,0,0,0,0,0.00K,0,0.00K,0,-14.3629,-170.755,-14.2538,-169.4298,"Moisture from SPCZ fueled heavy showers across the territory. The rain produced flash flooding of small streams and drainage outlets. The Weather Service Office recorded a total of 2.27 inches of rainfall, hence, showers were heavier over mountainous area.","Moisture from the SPCZ triggered heavy showers over the territory. The rain produced flash flooding of small streams and drainage outlets. The Weather Service Office recorded a total of 2.27 inches of rainfall, hence, showers were heavier over the mountainous area." +121886,729526,AMERICAN SAMOA,2017,December,Flash Flood,"TUTUILA",2017-12-07 03:00:00,SST-11,2017-12-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,-14.3208,-170.8182,-14.1677,-169.6729,"A South Pacific Convergence Zone (SPCZ) brought heavy precipitation across the Samoan Islands. The Weather Service Office in Tafuna recorded 1.28 inches of rainfall, but showers were heavier near mountainous region.","The SPCZ produced heavy rainfall especially over the mountainous region. The Weather Service Office in Tafuna recorded a total of 1.28 inches of rainfall." +121990,730341,LOUISIANA,2017,December,Heavy Snow,"ASCENSION",2017-12-08 03:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Ascension Parish Emergency Manager reported 3.5 inches of snow in Gonzales. The cooperative observer at Donaldsonville reported 6.5 inches of snow, while a spotter reported 4.5 inches at Prairieville." +121990,730342,LOUISIANA,2017,December,Heavy Snow,"ASSUMPTION",2017-12-08 03:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Assumption Parish Emergency Manager reported 5.5 inches of snow at Belle Rose, 5 inches near Paincourtville, 4.5 inches at Napoleonville and 3 inches at Labadieville." +122191,732566,ALABAMA,2017,December,Winter Storm,"CALHOUN",2017-12-08 06:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 5-8 inches across Calhoun County with a few reports near 10 inches in the far southeast." +122387,732701,WASHINGTON,2017,December,Heavy Snow,"SOUTH WASHINGTON CASCADES",2017-12-19 14:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the south Washington Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","Surprise Lakes SNOTEL reported 18 inches of snow from this event. Most others were 10 to 12 inches, but most of it fell in a 4-6 hour period between 2200 and 0400 PST." +122383,732705,OREGON,2017,December,Heavy Snow,"CASCADE FOOTHILLS IN LANE COUNTY",2017-12-19 22:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the Oregon Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","CoCoRaHS Observer near McKenzie Bridge at 1500 feet recorded 8.2 inches of snow from this event." +122390,732713,OREGON,2017,December,Winter Storm,"WESTERN COLUMBIA RIVER GORGE",2017-12-24 10:00:00,PST-8,2017-12-24 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west into the Willamette Valley, through the Columbia River Gorge. As this system started to bring moisture and precipitation into NW Oregon, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to the Valley Floor around the Portland Metro, in the Columbia River Gorge, and the Hood River Valley.","Local Broadcast Meteorologist reported getting 2.5 inches of snow and 0.2 inch of ice in Corbett. Also, a Skywarn Spotter in Cascade Locks reported getting 4.8 inches of snow." +122425,732945,WASHINGTON,2017,December,High Wind,"SOUTH COAST",2017-12-29 12:45:00,PST-8,2017-12-29 17:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the area, bringing high winds mainly to beaches and headlands. Deep moisture ahead of the front brought heavy rain on December 29th, causing the Grays River near Rosburg to rise above flood stage.","A weather station on Megler Bridge reported winds gusting up to 67 mph. Also, a weather station at Cape Disappointment reported sustained winds up to 47 mph." +122425,732947,WASHINGTON,2017,December,Flood,"WAHKIAKUM",2017-12-29 15:53:00,PST-8,2017-12-30 01:30:00,0,0,0,0,0.00K,0,0.00K,0,46.3557,-123.5806,46.3548,-123.5826,"A strong cold front moved through the area, bringing high winds mainly to beaches and headlands. Deep moisture ahead of the front brought heavy rain on December 29th, causing the Grays River near Rosburg to rise above flood stage.","The Grays River near Rosburg crested at 13.4 feet around 7 pm, which is 1.4 feet above flood stage. No damage was reported." +120922,723882,CALIFORNIA,2017,December,Dense Fog,"E CENTRAL S.J. VALLEY",2017-12-02 03:45:00,PST-8,2017-12-02 09:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog formed in the San Joaquin Valley on the morning of December 2 as high pressure persisted over the area. The fog impacted travel along State Routes 99, 43, 41 and 198 as visibility was reduced to a few hundred feet in places. The fog lifted into a low cloud deck then completely dissipated by late morning.","Visibility below a quarter mile was reported in Atwater, Merced, Madera and Fresno." +121135,725200,LOUISIANA,2017,December,Thunderstorm Wind,"NATCHITOCHES",2017-12-20 01:00:00,CST-6,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8952,-93.119,31.8952,-93.119,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms during the evening and overnight hours. These storms became severe as they moved across portions of Lower East Texas during the evening and into Northcentral Louisiana during the early morning hours on December 20th. Damaging winds destroyed a mobile home in Campti in Natchitoches Parish, with an isolated tornado touching down just southeast of Quitman in Jackson Parish.","A single wide mobile home was destroyed near the corner of Vaughn and Mill Streets in Campti. The roof of another nearby mobile home was peeled off, with several large limbs snapped off as well." +121135,725201,LOUISIANA,2017,December,Thunderstorm Wind,"NATCHITOCHES",2017-12-20 01:00:00,CST-6,2017-12-20 01:00:00,0,0,0,0,0.00K,0,0.00K,0,31.8936,-93.1213,31.8936,-93.1213,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms during the evening and overnight hours. These storms became severe as they moved across portions of Lower East Texas during the evening and into Northcentral Louisiana during the early morning hours on December 20th. Damaging winds destroyed a mobile home in Campti in Natchitoches Parish, with an isolated tornado touching down just southeast of Quitman in Jackson Parish.","A wooden power pole was snapped at the based which downed power lines and large tree limbs at the intersection of Roublieu and Tally Streets in Campti." +121179,725415,MICHIGAN,2017,December,Heavy Snow,"MIDLAND",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,725416,MICHIGAN,2017,December,Heavy Snow,"SAGINAW",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +121179,731148,MICHIGAN,2017,December,Heavy Snow,"SANILAC",2017-12-13 10:00:00,EST-5,2017-12-13 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong clipper system tracked across southern lower Michigan. Snowfall totals ranged between 3 and 9 inches across Southeast Michigan. Travel was significantly impacted as the heaviest snow fell during the evening rush hour. Here are some of the higher snowfall totals received:||Utica 9.0 inches.|Clarkston 8.5 inches.|Birch Run 8.1 inches.|Corunna 7.5 inches. |Ann Arbor 7.1 inches. |Howell 7.1 inches.|Flint 7.0 inches.|Peck 7.0 inches.|Northville 7.0 inches.|Marine City 7.0 inches.|Lapeer 6.8 inches. |Elba 6.5 inches. |Yale 6.1 inches.|Vassar 5.0 inches.|Dundee 5.0 inches.|Bay City 4.0 inches.|Adrian 4.0 inches.","" +120792,723399,CALIFORNIA,2017,November,Dense Fog,"E CENTRAL S.J. VALLEY",2017-11-25 04:53:00,PST-8,2017-11-25 07:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure remained over central California over the Thanksgiving holiday weekend and with clear skies and light winds prevailing over the San Joaquin Valley on the morning of November 25, areas of dense fog formed most noticeably near Merced and Hanford which impacted travel along State Routes 99, 140, 198, and 43. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Merced and Atwater." +120792,723400,CALIFORNIA,2017,November,Dense Fog,"SW S.J. VALLEY",2017-11-25 06:53:00,PST-8,2017-11-25 09:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure remained over central California over the Thanksgiving holiday weekend and with clear skies and light winds prevailing over the San Joaquin Valley on the morning of November 25, areas of dense fog formed most noticeably near Merced and Hanford which impacted travel along State Routes 99, 140, 198, and 43. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Hanford." +120917,723877,CALIFORNIA,2017,November,Dense Fog,"E CENTRAL S.J. VALLEY",2017-11-30 04:55:00,PST-8,2017-11-30 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Patchy fog returned to the San Joaquin Valley on the morning on November 28 as high pressure built in over central California. The high weakened on the 29th as a weak trough passed by to the north of the area, but strengthened again on the morning of the 30th resulting in clearing skies and light winds across the area. Areas of dense fog formed in the San Joaquin valley as a result on the morning of the 30th. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Atwater, Merced, Madera and Fresno." +120917,723878,CALIFORNIA,2017,November,Dense Fog,"SW S.J. VALLEY",2017-11-30 06:30:00,PST-8,2017-11-30 10:25:00,0,1,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Patchy fog returned to the San Joaquin Valley on the morning on November 28 as high pressure built in over central California. The high weakened on the 29th as a weak trough passed by to the north of the area, but strengthened again on the morning of the 30th resulting in clearing skies and light winds across the area. Areas of dense fog formed in the San Joaquin valley as a result on the morning of the 30th. The fog dissipated by late morning.","Visibility below a quarter mile was reported in Hanford. California Highway Patrol reported a two vehicle collision north of Hanford on State Route 43 near the Dover Ave intersection in dense fog which resulted in one minor injury." +121102,725033,RHODE ISLAND,2017,November,Strong Wind,"EASTERN KENT",2017-11-10 09:10:00,EST-5,2017-11-10 09:10:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept through Southern New England during the early morning of November 10th. Strong northwest winds behind the cold front brought gusts of 40 to 50 mph and a report of downed trees in Rhode Island.","At 910 AM EST, an amateur radio operator in West Warwick reported a tree had fallen onto a house on Birchwood Lane." +121101,725035,MASSACHUSETTS,2017,November,Strong Wind,"EASTERN PLYMOUTH",2017-11-10 06:38:00,EST-5,2017-11-10 06:38:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept through Southern New England during the early morning of November 10th. Strong northwest winds behind the cold front brought gusts of 40 to 50 mph and numerous reports of downed trees in Massachusetts.","At 6:38 AM EST, a large tree was down on wires on School Street near Grove Street in Norwell." +121545,727433,INDIANA,2017,November,Thunderstorm Wind,"NOBLE",2017-11-05 10:45:00,EST-5,2017-11-05 10:46:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-85.37,41.5,-85.37,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","Emergency management officials reported two large trees were blown down onto power lines on Spring Beach Road." +121545,727434,INDIANA,2017,November,Thunderstorm Wind,"NOBLE",2017-11-05 11:10:00,EST-5,2017-11-05 11:11:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-85.25,41.35,-85.25,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","Emergency management officials reported a tree was blown down onto a roadway." +121545,727435,INDIANA,2017,November,Thunderstorm Wind,"NOBLE",2017-11-05 11:10:00,EST-5,2017-11-05 11:11:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-85.33,41.4,-85.33,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","Emergency management officials reported a tree was blown down onto a road." +121545,727436,INDIANA,2017,November,Thunderstorm Wind,"GRANT",2017-11-05 12:20:00,EST-5,2017-11-05 12:21:00,0,0,0,0,0.00K,0,0.00K,0,40.38,-85.84,40.38,-85.84,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","A trained spotter estimated a wind gust to 60 mph." +121545,727856,INDIANA,2017,November,Hail,"LAGRANGE",2017-11-05 10:39:00,EST-5,2017-11-05 10:40:00,0,0,0,0,0.00K,0,0.00K,0,41.54,-85.45,41.54,-85.45,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","" +120500,721911,CALIFORNIA,2017,November,High Wind,"CENTRAL SISKIYOU COUNTY",2017-11-08 10:49:00,PST-8,2017-11-08 12:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming cold front brought high winds to some locations in northern California.","The RAWS at Weed Airport recorded a gust to 58 mph at 08/1148 PST and a gust to 59 mph at 08/1248 PST." +121803,729026,NEW YORK,2017,November,Flood,"LIVINGSTON",2017-11-06 00:30:00,EST-5,2017-11-06 15:15:00,0,0,0,0,10.00K,10000,0.00K,0,42.8826,-77.7894,42.8982,-77.8381,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet)." +121803,729028,NEW YORK,2017,November,Flood,"MONROE",2017-11-06 07:00:00,EST-5,2017-11-08 00:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.0268,-77.753,43.0082,-77.8464,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet)." +121423,726863,WYOMING,2017,November,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-11-01 15:15:00,MST-7,2017-11-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at the Saratoga Airport measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 01/1515 MST." +121423,726864,WYOMING,2017,November,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-11-01 11:55:00,MST-7,2017-11-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Skyline southeast of Encampment measured peak wind gusts of 58 mph." +121423,726865,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 04:10:00,MST-7,2017-11-01 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 01/0835 MST." +121423,726866,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 00:20:00,MST-7,2017-11-01 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 79 mph at 01/0915 MST." +121423,726867,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 00:00:00,MST-7,2017-11-01 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 01/0115 MST." +121423,726868,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 03:40:00,MST-7,2017-11-01 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured sustained winds or 40 mph or higher, with a peak gust of 63 mph at 01/0915 MST." +121423,726869,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 14:50:00,MST-7,2017-11-01 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 01/1610 MST." +121423,726870,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 16:15:00,MST-7,2017-11-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at the Elk Mountain Airport measured a peak gust of 59 mph." +121518,727379,MASSACHUSETTS,2017,November,Strong Wind,"NORTHERN BERKSHIRE",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong westerly winds occurred along the front and continued during the day behind the front. Winds gusted as high as 49 mph near Williamstown and 51 mph at Pittsfield Municipal Airport.","" +121518,727380,MASSACHUSETTS,2017,November,Strong Wind,"SOUTHERN BERKSHIRE",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong westerly winds occurred along the front and continued during the day behind the front. Winds gusted as high as 49 mph near Williamstown and 51 mph at Pittsfield Municipal Airport.","" +121519,727381,VERMONT,2017,November,Strong Wind,"BENNINGTON",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong southerly winds just ahead of the front turned westerly and remained strong during the day behind the front. Seventeen hundred people lost power in Windham County with a few reports of trees and wires down.","" +121519,727382,VERMONT,2017,November,Strong Wind,"EASTERN WINDHAM",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong southerly winds just ahead of the front turned westerly and remained strong during the day behind the front. Seventeen hundred people lost power in Windham County with a few reports of trees and wires down.","" +121519,727383,VERMONT,2017,November,Strong Wind,"WESTERN WINDHAM",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong southerly winds just ahead of the front turned westerly and remained strong during the day behind the front. Seventeen hundred people lost power in Windham County with a few reports of trees and wires down.","" +121520,727384,CONNECTICUT,2017,November,Lightning,"LITCHFIELD",2017-11-16 15:32:00,EST-5,2017-11-16 15:32:00,0,0,0,0,35.00K,35000,,NaN,41.9163,-73.0528,41.9163,-73.0528,"Isolated thunderstorms developed across western New England on November 16, producing pea-size hail and gusty winds. Lightning from one of the thunderstorms struck a tree in Winsted, CT, eventually spreading to a nearby house and resulting in a structure fire. Damage was estimated at 30 to 40 thousand dollars.","Lightning struck a tree, igniting a pile of items near a house. The fire spread to the house and resulted in damage to its rear exterior." +121276,726022,OKLAHOMA,2017,November,Drought,"SEQUOYAH",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726021,OKLAHOMA,2017,November,Drought,"MUSKOGEE",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726023,OKLAHOMA,2017,November,Drought,"HASKELL",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726024,OKLAHOMA,2017,November,Drought,"LE FLORE",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726025,OKLAHOMA,2017,November,Drought,"LATIMER",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121407,726765,ALASKA,2017,November,High Wind,"PRIBILOF ISLANDS",2017-11-22 20:56:00,AKST-9,2017-11-23 08:03:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A 974 mb low moved southward across the Alaska Peninsula and into the Gulf of Alaska. Behind this low, a 1039 high was centered over the Western Aleutians. This caused a strong gradient with northerly flow over the Pribilof Islands, the eastern Aleutians, and the Alaska Peninsula. This storm strengthened in the Gulf of Alaska and moved onshore in the northern Panhandle. As a result, northerly gap winds intensified over the Prince William Sound.","St George ASOS reported a gust of 78 knots. Damage was sustained at the KUHB radio station on St Paul when the radio tower blew over." +121407,726780,ALASKA,2017,November,Avalanche,"MATANUSKA VALLEY",2017-11-22 14:30:00,AKST-9,2017-11-22 15:01:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 974 mb low moved southward across the Alaska Peninsula and into the Gulf of Alaska. Behind this low, a 1039 high was centered over the Western Aleutians. This caused a strong gradient with northerly flow over the Pribilof Islands, the eastern Aleutians, and the Alaska Peninsula. This storm strengthened in the Gulf of Alaska and moved onshore in the northern Panhandle. As a result, northerly gap winds intensified over the Prince William Sound.","An avalanche in Hatcher Pass took the life of a local ski coach. Strong winds earlier in the week and low snow caused the snowpack to be very unstable." +121407,726768,ALASKA,2017,November,High Wind,"EASTERN ALEUTIANS",2017-11-23 02:35:00,AKST-9,2017-11-23 14:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 974 mb low moved southward across the Alaska Peninsula and into the Gulf of Alaska. Behind this low, a 1039 high was centered over the Western Aleutians. This caused a strong gradient with northerly flow over the Pribilof Islands, the eastern Aleutians, and the Alaska Peninsula. This storm strengthened in the Gulf of Alaska and moved onshore in the northern Panhandle. As a result, northerly gap winds intensified over the Prince William Sound.","Akutan AWOS measured 76 knot winds at 2:35 a.m. Warning level winds were also observed at Unalaska airport." +121446,727175,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-20 09:15:00,MST-7,2017-11-20 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent low pressure system moved across Montana. A large pressure gradient and strong winds aloft produced high winds across portions of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured wind gusts of 58 mph or higher, with a peak gust of 78 mph at 20/1235 MST." +121475,727176,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-11-22 06:05:00,MST-7,2017-11-22 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +121475,727177,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-22 06:00:00,MST-7,2017-11-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher." +121475,727178,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-22 05:15:00,MST-7,2017-11-22 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The UPR sensor at Buford wind gusts of 58 mph or higher, with a peak gust of 62 mph at 22/0545 MST." +121475,727179,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-22 05:15:00,MST-7,2017-11-22 06:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher." +121475,727180,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-22 04:00:00,MST-7,2017-11-22 07:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher." +121475,727181,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-22 10:15:00,MST-7,2017-11-22 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The UPR sensor at Emkay measured a peak wind gust of 61 mph." +121475,727182,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-22 04:00:00,MST-7,2017-11-22 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher." +121475,727183,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-22 09:05:00,MST-7,2017-11-22 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brief period of high sustained winds developed across the wind prone areas of southeast Wyoming.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph." +121483,727206,MISSISSIPPI,2017,November,Thunderstorm Wind,"TIPPAH",2017-11-18 15:40:00,CST-6,2017-11-18 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,34.9361,-88.8473,34.9359,-88.8252,"A cold front generated a line of thunderstorms with a few embedded severe storms across portions of northeast Mississippi during the afternoon of November 18th.","Trees down on County Road 212 in north Tippah County." +121669,728273,SOUTH DAKOTA,2017,November,Drought,"DEWEY",2017-11-01 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As the lack of precipitation continued, severe drought conditions remained across extreme northwest Dewey and for western Corson county throughout November. This was part of a drought which began in early June.","" +121669,728274,SOUTH DAKOTA,2017,November,Drought,"CORSON",2017-11-01 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As the lack of precipitation continued, severe drought conditions remained across extreme northwest Dewey and for western Corson county throughout November. This was part of a drought which began in early June.","" +121577,727715,CALIFORNIA,2017,November,Heavy Rain,"SHASTA",2017-11-15 06:30:00,PST-8,2017-11-16 06:30:00,0,0,0,0,,NaN,,NaN,40.49,-121.89,40.49,-121.89,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","There was 3.39 of rain reported at Shingletown over 24 hours." +121577,727716,CALIFORNIA,2017,November,Heavy Rain,"PLACER",2017-11-16 09:00:00,PST-8,2017-11-17 09:00:00,0,0,0,0,,NaN,,NaN,39.0731,-120.6286,39.0731,-120.6286,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","There was 5.88 of rain reported at Greek Store over 24 hours." +114737,688235,IOWA,2017,April,Hail,"LEE",2017-04-10 03:01:00,CST-6,2017-04-10 03:01:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-91.35,40.62,-91.35,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","" +114737,688237,IOWA,2017,April,Thunderstorm Wind,"LINN",2017-04-10 00:51:00,CST-6,2017-04-10 00:51:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-91.72,41.88,-91.72,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","" +114737,688239,IOWA,2017,April,Thunderstorm Wind,"LEE",2017-04-10 02:55:00,CST-6,2017-04-10 02:55:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-91.43,40.47,-91.43,"A storm system slowly moved northeastward overnight with a cold front moving to along a line from Independence Iowa to Memphis Missouri by sunrise. Scattered thunderstorms developed ahead of the cold front during the early morning hours and produced isolated reports of large hail up to the size of golf balls and isolated thunderstorm wind gusts.","" +114738,688245,ILLINOIS,2017,April,Hail,"JO DAVIESS",2017-04-10 02:14:00,CST-6,2017-04-10 02:14:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-90.28,42.25,-90.28,"A storm system moved northeastward across the region overnight and produced scattered thunderstorms during the early morning hours across northwest Illinois. Some of these thunderstorms became severe and produced isolated damaging winds hail up to the size of quarters.","Broadcast media relayed a public report of quarter size hail." +114738,688247,ILLINOIS,2017,April,Hail,"WARREN",2017-04-10 03:34:00,CST-6,2017-04-10 03:34:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-90.67,40.67,-90.67,"A storm system moved northeastward across the region overnight and produced scattered thunderstorms during the early morning hours across northwest Illinois. Some of these thunderstorms became severe and produced isolated damaging winds hail up to the size of quarters.","The time of the event was estimated using radar." +113660,693077,TEXAS,2017,April,Hail,"MCLENNAN",2017-04-10 20:00:00,CST-6,2017-04-10 20:00:00,0,0,0,0,0.00K,0,0.00K,0,31.73,-97.02,31.73,-97.02,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported quarter-sized hail in the city of Leroy, TX." +121803,729020,NEW YORK,2017,November,Flood,"ERIE",2017-11-05 23:15:00,EST-5,2017-11-06 06:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.8941,-78.6443,42.9102,-78.6903,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet)." +120426,721496,INDIANA,2017,November,Thunderstorm Wind,"ORANGE",2017-11-05 20:10:00,EST-5,2017-11-05 20:10:00,0,0,0,0,0.00K,0,0.00K,0,38.5619,-86.4679,38.5619,-86.4679,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","The Orange County emergency manager reported trees down in Paoli." +113660,693080,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 21:30:00,CST-6,2017-04-10 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-96.62,33.2,-96.62,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated one inch diameter hail in McKinney, TX." +113660,693081,TEXAS,2017,April,Hail,"MCLENNAN",2017-04-10 21:50:00,CST-6,2017-04-10 21:50:00,0,0,0,0,10.00K,10000,0.00K,0,31.53,-96.83,31.53,-96.83,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported tennis ball sized hail in the city of Mart, TX." +120427,721519,OHIO,2017,November,Flash Flood,"CLARK",2017-11-05 19:45:00,EST-5,2017-11-05 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-83.88,39.987,-83.8795,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Flash flooding was reported at the Springfield Meadows mobile home park." +120427,721514,OHIO,2017,November,Tornado,"CLARK",2017-11-05 18:16:00,EST-5,2017-11-05 18:22:00,0,0,0,0,100.00K,100000,0.00K,0,39.9324,-83.6225,39.9279,-83.5368,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","The tornado first touched down between Ritchie Drive and Interstate 70, where a semi-trailer was overturned. Damage was then observed approaching Ritchie Drive to Ritchie Brothers Auctioneers, which had some roof damage and siding removed. The tornado progressed east-southeast into South Vienna where multiple tree limbs were downed across east North Street and north East Street and some minor structural damage to roofs occurred. ||Damage then continued toward the east-southeast along east Main Street and the tornado strengthened as it crossed Longs Court and headed further east-southeast. Several trees were snapped in half with at least three trees uprooted toward the eastern city limits of South Vienna. ||East of where east Main Street merges with east National Road, a garage was slightly shifted off of its foundation. The tornado continued east-southeast with minor tree damage observed near where Wilson Road and south Houston Pike meet. ||The tornado then crossed into Madison County, about 2 miles east-northeast of Brighton and continued east-southeast before dissipating near Summerford at 1825EST." +120427,721521,OHIO,2017,November,Flash Flood,"MONTGOMERY",2017-11-05 20:00:00,EST-5,2017-11-05 21:00:00,0,0,0,0,3.00K,3000,0.00K,0,39.8568,-84.1127,39.8633,-84.1133,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Several vehicles were stranded in flooded roadways, resulting in a few water rescues." +120427,721524,OHIO,2017,November,Flash Flood,"CLARK",2017-11-05 21:00:00,EST-5,2017-11-05 23:00:00,0,0,0,0,30.00K,30000,0.00K,0,39.95,-83.88,39.9427,-83.8418,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Multiple homes were flooded in German Township, causing several basement walls to cave in." +120454,721677,OHIO,2017,November,Flash Flood,"VINTON",2017-11-06 04:30:00,EST-5,2017-11-06 10:15:00,0,0,0,0,10.00K,10000,0.00K,0,39.2721,-82.6817,39.2864,-82.591,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Widespread flash flooding occurred across the central part of the county. This included along the Middle Fork of Salt Creek, which closed US 50 west of McArthur. Raccoon Creek flooded, closing State Routes 278 and 378. Flash flooding also occurred along Puncheon Fork, Elk Fork, Wolfe Run, Pierce Run, Johnson Run and Little Raccoon Creek." +120606,722475,WEST VIRGINIA,2017,November,High Wind,"KANAWHA",2017-11-18 23:00:00,EST-5,2017-11-19 00:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722476,WEST VIRGINIA,2017,November,Strong Wind,"KANAWHA",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724047,ARKANSAS,2017,November,Drought,"BAXTER",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Baxter County entered D2 drought designation on November 7th." +120962,724048,ARKANSAS,2017,November,Drought,"BOONE",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Boone County entered D2 drought designation on November 7th." +120965,724084,ARKANSAS,2017,November,Drought,"OUACHITA",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Ouachita County entered D2 drought designation on November 14th." +120965,724085,ARKANSAS,2017,November,Drought,"CALHOUN",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Calhoun County entered D2 drought designation on November 14th." +121005,724361,MISSOURI,2017,November,Dense Fog,"SCOTT",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724362,MISSOURI,2017,November,Dense Fog,"STODDARD",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121005,724363,MISSOURI,2017,November,Dense Fog,"WAYNE",2017-11-04 04:00:00,CST-6,2017-11-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog blanketed most of southeast Missouri during the early morning hours. Visibility was one-quarter mile or less. A stationary front extended from central Arkansas to central Alabama. Moist air and light winds on the north side of the front were favorable for the dense fog to occur.","" +121006,724364,ILLINOIS,2017,November,Strong Wind,"ALEXANDER",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724365,ILLINOIS,2017,November,Strong Wind,"EDWARDS",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +120939,723936,NORTH DAKOTA,2017,November,High Wind,"BOWMAN",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Sustained winds of 44 mph were measured at the Bowman NDDOT site." +120939,723938,NORTH DAKOTA,2017,November,High Wind,"HETTINGER",2017-11-29 11:00:00,CST-6,2017-11-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent cold front moved through the region resulting in strong west to northwest winds across the area. The strongest winds occurred over southwest into parts of south central North Dakota with the highest gusts measured at 73 mph in Slope County.","Wind gusts are estimated for northern Hettinger County based upon the Dickinson ASOS report in Stark County." +121019,724543,MONTANA,2017,November,High Wind,"CHOUTEAU",2017-11-19 10:33:00,MST-7,2017-11-19 10:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","A 62 mph wind gust was reported by public source." +121019,724546,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-19 11:11:00,MST-7,2017-11-19 11:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Saint Mary Mesonet recorded a 69 mph wind gust." +121019,724547,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-19 11:47:00,MST-7,2017-11-19 11:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 63 mph wind gust." +121019,724552,MONTANA,2017,November,High Wind,"CASCADE",2017-11-19 12:50:00,MST-7,2017-11-19 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a spruce tree uprooted in strong winds." +121019,724568,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-19 20:30:00,MST-7,2017-11-19 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Mesonet station reported a measured wind gust of 66 mph." +121019,724567,MONTANA,2017,November,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-11-19 19:00:00,MST-7,2017-11-19 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Spotter reported a measured wind gust of 63 mph." +122292,732297,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DOUGLAS",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero." +122292,732298,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CHARLES MIX",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. A record low maximum temperature of -9 occurred two miles northeast of Academy on December 31." +122292,732299,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GREGORY",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero. A record low maximum temperature of -5 occurred at Gregory on December 31." +120992,724219,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 7.3 inches was measured five miles east northeast of Culberson." +121459,727093,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727094,HAWAII,2017,December,High Surf,"MOLOKAI LEEWARD",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727095,HAWAII,2017,December,High Surf,"MAUI CENTRAL VALLEY",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727096,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121459,727097,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-19 08:00:00,HST-10,2017-12-21 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A north swell caused surf of 10 to 20 feet along the north-facing shores of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island. No significant injuries or property damage were reported.","" +121460,727100,HAWAII,2017,December,Flash Flood,"HAWAII",2017-12-20 17:35:00,HST-10,2017-12-20 20:30:00,0,0,0,0,0.00K,0,0.00K,0,19.7231,-155.0781,19.7227,-155.0743,"A front, with a supporting upper air trough, brought heavy downpours, flash flooding, and isolated thunderstorms to the Aloha State. Most of the precipitation affected the eastern part of the island chain. However, no serious injuries were reported. The costs of any damages were not available.","Portions of Kamehameha Avenue and Bayfront Highway in Hilo were closed due to flooding. Some downtown businesses also became flooded with the heavy downpours." +121460,727102,HAWAII,2017,December,Heavy Rain,"HAWAII",2017-12-21 13:59:00,HST-10,2017-12-21 14:51:00,0,0,0,0,0.00K,0,0.00K,0,19.7695,-155.9839,19.3838,-155.8809,"A front, with a supporting upper air trough, brought heavy downpours, flash flooding, and isolated thunderstorms to the Aloha State. Most of the precipitation affected the eastern part of the island chain. However, no serious injuries were reported. The costs of any damages were not available.","" +121125,725838,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","The observer at the Spokane International Airport recorded 7.1 inches of new snow accumulation." +121125,725841,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A weather spotter on Spokane's South Hill reported 6.0 inches of new snow accumulation." +121125,725842,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A member of the public 2 miles north of Spokane reported 4.0 inches of new snow accumulation." +121125,725843,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A member of the public in Cheney reported 4.0 inches of new snow accumulation." +121125,725844,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A member of the public in Liberty Lake reported 4.0 inches of new snow accumulation." +121352,726474,ARKANSAS,2017,December,Drought,"HOWARD",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121352,726476,ARKANSAS,2017,December,Drought,"NEVADA",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121352,726477,ARKANSAS,2017,December,Drought,"MILLER",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121252,725871,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public near Colburn reported 10.0 inches of new snow accumulation." +121252,725872,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-29 05:00:00,PST-8,2017-12-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A spotter in Coeur D'Alene reported 8.0 inches of new snow accumulation." +121252,725873,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-29 05:00:00,PST-8,2017-12-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public in Rathdrum reported 6.0 inches of new snow accumulation." +121123,726761,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-18 22:00:00,PST-8,2017-12-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer 7 miles north of Republic reported 6.5 inches of new snow." +121123,726762,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","A citizen near Rice reported 12.1 inches of new snow." +121123,726724,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-18 22:00:00,PST-8,2017-12-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","An observer at Boyds reported 11.9 inches of storm total snow." +121498,727453,PENNSYLVANIA,2017,December,Lake-Effect Snow,"WARREN",2017-12-12 07:00:00,EST-5,2017-12-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cold northwesterly flow with an arctic intrusion brought the first significant lake-effect snow of the season to Warren County in northwestern Pennsylvania, with 8 to 16 inches of new snowfall across northern and western Warren County.","Lake-effect snow produced 8 to 16 inches of snowfall across northern and western Warren County." +121534,727430,MONTANA,2017,December,Winter Storm,"SOUTHERN ROSEBUD",2017-12-29 05:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 8 inches was common across the area." +121534,727431,MONTANA,2017,December,Winter Storm,"POWDER RIVER",2017-12-29 06:00:00,MST-7,2017-12-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 6 to 8 inches was common across the area." +121534,727432,MONTANA,2017,December,Winter Storm,"NORTHERN BIG HORN",2017-12-29 04:00:00,MST-7,2017-12-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 8 to 10 inches were common across the area." +121534,727443,MONTANA,2017,December,Winter Storm,"CUSTER",2017-12-28 12:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 7 to 10 inches were common across the area." +121502,727309,MISSISSIPPI,2017,December,Heavy Snow,"GREENE",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amounts of 6 inches in Sand Hill and 2 to 3 inches in Leakesville." +121502,727310,MISSISSIPPI,2017,December,Heavy Snow,"PERRY",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amounts of 3 to 4 inches in Richton, 2 in Beaumont and 2 in New Augusta." +121502,727308,MISSISSIPPI,2017,December,Winter Weather,"STONE",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of 1 to 1.5 inches in Wiggins." +121502,727311,MISSISSIPPI,2017,December,Winter Weather,"GEORGE",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of 1 to 2 inches in Lucedale and 0.5 in Agricola." +121611,727847,MASSACHUSETTS,2017,December,Winter Storm,"WESTERN FRANKLIN",2017-12-12 02:00:00,EST-5,2017-12-12 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped into a coastal storm east of Massachusetts on the 12th and moved off through New Brunswick. This brought snow, freezing rain, and rain to northern and western Massachusetts.","Four to eight and one-half inches fell on Western Franklin County." +121289,726101,MONTANA,2017,December,Winter Storm,"FLATHEAD/MISSION VALLEYS",2017-12-29 05:00:00,MST-7,2017-12-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","On Friday afternoon the 29th at 3 pm, Lake county officials declared emergency travel only due to snow drifts which made roads impassable. Also at 4 pm on the 29th, the Flathead County Road Department reported that east and west oriented roads located east and north of Glacier Park International Airport were drifting closed faster than road crews could plow. The Montana Department of Transportation declared severe driving conditions between Whitefish and Kalispell on US-93, Whitefish to Columbia Falls, Polson and St. Ignatius, between Hot Springs and Whitefish from the afternoon into the evening hours on the 29th. Total storm snow amounts between 12 and 18 inches with a few isolated amounts near 2 feet were reported across the Flathead and Mission valleys. Freezing rain caused icy roads on Friday morning in the Mission Valley." +121289,726121,MONTANA,2017,December,Winter Storm,"POTOMAC / SEELEY LAKE REGION",2017-12-29 11:00:00,MST-7,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Montana Department of Transportation declared severe driving conditions between the Clearwater Junction and Helmville and also on I-90 between Bearmouth and Drummond. The combination of antecedent wet snow and wet conditions with cold arctic air moving in during the day on Friday the 29th, triggered a flash freeze which caused area roads to become a sheet of ice. Also heavy snow combined with strong gusty winds created blizzard conditions between Potomac and Clearwater on Highway 200 and also along Interstate 90 between Clinton and Drummond. Further north between Condon and Seeley Lake, between 2 and 3 feet of snow fell over the course of 3 days." +121841,729340,NORTH CAROLINA,2017,December,Winter Weather,"AVERY",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729341,NORTH CAROLINA,2017,December,Winter Weather,"MADISON",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +114098,692668,TEXAS,2017,April,Hail,"LAMAR",2017-04-29 19:30:00,CST-6,2017-04-29 19:32:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-95.53,33.65,-95.53,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Trained spotters reported quarter sized hail." +121218,726349,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"LAC QUI PARLE",2017-12-30 01:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -41F." +121218,726350,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MARTIN",2017-12-30 06:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging between 35 to 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -38F." +121934,729856,KENTUCKY,2017,December,Winter Weather,"GALLATIN",2017-12-24 15:00:00,EST-5,2017-12-25 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An upper level shortwave crossed through the region and brought significantly colder air to the Ohio Valley, along with 1 to 3 inches of snow northwest of the I-71 corridor.","The CoCoRaHS observer near Glencoe measured 0.8 inches of snow." +121550,729985,IOWA,2017,December,High Wind,"EMMET",2017-12-09 09:52:00,CST-6,2017-12-09 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Estherville ASOS and other mesonets measured gusts to as much as 63 mph." +121550,729986,IOWA,2017,December,High Wind,"KOSSUTH",2017-12-13 12:10:00,CST-6,2017-12-13 14:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Algona AWOS and other mesonets measured gusts to 63 mph." +121550,729987,IOWA,2017,December,High Wind,"WRIGHT",2017-12-13 08:50:00,CST-6,2017-12-13 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Gusty winds occurred.","Clarion AWOS measured gusts to 58 mph." +115149,692318,OHIO,2017,May,Tornado,"MIAMI",2017-05-24 21:03:00,EST-5,2017-05-24 21:10:00,0,0,0,0,5.00K,5000,0.00K,0,40.0788,-84.1539,40.1023,-84.1728,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Based on video evidence and radar imagery, the tornado is believed to have touched down in a field north of the intersection of Polecat Road and Troy Urbana Road. The tornado moved north to Deweese Road approximately one-half mile north of the intersection with East Rusk Road. Tree branches generally 4 inches in diameter or smaller were broken immediately west of Deweese Road at the start of the tornado track. More significant damage occurred less than one-tenth of a mile north where several maple trees up to 18 inches in diameter were snapped. This is where the tornado was believed to be at peak intensity with winds estimated near 90 mph. There was also a large barn immediately east that was moved several inches off its foundation. This movement was likely caused by winds approaching 90 mph while flowing into the circulation. The tornado then started to weaken as it moved north-|northwest near Deweese Road to a point approximately two-tenths of a mile southwest of the intersection with East Peterson Road. Tree damage was generally less significant in this area with estimated wind speeds of 60-75 mph. The tornado appears to have lifted at this point, and no further damage was observed farther northwest. Damage along this path was oriented in convergent and semi-circular patterns consistent with the presence of a tornado." +121467,727132,NEBRASKA,2017,December,Winter Weather,"THAYER",2017-12-23 18:00:00,CST-6,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","Cooperative observers reported a snowfall total of 5.0 inches occurring in Bruning and Hubbell. Also, 4.3 inches occurred in Hebron, reported by an NeRain observer." +121467,727522,NEBRASKA,2017,December,Winter Weather,"MERRICK",2017-12-23 19:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 3.0 inches occurred near Palmer." +121861,730855,MAINE,2017,December,Winter Storm,"NORTHERN PENOBSCOT",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 8 to 12 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730856,MAINE,2017,December,Winter Storm,"CENTRAL PISCATAQUIS",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 7 to 11 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730857,MAINE,2017,December,Winter Storm,"SOUTHERN PISCATAQUIS",2017-12-25 06:00:00,EST-5,2017-12-25 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 7 to 11 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121342,728410,MONTANA,2017,December,Extreme Cold/Wind Chill,"CENTRAL AND SOUTHERN VALLEY",2017-12-30 05:53:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Behind a strong cold front that brought a few inches of snow to the region, northwesterly flow and light winds brought cold temperatures and extreme wind chills to much of northeast Montana from December 30th and into the new year. Wind chill values dropped to less than 50 below zero in a few locations.","The Glasgow airport ASOS measured wind chills of 40 below to 55 below zero throughout the period, with a break of calm winds the evening of the 30th and into the 31st. The event continued into January 1st." +121342,728411,MONTANA,2017,December,Extreme Cold/Wind Chill,"NORTHERN PHILLIPS",2017-12-31 03:00:00,MST-7,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Behind a strong cold front that brought a few inches of snow to the region, northwesterly flow and light winds brought cold temperatures and extreme wind chills to much of northeast Montana from December 30th and into the new year. Wind chill values dropped to less than 50 below zero in a few locations.","Even though winds were nearly calm, observations near the Canadian border showed consistent temperatures between 40 below and 50 below zero for this period." +121342,728412,MONTANA,2017,December,Extreme Cold/Wind Chill,"CENTRAL AND SE PHILLIPS",2017-12-31 09:15:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Behind a strong cold front that brought a few inches of snow to the region, northwesterly flow and light winds brought cold temperatures and extreme wind chills to much of northeast Montana from December 30th and into the new year. Wind chill values dropped to less than 50 below zero in a few locations.","The Malta AWOS measured wind chills ranging from 40 below to near 60 below during this time. Winds were generally around 10 miles per hour. The event continued into January 1st." +122156,731208,PENNSYLVANIA,2017,December,Lake-Effect Snow,"FOREST",2017-12-12 10:00:00,EST-5,2017-12-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through the upper Ohio Valley and ushered in much colder air. In its wake, lake effect and lake enhanced snow developed downwind of the Great Lakes. While upslope snow into the mountains did not accumulate significantly, there were reports in several isolated bands of persistent heavily accumulating lake effect snow. Assorted totals included locazied totals of 6-8 inches in the snow belts, such as 7 inches in Marienville, 6 inches in Tionesta, and 6 inches in Wilson Mills. Isolated snow totals outside the snow belts were generally 1.5 to 5.5 inches.","" +122156,731209,PENNSYLVANIA,2017,December,Lake-Effect Snow,"VENANGO",2017-12-12 10:00:00,EST-5,2017-12-13 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed through the upper Ohio Valley and ushered in much colder air. In its wake, lake effect and lake enhanced snow developed downwind of the Great Lakes. While upslope snow into the mountains did not accumulate significantly, there were reports in several isolated bands of persistent heavily accumulating lake effect snow. Assorted totals included locazied totals of 6-8 inches in the snow belts, such as 7 inches in Marienville, 6 inches in Tionesta, and 6 inches in Wilson Mills. Isolated snow totals outside the snow belts were generally 1.5 to 5.5 inches.","" +122186,731468,TEXAS,2017,December,Winter Weather,"WILLIAMSON",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122186,731469,TEXAS,2017,December,Winter Weather,"WILSON",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122172,731241,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BUTTE",2017-12-26 00:00:00,MST-7,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air settled into northwestern South Dakota during the morning hours. Air temperatures dropped to 15 below to 25 below zero, with wind chills as low as 40 below zero.","" +122172,731242,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HARDING",2017-12-26 00:00:00,MST-7,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air settled into northwestern South Dakota during the morning hours. Air temperatures dropped to 15 below to 25 below zero, with wind chills as low as 40 below zero.","" +122172,731243,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"PERKINS",2017-12-26 00:00:00,MST-7,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air settled into northwestern South Dakota during the morning hours. Air temperatures dropped to 15 below to 25 below zero, with wind chills as low as 40 below zero.","" +122172,731244,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"NORTHERN MEADE CO PLAINS",2017-12-26 00:00:00,MST-7,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air settled into northwestern South Dakota during the morning hours. Air temperatures dropped to 15 below to 25 below zero, with wind chills as low as 40 below zero.","" +122172,731245,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"ZIEBACH",2017-12-26 00:00:00,MST-7,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air settled into northwestern South Dakota during the morning hours. Air temperatures dropped to 15 below to 25 below zero, with wind chills as low as 40 below zero.","" +122173,731246,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BUTTE",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731247,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HAAKON",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731248,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HARDING",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731249,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"NORTHERN MEADE CO PLAINS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122222,731683,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"MINER",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731684,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HANSON",2017-12-25 04:00:00,CST-6,2017-12-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731685,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BROOKINGS",2017-12-25 04:00:00,CST-6,2017-12-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731686,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"LAKE",2017-12-25 04:00:00,CST-6,2017-12-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731687,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"MOODY",2017-12-25 04:00:00,CST-6,2017-12-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +122222,731688,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"MCCOOK",2017-12-25 04:00:00,CST-6,2017-12-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds and bitterly cold temperatures accompanied arctic high pressure which settled into the Northern Plains on Christmas Day.","Winds generally 10 to 15 mph and bitterly cold arctic air produced wind chills from 20 below to 30 below zero at times. Coldest wind chills were early in the morning of December 26th at around 30 below." +121993,730375,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"HOWARD",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","Based on NWS stations in nearby counties, the final 8 days of December likely averaged among the Top-3 coldest on record." +121632,731724,RHODE ISLAND,2017,December,High Wind,"BLOCK ISLAND",2017-12-25 10:51:00,EST-5,2017-12-25 11:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Fast-moving low pressure moved up the coast from the Carolinas and passed near Nantucket before moving into the Gulf of Maine. This brought a several inches of snow to much of Southern New England, along with some rain to southeast areas. In Rhode Island, snow amounts only ranged from 1.0 to 2.7 inches in Providence County and an inch or less south of there. Strong to damaging west to northwest winds followed on Christmas Day.","A gust to 59 mph was measured 2 mi NNE of Dunn Landing on the west side of Block Island at 1051 AM EST, per a marine mesonet." +122234,731752,NEW YORK,2017,December,Cold/Wind Chill,"EASTERN RENSSELAER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731787,NEW YORK,2017,December,Extreme Cold/Wind Chill,"HAMILTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122226,731674,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-27 12:00:00,MST-7,2017-12-27 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +122226,731680,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-27 04:45:00,MST-7,2017-12-27 04:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wildcat Trail measured a peak wind gust of 58 mph." +122226,731682,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-27 07:30:00,MST-7,2017-12-27 07:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Emkay measured peak wind gusts of 59 mph." +122226,731720,WYOMING,2017,December,High Wind,"SHIRLEY BASIN",2017-12-29 13:40:00,MST-7,2017-12-29 14:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Shirley Rim measured sustained winds of 40 mph or higher." +122226,731721,WYOMING,2017,December,High Wind,"SHIRLEY BASIN",2017-12-29 04:53:00,MST-7,2017-12-29 04:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor near Medicine Bow measured a peak wind gust of 58 mph." +122226,731725,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-29 05:55:00,MST-7,2017-12-29 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 29/0835 MST." +122226,731726,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-28 23:25:00,MST-7,2017-12-29 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 29/0200 MST." +122010,731933,NEW YORK,2017,December,Winter Weather,"SOUTHERN WASHINGTON",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731932,NEW YORK,2017,December,Winter Weather,"NORTHERN WASHINGTON",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731934,NEW YORK,2017,December,Winter Weather,"SOUTHERN SARATOGA",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731936,NEW YORK,2017,December,Winter Weather,"EASTERN ALBANY",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +121644,728148,GEORGIA,2017,December,Winter Storm,"MURRAY",2017-12-08 09:00:00,EST-5,2017-12-09 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 7 inches of snow were estimated across the county. The public reported 4 inches in Eton." +121644,728147,GEORGIA,2017,December,Winter Storm,"GORDON",2017-12-08 09:00:00,EST-5,2017-12-09 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated between 4 and 7 inches of snow fell in Gordon County." +121644,728149,GEORGIA,2017,December,Winter Storm,"FANNIN",2017-12-08 09:00:00,EST-5,2017-12-09 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 11 inches of snow were estimated across the county. CoCoRaHS observers reported 9 inches near Blue Ridge and 11 inches near Morganton. The Fannin County Emergency Manager reported 6 inches in Blue Ridge and a COOP observer reported 4 inches Suches." +121331,726332,CALIFORNIA,2017,December,High Wind,"OWENS VALLEY",2017-12-20 04:54:00,PST-8,2017-12-20 04:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it.","This gust occurred 9 miles W of Bishop." +121331,726333,CALIFORNIA,2017,December,High Wind,"OWENS VALLEY",2017-12-20 13:52:00,PST-8,2017-12-20 15:17:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it.","In and near Bishop, one power pole, one tree, and a few large tree branches were blown down. The tree went through a car's windshield." +121332,726334,NEVADA,2017,December,High Wind,"LAS VEGAS VALLEY",2017-12-20 13:56:00,PST-8,2017-12-20 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it, along with some snow to Lincoln County.","The peak gust was measured 1 mile W of Summerlin." +121332,726335,NEVADA,2017,December,High Wind,"SPRING MOUNTAINS",2017-12-20 14:59:00,PST-8,2017-12-20 15:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it, along with some snow to Lincoln County.","The peak gust was measured 1 mile ESE of Red Rock Canyon." +121332,726336,NEVADA,2017,December,High Wind,"ESMERALDA/CENTRAL NYE",2017-12-20 15:45:00,PST-8,2017-12-20 15:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it, along with some snow to Lincoln County.","This gust occurred 38 miles ENE of Beatty." +121332,726337,NEVADA,2017,December,Winter Weather,"LINCOLN COUNTY EXCEPT THE SHEEP RANGE",2017-12-20 18:00:00,PST-8,2017-12-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front passing through the region brought high southwest winds ahead of it and high north winds behind it, along with some snow to Lincoln County.","Snow in Lincoln County resulted in dangerous driving conditions between mile markers 65 and 87 on Highway 93. Visibility was less than 100 feet in blowing snow." +122185,731423,LOUISIANA,2017,December,Heavy Snow,"CATAHOULA",2017-12-08 02:30:00,CST-6,2017-12-08 08:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to portions of Central and Northeast Louisiana during the morning of December 8th. The greatest totals of 4 to 5 inches were measured in Catahoula and Concordia Parishes, with totals tapering off to 1 inch around Interstate 20.","Heavy snow fell across Catahoula Parish, with totals ranging from 3 inches at Harrisonburg to 5 inches in Larto. Accumulating snow resulted in a few downed trees around Larto." +122185,731424,LOUISIANA,2017,December,Heavy Snow,"CONCORDIA",2017-12-08 04:00:00,CST-6,2017-12-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to portions of Central and Northeast Louisiana during the morning of December 8th. The greatest totals of 4 to 5 inches were measured in Catahoula and Concordia Parishes, with totals tapering off to 1 inch around Interstate 20.","Up to 3 to 4 inches of heavy snow fell across Concordia Parish, a high total of 4 inches measured in Vidalia." +122268,732120,IOWA,2017,December,Extreme Cold/Wind Chill,"LYON",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. The minimum temperature reached -19 at Rock Rapids on December 31st." +122268,732123,IOWA,2017,December,Extreme Cold/Wind Chill,"SIOUX",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 10 to 15 mph, bitterly cold wind chills of -25 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -42 occurred around 2110CST on December 31 at Orange City." +122268,732126,IOWA,2017,December,Extreme Cold/Wind Chill,"PLYMOUTH",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 5 to 15 mph, bitterly cold wind chills of -25 to -40 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -37 occurred around 2235CST on December 31 at Le Mars." +122293,732250,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"TRAVERSE",2017-12-30 10:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to west central Minnesota. Wind chills of 35 degrees below to near 45 degrees below zero occurred off and on from December 30th into the first day of the new year. Wheaton only reached a high temperature of 9 degrees below zero on December 30th which was a record. The lowest wind chill was -44 degrees at Graceville. See the storm data for January for the ending of this event.","" +122297,732281,WYOMING,2017,December,Winter Weather,"UPPER NORTH PLATTE RIVER BASIN",2017-12-03 19:00:00,MST-7,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced light to moderate snow across much of southeast Wyoming outside the high terrain. Strong west to northwest winds produced blowing snow and poor visibilities. Total snow accumulations ranged from three to six inches.","Three inches of snow was measured four miles north of Saratoga." +122274,732058,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CORSON",2017-12-26 06:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732059,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DEWEY",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732060,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CAMPBELL",2017-12-26 06:30:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732061,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"WALWORTH",2017-12-26 07:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732062,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"POTTER",2017-12-26 09:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732063,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SULLY",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732065,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HUGHES",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +120347,721443,GEORGIA,2017,September,Tropical Storm,"NORTH FULTON",2017-09-11 11:00:00,EST-5,2017-09-11 19:00:00,0,0,1,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Fulton County Emergency Manager reported hundreds of trees and power lines blown down across the county. Thousands of customers were without electricity for varying periods of time. A wind gust of 47 mph was measured near Sandy Springs. Radar estimated rainfall amounts of 2 to 4 inches across the county with 3.6 inches measured near Buckhead. A 55 year old male was killed in the Sandy Springs area when a large tree was blown over, crashing through his home." +120347,721429,GEORGIA,2017,September,Tropical Storm,"CLAYTON",2017-09-11 10:00:00,EST-5,2017-09-11 18:00:00,3,0,0,0,2.00M,2000000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Clayton County Emergency Manager reported numerous trees and power lines blown down across the county. Twenty four homes had minor damage, 14 reported major damage and 2 homes were destroyed. Damage estimates to homes alone are estimated at $1.4 million. Three occupied vehicles were struck by falling trees in separate incidents. Three people in those vehicles received minor injuries. The ASOS at the Atlanta Hartsfield-Jackson International Airport measured wind gusts of 61 mph and 64 mph. Radar estimated between 2 and 4.5 inches of rain fell across the county with 4.45 inches measured in the Riverdale area." +120348,721068,GEORGIA,2017,September,Thunderstorm Wind,"PULASKI",2017-09-21 18:35:00,EST-5,2017-09-21 18:45:00,0,0,0,0,20.00K,20000,,NaN,32.1427,-83.5512,32.1427,-83.5512,"An unseasonably warm air mass over the region combined with a series of weak upper-level waves to produce isolated severe thunderstorms across portions of central Georgia.","The Pulaski County 911 center reported multiple trees and power lines blown down around the intersection of Highway 257 with Folds/Noble Road. One home sustained damage from a falling tree, no injuries were reported." +115619,694544,MICHIGAN,2017,April,Winter Weather,"MARQUETTE",2017-04-10 10:30:00,EST-5,2017-04-10 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance and wave of low pressure moving through the Central Great Lakes produced a wintry mix of moderate to heavy snow, sleet and freezing rain across much of Upper Michigan from the 10th into the 11th.","There were several reports of light ice accumulation from freezing rain on decks , trees and shrubs from K.I Sawyer to Gwinn and Little Lake." +120347,721419,GEORGIA,2017,September,Tropical Storm,"SPALDING",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,700.00K,700000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Spalding County Emergency Manager reported hundreds of trees and numerous power lines blown down across the county. Forty four structures had minor damage, 45 had major damage, and 2 were destroyed. Most of the damage to structures was due to falling trees. No injuries were reported. Radar estimates indicate between 2.5 and 5 inches of rain fell across the county with 4.8 inches measured in the Griffin area." +122289,732212,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BROWN",2017-12-31 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732215,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SPINK",2017-12-31 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732217,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MARSHALL",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +121990,730343,LOUISIANA,2017,December,Heavy Snow,"EAST BATON ROUGE",2017-12-08 01:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Emergency Operations Center at the Louisiana Governor's Office of Homeland Security and Emergency Preparedness (GOHSEP) reported 3.5 inches of snow. A cooperative observer in the Sherwood Subdivision of Baton Rouge reported 3.9 inches of snow. A public report of 4.5 inches was received from Zachary." +121990,730344,LOUISIANA,2017,December,Heavy Snow,"EAST FELICIANA",2017-12-07 21:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The East Feliciana Parish Emergency Manager reported 4 inches of snow at Clinton." +121990,730345,LOUISIANA,2017,December,Heavy Snow,"IBERVILLE",2017-12-07 21:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The cooperative observer near Plaquemine reported 2.5 inches of snow." +122191,732567,ALABAMA,2017,December,Winter Storm,"CLEBURNE",2017-12-08 06:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 8-10 inches across Cleburne County with a few locations reporting near 12 inches." +120922,723883,CALIFORNIA,2017,December,Dense Fog,"SW S.J. VALLEY",2017-12-02 03:15:00,PST-8,2017-12-02 11:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog formed in the San Joaquin Valley on the morning of December 2 as high pressure persisted over the area. The fog impacted travel along State Routes 99, 43, 41 and 198 as visibility was reduced to a few hundred feet in places. The fog lifted into a low cloud deck then completely dissipated by late morning.","Visibility below a quarter mile was reported in Hanford." +120922,723884,CALIFORNIA,2017,December,Dense Fog,"SE S.J. VALLEY",2017-12-02 01:45:00,PST-8,2017-12-02 07:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread dense fog formed in the San Joaquin Valley on the morning of December 2 as high pressure persisted over the area. The fog impacted travel along State Routes 99, 43, 41 and 198 as visibility was reduced to a few hundred feet in places. The fog lifted into a low cloud deck then completely dissipated by late morning.","Visibility below a quarter mile was reported in Visalia." +120923,724652,CALIFORNIA,2017,December,Frost/Freeze,"SW S.J. VALLEY",2017-12-04 03:00:00,PST-8,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with very little moisture rapidly pushed southward through the area on the morning of December 3. Much colder air behind the front settled into the San Joaquin Valley and resulted in the first morning of freezing temperatures across much of the San Joaquin Valley on December 4 as skies cleared out and winds diminished in very dry airmass.","Several locations reported minimum temperatures between 29 and 32 degrees." +120923,723885,CALIFORNIA,2017,December,Frost/Freeze,"W CENTRAL S.J. VALLEY",2017-12-04 03:00:00,PST-8,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with very little moisture rapidly pushed southward through the area on the morning of December 3. Much colder air behind the front settled into the San Joaquin Valley and resulted in the first morning of freezing temperatures across much of the San Joaquin Valley on December 4 as skies cleared out and winds diminished in very dry airmass.","Several locations reported minimum temperatures between 29 and 32 degrees." +120923,723886,CALIFORNIA,2017,December,Frost/Freeze,"E CENTRAL S.J. VALLEY",2017-12-04 03:00:00,PST-8,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with very little moisture rapidly pushed southward through the area on the morning of December 3. Much colder air behind the front settled into the San Joaquin Valley and resulted in the first morning of freezing temperatures across much of the San Joaquin Valley on December 4 as skies cleared out and winds diminished in very dry airmass.","Several locations reported minimum temperatures between 29 and 32 degrees." +120923,723888,CALIFORNIA,2017,December,Frost/Freeze,"SE S.J. VALLEY",2017-12-04 03:00:00,PST-8,2017-12-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front with very little moisture rapidly pushed southward through the area on the morning of December 3. Much colder air behind the front settled into the San Joaquin Valley and resulted in the first morning of freezing temperatures across much of the San Joaquin Valley on December 4 as skies cleared out and winds diminished in very dry airmass.","Several locations reported minimum temperatures between 29 and 32 degrees." +121135,725204,LOUISIANA,2017,December,Tornado,"JACKSON",2017-12-20 01:02:00,CST-6,2017-12-20 01:07:00,0,0,0,0,75.00K,75000,0.00K,0,32.3366,-92.6804,32.3433,-92.6662,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms during the evening and overnight hours. These storms became severe as they moved across portions of Lower East Texas during the evening and into Northcentral Louisiana during the early morning hours on December 20th. Damaging winds destroyed a mobile home in Campti in Natchitoches Parish, with an isolated tornado touching down just southeast of Quitman in Jackson Parish.","An EF-1 tornado with maximum estimated winds near 105 mph touched down along Parish Road 104 southeast of Quitman and moved northeast across Bethany Church Road and Beech Springs Road. Several trees and numerous large limbs were snapped, and a wooden pole from a barn was uplifted out of the ground. A single wide mobile home slid off of concrete blocks and its roof was peeled off along Beech Springs Road. A few shingles were blown off of the roof of a nearby double wide mobile home." +121180,725417,MICHIGAN,2017,December,Heavy Snow,"MACOMB",2017-12-24 13:00:00,EST-5,2017-12-24 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved across northern portions of Ohio, bringing snow to southeast Michigan. Light to moderate snow began to work up from the southwest in the early Christmas Eve afternoon. Total snowfall accumulations by midnight ranged from around an inch across the Tri-Cities region to 7 inches over parts of Macomb County. The majority of southeast Michigan received 3 to 5 inches. Here are some of the higher snowfall totals received:|||New Baltimore 7.0 inches.|Shelby Township 6.8 inches.|Port Huron 6.0 inches.|Farmington Hills 6.0 inches.|Bloomfield Twp 5.0 inches.|Ann Arbor 4.5 inches.|Pinckney 4.1 inches.|Carleton 4.0 inches.","" +121198,725508,ALASKA,2017,December,High Wind,"TAIYA INLET AND KLONDIKE HIGHWAY",2017-12-28 04:00:00,AKST-9,2017-12-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 1046 cold arctic high covering all of NW Canada caused high winds and very low wind chills for Skagway and the Klondike Highway. Peak wind gust was 73 MPH at Skagway Airport. Lowest wind chill recorded was -32F. Travel and ordinary activities were disrupted plus blowing snow on the Klondike. No damage reported.","Skagway ASOS observed 65 MPH gusts at 4 AM on 4/28. Peak wind 73 MPH in the afternoon. The wind chill was -32F. Travel and ordinary activities were disrupted. No damage reported." +121016,724507,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"TAMPA BAY",2017-12-08 22:33:00,EST-5,2017-12-08 22:33:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The WeatherFlow station on the Skyway Bridge fishing pier (XSKY) recorded a 37 knot marine thunderstorm wind gust." +121460,727101,HAWAII,2017,December,Heavy Rain,"MAUI",2017-12-20 21:15:00,HST-10,2017-12-20 23:44:00,0,0,0,0,0.00K,0,0.00K,0,20.9859,-156.6527,20.8333,-156.3272,"A front, with a supporting upper air trough, brought heavy downpours, flash flooding, and isolated thunderstorms to the Aloha State. Most of the precipitation affected the eastern part of the island chain. However, no serious injuries were reported. The costs of any damages were not available.","" +121768,728868,TENNESSEE,2017,December,Flash Flood,"WILSON",2017-12-23 05:00:00,CST-6,2017-12-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1625,-86.0973,36.0925,-86.2373,"Moderate to occasionally heavy rain overspread Middle Tennessee from Friday, December 23, 2017 into Saturday, December 23, 2017. Total rainfall amounts ranged from 1 inch up to 4 inches across the area, with the highest amounts in northwest Middle Tennessee. Several reports of flooding were received.","Several roads were flooded and closed in southeast Wilson County around Statesville." +120433,721535,INDIANA,2017,November,Flash Flood,"WAYNE",2017-11-05 20:45:00,EST-5,2017-11-05 21:45:00,0,0,0,0,5.00K,5000,0.00K,0,39.7914,-84.9083,39.7915,-84.9094,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","Rising water was rushing into a home on Liberty Avenue, leading to a water rescue." +120433,721536,INDIANA,2017,November,Flash Flood,"WAYNE",2017-11-05 20:45:00,EST-5,2017-11-05 21:45:00,0,0,0,0,5.00K,5000,0.00K,0,39.8186,-85.0007,39.8178,-84.9935,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","Flood waters were rushing into a home on Main Street, leading to a water rescue." +120433,721537,INDIANA,2017,November,Flash Flood,"WAYNE",2017-11-05 21:00:00,EST-5,2017-11-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8039,-85.1102,39.8028,-85.1059,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","High water was reported flowing across Pennville and Sorber Roads." +120433,721538,INDIANA,2017,November,Flash Flood,"WAYNE",2017-11-05 21:00:00,EST-5,2017-11-05 22:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8118,-84.9202,39.8336,-84.9164,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","Flowing water was reported on several streets in the Richmond area." +120433,721539,INDIANA,2017,November,Flash Flood,"FRANKLIN",2017-11-06 00:00:00,EST-5,2017-11-06 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4113,-85.0011,39.4179,-85.0242,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","Several roads were closed in the Brookville area due to high water." +120433,721540,INDIANA,2017,November,Flash Flood,"RIPLEY",2017-11-06 00:15:00,EST-5,2017-11-06 01:15:00,0,0,0,0,5.00K,5000,0.00K,0,39.2206,-85.3555,39.2208,-85.313,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","High water was reported in some homes and numerous roads were flooded." +120433,721612,INDIANA,2017,November,Flash Flood,"RIPLEY",2017-11-06 00:00:00,EST-5,2017-11-06 01:00:00,0,0,0,0,25.00K,25000,0.00K,0,39.08,-85.38,39.0908,-85.3881,"Thunderstorms overspread the region during late afternoon and evening and then continued into the overnight hours. The storms produced heavy rain and flash flooding.","Rushing water damaged a 2400 foot culvert." +120598,722452,OHIO,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-18 17:33:00,EST-5,2017-11-18 17:35:00,0,0,0,0,1.00K,1000,0.00K,0,40.2961,-83.0605,40.2961,-83.0605,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","A tree was downed along River Street." +120598,722453,OHIO,2017,November,Flash Flood,"DELAWARE",2017-11-18 19:00:00,EST-5,2017-11-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-83.04,40.303,-83.0261,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported over a portion of State Route 521." +121101,725036,MASSACHUSETTS,2017,November,Strong Wind,"SOUTHERN WORCESTER",2017-11-10 07:50:00,EST-5,2017-11-10 08:50:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front swept through Southern New England during the early morning of November 10th. Strong northwest winds behind the cold front brought gusts of 40 to 50 mph and numerous reports of downed trees in Massachusetts.","At 7:52 AM EST, an amateur radio operator reported a wind gust to 47 mph at Mendon. At 8:50 AM EST, a large tree and wires were down on Schoolhouse Road in Charlton." +121103,725038,MASSACHUSETTS,2017,November,Strong Wind,"EASTERN FRANKLIN",2017-11-19 08:45:00,EST-5,2017-11-19 08:49:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 8:45 AM EST, the wind at Orange Municipal Airport gusted to 46 mph. At 8:49 AM EST, a tree and wires were down on North Main Street in Orange." +121103,725040,MASSACHUSETTS,2017,November,Strong Wind,"EASTERN HAMPSHIRE",2017-11-19 10:15:00,EST-5,2017-11-19 10:15:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 10:15 AM EST, an amateur radio operator reported a tree and wires down on Wilson Road in Belchertown. At 12:32 PM EST, A tree was down on wires on Anderson Road in Ware." +121103,725043,MASSACHUSETTS,2017,November,Strong Wind,"NORTHERN BRISTOL",2017-11-19 11:30:00,EST-5,2017-11-19 11:30:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 11:30 AM EST, a tree was down on wires on Fairview Avenue in Rehoboth." +121103,725044,MASSACHUSETTS,2017,November,Strong Wind,"EASTERN HAMPDEN",2017-11-19 12:28:00,EST-5,2017-11-19 12:58:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 12:28 PM EST, a tree fell on a woman between Hale Street and Monastary Street in West Springfield. At 12:57 PM EST, a tree and wires were down on Old Westfield Road at Dewey West in West Springfield." +121104,727385,CONNECTICUT,2017,November,Strong Wind,"WINDHAM",2017-11-19 13:28:00,EST-5,2017-11-19 13:30:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 1:28 PM EST, broadcast media reported a tree down on wires on Tripp Hollow Road in Brooklyn." +121545,727862,INDIANA,2017,November,Flash Flood,"KOSCIUSKO",2017-11-05 10:55:00,EST-5,2017-11-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2954,-85.8315,41.3113,-85.6529,"Warm front provided the focus for morning thunderstorms that eventually turned into a bowing segment across NE IN into NW Ohio. Storms also developed across central Indiana and moved into portions of NE IN and NW Ohio. A cyclic supercell impacted Blackford and Jay county with a long tracked tornado and damage along its track. Flooding issues also occurred in some areas due to training and efficient rain producers.","Numerous reports of flowing water, ranging from 6 to 12 inches, were received in the North Webster area as well as locations to the north and west as 2 to 3 inches of rain fell in a short period of time onto already saturated ground. State Route 13, near the South Shore golf course was flooded across both lanes, resulting in a temporary closure of the area until water receded." +120542,722179,OREGON,2017,November,High Wind,"CURRY COUNTY COAST",2017-11-13 19:14:00,PST-8,2017-11-13 23:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a few locations along the southern Oregon coast.","Wind gusts at the Flynn Prairie RAWS exceeded 60 mph continuously during this interval. The peak gust was 67 mph at 17/2013 PST." +120730,723089,OREGON,2017,November,High Wind,"SOUTH CENTRAL OREGON COAST",2017-11-25 22:14:00,PST-8,2017-11-26 03:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The Long Prairie RAWS recorded a gust to 63 mph at 26/2313 PST and a gust to 60 mph at 27/0313 PST." +120730,723090,OREGON,2017,November,High Wind,"CURRY COUNTY COAST",2017-11-26 04:03:00,PST-8,2017-11-26 10:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The ODOT sensor at Gold Beach recorded a gust to 59 mph at 26/1147 PST. The ODOT sensor at Humbug Mountain recorded a gust to 62 mph at 26/0418 PST, a gust to 65 mph at 26/0447 PST, and a gust to 58 mph at 26/0501 PST." +120730,723093,OREGON,2017,November,High Wind,"KLAMATH BASIN",2017-11-26 04:54:00,PST-8,2017-11-26 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The ASOS at Klamath Falls Airport reported a peak gust of 60 mph at 26/0537 PST." +120730,723095,OREGON,2017,November,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-11-26 02:39:00,PST-8,2017-11-26 17:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought high winds to a number of locations in southwest and south central Oregon.","The Browns Well RAWS recorded a gust to 58 mph at 26/0749 PST. The Coffee Pot Flat RAWS recorded gust to 58 mph at 26/1044 PST and 26/1144 PST. The Rock Creek RAWS recorded a gust to 63 mph at 26/1127 PST. The Summer Lake RAWS recorded a gust to 60 mph at 26/0338 PST. The Summit RAWS recorded several gusts exceeding 57 mph between 26/0603 PST and 26/1703 PST. The peak gust was 63 mph, recorded at 26/1303 PST." +120953,723967,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","A spotter reported 5.0 inches of new snow at Diamond Lake." +121803,729031,NEW YORK,2017,November,Flood,"NIAGARA",2017-11-08 15:30:00,EST-5,2017-11-09 08:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.0609,-78.7768,43.085,-78.7816,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet)." +121608,727832,ARKANSAS,2017,November,Hail,"WHITE",2017-11-06 10:43:00,CST-6,2017-11-06 10:43:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-91.7,35.23,-91.7,"On the 6th, the front returned to Arkansas. The front triggered hit and miss thunderstorms, mainly north of Little Rock (Pulaski County). A few of the storms dumped hail. Half dollar size hail was reported near Kensett (White County), with quarter size hail at Concord (Cleburne County), and nickel size hail at Guy (Faulkner County).||Several spots got over an inch of rain. At Searcy (White County), 1.84 inches of precipitation was measured, with 1.70 inches at Augusta (Woodruff County), 1.32 inches at Damascus (Van Buren County), and 1.22 inches at Hattieville (Conway County).","A storm spotter submitted a report of half-dollar sized hail, from the NWS webpage." +121608,727831,ARKANSAS,2017,November,Hail,"CLEBURNE",2017-11-06 08:48:00,CST-6,2017-11-06 08:48:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-91.85,35.66,-91.85,"On the 6th, the front returned to Arkansas. The front triggered hit and miss thunderstorms, mainly north of Little Rock (Pulaski County). A few of the storms dumped hail. Half dollar size hail was reported near Kensett (White County), with quarter size hail at Concord (Cleburne County), and nickel size hail at Guy (Faulkner County).||Several spots got over an inch of rain. At Searcy (White County), 1.84 inches of precipitation was measured, with 1.70 inches at Augusta (Woodruff County), 1.32 inches at Damascus (Van Buren County), and 1.22 inches at Hattieville (Conway County).","Broadcast media shared a report of quarter sized hail at the Concord school in Cleburne County via a picture on Twitter." +121423,726874,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 03:40:00,MST-7,2017-11-01 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 01/0850 MST." +121423,726875,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 04:00:00,MST-7,2017-11-01 15:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 01/0520 MST." +121423,726883,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 10:30:00,MST-7,2017-11-01 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher." +121423,726884,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 00:00:00,MST-7,2017-11-01 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 01/0310 MST." +121423,726885,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 03:15:00,MST-7,2017-11-01 16:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 01/0840 MST." +121423,726886,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-01 07:50:00,MST-7,2017-11-01 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 01/1055 MST." +121423,726887,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-01 09:35:00,MST-7,2017-11-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at the Laramie Airport measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 01/1355 MST." +121423,726889,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-01 02:45:00,MST-7,2017-11-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 01/1020 MST." +122186,731474,TEXAS,2017,December,Winter Weather,"REAL",2017-12-07 04:00:00,CST-6,2017-12-07 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +121276,726026,OKLAHOMA,2017,November,Drought,"PUSHMATAHA",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +121276,726027,OKLAHOMA,2017,November,Drought,"CHOCTAW",2017-11-15 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Unusually dry conditions occurred across much of eastern Oklahoma during November 2017. Much of the region received less than 25 percent of normal average rainfall for the month, and a large portion of southeastern and east central Oklahoma received less than 5 percent of normal average rainfall for the month. These very dry conditions followed a couple months of below normal precipitation across much of the region and resulted in severe drought developing into the area. Monetary damage estimates resulting from the drought were not available.","" +120555,723714,WASHINGTON,2017,November,High Wind,"SAN JUAN",2017-11-13 06:22:00,PST-8,2017-11-13 16:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Lopez Island recorded 57 mph sustained wind, gusting to 63 mph." +120555,723715,WASHINGTON,2017,November,High Wind,"HOOD CANAL AREA",2017-11-13 02:05:00,PST-8,2017-11-13 04:05:00,0,0,0,0,85.00K,85000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Brinnon recorded a 60 mph gust." +121243,725820,MICHIGAN,2017,November,Lake-Effect Snow,"KEWEENAW",2017-11-08 16:00:00,EST-5,2017-11-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","Heavy lake effect snow was reported with 10 inches of snow falling in a 12-hour time period in Allouez Township near Ahmeek." +121243,725822,MICHIGAN,2017,November,Lake-Effect Snow,"NORTHERN HOUGHTON",2017-11-08 21:00:00,EST-5,2017-11-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","Heavy lake effect snow was observed as Calumet measured 11 inches of snow in 17 hours, Painesdale reported an estimated 10 to 12 inches of snow in 14 hours and Redridge reported 10 inches of snow in 13 hours." +121243,726788,MICHIGAN,2017,November,Winter Weather,"MARQUETTE",2017-11-08 20:00:00,EST-5,2017-11-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","Around seven inches of lake effect snow in 10-12 hours was measured over the higher terrain near Big Bay." +121497,727280,NEW YORK,2017,November,Strong Wind,"EASTERN ALBANY",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727282,NEW YORK,2017,November,Strong Wind,"EASTERN DUTCHESS",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727283,NEW YORK,2017,November,Strong Wind,"EASTERN GREENE",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727284,NEW YORK,2017,November,Strong Wind,"EASTERN RENSSELAER",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727286,NEW YORK,2017,November,Strong Wind,"EASTERN ULSTER",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727287,NEW YORK,2017,November,Strong Wind,"MONTGOMERY",2017-11-10 01:00:00,EST-5,2017-11-10 12:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121577,727717,CALIFORNIA,2017,November,Heavy Rain,"SACRAMENTO",2017-11-15 10:15:00,PST-8,2017-11-16 10:15:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-121.28,38.58,-121.28,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","There were 1.90 of rain reported in Rancho Cordova over 24 hours." +121577,727719,CALIFORNIA,2017,November,Winter Storm,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-11-15 12:00:00,PST-8,2017-11-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","Caltrans reported a storm total of 23 of snow at Castle Peak. There was 22 of snow measured at Sugar Bowl Ski Resort, 18 at Ebbetts Pass. Chain controls were put in effect on I80 and Highway 50. Travel delays were reported." +121577,727806,CALIFORNIA,2017,November,Heavy Rain,"PLUMAS",2017-11-15 07:00:00,PST-8,2017-11-17 07:00:00,0,0,0,0,,NaN,,NaN,39.6705,-121.0034,39.6705,-121.0034,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","There was 8.21 of rain reported at 2 NE American House over 72 hours." +121577,727823,CALIFORNIA,2017,November,Winter Storm,"MT SHASTA/WESTERN PLUMAS COUNTY",2017-11-15 10:00:00,PST-8,2017-11-17 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","A storm total of about 30 of snow was measured at Lower Lassen Peak at 8250 feet. Chain controls were put in effect on Highways 70 and 89." +121577,728192,CALIFORNIA,2017,November,Heavy Rain,"BUTTE",2017-11-15 08:00:00,PST-8,2017-11-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-121.54,39.48,-121.54,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","There was 1.30 rain measured in Oroville over 24 hours." +121577,728193,CALIFORNIA,2017,November,Heavy Rain,"BUTTE",2017-11-15 15:45:00,PST-8,2017-11-15 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.48,-121.54,39.48,-121.54,"The first Atmospheric River of the season impacted northern California. Snowfall amounts to nearly 2 feet were reported over the northern Sierra, along with some rainfall totals over 8 inches. This caused travel difficulties and chain controls over mountain highways. It also resulted in many locations seeing and surpassing their monthly averages in just 2 days time.","Rain fell over the area." +121419,726808,NEW YORK,2017,November,Strong Wind,"SOUTHERN QUEENS",2017-11-10 07:00:00,EST-5,2017-11-10 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Gusty northwest winds occurred behind a strong cold front.","At 730 am in Jamaica, scaffolding collapsed on Fern Place between Rex Road and Polhemas Avenue. This closed the road." +121421,726849,NEW YORK,2017,November,Strong Wind,"SOUTHWEST SUFFOLK",2017-11-19 10:00:00,EST-5,2017-11-19 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","At 1118 am, the public reported a downed tree across a sidewalk and yard in the town of Babylon due to the winds. The broadcast media also reported a large tree snapped and fell onto a roof of a home at Parkway Boulevard resulting in structural damage in Wyandanch around 1130 am." +121421,726850,NEW YORK,2017,November,Strong Wind,"NORTHWEST SUFFOLK",2017-11-19 10:00:00,EST-5,2017-11-19 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","At 1245 pm, law enforcement reported multiple trees and power lines down due to the winds causing power outages in the towns of Greenlawn, Elwood, and East Northport.|The mesonet station in Eatons Neck measured a 56 mph wind gust at 1140 am." +121421,726897,NEW YORK,2017,November,Strong Wind,"SOUTHERN WESTCHESTER",2017-11-19 09:00:00,EST-5,2017-11-19 12:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","A trained spotter reported two trees down on Feniminore Road with multiple tree limbs down. This was due to the winds and occurred around 1015 am in the town of Mamaroneck." +121421,726888,NEW YORK,2017,November,Strong Wind,"NEW YORK (MANHATTAN)",2017-11-19 10:00:00,EST-5,2017-11-19 13:00:00,5,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","At 1140 am, the broadcast media reported a collapsed scaffolding at the corner of Prince Street and Broadway. There were 5 injuries as a result." +121421,726904,NEW YORK,2017,November,Strong Wind,"SOUTHEAST SUFFOLK",2017-11-19 11:00:00,EST-5,2017-11-19 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","The mesonet station at Shinnecock measured a wind gust to 51 mph at 1245 pm." +121421,726907,NEW YORK,2017,November,Strong Wind,"NORTHEAST SUFFOLK",2017-11-19 10:00:00,EST-5,2017-11-19 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","Several mesonet stations reported strong gusts in excess of 50 mph. At 1105 am, the mesonet at Great Gull Island measured a gust to 56 mph. At Fishers Island, a gust to 52 mph was observed at 11 am. Near Calverton, a gust to 51 mph was measured at 1250 pm." +121421,726910,NEW YORK,2017,November,Strong Wind,"SOUTHERN QUEENS",2017-11-19 11:00:00,EST-5,2017-11-19 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","The ASOS at JFK International Airport measured a 51 mph wind gust at 1206 pm." +121434,726944,NEW JERSEY,2017,November,Strong Wind,"EASTERN UNION",2017-11-19 07:00:00,EST-5,2017-11-19 09:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","The ASOS at Newark International Airport measured a wind gust to 51 mph at 732 am." +121803,729019,NEW YORK,2017,November,Flood,"ERIE",2017-11-05 23:45:00,EST-5,2017-11-06 08:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.798,-78.6944,42.8498,-78.8221,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet)." +121803,729033,NEW YORK,2017,November,Flood,"MONROE",2017-11-07 05:00:00,EST-5,2017-11-08 02:30:00,0,0,0,0,10.00K,10000,0.00K,0,43.1088,-77.867,43.0925,-77.8721,"After a warm front brought soaking rains to the region, a cold front brought additional rain. The heavy precipitation fell on already saturated ground resulting in both area and river flooding. Rainfall amounts of three to four inches were reported. Roads were flooded and closed in Akron, Rapids, Wolcottsville, Rochester, Athol Springs, Warsaw, Brighton, Cassadaga, and Macedon. Several area creeks and river exceeded flood stage. Cazenovia Creek at Ebenezer crested at 12.29 feet at 5:15 AM on the 6th (Flood Stage is 10 feet). Cayuga Creek at Lancaster crested at 9.43 feet at 3:00 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Attica crested at 9.62 feet at 2:30 AM on the 6th (Flood Stage is 8 feet). Tonawanda Creek at Batavia crested at 11.23 feet at 9:00 PM on the 6th (Flood Stage is 9 feet). Tonawanda Creek at Rapids crested at 12.38 feet at 12:30 AM on the 9th (Flood Stage is 12 feet). Buffalo Creek at Gardenville crested at 7.83 feet at 3:15 AM on the 6th (Flood Stage is 7 feet). Cattaraugus Creek at Gowanda crested at 11.0 feet at 12:30 AM on the 6th (Flood Stage is 10 feet). Genesee River at Avon crested at 33.85 feet at 7:30 AM on the 6th (Flood Stage is 33 feet). Oatka Creek at Garbutt crested at 6.52 feet at 8:30 AM on the 7th (Flood Stage is 6 feet). Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet).","Black Creek at Churchville crested at 6.32 feet at 6:00 PM on the 7th (Flood Stage is 6 feet)." +120427,721529,OHIO,2017,November,Flash Flood,"HAMILTON",2017-11-06 01:30:00,EST-5,2017-11-06 02:30:00,0,0,0,0,4.00K,4000,0.00K,0,39.2249,-84.4044,39.2253,-84.4073,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Two feet of water was reported in an apartment on Fox Run Drive." +120454,721664,OHIO,2017,November,Thunderstorm Wind,"PERRY",2017-11-05 19:40:00,EST-5,2017-11-05 19:40:00,0,0,0,0,1.00K,1000,0.00K,0,39.87,-82.42,39.87,-82.42,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","A tree was blown down along Township Road 235. A power line was also taken down." +120454,721665,OHIO,2017,November,Thunderstorm Wind,"PERRY",2017-11-05 19:40:00,EST-5,2017-11-05 19:40:00,0,0,0,0,0.50K,500,0.00K,0,39.9,-82.42,39.9,-82.42,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","A tree was downed across Route 188." +120454,721666,OHIO,2017,November,Thunderstorm Wind,"MORGAN",2017-11-05 20:40:00,EST-5,2017-11-05 20:40:00,0,0,0,0,1.00K,1000,0.00K,0,39.73,-81.74,39.73,-81.74,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","One large tree and several additional tree limbs were blown down along Route 284." +120606,722477,WEST VIRGINIA,2017,November,Strong Wind,"PUTNAM",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722479,WEST VIRGINIA,2017,November,Strong Wind,"LINCOLN",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722478,WEST VIRGINIA,2017,November,Strong Wind,"WAYNE",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,40.00K,40000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120823,723489,MONTANA,2017,November,Winter Storm,"CRAZY MOUNTAINS",2017-11-01 00:00:00,MST-7,2017-11-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong arctic front combined with an upper low and storm system that moved in from the Pacific Northwest brought heavy snow to portions of the Billings Forecast Area.","South Fork Shields Snotel reported 16 inches of snow." +120962,724052,ARKANSAS,2017,November,Drought,"MARION",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Marion County entered D2 drought designation on November 7th." +120962,724054,ARKANSAS,2017,November,Drought,"FULTON",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Fulton County entered D2 drought designation on November 7th." +120965,724086,ARKANSAS,2017,November,Drought,"DREW",2017-11-14 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Calhoun County entered D2 drought designation on November 14th." +120967,724087,ARKANSAS,2017,November,Drought,"BRADLEY",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Bradley County entered D2 drought designation on November 21st." +121006,724366,ILLINOIS,2017,November,Strong Wind,"FRANKLIN",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724368,ILLINOIS,2017,November,Strong Wind,"HAMILTON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724367,ILLINOIS,2017,November,Strong Wind,"GALLATIN",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724370,ILLINOIS,2017,November,Strong Wind,"JACKSON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121019,724566,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-19 17:20:00,MST-7,2017-11-19 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","ASOS station reported a measured wind gust of 61 mph." +121019,724564,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-19 17:06:00,MST-7,2017-11-19 17:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Spotter reported a measured wind gust of 75 mph." +121019,724562,MONTANA,2017,November,High Wind,"JUDITH BASIN",2017-11-19 15:58:00,MST-7,2017-11-19 15:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Measured 62 mph wind gust." +121019,724555,MONTANA,2017,November,High Wind,"CASCADE",2017-11-19 13:58:00,MST-7,2017-11-19 13:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Measured wind gust of 58 mph 13 Mi SE of Belt." +121019,724571,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-20 00:23:00,MST-7,2017-11-20 00:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 75 mph wind gust." +121019,724570,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-20 00:07:00,MST-7,2017-11-20 00:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 61 mph wind gust." +121019,724573,MONTANA,2017,November,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-11-20 01:24:00,MST-7,2017-11-20 01:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 64 mph wind gust." +121019,724579,MONTANA,2017,November,High Wind,"SOUTHERN LEWIS AND CLARK",2017-11-20 03:16:00,MST-7,2017-11-20 03:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 76 mph wind gust." +120992,724220,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 6.5 inches was measured one mile north of Hot House." +120992,724221,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5.5 inches was measured five miles southwest of Violet." +120992,724222,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5 inches was measured two miles northeast of Murphy." +120992,724223,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 4 inches was measured four miles east of Cedar Creek." +120992,724224,NORTH CAROLINA,2017,December,Heavy Snow,"CLAY",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 6.6 inches was measured three miles southeast of Tusquitee." +120992,724225,NORTH CAROLINA,2017,December,Heavy Snow,"CLAY",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 6 inches was measured at Hayesville." +120993,724226,TENNESSEE,2017,December,Heavy Snow,"SOUTHEAST CARTER",2017-12-08 10:00:00,EST-5,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 7 inches was measured three miles southwest of Roan Mountain." +121462,727104,HAWAII,2017,December,High Surf,"NIIHAU",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727105,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727106,HAWAII,2017,December,High Surf,"KAUAI LEEWARD",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727107,HAWAII,2017,December,High Surf,"OAHU NORTH SHORE",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727108,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727109,HAWAII,2017,December,High Surf,"OLOMANA",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727110,HAWAII,2017,December,High Surf,"MOLOKAI WINDWARD",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727111,HAWAII,2017,December,High Surf,"MOLOKAI LEEWARD",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121125,725845,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A member of the public near Mead reported 4.5 inches of new snow accumulation." +121125,725851,WASHINGTON,2017,December,Heavy Snow,"WASHINGTON PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","An observer in Thornton reported 6.5 inches of new snow accumulation." +121125,725836,WASHINGTON,2017,December,Heavy Snow,"WASHINGTON PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Palouse region and the Spokane area. The peripheral areas of this heavy snow area to the west over the central Columbia Basin and north in the northeast Washington mountains generally received 1 to 3 inches of snow from this storm.","A weather spotter near Garfield reported 4.0 inches of new snow accumulation." +121250,725839,NEW JERSEY,2017,December,High Wind,"EASTERN CAPE MAY",2017-12-25 09:08:00,EST-5,2017-12-25 09:08:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A cold frontal boundary and low pressure brought a period of strong winds to the region. Several thousand people lost power as a result of the strong winds. A Historical re-enactment was cancelled due to wind at Washington Crossing.","Weatherflow site." +121246,725857,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-15 10:00:00,PST-8,2017-12-16 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","The COOP observer at Kellogg reported 4.9 inches of new snow." +121246,725860,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-15 10:00:00,PST-8,2017-12-16 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","An observer at Saint Maries reported 7.3 inches of new snow accumulation." +121352,726478,ARKANSAS,2017,December,Drought,"LAFAYETTE",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121352,726479,ARKANSAS,2017,December,Drought,"COLUMBIA",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Extreme (D3) drought conditions over Sevier, Howard, and Hempstead Counties to start December expanded to include Nevada, Lafayette, Columbia, and Union Counties by mid-month, as wetting rainfall remained scarce through the period, and above normal temperatures were recorded. This resulted in burn bans being hoisted for all of Southwest Arkansas for much of the month. Little River and Miller Counties remained in severe (D2) drought through much of the month, until an extended period of wetting rains fell between December 16th-22nd across all of Southwest Arkansas. Cumulative rainfall deficits during the Fall months (September/October/November) ranged from 9-12 inches across Southwest Arkansas, where only 2-4 inches of rain fell. Widespread rainfall amounts of five to seven inches fell during the third week of December near and ahead of a couple cold frontal passages, which alleviated the extreme and severe drought conditions that had been in place since the second week of November. However, moderate drought (D1) and abnormally dry (D0) conditions remained across Southwest Arkansas to end the month of December.","" +121353,726480,ARKANSAS,2017,December,Drought,"UNION",2017-12-01 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued across Union County Arkansas to start the month of December, before extreme (D3) drought expanded over the county during the second week of December. Through mid-December, only 3.73 inches of rain fell during the Fall (September/October/November), with 3 month deficits nearing 9.50 inches. This result in a burn ban being hoisted for Union County for much of the month. An extended period of wetting rains fell between December 16th-23rd across all of Southwest Arkansas near a couple of cold fronts, where widespread rainfall amounts of three to five inches fell, thus alleviating the extreme drought conditions in place. However, severe drought remained across Union County to end December.","" +121252,725874,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A spotter 9 miles south of Elmira reported 9.8 inches of new snow accumulation." +121252,725875,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-28 12:00:00,PST-8,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public in Pinehurst reported 16.0 inches of new snow accumulation." +121252,725876,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-29 05:00:00,PST-8,2017-12-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public in Post Falls 4.0 inches of new snow accumulation." +121123,726757,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-18 22:00:00,PST-8,2017-12-19 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On December 19th a very moist surface low pressure tracked through eastern Washington and north Idaho along a warm front. The Columbia Basin was mainly south of the warm front with mostly rain, although the northern margin of the basin including the Spokane area received 2 to 4 inches of heavy wet snow before changing to rain during the day as the warm front passed through and stalled just to the north. The mountains and valleys north of the basin and the Cascades remained in the cold air mass north of the stalled warm front and received a prolonged period of heavy snow from this storm. In addition to travel difficulties, heavy wet snow caused numerous power outages for the residents of valley communities in these mountainous zones.","A spotter near Diamond Lake reported 12.8 inches of new snow." +121410,726772,WEST VIRGINIA,2017,December,Winter Weather,"BARBOUR",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121410,726774,WEST VIRGINIA,2017,December,Winter Weather,"UPSHUR",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121534,727445,MONTANA,2017,December,Winter Storm,"TREASURE",2017-12-28 11:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 6 inches occurred." +121534,727446,MONTANA,2017,December,Winter Storm,"BEARTOOTH FOOTHILLS",2017-12-29 05:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 10 to 12 inches were reported." +121534,727451,MONTANA,2017,December,Winter Storm,"LIVINGSTON AREA",2017-12-29 04:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 10 to 24 inches occurred across the area." +121534,727454,MONTANA,2017,December,Winter Storm,"PARADISE VALLEY",2017-12-29 05:00:00,MST-7,2017-12-31 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Pray received 14 inches of snow. Severe driving conditions were also reported." +121494,727777,ALABAMA,2017,December,Winter Weather,"COVINGTON",2017-12-08 23:00:00,CST-6,2017-12-09 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extremely rare early season snow event occurred across the central Gulf coast late in the day on the 8th into the morning of the 9th. An area of low pressure moved northeast off the Gulf and as the low moved east and pulled a cold air mass into the area, rain changed to a mix and eventually all snow. It was the earliest snow event ever recorded in the area. Most areas received some accumulation, with the largest totals across northwest areas. Areas northwest of a line from Leakesville, Mississippi to Camden, Alabama received 3 to as much as 7.5 inches of snow.","Storm total snow amount of a trace to 0.5 inches across Covington County.." +121611,727848,MASSACHUSETTS,2017,December,Winter Weather,"EASTERN FRANKLIN",2017-12-12 02:00:00,EST-5,2017-12-12 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped into a coastal storm east of Massachusetts on the 12th and moved off through New Brunswick. This brought snow, freezing rain, and rain to northern and western Massachusetts.","Three to six inches of snow fell on Eastern Franklin County." +121611,727849,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPSHIRE",2017-12-12 02:00:00,EST-5,2017-12-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped into a coastal storm east of Massachusetts on the 12th and moved off through New Brunswick. This brought snow, freezing rain, and rain to northern and western Massachusetts.","Two to five inches of snow fell on Western Hampshire County." +121611,727850,MASSACHUSETTS,2017,December,Winter Weather,"WESTERN HAMPDEN",2017-12-12 06:00:00,EST-5,2017-12-12 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure over the Great Lakes redeveloped into a coastal storm east of Massachusetts on the 12th and moved off through New Brunswick. This brought snow, freezing rain, and rain to northern and western Massachusetts.","Two and one-half to four inches fell on Western Hampden County." +121613,727851,MASSACHUSETTS,2017,December,Strong Wind,"WESTERN HAMPSHIRE",2017-12-13 13:20:00,EST-5,2017-12-13 13:55:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intensifying storm over the Maritimes brought strong gusty west winds to Southern New England during the 13th. Winds diminished during the first part of the night as the storm moved farther away.","At 120 AM EST, a tree was brought down on wires on Conway Road in Goshen, near the Conway town line. At 152 PM EST, a wind gust to 52 mph was observed at Goshen." +121614,727853,RHODE ISLAND,2017,December,Strong Wind,"WASHINGTON",2017-12-13 11:25:00,EST-5,2017-12-13 14:25:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Intensifying storm over the Maritimes brought strong gusty west winds to Southern New England during the 13th. Winds diminished during the first part of the night as the storm moved farther away.","At 1125 AM EST, a tree was down across wires on Hilltop Avenue in South Kingstown." +120994,724235,COLORADO,2017,December,Winter Weather,"FLATTOP MOUNTAINS",2017-12-03 21:00:00,MST-7,2017-12-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropped into northern Colorado and brought light to moderate snow accumulations to the Elkhead, Park, and Flat Top Mountains. Additionally, a strong winds aloft not only enhanced precipitation but also produced gusty winds and areas of blowing snow.","Generally 4 to 6 inches of snow fell across the area. Winds gusted to 45 mph and produced blowing snow." +121289,726136,MONTANA,2017,December,Winter Storm,"BITTERROOT / SAPPHIRE MOUNTAINS",2017-12-28 16:00:00,MST-7,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Lost Trail pass received 34 inches in 72 hours and Lolo pass saw 22 inches of snow. Freezing rain also developed at Lolo pass on Thursday afternoon." +121299,726362,IDAHO,2017,December,Winter Storm,"SOUTHERN CLEARWATER MOUNTAINS",2017-12-29 00:00:00,PST-8,2017-12-29 23:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of moderate to heavy snow caused difficult travel conditions and sporadic power outages across central Idaho. While lower elevations experienced a mixture of snow, rain and freezing rain, the combination of rain and snow melt led to water on roadways in a few places.","In Elk City, heavy snow brought down power lines and trees causing an extended power outage that lasted for three days from 11 am PST on the 28th to 10 am PST on the 30th. Heavy wet snow also caused several power outages in the Lower Middlefork, Lowell, Selway and Tahoe areas. The Idaho Transportation Department reported 37 inches at the Powell Shed. Around 22 inches of snow was reported at Lolo Pass, between 14 and 18 inches of snow fell in Elk City and the Dixie COOP reported 11 inches over 3 days. For the lower elevations, Kooskia saw 6 inches of heavy wet snow while freezing rain was reported on highway 12 with several trees down near Lowell." +121348,726463,MONTANA,2017,December,Heavy Snow,"KOOTENAI/CABINET REGION",2017-12-19 01:30:00,MST-7,2017-12-20 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A vigorous winter storm brought wet, heavy snow to northwest Montana and caused significant impacts to school and holiday travel. Freezing rain also became an issue on I-90 west of Missoula where severe driving conditions were reported by Montana Department of Transportation. Due to the heavy and wet nature of the snow, numerous power outages were reported across northwest Montana.","Spotters reported anywhere from 9 to 18 inches of snow in Libby, 14 inches in Troy and Eureka, and 18 inches at Bull Lake over 48 hours. Scattered power outages were reported throughout the region due to heavy snow on power lines." +121118,727968,MONTANA,2017,December,Winter Storm,"LITTLE ROCKY MOUNTAINS",2017-12-19 08:00:00,MST-7,2017-12-20 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With moisture flowing in from the west and a strong cold front descending from the north, a significant winter storm brought accumulating snow to many northeast Montana locations. The higher snowfall amounts for this region were located in the higher elevations of central Montana and along and near US Highway 2.","A trained spotter at the Buckhorn general store in Zortman reported 14 inches of snow, beginning at approximately 8:00 the morning of the 19th and ending at 2:00 PM the afternoon of the 20th." +121841,729342,NORTH CAROLINA,2017,December,Winter Weather,"YANCEY",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729343,NORTH CAROLINA,2017,December,Winter Weather,"MITCHELL",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729345,NORTH CAROLINA,2017,December,Winter Weather,"NORTHERN JACKSON",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729346,NORTH CAROLINA,2017,December,Winter Weather,"SOUTHERN JACKSON",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121218,726351,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MCLEOD",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging between 35 to 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -38F." +121218,726363,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MEEKER",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -40F." +121947,730112,OHIO,2017,December,Winter Weather,"FRANKLIN",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","Two inches of snow were measured in Upper Arlington. The CoCoRaHS observer located 4 miles north of Dublin received 1.9 inches, while the CMH airport measured 1.7 inches of snow." +121947,730113,OHIO,2017,December,Winter Weather,"SHELBY",2017-12-12 03:00:00,EST-5,2017-12-13 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Isolated narrow bands with convective snow showers were found over the region. Many locations only received a dusting, while a few narrow bands received up to two inches of snowfall.","A public report from Sidney indicated that 2.1 inches of snow had fallen. The CoCoRaHS observer from Fort Loramie measured an inch while another from Houston measured a half inch." +121847,730140,MICHIGAN,2017,December,Lake-Effect Snow,"DELTA",2017-12-11 18:00:00,EST-5,2017-12-12 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very moist and unstable environment along with a strongly convergent northerly wind flow setting up across Lake Superior generated moderate to heavy lake effect snow bands downwind of Lake Superior into portions of central Upper Michigan from the evening of the 11th into the 12th.","There was a report of 12 inches of lake effect snow in 12 hours at Rapid River. An estimated ten inches of snow fell in 12 hours four miles south of Trenary along the Alger County border." +121951,730144,MICHIGAN,2017,December,Winter Storm,"MENOMINEE",2017-12-13 03:00:00,CST-6,2017-12-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","There was a report of ten inches of snow in 13 hours near Birch Creek. Other storm total snowfall reports included nine inches of snow in Wallace and seven inches in Stephenson." +121951,730145,MICHIGAN,2017,December,Winter Weather,"IRON",2017-12-13 01:00:00,CST-6,2017-12-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","There was a report of five inches of snow in 14 hours at Peavy Falls Dam." +121951,730146,MICHIGAN,2017,December,Winter Weather,"DICKINSON",2017-12-13 03:00:00,CST-6,2017-12-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","Observers from Norway to Iron Mountain measured three and a half to four inches of snow in nine hours." +121951,730147,MICHIGAN,2017,December,Winter Weather,"MARQUETTE",2017-12-13 06:00:00,EST-5,2017-12-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","The National Weather Service Office in Negaunee Township measured 6.8 inches of snow in 18 hours." +121467,727133,NEBRASKA,2017,December,Winter Weather,"FRANKLIN",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 4.5 inches occurred six miles south of Wilcox." +121467,728993,NEBRASKA,2017,December,Winter Weather,"PHELPS",2017-12-23 17:00:00,CST-6,2017-12-24 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 4.0 inches occurred in Holdrege." +122036,730595,MICHIGAN,2017,December,Heavy Snow,"OTTAWA",2017-12-28 12:00:00,EST-5,2017-12-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow affected the lakeshore counties of far western lower Michigan from December 28th to December 30th. Total snow accumulations of 12 to 20 inches were reported. Snowfall totals of near 20 inches near Muskegon were the greatest 48 hour snowfall totals since January 13-14 of 2012.","Twelve to eighteen inches of snow fell across much of Ottawa county." +122036,730600,MICHIGAN,2017,December,Heavy Snow,"MUSKEGON",2017-12-28 12:00:00,EST-5,2017-12-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow affected the lakeshore counties of far western lower Michigan from December 28th to December 30th. Total snow accumulations of 12 to 20 inches were reported. Snowfall totals of near 20 inches near Muskegon were the greatest 48 hour snowfall totals since January 13-14 of 2012.","Twelve to twenty inches of snow fell across western Muskegon county. 13 inches of snow fell at the Muskegon airport from 7 pm on the 28th to 7 pm on the 29th. Muskegon had a record snowfall of 14.7 inches on the 29th. The measured 48 hour total of 19.9 inches from 7 am on the 28th to 7 am on the 30th was the greatest two day snowfall total in Muskegon since January 13-14 of 2012." +122036,730602,MICHIGAN,2017,December,Heavy Snow,"OCEANA",2017-12-28 12:00:00,EST-5,2017-12-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy snow affected the lakeshore counties of far western lower Michigan from December 28th to December 30th. Total snow accumulations of 12 to 20 inches were reported. Snowfall totals of near 20 inches near Muskegon were the greatest 48 hour snowfall totals since January 13-14 of 2012.","Twelve to eighteen inches of snow fell across western Oceana county." +121861,730858,MAINE,2017,December,Winter Storm,"SOUTHEAST AROOSTOOK",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 10 to 13 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730859,MAINE,2017,December,Winter Storm,"CENTRAL PENOBSCOT",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 10 to 15 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +121861,730860,MAINE,2017,December,Winter Storm,"NORTHERN WASHINGTON",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 6 to 9 inches. Wind gusts of 30 to 35 mph caused significant blowing and drifting snow." +122162,731217,WEST VIRGINIA,2017,December,Winter Storm,"EASTERN PRESTON",2017-12-29 19:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 11.1 inches at Canaan Heights, 12.3 inches at Davis, 11.0 inches at Canaan Valley, 9.0 inches in Rowlesburg, 10.8 inches in Parsons, and 8.0 inches in Terra Alta.","" +122162,731218,WEST VIRGINIA,2017,December,Winter Storm,"EASTERN TUCKER",2017-12-29 19:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 11.1 inches at Canaan Heights, 12.3 inches at Davis, 11.0 inches at Canaan Valley, 9.0 inches in Rowlesburg, 10.8 inches in Parsons, and 8.0 inches in Terra Alta.","" +122162,731220,WEST VIRGINIA,2017,December,Winter Storm,"PRESTON",2017-12-29 19:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 11.1 inches at Canaan Heights, 12.3 inches at Davis, 11.0 inches at Canaan Valley, 9.0 inches in Rowlesburg, 10.8 inches in Parsons, and 8.0 inches in Terra Alta.","" +122162,731221,WEST VIRGINIA,2017,December,Winter Storm,"WESTERN TUCKER",2017-12-29 19:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 11.1 inches at Canaan Heights, 12.3 inches at Davis, 11.0 inches at Canaan Valley, 9.0 inches in Rowlesburg, 10.8 inches in Parsons, and 8.0 inches in Terra Alta.","" +114032,682996,NEW YORK,2017,February,Heavy Snow,"OTSEGO",2017-02-12 07:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 9 inches with the highest amount in Cooperstown." +114047,689452,IOWA,2017,March,Thunderstorm Wind,"MUSCATINE",2017-03-06 22:10:00,CST-6,2017-03-06 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.05,41.42,-91.05,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Some damage was reported to a local residence's car port." +114047,689716,IOWA,2017,March,Thunderstorm Wind,"MUSCATINE",2017-03-06 22:09:00,CST-6,2017-03-06 22:09:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-91.05,41.47,-91.05,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Information was a delayed report received from a CO-OP Observer." +114047,689688,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:29:00,CST-6,2017-03-06 22:29:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-90.58,41.62,-90.58,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Wind measurement was from the Davenport Airport (DVN) ASOS site." +114048,689815,ILLINOIS,2017,March,Thunderstorm Wind,"ROCK ISLAND",2017-03-06 22:36:00,CST-6,2017-03-06 22:36:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-90.5,41.45,-90.5,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","The measured wind gust was from the Quad City Airport (MLI) ASOS site." +114032,682997,NEW YORK,2017,February,Heavy Snow,"SOUTHERN ONEIDA",2017-02-12 09:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 6 to 8 inches with the highest amount in Rome." +114032,682985,NEW YORK,2017,February,Heavy Snow,"NORTHERN ONEIDA",2017-02-12 09:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 13 inches with the highest amount in New Hartford." +112661,672670,PENNSYLVANIA,2017,February,Thunderstorm Wind,"LUZERNE",2017-02-25 14:50:00,EST-5,2017-02-25 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.2714,-75.7452,41.2714,-75.7452,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","Numerous trees were blown down by thunderstorm winds." +119145,716313,VIRGINIA,2017,July,Heavy Rain,"SOUTHAMPTON",2017-07-15 05:00:00,EST-5,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-76.91,36.89,-76.91,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.22 inches was measured at Ivor (1 SW)." +115111,690958,OHIO,2017,May,Thunderstorm Wind,"MIAMI",2017-05-19 15:07:00,EST-5,2017-05-19 15:09:00,0,0,0,0,1.00K,1000,0.00K,0,40.12,-84.35,40.12,-84.35,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A large tree was downed in Covington." +115111,690960,OHIO,2017,May,Thunderstorm Wind,"SHELBY",2017-05-19 15:14:00,EST-5,2017-05-19 15:16:00,0,0,0,0,1.00K,1000,0.00K,0,40.3309,-84.1923,40.3309,-84.1923,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Two large trees were downed near the intersection of Mason Road and State Route 29." +122173,731250,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"JACKSON",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731251,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"MELLETTE",2017-12-30 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731252,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"PERKINS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731253,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"ZIEBACH",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731254,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"PENNINGTON CO PLAINS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731255,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"SOUTHERN MEADE CO PLAINS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731257,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"CENTRAL BLACK HILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731258,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"CUSTER CO PLAINS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +121993,730360,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"ADAMS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Hastings airport, the final 8-days of December featured an average temperature of 3.9 degrees, marking the coldest ending to the year out of 109 on record. During this stretch, three days featured low temperatures of at least -14 degrees." +121993,730376,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"MERRICK",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","Based on NWS stations in nearby counties, the final 8 days of December likely averaged among the Top-3 coldest on record." +122226,731743,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-29 07:55:00,MST-7,2017-12-29 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 29/0830 MST." +122226,731744,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-29 03:25:00,MST-7,2017-12-29 08:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 29/0335 MST." +122226,731762,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-29 00:40:00,MST-7,2017-12-29 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 29/1105 MST." +122226,731766,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-29 09:15:00,MST-7,2017-12-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The UPR sensor at Buford West measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 29/1125 MST." +122226,731768,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE",2017-12-29 01:50:00,MST-7,2017-12-29 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Hynds Lodge Road measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 29/0220 MST." +122226,731804,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 20:00:00,MST-7,2017-12-27 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 27/2010 MST." +122226,731805,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 07:00:00,MST-7,2017-12-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 29/0715 MST." +122226,731806,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-30 13:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 30/1345 MST." +122010,731939,NEW YORK,2017,December,Winter Weather,"WESTERN RENSSELAER",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731938,NEW YORK,2017,December,Winter Weather,"EASTERN RENSSELAER",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731941,NEW YORK,2017,December,Winter Weather,"WESTERN ULSTER",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731942,NEW YORK,2017,December,Winter Weather,"WESTERN GREENE",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +121644,728150,GEORGIA,2017,December,Winter Storm,"GILMER",2017-12-08 09:00:00,EST-5,2017-12-09 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 3 and 7 inches of snow were estimated across the county. A mixture of public and social media accounts and the broadcast media reported 3 inches in Ellijay, 4.5 inches near Talonia, 6 inches near Blaine and 6.8 inches near East Ellijay." +121644,728152,GEORGIA,2017,December,Winter Storm,"CARROLL",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 11 inches of snow were estimated across the county. Reports from CoCoRaHS and COOP observers, National Weather Service employees and the public included 4.5 inches near Treasure Lake, 7 inches south of Carrollton, 8 inches north of Carrollton, 10.5 inches near Temple and 11 inches in Temple." +121644,728151,GEORGIA,2017,December,Winter Storm,"HARALSON",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 3 and 7 inches of snow were estimated across the county. The Haralson County Emergency Manager reported 3 inches around Felton and a National Weather Service employee reported 7 inches near Tallapoosa." +122185,731438,LOUISIANA,2017,December,Heavy Snow,"FRANKLIN",2017-12-08 04:30:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to portions of Central and Northeast Louisiana during the morning of December 8th. The greatest totals of 4 to 5 inches were measured in Catahoula and Concordia Parishes, with totals tapering off to 1 inch around Interstate 20.","Two inches of heavy snow fell across portions of Franklin Parish." +122185,731802,LOUISIANA,2017,December,Heavy Snow,"TENSAS",2017-12-08 04:30:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to portions of Central and Northeast Louisiana during the morning of December 8th. The greatest totals of 4 to 5 inches were measured in Catahoula and Concordia Parishes, with totals tapering off to 1 inch around Interstate 20.","Heavy snow fell across Tensas Parish, with totals ranging from near 2 inches in the north to 3 inches in the south." +122185,731803,LOUISIANA,2017,December,Winter Weather,"MADISON",2017-12-08 06:00:00,CST-6,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to portions of Central and Northeast Louisiana during the morning of December 8th. The greatest totals of 4 to 5 inches were measured in Catahoula and Concordia Parishes, with totals tapering off to 1 inch around Interstate 20.","Snow fell across portions of Madison Parish, with an estimated 1 to 1.5 inches based on social media reports." +121858,730813,MISSISSIPPI,2017,December,Heavy Snow,"COVINGTON",2017-12-07 22:30:00,CST-6,2017-12-08 14:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Covington County, with totals ranging from near 4 inches in Mt. Olive to 7 inches near Seminary. The snow resulted in several traffic accidents, downed tree limbs, and power outages across the county." +121858,730815,MISSISSIPPI,2017,December,Heavy Snow,"CLARKE",2017-12-07 22:30:00,CST-6,2017-12-08 14:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 6 to 7 inches of heavy snow fell across Clarke County. The highest total of 7.5 inches was measured northeast of Enterprise. The snow resulted in several traffic accidents, downed limbs and small trees, and power outages across the county." +121858,730830,MISSISSIPPI,2017,December,Heavy Snow,"CLAIBORNE",2017-12-08 04:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 2 to 4 inches of heavy snow fell across Claiborne County." +122268,732128,IOWA,2017,December,Extreme Cold/Wind Chill,"WOODBURY",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, and an additional dusting to inch of snowfall late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across northwest Iowa. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts to around 30 mph early on December 30 and then decreased to 5 to 15 mph, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -39 occurred at 2352CST on December 31 at Sioux City. A record low minimum temperature of -24 was established at Sioux Gateway Airport on December 31." +122240,731817,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"LYON",2017-12-30 03:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph on December 30 and only 10 to 15 mph on December 31, bitterly cold wind chills of -35 to -50 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -46 occurred around 0800CST at Marshall on December 31. Record low temperatures of -25F and -34F occurred on the 30th and 31st, respectively." +122240,731831,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"LINCOLN",2017-12-30 03:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph on December 30 and only 10 to 15 mph on December 31, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero." +122274,732066,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MCPHERSON",2017-12-26 06:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732067,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"EDMUNDS",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732077,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"FAULK",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732082,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HYDE",2017-12-26 05:30:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732088,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HAND",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732090,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"LYMAN",2017-12-26 06:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732091,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BUFFALO",2017-12-26 06:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732092,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"BROWN",2017-12-26 07:30:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732093,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"SPINK",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732095,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"MARSHALL",2017-12-26 08:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +120347,721464,GEORGIA,2017,September,Tropical Storm,"WHITE",2017-09-11 16:00:00,EST-5,2017-09-12 01:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The White County Emergency Manager reported several trees and power lines blown down across the county. A large awning was blown off of a building on Helen Highway and a tree was blown down onto a house on Boulevard Street in Cleveland. Law enforcement measured a 57 MPH wind gust at their office in Cleveland. No injuries were reported." +120347,721448,GEORGIA,2017,September,Tropical Storm,"DAWSON",2017-09-11 16:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,600.00K,600000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Dawson County Emergency Manager reported hundreds of trees blown down across the county as well as numerous power lines. Not counting trees on private property, 304 trees were removed from county road right of ways alone. During the storm, at least 30 roads were completely blocked by downed trees and power lines. Fifty six homes reported damage, 5 with major damage and 1 destroyed. Three commercial buildings had damage, 2 minor and 1 major, and Fire Station 1 suffered wind damage to an exterior door and exterior roofing trim. Over 7000 customers were without power, about 70% of the county. Landline phones and cellular service were out in certain parts of the county for over a week. Radar estimated between 1.5 and 2.5 inches of rain fell across the county with 2.37 inches measured near Dawsonville. No injuries were reported." +120550,722191,MINNESOTA,2017,September,Thunderstorm Wind,"STEARNS",2017-09-24 15:25:00,CST-6,2017-09-24 15:25:00,0,0,0,0,0.00K,0,0.00K,0,45.4931,-95.1177,45.4931,-95.1177,"Clusters of strong thunderstorms developed during the late afternoon of 9/24/17. A Tornado Warning was issued for a low-topped supercell over Pope and Stearns Counties. A storm chaser reported strong low level rotation, but no tornado. Thunderstorm wind damage did occur.","A few small trees of <6 inches in diameter and limbs down on the south side of Brooten." +120347,721415,GEORGIA,2017,September,Tropical Storm,"MERIWETHER",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","News media reported numerous trees and power lines blown down across the county. No injuries were reported." +120347,721436,GEORGIA,2017,September,Tropical Storm,"OGLETHORPE",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Many customers were without electricity for varying periods of time. A few homes were damaged by falling trees. Radar estimated between 2 and 4 inches of rain fell across the county with 3.33 inches measured in Smithonia. No injuries were reported." +122289,732219,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DAY",2017-12-30 10:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732222,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CODINGTON",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732220,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CLARK",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732223,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"HAMLIN",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +121990,730346,LOUISIANA,2017,December,Heavy Snow,"UPPER LAFOURCHE",2017-12-08 03:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The cooperative observer near Thibodaux reported 3.5 inches of snow." +121990,730347,LOUISIANA,2017,December,Heavy Snow,"LIVINGSTON",2017-12-08 03:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Livingston Parish Emergency Manager reported 5 inches of snow near Whitehall. The cooperative observer at Livingston reported 6.3 inches of snow." +121990,730348,LOUISIANA,2017,December,Heavy Snow,"POINTE COUPEE",2017-12-07 21:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Pointe Coupee Parish Emergency Manager reported 2 inches of snow at New Roads." +122191,732568,ALABAMA,2017,December,Winter Storm,"CLAY",2017-12-08 08:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 8-10 inches across Clay County with a few reports near 12 inches." +120926,723896,DELAWARE,2017,December,Winter Weather,"KENT",2017-12-09 12:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure tracked up the east coast and brought several rounds of snow. The first only impacted Sussex county Friday night the 9th but left several inches of snow. The second round did bring snow to the entire state with several inches of accumulation on the afternoon and evening of the 10th. Along the coast it was warm enough for a mix of rain, sleet and snow. A soccer tournament in Federica went off without a hitch even though the fields were snow covered.","Several reports of snowfall around three inches across the county." +120937,723914,INDIANA,2017,December,Winter Weather,"ST. JOSEPH",2017-12-07 05:00:00,EST-5,2017-12-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lake effect snow accumulations of 1 to 2 inches led to slick roads and numerous accidents during the morning hours of December 7th in LaPorte and Saint Joseph counties.","Police reported over 50 accidents in St. Joseph County during the morning hours of December 7th, including a 13-car pileup near the Notre Dame campus and an accident involving 5 vehicles on the Indiana Toll Road. Lake effect snow accumulations of 1 to 2 inches helped create the slick road conditions." +120938,723920,MICHIGAN,2017,December,Lake-Effect Snow,"BERRIEN",2017-12-09 02:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across far southwest Lower Michigan.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 5 and 10 inches, with a trained spotter in Saint Joseph receiving 7.8 inches of snow. Whiteout conditions and intense snowfall rates were reported at times with the heavier lake effect snow bands. This disrupted traffic with numerous accidents and slide-offs reported across the region." +120940,723925,INDIANA,2017,December,Winter Weather,"FULTON",2017-12-09 05:00:00,EST-5,2017-12-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper produced periods of snow and difficult travel on December 9th. Total snow accumulations ranged between 4 and 10 inches across portions of northwest and north-central Indiana.","Light snow during the morning of December 9th transitioned to periods of heavy lake effect snow in the afternoon and evening. Total snow accumulations ranged between 2 and 5 inches. Whiteout conditions and intense snowfall rates were observed at times with the heavier lake effect snow bands. This disrupted traffic with accidents and slide-offs reported across the region." +120960,724046,MISSOURI,2017,December,Thunderstorm Wind,"GREENE",2017-12-04 18:15:00,CST-6,2017-12-04 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,37.25,-93.22,37.25,-93.22,"A strong cold front produced severe thunderstorms with damaging winds and small hail. There was one confirmed tornado which resulted in damage.","A commercial dumpster was blown over. There was some insulation blown into the air." +120929,724105,PENNSYLVANIA,2017,December,Winter Weather,"PHILADELPHIA",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 3 to 5 inches across the county." +121132,725183,TEXAS,2017,December,Flash Flood,"GREGG",2017-12-19 19:35:00,CST-6,2017-12-19 22:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5368,-94.9431,32.5366,-94.9433,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","The intersection of Highway 80 and Highway 271 in Gladewater was flooded." +112661,672664,PENNSYLVANIA,2017,February,Hail,"LUZERNE",2017-02-25 14:29:00,EST-5,2017-02-25 14:29:00,0,0,0,0,0.00K,0,0.00K,0,41.2056,-75.8331,41.2056,-75.8331,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","" +112666,672696,NEW YORK,2017,February,Flash Flood,"DELAWARE",2017-02-25 16:45:00,EST-5,2017-02-25 19:15:00,0,0,0,0,35.00K,35000,0.00K,0,42.26,-75.1,42.27,-75.22,"A strong cold front moved through the region during the afternoon and evening hours. Heavy rain producing thunderstorms triggered areas of urban and rural small stream flash flooding which caused inundation of numerous roads, parking lots and other poor drainage areas.","Thunderstorms, with heavy rainfall, combined with residual melting snow and saturated ground caused streams to overflow their banks, flooding roads in the Walton area." +120598,722454,OHIO,2017,November,Flood,"SHELBY",2017-11-18 18:45:00,EST-5,2017-11-18 19:45:00,0,0,0,0,0.00K,0,0.00K,0,40.2841,-84.1018,40.2908,-84.1017,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported near Pasco Montra Road, north of State Route 706." +120598,724017,OHIO,2017,November,Flood,"AUGLAIZE",2017-11-19 00:00:00,EST-5,2017-11-19 05:00:00,0,0,0,0,0.00K,0,0.00K,0,40.61,-84.34,40.6106,-84.3341,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","Several roads remained closed due to lingering high water, including Rapp Road and Townline Kossuth Road." +120598,724018,OHIO,2017,November,Flood,"UNION",2017-11-18 23:30:00,EST-5,2017-11-19 04:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2306,-83.5255,40.2291,-83.523,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","County Road 245 near the Champaign County line was closed due to high water." +120598,724019,OHIO,2017,November,Flash Flood,"DELAWARE",2017-11-18 18:00:00,EST-5,2017-11-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3065,-83.0834,40.3048,-83.0656,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported throughout the city of Delaware with several roads closed." +120598,724020,OHIO,2017,November,Flood,"HAMILTON",2017-11-18 17:45:00,EST-5,2017-11-18 19:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1369,-84.4449,39.137,-84.4425,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported near the intersection of Edwards Road and Observatory Avenue." +120598,724021,OHIO,2017,November,Flood,"LOGAN",2017-11-18 17:00:00,EST-5,2017-11-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3827,-83.8174,40.3858,-83.676,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported on numerous roads across Logan County." +120598,724023,OHIO,2017,November,Thunderstorm Wind,"MONTGOMERY",2017-11-18 16:31:00,EST-5,2017-11-18 16:33:00,0,0,0,0,1.00K,1000,0.00K,0,39.9187,-84.446,39.9187,-84.446,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","A tree was downed along Montgomery County Line Road near Dodson Road." +120598,724095,OHIO,2017,November,Flash Flood,"DELAWARE",2017-11-18 10:30:00,EST-5,2017-11-18 11:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2881,-82.787,40.2874,-82.7845,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was flowing over Condit Road near Centerburg Road." +121037,724635,MISSOURI,2017,November,Wildfire,"SHANNON",2017-11-26 12:45:00,CST-6,2017-11-26 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large wildfire burned over 800 acres of forest in rural Shannon County.","A large wildfire burned over 800 acres of forest in rural Shannon County. This fire was started by arson and spread rapidly because of severe drought conditions. There was no known property damage from this wildfire." +121029,724616,OKLAHOMA,2017,November,Drought,"MCCURTAIN",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across the eastern half of McCurtain County Oklahoma by mid-Novermber, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only two to three inches of rain fell during the period. The Idabel Mesonet station recorded only 2.02 inches of rain in September/October, which was only 21% of normal. Meanwhile, the Broken Bow Mesonet station only recorded 2.65 inches of rain during the same period, which was only 28% of normal. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, and stock ponds receded significantly. Severe drought conditions expanded to include the remainder of McCurtain County on November 22nd, with conditions deteriorating further to Extreme (D3) on November 30th over the eastern half of the county.","" +121030,724617,ARKANSAS,2017,November,Drought,"LITTLE RIVER",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across Little River and Union Counties in Southwest Arkansas by mid-November, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only two to three inches of rain fell during the period. El Dorado recorded only 2.26 inches of rain during this 2 month period, tying for the 11th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, and stock ponds receded significantly.","" +121030,724618,ARKANSAS,2017,November,Drought,"UNION",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across Little River and Union Counties in Southwest Arkansas by mid-November, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only two to three inches of rain fell during the period. El Dorado recorded only 2.26 inches of rain during this 2 month period, tying for the 11th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, and stock ponds receded significantly.","" +120953,723968,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","A spotter reported 5.3 inches of new snow at near Ione." +120953,723969,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","A spotter reported 7.1 inches of new snow from 8 miles southeast of Northport, while another spotter 5 miles southwest of Northport reported 5.8 inches. ." +120953,723970,WASHINGTON,2017,November,Heavy Snow,"OKANOGAN HIGHLANDS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","An observer at Bodie Mountain near Malo reported 8.5 inches of new snow." +120953,723971,WASHINGTON,2017,November,Heavy Snow,"OKANOGAN HIGHLANDS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","A spotter at Boyds reported 13.8 inches of new snow." +120953,723972,WASHINGTON,2017,November,Heavy Snow,"OKANOGAN HIGHLANDS",2017-11-02 14:00:00,PST-8,2017-11-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist warm front tracked through Washington during the afternoon and evening of November 2nd and into the morning of the 3rd. Heavy snow accumulations were noted in the mountainous areas of northeast Washington. In general 5 to 8 inches of new snow fell in the valleys with local accumulations to 14 inches.","A spotter 9 miles east of Cerlew reported 7.0 inches of new snow." +120954,723973,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","A spotter near Dover reported 9.5 inches of new snow accumulation." +120954,723974,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","A spotter near Moyie Springs reported 4.0 inches of new snow accumulation." +121608,727834,ARKANSAS,2017,November,Hail,"FAULKNER",2017-11-06 09:20:00,CST-6,2017-11-06 09:20:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-92.33,35.32,-92.33,"On the 6th, the front returned to Arkansas. The front triggered hit and miss thunderstorms, mainly north of Little Rock (Pulaski County). A few of the storms dumped hail. Half dollar size hail was reported near Kensett (White County), with quarter size hail at Concord (Cleburne County), and nickel size hail at Guy (Faulkner County).||Several spots got over an inch of rain. At Searcy (White County), 1.84 inches of precipitation was measured, with 1.70 inches at Augusta (Woodruff County), 1.32 inches at Damascus (Van Buren County), and 1.22 inches at Hattieville (Conway County).","Nickel sized hail in Guy." +121608,727833,ARKANSAS,2017,November,Hail,"WHITE",2017-11-06 10:43:00,CST-6,2017-11-06 10:43:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-91.68,35.25,-91.68,"On the 6th, the front returned to Arkansas. The front triggered hit and miss thunderstorms, mainly north of Little Rock (Pulaski County). A few of the storms dumped hail. Half dollar size hail was reported near Kensett (White County), with quarter size hail at Concord (Cleburne County), and nickel size hail at Guy (Faulkner County).||Several spots got over an inch of rain. At Searcy (White County), 1.84 inches of precipitation was measured, with 1.70 inches at Augusta (Woodruff County), 1.32 inches at Damascus (Van Buren County), and 1.22 inches at Hattieville (Conway County).","The public reported nickel sized hail at the Starbucks on the east side of Searcy." +121609,727837,ARKANSAS,2017,November,Strong Wind,"PULASKI",2017-11-18 15:15:00,CST-6,2017-11-18 15:15:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"After a cold front and any rain exited Arkansas to the east, winds shifted to the west and northwest and were gusty. Wind and Lake Wind Advisories were posted as gusts peaked from 40 to more than 50 mph. ||At Newport (Jackson County), there was a 61 mph gust at 148 pm CST. A 49 mph gust was measured at Clinton (Van Buren County) and Stuttgart (Arkansas County), a 47 mph gust at Little Rock (Pulaski County), and a 46 mph gust at Russellville (Pope County). Roughly 11,000 power outages were blamed on the wind, and tree limbs were downed. Near Conway (Faulkner County), a section of fence was flattened.","A one foot diameter tree limb fell on Markham Street in downtown Little Rock. Time was estimated." +121829,729265,GULF OF MEXICO,2017,November,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-11-07 16:30:00,EST-5,2017-11-07 16:39:00,0,0,0,0,0.00K,0,0.00K,0,24.4835,-81.7699,24.4835,-81.7699,"Waterspouts were observed just south of Key West in association with a cumulus cloud line developing over the Lower Florida Keys in northeast lower tropospheric flow.","Two waterspouts were observed south of Smathers Beach, Key West. The waterspouts were observed to be slightly tilted, less than 30 degrees from vertical, with the condensation funnels extending a little more than halfway down from cloud base. No spray rings could be observed. The report was relayed by social media." +121830,729266,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-11-11 04:28:00,EST-5,2017-11-11 04:28:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"Convective showers moving quickly toward the southwest, embedded in a strong northeast lower tropospheric flow due to high pressure over the mid Atlantic states, produced isolated gale-force wind gusts offshore Key Largo.","A wind gust of 34 knots was measured at Molasses Reef Light." +121423,726891,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 01:30:00,MST-7,2017-11-01 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 73 mph at 01/0320 MST." +121423,726892,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 00:00:00,MST-7,2017-11-01 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor at Buford measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 01/0015 MST." +121423,726895,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 01:45:00,MST-7,2017-11-01 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Hynds Lodge Road measured peak wind gusts of 63 mph." +121423,726899,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 00:00:00,MST-7,2017-11-01 11:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 01/0305 MST." +121423,726900,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 00:25:00,MST-7,2017-11-01 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Pumpkin Vine measured peak wind gusts of 60 mph." +121423,726902,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 03:20:00,MST-7,2017-11-01 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measure sustained winds of 40 mph or higher, with a peak gust of 66 mph at 01/0410 MST." +121423,726903,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 01:25:00,MST-7,2017-11-01 02:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 01/0145 MST." +121423,726905,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE",2017-11-01 01:35:00,MST-7,2017-11-01 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 01/0215 MST." +121709,728508,VIRGINIA,2017,November,Frost/Freeze,"ALBEMARLE",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728509,VIRGINIA,2017,November,Frost/Freeze,"PRINCE WILLIAM",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728510,VIRGINIA,2017,November,Frost/Freeze,"FAIRFAX",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +115819,696132,SOUTH CAROLINA,2017,April,Heavy Rain,"ORANGEBURG",2017-04-24 15:45:00,EST-5,2017-04-24 17:45:00,0,0,0,0,,NaN,,NaN,33.36,-80.84,33.36,-80.84,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","A rain gage on Calhoun St at Rowesville city limit measured 5.9 inches of rain in approximately 2 hours." +115819,696135,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"ORANGEBURG",2017-04-24 18:10:00,EST-5,2017-04-24 18:15:00,0,0,0,0,,NaN,,NaN,33.42,-80.64,33.42,-80.64,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","SC Highway Patrol reported trees down at Landsdown Rd near Bowman." +115819,696137,SOUTH CAROLINA,2017,April,Hail,"ORANGEBURG",2017-04-24 17:45:00,EST-5,2017-04-24 17:50:00,0,0,0,0,0.10K,100,0.10K,100,33.45,-80.8,33.45,-80.8,"A stationary front, an upper low, and a moist environment contributed to thunderstorm activity that produced locally heavy rain in some locations. A few of the storms produced hail and wind damage. 2 day rainfall totals across Richland County, SC, courtesy RCWINDS, of up to 3 to over 5 and a half inches were measured, with the heaviest amounts in lower Richland Co in the Hopkins area.","Orangeburg Co EM reported pea size hail along 5400 block of Charleston Hwy." +113660,692405,TEXAS,2017,April,Flash Flood,"BELL",2017-04-11 00:27:00,CST-6,2017-04-11 01:15:00,0,0,0,0,0.00K,0,0.00K,0,31.1077,-97.6286,31.0653,-97.6431,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported 6 inches of water covering FM 439 in Nolanville." +120555,723716,WASHINGTON,2017,November,High Wind,"SEATTLE AND VICINITY",2017-11-13 16:40:00,PST-8,2017-11-13 18:40:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Sheridan Beach recorded 40 mph sustained wind." +120555,723718,WASHINGTON,2017,November,High Wind,"NORTH COAST",2017-11-13 00:36:00,PST-8,2017-11-13 13:20:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","DESW1 and LAPW1 recorded 58 mph gusts from time to time." +120555,723717,WASHINGTON,2017,November,High Wind,"TACOMA AREA",2017-11-13 14:20:00,PST-8,2017-11-13 16:20:00,0,0,0,0,57.00K,57000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Fircrest recorded 42 mph sustained wind." +120555,723719,WASHINGTON,2017,November,High Wind,"CENTRAL COAST",2017-11-13 04:04:00,PST-8,2017-11-13 14:04:00,0,0,0,0,230.00K,230000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","KHQM and WPTW1 recorded sustained wind of 43 mph and a peak gust of 64 mph." +121243,725821,MICHIGAN,2017,November,Lake-Effect Snow,"ONTONAGON",2017-11-09 02:00:00,EST-5,2017-11-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heavy lake effect snow impacts western Upper Michigan bringing 8 to 12 inches of snow in some spots. Much of this snow fell during a 6 to 12 hour time period. At times visibilities down to one-quarter mile were reported with this heavy snow. SLRs were typically around 25:1 during this lake effect event.","Heavy lake effect snow was observed as 14 inches of snow fell at White Pine in 21 hours and 10 inches was measured at Bruce Crossing in 22 hours." +121497,727288,NEW YORK,2017,November,Strong Wind,"NORTHERN SARATOGA",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727289,NEW YORK,2017,November,Strong Wind,"SCHOHARIE",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727290,NEW YORK,2017,November,Strong Wind,"SOUTHEAST WARREN",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727291,NEW YORK,2017,November,Strong Wind,"SOUTHERN FULTON",2017-11-10 01:00:00,EST-5,2017-11-10 12:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727292,NEW YORK,2017,November,Strong Wind,"SOUTHERN HERKIMER",2017-11-10 01:00:00,EST-5,2017-11-10 12:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727293,NEW YORK,2017,November,Strong Wind,"SOUTHERN SARATOGA",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121587,727775,E PACIFIC,2017,November,Waterspout,"CASCADE HEAD TO FLORENCE...OUT TO 10 NM",2017-11-13 10:10:00,PST-8,2017-11-13 10:15:00,0,0,0,0,,NaN,,NaN,44.9365,-124.0341,44.94,-124.03,"A strong low pressure system moved up from the southwest into Vancouver Island. The front associated with this system brought strong winds along the coast and post-frontal thunderstorms which produced hail and a water spout.","An individual on the coast saw a waterspout, took a picture and sent it to one of the local media outlets." +121609,727835,ARKANSAS,2017,November,Strong Wind,"LONOKE",2017-11-18 13:45:00,CST-6,2017-11-18 13:45:00,0,0,0,0,0.00K,0,0.50K,500,NaN,NaN,NaN,NaN,"After a cold front and any rain exited Arkansas to the east, winds shifted to the west and northwest and were gusty. Wind and Lake Wind Advisories were posted as gusts peaked from 40 to more than 50 mph. ||At Newport (Jackson County), there was a 61 mph gust at 148 pm CST. A 49 mph gust was measured at Clinton (Van Buren County) and Stuttgart (Arkansas County), a 47 mph gust at Little Rock (Pulaski County), and a 46 mph gust at Russellville (Pope County). Roughly 11,000 power outages were blamed on the wind, and tree limbs were downed. Near Conway (Faulkner County), a section of fence was flattened.","Large tree limbs were blown down with estimated 40 to 50 mph gusts." +120951,723961,WYOMING,2017,November,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-11-23 04:50:00,MST-7,2017-11-24 10:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moving across Wyoming mixed strong mid level winds to the surface and brought high winds to portions of Wyoming. The strongest winds again occurred around Clark where a mountain wave broke. A maximum wind gust of 109 mph was reported west of Clark, however all three wind sensors near Clark had wind gusts over 60 mph. The high winds also made it to Highway 120, where a wind gust of 77 mph was noted near Meeteetse. High winds also occurred along the Chief Joseph Highway where winds were sustained as high as 60 mph and gusted as high as 79 mph. Strong winds blew in the higher elevations of the Green and Rattlesnake Range, where Camp Creek reported its strongest wind gust ever, 95 mph. However, these winds remained over the mountain tops and wind gusts along main travel routes remained much lighter.","The higher elevations of the Green and Rattlesnake Range had high winds. A wind gust of 95 mph was the strongest wind gusts ever recorded at Camp Creek. However, winds were not as strong along the main travel routes so impacts were minimal." +121670,728381,SOUTH DAKOTA,2017,November,High Wind,"MCPHERSON",2017-11-29 17:15:00,CST-6,2017-11-29 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +121670,728389,SOUTH DAKOTA,2017,November,High Wind,"MARSHALL",2017-11-29 12:35:00,CST-6,2017-11-29 20:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A strong surface low pressure area moving across southern Canada brought south winds gusting to over 60 mph to parts of northeast South Dakota into the afternoon. Another round of high winds occurred as a cold front swept east across the region into the early evening.","" +121434,726942,NEW JERSEY,2017,November,Strong Wind,"EASTERN BERGEN",2017-11-19 09:00:00,EST-5,2017-11-19 15:00:00,1,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","At 130 pm, the broadcast media reported a tree down on a truck on Voorhees Street in Teaneck. There was one injury. At 953 am, the ASOS at Teterboro Airport measured a wind gust to 51 mph." +121435,726958,CONNECTICUT,2017,November,Strong Wind,"NORTHERN NEW LONDON",2017-11-19 07:00:00,EST-5,2017-11-19 17:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","At 815 am, the broadcast media reported a tree down In Bozrah on Bluehill Road. At 155 pm, near Voluntown, a large tree was knocked down at the intersection of Rixtown and Sibicky Road. In Lebanon, a tree was knocked down on a wire in the area of Burnham Road and Hillcrest Heights at 231 pm. Around 410 pm, a tree fell across Kimball Road, knocking down wires, in the town Jewett City." +121717,728605,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 06:00:00,MST-7,2017-11-29 07:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 29/0635 MST." +121717,728606,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 04:40:00,MST-7,2017-11-29 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 29/0655 MST." +121717,728607,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 06:30:00,MST-7,2017-11-29 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 29/0815 MST." +121717,728608,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 07:25:00,MST-7,2017-11-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at County Road 402 measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 29/0730 MST." +121717,728609,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 05:50:00,MST-7,2017-11-29 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 29/0615 MST." +121717,728610,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 05:55:00,MST-7,2017-11-29 06:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 29/0555 MST." +120426,721497,INDIANA,2017,November,Thunderstorm Wind,"WASHINGTON",2017-11-05 23:18:00,EST-5,2017-11-05 23:18:00,0,0,0,0,0.00K,0,0.00K,0,38.6072,-86.0617,38.6072,-86.0617,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","A NWS Storm Survey found trees blown over Rubber Hill Rd." +120426,721500,INDIANA,2017,November,Tornado,"WASHINGTON",2017-11-05 23:04:00,EST-5,2017-11-05 23:05:00,0,0,0,0,100.00K,100000,0.00K,0,38.577,-86.227,38.5786,-86.2164,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","The National Weather Service in conjunction with Washington County|Emergency Management Agency conducted a storm survey in central|Washington County and determined there were three distinct|touchdowns near and around the Salem, Indiana area Sunday evening|November 5. The first touchdown occurred approximately 5 miles west|of Salem on SW Washington School Rd. The touchdown occurred along a|forested area which threw branches and large portions of maple and|cedar trees over the road approximately 300 yards. The most|concentrated damage was at 1630 SW Washington School Rd. There was|an uprooted tree, along with shingle, gutter, roof and barn damage.|Several toys and pumpkins were turned and thrown cyclonically|towards the west. A trampoline was thrown approximately a mile from|the house along with lots of playground toys being thrown several|hundred yards. There were some trees down further along the|farmer's field, but the tornado lifted after traveling approximately|0.6 miles where a few trees were topped where it lifted. The peak|wind speed was estimated at 80 mph and most of the damage was at the tree top|level." +120426,721498,INDIANA,2017,November,Thunderstorm Wind,"WASHINGTON",2017-11-05 23:18:00,EST-5,2017-11-05 23:18:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-86.06,38.62,-86.06,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","A NWS Storm Survey found large branches down with winds estimated around 62 mph." +120426,721499,INDIANA,2017,November,Thunderstorm Wind,"WASHINGTON",2017-11-05 23:21:00,EST-5,2017-11-05 23:21:00,0,0,0,0,0.50K,500,0.00K,0,38.6254,-86.002,38.6254,-86.002,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","A NWS Storm Survey found metal roof damage to a cinder block garage. Winds were estimated at 65 mph." +120454,721673,OHIO,2017,November,Flash Flood,"ATHENS",2017-11-06 04:45:00,EST-5,2017-11-06 09:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.2986,-81.8301,39.3027,-81.8461,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Flooding along Jordan Run and Frost Run closed State Route 144 in both directions between US 50 and State Route 329 north of Coolville." +120454,721676,OHIO,2017,November,Flash Flood,"WASHINGTON",2017-11-06 04:15:00,EST-5,2017-11-06 10:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.6413,-81.4692,39.6263,-81.465,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Duck Creek flooded causing high water along a portion of Broad Street and in some campgrounds near Macksburg." +120454,721761,OHIO,2017,November,Flood,"ATHENS",2017-11-06 08:30:00,EST-5,2017-11-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4686,-82.1498,39.4417,-81.9596,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Many roads remained closed into the early afternoon due to high water following flash flooding earlier in the morning. This included sections of State Routes 144, 329 and 550." +120606,722480,WEST VIRGINIA,2017,November,Strong Wind,"NORTHWEST FAYETTE",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722481,WEST VIRGINIA,2017,November,Strong Wind,"SOUTHEAST FAYETTE",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722483,WEST VIRGINIA,2017,November,Strong Wind,"CABELL",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724056,ARKANSAS,2017,November,Drought,"SHARP",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Sharp County entered D2 drought designation on November 7th." +120962,724057,ARKANSAS,2017,November,Drought,"SHARP",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Sharp County entered D2 drought designation on November 7th." +120967,724088,ARKANSAS,2017,November,Drought,"WHITE",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","White County entered D2 drought designation on November 21st." +120967,724089,ARKANSAS,2017,November,Drought,"POPE",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Pope County entered D2 drought designation on November 21st." +121006,724369,ILLINOIS,2017,November,Strong Wind,"HARDIN",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724371,ILLINOIS,2017,November,Strong Wind,"JEFFERSON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724372,ILLINOIS,2017,November,Strong Wind,"JOHNSON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724373,ILLINOIS,2017,November,Strong Wind,"MASSAC",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121019,724580,MONTANA,2017,November,High Wind,"JUDITH BASIN",2017-11-20 04:08:00,MST-7,2017-11-20 04:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 67 mph wind gust." +121019,724582,MONTANA,2017,November,High Wind,"TOOLE",2017-11-20 04:35:00,MST-7,2017-11-20 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Public report of a 72 mph wind gust." +121019,724583,MONTANA,2017,November,High Wind,"JUDITH BASIN",2017-11-20 08:41:00,MST-7,2017-11-20 08:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure system moving across British Columbia delivered strong westerly winds aloft which brought strong winds across Northern and Central Montana early on the 19th and lasting through the morning hours on the 20th.","Measured wind gust of 60 mph." +120996,724240,IOWA,2017,November,Wildfire,"POWESHIEK",2017-11-25 00:00:00,CST-6,2017-11-25 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A grass fire occurred near Grinnell, IA.","Firefighters responded to a report of a lot of smoke between Highway 6 and 20th St. Upon arrival they found a fast moving grass fire just west of 101 Highway 6 to the west of Grinnell. Over 40 acres of grassland burned along with 70 hay bales. Firefighters were on the scene for 3 hours and 15 minutes." +121027,724607,ARKANSAS,2017,November,Drought,"SEVIER",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +120993,724227,TENNESSEE,2017,December,Heavy Snow,"SOUTHEAST CARTER",2017-12-08 10:00:00,EST-5,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 6.7 inches was measured four miles east northeast of Limestone Cove." +120993,724229,TENNESSEE,2017,December,Heavy Snow,"SOUTHEAST CARTER",2017-12-08 10:00:00,EST-5,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5 inches was measured two miles south southeast of Watauga." +120993,724230,TENNESSEE,2017,December,Heavy Snow,"COCKE/SMOKY MOUNTAINS",2017-12-08 08:00:00,EST-5,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5 inches was estimated at Cosby." +120993,724231,TENNESSEE,2017,December,Heavy Snow,"SEVIER/SMOKY MOUNTAINS",2017-12-08 08:00:00,EST-5,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5 inches was measured six miles south southeast of Gatlinburg." +120993,724232,TENNESSEE,2017,December,Heavy Snow,"SEVIER/SMOKY MOUNTAINS",2017-12-08 08:00:00,EST-5,2017-12-09 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 5 inches was measured six miles south southeast of Gatlinburg." +120992,724237,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 4.5 inches was measured three miles southeast of Unaka." +121808,729067,TENNESSEE,2017,December,High Wind,"SEVIER/SMOKY MOUNTAINS",2017-12-23 11:30:00,EST-5,2017-12-23 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong cross terrain flow generated fast mountain wave winds as a deep low pressure system traversed the Eastern United States.","A 78 mph wind gust was recorded at the Cove Mountain wind tower." +121462,727112,HAWAII,2017,December,High Surf,"MAUI WINDWARD WEST",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727113,HAWAII,2017,December,High Surf,"MAUI CENTRAL VALLEY",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727114,HAWAII,2017,December,High Surf,"WINDWARD HALEAKALA",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121462,727115,HAWAII,2017,December,High Surf,"BIG ISLAND NORTH AND EAST",2017-12-23 21:00:00,HST-10,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from the north-northwest produced surf of 10 to 15 feet along the north- and west-facing shores of Niihau and Kauai; and along the north-facing shores of Oahu, Molokai, Maui, and the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121464,727118,HAWAII,2017,December,High Wind,"BIG ISLAND SUMMIT",2017-12-26 23:49:00,HST-10,2017-12-28 08:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winds from the southwest reached high wind criteria near the summits of Mauna Kea and Mauna Loa on the Big Island of Hawaii. No serious property damage or injuries were reported.","" +121465,727119,HAWAII,2017,December,Drought,"SOUTH BIG ISLAND",2017-12-01 00:00:00,HST-10,2017-12-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sufficient rainfall during December moved both South Big Island and Interior out of severe drought, or the D2 designation on the Drought Monitor.","" +121465,727120,HAWAII,2017,December,Drought,"BIG ISLAND INTERIOR",2017-12-01 00:00:00,HST-10,2017-12-05 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Sufficient rainfall during December moved both South Big Island and Interior out of severe drought, or the D2 designation on the Drought Monitor.","" +122149,731152,ILLINOIS,2017,December,Extreme Cold/Wind Chill,"LEE",2017-12-31 23:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air spread across northern Illinois on December 31st and continued into early January 2018. Wind chill values dropped to 30 below to 35 below zero.","" +122149,731153,ILLINOIS,2017,December,Extreme Cold/Wind Chill,"LA SALLE",2017-12-31 23:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bitterly cold air spread across northern Illinois on December 31st and continued into early January 2018. Wind chill values dropped to 30 below to 35 below zero.","" +121345,726422,WASHINGTON,2017,December,High Wind,"CENTRAL COAST",2017-12-19 07:12:00,PST-8,2017-12-19 09:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"There was brief high wind at Hoquiam.","The KHQM ASOS at Hoquiam recorded sustained wind of 40 mph, gusting to 52 mph." +121246,725861,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","An observer at Hayden Lake reported 4.9 inches of new snow." +121246,725862,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","A weather spotter at Coeur D' Alene reported 4.6 inches of new snow accumulation." +121246,725863,IDAHO,2017,December,Heavy Snow,"IDAHO PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","A weather spotter at Potlatch reported 6.5 inches of new snow accumulation." +121246,725864,IDAHO,2017,December,Heavy Snow,"IDAHO PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","A weather spotter at Genesee reported 4.2 inches of new snow accumulation." +121246,725856,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-15 10:00:00,PST-8,2017-12-16 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","The COOP observer at Pritchard reported 4.5 inches of new snow." +121246,725858,IDAHO,2017,December,Heavy Snow,"COEUR D'ALENE AREA",2017-12-15 10:00:00,PST-8,2017-12-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","An observer near Huetter reported 5.5 inches of new snow." +121364,726495,TEXAS,2017,December,Drought,"RED RIVER",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121364,726496,TEXAS,2017,December,Drought,"BOWIE",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121370,726512,TEXAS,2017,December,Drought,"UPSHUR",2017-12-01 00:00:00,CST-6,2017-12-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed much of East Texas to start December. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) across Wood and Upshur Counties only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. However, an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-5 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the brief severe drought conditions that had developed by the end of November. As a result, a two category improvement to abnormally dry (D0) was made across Wood and Upshur Counties to end December.","" +121252,725877,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-28 12:00:00,PST-8,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A member of the public in Wallace reported 12.0 inches of new snow accumulation." +121252,725879,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","An observer in Bonners Ferry reported 16.3 inches of storm total snow accumulation over the past 2 days." +121252,725880,IDAHO,2017,December,Ice Storm,"COEUR D'ALENE AREA",2017-12-29 18:00:00,PST-8,2017-12-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","As the winter storm ended snow turned over to freezing rain mainly in the Coeur D'Alene area. A spotter noted about 1 inch of ice accumulation with scattered power outages and downed trees during the late evening hours." +121410,726775,WEST VIRGINIA,2017,December,Winter Weather,"NORTHWEST POCAHONTAS",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121410,726776,WEST VIRGINIA,2017,December,Winter Weather,"NORTHWEST RANDOLPH",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121534,727460,MONTANA,2017,December,Winter Storm,"NORTHERN PARK COUNTY",2017-12-29 05:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Wilsall received 9 inches of snow." +121534,727456,MONTANA,2017,December,Winter Storm,"JUDITH GAP",2017-12-28 23:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 6 to 8 inches was reported across the area." +121534,727461,MONTANA,2017,December,Winter Storm,"MUSSELSHELL",2017-12-29 01:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 10 to 20 inches along with significant blowing and drifting snow was reported across the area." +121534,727467,MONTANA,2017,December,Winter Storm,"EASTERN CARBON",2017-12-29 04:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 6 to 10 inches were reported across the northern portions of the area." +120994,724234,COLORADO,2017,December,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-12-03 19:00:00,MST-7,2017-12-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front dropped into northern Colorado and brought light to moderate snow accumulations to the Elkhead, Park, and Flat Top Mountains. Additionally, a strong winds aloft not only enhanced precipitation but also produced gusty winds and areas of blowing snow.","Generally 5 to 8 inches of snow fell across the area with locally higher amounts at both the Whiskey Park and Tower SNOTEL sites with 15 and 22 inches, respectively. Winds gusted from 40 to 50 mph and produced blowing snow." +120995,724238,COLORADO,2017,December,High Wind,"DEBEQUE TO SILT CORRIDOR",2017-12-03 20:00:00,MST-7,2017-12-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds ahead of a cold front were enhanced by brisk winds aloft which mixed down to the surface.","Wind gusts of 40 to 50 mph occurred mainly along the I-70 corridor. A peak wind gust of 58 mph was measured at the Rifle Garfield County Airport." +120995,724239,COLORADO,2017,December,High Wind,"CENTRAL YAMPA RIVER BASIN",2017-12-03 12:30:00,MST-7,2017-12-03 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds ahead of a cold front were enhanced by brisk winds aloft which mixed down to the surface.","Wind gusts of 40 to 50 mph were common across the area. Peak wind gusts of 62 and 65 mph were measured at the Pinto and Great Divide RAWS sites, respectively." +121621,727904,MONTANA,2017,December,Drought,"DANIELS",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped a few inches of snow across the area the latter half of the month, precipitation amounts were generally 25 to 75 percent below normal. Extreme (D3) conditions prevailed throughout the month across Daniels County." +121621,727905,MONTANA,2017,December,Drought,"DAWSON",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped a few inches of snow across the area the latter half of the month, precipitation amounts were generally less than 50 percent of normal for the month across the northwestern half of the county, but around normal for the southeastern half. Severe (D2) drought conditions remained in place across northwestern Dawson County." +121289,728258,MONTANA,2017,December,Avalanche,"BUTTE / BLACKFOOT REGION",2017-12-29 22:00:00,MST-7,2017-12-29 22:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","The avalanche moved across Highway 200 for approximately 40 yards in length near mile-marker 55.9 and was 15 to 20 feet deep and 55 yards wide. The cab of a semi-trailer truck was partially buried. Highway 200 was closed until 530 am MST the next morning. Most likely heavy snow and strong easterly winds created severe wind-loading on Mineral Hill contributing to the conditions of the avalanche. According to the Montana Department of Transportation an avalanche of this magnitude had not occurred in this location in over 20 years." +121289,726163,MONTANA,2017,December,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-12-28 21:00:00,MST-7,2017-12-30 11:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Between the afternoon and evening of the 28th, snow changed over to freezing rain. Severe driving conditions were declared by the Montana Department of Transportation early Friday morning the 29th between Florence and Stevensville due to black ice and freezing rain. By 9:30 am MST, the Missoula County Sheriff's office issued emergency travel only for Missoula County which was extended through 7 pm that evening. The arctic front brought very strong winds to Hellgate Canyon and surrounding areas. Numerous trees fell down in the Rattlesnake Valley and vicinity of Missoula which was likely a result of the combination of extremely wet snow and strong winds. One tree fell on top of a house and caused considerable roof damage. The ASOS sensor at the Missoula International Airport recorded wind gusts to 37 mph which meant that winds were likely much stronger towards Hellgate Canyon. A NWS employee located northeast of Stevensville measured a total of 0.15 inches of glaze that didn't melt for at least a week afterwards." +121841,729348,NORTH CAROLINA,2017,December,Winter Weather,"HENDERSON",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729347,NORTH CAROLINA,2017,December,Winter Weather,"TRANSYLVANIA",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729349,NORTH CAROLINA,2017,December,Winter Weather,"CALDWELL MOUNTAINS",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729350,NORTH CAROLINA,2017,December,Winter Weather,"BURKE MOUNTAINS",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121218,726364,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MORRISON",2017-12-30 04:00:00,CST-6,2017-12-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging 35 to 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -39F." +121218,726365,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NICOLLET",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -42F." +121951,730216,MICHIGAN,2017,December,Winter Weather,"DELTA",2017-12-13 10:00:00,EST-5,2017-12-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","The observer near Bark River measured 6.3 inches of snow in 24 hours." +121951,730217,MICHIGAN,2017,December,Winter Weather,"ALGER",2017-12-14 04:30:00,EST-5,2017-12-14 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracking through Wisconsin dropped moderate to heavy snow into portions of south central Upper Michigan on the 13th and some lake enhanced snow into north central Upper Michigan from the 13th into the 14th.","The observer in Eben Junction measured 5.7 inches of lake effect snow in six hours." +121963,730213,PENNSYLVANIA,2017,December,Lake-Effect Snow,"NORTHERN ERIE",2017-12-07 15:00:00,EST-5,2017-12-08 02:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved across western Pennsylvania on December 7th. Cold westerly winds behind the front caused lake effect snow showers to begin during the late afternoon hours of the 7th. They continued into the early morning hours of the 8th before diminishing to flurries. Six to eight inches of snow fell along the immediate lakeshore with a peak total of 8.5 inches just southwest of North East. Other totals included 6.4 inches at Erie International Airport and 6.0 inches at Harborcreek. Westerly winds guested to as much as 30 mph during this event causing some blowing and drifting. This was the first significant snow storm of the year and many accidents were reported.","A strong cold front moved across western Pennsylvania on December 7th. Cold westerly winds behind the front caused lake effect snow showers to begin during the late afternoon hours of the 7th. They continued into the early morning hours of the 8th before diminishing to flurries. Six to eight inches of snow fell along the immediate lakeshore with a peak total of 8.5 inches just southwest of North East. Other totals included 6.4 inches at Erie International Airport and 6.0 inches at Harborcreek. Westerly winds guested to as much as 30 mph during this event causing some blowing and drifting. This was the first significant snow storm of the year and many accidents were reported." +121921,729815,WASHINGTON,2017,December,Heavy Snow,"BLUE MOUNTAIN FOOTHILLS",2017-12-24 17:00:00,PST-8,2017-12-25 11:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread snow across much of southeast Washington and northeast Oregon on Christmas Eve and early Christmas Day.","Measured 6 inches of snow 2 miles E of College Place in Walla Walla county." +121467,727134,NEBRASKA,2017,December,Winter Weather,"ADAMS",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 4.0 inches was measured at the NWS Hastings Office north of town, and also by an NWS employee on the far south side of Hastings." +122031,730590,MONTANA,2017,December,Extreme Cold/Wind Chill,"WESTERN ROOSEVELT",2017-12-25 03:15:00,MST-7,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","The mesonet site in Scobey recorded wind chills of less than 40 degrees below zero during this time, with a minimum of 44 below zero at 7:30 AM." +122040,730617,CALIFORNIA,2017,December,Winter Weather,"SOUTHERN HUMBOLDT INTERIOR",2017-12-20 08:00:00,PST-8,2017-12-20 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper trough moved south across northern California and aided in high elevation snow, as well as small hail across the coast.","Estimated 4 inches of snow reported at an elevation of 2900 feet near Dinsmore, CA. Report taken from social media." +121938,729893,KENTUCKY,2017,December,Winter Weather,"BOONE",2017-12-29 17:00:00,EST-5,2017-12-30 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th bringing light snow to portions of northern Kentucky.","The Cincinnati airport CVG measured an inch of snow, while a CoCoRaHS observer northwest of Walton measured a half inch." +121938,729894,KENTUCKY,2017,December,Winter Weather,"BRACKEN",2017-12-29 17:00:00,EST-5,2017-12-30 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th bringing light snow to portions of northern Kentucky.","The cooperative observer in Augusta measured a half inch of snow." +121938,729895,KENTUCKY,2017,December,Winter Weather,"CAMPBELL",2017-12-29 17:00:00,EST-5,2017-12-30 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th bringing light snow to portions of northern Kentucky.","A post from Dayton showed that 1.5 inches of snow fell there." +121938,729898,KENTUCKY,2017,December,Winter Weather,"LEWIS",2017-12-29 17:00:00,EST-5,2017-12-30 04:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A clipper system tracked through southeast Indiana and southern Ohio late in the day on the 29th bringing light snow to portions of northern Kentucky.","A spotter south of Ribolt measured an inch of snow." +112661,672671,PENNSYLVANIA,2017,February,Thunderstorm Wind,"WAYNE",2017-02-25 15:41:00,EST-5,2017-02-25 15:41:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-75.37,41.65,-75.37,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","Numerous trees were blown down by thunderstorm winds." +121861,730861,MAINE,2017,December,Winter Storm,"SOUTHERN PENOBSCOT",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 10 to 17 inches. Wind gusts of 30 to 40 mph caused significant blowing and drifting snow." +121861,730863,MAINE,2017,December,Winter Storm,"INTERIOR HANCOCK",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 7 to 11 inches. Wind gusts of 30 to 40 mph caused significant blowing and drifting snow." +121861,730864,MAINE,2017,December,Winter Storm,"CENTRAL WASHINGTON",2017-12-25 06:00:00,EST-5,2017-12-25 18:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Explosively intensifying low pressure tracked across the Gulf of Maine to the Maritimes during the 25th. The low brought heavy snow to much of the region. Snow developed across the region through the early morning hours of the 25th then persisted into the afternoon. Snow rates of 1 to 3 inches per hour at times occurred across Downeast areas along with thunder snow. Warning criteria snow accumulations occurred from the late morning into the early afternoon hours. The heaviest storm total snow accumulations occurred in an area from Bangor...to Topsfield...to Houlton and Greenville with generally 10 to 17 inches. Accumulations across much of the remainder of northern Maine ranged from 6 to 11 inches...though lesser totals occurred across extreme northwest areas. Wind gusts of 30 to 40 mph produced extensive blowing and drifting snow. A transition to a wintry mix and rain limited snow accumulations along the Downeast coast.","Storm total snow accumulations ranged from 5 to 9 inches. Wind gusts of 30 to 40 mph caused significant blowing and drifting snow." +122163,731222,PENNSYLVANIA,2017,December,Winter Storm,"FAYETTE RIDGES",2017-12-29 18:00:00,EST-5,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta clipper system moved from the upper Mississippi Valley through the lower Ohio Valley on December 29, spreading a wide swath of 2-4 inches of snow across the region. As the system passed, upslope snow into the mountains intensified as a single dominant lake effect snow band emerged off of Lake Erie and was directed at the mountains of southwest Pennsylvania, northern West Virginia, and western Maryland. The heaviest snow fell in the late morning of December 30. Some selected totals are 9 inches in Champion and 7 inches in Ohiopyle.","" +122164,731224,ILLINOIS,2017,December,Extreme Cold/Wind Chill,"CHAMPAIGN",2017-12-30 18:00:00,CST-6,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic cold front plunged through central Illinois on December 29, 2017...setting the stage for a prolonged period of extremely cold conditions from December 30, 2017 through January 2, 2018. The coldest temperatures occurred on the early morning of January 2 when readings bottomed out between -10F and -15F along and north of the I-74 corridor. Wind-chill values through the period generally ranged from -15F to -25F. As a result of the cold, two elderly women died of hypothermia. One woman passed away on December 30 in Peoria, while the other died on December 31 in Champaign.","An 89-year old woman wandered outside a nursing home and died of hypothermia in Champaign during the early morning hours of December 31st. Temperatures were around zero and wind-chill readings ranged from -10F to -20F when she was found." +122164,731223,ILLINOIS,2017,December,Extreme Cold/Wind Chill,"PEORIA",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic cold front plunged through central Illinois on December 29, 2017...setting the stage for a prolonged period of extremely cold conditions from December 30, 2017 through January 2, 2018. The coldest temperatures occurred on the early morning of January 2 when readings bottomed out between -10F and -15F along and north of the I-74 corridor. Wind-chill values through the period generally ranged from -15F to -25F. As a result of the cold, two elderly women died of hypothermia. One woman passed away on December 30 in Peoria, while the other died on December 31 in Champaign.","An 86-year old woman fell outside of her home and died of hypothermia in Peoria on December 30th. Temperatures were in the single digits above zero while wind-chill readings ranged from -10F to -15F at the time of her fall. The woman was rushed to the hospital: however, she was later pronounced dead." +122167,731303,TEXAS,2017,December,Winter Weather,"CALLAHAN",2017-12-26 16:30:00,CST-6,2017-12-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell, resulting in areas of ice on Interstate 20 and secondary roadways and bridges." +114038,682999,NEW YORK,2017,February,Thunderstorm Wind,"SULLIVAN",2017-02-25 17:05:00,EST-5,2017-02-25 17:05:00,0,0,0,0,75.00K,75000,0.00K,0,41.5126,-74.8192,41.5126,-74.8192,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania and the Catskills. A line of severe thunderstorms developed near the Scranton and Wilkes-Barre area of northeast Pennsylvania and tracked east. One of the thunderstorms produced a microburst in southern Sullivan County, New York. The Lumberland area was hardest hit.","A severe thunderstorm blew through southern Sullivan County around 505 pm EST Saturday February 25th, 2017. The thunderstorm produced intense straight-line microburst winds estimated up to 100 mph. Most of the damage was trees down with a few homes seeing damage from trees falling on the homes in Lumberland near Mohican Lake Road. There were around 100 to 200 trees downed with many trees snapped and to a lesser extent uprooted. The damage is consistent with EF1 damage with maximum winds of around 100 mph." +114038,683000,NEW YORK,2017,February,Hail,"DELAWARE",2017-02-25 16:28:00,EST-5,2017-02-25 16:28:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-75.17,41.97,-75.17,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania and the Catskills. A line of severe thunderstorms developed near the Scranton and Wilkes-Barre area of northeast Pennsylvania and tracked east. One of the thunderstorms produced a microburst in southern Sullivan County, New York. The Lumberland area was hardest hit.","" +115111,690955,OHIO,2017,May,Thunderstorm Wind,"DARKE",2017-05-19 14:46:00,EST-5,2017-05-19 14:48:00,0,0,0,0,4.00K,4000,0.00K,0,40.02,-84.71,40.02,-84.71,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A tree fell onto a house near New Madison Road and Weavers-Fort Jefferson Road." +122187,731471,VIRGINIA,2017,December,Winter Storm,"HENRY",2017-12-08 10:15:00,EST-5,2017-12-09 16:45:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around four inches near Bassett to around six inches near Horse Pasture. Power was lost to around 3000 customers as a result as snow and ice weighted trees falling on power lines. Other felled trees landed on roadways, requiring removal of the debris. Damage values are estimated." +122187,731470,VIRGINIA,2017,December,Winter Storm,"PATRICK",2017-12-08 09:45:00,EST-5,2017-12-09 15:35:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around five inches near Woolwind to around seven inches near Meadows of Dan. Around 3000 electrical customers lost power thanks to snow and ice weighted trees falling on power lines. Damage values are estimated." +122187,731476,VIRGINIA,2017,December,Winter Storm,"PITTSYLVANIA",2017-12-08 11:17:00,EST-5,2017-12-09 17:53:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall totals ranged from around four inches near Pittsville to around five inches near Swansonville. Around 1200 electrical customers were without power thanks to snow and ice weighted trees falling on power lines. Damage values are estimated." +122173,731259,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"BENNETT",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731260,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"FALL RIVER",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731261,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"HERMOSA FOOTHILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731262,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"NORTHERN BLACK HILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731263,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"TRIPP",2017-12-30 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731265,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"TODD",2017-12-30 18:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731266,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"STURGIS / PIEDMONT FOOTHILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731267,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"RAPID CITY",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +121993,730361,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"HALL",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Grand Island airport, the final 8-days of December featured an average temperature of 3.4 degrees, marking the coldest ending to the year out of 123 on record. During this stretch, three days featured low temperatures of at least -14 degrees." +121993,730377,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"NANCE",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Genoa (2 miles west), the NWS cooperative observer recorded an average temperature of 3.9 degrees through the final 8-days of December, marking the coldest finish to the year out of 123 on record." +122226,731807,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-29 04:40:00,MST-7,2017-12-29 11:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile marker 353 measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 29/0755 MST." +122226,731808,WYOMING,2017,December,High Wind,"LARAMIE VALLEY",2017-12-29 03:00:00,MST-7,2017-12-29 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 29/0350 MST." +122226,731809,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-29 03:10:00,MST-7,2017-12-29 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured wind gusts of 58 mph or higher, with a peak gust of 79 mph at 29/0925 MST." +122226,731810,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-29 09:00:00,MST-7,2017-12-29 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher." +122226,731811,WYOMING,2017,December,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-12-29 05:50:00,MST-7,2017-12-29 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 29/1025 MST." +122226,731813,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 10:00:00,MST-7,2017-12-27 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 27/1545 MST." +122226,731814,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 00:00:00,MST-7,2017-12-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 28/0100 MST." +122226,731815,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 02:25:00,MST-7,2017-12-29 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 29/0630 MST." +122010,731944,NEW YORK,2017,December,Winter Weather,"EASTERN COLUMBIA",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731943,NEW YORK,2017,December,Winter Weather,"EASTERN GREENE",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731945,NEW YORK,2017,December,Winter Weather,"WESTERN COLUMBIA",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,730483,NEW YORK,2017,December,Heavy Snow,"SOUTHEAST WARREN",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","Snowfall totals ranged from 7 to 8.5 inches across the area." +121644,728153,GEORGIA,2017,December,Winter Storm,"DOUGLAS",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 9 inches of snow were estimated across the county. Reports from CoCoRaHS observers and the Douglas County Emergency Manager 5 inches east of Douglasville, 8 inches south of Douglasville and 8 inches near Winston." +121644,728154,GEORGIA,2017,December,Winter Storm,"PAULDING",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 6 and 13 inches of snow were estimated across the county. Reports from COOP observers include 10 inches near Cross Roads and 11 inches northeast of Dallas." +121644,728155,GEORGIA,2017,December,Winter Storm,"COBB",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 6 and 12 inches of snow were estimated across the county. Reports from CoCoRaHS observers, the public and broadcast media include 8 and 10 inches in the Marietta area, 8.2 and 10.3 inches in Kennesaw, 8.5 inches in Sandy Springs, 10 inches in Sandy Plains, 10 inches in Smyrna, 11 inches in Mableton and 11.8 inches on Sweat Mountain." +121858,730817,MISSISSIPPI,2017,December,Heavy Snow,"ADAMS",2017-12-08 04:00:00,CST-6,2017-12-08 10:30:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Adams County, with totals ranging from 4 to 5 inches near Natchez to 6 inches in the southern part of the county. The snow compacted to make roads and bridges icy, and several tree limbs and power lines were downed across the county." +121858,730825,MISSISSIPPI,2017,December,Winter Weather,"ATTALA",2017-12-08 06:30:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Up to around 1 inch of snow fell across portions of Attala County, including one-quarter inch measured in Kosciusko." +121858,730831,MISSISSIPPI,2017,December,Heavy Snow,"COPIAH",2017-12-07 22:00:00,CST-6,2017-12-08 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 4 to 6 inches of heavy snow fell across Copiah County, with the highest totals near 6 inches falling in the southern part of the county." +121858,730832,MISSISSIPPI,2017,December,Winter Storm,"FORREST",2017-12-08 00:30:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","A mix of sleet and snow began shortly after midnight in Forrest County, with a transition to all snow by 5 a.m. Snowfall totals were mostly near 5 to 6 inches across the county." +121858,730833,MISSISSIPPI,2017,December,Heavy Snow,"FRANKLIN",2017-12-08 03:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Franklin County, with totals ranging from 5 to 7 inches." +122240,731837,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"MURRAY",2017-12-30 04:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero and winds persisted at 10 to 20 mph. The lowest wind chill for the two day period at Slayton was -40 at 1745CST December 31." +122240,731834,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"PIPESTONE",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero and winds persisted at 10 to 20 mph. The lowest wind chill for the two day period at Pipestone was -43 at 0900CST December 31." +122240,731843,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"COTTONWOOD",2017-12-30 04:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph on December 30 and only 10 to 15 mph on December 31, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -43 occurred around 0900CST December 31 at Windom." +122240,731848,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"NOBLES",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero and winds persisted at 10 to 20 mph. The lowest wind chill for the two day period at Worthington was -44 at 2100CST December 31." +122274,732096,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DAY",2017-12-26 09:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732097,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"CLARK",2017-12-26 07:00:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122274,732099,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"ROBERTS",2017-12-26 06:30:00,CST-6,2017-12-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Arctic air combined with steady north winds brought extreme wind chills to much of central and northeast South Dakota during the morning hours. Wind chills of 35 degrees below to nearly 45 degrees below zero occurred.","" +122292,732292,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"TURNER",2017-12-31 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29 and an additional snowfall of one to three inches in the Missouri River corridor (dusting to an inch to the northeast) late on the evening of December 30 and early on December 31, a brutally cold arctic high settled across the area through New Year's Day. While winds were not exceptionally strong (mainly 7-15 mph), they were met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 60 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 10 to 20 mph early on December 30 and generally 5 to 15 mph at other times, bitterly cold wind chills of -20 to -40 prevailed over much the two day period as temperatures plummeted to the teens to around 20 below zero." +122252,732302,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-19 18:54:00,PST-8,2017-12-19 18:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet station WASNV 3 miles west-southwest of New Washoe City reported a wind gust of 86 mph." +122252,732303,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 00:29:00,PST-8,2017-12-20 00:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet station CLDNV 5 miles west of Stead reported a wind gust of 73 mph." +122252,732304,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 01:09:00,PST-8,2017-12-20 01:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet BCBNV 1 mile north-northeast of Washoe City reported a wind gust of 71 mph." +120347,721407,GEORGIA,2017,September,Tropical Storm,"BUTTS",2017-09-11 10:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,75.00K,75000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Butts County Emergency Manager reported dozens of trees and power lines blown down across the county. A roof was partially blown off of a house in Jackson and at least two multi-car accidents were blamed on the weather conditions. No injuries were reported. Radar estimates indicate between 2 and 4 inches of rain fell across the county with 3.31 inches recorded at Lloyd Shoals Dam. No injuries were reported." +117478,706524,NEW MEXICO,2017,August,Hail,"SAN MIGUEL",2017-08-08 15:12:00,MST-7,2017-08-08 15:14:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-105.22,35.57,-105.22,"A recharge of low level moisture into eastern New Mexico beneath of the upper level high pressure system centered over western New Mexico set the stage for more strong to severe thunderstorms. Northwest flow aloft interacted with a moist and unstable low level airmass across the eastern plains to produce isolated to scattered showers and storms. Several of these storms rolled off the east slopes of the central mountain chain and became strong to severe. One storm produced quarter size hail near Las Vegas and more heavy rainfall. Another storm crossing Interstate 40 near Milagro produced two inch hail just south of the highway. This activity continued well into the overnight hours across eastern New Mexico and led to more heavy rainfall and flooding the following morning.","Hail up to the size of quarters near Las Vegas." +120347,721416,GEORGIA,2017,September,Tropical Storm,"HEARD",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported many customers without electricity and numerous trees and power lines blown down, several on roadways, across the county. Radar estimated between 2 and 4 inches of rain fell across the county with 3.45 inches measured west of Corinth. No injuries were reported." +120347,721459,GEORGIA,2017,September,Tropical Storm,"PICKENS",2017-09-11 17:00:00,EST-5,2017-09-11 23:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","An amateur radio operator reported several trees blown down in the county. The AWOS at the Pickens County Airport measured a wind gust of 48 MPH. Local news media reported hundreds of whole trees and large limbs blown down as well as several power lines. No injuries were reported." +122289,732226,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"ROBERTS",2017-12-30 10:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732231,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"GRANT",2017-12-30 08:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122289,732232,SOUTH DAKOTA,2017,December,Extreme Cold/Wind Chill,"DEUEL",2017-12-30 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several bouts of Arctic air and blustery winds brought extreme wind chills to all of central and northeast South Dakota. Wind chills of 35 degrees below to near 55 degrees below zero occurred off and on from December 30th into the first day of the new year. Several record lows as well as record low daily highs were set from December 30th into January 1st, 2018. Low temperatures were in the 20s to lower 30s below zero on December 31st. Highs were in the single digits and teens below zero for many locations on the 30th and 31st. Some of the most bitter wind chills include; -45 degrees at Mobridge, -48 degrees at Aberdeen, -50 degrees at Summit, and -54 degrees at Shambo Ranch in Corson county. See the storm data for January for the ending of this event.","" +122310,732384,NEBRASKA,2017,December,Winter Weather,"DAWES",2017-12-21 00:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across the Nebraska Panhandle. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Two to three inches of snow was observed at Chadron." +122310,732386,NEBRASKA,2017,December,Winter Weather,"NORTH SIOUX",2017-12-21 00:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across the Nebraska Panhandle. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three inches of snow was measured nine miles northeast of Harrison." +121990,730349,LOUISIANA,2017,December,Heavy Snow,"ST. HELENA",2017-12-08 03:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The St. Helena Parish Emergency Manager reported 5 inches of snow at Montpelier and 8 miles north of Greensburg. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +121990,730350,LOUISIANA,2017,December,Heavy Snow,"ST. JAMES",2017-12-08 03:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The St. James Parish Emergency Manager reported 3 inches of snow at Grammercy." +121990,730352,LOUISIANA,2017,December,Heavy Snow,"ST. TAMMANY",2017-12-08 06:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The St. Tammany Parish Emergency Manager reported 5 inches of snow near Folsom. One to two inches of snow fell over most of St. Tammany Parish." +122191,732569,ALABAMA,2017,December,Winter Storm,"RANDOLPH",2017-12-08 08:00:00,CST-6,2017-12-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 7-10 inches across Randolph County with a few reports near 12 inches." +120929,724106,PENNSYLVANIA,2017,December,Winter Weather,"UPPER BUCKS",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 3.5 to 6 inches across upper portions of the county." +120929,724107,PENNSYLVANIA,2017,December,Winter Weather,"WESTERN CHESTER",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall amounts ranged from 3 to 5 inches across western portions of the county." +120929,724108,PENNSYLVANIA,2017,December,Winter Weather,"WESTERN MONTGOMERY",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 3-5 inches across western portions of the county." +120929,723999,PENNSYLVANIA,2017,December,Winter Weather,"EASTERN MONTGOMERY",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 4 to 5 inches across eastern portions of the county." +120992,724218,NORTH CAROLINA,2017,December,Heavy Snow,"CHEROKEE",2017-12-08 03:00:00,EST-5,2017-12-08 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved northeast from the Northeastern Gulf of Mexico along the Western Atlantic coastal waters generating heavy snowfall across the Carolinas extending west into the terrain along the Tennessee and North Carolina border. Snowfall generally ranged from around 4 to 8 inches with a few locally higher totals.","A snowfall total of 8 inches was estimated across several locations in the county." +120869,724306,WISCONSIN,2017,December,Strong Wind,"FOND DU LAC",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +121132,725185,TEXAS,2017,December,Flash Flood,"CHEROKEE",2017-12-19 20:00:00,CST-6,2017-12-19 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.8001,-95.1485,31.8001,-95.1471,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","The 2nd Grade Hall area at Rusk Elementary School was flooded, causing the school to be closed on December 20th, 2017. Report from the Rusk Citizen Facebook page." +120598,724096,OHIO,2017,November,Flood,"DELAWARE",2017-11-18 08:45:00,EST-5,2017-11-18 10:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-83.05,40.2892,-83.0536,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","About an inch of water was reported on a few roads in the Delaware area." +120598,724097,OHIO,2017,November,Flood,"DARKE",2017-11-18 15:30:00,EST-5,2017-11-18 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.21,-84.64,40.2083,-84.5604,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported on several roads across Darke County." +121362,726486,OHIO,2017,November,Strong Wind,"CLERMONT",2017-11-18 06:00:00,EST-5,2017-11-19 00:00:00,0,0,0,0,8.00K,8000,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked northeast through the Great Lakes region. Ahead of an associated cold front, a low level jet brought strong and gusty winds to much of the Ohio Valley. Several instances of trees being blown down were noted, but were generally widely scattered about the area and not in any one particular location.","A large tree fell onto a house in Williamsburg." +121362,726487,OHIO,2017,November,Strong Wind,"HAMILTON",2017-11-18 06:00:00,EST-5,2017-11-19 00:00:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"Low pressure tracked northeast through the Great Lakes region. Ahead of an associated cold front, a low level jet brought strong and gusty winds to much of the Ohio Valley. Several instances of trees being blown down were noted, but were generally widely scattered about the area and not in any one particular location.","A tree was downed into a small part of a house in the Price Hill area." +121309,726206,IDAHO,2017,November,High Wind,"UPPER SNAKE RIVER PLAIN",2017-11-01 10:00:00,MST-7,2017-11-01 20:00:00,0,0,0,0,6.00K,6000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought significant winds mainly to the Snake River Plain with power outages and closed roads due to blowing dust.","Wind gusts of 50 to 66 mph were frequent throughout the Upper Snake River Plain. Interstate 15 was closed from exit 118 to exit 143 due to blowing dust from 130 pm until 7 pm. A trailer flipped over on US 26 Westbound 2 miles southeast of Poplar. Idaho Falls and Rocky Mountain Power reported power outages in Idaho Falls, Iona and Ucon due to tree limbs blown into power lines." +121309,726207,IDAHO,2017,November,High Wind,"LOWER SNAKE RIVER PLAIN",2017-11-01 11:00:00,MST-7,2017-11-01 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front brought significant winds mainly to the Snake River Plain with power outages and closed roads due to blowing dust.","Power lines reported down due to high winds in Blackfoot near the intersection of W Bridge St and N Maple St." +121311,726212,IDAHO,2017,November,Winter Weather,"UPPER SNAKE HIGHLANDS",2017-11-14 11:00:00,MST-7,2017-11-14 13:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snow dropped 2 to 4 inches of snow in St Anthony and caused two cars to rollover on US route 20 near the intersection of 400 North south of St Anthony.","A band of heavy snow dropped 2 to 4 inches of snow in St Anthony and caused two cars to rollover on US route 20 near the intersection of 400 North south of St Anthony." +121031,724621,LOUISIANA,2017,November,Drought,"BOSSIER",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across portions of Northwest Louisiana (including Northcentral Caddo, Bossier, Webster, and Claiborne Parishes) to start the second week of November, due to the significant deficits of rain observed since the start of September. In fact, record to near record dry conditions were recorded during September, with only a Trace of rainfall recorded in Shreveport, but continued dry conditions during October only exasperated the developing drought, as only one to two inches of rain fell during the period. In fact, Shreveport only recorded 1.13 inches of rain in October (only 14% of normal for the two month), setting the 6th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121031,724620,LOUISIANA,2017,November,Drought,"CADDO",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across portions of Northwest Louisiana (including Northcentral Caddo, Bossier, Webster, and Claiborne Parishes) to start the second week of November, due to the significant deficits of rain observed since the start of September. In fact, record to near record dry conditions were recorded during September, with only a Trace of rainfall recorded in Shreveport, but continued dry conditions during October only exasperated the developing drought, as only one to two inches of rain fell during the period. In fact, Shreveport only recorded 1.13 inches of rain in October (only 14% of normal for the two month), setting the 6th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121031,724622,LOUISIANA,2017,November,Drought,"WEBSTER",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across portions of Northwest Louisiana (including Northcentral Caddo, Bossier, Webster, and Claiborne Parishes) to start the second week of November, due to the significant deficits of rain observed since the start of September. In fact, record to near record dry conditions were recorded during September, with only a Trace of rainfall recorded in Shreveport, but continued dry conditions during October only exasperated the developing drought, as only one to two inches of rain fell during the period. In fact, Shreveport only recorded 1.13 inches of rain in October (only 14% of normal for the two month), setting the 6th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +120954,723975,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","An observer 3 miles southeast of Bonners Ferry reported 10.0 inches of new snow accumulation." +120954,723976,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","An observer at Naples reported 10.5 inches of new snow accumulation." +120954,723977,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","An observer near Oldtown reported 5.0 inches of new snow accumulation." +120954,723978,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-02 13:00:00,PST-8,2017-11-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The mountains and valleys of northern Idaho received heavy snow from a warm front passage during the afternoon of November 2nd through the morning of November 3rd.|A general 4 to 6 inches with local accumulations to 10 inches were reported in the valleys, while the mountains received higher amounts.","An observer near Spirit Lake reported 4.5 inches of new snow accumulation." +120973,724130,WASHINGTON,2017,November,Heavy Snow,"SPOKANE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","The weather observer at the NWS office in Spokane measured 5.1 inches of storm total snow accumulation. The observer at the nearby Spokane International Airport measured 5.9 inches." +120973,724131,WASHINGTON,2017,November,Heavy Snow,"SPOKANE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","A spotter 3.5 miles northwest of Spokane recorded 5.0 inches of new snow accumulation." +121831,729267,GULF OF MEXICO,2017,November,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-11-21 11:52:00,EST-5,2017-11-21 11:52:00,0,0,0,0,0.00K,0,0.00K,0,24.63,-81.74,24.63,-81.74,"A waterspout was observed in association with a convective rain shower moving north of the Lower Florida Keys. The associated shower was embedded in weak to moderate southerly lower tropospheric flow, well south of a warm front over central Florida.","A waterspout was observed about 5 miles north of Stock Island." +121293,726162,INDIANA,2017,November,Thunderstorm Wind,"TIPTON",2017-11-05 14:30:00,EST-5,2017-11-05 14:30:00,0,0,0,0,0.50K,500,,NaN,40.27,-86.04,40.27,-86.04,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Thunderstorm wind gusts were measured at 64 mph on the south side of Tipton. A shed was destroyed as well." +121293,727151,INDIANA,2017,November,Thunderstorm Wind,"MADISON",2017-11-05 12:53:00,EST-5,2017-11-05 12:53:00,0,0,0,0,7.00K,7000,0.00K,0,40.3,-85.8417,40.3,-85.8417,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Utility poles and lines were downed on State Road 13 between County Roads 1300 North and 1400 North due to damaging thunderstorm wind gusts." +121293,727158,INDIANA,2017,November,Thunderstorm Wind,"MADISON",2017-11-05 12:53:00,EST-5,2017-11-05 12:53:00,0,0,0,0,1.50K,1500,0.00K,0,40.3282,-85.76,40.3282,-85.76,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Multiple utility lines were downed due to damaging thunderstorm wind gusts on County Road 1550 North, between County Roads 300 West and 600 West, closing the road." +121293,727163,INDIANA,2017,November,Thunderstorm Wind,"MADISON",2017-11-05 12:56:00,EST-5,2017-11-05 12:56:00,0,0,0,0,20.00K,20000,0.00K,0,40.33,-85.74,40.33,-85.74,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A couple of outbuildings were destroyed and there were numerous 2 to 3-foot diameter, live trees snapped due to damaging thunderstorm winds." +121293,727164,INDIANA,2017,November,Thunderstorm Wind,"DELAWARE",2017-11-05 13:17:00,EST-5,2017-11-05 13:17:00,0,0,0,0,1.25K,1250,0.00K,0,40.3453,-85.3814,40.3453,-85.3814,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","A 10-inch diameter tree was blown down and a 6-inch diameter tree limb was torn down due to a damaging thunderstorm wind gust on Eaton-Wheeling Pike between Walnut Street and State Road 3." +121423,726909,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 05:55:00,MST-7,2017-11-01 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 01/1100 MST." +121423,726911,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 05:10:00,MST-7,2017-11-01 13:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 01/1100 MST." +121423,726913,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 10:35:00,MST-7,2017-11-01 15:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Whitaker measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 01/1450 MST." +121423,726914,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 03:45:00,MST-7,2017-11-01 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 01/0445 MST." +121423,726916,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 10:40:00,MST-7,2017-11-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 01/1100 MST." +121423,726918,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-01 00:40:00,MST-7,2017-11-01 04:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 01/0055 MST." +121423,726919,WYOMING,2017,November,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-01 12:35:00,MST-7,2017-11-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 01/1545 MST." +121423,726921,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-01 10:15:00,MST-7,2017-11-01 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at the Cheyenne Airport measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 01/1253 MST." +121709,728511,VIRGINIA,2017,November,Frost/Freeze,"ARLINGTON",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728512,VIRGINIA,2017,November,Frost/Freeze,"STAFFORD",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728513,VIRGINIA,2017,November,Frost/Freeze,"SPOTSYLVANIA",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728514,VIRGINIA,2017,November,Frost/Freeze,"KING GEORGE",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728515,VIRGINIA,2017,November,Frost/Freeze,"NORTHERN VIRGINIA BLUE RIDGE",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728516,VIRGINIA,2017,November,Frost/Freeze,"SOUTHERN FAUQUIER",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121709,728517,VIRGINIA,2017,November,Frost/Freeze,"EASTERN LOUDOUN",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121707,728518,DISTRICT OF COLUMBIA,2017,November,Frost/Freeze,"DISTRICT OF COLUMBIA",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728520,MARYLAND,2017,November,Frost/Freeze,"PRINCE GEORGES",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728521,MARYLAND,2017,November,Frost/Freeze,"ANNE ARUNDEL",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728522,MARYLAND,2017,November,Frost/Freeze,"CALVERT",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728523,MARYLAND,2017,November,Frost/Freeze,"CHARLES",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728524,MARYLAND,2017,November,Frost/Freeze,"ST. MARY'S",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +120555,723713,WASHINGTON,2017,November,High Wind,"WESTERN WHATCOM COUNTY",2017-11-13 14:13:00,PST-8,2017-11-13 17:23:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Ferndale recorded a 69 mph gust. Lynden recorded a 61 mph gust. Sandy Point Shores recorded 41 mph sustained wind, gusting to 59 mph. KBLI recorded a peak gust of 58 mph. A CWOP near Bellingham recorded 40 mph sustained wind, gusting to 58 mph." +120555,723712,WASHINGTON,2017,November,High Wind,"WESTERN SKAGIT COUNTY",2017-11-13 15:29:00,PST-8,2017-11-13 17:29:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","Blanchard Mountain recorded a 58 mph gust." +120555,723711,WASHINGTON,2017,November,High Wind,"ADMIRALTY INLET AREA",2017-11-13 15:05:00,PST-8,2017-11-13 17:05:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","KNUW measured 39 mph sustained wind, gusting to 59 mph. Coupeville recorded 46 mph sustained wind, gusting to 59 mph." +121293,726157,INDIANA,2017,November,Hail,"DAVIESS",2017-11-05 12:27:00,EST-5,2017-11-05 12:29:00,0,0,0,0,,NaN,,NaN,38.88,-87.08,38.88,-87.08,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","" +121414,726793,MICHIGAN,2017,November,Winter Weather,"NORTHERN HOUGHTON",2017-11-17 15:00:00,EST-5,2017-11-17 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moisture spreading in ahead of an approaching low pressure trough resulted in moderate snow over portions of northwest Upper Michigan during the afternoon and evening of the 17th.","There was a public report via social media of four inches of snow in six hours in Laurium, and three inches of snow in six hours at South Range." +121415,726796,MICHIGAN,2017,November,Winter Weather,"LUCE",2017-11-19 05:00:00,EST-5,2017-11-19 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shot of colder air moving across Lake Superior resulted in a period of moderate lake effect snow for the northwest wind snow belts of Upper Michigan from late on the 18th into the 19th.","There was a report of four inches of lake effect snow in four hours near Dollarville on the morning of the 19th. Seven inches of snow fell in roughly 20 hours seven miles north of Newberry." +120988,724204,ILLINOIS,2017,November,Thunderstorm Wind,"EFFINGHAM",2017-11-05 15:40:00,CST-6,2017-11-05 15:45:00,0,0,0,0,20.00K,20000,0.00K,0,39.18,-88.65,39.18,-88.65,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","A power pole, power lines, and several tree branches were blown down in Shumway." +120988,724201,ILLINOIS,2017,November,Thunderstorm Wind,"CLARK",2017-11-05 16:19:00,CST-6,2017-11-05 16:24:00,0,0,0,0,15.00K,15000,0.00K,0,39.3,-87.98,39.3,-87.98,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","A few trees and several large tree branches were blown down across Casey." +121497,727294,NEW YORK,2017,November,Strong Wind,"SOUTHERN WASHINGTON",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727295,NEW YORK,2017,November,Strong Wind,"WESTERN ALBANY",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727296,NEW YORK,2017,November,Strong Wind,"WESTERN COLUMBIA",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727297,NEW YORK,2017,November,Strong Wind,"WESTERN DUTCHESS",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727298,NEW YORK,2017,November,Strong Wind,"WESTERN GREENE",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727299,NEW YORK,2017,November,Strong Wind,"WESTERN RENSSELAER",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121591,727780,OREGON,2017,November,High Wind,"NORTHERN OREGON COAST",2017-11-19 19:22:00,PST-8,2017-11-19 23:06:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system moved into Vancouver Island. The front associated with this system brought strong winds to the coast.","An Oregon Department of Transportation weather station on Megler Bridge recorded wind gusts up to 62 mph. Wind speeds of similar magnitude were also reported in an adjacent zone." +121567,728336,NEW YORK,2017,November,Coastal Flood,"ORLEANS",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121717,728611,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 05:00:00,MST-7,2017-11-29 07:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 29/0625 MST." +121717,728612,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 03:25:00,MST-7,2017-11-29 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Halleck Ridge measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 29/0600 MST." +121717,728613,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 04:35:00,MST-7,2017-11-29 05:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 29/0455 MST." +121717,728614,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 08:10:00,MST-7,2017-11-29 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 29/1025 MST." +121717,728615,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-29 05:40:00,MST-7,2017-11-29 06:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 29/0615 MST." +121717,728616,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-29 10:20:00,MST-7,2017-11-29 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Herrick Lane measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 29/1040 MST." +121717,728617,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-29 09:25:00,MST-7,2017-11-29 13:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 74 mph at 29/1020 MST." +121717,728618,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-29 08:25:00,MST-7,2017-11-29 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of high gap winds developed across the northern Snowy Range foothills and Laramie Valley. Frequent gusts of 65 to 75 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 82 mph at 29/1030 MST." +121718,728622,WYOMING,2017,November,High Wind,"EAST PLATTE COUNTY",2017-11-24 06:45:00,MST-7,2017-11-24 06:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient combined with strong winds aloft from a passing disturbance produced high winds across portions of south central, east central and southeast Wyoming.","The WYDOT sensor at Coleman measured peak wind gusts of 58 mph." +120426,721502,INDIANA,2017,November,Tornado,"WASHINGTON",2017-11-05 23:20:00,EST-5,2017-11-05 23:21:00,0,0,0,0,200.00K,200000,0.00K,0,38.6235,-86.0221,38.6239,-86.0128,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","The National Weather Service in conjunction with Washington County Emergency Management Agency conducted a storm survey in central Washington County and determined there were three distinct touchdowns near and around the Salem, Indiana area Sunday evening November 5. The third tornado touched down near the intersection of Canton Road and Howell Road. Severe damage was sustained to several barns, street signs, bird houses, and metal poles that were bent or snapped. A 500 gallon propane tank moved to the south 3 feet and became lodged against a grain storage building. There was an excellent signature of mud and dirt spattering cyclonically on a grain silo. The tornado was extremely narrow and mostly at tree top level with several power poles snapped near the top. The tornado had estimated peak winds of 90 to 95 mph and width of 50 to 70 yards." +120426,721501,INDIANA,2017,November,Tornado,"WASHINGTON",2017-11-05 23:16:00,EST-5,2017-11-05 23:17:00,0,0,0,0,250.00K,250000,0.00K,0,38.6028,-86.1021,38.6037,-86.0995,"Unseasonably warm and humid air collided with a strong cold front during the evening hours on November 5. An outbreak of severe weather, including multiple tornadoes, took place across the lower Ohio Valley from portions of Illinois, Indiana, and Ohio. As the line of storms moved into southern Indiana, 3 tornadoes were confirmed in Washington County, in and around the town of Salem.","The National Weather Service in conjunction with Washington County|Emergency Management Agency conducted a storm survey in central|Washington County and determined there were three distinct|touchdowns near and around the Salem, Indiana area Sunday evening|November 5. The second tornado touched down in downtown Salem at the Salem Feed|Mill on South Water Street. There was significant damage on the|upper portion of the feed mill approximately 70 feet off the ground|along with some power poles being severely bent. A multi-business|building was hit by the tornado with a large portion of its roof|lifted and dropped on the Dinner Bell restaurant. There was|extensive damage from falling brick. The tornado then hit a house|on the corner of Cherry and South High Street resulting in roof and|siding damage along with several sections of Cleveland Pear trees|snapped. The tornado lifted quickly at the intersection. The|tornado had estimated peak winds of approximately 90 to 95 mph with a width of|approximately 30 to 40 yards." +120735,723100,KENTUCKY,2017,November,Thunderstorm Wind,"OHIO",2017-11-18 15:25:00,CST-6,2017-11-18 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,37.41,-86.88,37.41,-86.88,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","The Ohio County emergency manager reported trees and power lines down." +120454,721762,OHIO,2017,November,Flood,"WASHINGTON",2017-11-06 10:15:00,EST-5,2017-11-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3978,-81.3408,39.4696,-81.4772,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Following flash flooding in the morning, water levels were slow to recede on small creeks and streams through the day. As the water drained through the system, flooding also occurred on at Macksburg on the West Fork of Duck Creek, on the Duck Creek at Whipple, and on the Little Muskingum River at Bloomfield. The gauges at each of these locations topped out at 1-2 feet above bankfull during the afternoon, and receded below bankfull through the overnight or early morning on the 7th.||Sections of State Route 26 were closed due to high water near both Duck Creek and the Little Muskingum River. Also parts of State Routes 145 and 821 were under water along the Little Muskingum." +120454,721764,OHIO,2017,November,Flood,"VINTON",2017-11-06 10:15:00,EST-5,2017-11-09 05:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2867,-82.4269,39.2758,-82.269,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Following flash flooding early on the 6th, high water lingered along Raccoon Creek into the early morning hours of the 9th. At Bolins Mills, the creek crested at 15 feet, or one foot above bankfull, during the afternoon of the 8th, and returned within its banks just before sunrise on the 9th. The flooding along Raccoon Creek cause water to pool in several low spots along Route 50 and nearby agricultural land." +120455,721674,WEST VIRGINIA,2017,November,Flash Flood,"WOOD",2017-11-06 05:00:00,EST-5,2017-11-06 09:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.292,-81.5196,39.2838,-81.5211,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system. As the cold front moved through that night, training of showers and storms resulted in areas of around 2.5 inches of rainfall. An additional half inch of rain fell on the 6th. Isolated flash flooding occurred during the predawn on the 6th.","Flash flooding along Worthington Creek resulted in the closure of Old St. Marys Pike and Core Road." +120606,722484,WEST VIRGINIA,2017,November,Strong Wind,"LOGAN",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722485,WEST VIRGINIA,2017,November,Strong Wind,"CLAY",2017-11-18 20:00:00,EST-5,2017-11-19 02:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722488,WEST VIRGINIA,2017,November,Strong Wind,"DODDRIDGE",2017-11-18 20:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724058,ARKANSAS,2017,November,Drought,"IZARD",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Izard County entered D2 drought designation on November 7th." +120962,724059,ARKANSAS,2017,November,Drought,"SEARCY",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Searcy County entered D2 drought designation on November 7th." +120598,724094,OHIO,2017,November,Flood,"SHELBY",2017-11-18 16:00:00,EST-5,2017-11-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-84.12,40.2775,-84.1024,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","High water was reported on several roads across Shelby County." +120968,724090,ARKANSAS,2017,November,Drought,"JOHNSON",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state. ||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello. ||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Johnson County entered D2 drought designation on November 21st." +120427,721509,OHIO,2017,November,Tornado,"MERCER",2017-11-05 14:40:00,EST-5,2017-11-05 14:49:00,8,0,0,0,5.00M,5000000,0.00K,0,40.5408,-84.5732,40.591,-84.494,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Law enforcement initially observed a funnel cloud near the intersection of Main Street and Schunk Road in Celina. Just to the northeast of this report is where it appears the tornado first touched down, where multiple tree limbs were knocked down between Main Street and W Bank Road.||It is believed that the tornado then skirted Grand Lake St. Marys, producing minor tree and structural damage near the corner of Lake Shore Drive and Elmgrove Avenue. The tornado then likely moved back over a small portion of Grand Lake St. Marys before knocking down a fence and a few small trees at the back parking lot of a Wendy's restaurant on E Market Street. A one story home on Vine Street also had shingles removed from about 10 percent of its roof. ||Further east on E Market Street, the tornado intensified as it impacted Lakeshore Auto Sales. This business had its roof completely destroyed. Along Lake Street, several large branches were knocked down on one property, with significant debris splatter on the east-facing side of a home along with some removal of siding.||Further east on E Market Street, another business had a significant portion of its roof removed, and windows at the front of the business were broken. On the 1100 block of E Livingston Street, tree damage was common and several of the homes also exhibited minor roof damage. One of the homes also had one large hardwood tree knocked down onto its second floor, producing significant roof damage. ||To the northeast, an outbuilding associated with a business on Grand Lake Road was completely destroyed. On the other side of Grand Lake Road, significant debris wrapped around a fence on Montgomery Field. Trees were also uprooted on adjacent May Street.||The most significant damage was then observed beginning at Crown Equipment Corporation. A significant portion of the roof was removed, and exterior walls on the southwest side of the building also collapsed. Damage was also noted on the east-facing side of the building. ||Businesses along Havermann Road were also affected, most notably C-Town Wings, where the front windows were blown out, and the Dollar General store which sustained considerable structural damage, including roof collapse and exterior wall failure. Observed damage from the Crown Equipment Corporation to the Dollar General store was consistent with EF2 tornadic winds.||Several businesses within a strip mall along Havermann Road also sustained some damage, particularly a sports store where the front doors were blown in and a portion of the roof collapsed into the store. ||Damage to the northeast of the strip mall became more sparse, however some trees were downed near the intersection of Howick Road and Riley Road. The end of the tornado appears to have occurred near the 8000 block of Riley Road." +120427,721531,OHIO,2017,November,Flood,"MIAMI",2017-11-05 19:45:00,EST-5,2017-11-05 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9333,-84.1997,39.9308,-84.2005,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Standing water was reported on Route 25A, just north of the Montgomery County line." +120427,721520,OHIO,2017,November,Flash Flood,"MONTGOMERY",2017-11-05 19:45:00,EST-5,2017-11-05 20:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.85,-84.13,39.8517,-84.1264,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Water was reported pouring into a home on Hinckley Court and the back porch had been washed away." +120598,724016,OHIO,2017,November,Flood,"DELAWARE",2017-11-19 05:15:00,EST-5,2017-11-19 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-83.01,40.3096,-83.0117,"A strong cold front moving through the Ohio River Valley produced widespread showers and thunderstorms. The storms produced locally heavy rain and flooding along with a few damaging wind gusts.","State Route 521 was closed near Harris Road due to high water. Numerous other roads throughout Delaware County also remained closed due to lingering high water." +121006,724374,ILLINOIS,2017,November,Strong Wind,"PERRY",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724375,ILLINOIS,2017,November,Strong Wind,"POPE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724376,ILLINOIS,2017,November,Strong Wind,"PULASKI",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724377,ILLINOIS,2017,November,Strong Wind,"SALINE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121027,724609,ARKANSAS,2017,November,Drought,"HEMPSTEAD",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121027,724608,ARKANSAS,2017,November,Drought,"HOWARD",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121028,724614,TEXAS,2017,November,Drought,"BOWIE",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across Eastern Bowie, much of Cass, and Eastern Marion Counties in Northeast Texas to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly.","" +122327,732503,INDIANA,2017,December,Heavy Snow,"CLINTON",2017-12-29 14:00:00,EST-5,2017-12-30 02:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snowfall pushed eastward into and through northern portions of central Indiana during the afternoon and evening of December 29th. The band was oriented from west-northwest to east-southeast. A few locations saw snowfall of between 6 to 7 inches.","Heavy snowfall of 6.6 inches fell approximately 5 miles north-northeast of Frankfort. No reports of any impacts were received." +122327,732504,INDIANA,2017,December,Heavy Snow,"TIPTON",2017-12-29 14:00:00,EST-5,2017-12-30 02:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snowfall pushed eastward into and through northern portions of central Indiana during the afternoon and evening of December 29th. The band was oriented from west-northwest to east-southeast. A few locations saw snowfall of between 6 to 7 inches.","Heavy snowfall of 6.0 inches fell approximately 4 miles west of Tipton. Six inches of snow was also reported by the Windfall Fire Department in Windfall. No reports of any impacts were received." +122327,732505,INDIANA,2017,December,Heavy Snow,"MADISON",2017-12-29 14:00:00,EST-5,2017-12-30 02:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snowfall pushed eastward into and through northern portions of central Indiana during the afternoon and evening of December 29th. The band was oriented from west-northwest to east-southeast. A few locations saw snowfall of between 6 to 7 inches.","Heavy snowfall of 6.3 inches fell approximately 2 miles north of Country Club Heights. No reports of any impacts were received." +122327,732506,INDIANA,2017,December,Heavy Snow,"DELAWARE",2017-12-29 15:00:00,EST-5,2017-12-30 02:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A band of heavy snowfall pushed eastward into and through northern portions of central Indiana during the afternoon and evening of December 29th. The band was oriented from west-northwest to east-southeast. A few locations saw snowfall of between 6 to 7 inches.","Heavy snowfall of 6.0 inches fell approximately 1 mile north-northeast of Yorktown. No reports of any impacts were received." +122340,732507,INDIANA,2017,December,Winter Weather,"MARION",2017-12-09 10:00:00,EST-5,2017-12-09 10:00:00,0,1,0,1,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers and squalls expanded across central Indiana ahead of a cold front during the morning of December the 9th. A truck slid off of Interstate 70 near Plainfield and one of the occupants was killed after being ejected from the truck. State police said that moderate to heavy snow was falling just before the crash.","Snow showers and squalls pushed across central Indiana ahead of a cold front during the morning of December the 9th. There was a report that moderate to heavy snow at the time. RTV6 reported that Indiana State Police said that a pickup truck slid off the road, hit the base of a light pole and rolled several times just after 10:00 AM on Interstate 70, just past the airport exit. Troopers said the backseat passenger, a 78-year-old man, of Illinois, was not wearing a seatbelt and was ejected from the truck. He was pronounced dead at the scene. The driver of the truck was taken to the hospital to be checked out. After his release, the man was arrested for driving with suspended causing death. Investigators believe road conditions were a factor in the crash as well as speed too fast for weather conditions." +121120,725116,OREGON,2017,December,High Wind,"CENTRAL OREGON",2017-12-19 08:30:00,PST-8,2017-12-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Wind gusts associated with a cold frontal passage caused wind damage in portions of Deschutes county.","High winds associated with the passage of a cold front caused damage to areas in and around Bend. Trees were blown down causing damage to homes and vehicles. Power lines were brought down causing power outages to at least 1900 customers. Damage costs are unknown at this time." +121918,729811,OREGON,2017,December,Heavy Snow,"FOOTHILLS OF THE SOUTHERN BLUE MOUNTAINS OF OREGON",2017-12-22 14:30:00,PST-8,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North flow behind a modified Arctic cold front caused significant snow across northwest and north facing slopes in north-central and northeast Oregon. Also locally significant snow fell in portions of southeast Washington.","Measured 5 inches of snow at Condon in Gilliam county." +121918,729812,OREGON,2017,December,Heavy Snow,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-12-22 12:14:00,PST-8,2017-12-23 04:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North flow behind a modified Arctic cold front caused significant snow across northwest and north facing slopes in north-central and northeast Oregon. Also locally significant snow fell in portions of southeast Washington.","Measured 6 inches of snow at Pilot Rock in Umatilla county." +121918,729813,OREGON,2017,December,Heavy Snow,"GRAND RONDE VALLEY",2017-12-22 12:31:00,PST-8,2017-12-23 05:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North flow behind a modified Arctic cold front caused significant snow across northwest and north facing slopes in north-central and northeast Oregon. Also locally significant snow fell in portions of southeast Washington.","Estimated 6 inches of snow at Island City in Union county." +121920,729814,OREGON,2017,December,Heavy Snow,"FOOTHILLS OF THE NORTHERN BLUE MOUNTAINS OF OREGON",2017-12-24 14:48:00,PST-8,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread snow across much of southeast Washington and northeast Oregon on Christmas Eve and early Christmas Day.","Measured 5.1 inches of snow 1 mile ESE of Pendleton in Umatilla county." +121922,729819,WASHINGTON,2017,December,Ice Storm,"LOWER COLUMBIA BASIN",2017-12-28 15:00:00,PST-8,2017-12-29 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system brought a mix of snow, sleet and freezing rain to south-central and southeast Washington.","One quarter (0.25) inch of ice from freezing rain 5 miles southwest of Richland in Benton county. Quarter inch amounts of ice reported in and around the Tri-Cities area with vehicles off the road." +121918,730402,OREGON,2017,December,Heavy Snow,"JOHN DAY BASIN",2017-12-22 20:00:00,PST-8,2017-12-23 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"North flow behind a modified Arctic cold front caused significant snow across northwest and north facing slopes in north-central and northeast Oregon. Also locally significant snow fell in portions of southeast Washington.","Measured 6 inches of snow at John Day in Grant county." +122001,730407,WASHINGTON,2017,December,Flood,"WALLA WALLA",2017-12-30 06:30:00,PST-8,2017-12-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,46.0757,-118.4535,46.078,-118.9053,"Heavy rain over the northern Blue Mountains resulted in significant rises on rivers and stream flowing out of the Blues.","A very wet weather system brought heavy rain to the northern Blue Mountains on December 29th and 30th. Snow levels were above 7000 feet with rain amounts of 3 to 4 inches. This resulted in rapid rises in streams and creeks draining the Blue Mountains, especially in Walla Walla and Columbia Counties. The Walla Walla River near Touchet rose above flood stage on December 30, crested at 14.2 feet (flood stage is 13.0 feet) and then receded below flood stage on December 31st." +121246,725859,IDAHO,2017,December,Heavy Snow,"IDAHO PALOUSE",2017-12-15 12:00:00,PST-8,2017-12-16 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist cold front transited the region from northwest to southeast during the day of December 15th. This front lifted a plume of Pacific moisture directed into eastern Washington and north Idaho into an area of persistent snow bringing heavy accumulations to the Coeur D'Alene area, the Idaho Palouse and the mountains of the central Idaho Panhandle.","An observer at Moscow reported 5.2 inches of new snow accumulation." +121259,725888,MONTANA,2017,December,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-12-17 06:21:00,MST-7,2017-12-17 06:21:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west-northwesterly flow aloft and a tight pressure gradient associated with a surface trough along a Canadian cold front contributed to strong, gusty surface winds for portions of North-Central Montana.","MT DOT sensor measured peak gust of 86 mph 1 mile ENE of East Glacier Park." +121259,725889,MONTANA,2017,December,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-12-17 15:08:00,MST-7,2017-12-17 15:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west-northwesterly flow aloft and a tight pressure gradient associated with a surface trough along a Canadian cold front contributed to strong, gusty surface winds for portions of North-Central Montana.","MT DOT sensor recorded 69 mph peak gust 2 miles SE of Browning." +121259,725890,MONTANA,2017,December,High Wind,"SOUTHERN ROCKY MOUNTAIN FRONT",2017-12-17 10:09:00,MST-7,2017-12-17 10:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west-northwesterly flow aloft and a tight pressure gradient associated with a surface trough along a Canadian cold front contributed to strong, gusty surface winds for portions of North-Central Montana.","Gleason RAWS, 18 miles WSW of Bynum, recorded peak gust of 64 mph." +121259,725892,MONTANA,2017,December,High Wind,"EASTERN GLACIER",2017-12-17 12:38:00,MST-7,2017-12-17 12:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong west-northwesterly flow aloft and a tight pressure gradient associated with a surface trough along a Canadian cold front contributed to strong, gusty surface winds for portions of North-Central Montana.","Cut Bank Airport ASOS recorded peak gust of 60 mph." +121261,726050,MONTANA,2017,December,Winter Storm,"CASCADE",2017-12-19 11:05:00,MST-7,2017-12-19 11:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT reported severe driving conditions from accumulating snow along US-87 from Great Falls to Fort Benton." +121364,726497,TEXAS,2017,December,Drought,"FRANKLIN",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121364,726498,TEXAS,2017,December,Drought,"TITUS",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121252,725881,IDAHO,2017,December,Ice Storm,"COEUR D'ALENE AREA",2017-12-29 18:00:00,PST-8,2017-12-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","A spotter near Athol reported 6 to 8 inches of snow during the day, with a change over to freezing rain around 6:00 PM with about 0.25 inch of ice accumulation." +121253,726688,WASHINGTON,2017,December,Heavy Snow,"OKANOGAN HIGHLANDS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer 8 miles northeast of Republic reported 5.9 inches of new snow." +121253,726690,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer near Clayton reported 4.0 inches of new snow. As the storm ended snow turned to freezing rain with a citizen on social media reporting 0.5 inches of ice accumulation." +121410,726777,WEST VIRGINIA,2017,December,Winter Weather,"SOUTHEAST POCAHONTAS",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121410,726778,WEST VIRGINIA,2017,December,Winter Weather,"SOUTHEAST RANDOLPH",2017-12-29 22:00:00,EST-5,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the northern mountainous counties of West Virginia on the 29th and 30th. As the snow became more banded and showery due to increasing orographic lift, snowfall amounts varied quite drastically from place to place.||Across lower elevations, snowfall amounts generally totaled 3 to 6 inches. For example, the cooperative observer in Rock Cave measured 5 inches, and the observer in Elkins reported 5.6 inches. In Barbour County, a member of the public in Belington measured about 8 inches of snow, while other parts of the county only got 2 to 3 inches.||Some of the ridges of Pocahontas and Randolph Counties got a little more, with 4 to 8 inches on average. The cooperative observer at Snowshoe measured 5 inches. The West Virginia Department of Highways reported 4 to 8 inches along routes 219 and 39 in Pocahontas County. There were several reports of localized higher amounts, such as at Harman in extreme northeastern Randolph County, where a member of the public measured 10 inches.","" +121412,726782,OHIO,2017,December,Winter Weather,"ATHENS",2017-12-29 18:00:00,EST-5,2017-12-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system, and trailing cold front lead to a period of snow across the Middle Ohio River Valley on the 29th and 30th. Across most of southeast Ohio amounts over the 24 hour period totaled 2 to 4 inches. However, there was one stripe of higher snow amounts across Vinton, Athens, northern Meigs and southern Washington Counties where 3 to 5 inches fell. ||A trained spotter near McArthur in Vinton County measured 3.5 inches from snowfall overnight into the morning of the 30th. In Athens County, there were multiple CoCoRaHS reports of 4 to 5 inches, especially around the city of Athens. A social media report from northern Meigs County indicated 4.5 inches by the time the snow ended around noon on the 30th. In Washington County, a trained spotter near Marietta measured 4.5 inches of snow, while the cooperative observer in Newport got 4 inches.","" +121534,727469,MONTANA,2017,December,Winter Storm,"NORTHERN STILLWATER",2017-12-29 04:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 6 to 12 inches were reported across the area." +121534,727468,MONTANA,2017,December,Winter Storm,"YELLOWSTONE",2017-12-28 23:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall amounts of 10 to 14 inches were reported across the area." +121534,727473,MONTANA,2017,December,Winter Storm,"CRAZY MOUNTAINS",2017-12-27 21:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Area SNOTELS reported 14 inches of snow." +121534,727474,MONTANA,2017,December,Winter Storm,"ABSAROKEE / BEARTOOTH MOUNTAINS",2017-12-27 10:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Fisher Creek SNOTEL reported 12 inches of snow." +120929,724103,PENNSYLVANIA,2017,December,Winter Storm,"MONROE",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Anywhere from 5-7 inches of snow fell across the county." +121621,727907,MONTANA,2017,December,Drought,"EASTERN ROOSEVELT",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Because of a couple of winter storms that dropped a few inches of snow across the area the latter half of the month, precipitation amounts were around normal for the month across eastern Roosevelt County. Due to the already frozen ground and this being a climatologically dry time of year, Severe (D2) drought conditions remained in place across eastern Roosevelt County." +121621,727908,MONTANA,2017,December,Drought,"GARFIELD",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped enough snow to bring precipitation amounts ranging from 75 to 200 percent of normal, Garfield County remained in Severe (D2) to Extreme (D3) drought conditions throughout December." +121621,727909,MONTANA,2017,December,Drought,"LITTLE ROCKY MOUNTAINS",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped enough snow to bring precipitation amounts to approximately 200 percent of normal, the Little Rockies remained in Severe (D2) drought conditions throughout December." +121621,727910,MONTANA,2017,December,Drought,"MCCONE",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped enough snow to bring precipitation amounts to approximately 50 to nearly 200 percent of normal across portions of the county, McCone County remained in Severe (D2) to Extreme (D3) drought conditions throughout December." +121289,726164,MONTANA,2017,December,Winter Storm,"BUTTE / BLACKFOOT REGION",2017-12-29 08:00:00,MST-7,2017-12-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was a classic overrunning event with an arctic air mass in place which lasted several days. A push of subtropical moisture associated with an atmospheric river arrived early Friday morning of the 29th and caused a prolonged period of moderate to heavy snow across portions of northwest and west-central Montana and central Idaho. Freezing rain was reported as far north as Polson, east of Thompson Falls, the Bitterroot and Missoula Valleys and in the Seeley/Swan Valley for a period. Between Missoula and Stevensville the precipitation type changed back and forth between snow and freezing rain Friday evening and night. Severe driving conditions were reported all across western Montana on the 29th due to icy roads and blowing and drifting snow.","Montana Department of Transportation(MDT) reported 12 inches of snow in Drummond with blowing and drifting snow. MDT issued severe driving conditions between Bearmouth and Garrison junction around 2 pm Friday. A spotter 10 miles ENE of Ovando reported 18 inches of snow in 24 hours from this event. Total snowfall amounts included: near 2 feet in the Ovando, Helmville and Elliston areas, 9 inches Hall and 3 inches in the Anaconda area. A weather spotter located 10 miles east-northeast of Ovando reported 3 inches of heavy snow that fell in one hour ending 9:13 am on the 30th due to a transient snow band that set up over northern Powell County." +121214,728393,MONTANA,2017,December,Winter Storm,"LITTLE ROCKY MOUNTAINS",2017-12-30 06:00:00,MST-7,2017-12-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved into the region from the Pacific Northwest, bringing some significant snowfall to portions of northeast Montana on the 28th and 29th. Strong cold air advection from a surface high pressure system pushing across from the Northwest Territories and Alberta brought very cold temperatures and winds gusty enough to create extreme wind chills late on the 29th. Another low pressure system quickly moved across Montana on the 30th, bringing more snowfall to the region.","Snowfall reports for this storm were lacking, but enough snow fell to make roads treacherous. There were reports of snow covered roads as well as significant blowing and drifting snow throughout the area, as reported by the MDT road conditions website." +121214,728397,MONTANA,2017,December,Winter Storm,"CENTRAL AND SE PHILLIPS",2017-12-29 06:00:00,MST-7,2017-12-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved into the region from the Pacific Northwest, bringing some significant snowfall to portions of northeast Montana on the 28th and 29th. Strong cold air advection from a surface high pressure system pushing across from the Northwest Territories and Alberta brought very cold temperatures and winds gusty enough to create extreme wind chills late on the 29th. Another low pressure system quickly moved across Montana on the 30th, bringing more snowfall to the region.","Although snowfall amounts of generally less than 6 inches were reported, road conditions became very poor due to blowing and drifting snow on the morning of the 29th, and remained poor into the morning of the 31st. Road conditions were determined based on the MDT road conditions website." +121841,729352,NORTH CAROLINA,2017,December,Winter Weather,"RUTHERFORD MOUNTAINS",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729351,NORTH CAROLINA,2017,December,Winter Weather,"MCDOWELL MOUNTAINS",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729353,NORTH CAROLINA,2017,December,Winter Weather,"POLK MOUNTAINS",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121841,729354,NORTH CAROLINA,2017,December,Winter Weather,"BUNCOMBE",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121218,726366,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"POPE",2017-12-29 23:30:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started late Friday evening, and continued through Saturday and Sunday morning. The worst conditions occurred both Saturday and Sunday morning when wind speeds combined with cold lows to produced wind chill values around -45F." +121218,726367,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"REDWOOD",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -41F." +114031,682980,NEW YORK,2017,February,Lake-Effect Snow,"SOUTHERN CAYUGA",2017-02-10 00:00:00,EST-5,2017-02-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A northwest flow of cold air behind a departing low pressure system brought heavy lake effect snow to portions of north central New York from the late evening of the 9th to the morning of the 10th. Snowfall accumulations ranged from 7 to 14 inches.","Snowfall accumulations ranged from 10 to 14 inches with the highest amount in Port Byron." +114031,682975,NEW YORK,2017,February,Lake-Effect Snow,"ONONDAGA",2017-02-09 21:00:00,EST-5,2017-02-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A northwest flow of cold air behind a departing low pressure system brought heavy lake effect snow to portions of north central New York from the late evening of the 9th to the morning of the 10th. Snowfall accumulations ranged from 7 to 14 inches.","Snowfall accumulations ranged from 6 to 11 inches with the highest amount in Elbridge." +114032,682990,NEW YORK,2017,February,Heavy Snow,"BROOME",2017-02-12 05:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 5 to 11 inches with the highest amount at the Greater Binghamton Airport." +114739,688317,IOWA,2017,April,Hail,"CLINTON",2017-04-15 17:30:00,CST-6,2017-04-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","An off duty NWS employee reported 1.50 inch hail. Time of the event was estimated using radar." +114739,688321,IOWA,2017,April,Hail,"KEOKUK",2017-04-15 18:05:00,CST-6,2017-04-15 18:05:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-92.24,41.46,-92.24,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","This report was relayed by local broadcast media (KCRG). Time of the event was estimated using radar." +121467,727135,NEBRASKA,2017,December,Winter Weather,"HAMILTON",2017-12-23 18:00:00,CST-6,2017-12-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 3.7 inches occurred four miles north of Aurora." +114032,682991,NEW YORK,2017,February,Heavy Snow,"CHENANGO",2017-02-12 06:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 9 inches with the highest amount in Sherburne." +114032,682992,NEW YORK,2017,February,Heavy Snow,"CORTLAND",2017-02-12 06:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 9 inches with the highest amount near Freetown." +114032,682993,NEW YORK,2017,February,Heavy Snow,"DELAWARE",2017-02-12 06:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 6 to 10 inches with the highest amount near Long Eddy." +114032,682994,NEW YORK,2017,February,Heavy Snow,"MADISON",2017-02-12 08:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 14 inches with the highest amount near Oneida." +114032,682995,NEW YORK,2017,February,Heavy Snow,"ONONDAGA",2017-02-12 09:00:00,EST-5,2017-02-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm tracked from the Ohio Valley across Pennsylvania to off the southern New England coast from the early morning hours of the 12th to the 13th. The storm brought heavy snow to portions of central and north central New York on the 12th with lake effect snow in its wake until the afternoon of the 13th.","Snowfall accumulations ranged from 7 to 14 inches with the highest amount near Oneida." +120930,723916,MONTANA,2017,December,High Wind,"SHERIDAN",2017-12-10 20:43:00,MST-7,2017-12-11 02:03:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving through Saskatchewan and eastern Montana was able to mix strong northwest winds aloft down to the surface across much of the region. While wind gusts of 25 to 45 mph were widespread, a few locations across the area measured gusts of 58 mph or greater.","Sustained winds greater than 40 mph at the Comertown Turn-Off MT-5 DOT site began at 8:43 PM on the evening of the 10th, and ended after 2:03 AM on the morning of the 11th. Winds peaked up to 60 mph several times during this period, the first occurring at 10:13 PM." +120930,723917,MONTANA,2017,December,High Wind,"SHERIDAN",2017-12-10 21:30:00,MST-7,2017-12-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A disturbance moving through Saskatchewan and eastern Montana was able to mix strong northwest winds aloft down to the surface across much of the region. While wind gusts of 25 to 45 mph were widespread, a few locations across the area measured gusts of 58 mph or greater.","At the Plentywood Mesonet site KPWD, sustained winds became greater than 40 mph at 9:30 PM on the 10th and persisted until 12:15 AM on the morning of the 11th. Periodic gusts to 58 mph occurred during this period, the first at 9:45 PM on the 10th, and the final at 1:00 AM on the 11th." +121214,728365,MONTANA,2017,December,Winter Storm,"PETROLEUM",2017-12-28 10:30:00,MST-7,2017-12-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved into the region from the Pacific Northwest, bringing some significant snowfall to portions of northeast Montana on the 28th and 29th. Strong cold air advection from a surface high pressure system pushing across from the Northwest Territories and Alberta brought very cold temperatures and winds gusty enough to create extreme wind chills late on the 29th. Another low pressure system quickly moved across Montana on the 30th, bringing more snowfall to the region.","Even though snowfall began earlier, the main impacts from this storm were due to poor road conditions in the area. According to the MDT road conditions website, blowing and drifting snow was first reported at 10:30 AM on the 28th, and road conditions continued to be poor until around 10:00 AM on the 31st.||Although snowfall amounts of 9 to 12 inches were reported, this was spread out over the course of three days." +121214,728396,MONTANA,2017,December,Winter Storm,"GARFIELD",2017-12-28 15:00:00,MST-7,2017-12-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved into the region from the Pacific Northwest, bringing some significant snowfall to portions of northeast Montana on the 28th and 29th. Strong cold air advection from a surface high pressure system pushing across from the Northwest Territories and Alberta brought very cold temperatures and winds gusty enough to create extreme wind chills late on the 29th. Another low pressure system quickly moved across Montana on the 30th, bringing more snowfall to the region.","We received a 24 hour snowfall report from COOP observer 3N Brusett of 9.0 inches at 5:00 PM on the 29th. Snow was determined to be falling until 3:30 PM on the 30th, with the time the snow ended estimated based on radar observations." +122167,731293,TEXAS,2017,December,Winter Weather,"CONCHO",2017-12-26 21:05:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell across the Concho Valley and resulted in patchy areas of ice on area bridges." +122167,731296,TEXAS,2017,December,Winter Weather,"COKE",2017-12-26 21:05:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell across the Concho Valley and resulted in patchy areas of ice on area bridges." +122167,731297,TEXAS,2017,December,Winter Weather,"IRION",2017-12-26 21:05:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell across the Concho Valley and resulted in patchy areas of ice on area bridges." +122167,731298,TEXAS,2017,December,Winter Weather,"STERLING",2017-12-26 20:05:00,CST-6,2017-12-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell across the Concho Valley and resulted in patchy areas of ice on area bridges." +122181,731397,NEBRASKA,2017,December,Winter Weather,"DAKOTA",2017-12-21 12:00:00,CST-6,2017-12-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated one to three inches. Snowfall of 2.5 inches was reported at Emerson." +122186,731466,TEXAS,2017,December,Winter Weather,"UVALDE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122187,731479,VIRGINIA,2017,December,Winter Storm,"CAMPBELL",2017-12-08 11:30:00,EST-5,2017-12-09 17:54:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"A cold front stalled over the region the afternoon of December 8th, 2017. A set of upper level disturbances moved along this boundary. One had crossed the region by Thursday evening, with a second by Friday morning, December 9th, 2017. With plenty of cold air in place, several inches of snow fell in association with these two disturbances. Snowfall totals were greatest across the Grayson Highlands portion of southwest Virginia where amounts ranged from five to seven inches. Eastward from here into the foothills and Southside region of Virginia, amounts of four to six inches were common.","Snowfall amounts ranged from around two inches near Lynchburg to around four inches near Brookneal to around six inches near Gladys. Minor power outages occurred thanks to snow and ice weighted trees and limbs falling on power lines. Damage values are estimated." +122137,731973,NORTH CAROLINA,2017,December,Winter Storm,"FORSYTH",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Three to six inches of snow fell across Forsyth county." +122137,731974,NORTH CAROLINA,2017,December,Winter Storm,"GUILFORD",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts of 3 to 4 inches fell across the county." +122173,731268,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"OGLALA LAKOTA",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731271,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"SOUTHERN BLACK HILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731272,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"SOUTHERN FOOT HILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122173,731274,SOUTH DAKOTA,2017,December,Cold/Wind Chill,"NORTHERN FOOT HILLS",2017-12-30 18:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass settled over the area, with high temperatures remaining below zero in most areas and low temperatures dropping to 15 below to 35 below zero, with the lowest values over northwestern South Dakota. Wind chills as low as 45 below zero developed over northwestern South Dakota.","" +122174,731276,WYOMING,2017,December,Cold/Wind Chill,"NORTHEASTERN CROOK",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +122174,731278,WYOMING,2017,December,Cold/Wind Chill,"NORTHERN CAMPBELL",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +122174,731279,WYOMING,2017,December,Cold/Wind Chill,"SOUTH CAMPBELL",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +122174,731280,WYOMING,2017,December,Cold/Wind Chill,"WESTERN CROOK",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +122174,731281,WYOMING,2017,December,Cold/Wind Chill,"WESTON",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +121993,730362,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"VALLEY",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Ord airport, the final 8-days of December featured an average temperature of 3.2 degrees, likely one of the coldest endings to a year on record. During this stretch, three days featured low temperatures of at least -14 degrees." +121993,730378,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"NUCKOLLS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Superior, the NWS cooperative observer recorded an average temperature of 7.0 degrees through the final 8-days of December, marking the coldest finish to the year out of 65 on record." +122226,731818,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 21:00:00,MST-7,2017-12-29 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 65 mph at 29/2225 MST." +122226,731820,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-30 02:30:00,MST-7,2017-12-30 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 30/1330 MST." +122226,731824,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 00:15:00,MST-7,2017-12-27 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 27/0155 MST." +122226,731825,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 12:05:00,MST-7,2017-12-28 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 28/1220 MST." +122226,731826,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 03:50:00,MST-7,2017-12-29 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 29/0845 MST." +122226,731828,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 20:30:00,MST-7,2017-12-30 03:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 66 mph at 30/0320 MST." +122226,731833,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 15:05:00,MST-7,2017-12-27 15:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +122226,731836,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 00:35:00,MST-7,2017-12-28 00:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +122226,731838,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 01:30:00,MST-7,2017-12-29 14:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 29/0955 MST." +122010,730482,NEW YORK,2017,December,Heavy Snow,"NORTHERN SARATOGA",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","Snowfall totals ranged from 7 inches in Clifton Park up to 8.7 inches just outside Clifton Park." +122010,731930,NEW YORK,2017,December,Winter Weather,"HAMILTON",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731931,NEW YORK,2017,December,Winter Weather,"NORTHERN FULTON",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731937,NEW YORK,2017,December,Winter Weather,"WESTERN ALBANY",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +121644,728156,GEORGIA,2017,December,Winter Storm,"CHEROKEE",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 5 and 9 inches of snow were estimated across the county. Reports from The Cherokee County Emergency manager, CoCoRaHS observers and the public 5 inches in Free Home and Bridgemill, 5 to 6 inches around Oak Grove, 5.5 inches in Waleska and Hickory Flat, 6.2 and 8.5 inches around Holly Springs, 6.2 inches in Ball Ground and 8.5 inches in Acworth." +121644,728157,GEORGIA,2017,December,Winter Storm,"PICKENS",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 6 and 11 inches of snow were estimated across the county. Reports from COOP and CoCoRaHS observers and the public include 7.6 inches near Nelson, 9 inches in Jasper and 10 and 11 inches around Talmadge." +121644,728158,GEORGIA,2017,December,Winter Storm,"DAWSON",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 8 inches of snow were estimated across the county. The Dawson County Emergency Manager reported 6.5 inches near Sequoyah Lake." +121858,730834,MISSISSIPPI,2017,December,Heavy Snow,"HINDS",2017-12-08 01:00:00,CST-6,2017-12-08 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Hinds County, with totals ranging from 4 to 6 inches." +121858,730835,MISSISSIPPI,2017,December,Heavy Snow,"JASPER",2017-12-08 00:00:00,CST-6,2017-12-08 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 to 7 inches of heavy snow fell across Jasper County, including the highest total of 7 inches which fell in Bay Springs. The accumulated snow led to a couple of traffic accidents and numerous downed limbs and power outages across the county." +121858,730836,MISSISSIPPI,2017,December,Heavy Snow,"JEFFERSON",2017-12-08 04:00:00,CST-6,2017-12-08 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Jefferson County, with totals ranging from around 3 inches near Fayette to 5.5 inches near Union Church." +121858,730852,MISSISSIPPI,2017,December,Heavy Snow,"JEFFERSON DAVIS",2017-12-07 22:30:00,CST-6,2017-12-08 13:00:00,0,1,0,1,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 4 to 6 inches of heavy snow fell across Jefferson Davis County, with the highest total of 6.5 inches falling in Prentiss. The snow resulted in numerous downed limbs and trees and power outages across the county. One downed tree landed on a home in Prentiss. An 8-year old boy in Bassfield suffered a head injury in his yard when a tree limb broke under the weight of the snow." +121858,730865,MISSISSIPPI,2017,December,Heavy Snow,"KEMPER",2017-12-08 05:00:00,CST-6,2017-12-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Kemper County, with totals ranging from 3 inches near Scooba to around 5 to 6 inches across the western part of the county." +122240,731845,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"ROCK",2017-12-31 07:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero and winds persisted at 10 to 20 mph. The lowest wind chill for the two day period at Luverne was -38 at 1715CST December 31." +122240,731853,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"JACKSON",2017-12-30 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the snowfall on December 29, a brutally cold arctic high settled across the area through New Year's Day. Blustery northwest winds from 15 to 25 mph with gusts over 30 mph continued through midday on December 30th across southwest Minnesota. Winds diminished to 5 to 15 mph by later on the 30th through New Year's Eve, but was met by temperatures diving into the teens and 20's below zero. Many locations were below zero for 72 hours or longer. The extreme cold and wind chill continued into January 1st.","Even though winds were 15 to 25 mph with gusts over 30 mph on December 30 and only 10 to 15 mph on December 31, bitterly cold wind chills of -35 to -45 prevailed over much the two day period as temperatures plummeted to the teens and 20's below zero. A coldest wind chill of -40 occurred around 0900CST at Jackson on December 31. A record low temperature of -21F occurred on the 31st two miles northeast of Lakefield." +122298,732313,CALIFORNIA,2017,December,High Wind,"GREATER LAKE TAHOE AREA",2017-12-20 04:33:00,PST-8,2017-12-20 04:34:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet TADC1 2 miles northeast of Donner Peak reported a wind gust of 61 mph." +122298,732314,CALIFORNIA,2017,December,High Wind,"LASSEN/EASTERN PLUMAS/EASTERN SIERRA",2017-12-19 22:11:00,PST-8,2017-12-19 22:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet DYLC1 2 miles north of Doyle reported a wind gust of 61 mph." +122298,732316,CALIFORNIA,2017,December,High Wind,"MONO",2017-12-19 23:52:00,PST-8,2017-12-19 23:53:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Rolled over semi truck due to high winds via California Highway Patrol incident information page. Winds at a nearby mesonet (C4643-Lee Vining) reported a wind gust of 57 mph at 2330PST." +122184,731425,SOUTH DAKOTA,2017,December,Blizzard,"CORSON",2017-12-04 07:00:00,CST-6,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731426,SOUTH DAKOTA,2017,December,Blizzard,"DEWEY",2017-12-04 07:00:00,CST-6,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731427,SOUTH DAKOTA,2017,December,Blizzard,"STANLEY",2017-12-04 08:00:00,CST-6,2017-12-04 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +120347,721426,GEORGIA,2017,September,Tropical Storm,"CARROLL",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Carroll County Emergency Manager reported hundreds of trees and power lines blown down across the county. Around 150 roads were closed for varying periods of time due to debris. Around 20 homes received damage, 2 major, mainly due to falling trees and limbs. Over 4500 customers were without power at some point during the storm with around 100 without landline phone service. A wind gust of 38 mph was measured at the Carrollton Airport. Radar estimated between 2 and 5 inches of rain fell across the county with 4.74 inches measured near Villa Rica. No injuries were reported." +120347,721411,GEORGIA,2017,September,Tropical Storm,"BALDWIN",2017-09-11 11:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported many trees and power lines blown down across the county. Parts of the county were without electricity for varying periods of time. A wind gust of 31 mph was measured in Milledgeville. Radar estimated between 2 and 4 inches of rain fell across the county with 2.97 inches measured in Milledgeville. No injuries were reported." +120347,721433,GEORGIA,2017,September,Tropical Storm,"WALTON",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,100.00K,100000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. A wind gust of 32 mph was measured near Windsor. Radar estimated between 2 and 4 inches of rain fell across the county with 3.32 inches measured southwest of Loganville. No injuries were reported." +120347,721401,GEORGIA,2017,September,Tropical Storm,"HARRIS",2017-09-11 10:00:00,EST-5,2017-09-11 17:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported numerous trees and power lines blown down across the county. The 23 mile Pine Mountain Trail in Franklin D. Roosevelt State Park was closed due to dozens of fallen trees and many hanging limbs. Thousands of customers were without electricity for varying periods of time. Radar estimated 2 to 4 inches of rain fell across the county with 3.69 inches measured near Calloway Gardens. No injuries were reported." +122310,732388,NEBRASKA,2017,December,Winter Weather,"SCOTTS BLUFF",2017-12-21 00:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across the Nebraska Panhandle. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Three inches of snow was measured at Scottsbluff." +122310,732389,NEBRASKA,2017,December,Winter Weather,"NORTH SIOUX",2017-12-21 00:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across the Nebraska Panhandle. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed six miles northeast of Harrison." +122310,732390,NEBRASKA,2017,December,Winter Weather,"SCOTTS BLUFF",2017-12-21 00:00:00,MST-7,2017-12-21 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Widespread light to moderate post-frontal snow developed across the Nebraska Panhandle. Gusty west to northwest winds to 35 mph produced patchy blowing and drifting snow and limited visibilities.","Four inches of snow was observed at Melbeta." +122167,731305,TEXAS,2017,December,Winter Weather,"RUNNELS",2017-12-26 16:30:00,CST-6,2017-12-28 18:30:00,0,0,1,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","A motorist lost control of his vehicle, about 4 miles northwest of Wingate on U.S. Highway 277. His truck slid off the road and hit an oak tree. Widespread freezing fog and drizzle fell, resulting in areas of ice on area roadways and bridges." +122167,731301,TEXAS,2017,December,Winter Weather,"FISHER",2017-12-26 16:30:00,CST-6,2017-12-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing rain, sleet and freezing drizzle resulted in a few fatalities across West Central Texas on the morning of December 27. According to the Texas Department of Transportation, roadways became icy across the western half of the region mainly along and west of U.S. Highway 83.","Widespread freezing fog and drizzle fell, resulting in areas of ice on area roadways and bridges." +122305,732335,TEXAS,2017,December,Winter Weather,"TAYLOR",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732337,TEXAS,2017,December,Winter Weather,"HASKELL",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +121990,730353,LOUISIANA,2017,December,Heavy Snow,"NORTHERN TANGIPAHOA",2017-12-07 22:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Tangipahoa Parish Emergency Manager reported 6.5 inches of snow at Kentwood and 3.5 inches at Amite. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +121990,730354,LOUISIANA,2017,December,Heavy Snow,"SOUTHERN TANGIPAHOA",2017-12-08 00:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The cooperative observer at Pontchatoula reported 3.5 inches of snow. Two inches of snow was reported at Hammond." +121990,730357,LOUISIANA,2017,December,Heavy Snow,"WEST BATON ROUGE",2017-12-07 22:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The West Baton Rouge Parish Emergency Manager reported 2.5 inches of snow at Port Allen." +122191,732570,ALABAMA,2017,December,Winter Storm,"DALLAS",2017-12-08 12:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across the northern portions of Dallas County and 3-5 inches across the southern half." +120869,724308,WISCONSIN,2017,December,Strong Wind,"JEFFERSON",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred." +120869,724319,WISCONSIN,2017,December,Strong Wind,"WAUKESHA",2017-12-04 18:00:00,CST-6,2017-12-05 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"An intensifying low pressure area from the Upper Mississippi River Valley into Ontario, Canada brought strong winds to southern WI before and after the polar cold frontal passage. Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in a parking lot, and a small portion of a wooden fence was blown over.","Sporadic minor to modest tree damage occurred. A tall light pole was knocked down in the parking lot of a department store on East Moreland Boulevard in the city of Waukesha." +121000,724324,WISCONSIN,2017,December,Winter Weather,"SHEBOYGAN",2017-12-13 15:00:00,CST-6,2017-12-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper low pressure area tracked southeast across far southern WI bringing several inches of snow mainly north of the Milwaukee Metropolitan area. Lake effect snow also contributed to the overall snow totals. Snow amounts of 1 to 5 inches produced slick roads and numerous slide-offs and accidents.","Three to five inches of snow accumulation." +121000,724325,WISCONSIN,2017,December,Winter Weather,"OZAUKEE",2017-12-13 16:15:00,CST-6,2017-12-13 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper low pressure area tracked southeast across far southern WI bringing several inches of snow mainly north of the Milwaukee Metropolitan area. Lake effect snow also contributed to the overall snow totals. Snow amounts of 1 to 5 inches produced slick roads and numerous slide-offs and accidents.","Two to four inches of snow accumulation." +121000,724326,WISCONSIN,2017,December,Winter Weather,"FOND DU LAC",2017-12-13 16:00:00,CST-6,2017-12-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper low pressure area tracked southeast across far southern WI bringing several inches of snow mainly north of the Milwaukee Metropolitan area. Lake effect snow also contributed to the overall snow totals. Snow amounts of 1 to 5 inches produced slick roads and numerous slide-offs and accidents.","One to three inches of snow accumulation." +121000,724327,WISCONSIN,2017,December,Winter Weather,"WASHINGTON",2017-12-13 16:15:00,CST-6,2017-12-13 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper low pressure area tracked southeast across far southern WI bringing several inches of snow mainly north of the Milwaukee Metropolitan area. Lake effect snow also contributed to the overall snow totals. Snow amounts of 1 to 5 inches produced slick roads and numerous slide-offs and accidents.","One to three inches of snow accumulation." +121000,724328,WISCONSIN,2017,December,Winter Weather,"DODGE",2017-12-13 16:30:00,CST-6,2017-12-13 20:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Alberta Clipper low pressure area tracked southeast across far southern WI bringing several inches of snow mainly north of the Milwaukee Metropolitan area. Lake effect snow also contributed to the overall snow totals. Snow amounts of 1 to 5 inches produced slick roads and numerous slide-offs and accidents.","One to two inches of snow accumulation." +121132,725186,TEXAS,2017,December,Flash Flood,"CHEROKEE",2017-12-19 20:06:00,CST-6,2017-12-19 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.8201,-95.1993,31.8199,-95.0929,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","Flooding was reported on Highway 69 near Rusk, as well as Highway 84 at County Road 1248. Street flooding was also reported in the city of Rusk." +121312,726603,IDAHO,2017,November,Heavy Snow,"SAWTOOTH MOUNTAINS",2017-11-16 00:00:00,MST-7,2017-11-17 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet Pacific storm brought heavy snow to the mountains of southeast Idaho with many SNOTEL sites surpassing one foot of total accumulation.","The Bear Canyon SNOTEL recorded 14 inches of snow." +121312,726606,IDAHO,2017,November,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-11-16 00:00:00,MST-7,2017-11-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet Pacific storm brought heavy snow to the mountains of southeast Idaho with many SNOTEL sites surpassing one foot of total accumulation.","SNOTEL snow amounts were the following: Crab Creek 13 inches, Phillips Bench 19 inches, White Elephant 21 inches." +121312,726621,IDAHO,2017,November,Heavy Snow,"BIG AND LITTLE WOOD RIVER REGION",2017-11-16 00:00:00,MST-7,2017-11-17 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet Pacific storm brought heavy snow to the mountains of southeast Idaho with many SNOTEL sites surpassing one foot of total accumulation.","The following snow amounts were recorded at SNOTEL sites: Chocolate gulch 12 inches, Dollarhide Summit 20 inches, Galena 14 inches, Galena Summit 16 inches, Hyndman 12 inches, Lost Wood Divide 21 inches, Swede Peak 13 inches, Vienna Mine 21 inches. ||Spotters reported 6 to 10 inches in the Sun Valley/Ketchum area." +121312,726628,IDAHO,2017,November,Heavy Snow,"LOST RIVER / PAHSIMEROI",2017-11-16 00:00:00,MST-7,2017-11-17 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wet Pacific storm brought heavy snow to the mountains of southeast Idaho with many SNOTEL sites surpassing one foot of total accumulation.","The Hilt's Creek SNOTEL recorded 11 inches of snow." +121390,726638,IDAHO,2017,November,Tornado,"BONNEVILLE",2017-11-17 14:25:00,MST-7,2017-11-17 14:35:00,0,0,0,0,0.20K,200,0.00K,0,43.5577,-111.8378,43.5577,-111.8378,"A cold air funnel touched ground between 225 and 235 PM MST on the bench between Idaho Falls and Ririe near highway 26. Several photographs were downloaded onto social media of the tornado.","A cold air funnel touched ground between 225 and 235 PM MST on the bench between Idaho Falls and Ririe near highway 26. Several photographs were downloaded onto social media of the tornado. A destroyed metal picnic table was the only reported damage from the tornado." +121405,726763,ALASKA,2017,November,High Wind,"NERN P.W. SND",2017-11-06 19:57:00,AKST-9,2017-11-06 21:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 979 mb low moved into the Gulf of Alaska, while a 1034 high was centered over Western Alaska. This caused a strong northerly pressure gradient which produced warning level outflow winds for the Valdez area.","Valdez airport measured a peak wind of 71 knots." +121406,726764,ALASKA,2017,November,High Wind,"ALASKA PENINSULA",2017-11-19 22:14:00,AKST-9,2017-11-20 07:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front attached to a low near the Bering Strait passed through the Alaska Peninsula. Behind this system, high pressure quickly moved in over the Bering Sea. This brought strong northerly winds to the eastern Bering Sea and Alaska Peninsula.","King Cove measured 10 hours of warning level or near warning level winds." +121409,726771,ALASKA,2017,November,High Wind,"EASTERN ALEUTIANS",2017-11-26 08:43:00,AKST-9,2017-11-26 14:56:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved into the Bering Sea and intensified to 944 mb as it did so. This brought hurricane force winds to the Bering Sea and the Eastern and Central Aleutians.","Unalaska airport experienced a peak gust of 91 mph during this period. Minor damage was sustained: an airport gate broke, rocks were thrown onto the runway and a vessel broke free in the harbor." +121031,724623,LOUISIANA,2017,November,Drought,"CLAIBORNE",2017-11-16 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across portions of Northwest Louisiana (including Northcentral Caddo, Bossier, Webster, and Claiborne Parishes) to start the second week of November, due to the significant deficits of rain observed since the start of September. In fact, record to near record dry conditions were recorded during September, with only a Trace of rainfall recorded in Shreveport, but continued dry conditions during October only exasperated the developing drought, as only one to two inches of rain fell during the period. In fact, Shreveport only recorded 1.13 inches of rain in October (only 14% of normal for the two month), setting the 6th driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and numerous trees across the area were significantly stressed and began losing their leaves prior to the first freeze in late October.","" +121041,724637,TEXAS,2017,November,Drought,"RED RIVER",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121041,724638,TEXAS,2017,November,Drought,"FRANKLIN",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +120973,724132,WASHINGTON,2017,November,Heavy Snow,"SPOKANE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","An observer 5 miles southeast of Spokane recorded recorded 6.0 inches of new snow accumulation, while another nearby observer recorded 4.5 inches." +120973,724133,WASHINGTON,2017,November,Heavy Snow,"SPOKANE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","An observer in Deer Park recorded recorded 5.7 inches of new snow accumulation, while another nearby observer recorded 5.0 inches." +120973,724134,WASHINGTON,2017,November,Heavy Snow,"SPOKANE AREA",2017-11-04 14:00:00,PST-8,2017-11-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","An observer in Deer Park recorded recorded 5.7 inches of new snow accumulation, while another nearby observer recorded 5.0 inches." +120973,724135,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","An observer at Elk reported 9.0 inches of new snow accumulation." +120973,724137,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-04 12:00:00,PST-8,2017-11-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm system featuring a warm front followed by a cold front passage produced widespread accumulating snow over eastern Washington. Heavy snow accumulations were mainly confined to the northeastern zones, however 1 to 3 inches of accumulation occurred over much of the northern Columbia Basin. Three to 5 inches of snow accumulation was common in the higher Cascade valleys as well.","The 49 North Ski Resort reported 15 to 20 inches of snow accumulation with this storm system. The Mount Spokane Ski Resort reported 5 to 7 inches of accumulation." +121293,729135,INDIANA,2017,November,Thunderstorm Wind,"LAWRENCE",2017-11-05 13:20:00,EST-5,2017-11-05 13:20:00,0,0,0,0,18.00K,18000,0.00K,0,38.93,-86.62,38.93,-86.62,"Waves of low pressure moved along a strong cold front on November 5th, generating strong to severe thunderstorms during the afternoon and evening hours. Strong 850mb winds brought up plenty of moisture for the storms to work with and the storms produced some tornadoes, damaging winds, large hail, and flooding.","Widespread damage across portions of Springville near Popcorn Road due to damaging thunderstorm wind gusts. A mobile home was damaged, a trailer was knocked over, and numerous trees were damaged." +121296,729136,INDIANA,2017,November,Thunderstorm Wind,"TIPPECANOE",2017-11-18 11:23:00,EST-5,2017-11-18 11:23:00,0,0,0,0,3.00K,3000,0.00K,0,40.3886,-86.7324,40.3886,-86.7324,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","Trees were reported down near the intersection of County Roads 900 East and 200 South due to damaging thunderstorm wind gusts." +121296,729137,INDIANA,2017,November,Thunderstorm Wind,"MONTGOMERY",2017-11-18 11:36:00,EST-5,2017-11-18 11:36:00,0,0,0,0,12.00K,12000,0.00K,0,40.1861,-86.8572,40.1861,-86.8572,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","Trees were downed across the road from where two pole barns were damaged due to damaging thunderstorm wind gusts." +121296,729168,INDIANA,2017,November,Thunderstorm Wind,"CLINTON",2017-11-18 11:50:00,EST-5,2017-11-18 11:50:00,1,0,0,0,205.00K,205000,0.00K,0,40.28,-86.48,40.28,-86.48,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","Part of the Walmart's roof collapsed and the front of the store was damaged due to damaging straight-line thunderstorm winds. Two semi truck was knocked over as well. One man inside an overturned truck was taken to the hospital for non-life threatening injuries. A church's steeple was bent by the severe wind. Multiple trees and large branches were snapped and the roof of Frankfort High School sustained some minor damage. Many other homes and structures sustained damage as well." +121296,729169,INDIANA,2017,November,Thunderstorm Wind,"JOHNSON",2017-11-18 13:10:00,EST-5,2017-11-18 13:10:00,0,0,0,0,1.00K,1000,0.00K,0,39.63,-86.21,39.63,-86.21,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","A tree, about one foot in diameter, was snapped at the base due to damaging thunderstorm wind gusts." +121423,726929,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-01 09:46:00,MST-7,2017-11-01 13:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 01/1301 MST." +121423,726934,WYOMING,2017,November,High Wind,"CENTRAL LARAMIE COUNTY",2017-11-01 13:40:00,MST-7,2017-11-01 14:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 373 measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 01/1430 MST." +121431,726936,WYOMING,2017,November,Winter Weather,"NIOBRARA COUNTY",2017-11-01 21:00:00,MST-7,2017-11-02 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level weather disturbance produced light snow across much of Converse and Niobrara counties. Snow totals ranged from two to three inches.","Three inches of snow was measured a half mile south of Lusk." +121433,726937,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-04 12:35:00,MST-7,2017-11-04 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A localized tight pressure gradient produced a brief period of high winds over portions of the North Snowy Range foothills.","The WYDOT sensor at Arlington East measured a peak wind gust of 58 mph." +121433,726938,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-04 13:00:00,MST-7,2017-11-04 13:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A localized tight pressure gradient produced a brief period of high winds over portions of the North Snowy Range foothills.","The WYDOT sensor at County Road 402 measured peak wind gusts of 58 mph." +121433,726939,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-04 12:45:00,MST-7,2017-11-04 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A localized tight pressure gradient produced a brief period of high winds over portions of the North Snowy Range foothills.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher." +121433,726940,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-04 11:55:00,MST-7,2017-11-04 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A localized tight pressure gradient produced a brief period of high winds over portions of the North Snowy Range foothills.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 04/1310 MST." +121433,726943,WYOMING,2017,November,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-11-01 12:35:00,MST-7,2017-11-01 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A localized tight pressure gradient produced a brief period of high winds over portions of the North Snowy Range foothills.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher." +121436,726947,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Old Battle SNOTEL site (elevation 10000 ft) estimated two feet of snow." +121708,728526,MARYLAND,2017,November,Frost/Freeze,"NORTHWEST MONTGOMERY",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728527,MARYLAND,2017,November,Frost/Freeze,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728528,MARYLAND,2017,November,Frost/Freeze,"CENTRAL AND SOUTHEAST HOWARD",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728529,MARYLAND,2017,November,Frost/Freeze,"NORTHWEST HOWARD",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728530,MARYLAND,2017,November,Frost/Freeze,"CARROLL",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728531,MARYLAND,2017,November,Frost/Freeze,"FREDERICK",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728532,MARYLAND,2017,November,Frost/Freeze,"SOUTHERN BALTIMORE",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121708,728533,MARYLAND,2017,November,Frost/Freeze,"SOUTHEAST HARFORD",2017-11-10 19:00:00,EST-5,2017-11-11 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure shifted overhead, causing temperatures to drop well below freezing.","Temperatures dropped well below freezing." +121849,729421,MARYLAND,2017,November,Coastal Flood,"ST. MARY'S",2017-11-09 18:00:00,EST-5,2017-11-09 19:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An onshore flow led to moderate tidal flooding in St. Marys County.","Based on gauge data, water covered roads on St. Georges Island, was in yards, and approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +121770,728874,TEXAS,2017,November,Wildfire,"POTTER",2017-11-17 13:19:00,CST-6,2017-11-18 02:30:00,1,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Paloma Wildfire began around 1319CST about ten miles north northwest of Amarillo in Potter County. The wildfire was caused by a vehicle���s or vehicles��� faulty equipment or dragging metal along the road and the wildfire consumed approximately five hundred and twenty-five acres. There were reports of sixteen homes and sixteen other structures threatened by the wildfire but were saved. However, three homes and six other structures were destroyed by the wildfire. There was also a report of one injury however there were no reports of any fatalities. The wildfire was contained around 0230CST on November 18 and a total of three fire departments or other agencies responded to the wildfire including the Texas A&M Forest Service.","" +120555,723720,WASHINGTON,2017,November,Strong Wind,"BREMERTON AND VICINITY",2017-11-13 16:00:00,PST-8,2017-11-13 18:00:00,1,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl." +120555,723709,WASHINGTON,2017,November,High Wind,"BELLEVUE AND VICINITY",2017-11-13 17:50:00,PST-8,2017-11-13 19:50:00,0,0,0,0,1.50M,1500000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","A spot near Renton recorded 40 mph sustained wind at 550 PM. This verifies the warning in the Bellevue zone.||A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger." +120988,724199,ILLINOIS,2017,November,Tornado,"RICHLAND",2017-11-05 17:24:00,CST-6,2017-11-05 17:33:00,0,0,0,0,70.00K,70000,0.00K,0,38.7468,-88.2289,38.7766,-88.1079,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","A tornado touched down in an open field about 3.4 miles north of Noble at 5:24 pm CST. The tornado tracked to the east-northeast...damaging the roof of a house, destroying a garage, damaging a truck in the garage, and downing several trees before doing damage to the roof of a barn on Pleasant Ridge Lane at around 5:26 pm. The tornado continued to the east-northeast for another 7 minutes primarily damaging trees. The tornado dissipated at 5:33 pm CST, 3.2 miles north-northwest of Olney about one-half mile northwest of the Richland Country Club." +120988,724205,ILLINOIS,2017,November,Thunderstorm Wind,"RICHLAND",2017-11-05 17:37:00,CST-6,2017-11-05 17:42:00,0,0,0,0,15.00K,15000,0.00K,0,38.78,-88.04,38.78,-88.04,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","Three power poles were leaned over southeast of Dundas." +120988,724206,ILLINOIS,2017,November,Thunderstorm Wind,"RICHLAND",2017-11-05 17:24:00,CST-6,2017-11-05 17:29:00,0,0,0,0,10.00K,10000,0.00K,0,38.74,-88.22,38.74,-88.22,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","Metal siding was peeled off a home and a rotten tree was uprooted. This damage occurred south of a tornado track." +121431,726935,WYOMING,2017,November,Winter Weather,"CONVERSE COUNTY LOWER ELEVATIONS",2017-11-01 21:00:00,MST-7,2017-11-02 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level weather disturbance produced light snow across much of Converse and Niobrara counties. Snow totals ranged from two to three inches.","Three inches of snow was measured 12 miles northwest of Long Springs." +121437,726962,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Three and a half inches of snow was measured at the NWS Forecast Office in Cheyenne." +121497,727300,NEW YORK,2017,November,Strong Wind,"WESTERN ULSTER",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727301,NEW YORK,2017,November,Strong Wind,"WESTERN SCHENECTADY",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727281,NEW YORK,2017,November,Strong Wind,"EASTERN COLUMBIA",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121497,727285,NEW YORK,2017,November,Strong Wind,"EASTERN SCHENECTADY",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through eastern New York during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon. Peak wind gusts included 56 mph at Amsterdam and 49 mph at Albany International Airport. The winds brought down a tree and wires on Route 9 in Warren County.","" +121513,727349,CONNECTICUT,2017,November,Strong Wind,"NORTHERN LITCHFIELD",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121513,727350,CONNECTICUT,2017,November,Strong Wind,"SOUTHERN LITCHFIELD",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121514,727351,MASSACHUSETTS,2017,November,Strong Wind,"NORTHERN BERKSHIRE",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121567,728337,NEW YORK,2017,November,Coastal Flood,"MONROE",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121423,726890,WYOMING,2017,November,High Wind,"LARAMIE VALLEY",2017-11-01 00:00:00,MST-7,2017-11-01 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 01/0015 MST." +121732,728657,NEVADA,2017,November,High Wind,"GREATER LAKE TAHOE AREA",2017-11-09 06:50:00,PST-8,2017-11-09 06:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 8th through the morning hours of the 9th.","A wind gust of 65 mph was recorded by the Galena RAWS." +121729,728655,CALIFORNIA,2017,November,Heavy Snow,"GREATER LAKE TAHOE AREA",2017-11-03 04:00:00,PST-8,2017-11-04 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A trough of low pressure moved from the northeast Pacific on the 3rd into California and Nevada on the 4th, bringing snowfall to locations above 6500 feet around Lake Tahoe and above 5500 feet in northeast California.","Ski resorts around western/northwestern Lake Tahoe reported 3-5 inches of snowfall above 6500 feet with reports of 12-18 inches at the Sierra crest between Alpine Meadows and Donner Summit." +121748,728803,ARKANSAS,2017,November,Wildfire,"LAWRENCE",2017-11-27 13:15:00,CST-6,2017-11-27 18:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions combined with gusty winds to create a couple of large wildfires across Northeast Arkansas.","A wildfire occurred off County Road 511 in Portia. Approximately 300 acres were burned. One seasonal hunting house was destroyed." +121703,728501,NEW HAMPSHIRE,2017,November,Flood,"GRAFTON",2017-11-01 00:00:00,EST-5,2017-11-01 11:06:00,0,0,0,0,75.00K,75000,0.00K,0,43.7664,-71.6818,43.7609,-71.68,"Strong low pressure produced 2 to 7 inches of rainfall during the last few days of October resulting in flooding on most area rivers. Flooding on two rivers in New Hampshire carried over for a brief period in November.","A late October storm produced 4 to 7 inches of rain. This resulted in flooding on the Pemigewasset River (flood stage 13.0 ft), which crested at 19.77 ft. The flooding continued into early November." +121703,728502,NEW HAMPSHIRE,2017,November,Flood,"MERRIMACK",2017-11-01 00:00:00,EST-5,2017-11-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-71.38,43.2658,-71.3734,"Strong low pressure produced 2 to 7 inches of rainfall during the last few days of October resulting in flooding on most area rivers. Flooding on two rivers in New Hampshire carried over for a brief period in November.","A late October storm produced 3 to 4 inches of rain across the region which resulted in flooding on the Suncook River at North Chichester. The river crested at 10.35 ft. (flood stage 7.0 ft). Flooding continued into the afternoon of the 1st." +121780,728925,CALIFORNIA,2017,November,High Wind,"SOUTHWESTERN HUMBOLDT",2017-11-08 10:55:00,PST-8,2017-11-08 14:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong front moved across northwest California producing gusty winds along the coast and inland over area ridges and mountains.","Strong winds developed over southwestern Humboldt County during the late morning and early afternoon hours of November 8th." +120735,723101,KENTUCKY,2017,November,Thunderstorm Wind,"MEADE",2017-11-18 16:35:00,EST-5,2017-11-18 16:35:00,0,0,0,0,20.00K,20000,0.00K,0,37.89,-86.22,37.89,-86.22,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Trained spotters reported home damage due to severe thunderstorm winds." +120735,723103,KENTUCKY,2017,November,Thunderstorm Wind,"EDMONSON",2017-11-18 16:07:00,CST-6,2017-11-18 16:07:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-86.28,37.25,-86.28,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","At least 15 trees were brought down on a property in Sweeden due to severe thunderstorm winds." +120735,723105,KENTUCKY,2017,November,Thunderstorm Wind,"TAYLOR",2017-11-18 18:05:00,EST-5,2017-11-18 18:05:00,0,0,0,0,30.00K,30000,0.00K,0,37.35,-85.35,37.35,-85.35,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Law enforcement reported power lines down in the area." +120735,723106,KENTUCKY,2017,November,Thunderstorm Wind,"JESSAMINE",2017-11-18 18:21:00,EST-5,2017-11-18 18:21:00,0,0,0,0,20.00K,20000,0.00K,0,37.82,-84.72,37.82,-84.72,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","A tree fell on a residence in High Bridge." +120735,723107,KENTUCKY,2017,November,Thunderstorm Wind,"JESSAMINE",2017-11-18 18:23:00,EST-5,2017-11-18 18:23:00,0,0,0,0,0.00K,0,0.00K,0,37.86,-84.65,37.86,-84.65,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Multiple trees were down across the western portions of Jessamine County. Some blocked the roadways." +120454,721672,OHIO,2017,November,Flash Flood,"VINTON",2017-11-06 04:30:00,EST-5,2017-11-06 08:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.2728,-82.7455,39.3574,-82.7308,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system, with fast flow above the surface. These storms gradually weakened as they moved into Southeastern Ohio during the late evening, however with the strong low level jet, some of the storms were still able to produce tree and power line damage.||As the cold front moved through that night, continued training of showers and storms resulted in 2.5 to 3.5 inches of rainfall. Up to an additional half inch of rain fell during the late morning and afternoon of the 6th. Flash flooding occurred during the predawn on the 6th. As that water drained through the system, areal flooding lingered into the early morning hours on the 9th.","Salt Creek flooded near Eagle Mills, causing multiple road closures across the northwestern corner of the county." +120489,721851,TEXAS,2017,November,Hail,"RUSK",2017-11-03 18:10:00,CST-6,2017-11-03 18:10:00,0,0,0,0,0.00K,0,0.00K,0,32.3194,-94.5608,32.3194,-94.5608,"A weak cold front drifted south into Northeast Texas and Southwest Arkansas during the evening hours of November 3rd, ahead of a weak upper level disturbance that shifted southeast across the Middle Red River Basin of North Texas and Southern Oklahoma. Moderate instability developed along and ahead of the front due to an unusually warm and moist air mass in place, with near record temperatures observed on the 3rd. Despite the presence of a shallow low level moisture field in place, enough forcing aloft ahead of the upper level disturbance coupled with the moderate instability, resulted in the development of isolated to widely scattered showers and thunderstorms ahead of the front over portions of Northeast Texas, Southcentral Arkansas, and Northern Louisiana. One isolated severe thunderstorm developed over extreme Northeast Rusk County Texas, which moved into Northwest Panola County before weakening. This resulted in reports of large hail and gusty winds which downed a tree near Tatum.","Half dollar size hail fell on Farm to Market Road 1797 near Tatum. Report via the KLTV Facebook page." +120489,721852,TEXAS,2017,November,Thunderstorm Wind,"RUSK",2017-11-03 18:15:00,CST-6,2017-11-03 18:15:00,0,0,0,0,0.00K,0,0.00K,0,32.3106,-94.5309,32.3106,-94.5309,"A weak cold front drifted south into Northeast Texas and Southwest Arkansas during the evening hours of November 3rd, ahead of a weak upper level disturbance that shifted southeast across the Middle Red River Basin of North Texas and Southern Oklahoma. Moderate instability developed along and ahead of the front due to an unusually warm and moist air mass in place, with near record temperatures observed on the 3rd. Despite the presence of a shallow low level moisture field in place, enough forcing aloft ahead of the upper level disturbance coupled with the moderate instability, resulted in the development of isolated to widely scattered showers and thunderstorms ahead of the front over portions of Northeast Texas, Southcentral Arkansas, and Northern Louisiana. One isolated severe thunderstorm developed over extreme Northeast Rusk County Texas, which moved into Northwest Panola County before weakening. This resulted in reports of large hail and gusty winds which downed a tree near Tatum.","A tree was blown down across Highway 43 about 1 mile southwest of Tatum." +120606,722489,WEST VIRGINIA,2017,November,Strong Wind,"TAYLOR",2017-11-18 20:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722491,WEST VIRGINIA,2017,November,Strong Wind,"HARRISON",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722495,WEST VIRGINIA,2017,November,Strong Wind,"BRAXTON",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724060,ARKANSAS,2017,November,Drought,"STONE",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Stone County entered D2 drought designation on November 7th." +120962,724061,ARKANSAS,2017,November,Drought,"LOGAN",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Logan County entered D2 drought designation on November 7th." +120427,721527,OHIO,2017,November,Flash Flood,"HAMILTON",2017-11-06 00:30:00,EST-5,2017-11-06 01:30:00,0,0,0,0,100.00K,100000,0.00K,0,39.12,-84.54,39.276,-84.5096,"Thunderstorms overspread the region during the afternoon and evening hours as a slow moving cold front pushed through the Ohio Valley. The storms produced damaging winds, heavy rainfall and isolated tornadoes. The storms continued into the overnight hours with flooding lingering into the early morning hours.","Numerous roads were flooded throughout the Cincinnati area and some basements were flooded. Flooding also caused some damage at Reading High School and Whitaker Elementary School." +120815,723461,LOUISIANA,2017,November,Drought,"MOREHOUSE",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,10.00K,10000,NaN,NaN,NaN,NaN,"Dry conditions occurred through the autumn into November across portions of Louisiana. This resulted in some locations seeing a severe (D2) drought.","Lack of rainfall across the region has led to a severe drought across portions of Louisiana. This includes severe drought (D2) level in Morehouse Parish." +120815,723462,LOUISIANA,2017,November,Drought,"FRANKLIN",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,10.00K,10000,NaN,NaN,NaN,NaN,"Dry conditions occurred through the autumn into November across portions of Louisiana. This resulted in some locations seeing a severe (D2) drought.","Lack of rainfall across the region has led to a severe drought across portions of Louisiana. This includes severe drought (D2) level in Franklin Parish." +120815,723463,LOUISIANA,2017,November,Drought,"RICHLAND",2017-11-28 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,10.00K,10000,NaN,NaN,NaN,NaN,"Dry conditions occurred through the autumn into November across portions of Louisiana. This resulted in some locations seeing a severe (D2) drought.","Lack of rainfall across the region has led to a severe drought across portions of Louisiana. This includes severe drought (D2) level in Richland Parish." +120971,724112,ARKANSAS,2017,November,Drought,"ASHLEY",2017-11-21 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions resulted from lack of significant rainfall across Arkansas. This worsened drought conditions through November.","Lack of rainfall across the region has led to a severe drought across portions of Arkansas. This includes severe drought (D2) level in Ashley County." +120411,721269,MISSISSIPPI,2017,November,Hail,"WASHINGTON",2017-11-03 16:45:00,CST-6,2017-11-03 17:05:00,0,0,0,0,20.00K,20000,0.00K,0,33.38,-91.05,33.4034,-90.9702,"An upper level trough combined with sufficient moisture and strong instability to kick off a few severe storms.","A swath of hail as large as golfballs fell in and around downtown Greenville and the Lake Manor area. Hail fell for around 15 to 20 minutes." +120972,724113,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer 9 miles southeast of Naples recorded 9.0 inches of new snow accumulation." +121006,724378,ILLINOIS,2017,November,Strong Wind,"UNION",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,2,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724379,ILLINOIS,2017,November,Strong Wind,"WABASH",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724380,ILLINOIS,2017,November,Strong Wind,"WAYNE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121006,724381,ILLINOIS,2017,November,Strong Wind,"WHITE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121027,724610,ARKANSAS,2017,November,Drought,"NEVADA",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121027,724611,ARKANSAS,2017,November,Drought,"MILLER",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121992,730359,MISSISSIPPI,2017,December,Tornado,"WALTHALL",2017-12-20 06:39:00,CST-6,2017-12-20 06:40:00,0,0,0,0,,NaN,0.00K,0,31.2834,-90.1802,31.2845,-90.1777,"Low pressure moving through the Lower Mississippi River Valley triggered a line of thunderstorms that moved through southwest Mississippi and southeast Louisiana during the early morning hours of the 20th. An isolated tornado was reported over southwest Mississippi.","An EF-0 tornado touched down on Thornhill Road north of the intersection with Mannings Crossing Road, north-northwest of Salem. An occupied mobile home was damaged and moved about 3 feet off it's foundation. A storage shed was overturned and destroyed. A large pine tree was snapped. There were no injuries. Additionally, at around 635 am CST, large tree branches were snapped off trees along Mississippi Highway 583, approximately 2.35 miles to the west-southwest of the tornado damage area.||The estimated maximum winds with the tornado were 77 mph. The path length was 200 yards and the maximum path width 50 yards." +122252,732300,NEVADA,2017,December,High Wind,"GREATER LAKE TAHOE AREA",2017-12-19 18:50:00,PST-8,2017-12-19 18:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet atop Slide Mountain (elevation 9650 feet) measured a 114 mph wind gust." +122252,732301,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 00:20:00,PST-8,2017-12-20 00:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet atop Peavine Peak (elevation 8269 feet) measured a wind gust of 107 mph." +122252,732305,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-19 16:21:00,PST-8,2017-12-19 16:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet CAPN2 2 miles northeast of Carson City reported a wind gust of 69 mph." +122252,732306,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-19 23:20:00,PST-8,2017-12-19 23:21:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet F0451 3 miles north-northwest of Virginia City reported a wind gust of 68 mph." +122252,732307,NEVADA,2017,December,High Wind,"MINERAL/SOUTHERN LYON",2017-12-19 21:36:00,PST-8,2017-12-19 21:37:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet SWWNV near Sweetwater Summit reported a wind gust of 67 mph." +122252,732308,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 01:40:00,PST-8,2017-12-20 01:41:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet DESN2 4 miles northwest of Spanish Springs reported a wind gust of 66 mph." +121920,732651,OREGON,2017,December,Heavy Snow,"WALLOWA COUNTY",2017-12-24 16:35:00,PST-8,2017-12-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific system spread snow across much of southeast Washington and northeast Oregon on Christmas Eve and early Christmas Day.","Measured 5.8 inches of snow 4 miles NE of Lostine in Wallowa county." +122378,732691,OREGON,2017,December,High Wind,"WESTERN COLUMBIA RIVER GORGE",2017-12-07 02:19:00,PST-8,2017-12-11 09:31:00,0,1,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A persistent ridge sat over the area for several days, with strong high pressure solidly entrenched over the Columbia River Basin, and relatively lower pressure west of the Cascade Crest. With a strong pressure gradient across the Cascades, the Columbia River Gorge developed very strong winds which persisted for several days.","Weather station at Corbett High School measured fairly continuous east winds, occasionally measuring to 75 mph+ for a 4-day stretch from the 7th to the 11th. The max wind measured was 48 mph sustained with gusts to 88 mph. Peak winds at Vista House are unknown because the winds blew the sensor off the building. Several trees and some power lines were blown down. One tree fell into a house in Corbett, injuring one person." +122378,732693,OREGON,2017,December,Strong Wind,"GREATER PORTLAND METRO AREA",2017-12-06 08:35:00,PST-8,2017-12-11 15:25:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A persistent ridge sat over the area for several days, with strong high pressure solidly entrenched over the Columbia River Basin, and relatively lower pressure west of the Cascade Crest. With a strong pressure gradient across the Cascades, the Columbia River Gorge developed very strong winds which persisted for several days.","Strong winds that persisted for several days took a few limbs off trees, took a few shingles off at least one roof, and knocked over a couple fences in the Troutdale area near the Columbia River Gorge. The Troutdale Airport ASOS recorded wind gusts up to 46 mph on 12/8." +122380,732694,WASHINGTON,2017,December,High Wind,"WESTERN COLUMBIA GORGE",2017-12-07 02:19:00,PST-8,2017-12-11 09:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A persistent ridge sat over the area for several days, with strong high pressure solidly entrenched over the Columbia River Basin, and relatively lower pressure west of the Cascade Crest. With a strong pressure gradient across the Cascades, the Columbia River Gorge developed very strong winds which persisted for several days.","A weather station across the river in Corbett recorded winds up to 48 mph sustained with gusts up to 88 mph." +122382,732696,WASHINGTON,2017,December,High Wind,"WESTERN COLUMBIA GORGE",2017-12-14 00:05:00,PST-8,2017-12-14 12:33:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Persistent ridging over the Pacific Northwest was starting to break down with an approaching front. As Low pressure approached the area, this caused the easterly pressure gradient to increase again through the Columbia River Gorge. As the gradient increased, easterly winds increased again through the Columbia River Gorge.","Winds across the river at the Corbett High School weather station were recorded up to 42 mph sustained with gusts up to 77 mph." +122383,732698,OREGON,2017,December,High Wind,"CENTRAL OREGON COAST",2017-12-19 07:35:00,PST-8,2017-12-19 10:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the Oregon Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","A weather station at Gleneden Beach recorded winds gusting up to 71 mph. Another weather station (ODOT) recorded wind gusts up to 63 mph on Yaquina Bridge." +121261,726051,MONTANA,2017,December,Winter Storm,"CHOUTEAU",2017-12-19 11:05:00,MST-7,2017-12-19 11:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT reported severe driving conditions from accumulating snow along US-87 from Great Falls to Fort Benton." +121261,726054,MONTANA,2017,December,Winter Storm,"SOUTHERN LEWIS AND CLARK",2017-12-20 08:50:00,MST-7,2017-12-20 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT webcam indicated poor visibility and falling snow resulted in hazardous driving conditions along MacDonald Pass (US-12)." +121261,726055,MONTANA,2017,December,Winter Storm,"MEAGHER",2017-12-20 12:41:00,MST-7,2017-12-20 12:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT Highway Patrol reported a vehicular crash during snowstorm. Occurred along US-89 near mile marker 14." +121260,725893,MONTANA,2017,December,Winter Storm,"JEFFERSON",2017-12-04 01:40:00,MST-7,2017-12-04 01:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough aloft and accompanying cold front delivered periods of accumulating snow to the region, with the most impactful snow falling in Southwest Montana. This event prompted a winter storm warning for elevations above 5500 feet MSL in Gallatin and Madison Counties.","Seven or eight semis spun-out on I-90 seven miles west of Three Forks. Approximate elevation: 4650 feet MSL." +121364,726499,TEXAS,2017,December,Drought,"CAMP",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121364,726500,TEXAS,2017,December,Drought,"MORRIS",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121253,726692,WASHINGTON,2017,December,Heavy Snow,"NORTHEAST MOUNTAINS",2017-12-29 12:00:00,PST-8,2017-12-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen near Usk reported 5.0 inches of new snow." +121253,726699,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-29 05:00:00,PST-8,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","An observer near Veradale reported 3.5 inches of new snow. As the storm ended light accumulations of ice from freezing rain occurred." +121253,726697,WASHINGTON,2017,December,Heavy Snow,"SPOKANE AREA",2017-12-29 05:00:00,PST-8,2017-12-30 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a weakening surface low pressure brought heavy snow to the mountains and northern Columbia Basin of eastern Washington beginning on the 28th of December and continuing into the 30th. As the low pressure approached the stationary front moved north slightly and produced pockets of freezing rain in the western Columbia Basin and the Spokane area. Heavy rain occurred south of the front over the Palouse region where Pullman received 2.24 inches of rain during this storm. The warm front never migrated into the northeast mountains and these mountains and valleys received heavy snow until the storm ended.","A citizen in Spokane Valley reported 7.0 inches of new snow. Light accumulations of ice from freezing rain occurred as the storm ended." +121382,726662,MONTANA,2017,December,Winter Storm,"POTOMAC / SEELEY LAKE REGION",2017-12-22 15:50:00,MST-7,2017-12-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An increase in snow during the evening commute led to numerous accidents across west-central Montana. A special alert for emergency travel only, was issued by Missoula County for Interstate 90 between Bonner to just east of Clinton for slick roads and blowing snow causing poor visibility and hazardous driving conditions.","A Missoula county official issued a MEANS alert for emergency travel only for I-90 between Bonner and the Missoula/Granite county line due to slick roads and blowing snow creating poor visibility and hazardous driving conditions. Numerous slide offs were observed on I-90 on the incident report." +121432,726945,CALIFORNIA,2017,December,Strong Wind,"COASTAL NORTH BAY INCLUDING POINT REYES NATIONAL SEASHORE",2017-12-16 11:00:00,PST-8,2017-12-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved over the area late on the 15th into early in the morning on the 16th. Strong N/NE winds were observed in the wake of the front over both land and sea. Downed trees and power lines were observed along with multiple water rescues due to high winds.","Strong winds and high waves caused a boat in Richardson marina in Sausalito to flip over. Multiple people were rescued. A nearby buoy recorded winds peaking at 31 mph. Time of event estimated based on peak winds. Article, http://abc7news.com/weather/powerful-wind-topples-trees-boats-in-the-bay-area/2790235/." +121432,726946,CALIFORNIA,2017,December,Strong Wind,"SAN FRANCISCO BAY SHORELINE",2017-12-16 11:00:00,PST-8,2017-12-16 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved over the area late on the 15th into early in the morning on the 16th. Strong N/NE winds were observed in the wake of the front over both land and sea. Downed trees and power lines were observed along with multiple water rescues due to high winds.","Two stranded boaters were rescued by the Coast Guard after wind pushed their boat against a pier piling. Nearby buoy recorded wind gusts peaking at 40 mph. Time of event estimated based on period of strongest winds. Article http://abc7news.com/weather/powerful-wind-topples-trees-boats-in-the-bay-area/2790235/." +121432,726954,CALIFORNIA,2017,December,Strong Wind,"SANTA CRUZ MOUNTAINS",2017-12-16 13:20:00,PST-8,2017-12-16 13:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved over the area late on the 15th into early in the morning on the 16th. Strong N/NE winds were observed in the wake of the front over both land and sea. Downed trees and power lines were observed along with multiple water rescues due to high winds.","Measured wind gust of 55 mph recorded at COOP site in Cupertino." +121432,726949,CALIFORNIA,2017,December,Strong Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-12-16 12:33:00,PST-8,2017-12-16 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved over the area late on the 15th into early in the morning on the 16th. Strong N/NE winds were observed in the wake of the front over both land and sea. Downed trees and power lines were observed along with multiple water rescues due to high winds.","Measured wind gust of 47 mph recorded at Oakland North Raws." +121440,726976,ALASKA,2017,December,Heavy Snow,"NERN P.W. SND",2017-12-05 06:00:00,AKST-9,2017-12-06 08:43:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system with an associated warm front moved northward over Prince William Sound and the Copper River Basin. Overrunning brought extremely heavy snow to Thompson Pass, and a rain snow mix caused difficult travel through the Copper River Basin.","Thompson Pass received 40 inches of snow in a 24 hour period. 15 inches of snowfall were measured in a 90 minute period, close to a record snowfall rate. The road through the pass was closed due to avalanche danger." +121451,727030,HAWAII,2017,December,Heavy Rain,"HAWAII",2017-12-01 20:18:00,HST-10,2017-12-02 10:42:00,0,0,0,0,0.00K,0,0.00K,0,20.2111,-155.8356,19.4824,-154.9759,"With a broad upper trough near the islands and advancing tropical moisture from the southeast, periods of downpours occurred over the Aloha State, with the Big Island and Kauai seeing the most intense showers, including isolated thunderstorms. Kauai also saw flash flooding over the northern part of the isle. No significant property damage or injuries were reported. This is a continuation of an episode from the end of November.","" +120929,724104,PENNSYLVANIA,2017,December,Winter Storm,"NORTHAMPTON",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 5-7 inches across the county." +120929,724625,PENNSYLVANIA,2017,December,Winter Storm,"LOWER BUCKS",2017-12-09 10:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall totals ranged from 5 to 6 inches across lower portions of the county." +121553,727478,WYOMING,2017,December,High Wind,"SHERIDAN FOOTHILLS",2017-12-06 08:00:00,MST-7,2017-12-06 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Very strong winds just above mountain top level descended down the east slopes of the Big Horn Mountains during the morning hours of the 6th. These very strong winds impacted the communities of Story and Ranchester. Story reported large tree branches and trees down along with power outages. In addition, Mountain Dakota Utilities reported power poles down in Ranchester.","Story reported large tree branches and trees down along with power outages. In addition, Montana Dakota Utilities reported power poles down in Ranchester." +121524,727390,MONTANA,2017,December,Winter Storm,"NORTHERN STILLWATER",2017-12-22 01:00:00,MST-7,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings Forecast Area. This ushered in northeast surface winds which brought a period of upslope conditions which resulted in heavy snow to the Beartooth/Absaroka Foothills and adjacent plains.","Snowfall of 5 to 7 inches was common across the area." +121524,727392,MONTANA,2017,December,Winter Storm,"BEARTOOTH FOOTHILLS",2017-12-22 01:00:00,MST-7,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings Forecast Area. This ushered in northeast surface winds which brought a period of upslope conditions which resulted in heavy snow to the Beartooth/Absaroka Foothills and adjacent plains.","McLeod received 8 inches of snow." +121524,727393,MONTANA,2017,December,Winter Storm,"LIVINGSTON AREA",2017-12-22 01:00:00,MST-7,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings Forecast Area. This ushered in northeast surface winds which brought a period of upslope conditions which resulted in heavy snow to the Beartooth/Absaroka Foothills and adjacent plains.","Snowfall of 9 to 12 inches was common across the area." +121524,727394,MONTANA,2017,December,Winter Storm,"NORTHERN SWEET GRASS",2017-12-22 01:00:00,MST-7,2017-12-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic front moved across the Billings Forecast Area. This ushered in northeast surface winds which brought a period of upslope conditions which resulted in heavy snow to the Beartooth/Absaroka Foothills and adjacent plains.","Big Timber received 8 inches of snow." +121621,727911,MONTANA,2017,December,Drought,"NORTHERN PHILLIPS",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","The couple of winter storms that moved across the area were somewhat hit or miss across northern Phillips County, with precipitation amounts ranging from as low as 25 percent to as high as 200 percent of normal. Northern Phillips County remained in Extreme (D3) drought conditions throughout December." +121621,727912,MONTANA,2017,December,Drought,"NORTHERN VALLEY",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area which produced approximately 200 percent of average precipitation for the month, northern Valley County remained in Extreme (D3) drought conditions throughout December." +121621,727913,MONTANA,2017,December,Drought,"PETROLEUM",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area which produced approximately 150 to 200 percent of normal precipitation for the month, Petroleum County remained in Severe (D2) drought conditions throughout December." +121621,727914,MONTANA,2017,December,Drought,"PRAIRIE",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area which produced approximately 150 to 200 percent of normal precipitation for the month, the western half of Prairie County remained in Severe (D2) drought conditions throughout December." +121688,728398,WYOMING,2017,December,Winter Storm,"TETON & GROS VENTRE MOUNTAINS",2017-12-22 03:00:00,MST-7,2017-12-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture moved into Western Wyoming ahead of an Arctic Cold front and brought heavy snow to portions of the area. The highest amounts fell across the Tetons as well as the Salt and Wyoming Range where over a foot of new snow was common with some areas eclipsing the two foot mark. Heavy snow bands also developed in the Star Valley with many areas having over a foot of new snow.","Heavy snow fell across the Tetons. Some of the highest amounts included 21 inches at the Jackson Hole Ski resort and 19 inches at the Grassy Lake SNOTEL site." +121688,728399,WYOMING,2017,December,Winter Storm,"STAR VALLEY",2017-12-21 19:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture moved into Western Wyoming ahead of an Arctic Cold front and brought heavy snow to portions of the area. The highest amounts fell across the Tetons as well as the Salt and Wyoming Range where over a foot of new snow was common with some areas eclipsing the two foot mark. Heavy snow bands also developed in the Star Valley with many areas having over a foot of new snow.","Heavy snow fell throughout the Star Valley. Total snowfall amounts ranged from around 8 inches in Afton to over 20 inches in some areas near Thayne." +121688,728400,WYOMING,2017,December,Winter Storm,"SALT RIVER & WYOMING RANGES",2017-12-22 00:00:00,MST-7,2017-12-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A plume of Pacific moisture moved into Western Wyoming ahead of an Arctic Cold front and brought heavy snow to portions of the area. The highest amounts fell across the Tetons as well as the Salt and Wyoming Range where over a foot of new snow was common with some areas eclipsing the two foot mark. Heavy snow bands also developed in the Star Valley with many areas having over a foot of new snow.","Heavy snow fell in the Salt and Wyoming Range. Some of the higher amounts included 26 inches at Box Y Ranch and 19 inches at the Spring Creek Divide SNOTEL." +121690,728413,WYOMING,2017,December,Winter Storm,"YELLOWSTONE NATIONAL PARK",2017-12-28 17:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front set up across the Montana-Wyoming border and stalled for a couple of days before eventually dropping southward into Wyoming. The front had ample moisture to work with with several disturbances riding along it. Although the main effects were across Montana, some wind and snow made it into Wyoming. The heaviest snow fell in the northern Absarokas where 25 inches of new snow was recorded at the Beartooth Lake SNOTEL site. Mid level winds were also very strong with this system and mixed to the surface in some locations. Although most of the strongest winds remained over areas with very little population, some gusts were very impressive. Some of the highest included 95 mph at the Camp Creek RAWS site in the Green Mountains and 93 mph at Hoyt Peak in Yellowstone Park.","The SNOTEL site at Parker Peak recorded 13 inches of new snow. In addition, very strong winds occurred in some portions of Yellowstone Park. At Hoyt Peak, several hurricane force wind gusts were recorded including a maximum of 93 mph." +121781,728929,MICHIGAN,2017,December,Winter Weather,"BARAGA",2017-12-05 04:00:00,EST-5,2017-12-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a report of ten inches of lake effect snow in 36 hours at Keweenaw Bay." +121841,729344,NORTH CAROLINA,2017,December,Winter Weather,"HAYWOOD",2017-12-31 13:00:00,EST-5,2017-12-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very light precipitation developed across the mountains during the afternoon and continued into the evening. While most of the precipitation fell as snow, a brief transition to light freezing rain and drizzle occurred during mid-afternoon. Due to the very cold air that was in place, ice quickly formed on roads across the area. Numerous traffic accidents were reported during this time, especially in the Asheville area. Accumulating snowfall was fairly sporadic, primarily confined to locations along the eastern face of the Blue Ridge. Locations that did see snowfall generally only saw around an inch, with trace amounts of ice.","" +121781,729287,MICHIGAN,2017,December,Winter Weather,"NORTHERN HOUGHTON",2017-12-06 08:00:00,EST-5,2017-12-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","The observer in Painesdale measured 6.3 inches of lake effect snow in 24 hours. Northwest winds gusting over 30 mph reduced visibility to one half mile at times in snow and blowing snow." +121781,729405,MICHIGAN,2017,December,Winter Weather,"BARAGA",2017-12-07 16:00:00,EST-5,2017-12-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a report of four inches of lake effect snow in 12 hours at Keweenaw Bay." +121781,729406,MICHIGAN,2017,December,Winter Weather,"NORTHERN HOUGHTON",2017-12-07 08:00:00,EST-5,2017-12-08 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There were reports of seven to nine inches of lake effect snow in 24 hours from Redridge through Painesdale to Chassell. There was a isolated report of 13 inches of lake effect snow in 24 hours near Allouez." +121218,726368,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"RENVILLE",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -41F." +121218,726369,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SHERBURNE",2017-12-30 03:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -43F." +121467,727136,NEBRASKA,2017,December,Winter Weather,"POLK",2017-12-23 19:00:00,CST-6,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 3.1 inches occurred three miles northeast of Shelby." +115149,692721,OHIO,2017,May,Flash Flood,"BUTLER",2017-05-24 16:45:00,EST-5,2017-05-24 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.3281,-84.7155,39.3245,-84.7078,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Flowing water was reported over a portion of Cincinnati Brookville Road near Shandon." +115347,692588,OHIO,2017,May,Thunderstorm Wind,"PREBLE",2017-05-26 21:42:00,EST-5,2017-05-26 21:44:00,0,0,0,0,40.00K,40000,0.00K,0,39.79,-84.56,39.79,-84.56,"An area of thunderstorms associated with an upper level disturbance moved through the area during the evening hours.","A well built barn was damaged and a parked tractor trailer was flipped onto a parked car. Numerous trees were also downed in the area." +122031,730583,MONTANA,2017,December,Extreme Cold/Wind Chill,"DANIELS",2017-12-25 03:02:00,MST-7,2017-12-25 07:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","The Navajo MT-5 DOT site recorded wind chill values of less than 40 degrees below zero during this time, the coldest value being 46 below from 4:45 to 5:00 AM." +122031,730584,MONTANA,2017,December,Extreme Cold/Wind Chill,"SHERIDAN",2017-12-25 03:15:00,MST-7,2017-12-25 10:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","The Comertown Turn-Off MT-5 DOT site recorded wind chills of less than 40 degrees below zero during this time, with a minimum of 46 below from 6:30 to 7:45 AM." +122031,730582,MONTANA,2017,December,Extreme Cold/Wind Chill,"CENTRAL AND SE PHILLIPS",2017-12-25 05:53:00,MST-7,2017-12-25 05:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","A wind chill value of 44 degrees below zero was recorded at the Glasgow airport ASOS." +122031,730591,MONTANA,2017,December,Extreme Cold/Wind Chill,"RICHLAND",2017-12-25 07:00:00,MST-7,2017-12-25 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","The Sioux Pass MT-16 DOT site recorded wind chills of less than 40 degrees during this time, the coldest being 43 below zero at 7:30 AM." +122031,730592,MONTANA,2017,December,Extreme Cold/Wind Chill,"EASTERN ROOSEVELT",2017-12-25 08:45:00,MST-7,2017-12-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With northwest winds bringing cold air into northeastern Montana early in the morning of the 25th, temperatures across much of the area dropped to less than 20 degrees below zero. These cold temperatures, in combination with the breezy conditions, produced bitterly cold wind chills into the 30s below zero, with isolated locations periodically dropping to less than 40 degrees below zero.","The US-2 @Stateline DOT site recorded wind chill values of 40 degrees below zero or less during this time, with a minimum value of 41 below at 9 AM." +122182,731409,IOWA,2017,December,Winter Weather,"PLYMOUTH",2017-12-21 10:00:00,CST-6,2017-12-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing along and advancing arctic cold push produced widespread light snowfall. Before saturating to cold enough temperatures, there was a brief period of light freezing drizzle.","Periods of late morning and early afternoon freezing drizzle produced a light glaze on roadways, prior to snowfall which accumulated to an inch or less. Snowfall of 0.5 inch was reported at Remsen." +122186,731467,TEXAS,2017,December,Winter Weather,"VAL VERDE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122137,731976,NORTH CAROLINA,2017,December,Winter Storm,"VANCE",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts of up to 3 inches fell across the county." +122137,731978,NORTH CAROLINA,2017,December,Winter Weather,"ORANGE",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts averaged between a 0.50 to 1 inch across the county." +122137,731977,NORTH CAROLINA,2017,December,Winter Weather,"ALAMANCE",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts averaged between a 0.50 to 1 inch across the county." +122137,731979,NORTH CAROLINA,2017,December,Winter Weather,"DURHAM",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts averaged between a 0.50 to 1 inch." +122174,731282,WYOMING,2017,December,Cold/Wind Chill,"WYOMING BLACK HILLS",2017-12-31 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An Arctic airmass with bitter cold temperatures settled over the area. Low temperatures were 10 below to 25 below zero with wind chills as low as 35 below zero.","" +120864,723683,NEBRASKA,2017,December,High Wind,"VALLEY",2017-12-04 16:04:00,CST-6,2017-12-04 16:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 64 mph occurred at Evelyn Sharp Field in Ord." +121946,730106,MISSISSIPPI,2017,December,Flash Flood,"DE SOTO",2017-12-22 14:30:00,CST-6,2017-12-22 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.9494,-90.1437,34.9465,-90.1488,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Nail road nears Walls is closed due to deep flood waters." +121946,730108,MISSISSIPPI,2017,December,Flash Flood,"DE SOTO",2017-12-22 17:30:00,CST-6,2017-12-22 19:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.8048,-89.8871,34.7978,-89.8934,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Flooding rains have closed portion of Holly Springs road and Dairy Barn road at the bridges." +121993,730363,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"BUFFALO",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Kearney airport, the final 8-days of December featured an average temperature of 4.1 degrees, marking the coldest ending to the year out of 115 on record. During this stretch, three days featured low temperatures of at least -13 degrees." +121993,730379,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"PHELPS",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Holdrege, the NWS cooperative observer recorded an average temperature of 3.8 degrees through the final 8-days of December, marking the coldest finish to the year out of 117 on record." +122226,731839,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-30 12:35:00,MST-7,2017-12-30 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 30/1555 MST." +122226,731840,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-30 13:55:00,MST-7,2017-12-30 14:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher." +122226,731841,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 11:45:00,MST-7,2017-12-29 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 29/1205 MST." +122226,731842,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 08:55:00,MST-7,2017-12-29 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 29/0935 MST." +122226,731844,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 00:20:00,MST-7,2017-12-28 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 28/0040 MST." +122226,731846,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 03:25:00,MST-7,2017-12-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 29/0420 MST." +122226,731849,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 20:55:00,MST-7,2017-12-30 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 30/1330 MST." +122226,731850,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 02:05:00,MST-7,2017-12-27 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 27/0220 MST." +122226,731851,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 13:10:00,MST-7,2017-12-28 19:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 28/1945 MST." +122010,731935,NEW YORK,2017,December,Winter Weather,"WESTERN SCHENECTADY",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122010,731940,NEW YORK,2017,December,Winter Weather,"EASTERN SCHENECTADY",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into eastern New York and western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from an inch in the western Adirondacks and Mid-Hudson Valley regions up to 9 inches in Washington county, New York.","" +122216,731611,VERMONT,2017,December,Heavy Snow,"BENNINGTON",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from just over 4 inches in Brattleboro to 12.5 inches in Woodford, VT.","Multiple reports from WeatherNet6 and CoCoRaHS observers reported snowtall totals ranging from 8.0 inches in Arlington to 12.5 inches in Woodford, VT." +122216,731614,VERMONT,2017,December,Heavy Snow,"WESTERN WINDHAM",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from just over 4 inches in Brattleboro to 12.5 inches in Woodford, VT.","Multiple reports from trained spotters reported snowtall totals ranging from 4.5 inches in Brattleboro to 11.3 inches in Townshend, VT." +121644,728159,GEORGIA,2017,December,Winter Storm,"LUMPKIN",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 8 inches of snow were estimated across the county. CoCoRaHS observers and a trained spotter reported 5 inches west of Cleveland and near Auraria and 6.3 and 7 inches around Dahlonega." +121644,728160,GEORGIA,2017,December,Winter Storm,"WHITE",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 4 and 10 inches of snow were estimated across the county. The White County Emergency Manager, CoCoRaHS and COOP observers reported 4.2 and 4.5 inches around Helen, 5 to 7.1 inches around Cleveland, 5.5 inches around Sautee and 10 inches near Anna Ruby Falls." +121644,728161,GEORGIA,2017,December,Winter Storm,"UNION",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 6 and 11 inches of snow were estimated across the county. A COOP observer and the public reported 10 and 10.2 inches around the Blairsville area." +121858,730862,MISSISSIPPI,2017,December,Heavy Snow,"JONES",2017-12-07 23:30:00,CST-6,2017-12-08 15:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 to 7 inches of heavy snow fell across Jones County, with up to 8 inches falling west of Ellisville. The accumulating snow downed trees and limbs across the county, resulting in power outages and blocking roadways. Numerous traffic accidents also occurred across the county." +121858,730869,MISSISSIPPI,2017,December,Heavy Snow,"LAMAR",2017-12-08 02:00:00,CST-6,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 6 to 7 inches of heavy snow fell across Lamar County, and a high total of 8 inches fell near Sumrall." +121858,730870,MISSISSIPPI,2017,December,Heavy Snow,"LAUDERDALE",2017-12-07 22:30:00,CST-6,2017-12-08 13:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Lauderdale County, with totals ranging from 4 to 5 inches across the northern part of the county to widespread totals of 7 to 7.5 inches across the southern part of the county. Accumulating snow led to several traffic accidents and scattered power outages across the county." +121858,730885,MISSISSIPPI,2017,December,Heavy Snow,"LAWRENCE",2017-12-07 22:30:00,CST-6,2017-12-08 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 inches of heavy snow fell across Lawrence County, with a high total of 5.5 inches in the Oak Vale community." +121858,730888,MISSISSIPPI,2017,December,Heavy Snow,"LEAKE",2017-12-08 06:30:00,CST-6,2017-12-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","A total of 3 to 5 inches of heavy snow fell across Leake County." +122184,731428,SOUTH DAKOTA,2017,December,Blizzard,"JONES",2017-12-04 09:00:00,CST-6,2017-12-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731429,SOUTH DAKOTA,2017,December,Blizzard,"CAMPBELL",2017-12-04 09:00:00,CST-6,2017-12-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731430,SOUTH DAKOTA,2017,December,Blizzard,"WALWORTH",2017-12-04 09:00:00,CST-6,2017-12-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731431,SOUTH DAKOTA,2017,December,Blizzard,"POTTER",2017-12-04 09:00:00,CST-6,2017-12-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731432,SOUTH DAKOTA,2017,December,Blizzard,"SULLY",2017-12-04 10:00:00,CST-6,2017-12-04 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731433,SOUTH DAKOTA,2017,December,Blizzard,"HUGHES",2017-12-04 12:00:00,CST-6,2017-12-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +120347,721444,GEORGIA,2017,September,Tropical Storm,"POLK",2017-09-11 15:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported a few trees and power lines blown down across the county. No injuries were reported." +120347,721430,GEORGIA,2017,September,Tropical Storm,"DE KALB",2017-09-11 12:00:00,EST-5,2017-09-11 18:00:00,0,1,0,0,12.00M,12000000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The DeKalb County Emergency Manager reported hundreds of trees and many power lines blown down across the county. Two hundred sixty seven homes and businesses were damaged, mainly by falling trees and large limbs, with 65 of them reported destroyed or sustaining major damage. Over 200 roads were blocked by downed trees, power lines and other debris with over 106 tons of debris cleared. Estimates are that over half of all customers lost electricity in the county for varying periods of time. A wind gust of 47 mph was measured at DeKalb-Peachtree Airport and a gust of 72 mph was measured on top of Stone Mountain, around 800 feet above the surrounding terrain. Radar estimated between 3 and 6.5 inches of rain fell across the county with 6.32 inches measured in Decatur. One firefighter received minor injuries while clearing debris. Around $11 million in insured losses were reported." +120347,721454,GEORGIA,2017,September,Tropical Storm,"WALKER",2017-09-11 16:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,25.00K,25000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The media reported several trees and power lines blown down across the county. No injuries were reported." +120347,721420,GEORGIA,2017,September,Tropical Storm,"HENRY",2017-09-11 11:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,250.00K,250000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","Local news media reported numerous trees and power lines blown down across the county. Dozens of structures sustained damage, some extensive, from falling trees and large limbs. A wind gust of 40 mph was measured near Luella and a trained storm spotter and amateur radio operator using a hand-held wind gauge reported sustained wind speeds of 40-45 mph with gusts to 51 mph. Radar estimated between 2.5 and 5 inches of rain fell across the county with 4.24 inches measured near Kelleytown. No injuries were reported." +122305,732338,TEXAS,2017,December,Winter Weather,"THROCKMORTON",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732339,TEXAS,2017,December,Winter Weather,"FISHER",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732340,TEXAS,2017,December,Winter Weather,"JONES",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732341,TEXAS,2017,December,Winter Weather,"SHACKELFORD",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732342,TEXAS,2017,December,Winter Weather,"NOLAN",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +122305,732346,TEXAS,2017,December,Winter Weather,"CALLAHAN",2017-12-30 05:15:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle resulted in icy roadways across much of the region." +121990,730356,LOUISIANA,2017,December,Heavy Snow,"WASHINGTON",2017-12-08 00:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Washington Parish Emergency Manager reported 5.5 inches of snow at Franklinton. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +121990,730358,LOUISIANA,2017,December,Heavy Snow,"WEST FELICIANA",2017-12-07 21:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The West Feliciana Parish Emergency Manager reported 5 inches of snow 13 miles north-northwest of St. Francisville and 2.5 inches at St. Francisville." +121990,731734,LOUISIANA,2017,December,Winter Weather,"ST. JOHN THE BAPTIST",2017-12-08 07:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Emergency Management reported 1 to 2 inches of snow at Vacherie and Reserve." +122191,732571,ALABAMA,2017,December,Winter Storm,"AUTAUGA",2017-12-08 12:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across Autauga County." +122191,732572,ALABAMA,2017,December,Winter Storm,"ELMORE",2017-12-08 12:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across the northwest portions of Elmore County tapering off to 1 inch in the southeast." +121016,724510,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"TAMPA BAY",2017-12-08 22:43:00,EST-5,2017-12-08 22:43:00,0,0,0,0,0.00K,0,0.00K,0,27.74,-82.69,27.74,-82.69,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The WeatherFlow station on the at Clam Bayou Nature Park (XCBN) recorded a 36 knot marine thunderstorm wind gust." +121016,724474,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-12-08 22:21:00,EST-5,2017-12-08 22:21:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The WeatherFlow station near Egmont Key (XEGM) recorded a 37 knot marine thunderstorm wind gust." +121016,724471,GULF OF MEXICO,2017,December,Marine Thunderstorm Wind,"TAMPA BAY",2017-12-08 22:52:00,EST-5,2017-12-08 22:52:00,0,0,0,0,0.00K,0,0.00K,0,27.9633,-82.54,27.9633,-82.54,"A cold front swept southeast through the Florida Peninsula on the evening of the 8th through the early morning of the 9th. A band of thunderstorms developed along the front, producing numerous wind gusts.","The ASOS at Tampa International Airport (KTPA) measured a 36 knot marine thunderstorm wind gust." +121022,724592,INDIANA,2017,December,Lake-Effect Snow,"ST. JOSEPH",2017-12-12 03:00:00,EST-5,2017-12-12 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Bands of locally heavy lake effect snow created difficult travel and whiteout conditions on December 12th.","Periods of heavy lake effect snow on December 12th led to total snowfall accumulations ranging between 2 and 7 inches across the county. There was a report of 6.4 inches of snow 3 miles southwest of Granger during the day. Intense snowfall rates and wind gusts to 35 mph also reduced visibilities leading to whiteout conditions and numerous accidents. The Indiana Toll Road was closed for a while during the day due to accidents." +121025,724605,TEXAS,2017,December,Heavy Snow,"DAVIS / APACHE MOUNTAINS AREA",2017-12-06 18:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southern stream shortwave trough combined with a northern, and southern, stream upper jet to produce significant snowfall over much of West Texas to the west of the Pecos River.","The public reported 4 inches of snow in Alpine." +121025,724606,TEXAS,2017,December,Heavy Snow,"BIG BEND AREA",2017-12-07 04:00:00,CST-6,2017-12-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southern stream shortwave trough combined with a northern, and southern, stream upper jet to produce significant snowfall over much of West Texas to the west of the Pecos River.","The Park Service reported 5 inches of snow in Chisos Basin." +121026,724604,NEW MEXICO,2017,December,Heavy Snow,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-12-06 23:00:00,MST-7,2017-12-07 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southern stream shortwave trough combined with a northern, and southern, stream upper jet to produce significant snowfall over the Guadalupe Mountains in Southeast New Mexico.","The public reported 4 inches of snow in Queen." +121132,725187,TEXAS,2017,December,Flash Flood,"RUSK",2017-12-19 20:20:00,CST-6,2017-12-19 22:45:00,0,0,0,0,0.00K,0,0.00K,0,31.8607,-94.9785,31.8602,-94.9844,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","High water covered Highway 84 near County Road 204." +121409,726773,ALASKA,2017,November,High Wind,"CENTRAL ALEUTIANS",2017-11-26 09:28:00,AKST-9,2017-11-26 16:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system moved into the Bering Sea and intensified to 944 mb as it did so. This brought hurricane force winds to the Bering Sea and the Eastern and Central Aleutians.","The NOS NWLON at Adak recorded a peak wind gust of 91 mph." +121411,726779,ALASKA,2017,November,High Wind,"EASTERN ALEUTIANS",2017-11-29 05:54:00,AKST-9,2017-11-29 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 955 mb low pressure system moved northeastward along the Aleutian Chain. Northerly winds behind the low pressure system were enhanced by cold air advection and brought warning level winds to the Eastern Aleutians.","The NOS NWLON at Nikolski reported winds gusting to 75 mph." +120988,724200,ILLINOIS,2017,November,Hail,"CHRISTIAN",2017-11-05 14:15:00,CST-6,2017-11-05 14:20:00,0,0,0,0,0.00K,0,0.00K,0,39.53,-89.33,39.53,-89.33,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","" +120988,724202,ILLINOIS,2017,November,Hail,"DOUGLAS",2017-11-05 14:10:00,CST-6,2017-11-05 14:15:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-88.47,39.72,-88.47,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","" +120988,724203,ILLINOIS,2017,November,Thunderstorm Wind,"DOUGLAS",2017-11-05 14:10:00,CST-6,2017-11-05 14:15:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-88.47,39.72,-88.47,"A slow-moving cold front triggered several clusters of strong to severe thunderstorms across east-central and southeast Illinois during the afternoon and early evening of November 5th. Most of the activity developed along and southeast of a Champaign to Taylorville line...with the strongest storms producing wind gusts of around 60mph and hail up to the size of nickels. One cell spawned an EF-1 tornado in northern Richland County northwest of Olney...damaging a few structures and trees along its path.","A power line was blown down on the northwest side of Arthur." +121242,725819,LAKE SUPERIOR,2017,November,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-11-21 05:00:00,EST-5,2017-11-21 10:00:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"Storm for winds of 55 to 63 mph where observed at the Stannard Rock Lighthouse.","Wind gusts of 55 to 63 mph were observed at the Stannard Rock Lighthouse during the morning hours on November 21st, 2017." +121415,726795,MICHIGAN,2017,November,Winter Weather,"SOUTHERN HOUGHTON",2017-11-18 22:30:00,EST-5,2017-11-19 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A shot of colder air moving across Lake Superior resulted in a period of moderate lake effect snow for the northwest wind snow belts of Upper Michigan from late on the 18th into the 19th.","There was a report of four inches of lake effect snow in 12 hours at Nisula." +121041,724641,TEXAS,2017,November,Drought,"CAMP",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121041,724639,TEXAS,2017,November,Drought,"TITUS",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121041,724642,TEXAS,2017,November,Drought,"HARRISON",2017-11-22 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions expanded farther south and west across Northeast Texas by the third week of November, and encompassed Red River, Franklin, Titus, Morris, Camp, and Harrison Counties, due to the significant deficits of rain observed since the final week of August. In fact, near record dry conditions were recorded during September, with only 0.21 inches recorded in Mount Pleasant, and ranked 9th driest September-October on record with 2.20 inches having fallen. Marshall only recorded 0.25 inches of rain during September, and 1.84 inches during September-October, only 22% of normal and ranked the 10th driest period on record. This very dry two month period only exasperated the developing drought, with an average of one and a half to three inches of rain falling during the period over this area. Thus, planting of winter wheat pastures were delayed or little growth had occurred, and stock ponds significantly receded.","" +121245,725830,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-15 09:00:00,PST-8,2017-11-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through northeast Washington during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted frequent snow showers over the northeast Washington mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Bunchgrass Meadow SNOTEL site recorded 14 inches of new snow accumulation." +121245,725831,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-15 09:00:00,PST-8,2017-11-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through northeast Washington during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted frequent snow showers over the northeast Washington mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The Quartz Peak SNOTEL site recorded 7 inches of new snow accumulation." +121245,725832,WASHINGTON,2017,November,Heavy Snow,"NORTHEAST MOUNTAINS",2017-11-15 09:00:00,PST-8,2017-11-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level trough pushed a moist cold front through northeast Washington during the day of November 15th, and a cold unstable air mass in the cusp of this trough after the frontal passage promoted frequent snow showers over the northeast Washington mountains. In the valleys precipitation was mostly rain or minor accumulating snow, but in the mountains above 4000 feet elevation heavy accumulations of snow were noted.","The 49 North Ski Resort reported 28 inches of new snow accumulation over the course of two days." +120584,722337,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-11-01 06:42:00,CST-6,2017-11-01 06:42:00,0,0,0,0,0.00K,0,0.00K,0,29.3575,-94.7247,29.3575,-94.7247,"A line of thunderstorms produced a marine thunderstorm wind gust around the Galveston Bay area.","Marine thunderstorm wind gust was measured at the Galveston North Jetty PORTS site." +121421,726901,NEW YORK,2017,November,Strong Wind,"NORTHERN NASSAU",2017-11-19 10:00:00,EST-5,2017-11-19 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong gusty northwest winds occurred behind a strong cold front.","The mesonet station in Bayville measured a 56-57 mph wind gust at 1041 am." +120791,723398,TEXAS,2017,November,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-11-28 20:51:00,MST-7,2017-11-28 22:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong, northeast gap winds occurred in Guadalupe Pass behind a cold front.","" +121778,728918,GULF OF MEXICO,2017,November,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-11-22 02:10:00,CST-6,2017-11-22 02:25:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"Isolated strong thunderstorms moved across the coastal waters during the early morning hours on the 22nd. Wind gusts to 35 knots occurred at an offshore platform.","Mustang Island Platform AWOS measured a gust to 36 knots." +121296,729170,INDIANA,2017,November,Thunderstorm Wind,"DECATUR",2017-11-18 16:46:00,EST-5,2017-11-18 16:46:00,0,0,0,0,1.50K,1500,0.00K,0,39.3815,-85.4042,39.3815,-85.4042,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","A tree was downed on power lines near the intersection of County Roads 300 North and 400 East due to damaging thunderstorm wind gusts." +121296,729171,INDIANA,2017,November,Flood,"TIPPECANOE",2017-11-18 11:20:00,EST-5,2017-11-18 13:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.41,-86.87,40.4103,-86.8641,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","There were multiple reports of water ponding in yards across Lafayette due to heavy rainfall." +121296,729172,INDIANA,2017,November,Flood,"BOONE",2017-11-18 12:20:00,EST-5,2017-11-18 14:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.1271,-86.6137,40.1314,-86.6116,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","Residential yards were reported to be flooded by heavy rainfall in Thorntown." +121296,729173,INDIANA,2017,November,Flood,"MADISON",2017-11-18 14:20:00,EST-5,2017-11-18 16:00:00,0,0,0,0,3.50K,3500,0.00K,0,40.1528,-85.6919,40.1488,-85.6967,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","Residential yards and some roads were flooded due to heavy rainfall." +121296,729177,INDIANA,2017,November,Tornado,"TIPPECANOE",2017-11-18 11:15:00,EST-5,2017-11-18 11:16:00,0,0,0,0,8.00K,8000,0.00K,0,40.3889,-86.7377,40.3895,-86.7316,"A strong low pressure system moved across central Indiana, bringing warm and humid air up with it. Thunderstorms developed with the low and along/ahead of its associated cold front during the late morning through the afternoon of November 18th. A weak tornado was also noted. Outside of storms, winds gusted over 40 mph.","This EF0 tornado touched down briefly northeast of Dayton and damaged a house and several trees. A few strips of siding was removed from the house and a few trees were downed as well." +121436,726948,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Divide Peak SNOTEL site (elevation 8880 ft) estimated 13 inches of snow." +121436,726950,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 16 inches of snow." +121436,726951,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 19 inches of snow." +121436,726952,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Whiskey Park SNOTEL site (elevation 8950 ft) estimated 14 inches of snow." +121436,726953,WYOMING,2017,November,Winter Storm,"SIERRA MADRE RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The Blackhall Mountain SNOTEL site (elevation 9820 ft) estimated 16 inches of snow." +121436,726955,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The South Brush Creek SNOTEL site (elevation 8440 ft) estimated 17 inches of snow." +121436,726956,WYOMING,2017,November,Winter Storm,"SNOWY RANGE",2017-11-04 15:00:00,MST-7,2017-11-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system and moist upslope flow produced a prolonged period of moderate to heavy snowfall over the Snowy and Sierra Madre mountains. Snow total accumulations ranged from one to three feet. Gusty west winds created blowing and drifting snow.","The North French Creek SNOTEL site (elevation 10130 ft) estimated 34 inches of snow." +120840,723554,HAWAII,2017,November,High Surf,"NIIHAU",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723555,HAWAII,2017,November,High Surf,"KAUAI WINDWARD",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723556,HAWAII,2017,November,High Surf,"KAUAI LEEWARD",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723557,HAWAII,2017,November,High Surf,"OAHU KOOLAU",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723558,HAWAII,2017,November,High Surf,"OLOMANA",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723559,HAWAII,2017,November,High Surf,"MOLOKAI WINDWARD",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120840,723560,HAWAII,2017,November,High Surf,"MAUI WINDWARD WEST",2017-11-10 04:00:00,HST-10,2017-11-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from a storm low far north of the islands generated surf of 7 to 15 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 20 feet along the north- and west-facing shores of Niihau and Kauai. The highest heights were recorded on Kauai for the east shores as well. There were no reports of serious property damage or injuries.","" +120555,722229,WASHINGTON,2017,November,High Wind,"EAST PUGET SOUND LOWLANDS",2017-11-13 17:39:00,PST-8,2017-11-13 19:39:00,1,0,1,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"A strong Pacific weather system moved through Western Washington and produced wind gusts up to 70 mph in many parts of the region. The strong winds blew down some trees, knocked power out to as many as 200,000 through the area, delayed or cancelled ferry service, and produced heavy rain amounts that produced some local urban flooding. The peak of the wind event occurred between 2 and 7 PM, adversely impacting the afternoon and evening commute. A tree fell on a vehicle in Renton, killing the 32-year old female driver and seriously injured a passenger. Another tree fell onto a mobile home in Port Orchard, seriously injuring a 15-year old girl. Power restoration cost just over $7 million.","North Bend had 43 mph sustained wind at 539 PM. This verifies the warning in the East Puget Sound Lowlands." +121095,724950,KANSAS,2017,November,Wildfire,"ROOKS",2017-11-24 11:00:00,CST-6,2017-11-24 21:00:00,0,0,0,0,40.00K,40000,1.00M,1000000,NaN,NaN,NaN,NaN,"A wildfire occurred east of Webster State Park on this Friday afternoon. This fire started on Highway 24 between county roads 11 and 12, and then spread approximately 5 miles to the southeast. The fire was contained by 8 PM, though crews monitored hot spots into the next day. A faulty lightning arrester on a power pole was suspected as the cause of the fire. A portion of Highway 183 was closed for a time, and mutual aid was provided from neighboring counties as well as private companies and farmers. The city of Stockton issued an evacuation order for the south part of town.||An anomalously warm air mass was in place, and the region was in the warm sector of a low pressure center over Ontario, Canada. A very weak cold front extended southwest from the low across the Northern Plains at 6 AM CST. This front was moving rapidly south, and it crossed Rooks County around noon. Northwest winds increased significantly behind the front. The peak wind gust at the Stockton airport was 55 mph measured at 1:02 PM CST. A high temperature in the lower 80s occurred just after frontal passage, and this was over 30 degrees above normal. A record high of 83 occurred at Hill City, one county to the west. With dewpoints falling into the lower 30s, this resulted in relative humidity values in the middle to upper teens.","This wildfire burned approximately 3,500 acres, spread across an area from roughly 5 miles southeast of Webster State Park to 3 miles east of Webster State Park. Damage from the wildfire included one hunting cabin being burned down, siding melted on the side of a barn and fencing damage. Three homes were threatened, but were not damaged." +121437,726963,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Four inches of snow was observed at Hillsdale." +121437,726964,WYOMING,2017,November,Winter Weather,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Five and a half inches of snow was observed 10 miles west-southwest of Cheyenne." +121437,726965,WYOMING,2017,November,Winter Weather,"SOUTH LARAMIE RANGE FOOTHILLS",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Five inches of snow was observed 11 miles west of Cheyenne." +121437,726966,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Five and a half inches of snow was observed at Lincolnway and Converse Avenues in Cheyenne." +121437,726967,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Three inches of snow was observed four miles north of Cheyenne." +121437,726968,WYOMING,2017,November,Winter Weather,"CENTRAL LARAMIE COUNTY",2017-11-06 17:00:00,MST-7,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system produced periods of light to moderate snowfall along the Interstate 80 corridor from Arlington to the Wyoming-Nebraska border. Total snow accumulations ranged from three to six inches. Interstate 80 between Cheyenne and Laramie was closed for a brief period due to slick roads and poor visibilities.","Four and a half inches of snow was measured 11 miles north of Cheyenne." +121514,727352,MASSACHUSETTS,2017,November,Strong Wind,"SOUTHERN BERKSHIRE",2017-11-10 01:00:00,EST-5,2017-11-10 15:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"Strong westerly to northwesterly winds developed along and behind an Arctic cold front as it tracked through western New England during the early morning hours of November 10th. These winds continued into the day before diminishing in the late afternoon.","" +121516,727362,NEW YORK,2017,November,Strong Wind,"EASTERN SCHENECTADY",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through eastern New York around sunrise on November 19. Strong winds occurred along the front and continued during the day behind the front. Winds gusted to 56 mph at Albany International Airport and 52 mph at Schenectady County Airport, resulting in numerous reports of trees and wires down throughout the Capital District. Nearly 6,000 people lost power in Schenectady and Saratoga Counties. Another 2,750 people lost power in Ulster County, where a wind gust of 52 mph was recorded near Phoenicia.","" +121517,727377,CONNECTICUT,2017,November,Strong Wind,"NORTHERN LITCHFIELD",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong westerly winds occurred along the front and continued during the day behind the front.","" +121517,727378,CONNECTICUT,2017,November,Strong Wind,"SOUTHERN LITCHFIELD",2017-11-19 06:00:00,EST-5,2017-11-19 18:00:00,0,0,0,0,1.00K,1000,1.00K,1000,NaN,NaN,NaN,NaN,"A strengthening low pressure system dragged a strong cold front through western New England after sunrise on November 19. Strong westerly winds occurred along the front and continued during the day behind the front.","" +121103,725042,MASSACHUSETTS,2017,November,Strong Wind,"EASTERN NORFOLK",2017-11-19 11:09:00,EST-5,2017-11-19 13:09:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 11:09 AM EST, a tree was down on a car on Ricciuti Drive in Quincy. At 12:46 PM EST, an amateur radio operator in MIlton measured a wind gust to 50 mph." +121103,725041,MASSACHUSETTS,2017,November,Strong Wind,"WESTERN NORFOLK",2017-11-19 10:28:00,EST-5,2017-11-19 13:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure from the Midwest passed west of Southern New England and into Canada, swinging a cold front through New England during the night of November 18 and morning of November 19. Strong west winds trailed the cold front and brought scattered reports of damage.","At 10:28 AM EST, a tree was down on wires on Daniels Street in Franklin. At 11:13 AM EST, a tree was down on wires on Mills Street in Randolph. At 12:18 PM EST, a tree was down on a car on Route 27 at Kingsbury Road in Medfield. At 12:48 PM EST, an amateur radio operator measured a wind gust to 51 mph." +121554,727479,UTAH,2017,November,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-11-27 05:50:00,MST-7,2017-11-27 12:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved through Utah on November 27, producing strong, gusty winds, particularly across northern and western Utah. In most cases, the strongest winds were behind the cold front.","Peak recorded wind gusts included 64 mph at the SR-201 at I-80 sensor, 61 mph at the Great Salt Lake Marina, and 58 mph at Flight Park South." +121567,728338,NEW YORK,2017,November,Coastal Flood,"WAYNE",2017-11-01 00:00:00,EST-5,2017-11-26 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121785,728949,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-26 12:00:00,PST-8,2017-11-26 12:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Washoe Valley NDOT sensor reported a peak wind gust of 73 mph." +121732,728723,NEVADA,2017,November,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-11-09 01:16:00,PST-8,2017-11-09 01:17:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 8th through the morning hours of the 9th.","NDOT sensor at Washoe Valley measured a 63 mph wind gust with sustained speeds of 30-43 mph near the time of the gust." +121785,728956,NEVADA,2017,November,High Wind,"WESTERN NEVADA BASIN AND RANGE",2017-11-26 13:55:00,PST-8,2017-11-26 13:56:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Strong low pressure over the northeast Pacific on the 25th moved southeast, reaching northern California on the 27th. This system brought high winds to many locations in western Nevada and snowfall to higher elevations.","Silver Springs Airport AWOS reported a peak wind gust of 63 mph." +113660,693082,TEXAS,2017,April,Hail,"NAVARRO",2017-04-10 22:45:00,CST-6,2017-04-10 22:45:00,0,0,0,0,0.00K,0,0.00K,0,32.04,-96.34,32.04,-96.34,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported quarter-sized hail in the towns of Mildred and Eureka." +113660,693083,TEXAS,2017,April,Hail,"DENTON",2017-04-10 22:52:00,CST-6,2017-04-10 22:52:00,0,0,0,0,0.00K,0,0.00K,0,33.07,-97,33.07,-97,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported quarter-sized hail in Lewisville, TX." +113660,693084,TEXAS,2017,April,Hail,"DENTON",2017-04-10 22:44:00,CST-6,2017-04-10 22:54:00,0,0,0,0,0.00K,0,0.00K,0,33.03,-97.09,33.03,-97.09,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Flower Mound Fire Department reported quarter sized hail lasting 10 minutes at Fire Station 5 in Flower Mound." +113660,693085,TEXAS,2017,April,Hail,"DENTON",2017-04-10 23:01:00,CST-6,2017-04-10 23:01:00,0,0,0,0,0.00K,0,0.00K,0,33.03,-97.09,33.03,-97.09,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated half-dollar sized hail in the city of Flower Mound, TX." +120735,723111,KENTUCKY,2017,November,Thunderstorm Wind,"OHIO",2017-11-18 15:26:00,CST-6,2017-11-18 15:26:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-86.9,37.54,-86.9,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","Trained spotters estimated wind gusts around 52 knots." +120735,723097,KENTUCKY,2017,November,Tornado,"OHIO",2017-11-18 15:20:00,CST-6,2017-11-18 15:22:00,1,0,0,0,250.00K,250000,0.00K,0,37.3995,-86.9052,37.3957,-86.8693,"A strong cold front clashed with an unseasonably warm air mass across the lower Ohio Valley during the afternoon and evening hours November 18. Impressively strong atmospheric conditions led to very strong gradient winds ahead of the cold front. Later in the day a line of strong to severe storms pushed into central Kentucky. There were several reports of damaging winds along with 3 brief tornadoes which led to a few minor injuries.","This small tornado was embedded in a fast moving squall line that raced east at 55 mph. The twister first touched down at a home on U.S. Highway 62 just west of Goshen Church Road, tearing off shingles and uprooting a tree. It moved east-southeast, uprooting and snapping trees near the intersection of Hwy 62 and Goshen Church Rd, along with damaging some small outbuildings. ||It next downed a tree on Mine Fork Road that fell between a home and outbuilding, damaging both structures and causing a |minor head injury to the occupant of the shed. Continuing over open fields, it next hit several residences along Hill, Mulberry, and South Mulberry streets before crossing U.S. Highway 231 and causing minor roof damage to the Post Office. ||The greatest damage occurred in this two block area, where up to a dozen outbuildings were destroyed or heavily damaged, and sections of roofing were lifted off homes and garages. Fences in the neighborhood were blown in a cyclonic pattern, providing evidence of the tight rotation pattern of the storm. After crossing Hwy 231, the tornado damaged several large warehouses, scattering wood and sheet metal debris. Along Bruce School Road, a chain link fence was flattened, and insulation was sucked out of the damaged roof of a two story home, then spattered along the east side of the home and adjacent vehicles.||Another large tree was uprooted in this yard before the tornado lifted. Sheet metal and shingles were lifted into trees along the route of the storm. The NWS thanks Ohio County EMA for assistance in this damage survey." +121823,729257,NEW YORK,2017,November,Lake-Effect Snow,"MADISON",2017-11-19 19:00:00,EST-5,2017-11-20 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system tracked down the Saint Lawrence River Valley from the 19th to the 20th. A northwest flow of cold air across the relatively warm waters of Lake Ontario led to the first significant lake effect snowstorm for parts of north central New York. Snowfall ranged from 6 to 10 inches in far northern Onondaga, northern Madison County and northwest Oneida County. The snow began during the evening of the 19th and ended the morning of the 20th.","Between 6 and 10 inches of snow fell from the evening of the 19th to the morning of the 20th in the far northern part of the County." +120501,721912,OREGON,2017,November,High Wind,"SOUTH CENTRAL OREGON COAST",2017-11-08 23:37:00,PST-8,2017-11-08 23:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming cold front brought high winds to some locations in southwest Oregon.","The NOS/NWLON at Port Orford recorded a gust to 58 mph at 08/2342 PST." +120501,721913,OREGON,2017,November,High Wind,"CURRY COUNTY COAST",2017-11-08 12:14:00,PST-8,2017-11-09 23:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming cold front brought high winds to some locations in southwest Oregon.","The RAWS at Flynn Prairie recorded several gusts exceeding 57 mph during this interval. The peak gust was 69 mph , recorded at 08/1413 PST." +120467,721746,OREGON,2017,November,Frost/Freeze,"CENTRAL DOUGLAS COUNTY",2017-11-07 02:00:00,PST-8,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass combined with clearing skies to bring freezing temperatures to some parts of the Umpqua Basin.","Reported low temperatures in this zone ranged from 31 to 36 degrees." +120592,722382,NEW MEXICO,2017,November,High Wind,"RATON RIDGE/JOHNSON MESA",2017-11-17 08:30:00,MST-7,2017-11-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Peak wind gusts between 58 mph and 61 mph were reported at Des Moines periodically over several hours." +120592,722383,NEW MEXICO,2017,November,High Wind,"RATON RIDGE/JOHNSON MESA",2017-11-17 09:30:00,MST-7,2017-11-17 12:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A broad upper level trough moved quickly southeastward from the Great Basin into northern New Mexico and delivered a swift punch of high winds. The strongest winds developed over the high terrain of the Sangre de Cristo Mountains during the early morning hours of the 17th then spread eastward into northeastern New Mexico through the afternoon hours. Several locations along the east slopes of the Sangre de Cristo Mountains reported peak wind gusts near 65 mph along with damage to large trees. Strong downslope flow in this pattern generated a handful of record high temperatures across central and eastern New Mexico. The strong winds tapered off over much of the area by the late afternoon hours, however a few areas along the east slopes continued to experience periodic high winds. This storm system ushered in the coldest temperatures of the fall season and finally brought the third latest freeze on record at the Albuquerque Sunport on the 19th.","Sustained winds between 40 mph and 43 mph reported periodically for a few hours at Des Moines." +120606,722496,WEST VIRGINIA,2017,November,Strong Wind,"GILMER",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722497,WEST VIRGINIA,2017,November,Strong Wind,"JACKSON",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120606,722498,WEST VIRGINIA,2017,November,Strong Wind,"RITCHIE",2017-11-18 22:00:00,EST-5,2017-11-19 03:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moved through the middle Ohio River Valley and Central Appalachians late on the 18th and early on the 19th. Ahead of the front, in unseasonably warm air, a strong low level jet resulted in gusty winds during the late morning and afternoon. Additional strong wind gusts occurred in showers along and just ahead of the cold front as it surged through overnight.||Many wind gusts of 40 to 50 miles per hour were recorded, with a couple of 50-60 mile per hour gusts. For example, 58 mph was measured by the automated stations at Yeager Airport in Charleston and the Randolph County Airport in Elkins. Many trees were blown down, resulting in numerous power outages late on the 18th and into the 19th. In Kanawha County, one arching power line started a brush fire which burned 2-3 acres before crews could extinguish it.","" +120962,724062,ARKANSAS,2017,November,Drought,"YELL",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Yell County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120962,724063,ARKANSAS,2017,November,Drought,"SCOTT",2017-11-07 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dry conditions have persisted over much of Arkansas during the last three months (September, October, November). Much of the state was running less than 50 percent of normal rainfall for the month, and for the fall season (September 1 - November 30). November 2017, and the fall of 2017 are the driest on record in several localities across the state. This dry period has resulted in the development of severe to extreme drought conditions across the state.||As of November 30th, there was a high wildfire danger across all of Arkansas due to dry vegetation and soil moisture conditions across the state. Streamflow along area tributaries was below normal at most sites, but was especially low in the southern and western portions of the state. The impacts of drought on agriculture are difficult to measure at this time of year when the vegetation is normally dormant anyways. If drought conditions persist into the spring and growing season, economic impacts will likely be steep. ||November 2017 was the driest November on record at the following stations: North Little Rock, Little Rock Air Force Base, and Monticello.||Fall of 2017 was the driest on record for the following locations: Pine Bluff, North Little Rock, Russellville, Little Rock Air Force Base, Calico Rock 2 WSW, Mount Ida, and Monticello.","Scott County entered D2 drought designation on November 7th and entered D3 drought designation on November 28th." +120972,724114,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer in Cocolalla recorded 4.5 inches of new snow accumulation." +120972,724116,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer near Bonners Ferry recorded 6.5 inches of new snow accumulation." +120972,724117,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Spirit lake recorded 5.7 inches of new snow accumulation." +120972,724118,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Athol recorded 8.2 inches of new snow accumulation." +120972,724119,IDAHO,2017,November,Heavy Snow,"NORTHERN PANHANDLE",2017-11-04 14:00:00,PST-8,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system produced a warm front over the region followed by a trailing cold front which produced heavy snow accumulations over the Idaho Panhandle during the evening of November 4th through the afternoon of November 5th. The northern panhandle and the mountains of the central panhandle received the heaviest amounts but light to moderate accumulations of snow also impacted the Idaho Palouse and Camas Prairie of Lewis County with rain in the lowest valleys near the Snake River.","An observer at Naples recorded 4.7 inches of new snow accumulation." +121006,724382,ILLINOIS,2017,November,Strong Wind,"WILLIAMSON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At the Carbondale airport, winds gusted to 40 mph from the south early in the morning. There were two fatalities in Union County when a tree was blown into the bedroom of a mobile home three miles east of Anna. An adult man and his one-year-old daughter were both killed in the bedroom early in the morning. Following the passage of the cold front and its line of storms, northwest winds gusted to 43 mph at the Carbondale airport, 46 mph at the Carmi airport, and 41 mph at the Harrisburg airport.","" +121007,724391,INDIANA,2017,November,Strong Wind,"GIBSON",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121007,724392,INDIANA,2017,November,Strong Wind,"PIKE",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121007,724393,INDIANA,2017,November,Strong Wind,"POSEY",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121007,724394,INDIANA,2017,November,Strong Wind,"VANDERBURGH",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121007,724395,INDIANA,2017,November,Strong Wind,"WARRICK",2017-11-18 06:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front surged southeast from Missouri across the lower Ohio Valley. Ahead of the front, strong south winds gusted close to 40 mph in some places. Immediately following the passage of the cold front and its associated line of thunderstorms, a short period of strong northwest winds occurred. At Petersburg in Pike County, four sign posts or light posts were blown over due to gusty south winds ahead of the front.","" +121027,724612,ARKANSAS,2017,November,Drought,"LAFAYETTE",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121027,724613,ARKANSAS,2017,November,Drought,"COLUMBIA",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across much of Southwest Arkansas (including much of Sevier, Howard, Hempstead, Nevada, Columbia, Lafayette, and Miller Counties) to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. The NWS Coop station 3 miles northeast of Hope recorded only 1.37 inches of rain during this 2 month period, setting the 3rd driest September/October on record. Meanwhile, Dequeen recorded only 1.70 inches of rain during this 2 month period, which ranked as the 2nd driest September/October on record. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly, and shallow rooted trees across portions of Southwest Arkansas dried up and died or were significantly stressed. Drought conditions deteriorated further to Extreme (D3) on November 30th over much of Sevier, Howard, and Northern Hempstead Counties.","" +121028,724615,TEXAS,2017,November,Drought,"CASS",2017-11-09 00:00:00,CST-6,2017-11-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions developed across Eastern Bowie, much of Cass, and Eastern Marion Counties in Northeast Texas to start the second week of November, due to the significant deficits of rain observed since the final week of August. In fact, record to near record dry conditions were recorded during September, but continued dry conditions during October only exasperated the developing drought, as only one to three inches of rain fell during the period. As a result of the drought, planting of winter wheat pastures were delayed or little growth occurred, stock ponds receded significantly.","" +122252,732309,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 01:58:00,PST-8,2017-12-20 01:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Mesonet NEMNV 3 miles west-southwest of Dayton reported a wind gust of 63 mph." +122252,732310,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-19 23:46:00,PST-8,2017-12-19 23:47:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Reno-Tahoe International Airport ASOS reported a wind gust of 61 mph." +122252,732311,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-20 09:00:00,PST-8,2017-12-20 09:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Public reported that a tree limb fell onto a second story balcony landing on Patriot Drive in southeast Reno the morning of 20 December. Wind gust readings from a nearby mesonet (IEINV) had shown maximum wind gusts in the previous 12 hours as high as 62 mph (20 December 0118PST)." +122252,732312,NEVADA,2017,December,High Wind,"MINERAL/SOUTHERN LYON",2017-12-20 06:45:00,PST-8,2017-12-20 06:46:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","Road closure for US Highway 95 occurred the morning of 20 December near Hawthorne and Walker Lake due to a blown over semi truck. Wind gusts were between 30-65 mph from 0254-0615PST." +122252,732315,NEVADA,2017,December,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-12-19 20:00:00,PST-8,2017-12-19 20:01:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A closed upper low over the Pacific Northwest brought gusty winds to portions of the eastern Sierra Nevada and western Nevada from late afternoon on the 19th through the late morning hours of the 20th.","A pickup truck towing a horse trailer overturned from high winds. Reported wind gusts were between 35-65 mph at mesonet SRNNV (US-395A North) from 1800-2000PST." +122066,730724,WYOMING,2017,December,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-12-18 14:20:00,MST-7,2017-12-18 14:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Bordeaux measured peak wind gusts of 58 mph." +122066,730726,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-18 08:00:00,MST-7,2017-12-18 09:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong gap winds with gusts of 60 to 70 mph developed across the Interstate 25 and 80 wind corridors in southeast Wyoming.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 18/0855 MST." +122387,732699,WASHINGTON,2017,December,High Wind,"SOUTH COAST",2017-12-19 05:03:00,PST-8,2017-12-19 10:27:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the south Washington Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","A wind sensor on Megler Bridge recorded wind gusts up to 63 mph. Another wind sensor at Cape Disappointment recorded sustained winds up to 48 mph." +122387,732702,WASHINGTON,2017,December,Heavy Snow,"SOUTHERN WASHINGTON CASCADE FOOTHILLS",2017-12-19 22:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the south Washington Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","Pepper Creek SNOTEL reported 8 inches of snow from this event." +122383,732704,OREGON,2017,December,Heavy Snow,"NORTH OREGON CASCADES",2017-12-19 14:00:00,PST-8,2017-12-20 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the Oregon Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","NWAC snow observation at Timberline Lodge (5880 ft) reported 19 inches. Bear Grass SNOTEL (4720 ft) reported 17 inches, with 15 inches over a 12 hour period. Many other sites reported 10 to 15 inches of snow." +122383,732706,OREGON,2017,December,Heavy Snow,"CASCADES IN LANE COUNTY",2017-12-19 15:00:00,PST-8,2017-12-20 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front associated with an upper-level low pressure system brought high winds to the Oregon Coast. This system tapped into some tropical moisture out near Hawaii, enhancing moisture which created heavy snowfall in the Cascades.","McKenzie SNOTEL recorded 16 inches of snow from this event, with 13 inches falling over a 9 hour period." +122388,732707,OREGON,2017,December,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-12-22 16:45:00,PST-8,2017-12-23 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal boundary sagging south over SW Washington and NW Oregon, combined with offshore winds keeping cold temperatures locked into the Columbia River Gorge and Hood River Valley, caused snow in the Columbia River Gorge and Hood River Valley.","A CoCoRaHS Observer in Hood River reported 6.0 inches of snow from this event." +122389,732708,WASHINGTON,2017,December,Heavy Snow,"CENTRAL COLUMBIA RIVER GORGE",2017-12-22 16:45:00,PST-8,2017-12-23 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frontal boundary sagging south over SW Washington and NW Oregon, combined with offshore winds keeping temperatures cold, caused snow in the Columbia River Gorge.","A CoCoRaHS observer 2.1 miles west of Underwood reported 6.6 inches of snow." +122390,732737,OREGON,2017,December,Winter Weather,"GREATER PORTLAND METRO AREA",2017-12-24 09:50:00,PST-8,2017-12-25 08:35:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure system moving into the Pacific Northwest pulled cold air from the Columbia Basin west into the Willamette Valley, through the Columbia River Gorge. As this system started to bring moisture and precipitation into NW Oregon, temperatures were around or below freezing, allowing for a mix of snow and ice to fall all the way to the Valley Floor around the Portland Metro, in the Columbia River Gorge, and the Hood River Valley.","The NWS Observation recorded 1 inch of snow, which was similar to most locations around north Portland, with some areas farther south only getting around 0.2 inch. Snow turned to freezing rain, with a total of 0.15 inch of ice at the NWS Office." +121261,726794,MONTANA,2017,December,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-12-19 16:45:00,MST-7,2017-12-19 16:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","MT DOT reported single vehicle accident along MT Route 464 near Saint Mary. Roadway was snow and ice-covered." +121261,727172,MONTANA,2017,December,Heavy Snow,"JEFFERSON",2017-12-20 17:19:00,MST-7,2017-12-20 17:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Canadian cold front advanced southward into North-Central Montana on Monday, December 18th. Marked frontogenesis triggered bands of steady to heavy snow along and near the Hi-Line. As the front advanced farther southward, the frontogenesis and associated snow banding weakened over Central Montana in response to an already cool air mass over Southwest Montana, ahead of the front. Simultaneously, steady to heavy upslope snow fell along the Rocky Mountain Front due to moist westerly flow aloft. Then, as a shortwave trough advanced from the Pacific Northwest to the Great Basin, associated lift, including isentropic lift, generated widespread light to moderate snow over North-Central and Southwest Montana on December 19th into the 20th.","Spotter reported 9.5 inches of fresh snow since 0800 MST on Dec 20th." +121137,725218,KENTUCKY,2017,December,Flood,"LAWRENCE",2017-12-23 09:30:00,EST-5,2017-12-23 21:30:00,0,0,0,0,2.00K,2000,0.00K,0,38.0336,-82.9019,38.1432,-82.6644,"A strong low pressure system moved out of the lower Mississippi Valley early on the 23rd, crossing eastern Kentucky around sunrise. Moisture from the Gulf of Mexico surged north ahead of the system, resulting in a prolonged period of moderate rainfall which started during the afternoon of the 22nd and tapered off late on the 23rd. The highest rainfall amounts fell along a line stretching from south central Kentucky, northeastward through Lawrence County and into western West Virginia. In this area, 1.75 to 2.25 inches of rain fell over about 24 hours resulting in isolated minor flooding.","Multiple roads were closed as several creeks and streams rose out of their banks. This included Kentucky Route 3396 along Smoke Valley Fork and Old Lick Creek Road along Lick Creek and Clayton Branch. The Left Fork of Little Blaine Creek also flooded, closing Left Fork Little Blaine Creek Road." +121364,726501,TEXAS,2017,December,Drought,"CASS",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121364,726502,TEXAS,2017,December,Drought,"MARION",2017-12-01 00:00:00,CST-6,2017-12-27 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions encompassed all of Northeast Texas to start December, with areas of extreme (D3) drought expanding southwest over Western Bowie and into Red River Counties from Southeast Oklahoma and adjacent sections of Southwest Arkansas by the second week of the month. Including the first half of December, the total rainfall amounts that fell during the Fall months (September/October/November) only ranged from 3-4 inches, which was only 25-30% of normal whereas temperatures during the period remained above normal as well. This resulted in burn bans being hoisted for several counties in Northeast Texas, until an extended period of wetting rains fell between December 16th-22nd across all of Northeast Texas. Widespread rainfall amounts of 4-6 inches fell across the area ahead of a couple cold frontal passages, thus alleviating the extreme and severe drought conditions that had been in place since mid-November. As a result, the extreme drought areas of Red River and Western Bowie Counties were improved two categories to moderate (D1), with an additional two category improvement from severe to abnormally dry (D0) made across much of Northeast Texas. A one category improvement from severe to moderate drought was made across Harrison and Panola Counties by month's end.","" +121382,726651,MONTANA,2017,December,Winter Storm,"MISSOULA / BITTERROOT VALLEYS",2017-12-22 15:50:00,MST-7,2017-12-23 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An increase in snow during the evening commute led to numerous accidents across west-central Montana. A special alert for emergency travel only, was issued by Missoula County for Interstate 90 between Bonner to just east of Clinton for slick roads and blowing snow causing poor visibility and hazardous driving conditions.","Due to an increase in snow intensities during the evening commute, Missoula county officials issued an emergency travel only alert from Bonner east to the Missoula/Granite county line along Interstate 90. NWS employees reported 5 inches of snow near South Hills and 7 inches in Lolo. Numerous accidents were observed between Missoula and Clinton and between Missoula and Lolo." +121252,725868,IDAHO,2017,December,Heavy Snow,"NORTHERN PANHANDLE",2017-12-28 23:00:00,PST-8,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","The Schweitzer Mountain ski resort reported 20 inches of new snow from this storm." +121252,725878,IDAHO,2017,December,Heavy Snow,"CENTRAL PANHANDLE MOUNTAINS",2017-12-28 12:00:00,PST-8,2017-12-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A stationary front fed by a rich plume of Pacific moisture followed by the passage of a surface low pressure brought heavy snow to the mountains and valleys of north Idaho beginning on the 28th of December and continuing through the 30th. As the surface low pressure approached a tongue of warm air aloft produced freezing rain in addition to snow in the Coeur D'Alene area. The warm front never migrated any farther north and the mountains and valleys of the northern Idaho Panhandle received heavy snow until the storm ended. South of the warm front, over the Idaho Palouse region and the valleys of the central Panhandle heavy rain fell with St. Maries reporting 1.26 inches of rain, Potlatch receiving 2.21 inches and Lewiston 1.33 inches. This rainfall combined with melting low elevation snow triggered mudslides and debris flows as well as forcing Paradise Creek near Moscow briefly above Flood Stage.","The lookout Pass ski resort reported a storm total of 50 inches of snow at the summit from this storm system." +121452,727033,HAWAII,2017,December,High Surf,"NIIHAU",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727034,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121452,727035,HAWAII,2017,December,High Surf,"KAUAI LEEWARD",2017-12-01 00:00:00,HST-10,2017-12-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of swells from a strong low over the northeast Pacific, and a robust trade-wind swell, produced surf of 15 to 25 feet along north-facing shores; 8 to 15 feet along east-facing shores, of Niihau, Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii; and 10 to 15 feet along the west-facing shores of Niihau and Kauai. The high surf caused considerable erosion in portions of West Maui exposed to the north swell, including the development of sink holes, and also damaged seawalls in the area. On the Big Island around Hilo, a few beach parks and roadways were closed for a time due to the high surf. Lifeguards were busy with rescues and warning beach-goers about the dangerous surf. The cost of the damages was not available. There were no serious injuries reported. This is a continuation of an episode from the end of November.","" +121453,727046,HAWAII,2017,December,High Surf,"KAUAI WINDWARD",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121453,727047,HAWAII,2017,December,High Surf,"OAHU KOOLAU",2017-12-02 10:00:00,HST-10,2017-12-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell produced surf of 6 to 10 feet along the east facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +121523,727387,MONTANA,2017,December,Winter Storm,"NORTHERN PARK COUNTY",2017-12-16 01:00:00,MST-7,2017-12-16 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak disturbance aloft brought minor snow accumulations to portions of the Billings forecast area. However, some heavy snow amounts occurred across Northern Park County.","Snowfall amounts of 8 to 10 inches were reported in Clyde Park." +121552,727476,WYOMING,2017,December,Winter Storm,"SHERIDAN FOOTHILLS",2017-12-29 00:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","There were several 8+ inch snowfall reports east of Interstate 90." +121534,727444,MONTANA,2017,December,Winter Storm,"NORTHERN ROSEBUD",2017-12-28 11:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 6 to 8 inches along with very difficult driving conditions were reported." +121534,727466,MONTANA,2017,December,Winter Storm,"SOUTHERN WHEATLAND",2017-12-29 01:00:00,MST-7,2017-12-30 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Harlowton received 12 inches of snow." +121534,727472,MONTANA,2017,December,Winter Storm,"SOUTHERN BIG HORN",2017-12-29 05:00:00,MST-7,2017-12-30 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong arctic front moved across the Billings Forecast area during the early morning hours of the 28th. At the same time, a fetch of deep Pacific moisture moved off the Pacific and across the northern Rockies. This pattern persisted for about 48 hours. Temperatures were mainly in the single digits above and below zero through the period. This resulted in very high snow ratios which equated to high snow total amounts. In addition, gusty north to northeast winds resulted in widespread blowing and drifting snow. The main impact from this winter storm was difficult to impossible traveling conditions.","Snowfall of 6 to 11 inches was reported across the area." +121621,727915,MONTANA,2017,December,Drought,"RICHLAND",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area which produced approximately 150 to 200 percent of normal precipitation for the month, the northwestern half of Richland County remained in Severe (D2) drought conditions throughout December." +121621,727917,MONTANA,2017,December,Drought,"SHERIDAN",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area which produced approximately 50 percent to near normal precipitation for the month, Sheridan County remained in Severe (D2) drought conditions throughout December." +121621,727920,MONTANA,2017,December,Drought,"WESTERN ROOSEVELT",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that moved across the area, western Roosevelt County received only approximately 50 percent to near normal precipitation for the month, and remained in Severe (D2) drought conditions throughout December." +121621,727899,MONTANA,2017,December,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-12-01 00:00:00,MST-7,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This was an interesting month, with the western portions of northeast Montana receiving well above normal precipitation, and the eastern half receiving generally less than normal precipitation. In fact, Phillips, Valley, and Garfield counties received up to 200 to 400 percent of their normal precipitation. However, with already dry conditions in place and very cold temperatures moving into place during the month, there was very little change in drought conditions overall, although some snow did fall across northeast Montana during the month of December.","Despite a couple of winter storms that dropped a few inches of snow across the area the latter half of the month bringing precipitation amounts totaling more than 200 percent above normal, Extreme (D3) conditions prevailed throughout the month across central and southern Valley County." +121690,728415,WYOMING,2017,December,High Wind,"JACKSON HOLE",2017-12-30 12:23:00,MST-7,2017-12-30 12:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front set up across the Montana-Wyoming border and stalled for a couple of days before eventually dropping southward into Wyoming. The front had ample moisture to work with with several disturbances riding along it. Although the main effects were across Montana, some wind and snow made it into Wyoming. The heaviest snow fell in the northern Absarokas where 25 inches of new snow was recorded at the Beartooth Lake SNOTEL site. Mid level winds were also very strong with this system and mixed to the surface in some locations. Although most of the strongest winds remained over areas with very little population, some gusts were very impressive. Some of the highest included 95 mph at the Camp Creek RAWS site in the Green Mountains and 93 mph at Hoyt Peak in Yellowstone Park.","The ASOS at the Jackson Hole airport reported a wind gust of 60 mph." +121690,728414,WYOMING,2017,December,Winter Storm,"ABSAROKA MOUNTAINS",2017-12-28 13:00:00,MST-7,2017-12-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front set up across the Montana-Wyoming border and stalled for a couple of days before eventually dropping southward into Wyoming. The front had ample moisture to work with with several disturbances riding along it. Although the main effects were across Montana, some wind and snow made it into Wyoming. The heaviest snow fell in the northern Absarokas where 25 inches of new snow was recorded at the Beartooth Lake SNOTEL site. Mid level winds were also very strong with this system and mixed to the surface in some locations. Although most of the strongest winds remained over areas with very little population, some gusts were very impressive. Some of the highest included 95 mph at the Camp Creek RAWS site in the Green Mountains and 93 mph at Hoyt Peak in Yellowstone Park.","Very heavy snow fell in portions of the northern Absarokas. The highest amount recorded was 25 inches at the Beartooth Lake SNOTEL. Amounts dropped off further south in the mountain range." +121690,728417,WYOMING,2017,December,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-12-28 10:00:00,MST-7,2017-12-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front set up across the Montana-Wyoming border and stalled for a couple of days before eventually dropping southward into Wyoming. The front had ample moisture to work with with several disturbances riding along it. Although the main effects were across Montana, some wind and snow made it into Wyoming. The heaviest snow fell in the northern Absarokas where 25 inches of new snow was recorded at the Beartooth Lake SNOTEL site. Mid level winds were also very strong with this system and mixed to the surface in some locations. Although most of the strongest winds remained over areas with very little population, some gusts were very impressive. Some of the highest included 95 mph at the Camp Creek RAWS site in the Green Mountains and 93 mph at Hoyt Peak in Yellowstone Park.","High winds occurred across much of the Green and Rattlesnake Range. The highest wind was restricted to the higher, unpopulated areas including Camp Creek, which had a prolonged period of wind gusts over 58 mph including a maximum gust of 95 mph. High winds also reached some of the roads, with a gust of 60 mph recorded at Beaver Rim sensor along Highway 28." +121781,729407,MICHIGAN,2017,December,Lake-Effect Snow,"LUCE",2017-12-08 04:00:00,EST-5,2017-12-08 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","There was a report from social media of an estimated ten inches of lake effect snow in ten hours at Newberry." +121781,729408,MICHIGAN,2017,December,Winter Weather,"ALGER",2017-12-08 07:30:00,EST-5,2017-12-09 07:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving across the Upper Great Lakes and a push of Arctic air behind this system generated moderate to heavy lake effect snow over the west to northwest snow belts of Lake Superior from the 5th into the 9th. Strong and gusty winds also led to considerable blowing and drifting of snow as well.","The observer in Munising measured 11 inches of lake effect snow in 24 hours." +121723,729422,MARYLAND,2017,December,Winter Weather,"PRINCE GEORGES",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall totaled up to 2.5 inches in Morningside and 2.7 inches in Bowie. Snowfall averaged between 2 and 3 inches across the county." +121723,729423,MARYLAND,2017,December,Winter Weather,"NORTHWEST MONTGOMERY",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 3 and 5 inches across northern Montgomery County. Snowfall totaled up to 5.2 inches near Damascus and 3.9 inches near Clarksburg." +121723,729424,MARYLAND,2017,December,Winter Weather,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 2 and 4 inches across southeastern Montgomery County." +121723,729425,MARYLAND,2017,December,Winter Weather,"NORTHWEST HOWARD",2017-12-09 05:00:00,EST-5,2017-12-09 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure passed by to the south and this caused a period of snow across southern Maryland on the 9th. For other locations, a potent upper-level trough and disturbance associated with the trough passed through the area on the 9th. The forcing from the disturbance caused a period of snow to develop.","Snowfall averaged between 3 and 5 inches across northwest Howard County. Snowfall totaled up to 3.5 inches in Ellicott City." +121218,726370,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"SIBLEY",2017-12-30 04:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 35 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -36F." +121218,726371,MINNESOTA,2017,December,Extreme Cold/Wind Chill,"STEARNS",2017-12-30 01:00:00,CST-6,2017-12-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest air mass since December 2016 surged southward across the northern part of the nation during the last part of December. Although wind speeds only averaged between 10 to 15 mph, the combination of actual surface temperatures in the teens and 20s below zero, wind chill values dropped below 35 degrees below zero for a wide area of western, southern and central Minnesota. The coldest wind chills occurred in west central Minnesota where values dropped to 45 degrees below zero. There was a small window Saturday afternoon, December 30th where wind chill values rose above -35F; it was temporary as wind speeds increased Saturday night, causing wind chill values to once again fall below -35F. Some of the lowest wind chill values occurred around Morris, Benson, and Alexandria where all these airport stations had average wind chill values between -40 to -45F for part of Saturday and Sunday mornings.","Several sources reported wind chill values averaging around 40 degrees below zero which started early Saturday morning, and continued through Saturday and Sunday morning. The worst conditions occurred Sunday morning when wind speeds combined with cold lows to produced wind chill values around -44F." +113559,679825,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-25 17:42:00,EST-5,2017-02-25 17:42:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 52 knots was measured at York River East Rear Range Light." +113559,679828,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-25 17:44:00,EST-5,2017-02-25 17:44:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-76.38,37.16,-76.38,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 38 knots was measured at Poquoson River Light." +113559,679830,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-25 18:06:00,EST-5,2017-02-25 18:06:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.26,37.05,-76.26,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Thimble Shoals." +113559,679831,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-25 18:07:00,EST-5,2017-02-25 18:07:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-76.02,37.26,-76.02,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 39 knots was measured at Plantation Flats." +113572,679852,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-12 18:18:00,EST-5,2017-02-12 18:18:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.33,37.25,-76.33,"Scattered showers and isolated thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 42 knots was measured at York River East Rear Range Light." +113572,679853,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-02-12 18:20:00,EST-5,2017-02-12 18:20:00,0,0,0,0,0.00K,0,0.00K,0,37.3,-76.25,37.3,-76.25,"Scattered showers and isolated thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 36 knots was measured at New Point Comfort." +113572,679854,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-02-12 18:37:00,EST-5,2017-02-12 18:37:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-76.02,37.26,-76.02,"Scattered showers and isolated thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 38 knots was measured at Plantation Flats." +113573,679855,ATLANTIC NORTH,2017,February,Marine Thunderstorm Wind,"YORK RIVER",2017-02-12 18:18:00,EST-5,2017-02-12 18:18:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-76.48,37.23,-76.48,"Scattered showers and isolated thunderstorms in advance of a cold front produced gusty winds across portions of the York River.","Wind gust of 36 knots was measured at Yorktown USCG Station." +121467,727141,NEBRASKA,2017,December,Winter Weather,"GOSPER",2017-12-23 15:00:00,CST-6,2017-12-24 01:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"For those folks longing for a White Christmas, many across South Central Nebraska had their wishes granted. Saturday evening the 23rd into early Sunday morning the 24th featured the first widespread, multiple-inch snow of the 2017-18 winter season, with most local counties reporting anywhere from 2-5, and the overall-highest totals focused near the Interstate 80 and Highway 6 corridors. Fortunately, this was a rather low-impact event, as the dry, fluffy snow was accompanied by winds only around 10 MPH, keeping travel issues to a relative minimum. According to various NeRAIN/CoCoRaHS and NWS cooperative observers, some of the highest totals featured: 5.8 at Grand Island airport; 5 at various locations including Lexington, four miles east of Ohiowa, Minden, Clay Center and Bruning; and 4.7 three miles north of York. Other official Tri Cities totals included 4 at Hastings NWS Office and 3.5 at Kearney airport, although there were unofficial reports as high as 5 from the Kearney area. ||Timing-wise, this was mainly a late afternoon-overnight episode, with the majority of counties picking up the bulk of snow between 5 PM-3 AM. However, some areas received a light dusting during the morning-early afternoon hours on the 23rd, prior to the main show. In the mid-upper levels, this fairly quick-hitting event occurred in a large-scale regime featuring a broad trough encompassing much of the CONUS. However, on the smaller scale, the driving force was clearly a pronounced area of frontogenesis (especially evident around 700 millibars). This event coincided with a pronounced shift to a very cold weather pattern that remained entrenched for the next 1-2 weeks, keeping much of this snow on the ground well into early-January.","A snowfall total of 4.0 inches occurred eight miles south of Elwood. Also, a snowfall total of 3.0 inches occurred 10 miles south-southwest of Smithfield, reported by NeRain." +122055,730690,IOWA,2017,December,High Wind,"UNION",2017-12-04 19:10:00,CST-6,2017-12-04 19:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts were observed across portions of central and western Iowa.","" +122055,730691,IOWA,2017,December,High Wind,"CARROLL",2017-12-04 19:20:00,CST-6,2017-12-04 19:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts were observed across portions of central and western Iowa.","" +122055,730692,IOWA,2017,December,High Wind,"DALLAS",2017-12-04 19:55:00,CST-6,2017-12-04 19:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A few high wind gusts were observed across portions of central and western Iowa.","" +121965,730718,MICHIGAN,2017,December,Winter Weather,"KEWEENAW",2017-12-14 08:00:00,EST-5,2017-12-16 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the area helped generate moderate to heavy lake enhanced snow across the northwest wind snow belts of Lake Superior from the 14th into the 16th.","The observer in Kearsarge measured a two-day lake effect snowfall total of 14.5 inches." +121965,730719,MICHIGAN,2017,December,Winter Weather,"NORTHERN HOUGHTON",2017-12-14 08:30:00,EST-5,2017-12-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper disturbance moving across the area helped generate moderate to heavy lake enhanced snow across the northwest wind snow belts of Lake Superior from the 14th into the 16th.","Two-day lake effect snowfall totals in northern Houghton County included 14.7 inches at Kearsarge, 14.1 inches at Painesdale and 11.1 inches in Hancock." +122219,731642,ARKANSAS,2017,December,Drought,"RANDOLPH",2017-12-12 06:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Abnormally dry weather continued across much of Arkansas during the month of December and fueled the spread of extreme (D3) drought conditions over parts of Northeast Arkansas. Dry conditions negatively impacted pastures, triggering more feeding of hay, and causing concern for hay shortages for the winter months. The drought caused river and lake levels to be at low levels.","Extreme (D3) drought conditions developed across the county." +122035,730611,MONTANA,2017,December,Extreme Cold/Wind Chill,"DANIELS",2017-12-26 22:02:00,MST-7,2017-12-27 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very cold temperatures and breezy conditions contributed to produce isolated extreme wind chill values across portions of northeast Montana during the early morning of the 27th.","Widespread wind chills in the 30s below zero occurred in Daniels County the evening of the 26th and the early morning of the 27th, with the Navajo MT-5 DOT site periodically recording wind chills less than 40 below." +122035,730597,MONTANA,2017,December,Extreme Cold/Wind Chill,"CENTRAL AND SE PHILLIPS",2017-12-27 03:53:00,MST-7,2017-12-27 04:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very cold temperatures and breezy conditions contributed to produce isolated extreme wind chill values across portions of northeast Montana during the early morning of the 27th.","Temperatures across much of Valley County dropped into the teens below zero with winds gusting to 15 to 20 mph. This was enough to create widespread wind chill values of less than 30 below zero, with a couple of spots seeing wind chills at 40 below or less, mainly at the Glasgow airport ASOS." +122035,730609,MONTANA,2017,December,Extreme Cold/Wind Chill,"WESTERN ROOSEVELT",2017-12-27 07:18:00,MST-7,2017-12-27 07:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Very cold temperatures and breezy conditions contributed to produce isolated extreme wind chill values across portions of northeast Montana during the early morning of the 27th.","Temperatures across much of Roosevelt County dropped into the teens below zero with winds gusting to 15 to 20 mph. This was enough to create widespread wind chill values of less than 30 below zero, with the Poplar RAWS site recording a wind chill of 41 below." +122097,730983,TEXAS,2017,December,Winter Weather,"ORANGE",2017-12-08 01:00:00,CST-6,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to four inches of snow fell across Orange County with the highest amount of 4.1 reported in Vidor. Area bridges became icy and Interstate 10 had some overpasses close. Schools also closed during the event." +122097,730987,TEXAS,2017,December,Winter Weather,"NORTHERN NEWTON",2017-12-07 22:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Newton County. Schools closed during the event since some roads became icy." +122097,730986,TEXAS,2017,December,Winter Weather,"NORTHERN JASPER",2017-12-07 22:00:00,CST-6,2017-12-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air plunged to the gulf coast while an upper level disturbance provided support for precipitation. Precipitation began to change to snow across the region during the evening of the 7th and accumulate. Snow lingered through much of the morning of the 8th. The heavy wet snow caused some power outages in the area and area schools to close.","One to three inches of snow fell across Jasper County. Schools closed during the event since some roads became icy." +122186,731460,TEXAS,2017,December,Winter Weather,"LAVACA",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122186,731462,TEXAS,2017,December,Winter Weather,"LEE",2017-12-07 17:00:00,CST-6,2017-12-07 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county:|Atascosa Pleasanton 1.0 in.|Bandera 1NNE Lakehills 2.2 in.|Bastrop 4NNE Rosanky 4.5 in.|Bexar Scenic Oaks 3.8 in.|Blanco Blanco 1.0 in.|Caldwell 4NNW Luling 2.5 in.|Comal 3SSE Smithson Valley 3.9 in.|DeWitt 8SW Westhoff 2.0 in.|Dimmit Carrizo Springs 1.6 in.|Edwards 9WSW Rocksprings 3.0 in.|Fayette 3ENE La Grange 1.5 in.|Gillespie 2WSW Willow City 0.5 in.|Gonzales 1N Gonzales 0.4 in.|Guadalupe 2S New Braunfels 2.7 in.|Hays Kyle 3.0 in.|Karnes Runge 2.0 in.|Kendall 1E Boerne 2.5 in.|Kerr 2NNE Center Point 0.5 in.|Kinney 26N Brackettville 0.5 in.|Lavaca Yoakum 3.0 in.|Lee 4SSE Fedor 5.0 in.|Maverick Eagle Pass 0.1 in.|Medina 8E Hondo 1.7 in.|Real Leakey 0.1 in.|Travis 3ENE Onion Creek 1.8 in.|Uvalde Sabinal 2.1 in.|Val Verde 4NW Del Rio T|Williamson 6.5ESE Coupland 0.8 in.|Wilson 5WSW La Vernia 2.0 in.|Zavala Crystal City 0.1 in.","A cold front brought a shallow layer of cold air into South Central Texas on December 6. This was followed by an upper level trough cooling the deeper atmosphere allowing snow to fall across the region. Snow began across the Edwards Plateau and Rio Grande Plains on the evening of the 6th and redeveloped farther south and east during the evening of December 7. Snowfall totals ranged from a trace to five inches. Higher snow totals were seen in a band from Edwards to northern Bexar to Lee County. Despite this heavy snow there were only minor impacts of a few traffic accidents. Here is a list of the maximum snow in each county: |Atascosa Pleasanton 1.0 in. |Bandera 1NNE Lakehills 2.2 in. |Bastrop 4NNE Rosanky 4.5 in. |Bexar Scenic Oaks 3.8 in. |Blanco Blanco 1.0 in. |Caldwell 4NNW Luling 2.5 in. |Comal 3SSE Smithson Valley 3.9 in. |DeWitt 8SW Westhoff 2.0 in. |Dimmit Carrizo Springs 1.6 in. |Edwards 9WSW Rocksprings 3.0 in. |Fayette 3ENE La Grange 1.5 in. |Gillespie 2WSW Willow City 0.5 in. |Gonzales 1N Gonzales 0.4 in. |Guadalupe 2S New Braunfels 2.7 in. |Hays Kyle 3.0 in. |Karnes Runge 2.0 in. |Kendall 1E Boerne 2.5 in. |Kerr 2NNE Center Point 0.5 in. |Kinney 26N Brackettville 0.5 in. |Lavaca Yoakum 3.0 in. |Lee 4SSE Fedor 5.0 in. |Maverick Eagle Pass 0.1 in. |Medina 8E Hondo 1.7 in. |Real Leakey 0.1 in. |Travis 3ENE Onion Creek 1.8 in. |Uvalde Sabinal 2.1 in. |Val Verde 4NW Del Rio T |Williamson 6.5ESE Coupland 0.8 in. |Wilson 5WSW La Vernia 2.0 in. |Zavala Crystal City 0.1 in." +122137,731980,NORTH CAROLINA,2017,December,Winter Weather,"WAKE",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snowfall amounts averaged between a 0.50 to 1 inch." +122137,731981,NORTH CAROLINA,2017,December,Winter Weather,"DAVIDSON",2017-12-08 15:00:00,EST-5,2017-12-09 15:24:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light rain quickly changed over to wet snow across northern and central portions of the NC Piedmont during the morning and afternoon hours on the 8th, as a well-defined positively tilted southern stream trough and associated vigorous 150 knot jet streak |spread east into the region. Periods of light precipitation continued into the early morning hours on the 9th, before tapering off. Warm ground temperatures along with surface temperatures at or above freezing, kept warning advisory criteria of 3 to 5 inches confined to far northern Piedmont of North Carolina. Person County also had some light freezing rain accrual of one-tenth of an inch of ice.","Snow and sleet amounts averaging between 0.50 inches and 2 inches fell." +122200,731531,VIRGINIA,2017,December,Winter Weather,"MONTGOMERY",2017-12-12 15:30:00,EST-5,2017-12-13 01:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"On Tuesday morning, December 12th, 2017 early morning temperatures reached the upper 30s across Montgomery County. These mild conditions, plus high temperatures in the upper 40s the day prior, helped to have ground temperatures above freezing when snow started to fall around 100 pm. Initially the snow melted on contact, but as temperatures fell rapidly through the afternoon, temperatures in mid-20s allowed roads and parking lots became icy very quickly thanks to the re-freeze and and around an inch of additional snow. This led to there being significantly increased traffic congestion during the afternoon/evening commute, with around 400 calls for assistance to the 911 Center.","Snowfall on December 12th initially melted on contact thanks to above freezing surface temperatures. However, a rapid drop in temperatures during the afternoon lowered readings into the mid 20s by the afternoon/evening commute. Melted snow turned to ice, and one inch of new snow formed a slick slush on roadways, parking lots, and sidewalks causing a very congested commute with 400 calls for assistance to the 911 Center." +122079,730810,CALIFORNIA,2017,December,High Wind,"ORANGE COUNTY INLAND",2017-12-04 20:00:00,PST-8,2017-12-05 04:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level trough swept through the Rockies on the 3rd of December, ushering a strong surface high into the Great Basin. The high peaked at 1048 mb on the 7th and brought a prolonged period of strong Santa Ana Winds and very dry weather to Southern California. The most intense winds occurred on the 7th. The Lilac Fire began on the 7th near Interstate 15, and spread rapidly through the San Luis Rey River Basin near Bonsall. Damage to trees and power lines also occurred, along with some road closures.","Report of a large tree downed by strong winds in Orange, CA. Tree damage, minor roof damage, and an exploding transformer were also occurred in Santa Ana." +120864,723684,NEBRASKA,2017,December,High Wind,"KEARNEY",2017-12-04 16:38:00,CST-6,2017-12-04 16:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This Monday was one of the overall-windiest days of the 2017-18 winter season across South Central Nebraska, featuring late-morning through late-afternoon northwesterly sustained speeds commonly 25-40 MPH, frequent gusts 45-55 MPH, and sporadic gusts into the 60-65 MPH range. However, there were no confirmed reports of wind damage. Six automated weather stations with readily available data breached High Wind Warning criteria of 58+ MPH (two official airport ASOS and four privately-owned mesonets). This included Ord airport with a 64 MPH gust at 404 PM, and Hastings airport which notched separate peak gusts of 60 MPH (at 326 PM) and 59 MPH (444 PM). The majority of 50+ MPH gusts focused between 1-5 PM, with speeds slowly-but-surely-easing up after dark, and sustained values/gusts finally easing below 30 MPH/40 MPH (respectively) by 9 PM. Precipitation-wise, a few flurries or sprinkles accompanied the strong winds, but certainly nothing measurable. ||Although the magnitude of peak gusts slightly exceeded forecasted expectations, this was overall a fairly classic/well-anticipated wind event. In the mid-upper levels, a rather potent shortwave trough tracked over Nebraska from west-to-east. In the lower levels, steady cold air advection was noted at 850 millibars, aiding downward momentum transfer to the surface. And at the surface itself, a tight pressure gradient and steady pressure rises developed over Nebraska as the day went on. This occurred as a well-defined low pressure center strengthened from around 996 millibars over eastern Nebraska at daybreak, to around 990 millibars over northern Wisconsin by sunset. During the height of the strongest afternoon winds, the state of Nebraska featured a roughly 16-millibar surface pressure gradient, ranging from around 1021 millibars in the western Panhandle, to around 1005 millibars along the Missouri River.","A non-thunderstorm wind gust of 62 mph occurred two miles north northeast of Norman." +121915,729757,NEW YORK,2017,December,Winter Weather,"RICHMOND (STATEN IS.)",2017-12-09 09:00:00,EST-5,2017-12-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure along a slow moving cold front off the eastern seaboard brought locally heavy snow to portions of southeast New York. A strong upper jet stream enhanced the snow across the Tri-State as the low pressure passed well offshore.","A trained spotter measured 6.1 inches of snow in Port Richmond." +122183,731417,MINNESOTA,2017,December,Winter Weather,"PIPESTONE",2017-12-21 06:00:00,CST-6,2017-12-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 3 to 5 inches, including 4.0 inches at Pipestone and 4.5 inches at Jasper, contributing to hazardous road conditions." +122183,731418,MINNESOTA,2017,December,Winter Weather,"MURRAY",2017-12-21 06:30:00,CST-6,2017-12-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Frontogenetic forcing in advance of an arctic cold push produced widespread snowfall across south central, southeast and east central South Dakota. Heaviest snowfall amounts were just north of Interstate 90.","Snowfall during the morning and early afternoon accumulated to 3 to 5 inches, including 3.5 inches at Lake Wilson and 4.5 inches at Slayton, contributing to hazardous road conditions." +121993,730364,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"DAWSON",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Gothenburg, the NWS cooperative observer recorded an average temperature of 4.3 degrees through the final 8-days of December, marking the coldest finish to the year out of 124 on record." +121993,730380,NEBRASKA,2017,December,Extreme Cold/Wind Chill,"POLK",2017-12-24 00:00:00,CST-6,2017-12-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Weather-wise, the end of 2017 across South Central Nebraska will be most-remembered for bitter cold. Based on data from a number of official NWS weather stations (both automated airports and coop observer), the entire 24-county area endured one of the top-3 coldest finishes to December on record (specifically the final eight days from the 24th-31st), with several sites notching their outright-coldest. Two of these sites included Grand Island and Hastings airports, which averaged 3.9 and 3.4 degrees (respectively) between the 24th-31st, or roughly 21-22 degrees below normal! Not only did this establish the coldest finish to any December on record, but it was also the outright-coldest 8-day stretch in almost 22 years (since early 1996)! During this stretch, four days at Grand Island and Hastings featured high temperatures of 10 degrees-or-colder, and three days featured lows of -14 degrees-or-colder. The overall-coldest day across the area (in terms of highs) was New Year's Eve the 31st, which also marked the first time since early 1996 that both Grand Island and Hastings airports failed to climb above zero. A few of the very coldest official lows (on the morning of the 27th) included -20 degrees near York and -19 degrees at Kearney airport and Gothenburg. Not surprisingly, a few of these days/nights (mainly the 27th and 31st) featured Wind Chill Advisories and/or Wind Chill Warnings, as values dropped into at least the -20 to -30 range. Although not as severe as the last week of December, below normal temperatures persisted into the first several days of January 2018 before a brief-but-welcomed warm-up finally boosted readings back into the 40s-50s from Jan. 7-10.","At Osceola, the NWS cooperative observer recorded an average temperature of 4.8 degrees through the final 8-days of December, marking the coldest finish to the year out of roughly 100 years with complete records." +122226,731852,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 21:45:00,MST-7,2017-12-30 05:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 29/0220 MST." +122226,731854,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 04:00:00,MST-7,2017-12-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile marker 249 measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 29/0445 MST." +122226,731855,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-30 12:30:00,MST-7,2017-12-30 13:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile marker 249 measured sustained winds of 40 mph or higher." +122226,731856,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 01:10:00,MST-7,2017-12-27 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 27/0220 MST." +122226,731857,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-28 17:30:00,MST-7,2017-12-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured a peak wind gust of 59 mph." +122226,731858,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 01:30:00,MST-7,2017-12-29 10:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 29/0950 MST." +122226,731859,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-29 21:00:00,MST-7,2017-12-30 00:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 71 mph at 29/2115 MST." +122226,731860,WYOMING,2017,December,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-12-27 12:10:00,MST-7,2017-12-27 21:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A prolonged period of strong gap winds affected the wind-prone areas of southeast Wyoming. Frequent gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 27/1215 MST." +122216,731946,VERMONT,2017,December,Winter Weather,"EASTERN WINDHAM",2017-12-24 22:00:00,EST-5,2017-12-25 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A pair of low pressure systems, one approaching from the Ohio Valley and one moving northward along the Eastern Seaboard, advanced toward the northeastern US late on Christmas Eve. Snowfall spread into western New England in advance of these systems during the late evening. Snow continued through much of the night and became heavy at times in the wee hours of Christmas Day as the coastal low strengthened. The region awoke to a white Christmas as the snow tapered off Christmas morning. Snowfall totals ranged from just over 4 inches in Brattleboro to 12.5 inches in Woodford, VT.","" +122234,731781,NEW YORK,2017,December,Cold/Wind Chill,"NORTHERN FULTON",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731952,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN RENSSELAER",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122234,731953,NEW YORK,2017,December,Cold/Wind Chill,"WESTERN SCHENECTADY",2017-12-27 21:00:00,EST-5,2017-12-29 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A frigid Arctic air mass poured into the region Wednesday, December 27th along with gusty northwesterly winds. Despite gusty winds, low temperatures fell to as low as zero to 23 degrees below zero over the high terrain of eastern New York on Wednesday night. This resulted in wind chill values as low as 35 degrees below zero late Wednesday night into early Thursday morning. Bitterly cold wind chills continued through Thursday and into Friday morning.","" +122083,731957,TEXAS,2017,December,Winter Weather,"HUNT",2017-12-31 11:00:00,CST-6,2017-12-31 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold Arctic airmass pushed south through North and Central Texas December 30th. While temperatures had dropped into the 20s early New Year's Eve, areas of freezing drizzle developed and created travel problems across the region.","Amateur radio reported multiple accidents between Greenville and Sulphur Springs due to icy roads." +122251,731959,MISSISSIPPI,2017,December,Winter Weather,"CLAY",2017-12-31 05:30:00,CST-6,2017-12-31 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Light freezing drizzle and sleet fell during the morning hours of December 31st. In some locations, thin ice accumulation occurred on elevated surfaces.","Light freezing drizzle fell around West Point." +121644,728162,GEORGIA,2017,December,Winter Storm,"TOWNS",2017-12-08 10:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 6 and 12 inches of snow were estimated across the county. A CoCoRaHS observer reported 11 inches near Hiawassee." +121644,728163,GEORGIA,2017,December,Winter Storm,"HEARD",2017-12-08 12:00:00,EST-5,2017-12-09 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","A National Weather Service assessment of sensor data estimated between 1 and 3 inches of snow fell in Heard County." +121644,728164,GEORGIA,2017,December,Winter Storm,"COWETA",2017-12-08 12:00:00,EST-5,2017-12-09 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"With cold air in place across the southeastern U.S., a deep upper-level trough and associated surface low brought an extended period of moderate to heavy snow across parts of north Georgia beginning the morning of December 8th and continuing through the early morning of December 9th. The snowfall spread south and east overnight on the 8th into the morning of the 9th bringing light to moderate snowfall amounts to the remainder of north Georgia and portions of central Georgia. From the Atlanta metropolitan area northward and westward, many roads became impassable for several hours to over 2 days. Numerous trees and power lines were damaged or downed by the weight of the heavy, wet snow with many customers without electricity for hours if not days.","Between 1 and 4 inches of snow were estimated across the county. Reports from CoCoRaHS and COOP observers and National Weather Service employees included 1 inch near Senoia, 2.5 inches north of Sharpsburg and 3.3 to 4 inches from Newnan to the Chattahoochee River across the northwest." +121858,730891,MISSISSIPPI,2017,December,Heavy Snow,"LINCOLN",2017-12-07 21:30:00,CST-6,2017-12-08 11:55:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 to 6 inches of heavy snow fell across Lincoln County. The accumulating snow resulted in downed trees and power lines across the county and several traffic accidents." +121858,730893,MISSISSIPPI,2017,December,Heavy Snow,"LOWNDES",2017-12-08 06:00:00,CST-6,2017-12-08 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across parts of Lowndes County, including a total of 2 inches near Columbus and up to 3.5 inches south of New Hope." +121858,730902,MISSISSIPPI,2017,December,Heavy Snow,"MADISON",2017-12-08 02:00:00,CST-6,2017-12-08 11:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","Heavy snow fell across Madison County, with totals ranging from 3 inches north of Canton to around 4.5 inches in Ridgeland. Accumulating snowfall resulted in a few bridges being closed around Canton." +121858,730925,MISSISSIPPI,2017,December,Heavy Snow,"MARION",2017-12-08 01:00:00,CST-6,2017-12-08 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 5 to 6 inches of heavy snow fell across Marion County. The snow resulted in power outages and a few traffic accidents across the county." +121858,730938,MISSISSIPPI,2017,December,Heavy Snow,"NESHOBA",2017-12-08 06:00:00,CST-6,2017-12-08 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season winter storm brought heavy snow to much of Mississippi between the evening of the 7th and into the afternoon of the 8th. The greatest amounts fell mainly south and east of the Natchez Trace corridor. Amounts of up to 7 to 8 inches were measured in the Pine Belt. Heavier snow accumulations resulted in downed limbs and trees, power outages, and traffic accidents across the state.","An average of 3 to 4 inches of heavy snow fell across Neshoba County, with a high total of 4 inches measured in Philadelphia." +115349,692591,ALABAMA,2017,April,Hail,"BARBOUR",2017-04-05 01:14:00,CST-6,2017-04-05 01:15:00,0,0,0,0,0.00K,0,0.00K,0,31.89,-85.15,31.89,-85.15,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692592,ALABAMA,2017,April,Hail,"BARBOUR",2017-04-05 01:26:00,CST-6,2017-04-05 01:27:00,0,0,0,0,0.00K,0,0.00K,0,31.89,-85.45,31.89,-85.45,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +114048,689817,ILLINOIS,2017,March,Thunderstorm Wind,"WHITESIDE",2017-03-06 23:20:00,CST-6,2017-03-06 23:20:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-89.68,41.75,-89.68,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This wind gust was measured at the Sterling Airport (SQI) AWOS site." +114048,689814,ILLINOIS,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-07 00:17:00,CST-6,2017-03-07 00:17:00,0,0,0,0,,NaN,0.00K,0,41.18,-89.21,41.18,-89.21,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Numerous trees were down on state route 89, throughout the county. The time was estimated by radar." +114049,689755,MISSOURI,2017,March,Thunderstorm Wind,"CLARK",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-91.73,40.42,-91.73,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed out buildings, and roof damage to several homes.","Tree limbs were reported down about 4-5 inches in diameter in several yards across southern Kahoka." +114973,689733,ILLINOIS,2017,March,Hail,"HENRY",2017-03-19 23:45:00,CST-6,2017-03-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-90.2,41.3,-90.2,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail with one report up to the size of golf balls.","A trained spotter reported stones up to the size of dimes." +122184,731434,SOUTH DAKOTA,2017,December,Blizzard,"LYMAN",2017-12-04 11:00:00,CST-6,2017-12-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731435,SOUTH DAKOTA,2017,December,Blizzard,"MCPHERSON",2017-12-04 12:00:00,CST-6,2017-12-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731436,SOUTH DAKOTA,2017,December,Blizzard,"EDMUNDS",2017-12-04 11:00:00,CST-6,2017-12-04 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731437,SOUTH DAKOTA,2017,December,Blizzard,"FAULK",2017-12-04 13:00:00,CST-6,2017-12-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731439,SOUTH DAKOTA,2017,December,Blizzard,"HYDE",2017-12-04 13:00:00,CST-6,2017-12-04 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122184,731442,SOUTH DAKOTA,2017,December,Blizzard,"HAND",2017-12-04 14:00:00,CST-6,2017-12-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +120347,721445,GEORGIA,2017,September,Tropical Storm,"BARTOW",2017-09-11 15:00:00,EST-5,2017-09-11 20:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The news media reported numerous trees and several power lines blown down across the county. No injuries were reported." +112775,673894,MINNESOTA,2017,March,Tornado,"STEELE",2017-03-06 17:49:00,CST-6,2017-03-06 17:51:00,0,0,0,0,0.00K,0,0.00K,0,43.8482,-93.2348,43.864,-93.1963,"A powerful storm system that developed across the northern plains Monday, March 6th, produced a swath of large hail and some damaging wind gusts from central Minnesota, southward into the central plains. Three tornadoes were confirmed in east central and southern Minnesota. One near Bricelyn, another near Clarks Grove, and one more near Zimmerman. ||The air mass was unusually mild for early March and it moved northward ahead of a strong cold front that went from western, to eastern Minnesota during the afternoon and early evening hours. Dew points rose into the 50s which is very rare for early March ahead of this cold front. In addition, wind shear was very strong which provided the ample source of severe thunderstorm development and organization. ||Once thunderstorms developed, strong to severe storms developed quickly and produced large hail near Redwood Falls. Other severe thunderstorm developed northeast of Redwood Falls, to near Hutchinson, and produced a cluster of severe hail reports from Hutchinson, to Dassel, Cokato, and west of the Twin Cities area. Several other storms developed north of St. Cloud and produced quarter size hail near Rice. ||The cluster of strong to severe storms that were west of the Twin Cities, produced one tornadic storm near Zimmerman, and moved northward toward Princeton. A storm team confirmed an EF1 tornado produced the damage west of Zimmerman. Numerous trees and power lines were blown down in the path of this tornado, including roof damage to several homes. ||Another area of severe thunderstorms developed in northern Iowa and moved into south central Minnesota. It produced an EF1 tornado in eastern Faribault County, with a swath of large hail from southeast of Blue Earth, northeast toward Albert Lea, and then to Cannon Falls. Another storm became tornadic near Clarks Grove which also produced an EF1 tornado. These storms moved into parts of west central Wisconsin and produced strong winds and hail but no notable damage.","This is a continuation of the Freeborn County tornado that moved into Steele County for approximately 2.2 miles before lifting. In Freeborn County, it was rated EF-1, but in Steele County, it produced EF-0 damage to trees and farm outbuildings. Peak winds in Steele County were estimated at 80 mph." +120347,721449,GEORGIA,2017,September,Tropical Storm,"HALL",2017-09-11 13:00:00,EST-5,2017-09-11 21:00:00,0,0,0,0,200.00K,200000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","News media reported hundreds of trees and power lines blown down across the county. At the peak of the storm, approximately 80 percent of the roads in the county were at least partially blocked by debris. More than 65 percent of the county was without power for varying periods of time. A peak wind gust of 45 MPH was recorded by the ASOS at the Hall County airport. No injuries were reported." +122184,731491,SOUTH DAKOTA,2017,December,Blizzard,"DEUEL",2017-12-04 17:00:00,CST-6,2017-12-04 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 4 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions across all of the region for a short time period. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Many schools were closed for the day with travel significantly affected.","" +122258,731987,MINNESOTA,2017,December,Blizzard,"TRAVERSE",2017-12-04 15:30:00,CST-6,2017-12-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure area in central South Dakota in the early morning intensified as it moved east into Minnesota during the afternoon and evening. This system brought 1 to 2 inches of snowfall along with winds gusting to 50 to 60 mph causing blizzard conditions for a short time period in the late afternoon and early evening. Before the snow and strong winds began, freezing drizzle brought slippery conditions to parts of the region. Some schools were closed for the day with travel significantly affected.","" +120347,721455,GEORGIA,2017,September,Tropical Storm,"WHITFIELD",2017-09-11 16:00:00,EST-5,2017-09-11 22:00:00,0,0,0,0,15.00K,15000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","An amateur radio operator and the local news media reported several trees and power lines blown down across the county. No injuries were reported." +120347,721437,GEORGIA,2017,September,Tropical Storm,"CLARKE",2017-09-11 13:00:00,EST-5,2017-09-11 18:00:00,0,0,0,0,150.00K,150000,,NaN,NaN,NaN,NaN,NaN,"On the morning of August 30th Tropical Storm Irma developed rapidly over the eastern Atlantic Ocean, just west of the Cape Verde Islands. Tropical Irma quickly strengthened as it moved west, reaching hurricane strength by the morning of August 31st. Hurricane Irma continued to move steadily westward across the Atlantic Ocean, intensifying to category 4 storm on the Saffir-Simpson scale as it approached the northern Leeward Islands of the Lesser Antilles on September 4th. By the morning of the September 5th Hurricane Irma had reached category 5 and remained so into the morning of September 8th as it moved through the northern Antilles and approached the Bahamas. Irma continued moving west northwest as a category 4 storm before turning north over the Florida Straits, and crossing the Florida Keys on the 9th and 10th. Hurricane Irma made landfall over southwest Florida as a category 4 storm during the evening of the 10th and travelled north northwest through western Florida before weakening to a category 1 hurricane as it crossed into southwest Georgia the afternoon of September 11th. Tropical Storm Irma crossed southwest Georgia through the day of the 11th before weakening to a tropical depression over north Alabama early on the morning of the 12th. Tropical storm strength winds produced widespread damage across central and north Georgia through the day of September 11th and into the early morning hours of the 12th. Isolated flash flooding associated with Tropical Storm Irma was reported as well.","The Clarke County Emergency Manager reported numerous trees and power lines blown down across the county. Some homes and other structures were damaged by falling trees and large limbs. Many customers were without power for varying periods of time. A wind gust of 52 mph was measured at the Athens airport. Radar estimated between 2 and 4 inches of rain fell across the county with 3.01 inches measured at the Athens airport. No injuries were reported." +120455,721687,WEST VIRGINIA,2017,November,Flash Flood,"RITCHIE",2017-11-06 05:30:00,EST-5,2017-11-06 07:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.3086,-80.9267,39.3262,-80.9992,"In an unseasonably warm airmass, thunderstorms formed along a cold front moving into Ohio from the west on the afternoon of the 5th. These storms were aided by a strong upper level system. As the cold front moved through that night, training of showers and storms resulted in areas of around 2.5 inches of rainfall. An additional half inch of rain fell on the 6th. Isolated flash flooding occurred during the predawn on the 6th.","Several streets in Pennsboro flooded due to high water on Bunnell Run. A trained spotter also reported 2.50 inches of rain in Harrisville." +122305,732352,TEXAS,2017,December,Winter Weather,"STERLING",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732354,TEXAS,2017,December,Winter Weather,"COKE",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732355,TEXAS,2017,December,Winter Weather,"TOM GREEN",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732357,TEXAS,2017,December,Winter Weather,"RUNNELS",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732358,TEXAS,2017,December,Winter Weather,"BROWN",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +122305,732359,TEXAS,2017,December,Winter Weather,"IRION",2017-12-30 06:20:00,CST-6,2017-12-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An arctic cold front brought freezing temperatures to a large part of West Central Texas. Then, as light freezing drizzle fell across the area on the morning of December 30th and continued into New Years Eve morning, it made many roads and bridges icy across a large part of West Central Texas along and north of a line from Mertzon to San Angelo to Brady.","Light freezing drizzle fell from the morning of the 30th through the morning of the 31st, resulting in icy roadways across the area." +121990,732270,LOUISIANA,2017,December,Winter Weather,"UPPER TERREBONNE",2017-12-08 09:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Emergency Management reported around 1.5 inches of snow at Gray." +121990,732274,LOUISIANA,2017,December,Winter Weather,"ST. CHARLES",2017-12-08 09:00:00,CST-6,2017-12-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","Snow accumulated up to an inch on grassy areas and elevated surface." +121991,730333,MISSISSIPPI,2017,December,Heavy Snow,"AMITE",2017-12-07 23:00:00,CST-6,2017-12-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low Pressure over the Gulf of Mexico drove moisture over a very cold airmass to aid in the development of a band of heavy snow across portions of southeast Louisiana and southern Mississippi. Numerous reports of 2 to 5 inches of snow was reported. Isolated areas of up to 8 inches of snow occurred over portions of southwest Mississippi, and up to 7 inches in small portion of southeast Louisiana near the Mississippi state line. In the areas from just west and southwest of the metro New Orleans area to the Mississippi Coast, generally snow amounts were around an inch to trace. Temperatures were generally around freezing in the areas experiencing snow. However, snow rates were intense enough to result in accumulations. Snow melt and residual water on elevated roadways and bridges froze Friday evening, December 8th, with many roadways becoming slick and some highways closed until mid morning on Saturday, December 9th.","The Amite County Emergency Manager reported 7 inches of snow at Liberty. There was also a public report of 7.2 inches of snow 10 miles north of Liberty. Accumulation of wet snow caused small and medium sized tree branches to snap, which fell on power lines resulting in some power outages." +122191,732575,ALABAMA,2017,December,Winter Storm,"COOSA",2017-12-08 09:00:00,CST-6,2017-12-09 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant snowstorm impacted central Alabama on December 8-9. The snow began during the early morning hours on December 8th and continued for nearly 24 hours.|Within the main corridor of snow, totals of 4 to 8 inches were common, with a few swaths of 8 to 12 inches. A few reports exceeding 12 inches were received from Clay and Cleburne Counties. Birmingham officially recorded 4 inches of snow, making it the 3rd snowiest December on record.||During the early portion of the event, temperature profiles were marginally supportive of wintry precipitation due to surface temperatures a few degrees above freezing, and many areas were receiving rain or a rain/snow mix; however, by daybreak, many areas had made the transition to snow as colder air moved in from the north; a period of drier air aloft that allowed for evaporative cooling; and higher precipitation rates. Through the afternoon, snow continued to fall across much of central Alabama. While surface temperatures were varied with some areas at freezing and some a degree or two above freezing, notable accumulations began to manifest. An overrunning setup provided an long fetch of moisture from the southwest, and lift alongside favorable conditions in the snow growth zone resulted in swaths of heavy snowfall and large snowflakes. Colder air had not yet made it to areas near and southeast of the I-85 corridor, and those areas continued to see rain during the afternoon; however, a change to snow occurred into the evening and nighttime hours just in time for the last surge of precipitation, with little to no accumulation.","Snowfall totals averaged 4-6 inches across Coosa County with a few reports near 10 inches in the far north." +120925,723893,CALIFORNIA,2017,December,Strong Wind,"S SIERRA FOOTHILLS",2017-12-04 22:00:00,PST-8,2017-12-05 10:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A large upper ridge built into the Pacific Northwest on December 4 behind a trough which pushed through California the previous day. This resulted in a strong gradient over the southern Sierra Nevada producing Mono type winds over the Southern Sierra Nevada on the evening of December 4 through the late morning of December 5.","California Highway patrol and media reports of several dead trees and power lines downed due to strong wind gusts." +120926,723895,DELAWARE,2017,December,Winter Storm,"INLAND SUSSEX",2017-12-08 18:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure tracked up the east coast and brought several rounds of snow. The first only impacted Sussex county Friday night the 9th but left several inches of snow. The second round did bring snow to the entire state with several inches of accumulation on the afternoon and evening of the 10th. Along the coast it was warm enough for a mix of rain, sleet and snow. A soccer tournament in Federica went off without a hitch even though the fields were snow covered.","Southern portions of the county had 3-6 inches the night of the 9th an additional 1-3 inches fell in the afternoon and evening of the 10th. The highest total 8 inches in far southern portions of the county." +120929,724000,PENNSYLVANIA,2017,December,Winter Storm,"LEHIGH",2017-12-09 10:00:00,EST-5,2017-12-09 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An area of low pressure moving up the east coast brought periods of snow to the eastern part of the state on the afternoon and evening of the 10th. A general 3-6 inches of snow accumulated across the region with local amounts up to 8 inches from Berks county northward into the Lehigh Valley and Southern Poconos. Motorists reported slick roads across the region as well.","Snowfall ranged from 4 to 8 inches across the county." +121045,724651,CALIFORNIA,2017,December,High Wind,"W CENTRAL S.J. VALLEY",2017-12-16 09:19:00,PST-8,2017-12-16 09:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough that had very little moisture with it dropped southeast out of the Gulf of Alaska and pushed into northern California on December 15. This system pushed through central California on the morning of December 16 pushing a cold front through the region. Strong post-frontal winds developed in the San Joaquin Valley behind the front by late morning and continued well into the afternoon hours before the winds diminished by evening. Several stations in the San Joaquin Valley measured peak wind gusts between 35 mph and 55 mph.","The APRS station 2ENE Gustine reported a maximum wind gust of 59 mph." +120924,723891,CALIFORNIA,2017,December,Frost/Freeze,"SW S.J. VALLEY",2017-12-05 02:00:00,PST-8,2017-12-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold airmass became settled over the interior of Central California on December 4 and a hard freeze occurred on the morning of December 5 across portions of the San Joaquin Valley as minimum temperatures dropped below 28 degrees.","Several locations reported minimum temperatures below 28 degrees." +121132,725188,TEXAS,2017,December,Flash Flood,"PANOLA",2017-12-19 22:38:00,CST-6,2017-12-19 22:45:00,0,0,0,0,0.00K,0,0.00K,0,32.251,-94.4675,32.2546,-94.4431,"A warm front lifted north across East Texas and North Louisiana to along the Arkansas/Louisiana border during the afternoon hours of December 19th, focusing showers a large area of rain north of this boundary over portions of extreme Northeast Texas, Southeast Oklahoma, and Southwest Arkansas. Meanwhile, much warmer and humid air was found south of the front across Lower East Texas and Northcentral Louisiana, resulting in moderate surface instability. Meanwhile, a surface low developed during the afternoon over North Texas along a weak cold front, associated with a strong upper level trough of low pressure that progressed east across Westcentral and North Texas during the afternoon and evening. Steep lapse rates aloft enhanced instability across the warm sector south of the warm front, with adequate shear present and strong upper level forcing ahead of the trough leading to the development of stronger, more surface based showers and thunderstorms. These storms became severe as they moved into Southern Cherokee County Texas, with an isolated tornado touching down just south of Rusk. Other reports of wind damage were received with these storms as they slowly marched east northeast across East Texas south of Interstate 20. Locally heavy rainfall also accompanied these showers and thunderstorms, which trained for a few hours over the same areas resulting in flash flooding across portions of Southern Cherokee, Gregg, and Southwest Panola Counties. These storms gradually weakened as they approached the Lower Toledo Bend Country during the late evening hours.","Street flooding was reported in Beckville." +116501,700747,VIRGINIA,2017,May,Flood,"HALIFAX",2017-05-06 03:30:00,EST-5,2017-05-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6886,-78.9639,36.684,-78.9685,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The Dan River at South Boston (SBNV2) flooded, reaching 21.60 feet late on May 6th (Minor Flood Stage - 19 feet)." +115225,691823,NEW JERSEY,2017,May,Flash Flood,"BERGEN",2017-05-05 11:35:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.9118,-74.0384,40.9126,-74.0412,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","A vehicle was stuck in flood waters on Main Street in Hackensack with a water rescue in progress." +116712,701875,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-01 17:53:00,EST-5,2017-05-01 17:53:00,0,0,0,0,0.50K,500,0.00K,0,36.6598,-79.2315,36.6598,-79.2315,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed a tree along Slayton Road." +116712,701877,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-01 18:00:00,EST-5,2017-05-01 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.6194,-79.2384,36.6194,-79.2384,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed several trees near and along Rock Spring Road near Countryside drive." +116712,701879,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-01 18:09:00,EST-5,2017-05-01 18:10:00,0,0,0,0,1.00K,1000,0.00K,0,36.8387,-78.9742,36.8427,-78.9507,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed a large tree along Cedar Fork Road and Crystal Hill Road near Lower Liberty Road." +116713,701884,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-01 16:32:00,EST-5,2017-05-01 16:32:00,0,0,0,0,0.50K,500,0.00K,0,36.46,-80.12,36.46,-80.12,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds brought down a tree along Tom Shelton Road." +116713,701885,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-01 16:41:00,EST-5,2017-05-01 16:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.41,-80.06,36.41,-80.06,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm wind gusts resulted in two trees down along Dunlap Road." +116892,702918,IOWA,2017,May,Thunderstorm Wind,"VAN BUREN",2017-05-17 15:55:00,CST-6,2017-05-17 15:55:00,0,0,0,0,0.50K,500,0.00K,0,40.87,-91.94,40.87,-91.94,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a tree was blown down in Birmingham onto a power line and another tree was downed onto Highway J16." +116352,699660,VIRGINIA,2017,May,Thunderstorm Wind,"BOTETOURT",2017-05-20 15:49:00,EST-5,2017-05-20 15:49:00,0,0,0,0,0.50K,500,0.00K,0,37.47,-79.8,37.47,-79.8,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed a tree along Lee Highway." +116352,699661,VIRGINIA,2017,May,Hail,"PITTSYLVANIA",2017-05-20 18:12:00,EST-5,2017-05-20 18:12:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-79.32,36.97,-79.32,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","" +116352,699662,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-20 18:01:00,EST-5,2017-05-20 18:01:00,0,0,0,0,0.50K,500,0.00K,0,37,-79.34,37,-79.34,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed a tree on Banley Street." +116352,699663,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-20 18:12:00,EST-5,2017-05-20 18:12:00,0,0,0,0,0.50K,500,0.00K,0,36.96,-79.35,36.96,-79.35,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds brought down a tree on Millstream Drive." +120384,721577,ALABAMA,2017,October,Frost/Freeze,"DEKALB",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across much of northeast and portions of north central Alabama.","Temperatures fell into the 27 to 32 degree range." +120384,721578,ALABAMA,2017,October,Frost/Freeze,"MARSHALL",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across much of northeast and portions of north central Alabama.","Temperatures fell into the 28 to 32 degree range." +120384,721579,ALABAMA,2017,October,Frost/Freeze,"CULLMAN",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across much of northeast and portions of north central Alabama.","Temperatures fell into the 28 to 32 degree range." +120385,721580,TENNESSEE,2017,October,Frost/Freeze,"FRANKLIN",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across southern middle Tennessee.","Temperatures fell into the 28 to 32 degree range." +120385,721581,TENNESSEE,2017,October,Frost/Freeze,"MOORE",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across southern middle Tennessee.","Temperatures fell into the 27 to 32 degree range." +120385,721582,TENNESSEE,2017,October,Frost/Freeze,"LINCOLN",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across southern middle Tennessee.","Temperatures fell into the 30 to 32 degree range." +119649,722953,MONTANA,2017,October,Heavy Snow,"LITTLE ROCKY MOUNTAINS",2017-10-02 19:00:00,MST-7,2017-10-03 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter storm moved into Montana from the Canadian Rockies. This storm brought accumulating snow to some central and north central Montana locations, especially across higher elevations, including the Little Rockies.","Snow began falling across the Zortman area around 6PM MDT on the 2nd, stopping a little after 9AM MDT on the 3rd. As of 9:15 MDT on the 3rd, power had been out since shortly after snow began to fall. Total snowfall in Zortman was measured at 14 inches." +119649,722954,MONTANA,2017,October,Heavy Snow,"LITTLE ROCKY MOUNTAINS",2017-10-02 19:00:00,MST-7,2017-10-03 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter storm moved into Montana from the Canadian Rockies. This storm brought accumulating snow to some central and north central Montana locations, especially across higher elevations, including the Little Rockies.","Snow began falling across the Landusky area around 6PM MDT on the 2nd with winds strong enough to cause drifting. Snowfall stopped a little after 9AM MDT on the 3rd. Total snowfall in Landusky was measured at approximately 12 inches." +119649,722956,MONTANA,2017,October,Heavy Snow,"CENTRAL AND SE PHILLIPS",2017-10-02 19:00:00,MST-7,2017-10-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong winter storm moved into Montana from the Canadian Rockies. This storm brought accumulating snow to some central and north central Montana locations, especially across higher elevations, including the Little Rockies.","Snow began falling across the Harb area near the Phillips County/Valley County border around 6PM MDT on the 2nd, stopping around noon MDT on the 3rd, during which time approximately 5 inches of snow fell." +116375,700733,VIRGINIA,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-19 12:31:00,EST-5,2017-05-19 12:31:00,0,0,0,0,2.00K,2000,0.00K,0,37.1445,-79.1637,37.1445,-79.1637,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds brought down a tree on a car at the intersection of East Ferry Road and Marysville Road." +116377,699992,NORTH CAROLINA,2017,May,Hail,"WATAUGA",2017-05-19 12:29:00,EST-5,2017-05-19 12:29:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-81.67,36.13,-81.67,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","" +116377,699995,NORTH CAROLINA,2017,May,Thunderstorm Wind,"SURRY",2017-05-19 13:40:00,EST-5,2017-05-19 13:40:00,0,0,0,0,5.00K,5000,0.00K,0,36.43,-80.89,36.43,-80.89,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","Thunderstorm winds downed several trees near the intersection of Haystack Road and Luffman Road." +116892,702857,IOWA,2017,May,Hail,"WASHINGTON",2017-05-17 18:46:00,CST-6,2017-05-17 18:46:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-91.58,41.48,-91.58,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702858,IOWA,2017,May,Hail,"HENRY",2017-05-17 18:37:00,CST-6,2017-05-17 18:37:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-91.66,40.98,-91.66,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702864,IOWA,2017,May,Hail,"LOUISA",2017-05-17 19:40:00,CST-6,2017-05-17 19:40:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-91.19,41.28,-91.19,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +121212,725706,KANSAS,2017,October,Thunderstorm Wind,"PAWNEE",2017-10-06 16:17:00,CST-6,2017-10-06 16:17:00,0,0,0,0,,NaN,,NaN,38.19,-99.54,38.19,-99.54,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725707,KANSAS,2017,October,Thunderstorm Wind,"PAWNEE",2017-10-06 16:36:00,CST-6,2017-10-06 16:36:00,0,0,0,0,,NaN,,NaN,38.2,-99.35,38.2,-99.35,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725708,KANSAS,2017,October,Thunderstorm Wind,"PAWNEE",2017-10-06 16:38:00,CST-6,2017-10-06 16:38:00,0,0,0,0,,NaN,,NaN,38.19,-99.31,38.19,-99.31,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Measured at the Sanford CO-OP." +120495,721892,WYOMING,2017,October,High Wind,"ABSAROKA MOUNTAINS",2017-10-22 06:25:00,MST-7,2017-10-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Wyoming and brought pre-frontal and post-frontal high wind to portions of western and central Wyoming as strong winds mixed to the surface. The strongest winds were across the higher elevations of the Green Mountains where many wind gusts past 58 mph were recorded including a maximum gust of 92 mph. on the southside of Casper, winds gusted to 61 mph along Wyoming Boulevard. The wind prone areas in the lee of the Absarokas also saw strong winds, with wind gusts to 82 mph along the Chief Joseph Highway and 76 mph near Clark.","The weather station along the Chief Joseph Highway had sustained winds over 50 mph for two and a half hours. The maximum wind gust recorded was 82 mph." +120495,721894,WYOMING,2017,October,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-10-22 02:40:00,MST-7,2017-10-22 02:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Wyoming and brought pre-frontal and post-frontal high wind to portions of western and central Wyoming as strong winds mixed to the surface. The strongest winds were across the higher elevations of the Green Mountains where many wind gusts past 58 mph were recorded including a maximum gust of 92 mph. on the southside of Casper, winds gusted to 61 mph along Wyoming Boulevard. The wind prone areas in the lee of the Absarokas also saw strong winds, with wind gusts to 82 mph along the Chief Joseph Highway and 76 mph near Clark.","The weather sensor along Wyoming Boulevard on the south side of Casper had a pair of 61 mph wind gusts." +120495,721893,WYOMING,2017,October,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-10-21 17:50:00,MST-7,2017-10-22 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Wyoming and brought pre-frontal and post-frontal high wind to portions of western and central Wyoming as strong winds mixed to the surface. The strongest winds were across the higher elevations of the Green Mountains where many wind gusts past 58 mph were recorded including a maximum gust of 92 mph. on the southside of Casper, winds gusted to 61 mph along Wyoming Boulevard. The wind prone areas in the lee of the Absarokas also saw strong winds, with wind gusts to 82 mph along the Chief Joseph Highway and 76 mph near Clark.","Very strong winds blew across the higher elevations of the Green Mountains. The RAWS site at Camp Creek had several wind gusts of hurricane force including a maximum gust of 92 mph. The Fales Rock RAWS had a wind gust to 60 mph." +120496,721895,WYOMING,2017,October,High Wind,"NORTHEAST JOHNSON COUNTY",2017-10-26 04:10:00,MST-7,2017-10-26 05:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving north to south cold front swept across Wyoming early on October 26th. In areas favored for high winds by strong cold advection, high wind occurred. Wind gusts past 58 mph were reported in Greybull, Buffalo and along Interstate 25 north of Kaycee.","The WYDOT wind sensor at Indian Creek Road along Interstate 25 recorded a maximum wind gust of 64 mph. The ASOS at the Buffalo airport had a wind gust to 59 mph." +120496,721896,WYOMING,2017,October,High Wind,"SOUTHEAST JOHNSON COUNTY",2017-10-26 01:20:00,MST-7,2017-10-26 04:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving north to south cold front swept across Wyoming early on October 26th. In areas favored for high winds by strong cold advection, high wind occurred. Wind gusts past 58 mph were reported in Greybull, Buffalo and along Interstate 25 north of Kaycee.","The WYDOT wind sensor along Interstate 25 north of Kaycee recorded several wind gusts over 58 mph, including a maximum gust of 62 mph." +120974,724157,FLORIDA,2017,October,Coastal Flood,"COASTAL BROWARD COUNTY",2017-10-05 09:45:00,EST-5,2017-10-05 09:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Photos received via social media show several inches of water flooding the coastal roads on Canal Drive in Pompano Beach during high tide." +120991,724215,ATLANTIC SOUTH,2017,October,Marine Tropical Depression,"BISCAYNE BAY",2017-10-28 22:00:00,EST-5,2017-10-29 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm. ||The storm lead to hazardous marine conditions on the local Atlantic waters as it crossed the region.","Tropical Storm Philippe produced maximum sustained winds generally between 20 and 30 knots (25 and 35 mph) across Biscayne Bay for around 2 hours during the late evening hours of October 28th. A peak gust of 49 knots (57 mph) was measured at WxFlow site XKBS, located at Biscayne Bay Light 20 during the late night hours, with other sites measuring peak gusts of 40 to 45 mph." +120974,724228,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-04 19:00:00,EST-5,2017-10-04 20:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Six to as much as 12 inches of standing water was noted in several streets in the City of Miami along and east of Biscayne Boulevard from I-395 to NE 30th Street." +120974,724233,FLORIDA,2017,October,Coastal Flood,"METROPOLITAN MIAMI-DADE",2017-10-06 09:00:00,EST-5,2017-10-06 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Tidal flooding occurred in Maceo Park south of Blue Lagoon off NW 7 Street in Miami." +120389,721182,OKLAHOMA,2017,October,Hail,"NOWATA",2017-10-09 17:07:00,CST-6,2017-10-09 17:07:00,0,0,0,0,0.00K,0,0.00K,0,36.6711,-95.63,36.6711,-95.63,"Strong to severe thunderstorms developed into eastern Oklahoma during the evening hours of the 9th as a cold front moved into the region. The strongest storms produced damaging wind and hail.","" +120177,720115,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"LAKE BORGNE",2017-10-22 11:23:00,CST-6,2017-10-22 11:23:00,0,0,0,0,0.00K,0,0.00K,0,30.0052,-89.8551,30.0052,-89.8551,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Weatherflow site at Bayou Bienvenue reported a wind gust of 51 mph in a thunderstorm. Anemometer height is 90 feet." +120177,720116,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"LAKE BORGNE",2017-10-22 12:06:00,CST-6,2017-10-22 12:06:00,0,0,0,0,0.00K,0,0.00K,0,29.87,-89.67,29.87,-89.67,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Shell Beach C-MAN station reported a wind gust to 47 mph in a thunderstorm." +120177,720117,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-10-22 13:30:00,CST-6,2017-10-22 13:30:00,0,0,0,0,0.00K,0,0.00K,0,28.91,-89.43,28.91,-89.43,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Southwest Pass C-MAN station reported a 67 mph wind gust in a thunderstorm." +120176,724115,LOUISIANA,2017,October,Flash Flood,"EAST FELICIANA",2017-10-22 06:00:00,CST-6,2017-10-22 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.7448,-91.1707,30.7419,-91.1048,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Louisiana Highways 19, 955 and 956 all flooded during this event. Two bridges and 5 large 70 inch culverts were washed out. There were 500 911 calls, and 25 to 30 boat rescues took place. Approximately 25 residences were flooded." +120513,722139,MASSACHUSETTS,2017,October,Strong Wind,"NORTHERN BRISTOL",2017-10-24 10:41:00,EST-5,2017-10-25 05:26:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on South Main Street near Thatcher Street in Attleboro. Tree down on Read Street near Barbara Lane, also in Attleboro." +120513,722141,MASSACHUSETTS,2017,October,Strong Wind,"SOUTHERN WORCESTER",2017-10-24 13:11:00,EST-5,2017-10-24 16:52:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Large tree down on Waterman Road in Auburn. Large tree down blocking Hazel Street in Uxbridge." +120513,722142,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN HAMPDEN",2017-10-24 13:25:00,EST-5,2017-10-24 21:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on wires on Pine Street and a tree down on North Street in Agawam." +120513,722143,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN PLYMOUTH",2017-10-24 14:54:00,EST-5,2017-10-24 19:25:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree uprooted on Lake Street and tree blocking Winthrop Street in Kingston. Tree down blocking Mt. Blue Street in Norwell." +121193,725483,NORTH CAROLINA,2017,October,Thunderstorm Wind,"FORSYTH",2017-10-23 16:56:00,EST-5,2017-10-23 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.12,-80.11,36.25,-80.08,"A strong surface low moved through Tennessee, north-northeastward into West Virginia and Virginia. A line of thunderstorms developed ahead of the associated cold front, moving into a highly sheared environment over North Carolina. One thunderstorm became severe as it moved through Forsyth county, producing isolated wind damage.","Two trees were blown down along a swath from Woodfield Drive in Kernersville to the intersection of Highway 65 and Goode Road in Belews Creek." +121187,725452,SOUTH DAKOTA,2017,October,High Wind,"CORSON",2017-10-23 15:06:00,CST-6,2017-10-23 15:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A high wind gust to sixty-seven mph occurred south of Bullhead in Corson county during the late afternoon.","" +119902,724182,ILLINOIS,2017,October,Hail,"KNOX",2017-10-14 17:09:00,CST-6,2017-10-14 17:16:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","" +119902,724188,ILLINOIS,2017,October,Thunderstorm Wind,"PEORIA",2017-10-14 18:12:00,CST-6,2017-10-14 18:17:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-89.5,40.93,-89.5,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","A 12-inch diameter tree branch was blown down." +119902,724191,ILLINOIS,2017,October,Thunderstorm Wind,"WOODFORD",2017-10-14 18:20:00,CST-6,2017-10-14 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-89.52,40.82,-89.52,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","A power line was blown down, closing Highway 26 near Spring Bay." +120237,720376,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-10-22 09:55:00,CST-6,2017-10-22 09:55:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at KBQX." +120237,720377,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-10-22 11:15:00,CST-6,2017-10-22 11:15:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at KBQX." +120583,722336,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GALVESTON BAY",2017-10-20 03:55:00,CST-6,2017-10-20 03:55:00,0,0,0,0,0.00K,0,0.00K,0,29.4236,-94.8897,29.4236,-94.8897,"A wind gust was produced by a Galveston Bay area thunderstorm.","Wind gust was measured at WeatherFlow site XLEV." +121227,725759,GULF OF MEXICO,2017,October,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-01 17:04:00,EST-5,2017-10-01 17:11:00,0,0,0,0,0.00K,0,0.00K,0,24.6211,-81.3407,24.6211,-81.3407,"A brief waterspout was observed in Hawk Channel near Big Pine Key in association with a fast-moving rain shower.","A waterspout was observed one mile south of Big Pine Key. The waterspout did not have a visible spray ring, but the condensation funnel cloud cycled between halfway down from the cloud base and back up before dissipating." +121228,725760,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-02 19:52:00,EST-5,2017-10-02 19:52:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Strong high pressure building to the north of the Florida Keys resulted in a robust northeast wind surge. Convergence along the nose of the wind surge assisted scattered shower and thunderstorm development, which produced scattered gale-force wind gusts.","A wind gust of 35 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +121228,725761,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-02 20:01:00,EST-5,2017-10-02 20:01:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Strong high pressure building to the north of the Florida Keys resulted in a robust northeast wind surge. Convergence along the nose of the wind surge assisted scattered shower and thunderstorm development, which produced scattered gale-force wind gusts.","A wind gust of 35 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121228,725762,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-02 20:30:00,EST-5,2017-10-02 20:30:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Strong high pressure building to the north of the Florida Keys resulted in a robust northeast wind surge. Convergence along the nose of the wind surge assisted scattered shower and thunderstorm development, which produced scattered gale-force wind gusts.","A wind gust of 43 knots was measured at Pulaski Shoal Light." +121228,725763,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-02 21:21:00,EST-5,2017-10-02 21:21:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Strong high pressure building to the north of the Florida Keys resulted in a robust northeast wind surge. Convergence along the nose of the wind surge assisted scattered shower and thunderstorm development, which produced scattered gale-force wind gusts.","A wind gust of 39 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +121053,726010,NEW YORK,2017,October,Heavy Rain,"SCHENECTADY",2017-10-29 14:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,,NaN,,NaN,42.84,-73.89,42.84,-73.89,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","There was 1.42 inches of rain reported." +121053,726011,NEW YORK,2017,October,Heavy Rain,"GREENE",2017-10-29 14:00:00,EST-5,2017-10-29 23:00:00,0,0,0,0,,NaN,,NaN,42.36,-73.81,42.36,-73.81,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Public reported 1.88 inches of rain." +121053,726248,NEW YORK,2017,October,High Wind,"NORTHERN HERKIMER",2017-10-30 09:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple trees were reported down in the town of Webb. Time was estimated. There were about 23,000 customers without power across Herkimer county." +119672,717828,TEXAS,2017,October,Thunderstorm Wind,"BRISCOE",2017-10-06 21:40:00,CST-6,2017-10-06 21:45:00,0,0,0,0,0.00K,0,0.00K,0,34.4312,-101.1865,34.4312,-101.1865,"A line of severe thunderstorms developed from the Texas Panhandle through the central South Plains as a strong cold front interacted with an unseasonably moist and unstable airmass. Several severe wind gusts were reported across the extreme southern Texas Panhandle. Meanwhile, highly localized thunderstorm winds blew down a power pole along 82nd street near Alcove Avenue in Lubbock (Lubbock County). This caused a brief widespread power outage for the cities of Lubbock and Wolfforth.","A Texas Tech University West Texas mesonet site near Silverton measured a wind gust to 63 mph." +119672,717829,TEXAS,2017,October,Thunderstorm Wind,"MOTLEY",2017-10-06 22:35:00,CST-6,2017-10-06 22:40:00,0,0,0,0,0.00K,0,0.00K,0,34.2655,-100.6,34.2655,-100.6,"A line of severe thunderstorms developed from the Texas Panhandle through the central South Plains as a strong cold front interacted with an unseasonably moist and unstable airmass. Several severe wind gusts were reported across the extreme southern Texas Panhandle. Meanwhile, highly localized thunderstorm winds blew down a power pole along 82nd street near Alcove Avenue in Lubbock (Lubbock County). This caused a brief widespread power outage for the cities of Lubbock and Wolfforth.","A Texas Tech University West Texas mesonet site near Northfield measured a wind gust to 64 mph." +119672,717830,TEXAS,2017,October,Thunderstorm Wind,"LUBBOCK",2017-10-06 22:00:00,CST-6,2017-10-06 22:00:00,0,0,0,0,3.00K,3000,0.00K,0,33.5198,-101.9917,33.5198,-101.9917,"A line of severe thunderstorms developed from the Texas Panhandle through the central South Plains as a strong cold front interacted with an unseasonably moist and unstable airmass. Several severe wind gusts were reported across the extreme southern Texas Panhandle. Meanwhile, highly localized thunderstorm winds blew down a power pole along 82nd street near Alcove Avenue in Lubbock (Lubbock County). This caused a brief widespread power outage for the cities of Lubbock and Wolfforth.","A power pole was blown over from thunderstorm winds causing a widespread power outage across the cities of Lubbock and Wolfforth." +119715,717977,NEW MEXICO,2017,October,Flash Flood,"CIBOLA",2017-10-04 15:30:00,MST-7,2017-10-04 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.0854,-107.5987,35.0862,-107.5959,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Flash flooding along nearby arroyo approaching home. Residents trapped in home. No damage reported." +120112,719732,MISSOURI,2017,October,Thunderstorm Wind,"PETTIS",2017-10-14 20:03:00,CST-6,2017-10-14 20:06:00,0,0,0,0,0.00K,0,0.00K,0,38.71,-93.23,38.71,-93.23,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","An AWOS near Sedalia reported a 58 mph wind gust." +120092,719794,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"COLLETON",2017-10-23 18:37:00,EST-5,2017-10-23 18:38:00,0,0,0,0,,NaN,,NaN,32.88,-80.74,32.88,-80.74,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Colleton County 911 Call Center reported trees down near the intersection of Sniders Highway and Cypress Pond Road." +120092,719797,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"COLLETON",2017-10-23 18:39:00,EST-5,2017-10-23 18:40:00,0,0,0,0,,NaN,,NaN,32.97,-80.57,32.97,-80.57,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Colleton County 911 Call Center reported trees down near the intersection of Coolers Diary Road and Merrick Road." +120092,719801,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"COLLETON",2017-10-23 18:44:00,EST-5,2017-10-23 18:45:00,0,0,0,0,,NaN,,NaN,32.9,-80.66,32.9,-80.66,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Colleton County 911 Call Center reported a tree down on a car and power lines down near the intersection of Wichman Street and Paul Street." +120092,719814,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"COLLETON",2017-10-23 18:44:00,EST-5,2017-10-23 18:45:00,0,0,0,0,,NaN,,NaN,32.98,-80.49,32.98,-80.49,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Colleton County 911 Call Center reported trees down near the intersection of Wesley Grove Road and Rehoboth Road." +119916,718782,FLORIDA,2017,October,Tropical Storm,"CENTRAL WALTON",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718783,FLORIDA,2017,October,Tropical Storm,"NORTH WALTON",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120416,721474,MICHIGAN,2017,October,High Wind,"NORTHERN SCHOOLCRAFT",2017-10-24 09:00:00,EST-5,2017-10-24 09:15:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening fall storm system tracking from the Ohio Valley to near the Mackinac Straits produced very strong and damaging north winds up to 60 mph, power outages and extensive lake shore flooding over mainly the north half of Upper Michigan on the 24th.","The Alger County Sheriff reported a large tree down across Highway M-94 blocking the road." +120465,721742,WYOMING,2017,October,High Wind,"NATRONA COUNTY LOWER ELEVATIONS",2017-10-07 15:35:00,MST-7,2017-10-07 15:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough crossing Wyoming mixed strong mid level winds to the surface and brought high winds to portions of central Wyoming. The strongest winds were in the wind prone areas of the Green and Rattlesnake Range where a gust of 83 mph was recorded at Camp Creek. In other areas, winds gusted to 71 mph near Clark in Park County, 60 mph along Wyoming Boulevard in Casper and 59 mph in Thermopolis.","The WYDOT weather station along Wyoming Boulevard south of Casper recorded a pair of wind gusts to 60 mph." +120465,721743,WYOMING,2017,October,High Wind,"SOUTHWEST BIG HORN BASIN",2017-10-07 12:25:00,MST-7,2017-10-07 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough crossing Wyoming mixed strong mid level winds to the surface and brought high winds to portions of central Wyoming. The strongest winds were in the wind prone areas of the Green and Rattlesnake Range where a gust of 83 mph was recorded at Camp Creek. In other areas, winds gusted to 71 mph near Clark in Park County, 60 mph along Wyoming Boulevard in Casper and 59 mph in Thermopolis.","A pair of 59 mph wind gusts were reported in Thermopolis." +120490,721854,NORTH DAKOTA,2017,October,High Wind,"TOWNER",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120492,721881,MINNESOTA,2017,October,Winter Storm,"EAST MARSHALL",2017-10-26 09:00:00,CST-6,2017-10-27 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an area of surface low pressure tracked into the Grand Forks, North Dakota, area just after midnight on Thursday, October 26th, temperatures in the Lake of the Woods region were still in the low 40s. Therefore, the light precipitation that fell there still fell as rain. By sunrise, the low had only moved to near Crookston, Minnesota, and temperatures in the Lake of the Woods region were still in the low 40s. As the low tracked to near Bemidji by mid morning, temperatures in the Lake of the Woods region quickly dropped around or below freezing, switching the precipitation over to snow. Persistent snow lingered in the Lake of the Woods region through much of the day. Six to eight inches of snow fell in the Lake of the Woods region along with gusty north winds.","" +120503,721957,TENNESSEE,2017,October,Thunderstorm Wind,"RUTHERFORD",2017-10-23 03:07:00,CST-6,2017-10-23 03:07:00,0,0,0,0,10.00K,10000,0.00K,0,35.7798,-86.358,35.7798,-86.358,"A QLCS (quasi-linear convective system) moved across Middle Tennessee during the very early morning hours on October 23. One report of wind damage was received in Rutherford County.","Facebook and Twitter photos and videos showed minor wind damage occurred on Aurora Circle in far southern Murfreesboro. Several homes suffered minor roof and exterior damage such as loss of shingles and gutters. A few small trees, several large tree limbs, and some fences were also blown down." +120556,722245,TEXAS,2017,October,Thunderstorm Wind,"CARSON",2017-10-06 20:51:00,CST-6,2017-10-06 20:51:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-101.39,35.33,-101.39,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","" +120556,722246,TEXAS,2017,October,Thunderstorm Wind,"ROBERTS",2017-10-06 21:02:00,CST-6,2017-10-06 21:02:00,0,0,0,0,0.00K,0,0.00K,0,35.83,-100.71,35.83,-100.71,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Post event report spotter estimated winds to be around 50 gusting 60-65. There were tree limbs down one 3 to 4 inches in diameter." +120557,722247,OKLAHOMA,2017,October,Hail,"TEXAS",2017-10-06 18:02:00,CST-6,2017-10-06 18:02:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-101.63,36.59,-101.63,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","" +120228,722754,NORTH DAKOTA,2017,October,High Wind,"LA MOURE",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Wind gusts are estimated for northern Logan County based on the Jamestown ASOS report in Stutsman County." +120228,722755,NORTH DAKOTA,2017,October,High Wind,"MCINTOSH",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Sustained winds are estimated for southern McIntosh County based on the Sand Lake RAWS report in McPherson County, South Dakota." +120228,722756,NORTH DAKOTA,2017,October,High Wind,"DICKEY",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Sustained winds are estimated for southwestern Dickey County based on the Sand Lake RAWS report in McPherson County, South Dakota." +120627,722583,CONNECTICUT,2017,October,Strong Wind,"HARTFORD",2017-10-29 18:10:00,EST-5,2017-10-29 18:10:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and six inches of rain reported in Northeast and Northcentral Connecticut.","At 610 PM EST, a tree fell on a house on Desmond Drive in Wethersfield." +120627,722586,CONNECTICUT,2017,October,Strong Wind,"WINDHAM",2017-10-30 00:35:00,EST-5,2017-10-30 00:50:00,0,0,0,0,6.00K,6000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and six inches of rain reported in Northeast and Northcentral Connecticut.","Multiple trees were reported down on Ross Road and Hubbard Hill Road in Danielson." +120689,722892,NEW YORK,2017,October,Strong Wind,"WESTERN ESSEX",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30). ||Sustained winds of 20 to 30 mph with frequent wind gusts of 40 to 50 mph occurred during the early morning hours of October 30th across portions of northeast NY. ||Scattered pockets of downed branches, trees caused some power outages.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120689,722893,NEW YORK,2017,October,Strong Wind,"NORTHERN FRANKLIN",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30). ||Sustained winds of 20 to 30 mph with frequent wind gusts of 40 to 50 mph occurred during the early morning hours of October 30th across portions of northeast NY. ||Scattered pockets of downed branches, trees caused some power outages.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120591,722867,VERMONT,2017,October,High Wind,"ORLEANS",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,300.00K,300000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages with measured wind gusts in the 40-50 mph range but damage indicative of 60 mph in spots." +120390,721221,OKLAHOMA,2017,October,Thunderstorm Wind,"SEQUOYAH",2017-10-21 22:53:00,CST-6,2017-10-21 22:53:00,0,0,0,0,0.00K,0,0.00K,0,35.6009,-95.0337,35.6009,-95.0337,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind gusts were estimated to 60 mph at Lake Tenkiller State Park." +120390,721222,OKLAHOMA,2017,October,Thunderstorm Wind,"LE FLORE",2017-10-21 23:48:00,CST-6,2017-10-21 23:48:00,0,0,0,0,20.00K,20000,0.00K,0,35.1873,-94.7873,35.1873,-94.7873,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind severely damaged the roof of a home." +120798,723430,ALASKA,2017,October,High Wind,"EASTERN ALEUTIANS",2017-10-24 07:48:00,AKST-9,2017-10-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extratropical low developed off the tip of Kamchatka ahead of decaying Typhoon Lan. The extratropical low tapped into the energy associated with the typhoon and quickly strengthened from the upper 970 mb range to the mid 930's. This helped bring hurricane force winds to the Western and Central Aleutians.","OLSA2 (Nikolski) reported hurricane force gusts starting at 07:48 with a peak gust of 77 mph reported shortly thereafter. Hurricane force wind gusts were short lived and began diminishing by 09:00." +120677,723480,MICHIGAN,2017,October,Winter Storm,"GOGEBIC",2017-10-27 12:00:00,CST-6,2017-10-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","There was a public report via social media of 14.7 inches of snow in approximately 24 hours in Erwin Township just southeast of Ironwood. There were several reports of 8 to 10 inches of wet snow in Bessemer and Watersmeet over a 24-hour period." +120822,723483,LAKE SUPERIOR,2017,October,Marine High Wind,"SAXON HARBOR WI TO UPPER ENTRANCE OF PORTAGE CANAL MI 5NM OFFSHORE TO US/CANADIAN BORDER INC ISLE ROYAL NP",2017-10-27 03:40:00,EST-5,2017-10-27 03:50:00,0,0,0,0,0.00K,0,0.00K,0,47.8669,-89.3134,47.8669,-89.3134,"A strong fall storm tracking through the Western Great Lakes produced storm force wind gusts at Rock of Ages Light on the morning of the 27th.","Peak wind gust measured at the Rock of Ages Light station." +120796,723417,INDIANA,2017,October,Thunderstorm Wind,"LAKE",2017-10-14 19:55:00,CST-6,2017-10-14 19:57:00,0,0,0,0,10.00K,10000,0.00K,0,41.4793,-87.4864,41.4651,-87.4463,"Multiple rounds of thunderstorms moved across portions of northwest Indiana on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northwest Indiana during the late evening of October 14th.","A swath of wind damage occurred starting near 77th Avenue and St. John and ending nearing 85th and Austin Avenues. Numerous tree limbs and power lines were blown down and 77th Avenue was closed due to a power line on the road. Fences were blown down in the Eagle Ridge Subdivision. A metal flagpole was snapped near 77th Avenue and St. John." +120888,723788,CONNECTICUT,2017,October,Flood,"NEW HAVEN",2017-10-29 20:46:00,EST-5,2017-10-29 21:16:00,0,0,0,0,0.00K,0,0.00K,0,41.5283,-72.8238,41.5299,-72.8234,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across southern Connecticut ranged from 2-6, with the AWOS at Waterbury Airport reporting 5.49 of rain. This resulted in isolated flooding in New Haven County.","Multiple basements flooded along Hanover Street in Meriden." +120889,723790,NEW JERSEY,2017,October,Flood,"HUDSON",2017-10-29 15:30:00,EST-5,2017-10-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7542,-74.1625,40.7547,-74.1623,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across northeast New Jersey ranged from 2-6, with a CWOP site in North Caldwell reporting 5.20 and the ASOS at Newark Airport reporting 4.08 of rain. This resulted in reports of flooding across parts of Hudson and Bergen counties, with water rescues taking place in Hudson County.","A water rescue was reported on Passaic Avenue at Bellgrove Drive in Kearny." +120889,723791,NEW JERSEY,2017,October,Flood,"BERGEN",2017-10-29 16:30:00,EST-5,2017-10-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0567,-74.1444,41.0575,-74.1327,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across northeast New Jersey ranged from 2-6, with a CWOP site in North Caldwell reporting 5.20 and the ASOS at Newark Airport reporting 4.08 of rain. This resulted in reports of flooding across parts of Hudson and Bergen counties, with water rescues taking place in Hudson County.","A sink hole developed due to flooding on Main Street in Ramsey causing flooding in a basement. The fire department was on scene." +120889,723792,NEW JERSEY,2017,October,Flood,"BERGEN",2017-10-29 18:30:00,EST-5,2017-10-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1019,-74.1478,41.0978,-74.1468,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across northeast New Jersey ranged from 2-6, with a CWOP site in North Caldwell reporting 5.20 and the ASOS at Newark Airport reporting 4.08 of rain. This resulted in reports of flooding across parts of Hudson and Bergen counties, with water rescues taking place in Hudson County.","Franklin Turnpike was closed at Cedar Hill Avenue in West Mahwah due to flooding in front of the ACME shopping center." +120890,723794,NEW YORK,2017,October,Flood,"WESTCHESTER",2017-10-29 16:35:00,EST-5,2017-10-29 17:05:00,0,0,0,0,0.00K,0,0.00K,0,41.0676,-73.8619,41.0678,-73.8626,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across southeastern New York ranged from 2-6. A CWOP station in Jackson Heights, Queens, reported 5.57 of rain, with the ASOS at Central Park recording 3.25. Elsewhere, rainfall totals were as high as 5.12 in Peekskill (CWOP station) and 5.03 in Massapequa (CWOP station).","Broadway was closed due to flooding between Prospect Avenue and Benedict Avenue in Tarrytown." +120865,723690,IOWA,2017,October,Heavy Rain,"MAHASKA",2017-10-03 15:00:00,CST-6,2017-10-04 07:48:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-92.64,41.28,-92.64,"A northeast to southwest oriented cold front moved across Iowa during the afternoon and evening hours on the 3rd of October. Storms initiated both ahead of the cold front and lingered behind the surface front with elevated instability present. Both ahead of and behind the surface front MUCAPE values resided around 1000 J/kg. While the surface front remained progressive through the night, storms lingered over the same areas of southern and southeast Iowa throughout the evening and overnight. Storms, predominantly scattered in nature during the time period, did result in heavy rainfall approaching nearly 5 inches around Oskaloosa.","WOI TV viewer reported heavy rainfall of 4.75 inches from the south side of Oskaloosa." +120866,723691,IOWA,2017,October,Heavy Rain,"TAYLOR",2017-10-05 14:00:00,CST-6,2017-10-05 20:53:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-94.72,40.67,-94.72,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","Coop observer reported 2.2 inches of rain had fallen since 3 pm." +121096,724955,WYOMING,2017,October,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-10-22 11:00:00,MST-7,2017-10-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 22/1250 MST." +121096,724956,WYOMING,2017,October,High Wind,"CENTRAL CARBON COUNTY",2017-10-22 10:00:00,MST-7,2017-10-22 10:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Sinclair measured peak wind gusts of 58 mph." +121096,724957,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-22 06:05:00,MST-7,2017-10-22 18:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 22/1730 MST." +121096,724958,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-22 05:48:00,MST-7,2017-10-22 05:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","A wind sensor near Wheatland measured a peak gust of 59 mph." +121096,724960,WYOMING,2017,October,High Wind,"EAST PLATTE COUNTY",2017-10-22 16:30:00,MST-7,2017-10-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher." +121096,724961,WYOMING,2017,October,High Wind,"LARAMIE VALLEY",2017-10-22 11:45:00,MST-7,2017-10-22 13:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor rat Quealy Dome measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 22/1155 MST." +121096,724962,WYOMING,2017,October,High Wind,"LARAMIE VALLEY",2017-10-22 10:30:00,MST-7,2017-10-22 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 22/1730 MST." +118659,712884,UTAH,2017,July,Debris Flow,"GRAND",2017-07-25 22:00:00,MST-7,2017-07-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-109.57,38.5701,-109.5674,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","Boulders and debris flowed across Kane Creek Road as the result of heavy rainfall." +120317,724025,NORTH CAROLINA,2017,October,Flash Flood,"ASHE",2017-10-23 16:00:00,EST-5,2017-10-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.397,-81.5117,36.4274,-81.5059,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","Numerous reports of roads flooded in the Jefferson and West Jefferson area between 5 PM and 7 PM local time." +121117,725110,NORTH CAROLINA,2017,October,Thunderstorm Wind,"COLUMBUS",2017-10-23 21:15:00,EST-5,2017-10-23 21:17:00,0,0,0,0,15.00K,15000,0.00K,0,34.326,-78.7056,34.3292,-78.7017,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","Observations by a storm survey team from the National Weather Service confirmed scattered straight line wind damage in the city of Whiteville. A tree fell onto a home on W Columbus St. The extent of damage to the structure is unknown. Tree damage was observed elsewhere across the city of Whiteville and scattered tree limbs were observed down." +121117,725113,NORTH CAROLINA,2017,October,Tornado,"BRUNSWICK",2017-10-23 22:45:00,EST-5,2017-10-23 22:47:00,0,0,0,0,7.00K,7000,0.00K,0,34.0593,-78.3516,34.0633,-78.3477,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A survey team from the National Weather Service discovered tree damage in a very rural portion of Brunswick County. The damage observed was along Makatoka Rd where a few large trees around a foot in diameter were snapped and a few larger limbs were knocked out of tree tops. The damage was determined to be due to an EF-0 tornado with winds up to 65 mph. The tornado had a path length of just over a third of a mile and a maximum path width of 50 yards. The tornado was on the ground for less than 2 minutes." +120173,720060,GULF OF MEXICO,2017,October,Marine Tropical Storm,"COASTAL WATERS FROM STAKE ISLAND LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER FROM 20 TO 60 NM",2017-10-07 12:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm and occasional hurricane force winds occurred over the marine area The Ursa drilling platform in Mississippi Canyon Block 809 reported a sustained wind of 45 knots. Anemometer height is 122 meters." +120173,720069,GULF OF MEXICO,2017,October,Marine Tropical Storm,"LAKE BORGNE",2017-10-07 14:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred over the marine areas. The station at Shell Beach recorded a 35 knot sustained wind. A 41 knot wind gust was measured at 1824 CDT." +120173,720071,GULF OF MEXICO,2017,October,Marine Tropical Storm,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA OUT 20 NM",2017-10-07 12:00:00,CST-6,2017-10-08 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred over the marine area as Hurricane Nate moved just to the east of marine area. The station at the Louisiana Offshore Oil Port reported a 37 knot wind gust. The Southwest Pass C-MAN station (BURL1) reported a 46 knot sustained wind and a 52 knot wind gust. The AWOS station (KDLP) in West Delta Block 27A reported a 39 knot sustained wind. A 48 knot wind gust was reported earlier at 1415 CDT." +120173,725100,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"MISSISSIPPI SOUND",2017-10-07 14:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred, and occasional hurricane force wind gust over eastern areas as Hurricane Nate impacted the areas. Some representative observations included: the Weatherflow site at Ship Island in Mississippi Sound reported a 63 knot wind gust. The station at Petit Bois Island (PTBM6) reported a sustained wind of 46 knots and a peak gust of 58 knots. The Port of Pascagoula Range A Rear WLON station (RARM6) reported a sustained wind of 44 knots and a peak wind gust of 61 knots." +120866,723695,IOWA,2017,October,Heavy Rain,"TAYLOR",2017-10-05 06:00:00,CST-6,2017-10-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-94.91,40.8,-94.91,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","CoCoRaHS observer recorded heavy rainfall of 4.52 inches over the previous 24 hours." +113877,693850,TEXAS,2017,April,Hail,"EASTLAND",2017-04-21 18:53:00,CST-6,2017-04-21 18:53:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-98.68,32.47,-98.68,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio operator reported quarter size hail in the city of Ranger." +113877,693851,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:29:00,CST-6,2017-04-21 19:29:00,0,0,0,0,5.00K,5000,0.00K,0,33.2954,-96.8512,33.2954,-96.8512,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm spotter reported ping pong hail size approximately 4 miles WSW of Celina." +113877,693856,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:41:00,CST-6,2017-04-21 19:41:00,0,0,0,0,10.00K,10000,0.00K,0,33.32,-96.78,33.32,-96.78,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An storm spotter reported golf ball size hail in Celina." +121136,725211,ALABAMA,2017,October,Tropical Storm,"MONTGOMERY",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +121136,725212,ALABAMA,2017,October,Tropical Storm,"SHELBY",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +120705,725195,MINNESOTA,2017,October,Lakeshore Flood,"SOUTHERN ST. LOUIS / CARLTON",2017-10-27 00:00:00,CST-6,2017-10-28 00:00:00,0,0,0,0,3.50M,3500000,0.00K,0,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61." +120706,725190,WISCONSIN,2017,October,Heavy Snow,"DOUGLAS",2017-10-27 05:00:00,CST-6,2017-10-28 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","Observer measured 7.8 of snow 1 mile west of Bennett." +121170,725428,NEW YORK,2017,October,Coastal Flood,"SOUTHEAST SUFFOLK",2017-10-30 05:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,3.00M,3000000,0.00K,0,NaN,NaN,NaN,NaN,"A southern low rapidly intensified as it raced up the East coast Sunday, and over NYC Sunday Night. This low brought a rapid onset but relatively brief period of SE gale to storm force winds Sunday evening, shifting to WNW gales Monday morning. High seas built into Monday Morning. ||Moderate coastal flooding occurred along the Great South Bay with the Monday morning high tide. Surge continued to increase well after peak onshore winds, with water levels receding briefly or not at all during low tide. The westerly wind shift helped slosh surge into eastern portions of the Great South Bay, with recession below flood levels taking several hours after high tide.","The USGS tidal gauge in Moriches at Moriches Bay recorded a peak water level of 5.4 ft. MLLW at 530 am EST, which is the moderate coastal flood threshold.||Numerous properties experienced 1 to 2 feet of inundation along Dune Rd. in Westhampton Beach. In Eastport, South Bay Avenue Marina was inundated by around 1 foot of water. In Mastic, widespread minor to moderate inundation of 1 to 3 feet occurred over roads and onto properties from Trafalgar and Pine Tree Drives and points to the southwest, and Trafalgar and Grandview Drives and points to the southeast. Smith Point Park in Mastic was also inundated." +120781,723375,ALASKA,2017,October,High Wind,"PRIBILOF ISLANDS",2017-10-05 06:24:00,AKST-9,2017-10-05 06:55:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly strengthened as it moved across the northern Bering Sea. The low peaked at around 960 mb and utilized colder air over Russia to help mix down the strongest winds over the central Bering Sea.","Winds peaked shortly after 6 AM at 75 mph at the St. Paul Aiport. Minor erosion, roof damage and siding damage was documented by the local Weather Service Office. The ASOS at St. George Airport peaked at 61 kts around the same time." +120783,723426,ALASKA,2017,October,High Wind,"ALASKA PENINSULA",2017-10-07 14:50:00,AKST-9,2017-10-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A quickly moving low pressure system pushed into Southwest Alaska. The pressure gradient was favorably oriented to help produce localized strong gap winds.","False Pass AWOS reported a wind gust of 78 mph at 14:50 AKDT. Nelson Lagoon AWOS reported a wind gust of 82 mph at 18:35 AKDT. Multiple other observations across the Alaska Peninsula reported wind gusts between 65 and 74 mph including Cold Bay and King Cove. No reports of any structural damage." +120800,723432,ALASKA,2017,October,Winter Weather,"SUSITNA VALLEY",2017-10-24 15:52:00,AKST-9,2017-10-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A negatively-tilted trough over the Kenai Peninsula shifted to the northeast and allowed precipitation to overspread Southcentral Alaska. An antecedent cold air mass allowed for snowfall over inland locations while coastal locations remained in a rain/snow mix. The greatest snow accumulations were observed over the Susitna Valley.","Multiple reports of 9 to 12 of snowfall fell near and east of Skwentna. The base of Mount Susitna reported 7 inches of snow while Talkeetna reported 8.5 inches of snow. Storm Total Reports: 11 inches at Bentalit Lodge, 12 to 18 inches at the Cantwell DOT and 12.5 inches at the Chulitna DOT." +121222,725755,PUERTO RICO,2017,October,Heavy Rain,"ADJUNTAS",2017-10-09 13:25:00,AST-4,2017-10-09 13:25:00,0,0,0,0,10.00K,10000,0.00K,0,18.17,-66.75,18.1912,-66.7485,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Mudslide along rural road PR-5522 at Km 0.8 in Barrio Limani, Silla Calderon sector." +119993,719055,TEXAS,2017,October,Tornado,"GALVESTON",2017-10-20 03:58:00,CST-6,2017-10-20 04:02:00,0,0,0,0,50.00K,50000,0.00K,0,29.4757,-95.0738,29.4724,-95.0675,"Heavy rains caused flooding from a north to south line of thunderstorms. Damage was caused by a tornado, thunderstorm winds and a lightning strike.","An EF0 tornado downed trees and branches along either side of Benson's Bayou. Damage included home and vehicle windows along with residential fences." +120644,722679,KANSAS,2017,October,Hail,"OSBORNE",2017-10-06 17:08:00,CST-6,2017-10-06 17:08:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-98.67,39.16,-98.67,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","" +120644,722680,KANSAS,2017,October,Hail,"OSBORNE",2017-10-06 17:26:00,CST-6,2017-10-06 17:26:00,0,0,0,0,50.00K,50000,150.00K,150000,39.4855,-98.55,39.4855,-98.55,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","" +120644,722681,KANSAS,2017,October,Hail,"MITCHELL",2017-10-06 17:30:00,CST-6,2017-10-06 17:40:00,0,0,0,0,50.00K,50000,150.00K,150000,39.259,-98.4,39.259,-98.4,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","" +120644,722682,KANSAS,2017,October,Hail,"JEWELL",2017-10-06 17:48:00,CST-6,2017-10-06 17:48:00,0,0,0,0,0.00K,0,0.00K,0,39.67,-98.4064,39.67,-98.4064,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","" +120644,722683,KANSAS,2017,October,Hail,"JEWELL",2017-10-06 18:15:00,CST-6,2017-10-06 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-98.3,39.87,-98.3,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","" +120644,725422,KANSAS,2017,October,Heavy Rain,"MITCHELL",2017-10-06 06:00:00,CST-6,2017-10-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2567,-98.4143,39.2567,-98.4143,"This Friday evening featured the last severe thunderstorm episode of 2017 within this six-county North Central Kansas area, featuring several hail reports within Osborne, Mitchell and Jewell counties. Hail to at least quarter size was reported in or near Downs, Burr Oak, and Ionia, with larger golf ball size stones near Hunter. In addition, a southwest-northeast oriented swath of heavy rainfall of mainly 2-3 fell across the heart of Mitchell County, including a CoCoRaHS total of 3.20 a few miles north of Hunter. However, there were no ground-truth reports of flooding. ||Turning to event evolution, the first attempts at convective initiation within North Central Kansas occurred as early as 3-4 p.m. CDT, but yielded only a few non-severe storms. However, things soon turned much more active between 5:30-8:00 p.m. CDT as several strong to severe storms lifted north into the area out of central Kansas. This convection consisted of a varied mix of quasi-linear and semi-discrete modes, and even featured at least one embedded supercell that exhibited noticeable radar-indicated rotation as it traversed southern and eastern Mitchell County. However, no tornadic activity was reported. By 8 p.m. CDT, all severe storms had departed off to the east, leaving only showers and non-severe storms lingering within the area until around midnight CDT. ||In the mid-upper levels, this was a strongly-forced event as a large-scale, increasingly-amplified trough traversed the Central Plains from the 6th into the 7th. At the surface, severe convection in North Central Kansas focused mainly just north of a well-defined quasi-stationary front stretched from southwest Kansas to southeast Nebraska. Low-level moisture was abundant across the local area, with surface dewpoints well into the mid-60s to around 70F. As severe storms entered the picture early in the evening, mesoscale analysis indicated around 1000 J/kg mixed-layer CAPE and strong effective deep-layer wind shear of at least 50 knots.","The 24-hour rainfall was 3.20, the vast majority of which fell between 6-10 p.m. CDT." +119145,716274,VIRGINIA,2017,July,Heavy Rain,"ACCOMACK",2017-07-14 18:54:00,EST-5,2017-07-14 18:54:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-75.48,37.93,-75.48,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 1.22 inches was measured at WAL." +117544,706909,ARIZONA,2017,July,Wildfire,"YAVAPAI COUNTY MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Goodwin Fire started in June and continued to burn into July.","The Goodwin Fire started in the Yavapai County Mountains (Fire Weather Zone above 5000 feet) and around 25,700 total acres burned by the end of June. By July 10, the fire burned around 28,500 total acres. Approximately 16,000 total acres burned above 5000 feet with the rest burning in the Yavapai Valleys and Basins Fire Weather Zone." +119660,717777,VIRGINIA,2017,August,Funnel Cloud,"NORTHAMPTON",2017-08-07 14:45:00,EST-5,2017-08-07 14:45:00,0,0,0,0,0.00K,0,0.00K,0,37.44,-75.88,37.44,-75.88,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Funnel cloud was reported near Birdsnest." +119660,717781,VIRGINIA,2017,August,Thunderstorm Wind,"NORTHAMPTON",2017-08-07 14:45:00,EST-5,2017-08-07 14:45:00,0,0,0,0,1.00K,1000,0.00K,0,37.47,-75.86,37.47,-75.86,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Large tree was downed along Seaside Road." +119660,718308,VIRGINIA,2017,August,Tornado,"LANCASTER",2017-08-07 13:51:00,EST-5,2017-08-07 13:55:00,0,0,0,0,15.00K,15000,0.00K,0,37.6571,-76.45,37.6682,-76.4145,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","A weak tornado caused a few shingles and siding to be blown off a couple of homes, and trees were also blown down in the area." +119660,718791,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 03:00:00,EST-5,2017-08-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,38.01,-75.4,38.01,-75.4,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.32 inches was measured at Greenbackville (1 NE)." +119660,718792,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-08 04:05:00,EST-5,2017-08-08 04:05:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-75.93,37.29,-75.93,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.57 inches was measured at Oyster." +119660,718796,VIRGINIA,2017,August,Heavy Rain,"PRINCE GEORGE",2017-08-08 04:26:00,EST-5,2017-08-08 04:26:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-77.14,37.26,-77.14,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.65 inches was measured at Garysville (1 ENE)." +119134,715484,WISCONSIN,2017,July,Flash Flood,"PEPIN",2017-07-19 23:00:00,CST-6,2017-07-20 04:00:00,0,0,0,0,20.00K,20000,0.00K,0,44.4725,-92.2357,44.4926,-92.2755,"Several thunderstorms trained over the same areas of east central, and southeast Minnesota, and the adjacent counties in west central Wisconsin, along the Mississippi River. Several inches of rain led to a rock slide along a bluff near Stockholm. Water and debris was also reported on a road near intersection of Hwy 35 and Co Rd A in Pierce County.","Pepin County reported a rock slide from the bluffs about 1 mile north of Stockholm, due to heavy rainfall." +119134,715487,WISCONSIN,2017,July,Flash Flood,"PIERCE",2017-07-19 22:00:00,CST-6,2017-07-20 03:00:00,0,0,0,0,0.00K,0,0.00K,0,44.557,-92.302,44.5759,-92.3561,"Several thunderstorms trained over the same areas of east central, and southeast Minnesota, and the adjacent counties in west central Wisconsin, along the Mississippi River. Several inches of rain led to a rock slide along a bluff near Stockholm. Water and debris was also reported on a road near intersection of Hwy 35 and Co Rd A in Pierce County.","Water and debris was on Highway 35, and County Road A near Maiden Rock." +116301,712765,MINNESOTA,2017,July,Hail,"YELLOW MEDICINE",2017-07-09 20:20:00,CST-6,2017-07-09 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-95.81,44.88,-95.81,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +115648,694922,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-21 19:00:00,EST-5,2017-04-21 19:00:00,0,0,0,0,,NaN,,NaN,38.1667,-76.758,38.1667,-76.758,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 50 knots was estimated based on thunderstorm wind damage nearby." +115648,694923,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-21 18:38:00,EST-5,2017-04-21 18:43:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","Wind gusts between 38 and 43 knots were reported at Cobb Point." +115648,694925,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"EASTERN BAY",2017-04-21 19:22:00,EST-5,2017-04-21 19:22:00,0,0,0,0,,NaN,,NaN,38.7822,-76.2525,38.7822,-76.2525,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Mount Pleasant." +115648,694926,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-21 15:53:00,EST-5,2017-04-21 15:53:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 35 knots was reported at Potomac Light." +115648,695717,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-21 19:06:00,EST-5,2017-04-21 19:06:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 43 knots was reported at Piney Point." +115648,695719,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-21 19:30:00,EST-5,2017-04-21 19:30:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust in excess of 30 knots was reported at Lewisetta." +116988,703621,NEW YORK,2017,May,Thunderstorm Wind,"ORLEANS",2017-05-01 15:24:00,EST-5,2017-05-01 15:24:00,0,0,0,0,10.00K,10000,0.00K,0,43.22,-78.03,43.22,-78.03,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703622,NEW YORK,2017,May,Thunderstorm Wind,"GENESEE",2017-05-01 15:25:00,EST-5,2017-05-01 15:25:00,0,0,0,0,15.00K,15000,0.00K,0,43.08,-78.3,43.08,-78.3,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm wind downed numerous trees on East Shelby Road." +116988,703623,NEW YORK,2017,May,Thunderstorm Wind,"GENESEE",2017-05-01 15:26:00,EST-5,2017-05-01 15:26:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-78.04,42.89,-78.04,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds on Linwood Avenue." +116993,703689,NEW YORK,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-18 22:55:00,EST-5,2017-05-18 22:55:00,0,0,0,0,15.00K,15000,0.00K,0,42.54,-79.17,42.54,-79.17,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +116995,703692,ST LAWRENCE R,2017,May,Marine Thunderstorm Wind,"ST LAWRENCE RIVER FROM OGDENSBURG TO ST REGIS NY",2017-05-18 20:25:00,EST-5,2017-05-18 20:25:00,0,0,0,0,,NaN,0.00K,0,44.9551,-74.9364,44.9551,-74.9364,"A thunderstorm crossing the St. Lawrence River produced gusts measured to 39 knots at Massena.","" +116997,703693,LAKE ERIE,2017,May,Marine Hail,"DUNKIRK TO BUFFALO NY",2017-05-18 22:40:00,EST-5,2017-05-18 22:40:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.33,42.49,-79.33,"A thunderstorm crossing Lake Erie produced three-quarter inch hail and wind gusts measured to 34 knots at Dunkirk.","" +116997,703694,LAKE ERIE,2017,May,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-05-18 22:46:00,EST-5,2017-05-18 22:46:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.33,42.49,-79.33,"A thunderstorm crossing Lake Erie produced three-quarter inch hail and wind gusts measured to 34 knots at Dunkirk.","" +116999,703698,NEW YORK,2017,May,Hail,"CHAUTAUQUA",2017-05-28 17:24:00,EST-5,2017-05-28 17:24:00,0,0,0,0,,NaN,,NaN,42.45,-79.15,42.45,-79.15,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +117000,703705,NEW YORK,2017,May,Hail,"ALLEGANY",2017-05-30 12:21:00,EST-5,2017-05-30 12:21:00,0,0,0,0,,NaN,,NaN,42.04,-77.77,42.04,-77.77,"Thunderstorms developed ahead of an approaching cold front. The thunderstorms produced hail up to a quarter-sized in diameter across the western southern tier and Finger Lakes region.","" +117000,703706,NEW YORK,2017,May,Hail,"ONTARIO",2017-05-30 13:05:00,EST-5,2017-05-30 13:05:00,0,0,0,0,,NaN,,NaN,42.96,-77.06,42.96,-77.06,"Thunderstorms developed ahead of an approaching cold front. The thunderstorms produced hail up to a quarter-sized in diameter across the western southern tier and Finger Lakes region.","" +117000,703707,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-30 13:05:00,EST-5,2017-05-30 13:05:00,0,0,0,0,,NaN,,NaN,43.65,-76.16,43.65,-76.16,"Thunderstorms developed ahead of an approaching cold front. The thunderstorms produced hail up to a quarter-sized in diameter across the western southern tier and Finger Lakes region.","" +117000,703708,NEW YORK,2017,May,Hail,"WAYNE",2017-05-30 13:08:00,EST-5,2017-05-30 13:08:00,0,0,0,0,,NaN,,NaN,43.24,-76.86,43.24,-76.86,"Thunderstorms developed ahead of an approaching cold front. The thunderstorms produced hail up to a quarter-sized in diameter across the western southern tier and Finger Lakes region.","" +118298,710920,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 18:40:00,EST-5,2017-06-18 18:40:00,0,0,0,0,10.00K,10000,0.00K,0,42.16,-79.33,42.16,-79.33,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on Dutch Hollow Road." +118300,710922,NEW YORK,2017,June,Hail,"NIAGARA",2017-06-24 15:14:00,EST-5,2017-06-24 15:14:00,0,0,0,0,,NaN,,NaN,43.09,-79.02,43.09,-79.02,"A thunderstorm in Niagara Falls produced three-quarter inch hail.","" +118301,710923,NEW YORK,2017,June,Hail,"WAYNE",2017-06-25 15:47:00,EST-5,2017-06-25 15:47:00,0,0,0,0,,NaN,,NaN,43.29,-76.9,43.29,-76.9,"A thunderstorm near Port Bay produced three-quarter inch hail.","" +118302,710924,NEW YORK,2017,June,Hail,"ERIE",2017-06-27 17:15:00,EST-5,2017-06-27 17:15:00,0,0,0,0,,NaN,,NaN,42.82,-78.77,42.82,-78.77,"Thunderstorms in Orchard Park and West Seneca produced three-quarter inch hail.","" +118302,710925,NEW YORK,2017,June,Hail,"ERIE",2017-06-27 17:40:00,EST-5,2017-06-27 17:40:00,0,0,0,0,,NaN,,NaN,42.76,-78.75,42.76,-78.75,"Thunderstorms in Orchard Park and West Seneca produced three-quarter inch hail.","" +118303,710926,NEW YORK,2017,June,Hail,"WYOMING",2017-06-26 15:46:00,EST-5,2017-06-26 15:46:00,0,0,0,0,,NaN,,NaN,42.84,-78.19,42.84,-78.19,"With the area under the influence of unseasonably cool air, an upper air disturbance crossed the region during the afternoon. This spawned a broken line of convection that produced hail of three-quarters to one-inch in diameter.","" +118303,710927,NEW YORK,2017,June,Hail,"OSWEGO",2017-06-26 18:00:00,EST-5,2017-06-26 18:00:00,0,0,0,0,,NaN,,NaN,43.35,-76.51,43.35,-76.51,"With the area under the influence of unseasonably cool air, an upper air disturbance crossed the region during the afternoon. This spawned a broken line of convection that produced hail of three-quarters to one-inch in diameter.","" +118298,710928,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 14:30:00,EST-5,2017-06-18 14:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.1,-79.46,42.1,-79.46,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +121685,728370,NEW YORK,2017,July,Coastal Flood,"WAYNE",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723338,NEW YORK,2017,September,Thunderstorm Wind,"OSWEGO",2017-09-04 23:22:00,EST-5,2017-09-04 23:22:00,0,0,0,0,12.00K,12000,0.00K,0,43.26,-76.52,43.26,-76.52,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds." +120768,723339,NEW YORK,2017,September,Thunderstorm Wind,"ALLEGANY",2017-09-04 23:34:00,EST-5,2017-09-04 23:34:00,0,0,0,0,10.00K,10000,0.00K,0,42.22,-77.9,42.22,-77.9,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds." +120768,723340,NEW YORK,2017,September,Thunderstorm Wind,"ONTARIO",2017-09-04 23:34:00,EST-5,2017-09-04 23:34:00,0,0,0,0,10.00K,10000,0.00K,0,42.87,-76.98,42.87,-76.98,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds." +113095,676390,FLORIDA,2017,March,Hail,"INDIAN RIVER",2017-03-23 12:27:00,EST-5,2017-03-23 12:27:00,0,0,0,0,0.00K,0,0.00K,0,27.65,-80.39,27.65,-80.39,"A cluster of thunderstorms moved onshore from the Atlantic and organized into a long-lived severe storm as it moved southwest at 30 mph. The storm produced large hail in Vero Beach, then snapped four wooden power poles west of Vero Beach. As the storm continued farther southwest into rural Indian River and St. Lucie Counties, the cell acquired rotation and a brief tornado developed and damaged a power pole between Interstate 95 and the Florida Turnpike. Additional sporadic wind damage occurred to powerlines and a power pole near and southwest of the Florida Turnpike.","A resident of Vero Beach reported quarter to half-dollar sized hail falling near the Vero Beach Country Club as a thunderstorm became severe after moving onshore from the Atlantic." +120866,723694,IOWA,2017,October,Heavy Rain,"TAYLOR",2017-10-05 06:00:00,CST-6,2017-10-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-94.72,40.68,-94.72,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","Coop observer reported heavy rainfall of 3.70 inches over the previous 24 hours." +120866,723696,IOWA,2017,October,Heavy Rain,"TAYLOR",2017-10-05 09:00:00,CST-6,2017-10-05 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-94.9,40.79,-94.9,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","Public reported via social media estimated 5 inches of rainfall. Rainfall was beyond the capability of the rain gage." +120867,723697,IOWA,2017,October,Heavy Rain,"GUTHRIE",2017-10-06 11:00:00,CST-6,2017-10-07 09:32:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-94.31,41.85,-94.31,"The warm front to stalled out front that provided southern Iowa with heavy rainfall the day before oozed its way northward on the 6th. As it slowly marched northward, showers and storms developed in a very moist environment of precipitable water around 1.8 to 1.9 inches. Fortunately, MUCAPE values were modest under 1000 J/kg and other severe weather metrics were essentially non-existent. The result was another round of heavy rainfall that covered northern Iowa this time around.","Trained spotter reported heavy rainfall of 3.50 inches." +117823,708251,CALIFORNIA,2017,June,Heat,"TULARE CTY FOOTHILLS",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees below 3000 feet between June 18 and June 23." +117902,708551,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:32:00,CST-6,2017-06-15 20:33:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-94.58,39.26,-94.58,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708552,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:35:00,CST-6,2017-06-15 20:36:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-94.54,39.17,-94.54,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708553,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:35:00,CST-6,2017-06-15 20:37:00,0,0,0,0,,NaN,,NaN,39.24,-94.44,39.24,-94.44,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708554,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:37:00,CST-6,2017-06-15 20:37:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-94.45,39.26,-94.45,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708555,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:41:00,CST-6,2017-06-15 20:41:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-94.45,39.27,-94.45,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +119868,718575,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CRAWFORD",2017-08-04 12:41:00,EST-5,2017-08-04 12:41:00,0,0,0,0,10.00K,10000,0.00K,0,41.73,-80.15,41.73,-80.15,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed several trees." +119868,718576,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CRAWFORD",2017-08-04 12:58:00,EST-5,2017-08-04 12:58:00,0,0,0,0,10.00K,10000,0.00K,0,41.68,-79.88,41.68,-79.88,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed several trees." +119863,718578,OHIO,2017,August,Thunderstorm Wind,"GEAUGA",2017-08-04 14:35:00,EST-5,2017-08-04 14:35:00,0,0,0,0,10.00K,10000,0.00K,0,41.3789,-81.0358,41.3789,-81.0358,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed several trees." +119863,718579,OHIO,2017,August,Thunderstorm Wind,"GEAUGA",2017-08-04 14:35:00,EST-5,2017-08-04 14:35:00,0,0,0,0,10.00K,10000,0.00K,0,41.3789,-81.0358,41.3789,-81.0358,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed several trees." +119863,718581,OHIO,2017,August,Thunderstorm Wind,"TRUMBULL",2017-08-04 13:12:00,EST-5,2017-08-04 13:12:00,0,0,0,0,35.00K,35000,0.00K,0,41.15,-80.7,41.15,-80.7,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed several trees. A couple homes sustained damage from fallen trees." +119957,718928,LAKE ERIE,2017,August,Waterspout,"AVON POINT TO WILLOWICK OH",2017-08-05 17:55:00,EST-5,2017-08-05 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.1736,-80.2538,42.1736,-80.2538,"Several waterspouts were reported on Lake Erie.","At least four waterspouts were observed on Lake Erie offshore from the Walnut Creek Access." +119981,719023,LAKE ERIE,2017,August,Waterspout,"AVON POINT TO WILLOWICK OH",2017-08-07 10:15:00,EST-5,2017-08-07 10:15:00,0,0,0,0,0.00K,0,0.00K,0,41.6371,-81.9189,41.6371,-81.9189,"Waterspouts were observed on Lake Erie.","A waterspout was observed north of Bay Village." +112899,678857,TENNESSEE,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-10 00:08:00,CST-6,2017-03-10 00:08:00,0,0,0,0,,NaN,,NaN,35.29,-86.23,35.29,-86.23,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees and power lines were knocked down. Power outages reported." +113087,678977,TENNESSEE,2017,March,Hail,"LINCOLN",2017-03-21 15:28:00,CST-6,2017-03-21 15:28:00,0,0,0,0,,NaN,,NaN,35.23,-86.61,35.23,-86.61,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Quarter sized hail was reported." +113087,678978,TENNESSEE,2017,March,Hail,"MOORE",2017-03-21 15:56:00,CST-6,2017-03-21 15:56:00,0,0,0,0,,NaN,,NaN,35.23,-86.38,35.23,-86.38,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Golf ball sized hail was reported." +113087,678979,TENNESSEE,2017,March,Hail,"MOORE",2017-03-21 16:00:00,CST-6,2017-03-21 16:00:00,0,0,0,0,,NaN,,NaN,35.28,-86.36,35.28,-86.36,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Quarter sized hail was reported." +121650,728092,CALIFORNIA,2017,October,High Wind,"RIVERSIDE COUNTY EASTERN DESERTS",2017-10-09 02:50:00,MST-7,2017-10-09 02:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong and gusty north winds developed down the lower Colorado River Valley and across portions of eastern Riverside County during the early morning hours on October 9. The winds developed behind a strong dry cold front pushing south through the area and they were strong enough to warrant the issuance of a Wind Advisory. During the early morning hours on October 9, a mesonet weather station reported a peak wind gust of 67 mph. No damage was reported due to the strong wind gust however.","Strong and gusty north winds developed behind a cold front across portions of far eastern Riverside County on October 9. The winds occurred during the early morning hours. According to a mesonet weather station, RVYC1, located 8 miles east of Rice Valley, a gust of 67 mph was measured. The station was also located about 15 miles northeast of the town of Midland. No damage was reported due to the wind gusts." +112669,678987,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 14:49:00,CST-6,2017-03-01 14:49:00,0,0,0,0,,NaN,,NaN,34.58,-86.16,34.58,-86.16,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Trees were knocked down on a house on Burroughs Loop." +120998,724268,IOWA,2017,October,Frost/Freeze,"BREMER",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +118835,713930,IOWA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-20 18:05:00,CST-6,2017-07-20 18:05:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-95.29,42.2,-95.29,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Trained spotter estimated wind gusts to 60 mph and reported tree branches down." +118835,713931,IOWA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-20 18:12:00,CST-6,2017-07-20 18:12:00,0,0,0,0,0.00K,0,0.00K,0,42.2,-95.29,42.2,-95.29,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Trained spotter reported corn flattened and small to mid-size tree branches down. Time radar estimated." +113402,678921,ALABAMA,2017,March,Hail,"FRANKLIN",2017-03-27 15:26:00,CST-6,2017-03-27 15:26:00,0,0,0,0,,NaN,,NaN,34.4233,-87.9003,34.4233,-87.9003,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported at Little Bear Creek Reservoir at Highway 184 and William Hollow Road in Spruce Pine." +113402,678922,ALABAMA,2017,March,Hail,"CULLMAN",2017-03-27 15:56:00,CST-6,2017-03-27 15:56:00,0,0,0,0,,NaN,,NaN,33.96,-87.04,33.96,-87.04,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +113402,678923,ALABAMA,2017,March,Hail,"CULLMAN",2017-03-27 15:59:00,CST-6,2017-03-27 15:59:00,0,0,0,0,,NaN,,NaN,33.98,-87.03,33.98,-87.03,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +113402,678924,ALABAMA,2017,March,Hail,"CULLMAN",2017-03-27 16:14:00,CST-6,2017-03-27 16:14:00,0,0,0,0,,NaN,,NaN,34,-86.86,34,-86.86,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Half dollar sized hail was reported." +113402,678925,ALABAMA,2017,March,Hail,"FRANKLIN",2017-03-27 16:25:00,CST-6,2017-03-27 16:25:00,0,0,0,0,,NaN,,NaN,34.44,-88.14,34.44,-88.14,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +113402,678926,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-27 17:55:00,CST-6,2017-03-27 17:55:00,0,0,0,0,,NaN,,NaN,34.27,-85.86,34.27,-85.86,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Power lines and trees were knocked down." +113402,678927,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-27 17:55:00,CST-6,2017-03-27 17:55:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-85.95,34.22,-85.95,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","A barn was damaged near Hendrexville." +121050,725131,MAINE,2017,October,High Wind,"SAGADAHOC",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725132,MAINE,2017,October,High Wind,"NORTHERN FRANKLIN",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +112669,678960,ALABAMA,2017,March,Hail,"COLBERT",2017-03-01 12:42:00,CST-6,2017-03-01 12:42:00,0,0,0,0,,NaN,,NaN,34.69,-87.6,34.69,-87.6,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail was reported." +118982,714671,IOWA,2017,August,Hail,"POCAHONTAS",2017-08-26 12:05:00,CST-6,2017-08-26 12:05:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-94.68,42.74,-94.68,"Seasonally cool conditions prevailed throughout the day with temperatures only into the 70s in many cases and dew points in the 60s. With low pressure located over Minnesota, weak warm frontal and cold frontal boundary reflections resided over western Iowa and northern Nebraska respectively. In the afternoon, storms initiated within 1000-2000 J/kg MUCAPE and effective bulk shear generally under 30 kts. Resulting storms were unorganized and sub-severe in nature for the most part. A pair of quarter sized hail reports were received near Pocahontas, otherwise periods of heavy rain most often prevailed.","Trained spotter reported quarter sized hail." +118982,714672,IOWA,2017,August,Hail,"POCAHONTAS",2017-08-26 12:15:00,CST-6,2017-08-26 12:15:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-94.66,42.74,-94.66,"Seasonally cool conditions prevailed throughout the day with temperatures only into the 70s in many cases and dew points in the 60s. With low pressure located over Minnesota, weak warm frontal and cold frontal boundary reflections resided over western Iowa and northern Nebraska respectively. In the afternoon, storms initiated within 1000-2000 J/kg MUCAPE and effective bulk shear generally under 30 kts. Resulting storms were unorganized and sub-severe in nature for the most part. A pair of quarter sized hail reports were received near Pocahontas, otherwise periods of heavy rain most often prevailed.","Trained spotter reported quarter sized hail." +118390,711446,IOWA,2017,July,Hail,"KOSSUTH",2017-07-02 15:02:00,CST-6,2017-07-02 15:02:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-94.09,42.98,-94.09,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Storm chase reported nickel sized hail." +118390,711447,IOWA,2017,July,Hail,"DECATUR",2017-07-03 13:45:00,CST-6,2017-07-03 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-93.77,40.87,-93.77,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Trained spotter reported dime to nickel sized hail and very heavy rainfall, including some ditches full." +118390,711449,IOWA,2017,July,Hail,"HARDIN",2017-07-03 18:52:00,CST-6,2017-07-03 18:52:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-93.06,42.24,-93.06,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Public reported quarter sized hail." +117519,706852,CALIFORNIA,2017,June,High Wind,"KERN CTY MTNS",2017-06-11 14:32:00,PST-8,2017-06-11 14:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","The Blue Max RAWS reported a maximum wind gust of 65 mph." +117519,706851,CALIFORNIA,2017,June,High Wind,"INDIAN WELLS VLY",2017-06-11 03:26:00,PST-8,2017-06-11 03:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","The Indian Wells Canyon RAWS reported a maximum wind gust of 58 mph." +117519,706853,CALIFORNIA,2017,June,High Wind,"KERN CTY MTNS",2017-06-11 15:14:00,PST-8,2017-06-11 15:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","The Jawbone Canyon RAWS reported a maximum wind gust of 64 mph." +115147,691908,MARYLAND,2017,April,Thunderstorm Wind,"HARFORD",2017-04-06 14:00:00,EST-5,2017-04-06 14:00:00,0,0,0,0,,NaN,,NaN,39.45,-76.08,39.45,-76.08,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 69 mph was reported at the Aberdeen Proving Ground." +115247,691936,MARYLAND,2017,April,Hail,"PRINCE GEORGE'S",2017-04-21 16:03:00,EST-5,2017-04-21 16:03:00,0,0,0,0,,NaN,,NaN,38.9961,-76.9348,38.9961,-76.9348,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115643,694833,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-06 11:30:00,EST-5,2017-04-06 11:35:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 53 knots were reported at Point Lookout." +121162,725334,OKLAHOMA,2017,October,Hail,"GRADY",2017-10-21 18:45:00,CST-6,2017-10-21 18:45:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-97.96,35.04,-97.96,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +121162,725389,OKLAHOMA,2017,October,Lightning,"CLEVELAND",2017-10-22 00:00:00,CST-6,2017-10-22 00:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.2357,-97.5048,35.2357,-97.5048,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","A branch 6-8 inches in diameter fell onto a roof. Time is a rough estimate from source. Photo shows evidence of lightning charring (and wind damage is unlikely for the time estimate given)." +117903,709062,KANSAS,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 22:35:00,CST-6,2017-06-16 22:38:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-95.33,39.42,-95.33,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","An Emergency Manager near Cummings reported a 76 mph wind." +117902,708930,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:43:00,CST-6,2017-06-17 20:46:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.25,39.01,-94.25,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 70 mph wind with transformers blowing nearby." +117902,708931,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:44:00,CST-6,2017-06-17 20:47:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.39,39.03,-94.39,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +117902,708932,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:55:00,CST-6,2017-06-17 20:58:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-94.13,39.01,-94.13,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A public spotter reported a 70 mph wind." +118395,711473,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-10 00:47:00,CST-6,2017-07-10 00:47:00,0,0,0,0,150.00K,150000,0.00K,0,43.01,-93.6,43.01,-93.6,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Storm chaser video depicted extensive wind damage and likely wind driven hail damage in the town of Klemme. Damage included numerous car, home, and business windows broken and trees downed on homes. This is a delayed report and time estimated from radar." +120862,723663,OKLAHOMA,2017,October,Thunderstorm Wind,"CANADIAN",2017-10-14 21:48:00,CST-6,2017-10-14 21:48:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-98.04,35.56,-98.04,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +121162,725384,OKLAHOMA,2017,October,Tornado,"MCCLAIN",2017-10-21 19:36:00,CST-6,2017-10-21 19:40:00,0,0,0,0,100.00K,100000,0.00K,0,35.1832,-97.513,35.1818,-97.4784,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","This tornado developed just north of State Highway 9 and just west of Santa Fe Avenue where tree damage was noted. The tornado moved east damaging a business and destroying a shed along Highway 9. The tornado turned southeast crossing Highway 9 and passed near the Riverwind Casino and Hotel along with strong winds on the south flank of the tornado. Trees were snapped just west of the casino. At the casino, two air conditioner units were displaced from their pedestal on the roof of the building, which allowed rain inside the structure. Some roof facade damage was also noted at the casino. Just south at the adjacent hotel, strong winds created some roof facade and siding damage (see adjacent Thunderstorm Wind Entry).||The tornado crossed Interstate 35 and damaged businesses and destroyed at least one shed between the interstate and the Canadian River before moving into inaccessible areas near the river and crossing into Cleveland County south of Norman." +121162,725387,OKLAHOMA,2017,October,Thunderstorm Wind,"MCCLAIN",2017-10-21 19:37:00,CST-6,2017-10-21 19:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.1805,-97.5032,35.1818,-97.4824,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Immediately south of the tornado that moved near State Highway 9, a large area of damaging winds, likely associated with the Rear Flank Downdraft, produced additional damage from near Riverwind Casino and Hotel to the Canadian River. Just east of Interstate 35, this area of damaging winds was it's widest at around 500 yards. Roof facade was pulled from the Riverwind Hotel, which damaged the hotel siding and broke a first story window as it fell. Numerous trees were damaged east of Interstate 35 but south of the tornado path with damage consistent with winds of approximately 90 mph." +118396,711482,IOWA,2017,July,Hail,"GUTHRIE",2017-07-12 14:48:00,CST-6,2017-07-12 14:48:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-94.36,41.78,-94.36,"A cold front found itself moving across Iowa from northwest to southeast during the day and was able to initiate a number of strong storms. With observations around 90 degrees for highs with dew points well into the 70s, MUCAPE values exceeded 3500 J/kg along with 25-35 kts of effective bulk shear. While indications are that there was not significant 0-1 km helicity, initial storms along the boundary generated a few funnel clouds before strengthening and eventually producing marginal severe hail and a few damaging wind reports.","Emergency manager reported nickel sized hail." +118396,711483,IOWA,2017,July,Thunderstorm Wind,"TAMA",2017-07-12 16:58:00,CST-6,2017-07-12 16:58:00,0,0,0,0,0.00K,0,0.00K,0,41.9755,-92.598,41.9755,-92.598,"A cold front found itself moving across Iowa from northwest to southeast during the day and was able to initiate a number of strong storms. With observations around 90 degrees for highs with dew points well into the 70s, MUCAPE values exceeded 3500 J/kg along with 25-35 kts of effective bulk shear. While indications are that there was not significant 0-1 km helicity, initial storms along the boundary generated a few funnel clouds before strengthening and eventually producing marginal severe hail and a few damaging wind reports.","Media reported a tree down on the golf course and other smaller limbs down around town." +118835,713933,IOWA,2017,July,Hail,"GUTHRIE",2017-07-20 18:20:00,CST-6,2017-07-20 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-94.56,41.85,-94.56,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Local fire department reported nickel sized hail." +117902,708883,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:52:00,CST-6,2017-06-17 20:55:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-94.31,39.03,-94.31,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A 6 inch tree limb was down." +117902,708884,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-17 20:54:00,CST-6,2017-06-17 20:57:00,0,0,0,0,,NaN,,NaN,39,-93.95,39,-93.95,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Several trees and power lines were down in Odessa." +117902,708885,MISSOURI,2017,June,Thunderstorm Wind,"HOWARD",2017-06-17 21:47:00,CST-6,2017-06-17 21:50:00,0,0,0,0,,NaN,,NaN,39.23,-92.85,39.23,-92.85,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Numerous large trees were down throughout the city. Utility poles were also snapped in half." +117902,708887,MISSOURI,2017,June,Thunderstorm Wind,"SALINE",2017-06-17 21:47:00,CST-6,2017-06-17 21:50:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-92.85,39.23,-92.85,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Numerous large trees were down across town. Utility poles ere snapped in half." +117902,708888,MISSOURI,2017,June,Thunderstorm Wind,"HOWARD",2017-06-17 21:50:00,CST-6,2017-06-17 21:53:00,0,0,0,0,,NaN,,NaN,39.23,-92.85,39.23,-92.85,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Power lines and large trees limbs were down." +120563,722271,KANSAS,2017,October,Hail,"THOMAS",2017-10-01 15:33:00,CST-6,2017-10-01 15:33:00,0,0,0,0,0.00K,0,0.00K,0,39.1892,-100.8698,39.1892,-100.8698,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","Hail reported at exit 70 north of Oakley." +116206,712362,WISCONSIN,2017,July,Hail,"RUSK",2017-07-06 20:00:00,CST-6,2017-07-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,45.48,-91.02,45.48,-91.02,"Several thunderstorms developed along a boundary in northern Wisconsin during the evening of Thursday, July 6th. These storms moved to the southeast and produced large hail east of Ladysmith.","Half dollar size hail was reported at Highway 8 and Flambeau Drive, near Tony, Wisconsin." +116206,712363,WISCONSIN,2017,July,Thunderstorm Wind,"RUSK",2017-07-06 19:35:00,CST-6,2017-07-06 19:35:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-90.86,45.5,-90.86,"Several thunderstorms developed along a boundary in northern Wisconsin during the evening of Thursday, July 6th. These storms moved to the southeast and produced large hail east of Ladysmith.","Large tree branches were blown down near Stoker Road and Highway 8." +116301,712747,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-09 20:11:00,CST-6,2017-07-09 20:11:00,0,0,0,0,0.00K,0,0.00K,0,45,-95.81,45,-95.81,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113877,693804,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:13:00,CST-6,2017-04-21 18:13:00,0,0,0,0,80.00K,80000,0.00K,0,33.63,-97.15,33.63,-97.15,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","A social media report indicated baseball sized hail in the city of Gainesville, TX." +113877,693852,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:35:00,CST-6,2017-04-21 19:35:00,0,0,0,0,120.00K,120000,0.00K,0,33.2759,-96.7837,33.2759,-96.7837,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","A social media user reported 2.50 inch hail near Prosper/Celina area." +113877,693908,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 20:03:00,CST-6,2017-04-21 20:03:00,0,0,0,0,200.00K,200000,0.00K,0,33.1574,-96.6459,33.1574,-96.6459,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm Spotter reported tennis ball size hail near highway 121 and US 75." +115890,702427,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 13:50:00,EST-5,2017-05-01 13:50:00,0,0,0,0,0.10K,100,0.00K,0,40.32,-80.04,40.32,-80.04,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Social media reported tree limbs down." +115890,702428,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 13:50:00,EST-5,2017-05-01 13:50:00,0,0,0,0,0.50K,500,0.00K,0,40.3612,-79.9819,40.3612,-79.9819,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","County official reported Stilley Road closed due to downed power lines between Route 51 and Prospect Road." +115890,702429,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 13:55:00,EST-5,2017-05-01 13:55:00,0,0,0,0,0.50K,500,0.00K,0,40.36,-79.97,40.36,-79.97,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A trained spotter reported power lines down." +117457,706431,NEBRASKA,2017,June,Tornado,"LANCASTER",2017-06-16 19:40:00,CST-6,2017-06-16 19:41:00,0,0,0,0,0.00K,0,0.00K,0,40.8346,-96.6547,40.8335,-96.6546,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Video footage was taken of a brief tornado near 48th Street and Leighton Street on the University of Nebraska East Campus. No damage was reported." +117457,706432,NEBRASKA,2017,June,Tornado,"PIERCE",2017-06-16 15:47:00,CST-6,2017-06-16 15:47:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-97.75,42.14,-97.75,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Brief Touchdown." +117457,708071,NEBRASKA,2017,June,Tornado,"WAYNE",2017-06-16 16:32:00,CST-6,2017-06-16 16:40:00,0,0,0,0,,NaN,,NaN,42.1115,-97.2132,42.0907,-97.1906,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Tornado started northeast of Hoskins where a barn lost part of it's roof. The tornado proceeded southeast and damaged another barn and grain bin before crossing into Stanton County." +117457,709948,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:15:00,CST-6,2017-06-27 18:15:00,0,0,0,0,,NaN,,NaN,41.32,-96.36,41.32,-96.36,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An 87 mph thunderstorm wind gust was measured at the NWS Omaha/Valley Office." +117457,711005,NEBRASKA,2017,June,Thunderstorm Wind,"SALINE",2017-06-16 20:05:00,CST-6,2017-06-16 20:05:00,0,0,0,0,,NaN,,NaN,40.48,-96.96,40.48,-96.96,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Two homes had damage from intense thunderstorm winds. One home had a large portion of it's roof removed by the intense winds and blown 150 yards downstream." +117457,711006,NEBRASKA,2017,June,Thunderstorm Wind,"JOHNSON",2017-06-16 20:15:00,CST-6,2017-06-16 20:15:00,0,0,0,0,,NaN,,NaN,40.46,-96.34,40.46,-96.34,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Some very large trees were uprooted and power lines were blown down by intense thunderstorm winds." +117953,709080,IOWA,2017,June,Thunderstorm Wind,"MILLS",2017-06-16 19:15:00,CST-6,2017-06-16 19:15:00,0,0,0,0,,NaN,,NaN,41.02,-95.86,41.02,-95.86,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Large trees were blown down along with windows in a house were broken by the damaging winds." +117953,709087,IOWA,2017,June,Thunderstorm Wind,"FREMONT",2017-06-16 19:35:00,CST-6,2017-06-16 19:35:00,0,0,0,0,,NaN,,NaN,40.79,-95.75,40.79,-95.75,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Very large trees southwest of Thurman were blown down by damaging winds. Th trees were blocking a road." +118189,710262,IOWA,2017,June,Hail,"MONTGOMERY",2017-06-29 17:54:00,CST-6,2017-06-29 17:54:00,0,0,0,0,,NaN,,NaN,40.98,-95.1,40.98,-95.1,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +115889,700994,OHIO,2017,May,Thunderstorm Wind,"CARROLL",2017-05-01 12:17:00,EST-5,2017-05-01 12:17:00,0,0,0,0,5.00K,5000,0.00K,0,40.47,-81.2,40.47,-81.2,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Other federal agency reported numerous trees reported down around Leesville Lake." +117457,706406,NEBRASKA,2017,June,Hail,"MADISON",2017-06-16 16:18:00,CST-6,2017-06-16 16:18:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-97.54,42.03,-97.54,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706407,NEBRASKA,2017,June,Hail,"MADISON",2017-06-16 16:23:00,CST-6,2017-06-16 16:23:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-97.6,42.01,-97.6,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +114263,684570,COLORADO,2017,May,Lightning,"DOUGLAS",2017-05-07 14:30:00,MST-7,2017-05-07 14:30:00,1,0,1,0,5.00K,5000,,NaN,39.43,-104.97,39.43,-104.97,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","A woman and her horse were killed after they were struck by lightning. A 15-year-old girl also sustained serious injuries and was treated for electrocution." +115074,690744,COLORADO,2017,May,Hail,"WELD",2017-05-31 18:09:00,MST-7,2017-05-31 18:09:00,0,0,0,0,,NaN,,NaN,40.72,-103.83,40.72,-103.83,"A severe thunderstorm produced large hail from nickel to ping pong ball size.","" +115074,690745,COLORADO,2017,May,Hail,"WELD",2017-05-31 17:58:00,MST-7,2017-05-31 17:58:00,0,0,0,0,,NaN,,NaN,40.67,-103.6,40.67,-103.6,"A severe thunderstorm produced large hail from nickel to ping pong ball size.","" +116713,701886,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-01 16:43:00,EST-5,2017-05-01 16:43:00,0,0,0,0,0.50K,500,0.00K,0,36.4197,-79.9822,36.4197,-79.9822,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds brought down a tree onto Ayersville Road near the intersection with Squire Loop." +116713,701888,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-01 17:05:00,EST-5,2017-05-01 17:05:00,0,0,0,0,0.50K,500,0.00K,0,36.4204,-79.7603,36.4204,-79.7603,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds blew down a tree on Roach Road." +116566,700954,VIRGINIA,2017,May,Flash Flood,"GRAYSON",2017-05-20 13:22:00,EST-5,2017-05-20 15:22:00,0,0,0,0,0.00K,0,0.00K,0,36.6272,-81.4543,36.6254,-81.4597,"Thunderstorms were scattered across the mountains of southwest Virginia from mid-afternoon into the evening. With a very moist air mass in place some of the storms produced pockets of heavy rainfall and some flash flooding. A slow-moving cell just south of Grayson Highlands State Park produced rainfall of 3 to 4 inches in about two-hours or close to the 100-year annual recurrence interval (0.01 annual exceedance probability). Rainfall was more in the 2 to 3 inch range in several hours over western Craig County.","Briar Run was reported out of its banks and flooded portions of Brian Run Lane and Peace Haven Lane. Wilson Creek flooded a portion of Route 817." +116572,700987,VIRGINIA,2017,May,Flash Flood,"MARTINSVILLE (C)",2017-05-22 06:19:00,EST-5,2017-05-22 07:19:00,0,0,0,0,0.00K,0,0.00K,0,36.6987,-79.8936,36.701,-79.8925,"Heavy downpours over the City of Martinsville and surrounding portions of Henry County dropped 2 to 4+ inches of rain over a period of hours during the early morning of May 22nd and caused some flash flooding. 24-hour rainfall reports included Jones Creek IFLOWS (JOEV2) 4.73 inches and Martinsville COOP (MARV2) 3.17 inches both located in the City of Martinsville.","Persistent heavy rains caused flooding along Jones Creek which flooded portions of Liberty Street within the City of Martinsville. This appeared to be beyond typical urban runoff issues as a natural stream flooded." +116352,699664,VIRGINIA,2017,May,Hail,"PITTSYLVANIA",2017-05-20 18:26:00,EST-5,2017-05-20 18:26:00,0,0,0,0,0.20K,200,0.00K,0,36.93,-79.33,36.93,-79.33,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","A thunderstorm produced hail up to the size of ping pong balls, which damaged two windows in a home." +115888,696423,SOUTH CAROLINA,2017,May,Tornado,"ORANGEBURG",2017-05-04 20:01:00,EST-5,2017-05-04 20:06:00,0,0,0,0,,NaN,,NaN,33.287,-80.445,33.3234,-80.4144,"A warm front stretched over central portions of SC as an upper trough and surface cold front approached from the west. Thunderstorms developed in the early afternoon ahead of the cold front over south Georgia along a previously decaying MCV. The activity developed and tracked to the NE across the Southern and Eastern Midlands of SC during the late afternoon and evening hours. Combination of sufficient instability and shear allowed 2 tornadoes to develop over this region.","An NWS Storm Survey Team confirmed that a tornado touched down on White Sands Road about 3 miles SSW of Holly Hill, South Carolina in Orangeburg County. The tornado traveled NE snapping hardwood and pine trees. Two trees fell on a mobile home located on Cocoa Circle about 2 miles SSW of Holly Hill. The two people in the mobile home at the time, a mother and her daughter, sought shelter in a room located near the end of the mobile home and were not injured. The local fire department |rescued the two residents that evening. In the same area, a tree fell onto three vehicles located on Caufield Court. Damage patterns showed a cross wind component typical of tornadic storms. The tornado continued NE into the town limits of Holly |Hill where it ripped the metal roof off of a section of a strip mall at the intersection of Old State Road and Pine Street. The tornado then lifted at approximately 906 PM. Damage surveyed was consistent with EF-1 damage with wind speeds no greater than 103 MPH." +115947,696753,GEORGIA,2017,May,Thunderstorm Wind,"COLUMBIA",2017-05-24 13:16:00,EST-5,2017-05-24 13:20:00,0,0,0,0,,NaN,,NaN,33.64,-82.31,33.64,-82.31,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Multiple trees down on Washington Rd at Keg Creek Dr." +115987,697116,GEORGIA,2017,May,Hail,"LINCOLN",2017-05-29 16:27:00,EST-5,2017-05-29 16:32:00,0,0,0,0,,NaN,,NaN,33.76,-82.5,33.76,-82.5,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and hail.","Lincoln County EM reported hail just larger than penny size." +119944,722974,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-17 02:46:00,MST-7,2017-10-17 02:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 59 mph gust was measured at the Malta South DOT site, located on US 191 at milepost 122." +119944,722975,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-17 22:15:00,MST-7,2017-10-17 23:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","Winds at the Malta South DOT site began gusting at 58 mph or greater at 915 PM MDT and diminished below that at 1039 PM MDT, with a peak wind gust of 77 mph at 948 PM MDT." +119944,722976,MONTANA,2017,October,High Wind,"CENTRAL AND SOUTHERN VALLEY",2017-10-17 23:18:00,MST-7,2017-10-17 23:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 60 mph wind gust was measured at the DOT site 2 miles east of Saco, located on US 2 at milepost 502.5." +119944,722977,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-17 23:32:00,MST-7,2017-10-17 23:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 62 mph wind gust was measured at the BLM RAWS in Zortman." +119944,722978,MONTANA,2017,October,High Wind,"CENTRAL AND SOUTHERN VALLEY",2017-10-17 23:44:00,MST-7,2017-10-17 23:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 59 mph wind gust was measured at the Bluff Creek RAWS." +116455,700387,VIRGINIA,2017,May,Hail,"CARROLL",2017-05-18 16:24:00,EST-5,2017-05-18 16:24:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-80.62,36.79,-80.62,"A high pressure entered east of the Carolina coastline on May 18th, ushered in warm and humid air,aiding in isolated thunderstorm development along the southern slopes of the Blue Ridge Mountains. These storms produced wind damage and hail.","" +116455,700388,VIRGINIA,2017,May,Hail,"PATRICK",2017-05-18 18:10:00,EST-5,2017-05-18 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-80.28,36.68,-80.28,"A high pressure entered east of the Carolina coastline on May 18th, ushered in warm and humid air,aiding in isolated thunderstorm development along the southern slopes of the Blue Ridge Mountains. These storms produced wind damage and hail.","" +116892,702908,IOWA,2017,May,Thunderstorm Wind,"VAN BUREN",2017-05-17 15:56:00,CST-6,2017-05-17 15:56:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-91.74,40.64,-91.74,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local fire department reported a few medium sized tree branches were down." +116892,702909,IOWA,2017,May,Thunderstorm Wind,"DES MOINES",2017-05-17 16:30:00,CST-6,2017-05-17 16:30:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-91.36,41.03,-91.36,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported a large tree branch about 18 feet long was torn off a tree." +116892,702922,IOWA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-17 05:27:00,CST-6,2017-05-17 05:27:00,0,0,0,0,3.00K,3000,0.00K,0,41.34,-91.9,41.34,-91.9,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local law enforcement reported extensive wind damage to trees, farm outbuildings, and one house and garage along Cedar Street for about 5 miles. Several hog confinement buildings lost parts of their roofs." +121212,725709,KANSAS,2017,October,Thunderstorm Wind,"FINNEY",2017-10-06 16:50:00,CST-6,2017-10-06 16:50:00,0,0,0,0,,NaN,,NaN,37.99,-100.85,37.99,-100.85,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Winds were estimated to be 75 MPH." +121212,725710,KANSAS,2017,October,Thunderstorm Wind,"PAWNEE",2017-10-06 18:41:00,CST-6,2017-10-06 18:41:00,0,0,0,0,,NaN,,NaN,38.18,-99.11,38.18,-99.11,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Measured at the Larned middle school." +121212,725711,KANSAS,2017,October,Thunderstorm Wind,"BARBER",2017-10-06 21:14:00,CST-6,2017-10-06 21:14:00,0,0,0,0,,NaN,,NaN,37.27,-98.56,37.27,-98.56,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +120496,721897,WYOMING,2017,October,High Wind,"NORTH BIG HORN BASIN",2017-10-26 08:02:00,MST-7,2017-10-26 08:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving north to south cold front swept across Wyoming early on October 26th. In areas favored for high winds by strong cold advection, high wind occurred. Wind gusts past 58 mph were reported in Greybull, Buffalo and along Interstate 25 north of Kaycee.","The Greybull Airport had a wind gust of 58 mph." +120507,721971,WYOMING,2017,October,High Wind,"ABSAROKA MOUNTAINS",2017-10-31 13:10:00,MST-7,2017-10-31 15:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and front moved into Wyoming and brought high winds to portions of central Wyoming. The strongest winds were across the normally wind prone areas of the Green and Rattlesnake Range. Numerous gusts of over 58 mph were recorded at Camp Creek with a maximum wind gust of 84 mph. Strong winds also occurred in the Absarokas and Cody Foothills, where wind gusts of 80 and 66 mph occurred, respectively. This event continued into November, along snow in some areas. Please see November Storm Data for the conclusion of this event.","The weather station along the Chief Joseph Highway reported several wind gusts over 74 mph; including a maximum of 80 mph." +120507,721972,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-31 13:45:00,MST-7,2017-10-31 21:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and front moved into Wyoming and brought high winds to portions of central Wyoming. The strongest winds were across the normally wind prone areas of the Green and Rattlesnake Range. Numerous gusts of over 58 mph were recorded at Camp Creek with a maximum wind gust of 84 mph. Strong winds also occurred in the Absarokas and Cody Foothills, where wind gusts of 80 and 66 mph occurred, respectively. This event continued into November, along snow in some areas. Please see November Storm Data for the conclusion of this event.","High winds occurred in the wind prone areas around Clark, with a maximum wind gust of 66 mph 8 miles south-southwest of Clark. High winds got into the west side of Cody as well, with a gust of 59 mph 2 miles southwest of Cody." +120507,721973,WYOMING,2017,October,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-10-31 12:50:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific trough and front moved into Wyoming and brought high winds to portions of central Wyoming. The strongest winds were across the normally wind prone areas of the Green and Rattlesnake Range. Numerous gusts of over 58 mph were recorded at Camp Creek with a maximum wind gust of 84 mph. Strong winds also occurred in the Absarokas and Cody Foothills, where wind gusts of 80 and 66 mph occurred, respectively. This event continued into November, along snow in some areas. Please see November Storm Data for the conclusion of this event.","The RAWS site at Camp Creek had many wind gusts past 58 mph; including a maximum of 84 mph." +120573,722301,OKLAHOMA,2017,October,Frost/Freeze,"CIMARRON",2017-10-09 23:00:00,CST-6,2017-10-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Repeat Freeze for Cimarron County with first Freeze of season for Texas County with temperatures ranging from 27-31 degrees for many locations.","" +120573,722302,OKLAHOMA,2017,October,Frost/Freeze,"TEXAS",2017-10-09 23:00:00,CST-6,2017-10-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Repeat Freeze for Cimarron County with first Freeze of season for Texas County with temperatures ranging from 27-31 degrees for many locations.","" +120974,724236,FLORIDA,2017,October,Coastal Flood,"COASTAL BROWARD COUNTY",2017-10-07 08:30:00,EST-5,2017-10-07 09:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Several inches of water covered Canal Drive in Pompano Beach." +119542,717349,IOWA,2017,August,Heavy Rain,"CASS",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-94.72,41.42,-94.72,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 2.45 inches over the last 24 hours." +120734,723091,NEW YORK,2017,October,Flood,"SULLIVAN",2017-10-30 00:15:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,41.9002,-74.8253,41.9021,-74.8296,"A low pressure system, moving slowly through the Great Lakes, pushed cold front into Central New York. This frontal boundary became stationary over the area, and was followed by an area of rapidly deepening low pressure moving north along the spine of the Appalachian Mountains. Tropical moisture was ingested into the frontal system which triggered several hours of moderate, to occasionally heavy rainfall. This led to areas of minor flooding and ponded water in typical locations.","Minor flooding at the confluence of the Little Beaver Kill, and the Willowemoc Creek occurred along Pearl and Main Streets. Flooding is typical in these areas during moderate to heavy rainfall." +121126,725154,NEW YORK,2017,October,Thunderstorm Wind,"ONONDAGA",2017-10-15 17:00:00,EST-5,2017-10-15 17:00:00,0,0,0,0,30.00K,30000,0.00K,0,43.22,-76.47,43.22,-76.47,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees and wires." +121126,725155,NEW YORK,2017,October,Thunderstorm Wind,"CAYUGA",2017-10-15 17:10:00,EST-5,2017-10-15 17:10:00,0,0,0,0,50.00K,50000,0.00K,0,42.93,-76.57,42.93,-76.57,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees and wires." +121126,725156,NEW YORK,2017,October,Thunderstorm Wind,"ONONDAGA",2017-10-15 17:20:00,EST-5,2017-10-15 17:20:00,0,0,0,0,70.00K,70000,0.00K,0,43.17,-76.35,43.17,-76.35,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees and wires. A large tree was blown down onto a house." +121126,725157,NEW YORK,2017,October,Thunderstorm Wind,"MADISON",2017-10-15 17:40:00,EST-5,2017-10-15 17:40:00,0,0,0,0,20.00K,20000,0.00K,0,43.05,-75.87,43.05,-75.87,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees across a road." +121126,725158,NEW YORK,2017,October,Thunderstorm Wind,"MADISON",2017-10-15 17:50:00,EST-5,2017-10-15 17:50:00,0,0,0,0,20.00K,20000,0.00K,0,43.07,-75.72,43.07,-75.72,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees across a road." +121126,725159,NEW YORK,2017,October,Thunderstorm Wind,"ONEIDA",2017-10-15 17:50:00,EST-5,2017-10-15 17:50:00,0,0,0,0,50.00K,50000,0.00K,0,43.43,-75.75,43.43,-75.75,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees which blocked roadways in northwest Oneida County." +120513,722144,MASSACHUSETTS,2017,October,Strong Wind,"SUFFOLK",2017-10-24 15:11:00,EST-5,2017-10-24 19:22:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on wires on Carlton Street in Brookline. Tree down on a house on Beachland Avenue in Revere." +120513,722145,MASSACHUSETTS,2017,October,Strong Wind,"WESTERN ESSEX",2017-10-24 16:00:00,EST-5,2017-10-24 18:51:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on East Street in Methuen. Tree down through a sunroom on Burton Farm Drive in Andover. Tree down on two cars on Fairmont Street in Lawrence." +120513,722146,MASSACHUSETTS,2017,October,Strong Wind,"NORTHERN WORCESTER",2017-10-24 16:40:00,EST-5,2017-10-24 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on power lines on Pleasant Street near State Route 56 in Paxton." +120513,722147,MASSACHUSETTS,2017,October,Strong Wind,"NORTHWEST MIDDLESEX COUNTY",2017-10-24 17:51:00,EST-5,2017-10-24 17:51:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down blocking Fletcher Street in Groton." +119902,724194,ILLINOIS,2017,October,Flash Flood,"KNOX",2017-10-14 17:50:00,CST-6,2017-10-14 19:50:00,0,0,0,0,0.00K,0,0.00K,0,40.9615,-90.4288,40.911,-90.4113,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Thunderstorms producing excessive rainfall rates dropped 2 to 3 inches of rain across the city of Galesburg in a short period of time. As a result, several streets were impassable due to as much as 2 feet of water flowing across them. A few cars stalled in the high water." +120097,719576,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-21 01:38:00,MST-7,2017-10-21 07:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High, westerly winds occurred in the Guadalupe Mountains due to strong mid level winds within westerly flow aloft ahead of an approaching upper trough.","" +120097,719577,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-21 06:51:00,MST-7,2017-10-21 07:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High, westerly winds occurred in the Guadalupe Mountains due to strong mid level winds within westerly flow aloft ahead of an approaching upper trough.","" +120098,719578,NEW MEXICO,2017,October,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-10-21 05:00:00,MST-7,2017-10-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High, westerly winds occurred in the Guadalupe Mountains due to strong mid level winds within westerly flow aloft ahead of an approaching upper trough.","" +120097,719585,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-21 04:24:00,MST-7,2017-10-21 07:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High, westerly winds occurred in the Guadalupe Mountains due to strong mid level winds within westerly flow aloft ahead of an approaching upper trough.","" +120623,722575,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-24 01:51:00,MST-7,2017-10-24 04:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast gap winds occurred in Guadalupe Pass behind a cold front.","" +120625,722578,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-27 00:00:00,MST-7,2017-10-27 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast gap winds occurred in Guadalupe Pass behind a cold front.","" +120629,722580,TEXAS,2017,October,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-10-30 16:51:00,MST-7,2017-10-31 03:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong northeast gap winds occurred in Guadalupe Pass behind a cold front.","" +119793,718323,NEW MEXICO,2017,October,High Wind,"UPPER TULAROSA VALLEY",2017-10-09 21:00:00,MST-7,2017-10-09 21:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent back door cold front that surged southwest across eastern New Mexico on the 9th squeezed through the Upper Tularosa Valley and nearby Oscuro Range during the late evening hours. Most locations from near Nogal to Carrizozo and Bingham reported peak wind gusts between 40 and 50 mph. The strongest wind gusts peaked up to 65 mph at Phillips Hill southwest of Oscuro and up to 60 mph at Shist within the Oscuro Range. No damage was reported in either location.","Peak wind gust to 65 mph at Phillips Hill." +121229,725764,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-04 01:11:00,EST-5,2017-10-04 01:11:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 36 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725765,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 03:00:00,EST-5,2017-10-04 03:00:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured at Pulaski Shoal Light." +121229,725766,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 04:30:00,EST-5,2017-10-04 04:30:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 36 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +121229,725767,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 05:55:00,EST-5,2017-10-04 05:55:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured at Pulaski Shoal Light." +121229,725768,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 06:59:00,EST-5,2017-10-04 06:59:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured at Pulaski Shoal Light." +121053,726249,NEW YORK,2017,October,High Wind,"SOUTHERN HERKIMER",2017-10-30 02:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Numerous reports of trees and wires down across Southern Herkimer county between the hours of 2:00 AM and 1:00 PM. There were about 23,000 customers without power across Herkimer county." +121053,726250,NEW YORK,2017,October,High Wind,"HAMILTON",2017-10-30 02:00:00,EST-5,2017-10-30 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees down across Hamilton county. There were about 6,500 customers without power across Hamilton county." +121053,726251,NEW YORK,2017,October,High Wind,"MONTGOMERY",2017-10-30 05:57:00,EST-5,2017-10-30 12:37:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees and power lines down across Montgomery county. A 54 mph wind gust was measured in Amsterdam at 1:36 PM. There were about 23,000 customers without power across Montgomery county." +119715,717973,NEW MEXICO,2017,October,Flash Flood,"DE BACA",2017-10-03 23:00:00,MST-7,2017-10-04 01:00:00,0,0,0,0,0.00K,0,0.00K,0,34.506,-104.2527,34.505,-104.2098,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Water over U.S. Highway 84 around Fort Sumner. Flooding along creeks and arroyos leading into Pecos Basin." +119715,717975,NEW MEXICO,2017,October,Flash Flood,"QUAY",2017-10-04 03:00:00,MST-7,2017-10-04 06:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9547,-103.3868,35.0987,-103.358,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Rock slides, mud, and debris covering portions of state highway 469 between San Jon and Grady. Road was closed for several hours after causative event." +119719,717983,MISSISSIPPI,2017,October,Tropical Storm,"JONES",2017-10-07 22:22:00,CST-6,2017-10-07 22:22:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate made landfall along the Mississippi Gulf Coast just after midnight on October 8th. It moved quickly inland, and crossed into Alabama. However, some gusty winds occurred to portions of the Pine Belt with Hurricane Nate. This resulted in some minor damage.","A tree was blown down on power lines just northwest of Ellisville on Highway 29 North." +120092,719834,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"COLLETON",2017-10-23 18:45:00,EST-5,2017-10-23 18:46:00,0,0,0,0,,NaN,,NaN,32.96,-80.45,32.96,-80.45,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The South Carolina Highway Patrol reported a tree down near the intersection of Peirce Road and Red Oak Road." +120092,719836,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"DORCHESTER",2017-10-23 18:52:00,EST-5,2017-10-23 18:53:00,0,4,0,0,,NaN,,NaN,32.94,-80.33,32.94,-80.33,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Dorchester County 911 Call Center reported a tree down near the intersection of Walterboro Road and Clubhouse Road. A motor vehicle ran into the tree after it fell, causing 4 indirect injuries." +120092,719859,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"DORCHESTER",2017-10-23 19:06:00,EST-5,2017-10-23 19:07:00,0,0,0,0,,NaN,,NaN,33.06,-80.35,33.06,-80.35,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","An emergency manager reported a tree down on Cummings Chapel Road." +120092,719860,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"DORCHESTER",2017-10-23 19:06:00,EST-5,2017-10-23 19:07:00,0,0,0,0,,NaN,,NaN,33.14,-80.36,33.14,-80.36,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Dorchester County 911 Call Center reported a tree down on Highway 178 near the intersection with Highway 78." +120092,719861,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"DORCHESTER",2017-10-23 19:07:00,EST-5,2017-10-23 19:08:00,0,0,0,0,,NaN,,NaN,33.18,-80.36,33.18,-80.36,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Dorchester County 911 Call Center reported a tree down on a house at the 200 Block of Washie Road." +120092,719862,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"DORCHESTER",2017-10-23 19:14:00,EST-5,2017-10-23 19:15:00,0,0,0,0,,NaN,,NaN,33.1,-80.29,33.1,-80.29,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","An emergency manager reported a tree down on Highway 78 near the intersection with Myers Mayo Road." +119916,718784,FLORIDA,2017,October,Tropical Storm,"SOUTH WALTON",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119915,718785,ALABAMA,2017,October,Tropical Storm,"COFFEE",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120416,721350,MICHIGAN,2017,October,High Wind,"MARQUETTE",2017-10-24 06:00:00,EST-5,2017-10-24 12:30:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening fall storm system tracking from the Ohio Valley to near the Mackinac Straits produced very strong and damaging north winds up to 60 mph, power outages and extensive lake shore flooding over mainly the north half of Upper Michigan on the 24th.","Hundreds of trees and power lines were downed throughout the county from the strong fall storm causing widespread power outages. City of Marquette schools were closed on the 24th." +120492,721882,MINNESOTA,2017,October,Winter Storm,"LAKE OF THE WOODS",2017-10-26 09:00:00,CST-6,2017-10-27 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an area of surface low pressure tracked into the Grand Forks, North Dakota, area just after midnight on Thursday, October 26th, temperatures in the Lake of the Woods region were still in the low 40s. Therefore, the light precipitation that fell there still fell as rain. By sunrise, the low had only moved to near Crookston, Minnesota, and temperatures in the Lake of the Woods region were still in the low 40s. As the low tracked to near Bemidji by mid morning, temperatures in the Lake of the Woods region quickly dropped around or below freezing, switching the precipitation over to snow. Persistent snow lingered in the Lake of the Woods region through much of the day. Six to eight inches of snow fell in the Lake of the Woods region along with gusty north winds.","" +120492,721883,MINNESOTA,2017,October,Winter Storm,"NORTH BELTRAMI",2017-10-26 09:00:00,CST-6,2017-10-27 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an area of surface low pressure tracked into the Grand Forks, North Dakota, area just after midnight on Thursday, October 26th, temperatures in the Lake of the Woods region were still in the low 40s. Therefore, the light precipitation that fell there still fell as rain. By sunrise, the low had only moved to near Crookston, Minnesota, and temperatures in the Lake of the Woods region were still in the low 40s. As the low tracked to near Bemidji by mid morning, temperatures in the Lake of the Woods region quickly dropped around or below freezing, switching the precipitation over to snow. Persistent snow lingered in the Lake of the Woods region through much of the day. Six to eight inches of snow fell in the Lake of the Woods region along with gusty north winds.","" +120492,721884,MINNESOTA,2017,October,Winter Storm,"NORTH CLEARWATER",2017-10-26 09:00:00,CST-6,2017-10-27 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an area of surface low pressure tracked into the Grand Forks, North Dakota, area just after midnight on Thursday, October 26th, temperatures in the Lake of the Woods region were still in the low 40s. Therefore, the light precipitation that fell there still fell as rain. By sunrise, the low had only moved to near Crookston, Minnesota, and temperatures in the Lake of the Woods region were still in the low 40s. As the low tracked to near Bemidji by mid morning, temperatures in the Lake of the Woods region quickly dropped around or below freezing, switching the precipitation over to snow. Persistent snow lingered in the Lake of the Woods region through much of the day. Six to eight inches of snow fell in the Lake of the Woods region along with gusty north winds.","" +120557,722248,OKLAHOMA,2017,October,Thunderstorm Wind,"BEAVER",2017-10-06 20:05:00,CST-6,2017-10-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,36.62,-100.26,36.62,-100.26,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","" +120471,721763,MONTANA,2017,October,High Wind,"KOOTENAI/CABINET REGION",2017-10-17 15:00:00,MST-7,2017-10-17 22:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream aloft combined with a cold front brought damaging winds to Northwest Montana and parts of west-central Montana. Mid-level winds between 70 and 80 miles per hour were four standard deviations above normal for this time of year. The majority of wind damage occurred along and behind the cold front passage in the late afternoon and evening.","A significant number of trees were blown on to power lines around the communities of Libby, Troy, and Eureka which resulted in power outages lasting up to 12 hours in those communities. Falling power lines also resulted in several new wildfires starts around the communities mentioned earlier. Wind gusts to 50 mph were common across the area with winds estimated to 70 mph by Forest Service officials in Libby." +120471,721765,MONTANA,2017,October,High Wind,"WEST GLACIER REGION",2017-10-17 15:00:00,MST-7,2017-10-17 22:00:00,0,0,0,0,13.00K,13000,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream aloft combined with a cold front brought damaging winds to Northwest Montana and parts of west-central Montana. Mid-level winds between 70 and 80 miles per hour were four standard deviations above normal for this time of year. The majority of wind damage occurred along and behind the cold front passage in the late afternoon and evening.","Strong winds caused multiple trees to fall throughout Glacier National Park stranding hikers and campers for several hours. Quarter Circle Bridge Road and Inner North Fork Road were closed within the park so that rangers could clear away the trees. A vehicle parked at the Rocky Point trail head, located on the northwestern shore of Lake McDonald, was damaged by a fallen tree. Downed trees and power outages were also reported near Hungry Horse, West Glacier, and Essex. Recorded wind gusts to 50 mph were common across the area." +120624,722714,MASSACHUSETTS,2017,October,High Wind,"SOUTHERN PLYMOUTH",2017-10-29 18:47:00,EST-5,2017-10-30 05:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 300 AM EST an amateur radio operator reported a wind gust to 62 mph in Wareham. In Marion, a tree was down on Wareham Road, a tree was down on wires on Pleasant Street, and a tree was down on wires on Point Road near the water tower." +120624,722715,MASSACHUSETTS,2017,October,High Wind,"EASTERN PLYMOUTH",2017-10-29 20:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","In Plymouth, a large tree blocked Forest Avenue; a tree was down on wires on Hill Dale Road; a tree was down on State Road by the Recreation Center in Manomet; and a tree was down on wires on Chickadee Way. Also in Plymouth, a tree was down at Summer Street and Carver Road; and a large tree blocked Rocky Hill Road at Power House Road. A tree was down on Howland's Lane in Kingston. At 148 AM EST, an amateur radio operator in Plymouth reported a wind gust to 68 mph. At 747 AM EST a trained spotter in Duxbury measured a wind gust to 80 mph." +120624,722718,MASSACHUSETTS,2017,October,High Wind,"DUKES",2017-10-29 21:00:00,EST-5,2017-10-30 04:40:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","A tree was brought down on a car at Waamsutta Avenue in Oak Bluffs. At 239 AM EST, the Automated Surface Observing System platform at Marthas Vineyard Airport recorded a high sustained wind of 47 mph and a wind gust to 60 mph." +120642,723284,NEBRASKA,2017,October,Heavy Rain,"HALL",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-98.32,40.97,-98.32,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.72 inches was recorded at the Grand Island Central Nebraska Regional Airport, with a 48-hour total of 4.22." +120591,722868,VERMONT,2017,October,High Wind,"WASHINGTON",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages with measured wind gusts in the 40-50 mph range with a measured 58 mph at Barre-Montpelier airport in Berlin." +120591,722878,VERMONT,2017,October,High Wind,"EASTERN CHITTENDEN",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,400.00K,400000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph range but damage indicative of >70 mph in spots." +119862,722972,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-16 05:26:00,MST-7,2017-10-16 05:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With a tight pressure gradient and severe winds aloft, a small disturbance over the region was able to pull those stronger winds all the way down to the surface in southwest Phillips County.","A 58 mph wind gust was measured at the Malta South DOT site, located on US 191 at milepost 122." +120795,723521,ILLINOIS,2017,October,Flood,"COOK",2017-10-14 18:55:00,CST-6,2017-10-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.051,-88.1031,42.0453,-88.1031,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Water at least 3 inches deep covered multiple sections of roadway near Higgins and Golf Roads." +120795,723517,ILLINOIS,2017,October,Flash Flood,"LAKE",2017-10-14 19:45:00,CST-6,2017-10-15 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,42.2534,-87.8692,42.2345,-87.8692,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","At least 10 people were rescued from submerged vehicles on Route 41 near Deerpath Road and on Washington Circle. No injuries were reported. A few homes in the area were also reported flooded. Storm total rainfall of 4.54 inches was measured two miles north northeast of Lake Forest and 4.28 inches was measured one mile north of Lincolnshire." +120739,723128,KENTUCKY,2017,October,Flood,"CHRISTIAN",2017-10-08 10:20:00,CST-6,2017-10-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-87.5162,36.8211,-87.48,"A cold front swept east-southeast across the region as Hurricane Nate was coming ashore near Mobile, Alabama. Showers and storms developed along and in advance of the front. As moisture from the remnants of Nate moved north, some of the storms produced very heavy tropical rains south of a Mayfield to Owensboro line. In these areas, two to five inches of rain fell over a two-day period. There was urban street flooding, and water was over a state road.","Widespread street flooding was reported in Hopkinsville. Three to four feet of water was reported at a flood-prone street intersection. Another couple of streets were blocked." +120890,723795,NEW YORK,2017,October,Flood,"RICHMOND",2017-10-29 18:00:00,EST-5,2017-10-29 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.6307,-74.1467,40.6308,-74.1473,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across southeastern New York ranged from 2-6. A CWOP station in Jackson Heights, Queens, reported 5.57 of rain, with the ASOS at Central Park recording 3.25. Elsewhere, rainfall totals were as high as 5.12 in Peekskill (CWOP station) and 5.03 in Massapequa (CWOP station).","Morningstar Road was closed due to flooding at Walker Street in Mariners Harbor, Staten Island." +120890,723796,NEW YORK,2017,October,Flood,"NASSAU",2017-10-29 19:30:00,EST-5,2017-10-29 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6873,-73.6594,40.6876,-73.6599,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across southeastern New York ranged from 2-6. A CWOP station in Jackson Heights, Queens, reported 5.57 of rain, with the ASOS at Central Park recording 3.25. Elsewhere, rainfall totals were as high as 5.12 in Peekskill (CWOP station) and 5.03 in Massapequa (CWOP station).","The intersection of Eagle Avenue and Hempstead Avenue was closed due to flooding in Hempstead." +120890,723797,NEW YORK,2017,October,Flood,"BRONX",2017-10-29 19:50:00,EST-5,2017-10-29 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.8859,-73.8222,40.8857,-73.8229,"A wave of low pressure formed along a slow moving cold front before rapidly deepening off the Mid Atlantic coast during the evening. With a tropical airmass being entrained into the system, rainfall totals across southeastern New York ranged from 2-6. A CWOP station in Jackson Heights, Queens, reported 5.57 of rain, with the ASOS at Central Park recording 3.25. Elsewhere, rainfall totals were as high as 5.12 in Peekskill (CWOP station) and 5.03 in Massapequa (CWOP station).","Boston Road and Hutchinson Avenue were closed due to flooding in Eastchester, Bronx." +120773,723350,TEXAS,2017,October,Hail,"NOLAN",2017-10-21 18:25:00,CST-6,2017-10-21 18:29:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.41,32.47,-100.41,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","Law enforcement reported golf ball size hail in Sweetwater." +120773,723351,TEXAS,2017,October,Hail,"NOLAN",2017-10-21 18:23:00,CST-6,2017-10-21 18:27:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-100.41,32.47,-100.41,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","" +120773,723352,TEXAS,2017,October,Hail,"THROCKMORTON",2017-10-21 19:30:00,CST-6,2017-10-21 19:34:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-99.18,33.18,-99.18,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","" +121012,724405,MISSOURI,2017,October,Tornado,"SCOTLAND",2017-10-14 16:09:00,CST-6,2017-10-14 16:10:00,0,0,0,0,0.00K,0,0.00K,0,40.3586,-91.9832,40.3593,-91.9827,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and two tornadoes occurred.","A National Weather Service storm survey indicated that an EF1 tornado completly destroyed two farm outbuildings and caused damage to two others on the same farm, including a grain silo. The storm survey indicated the narrow EF1 tornado produced 95 mph winds and was 10 yards wide, on a path that was 0.1 miles long." +121012,724406,MISSOURI,2017,October,Thunderstorm Wind,"CLARK",2017-10-14 16:19:00,CST-6,2017-10-14 16:19:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-91.77,40.34,-91.77,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and two tornadoes occurred.","A car was reported to have crashed into a large tree branch on the highway that had been blown down by the thunderstorm." +121011,724384,ILLINOIS,2017,October,Hail,"BUREAU",2017-10-14 05:10:00,CST-6,2017-10-14 05:10:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-89.61,41.29,-89.61,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","" +121011,724385,ILLINOIS,2017,October,Hail,"WARREN",2017-10-14 16:48:00,CST-6,2017-10-14 16:48:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-90.64,40.91,-90.64,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","" +121011,724387,ILLINOIS,2017,October,Hail,"HANCOCK",2017-10-14 17:35:00,CST-6,2017-10-14 17:35:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-90.92,40.28,-90.92,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","" +121096,724964,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE COUNTY",2017-10-22 06:25:00,MST-7,2017-10-22 15:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bear Creek measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 22/1445 MST." +121096,724965,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE COUNTY",2017-10-22 05:58:00,MST-7,2017-10-22 05:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The wind sensor at FE Warren AFB measured a peak gust of 59 mph." +121096,724967,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-22 13:10:00,MST-7,2017-10-22 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 22/1510 MST." +121096,724968,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-23 00:40:00,MST-7,2017-10-23 03:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 23/0125 MST." +121096,724969,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-22 09:05:00,MST-7,2017-10-22 15:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 22/1410 MST." +121096,724970,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-23 00:35:00,MST-7,2017-10-23 02:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 23/0145 MST." +121096,724971,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-23 01:15:00,MST-7,2017-10-23 02:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +120317,720929,NORTH CAROLINA,2017,October,Flood,"WATAUGA",2017-10-23 10:00:00,EST-5,2017-10-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2593,-81.8118,36.3152,-81.7561,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","Persistent rainfall caused flooding on numerous streams and rivers across Watauga County. The Watauga River at Sugar Grove (SGWN7) crested at 11.72 feet (Moderate flood stage - 10 feet) and the highest reading since July of 2013. The flood peak discharge of 7040 cfs fell midway between a 2- and 5-year recurrence interval (0.5 to 0.2 annual exceedance probability) according to USGS reports. The Watauga River IFLOWS gauge at Foscoe (FOSN7) crested at 8.86 feet, the highest since January 2013. Several roads and low water bridges were flooded by the Watauga River. The Middle Fork of the New River at Boone IFLOWS gauge (NERN7) crested at 12.58 feet (Minor flood stage is 12 feet), which was the highest on record but over a fairly short period of data (2010-2017)." +120317,724026,NORTH CAROLINA,2017,October,Flash Flood,"ASHE",2017-10-23 17:40:00,EST-5,2017-10-23 19:40:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-81.39,36.503,-81.3871,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","Several roads were flooded in the Crumpler area. The South Fork of the New River at Jefferson (JFRN7) crested at 8.22 feet early on the 24th just above the Minor flood stage of 8 feet." +120173,725102,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA FROM 20 TO 60 NM",2017-10-07 12:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred over the marine area with hurricane force likely as Hurricane Nate moved over the region. The AWOS observation at KVKY at 29.25N, 88.44W reported a sustained wind of 38 knots with a gust to 50 knots. Anemometer height is 115 meters. A 39 knot sustained wind and 52 knot wind gust was reported at Buoy 42040." +120173,725104,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"COASTAL WATERS FROM BOOTHVILLE LOUISIANA TO SOUTHWEST PASS OF THE MISSISSIPPI RIVER OUT 20 NM",2017-10-07 12:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical Storm force winds occurred over the area with occasional hurricane force wind gusts as Hurricane Nate moved over the area. The C-MAN station at Pilots Station East at the Southwest Pass of the Mississippi River reported a 37 knot sustained wind with a gust to 44 knots. Station anemometer height is 20 meters above the water. Pilot's Station East at Southwest Pass reported a 46 knot sustained wind and a 57 knot wind gust. The oil platform at Viosca Knoll (Station 42364) reported a sustained wind of 47 knots. Anemometer height is 122 meters. The AWOS site in Main Pass Block 140B (KMIS) reported a 62 knot sustained wind and a 77 knot wind gust. Anemometer height is at 85 meters." +120173,725106,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"COASTAL WATERS FROM PASCAGOULA MISSISSIPPI TO STAKE ISLAND LOUISIANA OUT 20 NM",2017-10-07 14:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds and occasional hurricane force winds occurred over the marine areas as Hurricane Nate moved through the area." +120173,725108,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"BRETON SOUND",2017-10-07 14:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred over Breton Sound as Nate moved through the area. A wind gust of 42 mph was recorded on a USGS weather/tide station in Northeast Bay Gardene." +120173,725109,GULF OF MEXICO,2017,October,Marine Hurricane/Typhoon,"CHANDELEUR SOUND",2017-10-07 14:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical Storm Force winds occurred over the marine area with a occasional hurricane hurricane force wind gusts likely as Hurricane Nate passed over the area. At nearby Ship Island, as wind gust of 63 knots was recorded at a WeatherFlow site." +120173,725112,GULF OF MEXICO,2017,October,Marine Tropical Storm,"COASTAL WATERS FROM SOUTHWEST PASS OF THE MISSISSIPPI RIVER TO PORT FOURCHON LOUISIANA FROM 20 TO 60 NM",2017-10-07 12:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th and moved across the coastal marine areas as a minimal hurricane from the afternoon of Oct 7th into the early morning hours of Oct 8th. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetrical with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on an anemometer with height of 19 meters. ||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters. ||Over the coastal waters along and east of the Mississippi River, tropical storm force winds occurred with occasional hurricane force winds. The maximum wind observed in the coastal waters was at an AWOS station at Main Pass Block 140B (KMIS) with a sustained wind of 62 kt and a gust to 77 knots. Anemometer height 85 meters.","Tropical storm force winds occurred over the marine area as Hurricane Nate passed just east of the region." +120174,720043,LOUISIANA,2017,October,Tropical Storm,"LOWER PLAQUEMINES",2017-10-07 15:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","Lower end tropical storm force wind gusts occurred over lower Plaquemines Parish during late afternoon and evening of Oct 7. A wind gust 40 knots was recorded at the Bootheville ASOS station (KBVE) during the early evening. No significant impacts were noted in lower Plaquemines Parish." +120174,720053,LOUISIANA,2017,October,Tropical Storm,"UPPER ST. BERNARD",2017-10-07 15:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","A few tropical storm wind gusts occurred in upper St Bernard Parish. A 37 knot (43 mph) wind gust was reported at the Weatherflow site at Bayou Bienvenue. No significant impacts were noted." +113877,693861,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:43:00,CST-6,2017-04-21 19:43:00,0,0,0,0,10.00K,10000,0.00K,0,33.2337,-96.7909,33.2337,-96.7909,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Social media reported golf ball size near Prosper." +113877,693866,TEXAS,2017,April,Hail,"PARKER",2017-04-21 20:00:00,CST-6,2017-04-21 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.71,-97.61,32.71,-97.61,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An storm spotter reported quarter size hail near Aledo." +113877,693868,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:47:00,CST-6,2017-04-21 19:47:00,0,0,0,0,10.00K,10000,0.00K,0,33.2,-96.62,33.2,-96.62,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Emergency Manager reported golf ball size hail in Mckinney." +113877,693873,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:35:00,CST-6,2017-04-21 19:35:00,0,0,0,0,10.00K,10000,0.00K,0,33.3041,-96.761,33.3041,-96.761,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Social Media reported egg size hail SE of Celina." +121136,725213,ALABAMA,2017,October,Tropical Storm,"TALLADEGA",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +121136,725214,ALABAMA,2017,October,Tornado,"LOWNDES",2017-10-07 17:55:00,CST-6,2017-10-07 18:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1438,-86.5919,32.1771,-86.6222,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","NWS meteorologists surveyed damage in central Lowndes County and determined that the damage was consistent with an EF0 tornado. The tornado began near a chicken farm along County Road 33 and moved northwest crossing Alabama Highway 21 where trees were snapped and uprooted. The tornado continued northwest crossing Foster Road. The end of the path had to be estimated as the tornado lifted in a swampy area north of Foster Road or just east of Mosses." +120705,725196,MINNESOTA,2017,October,Heavy Snow,"KOOCHICHING",2017-10-26 16:45:00,CST-6,2017-10-27 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Observer reported 6.4 of snow in the town of Northome." +120801,723433,ALASKA,2017,October,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-10-26 10:20:00,AKST-9,2017-10-26 10:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A robust frontal boundary across the northern Gulf Coast brought strong winds to Southcentral Alaska. The 850 mb jet peaked near 75 knots across Turnagain Arm and some of these winds mixed down to the surface and some higher elevations. This produced widespread gusts in excess of 65 mph, thousands of power outages and some property damage.","NWS Employee suffered structural damage to house due to high winds. Sections of fencing were blown down and minor to moderate roof damage was reported due to shingles being removed by high winds." +120801,723436,ALASKA,2017,October,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-10-26 10:00:00,AKST-9,2017-10-26 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A robust frontal boundary across the northern Gulf Coast brought strong winds to Southcentral Alaska. The 850 mb jet peaked near 75 knots across Turnagain Arm and some of these winds mixed down to the surface and some higher elevations. This produced widespread gusts in excess of 65 mph, thousands of power outages and some property damage.","Multiple reports of winds in excess of 65 kts across the Anchorage Hillside. Chugach Electric Compacy reported over 3000 houses without power due to wind damage to the utilities." +120801,723438,ALASKA,2017,October,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-10-26 10:00:00,AKST-9,2017-10-26 12:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A robust frontal boundary across the northern Gulf Coast brought strong winds to Southcentral Alaska. The 850 mb jet peaked near 75 knots across Turnagain Arm and some of these winds mixed down to the surface and some higher elevations. This produced widespread gusts in excess of 65 mph, thousands of power outages and some property damage.","Max wind gust of 85 mph late in the morning near Glen Alps. Some trees were down in the area and power was out." +120801,723439,ALASKA,2017,October,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-10-26 12:20:00,AKST-9,2017-10-26 12:20:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A robust frontal boundary across the northern Gulf Coast brought strong winds to Southcentral Alaska. The 850 mb jet peaked near 75 knots across Turnagain Arm and some of these winds mixed down to the surface and some higher elevations. This produced widespread gusts in excess of 65 mph, thousands of power outages and some property damage.","Reports of wind gusts up to 80 mph and siding missing from a house near Glen Alps." +120801,723434,ALASKA,2017,October,High Wind,"ANCHORAGE MUNI TO BIRD CREEK",2017-10-26 10:30:00,AKST-9,2017-10-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A robust frontal boundary across the northern Gulf Coast brought strong winds to Southcentral Alaska. The 850 mb jet peaked near 75 knots across Turnagain Arm and some of these winds mixed down to the surface and some higher elevations. This produced widespread gusts in excess of 65 mph, thousands of power outages and some property damage.","Mesonet site in Potter Marsh recorded a wind speed of 78 mph at 10:36 and a max wind gust of 87 mph at 11:30." +115149,692316,OHIO,2017,May,Tornado,"FAYETTE",2017-05-24 19:27:00,EST-5,2017-05-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5824,-83.6584,39.5909,-83.6661,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Based on radar data, video evidence and eyewitness reports, the tornado appeared to first touch down about 3 miles west-southwest of Octa in extreme western Fayette County. The tornado then crossed into eastern Greene County, about 3 miles south of Rosemoor, appearing to make occasional contact with the ground, before dissipating about 3 miles southeast of Jamestown at 1936EST.||As the tornado moved through primarily empty farm fields, there was little in the way of damage found. Therefore, maximum winds were estimated to be 50 mph, equivalent to a weak EF0 tornado and the maximum width was estimated to be 25 yards." +115149,691474,OHIO,2017,May,Tornado,"CLARK",2017-05-24 20:16:00,EST-5,2017-05-24 20:20:00,0,0,0,0,250.00K,250000,0.00K,0,39.8865,-84.0468,39.8918,-84.0498,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","The tornado first touched down on the southwest side of Park Layne and then moved to the northwest for 0.4 miles before exiting Clark County about 1.2 miles west-southwest of Park Layne. The tornado continued in Miami County for another 4.1 miles, before dissipating at 2032EST. While in Clark County, the tornado caused damage to some commercial buildings and trees on the western side of Park Layne. Damage here was consistent with maximum winds of 100 mph (EF1). The maximum width in Clark county was 300 yards. This tornado was rated an EF1 in both Clark and Miami Counties." +115149,691475,OHIO,2017,May,Tornado,"MIAMI",2017-05-24 20:20:00,EST-5,2017-05-24 20:32:00,0,0,0,0,50.00K,50000,0.00K,0,39.8918,-84.0498,39.9431,-84.0892,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","The tornado first touched down on the western side of Park Layne in Clark County at 2016EST and entered Miami County at 2020EST, about 1.7 miles east-southeast of Brandt. The tornado continued in Miami County for another 4.1 miles before dissipating along State Route 571, west of State Route 201. ||While in Miami County, tree and minor roof damage occurred along Bellefontaine Road, Palmer Road, and State Route 201, with maximum wind speed estimates of 95 mph in this area, or EF1. The tornado track appeared to end just northwest of the State Route 571 intersection with State Route 201, where a barn sustained damage caused by estimated wind speeds of around 80 mph. The maximum width in Miami County was 300 yards. This tornado was rated an EF1 in both Miami and Clark Counties." +119660,718823,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 04:37:00,EST-5,2017-08-08 04:37:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.42,37.09,-76.42,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.35 inches was measured at Langley Air Force Base (2 W)." +119879,718607,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-19 17:45:00,MST-7,2017-07-19 22:30:00,0,0,0,0,7.00M,7000000,0.00K,0,34.4,-112.23,34.3185,-112.0348,"Monsoon moisture produced thunderstorms over northern Arizona with local flooding.","Thunderstorms produce heavy rain over the Goodwin Fire scar. This lead to flash flooding in Big Big Bug Creek and Grapevine Creek which both flow into the Agua Fria River. This lead to a double crest in the flash flood downstream. The flooding started around 1745 in Mayer and 1845 in Spring Valley. People were evacuated in Mayer. The stream gauge on Agua Fria River near Mayer showed a 5.84 foot rise in 45 minutes (830 to 915 PM MST). ||This is a list of the damage: ||Homes destroyed - 15|Major damage - 25|Minor damage - 17|Affected - 10|Impacted - 53||Total: 120||Most of the homes that were damaged were in Mayer with a few in Spring Valley." +120493,721885,COLORADO,2017,November,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-11-04 16:00:00,MST-7,2017-11-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow aloft with an embedded upper level disturbance brought significant to heavy snowfall to the northern mountains of western Colorado.","Snowfall totals ranged from 10 to 20 inches, with about two feet measured at the Tower SNOTEL site." +120493,721886,COLORADO,2017,November,Winter Weather,"FLATTOP MOUNTAINS",2017-11-04 21:00:00,MST-7,2017-11-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist southwest flow aloft with an embedded upper level disturbance brought significant to heavy snowfall to the northern mountains of western Colorado.","Snowfall totals ranged from 5 to 8 inches, with a localized higher amount of 17 inches measured at the Ripple Creek SNOTEL site." +120494,721889,COLORADO,2017,November,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-11-07 05:00:00,MST-7,2017-11-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak upper level disturbance brought significant snowfall to the northwestern San Juan Mountains in southwest Colorado.","Snowfall amounts of 4 to 8 inches were measured across the area. Wind gusts of 20 to 35 mph produced some areas of blowing snow." +120599,722455,COLORADO,2017,November,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-11-17 12:00:00,MST-7,2017-11-18 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific trough brought significant to heavy snow accumulations to the northern and central mountains of western Colorado. Additionally, high-level atmospheric winds to 140 knots induced strong winds down to the surface which resulted in widespread blowing snow over higher mountain passes.","Snowfall amounts of 4 to 12 inches were measured across the area, with a locally higher amount of 14 inches the Tower SNOTEL site. Widespread wind gusts of 30 to 40 mph produced areas of blowing and drifting snow. A locally stronger peak gust of 61 mph was measured at the Storm Peak Observatory at the top of Steamboat Springs Ski Area." +116301,712767,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-09 20:17:00,CST-6,2017-07-09 20:17:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-95.74,44.95,-95.74,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119660,718850,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-76.77,37.31,-76.77,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.14 inches was measured at Centerville (1 ESE)." +119660,718851,VIRGINIA,2017,August,Heavy Rain,"MATHEWS",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-76.31,37.37,-76.31,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.48 inches was measured at Port Haywood." +119660,718852,VIRGINIA,2017,August,Heavy Rain,"SURRY",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-76.97,37.23,-76.97,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 5.15 inches was measured at Claremont." +119660,718853,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-76.71,37.33,-76.71,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.10 inches was measured at Oaktree." +112956,674946,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-12 13:30:00,EST-5,2017-03-12 13:30:00,0,0,0,0,0.00K,0,0.00K,0,28.7975,-80.7378,28.7975,-80.7378,"Isolated thunderstorms developed out ahead of a cold front over north Florida. Strong winds were recorded north of Cape Canaveral as a thunderstorm pushed offshore.","USAF Tower 0022 located 24 miles north of Cape Canaveral recorded a peak wind gust of 38 knots from the north as a strong thunderstorm moved over the area and exited into the Atlantic." +113100,676430,FLORIDA,2017,March,Hail,"SEMINOLE",2017-03-22 18:30:00,EST-5,2017-03-22 18:30:00,0,0,0,0,0.00K,0,0.00K,0,28.62,-81.29,28.62,-81.29,"A sea breeze collision combined with abnormally cold temperatures aloft generated isolated thunderstorms during the late afternoon, one of which produced penny sized hail in Winter Springs.","A resident of Winter Park north of SR 526 reported penny sized hail during a strong thunderstorm. Duration unknown." +120560,722259,KANSAS,2017,October,Hail,"GRAHAM",2017-10-06 05:29:00,CST-6,2017-10-06 05:35:00,0,0,0,0,0.00K,0,0.00K,0,39.3494,-99.6364,39.3494,-99.6364,"Thunderstorms across Northwest Kansas produced large hail in two different areas, Rawlins County and Graham County. The largest hail size reported was hen egg size in rural Graham County.","Most of the hail was quarter size. The hail lasted between five and ten minutes. The ground was white with hail." +120560,722260,KANSAS,2017,October,Hail,"RAWLINS",2017-10-06 16:40:00,CST-6,2017-10-06 16:50:00,0,0,0,0,0.00K,0,0.00K,0,39.8827,-101.1112,39.8827,-101.1112,"Thunderstorms across Northwest Kansas produced large hail in two different areas, Rawlins County and Graham County. The largest hail size reported was hen egg size in rural Graham County.","The hail lasted for 10 minutes then transitioned to heavy rainfall." +120560,722261,KANSAS,2017,October,Hail,"RAWLINS",2017-10-06 16:55:00,CST-6,2017-10-06 16:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8227,-101.0463,39.8227,-101.0463,"Thunderstorms across Northwest Kansas produced large hail in two different areas, Rawlins County and Graham County. The largest hail size reported was hen egg size in rural Graham County.","" +120560,722262,KANSAS,2017,October,Hail,"GRAHAM",2017-10-06 17:11:00,CST-6,2017-10-06 17:13:00,0,0,0,0,0.00K,0,0.00K,0,39.1877,-99.7751,39.1877,-99.7751,"Thunderstorms across Northwest Kansas produced large hail in two different areas, Rawlins County and Graham County. The largest hail size reported was hen egg size in rural Graham County.","The average size hailstone was golf ball, with hail covering the ground." +120560,722263,KANSAS,2017,October,Hail,"RAWLINS",2017-10-06 17:00:00,CST-6,2017-10-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8559,-100.9603,39.8559,-100.9603,"Thunderstorms across Northwest Kansas produced large hail in two different areas, Rawlins County and Graham County. The largest hail size reported was hen egg size in rural Graham County.","The hail ranged from nickel to quarter in size." +116988,703624,NEW YORK,2017,May,Thunderstorm Wind,"ORLEANS",2017-05-01 15:26:00,EST-5,2017-05-01 15:26:00,0,0,0,0,15.00K,15000,0.00K,0,43.31,-78.04,43.31,-78.04,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703625,NEW YORK,2017,May,Thunderstorm Wind,"WYOMING",2017-05-01 15:30:00,EST-5,2017-05-01 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.56,-78.15,42.56,-78.15,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703626,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:34:00,EST-5,2017-05-01 15:34:00,0,0,0,0,20.00K,20000,0.00K,0,42.22,-78.28,42.22,-78.28,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported numerous trees and wires downed by thunderstorm winds." +117000,703709,NEW YORK,2017,May,Hail,"CAYUGA",2017-05-30 13:25:00,EST-5,2017-05-30 13:25:00,0,0,0,0,,NaN,,NaN,43.33,-76.7,43.33,-76.7,"Thunderstorms developed ahead of an approaching cold front. The thunderstorms produced hail up to a quarter-sized in diameter across the western southern tier and Finger Lakes region.","" +116999,703710,NEW YORK,2017,May,Thunderstorm Wind,"ERIE",2017-05-28 17:55:00,EST-5,2017-05-28 17:55:00,0,0,0,0,20.00K,20000,0.00K,0,42.53,-78.5,42.53,-78.5,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","Thunderstorm winds downed a large tree which fell on and damaged a house." +121687,728382,NEW YORK,2017,May,Coastal Flood,"NIAGARA",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +118296,710885,NEW YORK,2017,June,Flash Flood,"LIVINGSTON",2017-06-15 18:25:00,EST-5,2017-06-15 21:30:00,0,0,0,0,30.00K,30000,0.00K,0,42.8257,-77.8189,42.8178,-77.7695,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","" +118306,710929,LAKE ONTARIO,2017,June,Marine Thunderstorm Wind,"HAMLIN BEACH TO SODUS BAY NY",2017-06-18 13:30:00,EST-5,2017-06-18 13:30:00,0,0,0,0,,NaN,0.00K,0,43.259,-77.6002,43.259,-77.6002,"Under the influence of a warm, moist airmass, thunderstorms developed across Lake Ontario. Thunderstorm wind gusts to 37 knots were measured with the storms.","" +118306,710930,LAKE ONTARIO,2017,June,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-06-18 14:48:00,EST-5,2017-06-18 14:48:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"Under the influence of a warm, moist airmass, thunderstorms developed across Lake Ontario. Thunderstorm wind gusts to 37 knots were measured with the storms.","" +118306,710931,LAKE ONTARIO,2017,June,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-06-18 17:48:00,EST-5,2017-06-18 17:48:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"Under the influence of a warm, moist airmass, thunderstorms developed across Lake Ontario. Thunderstorm wind gusts to 37 knots were measured with the storms.","" +118307,710934,LAKE ONTARIO,2017,June,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-06-25 13:22:00,EST-5,2017-06-25 13:22:00,0,0,0,0,,NaN,0.00K,0,43.25,-79.05,43.25,-79.05,"Thunderstorms crossing Lake Ontario produced wind gusts measured to 54 knots at Olcott and 44 knots at Youngstown.","" +118307,710935,LAKE ONTARIO,2017,June,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-06-25 13:41:00,EST-5,2017-06-25 13:41:00,0,0,0,0,,NaN,0.00K,0,43.34,-78.71,43.34,-78.71,"Thunderstorms crossing Lake Ontario produced wind gusts measured to 54 knots at Olcott and 44 knots at Youngstown.","" +118310,710940,LAKE ONTARIO,2017,June,Waterspout,"SODUS BAY TO MEXICO BAY NY",2017-06-27 18:28:00,EST-5,2017-06-27 18:28:00,0,0,0,0,,NaN,0.00K,0,43.5347,-76.3996,43.5347,-76.3996,"A waterspout was sighted just northeast of Nine Mile Point.","" +121685,728371,NEW YORK,2017,July,Coastal Flood,"NORTHERN CAYUGA",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723341,NEW YORK,2017,September,Thunderstorm Wind,"ALLEGANY",2017-09-04 23:38:00,EST-5,2017-09-04 23:38:00,0,0,0,0,12.00K,12000,0.00K,0,42.21,-77.77,42.21,-77.77,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds." +120768,723342,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:40:00,EST-5,2017-09-04 21:40:00,0,0,0,0,,NaN,0.00K,0,42.42,-79.37,42.42,-79.37,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","" +116301,712775,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:35:00,CST-6,2017-07-09 20:35:00,0,0,0,0,0.00K,0,0.00K,0,44.35,-94.34,44.35,-94.34,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113095,676860,FLORIDA,2017,March,Thunderstorm Wind,"INDIAN RIVER",2017-03-23 12:31:00,EST-5,2017-03-23 12:31:00,0,0,0,0,10.00K,10000,0.00K,0,27.609,-80.4961,27.609,-80.4961,"A cluster of thunderstorms moved onshore from the Atlantic and organized into a long-lived severe storm as it moved southwest at 30 mph. The storm produced large hail in Vero Beach, then snapped four wooden power poles west of Vero Beach. As the storm continued farther southwest into rural Indian River and St. Lucie Counties, the cell acquired rotation and a brief tornado developed and damaged a power pole between Interstate 95 and the Florida Turnpike. Additional sporadic wind damage occurred to powerlines and a power pole near and southwest of the Florida Turnpike.","Florida Power and Light reported that four wooden power poles were snapped several feet from ground level as a severe thunderstorm moved into a mostly rural area just west of Interstate 95 and south of Highway 60. Photos of the damage suggest straight-line winds of 90-100 mph likely impacted the area." +113095,676877,FLORIDA,2017,March,Tornado,"ST. LUCIE",2017-03-23 12:40:00,EST-5,2017-03-23 12:42:00,0,0,0,0,2.00K,2000,0.00K,0,27.522,-80.5496,27.5117,-80.5602,"A cluster of thunderstorms moved onshore from the Atlantic and organized into a long-lived severe storm as it moved southwest at 30 mph. The storm produced large hail in Vero Beach, then snapped four wooden power poles west of Vero Beach. As the storm continued farther southwest into rural Indian River and St. Lucie Counties, the cell acquired rotation and a brief tornado developed and damaged a power pole between Interstate 95 and the Florida Turnpike. Additional sporadic wind damage occurred to powerlines and a power pole near and southwest of the Florida Turnpike.","Florida Power and Light reported a power pole snapped in a rural area of St. Lucie County between Interstate 95 and the Florida Turnpike. The damage occurred as a severe thunderstorm traveled southwest from the Vero Beach area and acquired strong low-level rotation, resulting in a brief tornado touchdown. Photos of the damage suggest EF-1 damage (90-100 mph)." +115880,696369,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-04-05 11:22:00,CST-6,2017-04-05 11:22:00,0,0,0,0,0.00K,0,0.00K,0,30.3659,-87.2136,30.3659,-87.2136,"Strong thunderstorms resulted in strong, gusty winds across portions of the coastal waters or Alabama and northwest Florida.","Weatherflow station in Pensacola Bay measured a 55 mph thunderstorm wind gust." +115571,693998,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-04-03 08:47:00,CST-6,2017-04-03 08:47:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-87.45,30.34,-87.45,"Thunderstorms moved across the marine area and produced high winds.","Recorded from Weatherflow station." +117902,708556,MISSOURI,2017,June,Hail,"CLAY",2017-06-15 20:53:00,CST-6,2017-06-15 20:53:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-94.36,39.24,-94.36,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +115572,694008,ALABAMA,2017,April,Thunderstorm Wind,"CLARKE",2017-04-05 07:36:00,CST-6,2017-04-05 07:38:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-87.72,31.77,-87.72,"Thunderstorms moved across southwest Alabama producing high winds and large hail.","Winds estimated at 60 mph downed trees on Dickinson Road." +115572,694009,ALABAMA,2017,April,Hail,"WILCOX",2017-04-05 08:10:00,CST-6,2017-04-05 08:10:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-87.28,31.98,-87.28,"Thunderstorms moved across southwest Alabama producing high winds and large hail.","" +115572,694010,ALABAMA,2017,April,Hail,"WILCOX",2017-04-05 08:10:00,CST-6,2017-04-05 08:10:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-87.28,31.98,-87.28,"Thunderstorms moved across southwest Alabama producing high winds and large hail.","" +115571,696359,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-04-03 09:38:00,CST-6,2017-04-03 09:38:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-88.01,30.44,-88.01,"Thunderstorms moved across the marine area and produced high winds.","Middle Bay Lighthouse measured a wind gust of 47 knots, 54 mph." +115885,696393,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-04-30 22:32:00,CST-6,2017-04-30 22:32:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-87.51,30.3,-87.51,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","Weatherflow station in Perdido Bay measured a 44 knot, 51 mph, wind gust." +115885,696395,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-04-30 22:50:00,CST-6,2017-04-30 22:50:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-87.56,30.07,-87.56,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","Buoy 42012 measured a 41 knot, 47 mph, wind gust." +115885,703711,GULF OF MEXICO,2017,April,Marine High Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-04-30 23:23:00,CST-6,2017-04-30 23:23:00,0,0,0,0,0.00K,0,0.00K,0,30.3467,-87.3128,30.3467,-87.3128,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","" +117096,704468,ALABAMA,2017,April,Strong Wind,"UPPER MOBILE",2017-04-30 23:57:00,CST-6,2017-04-30 23:59:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind a line of showers and thunderstorms and caused tree limb damage and scattered power outages.","Weatherflow station at Buccaneer Yacht Club measured 51 mph. Large tree limbs were knocked down causing scattered power outages." +119981,719024,LAKE ERIE,2017,August,Waterspout,"VERMILION TO AVON POINT OH",2017-08-07 10:51:00,EST-5,2017-08-07 10:51:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-82.0459,41.56,-82.0459,"Waterspouts were observed on Lake Erie.","A waterspout was observed north northwest of Avon Point." +115245,691914,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-20 19:15:00,EST-5,2017-04-20 19:15:00,0,0,0,0,,NaN,,NaN,39.0041,-76.9734,39.0041,-76.9734,"High pressure was centered to the south and this allowed warm and moist air to move into the area. A few thunderstorms became severe due to the unstable atmosphere.","A large tree fell onto a couple townhomes along Greenspire Terrace." +118835,713932,IOWA,2017,July,Thunderstorm Wind,"SAC",2017-07-20 18:17:00,CST-6,2017-07-20 18:17:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-95.09,42.28,-95.09,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Delayed report from Wall Lake post office of large tree down near Needham Ave. Time estimated from radar." +120998,724279,IOWA,2017,October,Frost/Freeze,"DALLAS",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724280,IOWA,2017,October,Frost/Freeze,"GUTHRIE",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724282,IOWA,2017,October,Frost/Freeze,"AUDUBON",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724283,IOWA,2017,October,Frost/Freeze,"MAHASKA",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724284,IOWA,2017,October,Frost/Freeze,"MARION",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120595,725505,KANSAS,2017,October,Flash Flood,"LOGAN",2017-10-02 23:15:00,CST-6,2017-10-03 02:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.9596,-100.953,38.9597,-100.953,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Logan County road department reported the road was washed away around a 6'x8' box culvert on CR Seneca between CR 380 and CR 390 where Plum Creek crosses under CR Seneca." +120998,724285,IOWA,2017,October,Frost/Freeze,"WARREN",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724286,IOWA,2017,October,Frost/Freeze,"MADISON",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724287,IOWA,2017,October,Frost/Freeze,"ADAIR",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724288,IOWA,2017,October,Frost/Freeze,"CASS",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724289,IOWA,2017,October,Frost/Freeze,"WAPELLO",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724290,IOWA,2017,October,Frost/Freeze,"MONROE",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724291,IOWA,2017,October,Frost/Freeze,"LUCAS",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724292,IOWA,2017,October,Frost/Freeze,"CLARKE",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +112899,674528,TENNESSEE,2017,March,Tornado,"FRANKLIN",2017-03-09 23:58:00,CST-6,2017-03-10 00:08:00,0,0,0,0,,NaN,,NaN,35.2958,-86.2557,35.28,-86.21,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","As the tornado tracked into Franklin County, sporadic tree damage was observed, |generally in the strong EF-0 range. However, the most intense damage occurred near the end of the track along Hurricane Rd and Riddle Ln were a chicken house (undergoing rebuilding) and a mobile home were completely destroyed. Estimated wind speed at this location was 100 MPH (decreased due to the unknown quality of the chicken house and unknown condition of the mobile home). Further to the east,|the tornado knocked down several more trees, before gusting out, and causing |straight line wind damage, along HWY 130 and areas further east.||It should be worth noting that the team found numerous causes of straight line wind |damage outside of the estimated vortex of the tornado. Straight line winds, just |outside of the path, were estimated in the 70-80 MPH range." +112899,678829,TENNESSEE,2017,March,Hail,"LINCOLN",2017-03-10 00:10:00,CST-6,2017-03-10 00:10:00,0,0,0,0,,NaN,,NaN,35.08,-86.57,35.08,-86.57,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Nickle sized hail was reported in Park City." +112899,678832,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:56:00,CST-6,2017-03-09 23:56:00,0,0,0,0,,NaN,,NaN,35.25,-86.36,35.25,-86.36,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 20 Lois Ridge Road." +120998,724300,IOWA,2017,October,Frost/Freeze,"TAYLOR",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +119560,717417,IOWA,2017,September,Heavy Rain,"WAPELLO",2017-09-20 21:45:00,CST-6,2017-09-21 03:28:00,0,0,0,0,0.00K,0,0.00K,0,41,-92.44,41,-92.44,"During the day of the 20th, a cold front made its way southward through Iowa before stalling out during the evening of the 20th/early morning hours of the 21st. No severe weather occurred, but with an unstable MUCAPE environment of 1000-2000 J/kg low level jet initiated storms trained over the same area for a number of hours. The areas the received the heaviest rainfall ran west to east from roughly Albia to Ottumwa and Fairfield.","A personal weather station on the SW side of Ottumwa recorded heavy rainfall of 5.30 inches." +113402,678928,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-27 18:01:00,CST-6,2017-03-27 18:01:00,0,0,0,0,,NaN,,NaN,34.17,-86.32,34.17,-86.32,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Nickel sized hail was reported." +116301,712732,MINNESOTA,2017,July,Hail,"SWIFT",2017-07-09 19:55:00,CST-6,2017-07-09 20:05:00,0,0,0,0,0.00K,0,0.00K,0,45.3469,-95.6202,45.2856,-95.5673,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","A swath of large hail occurred north, and through the city of Benson. The largest hail stone was golf ball size." +116301,712785,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:25:00,CST-6,2017-07-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-94.39,44.44,-94.39,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +112669,678961,ALABAMA,2017,March,Hail,"COLBERT",2017-03-01 12:42:00,CST-6,2017-03-01 12:42:00,0,0,0,0,,NaN,,NaN,34.7,-87.53,34.7,-87.53,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported." +112669,678962,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 12:50:00,CST-6,2017-03-01 12:50:00,0,0,0,0,,NaN,,NaN,34.89,-86.75,34.89,-86.75,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported." +112669,678963,ALABAMA,2017,March,Hail,"LAWRENCE",2017-03-01 12:52:00,CST-6,2017-03-01 12:52:00,0,0,0,0,,NaN,,NaN,34.68,-87.41,34.68,-87.41,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail was reported." +112669,678964,ALABAMA,2017,March,Hail,"LIMESTONE",2017-03-01 13:00:00,CST-6,2017-03-01 13:00:00,0,0,0,0,,NaN,,NaN,34.99,-86.84,34.99,-86.84,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported via social media." +112669,678965,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:01:00,CST-6,2017-03-01 13:01:00,0,0,0,0,,NaN,,NaN,34.93,-86.57,34.93,-86.57,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported." +112669,678966,ALABAMA,2017,March,Hail,"LIMESTONE",2017-03-01 13:05:00,CST-6,2017-03-01 13:05:00,0,0,0,0,,NaN,,NaN,34.74,-87.07,34.74,-87.07,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported." +116301,713660,MINNESOTA,2017,July,Thunderstorm Wind,"BLUE EARTH",2017-07-09 22:32:00,CST-6,2017-07-09 22:32:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-93.83,43.9,-93.83,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,713664,MINNESOTA,2017,July,Thunderstorm Wind,"KANDIYOHI",2017-07-09 20:52:00,CST-6,2017-07-09 20:52:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-95.2,44.93,-95.2,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","One tree was blown down in Prinsburg. The tree blew down on a power line and knocked out power in the town of Prinsburg." +116301,713668,MINNESOTA,2017,July,Thunderstorm Wind,"SIBLEY",2017-07-09 20:05:00,CST-6,2017-07-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-94.39,44.4495,-94.3829,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","There were numerous reports of large trees blown down from south of Winthrop, to the Nicollet County border near Lafayette." +119970,718972,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-24 14:30:00,MST-7,2017-07-24 14:30:00,0,0,0,0,4.00K,4000,0.00K,0,34.6,-111.89,34.699,-111.893,"Abundant moisture and forcing from an inverted trough moving across northern Arizona brought strong thunderstorms with heavy rain and strong winds. A flash flood watch was in effect for the eastern portions of northern Arizona.","Wind gusts from a thunderstorm (estimated at 50 MPH) damaged trees and an awning at an RV park in Camp Verde." +119970,718990,ARIZONA,2017,July,Flash Flood,"APACHE",2017-07-24 15:00:00,MST-7,2017-07-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-109.66,35.4833,-110.116,"Abundant moisture and forcing from an inverted trough moving across northern Arizona brought strong thunderstorms with heavy rain and strong winds. A flash flood watch was in effect for the eastern portions of northern Arizona.","Four or five low water crossings were flooded on Indian Route 15 between Cornfields and Highway 77. All crossings were passable." +119970,718996,ARIZONA,2017,July,Flash Flood,"APACHE",2017-07-24 15:30:00,MST-7,2017-07-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1147,-109.6504,36.1324,-109.9223,"Abundant moisture and forcing from an inverted trough moving across northern Arizona brought strong thunderstorms with heavy rain and strong winds. A flash flood watch was in effect for the eastern portions of northern Arizona.","Chinle Police received a report of water flowing across a road near Tselani and Cottonwood at 330 PM MST." +117903,709076,KANSAS,2017,June,Thunderstorm Wind,"LEAVENWORTH",2017-06-16 23:28:00,CST-6,2017-06-16 23:31:00,0,0,0,0,0.00K,0,0.00K,0,39.03,-95.01,39.03,-95.01,"On the afternoons of June 15 through June 17 multiple rounds of severe storms raked through eastern Kansas causing widespread wind damage and large hail.","Emergency Management reported 65 mph wind." +115247,691934,MARYLAND,2017,April,Hail,"MONTGOMERY",2017-04-21 15:54:00,EST-5,2017-04-21 15:54:00,0,0,0,0,,NaN,,NaN,38.9873,-77.0114,38.9873,-77.0114,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Golf ball sized hail was reported." +115648,694924,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-04-21 18:52:00,EST-5,2017-04-21 18:52:00,0,0,0,0,,NaN,,NaN,38.69,-76.53,38.69,-76.53,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 43 knots was reported." +115643,694891,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-06 15:18:00,EST-5,2017-04-06 15:18:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 41 knots was reported at Cobb Point." +115493,693728,MISSISSIPPI,2017,April,Thunderstorm Wind,"GREENE",2017-04-03 04:35:00,CST-6,2017-04-03 04:37:00,0,0,0,0,10.00K,10000,0.00K,0,31.1566,-88.7765,31.1566,-88.7765,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, which caused damage across southeast Mississippi.","Winds estimated at 70 mph downed several power poles on Neely Road. Three power poles were also downed on Herndon Road." +115493,693729,MISSISSIPPI,2017,April,Thunderstorm Wind,"GREENE",2017-04-03 04:40:00,CST-6,2017-04-03 04:42:00,0,0,0,0,5.00K,5000,0.00K,0,31.257,-88.5182,31.257,-88.5182,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, which caused damage across southeast Mississippi.","Winds estimated at 60 mph downed trees and power lines on Highway 57 between Leakesville and State Line." +115067,690710,IDAHO,2017,February,Flood,"WASHINGTON",2017-02-10 05:00:00,MST-7,2017-02-10 12:00:00,0,0,0,0,1.00M,1000000,0.00K,0,44.2355,-116.97,44.2294,-116.9666,"An ice jam on the Weiser River just south of Weiser caused flooding on U.S. Highway 95.","An ice jam released and caused flooding downstream along the Weiser River near the town of Weiser. Some homes near the river were flooded and widespread flooding of agricultural land occurred. A few residents living near the river were evacuated from their homes and one resident had to be rescued via helicopter. Flood waters inundated a portion of U.S. Highway 95 just south of Weiser." +117902,708933,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-17 21:10:00,CST-6,2017-06-17 21:13:00,0,0,0,0,0.00K,0,0.00K,0,39,-93.74,39,-93.74,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 70 mph wind." +117902,708934,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-17 21:20:00,CST-6,2017-06-17 21:23:00,0,0,0,0,0.00K,0,0.00K,0,38.98,-93.5,38.98,-93.5,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 70 mph wind with blown transmitters nearby." +118251,710677,MISSOURI,2017,June,Tornado,"GENTRY",2017-06-28 17:48:00,CST-6,2017-06-28 17:57:00,0,0,0,0,,NaN,,NaN,40.286,-94.3311,40.2816,-94.2162,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","A weak tornado formed in eastern Gentry County, then moved into Harrison County where it ultimately did some EF-1 damage to some structures in rural Harrison County. The extent of the damage in Gentry County was limited to tree damage in rural areas." +121162,725385,OKLAHOMA,2017,October,Tornado,"CLEVELAND",2017-10-21 19:40:00,CST-6,2017-10-21 19:42:00,0,0,0,0,2.00K,2000,0.00K,0,35.1818,-97.4784,35.1783,-97.4543,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","The tornado moved into Cleveland County in inaccessible areas along the Canadian River and generally remained south of the neighborhoods in south Norman south of Highway 9. Some tree and fence damage was observed at the southern end of South Canadian Trails which is where the tornado is believed to have dissipated." +119470,717008,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 12:35:00,EST-5,2017-07-20 12:35:00,0,0,0,0,15.00K,15000,0.00K,0,42.42,-78.14,42.42,-78.14,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds on Council House Road." +119470,717009,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 12:42:00,EST-5,2017-07-20 12:42:00,0,0,0,0,12.00K,12000,0.00K,0,42.42,-78.14,42.42,-78.14,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds on Holiday Road." +119470,717010,NEW YORK,2017,July,Thunderstorm Wind,"CATTARAUGUS",2017-07-20 13:02:00,EST-5,2017-07-20 13:02:00,0,0,0,0,12.00K,12000,0.00K,0,42.49,-78.64,42.49,-78.64,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds at Beach Tree Road and Highway 240." +119470,717011,NEW YORK,2017,July,Thunderstorm Wind,"CATTARAUGUS",2017-07-20 13:04:00,EST-5,2017-07-20 13:04:00,0,0,0,0,15.00K,15000,0.00K,0,42.53,-78.5,42.53,-78.5,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds on Creek Road." +119470,717012,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 13:35:00,EST-5,2017-07-20 13:35:00,0,0,0,0,10.00K,10000,0.00K,0,42.45,-78.01,42.45,-78.01,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds." +119470,717449,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 13:47:00,EST-5,2017-07-20 13:47:00,0,0,0,0,15.00K,15000,0.00K,0,42.32,-78.01,42.32,-78.01,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported thunderstorm winds knocked down a tree onto a car." +119470,717000,NEW YORK,2017,July,Tornado,"ALLEGANY",2017-07-20 12:29:00,EST-5,2017-07-20 12:30:00,0,0,0,0,25.00K,25000,0.00K,0,42.4331,-78.2166,42.4249,-78.1991,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Drone video provided by the county emergency manager confirmed an EF0 tornado touched down near Rushford." +120862,723668,OKLAHOMA,2017,October,Thunderstorm Wind,"GRADY",2017-10-14 22:20:00,CST-6,2017-10-14 22:20:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-97.69,35.25,-97.69,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +117902,708859,MISSOURI,2017,June,Thunderstorm Wind,"ADAIR",2017-06-15 23:30:00,CST-6,2017-06-15 23:33:00,0,0,0,0,,NaN,,NaN,40.19,-92.58,40.19,-92.58,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Power poles and power lines were down near Kirksville." +117902,708860,MISSOURI,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 20:40:00,CST-6,2017-06-16 20:43:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-95.38,40.44,-95.38,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Trees were reported down in and around Tarkio." +117902,708861,MISSOURI,2017,June,Thunderstorm Wind,"NODAWAY",2017-06-16 20:49:00,CST-6,2017-06-16 20:52:00,0,0,0,0,,NaN,,NaN,40.35,-94.77,40.35,-94.77,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A camper was blown into Mozingo Lake. There was no follow up on whether there was an occupant inside." +117902,708862,MISSOURI,2017,June,Thunderstorm Wind,"GENTRY",2017-06-16 21:13:00,CST-6,2017-06-16 21:16:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-94.33,40.25,-94.33,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A large tree was blocking the road on Henley St in Albany." +117902,708863,MISSOURI,2017,June,Thunderstorm Wind,"BUCHANAN",2017-06-16 21:47:00,CST-6,2017-06-16 21:52:00,0,0,0,0,,NaN,,NaN,39.779,-94.9088,39.7693,-94.7598,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Numerous trees and power lines were down across St Joseph. The ASOS at St Joseph Airport (KSTJ) measured 76 mph wind as the storm came through." +120563,722270,KANSAS,2017,October,Hail,"LOGAN",2017-10-01 15:25:00,CST-6,2017-10-01 15:29:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-100.85,39.13,-100.85,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","The hail ranged from quarter to ping-pong ball size." +120563,722272,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 15:37:00,CST-6,2017-10-01 15:37:00,0,0,0,0,0.00K,0,0.00K,0,39.54,-100.57,39.54,-100.57,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +120563,722273,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 16:25:00,CST-6,2017-10-01 16:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3656,-100.4248,39.3656,-100.4248,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +120563,722274,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 16:29:00,CST-6,2017-10-01 16:29:00,0,0,0,0,0.00K,0,0.00K,0,39.358,-100.4201,39.358,-100.4201,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","Hail up to 2.25 inches was reported on Highway 24, with hail covering the roadway. The highway was nearly impassable due to the hail." +116301,712749,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:12:00,CST-6,2017-07-09 20:12:00,0,0,0,0,0.00K,0,0.00K,0,44.68,-93.25,44.68,-93.25,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,699260,MINNESOTA,2017,July,Tornado,"NICOLLET",2017-07-09 20:37:00,CST-6,2017-07-09 20:41:00,0,0,0,0,0.00K,0,0.00K,0,44.3147,-94.3519,44.3149,-94.3251,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","The tornado hit two farms, damaging sheds and other outbuildings. It also moved across fields, damaging crops. Some trees were also knocked down." +114047,689836,IOWA,2017,March,Tornado,"MUSCATINE",2017-03-06 22:13:00,CST-6,2017-03-06 22:17:00,0,0,0,0,2.00K,2000,0.00K,0,41.4528,-90.8675,41.5071,-90.7854,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Tornado was rated EF-0 with peak winds of 74 MPH, a path length of 5.67 miles and max width 100 yards. The time of the event was estimated to be between 10:13 and 10:17 PM. The tornado continued on into Scott County. Power poles were snapped." +117457,706418,NEBRASKA,2017,June,Hail,"SEWARD",2017-06-16 19:25:00,CST-6,2017-06-16 19:25:00,0,0,0,0,0.00K,0,0.00K,0,40.94,-96.99,40.94,-96.99,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706419,NEBRASKA,2017,June,Hail,"SEWARD",2017-06-16 19:35:00,CST-6,2017-06-16 19:35:00,0,0,0,0,0.00K,0,0.00K,0,40.79,-96.93,40.79,-96.93,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706421,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-16 19:40:00,CST-6,2017-06-16 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-96.69,40.82,-96.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Also 60 mph wind was reported at the same location." +117457,710986,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:55:00,CST-6,2017-06-16 18:55:00,0,0,0,0,,NaN,,NaN,41.191,-96.1198,41.191,-96.1198,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm spotter repoted big trees and fences blown down in the area of 132nd and Harrison Streets." +117457,710989,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:55:00,CST-6,2017-06-16 18:55:00,0,0,0,0,,NaN,,NaN,41.0675,-96.0092,41.0675,-96.0092,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Intense wind damage was reported near the intersection of 63rd St and the Platte River, in the vicinity of the Maha Scout Camp were numerous trees were uprooted or snapped. Some sheds were blown down in the same area." +117457,710990,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 19:00:00,CST-6,2017-06-16 19:00:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Widespread tree and wind damage was reported in the Papillion area." +117457,711007,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:35:00,CST-6,2017-06-16 20:35:00,0,0,0,0,,NaN,,NaN,40.2704,-96.7727,40.2639,-96.7702,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees and power lines were blown down by damaging winds on the west part of Beatrice. A professional building lost a small portion of it's roof." +115905,704926,PENNSYLVANIA,2017,May,Heavy Rain,"CLARION",2017-05-28 19:48:00,EST-5,2017-05-28 19:48:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-79.46,41.25,-79.46,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115905,704925,PENNSYLVANIA,2017,May,Heavy Rain,"JEFFERSON",2017-05-28 18:15:00,EST-5,2017-05-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-79.08,41.16,-79.08,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115905,704927,PENNSYLVANIA,2017,May,Heavy Rain,"CLARION",2017-05-28 22:42:00,EST-5,2017-05-28 22:42:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-79.31,41.11,-79.31,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Trained spotter reported as a storm total." +115905,704939,PENNSYLVANIA,2017,May,Flood,"INDIANA",2017-05-29 07:38:00,EST-5,2017-05-29 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.8231,-79.0335,40.8144,-79.0424,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","State official reported roads around and including US 199 flooded. Also, a vehicle was stranded on West Creek Road in North Mahoning Township." +115889,700885,OHIO,2017,May,Thunderstorm Wind,"COSHOCTON",2017-05-01 11:15:00,EST-5,2017-05-01 11:15:00,0,0,0,0,1.00K,1000,0.00K,0,40.26,-81.85,40.26,-81.85,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Amateur Radio reported trees down." +115889,700886,OHIO,2017,May,Thunderstorm Wind,"COSHOCTON",2017-05-01 11:29:00,EST-5,2017-05-01 11:29:00,0,0,0,0,0.25K,250,0.00K,0,40.37,-81.72,40.37,-81.72,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The public reported a tree down on Ohio 93." +117457,706408,NEBRASKA,2017,June,Hail,"MADISON",2017-06-16 16:49:00,CST-6,2017-06-16 16:49:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-97.42,41.96,-97.42,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706409,NEBRASKA,2017,June,Hail,"MADISON",2017-06-16 17:15:00,CST-6,2017-06-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-97.78,41.75,-97.78,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117094,704437,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-05-14 16:06:00,EST-5,2017-05-14 16:06:00,0,0,0,0,,NaN,,NaN,40.81,-73.77,40.81,-73.77,"An upper level low triggered strong thunderstorms over New York Harbor, Western Long Island Sound and the coastal ocean waters south of New York City.","A wind gust of 40 knots was measured at the Kings Point NOS recording station." +117094,704439,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-05-14 16:17:00,EST-5,2017-05-14 16:17:00,0,0,0,0,,NaN,,NaN,41.08,-73.38,41.08,-73.38,"An upper level low triggered strong thunderstorms over New York Harbor, Western Long Island Sound and the coastal ocean waters south of New York City.","A wind gust of 36 knots was measured at the Norwalk Light mesonet site." +117094,704432,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"FIRE ISLAND INLET NY TO SANDY HOOK NJ OUT 20NM",2017-05-14 16:15:00,EST-5,2017-05-14 16:15:00,0,0,0,0,,NaN,,NaN,40.65,-73.78,40.65,-73.78,"An upper level low triggered strong thunderstorms over New York Harbor, Western Long Island Sound and the coastal ocean waters south of New York City.","A wind gust of 39 knots was measured at JFK Airport." +115074,690746,COLORADO,2017,May,Hail,"WELD",2017-05-31 17:56:00,MST-7,2017-05-31 17:56:00,0,0,0,0,,NaN,,NaN,40.61,-103.72,40.61,-103.72,"A severe thunderstorm produced large hail from nickel to ping pong ball size.","" +115074,690747,COLORADO,2017,May,Hail,"WELD",2017-05-31 18:00:00,MST-7,2017-05-31 18:00:00,0,0,0,0,,NaN,,NaN,40.72,-103.83,40.72,-103.83,"A severe thunderstorm produced large hail from nickel to ping pong ball size.","" +114852,688991,COLORADO,2017,May,Hail,"LOGAN",2017-05-25 12:44:00,MST-7,2017-05-25 12:44:00,0,0,0,0,,NaN,,NaN,40.55,-102.91,40.55,-102.91,"Isolated thunderstorms produced hail up to quarter size along with a weak short-lived tornado. No damage was observed.","" +114852,688992,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-25 12:58:00,MST-7,2017-05-25 12:58:00,0,0,0,0,,NaN,,NaN,40.16,-103.07,40.16,-103.07,"Isolated thunderstorms produced hail up to quarter size along with a weak short-lived tornado. No damage was observed.","" +114852,688993,COLORADO,2017,May,Tornado,"LOGAN",2017-05-25 12:05:00,MST-7,2017-05-25 12:05:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-103.27,40.48,-103.27,"Isolated thunderstorms produced hail up to quarter size along with a weak short-lived tornado. No damage was observed.","A weak tornado touched down briefly in open country." +114852,689662,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-25 14:30:00,MST-7,2017-05-25 14:30:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-103.03,39.95,-103.03,"Isolated thunderstorms produced hail up to quarter size along with a weak short-lived tornado. No damage was observed.","" +114264,684578,COLORADO,2017,May,Lightning,"DOUGLAS",2017-05-06 13:20:00,MST-7,2017-05-06 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,39.55,-104.97,39.55,-104.97,"Lightning struck dangerously close to a woman while she watched a youth baseball game. She felt her legs go numb after a lightning bolt struck the ground.","A nearby lightning strike slightly injured a woman while she was watching a youth |baseball game." +114669,688995,COLORADO,2017,May,Hail,"BOULDER",2017-05-17 18:25:00,MST-7,2017-05-17 18:25:00,0,0,0,0,,NaN,,NaN,40.02,-105.23,40.02,-105.23,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","" +116892,703003,IOWA,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-17 18:48:00,CST-6,2017-05-17 18:48:00,0,0,0,0,10.00K,10000,0.00K,0,41.49,-91.42,41.49,-91.42,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a parked semi was blown over and damage to farm outbuildings. Also power poles were down." +116572,703166,VIRGINIA,2017,May,Heavy Rain,"MARTINSVILLE (C)",2017-05-21 08:00:00,EST-5,2017-05-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-79.87,36.68,-79.87,"Heavy downpours over the City of Martinsville and surrounding portions of Henry County dropped 2 to 4+ inches of rain over a period of hours during the early morning of May 22nd and caused some flash flooding. 24-hour rainfall reports included Jones Creek IFLOWS (JOEV2) 4.73 inches and Martinsville COOP (MARV2) 3.17 inches both located in the City of Martinsville.","The 24-hour rainfall of 3.17 inches ending at 0800 EST at the Martinsville COOP (MARV2) was the highest for any day in the month of May, with records dating back to 1930. The old record was 2.63 inches on May 30, 1940." +116573,701058,VIRGINIA,2017,May,Flood,"WYTHE",2017-05-24 17:00:00,EST-5,2017-05-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-80.84,36.9483,-80.8209,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Much of eastern Wythe County saw flooding, from about Ivanhoe and Highway 94 east to the Pulaski County line. The worst flooding was in the Fort Chiswell area and around exit 86 on southbound I-81 which was closed for nearly three hours due to flooding." +116298,699248,NORTH CAROLINA,2017,May,Hail,"ROCKINGHAM",2017-05-31 17:55:00,EST-5,2017-05-31 17:55:00,0,0,0,0,0.00K,0,0.00K,0,36.39,-79.98,36.39,-79.98,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","" +116298,699249,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 17:55:00,EST-5,2017-05-31 17:55:00,0,0,0,0,10.00K,10000,0.00K,0,36.39,-79.9,36.39,-79.9,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds resulted in several uprooted trees near the community of Madison." +115979,697081,SOUTH CAROLINA,2017,May,Hail,"EDGEFIELD",2017-05-29 17:30:00,EST-5,2017-05-29 17:35:00,0,0,0,0,,NaN,,NaN,33.92,-81.93,33.92,-81.93,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Edgefield County EM reported hail ranging in size from pea size to a little larger than golf ball size. There were several reports of damaged vehicles. The main impact area was Long Cane Rd and Hwy 378 west to the McCormick Co line." +115979,697082,SOUTH CAROLINA,2017,May,Hail,"SALUDA",2017-05-29 17:31:00,EST-5,2017-05-29 17:36:00,0,0,0,0,,NaN,,NaN,33.87,-81.84,33.87,-81.84,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Public reported 1 to 2 inch hail on Long Cane Rd along the Edgefield and Saluda County line." +116319,699434,VIRGINIA,2017,May,Thunderstorm Wind,"HENRY",2017-05-24 17:22:00,EST-5,2017-05-24 17:22:00,0,0,0,0,0.50K,500,0.00K,0,36.8,-79.9,36.8,-79.9,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds brought down a tree near the intersection of Old Quarry Road and Daniels Creek Road." +116319,699437,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-24 17:49:00,EST-5,2017-05-24 17:49:00,0,0,0,0,0.50K,500,0.00K,0,37.09,-79.69,37.09,-79.69,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds brought down a tree on Lovely Valley Road near the intersection with Scruggs Road." +116319,699431,VIRGINIA,2017,May,Thunderstorm Wind,"TAZEWELL",2017-05-24 14:00:00,EST-5,2017-05-24 14:00:00,0,0,0,0,4.00K,4000,0.00K,0,37.14,-81.53,37.14,-81.53,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds downed a tree that also took down powerlines along Blackhorse Road." +119944,722979,MONTANA,2017,October,High Wind,"NORTHERN VALLEY",2017-10-17 23:48:00,MST-7,2017-10-17 23:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 58 mph wind gust was measured by a trained spotter located 1 mile north of Baylor." +119944,722981,MONTANA,2017,October,High Wind,"SHERIDAN",2017-10-18 00:45:00,MST-7,2017-10-18 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 62 mph gust was measured at the AWOS site in Plentywood." +119944,722983,MONTANA,2017,October,High Wind,"DANIELS",2017-10-18 00:53:00,MST-7,2017-10-18 00:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 58 mph wind gust was measured at the DOT site 1 mile north of Navajo on MT-5." +119944,722984,MONTANA,2017,October,High Wind,"SHERIDAN",2017-10-18 01:02:00,MST-7,2017-10-18 01:02:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A dry cold front moved across Montana during the evening of the 17th and into the early morning hours of the 18th. Strong winds aloft moved over northeast Montana, where temperatures were still warm enough to mix those down in many areas, primarily north of the Missouri River. Winds in excess of 40 mph were widespread, with gusts into the 50s and 60s at a few locations, and a peak wind gust of 77 mph south of Malta on the evening of the 17th.","A 67 mph wind gust was measured at the Comertown DOT site on MT-5." +120000,722986,MONTANA,2017,October,High Wind,"DAWSON",2017-10-20 21:09:00,MST-7,2017-10-20 21:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front moving across the northern Plains brought some strong winds aloft down to the surface on the evening of the 20th. Most areas saw sustained wind speeds in the 20s and 30s with gusts in the 40s. However, some locations recorded stronger gusts, including a 60 mph gust along Highway 200 near the Lindsay Divide.","A 60 mph wind gust was measured at the Lindsay Divide DOT site, located on MT-200 at milepost 296.5." +120044,722990,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-22 11:01:00,MST-7,2017-10-22 11:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 58 mph wind gust was measured at the Malta South MT DOT site on US-191 at milepost 122.5." +116892,702926,IOWA,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 17:42:00,CST-6,2017-05-17 17:42:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-92.07,41.8,-92.07,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702927,IOWA,2017,May,Thunderstorm Wind,"BENTON",2017-05-17 17:46:00,CST-6,2017-05-17 17:46:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-92.08,41.91,-92.08,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Report was from a local resident using a personal weather instrument." +116892,702931,IOWA,2017,May,Thunderstorm Wind,"BENTON",2017-05-17 18:08:00,CST-6,2017-05-17 18:08:00,0,0,0,0,0.00K,0,0.00K,0,42.09,-91.87,42.09,-91.87,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter estimated wind gusts to 60 mph." +117063,704183,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:01:00,EST-5,2017-05-05 03:06:00,0,0,0,0,1.00K,1000,0.00K,0,36.62,-79.61,36.62,-79.6,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed two trees. One across Willow Briar Lane and another across Whispering Pines Road." +121212,725712,KANSAS,2017,October,Thunderstorm Wind,"BARBER",2017-10-06 21:15:00,CST-6,2017-10-06 21:15:00,0,0,0,0,,NaN,,NaN,37.28,-98.59,37.28,-98.59,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725714,KANSAS,2017,October,Hail,"FINNEY",2017-10-06 15:14:00,CST-6,2017-10-06 15:14:00,0,0,0,0,,NaN,,NaN,38.15,-100.43,38.15,-100.43,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121200,726256,KANSAS,2017,October,Tornado,"SCOTT",2017-10-02 17:53:00,CST-6,2017-10-02 17:57:00,0,0,0,0,0.00K,0,0.00K,0,38.5512,-101.1186,38.6122,-101.0911,"A broad shortwave trough lifted out of the southern High Plains with two distinct jet streaks across Kansas and Oklahoma. Severe parameters were just enough to produce two tornadoes near Scott State Lake and one report of large hail and high wind gusts.","Only minor evidence of light damage but the tornado was well documented." +121200,726257,KANSAS,2017,October,Tornado,"SCOTT",2017-10-02 18:02:00,CST-6,2017-10-02 18:05:00,0,0,0,0,150.00K,150000,,NaN,38.5434,-101.0318,38.5538,-100.9878,"A broad shortwave trough lifted out of the southern High Plains with two distinct jet streaks across Kansas and Oklahoma. Severe parameters were just enough to produce two tornadoes near Scott State Lake and one report of large hail and high wind gusts.","Damage was done to irrigation sprinklers, power poles and trees. It was also well documented by video." +121172,725392,PUERTO RICO,2017,October,Funnel Cloud,"SAN JUAN",2017-10-06 16:30:00,AST-4,2017-10-06 16:37:00,0,0,0,0,0.00K,0,0.00K,0,18.41,-66.06,18.41,-66.06,"A trough pattern aloft with precipitable water values around two inches and under an east to southeast wind flow provided favorable weather conditions for showers and thunderstorm development across the region.","A funnel cloud spotted by a civilian. A video was also seen on Social Media and TV News Stations." +120574,722303,OKLAHOMA,2017,October,Frost/Freeze,"TEXAS",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Repeat Freeze for Texas county with first Freeze of season for Beaver County with low temperatures around 28 degrees.","" +120574,722304,OKLAHOMA,2017,October,Frost/Freeze,"BEAVER",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Repeat Freeze for Texas county with first Freeze of season for Beaver County with low temperatures around 28 degrees.","" +120322,720939,IOWA,2017,October,Hail,"CLAY",2017-10-02 18:08:00,CST-6,2017-10-02 18:08:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-95.34,42.92,-95.34,"Early evening storms developed in areas of northwest Iowa and resulted in a few locations experiencing hail.","" +120630,722579,MINNESOTA,2017,October,Hail,"COTTONWOOD",2017-10-02 14:08:00,CST-6,2017-10-02 14:08:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-94.99,43.94,-94.99,"A few storms developed in portions of southwest Minnesota and northwest Iowa during the mid to late afternoon hours. A few storms produced one inch hail before quickly dissipating.","Report received via Social Media." +119785,718288,WASHINGTON,2017,October,Wildfire,"EAST SLOPES OF THE WASHINGTON CASCADES",2017-10-01 00:00:00,PST-8,2017-10-02 06:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A lightning strike started the Jolly Mountain Fire on August 11, 2017. The fire continues to burn in the Cle Elum Ranger District of the Okanogan-Wenatchee National Forest and on or near land managed by the Washington Department of National Resources and The Nature Conservancy. This fire was declared contained in early October.","Inciweb and Northwest Interagency Coordination Center." +120354,721075,WASHINGTON,2017,October,Wildfire,"LOWER COLUMBIA BASIN",2017-10-17 08:20:00,PST-8,2017-10-17 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A brush fire in Benton county west of Kennewick damaged a home and threatened others. Winds made fighting the fire difficult at times.","Four homes were evacuated Tuesday morning (10/17) due to a brush fire in the area of Dallas and Goose Gap Roads. Crews were called in to the area around 9:30 AM PST for a fire behind several homes off Goose Gap Road. Benton County Fire District #1 PIO Tracey Baker says teams attacked the fire from both Goose Gap Road and from above off on Jacobs Road. She says because of the difficult terrain, swirling winds and dry conditions, the fire spread quickly and crews had a harder time getting access. At this point, she says they believe the blaze spread between 25 and 40 acres. The flames did cause damage (amount not known) to one home and threatened others. Crews also say deputies were called to help with traffic issues on I-82 due to blowing smoke for a short time. The cause of the fire is believed to be a residential burn that started yesterday and rekindled Tuesday." +120458,721702,IOWA,2017,October,Drought,"ALLAMAKEE",2017-10-01 00:00:00,CST-6,2017-10-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the first part of October, between 3 and 6 inches of rain fell across northeast Iowa. This rain allowed the soil moisture amounts to increase and brought an end the severe drought that had in place across portions of Allamakee and Winneshiek Counties.","The severe drought that started in September, ended as 3 to 6 inches of rain fell across Allamakee County during the first part of October." +118842,713969,IOWA,2017,July,Heavy Rain,"EMMET",2017-07-26 05:00:00,CST-6,2017-07-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-94.48,43.4,-94.48,"A low pressure system initiated storms along its associated cold frontal boundary back in Nebraska during the evening of the 25th and slowly progressed into Iowa through the morning of the 26th. While none of the storms were impressive or near severe, their slow propagation and some degree of training resulted in periods of heavy rainfall to the degree of 2 to 3 inches.","Emergency manager reported heavy rainfall of 2 to 3 inches." +118842,713970,IOWA,2017,July,Heavy Rain,"EMMET",2017-07-26 05:00:00,CST-6,2017-07-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-94.51,43.3,-94.51,"A low pressure system initiated storms along its associated cold frontal boundary back in Nebraska during the evening of the 25th and slowly progressed into Iowa through the morning of the 26th. While none of the storms were impressive or near severe, their slow propagation and some degree of training resulted in periods of heavy rainfall to the degree of 2 to 3 inches.","Coop observer recorded heavy rainfall of 1.92 inches, with much of it falling between 6 am and 11 am local time." +118843,713974,IOWA,2017,July,Funnel Cloud,"CARROLL",2017-07-28 17:15:00,CST-6,2017-07-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-94.81,42.14,-94.81,"A funnel cloud was reported northeast of Carroll, IA in association with a weak updraft. The overall environment was underwhelming with general MUCAPE values under 1000 J/kg and no notable effective shear or low level helicity registering in analyses.","Media reported a funnel cloud via their social media page. This is a delayed report." +118395,714593,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-10 01:00:00,CST-6,2017-07-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9444,-93.3824,42.9444,-93.3824,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Trained spotter reported large trees downed from the winds. This is a delayed report and time estimated from radar." +121126,725160,NEW YORK,2017,October,Thunderstorm Wind,"MADISON",2017-10-15 17:57:00,EST-5,2017-10-15 17:57:00,0,0,0,0,20.00K,20000,0.00K,0,43.09,-75.68,43.09,-75.68,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees." +121126,725161,NEW YORK,2017,October,Thunderstorm Wind,"ONEIDA",2017-10-15 18:20:00,EST-5,2017-10-15 18:20:00,0,0,0,0,30.00K,30000,0.00K,0,43.08,-75.38,43.08,-75.38,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees and wires." +121126,725162,NEW YORK,2017,October,Thunderstorm Wind,"TOMPKINS",2017-10-15 18:25:00,EST-5,2017-10-15 18:25:00,0,0,0,0,30.00K,30000,0.00K,0,42.49,-76.3,42.49,-76.3,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees and wires." +121126,725163,NEW YORK,2017,October,Thunderstorm Wind,"CORTLAND",2017-10-15 18:30:00,EST-5,2017-10-15 18:30:00,0,0,0,0,20.00K,20000,0.00K,0,42.52,-76.18,42.52,-76.18,"A line of severe thunderstorms moved across central New York during the early evening hours of the 15th. The storms produced locally damaging wind gusts with trees and wires down across several counties in central New York.","A line of thunderstorms produced damaging wind gusts which knocked down trees across a road." +116520,703036,ILLINOIS,2017,May,Thunderstorm Wind,"WHITESIDE",2017-05-17 17:36:00,CST-6,2017-05-17 17:36:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-89.69,41.77,-89.69,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","KWQC relayed a report of a tree blown down onto a home on 6th Avenue." +116520,703059,ILLINOIS,2017,May,Thunderstorm Wind,"HENRY",2017-05-17 20:35:00,CST-6,2017-05-17 20:35:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-90.15,41.51,-90.15,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A NWS storm survey team reported several large trees were blown down along Highway 92 north of of Geneseo." +120618,722566,MASSACHUSETTS,2017,October,Strong Wind,"SOUTHERN WORCESTER",2017-10-26 18:19:00,EST-5,2017-10-26 18:19:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","A tree was brought down on Chestnut Street in Westborough." +120515,722565,RHODE ISLAND,2017,October,Strong Wind,"NORTHWEST PROVIDENCE",2017-10-25 09:30:00,EST-5,2017-10-25 09:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","At 930 AM EST, a tree was brought down on U.S. Route 6, the Danielson Pike." +120618,722567,MASSACHUSETTS,2017,October,Strong Wind,"NORTHERN WORCESTER",2017-10-26 19:07:00,EST-5,2017-10-26 19:07:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","A tree was down and blocking Wachusett Street in Princeton." +120618,722568,MASSACHUSETTS,2017,October,Strong Wind,"WESTERN PLYMOUTH",2017-10-26 19:30:00,EST-5,2017-10-26 19:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","A large tree was down and blocking Lang Street in Lakeville." +120618,722571,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN ESSEX",2017-10-26 20:55:00,EST-5,2017-10-26 22:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","At 855 PM EST, a tree was down in Newbury, south of Newburyport, blocking Newman Road between the parking lot and the marsh. At 950 PM EST, a tree was down on Evans Road in Peabody. At 10 PM EST, a tree was down in Ipswich on U.S. Route 1 near Hickory Lane." +120618,722572,MASSACHUSETTS,2017,October,Strong Wind,"SUFFOLK",2017-10-26 21:42:00,EST-5,2017-10-26 21:42:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","At 942 PM EST, a tree was down in Winthrop on Walden Street." +119744,718135,CALIFORNIA,2017,October,High Wind,"LOS ANGELES COUNTY MOUNTAINS EXCLUDING THE SANTA MONICA RANGE",2017-10-09 03:53:00,PST-8,2017-10-09 13:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant Santa Ana wind event of the season impacted sections of Ventura and Los Angeles counties. Northeasterly wind gusts between 60 and 75 MPH were reported.","Strong Santa Ana winds impacted the mountains of Los Angeles county. Some wind gust reports from the area include: Warm Springs (gusts up to 63 MPH), Chilao (gusts up to 60 MPH) and Camp Nine (gusts up to 59 MPH)." +119715,717964,NEW MEXICO,2017,October,Flash Flood,"DE BACA",2017-10-03 21:00:00,MST-7,2017-10-03 23:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5852,-104.4923,34.5485,-104.4127,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Four to six inches of rainfall produced flash flooding in the Alamogordo Creek and Salado Creek drainages. Numerous low water crossings flooded." +119715,718033,NEW MEXICO,2017,October,Thunderstorm Wind,"VALENCIA",2017-10-04 17:20:00,MST-7,2017-10-04 17:22:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-106.72,34.73,-106.72,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Peak wind gust up to 62 mph downed small tree limbs in Tome." +119793,718324,NEW MEXICO,2017,October,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-10-09 21:30:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent back door cold front that surged southwest across eastern New Mexico on the 9th squeezed through the Upper Tularosa Valley and nearby Oscuro Range during the late evening hours. Most locations from near Nogal to Carrizozo and Bingham reported peak wind gusts between 40 and 50 mph. The strongest wind gusts peaked up to 65 mph at Phillips Hill southwest of Oscuro and up to 60 mph at Shist within the Oscuro Range. No damage was reported in either location.","Peak wind gust to 60 mph at Shist." +121229,725769,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 08:13:00,EST-5,2017-10-04 08:13:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 35 knots was measured at Pulaski Shoal Light." +121229,725770,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 12:42:00,EST-5,2017-10-04 12:42:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 44 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +121229,725771,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 13:02:00,EST-5,2017-10-04 13:02:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 37 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +121229,725772,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-10-04 13:07:00,EST-5,2017-10-04 13:07:00,0,0,0,0,0.00K,0,0.00K,0,24.9189,-80.6351,24.9189,-80.6351,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured by an automated WeatherFlow station on Upper Matecumbe Key." +121229,725773,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-04 15:01:00,EST-5,2017-10-04 15:01:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 40 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +115310,692302,ALABAMA,2017,April,Flash Flood,"JEFFERSON",2017-04-03 06:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-86.83,33.481,-86.825,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Exit ramp off I-65 onto Greensprings Highway closed due to high water. One vehicle submerged." +116564,700906,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:20:00,EST-5,2017-05-31 15:20:00,0,0,0,0,,NaN,,NaN,42.7216,-73.877,42.7216,-73.877,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down at the corner of East Old State Road and Kings Road." +116564,700907,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:21:00,EST-5,2017-05-31 15:21:00,0,0,0,0,,NaN,,NaN,42.73,-73.86,42.73,-73.86,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down on Albany Street." +121053,726252,NEW YORK,2017,October,High Wind,"NORTHERN SARATOGA",2017-10-30 02:30:00,EST-5,2017-10-30 02:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Reports of trees down in the town of Moreau. Time was estimated." +121053,726253,NEW YORK,2017,October,High Wind,"SOUTHERN SARATOGA",2017-10-30 01:00:00,EST-5,2017-10-30 02:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Numerous reports of trees down in the towns of Waterford, Ballston Spa, Charlton and Clifton Park. There were about 97,000 customers without power across Saratoga county." +121053,726254,NEW YORK,2017,October,High Wind,"NORTHERN WASHINGTON",2017-10-30 02:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Trees and wires were reported down on Red Johnson Way. There were about 25,000 customers without power across Washington county." +119715,718032,NEW MEXICO,2017,October,Flash Flood,"SANTA FE",2017-10-04 17:15:00,MST-7,2017-10-04 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.8876,-106.0829,35.8939,-106.0822,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","County road 84 washed out in El Rancho." +119715,718036,NEW MEXICO,2017,October,Hail,"SAN MIGUEL",2017-10-04 19:00:00,MST-7,2017-10-04 19:03:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-105.47,35.39,-105.47,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Very heavy rainfall with penny to nickel size hail near Ribera." +119794,718333,WEST VIRGINIA,2017,October,Thunderstorm Wind,"TAYLOR",2017-10-11 17:20:00,EST-5,2017-10-11 17:20:00,0,0,0,0,2.00K,2000,0.00K,0,39.32,-80.12,39.32,-80.12,"Low topped convective showers developed along the Ohio River on the afternoon of the 11th as a cold front pushed through. The airmass in place ahead of the cold front was rather unseasonable, feeling more like summer than early fall. Temperatures were in the 80s and dewpoints were in the upper 60s. There was no lightning with the showers, however there were some reports of strong wind gusts.","Several trees were blown down by an isolated wind gust." +120171,720036,MISSISSIPPI,2017,October,Strong Wind,"COPIAH",2017-10-22 04:38:00,CST-6,2017-10-22 04:38:00,0,0,0,0,9.00K,9000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds associated with a wake low occurred across portions of Central Mississippi during the early morning hours of October 22nd. These winds brought down trees in some locations.","Several small and large trees were blown down around the County Line Road area near Crystal Springs. Numerous power outages occurred around this area as well." +120172,720039,FLORIDA,2017,October,Flash Flood,"BREVARD",2017-10-01 17:25:00,EST-5,2017-10-02 01:30:00,0,0,0,0,0.00K,0,0.00K,0,28.099,-80.5682,27.8943,-80.4673,"A surface boundary draped across the central Florida peninsula resulted in slow moving showers and thunderstorms that produced heavy rainfall across central and southern Brevard County. 6-10 inches of widespread rainfall was observed across the impacted areas, with isolated higher amounts of 10-11 inches of rain observed in Palm Bay, Malabar, Indialantic, and Floridana Beach. Areas of flooding and flash flooding resulted in impassible roads, stalled vehicles and water entered a few homes.","Widespread 8-10 inches of rain fell in southern Brevard County during a 2-4 hour period, affecting areas from West Melbourne to Indialantic, south to Malabar and Floridana Beach, including Palm Bay and Melbourne Beach. Water entered homes in the Powell Subdivision in Palm Bay along Main Street and US-1. Water also entered a home on Barracuda Avenue in Melbourne Beach. Lipscomb Road was closed from University Boulevard to Florida Avenue. A portion of Valkaria Road west of US-1 was washed out, following some erosion which occurred a few weeks earlier during Hurricane Irma. On Port Malabar Road flood waters reached up to the bumper of trucks." +120172,720058,FLORIDA,2017,October,Flood,"BREVARD",2017-10-01 21:00:00,EST-5,2017-10-02 00:00:00,0,0,0,0,0.00K,0,0.00K,0,28.6099,-80.8559,28.4724,-80.858,"A surface boundary draped across the central Florida peninsula resulted in slow moving showers and thunderstorms that produced heavy rainfall across central and southern Brevard County. 6-10 inches of widespread rainfall was observed across the impacted areas, with isolated higher amounts of 10-11 inches of rain observed in Palm Bay, Malabar, Indialantic, and Floridana Beach. Areas of flooding and flash flooding resulted in impassible roads, stalled vehicles and water entered a few homes.","Newspaper and public reports on social media indicated flooding on Carol Street in Titusville and Pleasant Avenue in Port Saint John. The ground in these areas received abundant rainfall from Hurricane Irma only weeks prior, and the 1-3 inches of widespread rain that fell on October 1st caused low-lying roads and other poor drainage areas to flood easily. The Windover Farms neighborhood saw the water levels in the already swollen area canals rise to cover low-lying streets." +120237,720363,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GALVESTON BAY",2017-10-22 07:56:00,CST-6,2017-10-22 07:56:00,0,0,0,0,0.00K,0,0.00K,0,29.68,-94.98,29.68,-94.98,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at Morgans Point PORTS site." +120237,720370,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:55:00,CST-6,2017-10-22 08:55:00,0,0,0,0,0.00K,0,0.00K,0,29.13,-94.62,29.13,-94.62,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at KXIH." +119915,718786,ALABAMA,2017,October,Tropical Storm,"DALE",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119915,718787,ALABAMA,2017,October,Tropical Storm,"GENEVA",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120492,721880,MINNESOTA,2017,October,Winter Storm,"ROSEAU",2017-10-26 09:00:00,CST-6,2017-10-27 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"As an area of surface low pressure tracked into the Grand Forks, North Dakota, area just after midnight on Thursday, October 26th, temperatures in the Lake of the Woods region were still in the low 40s. Therefore, the light precipitation that fell there still fell as rain. By sunrise, the low had only moved to near Crookston, Minnesota, and temperatures in the Lake of the Woods region were still in the low 40s. As the low tracked to near Bemidji by mid morning, temperatures in the Lake of the Woods region quickly dropped around or below freezing, switching the precipitation over to snow. Persistent snow lingered in the Lake of the Woods region through much of the day. Six to eight inches of snow fell in the Lake of the Woods region along with gusty north winds.","" +120506,721966,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 11:32:00,MST-7,2017-10-22 11:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Great Falls International Airport (KGTF)." +120383,722004,HAWAII,2017,October,Thunderstorm Wind,"MAUI",2017-10-24 02:30:00,HST-10,2017-10-24 02:55:00,0,0,0,0,0.00K,0,0.00K,0,20.8813,-156.4466,20.8813,-156.4432,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","Multiple power lines knocked down on Hana Highway at Hookele Street. Hana Highway was then closed at Airport Access Road. Entire island of Maui lost power for a time as more wind damage occurred in the short time after the initial problems occurred near the airport." +120383,722005,HAWAII,2017,October,Flash Flood,"HAWAII",2017-10-24 08:50:00,HST-10,2017-10-24 14:13:00,0,0,0,0,0.00K,0,0.00K,0,19.2195,-155.4784,19.2204,-155.475,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","Wood Valley Road near Pahala on the Big Island in the Kau District was closed for a time due to high water from heavy rain, and the Kawa Flats area in the same vicinity was also deluged with precipitation. ||Areas around Hilo were hit with flash flooding conditions as well, from 0900 to 1100 HST. Kukila Street and Railroad Avenue, near Lanikaula Street, were closed by rising water on the road surfaces. Other roadways affected were Kamehameha Avenue and Pauahi Street, Bayfront Highway, Pauahi Street and Aupuni Street intersection, and the Kamehameha Avenue and Manono Street/Lihiwai Street intersection.||At around 1000 HST, Kuakini Highway above Kailua-Kona on the leeward side of the Big Island was closed because of heavy rain inundating the roadway." +120471,721766,MONTANA,2017,October,High Wind,"FLATHEAD/MISSION VALLEYS",2017-10-17 15:00:00,MST-7,2017-10-17 19:00:00,0,0,0,0,115.00K,115000,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream aloft combined with a cold front brought damaging winds to Northwest Montana and parts of west-central Montana. Mid-level winds between 70 and 80 miles per hour were four standard deviations above normal for this time of year. The majority of wind damage occurred along and behind the cold front passage in the late afternoon and evening.","Downed trees and power lines resulted in 15,000 members of Flathead Electric COOP to be without power in 150 separate outages which were primarily in West Valley, Whitefish and Columbia Falls. Six new wildfires were reported from downed power lines. Wind gusts to 55 mph were common throughout the Flathead and Mission valleys causing damage including a totaled billboard near the junction of Highway 40 and US-2." +120624,722717,MASSACHUSETTS,2017,October,High Wind,"BARNSTABLE",2017-10-29 19:55:00,EST-5,2017-10-30 14:40:00,0,0,0,0,12.00K,12000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","A tree was blocking Old Main Street in Sandwich. A tree was down on Asa Meigs Road in the Marstons Mills part of Barnstable. A tree was down on Wood Road near State Route 28 in South Yarmouth. Two trees at least 18 inches diameter were snapped on Austin Stokes Drive in East Falmouth. A tree was down on Old Barnstable Road near County Road, and another blocking Quashnet Way at Red Brook Road in Falmouth. A tree was down on Rock Landing Road, at Cotuit Road, and on Kim Path in Mashpee. At 249 AM EST, a Mesonet reported a wind gust to 93 mph on Popponesset Beach in Mashpee." +120624,722719,MASSACHUSETTS,2017,October,High Wind,"NANTUCKET",2017-10-30 01:30:00,EST-5,2017-10-30 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 234 AM EST, the Automated Surface Observing System platform at Nantucket Airport recorded a sustained wind of 46 mph and a wind gust of 70 mph. At 308 AM EST, the same platform recorded a sustained wind of 51 mph." +120624,722721,MASSACHUSETTS,2017,October,High Wind,"SOUTHERN BRISTOL",2017-10-29 20:40:00,EST-5,2017-10-30 03:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","A very large tree and wires were brought down on Summer Street in New Bedford. A tree was down and blocking Highland Avenue in Fall River, while another tree was down on Cedar Street in Fall River. A tree was down and blocking Barton Avenue near Winslow Way in Swansea. A tree was down and blocking Huron Avenue in Freetown. A tree was down on wires on Manchester Lane in Acushnet. A trees was down in Westport, blocking Main Road. A tree was down on wires and blocking Prospect Street in Seekonk. A tree was down on a house on Pine Street, and another blocking Elm Street in Seekonk. A wind gust to 76 mph was measured at West Island in Fairhaven." +120591,722879,VERMONT,2017,October,High Wind,"WESTERN CHITTENDEN",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,400.00K,400000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph range but damage indicative of >70 mph in spots." +120591,722881,VERMONT,2017,October,High Wind,"EASTERN FRANKLIN",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph range but damage indicative of >70 mph in spots." +120832,723530,ILLINOIS,2017,October,Flash Flood,"WAYNE",2017-10-10 07:20:00,CST-6,2017-10-10 09:45:00,0,0,0,0,0.00K,0,0.00K,0,38.5085,-88.3589,38.4775,-88.5992,"As Hurricane Nate came ashore near Mobile, Alabama on the 8th, a cold front swept east-southeast across the region. This one was followed quickly by another cold front on the 10th. Showers and storms developed along and in advance of both fronts. Localized flooding of streets was reported.","Water was over U.S. Highway 45 north of Jeffersonville. State road crews were on the scene for traffic control. Water covered three-quarters of County Road 510 for approximately one-quarter of a mile. Water was also across a street on the west end of Wayne City. The four-hour rainfall amount from 4 A.M. to 8 A.M. was slightly over four inches at Wayne City." +120833,723532,INDIANA,2017,October,Flood,"VANDERBURGH",2017-10-10 10:20:00,CST-6,2017-10-10 12:10:00,0,0,0,0,0.00K,0,0.00K,0,37.9426,-87.445,37.9542,-87.4907,"As Hurricane Nate came ashore near Mobile, Alabama on the 8th, a cold front swept east-southeast across the region. This one was followed quickly by another cold front on the 10th. Showers and storms developed along and in advance of both fronts. Localized flooding of streets was reported.","Minor flooding was reported in low-lying areas in the Angel Mounds area southeast of the city of Evansville." +120834,723533,KENTUCKY,2017,October,Flash Flood,"MUHLENBERG",2017-10-10 11:20:00,CST-6,2017-10-10 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.2741,-87.0694,37.2637,-87.1614,"The second cold front in three days was responsible for more showers and storms. Some of the storms produced copious amounts of rain, over three inches in three hours. The additional rain on moist ground caused some flooding.","Several roads were closed due to high water in Central City. A vehicle drove into a flooded area and required assistance. The Kentucky mesonet site near Central City measured 4.24 inches in three and a half hours." +120834,723534,KENTUCKY,2017,October,Flood,"HOPKINS",2017-10-10 12:35:00,CST-6,2017-10-10 14:00:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-87.48,37.27,-87.4473,"The second cold front in three days was responsible for more showers and storms. Some of the storms produced copious amounts of rain, over three inches in three hours. The additional rain on moist ground caused some flooding.","Flat Creek Road off of Highway 813 was flooded." +120834,723535,KENTUCKY,2017,October,Flood,"HENDERSON",2017-10-10 10:05:00,CST-6,2017-10-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8234,-87.6165,37.8443,-87.5913,"The second cold front in three days was responsible for more showers and storms. Some of the storms produced copious amounts of rain, over three inches in three hours. The additional rain on moist ground caused some flooding.","Alternate U.S. Highway 41 and some side streets in the city of Henderson were flooded." +120520,722030,HAWAII,2017,October,Drought,"MOLOKAI LEEWARD",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120520,722031,HAWAII,2017,October,Drought,"MAUI CENTRAL VALLEY",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120773,723353,TEXAS,2017,October,Hail,"JONES",2017-10-21 19:58:00,CST-6,2017-10-21 20:02:00,0,0,0,0,0.00K,0,0.00K,0,32.76,-99.9,32.76,-99.9,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","Law enforcement reported quarter size hail in Anson." +120773,723356,TEXAS,2017,October,Hail,"TAYLOR",2017-10-21 22:08:00,CST-6,2017-10-21 22:12:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-99.73,32.45,-99.73,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","A trained spotter reported quarter size hail in Abilene." +120773,723357,TEXAS,2017,October,Hail,"THROCKMORTON",2017-10-21 19:25:00,CST-6,2017-10-21 19:29:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-99.18,33.18,-99.18,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","A trained spotter reported ping pong size hail in Throckmorton." +120176,720098,LOUISIANA,2017,October,Flash Flood,"POINTE COUPEE",2017-10-22 09:30:00,CST-6,2017-10-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,30.6551,-91.3699,30.6427,-91.5044,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Flooding was reported in eastern Pointe Coupee Parish near New Roads. Several roads were flooded and closed, including Pecan Drive, Louisiana Highway 1 and Jack Torres Road. Residents evacuated several homes in those areas due to high water. Approximately 80 homes were affected by floodwaters across Pointe Coupee Parish." +120983,724145,WASHINGTON,2017,October,High Wind,"EAST SLOPES NORTHERN CASCADES",2017-10-22 20:00:00,PST-8,2017-10-23 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"During the evening of October 22nd strong winds brought down numerous trees and caused power outages in and around the town of Stehekin in the north Cascades. The damage was very localized and it is suspected that terrain channeling of winds through the Stehekin Valley created a local corridor for very strong non-thunderstorm wind speeds.","A utility line patrol investigating a power outage reported a tree down on electrical lines and more trees falling every 30 to 40 seconds through much of the evening. A Spotter reported that it was unsafe to be outdoors and multiple trees were toppled near his home overnight." +121011,724388,ILLINOIS,2017,October,Tornado,"HANCOCK",2017-10-14 17:25:00,CST-6,2017-10-14 17:26:00,0,0,0,0,0.00K,0,0.00K,0,40.2324,-91.0823,40.2335,-91.0669,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","A brief EF-0 tornado touched down about a mile west of Bowen, Illinois and moved east about eight tenths of a mile before lifting just west of the city of Bowen. Damage to trees indicated that this EF-0 tornado produced 80 mph and a width of 25 yards." +121011,724389,ILLINOIS,2017,October,Thunderstorm Wind,"HANCOCK",2017-10-14 16:38:00,CST-6,2017-10-14 16:38:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-91.43,40.35,-91.43,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","Trees were reported blown down, and damage was reported destroyed by thunderstorms wind." +121011,724390,ILLINOIS,2017,October,Thunderstorm Wind,"WARREN",2017-10-14 16:48:00,CST-6,2017-10-14 16:48:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-90.63,40.93,-90.63,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","A National Weather Service storm survey team determined the damage to the large section of the Monmouth Fire Station was caused by straight line thunderstorm winds. The wind caused two garage doors to fail first, which then allowed air to push into the building, lifting a 20 foot wide, 80 foot long section of the roof off the building. Additional shingle damage and minor tree damage in the area indicated straight line winds." +121010,724383,IOWA,2017,October,Hail,"DES MOINES",2017-10-14 16:10:00,CST-6,2017-10-14 16:10:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-91.18,40.82,-91.18,"Severe thunderstorms producing large hail, damaging winds, and a few tornadoes swept through southeast Iowa, northeast Missouri, and west central Illinois the evening of October 14, 2017. Two tornadoes were reported, on in northeast Missouri, and another in west central Illinois.","" +119646,717761,CALIFORNIA,2017,October,Frost/Freeze,"SOUTH CENTRAL SISKIYOU COUNTY",2017-10-05 00:00:00,PST-8,2017-10-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of northern California.","Reported low temperatures from this zone ranged from 28 to 32 degrees." +121057,724713,WASHINGTON,2017,October,High Wind,"SOUTH COAST",2017-10-21 12:54:00,PST-8,2017-10-21 20:09:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the south Washington Coast and Willapa Hills on October 21st. What followed was a significant amount of rain, especially along the Coast and in the Willapa Hills. All this rain caused flooding on rivers near Rosburg and Washougal.","A weather station on Cape Disappointment recorded sustained winds up to 43 mph, and there was also a weather station just south of this area on Megler Bridge which recorded sustained winds up to 53 mph." +121096,724973,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-22 09:05:00,MST-7,2017-10-22 15:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 22/1025 MST." +121096,724974,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-22 02:15:00,MST-7,2017-10-22 02:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wildcat Trail measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 22/0220 MST." +121096,724975,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-23 00:00:00,MST-7,2017-10-23 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wildcat Trail measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 23/0150 MST." +121096,724991,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-22 02:50:00,MST-7,2017-10-22 05:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 22/0530 MST." +121096,724994,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-22 02:35:00,MST-7,2017-10-22 05:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 22/0250 MST." +121096,724997,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-22 05:55:00,MST-7,2017-10-22 06:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wyoming Hill measured sustained winds of 40 mph or higher." +121096,724999,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-21 21:20:00,MST-7,2017-10-21 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 21/2150 MST." +120317,724036,NORTH CAROLINA,2017,October,Heavy Rain,"WATAUGA",2017-10-23 08:00:00,EST-5,2017-10-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2114,-81.6442,36.2114,-81.6442,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","Boone 1 SE COOP observer measured 5.95 in 24-hour period ending 8 AM on the 24th. This is the highest ever 24-hour October rainfall at this location since 1980 and at any Boone COOP site dating back to 1929. It was also the 3rd highest 24-hour rainfall for any day at both sites. The annual recurrence interval for this rainfall (per NOAA Atlas 14) was between a 5 and 10-year event (0.2 and 0.1 Annual exceedance probability)." +120317,724037,NORTH CAROLINA,2017,October,Heavy Rain,"ASHE",2017-10-23 08:00:00,EST-5,2017-10-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-81.48,36.42,-81.48,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","At the Jefferson 2 E COOP (JFRN7) 4.25 fell in 24 hours ending 12z on the 24th for the 4th highest October daily rainfall, with records dating back to 1896. Most of the rain fell in about a 12-hour period ending near midnight on the 24th." +120174,720081,LOUISIANA,2017,October,Storm Surge/Tide,"ST. TAMMANY",2017-10-07 21:00:00,CST-6,2017-10-08 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","The storm surge of approximately 2 to 4 feet affected immediate coastal areas. The USGS gauge at the Rigolets reported an estimated 4.3 feet of storm surge, while the USGS gauge at Bayou Liberty estimated a surge of 2.7 feet. Minor impacts were reported due to surge, primarily flooding of low lying roads along bayous and near Lake Pontchartrain in Mandeville and Slidell areas. A few roads were temporarily impassible, but no homes were impacted." +120174,720082,LOUISIANA,2017,October,Storm Surge/Tide,"LOWER PLAQUEMINES",2017-10-07 18:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","The USGS gauge at Pointe A La Hache estimated a storm surge of 4.9 feet NAVD88 and the NOAA - NOS gauge at Pilottown reported a storm surge of 3.1 feet MHHW. |Minor impacts due to storm surge were reported in lower Plaquemines Parish." +120174,720083,LOUISIANA,2017,October,Storm Surge/Tide,"LOWER ST. BERNARD",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","Storm surge was generally 2 to 4.5 feet in lower St Bernard Parish. The NOAA-NOS gauge at Shell Beach reported a storm surge of 4.88 feet MHHW. Minor impacts were reported, generally to a few low lying roads outside the Federal Risk Reduction System in Yscloskey and Hopedale. No homes were impacted." +120174,720084,LOUISIANA,2017,October,Storm Surge/Tide,"ORLEANS",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","Storm surge of approximately 2 to 4 feet was noted. A USGS gage at the Rigolets had an estimated storm surge of 4.3 ft. Minor impacts due to storm surge were reported. A few low lying roads outside the Federal Risk Reduction System were flooded, primarily in the Venetian Isles and Irish Bayou areas. No homes were impacted." +120174,725072,LOUISIANA,2017,October,Tropical Storm,"UPPER PLAQUEMINES",2017-10-07 15:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","A few tropical storm force wind gusts occurred during the afternoon and evening. A 45 knot (52 mph) wind gust was reported at the Plaquemines Parish EOC in Belle Chasse during a squall in the early afternoon of Oct 7th. A 35 knot (40 mph) wind gust was reported at Belle Chasse Naval Air Station (KNBG) later in the day as the Nate moved just east of the region. No significant impacts were noted from the wind gusts." +120174,725073,LOUISIANA,2017,October,Tropical Storm,"LOWER ST. BERNARD",2017-10-07 15:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. rainfall amounts in Louisiana were generally 2 inches or less.","Lower end tropical storm force winds occurred over lower St Bernard Parish. A sustained wind of 34 knots (39 mph) and a gust to 40 knots (46 mph) was recorded at the Shell Beach CMAN station during early evening. No significant impacts were noted." +120175,720072,MISSISSIPPI,2017,October,Heavy Rain,"HARRISON",2017-10-07 07:00:00,CST-6,2017-10-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4,-88.92,30.4,-88.92,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Keesler AFB in Biloxi reported 4.56 inches of rain associated with Hurricane Nate. The COOP station at Woolmarket reported 4.56 inches, the COOP station at Long Beach reported 3.32 inches. A COCORAHS station 13.1 miles north-northwest of Biloxi reported 3.10 inches of rain." +121136,725215,ALABAMA,2017,October,Tornado,"AUTAUGA",2017-10-07 18:31:00,CST-6,2017-10-07 18:38:00,0,0,0,0,0.00K,0,0.00K,0,32.4015,-86.653,32.4471,-86.6933,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","NWS meteorologists surveyed damage in far southern Autauga County and determined that the damage was consistent with an EF1 tornado. The tornado began just north of the Alabama River in private farmland and moved northwest across County Road 19 where it uprooted trees and snapped a few tree trunks. The tornado continued northwest crossing County Road 17 near the intersection of County Road 74 where several trees were uprooted. The tornado then continued northwest where it uprooted trees along a portion of Dutch Bend Road and snapped some tree trunks along County Road 33. The tornado moved further northwest where it crossed Alabama Highway 14 where it uprooted trees near the roadway. The tornado likely lifted in a forested area to the north of Alabama Highway 14." +121136,725216,ALABAMA,2017,October,Tornado,"CHILTON",2017-10-07 19:20:00,CST-6,2017-10-07 19:27:00,0,0,0,0,0.00K,0,0.00K,0,32.7383,-86.7677,32.768,-86.8056,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","NWS meteorologists surveyed damage in southern Chilton County and determined that the damage was consistent with an EF0 tornado. Damage was sporadic along its short path, and primarily consisted of twigs and branches of various size that were broken off of trees." +120705,725197,MINNESOTA,2017,October,Heavy Snow,"NORTHERN ST. LOUIS",2017-10-26 18:00:00,CST-6,2017-10-27 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Report of 6.0 of heavy snow that started at 8 PM on the 26th." +121215,725716,MONTANA,2017,October,Drought,"NORTHERN PHILLIPS",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Exceptional (D4) drought conditions were present across northern Phillips county at the beginning of the month, improving slightly to Extreme (D3) drought conditions by the end of the month. Much of the area received between one quarter to one half of an inch of precipitation, which was just below to near normal for the month." +121215,725718,MONTANA,2017,October,Drought,"NORTHERN VALLEY",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Exceptional (D4) drought conditions were present across northern Valley county at the beginning of the month, improving slightly to Extreme (D4) drought conditions by the end of the month. The area received nearly one quarter to one half of an inch of precipitation, which was approximately a quarter of an inch below normal for the month." +121215,725717,MONTANA,2017,October,Drought,"LITTLE ROCKY MOUNTAINS",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Exceptional (D4) drought conditions were present across the Little Rockies at the beginning of the month, improving slightly to Extreme (D3) drought conditions by the end of the month. The area received nearly two inches of precipitation, which was more than an inch above normal for the month." +121215,725719,MONTANA,2017,October,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Exceptional (D4) drought conditions were present across central and southern Valley county at the beginning of the month, improving slightly to severe (D3) drought conditions by the end of the month. The area received anywhere from around one half of an inch to one and a half inches of precipitation, which was approximately a quarter to half of an inch above normal for the month." +120599,722456,COLORADO,2017,November,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-11-17 16:00:00,MST-7,2017-11-18 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific trough brought significant to heavy snow accumulations to the northern and central mountains of western Colorado. Additionally, high-level atmospheric winds to 140 knots induced strong winds down to the surface which resulted in widespread blowing snow over higher mountain passes.","Snowfall amounts of 5 to 10 inches were measured across the area. Wind gusts ranged from 30 to 55 mph and produced areas of blowing and drifting snow. Vail Pass was closed for several hours due to multiple vehicle accidents." +116628,713804,MINNESOTA,2017,July,Thunderstorm Wind,"WASECA",2017-07-19 14:45:00,CST-6,2017-07-19 14:45:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-93.71,44.12,-93.71,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","A tree was blown down in Janesville." +116628,713805,MINNESOTA,2017,July,Thunderstorm Wind,"BLUE EARTH",2017-07-19 14:30:00,CST-6,2017-07-19 14:40:00,0,0,0,0,0.00K,0,0.00K,0,44.1325,-94.0498,44.168,-93.9427,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Numerous trees were blown down in Mankato. There were other reports of small limbs blown down throughout northern and central portions of Blue Earth County." +116628,713808,MINNESOTA,2017,July,Thunderstorm Wind,"RICE",2017-07-19 14:55:00,CST-6,2017-07-19 14:55:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-93.17,44.4548,-93.1612,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Several trees were blown down south of Highway 19, near Northfield." +116628,713809,MINNESOTA,2017,July,Thunderstorm Wind,"STEELE",2017-07-19 15:15:00,CST-6,2017-07-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-93.22,44.09,-93.22,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","A tree was blown down in Owatonna." +119660,718854,VIRGINIA,2017,August,Heavy Rain,"PRINCE GEORGE",2017-08-08 06:15:00,EST-5,2017-08-08 06:15:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-77.15,37.19,-77.15,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.74 inches was measured at Garysville (3 S)." +119660,718855,VIRGINIA,2017,August,Heavy Rain,"NOTTOWAY",2017-08-08 06:30:00,EST-5,2017-08-08 06:30:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-77.96,37.04,-77.96,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.34 inches was measured at Blackstone (4 SE)." +119660,718856,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 06:40:00,EST-5,2017-08-08 06:40:00,0,0,0,0,0.00K,0,0.00K,0,37.2,-76.76,37.2,-76.76,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.55 inches was measured at Jamestown (1 SSE)." +119660,718857,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 06:54:00,EST-5,2017-08-08 06:54:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-75.48,37.93,-75.48,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.89 inches was measured at WAL." +120564,722280,COLORADO,2017,October,Hail,"YUMA",2017-10-01 14:55:00,MST-7,2017-10-01 14:55:00,0,0,0,0,0.00K,0,0.00K,0,40.3576,-102.1944,40.3576,-102.1944,"Hail up to quarter size was report from a storm which developed along an advancing cold front in far northeast Yuma County.","" +120593,722392,COLORADO,2017,October,Hail,"YUMA",2017-10-02 18:20:00,MST-7,2017-10-02 18:20:00,0,0,0,0,0.00K,0,0.00K,0,40.1045,-102.6706,40.1045,-102.6706,"Nickel size hail was reported from a thunderstorm near Yuma.","" +120594,722393,NEBRASKA,2017,October,Hail,"HITCHCOCK",2017-10-02 18:34:00,CST-6,2017-10-02 18:34:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-101.23,40.15,-101.23,"Hail up to hen egg size was reported with thunderstorms that moved through Hitchcock County. The largest hail fell in Culbertson.","" +120594,722394,NEBRASKA,2017,October,Hail,"HITCHCOCK",2017-10-02 19:00:00,CST-6,2017-10-02 19:04:00,0,0,0,0,0.00K,0,0.00K,0,40.23,-100.84,40.23,-100.84,"Hail up to hen egg size was reported with thunderstorms that moved through Hitchcock County. The largest hail fell in Culbertson.","Tea cup size hail fell, then the size decreased to quarters." +113096,676409,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 03:30:00,EST-5,2017-03-23 03:30:00,0,0,0,0,0.00K,0,0.00K,0,28.7975,-80.7378,28.7975,-80.7378,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 0022 near the Brevard and Volusia county line recorded a peak wind gust of 35 knots out of the northeast as strong thunderstorms moved south along the coast." +113096,676413,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 04:05:00,EST-5,2017-03-23 04:05:00,0,0,0,0,0.00K,0,0.00K,0,28.5697,-80.5864,28.5697,-80.5864,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 0110 east of the Kennedy Space Center measured a peak wind gust of 41 knots out of the north northeast as strong thunderstorms moved onshore from the Atlantic and over the site." +113096,676415,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 04:25:00,EST-5,2017-03-23 04:25:00,0,0,0,0,0.00K,0,0.00K,0,28.4598,-80.5267,28.4598,-80.5267,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 0003 at Cape Canaveral recorded a peak wind gust of 47 knots out of the north northwest as a strong thunderstorm moved over the site." +116988,703627,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:40:00,EST-5,2017-05-01 15:40:00,0,0,0,0,15.00K,15000,0.00K,0,42.02,-78.24,42.02,-78.24,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703644,NEW YORK,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 17:22:00,EST-5,2017-05-01 17:22:00,0,0,0,0,10.00K,10000,0.00K,0,43.97,-75.93,43.97,-75.93,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703646,NEW YORK,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 17:35:00,EST-5,2017-05-01 17:35:00,0,0,0,0,10.00K,10000,0.00K,0,43.95,-75.65,43.95,-75.65,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +118297,710894,NEW YORK,2017,June,Thunderstorm Wind,"ONTARIO",2017-06-16 16:57:00,EST-5,2017-06-16 16:57:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-77.1,42.89,-77.1,"A thunderstorm developed near the junction of the Lake Erie and Lake Ontario lake breeze boundaries. The thunderstorm produced damaging winds that downed trees in Seneca Castle.","Law enforcement reported trees and wires downed by thunderstorm winds." +121687,728383,NEW YORK,2017,May,Coastal Flood,"ORLEANS",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121686,728374,NEW YORK,2017,June,Coastal Flood,"NIAGARA",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121685,728372,NEW YORK,2017,July,Coastal Flood,"OSWEGO",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119660,719100,VIRGINIA,2017,August,Heavy Rain,"ISLE OF WIGHT",2017-08-08 10:04:00,EST-5,2017-08-08 10:04:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-76.74,36.99,-76.74,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.46 inches was measured at Comet." +119660,719101,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-08 10:05:00,EST-5,2017-08-08 10:05:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-76.53,37.12,-76.53,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.94 inches was measured at Denbigh." +119660,719096,VIRGINIA,2017,August,Heavy Rain,"GREENSVILLE",2017-08-08 09:20:00,EST-5,2017-08-08 09:20:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-77.57,36.79,-77.57,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.14 inches was measured at Cowie Corner (1 N)." +119660,719097,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-08 09:59:00,EST-5,2017-08-08 09:59:00,0,0,0,0,0.00K,0,0.00K,0,37.1,-76.55,37.1,-76.55,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.15 inches was measured at Menchville (1 WNW)." +119660,719098,VIRGINIA,2017,August,Heavy Rain,"CHESTERFIELD",2017-08-08 10:01:00,EST-5,2017-08-08 10:01:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-77.34,37.33,-77.34,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.13 inches was measured at Meadowville (2 SSW)." +119660,719099,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 10:02:00,EST-5,2017-08-08 10:02:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.42,37.09,-76.42,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.85 inches was measured at Langley Air Force Base (2 W)." +119660,719103,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-08 10:03:00,EST-5,2017-08-08 10:03:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-76.37,37.13,-76.37,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.43 inches was measured at Poquoson." +115491,693485,ALABAMA,2017,April,Thunderstorm Wind,"CRENSHAW",2017-04-03 07:52:00,CST-6,2017-04-03 07:54:00,0,0,0,0,1.00M,1000000,0.00K,0,31.72,-86.27,31.72,-86.27,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Most of the damage in and around the city of Luverne was produced by a corridor of enhanced straight line winds with top winds estimated as high as 90 mph. Significant tree and power line damage was observed in the city with a few homes suffering significant shingle damage. A few homes were also damaged by fallen trees. A few businesses in downtown Luverne suffered major roof loss. The greatest damage occurred on Fourth Street where a single wide mobile home was pushed off its unanchored foundation and destroyed." +115885,696391,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-04-30 20:37:00,CST-6,2017-04-30 20:37:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-88.06,30.58,-88.06,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","Weatherflow station at Buccaneer Yachtclub, within one mile of the coast, measured a 35 knot, 40 mph, wind gust." +116012,697190,OREGON,2017,March,Flood,"MALHEUR",2017-03-19 00:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,43.9807,-116.9793,43.9721,-116.9639,"Flooding occurred along the Snake River around the Ontario, Oregon area and surrounding fields and roads.","Flooding occurred along the Snake River around the Ontario, Oregon area and surrounding fields and roads." +116988,703600,NEW YORK,2017,May,Flood,"ERIE",2017-05-01 16:36:00,EST-5,2017-05-01 19:30:00,0,0,0,0,15.00K,15000,0.00K,0,42.885,-78.7703,42.8834,-78.7703,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +116999,703700,NEW YORK,2017,May,Hail,"CATTARAUGUS",2017-05-28 17:45:00,EST-5,2017-05-28 17:45:00,0,0,0,0,,NaN,,NaN,42.46,-79,42.46,-79,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +116999,703699,NEW YORK,2017,May,Hail,"CHAUTAUQUA",2017-05-28 17:29:00,EST-5,2017-05-28 17:29:00,0,0,0,0,,NaN,,NaN,42.48,-79.17,42.48,-79.17,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +121850,730484,ALABAMA,2017,April,Rip Current,"LOWER BALDWIN",2017-04-04 14:00:00,CST-6,2017-04-04 14:00:00,3,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dangerous surf and rip current conditions along coastal Alabama resulted in one fatality.","A 50 year old man from Louisville drowned when he and his wife tried to rescue his daughter and another child who were caught in a rip current. The two children and the wife were transported by ambulance to the hospital, treated, and released." +119655,717763,OHIO,2017,August,Thunderstorm Wind,"ASHTABULA",2017-08-02 13:43:00,EST-5,2017-08-02 13:43:00,0,0,0,0,15.00K,15000,0.00K,0,41.5446,-80.9472,41.5446,-80.9472,"A cold front moved across northern Ohio on August 2nd. Scattered thunderstorms developed along this front. At least one of the thunderstorms became severe.","Thunderstorm winds downed a few trees and some utility lines near Windsor." +119655,717764,OHIO,2017,August,Hail,"SENECA",2017-08-02 14:14:00,EST-5,2017-08-02 14:14:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-83.17,41.1,-83.17,"A cold front moved across northern Ohio on August 2nd. Scattered thunderstorms developed along this front. At least one of the thunderstorms became severe.","Penny sized hail was observed." +120998,724293,IOWA,2017,October,Frost/Freeze,"UNION",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724294,IOWA,2017,October,Frost/Freeze,"ADAMS",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724295,IOWA,2017,October,Frost/Freeze,"DAVIS",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724296,IOWA,2017,October,Frost/Freeze,"APPANOOSE",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724297,IOWA,2017,October,Frost/Freeze,"WAYNE",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724298,IOWA,2017,October,Frost/Freeze,"DECATUR",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +120998,724299,IOWA,2017,October,Frost/Freeze,"RINGGOLD",2017-10-28 05:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The push of cold air continued and dropped essentially the remainder of the Iowa below freezing for the first time during the season.","" +115289,692160,WEST VIRGINIA,2017,April,Hail,"HAMPSHIRE",2017-04-30 15:19:00,EST-5,2017-04-30 15:19:00,0,0,0,0,,NaN,,NaN,39.3262,-78.5644,39.3262,-78.5644,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Ping pong ball sized hail was reported." +115289,692161,WEST VIRGINIA,2017,April,Hail,"HAMPSHIRE",2017-04-30 15:41:00,EST-5,2017-04-30 15:41:00,0,0,0,0,,NaN,,NaN,39.2965,-78.4299,39.2965,-78.4299,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Quarter sized hail was reported." +115289,692162,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:18:00,EST-5,2017-04-30 15:18:00,0,0,0,0,,NaN,,NaN,39.3257,-78.583,39.3257,-78.583,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down near the intersection of Bloomery Pike and Hoy Road." +115289,692163,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:30:00,EST-5,2017-04-30 15:30:00,0,0,0,0,,NaN,,NaN,39.268,-78.4446,39.268,-78.4446,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A large tree was down on lines." +115289,692164,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:34:00,EST-5,2017-04-30 15:34:00,0,0,0,0,,NaN,,NaN,39.3056,-78.4338,39.3056,-78.4338,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Numerous trees were down in multiple directions and Power poles were snapped on Settlers Lane." +115289,692165,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:36:00,EST-5,2017-04-30 15:36:00,0,0,0,0,,NaN,,NaN,39.3002,-78.4223,39.3002,-78.4223,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down on Northwestern Turnpike near Bear Garden Trail." +115289,692166,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:36:00,EST-5,2017-04-30 15:36:00,0,0,0,0,,NaN,,NaN,39.3014,-78.4356,39.3014,-78.4356,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","Two trees were down on Cold Stream Road between Capon School Street and Settlers Lane." +116005,697154,IDAHO,2017,March,Flood,"GEM",2017-03-17 00:00:00,MST-7,2017-03-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,43.9167,-116.4661,43.8613,-116.4592,"Rainfall and snow melt combined to increase the flow on the Payette River to minor flood stage.","Flooding occurred along the Payette River around the Emmett, Idaho area and surrounding fields and roads." +118395,711469,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-10 00:25:00,CST-6,2017-07-10 00:25:00,0,0,0,0,10.00K,10000,0.00K,0,43.22,-93.79,43.22,-93.79,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Law enforcement reported trees and power lines down at Crystal Lake. This is a delayed report and time estimated from radar." +118395,711470,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-10 00:28:00,CST-6,2017-07-10 00:28:00,0,0,0,0,5.00K,5000,0.00K,0,43.1,-93.8,43.1,-93.8,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Law enforcement reported power lines down on the northwest side of Britt. The is a delayed report and time estimated from radar." +118395,711472,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-10 00:39:00,CST-6,2017-07-10 00:39:00,0,0,0,0,25.00K,25000,0.00K,0,43.1,-93.6,43.1,-93.6,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Storm chaser video depicted extensive wind damage to power poles, including series of snapped poles. This is a delayed report and time estimated from radar." +112899,678835,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:50:00,CST-6,2017-03-09 23:50:00,0,0,0,0,,NaN,,NaN,35.3613,-86.492,35.3613,-86.492,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 1201 Mount Herman Road." +112899,678836,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:52:00,CST-6,2017-03-09 23:52:00,0,0,0,0,,NaN,,NaN,35.314,-86.5175,35.314,-86.5175,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 5857 Charity Road." +121684,728363,NEW YORK,2017,August,Coastal Flood,"OSWEGO",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120296,720814,NEW YORK,2017,August,Thunderstorm Wind,"MONROE",2017-08-22 12:17:00,EST-5,2017-08-22 12:17:00,0,0,0,0,15.00K,15000,0.00K,0,43.21,-77.58,43.21,-77.58,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported wires downed by thunderstorm winds on Laser Street." +120296,720816,NEW YORK,2017,August,Thunderstorm Wind,"MONROE",2017-08-22 12:19:00,EST-5,2017-08-22 12:19:00,0,0,0,0,50.00K,50000,0.00K,0,43.09,-77.61,43.09,-77.61,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds that were blocking Brighton-Henrietta Town Line Road." +120296,720817,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 12:20:00,EST-5,2017-08-22 12:20:00,0,0,0,0,10.00K,10000,0.00K,0,42.42,-78.5,42.42,-78.5,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees and wires downed by thunderstorm winds." +116453,703745,MINNESOTA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-12 01:46:00,CST-6,2017-07-12 01:46:00,0,0,0,0,0.00K,0,0.00K,0,45.1556,-92.7602,45.1556,-92.7602,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","About 100 very tall pines were broken or toppled in a neighborhood along the St Croix River. Some landed on houses, sheds and other buildings. A survey determined this area to have been hit by a downburst in the wake of the Warner Nature Center tornado. Damage to this neighborhood and surrounding areas was quite broad in north/south extent, with damage exhibiting a fanning out pattern, with most trees downed toward the southeast." +120296,720833,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:12:00,EST-5,2017-08-22 14:12:00,0,0,0,0,10.00K,10000,0.00K,0,43.51,-75.68,43.51,-75.68,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds downed a tree which fell on a car on Osceola Road." +116301,712733,MINNESOTA,2017,July,Hail,"SCOTT",2017-07-09 19:53:00,CST-6,2017-07-09 19:53:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-93.44,44.73,-93.44,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119905,718711,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-21 13:32:00,MST-7,2017-07-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.41,-112.24,34.3789,-112.2003,"Deep moisture over northern Arizona brought thunderstorms with heavy rain across the area. The sounding at Flagstaff (over 7000 feet) had a precipitable water content of over an inch. At least one thunderstorm produce strong winds.","Heavy rain over the Goodwin Fire scar caused Big Bug Creek to flash flood in Meyer. The waster rose 2 to 2.5 feet (50 feet wide) at the Central Avenue Bridge." +119905,718712,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-21 14:00:00,MST-7,2017-07-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0414,-110.1091,33.8476,-110.2334,"Deep moisture over northern Arizona brought thunderstorms with heavy rain across the area. The sounding at Flagstaff (over 7000 feet) had a precipitable water content of over an inch. At least one thunderstorm produce strong winds.","Cedar Creek rose 8 feet at the Highway 73 Bridge after a thunderstorm dropped heavy rain over the Cedar Fire scar (June 2016)." +120298,720854,LAKE ERIE,2017,August,Waterspout,"RIPLEY TO DUNKIRK NY",2017-08-23 18:09:00,EST-5,2017-08-23 18:09:00,0,0,0,0,,NaN,0.00K,0,42.3605,-79.6277,42.3605,-79.6277,"Convective showers developed as cool air crossed the relatively warmer waters of Lake Erie. The storms produced waterspouts northwest of Lake Erie Beach, Brocton and Barcelona.","" +120298,720855,LAKE ERIE,2017,August,Waterspout,"RIPLEY TO DUNKIRK NY",2017-08-23 18:09:00,EST-5,2017-08-23 18:09:00,0,0,0,0,,NaN,0.00K,0,42.4245,-79.4957,42.4245,-79.4957,"Convective showers developed as cool air crossed the relatively warmer waters of Lake Erie. The storms produced waterspouts northwest of Lake Erie Beach, Brocton and Barcelona.","" +119905,718714,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-21 15:20:00,MST-7,2017-07-21 15:25:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-112.02,34.7022,-112.0564,"Deep moisture over northern Arizona brought thunderstorms with heavy rain across the area. The sounding at Flagstaff (over 7000 feet) had a precipitable water content of over an inch. At least one thunderstorm produce strong winds.","Strong thunderstorm winds snapped a tree trunk greater than 12 inches in diameter in front of the Clemenceau Heritage Museum. The thunderstorm also produced penny sized hail and over an inch of rain in 30 minutes." +119905,718715,ARIZONA,2017,July,Heavy Rain,"COCONINO",2017-07-21 14:10:00,MST-7,2017-07-21 14:50:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-112.19,35.1964,-112.2734,"Deep moisture over northern Arizona brought thunderstorms with heavy rain across the area. The sounding at Flagstaff (over 7000 feet) had a precipitable water content of over an inch. At least one thunderstorm produce strong winds.","A thunderstorm over Williams produce 1.37 inches of rain in 40 minutes, very gusty winds, and lots of lightning. Moderate street flooding was observed in the neighborhood southwest of Downtown." +120289,720780,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 16:08:00,EST-5,2017-08-04 16:08:00,0,0,0,0,10.00K,10000,0.00K,0,42.88,-78.78,42.88,-78.78,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees down by thunderstorm winds on Bright Street." +120289,720781,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 16:10:00,EST-5,2017-08-04 16:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.93,-78.75,42.93,-78.75,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees down by thunderstorm winds on Chapel Avenue." +120289,720782,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-04 16:20:00,EST-5,2017-08-04 16:20:00,0,0,0,0,8.00K,8000,0.00K,0,43.16,-76.56,43.16,-76.56,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Thunderstorm winds downed trees and power lines." +120289,720783,NEW YORK,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-04 16:45:00,EST-5,2017-08-04 16:45:00,0,0,0,0,8.00K,8000,0.00K,0,42.39,-78.15,42.39,-78.15,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds.." +120289,720784,NEW YORK,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-04 16:48:00,EST-5,2017-08-04 16:48:00,0,0,0,0,10.00K,10000,0.00K,0,42.35,-78,42.35,-78,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +112899,678833,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:48:00,CST-6,2017-03-09 23:48:00,0,0,0,0,,NaN,,NaN,35.33,-86.54,35.33,-86.54,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down on Highway 231/Shelbyville Highway." +113402,678917,ALABAMA,2017,March,Hail,"FRANKLIN",2017-03-27 14:45:00,CST-6,2017-03-27 14:45:00,0,0,0,0,,NaN,,NaN,34.4657,-87.8675,34.4657,-87.8675,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was measured at the Franklin County EOC in Belgreen." +120862,723664,OKLAHOMA,2017,October,Thunderstorm Wind,"CANADIAN",2017-10-14 21:55:00,CST-6,2017-10-14 21:55:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-97.96,35.53,-97.96,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +121162,725386,OKLAHOMA,2017,October,Tornado,"SEMINOLE",2017-10-21 20:52:00,CST-6,2017-10-21 20:55:00,0,0,0,0,50.00K,50000,0.00K,0,35.2392,-96.6933,35.2247,-96.6632,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","This tornado developed on the northwest side of Seminole near the U.S. Highway 270 and Reid Street, and move southeast through town dissipating near U.S. Highway 270 and 7th Street. Most of the damage was tree damage with many trees snapped or uprooted, especially in the Maple Grove Cemetery on the northwest side of town. However, a few homes and other buildings also received roof damage including one home where much of the roof was pulled off. One family was trapped in their storm cellar when a tree fell on the cellar door. Near downtown, a church received roof damage and portions of the roof were impaled in the siding of nearby businesses." +120595,722395,KANSAS,2017,October,Hail,"GOVE",2017-10-02 18:51:00,CST-6,2017-10-02 18:51:00,0,0,0,0,0.00K,0,0.00K,0,38.8969,-100.5025,38.8969,-100.5025,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Estimated wind gusts of 50 MPH also occurred with the hail." +117902,708858,MISSOURI,2017,June,Thunderstorm Wind,"GRUNDY",2017-06-15 22:23:00,CST-6,2017-06-15 22:26:00,0,0,0,0,,NaN,,NaN,40.0787,-93.6167,40.0787,-93.6167,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A tree was blocking Crowder Road at Mable Street." +119475,717015,NEW YORK,2017,July,Thunderstorm Wind,"ONTARIO",2017-07-23 14:18:00,EST-5,2017-07-23 14:18:00,0,0,0,0,12.00K,12000,0.00K,0,42.88,-77.28,42.88,-77.28,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","Law enforcement reported trees downed by thunderstorm winds." +117902,708864,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:17:00,CST-6,2017-06-16 22:20:00,0,0,0,0,,NaN,,NaN,39.5637,-94.4519,39.5637,-94.4519,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","HWY 116 near Birch St. closed due to live power line across the road along with numerous trees and limbs throughout the city." +117902,708865,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:17:00,CST-6,2017-06-16 22:20:00,0,0,0,0,,NaN,,NaN,39.57,-94.46,39.57,-94.46,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Damage was reported to a fertilizer structure at Sur-Gro." +119983,719038,OHIO,2017,August,Tornado,"TRUMBULL",2017-08-17 18:11:00,EST-5,2017-08-17 18:19:00,0,0,0,0,50.00K,50000,0.00K,0,41.3121,-80.6561,41.3197,-80.6388,"A warm front lifted across northern Ohio on August 17th as an area of low pressure moved across the northern Great Lakes. A cluster of thunderstorms developed in advance of this front and moved across northern Ohio during the afternoon and early evening hours. One of thunderstorms produced a tornado in Trumbull County. A second storm produced a funnel cloud nearby. Most of the tornado damage was from downed trees.","A funnel cloud formed east of Warren from a thunderstorm moving northeast across Trumbull County. The funnel was observed for many minutes and passed a few miles north of the Youngstown-Warren Regional Airport. A tornado eventually developed and touched down just northwest of the intersection of State Routes 193 and 305 near Fowler. A mobile home near that location was knocked off it's foundation and lost some metal sheeting. The tornado crossed State Route 193 and moved northeast across a wooded area. Over 100 trees were snapped or uprooted in the woods with a clear convergent pattern evident. Most of the trees were hardwood and wind speeds were estimated to be at least 90 mph. The tornado lifted before reaching Sodom Hutchings Road after being on the ground for just over a mile. The damage path was more than 100 yards in width some of time. The damage was intermittent for the first portion of the tornado track." +120293,720795,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-12 13:00:00,EST-5,2017-08-12 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.32,-76.58,43.32,-76.58,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","Law enforcement reported trees and wires downed by thunderstorm winds." +119658,717771,MARYLAND,2017,August,Thunderstorm Wind,"WORCESTER",2017-08-07 16:03:00,EST-5,2017-08-07 16:03:00,0,0,0,0,200.00K,200000,0.00K,0,38.33,-75.1,38.32,-75.12,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","The wind damage which occurred in West Ocean City was the result of straight line winds. Damage was evident along both sides of Route 50 and Route 611 (Stephen |Decatur Highway) in West Ocean City. A few shingles were blown off an apartment complex near the Tangier Outlets, and a few trees were also downed. In addition to the wind damage in West Ocean City, two vehicles were damaged at the Ocean City airport as a result of a falling tree in the high wind." +119658,718765,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 04:49:00,EST-5,2017-08-08 04:49:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-75.57,38.45,-75.57,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.08 inches was measured at Delmar." +119658,718766,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 05:04:00,EST-5,2017-08-08 05:04:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-75.69,38.4,-75.69,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.54 inches was measured at Hebron (1 SSW)." +119658,718767,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 05:09:00,EST-5,2017-08-08 05:09:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.66,38.37,-75.66,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.31 inches was measured at Shad Point (2 NW)." +120094,719606,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-13 04:00:00,EST-5,2017-08-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,38.43,-75.1246,38.43,-75.1246,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.47 inches was measured at Bishopville (3 E)." +120094,719607,MARYLAND,2017,August,Heavy Rain,"DORCHESTER",2017-08-13 08:26:00,EST-5,2017-08-13 08:26:00,0,0,0,0,0.00K,0,0.00K,0,38.4534,-76.0812,38.4534,-76.0812,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.20 inches was measured at Bucktown (3 WSW)." +114047,689852,IOWA,2017,March,Tornado,"CEDAR",2017-03-06 22:18:00,CST-6,2017-03-06 22:23:00,0,0,0,0,100.00K,100000,0.00K,0,41.7468,-90.99,41.7825,-90.8984,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Tornado was rated EF-1 with peak winds of 110 MPH, a path length of 5.33 miles and max width 100 yards. A tornado touched down southwest of Bennett and tracked northeast to near Wheatland. A farm just north of Bennett sustained the greatest damage where all of the outbuildings and most of the trees were destroyed. Elsewhere along the path, damage occurred to trees, outbuildings, and power lines. This tornado continued into Clinton County." +114047,689706,IOWA,2017,March,Thunderstorm Wind,"CEDAR",2017-03-06 22:20:00,CST-6,2017-03-06 22:20:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-91.13,41.64,-91.13,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Iowa Department of Transportation road sensor measured this wind gust." +114047,689691,IOWA,2017,March,Thunderstorm Wind,"LEE",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-91.33,40.67,-91.33,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Gust was measured by the AWOS site at the Ft. Madison Airport." +114049,689741,MISSOURI,2017,March,Thunderstorm Wind,"SCOTLAND",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-92.17,40.46,-92.17,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed out buildings, and roof damage to several homes.","Roof was damaged at the Hopkins Lumber Company in Memphis. Time estimated by radar." +116395,699969,NEW YORK,2017,May,Thunderstorm Wind,"DUTCHESS",2017-05-18 22:48:00,EST-5,2017-05-18 22:48:00,0,0,0,0,,NaN,,NaN,41.6979,-73.5796,41.6979,-73.5796,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Numerous trees were reported down near Route 22 and East Duncan Hill Road." +116564,700901,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:18:00,EST-5,2017-05-31 15:18:00,0,0,0,0,,NaN,,NaN,42.7519,-73.938,42.7519,-73.938,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down on East Lydius Street." +117457,706422,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-16 19:48:00,CST-6,2017-06-16 19:48:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-96.69,40.82,-96.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","One inch hail at AT 48th St. AND Highway 2. Sixty mph winds were also reported at the same location." +117457,710952,NEBRASKA,2017,June,Thunderstorm Wind,"WAYNE",2017-06-16 16:15:00,CST-6,2017-06-16 16:15:00,0,0,0,0,,NaN,,NaN,42.1776,-97.3104,42.1776,-97.3104,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Grain bins 4 miles north of Hoskins were destroyed." +117457,710953,NEBRASKA,2017,June,Thunderstorm Wind,"PLATTE",2017-06-16 17:23:00,CST-6,2017-06-16 17:23:00,0,0,0,0,,NaN,,NaN,41.72,-97.36,41.72,-97.36,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Roof of a building was damaged by damaging winds." +115906,702423,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 13:02:00,EST-5,2017-05-30 13:02:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-78.87,40.95,-78.87,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115906,702424,PENNSYLVANIA,2017,May,Hail,"INDIANA",2017-05-30 13:15:00,EST-5,2017-05-30 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-79.06,40.7,-79.06,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115907,696479,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 14:55:00,EST-5,2017-05-31 14:55:00,0,0,0,0,0.50K,500,0.00K,0,40.57,-80.11,40.57,-80.11,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a tree down on Nicholson Road." +115907,696481,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 15:09:00,EST-5,2017-05-31 15:09:00,0,0,0,0,2.50K,2500,0.00K,0,40.58,-79.88,40.58,-79.88,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a power pole and trees down around Hampton Township." +115905,704928,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-28 15:20:00,EST-5,2017-05-28 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,41.25,-79.46,41.25,-79.46,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Emergency Manager reported multiple trees down around the city of Shippenville." +115905,704929,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-28 15:45:00,EST-5,2017-05-28 15:45:00,0,0,0,0,5.00K,5000,0.00K,0,41.21,-79.38,41.21,-79.38,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Emergency manager reported multiple trees down around the city of Clarion." +115890,702454,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-01 13:25:00,EST-5,2017-05-01 13:25:00,0,0,0,0,2.00K,2000,0.00K,0,40.8809,-80.14,40.8809,-80.14,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","National Weather Service storm survey noted numerous trees uprooted and some large limbs snapped along Brown Lane. Fascia was also removed from a small home in this area." +116519,703255,IOWA,2017,May,Tornado,"VAN BUREN",2017-05-10 13:46:00,CST-6,2017-05-10 13:50:00,0,0,0,0,0.00K,0,0.00K,0,40.8518,-91.7564,40.8601,-91.7198,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","The tornado was rated as EF-0 with peak winds of 70 mph, a path length 2.0 miles and max width of 50 yards. This was a rope tornado which passed through mostly inaccessible forest with some felled trees and damage to an oat field. This tornado passed into Henry County Iowa." +115889,700924,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-01 11:46:00,EST-5,2017-05-01 11:46:00,0,0,0,0,5.00K,5000,0.00K,0,39.81,-81.47,39.81,-81.47,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency management reported numerous trees down." +115890,702460,PENNSYLVANIA,2017,May,Tornado,"CLARION",2017-05-01 14:25:00,EST-5,2017-05-01 14:26:00,0,0,0,0,10.00K,10000,0.00K,0,41.331,-79.255,41.335,-79.246,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service in Pittsburgh has confirmed a|tornado along Route 36 in Clarion County, PA.||A NWS survey team encountered a focused path of concentrated tree|damage that began in the woods along Gravel Lick Road and|continued across Route 36 into a forested area. Toward the end of|the path, the damage width widened and showed clear indications |of convergent rotation. Dozens of softwood trees in this area were|snapped as the brief tornado raced northeastward." +117094,704434,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-05-14 16:37:00,EST-5,2017-05-14 16:37:00,0,0,0,0,,NaN,,NaN,41.17,-73.13,41.17,-73.13,"An upper level low triggered strong thunderstorms over New York Harbor, Western Long Island Sound and the coastal ocean waters south of New York City.","A wind gust of 35 knots was measured at Sikorsky Airport in Bridgeport." +115894,704113,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-05 16:02:00,EST-5,2017-05-05 16:02:00,0,0,0,0,2.00K,2000,0.00K,0,39.99,-79.52,39.99,-79.52,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Department of Highways reported trees down." +115894,704115,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-05 18:01:00,EST-5,2017-05-05 18:01:00,0,0,0,0,2.00K,2000,0.00K,0,39.86,-79.53,39.86,-79.53,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Department of Highways reported trees down." +115894,704116,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-05 19:08:00,EST-5,2017-05-05 19:08:00,0,0,0,0,2.00K,2000,0.00K,0,40.3,-79.31,40.3,-79.31,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Local 911 reported trees down." +115894,704117,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-05 19:27:00,EST-5,2017-05-05 19:27:00,0,0,0,0,2.00K,2000,0.00K,0,40.4,-79.22,40.4,-79.22,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Local 911 reported trees down." +116455,700389,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-18 18:10:00,EST-5,2017-05-18 18:10:00,0,0,0,0,0.50K,500,0.00K,0,36.7,-80.3,36.7,-80.3,"A high pressure entered east of the Carolina coastline on May 18th, ushered in warm and humid air,aiding in isolated thunderstorm development along the southern slopes of the Blue Ridge Mountains. These storms produced wind damage and hail.","Thunderstorm winds downed two trees along Greasy Bend Lane." +116892,703012,IOWA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-17 19:00:00,CST-6,2017-05-17 19:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.54,-91.16,42.54,-91.16,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported several farm buildings damaged near Dyersville." +116892,703015,IOWA,2017,May,Thunderstorm Wind,"DUBUQUE",2017-05-17 19:20:00,CST-6,2017-05-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-90.76,42.51,-90.76,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported a tree split in half at the corner of Sun Valley Drive and Spring Street. On Green Street, several large tree branches were down." +116892,703019,IOWA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-17 20:45:00,CST-6,2017-05-17 20:45:00,0,0,0,0,60.00K,60000,0.00K,0,41.79,-90.27,41.79,-90.27,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported many trees and branches were blown down in the town of Camanche. At least one large tree fell on a house, causing $50,000 in damage." +116913,703082,ILLINOIS,2017,May,Thunderstorm Wind,"WARREN",2017-05-10 17:50:00,CST-6,2017-05-10 17:50:00,0,0,0,0,1.00K,1000,0.00K,0,40.85,-90.78,40.85,-90.78,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing a few reports of strong damaging winds, and heavy downpours.","The county emergency manager reported two tall pine trees were uprooted at a residence near the county line." +116913,703085,ILLINOIS,2017,May,Thunderstorm Wind,"MCDONOUGH",2017-05-10 17:46:00,CST-6,2017-05-10 17:46:00,0,0,0,0,1.00K,1000,0.00K,0,40.44,-90.77,40.44,-90.77,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing a few reports of strong damaging winds, and heavy downpours.","A trained spotter reported a tree blown down, onto the roof of a home." +116897,702879,IOWA,2017,May,Hail,"KEOKUK",2017-05-27 17:08:00,CST-6,2017-05-27 17:08:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-92.15,41.39,-92.15,"Scattered showers and isolated storms developed on the north side of a stalled boundary. One storm produced large hail.","A trained spotter reported quarter to half dollar sized hail just east of Lake Belva Deer State Park." +116298,699380,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 18:18:00,EST-5,2017-05-31 18:22:00,0,0,0,0,10.00K,10000,0.00K,0,36.33,-79.72,36.33,-79.71,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed a swath of trees in the general vicinity of the interchange of US 158 and Iron Works Road." +116298,699382,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CASWELL",2017-05-31 18:49:00,EST-5,2017-05-31 18:49:00,0,0,0,0,2.50K,2500,0.00K,0,36.25,-79.41,36.25,-79.41,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed a few trees along Stoney Creek Mountain Road." +116298,699384,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CASWELL",2017-05-31 18:43:00,EST-5,2017-05-31 18:43:00,0,0,0,0,0.50K,500,0.00K,0,36.26,-79.48,36.26,-79.48,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds resulted in a downed tree near the intersection of Boone Road and Underwood Road." +116298,699388,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 18:22:00,EST-5,2017-05-31 18:22:00,0,0,0,0,0.50K,500,0.00K,0,36.31,-79.74,36.31,-79.74,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds resulted in a tree down near the intersection of Iron Works Road and Monroeton Road." +115225,691816,NEW JERSEY,2017,May,Flash Flood,"ESSEX",2017-05-05 11:15:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.782,-74.1547,40.7724,-74.1626,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","A vehicle was stuck in flood waters on Broadway in Newark with a water rescue in progress." +116319,699438,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-24 18:03:00,EST-5,2017-05-24 18:03:00,0,0,0,0,0.50K,500,0.00K,0,37.18,-79.78,37.18,-79.78,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds caused a tree to fall near the intersection of Eton Road and Deep Woods Road." +116573,701498,VIRGINIA,2017,May,Flood,"CAMPBELL",2017-05-25 12:15:00,EST-5,2017-05-26 00:45:00,0,0,0,0,0.00K,0,0.00K,0,37.0493,-78.9706,37.0452,-78.9575,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The USGS gauge at Brookneal (BROV2) crested at 24.46 feet (28400 cfs) during the evening of the 25th. Minor flood stage is 23 feet. This was the highest level since January 2010 at this location." +120044,722991,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-22 14:16:00,MST-7,2017-10-22 14:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 59 mph wind gust was measured at the Malta South MT DOT site, located on US-191 at milepost 122.5." +120044,722992,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-22 14:32:00,MST-7,2017-10-22 14:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 59 mph wind gust was measured at the BLM RAWS site in Zortman." +120044,722993,MONTANA,2017,October,High Wind,"GARFIELD",2017-10-22 15:38:00,MST-7,2017-10-22 15:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 60 mph wind gust was measured at the Jordan ASOS." +120044,722994,MONTANA,2017,October,High Wind,"GARFIELD",2017-10-22 16:37:00,MST-7,2017-10-22 16:37:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 60 mph wind gust was measured at the MT DOT site located 4 miles southwest of Sand Springs on MT-200." +120044,722998,MONTANA,2017,October,High Wind,"DAWSON",2017-10-22 18:22:00,MST-7,2017-10-22 18:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 67 mph wind gust was measured at the Lindsay Divide MT DOT site." +120044,722999,MONTANA,2017,October,High Wind,"GARFIELD",2017-10-22 18:42:00,MST-7,2017-10-22 18:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 64 mph wind gust was measured at the Jordan ASOS." +120044,723003,MONTANA,2017,October,High Wind,"CENTRAL AND SE PHILLIPS",2017-10-22 20:55:00,MST-7,2017-10-22 20:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 59 mph wind gust was measured by the AWOS at the Malta Airport." +117063,704262,VIRGINIA,2017,May,Tornado,"BEDFORD",2017-05-05 03:04:00,EST-5,2017-05-05 03:06:00,0,0,0,0,15.00K,15000,0.00K,0,37.1121,-79.6136,37.1164,-79.6127,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","A thunderstorm moved north near Smith Mountain Lake producing a brief EF0 tornado. While it was on the ground for less than two minutes, it was able to uproot and snap multiple large trees and produce damage to the roof and windows of a single dwelling." +117068,704286,NORTH CAROLINA,2017,May,Tornado,"ROCKINGHAM",2017-05-05 02:12:00,EST-5,2017-05-05 02:18:00,0,0,0,0,4.00M,4000000,0.00K,0,36.4869,-79.7452,36.534,-79.7494,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning scattered showers and thunderstorms to move into portions of North Central North Carolina. Some of these storms became severe, producing isolated wind damage and even an EF1 tornado which impacted the City of Eden.","A thunderstorm produced an EF1 Tornado on the east side of Eden. The tornado was on the ground for approximately six minutes producing damage to trees, at least 25 residential structures, and a minimum of nine commercial structures. The tornado lifted just shy of the North Carolina and Virginia state boundary. Estimated wind speeds peaked around 110 miles per hour." +117068,704287,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-05 02:42:00,EST-5,2017-05-05 02:42:00,0,0,0,0,5.20K,5200,0.00K,0,36.35,-79.67,36.35,-79.67,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning scattered showers and thunderstorms to move into portions of North Central North Carolina. Some of these storms became severe, producing isolated wind damage and even an EF1 tornado which impacted the City of Eden.","Thunderstorm winds downed a large tree limb onto two parked cars along Maple Avenue." +117068,704288,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-05 02:50:00,EST-5,2017-05-05 02:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.4703,-79.6882,36.4703,-79.6882,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning scattered showers and thunderstorms to move into portions of North Central North Carolina. Some of these storms became severe, producing isolated wind damage and even an EF1 tornado which impacted the City of Eden.","Thunderstorm winds downed at least two trees." +121191,725534,PUERTO RICO,2017,October,Flash Flood,"CIDRA",2017-10-16 10:00:00,AST-4,2017-10-16 18:30:00,0,0,0,0,0.00K,0,0.00K,0,18.1658,-66.1647,18.1664,-66.1586,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Bridge collapsed at Road 171, Barrio Arenas Sector Campobello, Los Robles street in Cidra. 15 families incommunicated due to the collapse of a bridge." +121191,725576,PUERTO RICO,2017,October,Flood,"CIDRA",2017-10-16 15:00:00,AST-4,2017-10-16 18:30:00,0,0,0,0,0.00K,0,0.00K,0,18.173,-66.1528,18.1667,-66.1474,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Bridge on Road 734 collapsed over small creek near Cidra." +121181,725419,MISSOURI,2017,October,Hail,"ST. LOUIS (C)",2017-10-09 18:27:00,CST-6,2017-10-09 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38.6064,-90.2132,38.6384,-90.1905,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","" +121182,725420,ILLINOIS,2017,October,Hail,"MADISON",2017-10-09 18:45:00,CST-6,2017-10-09 18:48:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-90.1511,38.72,-90.13,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","" +121182,725421,ILLINOIS,2017,October,Hail,"MADISON",2017-10-09 19:10:00,CST-6,2017-10-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8809,-90.1147,38.8809,-90.0984,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","" +121181,725423,MISSOURI,2017,October,Thunderstorm Wind,"ST. LOUIS (C)",2017-10-09 18:35:00,CST-6,2017-10-09 18:50:00,2,0,0,0,0.00K,0,0.00K,0,38.5667,-90.2905,38.6794,-90.2039,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","Widespread wind damage across the city. Numerous reports of power lines down as well as a few power poles. A gas station canopy collapsed near the intersection of St. Louis Avenue and Vandeventer Avenue. Firefighters said two victims were taken to a hospital. One victim was a pedestrian on the street, the other was inside a car at the gas station. The driver of a truck that was one of two vehicles stuck under the canopy said a 28-year-old woman was sitting in the backseat when the glass shattered out of the back window and that's when she was injured. She was one of the people taken to the hospital. A large tree near St. Louis University was snapped off near the base." +121182,725424,ILLINOIS,2017,October,Thunderstorm Wind,"ST. CLAIR",2017-10-09 18:25:00,CST-6,2017-10-09 18:25:00,0,0,0,0,0.00K,0,0.00K,0,38.5429,-90.1737,38.5608,-90.1387,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","Thunderstorm winds blew over a couple of electronic message boards on I-255 near Cahokia." +121182,725425,ILLINOIS,2017,October,Thunderstorm Wind,"MADISON",2017-10-09 19:11:00,CST-6,2017-10-09 19:11:00,0,0,0,0,0.00K,0,0.00K,0,38.8807,-90.0871,38.8807,-90.0871,"An isolated severe storm moved northward across the St. Louis metro area. There were several reports of large hail and damaging winds.","Thunderstorm winds blew down several large tree limbs." +120570,722292,INDIANA,2017,October,Thunderstorm Wind,"MARION",2017-10-07 19:40:00,EST-5,2017-10-07 19:40:00,0,0,0,0,30.00K,30000,0.00K,0,39.7,-86.04,39.7,-86.04,"A north-northeast to south-southwest oriented line of showers with occasional thunder moved across central Indiana. As the line of showers and storms moved from west to east, strong winds aloft were brought down to the surface as the line moved over southeast Marion County during the evening of October 7th. Wind damage was observed in the Beech Grove area.","Several homes sustained minor roof damage due to damaging thunderstorm wind gusts. Also, a steeple on a church was snapped and a chimney collapsed at a home nearby." +120387,721173,GEORGIA,2017,October,Thunderstorm Wind,"NEWTON",2017-10-28 16:41:00,EST-5,2017-10-28 16:46:00,0,0,0,0,1.00K,1000,,NaN,33.5859,-83.8463,33.5859,-83.8463,"A line of showers and isolated thunderstorms formed along and ahead of a cold front sweeping through north Georgia. Despite very limited instability, sufficient shear and strong low to mid-level winds resulted in an isolated severe thunderstorm producing damaging winds.","The Newton County 911 center reported two trees blown down on Dearing Street between Conyers Street and Plantation Trace in southeast Covington." +120386,721174,GEORGIA,2017,October,Strong Wind,"PAULDING",2017-10-08 11:00:00,EST-5,2017-10-08 19:00:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The Paulding County Emergency Manager reported several trees and power lines blown down across the county. Locations included Sweetwater Church Road, Paul Aiken Road, Pleasant Grove Road, Cheatam Road at Shamrock Path, Braswell Mountain Road near Skeet Shoot Road, and Crossroads Church Road near Highway 113." +120554,722213,KANSAS,2017,October,Thunderstorm Wind,"KINGMAN",2017-10-14 09:05:00,CST-6,2017-10-14 09:07:00,1,0,0,0,0.00K,0,0.00K,0,37.64,-98.43,37.64,-98.43,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","A Fed Ex truck was blown in to the median along Highway 54. The driver was transported to the hospital. There were also 8 power poles south of Cunningham blown over." +120554,722214,KANSAS,2017,October,Thunderstorm Wind,"BUTLER",2017-10-14 15:39:00,CST-6,2017-10-14 15:41:00,0,0,0,0,0.00K,0,0.00K,0,37.79,-96.86,37.79,-96.86,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Damage to a large tree was reported along with several other branches being blown down." +116892,703002,IOWA,2017,May,Thunderstorm Wind,"LINN",2017-05-17 18:25:00,CST-6,2017-05-17 18:25:00,0,0,0,0,,NaN,0.00K,0,41.24,-91.58,41.24,-91.58,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Local broadcast media reported a swath of trees was blown down in Paris." +116892,703009,IOWA,2017,May,Thunderstorm Wind,"CEDAR",2017-05-17 18:59:00,CST-6,2017-05-17 18:59:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-91.35,41.67,-91.35,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A public report was received of a 60 foot tree that fell through a garage in town." +117398,715839,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 16:35:00,EST-5,2017-07-28 20:00:00,0,0,0,0,60.00K,60000,0.00K,0,40.1708,-80.243,40.1833,-80.2603,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 call center reported at least six vehicles with occupants have been stuck in water. The locations of the vehicles include at least 44 Bridge Street, 365 Jefferson Ave, 437 Jefferson Ave, 59 Washington St, 267 E Beau St, and the intersection of Arch and Race Streets." +119744,718136,CALIFORNIA,2017,October,High Wind,"VENTURA COUNTY MOUNTAINS",2017-10-09 03:53:00,PST-8,2017-10-09 13:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant Santa Ana wind event of the season impacted sections of Ventura and Los Angeles counties. Northeasterly wind gusts between 60 and 75 MPH were reported.","Strong Santa Ana winds impacted the mountains of Ventura county. North to northeast wind gusts up to 63 MPH were reported." +119744,718137,CALIFORNIA,2017,October,High Wind,"SANTA CLARITA VALLEY",2017-10-09 09:56:00,PST-8,2017-10-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant Santa Ana wind event of the season impacted sections of Ventura and Los Angeles counties. Northeasterly wind gusts between 60 and 75 MPH were reported.","Strong Santa Ana winds impacted the Santa Clarita Valley in Los Angeles county. Some wind reports from the area include: Newhall Pass (gusts up to 67 MPH) and Saugus (gusts up to 58 MPH)." +119744,718138,CALIFORNIA,2017,October,High Wind,"SANTA MONICA MOUNTAINS RECREATION AREA",2017-10-09 07:19:00,PST-8,2017-10-09 10:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant Santa Ana wind event of the season impacted sections of Ventura and Los Angeles counties. Northeasterly wind gusts between 60 and 75 MPH were reported.","Strong Santa Ana winds impacted the Santa Monica Mountains in Los Angeles county. The RAWS sensor at Boney Mountain reported wind gusts between 64 and 75 MPH." +119744,718139,CALIFORNIA,2017,October,High Wind,"VENTURA COUNTY COASTAL VALLEYS",2017-10-09 04:52:00,PST-8,2017-10-09 09:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first significant Santa Ana wind event of the season impacted sections of Ventura and Los Angeles counties. Northeasterly wind gusts between 60 and 75 MPH were reported.","Strong Santa Ana winds impacted the coastal valleys of Ventura county. The RAWS sensor at South Mountain reported wind gusts between 61 and 76 MPH." +120381,721158,HAWAII,2017,October,High Surf,"KAUAI WINDWARD",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721159,HAWAII,2017,October,High Surf,"OAHU KOOLAU",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721160,HAWAII,2017,October,High Surf,"OLOMANA",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721161,HAWAII,2017,October,High Surf,"MOLOKAI WINDWARD",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721162,HAWAII,2017,October,High Surf,"MAUI WINDWARD WEST",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +119715,718035,NEW MEXICO,2017,October,Hail,"SAN MIGUEL",2017-10-04 18:45:00,MST-7,2017-10-04 18:50:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-105.48,35.4,-105.48,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Hail up to the size of pennies lasted up to 5 minutes in San Jose." +119715,718037,NEW MEXICO,2017,October,Flash Flood,"CHAVES",2017-10-05 06:00:00,MST-7,2017-10-05 12:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8746,-105.1392,32.889,-105.1912,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Torrential rainfall for several hours over the Sacramento Mountains produced a flash flood wave on the Rio Penasco. The river rose nearly 10 feet in one hour then crested at 17.46 feet several hours later. Nearby roads were inundated with flood waters along state highway 24 and U.S. Highway 82." +121024,724603,TEXAS,2017,October,Lightning,"COLLIN",2017-10-22 00:00:00,CST-6,2017-10-22 00:00:00,0,0,0,0,225.00K,225000,0.00K,0,33.1765,-96.7616,33.1765,-96.7616,"A cold front brought a round of thunderstorms to North and Central Texas during the pre-dawn hours of October 22. Small hail and frequent cloud-to ground lightning accompanied the storms.","A lightning strike caused a house fire in the city of Frisco, TX shortly after midnight on October 22." +121229,725774,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-04 16:11:00,EST-5,2017-10-04 16:11:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725775,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 16:15:00,EST-5,2017-10-04 16:15:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 43 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +121229,725776,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 16:50:00,EST-5,2017-10-04 16:50:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 41 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +121229,725777,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 17:22:00,EST-5,2017-10-04 17:22:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 40 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +121229,725778,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 17:36:00,EST-5,2017-10-04 17:36:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 45 knots was measured at Pulaski Shoal Light." +114098,692664,TEXAS,2017,April,Hail,"HUNT",2017-04-29 17:08:00,CST-6,2017-04-29 17:08:00,0,0,0,0,0.00K,0,0.00K,0,33.07,-96.22,33.07,-96.22,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","" +113877,692898,TEXAS,2017,April,Hail,"COOKE",2017-04-21 17:52:00,CST-6,2017-04-21 17:52:00,0,0,0,0,0.00K,0,45.00K,45000,33.7513,-97.38,33.7513,-97.38,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","The Cooke County emergency manager reported egg sized hail north of Muenster." +113877,692904,TEXAS,2017,April,Thunderstorm Wind,"GRAYSON",2017-04-21 18:57:00,CST-6,2017-04-21 18:57:00,0,0,0,0,10.00K,10000,0.00K,0,33.4165,-96.9375,33.4165,-96.9375,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","The Grayson County emergency manager reported a wind gust estimated at 60 mph just south of Tioga." +113877,692905,TEXAS,2017,April,Thunderstorm Wind,"DENTON",2017-04-21 19:13:00,CST-6,2017-04-21 19:13:00,0,0,0,0,5.00K,5000,5.00K,5000,33.3598,-97.0951,33.3598,-97.0951,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio operator reported a measured 60 mph wind gust on the south side of Lake Ray Roberts." +121053,726255,NEW YORK,2017,October,High Wind,"SCHOHARIE",2017-10-30 07:50:00,EST-5,2017-10-30 07:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Large tree limbs were downed onto wires. There were about 13,500 customers without power across Schoharie county." +121053,726258,NEW YORK,2017,October,High Wind,"EASTERN SCHENECTADY",2017-10-30 00:00:00,EST-5,2017-10-30 01:36:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees down including a willow tree that was uprooted and a hemlock tree snapped in half in the town of Schenectady. There was also a large tree limb down in the intersection of Route 146 and River Road in Niskayuna. There were about 71,000 customers without power across Schenectady county." +121053,726261,NEW YORK,2017,October,High Wind,"EASTERN ALBANY",2017-10-30 00:00:00,EST-5,2017-10-30 13:28:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Numerous reports of trees and wires down across the area. A 60 mph wind gust was measured near Albany at 2:44 PM. There were about 141,000 customers without power across Albany county." +119654,717932,TEXAS,2017,October,Flood,"BRISCOE",2017-10-04 16:30:00,CST-6,2017-10-05 04:30:00,0,0,0,0,0.00K,0,0.00K,0,34.7153,-101.1335,34.6977,-100.9454,"Beginning on the evening of the 4th and lasting through the early morning of the 5th, very heavy rains fell over portions of eastern Briscoe, Hall, and western Childress Counties. A very moist atmosphere in place and training convection allowed for an estimated swath of 5-7 inches of rainfall over a widespread area. A river gauge six miles southwest of Brice in Hall County recorded a rainfall amount of 5.71 inches. Although much of the flooding was over rural areas, a small portion of Hall County near Newlin experienced flash flooding. Several vehicles became stranded in which one required a high water rescue. US Highway 287 was closed from Estelline to Memphis late in the evening of the 4th due to high water. Furthermore, much of this rainfall fell directly over the Prairie Dog Town Fork of the Red River basin. This resulted in minor flooding along the river.","Widespread heavy rainfall occurred across eastern Briscoe, Hall, and western Childress Counties from the evening of the 4th through the early morning hours of the 5th. This torrential rainfall brought large scale flooding to eastern Briscoe County. Furthermore, minor river flooding occurred along the Prairie Dog Town Fork of the Red River." +119654,717944,TEXAS,2017,October,Flood,"HALL",2017-10-05 01:00:00,CST-6,2017-10-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.6977,-100.9454,34.7475,-100.4159,"Beginning on the evening of the 4th and lasting through the early morning of the 5th, very heavy rains fell over portions of eastern Briscoe, Hall, and western Childress Counties. A very moist atmosphere in place and training convection allowed for an estimated swath of 5-7 inches of rainfall over a widespread area. A river gauge six miles southwest of Brice in Hall County recorded a rainfall amount of 5.71 inches. Although much of the flooding was over rural areas, a small portion of Hall County near Newlin experienced flash flooding. Several vehicles became stranded in which one required a high water rescue. US Highway 287 was closed from Estelline to Memphis late in the evening of the 4th due to high water. Furthermore, much of this rainfall fell directly over the Prairie Dog Town Fork of the Red River basin. This resulted in minor flooding along the river.","Widespread heavy rainfall occurred across eastern Briscoe, Hall, and western Childress Counties from the evening of the 4th through the early morning hours of the 5th. This torrential rainfall brought large scale flooding to the northern half of Hall County. Several roads in and around Estelline were flooded from the rainfall. Furthermore, minor river flooding occurred along the Prairie Dog Town Fork of the Red River." +120172,720061,FLORIDA,2017,October,Flood,"BREVARD",2017-10-01 19:00:00,EST-5,2017-10-01 22:00:00,0,0,0,0,0.00K,0,0.00K,0,28.082,-80.7018,28.2573,-80.7358,"A surface boundary draped across the central Florida peninsula resulted in slow moving showers and thunderstorms that produced heavy rainfall across central and southern Brevard County. 6-10 inches of widespread rainfall was observed across the impacted areas, with isolated higher amounts of 10-11 inches of rain observed in Palm Bay, Malabar, Indialantic, and Floridana Beach. Areas of flooding and flash flooding resulted in impassible roads, stalled vehicles and water entered a few homes.","Widespread rainfall amounts of 4-7 inches fell from Melbourne and areas north, including Palm Shores, Patrick Air Force Base and Vierra. Heavy rainfall led to some sections of roads becoming impassable. A portion of Wickham Road near Parkway Drive was closed due to high water and Robin Hood Drive between Canterbury Lane and King Richard Road was closed due to a washout of the roadway. The area where the road washed out had been damaged previously following heavy rainfall associated with Hurricane Irma and another heavy rain event a few weeks earlier." +120172,720056,FLORIDA,2017,October,Flash Flood,"BREVARD",2017-10-01 20:15:00,EST-5,2017-10-02 01:30:00,0,0,0,0,0.00K,0,0.00K,0,28.4103,-80.5887,28.4971,-80.674,"A surface boundary draped across the central Florida peninsula resulted in slow moving showers and thunderstorms that produced heavy rainfall across central and southern Brevard County. 6-10 inches of widespread rainfall was observed across the impacted areas, with isolated higher amounts of 10-11 inches of rain observed in Palm Bay, Malabar, Indialantic, and Floridana Beach. Areas of flooding and flash flooding resulted in impassible roads, stalled vehicles and water entered a few homes.","Widespread 7-9 inches of rain fell across central Brevard County from Cocoa to Merritt Island to Cape Canaveral. Water entered several homes on Stratford Drive and Catalina Drive in Cocoa. Cidco Road in Cocoa and Sandgate Street in Cocoa were closed due to high flood waters. Flood waters entered homes on South Banana River Drive, East Cristafulli Road, Horseshoe Bend, Church Street and Newfound Harbor Road on Merritt Island. Flooding closed several roadways with multiple reports of people trapped in cars due to the rising floodwaters in the Buttonwood Manor neighborhood on Merritt Island. A vehicle was partially submerged in a parking lot in Cape Canaveral in the 8700 block of Astronaut Boulevard." +119915,718794,ALABAMA,2017,October,Flash Flood,"COFFEE",2017-10-08 09:00:00,CST-6,2017-10-08 10:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.35,-85.94,31.3504,-85.9279,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","County Road 533 was impassible for a time due to a washout." +120444,721564,WEST VIRGINIA,2017,October,Winter Weather,"NORTHWEST WEBSTER",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120299,721470,PENNSYLVANIA,2017,October,High Wind,"LEBANON",2017-10-29 22:54:00,EST-5,2017-10-29 22:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong coastal low developed near the Tidewater of Virginia and moved quickly northward across New Jersey and up the Hudson Valley in New York. This system produced heavy rain (1-4) and gusty winds across much of central Pennsylvania. Particularly strong winds were briefly observed in the Lower Susquehanna Valley between 11:30pm on 10/29 and 12:30am on 10/30, when gusts of 50-70+ mph were observed.","High winds were briefly observed in the Lower Susquehanna Valley between 11:30pm on 10/29 and 12:30am on 10/30. The ASOS at Fort Indiantown Gap (KMUI) recorded a gust of 70 mph. Numerous trees and power lines were reported down across northern Lebanon County." +120299,721688,PENNSYLVANIA,2017,October,High Wind,"DAUPHIN",2017-10-29 23:10:00,EST-5,2017-10-29 23:10:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A strong coastal low developed near the Tidewater of Virginia and moved quickly northward across New Jersey and up the Hudson Valley in New York. This system produced heavy rain (1-4) and gusty winds across much of central Pennsylvania. Particularly strong winds were briefly observed in the Lower Susquehanna Valley between 11:30pm on 10/29 and 12:30am on 10/30, when gusts of 50-70+ mph were observed.","High winds were briefly observed in the Lower Susquehanna Valley between 11:30pm on 10/29 and 12:30am on 10/30. Trees and wires were reported down across northern Dauphin County, and a large barn/building in Grantville collapsed in the wind. Route 209 was closed between Lykens and Williamstown due to downed trees and wires." +120475,721816,DELAWARE,2017,October,High Wind,"KENT",2017-10-24 02:57:00,EST-5,2017-10-24 02:57:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Trees were downed due to the wind in several locations including Harrington, Dover, Felton and Smyrna in Kent county. Some trees were also taken down due to wind in Marydale. Rainfall ranged from 2 to 4 inches across the state.","Measured gust at Dover Air Force base." +120481,722024,MARYLAND,2017,October,Strong Wind,"CECIL",2017-10-30 10:24:00,EST-5,2017-10-30 10:24:00,0,0,0,0,0.01K,10,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. Rainfall ranged from 2 to 4 inches across the state.","CWOP measured wind gust. Also a 42 mph gust in Copperville (Queen Anne's county)." +120302,720893,CALIFORNIA,2017,October,High Wind,"KERN CTY MTNS",2017-10-09 08:27:00,PST-8,2017-10-09 08:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper trough deepened over the Pacific Northwest on October 7 then dropped into the Great Basin on October 8 and 9. This resulted in an increased offshore pressure gradients which produced moderate gusty northeast winds across the Kern County Deserts as well as gusty downslope winds in the south San Joaquin Valley and below the Tehachapi and Grapevine passes in the Kern County Mountains during the morning and early afternoon hours on October 9. Wind advisories were issued well in advance of this event as holiday travel on State Route 58 and Interstate 5 were impacted during the Columbus Day Holiday, and there were several reports of gusts exceeding 35 mph in the impacted areas.","The Bird Springs Pass RAWS reported a maximum wind gust of 60 mph." +120562,722268,CALIFORNIA,2017,October,Rip Current,"SOUTHERN MONTEREY BAY AND BIG SUR COAST",2017-10-29 01:30:00,PST-8,2017-10-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A long period northwesterly swell came through bringing periods of 18-21 seconds and swell heights up to 13 feet as well as increased rip current activity.","One person was successfully rescued from Monestary Beach." +120485,721830,WYOMING,2017,October,Winter Weather,"BIGHORN MOUNTAINS SOUTHEAST",2017-10-08 12:00:00,MST-7,2017-10-08 23:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 62 year cold Kentucky woman and a 67 year old man from Montana entered a wilderness area in the Big Horn Mountains to set up camp on October 7th. The man decided head back to the camp on his own on October 8th. The man then became lost and was lost for a couple of days before finding his way out of the wilderness on October 9th. A search for the woman began on the evening of the 9th and her body was found on the morning of the 10th. The woman was attempting to hike out of the mountains to find help with her gear and was caught in a snowstorm. She died of hypothermia.","A 62 year old Kentucky woman died of hypothermia hiking in a snowstorm. Please see the episode for details." +120624,722725,MASSACHUSETTS,2017,October,High Wind,"NORTHERN BRISTOL",2017-10-29 21:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","In Rehoboth a tree was down on a house on Wheeler Street, another was down on Homestead Avenue near Rocky Hill Road, and a third was blocking Wood Street. A tree was down and blocking Tremont Street in Taunton, while another tree was down on wires on Ashleigh Terrace in Taunton. At 1050 PM EST, the Automated Surface Observation System at Taunton Municipal Airport recorded a gust to 67 mph. A tree was down on the Duncan Donuts store on Bay Street in Taunton. A tree was down on Cedar Street in Dighton. A tree was down on a house on Church Street in Mansfield." +120624,722726,MASSACHUSETTS,2017,October,High Wind,"WESTERN NORFOLK",2017-10-29 23:50:00,EST-5,2017-10-30 04:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","Trees were down on Cedar Street, Norwood Street, Upland Road, Edge Hill Road and Bay Road in Sharon. Multiple trees were down on State Route 27 in Sharon near the Walpole line. A tree and wires were down on South Franklin Street and a tree and pole were down on Royal Avenue, both in Holbrook. At 118 AM EST, an amateur radio operator in Wrentham reported a wind gust to 60 mph." +120624,722727,MASSACHUSETTS,2017,October,High Wind,"EASTERN NORFOLK",2017-10-29 22:40:00,EST-5,2017-10-30 01:00:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1042 PM EST, the Automated Surface Observation System on Blue Hill recorded a wind gust of 63 mph. At 1142 PM EST, a tree was reported down on French Street in Quincy." +120591,722882,VERMONT,2017,October,High Wind,"WESTERN FRANKLIN",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph range but damage indicative of >70 mph in spots." +120591,722883,VERMONT,2017,October,High Wind,"GRAND ISLE",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph." +120311,720912,ILLINOIS,2017,October,Thunderstorm Wind,"UNION",2017-10-10 16:46:00,CST-6,2017-10-10 17:01:00,0,0,0,0,25.00K,25000,0.00K,0,37.4066,-89.27,37.4007,-89.1314,"A broken line of thunderstorms moved east across southern Illinois during the early evening hours. One of the storms along the line became severe. The severe storm produced a swath of scattered wind damage across two counties. The storms developed along a cold front that extended south from a low pressure center near St. Louis. Afternoon heating contributed to moderate instability, with mixed-layer capes close to 1500 j/kg. Surface heating steepened low-level lapse rates adequately to support locally damaging winds. Deep-layer wind shear was more than adequate for organized storms. 500 mb winds in the near-storm environment were around 50 knots. These winds were associated with a potent 500 mb shortwave over the upper Missouri Valley.","An area of scattered wind damage extended from a few miles south of Jonesboro east to the Johnson County line. Numerous large tree limbs were blown down. A few trees were down. One garage not anchored down was moved off its foundation. Some of the most concentrated tree damage was between Anna and Dongola, especially near the community of Balcom. The width of the damage area averaged about one-half mile, but it peaked near one mile." +120311,720910,ILLINOIS,2017,October,Thunderstorm Wind,"JOHNSON",2017-10-10 17:02:00,CST-6,2017-10-10 17:17:00,0,0,0,0,20.00K,20000,0.00K,0,37.4165,-88.9979,37.42,-88.9365,"A broken line of thunderstorms moved east across southern Illinois during the early evening hours. One of the storms along the line became severe. The severe storm produced a swath of scattered wind damage across two counties. The storms developed along a cold front that extended south from a low pressure center near St. Louis. Afternoon heating contributed to moderate instability, with mixed-layer capes close to 1500 j/kg. Surface heating steepened low-level lapse rates adequately to support locally damaging winds. Deep-layer wind shear was more than adequate for organized storms. 500 mb winds in the near-storm environment were around 50 knots. These winds were associated with a potent 500 mb shortwave over the upper Missouri Valley.","An area of scattered wind damage continued east from the Union County line through western Johnson County. Numerous large tree limbs and a few power lines were blown down. A few trees were blown down. The damage occurred west of Vienna, between Buncombe and Cypress. The maximum damage path width was one mile, but the average width was about one-half mile." +120520,722032,HAWAII,2017,October,Drought,"LEEWARD HALEAKALA",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120520,722033,HAWAII,2017,October,Drought,"SOUTH BIG ISLAND",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120176,720096,LOUISIANA,2017,October,Flash Flood,"WEST FELICIANA",2017-10-22 06:15:00,CST-6,2017-10-22 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.8321,-91.4378,30.821,-91.3403,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Flooding was reported due to heavy rain overnight across the Thompson Creek watershed near the West and East Feliciana Parish border. US Highway 61 and Louisiana Highway 10 were closed at Thompson Creek, as well as other local roads. Several water rescues occurred. Three bridges were reported washed out by floodwaters." +120896,723817,NEW MEXICO,2017,October,Hail,"SIERRA",2017-10-19 12:49:00,MST-7,2017-10-19 12:49:00,0,0,0,0,0.00K,0,0.00K,0,32.9205,-107.5641,32.9205,-107.5641,"An upper level trough was moving through the southwest United States. Decent shear and cooler temperatures aloft helped to produce an environment supportive of isolated severe storms across Sierra county where hail up to the size of golf balls was reported.","" +120147,723819,SOUTH DAKOTA,2017,October,High Wind,"PERKINS",2017-10-22 17:00:00,MST-7,2017-10-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front produced a brief period of strong wind gusts between 60 and 70 mph during the evening in the Rapid City area and parts of northwestern South Dakota.","" +120147,723822,SOUTH DAKOTA,2017,October,High Wind,"BUTTE",2017-10-22 17:00:00,MST-7,2017-10-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front produced a brief period of strong wind gusts between 60 and 70 mph during the evening in the Rapid City area and parts of northwestern South Dakota.","" +120147,723826,SOUTH DAKOTA,2017,October,High Wind,"RAPID CITY",2017-10-22 20:00:00,MST-7,2017-10-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front produced a brief period of strong wind gusts between 60 and 70 mph during the evening in the Rapid City area and parts of northwestern South Dakota.","" +120147,723829,SOUTH DAKOTA,2017,October,High Wind,"PENNINGTON CO PLAINS",2017-10-22 20:00:00,MST-7,2017-10-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front produced a brief period of strong wind gusts between 60 and 70 mph during the evening in the Rapid City area and parts of northwestern South Dakota.","" +120147,723832,SOUTH DAKOTA,2017,October,High Wind,"SOUTHERN MEADE CO PLAINS",2017-10-22 20:00:00,MST-7,2017-10-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing cold front produced a brief period of strong wind gusts between 60 and 70 mph during the evening in the Rapid City area and parts of northwestern South Dakota.","" +120149,723836,SOUTH DAKOTA,2017,October,High Wind,"HARDING",2017-10-23 11:00:00,MST-7,2017-10-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient in place across the area behind a passing cold front produced strong wind gusts across much of the northwestern South Dakota plains. Wind gusts to 60 mph were noted during the midday and early afternoon hours.","" +121035,724630,OREGON,2017,October,High Wind,"NORTHERN OREGON COAST",2017-10-21 12:54:00,PST-8,2017-10-21 20:09:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","A Oregon DOT weather station recorded sustained winds up to 53 mph on Megler Bridge." +121035,724631,OREGON,2017,October,High Wind,"CENTRAL OREGON COAST",2017-10-21 08:00:00,PST-8,2017-10-21 22:43:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Had several reports of max wind gusts up to 58 to 63 mph. The highest reported gust was at a weather station at Gleneden Beach, which recorded peak gusts up to 63 mph." +121035,724632,OREGON,2017,October,High Wind,"COAST RANGE OF NW OREGON",2017-10-21 20:10:00,PST-8,2017-10-22 00:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","A Bonneville Power Association weather station on top of Mount Hebo recorded peak gusts up to 64 mph." +121035,724681,OREGON,2017,October,Flood,"TILLAMOOK",2017-10-21 20:00:00,PST-8,2017-10-22 11:06:00,0,0,0,0,35.00K,35000,0.00K,0,45.4783,-123.7259,45.4754,-123.7301,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Heavy rain, with amounts up to 10.7 inches in the Coast Range led to flooding on the Wilson River near Tillamook. The river crested at 17.05 feet, which is 5.05 feet above flood stage." +121035,724687,OREGON,2017,October,Flood,"CLACKAMAS",2017-10-22 08:45:00,PST-8,2017-10-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,45.3025,-122.3503,45.3032,-122.3629,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Heavy rain caused the Clackamas River near Estacada to flood. The river crested at 21.40 feet, which is 1.40 ft above flood stage." +121096,725000,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 00:10:00,MST-7,2017-10-31 03:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 22/0225 MST." +121096,725001,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 10:15:00,MST-7,2017-10-22 22:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 70 mph at 22/2050 MST." +121096,725003,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 01:20:00,MST-7,2017-10-22 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 22/0300 MST." +121096,725007,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 09:05:00,MST-7,2017-10-22 21:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 22/2100 MST." +121096,725014,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 17:00:00,MST-7,2017-10-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at County Road 402 measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 22/2200 MST." +121096,725015,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 16:20:00,MST-7,2017-10-22 17:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 22/1645 MST." +121096,725017,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 07:35:00,MST-7,2017-10-22 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 64 mph at 22/1635 MST." +120317,724682,NORTH CAROLINA,2017,October,Flash Flood,"WATAUGA",2017-10-23 16:00:00,EST-5,2017-10-23 19:00:00,0,0,0,0,800.00K,800000,0.00K,0,36.2252,-81.6955,36.2086,-81.7033,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","Severe flash flooding was reported in various locations in and around Boone. Rainfall of 1 to 2 inches earlier in the day was followed by rainfall rates that increased sharply toward late afternoon reaching 2 to 3 inches per hour for about a one-hour period and this led to flash flooding. Boone Creek, which runs from the Appalachian State University campus southeast through (and under) the town, caused some of the worst damage. At least a dozen water rescues were reported across Boone and numerous cars were flooded and abandoned. A later report said that 13 commercial properties and 53 residential units suffered some flood damage, with 7 commercial and 36 residential sustaining major damage (water above the electrical outlets). Repairs to damaged roadways, both secondary and primary, were approximately $100,000 according to the NC Department of Transportation." +120317,724686,NORTH CAROLINA,2017,October,Debris Flow,"WATAUGA",2017-10-23 15:45:00,EST-5,2017-10-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1748,-81.6471,36.1732,-81.6489,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","The intense rainfall in the late afternoon over a short period cause at least two mudslides along NC Route 321 south of Boone near the communities of Tweetsie and Mystery Hill." +120175,720074,MISSISSIPPI,2017,October,Heavy Rain,"JACKSON",2017-10-07 07:00:00,CST-6,2017-10-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-88.82,30.42,-88.82,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Rainfall amounts in excess of 3 inches in Jackson County included 4.67 inches at the Sandhill Crane RAWS site. The COCORAHS site 1.7 miles west of Ocean Springs reported 5.45 inches, the site 9.5 miles west-southwest of Vancleave reported 5.11 inches. The COCORAHS site 3.6 miles east-southeast of Ocean Springs reported 4.93 inches, while the site 4.9 miles north of Gautier reported 4.59 inches." +120175,720075,MISSISSIPPI,2017,October,Storm Surge/Tide,"HANCOCK",2017-10-07 23:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","A storm surge of 2 to 4 feet, locally up to 5 feet, resulted in only minor impacts and damage. of The storm surge at Waveland's NOS gauge was reported at 5.60 feet.||Minor impacts due to storm surge were reported in primarily in the Jourdan River Shores, Ansley, Heron Bay and Shoreline Park areas. No homes were impacted, but several roads were impassible." +120175,720077,MISSISSIPPI,2017,October,Storm Surge/Tide,"JACKSON",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Storm tide was estimated between 4 to 7 feet affected coastal Jackson County. The NOAA Lab at Pascagoula measured a storm surge of 6.04 early on the morning of Oct 8th. ||Moderate impacts were reported in Jackson County due to storm surge. The surge led to minor flooding of 15 to 20 homes or businesses. Heavy damage was reported to one coastal road in the Gulf Park Estates area, with minor damages to an additional 20 to 30 roads in the southern portion of the county. Several piers were reported damaged by storm surge." +120175,720079,MISSISSIPPI,2017,October,Storm Surge/Tide,"HARRISON",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","A storm surge of generally 4 to 6 feet was reported across eastern Harrison County resulting in minor to moderate impact. A storm surge estimated around 4.5 ft was was recorded at a USGS gage in Long Beach. Significant beach erosion along both the barrier islands and the actual coastline. Three to four feet of water inundated the first floor parking garages of several casinos in Biloxi. No known flooding of residences occurred. Several piers were also damaged by storm surge." +120175,720080,MISSISSIPPI,2017,October,Tropical Storm,"HARRISON",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Minor to sporadic wind damage occurred throughout the county in the form of snapped trees, broken signs and minor roof damage. One large commercial business on the coast at Biloxi had roof damage resulting in significant water damage from rainwater. A sustained wind of 46 knots (53 mph) with a gust to 61 knots (70 mph) was reported at Keesler AFB (KBIX) in Biloxi.Approximately 43 homes suffered wind damage. Five shelters were opened and 542 people sought shelter." +120175,724808,MISSISSIPPI,2017,October,Hurricane,"JACKSON",2017-10-07 18:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Tropical storm force winds with isolated hurricane force wind gusts in the coastal areas resulted in light to moderate wind damage across the county. . A shipyard at Pascagoula recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 meters Approximately 300 homes suffered primarily minor damage, mainly to roofing. 10 houses were classified with major damage. Additionally, 10 commercial buildings received some type of damage. Three shelters were opened in county and 307 people sought shelter." +121136,725217,ALABAMA,2017,October,Tornado,"CHILTON",2017-10-07 19:47:00,CST-6,2017-10-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8951,-86.8269,32.9783,-86.8526,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","NWS meteorologists surveyed damage in western Chilton County and determined that the damage was consistent with an EF1 tornado. The tornado touched down in a wooded area just west of the intersection of County Road 36 and Alabama Highway 191, where it snapped several branches off of trees. From there, the tornado moved north-northwestward, and continued to cause damage to trees as it crossed County Road 204 and across a yard at the end of County Road 207. The tornado gained some strength as it crossed County Road 42, where it snapped and uprooted numerous trees, including one that fell onto a residence. From there the tornado weakened once again, causing damage to tree limbs and smaller branches as it crossed County Road 124 and County Road 120. It ultimately lifted near the intersection of County Road 119 and County Road 107, with just a few small branches down at that location." +120705,725198,MINNESOTA,2017,October,Heavy Snow,"NORTHERN COOK / NORTHERN LAKE",2017-10-26 20:00:00,CST-6,2017-10-27 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Storm total snowfall of 6.8." +121215,725720,MONTANA,2017,October,Drought,"DANIELS",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Extreme to Exceptional (D3 and D4) drought conditions were present across Daniels county at the beginning of the month, improving slightly to Severe to Extreme (D2 and D3) drought conditions by the end of the month. The area received anywhere from around one quarter to one half of an inch of precipitation, which was approximately a quarter to half of an inch below normal for the month." +121215,725721,MONTANA,2017,October,Drought,"SHERIDAN",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Extreme (D3) drought conditions were present across Sheridan county at the beginning of the month, improving slightly to Severe (D2) drought conditions by the end of the month. The area received approximately three quarters of an inch to one inch of precipitation, which was generally up to a quarter of an inch above normal for the month." +121215,725722,MONTANA,2017,October,Drought,"WESTERN ROOSEVELT",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Extreme to Exceptional (D3 to D4) drought conditions were present across western Roosevelt county at the beginning of the month, improving slightly to Severe to Extreme (D2 to D3) drought conditions by the end of the month. The area received between approximately one third of an inch to nearly one inch of precipitation, which ranged from nearly a half an inch below normal to two tenths of an inch above normal for the month." +121215,725723,MONTANA,2017,October,Drought,"EASTERN ROOSEVELT",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Extreme (D3) drought conditions were present across eastern Roosevelt county at the beginning of the month, improving slightly to Severe (D2) drought conditions by the end of the month. The area received between one half and two thirds of an inch of precipitation, which was approximately two tenths of an inch below normal for the month." +120113,719737,KANSAS,2017,October,Thunderstorm Wind,"LINN",2017-10-14 18:28:00,CST-6,2017-10-14 18:31:00,0,0,0,0,,NaN,,NaN,38.14,-94.81,38.14,-94.81,"As part of a larger event that impacted western Missouri, storms moved through eastern Kansas and into western and central Missouri. These storms did some minor wind damage to portions of far eastern Kansas before they moved into western Missouri.","Shingles were blown off of a roof near Mound City. There were multiple power outages across the county as a result of the strong winds." +120212,720254,KENTUCKY,2017,October,Flood,"HARLAN",2017-10-23 11:45:00,EST-5,2017-10-23 12:35:00,0,0,0,0,0.00K,0,0.00K,0,36.85,-83.32,36.8477,-83.3173,"Widespread showers moved across eastern Kentucky during this morning and early afternoon ahead of a cold front. Isolated heavy rain showers caused localized flooding and gusty winds in Harlan and Prestonsburg, respectively.","Local media reported localized urban flooding in Harlan as 2 to 2.5 inches of rain fell." +120390,721216,OKLAHOMA,2017,October,Hail,"PAWNEE",2017-10-21 20:01:00,CST-6,2017-10-21 20:01:00,0,0,0,0,0.00K,0,0.00K,0,36.3213,-96.4818,36.3213,-96.4818,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","" +120479,722008,ATLANTIC NORTH,2017,October,Marine High Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-10-30 03:48:00,EST-5,2017-10-30 03:48:00,0,0,0,0,,NaN,,NaN,39.0623,-75.152,39.0623,-75.152,"A strong low pressure system moved up the east coast producing heavy rain and strong winds.","Brandywine NOS platform measured wind gust." +116628,713811,MINNESOTA,2017,July,Thunderstorm Wind,"STEELE",2017-07-19 15:18:00,CST-6,2017-07-19 15:18:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-93.2,44.0985,-93.1905,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Several trees were blown down northeast of Owatonna." +116628,713814,MINNESOTA,2017,July,Thunderstorm Wind,"BLUE EARTH",2017-07-19 14:15:00,CST-6,2017-07-19 14:15:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-94.37,44.08,-94.37,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","" +116301,712755,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:15:00,CST-6,2017-07-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-94.39,44.44,-94.39,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113096,676416,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 04:47:00,EST-5,2017-03-23 04:47:00,0,0,0,0,0.00K,0,0.00K,0,28.364,-80.6484,28.364,-80.6484,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","Weatherflow mesonet site XCCB on the Banana River just north of the State Road 520 causeway recorded a peak wind gust of 36 knots from the northeast as a strong thunderstorm moved through the area." +113096,676421,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 07:35:00,EST-5,2017-03-23 07:35:00,0,0,0,0,0.00K,0,0.00K,0,28.7975,-80.7378,28.7975,-80.7378,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 0022 near the Brevard and Volusia county line recorded a peak wind gust of 36 knots out of the northeast after a strong thunderstorm moved south of the area." +113096,676423,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 07:58:00,EST-5,2017-03-23 07:58:00,0,0,0,0,0.00K,0,0.00K,0,28.6147,-80.6942,28.6147,-80.6942,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","The AWOS at the NASA Shuttle Landing Strip, KTTS, recorded a peak wind gust of 35 knots from the northeast as a strong thunderstorm moved over the site." +113096,676425,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 08:15:00,EST-5,2017-03-23 08:15:00,0,0,0,0,0.00K,0,0.00K,0,28.5272,-80.7742,28.5272,-80.7742,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 1007 near the Indian River Lagoon and along the NASA Causeway recorded a peak wind gust of 35 knots out of the east as a strong thunderstorm moved over the site." +113096,676426,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-03-23 08:19:00,EST-5,2017-03-23 08:19:00,0,0,0,0,0.00K,0,0.00K,0,27.3452,-80.2364,27.3452,-80.2364,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","Weatherflow mesonet site XSTL at the Saint Lucie Nuclear Power Plant measured a peak wind gust of 35 knots out of the northeast as strong thunderstorms moved onshore the Treasure Coast." +116988,703647,NEW YORK,2017,May,Thunderstorm Wind,"LEWIS",2017-05-01 17:58:00,EST-5,2017-05-01 17:58:00,0,0,0,0,15.00K,15000,0.00K,0,44.15,-75.32,44.15,-75.32,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116989,703648,NEW YORK,2017,May,Flood,"MONROE",2017-05-06 22:30:00,EST-5,2017-05-07 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,43.1086,-77.9185,43.1,-77.9162,"Soaking rains fell across the region. Combined with the antecedent wet conditions (the three month March through May period was the second wettest on record in Rochester) area creeks rain high and in some cases overflowed. Black Creek at Churchville crested at 6.21 feet at 6:30 AM EST on the 7th. Irondequoit Creek crested at 8.62 feet at 8:15 PM EST on the 6th.","" +116989,703649,NEW YORK,2017,May,Flood,"MONROE",2017-05-06 03:00:00,EST-5,2017-05-07 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,43.1736,-77.536,43.1541,-77.5393,"Soaking rains fell across the region. Combined with the antecedent wet conditions (the three month March through May period was the second wettest on record in Rochester) area creeks rain high and in some cases overflowed. Black Creek at Churchville crested at 6.21 feet at 6:30 AM EST on the 7th. Irondequoit Creek crested at 8.62 feet at 8:15 PM EST on the 6th.","" +116993,703664,NEW YORK,2017,May,Hail,"ERIE",2017-05-18 14:38:00,EST-5,2017-05-18 14:38:00,0,0,0,0,,NaN,,NaN,42.55,-78.64,42.55,-78.64,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703665,NEW YORK,2017,May,Hail,"LIVINGSTON",2017-05-18 14:55:00,EST-5,2017-05-18 14:55:00,0,0,0,0,,NaN,,NaN,42.57,-77.68,42.57,-77.68,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +121687,728388,NEW YORK,2017,May,Coastal Flood,"JEFFERSON",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +118296,710886,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 15:21:00,EST-5,2017-06-15 15:21:00,0,0,0,0,10.00K,10000,0.00K,0,42.8,-77.81,42.8,-77.81,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +121686,728375,NEW YORK,2017,June,Coastal Flood,"ORLEANS",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121685,728373,NEW YORK,2017,July,Coastal Flood,"JEFFERSON",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723309,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:24:00,EST-5,2017-09-04 21:24:00,0,0,0,0,10.00K,10000,0.00K,0,42.27,-79.71,42.27,-79.71,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees down by thunderstorm winds." +121683,728353,NEW YORK,2017,September,Coastal Flood,"WAYNE",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119560,717418,IOWA,2017,September,Heavy Rain,"WAPELLO",2017-09-20 21:45:00,CST-6,2017-09-21 05:20:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-92.41,41.01,-92.41,"During the day of the 20th, a cold front made its way southward through Iowa before stalling out during the evening of the 20th/early morning hours of the 21st. No severe weather occurred, but with an unstable MUCAPE environment of 1000-2000 J/kg low level jet initiated storms trained over the same area for a number of hours. The areas the received the heaviest rainfall ran west to east from roughly Albia to Ottumwa and Fairfield.","River gage along the Des Moines river measured heavy rainfall of 6.20 inches." +119560,717419,IOWA,2017,September,Heavy Rain,"WAPELLO",2017-09-20 21:45:00,CST-6,2017-09-21 05:33:00,0,0,0,0,0.00K,0,0.00K,0,41,-92.44,41,-92.44,"During the day of the 20th, a cold front made its way southward through Iowa before stalling out during the evening of the 20th/early morning hours of the 21st. No severe weather occurred, but with an unstable MUCAPE environment of 1000-2000 J/kg low level jet initiated storms trained over the same area for a number of hours. The areas the received the heaviest rainfall ran west to east from roughly Albia to Ottumwa and Fairfield.","Personal weather station recorded heavy rainfall of 6.08 inches on the SW side of Ottumwa." +118974,714609,IOWA,2017,August,Hail,"CALHOUN",2017-08-18 21:38:00,CST-6,2017-08-18 21:38:00,0,0,0,0,5.00K,5000,0.00K,0,42.5,-94.52,42.5,-94.52,"Synoptically the set up was nothing impressive. However, with 1000-2000 J/kg MUCAPE, 30-40 kts effective bulk shear, and weak surface convergence, a cluster of storms was able to develop in west central Minnesota. Said cluster of storms propagated SSE into parts of northern Iowa and was able to produce a single severe hail report in Calhoun county.","Trained spotter reported quarter sized hail lasting about 3 to 5 minutes, resulting in some damage to vehicles." +118982,714670,IOWA,2017,August,Heavy Rain,"PALO ALTO",2017-08-26 10:00:00,CST-6,2017-08-26 10:30:00,0,0,0,0,0.00K,0,0.00K,0,43.11,-94.68,43.11,-94.68,"Seasonally cool conditions prevailed throughout the day with temperatures only into the 70s in many cases and dew points in the 60s. With low pressure located over Minnesota, weak warm frontal and cold frontal boundary reflections resided over western Iowa and northern Nebraska respectively. In the afternoon, storms initiated within 1000-2000 J/kg MUCAPE and effective bulk shear generally under 30 kts. Resulting storms were unorganized and sub-severe in nature for the most part. A pair of quarter sized hail reports were received near Pocahontas, otherwise periods of heavy rain most often prevailed.","Coop observer recorded heavy rainfall of 1.35 inches over a 30 minute period from 11 am to 11:30 am CDT." +114314,684994,ARIZONA,2017,February,Heavy Snow,"YAVAPAI COUNTY MOUNTAINS",2017-02-27 11:00:00,MST-7,2017-02-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Seven inches of new snow was reported near Crown King and in Walker (6261 feet elevation)." +114314,684996,ARIZONA,2017,February,Heavy Snow,"BLACK MESA AREA",2017-02-27 19:00:00,MST-7,2017-02-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","A trained spotter in the community of Steamboat (6400 feet elevation) reported 18-20 inches of snow in 24 hours. Eleven inches of snow fell in the community of Black Mesa. Fourteen inches of new snow fell in Jeddito at around 6,400 feet. Six inches of snow fell in Shonto." +118395,711474,IOWA,2017,July,Hail,"HANCOCK",2017-07-10 00:48:00,CST-6,2017-07-10 00:48:00,0,0,0,0,0.00K,0,0.00K,0,43.01,-93.6,43.01,-93.6,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Public reported golf ball sized hail. Time and location estimated from radar." +118395,711475,IOWA,2017,July,Hail,"HANCOCK",2017-07-10 01:03:00,CST-6,2017-07-10 01:03:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-93.51,42.95,-93.51,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Trained spotter reported golf ball sized hail, also estimated winds at 60 mph." +117902,710205,MISSOURI,2017,June,Tornado,"LAFAYETTE",2017-06-17 20:47:00,CST-6,2017-06-17 20:53:00,0,0,0,0,,NaN,,NaN,39.0678,-94.0939,39.0561,-94.0066,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A tornado formed in western Lafayette County late in the evening of June 17, 2017 just north of Bates City and west of Mayview. This tornado remained mostly over rural portions of Lafayette County and caused mostly minor damage to some residences as well as snapping trunks of a few large trees." +121109,725047,NEW HAMPSHIRE,2017,October,Flood,"CARROLL",2017-10-30 05:26:00,EST-5,2017-10-30 23:17:00,0,0,0,0,50.00K,50000,0.00K,0,43.9812,-71.1173,43.9873,-71.1199,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 6 inches of rain resulting in moderate flooding on the Saco River at Conway (flood stage 9.0 ft), which crested at 15.04 ft." +118395,711477,IOWA,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-10 01:13:00,CST-6,2017-07-10 01:13:00,0,0,0,0,10.00K,10000,0.00K,0,42.76,-93.37,42.76,-93.37,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Law enforcement reported power lines down in Latimer. This is a delayed report and time estimated from radar." +118396,711481,IOWA,2017,July,Funnel Cloud,"HARDIN",2017-07-12 14:40:00,CST-6,2017-07-12 14:40:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-93.1,42.49,-93.1,"A cold front found itself moving across Iowa from northwest to southeast during the day and was able to initiate a number of strong storms. With observations around 90 degrees for highs with dew points well into the 70s, MUCAPE values exceeded 3500 J/kg along with 25-35 kts of effective bulk shear. While indications are that there was not significant 0-1 km helicity, initial storms along the boundary generated a few funnel clouds before strengthening and eventually producing marginal severe hail and a few damaging wind reports.","Iowa State Patrol relayed public reports of a funnel cloud." +116005,697158,IDAHO,2017,March,Flood,"PAYETTE",2017-03-17 00:00:00,MST-7,2017-03-31 06:00:00,0,0,0,0,2.00K,2000,0.00K,0,43.9336,-116.6611,43.9089,-116.6899,"Rainfall and snow melt combined to increase the flow on the Payette River to minor flood stage.","Flooding occurred along the Payette River around the Payette, Idaho area and surrounding fields and roads." +116007,697174,IDAHO,2017,March,Flood,"WASHINGTON",2017-03-08 09:00:00,MST-7,2017-03-22 22:00:00,0,0,0,0,2.00K,2000,0.00K,0,44.6513,-116.5893,44.6026,-116.51,"Rainfall and snow melt combined to increase the flow on the Weiser River to minor flood stage.","Flooding occurred along the Weiser River from Cambridge to Weiser and surrounding fields and roads." +116004,697136,IDAHO,2017,April,Flood,"ADA",2017-04-01 00:00:00,MST-7,2017-04-30 23:59:00,0,0,0,0,1.00M,1000000,0.00K,0,43.5323,-116.0564,43.687,-116.5062,"Flooding continued for the entire month of April on the Boise River as a result of flood control efforts by the U.S. Army Corps of Engineers.","Planned releases from Lucky Peak Reservoir for flood control ranged from 7800 CFS to 8900 CFS during the month of April. The prolonged flood flows continued to cause extensive damage to the Greenbelt and Nature Trail paths. Flood waters inundated portions of Eagle Island, particularly along Artesian Road and Hatchery Road. Numerous homes in Riviera Estates were surrounded by water. Flood fight efforts continued to focus in the Eagle Island area with extensive sandbagging taking place. Additional flood fight efforts to mitigate a pit capture continued along the Eagle Island south channel of the river. Flood diversion tubes and muscle wall barriers were used to limit river encroachment on the sandpit. Large sections of Ann Morrison Park, Marianne Williams Park, and Barber Park were flooded. Some residential streets adjacent to the river had water on them, especially in the Garden City Warehouse District." +116004,697137,IDAHO,2017,April,Flood,"CANYON",2017-04-01 00:00:00,MST-7,2017-04-30 23:59:00,0,0,0,0,500.00K,500000,0.00K,0,43.6855,-116.5159,43.8237,-117.0044,"Flooding continued for the entire month of April on the Boise River as a result of flood control efforts by the U.S. Army Corps of Engineers.","Planned releases from Lucky Peak Reservoir for flood control ranged from 7800 CFS to 8900 CFS during the month of April. The prolonged flood flows caused extensive damage along the river banks and widespread flooding of lowlands." +116023,697242,IDAHO,2017,April,Flood,"GOODING",2017-04-01 00:00:00,MST-7,2017-04-07 09:00:00,0,0,0,0,250.00K,250000,0.00K,0,42.967,-114.688,42.9504,-114.6849,"Flooding on the Big Wood River from snow melt occurred in East Central Gooding County.","The combination of rain and melting of near record snowpack in the Big Wood Basin led to significant flooding along the Big Wood River. Magic Reservoir filled to capacity sending large flows over the spillway and downriver through Gooding County. Extensive flooding of agricultural land occurred and several county roads were inundated with water. Just north of Gooding, portions of County Road 1700 South, 1800 East, and 1950 East were inundated with water and damaged. A few homes and businesses near the river were surrounded by water. Lowland flooding and damage to county roads occurred in the county well downstream from Gooding." +117519,706854,CALIFORNIA,2017,June,High Wind,"KERN CTY MTNS",2017-06-11 15:27:00,PST-8,2017-06-11 15:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","The Bird Springs Pass RAWS reported a maximum wind gust of 83 mph." +117823,708245,CALIFORNIA,2017,June,Heat,"W CENTRAL S.J. VALLEY",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees between June 18 and June 23." +117823,708246,CALIFORNIA,2017,June,Heat,"E CENTRAL S.J. VALLEY",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees between June 18 and June 23." +117823,708247,CALIFORNIA,2017,June,Heat,"SW S.J. VALLEY",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees between June 18 and June 23." +120296,720818,NEW YORK,2017,August,Thunderstorm Wind,"WAYNE",2017-08-22 12:30:00,EST-5,2017-08-22 12:30:00,0,0,0,0,8.00K,8000,0.00K,0,43.14,-77.33,43.14,-77.33,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported power lines downed by thunderstorm winds." +121050,725125,MAINE,2017,October,High Wind,"INTERIOR CUMBERLAND",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +120296,720834,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 14:15:00,EST-5,2017-08-22 14:15:00,0,0,0,0,15.00K,15000,0.00K,0,42.49,-78.48,42.49,-78.48,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds blew siding off a house." +120296,720836,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:27:00,EST-5,2017-08-22 14:27:00,0,0,0,0,10.00K,10000,0.00K,0,43.59,-75.47,43.59,-75.47,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720835,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 14:21:00,EST-5,2017-08-22 14:21:00,0,0,0,0,10.00K,10000,0.00K,0,42.27,-78.61,42.27,-78.61,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +121684,728357,NEW YORK,2017,August,Coastal Flood,"NIAGARA",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121108,725046,MAINE,2017,October,Flood,"OXFORD",2017-10-27 00:36:00,EST-5,2017-10-27 04:30:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-70.58,44.6805,-70.5995,"A slow moving area of low pressure produced 5 to 6 inches of rain over a 3 day period resulting in minor flooding on the Swift River at Roxbury.","Heavy rain over a 3 day period produced a brief period of minor flooding on the Swift River at Roxbury (flood stage 7.0 ft), which crested at 8.05 ft." +121110,725059,MAINE,2017,October,Flood,"OXFORD",2017-10-30 04:54:00,EST-5,2017-10-30 18:12:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-70.58,44.6753,-70.5975,"A very strong area of low pressure with abundant tropical moisture produced 2 to 6 inches of rainfall resulting in minor flooding on several area rivers in Maine.","Strong low pressure produced 3 to 5 inches of rain resulting in minor flooding on the Swift River at Roxbury (flood stage 7.0 ft), which crested at 10.45 ft." +120289,720785,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 16:53:00,EST-5,2017-08-04 16:53:00,0,0,0,0,10.00K,10000,0.00K,0,43.81,-76.02,43.81,-76.02,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Trees and wires were downed by thunderstorm winds." +121684,728362,NEW YORK,2017,August,Coastal Flood,"NORTHERN CAYUGA",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120595,722398,KANSAS,2017,October,Hail,"GOVE",2017-10-02 19:34:00,CST-6,2017-10-02 19:34:00,0,0,0,0,0.00K,0,0.00K,0,39.0784,-100.285,39.0784,-100.285,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","" +120595,722396,KANSAS,2017,October,Hail,"GOVE",2017-10-02 19:01:00,CST-6,2017-10-02 19:22:00,0,0,0,0,0.00K,0,0.00K,0,38.9584,-100.5527,38.9584,-100.5527,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","The hail ranged from nickel to golf ball size, growing larger during this time." +112669,678967,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:23:00,CST-6,2017-03-01 13:23:00,0,0,0,0,,NaN,,NaN,34.72,-86.74,34.72,-86.74,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported and 50 mph winds were estimated." +113402,678936,ALABAMA,2017,March,Thunderstorm Wind,"COLBERT",2017-03-27 20:30:00,CST-6,2017-03-27 20:30:00,0,0,0,0,,NaN,,NaN,34.7612,-88.0178,34.7612,-88.0178,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","A tree was knocked down on the road at the intersection of CR 2 and Natchez Trace Parkway. Trees were also knocked down on Natchez Track Parkway in Cherokee." +119542,717345,IOWA,2017,August,Heavy Rain,"AUDUBON",2017-08-20 05:55:00,CST-6,2017-08-21 05:55:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-94.92,41.71,-94.92,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Audubon AWOS recorded heavy rainfall of 3.17 inches over the last 24 hours." +120293,720796,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-12 13:13:00,EST-5,2017-08-12 13:13:00,0,0,0,0,10.00K,10000,0.00K,0,43.33,-76.47,43.33,-76.47,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","Law enforcement reported trees and wires downed by thunderstorm winds." +120293,720797,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-12 13:36:00,EST-5,2017-08-12 13:36:00,0,0,0,0,10.00K,10000,0.00K,0,43.37,-76.15,43.37,-76.15,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","Law enforcement reported trees and wires downed by thunderstorm winds." +120293,720798,NEW YORK,2017,August,Hail,"OSWEGO",2017-08-12 13:42:00,EST-5,2017-08-12 13:42:00,0,0,0,0,,NaN,,NaN,43.3,-76.15,43.3,-76.15,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","" +120862,723671,OKLAHOMA,2017,October,Thunderstorm Wind,"POTTAWATOMIE",2017-10-14 22:53:00,CST-6,2017-10-14 22:53:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-96.92,35.34,-96.92,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","No damage reported." +118536,712138,TENNESSEE,2017,August,Thunderstorm Wind,"SHELBY",2017-08-11 12:35:00,CST-6,2017-08-11 12:45:00,0,0,0,0,0.00K,0,0.00K,0,35.3645,-90.1078,35.3432,-89.9657,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","One large tree down in the Meeman/Shelby forest area." +118536,712140,TENNESSEE,2017,August,Thunderstorm Wind,"SHELBY",2017-08-11 12:45:00,CST-6,2017-08-11 12:55:00,0,0,0,0,,NaN,0.00K,0,35.106,-90.047,35.1101,-90.0192,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","Large tree down on South Parkway." +118536,712142,TENNESSEE,2017,August,Thunderstorm Wind,"SHELBY",2017-08-11 13:25:00,CST-6,2017-08-11 13:30:00,0,0,0,0,50.00K,50000,0.00K,0,35.0559,-89.6779,35.0561,-89.6607,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","Several trees down around Collierville Elementary school. Some trees fell on cars." +118537,712144,MISSISSIPPI,2017,August,Lightning,"LAFAYETTE",2017-08-22 19:50:00,CST-6,2017-08-22 20:10:00,0,0,0,0,50.00K,50000,0.00K,0,34.5031,-89.5072,34.5031,-89.5072,"A lone thunderstorm across north central Mississippi generated a lightning fire during the mid evening hours of August 22nd.","Fire possibly caused by lightning at a building on Long Street road. No injuries or fatalities." +120094,719608,MARYLAND,2017,August,Heavy Rain,"DORCHESTER",2017-08-13 09:03:00,EST-5,2017-08-13 09:03:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-76.0245,38.57,-76.0245,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.14 inches was measured at Cambridge (3 E)." +120105,719968,NORTH CAROLINA,2017,August,Heavy Rain,"BERTIE",2017-08-13 08:17:00,EST-5,2017-08-13 08:17:00,0,0,0,0,0.00K,0,0.00K,0,36.0166,-76.9004,36.0166,-76.9004,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 3.20 inches was measured at Windsor (3 ENE)." +120105,719969,NORTH CAROLINA,2017,August,Heavy Rain,"BERTIE",2017-08-13 08:20:00,EST-5,2017-08-13 08:20:00,0,0,0,0,0.00K,0,0.00K,0,36,-76.95,36,-76.95,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 2.47 inches was measured at Windsor." +120105,719970,NORTH CAROLINA,2017,August,Heavy Rain,"CHOWAN",2017-08-13 07:00:00,EST-5,2017-08-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2232,-76.7094,36.2232,-76.7094,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 4.70 inches was measured at Arrowhead Beach." +120105,719971,NORTH CAROLINA,2017,August,Heavy Rain,"HERTFORD",2017-08-13 06:50:00,EST-5,2017-08-13 06:50:00,0,0,0,0,0.00K,0,0.00K,0,36.28,-76.98,36.28,-76.98,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 2.78 inches was measured at Ahoskie." +120105,719972,NORTH CAROLINA,2017,August,Heavy Rain,"PASQUOTANK",2017-08-13 08:25:00,EST-5,2017-08-13 08:25:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-76.23,36.3,-76.23,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 4.28 inches was measured at Mariners Wharf Park." +120105,719973,NORTH CAROLINA,2017,August,Heavy Rain,"PERQUIMANS",2017-08-13 06:00:00,EST-5,2017-08-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1198,-76.4127,36.1198,-76.4127,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain across portions of northeast North Carolina.","Rainfall total of 2.53 inches was measured at Burgess (1 SW)." +117457,710954,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:14:00,CST-6,2017-06-16 18:14:00,0,0,0,0,,NaN,,NaN,41.44,-96.49,41.44,-96.49,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Large tree branches blown down in Fremont." +118249,710591,ILLINOIS,2017,June,Thunderstorm Wind,"ROCK ISLAND",2017-06-19 15:52:00,CST-6,2017-06-19 15:52:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-90.51,41.49,-90.51,"A few strong to severe thunderstorms formed the afternoon of June 19th, and moved east across northwest Illinois. These storms produced large hail and gusty winds.","Nine to 12 inch diameter tree limbs were reported blown down." +116500,700621,IOWA,2017,June,Thunderstorm Wind,"DUBUQUE",2017-06-28 19:23:00,CST-6,2017-06-28 19:23:00,0,0,0,0,0.00K,0,0.00K,0,42.41,-90.71,42.41,-90.71,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","" +116500,700624,IOWA,2017,June,Thunderstorm Wind,"DELAWARE",2017-06-28 18:15:00,CST-6,2017-06-28 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-91.25,42.35,-91.25,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","Large branches blown down." +116500,700627,IOWA,2017,June,Thunderstorm Wind,"BUCHANAN",2017-06-29 21:23:00,CST-6,2017-06-29 21:23:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.91,42.47,-91.91,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","No damage reported." +116500,700628,IOWA,2017,June,Thunderstorm Wind,"DUBUQUE",2017-06-29 22:44:00,CST-6,2017-06-29 22:44:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-90.65,42.43,-90.65,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","No damage reported." +115907,696482,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 15:12:00,EST-5,2017-05-31 15:12:00,0,0,0,0,0.50K,500,0.00K,0,40.4281,-79.995,40.4281,-79.995,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","The public reported a tree down on PJ McArdle Roadway." +115907,696483,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 15:19:00,EST-5,2017-05-31 15:19:00,0,0,0,0,0.50K,500,0.00K,0,40.47,-79.89,40.47,-79.89,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a tree down on wires along Roosevelt Street." +115907,696484,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 15:19:00,EST-5,2017-05-31 15:19:00,0,0,0,0,0.25K,250,0.00K,0,40.53,-79.8,40.53,-79.8,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a large tree limb down on a vehicle." +115890,702442,PENNSYLVANIA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 15:00:00,EST-5,2017-05-01 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.1611,-79.0918,41.1611,-79.0918,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","County official reported multiple trees down in Brookville." +115890,702455,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-01 13:40:00,EST-5,2017-05-01 13:40:00,0,0,0,0,0.25K,250,0.00K,0,40.84,-79.87,40.84,-79.87,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported large branches greater than 2 inches down." +115890,702456,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-01 13:50:00,EST-5,2017-05-01 13:50:00,0,0,0,0,0.50K,500,0.00K,0,41.13,-79.88,41.13,-79.88,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Member of the public reported an uprooted tree on social media." +117457,709952,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:17:00,CST-6,2017-06-16 18:17:00,0,0,0,0,,NaN,,NaN,41.44,-96.49,41.44,-96.49,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An estimated 60 mph wind gust was reported by a storm spotter near Fremont." +115890,702463,PENNSYLVANIA,2017,May,Tornado,"CLARION",2017-05-01 14:27:00,EST-5,2017-05-01 14:28:00,0,0,0,0,10.00K,10000,0.00K,0,41.331,-79.224,41.337,-79.212,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Amid widespread blowdown in the Cook Forest, the NWS survey team |evaluated a narrow damage path along Forest Road, where a focused, |concentrated swath of dozens of softwood trees was snapped or |uprooted." +115890,703984,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-01 14:15:00,EST-5,2017-05-01 14:15:00,0,0,0,0,5.00K,5000,0.00K,0,41.25,-79.42,41.25,-79.42,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","As part of a survey, the National Weather Service survey team reported trees dnapped and uprooted along Route 66, just north of Route 322." +117457,709999,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:59:00,CST-6,2017-06-16 18:59:00,0,0,0,0,,NaN,,NaN,41.26,-96.01,41.26,-96.01,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A spotter measured a 72 mph wind gust at 132nd and Cornhusker." +116456,700392,NORTH CAROLINA,2017,May,Hail,"ROCKINGHAM",2017-05-11 18:35:00,EST-5,2017-05-11 18:35:00,0,0,0,0,0.00K,0,0.00K,0,36.52,-79.7,36.52,-79.7,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","" +116456,700394,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:35:00,EST-5,2017-05-11 18:35:00,0,0,0,0,1.50K,1500,0.00K,0,36.54,-79.6,36.54,-79.6,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds were responsible for knocking down three large pine trees along Kingston Road, one of which fell against a high voltage power line causing temporary disruption." +116456,700395,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:40:00,EST-5,2017-05-11 18:40:00,0,0,0,0,0.50K,500,0.00K,0,36.51,-79.75,36.51,-79.75,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds downed a tree on North Van Buren Road." +116456,700396,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:40:00,EST-5,2017-05-11 18:40:00,0,0,0,0,0.50K,500,0.00K,0,36.52,-79.7,36.52,-79.7,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds downed a tree at East Meadow and North Hundley Road." +116456,700397,NORTH CAROLINA,2017,May,Hail,"ROCKINGHAM",2017-05-11 18:46:00,EST-5,2017-05-11 18:46:00,0,0,0,0,0.00K,0,0.00K,0,36.47,-79.63,36.47,-79.63,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","" +116892,702933,IOWA,2017,May,Thunderstorm Wind,"LINN",2017-05-17 18:10:00,CST-6,2017-05-17 18:10:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-91.78,41.92,-91.78,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported winds up to 70 mph." +116501,702896,VIRGINIA,2017,May,Heavy Rain,"FLOYD",2017-05-04 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-80.13,37.08,-80.13,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The 24-hour rainfall of 3.41 inches at Copper Hill COOP (COPV2) ending at 0800 EST on the 5th was the 2nd highest daily rainfall in the month of May (data back to 1940), falling just shy of the record 3.54 inches on May 28, 1973." +116501,702899,VIRGINIA,2017,May,Heavy Rain,"MARTINSVILLE (C)",2017-05-04 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-79.87,36.68,-79.87,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","Martinsville FP COOP (MARV2) station had its 4th highest daily May rainfall on record with 2.53 inches in the 24 hours ending at 0800 EST on May 5th. Records at this site date back to 1930." +116824,702550,NORTH CAROLINA,2017,May,Thunderstorm Wind,"BURKE",2017-05-05 01:53:00,EST-5,2017-05-05 01:58:00,0,0,0,0,0.00K,0,0.00K,0,35.747,-81.662,35.755,-81.612,"A line of heavy rain showers and thunderstorms moved across wetsern North Carolina during the overnight hours ahead of a cold front. A few embedded cells became briefly severe, producing sporadic wind damage.","FD reported three trees blown down between Morganton and Drexel." +116887,702791,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MECKLENBURG",2017-05-24 14:59:00,EST-5,2017-05-24 15:04:00,0,0,0,0,0.00K,0,0.00K,0,35.146,-80.844,35.196,-80.795,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","County comms reported multiple trees blown down across the south and southeast side of Charlotte." +115946,696736,SOUTH CAROLINA,2017,May,Hail,"AIKEN",2017-05-24 22:05:00,EST-5,2017-05-24 22:10:00,0,0,0,0,0.10K,100,0.10K,100,33.5,-81.97,33.5,-81.97,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Amateur radio report of dime to nickel size hail in North Augusta near Martintown Rd and Georgia Ave." +115946,696737,SOUTH CAROLINA,2017,May,Hail,"AIKEN",2017-05-24 22:44:00,EST-5,2017-05-24 22:49:00,0,0,0,0,,NaN,,NaN,33.79,-81.5,33.79,-81.5,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Public report of quarter size hail on Holder Rd." +115946,696738,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"AIKEN",2017-05-24 22:16:00,EST-5,2017-05-24 22:21:00,0,0,0,0,,NaN,,NaN,33.57,-81.73,33.57,-81.73,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Trees down blocking both lanes of Hampton Ave in Aiken." +116713,701889,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-01 17:37:00,EST-5,2017-05-01 17:37:00,0,0,0,0,0.50K,500,0.00K,0,36.4422,-79.5771,36.4422,-79.5771,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds brought down a tree along Estes Road near the location where it intersects Wolf Island Creek." +116573,701499,VIRGINIA,2017,May,Heavy Rain,"FRANKLIN",2017-05-24 08:00:00,EST-5,2017-05-25 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,37,-79.88,37,-79.88,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The heavy rains caused the collapse of a roof at a Rocky Mount small manufacturing business. Authorities say the roof collapse was caused by the weight of water from rain that accumulated on the roof. In addition to the roof, the lobby of the business was considered a total loss. The CoCoRaHS site at Rocky Mount 3.1 SE received 2.78 in 24-hours ending 7:00 AM EDT. Several other rain gauges in the area also had over 2 inches." +116892,702837,IOWA,2017,May,Hail,"MUSCATINE",2017-05-17 16:14:00,CST-6,2017-05-17 16:14:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-91.04,41.45,-91.04,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116352,699666,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-20 18:54:00,EST-5,2017-05-20 18:54:00,0,0,0,0,5.00K,5000,0.00K,0,36.81,-79.26,36.81,-79.26,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed several large trees near the intersection of Halifax Road and Spring Garden Road." +116352,699667,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-20 19:48:00,EST-5,2017-05-20 19:48:00,0,0,0,0,2.50K,2500,0.00K,0,36.64,-79.09,36.64,-79.09,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds resulted in multiple trees down along Melon Road near the Dan River." +120044,723005,MONTANA,2017,October,High Wind,"CENTRAL AND SOUTHERN VALLEY",2017-10-22 21:26:00,MST-7,2017-10-22 21:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 58 mph wind gust was measured by the Glasgow Airport ASOS." +121033,724627,OREGON,2017,October,High Wind,"NORTHERN OREGON COAST",2017-10-18 10:30:00,PST-8,2017-10-18 19:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system moving eastward into the Pacific Northwest brought a strong cold front which generated southerly sustained winds up to 47 mph along the Oregon Coast.","An Oregon DOT weather station on Megler Bridge measured sustained winds up to 47 mph." +121033,724628,OREGON,2017,October,High Wind,"CENTRAL OREGON COAST",2017-10-18 19:59:00,PST-8,2017-10-18 22:44:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system moving eastward into the Pacific Northwest brought a strong cold front which generated southerly sustained winds up to 47 mph along the Oregon Coast.","An Oregon DOT weather station on the Yaquina Bridge measured sustained winds up to 42 mph." +121034,724629,WASHINGTON,2017,October,High Wind,"SOUTH COAST",2017-10-18 10:30:00,PST-8,2017-10-18 19:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system moving eastward into the Pacific Northwest brought a strong cold front which generated southerly sustained winds up to 47 mph along the south Washington Coast.","While the Oregon DOT weather station on Megler Bridge just to the south measured sustained winds up to 47 mph, a weather station on Cape Disappointment measured sustained winds up to 44 mph with gusts up to 57 mph until the station lost power at 11:30 am near the beginning of the event." +121040,724636,WASHINGTON,2017,October,Tornado,"CLARK",2017-10-12 14:05:00,PST-8,2017-10-12 14:08:00,0,0,0,0,2.00K,2000,,NaN,45.7259,-122.6393,45.7242,-122.6376,"A low pressure system moving into Washington brought showers and thunderstorms across southwest Washington. These storms had been showing weak rotation. One of these storms produced a tornado near Vancouver.","The National Weather Service survey team confirmed an EF-0 tornado. The tornado started north of NE 31st Ave and NE 144th St and ended near the col-de-sac on NE 33rd Ave. Two large trees lost limbs, a couple fences were blown over, and some patio furniture were damaged; however, there was no structural damage to any houses in the neighborhood." +121057,724715,WASHINGTON,2017,October,High Wind,"SOUTH WASHINGTON CASCADES",2017-10-21 14:00:00,PST-8,2017-10-22 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the south Washington Coast and Willapa Hills on October 21st. What followed was a significant amount of rain, especially along the Coast and in the Willapa Hills. All this rain caused flooding on rivers near Rosburg and Washougal.","A remote automated weather station at Three Corner Rock recorded wind gusts up to 81 mph." +117108,704583,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CATAWBA",2017-05-28 01:10:00,EST-5,2017-05-28 01:13:00,0,0,0,0,10.00K,10000,0.00K,0,35.57,-81.02,35.6,-80.95,"A line of strong to severe thunderstorms producing strong to damaging winds moved into far western North Carolina late in the evening, and progressed through the mountains, foothills, and portions of the northwest Piedmont through the early part of the overnight. Numerous trees were blown down, especially across the mountains.","Spotter reported multiple trees and power lines blown down in southeast Catawba County, with one tree down on a home." +116908,703029,ILLINOIS,2017,May,Hail,"MCDONOUGH",2017-05-26 14:26:00,CST-6,2017-05-26 14:26:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-90.46,40.62,-90.46,"A passing disturbance produced isolated severe storms in west central Illinois with large hail up to and slightly larger than the size of golf balls.","A trained spotter reported hail up to the size of golf balls." +116908,703030,ILLINOIS,2017,May,Hail,"MCDONOUGH",2017-05-26 14:33:00,CST-6,2017-05-26 14:33:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-90.46,40.62,-90.46,"A passing disturbance produced isolated severe storms in west central Illinois with large hail up to and slightly larger than the size of golf balls.","A trained spotter reported hail up to the size of roughly 2 inches in diameter." +116908,703031,ILLINOIS,2017,May,Hail,"MCDONOUGH",2017-05-26 14:30:00,CST-6,2017-05-26 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-90.5,40.55,-90.5,"A passing disturbance produced isolated severe storms in west central Illinois with large hail up to and slightly larger than the size of golf balls.","The public reported hail lasting 4 to 5 minutes with largest stones up to the size of golf balls ending at 235 PM. This information was relayed from WGEM." +117094,704435,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-05-14 16:04:00,EST-5,2017-05-14 16:04:00,0,0,0,0,,NaN,,NaN,40.67,-74.03,40.67,-74.03,"An upper level low triggered strong thunderstorms over New York Harbor, Western Long Island Sound and the coastal ocean waters south of New York City.","A wind gust of 35 knots was measured at the Bayonne mesonet site." +116892,702930,IOWA,2017,May,Thunderstorm Wind,"BENTON",2017-05-17 17:53:00,CST-6,2017-05-17 17:53:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-92.09,42.01,-92.09,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported estimated winds up to 70 mph." +121184,725427,MISSOURI,2017,October,Hail,"JEFFERSON",2017-10-10 14:15:00,CST-6,2017-10-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,38.1451,-90.3248,38.1451,-90.3248,"Isolated severe storm moved through the region. Some produced large hail.","" +121185,725429,MISSOURI,2017,October,Thunderstorm Wind,"KNOX",2017-10-14 16:00:00,CST-6,2017-10-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1847,-92.1755,40.1847,-92.1755,"A strong cold front moved through the region, trigger strong to severe storms. Some of the storms produced damaging winds.","Thunderstorm winds blew down a large tree branch onto Highway 15 about a mile north of Edina." +121185,725444,MISSOURI,2017,October,Thunderstorm Wind,"MONROE",2017-10-14 19:15:00,CST-6,2017-10-14 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4739,-92.2103,39.5525,-91.8622,"A strong cold front moved through the region, trigger strong to severe storms. Some of the storms produced damaging winds.","Thunderstorm winds blew down numerous trees and tree limbs across Monroe County, from Madison northeastward through Holliday, Paris, then onto Stoutsville." +121185,725445,MISSOURI,2017,October,Thunderstorm Wind,"MONITEAU",2017-10-14 20:50:00,CST-6,2017-10-14 20:50:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-92.57,38.63,-92.57,"A strong cold front moved through the region, trigger strong to severe storms. Some of the storms produced damaging winds.","Thunderstorm winds blew down a tree onto power lines in town." +121185,725449,MISSOURI,2017,October,Thunderstorm Wind,"PIKE",2017-10-14 21:45:00,CST-6,2017-10-14 21:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2974,-91.1124,39.4527,-91.0516,"A strong cold front moved through the region, trigger strong to severe storms. Some of the storms produced damaging winds.","Thunderstorm winds blew down several trees between Cyrene and Louisiana. In Louisiana, two large trees fell onto two unoccupied vehicles, destroying them." +120386,721175,GEORGIA,2017,October,Strong Wind,"GWINNETT",2017-10-08 11:00:00,EST-5,2017-10-08 17:00:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The Gwinnett County Emergency Manager reported power lines blown down in the 2600 block of Trotters Pointe Drive." +120386,721176,GEORGIA,2017,October,Strong Wind,"HARALSON",2017-10-08 11:00:00,EST-5,2017-10-08 17:00:00,1,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The Haralson County Emergency Manager reported a large tree blown down onto a building on Head Avenue in Tallapoosa. One injury was reported." +113660,693086,TEXAS,2017,April,Hail,"DENTON",2017-04-10 23:11:00,CST-6,2017-04-10 23:11:00,0,0,0,0,5.00K,5000,0.00K,0,33.03,-97.09,33.03,-97.09,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported golf ball sized hail in the city of Flower Mound, TX." +115531,693791,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:27:00,CST-6,2017-04-30 10:35:00,0,0,0,0,,NaN,0.00K,0,35.1191,-89.8742,35.1278,-89.8548,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Multiple power lines and power poles down at Shady Grove Road and Brierview." +115531,693795,TENNESSEE,2017,April,Thunderstorm Wind,"SHELBY",2017-04-30 10:38:00,CST-6,2017-04-30 10:45:00,0,0,0,0,20.00K,20000,0.00K,0,35.2448,-89.8503,35.2507,-89.8406,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Large tree on a vehicle and minor roof damage near Ellendale Road and Prosperity Way." +115498,693802,TEXAS,2017,April,Thunderstorm Wind,"GRAYSON",2017-04-17 08:16:00,CST-6,2017-04-17 08:16:00,0,0,0,0,1.00K,1000,0.00K,0,33.6502,-96.6065,33.6502,-96.6065,"Showers and thunderstorms dumped locally heavy rain and caused flash flooding in some areas as an upper level disturbance moved across the region. The heaviest rain occurred primarily across the Red River counties.","Emergency management reported that a large tree was snapped above ground, taking out a power pole and some power lines on Orange Street in the city of Sherman, TX." +115213,691827,MISSISSIPPI,2017,April,Thunderstorm Wind,"TALLAHATCHIE",2017-04-02 16:55:00,CST-6,2017-04-02 17:00:00,0,0,1,0,,NaN,0.00K,0,33.83,-90.3,33.8326,-90.2919,"A bow echo embedded in a large area of showers and thunderstorms moved into North Mississippi during the early evening of April 2nd with some damaging winds.","A large tree fell on a house. One person died as result." +115285,692119,TENNESSEE,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-22 01:23:00,CST-6,2017-04-22 01:30:00,0,0,0,0,,NaN,0.00K,0,35.6997,-89.7075,35.652,-89.5547,"A slow moving cold front generated a marginally severe line of thunderstorms on the early morning hours of April 22nd.","A couple of trees down on Sands Ford Road to the west of Henning. Also more trees were reported down to the east of town." +120381,721163,HAWAII,2017,October,High Surf,"WINDWARD HALEAKALA",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721164,HAWAII,2017,October,High Surf,"SOUTH BIG ISLAND",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120381,721165,HAWAII,2017,October,High Surf,"BIG ISLAND NORTH AND EAST",2017-10-13 14:00:00,HST-10,2017-10-20 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell generated surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant property damage or injuries.","" +120382,721166,HAWAII,2017,October,Wildfire,"WINDWARD HALEAKALA",2017-10-18 18:30:00,HST-10,2017-10-19 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire consumed 50 acres of dry brush near Haiku on Maui, and forced the closure of Hana Highway in the area for a time. Fire crews were able to successfully defend six homes from the flames, though residents had to flee for about 3 hours as personnel fought the blaze. The cause of the fire was undetermined. No serious injuries or property damage were reported.","" +120516,722009,HAWAII,2017,October,High Surf,"NIIHAU",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722010,HAWAII,2017,October,High Surf,"KAUAI WINDWARD",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722011,HAWAII,2017,October,High Surf,"KAUAI LEEWARD",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +119715,718291,NEW MEXICO,2017,October,Flash Flood,"QUAY",2017-10-05 16:11:00,MST-7,2017-10-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.36,-103.45,35.2406,-103.7995,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Roads flooded and closed southwest of Logan. Several vehicles stranded in flood waters." +119715,718292,NEW MEXICO,2017,October,Flash Flood,"QUAY",2017-10-05 16:30:00,MST-7,2017-10-05 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.3586,-103.4837,35.384,-103.4843,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Widespread street flooding in Logan. Water three to four inches deep running over state road 540 at eight different locations. No homes flooded. Two vehicles disabled." +120648,722722,CONNECTICUT,2017,October,Strong Wind,"NORTHERN NEW HAVEN",2017-10-24 13:00:00,EST-5,2017-10-24 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","In the town of Wolcott, route 69 was closed near the Waterbury town line due to trees down on wires at 3 pm." +120649,722724,NEW JERSEY,2017,October,Strong Wind,"EASTERN BERGEN",2017-10-24 06:00:00,EST-5,2017-10-24 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","At 710 am, law enforcement reported power lines down on Fort Lee Road and Glenwood Avenue in Leonia. At 835 am, a large tree was knocked down on power lines in Elmwood Park per social media." +121229,725779,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-04 17:36:00,EST-5,2017-10-04 17:36:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 45 knots was measured at Pulaski Shoal Light." +121229,725780,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-04 18:48:00,EST-5,2017-10-04 18:48:00,0,0,0,0,0.00K,0,0.00K,0,24.5532,-81.7886,24.5532,-81.7886,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured by the RSOIS at the WFO Key West." +121229,725781,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-10-04 18:51:00,EST-5,2017-10-04 18:51:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured by an automated WeatherFlow station at the U.S. Coast Guard Station Key West." +121229,725782,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-04 18:56:00,EST-5,2017-10-04 18:56:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 35 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725783,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 16:19:00,EST-5,2017-10-04 16:19:00,0,0,0,0,0.00K,0,0.00K,0,25.3208,-80.2792,25.3208,-80.2792,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 35 knots was measured by an automated Citizen Weather Observing Program station at Ocean Reef." +121240,725816,NEBRASKA,2017,October,Hail,"BOONE",2017-10-06 06:30:00,CST-6,2017-10-06 06:30:00,0,0,0,0,,NaN,,NaN,41.76,-98.22,41.76,-98.22,"Thunderstorms developed near a warm front over eastern Nebraska on the morning and evening of October 6th. A couple of these storms produced large hail.","Nickel sized hail was reported by a spotter." +121240,725817,NEBRASKA,2017,October,Hail,"SALINE",2017-10-06 18:48:00,CST-6,2017-10-06 18:48:00,0,0,0,0,,NaN,,NaN,40.63,-96.96,40.63,-96.96,"Thunderstorms developed near a warm front over eastern Nebraska on the morning and evening of October 6th. A couple of these storms produced large hail.","One inch hail was reported west of Crete." +121241,725818,NEBRASKA,2017,October,Hail,"PAWNEE",2017-10-14 06:48:00,CST-6,2017-10-14 06:48:00,0,0,0,0,,NaN,,NaN,40.11,-96.1,40.11,-96.1,"Strong and severe thunderstorms developed along a cold front moving through southeast Nebraska. One of the thunderstorms produced large hail.","Mostly peas size to one inch diameter hail fell east of Pawnee City. The largest stones were as big as ping pong balls." +120643,723265,KANSAS,2017,October,Thunderstorm Wind,"JEWELL",2017-10-02 18:00:00,CST-6,2017-10-02 18:10:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-98.3,39.87,-98.3,"For the second straight evening/overnight, strong to severe storms affected portions of this six-county North Central Kansas area, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. While there was a lone report of estimated 60 MPH winds at Burr Oak early in the evening, the big story on this night ended up being heavy rainfall and flooding, especially within western portions of the local area. More specifically, a concentrated, southwest-northeast oriented swath of at least 2.50-4.50 drenched northwestern Rooks County, mainly southern and eastern Phillips County, and northwestern Smith County. A 24-hour rain total of 4.95 was reported six miles east of Phillipsburg, most of which fell between 10 p.m. and midnight CDT. During this same time frame, a county deputy encountered around one foot of water flowing over Highway 183 near Glade. When combined with rain from the previous night, the aforementioned station east of Phillipsburg totaled a hefty 48-hour amount of 6.61. Although two-day totals this high were the exception within the area, widespread two-day tallies of at least 3-5 (especially within southern and eastern Phillips County) were common, and this instigated at least minor flooding along several creeks and rivers. At some point between the late evening of the 2nd and Wednesday the 4th, flooding was indicated by automated gauges and/or ground-truth along the following waterways: North Fork Solomon River near Glade (upstream of Kirwin Reservoir), North Fork Solomon River near Portis (upstream of Waconda Lake), South Fork Solomon River near Damar (upstream of Webster Reservoir), Bow Creek in southern Phillips/northern Rooks counties, and Deer Creek and Big Creek in Phillips County. ||Things first got underway between 5:30-7:30 p.m. CDT as a few semi-discrete storms blossomed in the general vicinity of a near-stationary surface front. Following a brief lull, the primary storm cluster expanded northeastward into the area after 9 p.m. CDT, including the aforementioned corridor of heavy rain that fell mainly before midnight. After midnight CDT, convection diminished in intensity but another line of gradually-weakening storms slowly pushed in from the west, dropping more rain on already-saturated areas before dissipating completely by 6 a.m. CDT on the 3rd. In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was high by October standards across North Central Kansas, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Wind gusts were estimated to be near 60 MPH." +120643,724813,KANSAS,2017,October,Heavy Rain,"PHILLIPS",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6655,-99.32,39.6655,-99.32,"For the second straight evening/overnight, strong to severe storms affected portions of this six-county North Central Kansas area, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. While there was a lone report of estimated 60 MPH winds at Burr Oak early in the evening, the big story on this night ended up being heavy rainfall and flooding, especially within western portions of the local area. More specifically, a concentrated, southwest-northeast oriented swath of at least 2.50-4.50 drenched northwestern Rooks County, mainly southern and eastern Phillips County, and northwestern Smith County. A 24-hour rain total of 4.95 was reported six miles east of Phillipsburg, most of which fell between 10 p.m. and midnight CDT. During this same time frame, a county deputy encountered around one foot of water flowing over Highway 183 near Glade. When combined with rain from the previous night, the aforementioned station east of Phillipsburg totaled a hefty 48-hour amount of 6.61. Although two-day totals this high were the exception within the area, widespread two-day tallies of at least 3-5 (especially within southern and eastern Phillips County) were common, and this instigated at least minor flooding along several creeks and rivers. At some point between the late evening of the 2nd and Wednesday the 4th, flooding was indicated by automated gauges and/or ground-truth along the following waterways: North Fork Solomon River near Glade (upstream of Kirwin Reservoir), North Fork Solomon River near Portis (upstream of Waconda Lake), South Fork Solomon River near Damar (upstream of Webster Reservoir), Bow Creek in southern Phillips/northern Rooks counties, and Deer Creek and Big Creek in Phillips County. ||Things first got underway between 5:30-7:30 p.m. CDT as a few semi-discrete storms blossomed in the general vicinity of a near-stationary surface front. Following a brief lull, the primary storm cluster expanded northeastward into the area after 9 p.m. CDT, including the aforementioned corridor of heavy rain that fell mainly before midnight. After midnight CDT, convection diminished in intensity but another line of gradually-weakening storms slowly pushed in from the west, dropping more rain on already-saturated areas before dissipating completely by 6 a.m. CDT on the 3rd. In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was high by October standards across North Central Kansas, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.70 inches was reported 1 mile south of Glade." +120643,724816,KANSAS,2017,October,Heavy Rain,"PHILLIPS",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-99.2071,39.75,-99.2071,"For the second straight evening/overnight, strong to severe storms affected portions of this six-county North Central Kansas area, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. While there was a lone report of estimated 60 MPH winds at Burr Oak early in the evening, the big story on this night ended up being heavy rainfall and flooding, especially within western portions of the local area. More specifically, a concentrated, southwest-northeast oriented swath of at least 2.50-4.50 drenched northwestern Rooks County, mainly southern and eastern Phillips County, and northwestern Smith County. A 24-hour rain total of 4.95 was reported six miles east of Phillipsburg, most of which fell between 10 p.m. and midnight CDT. During this same time frame, a county deputy encountered around one foot of water flowing over Highway 183 near Glade. When combined with rain from the previous night, the aforementioned station east of Phillipsburg totaled a hefty 48-hour amount of 6.61. Although two-day totals this high were the exception within the area, widespread two-day tallies of at least 3-5 (especially within southern and eastern Phillips County) were common, and this instigated at least minor flooding along several creeks and rivers. At some point between the late evening of the 2nd and Wednesday the 4th, flooding was indicated by automated gauges and/or ground-truth along the following waterways: North Fork Solomon River near Glade (upstream of Kirwin Reservoir), North Fork Solomon River near Portis (upstream of Waconda Lake), South Fork Solomon River near Damar (upstream of Webster Reservoir), Bow Creek in southern Phillips/northern Rooks counties, and Deer Creek and Big Creek in Phillips County. ||Things first got underway between 5:30-7:30 p.m. CDT as a few semi-discrete storms blossomed in the general vicinity of a near-stationary surface front. Following a brief lull, the primary storm cluster expanded northeastward into the area after 9 p.m. CDT, including the aforementioned corridor of heavy rain that fell mainly before midnight. After midnight CDT, convection diminished in intensity but another line of gradually-weakening storms slowly pushed in from the west, dropping more rain on already-saturated areas before dissipating completely by 6 a.m. CDT on the 3rd. In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was high by October standards across North Central Kansas, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 4.95 inches was reported six miles east of Phillipsburg, with a 48-hour total of 6.61. Observer stated that the majority of rain fell in a 2-hour period before midnight, and that Big Creek was out of its banks." +120643,725815,KANSAS,2017,October,Flash Flood,"PHILLIPS",2017-10-02 22:20:00,CST-6,2017-10-03 02:20:00,0,0,0,0,0.00K,0,0.00K,0,39.6308,-99.6216,39.5721,-99.2288,"For the second straight evening/overnight, strong to severe storms affected portions of this six-county North Central Kansas area, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. While there was a lone report of estimated 60 MPH winds at Burr Oak early in the evening, the big story on this night ended up being heavy rainfall and flooding, especially within western portions of the local area. More specifically, a concentrated, southwest-northeast oriented swath of at least 2.50-4.50 drenched northwestern Rooks County, mainly southern and eastern Phillips County, and northwestern Smith County. A 24-hour rain total of 4.95 was reported six miles east of Phillipsburg, most of which fell between 10 p.m. and midnight CDT. During this same time frame, a county deputy encountered around one foot of water flowing over Highway 183 near Glade. When combined with rain from the previous night, the aforementioned station east of Phillipsburg totaled a hefty 48-hour amount of 6.61. Although two-day totals this high were the exception within the area, widespread two-day tallies of at least 3-5 (especially within southern and eastern Phillips County) were common, and this instigated at least minor flooding along several creeks and rivers. At some point between the late evening of the 2nd and Wednesday the 4th, flooding was indicated by automated gauges and/or ground-truth along the following waterways: North Fork Solomon River near Glade (upstream of Kirwin Reservoir), North Fork Solomon River near Portis (upstream of Waconda Lake), South Fork Solomon River near Damar (upstream of Webster Reservoir), Bow Creek in southern Phillips/northern Rooks counties, and Deer Creek and Big Creek in Phillips County. ||Things first got underway between 5:30-7:30 p.m. CDT as a few semi-discrete storms blossomed in the general vicinity of a near-stationary surface front. Following a brief lull, the primary storm cluster expanded northeastward into the area after 9 p.m. CDT, including the aforementioned corridor of heavy rain that fell mainly before midnight. After midnight CDT, convection diminished in intensity but another line of gradually-weakening storms slowly pushed in from the west, dropping more rain on already-saturated areas before dissipating completely by 6 a.m. CDT on the 3rd. In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was high by October standards across North Central Kansas, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","The Phillips County Sheriff reported that one foot of water was flowing over Highway 183 south of Glade where the highway crosses the North Fork of the Solomon River, and this almost caused a deputy to wreck. Storm total precipitation in the area included 4.95 six miles east of Phillipsburg and 3.70 one mile south of Glade. River and creek flooding continued during the overnight and into Tuesday, October 3rd along several area waterways, including the Bow Creek near Stockton and the North Fork Solomon River near Glade." +121053,726263,NEW YORK,2017,October,High Wind,"WESTERN RENSSELAER",2017-10-30 02:00:00,EST-5,2017-10-30 02:09:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple large tree limbs down in the vicinity of North Lake Avenue. Additionally, a 51 mph wind gust was measured in Troy at 3:09 AM. There were about 65,000 customers without power across Rensselaer county." +121053,726264,NEW YORK,2017,October,High Wind,"EASTERN RENSSELAER",2017-10-30 11:45:00,EST-5,2017-10-30 11:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","A tree was reported down near the town of Grafton. There were about 65,000 customers without power across Rensselaer county." +121053,726265,NEW YORK,2017,October,High Wind,"EASTERN GREENE",2017-10-30 07:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Numerous large tree branches were reported down." +119654,717945,TEXAS,2017,October,Flood,"CHILDRESS",2017-10-04 22:00:00,CST-6,2017-10-05 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.7475,-100.4159,34.4878,-100.4159,"Beginning on the evening of the 4th and lasting through the early morning of the 5th, very heavy rains fell over portions of eastern Briscoe, Hall, and western Childress Counties. A very moist atmosphere in place and training convection allowed for an estimated swath of 5-7 inches of rainfall over a widespread area. A river gauge six miles southwest of Brice in Hall County recorded a rainfall amount of 5.71 inches. Although much of the flooding was over rural areas, a small portion of Hall County near Newlin experienced flash flooding. Several vehicles became stranded in which one required a high water rescue. US Highway 287 was closed from Estelline to Memphis late in the evening of the 4th due to high water. Furthermore, much of this rainfall fell directly over the Prairie Dog Town Fork of the Red River basin. This resulted in minor flooding along the river.","Widespread heavy rainfall occurred across eastern Briscoe, Hall, and western Childress Counties from the evening of the 4th through the early morning hours of the 5th. This torrential rainfall brought large scale flooding to western Childress County. Furthermore, minor river flooding occurred along the Prairie Dog Town Fork of the Red River." +119654,717943,TEXAS,2017,October,Flash Flood,"HALL",2017-10-04 21:00:00,CST-6,2017-10-05 01:00:00,0,0,0,0,40.00K,40000,0.00K,0,34.599,-100.4708,34.5718,-100.4643,"Beginning on the evening of the 4th and lasting through the early morning of the 5th, very heavy rains fell over portions of eastern Briscoe, Hall, and western Childress Counties. A very moist atmosphere in place and training convection allowed for an estimated swath of 5-7 inches of rainfall over a widespread area. A river gauge six miles southwest of Brice in Hall County recorded a rainfall amount of 5.71 inches. Although much of the flooding was over rural areas, a small portion of Hall County near Newlin experienced flash flooding. Several vehicles became stranded in which one required a high water rescue. US Highway 287 was closed from Estelline to Memphis late in the evening of the 4th due to high water. Furthermore, much of this rainfall fell directly over the Prairie Dog Town Fork of the Red River basin. This resulted in minor flooding along the river.","Torrential rainfall for several hours near Newlin and areas upstream from the evening of the 4th through the early morning hours of the 5th caused flash flooding along US Highway 287 from Estelline to Newlin. Additional flash flooding was observed along Farm to Market Road 1619 east of Newlin. Rainfall estimates ranged from 5 to 6 inches just upstream of the flash flooded area. Initial reports from Hall County indicated that US Highway 287 was closed due to high water from Estelline to Memphis. Flood waters were deep enough to completely cover the tires of a sheriff deputy's vehicle. Several other vehicles entered high water causing the vehicles to become disabled which resulted in one high water rescue. A 200 foot portion of pavement of Farm to Market Road 1619 was washed out by flash flooding. Furthermore, a Burlington Northern Santa Fe train was unable to proceed in the flooded area due to high water. Many travelers became stranded in Estelline while traveling to Amarillo due to several detours being inundated with high water. US Highway 287 was reopened at 0900 CST on the morning of the 5th." +120208,720244,FLORIDA,2017,October,Rip Current,"BREVARD",2017-10-14 08:00:00,EST-5,2017-10-14 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A man attempted to rescue another man who he witnessed struggling in the surf at Melbourne Beach. The man attempting the rescue apparently suffered a heart attack while fighting a rip current and later died after being transported to a local hospital. The person who was initially struggling in the surf later returned to shore and refused hospital transportation.","Around 1745LST, a 65-year old man who was on land observed a man struggling in the ocean at Spessard Holland Park in Melbourne Beach and two others who were attempting to rescue him. When the two would-be rescuers returned to shore, the 65-year old man went into the surf to attempt a rescue. He then also began to struggle against a rip current and eventually was pulled from the surf with no heartbeat. He was taken to a nearby hospital where he died the following day. An autopsy indicated that he died of a heart attack, but since it occurred during the time he was struggling against a rip current, the event has been listed as a rip current fatality in Storm Data. The original rip current victim was eventually rescued and refused transportation to the hospital." +120042,719361,WISCONSIN,2017,October,Thunderstorm Wind,"COLUMBIA",2017-10-07 16:20:00,CST-6,2017-10-07 16:22:00,0,0,0,0,25.00K,25000,0.00K,0,43.5418,-89.3012,43.5458,-89.2989,"A strong upper trough and cold front resulted in a broken line of convection. An EF0 tornado occurred from Madison to Sun Prairie, and straight-line wind damage occurred in Pardeeville.","Several large trees uprooted or snapped. Large branches also down. Structural damage to several homes from trees landing on them. Two pontoon boats that were resting on boat lifts were overturned into the lake." +120344,721058,WEST VIRGINIA,2017,October,Thunderstorm Wind,"PUTNAM",2017-10-23 13:20:00,EST-5,2017-10-23 13:20:00,0,0,0,0,1.00K,1000,0.00K,0,38.57,-81.98,38.57,-81.98,"As a strengthening low pressure system moved into the Great Lakes on the 23rd, a strong cold front pushed through the middle Ohio River Valley. Showers with isolated rumbles of thunder developed during the mid morning. These thundershowers were able to tap into strong winds just above the surface, pulling that wind to the surface and causing some damage to weak trees.","Several trees were blown down by gusty winds." +119775,718330,OREGON,2017,October,Frost/Freeze,"JACKSON COUNTY",2017-10-12 01:00:00,PST-8,2017-10-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in southwest Oregon.","Reported low temperatures ranged from 28 to 33 degrees." +120091,719589,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-10-23 13:08:00,EST-5,2017-10-23 13:09:00,0,0,0,0,,NaN,,NaN,32.28,-80.41,32.28,-80.41,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Fripp Nearshore Buoy recorded a 35 knot wind gust." +119915,718797,ALABAMA,2017,October,Flood,"COFFEE",2017-10-08 08:40:00,CST-6,2017-10-08 10:15:00,0,0,0,0,0.00K,0,0.00K,0,31.24,-86.16,31.2413,-86.1644,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","Highway 189 just outside Kinston was flooded 2 to 3 inches deep." +119915,718798,ALABAMA,2017,October,Flood,"COFFEE",2017-10-08 08:40:00,CST-6,2017-10-08 10:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4598,-85.92,31.5177,-85.9316,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","Troy Highway was flooded 2 to 3 inches deep." +120482,721821,NEW JERSEY,2017,October,Flood,"MIDDLESEX",2017-10-29 15:48:00,EST-5,2017-10-29 17:48:00,0,0,0,0,0.01K,10,0.01K,10,40.5,-74.3,40.4867,-74.306,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Flooding reported on the Garden State Parkway near Sayreville." +120482,721822,NEW JERSEY,2017,October,Flood,"CAPE MAY",2017-10-29 18:00:00,EST-5,2017-10-29 20:00:00,0,0,0,0,0.01K,10,0.01K,10,39.27,-74.6,39.2803,-74.5786,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Low lying street flooding across the bay front that included Haven Ave." +120482,721823,NEW JERSEY,2017,October,Flood,"MONMOUTH",2017-10-29 18:36:00,EST-5,2017-10-29 20:36:00,0,0,0,0,0.01K,10,0.01K,10,40.3979,-73.9806,40.3958,-73.9586,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Flooding on route 36 near Avenel Blvd." +120624,722728,MASSACHUSETTS,2017,October,High Wind,"SUFFOLK",2017-10-29 22:40:00,EST-5,2017-10-30 03:30:00,0,0,0,0,55.00K,55000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","A tree down on Lanark Road in the Brighton section of Boston damaged several houses and a garage. A tree was down on a house on Kenrick Street in Boston. A tree was down and blocking Bird Street, near Uphams Corners. A tree was down on a house and garage on Mitchell Street. Trees were blocking Gallivan Boulevard, the VFR Parkway, and DeWitt Drive, all in Boston. A tree was down at Washington Street and Nantasket Avenue in Brighton. A tree was blocking Bellevue Hill Road, another blocking M Street. The Automated Surface Observation System platform at Logan International Airport recorded a sustained wind of 46 mph at 249 AM EST." +120624,722730,MASSACHUSETTS,2017,October,High Wind,"WESTERN MIDDLESEX",2017-10-29 20:20:00,EST-5,2017-10-30 02:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 823 PM EST, a tree was blocking Methuen Road in Dracut. A tree was down at Krochmal Farm, and several trees blocked Brown Street in Tewksbury including one falling on a car. A tree fell through the roof of a house on Level Lane in Tewksbury. Two large trees fell on the VFW Parkway in Lowell, while a tree fell on a house on Groton Street. A tree and wires were down on Steadman Street in Lowell, along with a pole and transformer. A tree and wires were down on Essex Street in Lowell. A large tree blocked Billerica Road in North Billerica. A tree fell on Boston Road in Billerica near the Chelmsford town line. A tree fell on a house on Village View Road, Beech Road, and Pine Road in Westford. A tree fell at Great Pond Road and Pleasant Street in North Andover." +120624,722729,MASSACHUSETTS,2017,October,High Wind,"SOUTHEAST MIDDLESEX",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1224 AM EST, an amateur radio operator in Newton reported a wind gust to 54 mph. At 300 AM EST, a tree was reported down on a car on Outlook Road in Wakefield." +120591,722884,VERMONT,2017,October,High Wind,"LAMOILLE",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,400.00K,400000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Numerous tree damage and power outages along with some structural damage with measured wind gusts in the 45-60 mph. Tree and structural damage indicative of >70 mph winds and a gust of 115 mph was measured at the summit of Mount Mansfield." +120591,722866,VERMONT,2017,October,Strong Wind,"ESSEX",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,75.00K,75000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-45 mph range." +120337,723044,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-25 23:11:00,MST-7,2017-10-25 23:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure system from the Canadian Rockies moved across the area, which allowed high winds aloft to mix down to the surface, during which time a few locations experienced wind gusts of greater than 58 mph.","A 61 mph gust was measured at the Malta South DOT site, located on US-191 at milepost 122.5." +120337,723045,MONTANA,2017,October,High Wind,"MCCONE",2017-10-26 01:50:00,MST-7,2017-10-26 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure system from the Canadian Rockies moved across the area, which allowed high winds aloft to mix down to the surface, during which time a few locations experienced wind gusts of greater than 58 mph.","A 61 mph wind gust was measured at the Fort Peck Dam." +120520,722034,HAWAII,2017,October,Drought,"BIG ISLAND NORTH AND EAST",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120520,722035,HAWAII,2017,October,Drought,"KOHALA",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120520,722036,HAWAII,2017,October,Drought,"BIG ISLAND INTERIOR",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120520,723601,HAWAII,2017,October,Drought,"KAUAI LEEWARD",2017-10-01 00:00:00,HST-10,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although October was a rainy month for much of the Aloha State; portions of Kauai, Molokai, Maui, and the Big Island of Hawaii remained in drought conditions (mostly D2, severe drought, in the Drought Monitor, with small areas of the Big Island in D3, extreme drought).","" +120859,723633,LAKE HURON,2017,October,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-10-07 21:50:00,EST-5,2017-10-07 21:50:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-83.29,43.95,-83.29,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +120895,723807,NEW MEXICO,2017,October,Heavy Rain,"HIDALGO",2017-10-04 16:00:00,MST-7,2017-10-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,31.9265,-108.742,31.9265,-108.742,"A deep south to southeast low level flow brought plenty of moisture into southern New Mexico. A weak disturbance aloft helped to trigger thunderstorms over the region which moved very slowly and produced locally heavy rain and flash flooding around Animas.","A total of 3.60 inches of rain was reported about 3 miles southeast of Animas." +120401,721281,WASHINGTON,2017,October,High Wind,"EVERETT AND VICINITY",2017-10-18 15:25:00,PST-8,2017-10-18 17:25:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","KPAE had sustained wind 30 mph or greater from 325 PM to 430 PM. Highest sustained wind was 33 mph with a peak gust of 46 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120149,723837,SOUTH DAKOTA,2017,October,High Wind,"NORTHERN MEADE CO PLAINS",2017-10-23 13:00:00,MST-7,2017-10-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient in place across the area behind a passing cold front produced strong wind gusts across much of the northwestern South Dakota plains. Wind gusts to 60 mph were noted during the midday and early afternoon hours.","" +120149,723838,SOUTH DAKOTA,2017,October,High Wind,"PERKINS",2017-10-23 13:00:00,MST-7,2017-10-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient in place across the area behind a passing cold front produced strong wind gusts across much of the northwestern South Dakota plains. Wind gusts to 60 mph were noted during the midday and early afternoon hours.","" +120149,723839,SOUTH DAKOTA,2017,October,High Wind,"ZIEBACH",2017-10-23 13:00:00,MST-7,2017-10-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tight pressure gradient in place across the area behind a passing cold front produced strong wind gusts across much of the northwestern South Dakota plains. Wind gusts to 60 mph were noted during the midday and early afternoon hours.","" +120900,723840,WYOMING,2017,October,High Wind,"WYOMING BLACK HILLS",2017-10-22 21:00:00,MST-7,2017-10-22 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought a brief period of strong winds in the Beulah area of Crook County. Wind gusts around 65 mph occurred during the late evening.","" +120160,723845,SOUTH DAKOTA,2017,October,High Wind,"HARDING",2017-10-26 01:00:00,MST-7,2017-10-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723846,SOUTH DAKOTA,2017,October,High Wind,"PERKINS",2017-10-26 02:00:00,MST-7,2017-10-26 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723847,SOUTH DAKOTA,2017,October,High Wind,"BUTTE",2017-10-26 02:00:00,MST-7,2017-10-26 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723848,SOUTH DAKOTA,2017,October,High Wind,"NORTHERN MEADE CO PLAINS",2017-10-26 01:00:00,MST-7,2017-10-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723849,SOUTH DAKOTA,2017,October,High Wind,"ZIEBACH",2017-10-26 03:00:00,MST-7,2017-10-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723850,SOUTH DAKOTA,2017,October,High Wind,"RAPID CITY",2017-10-26 02:30:00,MST-7,2017-10-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +121035,724694,OREGON,2017,October,Flood,"TILLAMOOK",2017-10-22 02:26:00,PST-8,2017-10-22 02:50:00,0,0,0,0,0.00K,0,0.00K,0,45.7057,-123.7619,45.7014,-123.7556,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Heavy rain caused the Nehalem River near Foss to flood. The river crested at 15.02 feet, which is 0.02 foot above flood stage." +121035,724698,OREGON,2017,October,Flood,"BENTON",2017-10-22 03:31:00,PST-8,2017-10-22 12:39:00,0,0,0,0,0.00K,0,0.00K,0,44.7164,-123.8855,44.7167,-123.8917,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Heavy rain caused the Siletz River at Siletz to flood. The river crested at 19.07 feet, which is 3.07 feet above flood stage." +121035,724633,OREGON,2017,October,High Wind,"CENTRAL COAST RANGE OF W OREGON",2017-10-21 14:12:00,PST-8,2017-10-22 00:12:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","The remote automated weather station at Rockhouse recorded wind gusts up to 78 mph." +121056,724716,ATLANTIC NORTH,2017,October,Marine High Wind,"EASTPORT ME TO SCHOODIC POINT ME OUT 25 NM",2017-10-30 02:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,44.9,-67,44.9,-67,"A strong low level jet crossed the Gulf of Maine during the morning of the 30th. Storm force wind gusts of 50 to 60 knots were common...with peak wind gusts approaching hurricane force. A peak wind gust of 63 knots was reported at the Brooklin Boatyard in coastal Hancock county. The winds toppled...snapped or damaged numerous trees along the coast. The falling trees extensively damaged the electrical grid with snapped utility poles and downed power lines. Structural damage to roofs...shingles...siding and signs also occurred along the coast.","Wind gusts of 40 to 50 knots were common through the morning of the 30th with a low level jet crossing the region. Peak wind gusts approached hurricane force across western portions of the region toward Schoodic Point where estimated gusts peaked at around 60 knots." +121096,725018,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 01:05:00,MST-7,2017-10-22 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 72 mph at 22/0120 MST." +121096,725019,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 07:00:00,MST-7,2017-10-22 17:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 22/1150 MST." +121096,725020,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 10:35:00,MST-7,2017-10-22 15:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 22/1135 MST." +121096,725021,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 01:35:00,MST-7,2017-10-22 02:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured sustained winds of 40 mph or higher, with a peak gust of 68 mph at 22/0150 MST." +121096,725022,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 05:25:00,MST-7,2017-10-22 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured wind gusts of 58 mph or higher, with a peak gust of 69 mph at 22/0855 MST." +120393,721186,CALIFORNIA,2017,October,High Wind,"OWENS VALLEY",2017-10-08 16:19:00,PST-8,2017-10-08 16:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought gusty north winds to much of the Mojave Desert. Isolated high winds occurred.","This gust occurred at Bishop Airport (KBIH)." +120392,721185,ARIZONA,2017,October,High Wind,"LAKE MEAD NATIONAL RECREATION AREA",2017-10-09 01:55:00,MST-7,2017-10-09 01:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought gusty north winds to much of the Mojave Desert. Isolated high winds occurred.","This gust occurred at Bullhead City Airport (KIFP)." +120394,721187,NEVADA,2017,October,High Wind,"LAS VEGAS VALLEY",2017-10-08 20:10:00,PST-8,2017-10-08 20:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front brought gusty north winds to much of the Mojave Desert. Isolated high winds occurred.","This gust occurred at Nellis Air Force Base (KLSV)." +120317,724710,NORTH CAROLINA,2017,October,Debris Flow,"ASHE",2017-10-23 17:40:00,EST-5,2017-10-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4598,-81.5305,36.4602,-81.5305,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","A mudslide blocked a road in the Warrensville area." +120317,724708,NORTH CAROLINA,2017,October,Debris Flow,"ASHE",2017-10-23 17:46:00,EST-5,2017-10-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4178,-81.2705,36.4189,-81.2705,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z (8 AM EDT)/23 RNK (Blacksburg) and 1.57��� on the 12z (8 AM EDT) GSO (Greensboro) soundings, with sea-level values of 1.75��� to 2���. These are roughly three standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area. The IFLOWS rain gage at Sandy Flats (SDRN7) just southwest of Boone had 2.73��� in a 2-hour period ending at 400 PM, close to a 10-year (0.1 AEP) annual recurrence interval. Flooding was described as 'historic' by some observers ranking close to that seen in Hurricane Hugo in 1989.","A mudslide caused by heavy rain blocked a road in the Laurel Springs area." +120885,723771,VIRGINIA,2017,October,Strong Wind,"CARROLL",2017-10-29 15:15:00,EST-5,2017-10-29 23:35:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"Strong northwest winds behind a cold front brought gusty winds to the higher elevations of southwest Virginia. In Patrick County, these winds brought down a tree that fell onto a vehicle.","Strong winds blew a tree down onto a vehicle on Raven Rock Road near Ararrat." +120886,723785,VIRGINIA,2017,October,Thunderstorm Wind,"GALAX (C)",2017-10-23 16:45:00,EST-5,2017-10-23 16:45:00,0,0,0,0,2.00K,2000,,NaN,36.6539,-80.9198,36.6539,-80.9198,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm wind gusts brought down a utility pole at the intersection of South Main and Long Street in Galax." +120175,724834,MISSISSIPPI,2017,October,Tropical Storm,"HANCOCK",2017-10-07 18:00:00,CST-6,2017-10-08 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate began as a tropical depression over the northwest Caribbean Sea on the morning of October 4th and moved fairly rapidly northward, with forward speeds in excess of 20 mph, for the next several days while gaining strength. The storm moved north-northwestward through much of the day on the 7th, as it approached southeast Louisiana before turning northward.||Two landfalls occurred in the CWA. The first was near the mouth of the Mississippi River at 7 pm CDT as a Category 1 hurricane. The second landfall was near Biloxi, Mississippi at 1230 am CDT October 8th, also as a Category 1 hurricane. As the hurricane approached southeast Louisiana and coastal Mississippi, it became asymmetric with much of shower and thunderstorm activity along with the stronger winds primarily on the east side of the system. The storm continued moving rapidly to the north and north-northeast, and had weakened to a tropical depression near Birmingham, Alabama by 10 am CDT on the 8th.||Minor impacts due to storm surge flooding were noted over several parishes in southeast Louisiana, while moderate impacts due to strong winds and storm surge were noted over the Mississippi coastal counties. Storm tides of 4 to 8 feet were generally noted along the Mississippi Coast resulting in storm surge values (water levels above normal astronomical levels) ranging from 2 to 4 feet in western areas to 4 to 7 feet in eastern sections. Minor to moderate impacts were noted from storm surge. ||In southeast Louisiana, storm tides of 2 to 4.5 ft were noted resulting in storm surge of surge (water levels above astronomical tides) of 1 to 3 feet. Only minor impacts from storm surge were reported. ||The lowest measured barometric pressure was 984.4 mb at a Weatherflow station near Biloxi. Keesler Air Force Base in Biloxi recorded a maximum sustained wind of 46 kt (53 mph) and a 61 knot (70 mph) gust at 2253CST on Aug 7. A shipyard at Pascagoula Mississippi recorded a wind gust 71 kts (82 mph) on a anemometer with height of 19.8 Meters||In Louisiana, the lowest pressure was recorded at the Southwest Pass NOAA CMAN station (BURL1) with a reading of 989.5mb. Maximum winds were recorded at the Pilot Station automated weather station (PSTL1) with a maximum sustained wind of 46 kt (53 mph) gusting to 57 Kts (66 mph) at 1554CST on Aug 7. Anemometer height of 20.3 meters||Rain amounts of 3 to 6 inches were common over the Mississippi coastal counties. Rainfall in Louisiana was generally 2 inches or less.","Hurricane Nate brought tropical storm force winds gusts to the southeast portion of Hancock County. A wind gust of 51 mph was recorded at 2136 CST on Oct 7 at the Waveland NOS weather/tide monitoring station. Only minor if any impacts occurred due to the the wind gusts." +121119,725114,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-10-24 00:15:00,EST-5,2017-10-24 00:16:00,0,0,0,0,0.00K,0,0.00K,0,33.9624,-77.9437,33.9624,-77.9437,"Strong nocturnal thunderstorms eventually moved off the coast of southeast North Carolina.","A 58 mph thunderstorm wind gust was recorded on the Federal Point WeatherFlow sensor. This sensor is 50 feet above the surface." +120641,722698,KANSAS,2017,October,Hail,"PHILLIPS",2017-10-01 17:53:00,CST-6,2017-10-01 17:53:00,0,0,0,0,25.00K,25000,150.00K,150000,39.5898,-99.5269,39.5898,-99.5269,"October got off to an active start within this six-county North Central Kansas area, beginning right away during the late afternoon and evening of Sunday the 1st, as an isolated severe supercell storm tracked from southern Phillips and far northwestern Rooks counties, east-northeastward through parts of Smith and far northwestern Jewell counties before departing into Nebraska. Above all else, it was a prolific large hail producer, yielding several reports of golf ball to even baseball size stones, with the largest reported near Agra. In addition to the hail, a very brief rope tornado touched down in northwestern Rooks County, approximately 13 miles northwest of Stockton, with no reported damage (this EF-0 was the only documented tornado of 2017 in this six-county area). Although a narrow swath of heavy rain fell along this storm's path, its motion was progressive enough to mitigate flooding issues, with the highest ground-truth total consisting of 1.66 six miles east of Phillipsburg. ||Breaking down timing and evolution, this severe storm evolved from a convective cluster that initiated in the Oakley area of northwest Kansas around 4 p.m. CDT. By the time it entered the local area along the Phillips-Rooks County line around 6:30 p.m. CDT it was an established supercell with a history of severe weather. Although there were several ground-truth hail reports as it drifted through parts of Phillips into far western Smith counties, there was a pronounced lack of additional reports over northern Smith and far northwestern Jewell counties, despite radar signatures strongly suggesting a continued hail threat. Eventually this long-lived storm exited into Nebraska around 9:30 p.m. CDT, and while there were no additional severe storms on this night, scattered non-severe convection rumbled through various counties from around 10:30 p.m. CDT until well past midnight. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, the aforementioned supercell developed northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Around the time this storm entered North Central Kansas, mesoscale analysis featured an impressive combination of around 2000 J/kg mixed-layer CAPE, 50 knots of effective deep-layer wind shear and around 250 m2/s2 of 0-1 kilometer storm-relative helicity (SRH).","" +120641,722701,KANSAS,2017,October,Hail,"PHILLIPS",2017-10-01 18:40:00,CST-6,2017-10-01 18:40:00,0,0,0,0,150.00K,150000,150.00K,150000,39.77,-99.12,39.77,-99.12,"October got off to an active start within this six-county North Central Kansas area, beginning right away during the late afternoon and evening of Sunday the 1st, as an isolated severe supercell storm tracked from southern Phillips and far northwestern Rooks counties, east-northeastward through parts of Smith and far northwestern Jewell counties before departing into Nebraska. Above all else, it was a prolific large hail producer, yielding several reports of golf ball to even baseball size stones, with the largest reported near Agra. In addition to the hail, a very brief rope tornado touched down in northwestern Rooks County, approximately 13 miles northwest of Stockton, with no reported damage (this EF-0 was the only documented tornado of 2017 in this six-county area). Although a narrow swath of heavy rain fell along this storm's path, its motion was progressive enough to mitigate flooding issues, with the highest ground-truth total consisting of 1.66 six miles east of Phillipsburg. ||Breaking down timing and evolution, this severe storm evolved from a convective cluster that initiated in the Oakley area of northwest Kansas around 4 p.m. CDT. By the time it entered the local area along the Phillips-Rooks County line around 6:30 p.m. CDT it was an established supercell with a history of severe weather. Although there were several ground-truth hail reports as it drifted through parts of Phillips into far western Smith counties, there was a pronounced lack of additional reports over northern Smith and far northwestern Jewell counties, despite radar signatures strongly suggesting a continued hail threat. Eventually this long-lived storm exited into Nebraska around 9:30 p.m. CDT, and while there were no additional severe storms on this night, scattered non-severe convection rumbled through various counties from around 10:30 p.m. CDT until well past midnight. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, the aforementioned supercell developed northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Around the time this storm entered North Central Kansas, mesoscale analysis featured an impressive combination of around 2000 J/kg mixed-layer CAPE, 50 knots of effective deep-layer wind shear and around 250 m2/s2 of 0-1 kilometer storm-relative helicity (SRH).","Hail ranging in size from half dollars to baseballs was reported." +120641,722702,KANSAS,2017,October,Hail,"SMITH",2017-10-01 18:49:00,CST-6,2017-10-01 19:01:00,0,0,0,0,150.00K,150000,150.00K,150000,39.77,-99.03,39.77,-99.03,"October got off to an active start within this six-county North Central Kansas area, beginning right away during the late afternoon and evening of Sunday the 1st, as an isolated severe supercell storm tracked from southern Phillips and far northwestern Rooks counties, east-northeastward through parts of Smith and far northwestern Jewell counties before departing into Nebraska. Above all else, it was a prolific large hail producer, yielding several reports of golf ball to even baseball size stones, with the largest reported near Agra. In addition to the hail, a very brief rope tornado touched down in northwestern Rooks County, approximately 13 miles northwest of Stockton, with no reported damage (this EF-0 was the only documented tornado of 2017 in this six-county area). Although a narrow swath of heavy rain fell along this storm's path, its motion was progressive enough to mitigate flooding issues, with the highest ground-truth total consisting of 1.66 six miles east of Phillipsburg. ||Breaking down timing and evolution, this severe storm evolved from a convective cluster that initiated in the Oakley area of northwest Kansas around 4 p.m. CDT. By the time it entered the local area along the Phillips-Rooks County line around 6:30 p.m. CDT it was an established supercell with a history of severe weather. Although there were several ground-truth hail reports as it drifted through parts of Phillips into far western Smith counties, there was a pronounced lack of additional reports over northern Smith and far northwestern Jewell counties, despite radar signatures strongly suggesting a continued hail threat. Eventually this long-lived storm exited into Nebraska around 9:30 p.m. CDT, and while there were no additional severe storms on this night, scattered non-severe convection rumbled through various counties from around 10:30 p.m. CDT until well past midnight. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, the aforementioned supercell developed northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Around the time this storm entered North Central Kansas, mesoscale analysis featured an impressive combination of around 2000 J/kg mixed-layer CAPE, 50 knots of effective deep-layer wind shear and around 250 m2/s2 of 0-1 kilometer storm-relative helicity (SRH).","Hail ranging in size from golf balls to hen eggs was reported in and near Kensington." +120641,722704,KANSAS,2017,October,Hail,"PHILLIPS",2017-10-01 18:50:00,CST-6,2017-10-01 19:00:00,0,0,0,0,150.00K,150000,150.00K,150000,39.6922,-99.1895,39.6689,-99.2853,"October got off to an active start within this six-county North Central Kansas area, beginning right away during the late afternoon and evening of Sunday the 1st, as an isolated severe supercell storm tracked from southern Phillips and far northwestern Rooks counties, east-northeastward through parts of Smith and far northwestern Jewell counties before departing into Nebraska. Above all else, it was a prolific large hail producer, yielding several reports of golf ball to even baseball size stones, with the largest reported near Agra. In addition to the hail, a very brief rope tornado touched down in northwestern Rooks County, approximately 13 miles northwest of Stockton, with no reported damage (this EF-0 was the only documented tornado of 2017 in this six-county area). Although a narrow swath of heavy rain fell along this storm's path, its motion was progressive enough to mitigate flooding issues, with the highest ground-truth total consisting of 1.66 six miles east of Phillipsburg. ||Breaking down timing and evolution, this severe storm evolved from a convective cluster that initiated in the Oakley area of northwest Kansas around 4 p.m. CDT. By the time it entered the local area along the Phillips-Rooks County line around 6:30 p.m. CDT it was an established supercell with a history of severe weather. Although there were several ground-truth hail reports as it drifted through parts of Phillips into far western Smith counties, there was a pronounced lack of additional reports over northern Smith and far northwestern Jewell counties, despite radar signatures strongly suggesting a continued hail threat. Eventually this long-lived storm exited into Nebraska around 9:30 p.m. CDT, and while there were no additional severe storms on this night, scattered non-severe convection rumbled through various counties from around 10:30 p.m. CDT until well past midnight. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, the aforementioned supercell developed northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Around the time this storm entered North Central Kansas, mesoscale analysis featured an impressive combination of around 2000 J/kg mixed-layer CAPE, 50 knots of effective deep-layer wind shear and around 250 m2/s2 of 0-1 kilometer storm-relative helicity (SRH).","Hail up to the size of golf balls was reported. A portion of Highway 9 east of Glade was covered with 1-2 inches of hail." +120641,722708,KANSAS,2017,October,Tornado,"ROOKS",2017-10-01 17:57:00,CST-6,2017-10-01 17:57:00,0,0,0,0,0.00K,0,0.00K,0,39.5499,-99.4754,39.5499,-99.4754,"October got off to an active start within this six-county North Central Kansas area, beginning right away during the late afternoon and evening of Sunday the 1st, as an isolated severe supercell storm tracked from southern Phillips and far northwestern Rooks counties, east-northeastward through parts of Smith and far northwestern Jewell counties before departing into Nebraska. Above all else, it was a prolific large hail producer, yielding several reports of golf ball to even baseball size stones, with the largest reported near Agra. In addition to the hail, a very brief rope tornado touched down in northwestern Rooks County, approximately 13 miles northwest of Stockton, with no reported damage (this EF-0 was the only documented tornado of 2017 in this six-county area). Although a narrow swath of heavy rain fell along this storm's path, its motion was progressive enough to mitigate flooding issues, with the highest ground-truth total consisting of 1.66 six miles east of Phillipsburg. ||Breaking down timing and evolution, this severe storm evolved from a convective cluster that initiated in the Oakley area of northwest Kansas around 4 p.m. CDT. By the time it entered the local area along the Phillips-Rooks County line around 6:30 p.m. CDT it was an established supercell with a history of severe weather. Although there were several ground-truth hail reports as it drifted through parts of Phillips into far western Smith counties, there was a pronounced lack of additional reports over northern Smith and far northwestern Jewell counties, despite radar signatures strongly suggesting a continued hail threat. Eventually this long-lived storm exited into Nebraska around 9:30 p.m. CDT, and while there were no additional severe storms on this night, scattered non-severe convection rumbled through various counties from around 10:30 p.m. CDT until well past midnight. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, the aforementioned supercell developed northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Around the time this storm entered North Central Kansas, mesoscale analysis featured an impressive combination of around 2000 J/kg mixed-layer CAPE, 50 knots of effective deep-layer wind shear and around 250 m2/s2 of 0-1 kilometer storm-relative helicity (SRH).","A brief tornado touched down in far northwestern Rooks County. No damage was reported from this tornado, which was reported by multiple people in the general area at the time." +121064,724891,VIRGINIA,2017,October,Thunderstorm Wind,"BRUNSWICK",2017-10-23 23:35:00,EST-5,2017-10-23 23:35:00,0,0,0,0,10.00K,10000,0.00K,0,36.84,-77.92,36.84,-77.92,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and one tornado across portions of central and south central Virginia.","Trees were downed on Interstate 85 near Mile Marker 27, and it resulted in a tractor trailer flipping over after it struck the fallen trees." +121064,724896,VIRGINIA,2017,October,Tornado,"KING WILLIAM",2017-10-24 02:00:00,EST-5,2017-10-24 02:02:00,0,0,0,0,50.00K,50000,0.00K,0,37.627,-76.9491,37.6324,-76.9481,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and one tornado across portions of central and south central Virginia.","An EF0 tornado tracked quickly across Rose Garden, VA. Numerous trees were downed or snapped. There was damage to 14 structures, including outbuildings, and some cars were damaged along the 1500 block of West Rose Garden Road." +121136,725404,ALABAMA,2017,October,Flash Flood,"CHAMBERS",2017-10-09 08:00:00,CST-6,2017-10-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,32.856,-85.2123,32.8724,-85.1894,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Heavy rainfall caused extensive flash flooding over eastern Chambers County. Several roads flooded and impassable along Highway 29 in the city of Lanett, and along Highway 29 at Fob James Drive." +121136,725813,ALABAMA,2017,October,Tropical Storm,"ELMORE",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120705,725199,MINNESOTA,2017,October,Heavy Snow,"SOUTHERN LAKE",2017-10-26 23:00:00,CST-6,2017-10-28 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Observer 3 miles north northeast of Finland had 24-hour snowfall of 8.8. With several other neighboring reports of 6-10 of snow over the duration of the event." +121215,725724,MONTANA,2017,October,Drought,"PETROLEUM",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Extreme (D3) drought conditions were present across most of Petroleum county at the beginning of the month, improving slightly to Severe (D2) drought conditions by the end of the month. The area received between approximately one quarter and three quarters of an inch of precipitation, which was up to half an inch below normal for the month." +121215,725726,MONTANA,2017,October,Drought,"MCCONE",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe to Extreme (D2 to D3) drought conditions were present across McCone county at the beginning of the month, which persisted through the month of October. The area received between approximately one third and half of an inch of precipitation, which was around half of an inch below normal for the month." +121215,725725,MONTANA,2017,October,Drought,"GARFIELD",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe to Extreme (D2 to D3) drought conditions were present across Garfield county at the beginning of the month, which persisted through the month of October. The area received between approximately half of an inch and one and a quarter inches of precipitation, which generally was a quarter of an inch below normal to a quarter of an inch above normal for the month." +121215,725727,MONTANA,2017,October,Drought,"RICHLAND",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe to Extreme (D2 to D3) drought conditions were present across McCone county at the beginning of the month, improving slightly to Severe (D2) drought conditions by the end of the month of October. The area received between approximately half an inch to just over one inch of precipitation, which ranged from around half of an inch below normal to near normal for the month." +120608,722472,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:17:00,CST-6,2017-10-06 17:17:00,0,0,0,0,,NaN,,NaN,38.36,-98.81,38.36,-98.81,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +120610,722506,KANSAS,2017,October,Lightning,"CHASE",2017-10-09 15:05:00,CST-6,2017-10-09 15:05:00,3,0,0,0,,NaN,,NaN,38.176,-96.4682,38.176,-96.4682,"A broken line of thunderstorms developed just to the northwest of a low pressure area that moved along the Kansas Oklahoma border. The line of thunderstorms moved along the Kansas Turnpike, and produced a lightning strike that injured 3 state transportation workers in a vehicle. Two the injuries were no serious, but one of the injuries was serious enough for hospitalization.","Three state transportation workers were injured, while working along the Kansas Turnpike, when their vehicle was struck by lightning. One worker was inside the vehicle, while two others were nearby. All three of the employees were taken to the hospital, two were treated and released, while the other was hospitalized in fair condition." +116301,712756,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:15:00,CST-6,2017-07-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-94.39,44.45,-94.39,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119660,718824,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 04:45:00,EST-5,2017-08-08 04:45:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-76.79,37.26,-76.79,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.79 inches was measured at Five Forks (1 W)." +119660,718825,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 04:47:00,EST-5,2017-08-08 04:47:00,0,0,0,0,0.00K,0,0.00K,0,37.7,-75.71,37.7,-75.71,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.21 inches was measured at Tasley." +119660,718826,VIRGINIA,2017,August,Heavy Rain,"SURRY",2017-08-08 04:48:00,EST-5,2017-08-08 04:48:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-76.81,37.17,-76.81,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.76 inches was measured at Scotland (1 WSW)." +119660,718827,VIRGINIA,2017,August,Heavy Rain,"DINWIDDIE",2017-08-08 04:58:00,EST-5,2017-08-08 04:58:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-77.69,37.13,-77.69,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.04 inches was measured at Walkers (1 SE)." +116301,712704,MINNESOTA,2017,July,Hail,"SWIFT",2017-07-09 19:15:00,CST-6,2017-07-09 19:15:00,0,0,0,0,0.00K,0,0.00K,0,45.32,-96.09,45.32,-96.09,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712705,MINNESOTA,2017,July,Hail,"SWIFT",2017-07-09 19:17:00,CST-6,2017-07-09 19:17:00,0,0,0,0,0.00K,0,0.00K,0,45.32,-96.08,45.32,-96.08,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119658,718764,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-08 04:00:00,EST-5,2017-08-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-75.13,38.45,-75.13,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.47 inches was measured at Bishopville (3 E)." +113096,676427,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-03-23 12:10:00,EST-5,2017-03-23 12:10:00,0,0,0,0,0.00K,0,0.00K,0,27.656,-80.376,27.656,-80.376,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","The ASOS at the Vero Beach Airport, KVRB, measured a peak wind gust of 46 knots out of the northeast as strong thunderstorms pushed onshore the Treasure Coast." +113096,676428,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 08:35:00,EST-5,2017-03-23 08:35:00,0,0,0,0,0.00K,0,0.00K,0,28.4084,-80.7482,28.4084,-80.7482,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 1000 near the Indian River Lagoon just north of SR 528 recorded a peak wind gust of 38 knots out of the north as thunderstorms moved over the river." +113100,676429,FLORIDA,2017,March,Hail,"SEMINOLE",2017-03-22 18:17:00,EST-5,2017-03-22 18:17:00,0,0,0,0,0.00K,0,0.00K,0,28.66,-81.27,28.66,-81.27,"A sea breeze collision combined with abnormally cold temperatures aloft generated isolated thunderstorms during the late afternoon, one of which produced penny sized hail in Winter Springs.","A trained spotter in Winter Springs reported penny sized hail during a strong thunderstorm. Duration unknown." +115643,694861,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-04-06 13:45:00,EST-5,2017-04-06 13:45:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 37 knots was reported at Martin State." +115643,694862,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-04-06 13:51:00,EST-5,2017-04-06 13:51:00,0,0,0,0,,NaN,,NaN,39.3849,-76.3164,39.3849,-76.3164,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 56 knots was reported based on thunderstorm wind damage nearby." +116993,703666,NEW YORK,2017,May,Hail,"ONTARIO",2017-05-18 15:12:00,EST-5,2017-05-18 15:12:00,0,0,0,0,,NaN,,NaN,42.92,-77.04,42.92,-77.04,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703667,NEW YORK,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-18 15:30:00,EST-5,2017-05-18 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.64,-77.79,42.64,-77.79,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +116993,703668,NEW YORK,2017,May,Thunderstorm Wind,"ONTARIO",2017-05-18 15:41:00,EST-5,2017-05-18 15:41:00,0,0,0,0,12.00K,12000,0.00K,0,42.87,-76.98,42.87,-76.98,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Thunderstorm winds downed trees and large branches which blocked sections of St. Clair Street." +116990,703650,NEW YORK,2017,May,Frost/Freeze,"CHAUTAUQUA",2017-05-07 21:05:00,EST-5,2017-05-08 07:25:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Unusually cold temperatures for early May resulted in a freeze across the interior sections of Chautauqua County overnight. The temperature fell below freezing for eight hours with a low of 30 degrees in Clymer.","" +116991,703651,NEW YORK,2017,May,Frost/Freeze,"CHAUTAUQUA",2017-05-08 22:15:00,EST-5,2017-05-09 06:45:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Unusually cold temperatures for early May resulted in a freeze across the interior sections of western Southern Tier including parts of southern Erie, Chautauqua and Wyoming Counties overnight. The temperature fell below freezing for up to eight hours in some locations. Recorded low temperatures included 30 degrees in Clymer, 31 degrees in Warsaw and 29 degrees in East Aurora.","" +118296,710887,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 15:23:00,EST-5,2017-06-15 15:23:00,0,0,0,0,12.00K,12000,0.00K,0,42.79,-77.8,42.79,-77.8,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Thunderstorm winds downed trees and power lines near Geneseo." +118298,710898,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 14:32:00,EST-5,2017-06-18 14:32:00,0,0,0,0,10.00K,10000,0.00K,0,42.41,-79.1,42.41,-79.1,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on Dye Road." +118298,710899,NEW YORK,2017,June,Thunderstorm Wind,"CATTARAUGUS",2017-06-18 15:06:00,EST-5,2017-06-18 15:06:00,0,0,0,0,10.00K,10000,0.00K,0,42.29,-79.02,42.29,-79.02,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710900,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 15:17:00,EST-5,2017-06-18 15:17:00,0,0,0,0,10.00K,10000,0.00K,0,42.05,-79.13,42.05,-79.13,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Trained Spotters reported trees and wires downed by thunderstorm winds." +121686,728376,NEW YORK,2017,June,Coastal Flood,"MONROE",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723310,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:26:00,EST-5,2017-09-04 21:26:00,0,0,0,0,10.00K,10000,0.00K,0,42.49,-79.34,42.49,-79.34,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees down by thunderstorm winds." +120768,723311,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:28:00,EST-5,2017-09-04 21:28:00,0,0,0,0,20.00K,20000,0.00K,0,42.36,-79.55,42.36,-79.55,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Thunderstorm winds lifted a garage off its foundation." +120768,723312,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:30:00,EST-5,2017-09-04 21:30:00,0,0,0,0,15.00K,15000,0.00K,0,42.32,-79.58,42.32,-79.58,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees down by thunderstorm winds along Route 20 in Westfield." +121683,728354,NEW YORK,2017,September,Coastal Flood,"NORTHERN CAYUGA",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +113821,681493,NEVADA,2017,February,Flood,"HUMBOLDT",2017-02-07 13:00:00,PST-8,2017-02-09 18:00:00,0,0,0,0,3.00M,3000000,0.00K,0,40.855,-117.4329,40.8795,-118.938,"Rain on a much above normal snow pack combined with frozen ground caused extensive flooding across northern Nevada, especially across Elko county. The excessive runoff caused the Twenty One Mile dam north of Montello to fail sending flood waters 2-3 feet deep down Twenty One Mile Creek flooding buildings at the Gamble Ranch and washing out a section of State Route 233 and railroad tracks. Flooding also stopped trains traveling through northern Elko County as tracks were underwater. About 30 homes and a few businesses in both Montello and Wells were flooded along with some homes and outbuildings in rural areas. Many rural roads were damaged and had washouts. US highway 93 was closed both south and north of Wells for a time as flood waters submerged the road. Salmon Falls Creek overflowed US highway 93 and completely submerged the adjoining rest area. Extensive shoulder damage was reported along US Highway 93 mainly north of Wells. Humboldt county reported over 68 rural roads that were damaged by the flooding. Residents of Paradise Valley were inundated on at least two separate occasions as water poured off the Santa Rosa Mountains through the various creeks surrounding the town. All the runoff caused the Humboldt River to rise above flood stage. This caused extensive flooding of homes and businesses along and near the Humboldt River in Elko. Interstate 80 between Elko and Wells was reduced to one lane in places due to flood waters over the road. A total of 25 homes in Elko, Wells, and Montello were totally destroyed or suffered extensive damage.","Residents of Paradise Valley were inundated on at least two separate occasions as water poured off the Santa Rosa Mountains through the various creeks surrounding the town. Humboldt county reported over 68 rural roads that were damaged by the flooding. Damages are estimated." +114314,684997,ARIZONA,2017,February,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS SOUTH OF HIGHWAY 264",2017-02-27 18:00:00,MST-7,2017-02-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","A trained spotter just north of the zone border in the community of Steamboat (6400 feet elevation) reported 18-20 inches of snow in 24 hours. The Department of Highways in Keems Canyon reported 4 to 6 inches of new snow in the Community of Keems Canyon with up to 10 inches in some of the surrounding areas. Eighteen inches of snow fell in Ganado at around 6,400 feet elevation. Around 14 inches of snow fell in White Cone at an elevation of 6160 feet above sea level. Ten inches of snow fell in the community of Cornfields at around 6100 feet elevation. Eight inches of new snow fell in Greasewood Springs at about 6000 feet elevation. Six inches of snow fell in Indian Wells at about 5800 feet. Six inches of snow fell in Teesto." +114314,685002,ARIZONA,2017,February,Heavy Snow,"NORTHEAST PLATEAUS AND MESAS FROM HIGHWAY 264 NORTH",2017-02-27 17:00:00,MST-7,2017-02-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","The Department of Highways in Keems Canyon reported 4 to 6 inches of new snow in the Community of Keems Canyon with up to 10 inches in some of the surrounding areas." +114314,685005,ARIZONA,2017,February,Heavy Snow,"WHITE MOUNTAINS",2017-02-27 21:00:00,MST-7,2017-02-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Eleven inches of snow fell at Sunrise Ski Park at 10,400 feet." +117096,704655,ALABAMA,2017,April,Strong Wind,"LOWER MOBILE",2017-04-30 19:28:00,CST-6,2017-04-30 19:28:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind a line of showers and thunderstorms and caused tree limb damage and scattered power outages.","Mobile Regional Airport ASOS measured a peak wind gust of 49 mph. Frequent gusts of 40 to 50 mph resulted in downed trees and power lines across southern Mobile County." +119982,719025,OHIO,2017,August,Thunderstorm Wind,"LAKE",2017-08-11 10:15:00,EST-5,2017-08-11 10:15:00,0,0,0,0,2.00K,2000,0.00K,0,41.67,-81.22,41.67,-81.22,"A broken line of thunderstorms developed over northern Ohio on August 11th. There were a couple reports of damage from this line.","Thunderstorm winds downed a couple of trees near Concord." +119982,719026,OHIO,2017,August,Hail,"CUYAHOGA",2017-08-11 16:54:00,EST-5,2017-08-11 16:54:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-81.57,41.47,-81.57,"A broken line of thunderstorms developed over northern Ohio on August 11th. There were a couple reports of damage from this line.","Nickel sized hail was observed." +119989,719041,OHIO,2017,August,Hail,"STARK",2017-08-19 13:53:00,EST-5,2017-08-19 13:53:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-81.25,40.67,-81.25,"A cold front moved across northern Ohio on August 19th causing scattered showers and thunderstorms to develop. A couple of thunderstorms became severe.","Hail the size of quarters was observed." +119989,719042,OHIO,2017,August,Thunderstorm Wind,"KNOX",2017-08-19 13:15:00,EST-5,2017-08-19 13:15:00,0,0,0,0,15.00K,15000,0.00K,0,40.4773,-82.5139,40.4773,-82.5139,"A cold front moved across northern Ohio on August 19th causing scattered showers and thunderstorms to develop. A couple of thunderstorms became severe.","Thunderstorm winds downed a few trees and some power lines along Montgomery Road east of Fredericktown." +119989,719043,OHIO,2017,August,Hail,"KNOX",2017-08-19 14:07:00,EST-5,2017-08-19 14:07:00,0,0,0,0,0.00K,0,0.00K,0,40.3719,-82.3983,40.3719,-82.3983,"A cold front moved across northern Ohio on August 19th causing scattered showers and thunderstorms to develop. A couple of thunderstorms became severe.","Hail the size of quarters was observed." +119989,719044,OHIO,2017,August,Hail,"MAHONING",2017-08-19 13:43:00,EST-5,2017-08-19 13:43:00,0,0,0,0,0.00K,0,0.00K,0,40.9674,-80.705,40.9674,-80.705,"A cold front moved across northern Ohio on August 19th causing scattered showers and thunderstorms to develop. A couple of thunderstorms became severe.","Hail the size of quarters was observed." +119990,719045,OHIO,2017,August,Hail,"ERIE",2017-08-21 15:26:00,EST-5,2017-08-21 15:26:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-82.55,41.38,-82.55,"A line of thunderstorms moved across northern Ohio. There were a few reports of severe weather.","Hail the size of quarters was observed." +119990,719046,OHIO,2017,August,Hail,"SANDUSKY",2017-08-21 14:38:00,EST-5,2017-08-21 14:38:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-82.97,41.32,-82.97,"A line of thunderstorms moved across northern Ohio. There were a few reports of severe weather.","Penny sized hail was observed." +119990,719047,OHIO,2017,August,Hail,"SANDUSKY",2017-08-21 14:39:00,EST-5,2017-08-21 14:39:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-83.05,41.25,-83.05,"A line of thunderstorms moved across northern Ohio. There were a few reports of severe weather.","Hail the size of quarters was observed." +113087,678980,TENNESSEE,2017,March,Hail,"MOORE",2017-03-21 16:56:00,CST-6,2017-03-21 16:56:00,0,0,0,0,,NaN,,NaN,35.24,-86.41,35.24,-86.41,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Golf ball sized hail was reported." +113087,678981,TENNESSEE,2017,March,Thunderstorm Wind,"LINCOLN",2017-03-21 16:02:00,CST-6,2017-03-21 16:02:00,0,0,0,0,,NaN,,NaN,35.15,-86.56,35.15,-86.56,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","A widespread area of trees were knocked down on Shelbyville Highway and along U.S. 431." +113087,678982,TENNESSEE,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-21 16:13:00,CST-6,2017-03-21 16:13:00,0,0,0,0,,NaN,,NaN,35.06,-86.27,35.06,-86.27,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Trees were knocked down across Huntland." +113087,678983,TENNESSEE,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-21 16:13:00,CST-6,2017-03-21 16:13:00,0,0,0,0,,NaN,,NaN,35.13,-86.19,34.9904,-86.0209,"A swath of damaging thunderstorm winds with speeds up to 80 mph occurred across Lincoln, Moore, and Franklin Counties during the late afternoon and early evening hours. The storms knocked down numerous trees and also produced a few reports of large hail.","Widespread tree damage was reported across the southern half of Franklin County." +113088,678992,ALABAMA,2017,March,Hail,"JACKSON",2017-03-21 14:26:00,CST-6,2017-03-21 14:26:00,0,0,0,0,,NaN,,NaN,34.94,-85.72,34.94,-85.72,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Quarter sized hail was reported." +113088,678993,ALABAMA,2017,March,Hail,"JACKSON",2017-03-21 14:26:00,CST-6,2017-03-21 14:26:00,0,0,0,0,,NaN,,NaN,34.95,-85.71,34.95,-85.71,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Penny sized hail was reported." +113088,678994,ALABAMA,2017,March,Hail,"MADISON",2017-03-21 16:30:00,CST-6,2017-03-21 16:30:00,0,0,0,0,,NaN,,NaN,34.9423,-86.595,34.9423,-86.595,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Nickel sized hail was reported 1.2 miles northwest of Hazel Green." +116301,712777,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 21:07:00,CST-6,2017-07-09 21:07:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-94.19,44.28,-94.19,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119917,718936,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-23 18:04:00,MST-7,2017-07-23 20:04:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-112.24,34.57,-112.3256,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","The Agua Fria River near Humboldt rose from 1.46 feet to 4.12 feet in about an hour." +119917,718951,ARIZONA,2017,July,High Wind,"OAK CREEK AND SYCAMORE CANYONS",2017-07-23 14:35:00,MST-7,2017-07-23 14:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","A thunderstorm produced a wind gust of 60 MPH at the Sedona Airport. Heavy rain (0.89 in under an hour) dropped the visibility down to half a mile." +119917,718961,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-23 21:30:00,MST-7,2017-07-24 05:00:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-112.15,33.9668,-112.1429,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","Black Canyon River was flowing three to four feet deep across Maren Avenue (a low water crossing). The water came up there around 930 PM MST. A second wave of water was recorded on a river gauge (AFRA3) just down stream. This gauge went from 5.26 feet to 10.40 feet in just 15 minutes (that is an increase from 449 CFS to 3,545 CFS)." +121050,725126,MAINE,2017,October,High Wind,"INTERIOR WALDO",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +113402,678937,ALABAMA,2017,March,Hail,"COLBERT",2017-03-27 20:57:00,CST-6,2017-03-27 20:57:00,0,0,0,0,,NaN,,NaN,34.66,-87.78,34.66,-87.78,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +112669,678954,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-01 11:57:00,CST-6,2017-03-01 11:57:00,0,0,0,0,,NaN,,NaN,34.8,-87.66,34.8,-87.66,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported." +112669,678955,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-01 12:00:00,CST-6,2017-03-01 12:00:00,0,0,0,0,,NaN,,NaN,34.84,-87.67,34.84,-87.67,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported." +112669,678956,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-01 12:06:00,CST-6,2017-03-01 12:06:00,0,0,0,0,,NaN,,NaN,34.86,-87.53,34.86,-87.53,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized was reported via social media." +121050,725133,MAINE,2017,October,High Wind,"CENTRAL SOMERSET",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725134,MAINE,2017,October,High Wind,"NORTHERN OXFORD",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +119542,717346,IOWA,2017,August,Heavy Rain,"ADAIR",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-94.64,41.5,-94.64,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 2.40 inches over the last 24 hours." +119542,717347,IOWA,2017,August,Heavy Rain,"CARROLL",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-95.06,41.91,-95.06,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 3.37 inches over the last 24 hours." +119542,717348,IOWA,2017,August,Heavy Rain,"CASS",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-94.77,41.25,-94.77,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 3.43 inches over the last 24 hours." +120595,722397,KANSAS,2017,October,Hail,"GOVE",2017-10-02 19:07:00,CST-6,2017-10-02 19:07:00,0,0,0,0,0.00K,0,0.00K,0,39.1094,-100.46,39.1094,-100.46,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","" +120595,723736,KANSAS,2017,October,Tornado,"GOVE",2017-10-02 18:43:00,CST-6,2017-10-02 18:44:00,0,0,0,0,40.00K,40000,0.00K,0,38.8132,-100.5402,38.8173,-100.5346,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","A brief tornado crossed CR I between CR 38 and CR 42. Several large trees were snapped in a creek bottom. A few farm structures suffered significant damage to their roofs. One or two windows were also broken in one of the structures. Some of the metal roofing from one of the structures was blown into a field northeast of the farm property. Many limbs and a few tree trunks were snapped on the property too." +120595,725507,KANSAS,2017,October,Hail,"GOVE",2017-10-02 19:07:00,CST-6,2017-10-02 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.0703,-100.3652,39.0703,-100.3652,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","" +118538,712145,TENNESSEE,2017,August,Flash Flood,"GIBSON",2017-08-28 07:25:00,CST-6,2017-08-28 12:25:00,0,0,0,0,1.00K,1000,0.00K,0,35.8515,-88.8003,35.8464,-88.7997,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","Water covering Tara Drive north of Medina." +118538,712146,TENNESSEE,2017,August,Flash Flood,"GIBSON",2017-08-28 08:44:00,CST-6,2017-08-28 12:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.8384,-88.9364,35.8106,-88.957,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","Six families in Humbolt were evacuated due to flash flooding." +118538,712147,TENNESSEE,2017,August,Flash Flood,"GIBSON",2017-08-28 09:17:00,CST-6,2017-08-28 12:30:00,0,0,0,0,20.00K,20000,0.00K,0,35.7794,-88.8705,35.7619,-88.871,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","One house was evacuated and one car was trapped in waters in the town of Three Way." +118538,712148,TENNESSEE,2017,August,Flash Flood,"CROCKETT",2017-08-28 09:45:00,CST-6,2017-08-28 12:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.8679,-89.2332,35.8387,-89.2262,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","State route 189 closed in both directions between Johnny Powell and Old Mound roads due to high water." +118538,712150,TENNESSEE,2017,August,Flash Flood,"CROCKETT",2017-08-28 10:34:00,CST-6,2017-08-28 12:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.758,-89.0517,35.7287,-89.0782,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","Heavy rain of 3.9 inches have fallen since 8 am CDT. Several roads in the area are closed due to flooding." +118538,712152,TENNESSEE,2017,August,Flash Flood,"CROCKETT",2017-08-28 10:55:00,CST-6,2017-08-28 12:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.8393,-89.1208,35.829,-89.1194,"A slow moving front generated several thunderstorms with heavy rain that trained over the same areas of west Tennessee during the morning hours of August 28th.","Sections of Highway 152 in Alamo flooded." +119948,718897,ARKANSAS,2017,August,Heat,"POINSETT",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119948,718898,ARKANSAS,2017,August,Heat,"CROSS",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +120862,723662,OKLAHOMA,2017,October,Thunderstorm Wind,"CANADIAN",2017-10-14 21:40:00,CST-6,2017-10-14 21:40:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-98.04,35.56,-98.04,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +119948,718899,ARKANSAS,2017,August,Heat,"CRITTENDEN",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119948,718900,ARKANSAS,2017,August,Heat,"ST. FRANCIS",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119948,718901,ARKANSAS,2017,August,Heat,"LEE",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119948,718902,ARKANSAS,2017,August,Heat,"PHILLIPS",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119950,718903,MISSISSIPPI,2017,August,Heat,"DE SOTO",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718904,MISSISSIPPI,2017,August,Heat,"TUNICA",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718905,MISSISSIPPI,2017,August,Heat,"TATE",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718906,MISSISSIPPI,2017,August,Heat,"COAHOMA",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +120862,723665,OKLAHOMA,2017,October,Thunderstorm Wind,"OKLAHOMA",2017-10-14 22:03:00,CST-6,2017-10-14 22:03:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-97.64,35.53,-97.64,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +121051,725143,NEW HAMPSHIRE,2017,October,High Wind,"MERRIMACK",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725150,NEW HAMPSHIRE,2017,October,High Wind,"STRAFFORD",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121162,725322,OKLAHOMA,2017,October,Hail,"JACKSON",2017-10-21 16:12:00,CST-6,2017-10-21 16:12:00,1,0,0,0,0.00K,0,0.00K,0,34.63,-99.14,34.63,-99.14,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","One hail injury was reported." +121162,725380,OKLAHOMA,2017,October,Tornado,"CADDO",2017-10-21 18:12:00,CST-6,2017-10-21 18:13:00,0,0,0,0,5.00K,5000,0.00K,0,34.9248,-98.252,34.9306,-98.2465,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","This tornado snapped trees and produced roof damage to a home near the intersection of County Roads 2660 and 1440." +119950,718907,MISSISSIPPI,2017,August,Heat,"QUITMAN",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718908,MISSISSIPPI,2017,August,Heat,"PANOLA",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718909,MISSISSIPPI,2017,August,Heat,"TALLAHATCHIE",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119950,718910,MISSISSIPPI,2017,August,Heat,"YALOBUSHA",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index climbed above 105 degrees." +119542,717339,IOWA,2017,August,Thunderstorm Wind,"CASS",2017-08-21 01:20:00,CST-6,2017-08-21 01:20:00,0,0,0,0,10.00K,10000,0.00K,0,41.4,-95.02,41.4,-95.02,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Public reported three inch tree limbs down and power poles broken." +119542,717340,IOWA,2017,August,Flash Flood,"AUDUBON",2017-08-21 02:15:00,CST-6,2017-08-21 06:15:00,0,0,0,0,0.00K,0,0.00K,0,41.7108,-94.9266,41.7069,-94.9245,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Law enforcement reported water over the road one half mile south of town from Bluegrass Creek. Debris and mud remained on the roadway." +119542,717341,IOWA,2017,August,Heavy Rain,"GUTHRIE",2017-08-20 23:15:00,CST-6,2017-08-21 02:20:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-94.49,41.68,-94.49,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Trained spotter reported heavy rainfall of 4.30 inches." +120903,723855,OKLAHOMA,2017,October,Thunderstorm Wind,"HARPER",2017-10-06 20:24:00,CST-6,2017-10-06 20:24:00,0,0,0,0,0.00K,0,0.00K,0,36.71,-99.9,36.71,-99.9,"Severe thunderstorms developed late in the evening across northwest Oklahoma along a pushing cold front and upper short wave. Damaging wind gusts were the severe threat associated with these storms.","The wind gust was estimated by an official cooperative observer." +117902,708890,MISSOURI,2017,June,Thunderstorm Wind,"COOPER",2017-06-17 22:01:00,CST-6,2017-06-17 22:04:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-93,38.7,-93,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A large tree of unknown size and conditions was down near Otterville." +117902,708891,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-15 20:32:00,CST-6,2017-06-15 20:35:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.58,39.25,-94.58,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +117902,708893,MISSOURI,2017,June,Thunderstorm Wind,"WORTH",2017-06-16 21:00:00,CST-6,2017-06-16 21:03:00,0,0,0,0,0.00K,0,0.00K,0,40.49,-94.42,40.49,-94.42,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60-70 mph wind." +117902,708894,MISSOURI,2017,June,Thunderstorm Wind,"HOLT",2017-06-16 21:26:00,CST-6,2017-06-16 21:29:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-95.14,39.98,-95.14,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Fire department reported a 70 to 80 mph wind." +117902,708895,MISSOURI,2017,June,Thunderstorm Wind,"ANDREW",2017-06-16 21:40:00,CST-6,2017-06-16 21:43:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-94.82,40.04,-94.82,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Emergency Manager reported a 60-70 mph wind." +116627,703593,MINNESOTA,2017,July,Tornado,"DOUGLAS",2017-07-17 16:46:00,CST-6,2017-07-17 16:50:00,0,0,0,0,0.00K,0,0.00K,0,45.9763,-95.5803,45.9776,-95.5406,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","The tornado knocked down a few dozen trees, but there was no structural damage." +116627,703594,MINNESOTA,2017,July,Tornado,"DOUGLAS",2017-07-17 17:07:00,CST-6,2017-07-17 17:16:00,0,0,0,0,0.00K,0,0.00K,0,45.9815,-95.3762,45.995,-95.2807,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","Hundreds of trees were uprooted or broken near Lake Carlos. Some trees fell on power lines. No structural damage was noted or reported." +116627,703595,MINNESOTA,2017,July,Tornado,"TODD",2017-07-17 16:39:00,CST-6,2017-07-17 16:50:00,0,0,0,0,0.00K,0,0.00K,0,46.1529,-94.9219,46.1658,-94.8322,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","Several hundred trees were toppled or broken. A few trees landed on power lines. One old barn collapsed, but no other structural damage was noted or reported." +116627,713750,MINNESOTA,2017,July,Hail,"TODD",2017-07-17 16:06:00,CST-6,2017-07-17 16:06:00,0,0,0,0,0.00K,0,0.00K,0,46.24,-95.11,46.24,-95.11,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","" +113877,693853,TEXAS,2017,April,Hail,"ERATH",2017-04-21 19:37:00,CST-6,2017-04-21 19:37:00,0,0,0,0,40.00K,40000,0.00K,0,32.2442,-98.3777,32.2442,-98.3777,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Fire Department reported golf ball size hail in Lingleville Fire Station." +118835,713936,IOWA,2017,July,Thunderstorm Wind,"CARROLL",2017-07-20 19:01:00,CST-6,2017-07-20 19:01:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-94.77,42.01,-94.77,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Trained spotter reported wind gusts to around 60 mph along with some small branches down as well." +116428,700218,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CATAWBA",2017-05-01 14:54:00,EST-5,2017-05-01 15:15:00,0,0,0,0,100.00K,100000,0.00K,0,35.61,-81.2,35.67,-81.11,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","Storm Survey team found an area of downburst damage between Maiden and Catawba. Numerous trees were blown down through the area, with some falling on homes. Two small areas of tornadic damage were found embedded within the larger damage path." +118835,713942,IOWA,2017,July,Thunderstorm Wind,"BOONE",2017-07-20 20:27:00,CST-6,2017-07-20 20:27:00,0,0,0,0,0.00K,0,0.00K,0,41.89,-93.92,41.89,-93.92,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Emergency manager reported wind gusts to around 60 mph along with small branches down." +116430,700227,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"GREENWOOD",2017-05-01 14:34:00,EST-5,2017-05-01 14:44:00,0,0,0,0,0.00K,0,0.00K,0,34.17,-82.04,34.226,-81.978,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through Upstate South Carolina during the afternoon. An isolated area of wind damage occurred within the line across Greenwood County.","PD reported multiple trees blown down from near Ninety Six to the Laurens County line." +118189,710270,IOWA,2017,June,Hail,"POTTAWATTAMIE",2017-06-29 20:54:00,CST-6,2017-06-29 20:54:00,0,0,0,0,,NaN,,NaN,41.44,-95.75,41.44,-95.75,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +116504,700629,ILLINOIS,2017,June,Flash Flood,"STEPHENSON",2017-06-28 21:13:00,CST-6,2017-06-28 21:13:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-89.47,42.4009,-89.4826,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 29th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa. These storms continued to produce damaging winds and flash flooding as they moved across northwest Illinois.","Law enforcement relayed a report of a person being rescued in water over a road." +116504,700631,ILLINOIS,2017,June,Hail,"STEPHENSON",2017-06-28 18:37:00,CST-6,2017-06-28 18:37:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-89.42,42.42,-89.42,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 29th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa. These storms continued to produce damaging winds and flash flooding as they moved across northwest Illinois.","" +115890,702430,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 14:07:00,EST-5,2017-05-01 14:07:00,0,0,0,0,0.50K,500,0.00K,0,40.61,-79.74,40.61,-79.74,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Received report on social media of a tree uprooted." +115890,702431,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ARMSTRONG",2017-05-01 14:16:00,EST-5,2017-05-01 14:16:00,0,0,0,0,1.00K,1000,0.00K,0,40.7,-79.6,40.7,-79.6,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported trees down." +115890,702443,PENNSYLVANIA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 15:00:00,EST-5,2017-05-01 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,40.95,-78.97,40.95,-78.97,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","County official reported multiple trees down in Punxsutawney." +115890,702444,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MERCER",2017-05-01 13:05:00,EST-5,2017-05-01 13:05:00,0,0,0,0,1.00K,1000,0.00K,0,41.23,-80.46,41.23,-80.46,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported a large tree down on an apartment building." +115890,702446,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 13:13:00,EST-5,2017-05-01 13:13:00,0,0,0,0,1.00K,1000,0.00K,0,40.44,-80.44,40.44,-80.44,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported many large trees down." +117457,709956,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:25:00,CST-6,2017-06-16 18:25:00,0,0,0,0,,NaN,,NaN,41.46,-96.52,41.46,-96.52,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 110 mph wind gust was measured by a storm chaser northwest of Fremont Nebraska." +117457,709959,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:32:00,CST-6,2017-06-16 18:32:00,0,0,0,0,,NaN,,NaN,41.32,-96.36,41.32,-96.36,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 63 mph wind gust was measured at the NWS Omaha/Valley office." +117457,711008,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:35:00,CST-6,2017-06-16 20:35:00,0,0,0,0,,NaN,,NaN,40.32,-96.81,40.32,-96.81,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees were blown onto the road near Hoag." +117457,710005,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:59:00,CST-6,2017-06-16 18:59:00,0,0,0,0,,NaN,,NaN,41.09,-96.27,41.09,-96.27,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A spotter measured a 74 mph wind gust 4 miles southwest of Gretna." +117457,710009,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 19:04:00,CST-6,2017-06-16 19:04:00,0,0,0,0,,NaN,,NaN,41.3,-95.9,41.3,-95.9,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 60 mph wind gust was measured at Eppley Airfield in Omaha." +117953,709089,IOWA,2017,June,Thunderstorm Wind,"POTTAWATTAMIE",2017-06-16 19:38:00,CST-6,2017-06-16 19:38:00,0,0,0,0,0.00K,0,,NaN,41.31,-95.45,41.31,-95.45,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees were blown down across a road from damaging thunderstorm winds." +116892,702935,IOWA,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 18:15:00,CST-6,2017-05-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-92.2,41.73,-92.2,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported wind gusts up to 70 MPH." +116892,702936,IOWA,2017,May,Thunderstorm Wind,"LINN",2017-05-17 18:21:00,CST-6,2017-05-17 18:21:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-91.66,41.95,-91.66,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported wind gusts up to 70 mph." +116892,702939,IOWA,2017,May,Thunderstorm Wind,"LINN",2017-05-17 18:27:00,CST-6,2017-05-17 18:27:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-91.63,42.05,-91.63,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported wind gusts up to 70 mph." +116892,702941,IOWA,2017,May,Thunderstorm Wind,"LINN",2017-05-17 18:28:00,CST-6,2017-05-17 18:28:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-91.56,42.04,-91.56,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported estimated winds of 60 to 70 mph with nearly horizontal rain." +116892,702966,IOWA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-17 18:35:00,CST-6,2017-05-17 18:35:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-91.69,41.3,-91.69,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The Washington Airport AWOS sensor measured this wind gust." +116892,702968,IOWA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-17 18:32:00,CST-6,2017-05-17 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-91.48,42.35,-91.48,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported wind gusts of up to 70 mph." +116501,702960,VIRGINIA,2017,May,Heavy Rain,"ROCKBRIDGE",2017-05-04 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.6198,-79.4371,37.6198,-79.4371,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The 24-hour rainfall of 3.60 inches at Glasgow 1 SE COOP (GLAV2) ending at 0800 EST on the 5th was the 2nd highest daily rainfall in the month of May (data back to 1967), falling just short of the record 4.12 inches on May 28, 1973." +116296,699230,VIRGINIA,2017,May,Hail,"PATRICK",2017-05-30 17:00:00,EST-5,2017-05-30 17:10:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-80.55,36.65,-80.55,"A weak frontal boundary crossed from the Ohio Valley through the region during the day, causing isolated thunderstorms to develop across the higher elevations. Higher dew-points along the Virginia and North Carolina provided a small environment just suitable enough to create a strong updraft which produced pea to penny size hail.","A thunderstorm produced pea to penny sized hail lasting roughly 10 minutes." +116713,701882,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YADKIN",2017-05-01 15:42:00,EST-5,2017-05-01 15:43:00,0,0,0,0,1.50K,1500,0.00K,0,36.0607,-80.7019,36.0697,-80.6857,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds blew down two trees along Lone Hickory Road and an additional tree onto Liberty Church Road." +116713,701883,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YADKIN",2017-05-01 16:01:00,EST-5,2017-05-01 16:01:00,0,0,0,0,10.00K,10000,0.00K,0,36.22,-80.51,36.22,-80.51,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds brought down a tree on a house along Highway 67." +116713,701887,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-01 16:52:00,EST-5,2017-05-01 16:52:00,0,0,0,0,10.00K,10000,0.00K,0,36.27,-80.18,36.27,-80.18,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm wind gusts resulted in numerous trees down along Highway 65 and Baux Mountain Road." +116713,701890,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CASWELL",2017-05-01 17:45:00,EST-5,2017-05-01 17:45:00,0,0,0,0,4.00K,4000,0.00K,0,36.54,-79.42,36.54,-79.42,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with most of the damage|occurring along and east of the Blue Ridge across portions of north central North Carolina.","Thunderstorm winds downed eight trees on private property northeast of the community of Pelham." +116318,699424,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-24 16:22:00,EST-5,2017-05-24 16:22:00,0,0,0,0,2.50K,2500,0.00K,0,36.46,-80.28,36.46,-80.28,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","Thunderstorm winds downed a few trees near North Stokes County High School." +116356,699668,WEST VIRGINIA,2017,May,Thunderstorm Wind,"MERCER",2017-05-20 15:12:00,EST-5,2017-05-20 15:12:00,0,0,0,0,2.50K,2500,0.00K,0,37.42,-81.25,37.42,-81.25,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions, combined with a passing cold front, produced strong to severe thunderstorms across much of southeastern West Virginia. The storms produced isolated wind damage across the area.","Thunderstorm winds knocked multiple trees down near the community of Matoaka." +116356,699669,WEST VIRGINIA,2017,May,Thunderstorm Wind,"GREENBRIER",2017-05-20 16:45:00,EST-5,2017-05-20 16:45:00,0,0,0,0,0.50K,500,0.00K,0,37.73,-80.63,37.73,-80.63,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions, combined with a passing cold front, produced strong to severe thunderstorms across much of southeastern West Virginia. The storms produced isolated wind damage across the area.","Thunderstorm winds downed a tree at a local business just off of highway 12." +116356,699671,WEST VIRGINIA,2017,May,Thunderstorm Wind,"GREENBRIER",2017-05-20 17:00:00,EST-5,2017-05-20 17:00:00,0,0,0,0,0.50K,500,0.00K,0,37.82,-80.29,37.82,-80.29,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions, combined with a passing cold front, produced strong to severe thunderstorms across much of southeastern West Virginia. The storms produced isolated wind damage across the area.","Thunderstorm winds downed a tree onto a power line." +116375,700001,VIRGINIA,2017,May,Hail,"FLOYD",2017-05-19 09:50:00,EST-5,2017-05-19 09:50:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-80.39,36.97,-80.39,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","" +116520,703026,ILLINOIS,2017,May,Hail,"HENRY",2017-05-17 20:22:00,CST-6,2017-05-17 20:22:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-90.31,41.41,-90.31,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported hail between the sizes of dimes and quarters." +116520,703027,ILLINOIS,2017,May,Hail,"HENRY",2017-05-17 20:30:00,CST-6,2017-05-17 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-90.18,41.47,-90.18,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +121057,724718,WASHINGTON,2017,October,Flood,"WAHKIAKUM",2017-10-21 18:45:00,PST-8,2017-10-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,46.3557,-123.5809,46.355,-123.5833,"A very potent atmospheric river brought strong winds to the south Washington Coast and Willapa Hills on October 21st. What followed was a significant amount of rain, especially along the Coast and in the Willapa Hills. All this rain caused flooding on rivers near Rosburg and Washougal.","Heavy rain caused the Grays River near Rosburg to flood. The river crested at 15.56 feet, which is 3.56 feet above flood stage." +121057,724719,WASHINGTON,2017,October,Flood,"CLARK",2017-10-22 03:04:00,PST-8,2017-10-22 07:02:00,0,0,0,0,0.00K,0,0.00K,0,45.5845,-122.3435,45.5845,-122.3457,"A very potent atmospheric river brought strong winds to the south Washington Coast and Willapa Hills on October 21st. What followed was a significant amount of rain, especially along the Coast and in the Willapa Hills. All this rain caused flooding on rivers near Rosburg and Washougal.","Heavy rain caused the Washougal River at Washougal to flood. The river crested at 14.97 feet, which is 0.97 foot above flood stage." +116573,703186,VIRGINIA,2017,May,Flood,"HALIFAX",2017-05-25 09:15:00,EST-5,2017-05-28 05:15:00,0,0,0,0,0.00K,0,0.00K,0,36.9144,-78.7397,36.9063,-78.7243,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The Roanoke (Staunton) River at Randolph (RNDV2) was above flood stage (21 feet) for several days and crested at 25.33 feet on the afternoon of the 26th. Moderate flood stage is 24 feet. This was the highest stage on the river in this area since December, 2015 when it was barely higher at 25.35 feet. Several roads close to the river were closed due to flood waters including Black Walnut Road (Route 600)." +116892,702872,IOWA,2017,May,Hail,"SCOTT",2017-05-17 19:54:00,CST-6,2017-05-17 19:54:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-90.78,41.61,-90.78,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Trained spotter reported quarter sized hail at the I-80 truck stop." +116892,702875,IOWA,2017,May,Hail,"CLINTON",2017-05-17 20:50:00,CST-6,2017-05-17 20:50:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-90.23,41.84,-90.23,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702878,IOWA,2017,May,Hail,"LOUISA",2017-05-17 16:45:00,CST-6,2017-05-17 16:45:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-91.19,41.18,-91.19,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The hail size was estimated from a picture on social media." +116892,702904,IOWA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-17 16:11:00,CST-6,2017-05-17 16:11:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.97,41.01,-91.97,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported 2 semis on Highway 34 were blown over." +117063,704238,VIRGINIA,2017,May,Thunderstorm Wind,"AMHERST",2017-05-05 04:16:00,EST-5,2017-05-05 04:16:00,0,0,0,0,5.00K,5000,0.00K,0,37.6034,-78.9862,37.6034,-78.9862,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed several trees along Boxwood Farm Road." +117063,704241,VIRGINIA,2017,May,Thunderstorm Wind,"CHARLOTTE",2017-05-05 04:18:00,EST-5,2017-05-05 04:18:00,0,0,0,0,0.50K,500,0.00K,0,37.1896,-78.8294,37.1896,-78.8294,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm wind gusts blew down a tree along Lawyers Road near Red House Road." +120882,723739,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:07:00,EST-5,2017-10-15 18:07:00,0,0,0,0,,NaN,,NaN,43.6,-74.93,43.6,-74.93,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","Trees and wires were downed." +120882,723740,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:34:00,EST-5,2017-10-15 18:34:00,0,0,0,0,,NaN,,NaN,43.13,-74.85,43.13,-74.85,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","A tree was downed, blocking both lanes of State Route 170-A." +120882,723741,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:36:00,EST-5,2017-10-15 18:36:00,0,0,0,0,,NaN,,NaN,43.03,-75.07,43.03,-75.07,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","A tree was downed resulting in loss of power." +120882,723742,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:41:00,EST-5,2017-10-15 18:41:00,0,0,0,0,,NaN,,NaN,43.03,-74.99,43.03,-74.99,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","Trees and wires were downed." +120882,723743,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:43:00,EST-5,2017-10-15 18:43:00,0,0,0,0,,NaN,,NaN,43.02,-75,43.02,-75,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","A tree was down blocking German Street Extension." +120882,723744,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:44:00,EST-5,2017-10-15 18:44:00,0,0,0,0,,NaN,,NaN,43.04,-75.01,43.04,-75.01,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","Trees were downed onto a house." +120882,723745,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:47:00,EST-5,2017-10-15 18:47:00,0,0,0,0,,NaN,,NaN,42.99,-74.99,42.99,-74.99,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","Trees and wires were downed." +120882,723746,NEW YORK,2017,October,Thunderstorm Wind,"HERKIMER",2017-10-15 18:55:00,EST-5,2017-10-15 18:55:00,0,0,0,0,,NaN,,NaN,43.02,-74.79,43.02,-74.79,"A cold front brought a line of convection into the Adirondacks during the evening hours of Sunday, October 15th, 2017. This convection downed trees and wires across Herkimer county.","A tree was down, blocking Ashe Road." +120386,721177,GEORGIA,2017,October,Strong Wind,"WHITE",2017-10-08 12:00:00,EST-5,2017-10-08 17:00:00,0,0,0,0,0.50K,500,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The White County Emergency Manager reported a tree blown down near the intersection of Highways 115 East and 255 South." +120386,721178,GEORGIA,2017,October,Strong Wind,"HALL",2017-10-08 12:00:00,EST-5,2017-10-08 17:00:00,0,0,0,0,3.00K,3000,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The Hall County Fire Department reported trees and power lines blown down in the 5000 block of Highway 52." +119934,718788,MICHIGAN,2017,October,Hail,"MARQUETTE",2017-10-15 05:49:00,EST-5,2017-10-15 05:54:00,0,0,0,0,0.00K,0,0.00K,0,46.5407,-87.4909,46.5407,-87.4909,"A strong low pressure system moving through the Upper Great Lakes produced damaging winds, lake shore flooding and a few storms with large hail over Marquette County on the 15th.","An NWS employee reported dime-sized hail west of Marquette along Highway US-41." +119934,718789,MICHIGAN,2017,October,Hail,"MARQUETTE",2017-10-15 05:45:00,EST-5,2017-10-15 05:55:00,0,0,0,0,0.00K,0,0.00K,0,46.51,-87.71,46.51,-87.71,"A strong low pressure system moving through the Upper Great Lakes produced damaging winds, lake shore flooding and a few storms with large hail over Marquette County on the 15th.","A spotter northwest of Ishpeming reported quarter-sized hail for approximately ten minutes." +115286,692122,MISSISSIPPI,2017,April,Tornado,"PRENTISS",2017-04-22 13:45:00,CST-6,2017-04-22 13:55:00,0,0,0,0,100.00K,100000,0.00K,0,34.5742,-88.5334,34.5642,-88.4205,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","The tornado damage was spotty and intermittent along the path. Tree damage occurred along County roads 5141,5051,and 5091. A mobile home was damaged along County road 5091. A stand of pine trees was damaged north of Highway 4, approximately 1.5 miles northeast of Hobo Station. The last damage was observed west of New Site. Although the tornado was rated an EF1, the EF1 damage was confined to isolated areas. Peak winds were estimated at 90 mph. Other wind damage occurred across the county, especially in the Wheeler vicinity and just south of Booneville." +115333,692493,ARKANSAS,2017,April,Flash Flood,"LAWRENCE",2017-04-26 15:29:00,CST-6,2017-04-26 21:30:00,0,0,0,0,100.00K,100000,0.00K,0,36.1158,-90.9929,36.027,-91.0231,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Several businesses and the courthouse was flooded. Parts of West Main Street underwater." +115349,692732,ALABAMA,2017,April,Hail,"CLEBURNE",2017-04-05 15:25:00,CST-6,2017-04-05 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.56,-85.61,33.56,-85.61,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692733,ALABAMA,2017,April,Hail,"CLEBURNE",2017-04-05 15:25:00,CST-6,2017-04-05 15:26:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-85.6,33.61,-85.6,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692734,ALABAMA,2017,April,Hail,"CHEROKEE",2017-04-05 15:30:00,CST-6,2017-04-05 15:31:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-85.66,34.12,-85.66,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +120516,722012,HAWAII,2017,October,High Surf,"WAIANAE COAST",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722015,HAWAII,2017,October,High Surf,"OAHU KOOLAU",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722013,HAWAII,2017,October,High Surf,"OAHU NORTH SHORE",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722016,HAWAII,2017,October,High Surf,"OLOMANA",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722017,HAWAII,2017,October,High Surf,"MOLOKAI WINDWARD",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722018,HAWAII,2017,October,High Surf,"MOLOKAI LEEWARD",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +119715,718294,NEW MEXICO,2017,October,Thunderstorm Wind,"LINCOLN",2017-10-05 18:30:00,MST-7,2017-10-05 18:31:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-106.34,33.53,-106.34,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Peak wind gust to 59 mph at WSMR Shist site." +119715,718299,NEW MEXICO,2017,October,Flash Flood,"DE BACA",2017-10-05 21:00:00,MST-7,2017-10-05 23:00:00,0,0,0,0,0.00K,0,0.00K,0,34.4296,-104.0017,34.4746,-104.0045,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Flash flooding over several roadways around De Baca County, including state road 294 at Taiban Creek." +121229,725784,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 18:47:00,EST-5,2017-10-04 18:47:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 37 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +121229,725785,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-04 20:40:00,EST-5,2017-10-04 20:40:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 35 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +121229,725786,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-05 01:22:00,EST-5,2017-10-05 01:22:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 34 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +121229,725787,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-05 02:51:00,EST-5,2017-10-05 02:51:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 36 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725788,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-05 03:41:00,EST-5,2017-10-05 03:41:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 37 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +120645,722676,NEBRASKA,2017,October,High Wind,"VALLEY",2017-10-26 13:36:00,CST-6,2017-10-26 13:36:00,0,0,0,0,25.00K,25000,1.00M,1000000,NaN,NaN,NaN,NaN,"Although there were several windy days across South Central Nebraska during fall 2017, this Thursday was likely the overall-windiest. Starting around 9 a.m. CDT and lasting well into the evening hours, the entire 24-county area was buffeted by sustained north-northwest speeds commonly 30-40 MPH and frequent gusts of 45-55 MPH. Although High Wind Warning criteria gusts of 58+ MPH were not widespread, a few automated airport sensors either breached or flirted with this threshold, including Ord (65 MPH), Hastings (62 MPH) and Grand Island (57 MPH). No precipitation fell in conjunction with these strong winds. ||While there were no notable/known reports of property damage from this event, an interesting agricultural impact was eventually noted. According to several media stories that emerged after harvest, the strong winds on this Thursday were a last straw of sorts for area corn already weakened by other factors such as stalk rot, as many ears were blown to the ground, drastically reducing yields. According to an AP article: The damage varied, but in the hardest hit parts of central Nebraska some farmers reported yields dropping from an estimated 250 bushels an acre before the wind to 190 bushels afterward.||As for the meteorological setup, in the mid levels a potent shortwave trough translated southeastward out of the Dakotas into Minnesota over the course of the day. At the surface, the primary factor for the strong winds were strong pressure rises associated with a tight gradient between low pressure centered over the MN/WI border area, and expansive high pressure centered over eastern MT.","A peak gust of 65 MPH was measured at Evelyn Sharp Field airport." +120645,722678,NEBRASKA,2017,October,High Wind,"ADAMS",2017-10-26 09:04:00,CST-6,2017-10-26 09:04:00,0,0,0,0,25.00K,25000,3.00M,3000000,NaN,NaN,NaN,NaN,"Although there were several windy days across South Central Nebraska during fall 2017, this Thursday was likely the overall-windiest. Starting around 9 a.m. CDT and lasting well into the evening hours, the entire 24-county area was buffeted by sustained north-northwest speeds commonly 30-40 MPH and frequent gusts of 45-55 MPH. Although High Wind Warning criteria gusts of 58+ MPH were not widespread, a few automated airport sensors either breached or flirted with this threshold, including Ord (65 MPH), Hastings (62 MPH) and Grand Island (57 MPH). No precipitation fell in conjunction with these strong winds. ||While there were no notable/known reports of property damage from this event, an interesting agricultural impact was eventually noted. According to several media stories that emerged after harvest, the strong winds on this Thursday were a last straw of sorts for area corn already weakened by other factors such as stalk rot, as many ears were blown to the ground, drastically reducing yields. According to an AP article: The damage varied, but in the hardest hit parts of central Nebraska some farmers reported yields dropping from an estimated 250 bushels an acre before the wind to 190 bushels afterward.||As for the meteorological setup, in the mid levels a potent shortwave trough translated southeastward out of the Dakotas into Minnesota over the course of the day. At the surface, the primary factor for the strong winds were strong pressure rises associated with a tight gradient between low pressure centered over the MN/WI border area, and expansive high pressure centered over eastern MT.","A peak gust of 62 MPH occurred at Hastings Municipal Airport." +121053,726266,NEW YORK,2017,October,High Wind,"EASTERN COLUMBIA",2017-10-29 22:24:00,EST-5,2017-10-29 22:31:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees down. There were about 21,000 customers without power across Columbia county." +121053,726274,NEW YORK,2017,October,High Wind,"WESTERN ULSTER",2017-10-30 07:00:00,EST-5,2017-10-30 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees and wires down." +121053,726276,NEW YORK,2017,October,High Wind,"WESTERN DUTCHESS",2017-10-29 22:46:00,EST-5,2017-10-29 22:50:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees down." +119715,718034,NEW MEXICO,2017,October,Flash Flood,"SANTA FE",2017-10-04 18:00:00,MST-7,2017-10-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4108,-105.9657,35.3623,-105.992,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Large rocks and boulders washed over county road 42 near Galisteo. Road closed. Galisteo Creek below Galisteo Dam crested at 10.84 feet, the second highest crest on record since 1971." +119715,718290,NEW MEXICO,2017,October,Flash Flood,"VALENCIA",2017-10-05 15:00:00,MST-7,2017-10-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.671,-106.7974,34.6709,-106.7886,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Roadways beneath Interstate 25 flooded out in Belen." +120091,719591,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-10-23 19:20:00,EST-5,2017-10-23 19:21:00,0,0,0,0,,NaN,,NaN,32.68,-79.88,32.68,-79.88,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Folly Beach C-MAN station recorded a 34 knot wind gust." +120091,719783,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-10-23 20:14:00,EST-5,2017-10-23 20:15:00,0,0,0,0,,NaN,,NaN,32.6528,-79.9384,32.6528,-79.9384,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","A Weatherflow sensor at Folly Beach Pier recorded a 35 knot wind gust." +120091,719787,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-10-23 20:21:00,EST-5,2017-10-23 20:22:00,0,0,0,0,,NaN,,NaN,32.7512,-79.8707,32.7512,-79.8707,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","A Weatherflow sensor at the Fort Sumter Range Front Light recorded a 40 knot wind gust." +120091,719788,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-10-23 20:30:00,EST-5,2017-10-23 20:31:00,0,0,0,0,,NaN,,NaN,32.68,-79.88,32.68,-79.88,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","The Folly Beach C-MAN station recorded a 41 knot wind gust." +120091,719791,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-10-23 22:50:00,EST-5,2017-10-23 22:51:00,0,0,0,0,,NaN,,NaN,32.5,-79.1,32.5,-79.1,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","Buoy 41004 recorded a 41 knot wind gust." +120091,719793,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"SOUTH SANTEE RIVER TO EDISTO BEACH SC FROM 20 TO 40 NM",2017-10-23 23:10:00,EST-5,2017-10-23 23:11:00,0,0,0,0,,NaN,,NaN,32.5,-79.1,32.5,-79.1,"Deep moisture, mild temperatures and enhanced wind fields led to a high shear/moderate CAPE environment ahead of and along a cold front advancing toward the Southeast Coast. A meso-low developed and tracked north along/near the front as it pushed over the area, further enhancing thunderstorms capable of producing damaging wind gusts.","Buoy 41004 recorded a 47 knot wind gust." +120416,721353,MICHIGAN,2017,October,Lakeshore Flood,"MARQUETTE",2017-10-24 06:00:00,EST-5,2017-10-24 20:00:00,0,0,2,0,600.00K,600000,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening fall storm system tracking from the Ohio Valley to near the Mackinac Straits produced very strong and damaging north winds up to 60 mph, power outages and extensive lake shore flooding over mainly the north half of Upper Michigan on the 24th.","Extensive lake shore flooding was reported along Lake Superior from Marquette to Shot Point from north storm force winds building waves as high as 25 to 30 feet. Two people drowned when they were swept off Black Rocks at Presque Isle Park in Marquette during the storm. A U.S. Coast Guard helicopter from Air Station Traverse City flew in for a search and rescue operation but the victims were not found in the turbulent waters. The storm and wave action did an estimated $500,000 in damage at Picnic Rocks Park along Lakeshore Boulevard in Marquette." +120444,721565,WEST VIRGINIA,2017,October,Winter Weather,"NORTHWEST POCAHONTAS",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120444,721570,WEST VIRGINIA,2017,October,Winter Weather,"SOUTHEAST NICHOLAS",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120444,721568,WEST VIRGINIA,2017,October,Winter Weather,"SOUTHEAST RANDOLPH",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120482,721824,NEW JERSEY,2017,October,Flood,"MORRIS",2017-10-29 21:30:00,EST-5,2017-10-29 23:30:00,0,0,0,0,0.01K,10,0.01K,10,40.86,-74.57,40.8639,-74.5672,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Flooding on State Highway 10 near Center Grove road.||." +120482,721825,NEW JERSEY,2017,October,Flood,"MORRIS",2017-10-29 22:25:00,EST-5,2017-10-30 00:25:00,0,0,0,0,0.00K,0,0.00K,0,40.8895,-74.7057,40.8946,-74.7026,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","I-80 west at exit 27 was closed due to flooding." +120482,721826,NEW JERSEY,2017,October,Flood,"SOMERSET",2017-10-29 22:55:00,EST-5,2017-10-30 00:55:00,0,0,0,0,0.01K,10,0.01K,10,40.6341,-74.4304,40.6392,-74.4212,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Flooding was reported on Route 22 in North Plainfield." +120571,722298,OKLAHOMA,2017,October,Frost/Freeze,"CIMARRON",2017-10-09 20:00:00,CST-6,2017-10-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freeze confirmed with a range of 29-30 degrees at Kenton and Boise City.","" +120624,722731,MASSACHUSETTS,2017,October,High Wind,"WESTERN ESSEX",2017-10-29 22:10:00,EST-5,2017-10-30 02:00:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1015 PM EST, a tree was down on North Street and a second tree was down on wires on Perkins Row in Topsfield. A tree was blocking U.S. Route 1 in Topsfield at Ipswich Road. A large tree was down through a house on Longwood Drive in Methuen. A tree fell through the roof at the 700 block of Lowell Street in Methuen. Numerous trees were blocking State Route 110 in Methuen." +120624,722732,MASSACHUSETTS,2017,October,High Wind,"EASTERN ESSEX",2017-10-29 19:30:00,EST-5,2017-10-30 06:00:00,0,0,0,0,60.00K,60000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 739 PM EST a tree and power lines were down on Golden Hills Road in Saugus, striking two houses. A tree was down in Peabody on State Route 128 southbound near Walnut Street. A tree was down on Walnut Street and a second tree blocking Summer Street in Lynnfield. A tree and two poles were down on Sunset Road in Salem. A tree was down on Gardiner Street, another tree was down on a car on Newton Avenue, and a third tree down on Range Avenue, all in Lynn. A large tree was down on Mt. Pleasant Street and a tree down on Pacific Street in Lynn. A tree was down on a car on Oak Street in Lynn. A tree struck a house on Reynolds Street in Peabody. Trees were down on Pennybrook Road in Lynn, near the entrance to the Lynn Woods, as well as Western Avenue near Manning Road. A tree blocked St Peters Street in Salem. A tree was down on Thatcher Road in Rockport. At 1234 AM EST the Automated Surface Observation System at Beverly Municipal Airport recorded a wind gust to 62 mph. At 256 AM EST the same platform recorded a sustained wind of 40 mph." +120624,722733,MASSACHUSETTS,2017,October,High Wind,"SOUTHERN WORCESTER",2017-10-30 00:00:00,EST-5,2017-10-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1236 AM EST, the Automated Surface Observation System platform at Worcester Regional Airport recorded a sustained wind of 40 mph. At 517 AM EST, a trained spotter in Milford reported a wind gust to 67 mph." +120337,723046,MONTANA,2017,October,High Wind,"PRAIRIE",2017-10-26 01:53:00,MST-7,2017-10-26 01:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A surface low pressure system from the Canadian Rockies moved across the area, which allowed high winds aloft to mix down to the surface, during which time a few locations experienced wind gusts of greater than 58 mph.","High winds snapped a power pole in the town of Terry. This was reported to the office via Twitter. Time was estimated based on strong winds in the area and radar data." +120044,722997,MONTANA,2017,October,High Wind,"GARFIELD",2017-10-22 17:08:00,MST-7,2017-10-22 17:08:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 59 mph wind gust was measured at the South Sawmill Creek RAWS site." +120042,719368,WISCONSIN,2017,October,Tornado,"DANE",2017-10-07 15:59:00,CST-6,2017-10-07 16:15:00,0,0,0,0,250.00K,250000,0.00K,0,43.0905,-89.3565,43.1854,-89.2148,"A strong upper trough and cold front resulted in a broken line of convection. An EF0 tornado occurred from Madison to Sun Prairie, and straight-line wind damage occurred in Pardeeville.","An EF0 tornado started near the intersection of S. First St. and Winnebago St. in Madison and tracked over 9 miles to Sun Prairie, paralleling Highway 151 for most of the path. In Madison, approximately, 200 trees were damaged or destroyed. Some of the trees landed on homes, garages, and vehicles. At least three households were displaced due to damage to their homes. The rear wall of a car wash collapsed, and the three-season porch of a home collapsed. A roof was partially torn away from a commercial building. Many power lines were downed with some arcing. In total, four commercial buildings and 12-18 homes sustained some damage. In Sun Prairie, near and east of the intersection of W. Main St. and O'Keeffe Ave., several traffic standards, streets signs, and construction barrels were damaged or knocked down. A truck topper was removed from a truck and a small wood shed was damaged. Several trees and branches were down, including a tree on a house." +120739,723127,KENTUCKY,2017,October,Flood,"CALLOWAY",2017-10-08 08:40:00,CST-6,2017-10-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-88.15,36.5566,-88.07,"A cold front swept east-southeast across the region as Hurricane Nate was coming ashore near Mobile, Alabama. Showers and storms developed along and in advance of the front. As moisture from the remnants of Nate moved north, some of the storms produced very heavy tropical rains south of a Mayfield to Owensboro line. In these areas, two to five inches of rain fell over a two-day period. There was urban street flooding, and water was over a state road.","Water topped a portion of Highway 121 between New Concord and the Tennessee state line." +120753,723243,MONTANA,2017,October,High Wind,"HILL",2017-10-25 15:41:00,MST-7,2017-10-25 15:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site 13 miles SW of Rudyard." +120401,721277,WASHINGTON,2017,October,High Wind,"ADMIRALTY INLET AREA",2017-10-18 09:00:00,PST-8,2017-10-18 15:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","KNUW has sustained wind 30 mph or greater from 9 AM to 3 PM. Highest sustained wind was 37 mph with a peak gust of 53 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120401,721280,WASHINGTON,2017,October,High Wind,"WESTERN SKAGIT COUNTY",2017-10-18 13:15:00,PST-8,2017-10-18 16:00:00,0,0,0,0,625.00K,625000,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","Padilla Bay had sustained wind 30 mph or greater from 115 PM to 4 PM. Highest sustained wind was 32 mph with a peak gust of 44 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120401,721279,WASHINGTON,2017,October,High Wind,"WESTERN WHATCOM COUNTY",2017-10-18 10:15:00,PST-8,2017-10-18 14:15:00,0,0,0,0,800.00K,800000,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","KBLI had sustained wind 30 mph or greater from 1015 AM to 215 PM. Highest sustained wind was 33 mph with a peak gust of 53 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120898,723827,UTAH,2017,October,High Wind,"CASTLE COUNTRY",2017-10-08 17:00:00,MST-7,2017-10-08 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 8, bringing strong gusty winds to portions of central and southern Utah, particularly in favored downslope areas.","Strong westerly downslope winds developed in Castle Country, with peak recorded wind gusts of 71 mph at the I-70 at Fremont Junction sensor, 70 mph at the SR-72 at Hogan Pass sensor, 62 mph in Orangeville, and 58 mph in Ferron." +120899,723843,UTAH,2017,October,High Wind,"SALT LAKE AND TOOELE VALLEYS",2017-10-20 05:50:00,MST-7,2017-10-20 12:30:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 20, bringing strong gusty winds to northern Utah, with some damage reported along the Wasatch Front.","Peak recorded wind gusts in the Salt Lake Valley included 62 mph at the SR-201 at I-80 sensor and 60 mph at Flight Park South. The strong winds with the cold front led to significantly reduced visibility across the valley in blowing dust. In addition, the high winds knocked down power lines in Midvale, with over 2,000 customers losing power. A 60-year-old tree in Sugarhouse was also blown down by the winds." +120160,723851,SOUTH DAKOTA,2017,October,High Wind,"PENNINGTON CO PLAINS",2017-10-26 02:30:00,MST-7,2017-10-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723853,SOUTH DAKOTA,2017,October,High Wind,"HAAKON",2017-10-26 04:00:00,MST-7,2017-10-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723854,SOUTH DAKOTA,2017,October,High Wind,"JACKSON",2017-10-26 05:00:00,MST-7,2017-10-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723860,SOUTH DAKOTA,2017,October,High Wind,"TRIPP",2017-10-26 08:00:00,CST-6,2017-10-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723861,SOUTH DAKOTA,2017,October,High Wind,"STURGIS / PIEDMONT FOOTHILLS",2017-10-26 02:00:00,MST-7,2017-10-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120160,723862,SOUTH DAKOTA,2017,October,High Wind,"SOUTHERN MEADE CO PLAINS",2017-10-26 02:00:00,MST-7,2017-10-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed behind the passage of a fast-moving cold front. Wind gusts around 60 mph occurred over much of the northwestern and west central South Dakota plains.","" +120976,724164,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-04 04:30:00,EST-5,2017-10-04 04:30:00,0,0,0,0,,NaN,,NaN,25.73,-80.16,25.73,-80.16,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A wind gust of 44 mph/38 knots was measured at the WeatherStem site at RSMAS on Virginia Key." +120976,724162,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-04 02:12:00,EST-5,2017-10-04 02:12:00,0,0,0,0,,NaN,,NaN,26.09,-80.11,26.09,-80.11,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A gust of 43 mph/37 knots was recorded at the Port Everglades Channel C-Man station PVGF1." +120976,724161,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-10-04 01:24:00,EST-5,2017-10-04 01:24:00,0,0,0,0,,NaN,,NaN,26.6127,-80.0345,26.6127,-80.0345,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A gust of 44 mph/38 knots was measured at the Lake Worth C-Man station LKWF1." +121056,724706,ATLANTIC NORTH,2017,October,Marine High Wind,"SCHOODIC POINT ME TO STONINGTON ME OUT 25 NM",2017-10-30 02:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,44.11,-68.11,44.11,-68.11,"A strong low level jet crossed the Gulf of Maine during the morning of the 30th. Storm force wind gusts of 50 to 60 knots were common...with peak wind gusts approaching hurricane force. A peak wind gust of 63 knots was reported at the Brooklin Boatyard in coastal Hancock county. The winds toppled...snapped or damaged numerous trees along the coast. The falling trees extensively damaged the electrical grid with snapped utility poles and downed power lines. Structural damage to roofs...shingles...siding and signs also occurred along the coast.","Wind gusts of 45 to 55 knots were common through the morning of the 30th with a low level jet crossing the region. Peak wind gusts approached hurricane force with a gust of 61 knots measured at the Eastern Maine Shelf buoy." +121063,724743,VIRGINIA,2017,October,Heavy Rain,"GREENSVILLE",2017-10-10 15:55:00,EST-5,2017-10-10 15:55:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-77.59,36.83,-77.59,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.75 inches was measured at Purdy." +121063,724744,VIRGINIA,2017,October,Heavy Rain,"NEW KENT",2017-10-11 10:36:00,EST-5,2017-10-11 10:36:00,0,0,0,0,0.00K,0,0.00K,0,37.51,-77.17,37.51,-77.17,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 2.62 inches was measured at (1 E) Bottoms Bridge." +121063,724745,VIRGINIA,2017,October,Heavy Rain,"HAMPTON (C)",2017-10-11 17:06:00,EST-5,2017-10-11 17:06:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.42,37.09,-76.42,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.82 inches was measured at (2 W) Langley Air Force Base." +121063,724746,VIRGINIA,2017,October,Heavy Rain,"YORK",2017-10-11 17:11:00,EST-5,2017-10-11 17:11:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-76.43,37.19,-76.43,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.74 inches was measured at Seaford." +121063,724747,VIRGINIA,2017,October,Heavy Rain,"SURRY",2017-10-11 20:48:00,EST-5,2017-10-11 20:48:00,0,0,0,0,0.00K,0,0.00K,0,37.17,-76.81,37.17,-76.81,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.39 inches was measured at (1 WSW) Scotland." +121063,724748,VIRGINIA,2017,October,Heavy Rain,"SUFFOLK (C)",2017-10-11 21:26:00,EST-5,2017-10-11 21:26:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-76.55,36.61,-76.55,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 3.26 inches was measured at (2 SE) Saunders." +120396,721188,CALIFORNIA,2017,October,High Wind,"OWENS VALLEY",2017-10-20 01:42:00,PST-8,2017-10-20 08:50:00,0,0,0,0,35.00K,35000,0.00K,0,NaN,NaN,NaN,NaN,"Severe downslope winds affected the Owens Valley ahead of a cold front.","The peak gust was measured 4 miles NW of Independence. Three big rigs were blown over on Highway 395." +120397,721189,NEVADA,2017,October,High Wind,"ESMERALDA/CENTRAL NYE",2017-10-20 04:00:00,PST-8,2017-10-20 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Severe downslope winds affected the Fish Lake Valley ahead of a cold front.","High winds destroyed a mobile home in Dyer." +120964,724109,ALABAMA,2017,October,Tornado,"MOBILE",2017-10-07 15:47:00,CST-6,2017-10-07 15:48:00,0,0,0,0,50.00K,50000,0.00K,0,30.6848,-88.2125,30.6874,-88.2159,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","A brief EF-0 tornado touched down on Portside Court and traveled northwest, lifting near the intersection of Airport Blvd and Border Circle West. The tornado downed several large oak tree limbs. A large billboard was downed and twisted near Airport Blvd. A small professional building experienced shingle damage, damage to the facade, and broken windows. Just north of Airport Blvd, windows were blown out of vehicles at a car dealership. The dealership also suffered some window damage." +120964,724110,ALABAMA,2017,October,Tornado,"BUTLER",2017-10-07 17:26:00,CST-6,2017-10-07 17:27:00,0,0,0,0,10.00K,10000,0.00K,0,31.946,-86.5072,31.9528,-86.5122,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","A brief EF-0 tornado touched down in far northeast Butler County on County Road 75. The tornado moved northwest and lifted just east of Highway 31. The tornado produced sporadic tree damage along its path and damage to a metal roof of a residence." +120964,724111,ALABAMA,2017,October,Tornado,"BALDWIN",2017-10-07 17:34:00,CST-6,2017-10-07 17:35:00,0,0,0,0,5.00K,5000,0.00K,0,30.2927,-87.5742,30.2943,-87.5755,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","A brief EF-0 tornado touched down in Orange Beach Waterfront Park and produced some tree damage." +120964,724136,ALABAMA,2017,October,Rip Current,"BALDWIN COASTAL",2017-10-09 18:00:00,CST-6,2017-10-09 18:00:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","Two men drowned near Fort Morgan while attempting to rescue a child who was in distress in the surf." +120964,724432,ALABAMA,2017,October,Storm Surge/Tide,"BALDWIN COASTAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,7.80M,7800000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724433,ALABAMA,2017,October,Storm Surge/Tide,"BALDWIN CENTRAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,708.00K,708000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724434,ALABAMA,2017,October,Tropical Storm,"BALDWIN COASTAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,660.00K,660000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724435,ALABAMA,2017,October,Tropical Storm,"BALDWIN CENTRAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,115.00K,115000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724466,ALABAMA,2017,October,Storm Surge/Tide,"MOBILE COASTAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,10.00M,10000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724468,ALABAMA,2017,October,Storm Surge/Tide,"MOBILE CENTRAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724500,ALABAMA,2017,October,Tropical Storm,"BALDWIN INLAND",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120886,724586,VIRGINIA,2017,October,Thunderstorm Wind,"PATRICK",2017-10-23 17:00:00,EST-5,2017-10-23 17:00:00,0,0,0,0,0.50K,500,,NaN,36.5886,-80.6148,36.5886,-80.6148,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds brought down a tree near the intersection of Johnson Creek and Wards Gap Roads." +120886,724587,VIRGINIA,2017,October,Thunderstorm Wind,"PATRICK",2017-10-23 17:38:00,EST-5,2017-10-23 17:38:00,0,0,0,0,0.50K,500,,NaN,36.8359,-80.3224,36.8359,-80.3224,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds blew down a tree on Route 8 near the Floyd County line." +120886,724588,VIRGINIA,2017,October,Thunderstorm Wind,"CARROLL",2017-10-23 16:59:00,EST-5,2017-10-23 16:59:00,0,0,0,0,1.00K,1000,,NaN,36.7002,-80.8689,36.7002,-80.8689,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds brought down two trees near Winterberry Road." +120886,724589,VIRGINIA,2017,October,Thunderstorm Wind,"GRAYSON",2017-10-23 16:58:00,EST-5,2017-10-23 16:58:00,0,0,0,0,1.50K,1500,,NaN,36.6868,-80.9505,36.6868,-80.9505,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds downed three large trees in a homeowner's backyard along Windmill Road near Galax." +120886,724785,VIRGINIA,2017,October,Thunderstorm Wind,"RADFORD (C)",2017-10-23 17:32:00,EST-5,2017-10-23 17:32:00,0,0,0,0,10.00K,10000,,NaN,37.1291,-80.5736,37.1291,-80.5736,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds downed numerous trees within the City of Radford." +120886,724786,VIRGINIA,2017,October,Thunderstorm Wind,"FRANKLIN",2017-10-23 18:04:00,EST-5,2017-10-23 18:04:00,0,0,0,0,10.00K,10000,,NaN,36.8103,-80.0087,36.8103,-80.0087,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm wind gusts downed numerous trees along Philpott Road." +121121,725118,MARYLAND,2017,October,Strong Wind,"DORCHESTER",2017-10-24 03:15:00,EST-5,2017-10-24 03:15:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Scattered showers in advance of a cold front produced damaging winds across portions of the Lower Maryland Eastern Shore.","Tree was downed on a house near East New Market. A few other trees were downed elsewhere across the county." +119755,718173,COLORADO,2017,October,Dense Fog,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-10-02 20:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual moisture trapped in the wake of a departing early season winter storm allowed dense fog to form across portions of western Colorado.","Dense fog occurred across portions of the northwestern San Juan Mountains. Visibilities dropped down to a quarter mile at the Telluride Regional Airport." +119755,718170,COLORADO,2017,October,Dense Fog,"CENTRAL YAMPA RIVER BASIN",2017-10-02 23:00:00,MST-7,2017-10-03 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual moisture trapped in the wake of a departing early season winter storm allowed dense fog to form across portions of western Colorado.","Dense fog occurred across much of the central Yampa River Basin with visibilities down to a quarter mile or less." +119755,718171,COLORADO,2017,October,Dense Fog,"DEBEQUE TO SILT CORRIDOR",2017-10-03 00:00:00,MST-7,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual moisture trapped in the wake of a departing early season winter storm allowed dense fog to form across portions of western Colorado.","Dense fog occurred along portions of Interstate 70. Visibilities dropped down to a quarter mile at the Rifle Garfield County Airport." +119758,718184,COLORADO,2017,October,Dense Fog,"CENTRAL COLORADO RIVER BASIN",2017-10-04 06:00:00,MST-7,2017-10-04 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Residual moisture from a recent storm remained trapped in the Central Colorado River Basin which led to localized dense fog.","Dense fog occurred across much of the central Colorado River Basin. Visibilities dropped down to a quarter mile at the Eagle Airport." +119759,718195,COLORADO,2017,October,Frost/Freeze,"SAN JUAN RIVER BASIN",2017-10-09 18:00:00,MST-7,2017-10-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant clearing occurred behind a cold front and associated upper level trough. This resulted in strong radiational cooling which allowed widespread freezing temperatures across western Colorado.","Temperatures down to 22 to 28 degrees F across the zone." +113877,693874,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:52:00,CST-6,2017-04-21 19:52:00,0,0,0,0,20.00K,20000,0.00K,0,33.2,-96.6546,33.2,-96.6546,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An storm spotter reported baseball size hail 2 miles west of McKinney." +113877,693876,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:56:00,CST-6,2017-04-21 19:56:00,0,0,0,0,5.00K,5000,0.00K,0,33.16,-96.64,33.16,-96.64,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An storm spotter reported half dollar size hail near McKinney." +113877,693893,TEXAS,2017,April,Hail,"FANNIN",2017-04-21 19:50:00,CST-6,2017-04-21 19:50:00,0,0,0,0,5.00K,5000,0.00K,0,33.78,-96.02,33.78,-96.02,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm spotter reported ping pong size hail near the city of Telephone, TX." +121165,725366,ALASKA,2017,October,Flood,"JUNEAU BOROUGH",2017-10-27 05:00:00,AKST-9,2017-10-28 03:00:00,0,0,0,0,180.00K,180000,0.00K,0,58.3581,-134.5737,58.3685,-134.5736,"A moderately strong atmospheric river of sub-tropical moisture moved out of the North Pacific through October 26th and over Southeast Alaska on the 27th. Leading up to the warm front drifting over the region, the northern half of the area received snow and there was about average snow pack for this time of year in the upper elevations. ||Rain from the warm front moved over the area in the morning of the 26th and it became heavy at times by the 27th. Gauges in the area reported 3 to 5 inches of rain before the rain tapper off in the late afternoon of the 27th. Jordan Creek started a slow rise from this rain overnight on the 26th. Freezing levels rose above 4000 feet early on the 27th and the snow pack across Thunder Mountain, in the headwaters of Jordan Creek, became primed and significant amount of snow melt flowed into the Jordan Creek system. The water levels started a quick rise through the 27th and went above moderate flood stage by mid-morning of 27th and did not go below minor flood stage until early morning hours of the 28th.","As moderate rain fell through the day on the 26th, Jordan Creek began to slowly rise from about one inch of rainfall in 12 hours. The creek's rate of rise started to sharpen overnight on the 26th as the snow pack in the headwaters became primed to produce more runoff to go along with the runoff from the rainfall. Jordan Creek went above minor flood stage in the early morning hours of the 27th as the rain increased to be heavy. Within 3 hours around 9 am AKDT the water levels rose above the old record stage for that site of 10.07 feet and above moderate flood stage of 10.50 feet. Jordan Creek crested at 10.97 feet, a new record, in the afternoon of the 27th and began to recede through the early evening as the rain rates began to tapper off. ||There was significant flooding in the Jordan Creek area with multiple home's and business's' flooded, with some water in their crawl space and/or homes . Roads around the area were flooded but still passable. Parking lots were also flooded with some owners moving their car but some did not and were flooded with a few feet of water. Estimated flood damage costs were around 100k.||The heavy rain also produced a debris flow along the Gold Creek flume and cause damage which cost about 80k to fix." +121183,725430,SOUTH DAKOTA,2017,October,Drought,"CORSON",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +120705,725307,MINNESOTA,2017,October,Heavy Snow,"CENTRAL ST. LOUIS",2017-10-26 20:00:00,CST-6,2017-10-27 16:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","Observer in Chisolm had measured snowfall of 8.3." +121215,725728,MONTANA,2017,October,Drought,"DAWSON",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe (D2) drought conditions were present across Dawson county at the beginning of the month, improving slightly to only the northwestern half of the county experiencing Severe (D2) drought conditions by the end of the month of October. The area received between approximately one quarter of an inch to just under one inch of precipitation, which ranged from near normal to three quarters of an inch below normal for the month." +121215,725730,MONTANA,2017,October,Drought,"WIBAUX",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe (D2) drought conditions were present across Wibaux county at the beginning of the month, improving to Moderate (D1) drought conditions by the end of the month of October. The area received between approximately one half of an inch to one inch of precipitation, which was approximately to half an inch below normal for the month." +121215,725729,MONTANA,2017,October,Drought,"PRAIRIE",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Severe (D2) drought conditions were present across Prairie county at the beginning of the month, improving slightly to only the western half of the county experiencing Severe (D2) drought conditions by the end of the month of October. The area received between approximately one quarter of an inch to just under one inch of precipitation, which ranged from near normal to three quarters of an inch below normal for the month." +121203,725731,CALIFORNIA,2017,October,Wildfire,"CLEAR LAKE/SOUTHERN LAKE COUNTY",2017-10-08 23:59:00,PST-8,2017-10-27 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Breezy northerly winds with low humidity and dry fuel brought critical fire conditions. Wind gusts ranged from 40 to 50 mph in the Central Valley. These enhanced the development of the Wind Complex, which included the Cascade, Lobo, McCourtney and LaPorte wildfires. Other fires include the Atlas, Sulphur, Cherokee, and Honey wildfires.","The Sulphur Fire was part of the Mendicino Lake Fire Complex. It started on|October 8, 2017, burned 2,207 acres, and was contained on October 27, 2017.|Approximately 169 buildings (residences, outbuildings and commercial buildings) were|destroyed or damaged. The fire burned in watersheds that drain directly to Clear Lake or to much smaller Borax Lake. Clear Lake supplies municipal water for several communities.|Wind gusts were up to 63 mph 8 miles ENE Hidden Valley Lake, 50 mph 1 mile SSE Wilbur Springs, 45 mph 5 miles E Talmage." +120642,723256,NEBRASKA,2017,October,Hail,"FRANKLIN",2017-10-02 18:20:00,CST-6,2017-10-02 18:20:00,0,0,0,0,25.00K,25000,0.00K,0,40.2255,-98.9675,40.2255,-98.9675,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Quarter to golf ball sized hail occurred." +120852,723614,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:37:00,EST-5,2017-10-07 21:37:00,0,0,0,0,0.00K,0,0.00K,0,41.76,-83.62,41.76,-83.62,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +119660,718829,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.6,-75.86,37.6,-75.86,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.19 inches was measured at Pungoteague (3 SW)." +119660,718830,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.76,-75.59,37.76,-75.59,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.81 inches was measured at Modest Town (3 SSW)." +119660,718831,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-75.37,37.93,-75.37,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.92 inches was measured at Chincoteague (1 SW)." +119660,718833,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.14,-76.45,37.14,-76.45,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.72 inches was measured at Tabb." +120599,722457,COLORADO,2017,November,Winter Storm,"WEST ELK AND SAWATCH MOUNTAINS",2017-11-16 18:00:00,MST-7,2017-11-18 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific trough brought significant to heavy snow accumulations to the northern and central mountains of western Colorado. Additionally, high-level atmospheric winds to 140 knots induced strong winds down to the surface which resulted in widespread blowing snow over higher mountain passes.","Generally 7 to 14 inches of snow accumulated across the area, with the highest amounts above 10,000 feet. A locally higher amount of about 2 feet of snow was measured at the Schofield Pass SNOTEL site. Wind gusts of 25 to 45 mph produced areas of blowing and drifting snow." +120599,722459,COLORADO,2017,November,Winter Weather,"FLATTOP MOUNTAINS",2017-11-17 15:00:00,MST-7,2017-11-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific trough brought significant to heavy snow accumulations to the northern and central mountains of western Colorado. Additionally, high-level atmospheric winds to 140 knots induced strong winds down to the surface which resulted in widespread blowing snow over higher mountain passes.","Generally 4 to 8 inches of snow was measured across the area. Winds gusts of 30 to 45 mph produced areas of blowing and drifting snow. A locally stronger gust of 60 mph was measured at the Dead horse RAWS site." +116301,712768,MINNESOTA,2017,July,Hail,"RAMSEY",2017-07-09 20:25:00,CST-6,2017-07-09 20:25:00,0,0,0,0,0.00K,0,0.00K,0,44.93,-93.17,44.93,-93.17,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712769,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:30:00,CST-6,2017-07-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-94.34,44.34,-94.34,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119660,718858,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-08 06:54:00,EST-5,2017-08-08 06:54:00,0,0,0,0,0.00K,0,0.00K,0,37.13,-76.49,37.13,-76.49,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.28 inches was measured at PHF." +115643,694863,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-04-06 13:54:00,EST-5,2017-04-06 13:54:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 51 knots was reported at Grove Point." +115643,694864,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-04-06 14:00:00,EST-5,2017-04-06 14:00:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 37 to 39 knots were reported at the Susquehanna River Buoy." +115643,694865,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-04-06 14:05:00,EST-5,2017-04-06 14:05:00,0,0,0,0,,NaN,,NaN,39.5,-75.99,39.5,-75.99,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 58 knots was reported at North Bay." +115643,694869,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-04-06 14:00:00,EST-5,2017-04-06 14:00:00,0,0,0,0,,NaN,,NaN,39.4399,-76.0566,39.4399,-76.0566,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 60 knots was reported about 3 miles south of the Aberdeen Proving Ground." +115643,694871,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-04-06 15:50:00,EST-5,2017-04-06 15:50:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 35 knots was reported at Gooses Reef." +116991,703652,NEW YORK,2017,May,Frost/Freeze,"SOUTHERN ERIE",2017-05-09 03:30:00,EST-5,2017-05-09 06:15:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Unusually cold temperatures for early May resulted in a freeze across the interior sections of western Southern Tier including parts of southern Erie, Chautauqua and Wyoming Counties overnight. The temperature fell below freezing for up to eight hours in some locations. Recorded low temperatures included 30 degrees in Clymer, 31 degrees in Warsaw and 29 degrees in East Aurora.","" +116991,703653,NEW YORK,2017,May,Frost/Freeze,"WYOMING",2017-05-09 03:45:00,EST-5,2017-05-09 06:15:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Unusually cold temperatures for early May resulted in a freeze across the interior sections of western Southern Tier including parts of southern Erie, Chautauqua and Wyoming Counties overnight. The temperature fell below freezing for up to eight hours in some locations. Recorded low temperatures included 30 degrees in Clymer, 31 degrees in Warsaw and 29 degrees in East Aurora.","" +116992,703654,NEW YORK,2017,May,Hail,"MONROE",2017-05-14 14:43:00,EST-5,2017-05-14 14:43:00,0,0,0,0,,NaN,,NaN,43.15,-77.59,43.15,-77.59,"A thunderstorm moving across the Finger Lakes dropped pea- to dime-sized hail on Rochester and the southeast suburbs, including the annual Lilac Festival. The storm merged with another cell over northwest Ontario County. That storm produced one-inch hail just east of Canandaigua.","" +116992,703655,NEW YORK,2017,May,Hail,"MONROE",2017-05-14 15:02:00,EST-5,2017-05-14 15:02:00,0,0,0,0,,NaN,,NaN,43.03,-77.49,43.03,-77.49,"A thunderstorm moving across the Finger Lakes dropped pea- to dime-sized hail on Rochester and the southeast suburbs, including the annual Lilac Festival. The storm merged with another cell over northwest Ontario County. That storm produced one-inch hail just east of Canandaigua.","" +116992,703656,NEW YORK,2017,May,Hail,"ONTARIO",2017-05-14 15:04:00,EST-5,2017-05-14 15:04:00,0,0,0,0,,NaN,,NaN,43.03,-77.44,43.03,-77.44,"A thunderstorm moving across the Finger Lakes dropped pea- to dime-sized hail on Rochester and the southeast suburbs, including the annual Lilac Festival. The storm merged with another cell over northwest Ontario County. That storm produced one-inch hail just east of Canandaigua.","" +116992,703657,NEW YORK,2017,May,Hail,"ONTARIO",2017-05-14 15:33:00,EST-5,2017-05-14 15:33:00,0,0,0,0,,NaN,,NaN,42.89,-77.28,42.89,-77.28,"A thunderstorm moving across the Finger Lakes dropped pea- to dime-sized hail on Rochester and the southeast suburbs, including the annual Lilac Festival. The storm merged with another cell over northwest Ontario County. That storm produced one-inch hail just east of Canandaigua.","" +116992,703658,NEW YORK,2017,May,Hail,"ONTARIO",2017-05-14 15:35:00,EST-5,2017-05-14 15:35:00,0,0,0,0,2.00K,2000,,NaN,42.88,-77.22,42.88,-77.22,"A thunderstorm moving across the Finger Lakes dropped pea- to dime-sized hail on Rochester and the southeast suburbs, including the annual Lilac Festival. The storm merged with another cell over northwest Ontario County. That storm produced one-inch hail just east of Canandaigua.","" +118298,710901,NEW YORK,2017,June,Thunderstorm Wind,"CATTARAUGUS",2017-06-18 15:30:00,EST-5,2017-06-18 15:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.03,-78.98,42.03,-78.98,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118296,710888,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 15:33:00,EST-5,2017-06-15 15:33:00,0,0,0,0,10.00K,10000,0.00K,0,42.72,-77.69,42.72,-77.69,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +118296,710889,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 15:39:00,EST-5,2017-06-15 15:39:00,0,0,0,0,12.00K,12000,0.00K,0,42.82,-77.67,42.82,-77.67,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +118296,710890,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 16:31:00,EST-5,2017-06-15 16:31:00,0,0,0,0,10.00K,10000,0.00K,0,42.62,-77.77,42.62,-77.77,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +121686,728377,NEW YORK,2017,June,Coastal Flood,"WAYNE",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119317,716443,NEW YORK,2017,July,Flash Flood,"ERIE",2017-07-13 11:36:00,EST-5,2017-07-13 13:15:00,0,0,0,0,15.00K,15000,0.00K,0,42.855,-78.6193,42.8589,-78.6676,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +120768,723313,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:33:00,EST-5,2017-09-04 21:33:00,0,0,0,0,20.00K,20000,0.00K,0,42.54,-79.17,42.54,-79.17,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees down by thunderstorm winds." +120768,723314,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:34:00,EST-5,2017-09-04 21:34:00,0,0,0,0,15.00K,15000,0.00K,0,42.38,-79.43,42.38,-79.43,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","The mayor of Brocton reported a row of eight trees downed by thunderstorm winds." +120768,723315,NEW YORK,2017,September,Thunderstorm Wind,"GENESEE",2017-09-04 21:36:00,EST-5,2017-09-04 21:36:00,0,0,0,0,8.00K,8000,0.00K,0,43.02,-78.33,43.02,-78.33,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported wires down by thunderstorm winds on Beckwith Road." +121683,728355,NEW YORK,2017,September,Coastal Flood,"OSWEGO",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +113095,676884,FLORIDA,2017,March,Thunderstorm Wind,"ST. LUCIE",2017-03-23 12:53:00,EST-5,2017-03-23 12:53:00,0,0,0,0,2.00K,2000,0.00K,0,27.4507,-80.6098,27.4507,-80.6098,"A cluster of thunderstorms moved onshore from the Atlantic and organized into a long-lived severe storm as it moved southwest at 30 mph. The storm produced large hail in Vero Beach, then snapped four wooden power poles west of Vero Beach. As the storm continued farther southwest into rural Indian River and St. Lucie Counties, the cell acquired rotation and a brief tornado developed and damaged a power pole between Interstate 95 and the Florida Turnpike. Additional sporadic wind damage occurred to powerlines and a power pole near and southwest of the Florida Turnpike.","Florida Power and Light reported that a wooden power pole was snapped due to high winds as a severe thunderstorm crossed into a rural area of St. Lucie County to the southwest of the Florida Turnpike, near Highway 68. Straight-line winds were estimated at 90-100 mph." +117822,708240,CALIFORNIA,2017,June,Flood,"FRESNO",2017-06-19 17:00:00,PST-8,2017-06-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7549,-119.4438,36.736,-119.4394,"Large water releases from Pine Flat Dam resulted in flooding along portions of the Kings River between June 18 and June 29. Evacuations began at Riverland RV park near Kingsburg on June 18. A levee breech near the Kings River Country Club near Kingsburg occurred on June 23 followed by a second breech just downstream of the first levee breech on June 24. As a result of the second breech, 90 homes were threatened by flooding in Tulare County. 300 people were evacuated as water ponded up to 12 feet deep around homes and 7 structures were damaged. A sandbagging operation took place on June 24 and June 25 in Tulare County on on June 25 and June 26 using over 1000 sandbags. Releases were cut back at Pine Flat Dam on June 26 and the flooding downstream receded by June 29.","Riverbend and Kings Canyon RV Park near Sanger flooded as the result of large water releases along the Kings River." +117822,708242,CALIFORNIA,2017,June,Flood,"KINGS",2017-06-22 13:00:00,PST-8,2017-06-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,36.377,-119.7374,36.3652,-119.7431,"Large water releases from Pine Flat Dam resulted in flooding along portions of the Kings River between June 18 and June 29. Evacuations began at Riverland RV park near Kingsburg on June 18. A levee breech near the Kings River Country Club near Kingsburg occurred on June 23 followed by a second breech just downstream of the first levee breech on June 24. As a result of the second breech, 90 homes were threatened by flooding in Tulare County. 300 people were evacuated as water ponded up to 12 feet deep around homes and 7 structures were damaged. A sandbagging operation took place on June 24 and June 25 in Tulare County on on June 25 and June 26 using over 1000 sandbags. Releases were cut back at Pine Flat Dam on June 26 and the flooding downstream receded by June 29.","A levee breech occurred along an irrigation canal near Grangeville. The report was received from the California Department of Water Resources after being reported by Kings County Sheriff Deputies." +117822,708243,CALIFORNIA,2017,June,Flood,"FRESNO",2017-06-23 12:40:00,PST-8,2017-06-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-119.47,36.5995,-119.4668,"Large water releases from Pine Flat Dam resulted in flooding along portions of the Kings River between June 18 and June 29. Evacuations began at Riverland RV park near Kingsburg on June 18. A levee breech near the Kings River Country Club near Kingsburg occurred on June 23 followed by a second breech just downstream of the first levee breech on June 24. As a result of the second breech, 90 homes were threatened by flooding in Tulare County. 300 people were evacuated as water ponded up to 12 feet deep around homes and 7 structures were damaged. A sandbagging operation took place on June 24 and June 25 in Tulare County on on June 25 and June 26 using over 1000 sandbags. Releases were cut back at Pine Flat Dam on June 26 and the flooding downstream receded by June 29.","Flooding was reported by an NWS employee along the Kings River just south of the bridge on Manning Ave at the adjacent RV Park on the west side of Reedley." +119990,719048,OHIO,2017,August,Hail,"TRUMBULL",2017-08-21 15:09:00,EST-5,2017-08-21 15:09:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-80.77,41.18,-80.77,"A line of thunderstorms moved across northern Ohio. There were a few reports of severe weather.","Nickel sized hail was observed." +119991,719049,LAKE ERIE,2017,August,Waterspout,"AVON POINT TO WILLOWICK OH",2017-08-26 06:34:00,EST-5,2017-08-26 06:38:00,0,0,0,0,0.00K,0,0.00K,0,42.2246,-80.0629,42.2246,-80.0629,"A waterspout was observed on Lake Erie.","A waterspout was observed on Lake Erie offshore from Erie." +116814,702474,IDAHO,2017,May,Flood,"BOISE",2017-05-07 10:50:00,MST-7,2017-05-15 11:00:00,0,0,0,0,100.00K,100000,0.00K,0,43.8301,-115.2088,43.8183,-115.2086,"Spring snow melt flooding occurred across much of Southwest Idaho as a result of an above normal snow pack for the winter of 2016 to 2017.","The Middle fork of the Boise River near Atlanta reached minor food stage due to snow melt. A number of county and Forest Service roads were damaged." +116814,702469,IDAHO,2017,May,Flood,"ELMORE",2017-05-07 10:25:00,MST-7,2017-05-15 11:00:00,0,0,0,0,100.00K,100000,0.00K,0,43.35,-115.48,43.3292,-115.4787,"Spring snow melt flooding occurred across much of Southwest Idaho as a result of an above normal snow pack for the winter of 2016 to 2017.","The Boise River near Anderson reached minor food stage due to snow melt. A number of county and Forest Service roads were damaged." +113088,678995,ALABAMA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-21 16:42:00,CST-6,2017-03-21 16:42:00,0,0,0,0,,NaN,,NaN,34.8595,-85.8287,34.8595,-85.8287,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Trees were knocked down on highway 117 north heading into Stevenson." +113088,678996,ALABAMA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-21 16:47:00,CST-6,2017-03-21 16:47:00,0,0,0,0,,NaN,,NaN,34.94,-85.72,34.94,-85.72,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Shingles were blown off of a roof." +120289,720786,NEW YORK,2017,August,Hail,"JEFFERSON",2017-08-04 16:55:00,EST-5,2017-08-04 16:55:00,0,0,0,0,5.00K,5000,,NaN,43.82,-76.03,43.82,-76.03,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","" +120289,720787,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 16:56:00,EST-5,2017-08-04 16:56:00,0,0,0,0,10.00K,10000,0.00K,0,43.74,-76.13,43.74,-76.13,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +120289,720788,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-04 18:17:00,EST-5,2017-08-04 18:17:00,0,0,0,0,8.00K,8000,0.00K,0,43.41,-76.61,43.41,-76.61,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +120289,720789,NEW YORK,2017,August,Thunderstorm Wind,"WAYNE",2017-08-04 18:38:00,EST-5,2017-08-04 18:38:00,0,0,0,0,12.00K,12000,0.00K,0,43.22,-76.81,43.22,-76.81,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +120291,720790,LAKE ONTARIO,2017,August,Marine Thunderstorm Wind,"HAMLIN BEACH TO SODUS BAY NY",2017-08-04 14:50:00,EST-5,2017-08-04 14:50:00,0,0,0,0,,NaN,0.00K,0,43.28,-77.53,43.28,-77.53,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced winds that gusted to 41 knots at Oswego and 34 knots at Rochester.","" +120291,720791,LAKE ONTARIO,2017,August,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-08-04 15:24:00,EST-5,2017-08-04 15:24:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced winds that gusted to 41 knots at Oswego and 34 knots at Rochester.","" +112669,678957,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-01 12:19:00,CST-6,2017-03-01 12:19:00,0,0,0,0,,NaN,,NaN,34.83,-87.32,34.83,-87.32,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported." +112669,678958,ALABAMA,2017,March,Hail,"LIMESTONE",2017-03-01 12:25:00,CST-6,2017-03-01 12:25:00,0,0,0,0,,NaN,,NaN,34.87,-87.16,34.87,-87.16,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail was reported." +112669,678959,ALABAMA,2017,March,Hail,"COLBERT",2017-03-01 12:35:00,CST-6,2017-03-01 12:35:00,0,0,0,0,,NaN,,NaN,34.64,-87.69,34.64,-87.69,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported." +116301,713653,MINNESOTA,2017,July,Hail,"MCLEOD",2017-07-09 19:35:00,CST-6,2017-07-09 19:35:00,0,0,0,0,0.00K,0,0.00K,0,44.72,-94.48,44.72,-94.48,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712735,MINNESOTA,2017,July,Hail,"SIBLEY",2017-07-09 19:55:00,CST-6,2017-07-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,44.5426,-94.469,44.5426,-94.469,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,713658,MINNESOTA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-09 20:00:00,CST-6,2017-07-09 20:02:00,0,0,0,0,0.00K,0,0.00K,0,44.7153,-93.3887,44.707,-93.3737,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","Several trees were blown down in Credit River Township." +119905,718716,ARIZONA,2017,July,Heavy Rain,"GILA",2017-07-21 16:15:00,MST-7,2017-07-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-111.31,34.3958,-111.1707,"Deep moisture over northern Arizona brought thunderstorms with heavy rain across the area. The sounding at Flagstaff (over 7000 feet) had a precipitable water content of over an inch. At least one thunderstorm produce strong winds.","A thunderstorm began producing heavy rain in the Payson area by 419 PM MST. A spotter measured 1.10 inches of rain in 45 minutes. The street and neighbor's front yard flooded with no damage." +119907,718733,ARIZONA,2017,July,Heavy Rain,"NAVAJO",2017-07-22 11:30:00,MST-7,2017-07-22 12:30:00,0,0,0,0,0.00K,0,0.00K,0,34.11,-109.86,34.0926,-109.7397,"Deep monsoon moisture remained over northern Arizona which lead to thunderstorms with heavy rain and strong winds.","A thunderstorm produced 1.67 inches of rain in one hour just north of McNary." +116453,713694,MINNESOTA,2017,July,Thunderstorm Wind,"DOUGLAS",2017-07-11 22:52:00,CST-6,2017-07-11 22:55:00,0,0,0,0,0.00K,0,0.00K,0,45.87,-95.39,45.8964,-95.3624,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","There were numerous trees blown down in the city of Alexandria." +116453,713740,MINNESOTA,2017,July,Thunderstorm Wind,"MILLE LACS",2017-07-12 00:30:00,CST-6,2017-07-12 00:30:00,0,0,0,0,0.00K,0,0.00K,0,45.9178,-93.6694,45.9178,-93.6694,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","A large pine tree was blown down north of Page." +116453,713742,MINNESOTA,2017,July,Hail,"MILLE LACS",2017-07-12 00:26:00,CST-6,2017-07-12 00:26:00,0,0,0,0,0.00K,0,0.00K,0,46.0668,-93.6639,46.0668,-93.6639,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","" +121162,725379,OKLAHOMA,2017,October,Tornado,"CADDO",2017-10-21 18:08:00,CST-6,2017-10-21 18:16:00,0,0,0,0,3.00K,3000,0.00K,0,34.8966,-98.2702,34.9331,-98.2016,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","The first of series of tornadoes in Caddo County was observed to develop just south of State Highway 19, 4 miles west of Cyril. Trees were damaged just south of Highway 19 as the tornado moved northeast, and trees were snapped after crossing County Road 2660. Storm chasers observed the tornado cross near or just north of the intersection of County Roads 1440 and 2680 moving ENE before dissipating just before crossing State Highway 8." +120296,720849,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 17:12:00,EST-5,2017-08-22 17:12:00,0,0,0,0,10.00K,10000,0.00K,0,43.98,-75.6,43.98,-75.6,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120595,723737,KANSAS,2017,October,Tornado,"GOVE",2017-10-02 18:58:00,CST-6,2017-10-02 18:59:00,0,0,0,0,4.00K,4000,0.00K,0,38.9296,-100.3967,38.9309,-100.3948,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","An old shed collapsed due to walls giving way and an enclosed trailer was blown over. Several small limbs were snapped and a single pole for a residential cell tower was blown over." +119542,717342,IOWA,2017,August,Heavy Rain,"GUTHRIE",2017-08-20 23:15:00,CST-6,2017-08-21 03:07:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-94.5,41.69,-94.5,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Emergency manager reported heavy rainfall of 4.70 inches." +119542,717343,IOWA,2017,August,Heavy Rain,"CRAWFORD",2017-08-20 21:40:00,CST-6,2017-08-21 03:54:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-95.34,42.03,-95.34,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Online home weather station recorded heavy rainfall of 6.34 inches." +119542,717344,IOWA,2017,August,Heavy Rain,"CRAWFORD",2017-08-20 21:40:00,CST-6,2017-08-21 03:55:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-95.36,42.02,-95.36,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Online home weather station measured heavy rainfall of 4.03 inches." +118257,710695,MISSOURI,2017,June,Thunderstorm Wind,"CHARITON",2017-06-29 22:15:00,CST-6,2017-06-29 22:37:00,0,0,0,0,,NaN,,NaN,39.43,-92.94,39.4108,-92.8043,"On the evenings of June 29 and 30 a couple rounds of severe thunderstorms moved through western and central Missouri, producing some marginally severe hail and wind damage. Heavy rain associated with these storms also contributed to flooding along area roadways.","Multiple trees and power lines were down along Highway 24 between Keytesville and Salisbury. Also a grain bin was blown over and a shed roof was blown off along Highway 24." +118296,710884,NEW YORK,2017,June,Flash Flood,"ALLEGANY",2017-06-15 16:50:00,EST-5,2017-06-15 20:30:00,0,0,0,0,30.00K,30000,0.00K,0,42.4002,-78.3356,42.3804,-78.3346,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","" +118308,710937,LAKE ERIE,2017,June,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-06-26 23:55:00,EST-5,2017-06-26 23:55:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.33,42.49,-79.33,"Thunderstorms accompanied a cold front crossing Lake Erie. The storms produced wind gusts measured to 37 knots at Dunkirk. In the cold air following the front, a waterspout was sighted just west of Sturgeon Point.","" +118308,710938,LAKE ERIE,2017,June,Waterspout,"DUNKIRK TO BUFFALO NY",2017-06-27 09:14:00,EST-5,2017-06-27 09:14:00,0,0,0,0,,NaN,0.00K,0,42.7,-79.0891,42.7,-79.0891,"Thunderstorms accompanied a cold front crossing Lake Erie. The storms produced wind gusts measured to 37 knots at Dunkirk. In the cold air following the front, a waterspout was sighted just west of Sturgeon Point.","" +119264,716376,NEW YORK,2017,July,Hail,"GENESEE",2017-07-08 00:49:00,EST-5,2017-07-08 00:49:00,0,0,0,0,,NaN,,NaN,43,-78.32,43,-78.32,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","" +121162,725381,OKLAHOMA,2017,October,Tornado,"CADDO",2017-10-21 18:12:00,CST-6,2017-10-21 18:24:00,0,0,0,0,15.00K,15000,0.00K,0,34.9405,-98.2503,34.99,-98.1621,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","This tornado took a 6 mile path through Caddo County northwest of Cyril and Cement. Damage was confined to snapped or uprooted trees along the path." +121162,725382,OKLAHOMA,2017,October,Tornado,"CADDO",2017-10-21 18:16:00,CST-6,2017-10-21 18:21:00,0,0,0,0,10.00K,10000,0.00K,0,34.9575,-98.2535,34.9835,-98.2154,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","This tornado developed just west of County Road 2660 near County Road 1420 and moved northeast. Barns were significantly damaged along County Road 2660 and another along State Highway 8. Trees were snapped along the entire path. The tornado moved northeast to near County Road 1400 east of State Highway 8, and then turned east-southeast and dissipated soon after snapping more trees along County Road 2680." +119475,717016,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-23 14:16:00,EST-5,2017-07-23 14:16:00,0,0,0,0,10.00K,10000,0.00K,0,42.17,-77.8,42.17,-77.8,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","Trees were downed by thunderstorm winds in Andover." +119475,717017,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-23 13:45:00,EST-5,2017-07-23 13:45:00,0,0,0,0,15.00K,15000,0.00K,0,42.17,-77.98,42.17,-77.98,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","Law enforcement reported trees downed by thunderstorm winds." +118835,713938,IOWA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-20 20:01:00,CST-6,2017-07-20 20:01:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-94.22,41.82,-94.22,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Trained spotter reported 59 mph wind gust." +118835,713940,IOWA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-20 20:13:00,CST-6,2017-07-20 20:13:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-94.06,41.75,-94.06,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Local fire department reported wind gusts to 60 mph." +117902,708896,MISSOURI,2017,June,Thunderstorm Wind,"ATCHISON",2017-06-16 20:25:00,CST-6,2017-06-16 20:28:00,0,0,0,0,0.00K,0,0.00K,0,40.54,-95.4,40.54,-95.4,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Recorded at a wind farm about 3 miles south of the Missouri and Iowa border. Height of the instrument is unknown." +117902,708899,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-16 21:53:00,CST-6,2017-06-16 21:56:00,0,0,0,0,0.00K,0,0.00K,0,40.14,-93.87,40.14,-93.87,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A public spotter reported a 70 mph wind." +120563,722275,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 16:38:00,CST-6,2017-10-01 16:38:00,0,0,0,0,0.00K,0,0.00K,0,39.3565,-100.29,39.3565,-100.29,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +120563,722276,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 16:38:00,CST-6,2017-10-01 16:38:00,0,0,0,0,0.00K,0,0.00K,0,39.3575,-100.35,39.3575,-100.35,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +120563,722277,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 16:48:00,CST-6,2017-10-01 16:48:00,0,0,0,0,0.00K,0,0.00K,0,39.3524,-100.2097,39.3524,-100.2097,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +116627,713752,MINNESOTA,2017,July,Hail,"TODD",2017-07-17 16:08:00,CST-6,2017-07-17 16:08:00,0,0,0,0,0.00K,0,0.00K,0,46.16,-95.07,46.16,-95.07,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","" +116301,712750,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:12:00,CST-6,2017-07-09 20:12:00,0,0,0,0,0.00K,0,0.00K,0,44.69,-93.19,44.69,-93.19,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712752,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:15:00,CST-6,2017-07-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.64,-93.14,44.64,-93.14,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113877,693920,TEXAS,2017,April,Hail,"LAMAR",2017-04-21 20:44:00,CST-6,2017-04-21 20:44:00,0,0,0,0,60.00K,60000,0.00K,0,33.6861,-95.5543,33.6861,-95.5543,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio reported golf ball size hail near Paris, TX." +113877,695473,TEXAS,2017,April,Hail,"DALLAS",2017-04-21 22:00:00,CST-6,2017-04-21 22:00:00,0,0,0,0,80.00K,80000,0.00K,0,33.0121,-96.7956,33.0121,-96.7956,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Trained Spotter reported golf ball size hail near P. George Bush Turnpike and Preston Road." +113877,695483,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 22:06:00,CST-6,2017-04-21 22:06:00,0,0,0,0,120.00K,120000,0.00K,0,33.02,-96.72,33.02,-96.72,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Emergency Manager reported golf ball size hail in central Plano." +113877,695533,TEXAS,2017,April,Hail,"DALLAS",2017-04-21 22:04:00,CST-6,2017-04-21 22:04:00,0,0,0,0,200.00K,200000,0.00K,0,32.9767,-96.7332,32.9767,-96.7332,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Trained spotter reported egg size hail 2 miles NNW of Richardson." +113877,695475,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 22:00:00,CST-6,2017-04-21 22:00:00,0,0,0,0,100.00K,100000,0.00K,0,32.9983,-96.7974,32.9983,-96.7974,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Trained Spotter reported ping pong size hail six miles southwest of Plano, near Preston Rd and Frankford Rd." +114809,688597,TEXAS,2017,April,Hail,"DELTA",2017-04-26 06:15:00,CST-6,2017-04-26 06:15:00,0,0,0,0,75.00K,75000,0.00K,0,33.33,-95.77,33.33,-95.77,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A social media report indicated ping pong ball sized hail in the city of Klondike, TX." +115032,692395,MISSISSIPPI,2017,April,Lightning,"JEFFERSON DAVIS",2017-04-30 10:37:00,CST-6,2017-04-30 10:37:00,1,0,0,0,25.00K,25000,0.00K,0,31.5575,-89.7382,31.5575,-89.7382,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","A person was struck by lightning as they were getting inside their truck. Other cars were struck at the residence as well along Black Polk Road." +118189,710269,IOWA,2017,June,Hail,"POTTAWATTAMIE",2017-06-29 20:50:00,CST-6,2017-06-29 20:50:00,0,0,0,0,,NaN,,NaN,41.26,-95.87,41.26,-95.87,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","A storm chaser reported quarter size to ping pong ball size hail." +118189,710271,IOWA,2017,June,Hail,"POTTAWATTAMIE",2017-06-29 21:01:00,CST-6,2017-06-29 21:01:00,0,0,0,0,,NaN,,NaN,41.24,-95.86,41.24,-95.86,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710272,IOWA,2017,June,Hail,"POTTAWATTAMIE",2017-06-29 21:45:00,CST-6,2017-06-29 21:45:00,0,0,0,0,,NaN,,NaN,41.16,-95.34,41.16,-95.34,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710273,IOWA,2017,June,Hail,"MILLS",2017-06-29 21:50:00,CST-6,2017-06-29 21:50:00,0,0,0,0,,NaN,,NaN,41.02,-95.86,41.02,-95.86,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +115890,702432,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ARMSTRONG",2017-05-01 14:16:00,EST-5,2017-05-01 14:16:00,0,0,0,0,2.00K,2000,0.00K,0,40.84,-79.63,40.84,-79.63,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported several trees down." +115890,702433,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-01 14:20:00,EST-5,2017-05-01 14:20:00,0,0,0,0,1.00K,1000,0.00K,0,39.85,-79.91,39.85,-79.91,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported several large trees down." +117457,706423,NEBRASKA,2017,June,Hail,"SALINE",2017-06-16 20:06:00,CST-6,2017-06-16 20:06:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-96.96,40.63,-96.96,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,708074,NEBRASKA,2017,June,Tornado,"MADISON",2017-06-16 16:50:00,CST-6,2017-06-16 16:56:00,0,0,0,0,,NaN,,NaN,41.8661,-97.4221,41.8157,-97.3706,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A short-lived tornado was verified by photo and video evidence. This tornado broke large tree limbs and was very narrow." +117457,708706,NEBRASKA,2017,June,Tornado,"STANTON",2017-06-16 16:40:00,CST-6,2017-06-16 16:42:00,0,0,0,0,350.00K,350000,2.00K,2000,42.0907,-97.1906,42.0894,-97.1859,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","This is a continuation of the tornado that was in Wayne County. The tornado continued moving east-southeastward. Several sheds and barns were damaged or flattened by the tornado during the end of the tornado's path." +117457,709934,NEBRASKA,2017,June,Tornado,"DODGE",2017-06-16 18:10:00,CST-6,2017-06-16 18:15:00,0,0,0,0,,NaN,,NaN,41.595,-96.4994,41.5745,-96.494,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Brief tornado spun up within overall damaging thunderstorm wind area east of Winslow and moved southeast. Damage was limited to two center pivot irrigation systems flipped over." +117457,711009,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:40:00,CST-6,2017-06-16 20:40:00,0,0,0,0,,NaN,,NaN,40.3,-96.87,40.3,-96.87,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Power poles and tree trunks were snapped about 2 miles northwest of the Homestead National Monument." +117457,711010,NEBRASKA,2017,June,Thunderstorm Wind,"NEMAHA",2017-06-16 20:48:00,CST-6,2017-06-16 20:48:00,0,0,0,0,,NaN,,NaN,40.48,-95.73,40.48,-95.73,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Large tree limbs were blown down by damaging winds." +115905,704930,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-28 15:49:00,EST-5,2017-05-28 15:49:00,0,0,0,0,5.00K,5000,0.00K,0,41.21,-79.38,41.21,-79.38,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","State official reported many trees and wires down." +116519,703260,IOWA,2017,May,Tornado,"HENRY",2017-05-10 13:50:00,CST-6,2017-05-10 13:52:00,0,0,0,0,0.00K,0,0.00K,0,40.8601,-91.7197,40.8629,-91.7042,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","This is a continuation of the tornado from Van Buren County. Tornado was rated as an EF-0 with peak winds of 70 mph, a path length 2.0 miles and max width of 50 yards. This was a rope tornado which passed through mostly inaccessible forest with some felled trees and damage to an oat field." +117953,709090,IOWA,2017,June,Thunderstorm Wind,"FREMONT",2017-06-16 19:49:00,CST-6,2017-06-16 19:49:00,0,0,0,0,,NaN,,NaN,40.82,-95.69,40.82,-95.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Several trees were blown down by damaging thunderstorm winds." +117953,709091,IOWA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-16 20:05:00,CST-6,2017-06-16 20:05:00,0,0,0,0,,NaN,,NaN,41.14,-94.99,41.14,-94.99,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees and power lines were blown down by damaging thunderstorm winds near Grant." +116499,700600,NORTH CAROLINA,2017,May,Flood,"WATAUGA",2017-05-01 12:30:00,EST-5,2017-05-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-81.68,36.2167,-81.7038,"A cold front associated with a strong area of low pressure lifting through the Great Lakes brought rainfall of 2 to 3 inches across parts of northwest North Carolina and produced some minor flooding in and around Boone closing several roads.","Several roads were reported closed due to flooding around Boone including the Boone Mall parking lot, Boone Heights Drive at Hidden Shadows Drive, and Bamboo Roads near the Boone Airport and Deerfield Road near the Moose Lodge." +116499,703093,NORTH CAROLINA,2017,May,Heavy Rain,"WATAUGA",2017-05-01 08:00:00,EST-5,2017-05-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2098,-81.6673,36.2098,-81.6673,"A cold front associated with a strong area of low pressure lifting through the Great Lakes brought rainfall of 2 to 3 inches across parts of northwest North Carolina and produced some minor flooding in and around Boone closing several roads.","The Boone COOP site (BOON7) had a 24-hour total of 3.05 inches ending at 0800 EST on May 2nd. This was the 2nd highest daily May rainfall total at this site since records began in 1980. The highest is 4.90 inches set on May 6, 2013." +116503,700612,NORTH CAROLINA,2017,May,Flood,"WATAUGA",2017-05-05 02:30:00,EST-5,2017-05-05 05:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2513,-81.7718,36.259,-81.7719,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. Rainfall totals in North Carolina ranged from 3-5 inches along the Blue Ridge and foothills. The top five gauge reports (in inches) in for 24 hours ending 800 AM EDT on May 5th included Glade Creek VFD (GLCN7) 4.48, Fleetwood 3.1 SSE CoCoRaHS 4.04, Jefferson 2.7 ESE CoCoRaHS 3.05, Transou COOP (LSPN7) 3.87, Jefferson 1E COOP (JEFN7) 2.75.","The Watauga River gage at Sugar Grove (SGWN7) rose briefly above Minor flood stage of 6 feet, cresting at 6.39 feet early on the 5th. Several low water bridges and roads near the river were flooded." +116297,699231,VIRGINIA,2017,May,Hail,"BUCKINGHAM",2017-05-27 15:40:00,EST-5,2017-05-27 15:40:00,0,0,0,0,0.00K,0,0.00K,0,37.48,-78.59,37.48,-78.59,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699232,VIRGINIA,2017,May,Hail,"BUCKINGHAM",2017-05-27 15:55:00,EST-5,2017-05-27 15:55:00,0,0,0,0,0.00K,0,0.00K,0,37.52,-78.44,37.52,-78.44,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","A thunderstorm produced hail that ranged from pea to the size of a quarter." +116297,699233,VIRGINIA,2017,May,Hail,"TAZEWELL",2017-05-27 17:58:00,EST-5,2017-05-27 17:58:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-81.76,37.07,-81.76,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +114669,688996,COLORADO,2017,May,Hail,"ADAMS",2017-05-17 19:40:00,MST-7,2017-05-17 19:40:00,0,0,0,0,,NaN,,NaN,39.99,-104.82,39.99,-104.82,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","" +114669,688997,COLORADO,2017,May,Hail,"ADAMS",2017-05-17 19:42:00,MST-7,2017-05-17 19:42:00,0,0,0,0,,NaN,,NaN,39.98,-104.79,39.98,-104.79,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","" +114669,688998,COLORADO,2017,May,Heavy Snow,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-05-17 17:00:00,MST-7,2017-05-19 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included: 25 inches at Bear Lake, 14 inches at Deadman Hill, 10 inches at Lake Irene and 9 inches at Joe Wright and Long Draw Reservoir." +114669,688999,COLORADO,2017,May,Heavy Snow,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-05-17 17:00:00,MST-7,2017-05-19 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included: 26 inches near Breckenridge, 16 inches at Cabin Creek and Copper Mountain Ski Area, 10.5 inches near Dillon and Jones Pass, with 9 inches in Winter Park Ski Area." +114669,689000,COLORADO,2017,May,Heavy Snow,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-05-17 17:00:00,MST-7,2017-05-19 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30 inches near Nederland, 25 inches near Aspen Springs, 19 inches northeast of Red Feather Lakes, with 15 inches near Drake." +116573,701060,VIRGINIA,2017,May,Flood,"FRANKLIN",2017-05-24 19:00:00,EST-5,2017-05-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-79.82,36.9705,-79.8205,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Doe Run flooded over a low water crossing on Ashpone Road (Route 707) closing the road." +116573,701295,VIRGINIA,2017,May,Flood,"ALLEGHANY",2017-05-25 07:30:00,EST-5,2017-05-25 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.8018,-80.0489,37.8124,-80.0387,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The USGS gauge at Dunlap Creek near Covington (DLPV2) crested at 9.40 feet (5250 cfs) early on the 25th, just over the Minor Flood Stage of 9 feet." +116298,699390,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 18:18:00,EST-5,2017-05-31 18:18:00,0,0,0,0,5.00K,5000,0.00K,0,36.34,-79.66,36.34,-79.66,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds causing numerous 12 inch in diameter or greater trees to fall across portions of a rail road track, impeding travel near the Turner Drive Crossing." +116520,703038,ILLINOIS,2017,May,Thunderstorm Wind,"STEPHENSON",2017-05-17 18:05:00,CST-6,2017-05-17 18:05:00,0,0,0,0,,NaN,0.00K,0,42.29,-89.63,42.29,-89.63,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local law enforcement reported a large tree blown down and was blocking the road on the east side of Freeport." +116520,703055,ILLINOIS,2017,May,Thunderstorm Wind,"HENRY",2017-05-17 20:25:00,CST-6,2017-05-17 20:25:00,0,0,0,0,10.00K,10000,0.00K,0,41.49,-90.29,41.49,-90.29,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Numerous trees and some farm outbuildings were blown down along route 6 between Colona and Geneseo." +116520,703061,ILLINOIS,2017,May,Thunderstorm Wind,"HENRY",2017-05-17 21:24:00,CST-6,2017-05-17 21:24:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-90.04,41.17,-90.04,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A NWS storm survey observed numerous trees were blown over and limbs broken off in Galva." +116520,703065,ILLINOIS,2017,May,Thunderstorm Wind,"WHITESIDE",2017-05-17 21:40:00,CST-6,2017-05-17 21:40:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-89.93,41.67,-89.93,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A NWS storm survey team observed tree damage in Prophetstown." +116520,703069,ILLINOIS,2017,May,Thunderstorm Wind,"HENRY",2017-05-17 21:41:00,CST-6,2017-05-17 21:41:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-89.93,41.24,-89.93,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Local law enforcement reported power lines were down in town." +116735,702057,VIRGINIA,2017,May,Lightning,"APPOMATTOX",2017-05-10 18:32:00,EST-5,2017-05-10 18:32:00,0,0,0,0,2.50K,2500,0.00K,0,37.41,-78.77,37.41,-78.77,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","A thunderstorm produced lightning which struck a house on Old Courthouse Road." +116573,703190,VIRGINIA,2017,May,Flood,"HALIFAX",2017-05-23 08:45:00,EST-5,2017-05-27 11:45:00,0,0,0,0,0.00K,0,0.00K,0,36.6955,-78.9059,36.6908,-78.9611,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The Dan River at South Boston (SBNV2) was above Minor flood stage (19 feet) for several days and crested at 23.15 feet on the evening of May 26th." +116375,700002,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-19 10:59:00,EST-5,2017-05-19 10:59:00,0,0,0,0,0.50K,500,0.00K,0,37.01,-79.84,37.01,-79.84,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed a tree along Muse Field Road." +116375,700003,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-19 11:03:00,EST-5,2017-05-19 11:03:00,0,0,0,0,0.50K,500,0.00K,0,37.01,-79.82,37.01,-79.82,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds brought down a tree near the intersection of Chestnut Hill Road and Washboard Road." +116375,700006,VIRGINIA,2017,May,Hail,"BEDFORD",2017-05-19 12:06:00,EST-5,2017-05-19 12:06:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-79.53,37.28,-79.52,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","" +117063,704244,VIRGINIA,2017,May,Thunderstorm Wind,"CHARLOTTE",2017-05-05 04:20:00,EST-5,2017-05-05 04:20:00,0,0,0,0,0.50K,500,0.00K,0,37.1084,-78.8009,37.1084,-78.8009,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds blew down a single tree along Old Well Road." +117063,704247,VIRGINIA,2017,May,Thunderstorm Wind,"CHARLOTTE",2017-05-05 04:22:00,EST-5,2017-05-05 04:22:00,0,0,0,0,0.50K,500,0.00K,0,37.1328,-78.6799,37.1328,-78.6799,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds blew one tree down along Thomas Jefferson Highway." +117063,704251,VIRGINIA,2017,May,Thunderstorm Wind,"APPOMATTOX",2017-05-05 04:24:00,EST-5,2017-05-05 04:24:00,0,0,0,0,0.50K,500,0.00K,0,37.28,-78.82,37.28,-78.82,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed a tree on Cub Creek Road." +117063,704179,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:00:00,EST-5,2017-05-05 03:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.58,-79.55,36.58,-79.53,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed four trees along Loomfixer Lake Road and Berry Hill Road." +116892,703004,IOWA,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-17 18:49:00,CST-6,2017-05-17 18:49:00,0,0,0,0,,NaN,0.00K,0,41.49,-91.42,41.49,-91.42,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager received a report from the sheriff's office of a barn blown down in Lone Tree on 640th and SOO." +121100,725023,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-25 20:20:00,MST-7,2017-10-25 20:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Bordeaux measured peak wind gusts of 61 mph." +121100,725024,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-25 16:25:00,MST-7,2017-10-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Cooper Cove measured peak wind gusts of 60 mph." +121100,725025,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-25 13:45:00,MST-7,2017-10-25 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 25/1540 MST." +121100,725026,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-25 13:45:00,MST-7,2017-10-25 17:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 25/1540 MST." +121100,725027,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-25 14:40:00,MST-7,2017-10-25 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured sustained winds of 40 mph or higher." +121100,725029,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-25 20:45:00,MST-7,2017-10-25 20:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Lone Tree measured peak wind gusts of 58 mph." +121100,725030,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-25 20:25:00,MST-7,2017-10-25 21:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Remount Road measured sustained winds of 40 mph or higher." +121100,725034,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-25 16:45:00,MST-7,2017-10-25 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The UPR sensor at Emkay measured sustained winds of 40 mph or higher." +121418,726809,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-31 22:15:00,MST-7,2017-10-31 23:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Bordeaux measured sustained winds of 40 mph or higher." +120386,721179,GEORGIA,2017,October,Strong Wind,"COWETA",2017-10-08 11:00:00,EST-5,2017-10-08 19:00:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"On the morning of October 4th a tropical depression developed off the Caribbean coast of Nicaragua, moving northwest. The depression intensified to become Tropical Storm Nate by the early morning hours of October 5th as it crossed northeast Nicaragua and eastern Honduras. The tropical storm continued to move north northwest and continued to strengthen, reaching hurricane strength during the late evening of October 6th as it moved into the southern Gulf of Mexico. The fast moving hurricane made landfall on the southeastern tip of Louisiana and again on the Mississippi gulf coast late in the evening of October 7th, turning toward the north northeast. Hurricane Nate continued moving rapidly northeast, weakening to a tropical storm across southern Mississippi and then to a tropical depression across southwest Alabama during the morning of October 8th. As Tropical Depression Nate swept quickly northeast across Alabama through the day and into the evening of the 8th, scattered reports of wind damage were received from across west central and north Georgia.","The Coweta County Emergency Manager reported several trees and power lines blown down across the county. Locations include Turin Road, Turkey Creek Road, the Newnan Bypass at Hospital Road, Dixon Street, Corinth Road at Smokey Road, Belk Road, Fischer Road, Griffin Street, V.C. Street, Greison Trail, Fincher Road, Dead Oak Road, Crescent Drive, and on I-85 at Lore Road." +120554,722215,KANSAS,2017,October,Thunderstorm Wind,"COWLEY",2017-10-14 16:55:00,CST-6,2017-10-14 16:57:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-97.12,37.26,-97.12,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","A power pole was snapped off." +120554,722216,KANSAS,2017,October,Thunderstorm Wind,"COWLEY",2017-10-14 17:01:00,CST-6,2017-10-14 17:03:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-96.97,37.27,-96.97,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","A large tree was snapped in half." +120554,722217,KANSAS,2017,October,Thunderstorm Wind,"ALLEN",2017-10-14 17:05:00,CST-6,2017-10-14 17:07:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-95.4,37.93,-95.4,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","A 12 inch diameter tree was snapped in half." +120554,722218,KANSAS,2017,October,Thunderstorm Wind,"COWLEY",2017-10-14 17:10:00,CST-6,2017-10-14 17:12:00,0,0,0,0,0.00K,0,0.00K,0,37.2703,-96.898,37.2703,-96.898,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Four power poles were snapped in half." +120554,722219,KANSAS,2017,October,Thunderstorm Wind,"GREENWOOD",2017-10-14 17:13:00,CST-6,2017-10-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,37.9088,-96.2869,37.9088,-96.2869,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","One mile of utility poles were blown down on P road along with several trees. Some of the trees were blocking the road NNW of Eureka lake." +119934,721344,MICHIGAN,2017,October,Strong Wind,"MARQUETTE",2017-10-15 05:30:00,EST-5,2017-10-15 07:30:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving through the Upper Great Lakes produced damaging winds, lake shore flooding and a few storms with large hail over Marquette County on the 15th.","A couple of trees were down across a road in Marquette. Time of the report was estimated from nearby observations." +119934,721345,MICHIGAN,2017,October,Lakeshore Flood,"MARQUETTE",2017-10-15 05:00:00,EST-5,2017-10-15 08:00:00,0,0,0,0,7.00K,7000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system moving through the Upper Great Lakes produced damaging winds, lake shore flooding and a few storms with large hail over Marquette County on the 15th.","A spotter just west of Shot Point reported moderate coastal erosion from high waves on Lake Superior, a loss/collapse of scaffolding for boat launch and a loss of the stairway leading to the beach." +120414,721347,LAKE MICHIGAN,2017,October,Marine High Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-10-15 07:35:00,EST-5,2017-10-15 07:45:00,0,0,0,0,0.00K,0,0.00K,0,45.56,-87.01,45.56,-87.01,"A strong low pressure system tracking through the Upper Great Lakes generated a brief period of storm force winds at Minneapolis Shoal Light on the morning of the 15th.","The peak wind gust measured at Minneapolis Shoal Light." +120424,721475,LAKE SUPERIOR,2017,October,Marine High Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-10-24 09:00:00,EST-5,2017-10-24 09:15:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-87.23,47.18,-87.23,"An rapidly deepening intense fall storm tracking from the Ohio Valley toward the Mackinac Straits generated storm force winds across much of eastern Lake Superior on the 24th.","Peak storm force wind gust measured at Stannard Rock Light." +120424,721476,LAKE SUPERIOR,2017,October,Marine High Wind,"MARQUETTE TO MUNISING MI",2017-10-24 06:20:00,EST-5,2017-10-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,46.5,-87.17,46.5,-87.17,"An rapidly deepening intense fall storm tracking from the Ohio Valley toward the Mackinac Straits generated storm force winds across much of eastern Lake Superior on the 24th.","The spotter at Shot Point measured north wind gusts near 60 mph along with trees down in the area." +120424,721477,LAKE SUPERIOR,2017,October,Marine High Wind,"MARQUETTE TO MUNISING MI",2017-10-24 06:45:00,EST-5,2017-10-24 16:20:00,0,0,0,0,0.00K,0,0.00K,0,46.4117,-86.6499,46.4117,-86.6499,"An rapidly deepening intense fall storm tracking from the Ohio Valley toward the Mackinac Straits generated storm force winds across much of eastern Lake Superior on the 24th.","Peak north wind gust measured at the Munising ASOS." +120424,721478,LAKE SUPERIOR,2017,October,Marine High Wind,"MUNISING TO GRAND MARAIS MI",2017-10-24 06:45:00,EST-5,2017-10-24 16:20:00,0,0,0,0,0.00K,0,0.00K,0,46.4117,-86.6513,46.4117,-86.6513,"An rapidly deepening intense fall storm tracking from the Ohio Valley toward the Mackinac Straits generated storm force winds across much of eastern Lake Superior on the 24th.","Peak north wind gust measured at the Munising ASOS." +120424,721479,LAKE SUPERIOR,2017,October,Marine High Wind,"HURON ISLANDS TO MARQUETTE MI",2017-10-24 04:30:00,EST-5,2017-10-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,46.72,-87.41,46.72,-87.41,"An rapidly deepening intense fall storm tracking from the Ohio Valley toward the Mackinac Straits generated storm force winds across much of eastern Lake Superior on the 24th.","Peak north storm force wind gust of 62 mph at Granite Island Light." +115349,692735,ALABAMA,2017,April,Hail,"CHEROKEE",2017-04-05 15:35:00,CST-6,2017-04-05 15:36:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-85.58,34.13,-85.58,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692737,ALABAMA,2017,April,Hail,"CHEROKEE",2017-04-05 15:45:00,CST-6,2017-04-05 15:46:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-85.56,34.23,-85.56,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692739,ALABAMA,2017,April,Hail,"RANDOLPH",2017-04-05 16:12:00,CST-6,2017-04-05 16:13:00,0,0,0,0,0.00K,0,0.00K,0,33.12,-85.57,33.12,-85.57,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115613,694390,IOWA,2017,June,Hail,"BUCHANAN",2017-06-15 18:32:00,CST-6,2017-06-15 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.88,42.47,-91.88,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694392,IOWA,2017,June,Hail,"BUCHANAN",2017-06-15 18:32:00,CST-6,2017-06-15 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-92.07,42.48,-92.07,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694395,IOWA,2017,June,Hail,"BENTON",2017-06-15 19:15:00,CST-6,2017-06-15 19:15:00,0,0,0,0,0.00K,0,0.00K,0,42.22,-91.88,42.22,-91.88,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +120516,722019,HAWAII,2017,October,High Surf,"MAUI WINDWARD WEST",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722020,HAWAII,2017,October,High Surf,"MAUI CENTRAL VALLEY",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120516,722021,HAWAII,2017,October,High Surf,"WINDWARD HALEAKALA",2017-10-23 09:00:00,HST-10,2017-10-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A series of large swells from the northwest boosted surf into the ranges of 15 to 35 feet along the north-facing shores, and 10 to 20 feet along the west-facing shores, of Niihau, Kauai, Oahu, Molokai, and Maui. Lifeguards were busy with more than 2500 preventive actions and more than a dozen rescues, and that was just one day, as the surf pounded the islands' beaches. However, no serious injuries or property damage were reported.","" +120517,722025,HAWAII,2017,October,Heavy Rain,"HONOLULU",2017-10-28 15:29:00,HST-10,2017-10-28 16:28:00,0,0,0,0,0.00K,0,0.00K,0,21.6045,-157.9635,21.3246,-157.7479,"The remnants from an old front brought heavy showers to windward areas of Oahu. The rain caused ponding on roadways, and small stream and drainage ditch flooding. There were no reports of significant property damage or injuries.","" +120518,722026,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-30 18:20:00,HST-10,2017-10-30 20:27:00,0,0,0,0,0.00K,0,0.00K,0,20.0857,-155.5101,19.6196,-155.0858,"With tropical moisture in the area and small-scale instability over the eastern part of the state, heavy precipitation developed over parts of the Big Island of Hawaii and Maui. The showers produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +120518,722027,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-30 20:29:00,HST-10,2017-10-30 22:14:00,0,0,0,0,0.00K,0,0.00K,0,20.6484,-156.0673,20.8172,-156.0965,"With tropical moisture in the area and small-scale instability over the eastern part of the state, heavy precipitation developed over parts of the Big Island of Hawaii and Maui. The showers produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +120519,722028,HAWAII,2017,October,Heavy Rain,"KAUAI",2017-10-31 03:05:00,HST-10,2017-10-31 04:38:00,0,0,0,0,0.00K,0,0.00K,0,22.1952,-159.5998,21.9432,-159.3897,"A kona (upper) low far off to the northwest of the islands was close enough to send waves of showers to the Garden Isle of Kauai. Some of the bands were intense and caused flash flooding over the northern portion of the island near Hanalei. However, there were no reports of significant property damage or injuries.","" +119715,718300,NEW MEXICO,2017,October,Flash Flood,"ROOSEVELT",2017-10-05 22:30:00,MST-7,2017-10-06 00:00:00,0,0,0,0,0.00K,0,0.00K,0,34.1931,-103.2708,34.1979,-103.3316,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","State road 88 closed at Portales due to flooding." +121001,724329,FLORIDA,2017,October,Thunderstorm Wind,"SANTA ROSA",2017-10-22 18:00:00,CST-6,2017-10-22 18:02:00,0,0,0,0,10.00K,10000,0.00K,0,30.3845,-87.1,30.3845,-87.1,"Thunderstorms produced damage in the western Florida panhandle.","Winds estimated at 60 mph damaged the roof and wall at Michele and Co. hair salon." +121084,724846,GULF OF MEXICO,2017,October,Marine Tropical Storm,"NORTH MOBILE BAY",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +119681,717845,KANSAS,2017,October,Tornado,"POTTAWATOMIE",2017-10-06 21:06:00,CST-6,2017-10-06 21:09:00,0,0,0,0,,NaN,,NaN,39.4504,-96.6082,39.464,-96.5977,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Three sided building blown over, tin roof blown off barn, trees to the west of Shannon Creek road had tops blown off. Relayed by Emergency Management. The small tornado then caused minor damage to trees and outbuildings approximately one mile NNE." +121229,725789,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-05 04:01:00,EST-5,2017-10-05 04:01:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 35 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725790,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-05 08:27:00,EST-5,2017-10-05 08:27:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 36 knots was measured by an automated WeatherFlow station at Alligator Reef Light." +121229,725791,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-05 18:05:00,EST-5,2017-10-05 18:05:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 40 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121229,725792,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-05 20:36:00,EST-5,2017-10-05 20:36:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 36 knots was measured at Pulaski Shoal Light." +121229,725793,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-05 20:48:00,EST-5,2017-10-05 20:48:00,0,0,0,0,0.00K,0,0.00K,0,24.5801,-81.6829,24.5801,-81.6829,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 37 knots was measured by the ASOS at Naval Air Station Key West on Boca Chica Key." +120645,722677,NEBRASKA,2017,October,High Wind,"VALLEY",2017-10-26 12:52:00,CST-6,2017-10-26 12:52:00,0,0,0,0,25.00K,25000,1.00M,1000000,NaN,NaN,NaN,NaN,"Although there were several windy days across South Central Nebraska during fall 2017, this Thursday was likely the overall-windiest. Starting around 9 a.m. CDT and lasting well into the evening hours, the entire 24-county area was buffeted by sustained north-northwest speeds commonly 30-40 MPH and frequent gusts of 45-55 MPH. Although High Wind Warning criteria gusts of 58+ MPH were not widespread, a few automated airport sensors either breached or flirted with this threshold, including Ord (65 MPH), Hastings (62 MPH) and Grand Island (57 MPH). No precipitation fell in conjunction with these strong winds. ||While there were no notable/known reports of property damage from this event, an interesting agricultural impact was eventually noted. According to several media stories that emerged after harvest, the strong winds on this Thursday were a last straw of sorts for area corn already weakened by other factors such as stalk rot, as many ears were blown to the ground, drastically reducing yields. According to an AP article: The damage varied, but in the hardest hit parts of central Nebraska some farmers reported yields dropping from an estimated 250 bushels an acre before the wind to 190 bushels afterward.||As for the meteorological setup, in the mid levels a potent shortwave trough translated southeastward out of the Dakotas into Minnesota over the course of the day. At the surface, the primary factor for the strong winds were strong pressure rises associated with a tight gradient between low pressure centered over the MN/WI border area, and expansive high pressure centered over eastern MT.","A gust of 58 MPH was measured at Evelyn Sharp Field airport." +120642,723258,NEBRASKA,2017,October,Hail,"FRANKLIN",2017-10-02 18:45:00,CST-6,2017-10-02 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.3066,-98.8927,40.3066,-98.8927,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","" +120642,723259,NEBRASKA,2017,October,Hail,"HALL",2017-10-02 18:58:00,CST-6,2017-10-02 18:58:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-98.2734,40.92,-98.2734,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","" +120642,723260,NEBRASKA,2017,October,Hail,"ADAMS",2017-10-02 19:30:00,CST-6,2017-10-02 19:33:00,0,0,0,0,0.00K,0,0.00K,0,40.6476,-98.3834,40.6476,-98.3834,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Quarter to half dollar size hail was observed at NWS WFO Hastings, NE." +120642,723261,NEBRASKA,2017,October,Hail,"DAWSON",2017-10-02 20:41:00,CST-6,2017-10-02 20:41:00,0,0,0,0,0.00K,0,0.00K,0,40.8022,-99.8007,40.8022,-99.8007,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","" +120642,723262,NEBRASKA,2017,October,Hail,"DAWSON",2017-10-02 20:43:00,CST-6,2017-10-02 20:43:00,0,0,0,0,0.00K,0,0.00K,0,40.8005,-99.703,40.8005,-99.703,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","" +120642,723263,NEBRASKA,2017,October,Thunderstorm Wind,"ADAMS",2017-10-02 19:24:00,CST-6,2017-10-02 19:24:00,0,0,0,0,0.00K,0,0.00K,0,40.5911,-98.4848,40.5911,-98.4848,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Wind gusts were estimated to be near 60 MPH and were accompanied by nickel size hail." +120642,723281,NEBRASKA,2017,October,Heavy Rain,"FRANKLIN",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0595,-99.1768,40.0595,-99.1768,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.37 inches was reported 2 miles southwest of Naponee." +120642,723282,NEBRASKA,2017,October,Heavy Rain,"FRANKLIN",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-99.15,40.08,-99.15,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.17 inches was reported in Naponee." +121053,726277,NEW YORK,2017,October,High Wind,"EASTERN DUTCHESS",2017-10-29 22:55:00,EST-5,2017-10-29 22:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","A tree was reported down near the town of Dover Plains." +121053,726278,NEW YORK,2017,October,High Wind,"NORTHERN FULTON",2017-10-30 04:51:00,EST-5,2017-10-30 04:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Downed trees resulted in road closures east of Stratford. There were about 29,000 customers without power across Fulton county." +121053,726289,NEW YORK,2017,October,High Wind,"SOUTHEAST WARREN",2017-10-30 02:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Trees and wires down on Pickle Hill Road. There were about 43,500 customers without power across Warren county." +119715,718295,NEW MEXICO,2017,October,Flash Flood,"DE BACA",2017-10-05 19:30:00,MST-7,2017-10-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,34.4865,-104.2781,34.4825,-104.2204,"An upper level low pressure system developed over the Great Basin during the first week of October and delivered another round of widespread showers and thunderstorms to New Mexico. This weather pattern was similar to the pattern that impacted the area with severe storms and flooding at the end of September. Saturated soils over much of central and eastern New Mexico from late September exacerbated the flash flood potential. The first round of heavy rainfall impacted eastern New Mexico on the 3rd when four to six inches of rain fell within the Pecos Valley. Low level moisture surged westward on the 4th and triggered more showers and storms within central New Mexico through the 5th. Flash flooding and severe storms developed in the Rio Grande Valley. Numerous roads were washed out within Santa Fe County. Flash flooding, hail, and high winds were reported again around Belen. Meanwhile, eastern New Mexico continued to experience deluges of rainfall with flash flooding reported around Logan, Fort Sumner, Portales, and Elk. Three day total rainfall amounts of 3 to 8 inches were reported across eastern New Mexico with another 1 to 3 inches around the Rio Grande Valley.","Several roads in Fort Sumner completely flooded. Railroad underpass over U.S. Highway 84 closed again due to flooding. Several low water crossings were still flooded the following morning." +119558,717505,OREGON,2017,October,Wildfire,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-10-01 00:00:00,PST-8,2017-10-13 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of the last report at 03:30 PST on 10/13/17, the fire covered 191121 acres and was 97 percent contained. 70.0 million dollars had been spend on firefighting efforts.","The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. It later developed into a major wildfire. As of the last report at 03:30 PST on 10/13/17, the fire covered 191121 acres and was 97 percent contained. 70.0 million dollars had been spend on firefighting efforts." +120376,721137,HAWAII,2017,October,Heavy Rain,"KAUAI",2017-10-01 17:09:00,HST-10,2017-10-01 19:57:00,0,0,0,0,0.00K,0,0.00K,0,22.2199,-159.4659,21.9648,-159.652,"With an upper trough in the vicinity of the isles and an approaching front, heavy showers and isolated thunderstorms developed over Kauai and Oahu. The precipitation produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +120376,721138,HAWAII,2017,October,Heavy Rain,"KAUAI",2017-10-01 21:14:00,HST-10,2017-10-02 00:09:00,0,0,0,0,0.00K,0,0.00K,0,22.0564,-159.7742,21.9189,-159.4195,"With an upper trough in the vicinity of the isles and an approaching front, heavy showers and isolated thunderstorms developed over Kauai and Oahu. The precipitation produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +120376,721139,HAWAII,2017,October,Heavy Rain,"HONOLULU",2017-10-02 11:48:00,HST-10,2017-10-02 16:59:00,0,0,0,0,0.00K,0,0.00K,0,21.6052,-157.9463,21.3719,-158.1214,"With an upper trough in the vicinity of the isles and an approaching front, heavy showers and isolated thunderstorms developed over Kauai and Oahu. The precipitation produced small stream and drainage ditch flooding, and ponding on roadways. No serious property damage or injuries were reported.","" +120377,721140,HAWAII,2017,October,High Surf,"KAUAI WINDWARD",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721141,HAWAII,2017,October,High Surf,"OAHU KOOLAU",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721142,HAWAII,2017,October,High Surf,"OLOMANA",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721143,HAWAII,2017,October,High Surf,"MOLOKAI WINDWARD",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721144,HAWAII,2017,October,High Surf,"MAUI WINDWARD WEST",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721145,HAWAII,2017,October,High Surf,"WINDWARD HALEAKALA",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120448,721623,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 05:21:00,EST-5,2017-10-01 05:21:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.25,29.5686,-81.2488,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Barrington Drive was impassable due to flood water covering the road." +120448,721624,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 09:35:00,EST-5,2017-10-01 09:35:00,0,0,0,0,0.00K,0,0.00K,0,29.589,-81.2444,29.5824,-81.2734,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Several roads in Matanzas Woods and Indian Trails were under flood waters and impassable." +120448,721625,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 10:15:00,EST-5,2017-10-01 10:15:00,0,0,0,0,0.00K,0,0.00K,0,29.4621,-81.2432,29.431,-81.2206,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Minor to moderate street flooding in the Quail Hollow section of Palm Coast." +120458,721703,IOWA,2017,October,Drought,"WINNESHIEK",2017-10-01 00:00:00,CST-6,2017-10-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the first part of October, between 3 and 6 inches of rain fell across northeast Iowa. This rain allowed the soil moisture amounts to increase and brought an end the severe drought that had in place across portions of Allamakee and Winneshiek Counties.","The severe drought that started in September, ended as 3 to 6 inches of rain fell across Winneshiek County during the first part of October." +120482,721827,NEW JERSEY,2017,October,Flood,"MIDDLESEX",2017-10-30 00:36:00,EST-5,2017-10-30 02:36:00,0,0,0,0,0.01K,10,0.01K,10,40.4885,-74.4533,40.4841,-74.4684,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Flooding was reported on highway 91." +120482,721828,NEW JERSEY,2017,October,Flood,"BURLINGTON",2017-10-30 04:43:00,EST-5,2017-10-30 06:43:00,0,0,0,0,0.01K,10,0.01K,10,39.9566,-74.8739,39.9658,-74.8754,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Portions of Union Mill road were closed due to flooding." +120482,721829,NEW JERSEY,2017,October,Flood,"OCEAN",2017-10-30 09:00:00,EST-5,2017-10-30 11:00:00,0,0,0,0,0.01K,10,0.01K,10,39.93,-74.14,39.9286,-74.1249,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees in Littleton, Riverton, Wantage, Byram, Culvers inlet, Matawan, Southhampton, Springdale and Pleasant Valley. Most of these locations are in the northern portions of the state. Power outages did occur as a result of downed trees and wires across the state. Rainfall totals were over 2 inches in every county of New Jersey outside of the New York City area. The highest totals were at 5.42 inches in Princeton, 5.45 inches in Holiday City and 4.62 inches in Robeling. Thousands of people lost power due to the storm. Gusts in most locations toped out between 40 and 50 mph. Several gusts over 50 mph were reported in Ocean county near the shore and at High point.","Roads were flooded with one to two feet of water." +120572,722299,TEXAS,2017,October,Frost/Freeze,"DALLAM",2017-10-09 20:00:00,CST-6,2017-10-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freeze confirmed at Dalhart down to 31 degrees the morning of the 10th. Missed event for Deaf Smith county where areas around county including Bootleg ranged between 29-32 degrees.","" +120572,722300,TEXAS,2017,October,Frost/Freeze,"HARTLEY",2017-10-09 20:00:00,CST-6,2017-10-10 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Freeze confirmed at Dalhart down to 31 degrees the morning of the 10th. Missed event for Deaf Smith county where areas around county including Bootleg ranged between 29-32 degrees.","" +120575,722305,TEXAS,2017,October,Frost/Freeze,"SHERMAN",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722306,TEXAS,2017,October,Frost/Freeze,"DALLAM",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722307,TEXAS,2017,October,Frost/Freeze,"HARTLEY",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722308,TEXAS,2017,October,Frost/Freeze,"HANSFORD",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722309,TEXAS,2017,October,Frost/Freeze,"MOORE",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722310,TEXAS,2017,October,Frost/Freeze,"HUTCHINSON",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722311,TEXAS,2017,October,Frost/Freeze,"OLDHAM",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722312,TEXAS,2017,October,Frost/Freeze,"POTTER",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722313,TEXAS,2017,October,Frost/Freeze,"RANDALL",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120624,722734,MASSACHUSETTS,2017,October,High Wind,"NORTHERN WORCESTER",2017-10-29 20:30:00,EST-5,2017-10-30 02:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 830 PM EST, a tree was down in Charlton on U.S. Route 20 east of Richardson Corner Road. A tree was down on Reed Street in Warren. A tree was blocking State Route 67 in Warren near Quaboag Street. At 131 AM EST, the Automated Surface Observation System platform at Fitchburg Municipal Airport recorded a sustained wind of 41 mph." +120624,722735,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN HAMPSHIRE",2017-10-29 21:55:00,EST-5,2017-10-30 01:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 957 PM EST, a tree and wires were down on Monson Turnpike Road in Ware. At 1059 PM EST, a tree was blocking Golf Road in Belchertown." +120624,722736,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN HAMPDEN",2017-10-29 22:20:00,EST-5,2017-10-30 01:00:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1027 PM EST, a tree was down in Palmer on State Route 32 near the Fish Hatchery. A tree was down on Hampden Road in Hampden. At 1121 PM EST, a tree was blocking Baptist Hill Road near U.S. Route 20 in Palmer." +120624,722759,MASSACHUSETTS,2017,October,Strong Wind,"WESTERN PLYMOUTH",2017-10-29 23:20:00,EST-5,2017-10-30 05:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1123 PM EST, a tree and wires were down in Hanover on Union Street, and a tree was down on wires also on Union Street. A tree was down on Main Street in Hanover." +120003,719106,SOUTH CAROLINA,2017,October,Tornado,"NEWBERRY",2017-10-08 15:20:00,EST-5,2017-10-08 15:27:00,0,0,0,0,,NaN,,NaN,34.209,-81.917,34.246,-81.909,"Instability associated with a warm and moist atmosphere, combined with low level wind shear associated with the remnant circulation of former tropical cyclone Nate tracking to the NE across northern Alabama, produced a tornado across Newberry Co SC in the late afternoon.","The tornado touched intermittently as it moved north-northeast for just over 2.4 miles. It initially touched down on the northern bank of Lake Greenwood on Pineland Road near Fawn Court and continued north-northeast to Workman Kelly Road. Numerous large hardwood and softwood trees were snapped at their trunks on both roads. The tornado continued north-northeast to the intersection of Highway 39 and Salter Road. This is where the tornado damaged the roof of a home and severely damaged the roof and building of a workshop. Much of the metal roofing was destroyed then blown across the property. The two garage doors of the building were blown inward. A wood framed work shed with a metal roof with significant weight was lifted from it's base and landed in the nearby woods. A portion of the front porch of the home was lifted and landed in the back yard. A large work trailer was overturned in the back yard and damage done to a few trees around the house. Along Poplar Spring Road, several trees were snapped at their trunks as the tornado continued northward. The tornado lifted before reaching Vaughnville Church Road approximately 2.4 miles after initially touching down. The tornado lasted approximately 7 minutes." +120866,723693,IOWA,2017,October,Heavy Rain,"RINGGOLD",2017-10-05 06:00:00,CST-6,2017-10-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-94.24,40.71,-94.24,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","Coop observer reported approximately 3.5 inches reported at personal residence." +120904,723852,WISCONSIN,2017,October,Heavy Snow,"VILAS",2017-10-27 17:00:00,CST-6,2017-10-28 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Snow showers developed in the Lake Superior snowbelt as cold air wrapped around a low pressure system that moved across northern Wisconsin. Snowfall totals were as high as 6 inches in 12 hours in northwest Vilas County.","A total of 6.0 inches of snow fell at Presque Isle." +120911,723864,MICHIGAN,2017,October,Winter Weather,"ALGER",2017-10-30 21:45:00,EST-5,2017-10-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air and deep moisture moving across Lake Superior in the wake of a low pressure trough produced significant lake enhanced snow across portions of west and north central Upper Michigan from the 30th into the 31st.","The National Weather Service in Negaunee Township measured 5.7 inches of lake enhanced snow over approximately nine hours. Six inches of snow was also reported near Trowbridge Park in Marquette over the same time period." +120911,723865,MICHIGAN,2017,October,Winter Weather,"GOGEBIC",2017-10-30 07:00:00,CST-6,2017-10-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air and deep moisture moving across Lake Superior in the wake of a low pressure trough produced significant lake enhanced snow across portions of west and north central Upper Michigan from the 30th into the 31st.","There was a public report via social media of 8 inches of lake enhanced snow in 24 hours at Wakefield. Five inches of snow in seven hours was also reported in the Anvil neighborhood near Bessemer on the evening of the 30th." +120916,723876,ARKANSAS,2017,October,Thunderstorm Wind,"LAWRENCE",2017-10-22 03:45:00,CST-6,2017-10-22 03:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.2,-91.1893,36.2078,-91.146,"A passing cold front generated a line of thunderstorms during the early morning hours of Oct 22nd...with one storm briefly bowing out and reaching severe limits.","Bleachers completely blown over at Sloan-Hendrix baseball field in Imboden." +116341,704446,NORTH CAROLINA,2017,May,Tornado,"CURRITUCK",2017-05-05 07:08:00,EST-5,2017-05-05 07:13:00,0,0,0,0,5.00K,5000,0.00K,0,36.3688,-76.1206,36.4283,-76.1317,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","The tornado tracked from Camden county into Currituck county. Numerous trees were sheared or snapped along the track before the tornado lifted just west of Shawboro." +120044,723001,MONTANA,2017,October,High Wind,"CENTRAL AND SOUTHERN VALLEY",2017-10-22 18:44:00,MST-7,2017-10-22 18:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system collocated with a very strong jet stream moved over the area on the 22nd. This, in addition to warmer than average temperatures, allowed much of the stronger winds to mix down to the surface, producing wind gusts in excess of 58 mph at several locations across eastern Montana.","A 58 mph wind gust was measured at the King Coulee RAWS site. Additionally, a 60 mph gust was measured at the King Coulee RAWS site at 21:44 MST." +120976,724166,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-04 14:19:00,EST-5,2017-10-04 14:19:00,0,0,0,0,,NaN,,NaN,25.693,-80.1638,25.693,-80.1638,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A gust to 47 mph/41 knots was measured at WeatherBug mesonet site KYBSC located at Key Biscayne Parks and Recreation." +120976,724165,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-04 14:11:00,EST-5,2017-10-04 14:11:00,0,0,0,0,,NaN,,NaN,25.902,-80.1243,25.902,-80.1243,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A gust of 41 mph/36 knots was measured at WeatherBug site MDFR4 located at Miami Dade Fire Rescue Station 21." +120976,724163,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-10-04 02:42:00,EST-5,2017-10-04 02:42:00,0,0,0,0,,NaN,,NaN,25.9009,-80.124,25.9009,-80.124,"The continued interaction of high pressure to the north and a tropical wave over the eastern Gulf of Mexico led to a strong pressure gradient over the Florida peninsula. Several fast moving showers and storms brought strong winds gusts as they moved into the east coast.","A gust of 47 mph/41 knots was recorded at WeatherBug site MDFR4 located at Miami-Dade Fire Rescue Station 21." +120977,724167,ATLANTIC SOUTH,2017,October,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-10-10 13:58:00,EST-5,2017-10-10 13:58:00,0,0,0,0,,NaN,,NaN,26.49,-80.03,26.49,-80.03,"Westward moving showers streaming off the Bahamas during the afternoon hours produced a waterspout over the local Atlantic near the coast.","A trained spotter reported a waterspout a very short distance offshore Boynton Beach." +120978,724168,ATLANTIC SOUTH,2017,October,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-18 17:58:00,EST-5,2017-10-18 17:58:00,0,0,0,0,,NaN,,NaN,25.65,-80.04,25.65,-80.04,"A frontal boundary that stalled across South Florida helped to generated showers and thunderstorms during the afternoon and evening. One of these storms produced a waterspout over Biscayne Bay during the evening hours.","NWS employee reported a waterspout moving west-southwest towards Biscayne Bay." +120979,724169,ATLANTIC SOUTH,2017,October,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-10-19 11:30:00,EST-5,2017-10-19 11:30:00,0,0,0,0,,NaN,,NaN,26.46,-80.04,26.46,-80.04,"Stationary front stalled across the Florida Straits helped to generated showers across South Florida. One of these showers produced a waterspout near the Palm Beach County coast during the early afternoon hours.","WPTV photographer reported a waterspout east of Delray Beach associated with a weak shower." +120980,724170,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-21 09:45:00,EST-5,2017-10-21 10:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the new moon during late October led to another round of minor flooding in the most vulnerable locations of South Florida.","Pictures via social media show several inches of flooding over the parking lot at Matheson Hammock Park associated with the morning high tide." +121063,724749,VIRGINIA,2017,October,Heavy Rain,"YORK",2017-10-11 21:31:00,EST-5,2017-10-11 21:31:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-76.43,37.19,-76.43,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.84 inches was measured at Seaford." +121063,724750,VIRGINIA,2017,October,Heavy Rain,"HAMPTON (C)",2017-10-11 21:36:00,EST-5,2017-10-11 21:36:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.42,37.09,-76.42,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Rainfall total of 1.84 inches was measured at (2 W) Langley Air Force Base." +121063,724751,VIRGINIA,2017,October,Heavy Rain,"LOUISA",2017-10-10 23:35:00,EST-5,2017-10-10 23:35:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-77.7617,37.87,-77.7617,"Scattered showers and thunderstorms associated with low pressure along a frontal boundary produced heavy rain and minor flooding across portions of central, south central and southeast Virginia.","Heavy rain from scattered showers and thunderstorms caused minor flooding and a road closure at Jefferson Highway and Windy Knight Road." +121066,724753,MICHIGAN,2017,October,Thunderstorm Wind,"INGHAM",2017-10-07 20:20:00,EST-5,2017-10-07 20:28:00,0,0,0,0,10.00K,10000,0.00K,0,42.66,-84.48,42.66,-84.48,"An isolated severe thunderstorm along a cold front produced damaging wind gusts across portions of Ingham county resulting in several downed trees, tree limbs, and some power outages. The rest of southwestern and south central lower Michigan had sub severe convective and non convective wind gusts.","Several trees and limbs were blown down and several power outages were reported near Holt and Haslett." +121067,724756,LOUISIANA,2017,October,Thunderstorm Wind,"CAMERON",2017-10-22 07:50:00,CST-6,2017-10-22 07:50:00,0,0,0,0,5.00K,5000,0.00K,0,29.77,-93.46,29.77,-93.46,"A pre-frontal trough moved through the region ahead of a cold front. This sparked a round of thunderstorms where some became severe.","Power lines and poles were downed onto Highway 82 between Holly Beach and Cameron." +121061,724728,VIRGINIA,2017,October,Flash Flood,"GILES",2017-10-23 18:40:00,EST-5,2017-10-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-80.96,37.2679,-80.9568,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z/23 RNK and 1.57��� on the 12z GSO soundings, with sea-level values of 1.75��� to 2���. These are roughly 3 standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area.","Thunderstorms produced heavy rainfall and caused Wolf Creek to flood closing portions of Wolf Creek Road and Buckhorn Road. The Wolf Creek gage at Narrows downstream did not flood however." +120964,724502,ALABAMA,2017,October,Tropical Storm,"MOBILE INLAND",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724504,ALABAMA,2017,October,Tropical Storm,"MOBILE CENTRAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724505,ALABAMA,2017,October,Tropical Storm,"MOBILE COASTAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,750.00K,750000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724795,ALABAMA,2017,October,Tropical Storm,"WASHINGTON",2017-10-07 21:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724796,ALABAMA,2017,October,Tropical Storm,"CLARKE",2017-10-07 21:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724798,ALABAMA,2017,October,Tropical Storm,"CHOCTAW",2017-10-07 21:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724799,ALABAMA,2017,October,Tropical Storm,"WILCOX",2017-10-07 22:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724800,ALABAMA,2017,October,Tropical Storm,"MONROE",2017-10-07 22:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","" +120964,724836,ALABAMA,2017,October,Tornado,"BALDWIN",2017-10-07 12:58:00,CST-6,2017-10-07 12:59:00,0,0,0,0,0.00K,0,0.00K,0,30.246,-87.6926,30.2465,-87.6937,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The most significant damage produced by Nate was a substantial storm surge, particularly in the Mississippi Sound and Mobile Bay. The highest surge values were observed in Mobile County, AL where peak surge inundation was generally 4 to 6 feet based on official tide gauges. However, an NWS Mobile storm survey indicated a peak surge inundation of 6 to 8 feet along the immediate coastal areas of Bayou La Batre and Coden. Similar inundation levels occurred on the west end of Dauphin Island. 3 to 6 feet of inundation occurred in Baldwin County, with the highest surge occurring along the eastern shore of Mobile Bay and points further north in the Mobile River Delta. Approximately 25 homes on the west end of Dauphin Island were significantly flooded by the surge waters. Several other homes experienced minor damage from the surge. Several homes in the Bayou La Batre, Coden, and the Dog River area of Mobile County experienced 2 to 3 feet of flooding inside the structures due to the surge. Hundreds of piers were damaged or destroyed n Mobile and Baldwin Counties. Some coastal roads were also closed due to surge, including the US Highway 90 Causeway and Water Street in Downtown Mobile. The surge and large breaking waves also resulted in significant beach erosion along the gulf facing beaches. 6 feet of sand was deposited on a 3 mile stretch of Bienville Blvd on the west end of Dauphin Island. ||Winds gusts of 50+ mph were observed in coastal areas with a the highest wind gust of 66 mph recorded at the Mobile Regional Airport just after 2am on October 8th. The winds resulted mainly in scattered power outages and downed trees. Gusty winds did spread further inland into southwest and south central Alabama with isolated to scattered power outages and downed trees reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 3 to 6 inches of rain was reported across southwest and south central Alabama, with the highest totals occurring in Mobile and Baldwin Counties. ||Four EF-0 tornadoes were reported in southwest and south central Alabama: one in Mobile County, two in Baldwin County, and one in Butler County.||2 rip current fatalities occurred on October 9th in Fort Morgan due to continued high surf and widespread rip currents left in the wake of the hurricane.||Based on available information from public and individual assistance reports, total damage from Hurricane Nate in southwest Alabama is roughly estimated at just over $21 million, with the vast majority of the damage resulting from surge and major beach erosion in Mobile and Baldwin Counties.","Several videos from social media show a waterspout briefly moving ashore at the beach in Gulf Shores. No damage was reported." +121083,724837,FLORIDA,2017,October,Tropical Storm,"ESCAMBIA COASTAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +120886,724788,VIRGINIA,2017,October,Thunderstorm Wind,"FRANKLIN",2017-10-23 18:06:00,EST-5,2017-10-23 18:06:00,0,0,0,0,10.00K,10000,0.00K,0,36.92,-80.02,36.92,-80.02,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds downed numerous trees in and around the community of Ferrum." +120886,724789,VIRGINIA,2017,October,Thunderstorm Wind,"PITTSYLVANIA",2017-10-23 18:31:00,EST-5,2017-10-23 18:31:00,0,0,0,0,2.00K,2000,,NaN,36.6415,-79.5942,36.6415,-79.5942,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds brought down a power pole along Inman Road, temporarily closing it." +120886,724790,VIRGINIA,2017,October,Thunderstorm Wind,"PITTSYLVANIA",2017-10-23 18:40:00,EST-5,2017-10-23 18:40:00,0,0,0,0,0.50K,500,,NaN,36.7819,-79.584,36.7819,-79.584,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds brought down numerous large tree limbs along the Franklin Turnpike." +120886,724791,VIRGINIA,2017,October,Thunderstorm Wind,"ALLEGHANY",2017-10-23 18:51:00,EST-5,2017-10-23 18:51:00,0,0,0,0,1.00K,1000,,NaN,37.71,-79.98,37.71,-79.98,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds knocked down a power line along Hayes Gap Road." +120886,724792,VIRGINIA,2017,October,Thunderstorm Wind,"ALLEGHANY",2017-10-23 18:57:00,EST-5,2017-10-23 18:57:00,0,0,0,0,0.50K,500,,NaN,37.772,-79.9493,37.772,-79.9493,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds brought down a tree along Valley Ridge Road." +120886,724793,VIRGINIA,2017,October,Thunderstorm Wind,"CAMPBELL",2017-10-23 18:55:00,EST-5,2017-10-23 18:55:00,0,0,0,0,0.50K,500,,NaN,37.3804,-79.1948,37.3804,-79.1948,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds knocked down a tree on Sandusky Drive in Lynchburg." +119759,718187,COLORADO,2017,October,Frost/Freeze,"GRAND VALLEY",2017-10-09 23:00:00,MST-7,2017-10-10 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant clearing occurred behind a cold front and associated upper level trough. This resulted in strong radiational cooling which allowed widespread freezing temperatures across western Colorado.","Temperatures dropped down to 27 to 32 degrees F across the western half of the Grand Valley. The minimum temperature of 27 degrees F at the Grand Junction Regional Airport set a new record low temperature for October 10th, breaking the previous record of 30 degrees last set in 1946." +119759,718188,COLORADO,2017,October,Frost/Freeze,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-10-09 23:00:00,MST-7,2017-10-10 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant clearing occurred behind a cold front and associated upper level trough. This resulted in strong radiational cooling which allowed widespread freezing temperatures across western Colorado.","Temperatures dropped down to 25 to 32 degrees F across the zone." +119763,718213,UTAH,2017,October,Frost/Freeze,"SOUTHEAST UTAH",2017-10-10 03:00:00,MST-7,2017-10-10 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Significant clearing occurred behind a cold front and associated upper level trough. This resulted in strong radiational cooling which allowed temperatures to freeze in portions of southeast Utah.","Overnight low temperatures were in the upper 20s in most communities within the zone, including Blanding and Bluff." +120821,723478,NEBRASKA,2017,October,Hail,"PLATTE",2017-10-02 18:41:00,CST-6,2017-10-02 18:41:00,0,0,0,0,,NaN,,NaN,41.47,-97.6,41.47,-97.6,"An area of thunderstorms developed along a northeast to southwest frontal boundary in eastern Nebraska. One thunderstorm produced hail up to ping pong ball size in Monroe, Nebraska. Another thunderstorm produced a brief tornado northwest of St. Edward, later in the evening.","Ping pong ball size hail fell near Monroe, NE." +120821,725117,NEBRASKA,2017,October,Tornado,"BOONE",2017-10-02 22:42:00,CST-6,2017-10-02 22:43:00,0,0,0,0,,NaN,,NaN,41.6024,-97.9204,41.6064,-97.9209,"An area of thunderstorms developed along a northeast to southwest frontal boundary in eastern Nebraska. One thunderstorm produced hail up to ping pong ball size in Monroe, Nebraska. Another thunderstorm produced a brief tornado northwest of St. Edward, later in the evening.","The National Weather Service in conjunction with local emergency management confirmed that a brief tornado occurred 2 3/4 miles northwest of St. Edward. The tornado damaged grain bins, a small farm outbuilding, trees and some crops." +119922,718754,UTAH,2017,October,Frost/Freeze,"CANYONLANDS / NATURAL BRIDGES",2017-10-14 23:30:00,MST-7,2017-10-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significantly cooler air mass was in place over the region behind the passage of a strong cold front. This air mass, paired with clear skies and calm winds, resulted in temperatures that dropped below freezing across much of southeastern Utah.","Temperatures dropped down to 26 to 32 degrees F in about half of the area." +119922,718753,UTAH,2017,October,Frost/Freeze,"GRAND FLAT AND ARCHES",2017-10-15 01:00:00,MST-7,2017-10-15 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significantly cooler air mass was in place over the region behind the passage of a strong cold front. This air mass, paired with clear skies and calm winds, resulted in temperatures that dropped below freezing across much of southeastern Utah.","Temperatures dropped down to 27 to 32 degrees F in about half of the area, including Moab and Castle Valley." +120036,719335,LOUISIANA,2017,October,Flash Flood,"GRANT",2017-10-21 20:00:00,CST-6,2017-10-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5394,-92.7392,31.6078,-92.8063,"Scattered showers and thunderstorms developed across Central and Northeast Louisiana during the afternoon and evening hours of October 21st, along an axis of low level moisture that extended north from Southcentral Louisiana and a weak upper level disturbance out ahead of a vigorous upper level trough digging into the Southern Plains. A very warm, moist, and unstable air mass was in place, with a small cluster of thunderstorms containing heavy rainfall developing over Northern Rapides and much of Grant Parishes, and remained stationary for several hours over these areas. Widespread 5-9+ inches of rain fell across Southern and Central Grant Parish, resulting in flash flooding throughout the area.","Front Street was flooded with 1-2 feet of water in Colfax. Water entered several homes and businesses. Several roads were closed in and near Colfax. 8.50 inches of rain was measured near Nantachie Lake between Colfax and Verda. 6.87 inches of rain was also measured at the Rodemacher Power Station about 7 miles south of Colfax in Northern Rapides Parish. Reports and pictures from the KALB Facebook page." +113877,693898,TEXAS,2017,April,Hail,"ERATH",2017-04-21 19:57:00,CST-6,2017-04-21 19:57:00,0,0,0,0,4.00K,4000,0.00K,0,32.19,-98.25,32.19,-98.25,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm Spotter reported quarter size hail south of Stephenville, TX." +113877,693907,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 20:00:00,CST-6,2017-04-21 20:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.14,-96.7,33.14,-96.7,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm Spotter reported quarter size hail 3 miles NNW of Allen." +113877,693910,TEXAS,2017,April,Hail,"COOKE",2017-04-21 20:04:00,CST-6,2017-04-21 20:04:00,0,0,0,0,4.00K,4000,0.00K,0,33.5765,-97.1766,33.5765,-97.1766,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm spotter reported quarter size hail 4 miles south/southwest of Gainesville." +120879,723731,MARYLAND,2017,October,Coastal Flood,"ANNE ARUNDEL",2017-10-24 04:36:00,EST-5,2017-10-24 09:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate coastal flooding along portions of the western shore of the Chesapeake Bay.","Water was estimated to be coming up through the storm drains and approaching businesses on Dock Street in Annapolis." +121183,725432,SOUTH DAKOTA,2017,October,Drought,"STANLEY",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725431,SOUTH DAKOTA,2017,October,Drought,"DEWEY",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725433,SOUTH DAKOTA,2017,October,Drought,"JONES",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725434,SOUTH DAKOTA,2017,October,Drought,"LYMAN",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +120705,725308,MINNESOTA,2017,October,Blizzard,"SOUTHERN ITASCA",2017-10-26 20:30:00,CST-6,2017-10-27 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","An observer in Coleraine had a snow measurement of 6 while another observer in Keewatin had 7.6 of snow." +120706,725191,WISCONSIN,2017,October,Heavy Snow,"BAYFIELD",2017-10-27 07:00:00,CST-6,2017-10-28 07:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","Observer measured 6.1 of snow 4 miles west of Clam Lake." +121131,725179,MINNESOTA,2017,October,Extreme Cold/Wind Chill,"SOUTHERN ST. LOUIS / CARLTON",2017-10-28 09:00:00,CST-6,2017-10-28 09:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Police responded to a report of an unresponsive male near downtown Duluth with preliminary autopsy results having exposure as cause of death. Temperatures were in the 20s that day.","Police responding to a report of an unresponsive male outside a home near downtown Duluth discovered the body of a deceased male. Preliminary autopsy results have exposure as cause of death. Temperatures were in the 20s overnight." +121203,725589,CALIFORNIA,2017,October,Wildfire,"CENTRAL SACRAMENTO VALLEY",2017-10-08 23:03:00,PST-8,2017-10-28 08:59:00,0,1,0,4,,NaN,,NaN,NaN,NaN,NaN,NaN,"Breezy northerly winds with low humidity and dry fuel brought critical fire conditions. Wind gusts ranged from 40 to 50 mph in the Central Valley. These enhanced the development of the Wind Complex, which included the Cascade, Lobo, McCourtney and LaPorte wildfires. Other fires include the Atlas, Sulphur, Cherokee, and Honey wildfires.","The Wind Fire Complex included the Cascade, LaPorte, Lobo, and McCourtney fires.|Total acreage of the Wind Complex was 17,037 acres. There was 1 injury and 4 fatalities. There were 398 structures destroyed, 203 residences, 194 outbuildings & 1 commercial structure. There were 16 structures destroyed, 6 residences & 10 outbuildings.|Wind gusts were up to 46 mph at Oroville Dam, 41 mph at Chico Airport, 39 mph|3 miles SSW Paradise." +121203,725590,CALIFORNIA,2017,October,Wildfire,"CARQUINEZ STRAIT AND DELTA",2017-10-08 21:52:00,PST-8,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Breezy northerly winds with low humidity and dry fuel brought critical fire conditions. Wind gusts ranged from 40 to 50 mph in the Central Valley. These enhanced the development of the Wind Complex, which included the Cascade, Lobo, McCourtney and LaPorte wildfires. Other fires include the Atlas, Sulphur, Cherokee, and Honey wildfires.","The Atlas Fire Fire burned 51,624 acres in Napa and Solano counties, with 481 structures destroyed and 90 damaged.|Wind gusts were up to 49 mph at Travis AFB, 48 mph at Vacaville Nt Airport." +121216,725732,CALIFORNIA,2017,October,Winter Weather,"WEST SLOPE NORTHERN SIERRA NEVADA",2017-10-20 06:00:00,PST-8,2017-10-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought slippery conditions to mountain roads.","Early season snow caused chain controls and travel delays on mountain roads. Snow accumulations were around 2-4 inches at Sierra pass levels." +119855,725743,AMERICAN SAMOA,2017,October,Flash Flood,"TUTUILA",2017-10-12 18:50:00,SST-11,2017-10-13 07:00:00,0,0,0,0,7.00K,7000,2.00K,2000,-14.326,-170.8209,-14.2561,-170.6891,"Heavy rainfall associated with a surface trough generated flash flooding across American Samoa. The main road on Tutuila was flooded especially near locations with poor drainage outlets like Satala, Pago Pago, Utulei, and Tualauta District. The Weather Service Office received 3.88 inches of rainfall.","Heavy rainfall associated with a surface trough generated flash flooding across American Samoa. The main road on Tutuila was heavily flooded especially near Satala, Pago Pago, Utulei, and Tualauta District. The Weather Service Office received 3.88 inches of rainfall." +121204,725580,TENNESSEE,2017,October,Flash Flood,"CARTER",2017-10-23 14:30:00,EST-5,2017-10-23 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.2,-82.0521,36.1132,-82.07,"Abundant moisture along a frontal boundary produced heavy rain in parts of East Tennessee. Additional heavy rain continued to fall post-front with upslope (westerly to southwesterly) winds mainly over the Appalachian Mountains of East Tennessee.","A section of Stockton Road washed out." +121204,725582,TENNESSEE,2017,October,Flash Flood,"CARTER",2017-10-23 14:45:00,EST-5,2017-10-23 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.2,-82.0521,36.1132,-82.07,"Abundant moisture along a frontal boundary produced heavy rain in parts of East Tennessee. Additional heavy rain continued to fall post-front with upslope (westerly to southwesterly) winds mainly over the Appalachian Mountains of East Tennessee.","Roan Mountain State Park Gristmill Visitor Center parking lot, picnic area, and basement flooded. HVAC system ruined." +119658,717770,MARYLAND,2017,August,Tornado,"WICOMICO",2017-08-07 12:40:00,EST-5,2017-08-07 12:41:00,0,0,0,0,750.00K,750000,0.00K,0,38.3408,-75.6066,38.3575,-75.5899,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","The tornado initially touched down near Salisbury University along Highway 13 and Dogwood Drive damaging several businesses. The tornado struck a strip mall along Highway 13 tossing vehicles around in the parking lot, and causing minor damage to nearby buildings. A concrete building in the area collapsed due to bay doors on the building being open. Wind entered the structure causing it to collapse. It was in this area near the University where the tornado was most intense, at the time of initial |touchdown. The tornado tracked northeast across the east side of the Salisbury University campus, crossing Bateman Street and East College Drive before damaging a home on Rogers Street. The tornado lifted off the ground before it could cross Highway 12 (Snow Hill Road) near the Elks Club Golf Course." +120858,723778,ARKANSAS,2017,October,Thunderstorm Wind,"FAULKNER",2017-10-22 02:32:00,CST-6,2017-10-22 02:32:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-92.33,35.33,-92.33,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Limbs were blown down on the ground." +120599,722458,COLORADO,2017,November,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-11-17 18:00:00,MST-7,2017-11-18 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist Pacific trough brought significant to heavy snow accumulations to the northern and central mountains of western Colorado. Additionally, high-level atmospheric winds to 140 knots induced strong winds down to the surface which resulted in widespread blowing snow over higher mountain passes.","Snowfall amounts of 6 to 9 inches were measured across most of the area." +120600,722460,COLORADO,2017,November,High Wind,"CENTRAL GUNNISON AND UNCOMPAHGRE RIVER BASIN",2017-11-17 18:00:00,MST-7,2017-11-17 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Powerful high-level winds to 140 knots induced strong winds at the surface across portions of western Colorado. In at least one location the surface winds exceeded high wind warning criteria.","Wind gusts to 59 mph were measured four miles northwest Colona." +120601,722461,UTAH,2017,November,High Wind,"GRAND FLAT AND ARCHES",2017-11-17 18:30:00,MST-7,2017-11-17 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Powerful high-level winds to 140 knots induced strong winds at the surface across portions of eastern Colorado. In at least one location the surface winds exceeded high wind warning criteria.","Wind gusts to 64 mph were measured at the Bryson Canyon RAWS site located about 9 miles northwest of I-70 and about 9 miles west of the Utah-Colorado border." +115119,690994,OHIO,2017,May,Hail,"BROWN",2017-05-20 14:47:00,EST-5,2017-05-20 14:49:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-83.74,38.84,-83.74,"Scattered thunderstorms developed during the afternoon and continued into the evening along a stalled out boundary situated across the Ohio Valley.","" +116628,713815,MINNESOTA,2017,July,Thunderstorm Wind,"BLUE EARTH",2017-07-19 14:36:00,CST-6,2017-07-19 14:36:00,0,0,0,0,0.00K,0,0.00K,0,43.98,-93.95,43.98,-93.95,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","" +116628,715476,MINNESOTA,2017,July,Flash Flood,"DAKOTA",2017-07-19 21:00:00,CST-6,2017-07-20 02:00:00,0,0,0,0,0.00K,0,0.00K,0,44.6594,-92.7383,44.6278,-93.0817,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Local law enforcement officials had to close portions of Highway 316 between 200th Street and Ravenna Trail due to washed out roads and flooding." +119660,718859,VIRGINIA,2017,August,Heavy Rain,"SUSSEX",2017-08-08 06:54:00,EST-5,2017-08-08 06:54:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-77.01,36.98,-77.01,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.59 inches was measured at AKQ." +119660,718860,VIRGINIA,2017,August,Heavy Rain,"DINWIDDIE",2017-08-08 06:55:00,EST-5,2017-08-08 06:55:00,0,0,0,0,0.00K,0,0.00K,0,37.18,-77.5,37.18,-77.5,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.75 inches was measured at PTB." +119660,718861,VIRGINIA,2017,August,Heavy Rain,"MECKLENBURG",2017-08-08 06:56:00,EST-5,2017-08-08 06:56:00,0,0,0,0,0.00K,0,0.00K,0,36.69,-78.05,36.69,-78.05,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.00 inches was measured at AVC (South Hill)." +119660,718862,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 06:57:00,EST-5,2017-08-08 06:57:00,0,0,0,0,0.00K,0,0.00K,0,37.94,-75.47,37.94,-75.47,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.72 inches was measured at Horntown (2 S)." +119660,718863,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 06:58:00,EST-5,2017-08-08 06:58:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-76.36,37.08,-76.36,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.01 inches was measured at Langley Air Force Base." +119660,718864,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-76.44,37.05,-76.44,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.32 inches was measured at Northampton (1 WNW)." +119660,718865,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-76.32,37.07,-76.32,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.10 inches was measured at Hampton (1.9 NW)." +115643,694873,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 16:42:00,EST-5,2017-04-06 16:42:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 34 knots was reported at Quantico." +115643,694879,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-04-06 12:44:00,EST-5,2017-04-06 12:49:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 45 knots were reported at Nationals Park." +115643,694881,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-04-06 12:48:00,EST-5,2017-04-06 12:48:00,0,0,0,0,,NaN,,NaN,38.87,-77.02,38.87,-77.02,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 35 knots was reported." +115643,694882,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-04-06 12:54:00,EST-5,2017-04-06 12:54:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 38 knots was reported at Piney Point." +115643,694888,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-04-06 13:36:00,EST-5,2017-04-06 13:48:00,0,0,0,0,,NaN,,NaN,39.29,-76.58,39.29,-76.58,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 45 knots were reported." +116993,703659,NEW YORK,2017,May,Hail,"ERIE",2017-05-18 14:22:00,EST-5,2017-05-18 14:22:00,0,0,0,0,,NaN,,NaN,42.5,-78.92,42.5,-78.92,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703660,NEW YORK,2017,May,Hail,"LIVINGSTON",2017-05-18 14:24:00,EST-5,2017-05-18 14:24:00,0,0,0,0,,NaN,,NaN,42.84,-77.67,42.84,-77.67,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703661,NEW YORK,2017,May,Hail,"LIVINGSTON",2017-05-18 14:24:00,EST-5,2017-05-18 14:24:00,0,0,0,0,,NaN,,NaN,42.85,-77.69,42.85,-77.69,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703662,NEW YORK,2017,May,Hail,"ERIE",2017-05-18 14:33:00,EST-5,2017-05-18 14:33:00,0,0,0,0,,NaN,,NaN,42.55,-78.75,42.55,-78.75,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703663,NEW YORK,2017,May,Hail,"ERIE",2017-05-18 14:34:00,EST-5,2017-05-18 14:34:00,0,0,0,0,,NaN,,NaN,42.55,-78.72,42.55,-78.72,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +118296,710891,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-15 16:32:00,EST-5,2017-06-15 16:32:00,0,0,0,0,10.00K,10000,0.00K,0,42.64,-77.79,42.64,-77.79,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +118296,710892,NEW YORK,2017,June,Thunderstorm Wind,"WYOMING",2017-06-15 16:45:00,EST-5,2017-06-15 16:45:00,0,0,0,0,25.00K,25000,0.00K,0,42.68,-78.04,42.68,-78.04,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","A house was damaged by downed trees at Lakeshore Drive and West Springbrook Road." +118296,710893,NEW YORK,2017,June,Thunderstorm Wind,"MONROE",2017-06-15 17:50:00,EST-5,2017-06-15 17:50:00,0,0,0,0,14.00K,14000,0.00K,0,43,-77.5,43,-77.5,"A warm front during the morning of the 15th brought a soaking rainfall across the Genesee Valley and Finger Lakes. During the afternoon hours thunderstorms developed along the Lake Erie lake breeze. Several of these storms reached severe limits with trees and wires reported down in parts of Livingston, Wyoming and Monroe counties. Near Silver Lake, one house was damaged by falling trees at the intersection of Lakeshore Drive and Springbrook Road. The heavy rains that fell from the storm produced flash flooding. Several roads were inundated and closed. Near Hardy Corners, the intersection of West Branch and Bush Hill Roads was washed out.","Law enforcement reported trees and wires downed by thunderstorm winds." +118297,710895,NEW YORK,2017,June,Thunderstorm Wind,"ONTARIO",2017-06-16 17:00:00,EST-5,2017-06-16 17:00:00,0,0,0,0,12.00K,12000,0.00K,0,42.87,-77.09,42.87,-77.09,"A thunderstorm developed near the junction of the Lake Erie and Lake Ontario lake breeze boundaries. The thunderstorm produced damaging winds that downed trees in Seneca Castle.","Law enforcement reported trees and wires downed by thunderstorm winds near the intersection of Vogt and Seneca Castle Roads." +119317,716444,NEW YORK,2017,July,Flash Flood,"WYOMING",2017-07-13 10:46:00,EST-5,2017-07-13 12:45:00,0,0,0,0,30.00K,30000,0.00K,0,42.8012,-78.36,42.8614,-78.3332,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +119317,716445,NEW YORK,2017,July,Flash Flood,"LIVINGSTON",2017-07-13 10:31:00,EST-5,2017-07-13 12:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.9753,-77.8559,42.9682,-77.8508,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +120768,723316,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:51:00,EST-5,2017-09-04 21:51:00,0,0,0,0,12.00K,12000,0.00K,0,42.32,-79.09,42.32,-79.09,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","The public reported trees and wires downed by thunderstorm winds." +120768,723317,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 21:54:00,EST-5,2017-09-04 21:54:00,0,0,0,0,15.00K,15000,0.00K,0,42.46,-79,42.46,-79,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds along Route 39." +120768,723318,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 21:56:00,EST-5,2017-09-04 21:56:00,0,0,0,0,10.00K,10000,0.00K,0,42.42,-78.97,42.42,-78.97,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +121683,728356,NEW YORK,2017,September,Coastal Flood,"JEFFERSON",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +113821,681490,NEVADA,2017,February,Flood,"ELKO",2017-02-07 15:00:00,PST-8,2017-02-14 15:00:00,0,0,0,0,3.00M,3000000,0.00K,0,41.955,-114.0601,41.9427,-116.3782,"Rain on a much above normal snow pack combined with frozen ground caused extensive flooding across northern Nevada, especially across Elko county. The excessive runoff caused the Twenty One Mile dam north of Montello to fail sending flood waters 2-3 feet deep down Twenty One Mile Creek flooding buildings at the Gamble Ranch and washing out a section of State Route 233 and railroad tracks. Flooding also stopped trains traveling through northern Elko County as tracks were underwater. About 30 homes and a few businesses in both Montello and Wells were flooded along with some homes and outbuildings in rural areas. Many rural roads were damaged and had washouts. US highway 93 was closed both south and north of Wells for a time as flood waters submerged the road. Salmon Falls Creek overflowed US highway 93 and completely submerged the adjoining rest area. Extensive shoulder damage was reported along US Highway 93 mainly north of Wells. Humboldt county reported over 68 rural roads that were damaged by the flooding. Residents of Paradise Valley were inundated on at least two separate occasions as water poured off the Santa Rosa Mountains through the various creeks surrounding the town. All the runoff caused the Humboldt River to rise above flood stage. This caused extensive flooding of homes and businesses along and near the Humboldt River in Elko. Interstate 80 between Elko and Wells was reduced to one lane in places due to flood waters over the road. A total of 25 homes in Elko, Wells, and Montello were totally destroyed or suffered extensive damage.","Rain on a much above normal snow pack combined with frozen ground caused extensive flooding. About 30 homes and a few businesses in both Montello and Wells were flooded along with some homes and outbuildings in rural areas. Many rural roads were damaged and had washouts. US highway 93 was closed both south and north of Wells for a time as flood waters submerged the road. Salmon Falls Creek overflowed US highway 93 and completely submerged the adjoining rest area. Extensive shoulder damage was reported along US Highway 93 mainly north of Wells. All the runoff caused the Humboldt River to rise above flood stage. This caused extensive flooding of homes and businesses along and near the Humboldt River in Elko. Interstate 80 between Elko and Wells was reduced to one lane in places due to flood waters over the road. A total of 25 homes in Elko, Wells, and Montello were totally destroyed or suffered extensive damage." +116988,703602,NEW YORK,2017,May,Flood,"MONROE",2017-05-01 16:56:00,EST-5,2017-05-01 21:00:00,0,0,0,0,8.00K,8000,0.00K,0,43.3467,-77.9665,43.3267,-77.9683,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +119657,717767,LAKE ERIE,2017,August,Marine Thunderstorm Wind,"VERMILION TO AVON POINT OH",2017-08-03 20:00:00,EST-5,2017-08-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-82.4,41.68,-82.4,"Scattered thunderstorms moved across Lake Erie causing gusty winds.","A buoy measured a 39 knot or 45 mph thunderstorm wind gust." +119767,718267,OHIO,2017,August,Flash Flood,"CUYAHOGA",2017-08-10 17:10:00,EST-5,2017-08-10 19:30:00,0,0,0,0,2.00M,2000000,0.00K,0,41.4718,-81.5028,41.4595,-81.4708,"During the afternoon and early evening of August 10 an isolated storm cell formed along the lake breeze over eastern Cuyahoga County. The storm produced torrential rainfall, measured over 4 inches per hour. The high rainfall rates combined with suburban development and higher terrain resulted in isolated flash flooding in the Pepper Pike community.","An isolated thunderstorm developed on an afternoon lake breeze on August 10th. This storm, though small in structure and spatial coverage, had a high rainfall rates. The rain started around 5 pm and ended around 7 pm. The storm peaked around 6 pm where 0.94 or rain was recorded in 10 minutes (rainfall rate of 6.36/hr) in a real-time rain gauge in Beachwood just west of Pepper Pike. The storm total rainfall in Beachwood was 3.26, with an unofficial reading of 4.5 in Pepper Pike. The storm resulted in widespread road closures, flooded basements, yards, garages, and minor flooding on first floors. Over 200 homes and businesses experienced water damage, primarily from backed up storm drainage into basements." +119863,718558,OHIO,2017,August,Thunderstorm Wind,"PORTAGE",2017-08-04 14:00:00,EST-5,2017-08-04 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,41.17,-81.23,41.17,-81.23,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed a few large tree limbs across the county." +119863,718559,OHIO,2017,August,Thunderstorm Wind,"RICHLAND",2017-08-04 12:40:00,EST-5,2017-08-04 12:40:00,0,0,0,0,25.00K,25000,0.00K,0,40.7,-82.42,40.7,-82.42,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed some trees and power lines in the Lucas area." +119863,718560,OHIO,2017,August,Thunderstorm Wind,"PORTAGE",2017-08-04 14:12:00,EST-5,2017-08-04 14:15:00,0,0,0,0,25.00K,25000,0.00K,0,41.15,-81.35,41.15,-81.35,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed a few trees in the Kent area. Some power outages were also reported." +116814,702467,IDAHO,2017,May,Flood,"GEM",2017-05-07 07:45:00,MST-7,2017-05-08 09:15:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-116.5,43.8907,-116.5086,"Spring snow melt flooding occurred across much of Southwest Idaho as a result of an above normal snow pack for the winter of 2016 to 2017.","The Payette River at Emmett reached minor food stage due to snow melt." +116816,702481,IDAHO,2017,May,Flood,"CANYON",2017-05-01 00:00:00,MST-7,2017-05-31 23:59:00,0,0,0,0,750.00K,750000,0.00K,0,43.7,-116.63,43.666,-116.6336,"The Boise River continued to be in flood during the entire month of May due to planned release at Lucky Peak.","The Boise River remained in flood during the entire month of May due to planned release from Lucky Peak dam. Regulated flows were above flood stage for 101 days resulting in extensive bank erosion and flooding of lowlands along the river." +115289,692167,WEST VIRGINIA,2017,April,Thunderstorm Wind,"HAMPSHIRE",2017-04-30 15:37:00,EST-5,2017-04-30 15:37:00,0,0,0,0,,NaN,,NaN,39.3235,-78.4291,39.3235,-78.4291,"A warm front stalled over the area. A southerly flow behind the boundary allowed for warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to become severe.","A tree was down on Cold Stream Road near Allen Lane." +115648,694907,ATLANTIC NORTH,2017,April,Marine Hail,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-21 18:26:00,EST-5,2017-04-21 18:26:00,0,0,0,0,,NaN,,NaN,38.2546,-76.9636,38.2546,-76.9636,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","Quarter sized hail was estimated based on an observation nearby." +115493,693504,MISSISSIPPI,2017,April,Thunderstorm Wind,"PERRY",2017-04-03 04:04:00,CST-6,2017-04-03 04:06:00,0,0,0,0,8.00K,8000,0.00K,0,31.084,-88.9924,31.084,-88.9924,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, which caused damage across southeast Mississippi.","Winds estimated at 70 mph downed numerous trees blocking Highway 29 at Paret Tower Road. Trees also down at Beaumont Brooklyn Road and Highway 29." +115885,696390,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-04-30 16:22:00,CST-6,2017-04-30 16:22:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-88.06,30.58,-88.06,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","Weatherflow station at Buccaneer Yachtclub, within one mile of the coast, measured a 34 knot, 39 mph, wind gust." +121109,725048,NEW HAMPSHIRE,2017,October,Flood,"GRAFTON",2017-10-30 03:32:00,EST-5,2017-10-30 16:18:00,0,0,0,0,50.00K,50000,0.00K,0,43.9729,-71.6828,43.9845,-71.681,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 5 to 7 inches of rain resulting in moderate flooding on the Pemigewasset River (flood stage 9.0 ft), which crested at 13.54 ft." +119542,717336,IOWA,2017,August,Thunderstorm Wind,"CASS",2017-08-21 01:05:00,CST-6,2017-08-21 01:05:00,0,0,0,0,0.00K,0,0.00K,0,41.41,-95.05,41.41,-95.05,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Atlantic Municipal Airport AWOS recorded a 50 kt (58 mph) gust." +119542,717337,IOWA,2017,August,Hail,"PALO ALTO",2017-08-21 01:08:00,CST-6,2017-08-21 01:08:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-94.9,43.14,-94.9,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported quarter sized hail." +119542,717338,IOWA,2017,August,Thunderstorm Wind,"CASS",2017-08-21 01:15:00,CST-6,2017-08-21 01:15:00,0,0,0,0,1.00K,1000,0.00K,0,41.4,-95.01,41.4,-95.01,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Public reported several large limbs down and damage to a shed." +120292,720792,LAKE ERIE,2017,August,Marine Thunderstorm Wind,"RIPLEY TO DUNKIRK NY",2017-08-04 11:08:00,EST-5,2017-08-04 11:08:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.34,42.49,-79.34,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced winds that gusted to 42 knots at Buffalo and 40 knots at Dunkirk.","" +120292,720793,LAKE ERIE,2017,August,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-08-04 11:42:00,EST-5,2017-08-04 11:42:00,0,0,0,0,,NaN,0.00K,0,42.88,-78.89,42.88,-78.89,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced winds that gusted to 42 knots at Buffalo and 40 knots at Dunkirk.","" +121684,728364,NEW YORK,2017,August,Coastal Flood,"JEFFERSON",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121110,725060,MAINE,2017,October,Flood,"SOMERSET",2017-10-30 21:20:00,EST-5,2017-10-31 07:29:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-69.72,44.7773,-69.7002,"A very strong area of low pressure with abundant tropical moisture produced 2 to 6 inches of rainfall resulting in minor flooding on several area rivers in Maine.","Strong low pressure produced 2 to 3 inches of rain resulting in minor flooding on the Kennebec River at Skowhegan (flood stage 35,000 cfs), which crested at 50,000 cfs." +119917,718734,ARIZONA,2017,July,Heavy Rain,"YAVAPAI",2017-07-23 15:00:00,MST-7,2017-07-23 15:45:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-111.9,34.9018,-111.926,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","A trained spotter reported a strong thunderstorm with one inch of rain in 30 to 45 minutes, wind gusts to 47 MPH, and pea sized hail. There was minor flooding with a lot of rocks, debris, and tree branches on Page Springs Road." +119917,718735,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-23 15:30:00,MST-7,2017-07-23 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-111.78,34.6359,-111.8338,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","Dry Beaver Creek rose from 0.95 feet at 330 PM to 3.74 feet at 445 PM. The creek then slowly decreased through the evening." +119917,718946,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-23 15:45:00,MST-7,2017-07-23 20:45:00,0,0,0,0,0.00K,0,0.00K,0,34.49,-112.79,34.4285,-111.8209,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","The Verde River near Camp Verde rose from 4.01 feet at 345 PM MST to 10.39 feet at 445 PM MST. The fastest rate of rise was from 6.25 feet to 10.39 feet from 430 PM to 445 PM MST." +120296,720819,NEW YORK,2017,August,Thunderstorm Wind,"WAYNE",2017-08-22 12:35:00,EST-5,2017-08-22 12:35:00,0,0,0,0,10.00K,10000,0.00K,0,43.22,-77.18,43.22,-77.18,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +116301,713659,MINNESOTA,2017,July,Thunderstorm Wind,"LE SUEUR",2017-07-09 20:53:00,CST-6,2017-07-09 20:53:00,0,0,0,0,10.00K,10000,0.00K,0,44.22,-93.57,44.22,-93.57,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","There were reports of trees and power lines blown down in Waterville. One house in Waterville lost its roof due to the severe winds." +120296,720837,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:29:00,EST-5,2017-08-22 14:29:00,0,0,0,0,8.00K,8000,0.00K,0,43.78,-75.44,43.78,-75.44,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +117790,708515,ARIZONA,2017,July,Heavy Rain,"YAVAPAI",2017-07-09 22:30:00,MST-7,2017-07-09 22:45:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-112.32,34.6582,-112.121,"Thunderstorms produced heavy rain in central Yavapai County.","A thunderstorm produced half to three-quarters of an inch of rain in 15 minutes, minor street flooding, peak sized hail, and 50 MPH wind gusts. Small (less than two inches in diameter) tree branches were blown down. Brawshaw Middle School reported 1.20 inches of rain." +117855,708329,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-11 15:00:00,MST-7,2017-07-11 16:20:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-110.17,33.7706,-110.2904,"Thunderstorms produced locally heavy rain across northern Arizona.","Cedar Creek was flowing at a gauge height of 8 feet at the bridge on Highway 73 at 1600." +116454,713695,WISCONSIN,2017,July,Thunderstorm Wind,"ST. CROIX",2017-07-12 01:48:00,CST-6,2017-07-12 01:50:00,0,0,0,0,0.00K,0,0.00K,0,45.13,-92.68,45.1278,-92.6518,"A complex of thunderstorms that developed across west central Minnesota early Wednesday morning, moved eastward into east central, Minnesota, and into west central Wisconsin. It produced a wide swath of damaging winds, especially in east central Minnesota, north of the Twin Cities metro area. As the storms moved into west central Wisconsin, additional damage occurred, including damage to a local Menards, and a home was blown off its foundation. ||In Chippewa County Wisconsin, the approaches on both sides of a bridge were taken out early in the morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street.","Numerous trees were blown down around Somerset." +120289,720764,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:42:00,EST-5,2017-08-04 11:42:00,0,0,0,0,10.00K,10000,0.00K,0,42.87,-78.86,42.87,-78.86,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","The Fire Department reported trees down at Oconnell and Alabama Streets." +120289,720765,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:43:00,EST-5,2017-08-04 11:43:00,0,0,0,0,15.00K,15000,0.00K,0,42.85,-78.8,42.85,-78.8,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Trees were downed by thunderstorm winds in Cazenovia Park." +120595,723738,KANSAS,2017,October,Tornado,"GOVE",2017-10-02 19:24:00,CST-6,2017-10-02 19:26:00,0,0,0,0,75.00K,75000,0.00K,0,39.067,-100.2363,39.0724,-100.229,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Many structures were damaged in Quinter. The tornado began near the elementary school, causing damage to play ground equipment and blew a fence down. The tornado then caused damage to the city building to the northeast of the school, and damaged a few businesses, a few single-wide mobile homes, and a few homes. Damage to the buildings ranged from loosing shingles to porches being blown over, blowing in a set of doors to a hardware store, and blowing a mobile home off its foundation. Many windows were also broken out of the buildings and a few vehicles. Some of the buildings with metal roofing lost some paneling. Numerous trees had significant damage, with some tree trunks having been snapped. A windbreak on the edge of town was damaged in the middle but not on either end." +120595,723919,KANSAS,2017,October,Tornado,"GREELEY",2017-10-02 17:15:00,MST-7,2017-10-02 17:16:00,0,0,0,0,0.00K,0,0.00K,0,38.3805,-101.6131,38.3867,-101.6022,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","A tornado was visible for almost a minute between CR V and X in the vicinity of CR 24 traveling northeast. No damage was reported with this tornado." +120944,723939,MAINE,2017,October,Thunderstorm Wind,"LINCOLN",2017-10-30 09:11:00,EST-5,2017-10-30 09:15:00,0,0,0,0,0.00K,0,0.00K,0,44.21,-69.45,44.21,-69.45,"Strong low pressure and an associated cold front was crossing the region on the afternoon of October 30th. A strong low level jet ahead of the front produced some isolated convection which brought down damaging winds in a few cells.","A severe thunderstorm downed trees in Jefferson." +120944,723940,MAINE,2017,October,Thunderstorm Wind,"SOMERSET",2017-10-30 10:38:00,EST-5,2017-10-30 10:43:00,0,0,0,0,0.00K,0,0.00K,0,44.91,-69.41,44.91,-69.41,"Strong low pressure and an associated cold front was crossing the region on the afternoon of October 30th. A strong low level jet ahead of the front produced some isolated convection which brought down damaging winds in a few cells.","A severe thunderstorm downed trees in St Albans." +112669,678976,ALABAMA,2017,March,Hail,"DEKALB",2017-03-01 14:41:00,CST-6,2017-03-01 14:41:00,0,0,0,0,,NaN,,NaN,34.7,-85.67,34.7,-85.67,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Tennis ball sized hail was reported." +121051,725147,NEW HAMPSHIRE,2017,October,High Wind,"SOUTHERN CARROLL",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725138,NEW HAMPSHIRE,2017,October,High Wind,"BELKNAP",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +118835,713939,IOWA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-20 20:08:00,CST-6,2017-07-20 20:08:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-94.11,41.84,-94.11,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Perry polic reported trees down in town. This is a delayed report and time estimated from radar." +119264,716377,NEW YORK,2017,July,Thunderstorm Wind,"GENESEE",2017-07-08 01:07:00,EST-5,2017-07-08 01:07:00,0,0,0,0,20.00K,20000,0.00K,0,43,-78.18,43,-78.18,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","Law enforcement reported several trees down across the City of Batavia." +118835,713945,IOWA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-20 21:00:00,CST-6,2017-07-20 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-94.15,41.84,-94.15,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Dallas County Sheriff reported to Iowa DOT a tree down on Highway 141 at mile marker 127. This is a delayed report and time estimated from radar." +118835,713946,IOWA,2017,July,Heavy Rain,"STORY",2017-07-20 19:45:00,CST-6,2017-07-20 21:12:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-93.63,42.06,-93.63,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Public reported heavy rainfall of 2.47 inches in north Ames." +119475,717018,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-23 13:45:00,EST-5,2017-07-23 13:45:00,0,0,0,0,12.00K,12000,0.00K,0,42.23,-78.03,42.23,-78.03,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","Law enforcement reported trees downed by thunderstorm winds." +119475,717022,NEW YORK,2017,July,Flash Flood,"ONTARIO",2017-07-23 16:00:00,EST-5,2017-07-23 20:00:00,0,0,0,0,20.00K,20000,0.00K,0,42.73,-77.53,42.7599,-77.534,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","" +118835,714596,IOWA,2017,July,Thunderstorm Wind,"GUTHRIE",2017-07-20 20:00:00,CST-6,2017-07-20 20:05:00,0,0,0,0,10.00K,10000,0.00K,0,41.8448,-94.3106,41.775,-94.3664,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","The emergency manager reported a large 2 foot diameter tree down in Yale and several large branches down in Jamaica. One large branch fell on a truck with minor damage." +117902,708866,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:17:00,CST-6,2017-06-16 22:20:00,0,0,0,0,0.00K,0,0.00K,0,39.6016,-94.4103,39.6016,-94.4103,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Highway 33 north of 280th St is blocked due to a large tree down." +117902,708867,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:22:00,CST-6,2017-06-16 22:25:00,0,0,0,0,,NaN,,NaN,39.63,-94.46,39.63,-94.46,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Damage of unknown extent near NW 296th St and NW HWY Y near Plattsburg." +117902,708868,MISSOURI,2017,June,Thunderstorm Wind,"RAY",2017-06-16 22:45:00,CST-6,2017-06-16 22:48:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-93.97,39.28,-93.97,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A large tree of unknown size and condition was down near Richmond." +118842,714601,IOWA,2017,July,Funnel Cloud,"HARDIN",2017-07-26 18:00:00,CST-6,2017-07-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3124,-93.0109,42.3124,-93.0109,"A low pressure system initiated storms along its associated cold frontal boundary back in Nebraska during the evening of the 25th and slowly progressed into Iowa through the morning of the 26th. While none of the storms were impressive or near severe, their slow propagation and some degree of training resulted in periods of heavy rainfall to the degree of 2 to 3 inches.","A funnel cloud was reported between Whitten and Eldora." +120563,722278,KANSAS,2017,October,Hail,"WICHITA",2017-10-01 19:08:00,CST-6,2017-10-01 19:08:00,0,0,0,0,,NaN,0.00K,0,38.5677,-101.5196,38.5677,-101.5196,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","Damage was done to some windows of the house from the hail." +120563,722279,KANSAS,2017,October,Hail,"SHERMAN",2017-10-01 14:55:00,MST-7,2017-10-01 14:55:00,0,0,0,0,0.00K,0,0.00K,0,39.3358,-101.8778,39.3358,-101.8778,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +119658,718768,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 05:30:00,EST-5,2017-08-08 05:30:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-75.59,38.39,-75.59,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.69 inches was measured at Salisbury (1 N)." +119658,718769,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.39,-75.5,38.39,-75.5,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.03 inches was measured at Parsonsburg (1 W)." +119658,718770,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-75.23,38.32,-75.23,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.40 inches was measured at Berlin." +119658,718773,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.13,38.37,-75.13,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.22 inches was measured at Cape Isle of Wight (1 NW)." +119658,718774,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.16,38.37,-75.16,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.45 inches was measured at Ocean Pines." +119658,718776,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-08 10:04:00,EST-5,2017-08-08 10:04:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-75.69,38.4,-75.69,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.60 inches was measured at Hebron (1 SSW)." +119194,718196,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-16 16:30:00,MST-7,2017-07-16 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-112.51,34.65,-112.51,"Strong high pressure was in a favorable position to bring deep monsoon moisture over northern Arizona which allowed strong to severe thunderstorms to form.","Strong winds pushed a traveling Jeep off the road and it ran into a tree." +116564,700909,NEW YORK,2017,May,Hail,"SCHENECTADY",2017-05-31 15:25:00,EST-5,2017-05-31 15:25:00,0,0,0,0,,NaN,,NaN,42.82,-73.9,42.82,-73.9,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","" +116399,699987,CONNECTICUT,2017,May,Thunderstorm Wind,"LITCHFIELD",2017-05-18 22:55:00,EST-5,2017-05-18 22:55:00,0,0,0,0,,NaN,,NaN,41.72,-73.48,41.72,-73.48,"May 18 was the second straight day of temperatures approaching or exceeding 90 degrees in Northwest Connecticut. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into Northwest Connecticut shortly before midnight, resulting in reports of wind damage and scattered power outages.","Several trees were reported down in Kent." +115889,700995,OHIO,2017,May,Thunderstorm Wind,"TUSCARAWAS",2017-05-01 12:20:00,EST-5,2017-05-01 12:20:00,0,0,0,0,5.00K,5000,0.00K,0,40.5134,-81.4549,40.5134,-81.4549,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A member of the public reported many trees down on Boulevard Street/Route 800 in Dover." +115889,700996,OHIO,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 12:39:00,EST-5,2017-05-01 12:39:00,0,0,0,0,1.00K,1000,0.00K,0,40.27,-80.78,40.27,-80.78,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Member of the public reported trees down." +115889,700997,OHIO,2017,May,Thunderstorm Wind,"COLUMBIANA",2017-05-01 12:40:00,EST-5,2017-05-01 12:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.9,-80.85,40.9,-80.85,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Member of the public reported trees down." +117457,706424,NEBRASKA,2017,June,Hail,"SALINE",2017-06-16 20:20:00,CST-6,2017-06-16 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.54,-97.28,40.54,-97.28,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706425,NEBRASKA,2017,June,Hail,"SALINE",2017-06-16 20:21:00,CST-6,2017-06-16 20:21:00,0,0,0,0,0.00K,0,0.00K,0,40.54,-97.28,40.54,-97.28,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706426,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-16 21:11:00,CST-6,2017-06-16 21:11:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-97.33,40.25,-97.33,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,710993,NEBRASKA,2017,June,Thunderstorm Wind,"CASS",2017-06-16 19:15:00,CST-6,2017-06-16 19:15:00,3,0,0,0,,NaN,,NaN,41.01,-95.89,41.01,-95.89,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Substantial wind damage was reported in Plattsmouth. Trees down on most roads. |Power lines were blown down, with no power between Louisville, Plattsmouth, and Weeping Water. Maintenance building was destroyed. Several farmsteads on Highway 66 had buildings destroyed. There were 3 people injured in Plattsmouth." +117457,710996,NEBRASKA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-16 19:15:00,CST-6,2017-06-16 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-96.87,40.97,-96.87,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Numerous large limbs and trees were blown down." +117457,710997,NEBRASKA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-16 19:40:00,CST-6,2017-06-16 19:40:00,0,0,0,0,,NaN,,NaN,40.8855,-96.6816,40.8855,-96.6816,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Several semi trucks were tipped over on Interstate 80 near the 27th Street exit." +115905,704931,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-28 15:58:00,EST-5,2017-05-28 15:58:00,0,0,0,0,1.00K,1000,0.00K,0,41.2,-79.32,41.2,-79.32,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Trained spotter reported minor damage to house siding." +115905,704932,PENNSYLVANIA,2017,May,Flash Flood,"VENANGO",2017-05-28 16:55:00,EST-5,2017-05-28 17:30:00,0,0,0,0,10.00K,10000,0.00K,0,41.5305,-79.9538,41.5386,-79.772,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Local 911 reported several roads closed due to flash flooding around Cooperstown including Route 427, Route 428, and parts of Route 322 toward the Mercer county line." +115905,704933,PENNSYLVANIA,2017,May,Flash Flood,"CLARION",2017-05-28 16:25:00,EST-5,2017-05-28 17:45:00,0,0,0,0,15.00K,15000,0.00K,0,41.2427,-79.4306,41.2549,-79.4193,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Emergency manager reported fast moving water. Several roads north of Clarion were flooded. Route 322 was closed from the intersection at Route 66 to Liberty Street in Clarion Boro. Also, Toby Hill Bridge was closed due to flash flooding." +115889,700911,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-01 11:45:00,EST-5,2017-05-01 11:45:00,0,0,0,0,5.00K,5000,0.00K,0,39.81,-81.47,39.81,-81.47,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported trees down along State Route 215, 285, and 147." +115889,700925,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-01 11:51:00,EST-5,2017-05-01 11:51:00,0,0,0,0,5.00K,5000,0.00K,0,39.81,-81.58,39.81,-81.58,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency Management reported trees down." +115889,700927,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-01 11:55:00,EST-5,2017-05-01 11:55:00,0,0,0,0,5.00K,5000,0.00K,0,39.8,-81.34,39.8,-81.34,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency Management reported numerous trees down." +116503,702903,NORTH CAROLINA,2017,May,Heavy Rain,"WATAUGA",2017-05-04 08:00:00,EST-5,2017-05-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2098,-81.6673,36.2098,-81.6673,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. Rainfall totals in North Carolina ranged from 3-5 inches along the Blue Ridge and foothills. The top five gauge reports (in inches) in for 24 hours ending 800 AM EDT on May 5th included Glade Creek VFD (GLCN7) 4.48, Fleetwood 3.1 SSE CoCoRaHS 4.04, Jefferson 2.7 ESE CoCoRaHS 3.05, Transou COOP (LSPN7) 3.87, Jefferson 1E COOP (JEFN7) 2.75.","Boone 1 SE COOP (BOON7) had 2.63 inches in 24-hours ending at 0800 EST on the 5th, which was the 3rd highest for any May day since records were started at this location in 1980. The 2nd highest amount (3.05 inches) occurred just 3 days earlier on May 2nd, 2017." +115894,704140,PENNSYLVANIA,2017,May,Flash Flood,"ARMSTRONG",2017-05-05 18:25:00,EST-5,2017-05-05 20:30:00,0,0,0,0,20.00K,20000,0.00K,0,40.83,-79.54,40.8217,-79.5366,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Local media reported flooding at Kittanning hospital. Also, several roads were reported to be flooded including Butler Road, Johns Road, and Pleasantview Drive." +115894,704142,PENNSYLVANIA,2017,May,Flash Flood,"ARMSTRONG",2017-05-05 18:41:00,EST-5,2017-05-05 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.88,-79.54,40.8704,-79.5405,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Local 911 reported creek flooding on Tarrtown Road." +115894,704144,PENNSYLVANIA,2017,May,Flood,"ARMSTRONG",2017-05-05 20:30:00,EST-5,2017-05-06 08:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.7522,-79.5733,40.7556,-79.5568,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Emergency manager reported that flooding has impacted several buildings in Cadogan." +115894,704905,PENNSYLVANIA,2017,May,Flash Flood,"CLARION",2017-05-05 18:26:00,EST-5,2017-05-05 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.35,-79.45,41.3625,-79.4509,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported that Route 208 was flooded." +114669,689002,COLORADO,2017,May,Heavy Snow,"LARIMER COUNTY BELOW 6000 FEET / NW WELD COUNTY",2017-05-17 17:00:00,MST-7,2017-05-19 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included 8 inches around Ft. Collins, with 5 inches in Loveland. Extensive tree damage was reported, with up to 800 trees impacted on the Colorado State Univieristy Campus alone. Some of the trees completely toppled under the weight of the wet and heavy snow." +114669,689003,COLORADO,2017,May,Heavy Snow,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-05-17 17:00:00,MST-7,2017-05-19 02:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included: 12 inches near Rocky Flats, 10 inches near Superior and Louisville, 6 inches in Lafayette with 5 inches in Broomfield." +114669,693320,COLORADO,2017,May,Heavy Snow,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-05-17 17:00:00,MST-7,2017-05-19 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong spring storm dropped across the Great Basin, and then moved eastward across Colorado. Isolated but strong thunderstorms preceded the system on the 17th with hail up to nickel size near Boulder Airport and Brighton. Significant snow fell across the Front Range mountains and foothills over the next couple of days. The heaviest snowfall occurred in Boulder and Larimer Counties. Along the Interstate 25 Corridor, rain turned to snow on the morning of the 18th, heaviest from around Broomfield northward. The heavy wet snow snapped the limbs of fully leaved trees and caused scattered power outages. Eight hundred trees on the campus of Colorado State University were damaged. Some trees in and around Fort Collins completely collapsed under the weight of the snow.||A couple of barns collapsed in Larimer County. One was a historic barn in Estes Park, with another in northeast Loveland. Fifty-five head of cattle were inside the collapsed barn in Loveland; three were injured and later euthanized. Numerous branches and trees snapped around Fort Collins and in the foothills. Elsewhere, several scattered smaller power outages were reported. Three to nearly 5 inches of liquid precipitation occurred, as rain or a mix of of rain and snow, fell around Greeley and 12 miles northwest of Briggsdale.||Storm totals in the Front Range mountains and foothills included: 42.0 inches near Allenspark, 41.5 inches near Ward, 36 inches at Estes Park, 32 inches near Pinecliffe, 30.5 inches northwest of Golden, 30 inches near Nederland, 26 inches near Breckenridge, 25 inches near Aspen Springs and Bear Lake State Park, 18.5 inches northwest of Rustic, 16 inches at Copper Mountain and Dillon, 15 inches at Drake, 14 inches at Aspen Springs and Deadman Hill, 13 inches at Tower, with 9.5 inches near Evergreen. On the west side of the Interstate 25 Corridor, storm totals included: 10 inches near Superior and Louisville, 6 to 8 inches in and around Fort Collins, 6 inches in Lafayette, 5 inches in Broomfield and Loveland, and 4 inches near Niwot.","Storm totals included: 14 inches in Aspen Springs, 12 inches near Rocky Flats, with 7.5 inches in Georgetown." +116813,702415,NEW YORK,2017,May,Strong Wind,"SOUTHWEST SUFFOLK",2017-05-02 17:00:00,EST-5,2017-05-02 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred behind a cold front.","At 623 pm, law enforcement reported a tree down on Great East Neck Road, at Montauk Highway in the town of West Babylon." +116812,702414,NEW JERSEY,2017,May,Strong Wind,"HUDSON",2017-05-02 16:00:00,EST-5,2017-05-02 19:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred behind a cold front.","A co-op observer reported that a tree fell down on a house on Davis Avenue in Harrison. This occurred at 505 pm. The weather station at Harrison measured a wind gust up to 55 mph at the same time." +116521,703087,MISSOURI,2017,May,Thunderstorm Wind,"SCOTLAND",2017-05-17 17:45:00,CST-6,2017-05-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-92.27,40.44,-92.27,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Damaging winds were reported with this system.","Local law enforcemet reported tree branches were blown down onto Highway 136." +116521,703088,MISSOURI,2017,May,Thunderstorm Wind,"SCOTLAND",2017-05-17 17:45:00,CST-6,2017-05-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-92.28,40.45,-92.28,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Damaging winds were reported with this system.","Local law enforcement reported a barn on the west side of State Highway B was destroyed." +116958,703399,IOWA,2017,May,Thunderstorm Wind,"DUBUQUE",2017-05-15 21:29:00,CST-6,2017-05-15 21:29:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-90.72,42.4,-90.72,"Severe thunderstorms developed along and north of a warm front Monday evening, bringing large hail and damaging winds to areas near a line from Decorah, IA to Rockford IL. A few reports of tree damage were seen with these storms.","This wind gust was measured by the Dubuque ASOS site." +116298,699393,NORTH CAROLINA,2017,May,Thunderstorm Wind,"CASWELL",2017-05-31 18:40:00,EST-5,2017-05-31 18:40:00,0,0,0,0,0.50K,500,0.00K,0,36.29,-79.5,36.29,-79.5,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds resulted in large tree limbs blown down just south of Camp Springs. Pea to dime size hail, along with nearly 2 inches of rain also fell during the storm." +116298,699396,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 18:10:00,EST-5,2017-05-31 18:10:00,0,0,0,0,10.00K,10000,0.00K,0,36.34,-79.79,36.34,-79.79,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed numerous trees along Buckhorn Trail, including a few trees that were snapped over 30 feet in the air." +116298,699398,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 18:26:00,EST-5,2017-05-31 18:26:00,0,0,0,0,12.50K,12500,0.00K,0,36.3,-79.64,36.3,-79.64,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed several trees and power-lines along Cook Forest Road." +116298,699403,NORTH CAROLINA,2017,May,Hail,"ROCKINGHAM",2017-05-31 18:25:00,EST-5,2017-05-31 18:25:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-79.68,36.33,-79.68,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","" +115946,696739,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"AIKEN",2017-05-24 22:12:00,EST-5,2017-05-24 22:15:00,0,0,0,0,,NaN,,NaN,33.51,-81.91,33.51,-81.91,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Trees down at Cherokee Dr and Apache Dr in Clearwater. Time estimated." +116735,702058,VIRGINIA,2017,May,Thunderstorm Wind,"APPOMATTOX",2017-05-10 18:39:00,EST-5,2017-05-10 18:39:00,0,0,0,0,1.00K,1000,0.00K,0,37.3803,-78.8717,37.3803,-78.8717,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","Thunderstorm winds downed two trees on Police Tower Road." +116735,702060,VIRGINIA,2017,May,Hail,"CAMPBELL",2017-05-10 18:55:00,EST-5,2017-05-10 18:55:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-78.98,37.35,-78.98,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116735,702063,VIRGINIA,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-10 19:04:00,EST-5,2017-05-10 19:04:00,0,0,0,0,0.50K,500,0.00K,0,37.3093,-79.0141,37.3093,-79.0141,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","Thunderstorm winds downed a tree near the intersection of Wheeler and Plumb Branch Roads." +116735,702064,VIRGINIA,2017,May,Hail,"CAMPBELL",2017-05-10 19:08:00,EST-5,2017-05-10 19:08:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-79,37.32,-79,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116735,702066,VIRGINIA,2017,May,Hail,"CAMPBELL",2017-05-10 19:19:00,EST-5,2017-05-10 19:19:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-78.96,37.28,-78.96,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116735,702067,VIRGINIA,2017,May,Hail,"HALIFAX",2017-05-10 20:18:00,EST-5,2017-05-10 20:18:00,0,0,0,0,0.00K,0,0.00K,0,36.83,-78.73,36.83,-78.73,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116375,700007,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-19 12:07:00,EST-5,2017-05-19 12:07:00,0,0,0,0,0.20K,200,0.00K,0,37.09,-79.3,37.09,-79.3,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds knocked down large tree limbs onto Prospect Road." +116375,700008,VIRGINIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-19 12:13:00,EST-5,2017-05-19 12:13:00,0,0,0,0,0.50K,500,0.00K,0,37.3,-79.48,37.3,-79.48,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds resulted in a downed tree across Falling Creek Road." +116375,700010,VIRGINIA,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-19 12:24:00,EST-5,2017-05-19 12:24:00,0,0,0,0,2.50K,2500,0.00K,0,37.15,-79.17,37.15,-79.17,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed a tree on a vehicle near the intersection of Marysville Road and East Ferry Road." +116520,703071,ILLINOIS,2017,May,Thunderstorm Wind,"BUREAU",2017-05-17 22:15:00,CST-6,2017-05-17 22:15:00,0,0,0,0,2.00K,2000,0.00K,0,41.38,-89.47,41.38,-89.47,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported power lines and trees down from Princeton to La Moille along route 34." +116520,703075,ILLINOIS,2017,May,Thunderstorm Wind,"JO DAVIESS",2017-05-17 20:33:00,CST-6,2017-05-17 20:33:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-90,42.49,-90,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter estimated wind gusts of 50 to 60 mph." +116520,703076,ILLINOIS,2017,May,Thunderstorm Wind,"STEPHENSON",2017-05-17 21:25:00,CST-6,2017-05-17 21:25:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-89.62,42.29,-89.62,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter estimated wind gusts of 60 mph." +116892,702874,IOWA,2017,May,Hail,"MUSCATINE",2017-05-17 19:34:00,CST-6,2017-05-17 19:34:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-91.13,41.35,-91.13,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A picture from the public of hail was received via Twitter. The time was estimated from radar." +116892,703018,IOWA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-17 20:05:00,CST-6,2017-05-17 20:05:00,0,0,0,0,10.00K,10000,0.00K,0,41.81,-90.53,41.81,-90.53,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a hoop building had half of its soft roof torn off." +116892,702993,IOWA,2017,May,Thunderstorm Wind,"JACKSON",2017-05-17 20:10:00,CST-6,2017-05-17 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-90.4,42.05,-90.4,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported estimated winds of 50 to 60 mph." +116892,702994,IOWA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-17 20:50:00,CST-6,2017-05-17 20:50:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-90.23,41.84,-90.23,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Local amateur radio relayed a report of winds estimated at 50 to 60 mph." +116892,702876,IOWA,2017,May,Hail,"LOUISA",2017-05-19 15:45:00,CST-6,2017-05-19 15:45:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-91.19,41.18,-91.19,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A public report was received with a picture of hail using social media." +116377,699997,NORTH CAROLINA,2017,May,Hail,"YADKIN",2017-05-19 14:16:00,EST-5,2017-05-19 14:16:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-80.77,36.13,-80.77,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","" +121418,726810,WYOMING,2017,October,High Wind,"UPPER NORTH PLATTE RIVER BASIN",2017-10-31 20:05:00,MST-7,2017-10-31 22:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Skyline southeast of Encampment measured wind gusts of 58 mph or higher, with a peak gust of 68 mph at 31/2125 MST." +121418,726811,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 17:50:00,MST-7,2017-10-31 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 31/1750 MST." +121418,726812,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 15:40:00,MST-7,2017-10-31 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 31/1830 MST." +121418,726813,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 17:35:00,MST-7,2017-10-31 22:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Cooper Cove measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 31/1945 MST." +121418,726814,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 20:10:00,MST-7,2017-10-31 21:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Dana Ridge measured sustained winds of 40 mph or higher." +121418,726819,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 17:45:00,MST-7,2017-10-31 20:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 31/1820 MST." +121418,726820,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 16:20:00,MST-7,2017-10-31 18:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 31/1720 MST." +121418,726821,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 18:20:00,MST-7,2017-10-31 22:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Strouss Hill measured wind gusts of 58 mph or higher, with a peak gust of 77 mph at 31/2035 MST." +120554,722220,KANSAS,2017,October,Thunderstorm Wind,"ALLEN",2017-10-14 17:59:00,CST-6,2017-10-14 18:01:00,0,0,0,0,0.00K,0,0.00K,0,37.93,-95.4,37.93,-95.4,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Several snapped power poles were reported." +120554,722221,KANSAS,2017,October,Thunderstorm Wind,"BUTLER",2017-10-14 14:55:00,CST-6,2017-10-14 14:57:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-96.86,38.07,-96.86,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Several three to four inch tree limbs were blown down." +120554,722222,KANSAS,2017,October,Thunderstorm Wind,"CHASE",2017-10-14 15:10:00,CST-6,2017-10-14 15:12:00,0,0,0,0,0.00K,0,0.00K,0,38.16,-96.56,38.16,-96.56,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Winds were estimated by a storm chaser." +120554,722223,KANSAS,2017,October,Thunderstorm Wind,"GREENWOOD",2017-10-14 16:37:00,CST-6,2017-10-14 16:39:00,0,0,0,0,0.00K,0,0.00K,0,37.92,-96.42,37.92,-96.42,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Winds were estimated by a trained spotter." +120554,722224,KANSAS,2017,October,Thunderstorm Wind,"COWLEY",2017-10-14 17:05:00,CST-6,2017-10-14 17:07:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-96.92,37.31,-96.92,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","An 8 inch diameter tree limb was also blown down." +120554,722225,KANSAS,2017,October,Thunderstorm Wind,"GREENWOOD",2017-10-14 17:08:00,CST-6,2017-10-14 17:10:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-96.26,37.62,-96.26,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Winds were estimated by a trained spotter." +120554,722226,KANSAS,2017,October,Thunderstorm Wind,"WOODSON",2017-10-14 17:35:00,CST-6,2017-10-14 17:37:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-95.91,37.8,-95.91,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Winds were estimated by a trained spotter." +120554,722227,KANSAS,2017,October,Thunderstorm Wind,"WOODSON",2017-10-14 17:41:00,CST-6,2017-10-14 17:43:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-95.74,37.87,-95.74,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","Winds were estimated by a trained spotter." +120554,722228,KANSAS,2017,October,Thunderstorm Wind,"COWLEY",2017-10-14 18:18:00,CST-6,2017-10-14 18:20:00,0,0,0,0,0.00K,0,0.00K,0,37.31,-96.75,37.31,-96.75,"Wind speeds up to 80 mph were reported with these storms. Power poles were snapped and several trees sustained damage.","A 72 mph wind gust reported at Central Schools." +120608,722470,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:05:00,CST-6,2017-10-06 17:05:00,0,0,0,0,,NaN,,NaN,38.3,-98.89,38.3,-98.89,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +120442,721551,LAKE MICHIGAN,2017,October,Marine High Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-10-24 06:50:00,EST-5,2017-10-24 07:00:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"An rapidly deepening storm system tracking into the Upper Great Lakes produced storm force north winds at Minneapolis Shoal Light on the morning of the 24th.","A peak storm force north wind gust of 51 knots was measured at Minneapolis Shoal Light." +120677,722815,MICHIGAN,2017,October,Lakeshore Flood,"BARAGA",2017-10-27 13:00:00,EST-5,2017-10-28 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","A trained spotter near Keweenaw Bay reported the largest waves he had ever observed during his 25 years at the location. The large waves eroded the beach down to bedrock and erosion took trees down on his neighbor's property. The boat house was in jeopardy of being lost in the water." +120677,723479,MICHIGAN,2017,October,Lakeshore Flood,"GOGEBIC",2017-10-27 12:00:00,CST-6,2017-10-28 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","Peak winds gusting near 50 mph throughout much of the afternoon and evening over western Lake Superior caused lakeshore flooding at Little Girls Point Park on the 27th. A picture relayed via social media showed rocks and tree debris covering the parking lot at Little Girls Point." +120677,723481,MICHIGAN,2017,October,Winter Storm,"ONTONAGON",2017-10-27 13:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","The observer in Paulding measured 8.1 inches of wet snow in approximately 20 hours." +120677,723482,MICHIGAN,2017,October,Winter Weather,"NORTHERN HOUGHTON",2017-10-27 10:00:00,EST-5,2017-10-28 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","Observers from Painesdale to Kearsarge measured between 7 and 9 inches of wet snow over approximately 24 hours." +120911,723866,MICHIGAN,2017,October,Winter Weather,"BARAGA",2017-10-30 09:00:00,EST-5,2017-10-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Colder air and deep moisture moving across Lake Superior in the wake of a low pressure trough produced significant lake enhanced snow across portions of west and north central Upper Michigan from the 30th into the 31st.","The observer at Herman measured six inches of lake enhanced snow in 24 hours." +120401,721275,WASHINGTON,2017,October,High Wind,"CENTRAL COAST",2017-10-18 10:40:00,PST-8,2017-10-18 17:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","KQHM--had sustained wind 30 mph or greater from 1040 AM to 545 PM. Highest sustained wind was 39 mph with a peak gust of 56 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120490,721855,NORTH DAKOTA,2017,October,High Wind,"BENSON",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721856,NORTH DAKOTA,2017,October,High Wind,"EDDY",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +115613,694406,IOWA,2017,June,Hail,"LINN",2017-06-15 19:23:00,CST-6,2017-06-15 19:23:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-91.78,42.19,-91.78,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694408,IOWA,2017,June,Hail,"LINN",2017-06-15 19:28:00,CST-6,2017-06-15 19:28:00,0,0,0,0,0.00K,0,0.00K,0,42.19,-91.78,42.19,-91.78,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694410,IOWA,2017,June,Hail,"LINN",2017-06-15 19:29:00,CST-6,2017-06-15 19:29:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-91.44,42.21,-91.44,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +120519,722029,HAWAII,2017,October,Flash Flood,"KAUAI",2017-10-31 18:30:00,HST-10,2017-10-31 20:31:00,0,0,0,0,0.00K,0,0.00K,0,22.2106,-159.4792,22.2112,-159.4767,"A kona (upper) low far off to the northwest of the islands was close enough to send waves of showers to the Garden Isle of Kauai. Some of the bands were intense and caused flash flooding over the northern portion of the island near Hanalei. However, there were no reports of significant property damage or injuries.","Kuhio Highway was closed near the Hanalei Bridge due to flooding." +120521,722037,HAWAII,2017,October,High Wind,"BIG ISLAND SUMMIT",2017-10-24 02:09:00,HST-10,2017-10-24 13:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Southwest winds on the summits of the Big Island were in the 56 to 67 mph range, with gusts to 85 mph.","" +120650,722739,NEVADA,2017,October,High Wind,"SOUTH-CENTRAL ELKO",2017-10-20 06:30:00,PST-8,2017-10-20 07:30:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"High winds gusting up to 66 mph across the region damaged and displaced a playground about 15 feet in Clover Valley.","A wind gust of 66 mph was recorded at the Warm Springs mesonet site. Strong winds estimated up to 66 mph damaged and displaced a playground about 15 feet in Clover Valley." +120858,723630,ARKANSAS,2017,October,Thunderstorm Wind,"SCOTT",2017-10-22 00:21:00,CST-6,2017-10-22 00:21:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-94.25,35.06,-94.25,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Trees were blown down in Mansfield Arkansas." +120858,723631,ARKANSAS,2017,October,Thunderstorm Wind,"LOGAN",2017-10-22 00:39:00,CST-6,2017-10-22 00:39:00,0,0,0,0,0.00K,0,0.00K,0,35.14,-93.92,35.14,-93.92,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Trees were blown down across the highway in and near Booneville." +120858,723639,ARKANSAS,2017,October,Thunderstorm Wind,"LOGAN",2017-10-22 00:48:00,CST-6,2017-10-22 00:48:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-93.81,35.3,-93.81,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","High winds from the line of thunderstorms partially tore a roof of a building in Carbon City." +120858,723766,ARKANSAS,2017,October,Thunderstorm Wind,"JOHNSON",2017-10-22 00:56:00,CST-6,2017-10-22 00:56:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-93.67,35.53,-93.67,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Trees and power lines were blown down." +121084,724847,GULF OF MEXICO,2017,October,Marine Tropical Storm,"SOUTH MOBILE BAY",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121084,724848,GULF OF MEXICO,2017,October,Marine Tropical Storm,"PERDIDO BAY AREA",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121084,724849,GULF OF MEXICO,2017,October,Marine Tropical Storm,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121229,725794,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-06 07:46:00,EST-5,2017-10-06 07:46:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"The combination of a strong surface high pressure area along the U.S. east coast and a slow-moving inverted trough crossing from the Bahamas through the Straits of Florida produced a two-day duration period of numerous showers and thunderstorms containing gale-force wind gusts. The episode ended as the inverted surface trough of low pressure passed west of the Straits of Florida.","A wind gust of 39 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121230,725795,FLORIDA,2017,October,Coastal Flood,"MONROE/MIDDLE KEYS",2017-10-05 08:30:00,EST-5,2017-10-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abnormally high spring tides occurred throughout the Florida Keys as result of seasonal autumn King Tides and prolonged strong northeast to east winds. Minor saltwater flooding occurred over low-elevation streets, docks and yards.","Emergency Management and National Weather Service Personnel confirmed coastal flooding along West Ocean Drive in Key Colony Beach, with saltwater depth 6 inches over the road. Coastal flooding of near 1 foot in depth was observed near Sombrero Beach in Marathon." +121230,725796,FLORIDA,2017,October,Coastal Flood,"MONROE/UPPER KEYS",2017-10-05 08:20:00,EST-5,2017-10-05 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abnormally high spring tides occurred throughout the Florida Keys as result of seasonal autumn King Tides and prolonged strong northeast to east winds. Minor saltwater flooding occurred over low-elevation streets, docks and yards.","U.S. Coast Guard and National Weather Service personnel confirmed coastal flooding in the Upper Florida Keys, with saltwater depth 6 to 8 inches above streets on the oceanside of Rock Harbor, and minor flooding of the U.S. Highway 1 northbound lane at Sea Oats Beach, Lower Matecumbe Key, near Mile Marker 74.5." +121230,725797,FLORIDA,2017,October,Coastal Flood,"MONROE/LOWER KEYS",2017-10-05 07:45:00,EST-5,2017-10-05 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Abnormally high spring tides occurred throughout the Florida Keys as result of seasonal autumn King Tides and prolonged strong northeast to east winds. Minor saltwater flooding occurred over low-elevation streets, docks and yards.","Coastal Flooding with saltwater depth 3 to 6 inches above street level observed at the corner of Truman Avenue and North Roosevelt Boulevard in Key West." +121231,725798,GULF OF MEXICO,2017,October,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-10-09 14:40:00,EST-5,2017-10-09 14:40:00,0,0,0,0,0.00K,0,0.00K,0,24.5962,-81.7606,24.5962,-81.7606,"A brief waterspout developed in association with a fast-moving low-topped rain shower north of Key West.","The Key West Fire Chief reported a short-duration waterspout above one mile north of the New Town section of Key West. The waterspout condensation funnel cloud was visible all the way to the water surface." +121232,725799,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-11 19:35:00,EST-5,2017-10-11 19:35:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"An isolated gale-force wind gust was associated with a fast-moving convective rain shower offshore Ocean Reef.","A wind gust of 37 knots was measured by an automated WeatherFlow station at Carysfort Reef Light." +120642,723283,NEBRASKA,2017,October,Heavy Rain,"FRANKLIN",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1111,-98.915,40.1111,-98.915,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.16 inches was reported 2 miles east-northeast of Franklin." +120642,723285,NEBRASKA,2017,October,Heavy Rain,"NANCE",2017-10-02 06:00:00,CST-6,2017-10-03 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-97.8459,41.45,-97.8459,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","A 24-hour rainfall total of 3.30 inches occurred 6 miles west of Genoa." +120642,724807,NEBRASKA,2017,October,Hail,"ADAMS",2017-10-02 19:24:00,CST-6,2017-10-02 19:24:00,0,0,0,0,0.00K,0,0.00K,0,40.5911,-98.4848,40.5911,-98.4848,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Nickel size hail was reported along with estimated wind gusts near 60 MPH." +120640,722688,NEBRASKA,2017,October,Hail,"BUFFALO",2017-10-01 19:55:00,CST-6,2017-10-01 19:55:00,0,0,0,0,0.00K,0,0.00K,0,40.6711,-99.08,40.6711,-99.08,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722689,NEBRASKA,2017,October,Hail,"DAWSON",2017-10-01 20:03:00,CST-6,2017-10-01 20:03:00,0,0,0,0,0.00K,0,0.00K,0,40.7734,-99.53,40.7734,-99.53,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722690,NEBRASKA,2017,October,Hail,"DAWSON",2017-10-01 20:05:00,CST-6,2017-10-01 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-99.73,40.78,-99.73,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722691,NEBRASKA,2017,October,Hail,"WEBSTER",2017-10-01 20:15:00,CST-6,2017-10-01 20:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0595,-98.3568,40.0595,-98.3568,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722692,NEBRASKA,2017,October,Hail,"DAWSON",2017-10-01 20:20:00,CST-6,2017-10-01 20:20:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-99.53,40.73,-99.53,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722693,NEBRASKA,2017,October,Hail,"GOSPER",2017-10-01 20:25:00,CST-6,2017-10-01 20:25:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-99.69,40.47,-99.69,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722694,NEBRASKA,2017,October,Hail,"BUFFALO",2017-10-01 20:28:00,CST-6,2017-10-01 20:29:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-99.37,40.6911,-99.37,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","" +120640,722696,NEBRASKA,2017,October,Thunderstorm Wind,"GOSPER",2017-10-01 19:50:00,CST-6,2017-10-01 19:50:00,0,0,0,0,10.00K,10000,0.00K,0,40.6875,-99.8293,40.6875,-99.8293,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","Wind gusts estimated to be near 60 MPH resulted in some tree limbs of 2-3 inches in diameter being downed." +120640,722697,NEBRASKA,2017,October,Thunderstorm Wind,"DAWSON",2017-10-01 19:50:00,CST-6,2017-10-01 19:50:00,0,0,0,0,200.00K,200000,0.00K,0,40.73,-99.83,40.73,-99.83,"October got off to an active start, with the first event unfolding between the evening of Sunday the 1st and the pre-dawn hours of Monday the 2nd as thunderstorms rumbled across the vast majority of South Central Nebraska in generally west-to-east fashion. While the bulk of this activity was sub-severe, some of the initial storms yielded a smattering of large hail and damaging wind reports primarily within Dawson and Gosper counties. The most significant ground-truth reports featured estimated 75 MPH winds near Johnson Lake, which downed large tree branches and blew off a portion of a grain bin roof. Otherwise, there were several instances of penny to quarter size hail in that same general area, including in and near communities such as Lexington, Overton and Elm Creek. Well to the southeast of the primary zone of severe activity, a completely separate, isolated storm lifting northeast from Kansas dropped quarter size hail in far southern Webster County near Guide Rock. Rainfall-wise, the majority of the 24-county area tallied between 0.50-1.50, with one of the isolated higher totals featuring 2.20 southwest of Ravenna. ||Breaking down timing and evolution, the most intense storms of the evening impacted the local area between 7:30-10:00 p.m. CDT. Initially, a cluster of strong-to-severe cells spread into the Dawson/Gosper counties area from the west, yielding the majority of wind/hail reports. With time, this cluster expanded/merged into other activity to its northeast and southwest, forming a nearly solid line of gradually-weakening convection that marched across the majority of South Central Nebraska before departing eastward after midnight. Separate from the main action, an isolated supercell storm drifted across portions of Webster/Nuckolls counties mainly between 8:30-10:00 p.m. CDT before dissipating. However, this long-lived storm had waned in intensity even before reaching far southern Nebraska, after initiating hours earlier in northwest Kansas. ||In the mid-upper levels, this was a rather favorable early-fall severe weather setup, as small-scale disturbances overspread the Central Plains in enhanced southwesterly flow, rotating around the periphery of a large scale trough anchored over the Northern Rockies. At the surface, afternoon and evening storms first developed west of the local area, focused along both a cold front stretched through western/northern Nebraska and also northeast of low pressure centered over eastern Colorado. Breezy southerly winds ushered in an increasingly moist and unstable airmass, with dewpoints climbing into the upper 50s-low 60s F. Shortly before severe storms moved in during the evening, mesoscale analysis featured around 1000 J/kg mixed-layer CAPE and effective deep-layer shear around 50 knots. Storm organization was aided by a southerly low level jet accelerating to 50-60 knots at 850 millibars.","Wind gusts estimated to be near 75 MPH resulted in some scattered irrigation pipes and larger tree limbs downed in the area. A section of roof from a grain bin was also removed by the wind." +120642,723257,NEBRASKA,2017,October,Hail,"HALL",2017-10-02 18:22:00,CST-6,2017-10-02 18:22:00,0,0,0,0,100.00K,100000,0.00K,0,40.9467,-98.3647,40.9467,-98.3647,"For the second straight evening/overnight, widespread convection including a few severe storms affected South Central Nebraska, this time occurring on the evening of Monday the 2nd into the early morning of Tuesday the 3rd. All ground-truth reports of severe weather focused during the evening, highlighted mainly by several instances of nickel to golf ball size hail, with some of the largest stones reported near Grand Island and also near Macon in Franklin County. Half dollar size hail even fell at the NWS office just north of Hastings. The only report of severe-criteria winds consisted of estimated 60 MPH gusts between Hastings and Juniata. Compared to the preceding night, these storms dropped more concentrated swaths of heavy rain in the 2-4 range, resulting in mainly minor, short term flooding issues. The two primary swaths of heavy rain concentrated: 1) Across much of Franklin, southern Adams and northwestern Webster counties, including an NeRAIN report of 3.37 near Naponee...2) Along a narrow swath extending from near Grand Island northeastward toward Genoa, including a 24-hour total of 3.72 at Central Nebraska Regional Airport. Eventually, runoff from the southern axis of heavy rain prompted minor flooding along the Republican River, with the automated gauge near Guide Rock cresting slightly over its flood stage of 11.0 feet on the morning of the 4th. ||Things got underway between 6-7 p.m. CDT, as a few corridors of northeast-southwest oriented convection rapidly blossomed in the general vicinity of a near-stationary surface front. Over the course of the next 2-3 hours, storm increased in coverage and peaked in intensity, assuming mainly quasi-linear mode, but also with a few embedded supercell structures. While the initial round of severe convection mainly affected central counties (including the Hastings and Grand Island areas), a secondary round of strong to severe activity raked across west-central and northern counties mainly between 9 p.m. and midnight CDT, dropping half dollar size hail near Lexington and producing a 56 MPH gust at Ord airport. Non-severe storms with mainly just locally-heavy rainfall lingered across portions of the area the remainder of the night, before either departing or dissipated between 5-7 a.m. CDT on the 3rd. ||In the mid-upper levels, the setup was much the same as the previous night, as small-scale waves continued ejecting through the Central Plains in enhanced southwesterly flow, emanating from a large-scale trough anchored over the Northern Rockies. At the surface, the cold front which pushed through much of the area the preceding night stalled out and even retreated back to the northwest somewhat during the day and evening, providing an obvious southwest-northeast oriented focus for convection. Low-level moisture was quite high by October standards across most of South Central Nebraska, with surface dewpoints commonly in the low-mid 60s F. Around the time of peak storm intensity, mesoscale parameters featured around 1000 J/kg mixed-layer CAPE and rather stout effective deep-layer shear of 50-60 knots. Also like the previous night, storm intensity/organization was augmented by a strong southerly low level jet of 50-60 knots, evident at 850 millibars.","Quarter to golf ball sized hail occurred." +120914,723872,COLORADO,2017,October,High Wind,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-10-31 19:20:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Powerful downslope winds developed in portions of the Front Range Mountains and Foothills on the evening of the 31st. Peak wind gusts included: 96 mph near Georgetown, 93 mph near Berthoud Pass, 81 mph near Georgetown, 80 mph near Aspen Springs and Blackhawk, 78 mph near Gold Hill, 76 mph near Floyd Hill, with 75 mph near Dumont.","" +121053,726599,NEW YORK,2017,October,High Wind,"WESTERN ALBANY",2017-10-30 04:18:00,EST-5,2017-10-30 12:18:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees and wires down. There were about 141,000 customers without power across Albany county." +121053,726600,NEW YORK,2017,October,High Wind,"EASTERN ULSTER",2017-10-30 07:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Multiple reports of trees and wires down." +121418,726807,WYOMING,2017,October,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-10-31 13:50:00,MST-7,2017-10-31 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 80 mph at 31/2050 MST." +121075,724802,WYOMING,2017,October,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-10-07 15:50:00,MST-7,2017-10-07 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Deer Creek measured a peak wind gust of 58 mph." +121075,724803,WYOMING,2017,October,High Wind,"SHIRLEY BASIN",2017-10-07 14:55:00,MST-7,2017-10-07 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Shirley Rim measured sustained winds of 40 mph or higher." +119880,718616,OREGON,2017,October,Heavy Snow,"NORTHERN BLUE MOUNTAINS",2017-10-12 11:43:00,PST-8,2017-10-13 18:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system lowered snow levels to between 3500 and 4500 feet. This was followed by a second system that produced significant early season snow in the Blue Mountains.","The Milk Shakes SNOTEL received around 13 inches of new snow by 100 AM PDT on the 13th. Elevation is 5580 feet." +119881,718617,WASHINGTON,2017,October,Heavy Snow,"NORTHWEST BLUE MOUNTAINS",2017-10-12 11:50:00,PST-8,2017-10-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific storm system lowered snow levels to between 3500 and 4500 feet. This was followed by a second system that produced significant early season snow in the Blue Mountains.","Measured snow fall of 12 inches 1 mile WSW of Ski Bluewood in Columbia county. Elevation 4545 feet." +119897,726089,ALABAMA,2017,October,Flood,"FRANKLIN",2017-10-10 13:31:00,CST-6,2017-10-10 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.47,-87.72,34.4728,-87.718,"Two rounds of showers and thunderstorms produced intense rainfall in northwest Alabama. Rainfall amounts of 2-4 inches fell during the morning and early afternoon hours. The automated COOP site in Russellville reported 3.26 inches of rainfall. Of this, 1.9 inches fell in less than 2 hours. Runoff resulted in flash flooding over Highway 243 along Payne Creek.","Reports of 1/2 foot of water observed flowing over AL HWY 243 due to runoff and drainage issues along Payne Creek." +119941,718820,CALIFORNIA,2017,October,Frost/Freeze,"CENTRAL SISKIYOU COUNTY",2017-10-15 01:00:00,PST-8,2017-10-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of northern California.","Reported low temperatures ranged from 26 to 36 degrees." +119995,719063,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-17 13:07:00,MST-7,2017-10-17 13:07:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust recorded at the Browning DOT site." +119995,719064,MONTANA,2017,October,High Wind,"EASTERN GLACIER",2017-10-17 13:57:00,MST-7,2017-10-17 13:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Cut Bank Airport (KCTB)." +120377,721146,HAWAII,2017,October,High Surf,"SOUTH BIG ISLAND",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120377,721147,HAWAII,2017,October,High Surf,"BIG ISLAND NORTH AND EAST",2017-10-05 09:00:00,HST-10,2017-10-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trade wind swell caused surf of 6 to 12 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. There were no reports of significant injuries or property damage.","" +120378,721148,HAWAII,2017,October,Wildfire,"MAUI CENTRAL VALLEY",2017-10-09 15:40:00,HST-10,2017-10-12 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trio of fires in old sugar cane fields scorched about 140 acres of dry brush and fallow sugar cane in the western part of East Maui, west of the Omaopio and Pulehu Road junction. The blazes did not threaten any homes or other structures. Their cause was undetermined, though fire officials were suspicious that they had been deliberately set. No significant property damage or injuries were reported.","" +120379,721149,HAWAII,2017,October,Wildfire,"CENTRAL OAHU",2017-10-08 13:40:00,HST-10,2017-10-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred around 50 acres of mainly dry brush in the northern part of Oahu. Firefighters were able to save multiple agricultural structures from fire damage. The cause of the blaze was likely a vehicle fire that eventually spread to surrounding vegetation. There were no serious injuries or property damage reported.","" +120380,721150,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-12 15:08:00,HST-10,2017-10-12 17:33:00,0,0,0,0,0.00K,0,0.00K,0,20.9103,-156.6733,20.8839,-156.2826,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721151,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-12 20:11:00,HST-10,2017-10-12 22:52:00,0,0,0,0,0.00K,0,0.00K,0,19.8521,-155.1146,19.039,-155.6158,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721152,HAWAII,2017,October,Heavy Rain,"HONOLULU",2017-10-13 02:28:00,HST-10,2017-10-13 05:17:00,0,0,0,0,0.00K,0,0.00K,0,21.609,-157.9244,21.3195,-157.7905,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120448,721626,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 13:45:00,EST-5,2017-10-01 13:45:00,0,0,0,0,0.00K,0,0.00K,0,29.5888,-81.2598,29.59,-81.2574,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Burroughs drive was completely under flood water." +120448,721627,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 14:51:00,EST-5,2017-10-01 14:51:00,0,0,0,0,0.00K,0,0.00K,0,29.44,-81.18,29.4298,-81.2137,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Multiple secondary roads were flooded. Several cars were flooded and stalled along the roads." +120448,721628,FLORIDA,2017,October,Flood,"ST. JOHNS",2017-10-01 15:08:00,EST-5,2017-10-01 15:08:00,0,0,0,0,0.00K,0,0.00K,0,29.769,-81.254,29.7685,-81.2536,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","One foot of standing water was reported inside a pub in Crescent Beach." +120483,721820,PENNSYLVANIA,2017,October,Flood,"PHILADELPHIA",2017-10-29 22:41:00,EST-5,2017-10-29 22:41:00,0,0,0,0,0.01K,10,0.01K,10,39.89,-75.2,39.9092,-75.153,"A strong low pressure system moved up the east coast producing heavy rain and strong winds. The strong winds took down trees across Berks county in such places as Bethel Township, Greenfield Manor, Schultzville, Birdsboro, Unionville and Mount Penn. Other reports of wind damage in PA include trees and wires down throughout Northhampton county along with trees down in Bristol and Philadelphia. Wires were also downed due to wind in Green Countrie village in Delaware county along with A pole falling onto a car on 60th street in West Philadelphia. Rainfall totals on average were over 2 inches in all Eastern PA counties with the highest totals of 2.75 inches in Bradford twp and 2.67 inches at Morris Park. Thousands of people lost power across the region. Top gusts were generally around 45 mph.","Flooding on I-95 near I-76 exit and the airport." +120303,720894,CALIFORNIA,2017,October,High Wind,"KERN CTY MTNS",2017-10-20 11:27:00,PST-8,2017-10-20 11:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Bird Springs Pass RAWS reported a maximum wind gust of 76 mph." +120303,720895,CALIFORNIA,2017,October,High Wind,"KERN CTY MTNS",2017-10-20 13:14:00,PST-8,2017-10-20 13:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Jawbone Canyon RAWS reported a maximum wind gust of 78 mph." +120575,722314,TEXAS,2017,October,Frost/Freeze,"CARSON",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722315,TEXAS,2017,October,Frost/Freeze,"DEAF SMITH",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722316,TEXAS,2017,October,Frost/Freeze,"OCHILTREE",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722317,TEXAS,2017,October,Frost/Freeze,"LIPSCOMB",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120575,722318,TEXAS,2017,October,Frost/Freeze,"ROBERTS",2017-10-27 00:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"First freeze of the season for much of the SW, central, and NE Texas Panhandle with the exception of the SE TX Panhandle. Temperatures ranged from 28-32 degrees.","" +120069,719456,FLORIDA,2017,October,Flash Flood,"WALTON",2017-10-22 23:20:00,CST-6,2017-10-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3188,-86.1327,30.3183,-86.1295,"A mid-latitude upper level trough interacted with a tropical airmass with precipitable water values in excess of 2 inches. As a result, heavy rainfall occurred across portions of the Florida panhandle. Rainfall amounts in Walton county reached 4-8 inches in spots in around 6 hours time with a few road intersections flooded. The highest measured rainfall amount was 8.15 inches in the far western portion of the county.","Flooding was reported at the intersections of County Highway 30A and Nightcap Street as well as County Highway 30A and Thyme Street. Water appeared to be up to 6 inches deep." +120624,722760,MASSACHUSETTS,2017,October,Flood,"WORCESTER",2017-10-29 23:25:00,EST-5,2017-10-30 06:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.2377,-71.8128,42.0647,-71.6199,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1135 PM, multiple cars were disabled in Worcester due to flooding at the junction of Southbridge and College Streets. Flooding reached a depth of three to four feet on Cambridge Street under the bridge. Ryan Road in Shrewsbury was flooded. The eastbound lanes of State Route 9 in Southborough were flooded between Woodland and Breakneck Hill Roads. Williams Street in Uxbridge was flooded. John Fitch Highway in Fitchburg was flooded. A flooded basement was reported on State Road West in Westminster." +120624,722761,MASSACHUSETTS,2017,October,Flood,"NORFOLK",2017-10-29 23:30:00,EST-5,2017-10-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2788,-71.2191,42.2316,-71.1777,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","Flooding reaching the tops of tires in Needham at the intersection of Great Plain Avenue and Ivy Road. The Canton Street railroad underpass in Sharon was flooded. A section of Village Street in Medway was flooded. The exit ramp from U.S. Route 1 near an auto dealership in Norwood was flooded; Dean Street in Norwood was flooded; two sections of University Avenue in Norwood were flooded. Oak Street at Park Street in Medfield was flooded. Albion Road at Cliff Road in Wellesley was flooded; State Route 9 near the Fire Department Headquarters was flooded." +120624,722763,MASSACHUSETTS,2017,October,Flood,"PLYMOUTH",2017-10-29 23:45:00,EST-5,2017-10-30 04:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9878,-70.7305,42.0914,-71.0527,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","Elm Street near St Joseph Cemetery was flooded. A section of Pleasant Street in Brockton was flooded." +120778,723368,ALASKA,2017,October,Coastal Flood,"KUSKOKWIM DELTA",2017-10-04 11:56:00,AKST-9,2017-10-05 21:09:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong low pressure system pushed across the eastern Bering Sea before moving inland across Southwest Alaska. A long fetch of strong westerly winds brought coastal flooding to portions of Southwest Alaska.","Refuge Manager from the Togiak Wildlife Refuge reported that the Kanektok River overflowed. The spit separating the river from the lagoon was under water. The archaeological site south of Quinhagak had a 3-4' retaining wall of tundra and sand bags that eroded away exposing more of the site. Water flooded the water plant road, about 1/2 mile from Quinhagak to the water intake. The boat harbor flooded." +120449,722092,CALIFORNIA,2017,October,Wildfire,"NORTH BAY MOUNTAINS",2017-10-08 21:00:00,PST-8,2017-10-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","The Nuns Fire began the night of the 8th and was officially contained on the 30th. A total of 56,556 acres were burned, 1200 structures were destroyed, and there were 2 fatalities, one in Sonoma County and one in Napa County|http://www.latimes.com/local/lanow/la-me-ln-fires-20171018-story.html." +120945,723944,MONTANA,2017,October,High Wind,"LITTLE ROCKY MOUNTAINS",2017-10-07 00:32:00,MST-7,2017-10-07 00:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving clipper system brought gusty west northwest winds to areas in and around the Little Rockies area in southwest Phillips County. Most gusts throughout the evening were 50 mph or less, but the Zortman RAWS did record a 58 mph wind gust during this event.","A 58 mph wind gust was measured at the Zortman BLM RAWS site." +120090,719559,COLORADO,2017,October,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-10-01 11:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","Storm totals included: 16 inches near Cameron Pass, 13 inches, 8 miles south-southeast of Rand; 12 inches at Willow Park SNOTEL, with 10 inches at Roach SNOTEL." +120090,719560,COLORADO,2017,October,Winter Storm,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-10-01 11:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","Storm totals included: 15 inches near Breckenridge, 14 inches near Fremont Pass, 13 inches at Arapaho Basin, 12 inches near Berthoud Pass and Lake Eldora, 11 inches, 5 miles south-southwest of Blue River, Cabin Creek and Echo Lake; with 8 inches at Dillon." +120090,719561,COLORADO,2017,October,Winter Weather,"JACKSON COUNTY BELOW 9000 FEET",2017-10-01 18:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","Storm total included 8.5 inches at Walden." +120990,724210,FLORIDA,2017,October,Tropical Depression,"METROPOLITAN MIAMI-DADE",2017-10-28 22:00:00,EST-5,2017-10-29 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tropical Storm Philippe produced maximum sustained winds generally between 20 and 30 knots (25 and 35 mph) across metropolitan Miami-Dade County for around 2 hours during the late evening hours of October 28th. A peak gust of 36 knots (41 mph) was measured at Miami International Airport during the late night hours. Minor tree damage was reported across the area, with no significant property damage reported." +120990,724211,FLORIDA,2017,October,Tropical Depression,"COASTAL MIAMI-DADE COUNTY",2017-10-28 22:00:00,EST-5,2017-10-29 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tropical Storm Philippe produced maximum sustained winds generally between 20 and 30 knots (25 and 35 mph) across coastal Miami-Dade County for around 2 hours during the late evening hours of October 28th. A peak gust of 50 knots (58 mph) was measured at WxFlow site XGVT, located in Government Cut near the Port of Miami during the late night hours, with other sites measuring peak gusts around 40 mph. Minor tree damage was reported across the area, with no significant property damage reported." +121061,724784,VIRGINIA,2017,October,Heavy Rain,"GILES",2017-10-23 08:00:00,EST-5,2017-10-24 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-80.72,37.27,-80.72,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z/23 RNK and 1.57��� on the 12z GSO soundings, with sea-level values of 1.75��� to 2���. These are roughly 3 standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area.","The 24-hour rainfall of 3.79 at Staffordsville COOP was the 3rd wettest day on record at this site with data back to 1951." +121061,724726,VIRGINIA,2017,October,Flash Flood,"SMYTH",2017-10-23 16:18:00,EST-5,2017-10-23 18:18:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-81.41,36.7775,-81.4061,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z/23 RNK and 1.57��� on the 12z GSO soundings, with sea-level values of 1.75��� to 2���. These are roughly 3 standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area.","Persistent heavy rainfall caused flooding on several creeks and streams with roads flooded in the Sugar Grove area. Stream gauges in the county did not reach flood stage." +121076,724810,MISSISSIPPI,2017,October,Tornado,"WAYNE",2017-10-07 20:28:00,CST-6,2017-10-07 20:29:00,0,0,0,0,25.00K,25000,0.00K,0,31.6519,-88.6079,31.6542,-88.6178,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The remnant eastern eyewall of Nate moved across George and Greene Counties between midnight and 3am. Tropical storm force winds, with maximum gusts estimated at 60 to 70 mph, resulted in numerous downed trees and power lines in George County. Several homes reported minor roof and shingle damage. One mobile was destroyed due to a tree falling on it. A total of 7,000 power outages were reported. Further north in Greene and Wayne Counties, scattered downed trees and power lines were reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 2 to 5 inches of rain was reported across inland southeast Mississippi. ||One EF-0 tornado was reported in Wayne County.","A brief EF-0 tornado initially touched down on Jo Land Drive, moved west northwest, and lifted just north of County Farm Road and Old Highway 145. Three homes experienced |roof damage. Some trees were also uprooted." +121083,724838,FLORIDA,2017,October,Tropical Storm,"SANTA ROSA COASTAL",2017-10-07 17:00:00,CST-6,2017-10-08 21:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +121020,724554,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-28 00:00:00,CST-6,2017-10-28 02:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3382,-87.6692,30.3392,-87.7588,"Heavy rainfall in southern Baldwin County caused flooding of several roads in southern Baldwin County. 2 to 4 inches of rain fell in just a couple of hours.","Water flowing over the road on CR 12 and between Highway 59 and James Road. Flooding was also reported at Highway 59 and CR 20 and several other areas near Foley." +121020,724558,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-28 01:30:00,CST-6,2017-10-28 03:30:00,0,0,0,0,0.00K,0,0.00K,0,30.4609,-87.5525,30.3836,-87.5707,"Heavy rainfall in southern Baldwin County caused flooding of several roads in southern Baldwin County. 2 to 4 inches of rain fell in just a couple of hours.","Water flowing over the road at the intersetion of CR95 and Woerner Road." +121100,725028,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-25 20:05:00,MST-7,2017-10-25 21:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level disturbance tightened the pressure gradient, which resulted in a brief period of strong gap winds. Some gusts of 55 to 65 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 25/2100 MST." +120886,724794,VIRGINIA,2017,October,Thunderstorm Wind,"BEDFORD",2017-10-23 19:30:00,EST-5,2017-10-23 19:30:00,0,0,0,0,0.50K,500,,NaN,37.512,-79.3302,37.512,-79.3302,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds knocked down one tree along the Lee Jackson Highway." +120886,724797,VIRGINIA,2017,October,Tornado,"GRAYSON",2017-10-23 16:53:00,EST-5,2017-10-23 16:54:00,0,0,0,0,100.00K,100000,,NaN,36.7005,-81.0214,36.7047,-81.0125,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","A brief tornado touched down at 4:53PM (LST) in Grayson County near the Town of Providence on Twin Pond Lane. The tornado would travel about a third of a mile before lifting over Highway 94 near Mandolin Lane after being on the ground for only a minute. . Multiple residencies received some damage with one house being totaled by a tree falling through it and a barn being knocked down. Numerous trees were snapped or knocked over. No injuries were reported. The maximum path width was 150 yards and peak intensity was consistent with EF1 (86-110 MPH) damage." +120886,724801,VIRGINIA,2017,October,Tornado,"PULASKI",2017-10-23 17:33:00,EST-5,2017-10-23 17:35:00,0,0,0,0,500.00K,500000,0.00K,0,37.1756,-80.6098,37.192,-80.597,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","A tornado touched down as an EF1 at 5:33PM (LST) just west of Belspring Road and traveled 1.3 miles before crossing the New River along Depot Road into Montgomery County at approximately 5:35PM. The tornado would continue almost two more miles before lifting near McCoy at 5:39PM. The heaviest damage was to a residence that had an unattached garage/workshop that was torn apart. Debris from this structure fell over onto two nearby vehicles and was also thrown into the two story home which suffered considerable damage. Many other homes, mainly along Belspring and Depot Roads, received some minor structural damage. Hundreds of trees were snapped or knocked down. The tornado reached it's maximum width of 300 yards near the river and consistently displayed EF1 (86-110 MPH) damage through its lifespan." +120886,724901,VIRGINIA,2017,October,Thunderstorm Wind,"HENRY",2017-10-23 18:00:00,EST-5,2017-10-23 18:05:00,0,0,0,0,10.00K,10000,,NaN,36.6182,-79.9032,36.6526,-79.8368,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","Thunderstorm winds knocked down multiple trees along a path from Soapstone Road to Country Club Drive. Damage to power lines and poles left nearly 600 customers without power." +119757,718175,COLORADO,2017,October,Frost/Freeze,"LOWER YAMPA RIVER BASIN",2017-10-02 17:30:00,MST-7,2017-10-03 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally strong and cold air mass in the wake of a departing early season winter storm resulted in temperatures that dropped below freezing across agricultural areas of northwest and weest-central Colorado.","Minimum temperatures of 25 to 32 degrees F were measured across the zone." +119757,718177,COLORADO,2017,October,Frost/Freeze,"DEBEQUE TO SILT CORRIDOR",2017-10-03 00:30:00,MST-7,2017-10-03 06:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An abnormally strong and cold air mass in the wake of a departing early season winter storm resulted in temperatures that dropped below freezing across agricultural areas of northwest and weest-central Colorado.","Temperatures dropped down to 26 to 32 degrees F across about half of the area, including 30 degrees at the Rifle Garfield County Airport." +119761,718199,COLORADO,2017,October,Winter Weather,"ELKHEAD AND PARK MOUNTAINS",2017-10-08 23:00:00,MST-7,2017-10-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Generally 4 to 6 inches of snow fell across the area. Measured wind gusts of 30 to 45 mph resulted in areas of blowing snow." +119761,718201,COLORADO,2017,October,Winter Weather,"CENTRAL COLORADO RIVER BASIN",2017-10-09 05:30:00,MST-7,2017-10-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Snowfall amounts of 2 to 4 inches were measured across the area. A locally higher amount included 8 inches near Wolcott." +119761,718202,COLORADO,2017,October,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-10-09 05:00:00,MST-7,2017-10-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Generally 2 to 9 inches of snow fell across the area. Measured wind gusts of 20 to 30 mph resulted in some blowing snow." +119761,718203,COLORADO,2017,October,Winter Weather,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-10-09 05:00:00,MST-7,2017-10-09 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Snowfall amounts of 2 to 5 inches were measured across the area. A locally higher amount included 8 inches near Woody Creek. Measured wind gusts of 25 to 50 mph resulted in areas of blowing snow." +113877,693919,TEXAS,2017,April,Hail,"LAMAR",2017-04-21 20:42:00,CST-6,2017-04-21 20:42:00,0,0,0,0,2.00K,2000,0.00K,0,33.7582,-95.6134,33.7582,-95.6134,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio reported golf ball size hail north/northwest of Lamar, in CR 32500 and FM 1499." +121183,725436,SOUTH DAKOTA,2017,October,Drought,"SULLY",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725435,SOUTH DAKOTA,2017,October,Drought,"HUGHES",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725437,SOUTH DAKOTA,2017,October,Drought,"WALWORTH",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725438,SOUTH DAKOTA,2017,October,Drought,"POTTER",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +120706,725193,WISCONSIN,2017,October,Lakeshore Flood,"BAYFIELD",2017-10-26 00:00:00,CST-6,2017-10-28 00:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","A boardwalk along the south shore of Lake Superior was destroyed by strong winds and waves that flowed onshore in Port Wing." +120706,725306,WISCONSIN,2017,October,Lakeshore Flood,"ASHLAND",2017-10-27 00:00:00,CST-6,2017-10-28 10:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","United States Highway 2 and Wisconsin State Highway 13 were declared impassable and closed on the Chequamegon Bayfront between Sanborn Avenue and Wisconsin State Highway 12 north in the city of Ashland. This was caused by strong onshore waves and winds that left standing water and debris on the roadways along the shoreline. The roadway would reopen on the 28th. The Ashland airport measured wind speeds of 28 mph the morning of the 27th." +121204,725581,TENNESSEE,2017,October,Flash Flood,"CARTER",2017-10-23 15:00:00,EST-5,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-82.0521,36.1132,-82.07,"Abundant moisture along a frontal boundary produced heavy rain in parts of East Tennessee. Additional heavy rain continued to fall post-front with upslope (westerly to southwesterly) winds mainly over the Appalachian Mountains of East Tennessee.","Highway 143 at Smith Branch Road inundated and impassible. Large trees were floating down river." +121204,725585,TENNESSEE,2017,October,Flash Flood,"CARTER",2017-10-23 15:10:00,EST-5,2017-10-23 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,36.2,-82.0521,36.1132,-82.07,"Abundant moisture along a frontal boundary produced heavy rain in parts of East Tennessee. Additional heavy rain continued to fall post-front with upslope (westerly to southwesterly) winds mainly over the Appalachian Mountains of East Tennessee.","Unfinished church fellowship building flooded at Old Highway 143 and Cherry Street. Watermark indicated over a foot of standing water in the building. Nearby chain link fences were toppled by the force of water-borne debris." +121204,725579,TENNESSEE,2017,October,Flash Flood,"CARTER",2017-10-23 14:30:00,EST-5,2017-10-23 17:00:00,0,0,0,0,525.00K,525000,0.00K,0,36.2,-82.0521,36.1132,-82.07,"Abundant moisture along a frontal boundary produced heavy rain in parts of East Tennessee. Additional heavy rain continued to fall post-front with upslope (westerly to southwesterly) winds mainly over the Appalachian Mountains of East Tennessee.","About a half dozen homes flooded. One swift water rescue occurred on Hampton Creek and Highway 143. Flooring damaged at a school. Nearly 3 inches of rain fell over the high terrain near Burbank between 1 PM and 4 PM." +119988,725744,AMERICAN SAMOA,2017,October,Heavy Rain,"TUTUILA",2017-10-18 18:00:00,SST-11,2017-10-19 23:59:00,0,0,0,0,,NaN,,NaN,-14.3319,-170.8127,-14.2503,-169.4586,"Occasional showers with locally heavy rainfall and isolated thunderstorms drenched American Samoa as a result of an active surface trough near the Samoan Islands. Strong runoff swept gravel and rocks on the main road and eroded private lands. Heavy ponding across Tualauta district especially near poor drainage outlets impacted vehicles driving through the Airport Road near Cost-U-Less and Ottoville area. The Weather Service Office recorded 5.02 inches for this two-day episode.","Occasional showers with locally heavy rainfall and isolated thunderstorms drenched American Samoa as a result of an active surface trough near the Samoan Islands. Strong runoff swept gravel and rocks on the main road and eroded private lands. Heavy ponding across Tualauta district especially near poor drainage outlets impacted vehicles driving through the Airport Road near Cost-U-Less and Ottoville area. The Weather Service Office recorded 5.02 inches for this two-day episode." +120290,725745,AMERICAN SAMOA,2017,October,Heavy Rain,"TUTUILA",2017-10-29 12:03:00,SST-11,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,-14.3184,-170.8319,-14.2332,-169.4243,"Heavy showers...windy conditions and isolated thunderstorms lingered over the Samoan Islands for a couple of days. This situation was a result of an active surface trough near the Samoan Islands. Locally heavier rainfall were observed over mountainous locations, hence the Weather Service Office recorded about 4.58 inches of rainfall during this episode.","Heavy showers...windy conditions and isolated thunderstorms were outcome of an active surface trough near the Samoan Islands. Locally heavier rainfall were observed over mountainous locations, hence the Weather Service Office recorded about 4.58 inches of rainfall during this episode." +120887,724590,NORTH CAROLINA,2017,October,Thunderstorm Wind,"SURRY",2017-10-23 17:10:00,EST-5,2017-10-23 17:10:00,0,0,0,0,0.50K,500,,NaN,36.45,-80.5,36.45,-80.5,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Thunderstorm winds knocked several large tree limbs down." +121035,724704,OREGON,2017,October,Flood,"TILLAMOOK",2017-10-22 01:18:00,PST-8,2017-10-22 07:20:00,0,0,0,0,0.00K,0,0.00K,0,45.4485,-123.7079,45.4472,-123.7128,"A very potent atmospheric river brought strong winds to the north Oregon Coast and Coast Range on October 21st. What followed was a tremendous amount of rain for some locations along the north Oregon Coast and in the Coast Range, with Lees Camp receiving upwards of 9 inches of rain. All this heavy rain brought the earliest significant Wilson River Flood on record, as well as flooding on several other rivers around the area.","Heavy rain caused the Trask River near Tillamook to flood. The river crested at 17.56 feet, which is 1.06 feet above flood stage." +121065,724752,E PACIFIC,2017,October,Waterspout,"NORTHERN INLAND WATERS INCLUDING THE SAN JUAN ISLANDS",2017-10-11 08:00:00,PST-8,2017-10-11 09:00:00,0,0,0,0,0.00K,0,0.00K,0,48.9246,-122.8764,48.9246,-122.8764,"Several waterspouts were sighted off Birch Bay starting around 8 AM. Witnesses reported they lasted for close to an hour.","Several waterspouts were sighted off Birch Bay around 8 AM. Witnesses reported they lasted for close to an hour." +116628,716797,MINNESOTA,2017,July,Tornado,"BROWN",2017-07-19 13:48:00,CST-6,2017-07-19 13:55:00,0,0,0,0,0.00K,0,0.00K,0,44.1615,-95.0339,44.1595,-94.9267,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","A fast moving tornado touched down near a farm, where it removed roofs off of two sheds and knocked over some trees. It then moved across a number of fields, occasionally hitting trees along the way." +116889,702861,MINNESOTA,2017,July,Hail,"HENNEPIN",2017-07-25 18:53:00,CST-6,2017-07-25 18:53:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-93.44,44.85,-93.44,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","" +116889,702869,MINNESOTA,2017,July,Hail,"RENVILLE",2017-07-25 16:03:00,CST-6,2017-07-25 16:03:00,0,0,0,0,0.00K,0,0.00K,0,44.79,-95.15,44.79,-95.15,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","" +116889,702870,MINNESOTA,2017,July,Hail,"RENVILLE",2017-07-25 16:03:00,CST-6,2017-07-25 16:03:00,0,0,0,0,0.00K,0,0.00K,0,44.79,-95.21,44.79,-95.21,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","" +119435,716899,NORTH CAROLINA,2017,July,Heavy Rain,"BERTIE",2017-07-29 09:17:00,EST-5,2017-07-29 09:17:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-76.89,36.02,-76.89,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.16 inches was measured at Windsor (3 ENE)." +119435,716901,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-29 09:17:00,EST-5,2017-07-29 09:17:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-76.3,36.45,-76.3,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.16 inches was measured at Pierceville." +119435,716902,NORTH CAROLINA,2017,July,Heavy Rain,"CAMDEN",2017-07-29 09:19:00,EST-5,2017-07-29 09:19:00,0,0,0,0,0.00K,0,0.00K,0,36.26,-76.1,36.26,-76.1,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.00 inches was measured at Shiloh (1 SW)." +119437,716831,MARYLAND,2017,July,Heavy Rain,"WICOMICO",2017-07-29 08:19:00,EST-5,2017-07-29 08:19:00,0,0,0,0,0.00K,0,0.00K,0,38.36,-75.43,38.36,-75.43,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 5.81 inches was measured at Pittsville (2 SSW)." +116301,712706,MINNESOTA,2017,July,Hail,"MILLE LACS",2017-07-09 19:21:00,CST-6,2017-07-09 19:21:00,0,0,0,0,0.00K,0,0.00K,0,46.07,-93.66,46.07,-93.66,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +115643,694889,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 14:45:00,EST-5,2017-04-06 15:00:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 38 knots were reported at Baber Point." +115643,694890,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 15:02:00,EST-5,2017-04-06 15:02:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 36 knots was reported at Cuckold Creek." +115643,694898,ATLANTIC NORTH,2017,April,Waterspout,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-04-06 12:43:00,EST-5,2017-04-06 12:44:00,0,0,0,0,,NaN,,NaN,38.8735,-77.0494,38.8848,-77.0356,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A water spout was on video." +115648,694912,ATLANTIC NORTH,2017,April,Marine Hail,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-04-21 18:49:00,EST-5,2017-04-21 18:49:00,0,0,0,0,,NaN,,NaN,38.7073,-76.531,38.7073,-76.531,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","Quarter sized hail was estimated based on an observation nearby." +115648,694919,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-21 18:28:00,EST-5,2017-04-21 18:38:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","Wind gusts of 41 to 73 knots were reported at Monroe Creek." +115648,694921,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-21 18:36:00,EST-5,2017-04-21 18:36:00,0,0,0,0,,NaN,,NaN,38.2537,-76.961,38.2537,-76.961,"A cold front moved through the area. Ahead of the boundary, a southwest flow led to warm and humid conditions. The unstable atmosphere from warm and humid conditions along with stronger winds aloft caused some storms to produce gusty winds.","A wind gust of 50 knots was estimated based on thunderstorm wind damage nearby." +116988,703632,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:54:00,EST-5,2017-05-01 15:54:00,0,0,0,0,15.00K,15000,0.00K,0,42.12,-77.95,42.12,-77.95,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm winds downed a large tree which damaged fence." +116988,703633,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:55:00,EST-5,2017-05-01 15:55:00,0,0,0,0,10.00K,10000,0.00K,0,42.12,-77.95,42.12,-77.95,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703634,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:55:00,EST-5,2017-05-01 15:55:00,0,0,0,0,10.00K,10000,0.00K,0,42.49,-77.95,42.49,-77.95,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +118298,710896,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 13:30:00,EST-5,2017-06-18 13:30:00,0,0,0,0,12.00K,12000,0.00K,0,42.1,-79.46,42.1,-79.46,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710897,NEW YORK,2017,June,Thunderstorm Wind,"CHAUTAUQUA",2017-06-18 14:20:00,EST-5,2017-06-18 14:20:00,0,0,0,0,10.00K,10000,0.00K,0,42.21,-79.59,42.21,-79.59,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on Sherman-Westfield Road." +121687,728385,NEW YORK,2017,May,Coastal Flood,"WAYNE",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121685,728367,NEW YORK,2017,July,Coastal Flood,"ORLEANS",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119317,716446,NEW YORK,2017,July,Flash Flood,"ONTARIO",2017-07-13 12:00:00,EST-5,2017-07-13 13:45:00,0,0,0,0,50.00K,50000,0.00K,0,42.8902,-77.2174,42.9942,-77.4213,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +120768,723319,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 21:56:00,EST-5,2017-09-04 21:56:00,0,0,0,0,10.00K,10000,0.00K,0,42.46,-78.94,42.46,-78.94,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723320,NEW YORK,2017,September,Thunderstorm Wind,"ERIE",2017-09-04 22:08:00,EST-5,2017-09-04 22:08:00,0,0,0,0,8.00K,8000,0.00K,0,42.54,-78.73,42.54,-78.73,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723321,NEW YORK,2017,September,Thunderstorm Wind,"ERIE",2017-09-04 22:10:00,EST-5,2017-09-04 22:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.51,-78.67,42.51,-78.67,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +119917,718736,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-23 18:09:00,MST-7,2017-07-23 19:09:00,0,0,0,0,0.00K,0,0.00K,0,34.3834,-112.1944,34.3715,-112.2027,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","Heavy rain over the Goodwin Fire scar caused flash flooding downstream. The water was reported to be two feet over the Spring Lane Bridge crossing Big Bug Creek." +116116,698028,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-04 19:51:00,CST-6,2017-07-04 19:51:00,0,0,0,0,0.00K,0,0.00K,0,44.97,-95.36,44.97,-95.36,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,698029,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-04 19:45:00,CST-6,2017-07-04 19:45:00,0,0,0,0,0.00K,0,0.00K,0,44.97,-95.36,44.97,-95.36,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,712628,MINNESOTA,2017,July,Hail,"KANDIYOHI",2017-07-04 17:10:00,CST-6,2017-07-04 17:10:00,0,0,0,0,0.00K,0,0.00K,0,45.3059,-95.088,45.3059,-95.088,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,712638,MINNESOTA,2017,July,Thunderstorm Wind,"MCLEOD",2017-07-04 23:06:00,CST-6,2017-07-04 23:06:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-94.2,44.88,-94.2,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","A severe downburst wind caused a large tree to blow down south of Silver Lake." +116988,703645,NEW YORK,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 17:27:00,EST-5,2017-05-01 17:27:00,0,0,0,0,10.00K,10000,0.00K,0,44.34,-75.92,44.34,-75.92,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116999,703701,NEW YORK,2017,May,Hail,"CATTARAUGUS",2017-05-28 17:51:00,EST-5,2017-05-28 17:51:00,0,0,0,0,,NaN,,NaN,42.49,-78.48,42.49,-78.48,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +116999,703702,NEW YORK,2017,May,Hail,"ERIE",2017-05-28 17:55:00,EST-5,2017-05-28 17:55:00,0,0,0,0,,NaN,,NaN,42.53,-78.5,42.53,-78.5,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +116999,703703,NEW YORK,2017,May,Hail,"ERIE",2017-05-28 18:09:00,EST-5,2017-05-28 18:09:00,0,0,0,0,,NaN,,NaN,42.6,-78.92,42.6,-78.92,"Thunderstorms that developed during the late afternoon / evening hours produced hail up to two-inches in diameter.","" +116998,703704,LAKE ONTARIO,2017,May,Marine Hail,"MEXICO BAY NY TO THE ST LAWRENCE RIVER",2017-05-28 13:05:00,EST-5,2017-05-28 13:05:00,0,0,0,0,,NaN,0.00K,0,43.66,-76.19,43.66,-76.19,"Thunderstorms crossing Lake Ontario produced three-quarter inch hail near North Pond and Fair Haven.","" +116998,703696,LAKE ONTARIO,2017,May,Marine Hail,"SODUS BAY TO MEXICO BAY NY",2017-05-28 13:25:00,EST-5,2017-05-28 13:25:00,0,0,0,0,,NaN,0.00K,0,43.35,-76.7,43.35,-76.7,"Thunderstorms crossing Lake Ontario produced three-quarter inch hail near North Pond and Fair Haven.","" +115885,703712,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"NORTH MOBILE BAY",2017-04-30 23:57:00,CST-6,2017-04-30 23:57:00,0,0,0,0,0.00K,0,0.00K,0,30.5806,-88.0603,30.5806,-88.0603,"Strong storms resulted in several instance of strong wind gusts across the coastal waters of Alabama and northwest Florida.","Weatherflow station at Buccaneer Yacht club, within one mile of the coast, measured a 51 mph gust." +115493,693730,MISSISSIPPI,2017,April,Thunderstorm Wind,"STONE",2017-04-03 04:45:00,CST-6,2017-04-03 04:47:00,0,0,0,0,5.00K,5000,0.00K,0,30.7357,-89.2545,30.7357,-89.2545,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, which caused damage across southeast Mississippi.","Winds estimated at 60 mph downed trees." +119863,718561,OHIO,2017,August,Thunderstorm Wind,"LORAIN",2017-08-04 12:20:00,EST-5,2017-08-04 12:20:00,0,0,0,0,2.00K,2000,0.00K,0,41.2934,-82.2126,41.2934,-82.2126,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorms winds downed several large tree limbs." +115884,696381,ALABAMA,2017,April,Coastal Flood,"LOWER MOBILE",2017-04-30 13:30:00,CST-6,2017-04-30 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper level low moving across the southern plains contributed a strong onshore flow across the north central Gulf Coast. The combination of the prolonged southerly winds and above normal tides resulted in minor coastal flooding in portions of Mobile County.","Coastal flooding reported on the southbound lane of the Dauphin Island Parkway, just north of the Dog River Bridge. The right lane is impassable. Tides were running 1.5 to 2 feet above normal during a spring tidal cyclone and occurred at the time of high tide at the mouth of the Dog River." +115884,696389,ALABAMA,2017,April,Coastal Flood,"LOWER BALDWIN",2017-04-30 12:30:00,CST-6,2017-04-30 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deep upper level low moving across the southern plains contributed a strong onshore flow across the north central Gulf Coast. The combination of the prolonged southerly winds and above normal tides resulted in minor coastal flooding in portions of Mobile County.","Minor coastal flooding occurred on the Highway 90 Causeway over Mobile Bay at the I-10 entrance and exit ramps. Tides were running 1.5 to 2 feet above normal during a spring tidal cyclone and occurred at the time of high tide at the Coast Guard Sector Mobile tidal gage." +115882,696372,FLORIDA,2017,April,Lightning,"SANTA ROSA",2017-04-05 11:43:00,CST-6,2017-04-05 11:43:00,3,0,0,0,,NaN,0.00K,0,30.41,-86.86,30.41,-86.86,"Strong thunderstorms moved across the western Florida panhandle on April 5th and produced frequent lightning. Two strikes resulted in a few injuries.","Three injuries were reported in Navarre due to lightning strikes. One individual was seated in a metal chair when lightning struck his home. Two other individuals were transported to the hospital after lightning struck their facility while they were using the phone lines." +120437,721545,ALASKA,2017,October,High Wind,"DELTANA AND TANANA",2017-10-24 05:12:00,AKST-9,2017-10-26 09:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed in channeled areas of the Alaska range on the 25th and 26th of October. ||High winds were reported on the 25th at: ||zone 223: Peak wind gust of 63 kt (72 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek.|Strong pressure gradient developed in channeled areas of the Alaska range on the 5th of September. A 980 Low over the Bering Sea induced the pressure gradient and associated weather front moved across the range as well. ||zone 223: Peak wind gust of 57 kt (66 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek. ||Zone 226: The U.S. Army Mesonet station Texas Condo reported a wind gust to 68 kts (78 mph).","" +118835,713934,IOWA,2017,July,Hail,"GUTHRIE",2017-07-20 18:30:00,CST-6,2017-07-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-94.56,41.85,-94.56,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Local fire department reported quarter size hail that started around 7 pm." +118835,713935,IOWA,2017,July,Heavy Rain,"CRAWFORD",2017-07-20 17:00:00,CST-6,2017-07-20 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-95.35,42.02,-95.35,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Trained spotter reported heavy rainfall of 2.12 inches from 6pm to the report time." +121110,725061,MAINE,2017,October,Flood,"ANDROSCOGGIN",2017-10-31 01:42:00,EST-5,2017-10-31 23:58:00,0,0,0,0,0.00K,0,0.00K,0,44.1,-70.23,44.097,-70.219,"A very strong area of low pressure with abundant tropical moisture produced 2 to 6 inches of rainfall resulting in minor flooding on several area rivers in Maine.","Strong low pressure produced 3 to 6 inches of rain resulting in minor flooding on the Androscoggin River at Auburn (flood stage 13.0 ft), which crested at 13.83 ft." +121110,725062,MAINE,2017,October,Flood,"OXFORD",2017-10-30 17:18:00,EST-5,2017-10-31 11:38:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-70.53,44.549,-70.5355,"A very strong area of low pressure with abundant tropical moisture produced 2 to 6 inches of rainfall resulting in minor flooding on several area rivers in Maine.","Strong low pressure produced 3 to 6 inches of rain resulting in minor flooding on the Androscoggin River at Rumford (flood stage 15.0 ft), which crested at 17.71 ft." +117823,708248,CALIFORNIA,2017,June,Heat,"SE S.J. VALLEY",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees between June 18 and June 23." +117823,708252,CALIFORNIA,2017,June,Heat,"KERN CTY MTNS",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees below 3000 feet between June 18 and June 23." +117823,708253,CALIFORNIA,2017,June,Heat,"INDIAN WELLS VLY",2017-06-18 11:00:00,PST-8,2017-06-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 107 and 113 degrees between June 18 and June 25." +120296,720821,NEW YORK,2017,August,Thunderstorm Wind,"WAYNE",2017-08-22 12:45:00,EST-5,2017-08-22 12:45:00,0,0,0,0,10.00K,10000,0.00K,0,43.06,-77.23,43.06,-77.23,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720822,NEW YORK,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-22 12:50:00,EST-5,2017-08-22 12:50:00,0,0,0,0,10.00K,10000,0.00K,0,42.41,-78.16,42.41,-78.16,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720823,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 13:25:00,EST-5,2017-08-22 13:25:00,0,0,0,0,15.00K,15000,0.00K,0,43.97,-75.91,43.97,-75.91,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds downed a large tree in the City of Watertown." +120296,720838,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:30:00,EST-5,2017-08-22 14:30:00,0,0,0,0,8.00K,8000,0.00K,0,43.55,-75.37,43.55,-75.37,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720840,NEW YORK,2017,August,Thunderstorm Wind,"WYOMING",2017-08-22 14:33:00,EST-5,2017-08-22 14:33:00,0,0,0,0,10.00K,10000,0.00K,0,42.54,-78.15,42.54,-78.15,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720841,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:37:00,EST-5,2017-08-22 14:37:00,0,0,0,0,10.00K,10000,0.00K,0,43.62,-75.31,43.62,-75.31,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120289,720766,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:45:00,EST-5,2017-08-04 11:45:00,0,0,0,0,15.00K,15000,0.00K,0,42.85,-78.82,42.85,-78.82,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","A downed tree damaged a car on Romeleo Street." +121684,728359,NEW YORK,2017,August,Coastal Flood,"ORLEANS",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +115035,690499,IDAHO,2017,February,Heavy Snow,"OWYHEE MOUNTAINS",2017-02-07 04:00:00,MST-7,2017-02-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front lifting across Southeast Oregon and Southwest Idaho spread moderate wet snow over the area.","Trained spotters reported 4 to 8 inches of moderate wet snow from Oreana to the South Mountain area." +115035,690506,IDAHO,2017,February,Heavy Snow,"WESTERN MAGIC VALLEY",2017-02-07 04:00:00,MST-7,2017-02-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front lifting across Southeast Oregon and Southwest Idaho spread moderate wet snow over the area.","Trained spotters reported 4 inches of moderate wet snow from Twin Falls to Rogerson." +120595,723937,KANSAS,2017,October,Flash Flood,"GOVE",2017-10-02 20:00:00,CST-6,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,38.946,-100.6307,38.729,-100.6153,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Training thunderstorms producing moderate to heavy rainfall over Gove County caused widespread flash flooding. Some of the more noteworthy reports include flood waters over Highway 23 four and five miles north of Gove." +120595,725066,KANSAS,2017,October,Flash Flood,"LOGAN",2017-10-02 23:15:00,CST-6,2017-10-03 02:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.957,-100.9441,38.9568,-100.9441,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Logan County Road Department reported the road was closed due to flood waters cutting a deep ditch in CR 390 where Plum Creek flows under the road between CR Seneca and CR Rawhide." +120595,725068,KANSAS,2017,October,Flash Flood,"LOGAN",2017-10-02 23:40:00,CST-6,2017-10-03 02:40:00,0,0,0,0,2.00K,2000,0.00K,0,38.7123,-101.2245,38.7122,-101.2245,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Logan County Road Department reported half the road on CR 240 had been washed away between CR Adobe and CR Bison where Chalk Creek flows under CR 240." +117902,708912,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-16 23:24:00,CST-6,2017-06-16 23:27:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-94.72,39.29,-94.72,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","ASOS at Kansas City International Airport reported 64 mph winds." +117902,708914,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-16 23:30:00,CST-6,2017-06-16 23:33:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-94.72,39.29,-94.72,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","ASOS at Kansas City International Airport reported 65 mph winds." +117902,708915,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-17 19:59:00,CST-6,2017-06-17 20:02:00,0,0,0,0,0.00K,0,0.00K,0,39.35,-94.78,39.35,-94.78,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","An amateur radio spotter reported 60 mph wind." +117902,708916,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-17 20:07:00,CST-6,2017-06-17 20:10:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-94.61,39.18,-94.61,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A NWS employee reported a 70-80 mph wind." +117902,708917,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:17:00,CST-6,2017-06-17 20:20:00,0,0,0,0,0.00K,0,0.00K,0,39.22,-94.53,39.22,-94.53,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +117902,708918,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:18:00,CST-6,2017-06-17 20:21:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-94.58,39.26,-94.58,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +119475,717019,NEW YORK,2017,July,Flash Flood,"GENESEE",2017-07-23 16:45:00,EST-5,2017-07-23 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.8798,-78.2239,42.8846,-78.1224,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","" +119753,720677,TEXAS,2017,August,Tornado,"WALLER",2017-08-26 03:57:00,CST-6,2017-08-26 04:00:00,0,0,0,0,200.00K,200000,0.00K,0,29.7756,-95.8442,29.7803,-95.8482,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tornado appeared to touch down at an RV and boat storage facility then cross Interstate 10. It then damaged Pepperl Fuchs facility on north side of Interstate. Tornado crossed from Fort Bend into Waller County." +117902,708869,MISSOURI,2017,June,Thunderstorm Wind,"ANDREW",2017-06-16 22:05:00,CST-6,2017-06-16 22:08:00,0,0,0,0,,NaN,,NaN,39.8281,-94.8335,39.8281,-94.8335,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Large tree down blocking the road near HWY 59 and DD in Country Club Village. Nearby ASOS at KSTJ recorded 76 mph wind with this storm." +117902,708870,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-16 22:58:00,CST-6,2017-06-16 23:01:00,0,0,0,0,,NaN,,NaN,39.1896,-93.8772,39.1896,-93.8772,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Approximately two foot branch snapped off and pushed up against the exterior wall of the Lafayette Regional health Center. No damage was reported to the hospital." +117902,708871,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-16 23:07:00,CST-6,2017-06-16 23:10:00,0,0,0,0,0.00K,0,0.00K,0,39.1,-93.55,39.1,-93.55,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A foot and a half diameter hollowed out tree fell near Alma." +117902,708872,MISSOURI,2017,June,Thunderstorm Wind,"PETTIS",2017-06-17 00:00:00,CST-6,2017-06-17 00:03:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-93.23,38.7,-93.23,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A few trees down in Sedalia with some power outages." +120293,720799,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-12 13:56:00,EST-5,2017-08-12 13:56:00,0,0,0,0,8.00K,8000,0.00K,0,43.32,-75.99,43.32,-75.99,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","Law enforcement reported trees and wires downed by thunderstorm winds." +120293,720800,NEW YORK,2017,August,Hail,"OSWEGO",2017-08-12 13:58:00,EST-5,2017-08-12 13:58:00,0,0,0,0,,NaN,,NaN,43.37,-75.97,43.37,-75.97,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","" +119194,718172,ARIZONA,2017,July,Hail,"YAVAPAI",2017-07-16 14:37:00,MST-7,2017-07-16 15:30:00,0,0,0,0,0.00K,0,0.00K,0,34.64,-112.5,34.53,-112.51,"Strong high pressure was in a favorable position to bring deep monsoon moisture over northern Arizona which allowed strong to severe thunderstorms to form.","Thunderstorms produced one to 1.5 inch diameter hail west to southwest of Prescott." +120184,720137,VIRGINIA,2017,August,Hail,"RICHMOND",2017-08-18 19:12:00,EST-5,2017-08-18 19:12:00,0,0,0,0,0.00K,0,0.00K,0,37.96,-76.76,37.96,-76.76,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Quarter size hail was reported." +120184,720138,VIRGINIA,2017,August,Thunderstorm Wind,"CAROLINE",2017-08-18 18:05:00,EST-5,2017-08-18 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,38.05,-77.44,38.05,-77.44,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Multiple trees were downed across the road at the intersection of Bath Road and South River Road." +120184,720139,VIRGINIA,2017,August,Thunderstorm Wind,"CAROLINE",2017-08-18 18:20:00,EST-5,2017-08-18 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,38.03,-77.34,38.03,-77.34,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Numerous trees were downed across Caroline county, primarily in the central and eastern portions of the county. Numerous roads were blocked by fallen trees." +120184,720140,VIRGINIA,2017,August,Thunderstorm Wind,"CAROLINE",2017-08-18 18:21:00,EST-5,2017-08-18 18:21:00,0,0,0,0,3.00K,3000,0.00K,0,37.99,-77.23,37.99,-77.23,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Numerous trees were downed in Sparta with damage to a home." +120184,720141,VIRGINIA,2017,August,Thunderstorm Wind,"ESSEX",2017-08-18 18:42:00,EST-5,2017-08-18 18:42:00,0,0,0,0,2.00K,2000,0.00K,0,38.01,-76.99,38.01,-76.99,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Trees were downed across northern Essex county. There were reports of wind debris in the road as far south as Tappahannock." +120184,720142,VIRGINIA,2017,August,Thunderstorm Wind,"RICHMOND",2017-08-18 19:10:00,EST-5,2017-08-18 19:10:00,0,0,0,0,2.00K,2000,0.00K,0,37.95,-76.7,37.95,-76.7,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Trees were downed along Route 360 and Mill Pond Road." +114048,689808,ILLINOIS,2017,March,Thunderstorm Wind,"MCDONOUGH",2017-03-06 23:05:00,CST-6,2017-03-06 23:05:00,0,0,0,0,,NaN,0.00K,0,40.62,-90.57,40.62,-90.57,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Three power poles were blown down. Time was estimated by radar." +114048,689816,ILLINOIS,2017,March,Thunderstorm Wind,"MCDONOUGH",2017-03-06 23:10:00,CST-6,2017-03-06 23:10:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-90.46,40.62,-90.46,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This report was received from a trained spotter, using a personal measured instrument." +114048,689810,ILLINOIS,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-07 00:07:00,CST-6,2017-03-07 00:07:00,0,0,0,0,,NaN,0.00K,0,41.25,-89.34,41.25,-89.34,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","The top of a large cedar tree was reported down in a yard." +115889,700998,OHIO,2017,May,Thunderstorm Wind,"COLUMBIANA",2017-05-01 12:55:00,EST-5,2017-05-01 12:55:00,0,0,0,0,5.00K,5000,0.00K,0,40.8,-80.93,40.8,-80.93,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported multiple large trees down in New Garden." +117457,706410,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:18:00,CST-6,2017-06-16 17:18:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-97.69,41.63,-97.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706411,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:30:00,CST-6,2017-06-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-97.69,41.7,-97.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,710960,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:15:00,CST-6,2017-06-16 18:15:00,0,0,0,0,,NaN,,NaN,41.51,-96.49,41.51,-96.49,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees and power lines were blown down." +117457,710962,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:23:00,CST-6,2017-06-16 18:23:00,0,0,0,0,,NaN,,NaN,41.44,-96.49,41.44,-96.49,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Several trees and power lines were blown down by damaging winds." +117457,710963,NEBRASKA,2017,June,Thunderstorm Wind,"SAUNDERS",2017-06-16 18:35:00,CST-6,2017-06-16 18:35:00,0,0,0,0,,NaN,,NaN,41.24,-96.4,41.24,-96.4,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 40 foot section of fence was blown down by damaging winds." +115907,696485,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-31 15:32:00,EST-5,2017-05-31 15:32:00,0,0,0,0,1.00K,1000,0.00K,0,40.44,-79.7,40.44,-79.7,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported wires down along Gun Club Road and a tree down on Bulltown Road." +115907,696486,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-31 15:32:00,EST-5,2017-05-31 15:32:00,0,0,0,0,0.50K,500,0.00K,0,40.4,-79.7,40.4,-79.7,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a tree down on the Pennsylvania Turnpike." +115907,696487,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-31 15:43:00,EST-5,2017-05-31 15:43:00,0,0,0,0,1.00K,1000,0.00K,0,40.32,-79.67,40.32,-79.67,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a two trees down near Jeannette." +115907,696488,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-31 15:45:00,EST-5,2017-05-31 15:45:00,0,0,0,0,0.50K,500,0.00K,0,40.41,-79.43,40.41,-79.43,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a tree down on Rayann Drive." +115908,696475,OHIO,2017,May,Thunderstorm Wind,"COLUMBIANA",2017-05-31 14:15:00,EST-5,2017-05-31 14:15:00,0,0,0,0,5.00K,5000,0.00K,0,40.63,-80.57,40.63,-80.57,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local law enforcement reported several trees down across town." +115909,696471,WEST VIRGINIA,2017,May,Thunderstorm Wind,"OHIO",2017-05-31 15:27:00,EST-5,2017-05-31 15:27:00,0,0,0,0,5.00K,5000,0.00K,0,40.13,-80.6,40.13,-80.6,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Department of highways reported several trees down." +115890,702457,PENNSYLVANIA,2017,May,Tornado,"BUTLER",2017-05-01 13:30:00,EST-5,2017-05-01 13:33:00,0,0,0,0,20.00K,20000,0.00K,0,40.911,-80.076,40.926,-80.025,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service in Pittsburgh PA has confirmed a|tornado near Prospect in Butler County, western Pennsylvania on|05/01/2017.||A focused, narrow, path of tree damage was encountered beginning|along Portersville Road near Sechan Road. In this area, dozens of|hardwood and softwood trees were snapped or uprooted. Roofing|panels on a barn in this area were removed by the wind, and|paneling was removed from a trailer door. A home in this area that|sustained a near direct hit by the tornado appears to have been|sheltered by surrounding trees and suffered only minor damage. ||The tornado then moved through a mobile home park, where extensive|tree damage was encountered. Vehicle and mobile home damage in the|Main Street and Douglas Street area appears to be been caused|predominantly by falling trees, although the wind did sweep out|foundational siding. ||The tornado then weakened (with pockets of focused damage) while|it continued to the area of Grindle Road and Election House Road,|where modest damage was sustained at a greenhouse property. Among|other damage at this site, a large container was lofted and|transported several tens of feet over a greenhouse structure." +115889,700949,OHIO,2017,May,Thunderstorm Wind,"GUERNSEY",2017-05-01 11:56:00,EST-5,2017-05-01 11:56:00,0,0,0,0,5.00K,5000,0.00K,0,40.18,-81.44,40.18,-81.44,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency manager reported numerous trees down." +115890,703986,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-01 14:19:00,EST-5,2017-05-01 14:19:00,0,0,0,0,5.00K,5000,0.00K,0,41.35,-79.45,41.35,-79.45,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported several trees down near Fryburg." +115890,703988,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-01 14:25:00,EST-5,2017-05-01 14:25:00,0,0,0,0,5.00K,5000,0.00K,0,41.2,-79.33,41.2,-79.33,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported several trees down." +115894,704906,PENNSYLVANIA,2017,May,Flash Flood,"CLARION",2017-05-05 18:34:00,EST-5,2017-05-05 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.0517,-79.5035,41.0398,-79.4852,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported that Cherry Run Road and Acme Street were were closed due to flooding." +115894,704907,PENNSYLVANIA,2017,May,Flash Flood,"CLARION",2017-05-05 18:37:00,EST-5,2017-05-05 20:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.11,-79.5,41.1004,-79.5058,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported that Route 68 and Huckleberry Ridge Road were flooded." +116456,700398,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:46:00,EST-5,2017-05-11 18:46:00,0,0,0,0,1.50K,1500,0.00K,0,36.47,-79.63,36.47,-79.63,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds brought down three large trees along Guerrant Springs Road." +116456,700399,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:55:00,EST-5,2017-05-11 18:55:00,0,0,0,0,5.00K,5000,0.00K,0,36.44,-79.6,36.46,-79.6,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds downed several trees along Warsham Mill Road. Another tree was reported down nearby, causing a traffic disruption near the intersection of Burton Road and Estes Road." +116457,700400,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-11 18:21:00,EST-5,2017-05-11 18:21:00,0,0,0,0,2.00K,2000,0.00K,0,36.64,-80.28,36.64,-80.28,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered showers and thunderstorms to develop. Some of these storms produced isolated wind damage, especially across portions of Southside Virginia.","Thunderstorm winds brought down a power line along Staples Avenue in the town of Stuart." +116960,703400,ILLINOIS,2017,May,Thunderstorm Wind,"JO DAVIESS",2017-05-15 20:57:00,CST-6,2017-05-15 20:57:00,0,0,0,0,0.00K,0,0.00K,0,42.45,-90.05,42.45,-90.05,"Severe thunderstorms developed along and north of a warm front Monday evening, bringing large hail and damaging winds to areas near a line from Decorah, IA to Rockford IL. A few reports of tree damage were seen with these storms.","Local law enforcement reported a tree down on East Canyon Road." +116459,700405,VIRGINIA,2017,May,Thunderstorm Wind,"GALAX (C)",2017-05-09 20:45:00,EST-5,2017-05-09 20:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.67,-80.92,36.67,-80.92,"A warm front lifted north through the Mid-Atlantic region during the afternoon of May 9th when it triggered isolated severe thunderstorms across portions of the Mountain Empire of Virginia. These storms were relatively fast moving, and produced large hail and damaging winds in the form of downed trees.","Thunderstorm winds brought down trees and power poles across the city of Galax." +116459,700406,VIRGINIA,2017,May,Hail,"GRAYSON",2017-05-09 17:30:00,EST-5,2017-05-09 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-81.48,36.6,-81.48,"A warm front lifted north through the Mid-Atlantic region during the afternoon of May 9th when it triggered isolated severe thunderstorms across portions of the Mountain Empire of Virginia. These storms were relatively fast moving, and produced large hail and damaging winds in the form of downed trees.","" +116458,700404,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YADKIN",2017-05-09 18:05:00,EST-5,2017-05-09 18:05:00,0,0,0,0,2.50K,2500,0.00K,0,36.23,-80.83,36.23,-80.83,"A warm front lifted north through the Mid-Atlantic region during the afternoon of May 9th when it triggered isolated severe thunderstorms across portions of the North Carolina High Country. These storms were relatively fast moving, and produced large hail and damaging winds in the form of downed trees.","Thunderstorm winds downed trees on East End Boulevard in Jonesville." +116501,703209,VIRGINIA,2017,May,Heavy Rain,"CRAIG",2017-05-04 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.5,-80.12,37.5,-80.12,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The COOP site at New Castle (NECV2) had 2.73 inches in 24 hours ending at 0800 EST, which is the 4th highest daily total for any May day. Records date back to 1907." +115946,696742,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-24 15:57:00,EST-5,2017-05-24 16:00:00,0,0,0,0,,NaN,,NaN,34.13,-81.39,34.13,-81.39,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Trees down at Long Pine Rd and Strawfield Rd. Time estimated." +115946,696743,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"NEWBERRY",2017-05-24 14:30:00,EST-5,2017-05-24 14:35:00,0,0,0,0,,NaN,,NaN,34.28,-81.43,34.28,-81.43,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Multiple trees and power lines were down and several homes damaged in the vicinity of Pomaria Garmany Elementary School." +115946,696747,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LANCASTER",2017-05-24 15:13:00,EST-5,2017-05-24 15:18:00,0,0,0,0,,NaN,,NaN,34.8039,-80.735,34.8039,-80.735,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Trees down on Monroe Hwy and Capricorn Rd." +115946,696748,SOUTH CAROLINA,2017,May,Heavy Rain,"LANCASTER",2017-05-24 15:08:00,EST-5,2017-05-24 15:08:00,0,0,0,0,0.10K,100,0.10K,100,34.74,-80.79,34.74,-80.79,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Heavy rain caused street flooding on Hwy 9 at USC Lancaster. A rainfall measurement of 1.50 inches was received." +115946,696749,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-24 15:04:00,EST-5,2017-05-24 15:09:00,0,0,0,0,,NaN,,NaN,34.14,-81.19,34.14,-81.19,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Tree in roadway at Koon Rd and Wes Bickley Rd." +120506,723219,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-22 12:00:00,MST-7,2017-10-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at Logan Pass." +120506,723220,MONTANA,2017,October,High Wind,"HILL",2017-10-22 12:04:00,MST-7,2017-10-22 12:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at a mesonet site 20 miles N of Rudyard." +120506,723221,MONTANA,2017,October,High Wind,"TOOLE",2017-10-22 13:00:00,MST-7,2017-10-22 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at a mesonet site 7 miles NW of Devon." +120506,723222,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 14:20:00,MST-7,2017-10-22 14:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the Monarch Canyon DOT sensor." +120506,723223,MONTANA,2017,October,High Wind,"HILL",2017-10-22 16:20:00,MST-7,2017-10-22 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the Inverness DOT sensor." +120506,723224,MONTANA,2017,October,High Wind,"SOUTHERN LEWIS AND CLARK",2017-10-22 16:50:00,MST-7,2017-10-22 16:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust estimated to be near 60 mph." +120506,723225,MONTANA,2017,October,High Wind,"MADISON",2017-10-22 03:30:00,MST-7,2017-10-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Sustained winds near 40 mph from 430 am until 530 am at the Norris Hill DOT sensor. The peak gust was 55 mph at 448 am." +120506,723226,MONTANA,2017,October,High Wind,"MEAGHER",2017-10-22 19:54:00,MST-7,2017-10-22 19:54:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Wind gust at the Deep Creek Pass DOT sensor." +120506,723227,MONTANA,2017,October,High Wind,"CASCADE",2017-10-22 11:22:00,MST-7,2017-10-22 11:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Peak wind gust at the NWS Great Falls office." +120506,723228,MONTANA,2017,October,High Wind,"BLAINE",2017-10-22 12:00:00,MST-7,2017-10-22 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably strong jet moving through the area bringing damaging winds to a large part of Central and Southwest Montana.","Spotter measured a 66 mph wind gust 10 miles S of Chinook." +116520,703077,ILLINOIS,2017,May,Thunderstorm Wind,"STEPHENSON",2017-05-17 21:38:00,CST-6,2017-05-17 21:38:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-89.62,42.29,-89.62,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter estimated wind gusts up to 60 mph." +116892,702825,IOWA,2017,May,Hail,"SCOTT",2017-05-17 09:15:00,CST-6,2017-05-17 09:15:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-90.49,41.58,-90.49,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702827,IOWA,2017,May,Hail,"DUBUQUE",2017-05-17 16:21:00,CST-6,2017-05-17 16:21:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.13,42.47,-91.13,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702833,IOWA,2017,May,Hail,"HENRY",2017-05-17 16:28:00,CST-6,2017-05-17 16:28:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-91.39,41.06,-91.39,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116735,702069,VIRGINIA,2017,May,Hail,"HALIFAX",2017-05-10 20:18:00,EST-5,2017-05-10 20:18:00,0,0,0,0,0.00K,0,0.00K,0,36.89,-78.74,36.89,-78.74,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116735,702070,VIRGINIA,2017,May,Hail,"HALIFAX",2017-05-10 20:40:00,EST-5,2017-05-10 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-78.67,36.7,-78.67,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +116377,699998,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YADKIN",2017-05-19 14:16:00,EST-5,2017-05-19 14:16:00,0,0,0,0,2.50K,2500,0.00K,0,36.13,-80.77,36.13,-80.77,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","Thunderstorm winds knocked multiple trees down within the community of Hamptonville." +116377,699999,NORTH CAROLINA,2017,May,Hail,"YADKIN",2017-05-19 14:21:00,EST-5,2017-05-19 14:21:00,0,0,0,0,0.00K,0,0.00K,0,36.13,-80.73,36.13,-80.73,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","" +116377,700000,NORTH CAROLINA,2017,May,Hail,"CASWELL",2017-05-19 15:12:00,EST-5,2017-05-19 15:12:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-79.52,36.33,-79.52,"Above normal temperatures and abundant moisture triggered afternoon thunderstorms across portions of North Carolina ahead of a cold front. These scattered thunderstorms pulsed up periodically, producing isolated large hail and wind damage, especially for those located along and East of the Blue Ridge Mountains.","" +116455,700386,VIRGINIA,2017,May,Thunderstorm Wind,"CARROLL",2017-05-18 16:12:00,EST-5,2017-05-18 16:12:00,0,0,0,0,1.00K,1000,0.00K,0,36.8121,-80.7004,36.8121,-80.7004,"A high pressure entered east of the Carolina coastline on May 18th, ushered in warm and humid air,aiding in isolated thunderstorm development along the southern slopes of the Blue Ridge Mountains. These storms produced wind damage and hail.","Thunderstorm winds downed two trees along Buck Horn Road causing a temporary closure." +121200,725518,KANSAS,2017,October,Hail,"SCOTT",2017-10-02 17:58:00,CST-6,2017-10-02 17:58:00,0,0,0,0,,NaN,,NaN,38.66,-101.08,38.66,-101.08,"A broad shortwave trough lifted out of the southern High Plains with two distinct jet streaks across Kansas and Oklahoma. Severe parameters were just enough to produce two tornadoes near Scott State Lake and one report of large hail and high wind gusts.","" +121200,725519,KANSAS,2017,October,Thunderstorm Wind,"SCOTT",2017-10-02 18:02:00,CST-6,2017-10-02 18:02:00,0,0,0,0,,NaN,,NaN,38.6,-101,38.6,-101,"A broad shortwave trough lifted out of the southern High Plains with two distinct jet streaks across Kansas and Oklahoma. Severe parameters were just enough to produce two tornadoes near Scott State Lake and one report of large hail and high wind gusts.","" +121418,726822,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 15:15:00,MST-7,2017-10-31 19:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 31/1740 MST." +121418,726823,WYOMING,2017,October,High Wind,"LARAMIE VALLEY",2017-10-31 17:30:00,MST-7,2017-10-31 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor at Rock River measured wind gusts of 58 mph or higher, with a peak gust of 72 mph at 31/2025 MST." +121418,726824,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-31 18:40:00,MST-7,2017-10-31 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Quealy Dome measured wind gusts of 58 mph or higher, with a peak gust of 76 mph at 31/2045 MST." +121418,726825,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 20:40:00,MST-7,2017-10-31 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 31/2155 MST." +121418,726826,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 19:45:00,MST-7,2017-10-31 23:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor at Buford measured wind gusts of 58 mph or higher, with a peak gust of 74 mph at 31/2245 MST." +121418,726827,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 20:55:00,MST-7,2017-10-31 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The UPR sensor at Dale Creek measured wind gusts of 58 mph or higher, with a peak gust of 67 mph at 31/2245 MST." +121418,726837,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 20:15:00,MST-7,2017-10-31 23:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Lone Tree measured wind gusts of 589 mph or higher, with a peak gust of 68 mph at 31/2140 MST." +121418,726838,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 19:35:00,MST-7,2017-10-31 21:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Pumpkin Vine measured sustained winds of 40 mph or higher, with a peak gust of 58 mph at 31/2030 MST." +120608,722471,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:17:00,CST-6,2017-10-06 17:17:00,0,0,0,0,,NaN,,NaN,38.36,-98.77,38.36,-98.77,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +120608,722473,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:21:00,CST-6,2017-10-06 17:21:00,0,0,0,0,,NaN,,NaN,38.36,-98.81,38.36,-98.81,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Nickel to quarter size hail was reported." +120608,722474,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:25:00,CST-6,2017-10-06 17:25:00,0,0,0,0,,NaN,,NaN,38.3615,-98.7425,38.3615,-98.7425,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Heavy rainfall and street flooding was also reported." +120608,722482,KANSAS,2017,October,Flood,"BARTON",2017-10-06 17:39:00,CST-6,2017-10-06 20:39:00,0,0,0,0,0.10K,100,0.10K,100,38.36,-98.81,38.3764,-98.8081,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Localized street flooding was reported across the city of Great Bend." +120608,722486,KANSAS,2017,October,Thunderstorm Wind,"BARTON",2017-10-06 17:34:00,CST-6,2017-10-06 17:34:00,0,0,0,0,0.10K,100,,NaN,38.3769,-98.5905,38.3769,-98.5905,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","A trained spotter reported wind gusts of 50 to 60 mph. Nickel sized hail and a four inch tree limb knocked down was also reported." +120608,722487,KANSAS,2017,October,Hail,"BARTON",2017-10-06 17:34:00,CST-6,2017-10-06 17:34:00,0,0,0,0,,NaN,,NaN,38.3769,-98.5904,38.3769,-98.5904,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","The trained spotter also reported 50 to 60 mph wind gusts." +120608,722490,KANSAS,2017,October,Hail,"RICE",2017-10-06 17:50:00,CST-6,2017-10-06 17:50:00,0,0,0,0,,NaN,,NaN,38.46,-98.46,38.46,-98.46,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +119910,718731,FLORIDA,2017,October,Thunderstorm Wind,"WAKULLA",2017-10-16 15:22:00,EST-5,2017-10-16 15:22:00,0,0,0,0,3.00K,3000,0.00K,0,30.27,-84.27,30.27,-84.27,"Scattered showers and thunderstorms moved through the area ahead of a cold front on October 16th. One storm produced an isolated downburst, resulting in damage to a transmission line and a large power outage.","A transmission line was downed due to a downburst, resulting in a power outage to over 2000 customers." +119937,718810,GULF OF MEXICO,2017,October,Marine Tropical Storm,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate affected the coastal waters west of Apalachicola with tropical storm force winds during the October 7-8 period.","" +119937,718811,GULF OF MEXICO,2017,October,Marine Tropical Storm,"APALACHICOLA TO DESTIN FL 20 TO 60NM",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate affected the coastal waters west of Apalachicola with tropical storm force winds during the October 7-8 period.","" +121071,724777,IDAHO,2017,October,Heavy Snow,"UPPER SNAKE RIVER PLAIN",2017-10-14 02:00:00,MST-7,2017-10-14 12:00:00,0,0,0,0,625.00K,625000,0.00K,0,NaN,NaN,NaN,NaN,"An early season snowfall of wet heavy snow dropped widespread reports of 6 to 8 inches of snow in Idaho Falls. Power lines, trees and tree limbs were downed due to the heavy and wet nature of the snow. Over 15,400 customers were reported without power by Idaho Falls Power by 9 am on the 14th. Several auto accidents reported. Three trees fell on cars and one tree fell on a mobile home with another through a residential window. Although snow wasn't as heavy in Pocatello, accidents closed interstate 15 in both directions on the morning of the 15 in town. 4 to 6 inches of snow also fell in the Upper Snake Highlands.","An early season snowfall of wet heavy snow dropped widespread reports of 6 to 8 inches of snow in Idaho Falls. Power lines, trees and tree limbs were downed due to the heavy and wet nature of the snow. Over 15,400 customers were reported without power by Idaho Falls Power by 9 am on the 14th. Several auto accidents reported. Three trees fell on cars and one tree fell on a mobile home with another through a residential window." +121071,724778,IDAHO,2017,October,Winter Weather,"LOWER SNAKE RIVER PLAIN",2017-10-14 04:00:00,MST-7,2017-10-14 10:00:00,0,0,0,0,125.00K,125000,0.00K,0,NaN,NaN,NaN,NaN,"An early season snowfall of wet heavy snow dropped widespread reports of 6 to 8 inches of snow in Idaho Falls. Power lines, trees and tree limbs were downed due to the heavy and wet nature of the snow. Over 15,400 customers were reported without power by Idaho Falls Power by 9 am on the 14th. Several auto accidents reported. Three trees fell on cars and one tree fell on a mobile home with another through a residential window. Although snow wasn't as heavy in Pocatello, accidents closed interstate 15 in both directions on the morning of the 15 in town. 4 to 6 inches of snow also fell in the Upper Snake Highlands.","Only and inch or less of snow fell in Pocatello but it was enough to cause multiple accidents in town on interstate 15 between exits 67 and 69 and both lanes were closed for a short time around 9 am." +121072,724780,IDAHO,2017,October,High Wind,"UPPER SNAKE RIVER PLAIN",2017-10-20 09:00:00,MST-7,2017-10-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful cold front caused wind gusts of 60 to 70 mph gusts were recorded in the Snake River Plain and caused tree limbs to fall on power lines causing power outages in the Idaho Falls and Pocatello areas.","A powerful cold front caused wind gusts of 60 to 70 mph gusts were recorded in the Snake River Plain and caused tree limbs to fall on power lines causing power outages in the Idaho Falls , Roberts and Rigby areas." +120490,721857,NORTH DAKOTA,2017,October,High Wind,"GRIGGS",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721858,NORTH DAKOTA,2017,October,High Wind,"BARNES",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721859,NORTH DAKOTA,2017,October,High Wind,"RANSOM",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721860,NORTH DAKOTA,2017,October,High Wind,"SARGENT",2017-10-26 03:20:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120858,723767,ARKANSAS,2017,October,Thunderstorm Wind,"LOGAN",2017-10-22 00:58:00,CST-6,2017-10-22 00:58:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-93.65,35.27,-93.65,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Numerous trees were snapped off and blown down in the area." +120858,723768,ARKANSAS,2017,October,Thunderstorm Wind,"JOHNSON",2017-10-22 01:07:00,CST-6,2017-10-22 01:07:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-93.47,35.46,-93.47,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Trees were down around Clarksville." +120858,723769,ARKANSAS,2017,October,Thunderstorm Wind,"YELL",2017-10-22 01:15:00,CST-6,2017-10-22 01:15:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-93.34,35.12,-93.34,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Power lines and multiple trees were down near Ranger." +120858,723770,ARKANSAS,2017,October,Thunderstorm Wind,"YELL",2017-10-22 01:25:00,CST-6,2017-10-22 01:25:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-93.17,35.15,-93.17,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Multiple trees were blown down and several roads were blocked by fallen trees." +120858,723772,ARKANSAS,2017,October,Thunderstorm Wind,"POPE",2017-10-22 01:39:00,CST-6,2017-10-22 01:39:00,0,0,0,0,0.00K,0,0.00K,0,35.4,-93.11,35.4,-93.11,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Winds caused damage to a roof and a canopy of a gas station." +120858,723773,ARKANSAS,2017,October,Thunderstorm Wind,"YELL",2017-10-22 01:40:00,CST-6,2017-10-22 01:40:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-93.18,35.22,-93.18,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","A power line was blown down between the town of Dardanelle and Bethel Road." +120858,723775,ARKANSAS,2017,October,Thunderstorm Wind,"PERRY",2017-10-22 02:08:00,CST-6,2017-10-22 02:08:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-92.78,35.06,-92.78,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","A gust of 60 mph was estimated." +121084,724850,GULF OF MEXICO,2017,October,Marine Tropical Storm,"CHOCTAWHATCHEE BAY",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121084,724851,GULF OF MEXICO,2017,October,Marine Tropical Storm,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121233,725800,GULF OF MEXICO,2017,October,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-15 06:35:00,EST-5,2017-10-15 06:35:00,0,0,0,0,0.00K,0,0.00K,0,24.49,-81.8,24.49,-81.8,"Waterspouts were observed in association with convective cloud lines along the oceanside of Key West. Light east winds were noted in the lower troposphere.","Multiple reports were received of a waterspout about 5 miles to the south-southwest of Key West. The condensation funnel extended about one third the way down from the cloud base. A spray ring was not visible." +121233,725801,GULF OF MEXICO,2017,October,Waterspout,"STRAITS OF FLORIDA FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT 20 NM",2017-10-15 06:50:00,EST-5,2017-10-15 06:55:00,0,0,0,0,0.00K,0,0.00K,0,24.44,-81.87,24.44,-81.87,"Waterspouts were observed in association with convective cloud lines along the oceanside of Key West. Light east winds were noted in the lower troposphere.","A waterspout was observed about 11 miles to the southwest of Key West. The condensation funnel extended part-way down from the cloud base." +121234,725802,GULF OF MEXICO,2017,October,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-16 11:15:00,EST-5,2017-10-16 11:24:00,0,0,0,0,0.00K,0,0.00K,0,24.59,-81.45,24.59,-81.45,"An isolated waterspout was observed oceanside of Summerland Key in association with a rain shower. Winds were light in the lower troposphere due to a COL region between a tropical wave to the south and an approaching cold front well to the northwest.","A waterspout was observed about 5 miles south of Summerland Key. The condensation funnel was long and thin." +121235,725803,GULF OF MEXICO,2017,October,Waterspout,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-18 09:13:00,EST-5,2017-10-18 09:13:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.31,25.22,-80.31,"An isolated waterspout was observed in Hawk Channel near Key Largo, in association with a rain shower along an east-to-west convergent convective band.","A waterspout was reported off Key Largo in Hawk Channel. The report was relayed by social media." +121236,725804,GULF OF MEXICO,2017,October,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-19 17:59:00,EST-5,2017-10-19 18:14:00,0,0,0,0,0.00K,0,0.00K,0,24.57,-81.4,24.57,-81.4,"A waterspout was observed in association with a thunderstorm offshore Ramrod Key, in an environment of weak cyclonic shear.","A waterspout was observed about 6 miles south-southeast of Summerland Key. The waterspout appeared as a condensation funnel about one quarter the way down from cloud base, then evolved into a narrow condensation funnel about halfway from cloud base. The report was relayed by social media." +121237,725805,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-22 05:31:00,EST-5,2017-10-22 05:31:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"An isolated gale-force wind gust was observed northwest of Key West in association with a fast-moving convective rain shower embedded in deep easterly lower tropospheric flow.","A wind gust of 36 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +120914,723871,COLORADO,2017,October,High Wind,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-10-31 19:20:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Powerful downslope winds developed in portions of the Front Range Mountains and Foothills on the evening of the 31st. Peak wind gusts included: 96 mph near Georgetown, 93 mph near Berthoud Pass, 81 mph near Georgetown, 80 mph near Aspen Springs and Blackhawk, 78 mph near Gold Hill, 76 mph near Floyd Hill, with 75 mph near Dumont.","" +120914,723873,COLORADO,2017,October,High Wind,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-10-31 19:20:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Powerful downslope winds developed in portions of the Front Range Mountains and Foothills on the evening of the 31st. Peak wind gusts included: 96 mph near Georgetown, 93 mph near Berthoud Pass, 81 mph near Georgetown, 80 mph near Aspen Springs and Blackhawk, 78 mph near Gold Hill, 76 mph near Floyd Hill, with 75 mph near Dumont.","" +121215,725715,MONTANA,2017,October,Drought,"CENTRAL AND SE PHILLIPS",2017-10-01 00:00:00,MST-7,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although northeast Montana had areas of both above and below normal precipitation for the month of October, much of the area saw slight improvements in their drought classification over the month of October. Even so, severe (D2) to exceptional (D4) drought conditions persisted across the region.","Exceptional (D4) drought conditions were present across central and southeast Phillips county at the beginning of the month, improving slightly to Extreme (D3) drought conditions by the end of the month. Much of the area received between one and two inches of precipitation, which was one half to three quarters of an inch above normal for the month." +121057,724714,WASHINGTON,2017,October,High Wind,"SOUTHWEST INTERIOR",2017-10-22 00:15:00,PST-8,2017-10-22 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very potent atmospheric river brought strong winds to the south Washington Coast and Willapa Hills on October 21st. What followed was a significant amount of rain, especially along the Coast and in the Willapa Hills. All this rain caused flooding on rivers near Rosburg and Washougal.","A remote automated weather station at Abernathy recorded wind gusts up to 63 mph." +121324,726297,VERMONT,2017,October,Heavy Rain,"WINDHAM",2017-10-29 09:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,,NaN,,NaN,43.04,-72.67,43.04,-72.67,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused thousands of power outages and trees down across southern Vermont. Total rainfall amounts reported across southern Vermont ranged from 1.07 inches in Bennington to 7.01 inches near Wilmington.","A storm total rainfall of 3.6 inches was reported." +121075,724805,WYOMING,2017,October,High Wind,"FERRIS/SEMINOE/SHIRLEY MOUNTAINS",2017-10-07 13:50:00,MST-7,2017-10-07 17:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","A RAWS sensor near Muddy Gap measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 07/1650 MST." +121075,724806,WYOMING,2017,October,High Wind,"EAST PLATTE COUNTY",2017-10-07 14:30:00,MST-7,2017-10-07 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Coleman measured sustained winds of 40 mph or higher." +121075,724902,WYOMING,2017,October,High Wind,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-07 09:35:00,MST-7,2017-10-07 15:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Bordeaux measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 07/1255 MST. A couple of semis were blown over near Interstate 25 mile post 71." +121075,724903,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 06:35:00,MST-7,2017-10-07 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 07/0640 MST." +121075,724904,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-06 23:10:00,MST-7,2017-10-07 00:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 06/2310 MST." +121075,724905,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 04:50:00,MST-7,2017-10-07 17:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Arlington measured sustained winds of 40 mph or higher, with a peak gust of 65 mph at 07/1345 MST." +121075,724906,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 10:40:00,MST-7,2017-10-07 13:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Elk Mountain measured sustained winds of 40 mph or higher." +121075,724907,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 09:15:00,MST-7,2017-10-07 14:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The wind sensor at the Elk Mountain Airport measured sustained winds of 40 mph or higher, with a peak gust of 61 mph at 07/1315 MST." +119995,719070,MONTANA,2017,October,High Wind,"CASCADE",2017-10-17 18:26:00,MST-7,2017-10-17 18:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Great Falls Airport (KGTF)." +119995,719067,MONTANA,2017,October,High Wind,"HILL",2017-10-17 20:39:00,MST-7,2017-10-17 20:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet aloft combined with a rapidly deepening surface low across southern Canada and good mixing brought widespread strong and, at times, damaging winds to Central Montana.","Peak wind gust at the Havre Airport (KHVR)." +119996,719084,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-18 22:36:00,MST-7,2017-10-18 22:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of stronger winds developed along the Rocky Mountain Front as a strong jet moved through the area in association with a strong pressure gradient. Strong winds extended east over a portion of the plains of Central Montana thanks to an intensifying surface trough over the area.","Peak wind gust at the Two Medicine DOT site." +119996,719085,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-18 20:11:00,MST-7,2017-10-18 20:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of stronger winds developed along the Rocky Mountain Front as a strong jet moved through the area in association with a strong pressure gradient. Strong winds extended east over a portion of the plains of Central Montana thanks to an intensifying surface trough over the area.","Peak wind gust at the Saint Mary RAWS site." +119996,719086,MONTANA,2017,October,High Wind,"TOOLE",2017-10-18 23:00:00,MST-7,2017-10-18 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of stronger winds developed along the Rocky Mountain Front as a strong jet moved through the area in association with a strong pressure gradient. Strong winds extended east over a portion of the plains of Central Montana thanks to an intensifying surface trough over the area.","Peak wind gust at the Sunburst DOT site." +119996,719087,MONTANA,2017,October,High Wind,"TOOLE",2017-10-18 23:05:00,MST-7,2017-10-18 23:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of stronger winds developed along the Rocky Mountain Front as a strong jet moved through the area in association with a strong pressure gradient. Strong winds extended east over a portion of the plains of Central Montana thanks to an intensifying surface trough over the area.","Peak wind gust at the Sweet Grass DOT site." +120069,719457,FLORIDA,2017,October,Flash Flood,"WALTON",2017-10-23 00:00:00,CST-6,2017-10-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3188,-86.1293,30.3185,-86.1281,"A mid-latitude upper level trough interacted with a tropical airmass with precipitable water values in excess of 2 inches. As a result, heavy rainfall occurred across portions of the Florida panhandle. Rainfall amounts in Walton county reached 4-8 inches in spots in around 6 hours time with a few road intersections flooded. The highest measured rainfall amount was 8.15 inches in the far western portion of the county.","Flooding was reported at the intersection of County Highway 395 and Highway 30A." +120380,721153,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-13 06:44:00,HST-10,2017-10-13 09:43:00,0,0,0,0,0.00K,0,0.00K,0,20.2417,-155.8315,19.8379,-155.712,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721154,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-13 19:36:00,HST-10,2017-10-13 20:30:00,0,0,0,0,0.00K,0,0.00K,0,19.5954,-155.9633,19.4984,-155.9262,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721155,HAWAII,2017,October,Heavy Rain,"KAUAI",2017-10-13 20:29:00,HST-10,2017-10-14 01:24:00,0,0,0,0,0.00K,0,0.00K,0,22.2104,-159.4899,21.9122,-159.596,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721156,HAWAII,2017,October,Heavy Rain,"KAUAI",2017-10-15 02:02:00,HST-10,2017-10-15 04:55:00,0,0,0,0,0.00K,0,0.00K,0,22.1419,-159.6973,21.9534,-159.3732,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120380,721157,HAWAII,2017,October,Lightning,"HAWAII",2017-10-12 19:00:00,HST-10,2017-10-12 19:00:00,0,0,0,0,15.00K,15000,0.00K,0,19.7,-155.09,19.7,-155.09,"Low level moisture became the fuel as surface and upper air features induced heavy rain and isolated thunderstorms over much of the island chain. The downpours produced ponding on roadways, and small stream and drainage ditch flooding. No serious injuries were reported. However, a lightning strike caused a home in Hilo on the Big Island of Hawaii to catch fire on the 12th.","" +120383,721167,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-22 14:07:00,HST-10,2017-10-22 19:45:00,0,0,0,0,0.00K,0,0.00K,0,19.8805,-155.1366,19.3916,-155.3096,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120448,721629,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-01 17:33:00,EST-5,2017-10-01 17:33:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.21,29.5067,-81.3043,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Multiple secondary roads were flooding across the NE section of the county including roads in the Hammocks, Palm Coast and Bunnell. Several cars were submerged in the flood water." +120448,721631,FLORIDA,2017,October,Flood,"PUTNAM",2017-10-01 20:00:00,EST-5,2017-10-01 20:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5792,-81.5893,29.5905,-81.6154,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Significant flooding occurred near Dunns Creek." +120448,721632,FLORIDA,2017,October,Flood,"ST. JOHNS",2017-10-01 21:58:00,EST-5,2017-10-01 21:58:00,0,0,0,0,0.00K,0,0.00K,0,29.8466,-81.3636,29.8519,-81.3586,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","County Road 207 near the Kangaroo Express was flooded and under water." +120303,720897,CALIFORNIA,2017,October,High Wind,"KERN CTY MTNS",2017-10-20 05:32:00,PST-8,2017-10-20 05:32:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Blue Max RAWS reported a maximum wind gust of 72 mph." +120303,720898,CALIFORNIA,2017,October,High Wind,"SE KERN CTY DESERT",2017-10-20 08:11:00,PST-8,2017-10-20 08:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Mesonet station at Cache Creek reported a maximum wind gust of 66 mph." +120074,721798,MISSOURI,2017,October,Thunderstorm Wind,"TANEY",2017-10-22 00:24:00,CST-6,2017-10-22 00:24:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-93.12,36.7,-93.12,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","Wind gusts up to 60 mph were estimated but no damage was reported." +120074,721793,MISSOURI,2017,October,Thunderstorm Wind,"WEBSTER",2017-10-22 00:40:00,CST-6,2017-10-22 00:40:00,0,0,0,0,1.00K,1000,0.00K,0,37.15,-92.77,37.15,-92.77,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","An intermittent path of minor wind damage to shingles and trees from west of Seymour into the city. The debris was initially thrown in a divergent direction at the start of the event...continuing in an easterly manner into Seymour." +120513,722154,MASSACHUSETTS,2017,October,Flood,"HAMPDEN",2017-10-24 20:20:00,EST-5,2017-10-25 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0846,-72.7223,42.1059,-72.6792,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","River Street underpass in West Springfield was impassable. Shaker Road in Westfield was flooded and impassable; Union Street underpass was flooded and impassable; Manhole covers on Mill Street popped open by 835 PM EST. Feeding Hills Road in Southwick near the Rail Trail was blocked due to flooding." +120513,722156,MASSACHUSETTS,2017,October,Flood,"HAMPDEN",2017-10-24 21:35:00,EST-5,2017-10-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0669,-72.6312,42.0771,-72.6272,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","North Westfield Street in Agawam was flooded and impassable. Suffield Street near Mill Street was flooded and closed. Flooding also reported at Mill and Poplar Streets." +120513,722153,MASSACHUSETTS,2017,October,Flood,"WORCESTER",2017-10-24 20:35:00,EST-5,2017-10-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3312,-71.7888,42.2459,-71.7448,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Numerous streets flooded in Worcester. These include Sever Street, Hampden Street, Fruit Street, Pelham Street, Merrick Street, Highland Street at Roxbury Street, U.S, Route 20 at Grafton Street, and Austin Street at Bellevue Street. At 150 AM Southbridge Street was flooded and impassable." +120624,722766,MASSACHUSETTS,2017,October,Flood,"BARNSTABLE",2017-10-30 01:15:00,EST-5,2017-10-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,41.714,-70.1998,41.7155,-70.2015,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 130 AM EST, State Route 6A near Apache Drive was flooded." +120624,722765,MASSACHUSETTS,2017,October,Flood,"MIDDLESEX",2017-10-30 00:00:00,EST-5,2017-10-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6287,-71.3068,42.2652,-71.4757,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 1210 AM EST, street flooding was reported at the junction of Gorham and Moore Streets in Lowell. The Speen Street on-ramp to State Route 9 in Natick was flooded and impassable; Route 9 eastbound in Natick near the pumping station was flooded. State Route 9 westbound in Framingham was flooded near Temple Road. State Route 129 in Wilmington was flooded and impassable near the 99 Restaurant. Sections of Massachusetts Avenue and Summer Street in Arlington were closed to flooding. Somerville Avenue at Laurel Street in Somerville was flooded. A section of Lexington Street in Waltham was flooded and impassable. A section of Russell Street in Woburn was flooded. The Memorial Drive underpass at the Longfellow Bridge in Cambridge was closed to flooding." +120624,722767,MASSACHUSETTS,2017,October,Flood,"BRISTOL",2017-10-30 03:11:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9635,-71.1827,41.9654,-71.1864,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 311 AM EST, Fillmore Drive was closed due to flooding." +120624,722768,MASSACHUSETTS,2017,October,Flood,"BRISTOL",2017-10-30 02:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7007,-71.1512,41.7014,-71.151,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 230 AM EST, Bedford Street near Sixth Street in Fall River was reported flooded." +120449,722090,CALIFORNIA,2017,October,Wildfire,"NORTH BAY MOUNTAINS",2017-10-08 20:52:00,PST-8,2017-10-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","The Atlas Fire (Southern LNU Complex) started the night of October 8th and was officially contained on the 27th. A total of 51,624 acres were burned, 481 structures destroyed, and there were 6 fatalities in Napa County|http://www.latimes.com/local/lanow/la-me-ln-fires-20171018-story.html." +120449,722093,CALIFORNIA,2017,October,Wildfire,"NORTH BAY MOUNTAINS",2017-10-09 02:30:00,PST-8,2017-10-31 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","The Pocket Fire began early on the 9th and was officially contained on the 31st. A total of 17,357 acres were burned and 540 structures were destroyed. There were no fatalities associated with this fire." +120449,722102,CALIFORNIA,2017,October,High Wind,"EAST BAY HILLS AND THE DIABLO RANGE",2017-10-08 21:15:00,PST-8,2017-10-08 21:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","Wind gust of 75 mph measured on Mt. Diablo." +120799,723429,ALASKA,2017,October,Winter Weather,"BRISTOL BAY",2017-10-23 02:20:00,AKST-9,2017-10-23 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed over the Northern Pacific Ocean and tracked northward toward the Alaska Peninsula. Snowfall overspread the Bristol Bay area but the main impacts were felt along the Alaska and Aleutian Ranges where snowfall upsloped along the higher terrain.","PAIL (Iliamna Airport) reported 8 inches of snowfall." +120090,720922,COLORADO,2017,October,Hail,"PHILLIPS",2017-10-01 17:40:00,MST-7,2017-10-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-102.3,40.58,-102.3,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","" +120090,723962,COLORADO,2017,October,Winter Weather,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-10-01 11:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","Storm totals included 7 inches at Tower and 6 inches at Zirkel." +120090,723965,COLORADO,2017,October,Winter Weather,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-10-01 11:00:00,MST-7,2017-10-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system brought heavy snow to portions of the north central mountains, high mountain valleys and northern Front Range Foothills. Storm totals included: 16 inches near Cameron Pass, 15 inches near Breckenridge, 14 inches at Fremont Pass, 13 inches at A-Basin and 8 miles south-southeast of Rand, 12 inches at Berthoud Pass, Lake Eldora and Willow Park; 11 inches near Blue River, Cabin Creek, Copper Mountain and Echo Lake; 10 inches at Roach SNOTEL, 9.5 inches near Blackhawk and Winter Park, 8.5 inches at Walden; 8 inches at Dillon and Rollinsville; 7 inches at Tower SNOTEL with 6 inches at Zirkel SNOTEL.","Storm total included 8 inches near Rollinsville." +120312,720920,COLORADO,2017,October,Hail,"LINCOLN",2017-10-06 13:19:00,MST-7,2017-10-06 13:19:00,0,0,0,0,,NaN,,NaN,38.94,-103.39,38.94,-103.39,"A weak landspout form briefly following the collision of two outflow boundaries. In addition, a severe thunderstorm produced one inch diameter hail in southern Lincoln County.","" +120312,720921,COLORADO,2017,October,Tornado,"ARAPAHOE",2017-10-06 15:25:00,MST-7,2017-10-06 15:25:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-104.11,39.65,-104.11,"A weak landspout form briefly following the collision of two outflow boundaries. In addition, a severe thunderstorm produced one inch diameter hail in southern Lincoln County.","A weak short-lived landspout touched down briefly in an open field. No damage was observed." +120990,724213,FLORIDA,2017,October,Tornado,"MIAMI-DADE",2017-10-28 12:19:00,EST-5,2017-10-28 12:20:00,0,0,0,0,,NaN,,NaN,25.7333,-80.3439,25.7367,-80.3507,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tornado touched down at the shopping center near the corner of Bird Road and SW 92nd Avenue in Westchester. Here it broke off large tree limbs in the parking lot which, fell on a car and damaged it windshield. The tornado then moved west-northwest over Bird Bowl Shopping Center, where high end EF-0 damage was observed. The front window of a store was broken and peeling off part of the roof. This allowed water to enter a meeting room and mechanical room. A large dumpster was also moved behind the building. Power lines, trees and fences were downed along SW 39th Street between SW 92nd and SW 94th Avenues. The tornado then briefly lifted, touching down again at SW 36th Street and 95th Avenue where it downed power lines and fences, broke large tree limbs, and caused minor roof and siding damage to homes. The tornado lifted before reaching SW 97th Avenue." +120991,724216,ATLANTIC SOUTH,2017,October,Marine Tropical Storm,"DEERFIELD BEACH TO OCEAN REEF FL",2017-10-28 22:00:00,EST-5,2017-10-29 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm. ||The storm lead to hazardous marine conditions on the local Atlantic waters as it crossed the region.","Tropical Storm Philippe produced maximum sustained winds generally between 30 and 40 knots (35 and 45 mph) across the nearshore Atlantic waters of Broward and Miami-Dade counties for around 3 hours during the late evening hours of October 28th. A highest sustained wind of 40 knots (46 mph) and peak gust of 54 knots (62 mph) was measured at C-MAN station FWFY1, located at Fowey Rocks shortly after 11 PM EDT. This site is significantly elevated at 144 feet. Other sites in the vicinity measured peak gusts of 40 to 50 mph." +121076,724811,MISSISSIPPI,2017,October,Tropical Storm,"GEORGE",2017-10-07 17:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The remnant eastern eyewall of Nate moved across George and Greene Counties between midnight and 3am. Tropical storm force winds, with maximum gusts estimated at 60 to 70 mph, resulted in numerous downed trees and power lines in George County. Several homes reported minor roof and shingle damage. One mobile was destroyed due to a tree falling on it. A total of 7,000 power outages were reported. Further north in Greene and Wayne Counties, scattered downed trees and power lines were reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 2 to 5 inches of rain was reported across inland southeast Mississippi. ||One EF-0 tornado was reported in Wayne County.","" +121076,724830,MISSISSIPPI,2017,October,Tropical Storm,"GREENE",2017-10-07 20:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The remnant eastern eyewall of Nate moved across George and Greene Counties between midnight and 3am. Tropical storm force winds, with maximum gusts estimated at 60 to 70 mph, resulted in numerous downed trees and power lines in George County. Several homes reported minor roof and shingle damage. One mobile was destroyed due to a tree falling on it. A total of 7,000 power outages were reported. Further north in Greene and Wayne Counties, scattered downed trees and power lines were reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 2 to 5 inches of rain was reported across inland southeast Mississippi. ||One EF-0 tornado was reported in Wayne County.","" +121076,724831,MISSISSIPPI,2017,October,Tropical Storm,"WAYNE",2017-10-07 20:00:00,CST-6,2017-10-08 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th.||The remnant eastern eyewall of Nate moved across George and Greene Counties between midnight and 3am. Tropical storm force winds, with maximum gusts estimated at 60 to 70 mph, resulted in numerous downed trees and power lines in George County. Several homes reported minor roof and shingle damage. One mobile was destroyed due to a tree falling on it. A total of 7,000 power outages were reported. Further north in Greene and Wayne Counties, scattered downed trees and power lines were reported. ||The fast movement of Nate resulted in limited, if any, impacts from flooding. 2 to 5 inches of rain was reported across inland southeast Mississippi. ||One EF-0 tornado was reported in Wayne County.","" +121083,724840,FLORIDA,2017,October,Storm Surge/Tide,"ESCAMBIA COASTAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +120893,723875,ALABAMA,2017,October,Flash Flood,"MOBILE",2017-10-22 13:00:00,CST-6,2017-10-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-88.35,30.4766,-88.2765,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Heavy rains caused fast flowing water over Potter Tract Road just south of Saeger Road." +120893,723905,ALABAMA,2017,October,Flash Flood,"MOBILE",2017-10-22 13:00:00,CST-6,2017-10-22 15:00:00,0,0,0,0,30.00K,30000,0.00K,0,30.3976,-88.35,30.3972,-88.2944,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Heavy rain caused multiple roads and businesses to flood around southern Mobile county." +120886,724804,VIRGINIA,2017,October,Tornado,"MONTGOMERY",2017-10-23 17:35:00,EST-5,2017-10-23 17:39:00,0,0,0,0,100.00K,100000,,NaN,37.192,-80.597,37.2149,-80.5837,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a two tornadoes in southwest Virginia.","A tornado touched down as an EF1 at 5:33PM (LST) just west of Belspring Road in Pulaski County and traveled 1.3 miles before crossing the New River along Depot Road into Montgomery County at approximately 5:35PM. The tornado would continue almost two more miles before lifting near McCoy at 5:39PM. Most of the damage was to trees being snapped or knocked down on Kentland Farm, with likely totals in the hundreds. Some homes in the McCoy area received some minor damage, however the majority of the path through Montgomery county managed to stay in uninhabited areas. The tornado reached its maximum width of 300 yards near the river and consistently displayed EF1 (86-110 MPH) damage through its lifespan." +120887,724584,NORTH CAROLINA,2017,October,Thunderstorm Wind,"YADKIN",2017-10-23 16:29:00,EST-5,2017-10-23 16:29:00,0,0,0,0,0.50K,500,,NaN,36.22,-80.817,36.22,-80.817,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Thunderstorm winds knocked down a tree along Fall Creek Church Road." +120887,724591,NORTH CAROLINA,2017,October,Thunderstorm Wind,"SURRY",2017-10-23 16:45:00,EST-5,2017-10-23 16:45:00,0,0,0,0,10.00K,10000,0.00K,0,36.5,-80.72,36.5,-80.72,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Many trees and power lines were knocked down by thunderstorm winds across the county, mainly in Pine Ridge where a possible microburst occurred." +120887,724828,NORTH CAROLINA,2017,October,Thunderstorm Wind,"ALLEGHANY",2017-10-23 16:40:00,EST-5,2017-10-23 16:45:00,0,0,0,0,50.00K,50000,0.00K,0,36.5362,-81.0194,36.5065,-80.9638,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Thunderstorm winds brought down several large trees, damaged a couple of barns and a mobile home along a path from Rector Road to Glade Valley Road." +119761,718204,COLORADO,2017,October,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-10-09 06:00:00,MST-7,2017-10-09 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Snowfall amounts of 2 to 9 inches were measured across the area. Measured wind gusts of 25 to 40 mph resulted in areas of blowing snow." +119761,718205,COLORADO,2017,October,Winter Weather,"FLATTOP MOUNTAINS",2017-10-09 05:00:00,MST-7,2017-10-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An anomalously strong low pressure system and associated cold front moved through the region and brought significant to heavy snowfall. Snow levels quickly lowered from above the 10,000 foot level to between 6000 and 7000 feet as colder air infiltrated the region, especially in northwest Colorado. Windy conditions at higher elevations resulted in blowing snow.","Generally 3 to 5 inches of snow fell across the area. Measured wind gusts of 30 to 45 mph resulted in areas of blowing snow." +120362,721093,COLORADO,2017,October,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-10-30 19:30:00,MST-7,2017-10-31 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance came down from the northwest and drove a cold front into southwest Colorado which interacted with some moisture in the area to produce significant snowfall in the mountains of southwest Colorado.","Generally 2 to 5 inches of snow fell across the area with a locally higher amount of 9 inches that was measured at the Porphyry Creek SNOTEL site." +120362,721095,COLORADO,2017,October,Winter Weather,"SOUTHWESTERN SAN JUAN MOUNTAINS",2017-10-30 23:00:00,MST-7,2017-10-31 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance came down from the northwest and drove a cold front into southwest Colorado which interacted with some moisture in the area to produce significant snowfall in the mountains of southwest Colorado.","Generally 4 to 8 inches of snow was measured across the area." +120362,721094,COLORADO,2017,October,Winter Weather,"NORTHWESTERN SAN JUAN MOUNTAINS",2017-10-30 23:30:00,MST-7,2017-10-31 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level disturbance came down from the northwest and drove a cold front into southwest Colorado which interacted with some moisture in the area to produce significant snowfall in the mountains of southwest Colorado.","Snowfall amounts of 3 to 7 inches were measured across the area at elevations above 9600 feet." +121128,725166,NEBRASKA,2017,October,Flood,"PIERCE",2017-10-07 17:55:00,CST-6,2017-10-10 11:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.36,-97.7,42,-97.4,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","The North Fork Elkhorn River rose above flood stage for 65 hours. The river crested at 13.36 feet, flood stage is 12 feet. Several county roads near the river flooded." +121183,725440,SOUTH DAKOTA,2017,October,Drought,"EDMUNDS",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725439,SOUTH DAKOTA,2017,October,Drought,"CAMPBELL",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725441,SOUTH DAKOTA,2017,October,Drought,"FAULK",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121183,725442,SOUTH DAKOTA,2017,October,Drought,"HYDE",2017-10-01 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The severe drought across much of central and north central South Dakota at the beginning of October diminished and became confined to just western Corson and extreme northwestern Dewey counties by the end of October. Harvested crops were way down due to the prolonged drought conditions since early June. Much of the pasture and range land conditions continued to be rated poor to very poor resulting in frequent days of high to very high fire danger. The drought also affected the pheasant population across the region as their nesting success and chick survival rate was reduced due to less cover along with a reduction in the insects for the chicks to feed on.","" +121186,725443,SOUTH DAKOTA,2017,October,High Wind,"CORSON",2017-10-26 01:06:00,CST-6,2017-10-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +120706,725189,WISCONSIN,2017,October,Heavy Snow,"ASHLAND",2017-10-27 10:00:00,CST-6,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","Ten and a half inches of snow was measured 1 mile northwest of Mellen while a nearby site 5 miles south southeast of Mellen had a storm total of 14 of snow." +120706,723012,WISCONSIN,2017,October,High Wind,"ASHLAND",2017-10-27 08:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","The wind gust measured by station DISW3." +120706,725192,WISCONSIN,2017,October,Heavy Snow,"IRON",2017-10-27 10:00:00,CST-6,2017-10-28 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The Devil's Island Lighthouse at the Apostle Islands recorded a wind gust of 68 mph around 11:00 am, but wind had been building and gusting over 40 mph since late the previous evening. The winds and subsequent waves and high surf caused portions of the boardwalk in Port Wing to get torn up and strewn with rocks and debris. A road in the Red Cliff reservation was closed due to water and debris from lake Superior. The snow began in the afternoon of the 26th and spread eastward. Winds then became favorable to produce lake effect snow that affected Ashland and Iron Counties with Gile seeing 13.5 and Mellen around 14 of snow.","A snowfall observer in Gile had 7.5 in under 24 hours and additional lake effect snow bringing a total over the 3 days of 13.8 of snow." +121153,725309,CALIFORNIA,2017,October,Rip Current,"ORANGE COUNTY COASTAL",2017-10-06 15:00:00,PST-8,2017-10-06 16:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southwesterly swell brought several days of high surf to the beaches of Orange and San Diego Counties between the 6th and 9th. Surf peaked on the 7th and 8th, with 6-8 ft sets north of Del Mar and max sets to 15 ft at the Wedge. It was widely reported that this was the biggest surf at the Wedge since Hurricane Marie in 2014. Significant coastal flooding impacted Balboa Peninsula in Newport Beach and Capistrano Beach. A swimmer was killed on the 6th.","A swimmer visiting from San Francisco was pulled out to sea and drowned by a strong rip current. Lifeguards reported peak wave heights of 8 ft. The body was found on Seal Beach a day later." +121156,725310,CALIFORNIA,2017,October,Wildfire,"ORANGE COUNTY INLAND",2017-10-09 09:00:00,PST-8,2017-10-17 05:00:00,0,0,0,0,25.00M,25000000,,NaN,NaN,NaN,NaN,NaN,"Moderate to strong Santa Ana winds surfaced west of the mountains as high pressure built over the Great Basin on the 9th. Surface pressure gradients favored the Inland Empire and Orange County for the strongest winds. In most places peak wind gusts were 35-55 mph, but local gusts to 70 were reported. The downsloping flow sent relative humidity values crashing. The Canyon 2 Fire began near Anaheim Hills ultimately scorching more than 9,000 acres and damaging or destroying 80 structures. Isolated damage also occurred below the Cajon Pass.","The Canyon 2 Fire began around 0900 PST on the 9th near the 91 Freeway and Gypsum Canyon Rd. in Anaheim Hills. The fire spread rapidly threatening numerous structures. In the first 24 hours the fire consumed more than 7,000 acres. In total 25 structures were destroyed, 55 were damaged and 9,217 acres burned. Four injuries were also reported. The cause of the fire was reported to be embers from the Canyon Fire which began September 25 and contained October 4th. Damage value is an estimate." +121156,725348,CALIFORNIA,2017,October,High Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-10-09 09:16:00,PST-8,2017-10-09 11:16:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moderate to strong Santa Ana winds surfaced west of the mountains as high pressure built over the Great Basin on the 9th. Surface pressure gradients favored the Inland Empire and Orange County for the strongest winds. In most places peak wind gusts were 35-55 mph, but local gusts to 70 were reported. The downsloping flow sent relative humidity values crashing. The Canyon 2 Fire began near Anaheim Hills ultimately scorching more than 9,000 acres and damaging or destroying 80 structures. Isolated damage also occurred below the Cajon Pass.","The USFS RAWS station at Highland Springs (below the San Gorgonio Pass) reported peak wind gusts in the 58 to 61 mph range for 2 hours. Sustained winds were 30-40 mph. Winds in the rest of the Inland Empire remained below High Wind Criteria with peak gusts of 35-55 mph." +121222,725750,PUERTO RICO,2017,October,Flash Flood,"VEGA ALTA",2017-10-08 15:20:00,AST-4,2017-10-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,18.4304,-66.3401,18.4261,-66.334,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Roads 2 and 690 flooded in addition to the Machuchal Creek flooding nearby areas." +121083,724985,FLORIDA,2017,October,Flash Flood,"OKALOOSA",2017-10-08 07:15:00,CST-6,2017-10-08 09:15:00,0,0,0,0,0.00K,0,0.00K,0,30.77,-86.55,30.7698,-86.5473,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","Road impassable from flooding along Valley Road near 1st Avenue." +121111,725076,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"FLORENCE",2017-10-23 20:25:00,EST-5,2017-10-23 20:26:00,0,0,0,0,1.00K,1000,0.00K,0,33.8314,-79.5542,33.8314,-79.5542,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A large tree was reported down near the intersection of Lake City Hwy. and S Fire Station Rd. The time was estimated based on radar data." +120229,720327,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-08-19 00:12:00,EST-5,2017-08-19 00:12:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.11,36.97,-76.11,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 42 knots was measured at the Chesapeake Bay Bridge Tunnel Station (CBBV2)." +116301,712758,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-09 20:20:00,CST-6,2017-07-09 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-95.7,44.95,-95.7,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712759,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:07:00,CST-6,2017-07-09 20:07:00,0,0,0,0,0.00K,0,0.00K,0,44.69,-93.24,44.69,-93.24,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119660,718834,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-76.43,37.19,-76.43,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.50 inches was measured at Seaford." +116301,712707,MINNESOTA,2017,July,Hail,"MCLEOD",2017-07-09 19:27:00,CST-6,2017-07-09 19:27:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-94.4,44.83,-94.4,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712770,MINNESOTA,2017,July,Hail,"NICOLLET",2017-07-09 20:30:00,CST-6,2017-07-09 20:30:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-94.43,44.34,-94.43,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116988,703628,NEW YORK,2017,May,Thunderstorm Wind,"MONROE",2017-05-01 15:42:00,EST-5,2017-05-01 15:42:00,0,0,0,0,25.00K,25000,0.00K,0,43.19,-77.71,43.19,-77.71,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm winds knocked a tree onto a house on Tarwood Drive in Gates." +116988,703629,NEW YORK,2017,May,Thunderstorm Wind,"MONROE",2017-05-01 15:45:00,EST-5,2017-05-01 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,43.19,-77.71,43.19,-77.71,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm winds down trees on Pasadena Drive in Gates." +116988,703630,NEW YORK,2017,May,Thunderstorm Wind,"WYOMING",2017-05-01 15:45:00,EST-5,2017-05-01 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.57,-78.05,42.57,-78.05,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703635,NEW YORK,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-01 16:00:00,EST-5,2017-05-01 16:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.64,-77.79,42.64,-77.79,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703636,NEW YORK,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-01 16:10:00,EST-5,2017-05-01 16:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.63,-77.7,42.63,-77.7,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703637,NEW YORK,2017,May,Thunderstorm Wind,"LIVINGSTON",2017-05-01 16:17:00,EST-5,2017-05-01 16:17:00,0,0,0,0,10.00K,10000,0.00K,0,42.63,-77.59,42.63,-77.59,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +121687,728386,NEW YORK,2017,May,Coastal Flood,"NORTHERN CAYUGA",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119317,716447,NEW YORK,2017,July,Flash Flood,"ONTARIO",2017-07-13 12:00:00,EST-5,2017-07-13 13:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.87,-76.98,42.8628,-76.9997,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +119412,716675,LAKE ONTARIO,2017,July,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-07-17 04:00:00,EST-5,2017-07-17 04:00:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"A cluster of thunderstorms moved across eastern Lake Ontario during the pre-dawn hours. Wind gusts to 34 knots were measured at Oswego.","" +119413,716676,NEW YORK,2017,July,Thunderstorm Wind,"LEWIS",2017-07-17 05:31:00,EST-5,2017-07-17 05:31:00,0,0,0,0,10.00K,10000,0.00K,0,43.71,-75.4,43.71,-75.4,"A cluster of thunderstorms moved across the eastern Lake Ontario region during the pre-dawn hours. Thunderstorm winds downed trees in Glenfield.","Law enforcement reported trees downed by thunderstorm winds." +119414,716678,NEW YORK,2017,July,Lightning,"GENESEE",2017-07-24 06:20:00,EST-5,2017-07-24 06:20:00,0,0,0,0,75.00K,75000,0.00K,0,43.1223,-77.9763,43.1223,-77.9763,"Thunderstorms developed during the early morning hours along a warm front extending across the Genesee Valley and Finger Lakes. A lightning strike caused a house fire in Bergen. No one was injured however the house suffered extensive damage. Another lightning strike hit the Air Traffic Control Tower. No one was injured or evacuated and flights were not affected however smoke was reported in the air traffic control room.","" +119414,716679,NEW YORK,2017,July,Lightning,"MONROE",2017-07-24 06:50:00,EST-5,2017-07-24 06:50:00,0,0,0,0,5.00K,5000,0.00K,0,43.1141,-77.6696,43.1141,-77.6696,"Thunderstorms developed during the early morning hours along a warm front extending across the Genesee Valley and Finger Lakes. A lightning strike caused a house fire in Bergen. No one was injured however the house suffered extensive damage. Another lightning strike hit the Air Traffic Control Tower. No one was injured or evacuated and flights were not affected however smoke was reported in the air traffic control room.","" +120768,723322,NEW YORK,2017,September,Thunderstorm Wind,"ERIE",2017-09-04 22:10:00,EST-5,2017-09-04 22:10:00,0,0,0,0,8.00K,8000,0.00K,0,42.77,-78.62,42.77,-78.62,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Reports of downed trees by thunderstorm winds were noted on social media." +120768,723323,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 22:15:00,EST-5,2017-09-04 22:15:00,0,0,0,0,8.00K,8000,0.00K,0,42.1,-79.32,42.1,-79.32,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723324,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 22:17:00,EST-5,2017-09-04 22:17:00,0,0,0,0,8.00K,8000,0.00K,0,42.1,-79.28,42.1,-79.28,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +116453,703731,MINNESOTA,2017,July,Tornado,"ANOKA",2017-07-12 01:20:00,CST-6,2017-07-12 01:32:00,0,0,0,0,0.00K,0,0.00K,0,45.3784,-93.2268,45.3072,-93.0197,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","The tornado touched down in East Bethel, along 225th Ave NE and just east of Highway 65. It moved southeast, crossing the northern part of Carlos Avery Wildlife Management Area, and exited the county in the northeast corner of Columbus. Numerous trees were downed, with some hitting houses, sheds and vehicles. The wind also took some siding off a house and dented a garage door. After exiting Anoka County, it moved across the far southwest part of Chisago County, where it dissipated." +116301,712715,MINNESOTA,2017,July,Hail,"MCLEOD",2017-07-09 19:44:00,CST-6,2017-07-09 19:48:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-94.41,44.73,-94.41,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +115491,693734,ALABAMA,2017,April,Thunderstorm Wind,"CLARKE",2017-04-03 04:55:00,CST-6,2017-04-03 04:57:00,0,0,0,0,2.00K,2000,0.00K,0,31.92,-87.73,31.92,-87.73,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Trees down in Highway 5." +115491,693735,ALABAMA,2017,April,Lightning,"CLARKE",2017-04-03 05:00:00,CST-6,2017-04-03 05:00:00,0,0,0,0,30.00K,30000,0.00K,0,31.92,-87.73,31.92,-87.73,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","A lightning strike caused a house fire along Finley Crossing Road." +115491,693749,ALABAMA,2017,April,Thunderstorm Wind,"MOBILE",2017-04-03 05:25:00,CST-6,2017-04-03 05:27:00,0,0,0,0,5.00K,5000,0.00K,0,31.08,-88.23,31.08,-88.23,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph downed several trees." +115491,693750,ALABAMA,2017,April,Thunderstorm Wind,"CLARKE",2017-04-03 05:45:00,CST-6,2017-04-03 05:47:00,0,0,0,0,5.00K,5000,0.00K,0,31.65,-87.7,31.65,-87.7,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph downed trees on Gosport Road." +115491,693751,ALABAMA,2017,April,Thunderstorm Wind,"CLARKE",2017-04-03 06:00:00,CST-6,2017-04-03 06:02:00,0,0,0,0,5.00K,5000,0.00K,0,31.5,-87.72,31.5,-87.72,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph caused roof damage to a home on Play Lane." +115493,693752,MISSISSIPPI,2017,April,Hail,"GEORGE",2017-04-03 06:10:00,CST-6,2017-04-03 06:12:00,0,0,0,0,0.00K,0,0.00K,0,30.8,-88.52,30.8,-88.52,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, which caused damage across southeast Mississippi.","" +115491,693754,ALABAMA,2017,April,Thunderstorm Wind,"CLARKE",2017-04-03 06:15:00,CST-6,2017-04-03 06:17:00,0,0,0,0,10.00K,10000,0.00K,0,31.4705,-87.724,31.4705,-87.724,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph blew a porch off a house on Walker Springs Road." +115491,693755,ALABAMA,2017,April,Hail,"MOBILE",2017-04-03 06:26:00,CST-6,2017-04-03 06:28:00,0,0,0,0,0.00K,0,0.00K,0,30.82,-88.35,30.82,-88.35,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","" +115491,693760,ALABAMA,2017,April,Flash Flood,"MOBILE",2017-04-03 08:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,30.7279,-88.3246,30.6397,-88.0726,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Flowing water was reported up to the tires of cars on St. Joseph Street." +114314,685006,ARIZONA,2017,February,Heavy Snow,"KAIBAB PLATEAU",2017-02-27 09:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Eight to 12 inches of snow fell in and around Jacob Lake." +114314,685015,ARIZONA,2017,February,Flood,"GILA",2017-02-28 05:49:00,MST-7,2017-02-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.3,-111.36,34.2744,-111.4244,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","The Gila County Sheriffs Office reported flooding along the lower water crossings of East Verde River at East Verde Estates." +114314,685017,ARIZONA,2017,February,Heavy Rain,"GILA",2017-02-27 13:00:00,MST-7,2017-02-28 13:00:00,0,0,0,0,0.00K,0,0.00K,0,34.4184,-111.5112,34.1257,-111.1047,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Heavy rain fell across Northern Gila County. Here are some 24 hours rainfall amounts (inches):||Washington Park 3.72 |1 S Pine 3.28 |4 N Kohls Ranch 3.13|1 SW Washington Park 2.99 |4 NNW Star Valley 2.63 |1 E Payson 2.47 |Payson 2.21 |Young 2.03." +118835,713941,IOWA,2017,July,Heavy Rain,"DALLAS",2017-07-20 19:00:00,CST-6,2017-07-20 20:26:00,0,0,0,0,0.00K,0,0.00K,0,41.81,-94.22,41.81,-94.22,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Public reported heavy rainfall of 3.84 inches form this evening." +120437,721546,ALASKA,2017,October,High Wind,"DENALI",2017-10-25 00:00:00,AKST-9,2017-10-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed in channeled areas of the Alaska range on the 25th and 26th of October. ||High winds were reported on the 25th at: ||zone 223: Peak wind gust of 63 kt (72 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek.|Strong pressure gradient developed in channeled areas of the Alaska range on the 5th of September. A 980 Low over the Bering Sea induced the pressure gradient and associated weather front moved across the range as well. ||zone 223: Peak wind gust of 57 kt (66 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek. ||Zone 226: The U.S. Army Mesonet station Texas Condo reported a wind gust to 68 kts (78 mph).","" +120437,727747,ALASKA,2017,October,High Wind,"NE. SLOPES OF THE ERN AK RNG",2017-10-25 00:00:00,AKST-9,2017-10-26 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed in channeled areas of the Alaska range on the 25th and 26th of October. ||High winds were reported on the 25th at: ||zone 223: Peak wind gust of 63 kt (72 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek.|Strong pressure gradient developed in channeled areas of the Alaska range on the 5th of September. A 980 Low over the Bering Sea induced the pressure gradient and associated weather front moved across the range as well. ||zone 223: Peak wind gust of 57 kt (66 mph) reported at OP5 mesonet site at Fort Greely. ||Zone 225: Peak wind gust of 61 kts (70 mph) reported at the State of Alaska Department of Transportation Mesonet site named Antler Creek. ||Zone 226: The U.S. Army Mesonet station Texas Condo reported a wind gust to 68 kts (78 mph).","" +119992,719050,LAKE ERIE,2017,August,Waterspout,"AVON POINT TO WILLOWICK OH",2017-08-23 17:35:00,EST-5,2017-08-23 17:38:00,0,0,0,0,0.00K,0,0.00K,0,42.1436,-80.1851,42.1436,-80.1851,"A waterspout was observed on Lake Erie.","A waterspout was observed on Lake Erie just west of Presque Isle." +119655,730576,OHIO,2017,August,Lightning,"STARK",2017-08-02 17:10:00,EST-5,2017-08-02 17:10:00,0,0,1,0,0.00K,0,0.00K,0,40.7209,-81.6123,40.7209,-81.6123,"A cold front moved across northern Ohio on August 2nd. Scattered thunderstorms developed along this front. At least one of the thunderstorms became severe.","An 82 year old man was struck by lightning and killed while working outside. This incident occurred just outside of Brewster." +121316,726238,ALASKA,2017,October,High Wind,"NE. SLOPES OF THE ERN AK RNG",2017-10-02 00:00:00,AKST-9,2017-10-03 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed in channeled areas of the Alaska range on the 2nd of October. |||zone 226: Peak wind gust of 67 kt (77 mph) reported at Texas Condo mesonet site.","" +118726,713246,OREGON,2017,September,Flash Flood,"BAKER",2017-09-08 17:20:00,PST-8,2017-09-08 20:15:00,0,0,0,0,250.00K,250000,0.00K,0,44.47,-118.3,44.47,-118.37,"Heavy rain fell across the Rail Burn Scar resulting in flash flooding including debris flow.","Thunderstorms producing heavy rain over the 2016 Rail Fire burned area on the Wallowa-Whitman National Forest resulted in flash flooding and debris flows. Two surges of water, mud, rock, logs and vegetation cascaded down a number of drainages, all converging into the South Fork of the Burnt River. Extensive scouring of stream channels occurred. A number of Forest Service campgrounds and picnic areas were damaged and some Forest Service roads were washed out or heavily damaged. Campers and hunters had to evacuate the area. Some recreational vehicles were damaged." +117521,708227,CALIFORNIA,2017,June,Flood,"MARIPOSA",2017-06-01 00:00:00,PST-8,2017-06-23 15:22:00,0,0,0,0,0.00K,0,0.00K,0,37.7191,-119.6753,37.7197,-119.6668,"The Merced River at Pohono Bridge began the month above it's flood stage at 10 feet on and remained above flood stage through June 7. Flood stage was exceeded again between June 19 and June 23.","The Merced River at Pohono Bridge remained above it's flood stage at 10 feet on as June began and remained above flood stage through June 7. Flood stage was exceeded again between June 19 and June 23." +112899,674527,TENNESSEE,2017,March,Tornado,"MOORE",2017-03-09 23:55:00,CST-6,2017-03-09 23:58:00,0,0,0,0,,NaN,,NaN,35.3,-86.28,35.2958,-86.2557,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","A damage assessment team determined an EF-1 tornado touched down approximately 5 miles east-northeast of Lynchburg, TN. The tornado continued in a generally east-southeast direction into Franklin County before gusting out approximately 4 miles west of Estill Springs, TN.||In Moore County, between Turkey Creek Loop and Turkey Creek Church Road, significant tree damage was observed by the team. Numerous, healthy soft wood trees were either uprooted or snapped. An area of convergence was noted as several trees along Turkey Creek Loop were oriented in a northerly direction (potentially due to a developing rear flank down draft) with debris scattered eastward near and along Turkey Creek Church Rd. Strongest winds in Moore County were estimated to be between 85-90 MPH." +112900,678870,ALABAMA,2017,March,Thunderstorm Wind,"MADISON",2017-03-10 00:05:00,CST-6,2017-03-10 00:05:00,0,0,0,0,,NaN,,NaN,34.6855,-86.6204,34.6855,-86.6204,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","A large tree was knocked down on the Tree Haven Glen Apartment Complex." +117823,708254,CALIFORNIA,2017,June,Heat,"SE KERN CTY DESERT",2017-06-18 11:00:00,PST-8,2017-06-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 107 and 113 degrees between June 18 and June 25." +118024,709510,CALIFORNIA,2017,June,Wildfire,"W CENTRAL S.J. VALLEY",2017-06-23 15:00:00,PST-8,2017-06-28 15:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Creek fire began on June 25, 2017, off Los Gatos Creek Rd, west of Derrick, or 13 miles northwest of Coalinga, CA in Fresno County. The cause is under investigation. It burned 357 acres before being contained on June 28, 2017. There was one residence and 3 sheds destroyed. The cost of containment was $1.5 million.","" +117792,708129,ARIZONA,2017,July,Heavy Rain,"APACHE",2017-07-10 18:45:00,MST-7,2017-07-10 19:15:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-109.21,33.9303,-109.154,"Thunderstorms produced heavy rain across parts of northern Arizona.","A thunderstorm produced 1.50 inches of rain in just 30 minutes in Nutrioso." +117792,708130,ARIZONA,2017,July,Heavy Rain,"YAVAPAI",2017-07-10 20:12:00,MST-7,2017-07-10 20:45:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-112.56,34.61,-112.32,"Thunderstorms produced heavy rain across parts of northern Arizona.","A thunderstorm produced 0.64 inches of rain from 812 PM to 8:45 PM. At 8:22 PM, the rainfall rate was 6.0 inches an hour." +119917,719021,ARIZONA,2017,July,Heavy Rain,"GILA",2017-07-23 14:00:00,MST-7,2017-07-23 14:32:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-111.01,34.347,-111.124,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","Around 0.75 inches of rain fell in 30 minutes." +119917,718950,ARIZONA,2017,July,Heavy Rain,"COCONINO",2017-07-23 14:00:00,MST-7,2017-07-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9142,-111.801,34.762,-111.6788,"Moisture increased over northern Arizona leading to more widespread thunderstorms with heavy rain. The activity lasted well into the night. A flash flood watch was in effect for the area.","A thunderstorm produced 1.46 inches of rain in a short time (most of that was in less than an hour). The visibility dropped to less than a quarter mile. The ditches were running level with the road. The wash behind the spotter's house was running full (dept unknown). Eight inches of water accumulated in the back yard. The event was around 45 minutes long." +121050,725127,MAINE,2017,October,High Wind,"INTERIOR YORK",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725128,MAINE,2017,October,High Wind,"KENNEBEC",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +112669,678968,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:28:00,CST-6,2017-03-01 13:28:00,0,0,0,0,,NaN,,NaN,34.73,-86.65,34.73,-86.65,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail observed at the National Weather Service in Huntsville. 40 mph wind gust observed by UA-Huntsville's MIPS equipment." +121050,725135,MAINE,2017,October,High Wind,"SOUTHERN FRANKLIN",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725136,MAINE,2017,October,High Wind,"SOUTHERN OXFORD",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +115041,690517,OREGON,2017,February,Heavy Snow,"HARNEY",2017-02-07 03:00:00,PST-8,2017-02-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front lifting across Southeast Oregon and Southwest Idaho spread moderate wet snow over the area.","Trained spotters reported 6 inches of moderate wet snow." +115041,690521,OREGON,2017,February,Heavy Snow,"MALHEUR",2017-02-07 03:00:00,MST-7,2017-02-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A warm front lifting across Southeast Oregon and Southwest Idaho spread moderate wet snow over the area.","Trained spotters from Rome to Jordan Valley reported 6 inches of moderate wet snow." +115068,690711,OREGON,2017,February,Flood,"MALHEUR",2017-02-10 05:00:00,MST-7,2017-02-10 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.75,-118.08,43.993,-117.301,"Ice Jams on the Malheur River caused flooding in areas along U.S. Highway 20.","Ice jams on the Malheur River caused flooding along U.S. Highway 20 from Juntura to Vale." +115073,690721,IDAHO,2017,February,Heavy Snow,"WESTERN MAGIC VALLEY",2017-02-23 09:00:00,MST-7,2017-02-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A slow moving upper low tracking across the southern border of Idaho spread heavy snow across parts of South Central Idaho.","Six to 12 inches of heavy snow fell across the Western Magic Valley with drifts of 2 to 3 feet reported by social media. The National Weather Service was informed by the FAA that the Twin Falls airport was closed due to drifts several feet deep." +115107,690892,IDAHO,2017,March,Heavy Snow,"WESTERN MAGIC VALLEY",2017-03-06 11:00:00,MST-7,2017-03-06 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A late winter storm hit parts of South Central Idaho with 4 to 6 inches of snow falling around the Jerome area.","Reports were received by KMVT of 4 inches and locally 6 inches of snow around the Jerome area." +115108,690896,IDAHO,2017,March,Flood,"ADA",2017-03-06 10:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,43.5344,-116.0553,43.6927,-116.4904,"The Army Corps of Engineers and Bureau of Reclamation increased regulated flows from Lucky Peak Reservoir putting the Boise River in flood for the remainder of the month of March. Flooding was expected to continue through late spring.","" +116009,697143,OREGON,2017,March,Flood,"HARNEY",2017-03-17 11:00:00,PST-8,2017-03-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5686,-119.0323,43.6222,-119.0774,"Rainfall and snow melt combined to increase the flow on the Silvies River to minor flood stage.","Flooding occurred along the Silvies River around the Burns, Oregon area and surrounding fields and roads." +116008,697144,OREGON,2017,March,Flood,"MALHEUR",2017-03-10 00:00:00,MST-7,2017-03-12 14:00:00,0,0,0,0,0.00K,0,0.00K,0,44.0131,-117.0995,43.9943,-117.0964,"Rainfall and snow melt combined to increase the flow on the Malheur River to minor flood stage.","Flooding occurred along the Malheur River around the Vale, Oregon area and surrounding fields and roads." +120595,725070,KANSAS,2017,October,Flash Flood,"LOGAN",2017-10-02 23:15:00,CST-6,2017-10-03 02:15:00,0,0,0,0,4.00K,4000,0.00K,0,39.0464,-100.9456,39.0465,-100.9456,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Logan County Road Department reported the road had been washed away from the culverts on CR Zest between CR 380 and CR 390." +120595,725071,KANSAS,2017,October,Flash Flood,"GRAHAM",2017-10-02 20:15:00,CST-6,2017-10-02 23:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3621,-99.8275,39.3625,-99.8274,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","Eighteen inches of running water was reported over 280th Ave. south of Highway 24." +119977,719007,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-27 16:31:00,MST-7,2017-07-27 18:31:00,0,0,0,0,0.00K,0,0.00K,0,33.9,-110.17,33.903,-110.3062,"Enough moisture remained over northern Arizona for isolated strong thunderstorms.","Heavy rain fell over the Cedar Fire scar and produced flash flooding. The White Mountain Apache Emergency Manager observed 5 feet of water in Cedar Creek with a notable in just 10 minutes. Carrizo Creek had 2.5 feet of water flowing." +120094,719570,MARYLAND,2017,August,Flash Flood,"WICOMICO",2017-08-12 10:30:00,EST-5,2017-08-12 11:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.59,38.4214,-75.2591,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Portions of Harbor Point Drive were washed out and were impassable. Numerous roads were closed due to standing water." +120094,719573,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-12 10:00:00,EST-5,2017-08-12 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.31,-75.64,38.31,-75.64,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 5.25 inches was measured near Fruitland." +117902,708922,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:25:00,CST-6,2017-06-17 20:28:00,0,0,0,0,,NaN,,NaN,39.18,-94.49,39.18,-94.49,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 80 mph wind with blown transmitters." +120862,723666,OKLAHOMA,2017,October,Thunderstorm Wind,"GRADY",2017-10-14 22:10:00,CST-6,2017-10-14 22:10:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-97.96,35.29,-97.96,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +117902,708565,MISSOURI,2017,June,Hail,"ANDREW",2017-06-15 20:56:00,CST-6,2017-06-15 20:56:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-94.84,40.03,-94.84,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708566,MISSOURI,2017,June,Hail,"LINN",2017-06-17 21:42:00,CST-6,2017-06-17 21:43:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-93.3,39.72,-93.3,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","" +117902,708567,MISSOURI,2017,June,Lightning,"CLAY",2017-06-16 23:34:00,CST-6,2017-06-16 23:34:00,0,0,0,0,1.00K,1000,0.00K,0,39.45,-94.56,39.45,-94.56,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A house was struck by lightning on NE 196th St near Smithville." +120293,720801,NEW YORK,2017,August,Hail,"OSWEGO",2017-08-12 14:05:00,EST-5,2017-08-12 14:05:00,0,0,0,0,5.00K,5000,,NaN,43.37,-75.89,43.37,-75.89,"Low pressure and an associated cold front moved across the region. Showers and thunderstorms developed along the cold front. These produced damaging winds and hail up to one-inch in diameter. Near Williamstown the nickel- to quarter-size hail was three to four inches deep. The thunderstorm winds downed trees and power lines.","" +120559,722255,COLORADO,2017,October,Hail,"CHEYENNE",2017-10-06 13:45:00,MST-7,2017-10-06 13:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0219,-102.6505,39.0219,-102.6505,"A line of eastward moving thunderstorms in Cheyenne County produced wind gusts estimated at 80 MPH, blowing down 3-4 inch diameter tree limbs in Cheyenne Wells. The same line of storms also produced ping-pong ball size hail in Arapahoe. Later in the evening behind the initial round of storms, a wind gust of 62 MPH was measured at Kit Carson from a downburst associated with weak showers moving through.","" +120903,723856,OKLAHOMA,2017,October,Thunderstorm Wind,"WOODS",2017-10-06 20:55:00,CST-6,2017-10-06 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"Severe thunderstorms developed late in the evening across northwest Oklahoma along a pushing cold front and upper short wave. Damaging wind gusts were the severe threat associated with these storms.","" +120903,723858,OKLAHOMA,2017,October,Thunderstorm Wind,"WOODS",2017-10-06 21:00:00,CST-6,2017-10-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-99,36.98,-99,"Severe thunderstorms developed late in the evening across northwest Oklahoma along a pushing cold front and upper short wave. Damaging wind gusts were the severe threat associated with these storms.","" +120184,720143,VIRGINIA,2017,August,Thunderstorm Wind,"KING WILLIAM",2017-08-18 19:23:00,EST-5,2017-08-18 19:23:00,0,0,0,0,2.00K,2000,0.00K,0,37.61,-76.91,37.61,-76.91,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Trees were downed in southern King William county along Route 30." +120184,720144,VIRGINIA,2017,August,Thunderstorm Wind,"NEW KENT",2017-08-18 19:30:00,EST-5,2017-08-18 19:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.52,-76.98,37.52,-76.98,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Few trees were downed across the county." +120184,720145,VIRGINIA,2017,August,Thunderstorm Wind,"HANOVER",2017-08-18 18:49:00,EST-5,2017-08-18 18:49:00,0,0,0,0,1.00K,1000,0.00K,0,37.71,-77.44,37.71,-77.44,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and large hail across portions of central and eastern Virginia.","Wind gust of 53 knots (61 mph) was measured at OFP." +116760,702161,ARKANSAS,2017,May,Flood,"WOODRUFF",2017-05-01 00:00:00,CST-6,2017-05-31 23:59:00,0,0,0,0,0.00K,0,3500.00K,3500000,35.2778,-91.2428,35.2605,-91.2483,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain at the end of April led to flooding which continued into May, 2017 along the Cache River at Patterson." +116902,702973,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-05-25 16:18:00,EST-5,2017-05-25 16:18:00,0,0,0,0,0.00K,0,0.00K,0,36.96,-76.43,36.96,-76.43,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the James River.","Wind gust of 39 knots was measured at Dominion Terminal Associates." +116916,703141,VIRGINIA,2017,May,Hail,"HENRICO",2017-05-27 16:47:00,EST-5,2017-05-27 16:47:00,0,0,0,0,0.00K,0,0.00K,0,37.62,-77.56,37.62,-77.56,"Scattered severe thunderstorms associated with low pressure and a warm front produced large hail and damaging winds across portions of central and southeast Virginia.","Ping pong ball size hail was reported." +118093,709758,VIRGINIA,2017,June,Thunderstorm Wind,"AMELIA",2017-06-19 17:55:00,EST-5,2017-06-19 17:55:00,0,0,0,0,2.00K,2000,0.00K,0,37.33,-78.02,37.33,-78.02,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Trees were downed and partially blocking Route 360 in Amelia at the intersection with Whitaker Road." +118090,709723,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMES RIVER BRIDGE TO HAMPTON ROADS BRIDGE-TUNNEL",2017-06-05 15:00:00,EST-5,2017-06-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.32,36.98,-76.32,"Scattered thunderstorms well in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 36 knots was measured at Fort Monroe." +114047,689827,IOWA,2017,March,Tornado,"MUSCATINE",2017-03-06 22:05:00,CST-6,2017-03-06 22:07:00,3,0,0,0,100.00K,100000,0.00K,0,41.4092,-91.0732,41.4245,-91.0456,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Tornado was rated EF-2 with peak winds of 115 MPH, a path length of 1.78 miles and max width of 200 yards. Estimated time was 10:05 PM to 10:10 PM. Tornado tracked through Muscatine, touching down in Kent Stein Park, traveling through neighborhoods, and damaging homes and businesses. At least 2 homes lost their roofs. Up to 80 more homes sustained minor damage." +114047,689822,IOWA,2017,March,Tornado,"JACKSON",2017-03-06 21:50:00,CST-6,2017-03-06 21:51:00,0,0,0,0,,NaN,0.00K,0,42.293,-90.8302,42.2947,-90.8262,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Tornado was rated EF-0 with peak winds of 85 MPH, path length of 0.24 miles and max width 25 yards. The tornado damaged trees along its path. It then continued into Dubuque County." +117457,706412,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:45:00,CST-6,2017-06-16 17:45:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-97.49,41.56,-97.49,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706413,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:49:00,CST-6,2017-06-16 17:49:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-97.7,41.51,-97.7,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,710025,NEBRASKA,2017,June,Thunderstorm Wind,"SALINE",2017-06-16 20:13:00,CST-6,2017-06-16 21:13:00,0,0,0,0,,NaN,,NaN,40.48,-96.96,40.48,-96.96,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 64 mph wind gust was measured at Wilber." +115894,704908,PENNSYLVANIA,2017,May,Flood,"CLARION",2017-05-05 22:30:00,EST-5,2017-05-06 08:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.2276,-79.4779,41.2639,-79.4397,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","Emergency manager reported flooding along route 208 heading into Shippenville." +115894,704909,PENNSYLVANIA,2017,May,Flash Flood,"WESTMORELAND",2017-05-05 18:43:00,EST-5,2017-05-05 18:43:00,0,0,0,0,3.00K,3000,0.00K,0,40.2248,-79.6683,40.192,-79.6738,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported that Waltz Mill Road was flooded." +115894,704910,PENNSYLVANIA,2017,May,Flash Flood,"WESTMORELAND",2017-05-05 19:00:00,EST-5,2017-05-05 20:30:00,0,0,0,0,8.00K,8000,0.00K,0,40.623,-79.618,40.6265,-79.5957,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported that South Gosser Hill Road is closed due to damage from flood waters." +115894,704912,PENNSYLVANIA,2017,May,Flood,"WESTMORELAND",2017-05-05 19:00:00,EST-5,2017-05-05 20:30:00,0,0,0,0,2.00K,2000,0.00K,0,40.602,-79.5694,40.6023,-79.5726,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","County official reported flooding on Chestnut Street. Road Closed." +115898,704017,WEST VIRGINIA,2017,May,Hail,"PRESTON",2017-05-05 17:15:00,EST-5,2017-05-05 17:15:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-79.75,39.39,-79.75,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","" +115898,704018,WEST VIRGINIA,2017,May,Hail,"PRESTON",2017-05-05 18:00:00,EST-5,2017-05-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-79.75,39.39,-79.75,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","" +115909,696472,WEST VIRGINIA,2017,May,Thunderstorm Wind,"BROOKE",2017-05-31 15:29:00,EST-5,2017-05-31 15:29:00,0,0,0,0,5.00K,5000,0.00K,0,40.19,-80.55,40.19,-80.55,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Department of highways reported several trees down." +115890,702445,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MERCER",2017-05-01 13:07:00,EST-5,2017-05-01 13:07:00,0,0,0,0,2.00K,2000,0.00K,0,41.23,-80.44,41.23,-80.44,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported large tree limbs down, shingles blown off of an apartment complex, and a carport blown down." +115890,702447,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MERCER",2017-05-01 13:16:00,EST-5,2017-05-01 13:16:00,0,0,0,0,0.25K,250,0.00K,0,41.41,-80.38,41.41,-80.38,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported tree limbs down." +115890,702458,PENNSYLVANIA,2017,May,Tornado,"BUTLER",2017-05-01 13:56:00,EST-5,2017-05-01 13:57:00,0,0,0,0,5.00K,5000,0.00K,0,41.092,-79.732,41.097,-79.729,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service confirmed a tornado near Eldorado Road in Butler County. A focused, narrow swath of damage was discovered in the woods along Eldorado Road. Several hardwood trees were uprooted with others snapped." +117457,709963,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:35:00,CST-6,2017-06-16 18:35:00,0,0,0,0,,NaN,,NaN,41.26,-96.01,41.26,-96.01,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 104 mph wind gust was measured by an anemometer at 173RD AND F. Numerous trees were blown down and multiple transformers were blown." +117457,709966,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:36:00,CST-6,2017-06-16 18:36:00,0,0,0,0,,NaN,,NaN,41.32,-96.36,41.32,-96.36,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An 87 mph wind gust was recorded at the NWS Omaha/Valley Office." +115891,696427,MARYLAND,2017,May,Thunderstorm Wind,"GARRETT",2017-05-01 16:14:00,EST-5,2017-05-01 16:14:00,0,0,0,0,0.00K,0,0.00K,0,39.41,-79.41,39.41,-79.41,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A trained spotter reported a 60mph wind gust in Oakland." +115892,701009,WEST VIRGINIA,2017,May,Thunderstorm Wind,"MARSHALL",2017-05-01 13:00:00,EST-5,2017-05-01 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.92,-80.74,39.92,-80.74,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The public reported trees down." +117457,710011,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 19:06:00,CST-6,2017-06-16 19:06:00,0,0,0,0,,NaN,,NaN,41.16,-96.04,41.16,-96.04,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A spotter estimated a wind gust of 70 mph near Papillion." +116457,700401,VIRGINIA,2017,May,Thunderstorm Wind,"HENRY",2017-05-11 18:24:00,EST-5,2017-05-11 18:33:00,0,0,0,0,50.00K,50000,0.00K,0,36.587,-79.8246,36.5468,-79.7714,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered showers and thunderstorms to develop. Some of these storms produced isolated wind damage, especially across portions of Southside Virginia.","Microburst winds from a strong thunderstorm downed dozens trees in a swath from east of Ridgeway southeast to near the state border. In an intermittent damage path that spanned roughly 4 miles and at times as wide as two miles, numerous trees were downed, several of which temporarily closed roadways that included Cox Road, Morgan Ford Road, and Meeks Road. Minor roof damage was also reported from one house in the area." +116457,700402,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-11 18:29:00,EST-5,2017-05-11 18:29:00,0,0,0,0,0.50K,500,0.00K,0,36.6,-80.23,36.6,-80.23,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered showers and thunderstorms to develop. Some of these storms produced isolated wind damage, especially across portions of Southside Virginia.","Thunderstorm winds downed a tree on Horace Lane." +116457,700403,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-11 18:30:00,EST-5,2017-05-11 18:30:00,0,0,0,0,0.50K,500,0.00K,0,36.5876,-80.1849,36.5876,-80.1849,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered showers and thunderstorms to develop. Some of these storms produced isolated wind damage, especially across portions of Southside Virginia.","Thunderstorm winds brought down a tree on Ayers Orchard Road." +116892,702970,IOWA,2017,May,Thunderstorm Wind,"JONES",2017-05-17 18:45:00,CST-6,2017-05-17 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.11,-91.28,42.11,-91.28,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a tree had fallen on a house." +116892,702972,IOWA,2017,May,Thunderstorm Wind,"JONES",2017-05-17 18:40:00,CST-6,2017-05-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-91.28,42.11,-91.28,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A measured wind gust from a Iowa Department of Transportation road sensor near highway 151." +116534,700760,WEST VIRGINIA,2017,May,Flood,"MERCER",2017-05-12 20:00:00,EST-5,2017-05-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.3383,-80.9617,37.3545,-80.9001,"Storms brought rainfall of 1 to 2 inches across parts of the county causing some minor flooding and a mudslide near Oakvale.","Minor flooding was reported by media sources and a mudslide near Oakvale partially closed a secondary road. The East River at Willowton (ERVW2) gage rose rapidly but crested below flood stage." +116535,700765,VIRGINIA,2017,May,Flash Flood,"CARROLL",2017-05-18 17:24:00,EST-5,2017-05-18 19:24:00,0,0,0,0,5.00K,5000,0.00K,0,36.82,-80.62,36.7945,-80.6843,"The evening of May 18th saw one of the more impressive flash flood events of the month as several strong to severe thunderstorms tracked across eastern Carroll County, VA. Several rounds of very heavy rainfall were observed across the Big Reed Island Creek watershed between Dugspur and Hillsville with various radar estimates of about 4 to 6+ inches of rain in about 3 hours. No rain gages were available in this area to provide a check on the radar estimates, but both Dual-Pol and Multi-Radar/Multi-Sensor rain estimates were roughly 5-6 inches. Several flooding reports and mudslides reports were received very quickly. Emergency management officials in the county later reported that the flash flooding was the ���worst in living memory��� according to several residents in the area. An approximate 1.5 mile stretch of Highway 221 was shut down due to 3 separate mud slides and 2 areas where Big Reed Island Creek was over the road to a depth of 4-5 feet at its peak.��Fortunately, there were no injuries and only a single box culvert sustained significant damage.","Several roads were closed due to water flowing over the roads, creeks out of their banks, or mudslides. This included portions of U.S. 221, VA 673 or Pilgrims|Trail and Route 100. In addition, Brick Haven Road was flooded by Big Reed Island Creek. Multiple mudslides were reported along Buck Horn Road and along Floyd Pike (Route 221) including one near the 6000 block of Floyd Pike (Route 221)." +116297,699234,VIRGINIA,2017,May,Hail,"TAZEWELL",2017-05-27 17:30:00,EST-5,2017-05-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-81.55,37.08,-81.55,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699235,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 17:41:00,EST-5,2017-05-27 17:41:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-81.76,36.88,-81.76,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116318,699423,NORTH CAROLINA,2017,May,Thunderstorm Wind,"YADKIN",2017-05-24 15:33:00,EST-5,2017-05-24 15:35:00,0,0,0,0,75.00K,75000,0.00K,0,36.0913,-80.7823,36.11,-80.77,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","Thunderstorm winds downed numerous trees and damaged at least six homes within the community of Hamptonville. Winds form thunderstorms also downed four trees on Hamptonville Road." +116318,699428,NORTH CAROLINA,2017,May,Tornado,"STOKES",2017-05-24 15:52:00,EST-5,2017-05-24 16:19:00,0,0,0,0,20.00M,20000000,0.00K,0,36.2634,-80.4434,36.4555,-80.2784,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","A thunderstorm dropped a tornado that impacted portions of western Stokes County. This tornado, which produced a continuous path length of 16.1 miles, touched down just north of the Forsyth and Stokes County Line causing large tree limbs to snap and numerous trees to become uprooted along and near Spainhour Mill Road. The tornado continued to the northeast, producing damage as it crossed US-52, Old Highway 52, and other minor roadways. The tornado reached its maximum strength and width as it impacted areas near and within YMCA Camp Hanes at the base of Sauratown Mountain, where numerous outbuildings, mobile homes, and cabins were damaged. The tornado at this point reached a maximum path width of just under 0.5 miles with a maximum wind speed estimate of 125 MPH. The tornado continued to the northeast for several more miles before coming to an end just north of Highway 89 and just south of North Stokes High School." +116318,699426,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-24 16:32:00,EST-5,2017-05-24 16:32:00,0,0,0,0,5.00K,5000,0.00K,0,36.53,-80.22,36.53,-80.22,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","Thunderstorm winds downed several trees along State Route 8." +120753,723229,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 04:10:00,MST-7,2017-10-25 04:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site 17 miles NNW of Pendroy." +120753,723230,MONTANA,2017,October,High Wind,"EASTERN GLACIER",2017-10-25 06:20:00,MST-7,2017-10-25 06:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the Cut Bank Airport (KCTB)." +120753,723231,MONTANA,2017,October,High Wind,"EASTERN GLACIER",2017-10-25 06:33:00,MST-7,2017-10-25 06:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the Cut Bank Airport (KCTB)." +120753,723232,MONTANA,2017,October,High Wind,"FERGUS",2017-10-25 10:35:00,MST-7,2017-10-25 10:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Peak gust at the N Bar Ranch." +120753,723233,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-25 08:58:00,MST-7,2017-10-25 08:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the military site 9 miles E of Windham." +120753,723234,MONTANA,2017,October,High Wind,"FERGUS",2017-10-25 10:58:00,MST-7,2017-10-25 10:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the military site 6 miles E of Geyser." +120753,723235,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 12:05:00,MST-7,2017-10-25 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Spotter measured an 83 mph wind gust, with sustained wind speeds of 20 to 25 mph." +117063,704164,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-05 02:46:00,EST-5,2017-05-05 02:46:00,0,0,0,0,0.50K,500,0.00K,0,36.89,-79.71,36.89,-79.71,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds blew a tree down along Snow Creek Road near the intersection with Finney Road." +117063,704175,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-05 02:59:00,EST-5,2017-05-05 03:04:00,0,0,0,0,10.00K,10000,0.00K,0,37.0566,-79.6217,37.0559,-79.609,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds blew down several trees including a few on roofs in a swath starting near Scruggs Road persisting north and east along Ashmeade Riad before ending near Bernards Landing, where most of the structural damage occurred." +117063,704181,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:01:00,EST-5,2017-05-05 03:01:00,0,0,0,0,2.50K,2500,0.00K,0,36.58,-79.65,36.58,-79.65,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed multiple trees along Cascade Road." +117063,704222,VIRGINIA,2017,May,Thunderstorm Wind,"BEDFORD",2017-05-05 03:12:00,EST-5,2017-05-05 03:12:00,0,0,0,0,0.50K,500,0.00K,0,37.15,-79.5,37.15,-79.5,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed a tree near the intersection of Smith Mountain Lake Parkway and Carters Mill Road." +121212,725680,KANSAS,2017,October,Hail,"FINNEY",2017-10-06 14:33:00,CST-6,2017-10-06 14:33:00,0,0,0,0,,NaN,,NaN,37.81,-100.72,37.81,-100.72,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","The hail stones were jagged." +121212,725681,KANSAS,2017,October,Hail,"GRAY",2017-10-06 14:49:00,CST-6,2017-10-06 14:49:00,0,0,0,0,,NaN,,NaN,37.88,-100.61,37.88,-100.61,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","The hail was mostly dime sized with a few larger stones observed." +121212,725682,KANSAS,2017,October,Hail,"FINNEY",2017-10-06 15:14:00,CST-6,2017-10-06 15:14:00,0,0,0,0,,NaN,,NaN,38.15,-100.43,38.15,-100.43,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725683,KANSAS,2017,October,Hail,"GRAY",2017-10-06 15:15:00,CST-6,2017-10-06 15:15:00,0,0,0,0,,NaN,,NaN,37.96,-100.45,37.96,-100.45,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121418,726846,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-31 20:25:00,MST-7,2017-10-31 23:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient and strong winds aloft produced fairly widespread high winds across much of south central and southeast Wyoming. Wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Vedauwoo measured sustained winds of 40 mph or higher." +120088,719566,ATLANTIC SOUTH,2017,October,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-10-01 02:45:00,EST-5,2017-10-01 02:47:00,0,0,0,0,,NaN,,NaN,32.18,-80.65,32.18,-80.65,"A strong cold pushed offshore during mid afternoon hours with a line of thunderstorms encountering warm and moist conditions favorable for waterspouts.","A photo from Hilton Head lifeguards confirmed a waterspout approximately 3 miles offshore. The waterspout dissipated within a few minutes." +120350,721061,FLORIDA,2017,October,Lightning,"LEVY",2017-10-07 18:30:00,EST-5,2017-10-07 18:30:00,1,0,0,0,0.00K,0,0.00K,0,29.48,-82.86,29.48,-82.86,"Evening thunderstorms across the Nature Coast produced a few lightning strikes over the area. One person was injured.","A woman who was outside during a thunderstorm was injured by lightning when the metal fence she was leaning on at the time was struck." +119719,717982,MISSISSIPPI,2017,October,Strong Wind,"JONES",2017-10-07 21:36:00,CST-6,2017-10-07 21:36:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate made landfall along the Mississippi Gulf Coast just after midnight on October 8th. It moved quickly inland, and crossed into Alabama. However, some gusty winds occurred to portions of the Pine Belt with Hurricane Nate. This resulted in some minor damage.","A tree limb fell onto a house." +119719,717984,MISSISSIPPI,2017,October,Tropical Storm,"JONES",2017-10-08 02:01:00,CST-6,2017-10-08 02:01:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate made landfall along the Mississippi Gulf Coast just after midnight on October 8th. It moved quickly inland, and crossed into Alabama. However, some gusty winds occurred to portions of the Pine Belt with Hurricane Nate. This resulted in some minor damage.","Powerlines were blown down on George Boutwell Road." +120171,720037,MISSISSIPPI,2017,October,Strong Wind,"HINDS",2017-10-22 01:05:00,CST-6,2017-10-22 01:05:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds associated with a wake low occurred across portions of Central Mississippi during the early morning hours of October 22nd. These winds brought down trees in some locations.","A tree fell onto a powerline on Bettie A. Jamison Road." +120351,721073,MONTANA,2017,October,High Wind,"NORTHERN SWEET GRASS",2017-10-15 01:15:00,MST-7,2017-10-15 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradients across the area created a short period of very gusty winds.","A wind gust of 60 mph was recorded in Big Timber." +120395,721190,MONTANA,2017,October,High Wind,"NORTHERN SWEET GRASS",2017-10-20 16:20:00,MST-7,2017-10-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients, combined with a strong jet stream aloft, resulted in very gusty winds across portions of the Billings Forecast Area.","A wind gust of 61 mph was recorded in Big Timber." +120395,721191,MONTANA,2017,October,High Wind,"NORTHERN STILLWATER",2017-10-20 17:55:00,MST-7,2017-10-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients, combined with a strong jet stream aloft, resulted in very gusty winds across portions of the Billings Forecast Area.","A wind gust of 69 mph was reported 6 miles east of Columbus." +120608,722492,KANSAS,2017,October,Hail,"RICE",2017-10-06 17:52:00,CST-6,2017-10-06 17:52:00,0,0,0,0,,NaN,,NaN,38.47,-98.45,38.47,-98.45,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","The storm chaser reported quarter to half dollar sized hail." +120608,722493,KANSAS,2017,October,Thunderstorm Wind,"BARTON",2017-10-06 18:00:00,CST-6,2017-10-06 18:00:00,0,0,0,0,40.00K,40000,,NaN,38.3647,-98.6287,38.3622,-98.618,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Power poles were snapped along highway 56 blocking the road." +120608,722494,KANSAS,2017,October,Hail,"RICE",2017-10-06 18:16:00,CST-6,2017-10-06 18:16:00,0,0,0,0,,NaN,,NaN,38.52,-98.15,38.52,-98.15,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +120608,722501,KANSAS,2017,October,Thunderstorm Wind,"ELLSWORTH",2017-10-06 19:29:00,CST-6,2017-10-06 19:29:00,0,0,0,0,,NaN,,NaN,38.74,-98.23,38.74,-98.23,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","" +120608,722503,KANSAS,2017,October,Hail,"SALINE",2017-10-06 20:01:00,CST-6,2017-10-06 20:01:00,0,0,0,0,,NaN,,NaN,38.9,-97.81,38.9,-97.81,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Sixty mph winds were also reported with the hail." +120608,722504,KANSAS,2017,October,Thunderstorm Wind,"SALINE",2017-10-06 20:01:00,CST-6,2017-10-06 20:01:00,0,0,0,0,,NaN,,NaN,38.9,-97.81,38.9,-97.81,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Quarter sized hail was also reported." +120608,722505,KANSAS,2017,October,Thunderstorm Wind,"ELLSWORTH",2017-10-06 18:35:00,CST-6,2017-10-06 18:35:00,0,0,0,0,70.00K,70000,,NaN,38.5662,-97.9363,38.5664,-97.9251,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Ten to fifteen power poles were knocked down along Kansas Highway 4 near the Ellsworth and McPherson county line." +121071,724779,IDAHO,2017,October,Heavy Snow,"UPPER SNAKE HIGHLANDS",2017-10-13 16:00:00,MST-7,2017-10-14 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season snowfall of wet heavy snow dropped widespread reports of 6 to 8 inches of snow in Idaho Falls. Power lines, trees and tree limbs were downed due to the heavy and wet nature of the snow. Over 15,400 customers were reported without power by Idaho Falls Power by 9 am on the 14th. Several auto accidents reported. Three trees fell on cars and one tree fell on a mobile home with another through a residential window. Although snow wasn't as heavy in Pocatello, accidents closed interstate 15 in both directions on the morning of the 15 in town. 4 to 6 inches of snow also fell in the Upper Snake Highlands.","Four to 7 inches of snow fell in Victor." +121072,724781,IDAHO,2017,October,High Wind,"LOWER SNAKE RIVER PLAIN",2017-10-20 09:00:00,MST-7,2017-10-20 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful cold front caused wind gusts of 60 to 70 mph gusts were recorded in the Snake River Plain and caused tree limbs to fall on power lines causing power outages in the Idaho Falls and Pocatello areas.","Wind gusts of 50 to 60 mph were recorded causing power outages in the Pocatello area." +121072,724782,IDAHO,2017,October,High Wind,"SOUTH CENTRAL HIGHLANDS",2017-10-20 08:00:00,MST-7,2017-10-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A powerful cold front caused wind gusts of 60 to 70 mph gusts were recorded in the Snake River Plain and caused tree limbs to fall on power lines causing power outages in the Idaho Falls and Pocatello areas.","Sixty to 70 mph wind gusts were measured 3 miles east of Idahome." +121073,724783,IDAHO,2017,October,Dust Storm,"UPPER SNAKE RIVER PLAIN",2017-10-07 12:00:00,MST-7,2017-10-07 22:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds caused extensive blowing dust on interstate 15 between Idaho Falls and Roberts. One five car accident occurred due to the low visibility. The road was closed in both directions from 2 pm through 11 pm on the 7th. Wind gusts of over 60 mph occurred.","Strong winds caused extensive blowing dust on interstate 15 between Idaho Falls and Roberts. One five car accident occurred due to the low visibility. The road was closed in both directions from 2 pm through 11 pm on the 7th. Wind gusts of over 60 mph occurred." +120898,723831,UTAH,2017,October,High Wind,"SOUTHWEST UTAH",2017-10-08 16:20:00,MST-7,2017-10-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 8, bringing strong gusty winds to portions of central and southern Utah, particularly in favored downslope areas.","A peak wind gust of 59 mph was recorded at the I-15 at Beaver sensor." +120898,723835,UTAH,2017,October,High Wind,"UTAHS DIXIE AND ZION NATIONAL PARK",2017-10-08 18:52:00,MST-7,2017-10-08 23:52:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 8, bringing strong gusty winds to portions of central and southern Utah, particularly in favored downslope areas.","Peak recorded wind gusts included 68 mph at the Badger Spring RAWS and 65 mph at the White Reef RAWS." +119938,718813,PENNSYLVANIA,2017,October,Thunderstorm Wind,"WARREN",2017-10-15 16:05:00,EST-5,2017-10-15 16:05:00,0,0,0,0,1.00K,1000,0.00K,0,41.8345,-79.1278,41.8345,-79.1278,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down a large tree across Pennsylvania Avenue East at Grant Street in Warren." +120490,721861,NORTH DAKOTA,2017,October,High Wind,"CAVALIER",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721863,NORTH DAKOTA,2017,October,High Wind,"RAMSEY",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721862,NORTH DAKOTA,2017,October,High Wind,"PEMBINA",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721864,NORTH DAKOTA,2017,October,High Wind,"EASTERN WALSH",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120858,723774,ARKANSAS,2017,October,Thunderstorm Wind,"BAXTER",2017-10-22 01:42:00,CST-6,2017-10-22 01:42:00,0,0,0,0,10.00K,10000,0.00K,0,36.34,-92.39,36.34,-92.39,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Damage occurred to a home along cr 712 west of Mountain Home. Some Siding was blown off the house with piles of metal and wood strewn across the yard. Across the street, some tree damage occurred and shingles were removed from a shed." +120858,723776,ARKANSAS,2017,October,Thunderstorm Wind,"VAN BUREN",2017-10-22 02:15:00,CST-6,2017-10-22 02:15:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-92.53,35.51,-92.53,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","A tree was blown down on the ground." +120858,723777,ARKANSAS,2017,October,Thunderstorm Wind,"VAN BUREN",2017-10-22 02:20:00,CST-6,2017-10-22 02:20:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-92.5,35.53,-92.5,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Limbs were blown down in this area." +120858,723779,ARKANSAS,2017,October,Thunderstorm Wind,"SALINE",2017-10-22 02:40:00,CST-6,2017-10-22 02:40:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-92.59,34.56,-92.59,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Multiple trees were down throughout the county." +120858,723780,ARKANSAS,2017,October,Thunderstorm Wind,"LONOKE",2017-10-22 03:08:00,CST-6,2017-10-22 03:08:00,0,0,0,0,10.00K,10000,0.00K,0,34.97,-92.02,34.97,-92.02,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Several trees and fences were blown down by the wind." +120858,723781,ARKANSAS,2017,October,Thunderstorm Wind,"LONOKE",2017-10-22 03:09:00,CST-6,2017-10-22 03:09:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-92.02,34.97,-92.02,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Trees were down and awnings ripped up at various locations across the city." +121084,724852,GULF OF MEXICO,2017,October,Marine Tropical Storm,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121084,724853,GULF OF MEXICO,2017,October,Marine Tropical Storm,"WATERS FROM DESTIN FL TO PENSACOLA FL FROM 20 TO 60 NM",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121239,725807,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-28 10:26:00,EST-5,2017-10-28 10:26:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 34 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121238,725806,GULF OF MEXICO,2017,October,Marine Tropical Storm,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-10-28 20:55:00,EST-5,2017-10-28 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Philippe produced a brief spell of tropical-storm force wind gusts along the Reef offshore the Upper Florida Keys. In spite of a complex circulation centroid over the western Straits of Florida, direct impacts from Philippe were limited to a wind band located well-removed over the eastern Straits of Florida. No coastal flooding or rainfall flooding was observed.","Tropical storm-force wind gusts peaking at 44 knots, or 51 mph, were observed from the Molasses Reef Light C-MAN station as the general center of circulation of Tropical Storm Philippe passed to the west of the Florida Keys. The duration was brief, about 5 minutes, and associated with a rain-band well to the east of the circulation center." +121239,725808,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO INCLUDING DRY TORTUGAS AND REBECCA SHOAL CHANNEL",2017-10-28 20:23:00,EST-5,2017-10-28 20:23:00,0,0,0,0,0.00K,0,0.00K,0,24.693,-82.773,24.693,-82.773,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 39 knots was measured at Pulaski Shoal Light." +121239,725809,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-10-29 01:36:00,EST-5,2017-10-29 01:36:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 38 knots was measured by an automated WeatherFlow station at Smith Shoal Light." +121324,726298,VERMONT,2017,October,High Wind,"BENNINGTON",2017-10-30 01:40:00,EST-5,2017-10-30 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused thousands of power outages and trees down across southern Vermont. Total rainfall amounts reported across southern Vermont ranged from 1.07 inches in Bennington to 7.01 inches near Wilmington.","Multiple reports of trees, large tree limbs, and wires down across the area." +121324,726301,VERMONT,2017,October,High Wind,"EASTERN WINDHAM",2017-10-30 01:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused thousands of power outages and trees down across southern Vermont. Total rainfall amounts reported across southern Vermont ranged from 1.07 inches in Bennington to 7.01 inches near Wilmington.","Multiple reports of trees and wires down. There was also a report of smoke from a wire falling onto a tree near Bellows Falls." +121318,726245,MASSACHUSETTS,2017,October,Strong Wind,"NORTHERN BERKSHIRE",2017-10-30 00:52:00,EST-5,2017-10-30 00:52:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Massachusetts. Total rainfall amounts reported across Berkshire county, MA ranged from 1.91 inches near Williamstown to 4.5 inches near Becket.","A CWOP station near Williamstown measured a wind gust of 50 mph." +121075,724909,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 12:15:00,MST-7,2017-10-07 16:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Foote Creek measured sustained winds of 40 mph or higher, with a peak gust of 60 mph at 07/1215 MST." +121075,724910,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 07:35:00,MST-7,2017-10-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Halleck Ridge measured sustained winds of 40 mph or higher, with a peak gust of 66 mph at 07/1250 MST." +121075,724911,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 16:20:00,MST-7,2017-10-07 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Interstate 80 mile post 249 measured a peak wind gust of 63 mph." +121075,724912,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-07 11:45:00,MST-7,2017-10-07 16:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Wagonhound measured sustained winds of 40 mph or higher, with a peak gust of 63 mph at 07/1525 MST." +121075,724914,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-07 11:20:00,MST-7,2017-10-07 13:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Buford East measured sustained winds of 40 mph or higher, with a peak gust of 67 mph at 07/1130 MST." +121075,724915,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-07 09:45:00,MST-7,2017-10-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The UPR sensor at Buford measured wind gusts of 58 mph or higher, with a peak gust of 74 mph at 07/1045 MST." +121075,724916,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-07 08:45:00,MST-7,2017-10-07 12:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Dale Creek measured wind gusts of 58 mph or higher, with a peak gust of 73 mph at 07/1125 MST." +121075,724917,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-07 09:40:00,MST-7,2017-10-07 12:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Lone Tree measured wind gusts of 58 mph or higher, with a peak gust of 70 mph at 07/1150 MST." +120038,719339,LOUISIANA,2017,October,Strong Wind,"UNION",2017-10-22 05:40:00,CST-6,2017-10-22 05:40:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"A mesoscale convective complex (MCS) developed over Southwest and Central Oklahoma during the late afternoon and early evening hours of October 21st, along a cold front that progressed southeast across the state ahead of a vigorous upper level trough. This MCS surged southeast but weakened as it moved into Southeast Oklahoma, Southwest Arkansas, Northeast Texas, and North Louisiana during the early morning hours of October 22nd, but continued to produce widespread (and non-severe) 40-50 mph wind gusts areawide before exiting the area around daybreak that morning. ||The lead gust front accelerated out ahead of the storms over Northcentral Louisiana, and downed several large limbs about 6-7 miles north of Claiborne in far Southern Union Parish near the Ouachita Parish line.","Several large limbs were downed about 6-7 miles north of Claiborne in far Southern Union Parish near the Ouachita Parish line. This was the result of 40-50 mph winds associated with a line of strong showers along the lead gust front." +120037,719337,TEXAS,2017,October,Strong Wind,"GREGG",2017-10-22 02:38:00,CST-6,2017-10-22 02:38:00,0,0,0,0,0.10K,100,,NaN,NaN,NaN,NaN,NaN,"A mesoscale convective complex (MCS) developed over Southwest and Central Oklahoma during the late afternoon and early evening hours of October 21st, along a cold front that progressed southeast across the state ahead of a vigorous upper level trough. This MCS surged southeast but weakened as it moved into Southeast Oklahoma, Southwest Arkansas, and Northeast Texas during the early morning hours of October 22nd, and continued to produce widespread (and non-severe) 40-50 mph wind gusts areawide. ||The lead gust front accelerated out ahead of the storms over Northeast Texas, which downed a tree on Farm to Market Road 16 near County Road 32 east of Lindale in Smith County. Another tree was downed at the 600 block of West Avalon Avenue in Longview (Gregg County), with the damage occurring about 20 miles to the east of the band of storms. A third tree was also downed across Highway 84 west of Highway 259 near Mount Enterprise (Rusk County) along the lead gust front as well.","A tree was downed at the 600 block of West Avalon Avenue in Longview. This was the result of 40-50 mph winds associated with a line of strong showers along the lead gust front, with thunderstorms noted about 20 miles to the west." +120383,721168,HAWAII,2017,October,Strong Wind,"OAHU NORTH SHORE",2017-10-23 15:40:00,HST-10,2017-10-23 15:40:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","Power line downed by gusty winds caused power outage to 1500 customers in northern Oahu." +120383,721169,HAWAII,2017,October,Heavy Rain,"HONOLULU",2017-10-23 19:42:00,HST-10,2017-10-23 22:43:00,0,0,0,0,0.00K,0,0.00K,0,21.6066,-157.9285,21.3151,-158.0685,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120383,721170,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-23 21:45:00,HST-10,2017-10-24 02:38:00,0,0,0,0,0.00K,0,0.00K,0,21.1516,-157.1594,20.8103,-156.8518,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120383,721171,HAWAII,2017,October,Strong Wind,"OAHU SOUTH SHORE",2017-10-23 19:50:00,HST-10,2017-10-23 19:50:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","A wind gust and possible lightning strike from a thunderstorm caused a power outage in the Ewa Beach area on Oahu." +120383,721172,HAWAII,2017,October,Strong Wind,"OAHU SOUTH SHORE",2017-10-23 20:20:00,HST-10,2017-10-23 20:20:00,1,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","A woman was injured after a tree toppled over onto a bus stop structure in which she was standing. This occurred near Ala Moana Mall on Oahu." +120448,721633,FLORIDA,2017,October,Heavy Rain,"FLAGLER",2017-10-01 01:00:00,EST-5,2017-10-01 08:30:00,0,0,0,0,0.00K,0,0.00K,0,29.6,-81.25,29.6,-81.25,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","As of 0930 am, a spotter measured 7.10 inches of rainfall in northern Palm Coast." +120448,721634,FLORIDA,2017,October,Heavy Rain,"PUTNAM",2017-10-01 01:00:00,EST-5,2017-10-01 08:35:00,0,0,0,0,0.00K,0,0.00K,0,29.75,-81.54,29.75,-81.54,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","An observer in Federal Point measured a 24-hr rainfall of 7.56 inches." +120448,721635,FLORIDA,2017,October,Heavy Rain,"ST. JOHNS",2017-10-01 01:00:00,EST-5,2017-10-01 14:17:00,0,0,0,0,0.00K,0,0.00K,0,29.8,-81.34,29.8,-81.34,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","The public estimated a 2 day rainfall total of 9 inches." +120303,720899,CALIFORNIA,2017,October,High Wind,"TULARE CTY MTNS",2017-10-20 04:10:00,PST-8,2017-10-20 04:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Bear Peak RAWS reported a maximum wind gust of 65 mph." +120303,720900,CALIFORNIA,2017,October,High Wind,"SE KERN CTY DESERT",2017-10-20 02:20:00,PST-8,2017-10-20 02:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The ASOS at the Mojave airport reported a maximum wind gust of 58 mph." +120513,722155,MASSACHUSETTS,2017,October,Flood,"HAMPSHIRE",2017-10-24 21:14:00,EST-5,2017-10-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3206,-72.6274,42.3211,-72.6284,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Intersection of Main and Market Streets in Northampton was closed. West Street near Smith College was flooded with trapped car." +120513,722157,MASSACHUSETTS,2017,October,Flood,"HAMPDEN",2017-10-24 21:59:00,EST-5,2017-10-25 03:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1241,-72.5677,42.1262,-72.5579,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tapley Street in Springfield flooded with three cars trapped." +120513,722158,MASSACHUSETTS,2017,October,Flood,"HAMPSHIRE",2017-10-24 23:17:00,EST-5,2017-10-25 02:00:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-72.53,42.26,-72.512,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Granby on Batchelor, Porter, and Amherst Streets." +120513,722159,MASSACHUSETTS,2017,October,Flood,"HAMPDEN",2017-10-25 01:51:00,EST-5,2017-10-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.085,-72.3095,42.0862,-72.3098,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Monson on South Main Street near Oak Street." +120624,722769,MASSACHUSETTS,2017,October,Flood,"SUFFOLK",2017-10-30 03:30:00,EST-5,2017-10-30 09:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.2872,-71.0953,42.3273,-71.1525,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds, especially in Eastern Massachusetts. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours with one to five inches of rain reported.","At 340 AM EST, a section of Boylston Street in Brookline was flooded. At 353 AM EST, Morton Street in Boston was closed due to flooding, with three cars trapped." +120628,722584,RHODE ISLAND,2017,October,High Wind,"WASHINGTON",2017-10-29 08:15:00,EST-5,2017-10-30 01:50:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","A tree and wires were brought down on Yawgoo Valley Road, Partridge Drive, and Mail Road in Exeter; trees and wires were brought down on Gardiner Road and multiple trees were brought down on Lewiston Avenue, both in Richmond; a tree and wires were down on Hundred Acre Road in the West Kingston section of South Kingstown; a tree and wires were down on Spring Street in the Hope Valley section of Hopkinton. An amateur radio operator in Westerly reported a sustained wind of 49 mph; another operator in Charlestown reported a wind gust to 69 mph." +120628,722585,RHODE ISLAND,2017,October,High Wind,"WESTERN KENT",2017-10-29 21:00:00,EST-5,2017-10-30 07:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","Numerous trees and wires were reported down in Coventry. Downed trees were reported on Plainfield Pike, Harkney Hill Road, Hope Furnace Road, and Tillinghast Road." +120628,722587,RHODE ISLAND,2017,October,High Wind,"BRISTOL",2017-10-29 19:00:00,EST-5,2017-10-29 23:20:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 712 PM EST, a trained spotter in Bristol reported a sustain wind of 31 mph. At 1040 PM EST, an amateur radio operator in Barrington measured a wind gust to 62 mph. At 1119 PM EST, a tree and wires were reported down and blocking Barton Avenue at Long Lane." +120449,722103,CALIFORNIA,2017,October,Strong Wind,"NORTH BAY INTERIOR VALLEYS",2017-10-08 22:38:00,PST-8,2017-10-08 22:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","Wind gust of 46 mph measured at Napa County Airport." +120449,722104,CALIFORNIA,2017,October,High Wind,"NORTH BAY MOUNTAINS",2017-10-08 22:56:00,PST-8,2017-10-08 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","Measured wind gust of 79 mph at Hawkeye Raws in Sonoma County." +120449,722105,CALIFORNIA,2017,October,High Wind,"NORTH BAY MOUNTAINS",2017-10-09 04:29:00,PST-8,2017-10-09 04:34:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","Measured wind gust of 68 mph at Santa Rosa Raws." +120319,723867,COLORADO,2017,October,Winter Storm,"BOULDER & JEFFERSON COUNTIES BELOW 6000 FEET / W BROOMFIELD COUNTY",2017-10-08 23:00:00,MST-7,2017-10-09 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An early season snowstorm produced heavy wet snow which caused about 98,000 outages in Denver and the surrounding metro area. Almost half the outages were very short while 54,210 were sustained outages that lasted longer than five minutes, while some lasted for several hours. Snow amounts varied greatly along the Interstate 25 Corridor. West of I-25, storm totals included: 7.5 inches in Arvada, 7 inches in Broomfield, 6 inches Boulder and Louisville, with 5 inches at Ralston Reservoir. East of I-25, storm totals ranged from a trace to 4 inches. In the mountains and foothills, storm totals included: 13 inches at Deadman Hill SNOTEL, 12.5 inches near Genesee, 11 inches at Cameron Pass and 7 miles west of Four Corners; 10 inches at Eldorado Springs, Idledale and Nederland; 9.5 inches at near Buckhorn Mountain, Hohnholz Ranch and Pingree Park; with 8.5 inches near Jamestown.","Storm totals included: 7.5 inches in Arvada, 7 inches in Broomfield, 6 inches Boulder and Louisville, with 5 inches at Ralston Reservoir." +120319,720940,COLORADO,2017,October,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-10-08 23:00:00,MST-7,2017-10-09 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An early season snowstorm produced heavy wet snow which caused about 98,000 outages in Denver and the surrounding metro area. Almost half the outages were very short while 54,210 were sustained outages that lasted longer than five minutes, while some lasted for several hours. Snow amounts varied greatly along the Interstate 25 Corridor. West of I-25, storm totals included: 7.5 inches in Arvada, 7 inches in Broomfield, 6 inches Boulder and Louisville, with 5 inches at Ralston Reservoir. East of I-25, storm totals ranged from a trace to 4 inches. In the mountains and foothills, storm totals included: 13 inches at Deadman Hill SNOTEL, 12.5 inches near Genesee, 11 inches at Cameron Pass and 7 miles west of Four Corners; 10 inches at Eldorado Springs, Idledale and Nederland; 9.5 inches at near Buckhorn Mountain, Hohnholz Ranch and Pingree Park; with 8.5 inches near Jamestown.","Storm totals included 13 inches at Deadman Hill SNOTEL and 11 inches at Cameron Pass." +120319,723868,COLORADO,2017,October,Winter Storm,"JEFFERSON & W DOUGLAS COUNTIES ABOVE 6000 FEET / GILPIN / CLEAR CREEK / NE PARK COUNTIES BELOW 9000 FEET",2017-10-08 23:00:00,MST-7,2017-10-09 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An early season snowstorm produced heavy wet snow which caused about 98,000 outages in Denver and the surrounding metro area. Almost half the outages were very short while 54,210 were sustained outages that lasted longer than five minutes, while some lasted for several hours. Snow amounts varied greatly along the Interstate 25 Corridor. West of I-25, storm totals included: 7.5 inches in Arvada, 7 inches in Broomfield, 6 inches Boulder and Louisville, with 5 inches at Ralston Reservoir. East of I-25, storm totals ranged from a trace to 4 inches. In the mountains and foothills, storm totals included: 13 inches at Deadman Hill SNOTEL, 12.5 inches near Genesee, 11 inches at Cameron Pass and 7 miles west of Four Corners; 10 inches at Eldorado Springs, Idledale and Nederland; 9.5 inches at near Buckhorn Mountain, Hohnholz Ranch and Pingree Park; with 8.5 inches near Jamestown.","Storm totals included: 12.5 inches near Genesee, 10 inches Idledale and 9.5 inches at Hohnholz Ranch." +120990,724214,FLORIDA,2017,October,Tornado,"PALM BEACH",2017-10-28 17:08:00,EST-5,2017-10-28 17:16:00,0,0,0,0,,NaN,,NaN,26.6451,-80.0716,26.6724,-80.0627,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tornado started in the community in Lake Clarke Shores. Power lines, cable lines, and minor fence damage occurred at the intersection of Alpha Court and Pine Tree Lane. The tornado then moved north-northeast where more power lines were downed. A few trees were knocked down at the tornado moved over the back fields at Forest Hill High School where a wind gust of 75 mph was measured by a South Florida Water Management District gauge at 609 PM EDT, before continuing north-northeast towards Colonial Road and Parker Avenue where more threes were blown down along with a street sign. Continuing on its path towards Lake Avenue some tree limbs were snapped and a fence was blown down. A few more tree limbs were downed near Lake Avenue and Briggs Street before the tornado lifted. Maximum wind speed based at least partially on the wind gust of 75 mph measured at the South Florida Water Management District mesonet site FHCHSX at Forest Hill High School." +121081,724832,WEST VIRGINIA,2017,October,Heavy Snow,"EASTERN TUCKER",2017-10-29 17:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cut-off upper low supported a transition from rain to snow as the trough became more negatively tilted through the 29th. An area of convergence developing along the terrain in Pennsylvania, West Virginia, and Maryland allowed for enhanced snowfall over these areas. Considering the warm conditions that were in place in advance of this system, much of the snow was elevation dependent, with the highest peaks having the most notable amounts. 3-4 inches of snow were reported across the WV, PA, and MD peaks, though 6-8 inches were reported over eastern Preston and Tucker counties.","" +121081,724833,WEST VIRGINIA,2017,October,Heavy Snow,"EASTERN PRESTON",2017-10-29 17:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cut-off upper low supported a transition from rain to snow as the trough became more negatively tilted through the 29th. An area of convergence developing along the terrain in Pennsylvania, West Virginia, and Maryland allowed for enhanced snowfall over these areas. Considering the warm conditions that were in place in advance of this system, much of the snow was elevation dependent, with the highest peaks having the most notable amounts. 3-4 inches of snow were reported across the WV, PA, and MD peaks, though 6-8 inches were reported over eastern Preston and Tucker counties.","" +121082,724835,MARYLAND,2017,October,Winter Weather,"GARRETT",2017-10-29 17:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Cut-off upper low supported a transition from rain to snow as the trough became more negatively tilted through the 29th. An area of convergence developing along the terrain in Pennsylvania, West Virginia, and Maryland allowed for enhanced snowfall over these areas. Considering the warm conditions that were in place in advance of this system, much of the snow was elevation dependent, with the highest peaks having the most notable amounts. 2-4 inches of snow were reported across the WV, PA, and MD peaks, though 6-8 inches were reported over eastern Preston and Tucker counties.","" +121084,724845,GULF OF MEXICO,2017,October,Marine Tropical Storm,"MISSISSIPPI SOUND",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121083,724841,FLORIDA,2017,October,Storm Surge/Tide,"SANTA ROSA COASTAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +120893,723906,ALABAMA,2017,October,Flash Flood,"MOBILE",2017-10-22 16:40:00,CST-6,2017-10-22 17:20:00,0,0,0,0,30.00K,30000,0.00K,0,30.6733,-88.0929,30.6784,-88.0499,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Water rescue of a stranded motorist in downtown Mobile." +120893,723907,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-22 16:40:00,CST-6,2017-10-22 22:00:00,0,0,0,0,30.00K,30000,0.00K,0,30.6202,-87.7784,30.6171,-87.776,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Multiple areas of County Road 64 west of Highway 59 under water due to heavy rain." +120887,724898,NORTH CAROLINA,2017,October,Thunderstorm Wind,"WILKES",2017-10-23 16:00:00,EST-5,2017-10-23 16:35:00,0,0,0,0,20.00K,20000,,NaN,36.1,-81.18,36.3688,-81.0207,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Thunderstorm winds knocked down numerous trees across Wilkes County. One of the trees fell on a car and another would take out a power line. Over 20,000 people in Wilkes county were without power." +120887,724585,NORTH CAROLINA,2017,October,Thunderstorm Wind,"YADKIN",2017-10-23 16:32:00,EST-5,2017-10-23 16:32:00,0,0,0,0,0.50K,500,,NaN,36.1348,-80.6747,36.1348,-80.6747,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","Thunderstorm winds brought down a tree at the intersection of Wilson Street and West Main." +113877,692913,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:27:00,CST-6,2017-04-21 18:27:00,0,0,0,0,80.00K,80000,0.00K,0,33.6111,-97.1512,33.6111,-97.1512,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Baseball sized hail was reported on I-35 on the south side of Gainesville." +113877,692914,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:27:00,CST-6,2017-04-21 18:27:00,0,0,0,0,10.00K,10000,0.00K,0,33.5941,-97.0924,33.5941,-97.0924,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Ping pong ball sized hail was reported to the southeast of Gainesville." +113877,692915,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:27:00,CST-6,2017-04-21 18:27:00,0,0,0,0,0.00K,0,0.00K,0,33.6212,-97.1922,33.6212,-97.1922,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","A trained spotter reported quarter sized hail approximately 3 miles southeast of Lindsay." +121128,725167,NEBRASKA,2017,October,Flood,"SAUNDERS",2017-10-07 05:00:00,CST-6,2017-10-07 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.2136,-96.645,41.2026,-96.6467,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","Flooding was observed at two river gages along Wahoo Creek. In Wahoo the river reached a stage of 25.32 feet, which is above moderate flood stage. In Ithaca the gage reached a stage of 19.85 feet, flood stage is 19 feet." +121128,725171,NEBRASKA,2017,October,Heavy Rain,"CASS",2017-10-05 06:00:00,CST-6,2017-10-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41,-95.9,41,-95.9,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a 24 hour rainfall report ending at 7am." +121128,725172,NEBRASKA,2017,October,Heavy Rain,"SARPY",2017-10-06 21:05:00,CST-6,2017-10-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.07,-95.97,41.07,-95.97,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a 36 hour rainfall report." +121128,725173,NEBRASKA,2017,October,Heavy Rain,"CASS",2017-10-05 06:00:00,CST-6,2017-10-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41,-95.9,41,-95.9,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a heavy rainfall report." +120879,725221,MARYLAND,2017,October,Coastal Flood,"SOUTHERN BALTIMORE",2017-10-24 07:15:00,EST-5,2017-10-24 07:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate coastal flooding along portions of the western shore of the Chesapeake Bay.","Water covered most piers and it proceeded into residence yards in the Bowley Bar Area. Water was about 6 inches deep." +121186,725446,SOUTH DAKOTA,2017,October,High Wind,"DEWEY",2017-10-26 02:59:00,CST-6,2017-10-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +121186,725447,SOUTH DAKOTA,2017,October,High Wind,"STANLEY",2017-10-26 04:04:00,CST-6,2017-10-26 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +121186,725448,SOUTH DAKOTA,2017,October,High Wind,"JONES",2017-10-26 06:05:00,CST-6,2017-10-26 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +121186,725450,SOUTH DAKOTA,2017,October,High Wind,"MCPHERSON",2017-10-26 12:15:00,CST-6,2017-10-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +121186,725451,SOUTH DAKOTA,2017,October,High Wind,"ROBERTS",2017-10-26 13:38:00,CST-6,2017-10-26 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A deepening surface low pressure area and associated cold front moved across the region and brought high winds to parts of central and northeast South Dakota.","" +119720,717985,KENTUCKY,2017,October,Thunderstorm Wind,"OHIO",2017-10-07 19:25:00,CST-6,2017-10-07 19:25:00,0,0,0,0,20.00K,20000,0.00K,0,37.45,-86.91,37.45,-86.91,"As the remnants of Hurricane Nate lifted into the lower Ohio Valley on October 7-8, the system interacted with an approaching cold front from the Upper Midwest. This brought widespread rainfall between 2 and 4 inches with isolated reports of flash flooding. A few storms also produced damaging wind gusts which damaged a few houses in Ohio County, Kentucky.","Officials reported 5 power poles fell along north Main Street." +119720,717986,KENTUCKY,2017,October,Thunderstorm Wind,"OHIO",2017-10-07 19:25:00,CST-6,2017-10-07 19:25:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-86.93,37.49,-86.93,"As the remnants of Hurricane Nate lifted into the lower Ohio Valley on October 7-8, the system interacted with an approaching cold front from the Upper Midwest. This brought widespread rainfall between 2 and 4 inches with isolated reports of flash flooding. A few storms also produced damaging wind gusts which damaged a few houses in Ohio County, Kentucky.","A large tree fell and blocked Highway 231." +119720,717987,KENTUCKY,2017,October,Thunderstorm Wind,"OHIO",2017-10-07 19:40:00,CST-6,2017-10-07 19:40:00,0,0,0,0,30.00K,30000,0.00K,0,37.53,-86.81,37.53,-86.81,"As the remnants of Hurricane Nate lifted into the lower Ohio Valley on October 7-8, the system interacted with an approaching cold front from the Upper Midwest. This brought widespread rainfall between 2 and 4 inches with isolated reports of flash flooding. A few storms also produced damaging wind gusts which damaged a few houses in Ohio County, Kentucky.","Law enforcement reported damage to a few houses." +119902,724184,ILLINOIS,2017,October,Thunderstorm Wind,"KNOX",2017-10-14 17:00:00,CST-6,2017-10-14 17:05:00,0,0,0,0,15.00K,15000,0.00K,0,40.8145,-90.4,40.8145,-90.4,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Several large tree branches were blown down about a mile north of Abingdon." +119902,724183,ILLINOIS,2017,October,Thunderstorm Wind,"KNOX",2017-10-14 17:09:00,CST-6,2017-10-14 17:14:00,0,0,0,0,30.00K,30000,0.00K,0,40.95,-90.37,40.95,-90.37,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Numerous trees and large tree branches were blown down across Galesburg." +119902,724187,ILLINOIS,2017,October,Thunderstorm Wind,"PEORIA",2017-10-14 17:58:00,CST-6,2017-10-14 18:03:00,0,0,0,0,8.00K,8000,0.00K,0,40.78,-89.97,40.78,-89.97,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Several 8 to 12-inch diameter tree branches were snapped." +119902,724190,ILLINOIS,2017,October,Thunderstorm Wind,"WOODFORD",2017-10-14 18:20:00,CST-6,2017-10-14 18:25:00,0,0,0,0,12.00K,12000,0.00K,0,40.8749,-89.4388,40.8749,-89.4388,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Numerous trees were blown on Highway 26 about 5 miles southeast of Chillicothe." +121189,725455,CALIFORNIA,2017,October,Excessive Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-23 10:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon high temperatures ranged from the upper 80s at the coast to the low 100s inland. The ASOS stations at Miramar MCAS/Mitscher Field and Montgomery Field reached 103 and 102 degrees respectively. The San Diego Unified School District resorted to early releases at 85 schools with insufficient/no air conditioning." +121189,725456,CALIFORNIA,2017,October,Excessive Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-24 10:00:00,PST-8,2017-10-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon high temperatures ranged from the mid 90s at the coast to the mid 100s inland. The ASOS stations at Miramar MCAS/Mitscher Field and Montgomery Field reached 107 and 106 degrees respectively. Vista was 105 degrees. The San Diego Unified School District resorted to early releases at 85 schools with insufficient/no air conditioning." +121222,725752,PUERTO RICO,2017,October,Flash Flood,"SAN JUAN",2017-10-08 18:18:00,AST-4,2017-10-08 18:45:00,0,0,0,0,0.00K,0,0.00K,0,18.4505,-66.0763,18.4492,-66.0739,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Impassable roads across Avenida Fernandez Juncos and Roberto H. Todd street." +120229,720329,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-08-19 00:00:00,EST-5,2017-08-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-76.08,36.91,-76.08,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 38 knots was measured at Lynnhaven Pier." +120229,720330,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY SMITH PT TO WINDMILL PT VA",2017-08-18 20:24:00,EST-5,2017-08-18 20:24:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-75.98,37.82,-75.98,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 35 knots was measured at Tangier Light." +120229,720331,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-08-18 21:06:00,EST-5,2017-08-18 21:06:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-76.02,37.54,-76.02,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 35 knots was measured at Rappahannock Light." +121200,726259,KANSAS,2017,October,Tornado,"SCOTT",2017-10-02 18:09:00,CST-6,2017-10-02 18:18:00,0,0,0,0,,NaN,,NaN,38.6056,-100.9164,38.6998,-100.8061,"A broad shortwave trough lifted out of the southern High Plains with two distinct jet streaks across Kansas and Oklahoma. Severe parameters were just enough to produce two tornadoes near Scott State Lake and one report of large hail and high wind gusts.","The Emergency Manager did a detailed survey with images and GPS locations. EF2 damage was done to outbuildings, power poles, and farm equipment. The tornado moved into Gove County at 18:18 CST." +120229,720333,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CP CHARLES LT VA TO NC-VA BDR OUT 20NM",2017-08-19 00:27:00,EST-5,2017-08-19 00:27:00,0,0,0,0,0.00K,0,0.00K,0,36.92,-76,36.92,-76,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 34 knots was measured at Cape Henry." +116627,713755,MINNESOTA,2017,July,Hail,"MORRISON",2017-07-17 16:45:00,CST-6,2017-07-17 16:55:00,0,0,0,0,0.00K,0,0.00K,0,46.09,-94.5,46.09,-94.5,"There were several reports of trees and branches that were blown down, which turned out to be associated with tornadoes and associated rear flank downdraft winds. Carlos Creek Winery was among the areas hit. The storm also produced large hail and heavy rain, including 3.2 inches of rainfall near Brandon. Power outages also occurred. At the height of the storm, about 950 Runestone Electric Association members were without electricity.","" +119660,718835,VIRGINIA,2017,August,Heavy Rain,"GREENSVILLE",2017-08-08 05:01:00,EST-5,2017-08-08 05:01:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-77.57,36.79,-77.57,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.10 inches was measured at Cowie Corner (1 N)." +119660,718836,VIRGINIA,2017,August,Heavy Rain,"ISLE OF WIGHT",2017-08-08 05:03:00,EST-5,2017-08-08 05:03:00,0,0,0,0,0.00K,0,0.00K,0,36.99,-76.74,36.99,-76.74,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.13 inches was measured at Comet." +119660,718837,VIRGINIA,2017,August,Heavy Rain,"HAMPTON (C)",2017-08-08 05:07:00,EST-5,2017-08-08 05:07:00,0,0,0,0,0.00K,0,0.00K,0,37.09,-76.42,37.09,-76.42,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.05 inches was measured at Langley Air Force Base (2 W)." +119660,718838,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-08 05:10:00,EST-5,2017-08-08 05:10:00,0,0,0,0,0.00K,0,0.00K,0,37.12,-76.53,37.12,-76.53,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.44 inches was measured at Denbigh." +119660,718839,VIRGINIA,2017,August,Heavy Rain,"GLOUCESTER",2017-08-08 05:25:00,EST-5,2017-08-08 05:25:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-76.5,37.27,-76.5,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.19 inches was measured at Gloucester Point." +119660,718840,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-08 05:30:00,EST-5,2017-08-08 05:30:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-75.99,37.35,-75.99,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.15 inches was measured at Smith Beach (2 SSW)." +119660,718841,VIRGINIA,2017,August,Heavy Rain,"ACCOMACK",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-75.71,37.68,-75.71,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.96 inches was measured at Onley." +116301,712771,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:32:00,CST-6,2017-07-09 20:32:00,0,0,0,0,0.00K,0,0.00K,0,44.92,-93.08,44.92,-93.08,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119660,718866,VIRGINIA,2017,August,Heavy Rain,"GLOUCESTER",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-76.55,37.37,-76.55,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.07 inches was measured at Clay Bank (2 E)." +119660,718867,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-76.81,37.27,-76.81,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.53 inches was measured at Governors Land (1 NE)." +119660,718868,VIRGINIA,2017,August,Heavy Rain,"SUSSEX",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.97,-76.99,36.97,-76.99,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.66 inches was measured at Wakefield." +119660,718869,VIRGINIA,2017,August,Heavy Rain,"YORK",2017-08-08 07:00:00,EST-5,2017-08-08 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.36,-76.7,37.36,-76.7,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.28 inches was measured at Williamsburg (6 N)." +116988,703631,NEW YORK,2017,May,Thunderstorm Wind,"ALLEGANY",2017-05-01 15:52:00,EST-5,2017-05-01 15:52:00,0,0,0,0,10.00K,10000,0.00K,0,42.09,-78.02,42.09,-78.02,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Several trees were uprooted by thunderstorm winds." +116986,703596,LAKE ERIE,2017,May,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.33,42.49,-79.33,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced winds gusting to 44 knots at Dunkirk and 41 knots at Buffalo.","" +116986,703597,LAKE ERIE,2017,May,Marine Thunderstorm Wind,"UPPER NIAGARA RIVER",2017-05-01 14:30:00,EST-5,2017-05-01 14:30:00,0,0,0,0,,NaN,0.00K,0,42.88,-78.89,42.88,-78.89,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced winds gusting to 44 knots at Dunkirk and 41 knots at Buffalo.","" +116987,703598,LAKE ONTARIO,2017,May,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-05-01 14:55:00,EST-5,2017-05-01 14:55:00,0,0,0,0,,NaN,0.00K,0,43.25,-79.05,43.25,-79.05,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced winds gusting to 37 knots at Youngstown and 52 knots at Oswego.","" +116987,703599,LAKE ONTARIO,2017,May,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-05-01 16:48:00,EST-5,2017-05-01 16:48:00,0,0,0,0,,NaN,0.00K,0,43.4597,-76.5378,43.4597,-76.5378,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced winds gusting to 37 knots at Youngstown and 52 knots at Oswego.","" +116988,703601,NEW YORK,2017,May,Flood,"ERIE",2017-05-01 16:50:00,EST-5,2017-05-01 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.9819,-78.8606,42.9797,-78.8603,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +116988,703638,NEW YORK,2017,May,Thunderstorm Wind,"ONTARIO",2017-05-01 16:22:00,EST-5,2017-05-01 16:22:00,0,0,0,0,12.00K,12000,0.00K,0,42.82,-77.33,42.82,-77.33,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703639,NEW YORK,2017,May,Thunderstorm Wind,"ONTARIO",2017-05-01 16:25:00,EST-5,2017-05-01 16:25:00,0,0,0,0,25.00K,25000,0.00K,0,42.89,-77.28,42.89,-77.28,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported power poles snapped and lines downed by thunderstorm winds." +116988,703640,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-01 16:46:00,EST-5,2017-05-01 16:46:00,0,0,0,0,8.00K,8000,0.00K,0,43.46,-76.52,43.46,-76.52,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm wind downed a light post on SUNY Oswego campus." +121687,728387,NEW YORK,2017,May,Coastal Flood,"OSWEGO",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119464,716966,LAKE ONTARIO,2017,July,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-07-20 10:50:00,EST-5,2017-07-20 10:50:00,0,0,0,0,,NaN,0.00K,0,43.25,-79.05,43.25,-79.05,"An area of thunderstorms moved across western Lake Ontario. Wind gusts were measured to 40 knots at Youngstown and to 54 knots at Olcott.","" +119464,716967,LAKE ONTARIO,2017,July,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-07-20 11:00:00,EST-5,2017-07-20 11:00:00,0,0,0,0,,NaN,0.00K,0,43.34,-78.71,43.34,-78.71,"An area of thunderstorms moved across western Lake Ontario. Wind gusts were measured to 40 knots at Youngstown and to 54 knots at Olcott.","" +121685,728366,NEW YORK,2017,July,Coastal Flood,"NIAGARA",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723325,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 22:18:00,EST-5,2017-09-04 22:18:00,0,0,0,0,15.00K,15000,0.00K,0,42.11,-79.28,42.11,-79.28,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Social media showed a tree, downed by thunderstorm winds, that landed on a house." +120768,723326,NEW YORK,2017,September,Thunderstorm Wind,"ERIE",2017-09-04 22:19:00,EST-5,2017-09-04 22:19:00,0,0,0,0,8.00K,8000,0.00K,0,42.53,-78.5,42.53,-78.5,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723343,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 21:45:00,EST-5,2017-09-04 21:45:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.28,42.49,-79.28,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","" +120768,723344,NEW YORK,2017,September,Thunderstorm Wind,"ONTARIO",2017-09-04 22:55:00,EST-5,2017-09-04 22:55:00,0,0,0,0,,NaN,0.00K,0,43.01,-77.19,43.01,-77.19,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","" +116301,712720,MINNESOTA,2017,July,Hail,"SCOTT",2017-07-09 19:50:00,CST-6,2017-07-09 19:50:00,0,0,0,0,0.00K,0,0.00K,0,44.7,-93.42,44.7,-93.42,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712776,MINNESOTA,2017,July,Hail,"BLUE EARTH",2017-07-09 20:45:00,CST-6,2017-07-09 20:45:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-94.22,44.15,-94.22,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +114314,685019,ARIZONA,2017,February,Heavy Rain,"YAVAPAI",2017-02-27 11:00:00,MST-7,2017-02-28 11:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5905,-113.1262,34.4074,-112.3023,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Heavy rain fell across Yavapai County. Here are some of the 24 hour rainfall amounts in inches:||Crown King 3.67 |Seven Springs 3.43 |7 NW Strawberry 2.80 |Yarnell Hill 2.68 |14 SW Strawberry 2.62 |Wilhoit 2.36 |1 NNW Bagdad 2.31 |4 ENE Rimrock 2.03 |Castle Hot Springs 2.00 |3 W Iron Springs 1.98 |1 SSW Prescott 1.94." +114314,685021,ARIZONA,2017,February,Heavy Rain,"COCONINO",2017-02-27 11:00:00,MST-7,2017-02-28 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.902,-111.7147,34.9626,-111.9988,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Heavy rain fell in and around Oak Creek Canyon while heavy snow was falling at higher elevations. The RAWS in Oak Creek Canyon reported 3.35 inches of rain in just 24 hours. This lead to a mudslide across Highway 89." +120595,723735,KANSAS,2017,October,Tornado,"GOVE",2017-10-02 18:18:00,CST-6,2017-10-02 18:33:00,0,0,0,0,,NaN,,NaN,38.6997,-100.8061,38.8089,-100.6993,"A cluster of thunderstorms moved northeast across parts of Northwest Kansas, with the majority of the severe weather occurring in the Oakley, Gove, and Quinter area. Five tornadoes occurred with these storms. The first tornado occurred in far western Greeley County, but most of them in Gove County with one of them inflicting damage to Quinter. Some of these storms also produced damaging straight-line winds which caused significant tree and structural damage in Quinter. Due to the repeated heavy rainfall of three and a half to over four inches over Logan, Gove and Graham counties, flash flooding lead to significant road damage occurring in Gove County.","The tornado continued from Scott County into Gove County, crossing the county line just east of CR Quivera and CR Logan-Scott. Damage was observed to large cottonwood trees along Hell Creek on Gove County Road 12. The tornado continued northeast, ending south of the CR 22 and CR I intersection. Due to the lack of vegetation and structures in the path of the tornado, little to no damage was reported." +121350,726468,ALASKA,2017,October,High Wind,"ST LAWRENCE IS. BERING STRAIT",2017-10-11 13:19:00,AKST-9,2017-10-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching 958 mb low pressure center along the west coast of Alaska on October 11. The strong winds continued into the 13th. Minor beach erosion also occurred along the coast. Low level areas of Gambell, Little Diomede,|Wales and Brevig Mission saw elevated seas of 3 to 5 feet above normal tides.||zone 207: Red dog Dock reported 61 mph ( 53 kt).||zone 213: Wales AWOS reported 60 mph ( 52 kt).","" +121350,726469,ALASKA,2017,October,High Wind,"CHUKCHI SEA COAST",2017-10-11 22:00:00,AKST-9,2017-10-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching 958 mb low pressure center along the west coast of Alaska on October 11. The strong winds continued into the 13th. Minor beach erosion also occurred along the coast. Low level areas of Gambell, Little Diomede,|Wales and Brevig Mission saw elevated seas of 3 to 5 feet above normal tides.||zone 207: Red dog Dock reported 61 mph ( 53 kt).||zone 213: Wales AWOS reported 60 mph ( 52 kt).","" +112900,678872,ALABAMA,2017,March,Thunderstorm Wind,"MADISON",2017-03-10 00:15:00,CST-6,2017-03-10 00:15:00,0,0,0,0,,NaN,,NaN,34.97,-86.78,34.97,-86.78,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Power lines were knocked down just east of Ardmore. A tree was also knocked down blocking a medical vehicle in the same area." +113088,678997,ALABAMA,2017,March,Hail,"MORGAN",2017-03-21 16:50:00,CST-6,2017-03-21 16:50:00,0,0,0,0,,NaN,,NaN,34.61,-86.98,34.61,-86.98,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Nickel sized hail was reported." +113088,678998,ALABAMA,2017,March,Hail,"JACKSON",2017-03-21 16:55:00,CST-6,2017-03-21 16:55:00,0,0,0,0,,NaN,,NaN,34.6474,-86.2589,34.6474,-86.2589,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Three quarter inch hail was reported 1.7 miles northeast of Woodville." +113088,678999,ALABAMA,2017,March,Thunderstorm Wind,"JACKSON",2017-03-21 16:55:00,CST-6,2017-03-21 16:55:00,0,0,0,0,,NaN,,NaN,34.86,-85.64,34.86,-85.64,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","A steeple was knocked off of a church." +113088,679000,ALABAMA,2017,March,Hail,"MORGAN",2017-03-21 17:04:00,CST-6,2017-03-21 17:04:00,0,0,0,0,,NaN,,NaN,34.52,-86.89,34.52,-86.89,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Quarter sized hail was reported." +113088,679001,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-21 17:29:00,CST-6,2017-03-21 17:29:00,0,0,0,0,,NaN,,NaN,34.3075,-86.2773,34.3075,-86.2773,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","One inch diameter hail was reported 2.2 miles southwest of Guntersville." +113088,679002,ALABAMA,2017,March,Hail,"MADISON",2017-03-21 17:37:00,CST-6,2017-03-21 17:37:00,0,0,0,0,,NaN,,NaN,34.93,-86.57,34.93,-86.57,"Numerous thunderstorms produced a few reports of large hail and damaging winds in northeast Alabama during the late afternoon and early evening hours.","Quarter sized hail was reported." +113224,677426,NEVADA,2017,February,Heavy Snow,"N ELKO CNTY",2017-02-22 07:00:00,PST-8,2017-02-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northern Elko county and the Ruby Mountains and East Humboldt Range. Some valley location reported 6 to 7 inches of snow while the mountains reported 1 to 2 feet of snow.","Wild horse reservoir reported 7 inches of snow and Jackpot 6 inches. Many SNOTEL sites reported between 1 and 2 feet of snow." +116453,703740,MINNESOTA,2017,July,Tornado,"CHISAGO",2017-07-12 01:39:00,CST-6,2017-07-12 01:40:00,0,0,0,0,0.00K,0,0.00K,0,45.3229,-92.8595,45.3223,-92.8482,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","A brief tornado hit three properties, knocking down dozens of trees and collapsing a barn." +116453,703732,MINNESOTA,2017,July,Tornado,"CHISAGO",2017-07-12 01:32:00,CST-6,2017-07-12 01:34:00,0,0,0,0,0.00K,0,0.00K,0,45.3072,-93.0197,45.2977,-92.9933,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","After exiting Anoka County, the tornado clipped the southwest part of Chisago County, downing over 100 trees. The tornado did take some tin off the roof of a shed. It dissipated just before reaching Washington County, where the collapsing storm produced widespread downburst damage in and around Forest Lake." +120292,720794,LAKE ERIE,2017,August,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-08-04 16:06:00,EST-5,2017-08-04 16:06:00,0,0,0,0,,NaN,0.00K,0,42.88,-78.89,42.88,-78.89,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced winds that gusted to 42 knots at Buffalo and 40 knots at Dunkirk.","" +120294,720802,NEW YORK,2017,August,Thunderstorm Wind,"ONTARIO",2017-08-15 12:35:00,EST-5,2017-08-15 12:35:00,0,0,0,0,12.00K,12000,0.00K,0,42.88,-76.99,42.88,-76.99,"An isolated thunderstorm produced damaging winds in Geneva. Trees were downed near Geneva High School.","Thunderstorm winds downed trees in Geneva." +120295,720803,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-17 20:23:00,EST-5,2017-08-17 20:23:00,0,0,0,0,12.00K,12000,0.00K,0,42.33,-79.33,42.33,-79.33,"Convective showers which crossed western New York during the evening hours produced winds which blew over a barn in North Collins. Several signs were also damaged. The winds downed trees on Bowers Road near Cassadaga.","Law enforcement reported trees down." +120295,720804,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-17 21:21:00,EST-5,2017-08-17 21:21:00,0,0,0,0,25.00K,25000,0.00K,0,42.59,-78.83,42.59,-78.83,"Convective showers which crossed western New York during the evening hours produced winds which blew over a barn in North Collins. Several signs were also damaged. The winds downed trees on Bowers Road near Cassadaga.","Law enforcement reported damage from thunderstorm winds." +112669,678969,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:30:00,CST-6,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,34.7052,-86.5698,34.7052,-86.5698,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail was reported near the intersection of Whitesburg Drive and Drake Avenue." +112669,678970,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:30:00,CST-6,2017-03-01 13:30:00,0,0,0,0,,NaN,,NaN,34.74,-86.71,34.74,-86.71,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail in the Creekwood Subdivision near Creekwood Park in Huntsville." +112669,678971,ALABAMA,2017,March,Hail,"MADISON",2017-03-01 13:35:00,CST-6,2017-03-01 13:35:00,0,0,0,0,,NaN,,NaN,34.67,-86.57,34.67,-86.57,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail was reported." +112669,678972,ALABAMA,2017,March,Hail,"MORGAN",2017-03-01 14:13:00,CST-6,2017-03-01 14:13:00,0,0,0,0,,NaN,,NaN,34.34,-86.61,34.34,-86.61,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Half dollar sized hail was reported and relayed by broadcast media." +112669,678973,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-01 14:20:00,CST-6,2017-03-01 14:20:00,0,0,0,0,,NaN,,NaN,34.4854,-86.3803,34.4854,-86.3803,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported along with a 56 mph wind gust in Hebron." +119185,715752,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-15 15:45:00,MST-7,2017-07-15 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-112.32,34.4829,-112.364,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","A thunderstorm produced high winds gusts (estimated at 60 MPH). The storm also produced pea sized hail and fog with visibility of 1/4 mile or less." +119193,715758,ARIZONA,2017,July,Lightning,"COCONINO",2017-07-13 16:58:00,MST-7,2017-07-13 16:58:00,7,0,0,0,0.00K,0,0.00K,0,35.22,-111.81,35.22,-111.81,"Lightning from a thunderstorm injured guardsmen on the Camp Navajo Army Depot.","Lightning struck and injured seven military personnel while they were working on a grounded helicopter on Camp Navajo Army Depot. All seven were treated and released." +119762,718216,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-17 14:30:00,MST-7,2017-07-17 14:40:00,0,0,0,0,10.00K,10000,0.00K,0,34.8,-112.55,34.8,-112.55,"Deep monsoon moisture brought strong thunderstorms over parts of northern Arizona.","Strong winds from a thunderstorm tore a 24 foot by 72 foot metal roof off a shed. It tore the (metal) sheets off like paper, split/broke the 2X6s (wood rafters). Winds estimated at 50 to 55 MPH." +119873,718599,ARIZONA,2017,July,Flash Flood,"COCONINO",2017-07-18 21:15:00,MST-7,2017-07-18 22:15:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-111.75,34.9398,-111.7489,"Deep monsoon moisture allowed thunderstorms to develop over northern Arizona with several reports of flash flooding across the area.","Law enforcement reported boulders on Highway 89A with flooded roadways in Oak Creek Canyon." +119879,718605,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-19 12:01:00,MST-7,2017-07-19 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.642,-112.4463,34.5666,-112.2054,"Monsoon moisture produced thunderstorms over northern Arizona with local flooding.","Heavy rain from thunderstorms flooded Willow Creek Road and Commerce Road in the Prescott area. One truck was stuck in the flood water. Three feet of water and debris covered Emerald Road in Diamond Valley Subdivision. There was at least a two foot rise in Alberson Wash upstream from Fain Lake and Lynx Creek." +119879,719015,ARIZONA,2017,July,Hail,"COCONINO",2017-07-19 17:10:00,MST-7,2017-07-19 17:10:00,0,0,0,0,0.00K,0,0.00K,0,34.85,-111.77,34.8128,-111.801,"Monsoon moisture produced thunderstorms over northern Arizona with local flooding.","Quarter sized (one inch diameter) hail was reported from a thunderstorm in southeast Sedona. The storm also produced 0.75 inches of rain." +116301,712742,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-09 20:02:00,CST-6,2017-07-09 20:02:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-95.84,45.04,-95.84,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712744,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:08:00,CST-6,2017-07-09 20:08:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-93.22,44.73,-93.22,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +120094,719575,MARYLAND,2017,August,Flood,"WICOMICO",2017-08-12 20:05:00,EST-5,2017-08-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.6,38.3966,-75.3532,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Emergency management and law enforcement officials reported that high water, flooding, and road closures continued across portions of the county due to the heavy rain that occurred on Saturday." +121205,725578,NEW HAMPSHIRE,2017,October,Flash Flood,"COOS",2017-10-30 03:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,436.00K,436000,0.00K,0,44.38,-71.17,44.3959,-71.1883,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Heavy rain of 3 to 6 inches in less than 12 hours resulted in many road washouts and flash flooding in Gorham." +121205,725583,NEW HAMPSHIRE,2017,October,Flash Flood,"COOS",2017-10-30 03:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,139.00K,139000,0.00K,0,44.47,-71.17,44.4506,-71.1557,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in many road washouts and flash flooding in Berlin." +121205,725584,NEW HAMPSHIRE,2017,October,Flash Flood,"COOS",2017-10-30 03:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,194.00K,194000,0.00K,0,44.4,-71.07,44.3891,-71.035,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in many road washouts and flash flooding in Shelburne. A bridge over Pea Brook in Shelburne was completely destroyed." +119264,716378,NEW YORK,2017,July,Thunderstorm Wind,"GENESEE",2017-07-08 01:12:00,EST-5,2017-07-08 01:12:00,0,0,0,0,12.00K,12000,0.00K,0,43,-78.18,43,-78.18,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","Law enforcement reported trees down in the Town of Batavia." +119264,716379,NEW YORK,2017,July,Thunderstorm Wind,"OSWEGO",2017-07-08 03:25:00,EST-5,2017-07-08 03:25:00,0,0,0,0,10.00K,10000,0.00K,0,43.37,-76.15,43.37,-76.15,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","Thunderstorm winds downed trees in Hastings." +119264,716380,NEW YORK,2017,July,Thunderstorm Wind,"OSWEGO",2017-07-08 03:43:00,EST-5,2017-07-08 03:43:00,0,0,0,0,15.00K,15000,0.00K,0,43.42,-75.9,43.42,-75.9,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","Highway Department reported several trees down near Williamstown." +119264,716381,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-08 07:12:00,EST-5,2017-07-08 07:12:00,0,0,0,0,15.00K,15000,0.00K,0,42.03,-78.21,42.03,-78.21,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","Law enforcement reported trees and wires downed by thunderstorm winds." +117902,708568,MISSOURI,2017,June,Lightning,"JACKSON",2017-06-17 00:00:00,CST-6,2017-06-17 00:00:00,0,0,0,0,50.00K,50000,0.00K,0,39.05,-94.54,39.05,-94.54,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Lightning strike caused a tree to catch fire which then fell on to a house and resulted in a house fire." +117902,708577,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-15 20:05:00,CST-6,2017-06-15 20:08:00,0,0,0,0,,NaN,,NaN,39.24,-94.8,39.24,-94.8,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Trees were down across HWY 45 near Waldron." +117902,708578,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-15 20:15:00,CST-6,2017-06-15 20:18:00,0,0,0,0,,NaN,,NaN,39.2164,-94.6405,39.2164,-94.6405,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Numerous tree limbs were blown down in the area NW of 67th St and N Overland Dr." +117902,708579,MISSOURI,2017,June,Thunderstorm Wind,"PLATTE",2017-06-15 20:28:00,CST-6,2017-06-15 20:31:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.67,39.2,-94.67,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Numerous reports of trees and limbs down in the Riss lake area." +119475,717021,NEW YORK,2017,July,Flash Flood,"ONTARIO",2017-07-23 15:11:00,EST-5,2017-07-23 18:30:00,0,0,0,0,50.00K,50000,0.00K,0,42.8496,-77.2804,42.8826,-77.3087,"Thunderstorms developed along the lake breezes during the afternoon hours. In Allegany County, the thunderstorms that formed along the Lake Erie breeze downed trees and wires in Belmont, Scio and Andover. In Ontario County, the storms that developed on the Lake Ontario breeze downed trees and wired in Canandaigua and Crystal Beach. The thunderstorm also produced heavy downpours that resulted in areas of flash flooding. IN Candandaigua, the flash flooding was rather widespread. The storm had rainfall rates in excess of four inches per hour at times with more than two-and-a-half inches falling in some areas. Many roads in and around the City were inundated. In the City of Canandaigua several cars were stranded in flood waters.","" +119656,717765,OHIO,2017,August,Hail,"SENECA",2017-08-03 18:44:00,EST-5,2017-08-03 18:44:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-83.1508,41.1,-83.1508,"Scattered thunderstorms developed on August 3rd. At least one produced some small hail and gusty winds.","Penny sized hail was observed." +120903,723859,OKLAHOMA,2017,October,Thunderstorm Wind,"WOODWARD",2017-10-06 21:05:00,CST-6,2017-10-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-99.13,36.73,-99.13,"Severe thunderstorms developed late in the evening across northwest Oklahoma along a pushing cold front and upper short wave. Damaging wind gusts were the severe threat associated with these storms.","" +117902,708900,MISSOURI,2017,June,Thunderstorm Wind,"GRUNDY",2017-06-16 22:01:00,CST-6,2017-06-16 22:04:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-93.59,40.24,-93.59,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A fire department employee reported a 50-60 mph wind." +117902,708902,MISSOURI,2017,June,Thunderstorm Wind,"DE KALB",2017-06-16 22:02:00,CST-6,2017-06-16 22:05:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-94.56,39.75,-94.56,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Emergency Manager reported a 60 mph wind." +117902,708905,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:10:00,CST-6,2017-06-16 22:13:00,0,0,0,0,0.00K,0,0.00K,0,39.64,-94.4,39.64,-94.4,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","An amateur radio spotter reported a 60 mph wind." +117902,708907,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:14:00,CST-6,2017-06-16 22:17:00,0,0,0,0,0.00K,0,0.00K,0,39.56,-94.46,39.56,-94.46,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +117902,708908,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:22:00,CST-6,2017-06-16 22:25:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-94.4,39.65,-94.4,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","An amateur radio spotter reported a 60-70 mph wind." +118096,710045,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"JAMES RIVER FROM JAMESTOWN TO THE JAMES RIVER BRIDGE",2017-06-19 17:10:00,EST-5,2017-06-19 17:10:00,0,0,0,0,0.00K,0,0.00K,0,37.19,-76.74,37.19,-76.74,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the James River.","Wind gust of 39 knots was measured at Jamestown." +120230,720334,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"FENWICK IS DE TO CHINCOTEAGUE VA OUT 20NM",2017-08-18 21:18:00,EST-5,2017-08-18 21:18:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-75.03,38.33,-75.03,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Maryland Coastal Waters.","Wind gust of 35 knots was measured at Ocean City Inlet." +113496,679422,VIRGINIA,2017,February,Hail,"HANOVER",2017-02-25 15:16:00,EST-5,2017-02-25 15:16:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-77.39,37.61,-77.39,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported." +121728,728654,MISSOURI,2017,December,Thunderstorm Wind,"COLE",2017-12-04 17:58:00,CST-6,2017-12-04 17:58:00,0,0,0,0,0.00K,0,0.00K,0,38.5664,-92.1705,38.5674,-92.1695,"A line of strong to severe storms developed along a cold front as it moved through the region. There were several reports of large hail and damaging winds.","Thunderstorm winds blew down several trees, as well as power lines, between Dawson Drive and Dunklin Street along Lafayette Street." +113496,679491,VIRGINIA,2017,February,Hail,"NEWPORT NEWS (C)",2017-02-25 18:09:00,EST-5,2017-02-25 18:09:00,0,0,0,0,0.00K,0,0.00K,0,37.08,-76.51,37.08,-76.51,"Scattered severe thunderstorms in advance of a cold front produced large hail and damaging winds across portions of central and eastern Virginia.","Quarter size hail was reported at Christopher Newport University." +119184,715735,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-14 16:37:00,MST-7,2017-07-14 16:37:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-112.34,33.9206,-112.3699,"A thunderstorm produced destructive winds in southeastern Yavapai County.","Winds from a thunderstorm knocked power poles down along Castle Creek north of Lake Pleasant." +116372,699805,ARKANSAS,2017,May,Hail,"MARION",2017-05-11 15:37:00,CST-6,2017-05-11 15:37:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-92.58,36.38,-92.58,"Severe thunderstorms produced large hail on May 11, 2017. Some flash flooding was noted on May 12, 2017.","" +117457,710028,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:34:00,CST-6,2017-06-16 20:34:00,0,0,0,0,,NaN,,NaN,40.27,-96.84,40.27,-96.84,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A trained storm spotter measured an 81 mph wind gust 3.5 miles south of Hoag. There was substantial tree and power line damage. Center pivot irrigation systems were flipped and there was half inch diameter hail reported." +117457,710029,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:39:00,CST-6,2017-06-16 20:39:00,0,0,0,0,,NaN,,NaN,40.33,-96.83,40.33,-96.83,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm chaser estimated a 100 mph wind gust from a thunderstorm." +118189,710274,IOWA,2017,June,Hail,"PAGE",2017-06-29 22:50:00,CST-6,2017-06-29 22:50:00,0,0,0,0,,NaN,,NaN,40.83,-95.3,40.83,-95.3,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118243,710578,IOWA,2017,June,Thunderstorm Wind,"LEE",2017-06-16 00:50:00,CST-6,2017-06-16 00:50:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-91.4,40.41,-91.4,"Several clusters of strong to severe storms moved over the area the afternoon and evening of June 16th, 2017. These storms mainly brought heavy rainfall, but also a few strong wind gusts.","A large tree branch was reported down. The time was estimated from radar." +115901,696460,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-19 16:15:00,EST-5,2017-05-19 16:15:00,0,0,0,0,2.50K,2500,0.00K,0,39.9,-79.68,39.9,-79.68,"Shortwave crossing a stalled boundary across the region helped to initiate isolated strong to severe storms on the 19th. There were a few reports of trees down in eastern Ohio and southwestern Pennsylvania.","Local 911 reported trees down." +115890,702434,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-01 14:30:00,EST-5,2017-05-01 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,41.4678,-79.2785,41.4678,-79.2785,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A survey conducted by the National Weather Service noted sporadic tree snaps and uproots in the woods along Guitonville Road." +115890,702436,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-01 14:42:00,EST-5,2017-05-01 14:42:00,0,0,0,0,2.00K,2000,0.00K,0,41.53,-79.05,41.53,-79.05,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","State official reported numerous trees down." +115890,702438,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-01 14:50:00,EST-5,2017-05-01 14:50:00,0,0,0,0,5.00K,5000,0.00K,0,41.61,-79.05,41.61,-79.05,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A survey conducted by the National Weather Service noted damage to trees along route 666 near Jay Creek Road. Damage indicated wind speeds near 75mph." +115890,702448,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 13:25:00,EST-5,2017-05-01 13:25:00,0,0,0,0,1.00K,1000,0.00K,0,40.14,-80.47,40.14,-80.47,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Amateur radio reported multiple trees down." +115890,702449,PENNSYLVANIA,2017,May,Thunderstorm Wind,"VENANGO",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,2.00K,2000,0.00K,0,41.43,-79.74,41.43,-79.74,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Law enforcement reported trees snapped and uprooted." +117457,709937,NEBRASKA,2017,June,Thunderstorm Wind,"MADISON",2017-06-16 16:37:00,CST-6,2017-06-16 16:37:00,0,0,0,0,,NaN,,NaN,41.98,-97.43,41.98,-97.43,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 71 mph wind gust occured from thunderstorm winds at Norfolk airport." +117457,709969,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:40:00,CST-6,2017-06-16 18:40:00,0,0,0,0,,NaN,,NaN,41.28,-96.24,41.28,-96.24,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An off duty NWS employee estimated 70 mph winds in Elkhorn." +117457,711012,NEBRASKA,2017,June,Tornado,"GAGE",2017-06-16 20:39:00,CST-6,2017-06-16 20:41:00,0,0,0,0,,NaN,,NaN,40.3289,-96.7085,40.3167,-96.7007,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An aerial survey by emergency management indicated a 0.9 mile long tornado damage track in central Gage County. The tornado impacted one farm, destroying an empty grain bin, while destroying a 20-40 yard wide swath of crops along the track." +117953,709064,IOWA,2017,June,Thunderstorm Wind,"POTTAWATTAMIE",2017-06-16 07:20:00,CST-6,2017-06-16 17:20:00,0,0,0,0,,NaN,,NaN,41.47,-95.45,41.47,-95.45,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Parts of a roof on a Menards warehouse distribution center collapsed due to damaging thunderstorm winds. Time is estimated from radar data." +117457,710013,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 19:10:00,CST-6,2017-06-16 19:10:00,0,0,0,0,,NaN,,NaN,41.16,-95.92,41.16,-95.92,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An estimated gust of 80 mph wind gust was reported in Bellevue." +117457,710016,NEBRASKA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-16 19:35:00,CST-6,2017-06-16 19:35:00,0,0,0,0,,NaN,,NaN,40.91,-96.87,40.91,-96.87,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm spotter estimated a 70 mph wind gust near Malcolm." +117953,709092,IOWA,2017,June,Thunderstorm Wind,"HARRISON",2017-06-16 18:40:00,CST-6,2017-06-16 18:40:00,0,0,0,0,,NaN,,NaN,41.81,-96.03,41.81,-96.03,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Winds of 60 mph were estimated by a Cooperative Weather Observer near Little Sioux." +116892,702975,IOWA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-17 18:51:00,CST-6,2017-05-17 18:51:00,0,0,0,0,0.00K,0,0.00K,0,42.54,-91.35,42.54,-91.35,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","This report was from the county emergency manager who estimated wind gusts up to 75 mph." +116892,702984,IOWA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-17 18:28:00,CST-6,2017-05-17 18:28:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-91.5,42.35,-91.5,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local fire department reported a measured wind gust of 77 knots." +116892,702985,IOWA,2017,May,Thunderstorm Wind,"DELAWARE",2017-05-17 18:52:00,CST-6,2017-05-17 18:52:00,0,0,0,0,0.00K,0,0.00K,0,42.63,-91.4,42.63,-91.4,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported a wind gust estimated to 70 mph." +116892,702986,IOWA,2017,May,Thunderstorm Wind,"DUBUQUE",2017-05-17 18:57:00,CST-6,2017-05-17 18:57:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-91.12,42.48,-91.12,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a measured wind gust of 63 knots." +116892,702987,IOWA,2017,May,Thunderstorm Wind,"DUBUQUE",2017-05-17 19:04:00,CST-6,2017-05-17 19:04:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-91,42.6,-91,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported a measured wind gust of 68 knots." +116297,699236,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 17:42:00,EST-5,2017-05-27 17:42:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-81.76,36.88,-81.76,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699237,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 17:46:00,EST-5,2017-05-27 17:46:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-81.72,36.91,-81.72,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","A thunderstorm produced quarter to half dollar sized hail." +116297,699238,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 17:51:00,EST-5,2017-05-27 17:51:00,0,0,0,0,0.00K,0,0.00K,0,36.91,-81.67,36.91,-81.67,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699239,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 18:05:00,EST-5,2017-05-27 18:05:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-81.58,36.79,-81.58,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699240,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 18:05:00,EST-5,2017-05-27 18:05:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-81.61,36.8,-81.61,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +115229,691842,NEW YORK,2017,May,Flash Flood,"NEW YORK",2017-05-05 12:40:00,EST-5,2017-05-05 13:21:00,0,0,0,0,0.00K,0,0.00K,0,40.7547,-74.006,40.755,-74.007,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of New York City and western Nassau County. Much of the area received one and a half to three inches of rain during the event, including Central Park (3.00 inches) and LaGuardia Airport (2.25 inches). The majority of the rain fell during a three hour period, with hourly rainfall rates of around an inch per hour.","West Side Highway was closed between 20th and 30th Streets in Chelsea due to flooding." +116573,701262,VIRGINIA,2017,May,Flood,"PULASKI",2017-05-24 20:00:00,EST-5,2017-05-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0589,-80.8062,37.0544,-80.7602,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Numerous roads were flooded across the county. Peak Creek was reported out of its banks and the IFLOWS gage on Peak Creek (PCRV2) crested at 8.9 feet (Minor Flood Stage - 8 ft) on the evening of the 24th. Several parking lots were flooded in the town of Pulaski. The New River at Allisonia (ALSV2) crested at 8.79 feet (Minor Flood Stage - 8 ft.) early on the 25th. A road along the New River was flooded." +116573,701266,VIRGINIA,2017,May,Flood,"GRAYSON",2017-05-24 19:00:00,EST-5,2017-05-25 07:00:00,0,0,0,0,150.00K,150000,0.00K,0,36.6277,-81.3284,36.6002,-81.338,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","In Grayson County at least eight roads were closed and up to six roads were damaged by flood waters. Winding Road near Fries was badly damaged. Several campgrounds along the New River were flooded although the New River near Galax (GAXV2) remained below flood stage, cresting at 6.21 feet (Action Stage - 7 ft.) early on the 25th. Damage estimates per VA DOT." +116913,703083,ILLINOIS,2017,May,Thunderstorm Wind,"MCDONOUGH",2017-05-10 17:35:00,CST-6,2017-05-10 17:35:00,0,0,0,0,1.00K,1000,0.00K,0,40.47,-90.68,40.47,-90.68,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing a few reports of strong damaging winds, and heavy downpours.","A trained spotter reported a tree down on a power pole on Maple Avenue near the high school." +120753,723237,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 12:36:00,MST-7,2017-10-25 12:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Peak wind gust measured at the Two Medicine DOT sensor." +120753,723238,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 12:23:00,MST-7,2017-10-25 12:23:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the Browning DOT sensor." +120753,723239,MONTANA,2017,October,High Wind,"JUDITH BASIN",2017-10-25 13:36:00,MST-7,2017-10-25 13:36:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the Geyser DOT sensor." +120753,723240,MONTANA,2017,October,High Wind,"FERGUS",2017-10-25 14:58:00,MST-7,2017-10-25 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a military site 11 miles W of Grass Range." +120753,723241,MONTANA,2017,October,High Wind,"CASCADE",2017-10-25 16:19:00,MST-7,2017-10-25 16:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Estimated gust 9 miles north of Belt." +120753,723242,MONTANA,2017,October,High Wind,"CHOUTEAU",2017-10-25 10:29:00,MST-7,2017-10-25 10:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site 7 miles SSW of Fort Benton." +120753,723244,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 13:29:00,MST-7,2017-10-25 13:29:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site 4 miles NE of Dupuyer." +120753,723245,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 05:11:00,MST-7,2017-10-25 05:11:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the Saint Mary RAWS site." +116573,703208,VIRGINIA,2017,May,Flood,"CRAIG",2017-05-25 07:00:00,EST-5,2017-05-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.5336,-80.0345,37.5406,-80.0407,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Craig Creek at Route 614 (CCIV2) rose above minor flood stage of 8 feet and crested at 8.70 feet. Route 614 (Hawkins Road) bridge was closed due to the flooding." +116892,702826,IOWA,2017,May,Hail,"HENRY",2017-05-17 16:20:00,CST-6,2017-05-17 16:20:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Pictures of hail the size of golf balls were received via social media." +116892,702915,IOWA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-17 16:20:00,CST-6,2017-05-17 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,41.22,-91.91,41.22,-91.91,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported several trees were damaged, and some boards were blown off the railroad walkway." +116375,700011,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-19 12:29:00,EST-5,2017-05-19 12:29:00,0,0,0,0,0.50K,500,0.00K,0,37.02,-79.14,37.02,-79.14,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed a tree on Cody Road." +121212,725684,KANSAS,2017,October,Hail,"GRAY",2017-10-06 15:25:00,CST-6,2017-10-06 15:25:00,0,0,0,0,,NaN,,NaN,37.99,-100.35,37.99,-100.35,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Pea to quarter sized hail was observed at the intersection of B Road and Highway 23." +121212,725685,KANSAS,2017,October,Hail,"LANE",2017-10-06 15:28:00,CST-6,2017-10-06 15:28:00,0,0,0,0,,NaN,,NaN,38.29,-100.29,38.29,-100.29,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","There was virtually no wind as the hail fell." +121212,725686,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 15:35:00,CST-6,2017-10-06 15:35:00,0,0,0,0,,NaN,,NaN,38.05,-100.07,38.05,-100.07,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Vehicle damage was observed at HorseTheif Reservoir." +120395,721192,MONTANA,2017,October,High Wind,"YELLOWSTONE",2017-10-20 18:13:00,MST-7,2017-10-20 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients, combined with a strong jet stream aloft, resulted in very gusty winds across portions of the Billings Forecast Area.","A wind gust of 63 mph was recorded 10 miles east of Molt and a gust of 58 mph was recorded at the Billings Airport." +120398,721193,MONTANA,2017,October,High Wind,"BEARTOOTH FOOTHILLS",2017-10-18 00:42:00,MST-7,2017-10-18 01:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients across the Absaroka/Beartooth Foothills resulted in some very high wind gusts.","Wind gusts ranging from 75-89 mph occurred across the area." +120399,721194,MONTANA,2017,October,High Wind,"JUDITH GAP",2017-10-25 23:38:00,MST-7,2017-10-26 01:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients combined with a very strong jet stream resulted in strong wind gusts across the northwest portions of the Billings Forecast Area.","Wind gusts ranging from 58 to 64 mph occurred in Judith Gap." +120399,721195,MONTANA,2017,October,High Wind,"NORTHERN SWEET GRASS",2017-10-25 12:40:00,MST-7,2017-10-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients combined with a very strong jet stream resulted in strong wind gusts across the northwest portions of the Billings Forecast Area.","A wind gust of 59 mph was recorded in Big Timber." +120399,721196,MONTANA,2017,October,High Wind,"SOUTHERN WHEATLAND",2017-10-25 10:15:00,MST-7,2017-10-25 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradients combined with a very strong jet stream resulted in strong wind gusts across the northwest portions of the Billings Forecast Area.","A wind gust of 65 mph was recorded across the area." +120400,721197,MONTANA,2017,October,High Wind,"CARTER",2017-10-22 19:16:00,MST-7,2017-10-22 19:16:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","A wind gust of 62 mph was recorded in Alzada." +120400,721198,MONTANA,2017,October,High Wind,"FALLON",2017-10-22 16:22:00,MST-7,2017-10-22 16:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","A wind gust of 63 mph was recorded at the Baker airport." +120400,721199,MONTANA,2017,October,High Wind,"GOLDEN VALLEY",2017-10-22 13:30:00,MST-7,2017-10-22 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","Wind gusts of 60 mph were reported across the area." +120400,721201,MONTANA,2017,October,High Wind,"MUSSELSHELL",2017-10-22 14:35:00,MST-7,2017-10-22 18:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","A wind gust of 62 mph was reported at the Bull Mountain DOT site and a gust of 58 mph was reported in Roundup." +120400,721202,MONTANA,2017,October,High Wind,"JUDITH GAP",2017-10-22 15:47:00,MST-7,2017-10-22 16:57:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","A wind gust of 66 mph was recorded in Judith Gap." +120608,722582,KANSAS,2017,October,Tornado,"SALINE",2017-10-06 18:50:00,CST-6,2017-10-06 18:54:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-97.83,38.682,-97.789,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","No damage was reported as it moved across open country. It was reported to be on the ground for four minutes." +120657,722749,KANSAS,2017,October,Hail,"SEDGWICK",2017-10-21 14:55:00,CST-6,2017-10-21 14:56:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-97.26,37.68,-97.26,"An isolated thunderstorm barely achieved severity when it produced 1 inch hail in East Wichita that afternoon.","Hail estimated at quarter-sized was observed at the K-96/East 13th Street interchange. The report was received via social media." +120744,723175,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"ORANGEBURG",2017-10-23 17:28:00,EST-5,2017-10-23 17:30:00,0,0,0,0,,NaN,,NaN,33.41,-80.88,33.41,-80.88,"Moisture and instability produced a cluster of thunderstorms ahead of a cold front, including an isolated embedded severe storm that produced wind damage.","Orangeburg Co SC dispatch reported trees down on Cannon Bridge Rd." +120794,723413,LAKE MICHIGAN,2017,October,Marine Thunderstorm Wind,"WILMETTE HARBOR TO NORTHERLY ISLAND IL",2017-10-07 15:00:00,CST-6,2017-10-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-87.57,41.92,-87.57,"A line of convective showers moved across southern Lake Michigan during the late afternoon of October 7th producing winds above 34 knots.","" +120794,723414,LAKE MICHIGAN,2017,October,Marine Thunderstorm Wind,"BURNS HARBOR TO MICHIGAN CITY IN",2017-10-07 15:40:00,CST-6,2017-10-07 15:40:00,0,0,0,0,0.00K,0,0.00K,0,41.755,-86.968,41.755,-86.968,"A line of convective showers moved across southern Lake Michigan during the late afternoon of October 7th producing winds above 34 knots.","" +120795,723415,ILLINOIS,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-14 19:40:00,CST-6,2017-10-14 19:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.75,-88.52,40.75,-88.52,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Multiple large tree limbs and power lines were blown down." +119938,718814,PENNSYLVANIA,2017,October,Thunderstorm Wind,"WARREN",2017-10-15 16:10:00,EST-5,2017-10-15 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,41.8419,-79.1377,41.8419,-79.1377,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down several large trees in Warren." +119938,718815,PENNSYLVANIA,2017,October,Thunderstorm Wind,"MCKEAN",2017-10-15 16:30:00,EST-5,2017-10-15 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.9643,-78.6725,41.9643,-78.6725,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees onto Royal Avenue just west of Bradford." +119938,718816,PENNSYLVANIA,2017,October,Thunderstorm Wind,"MCKEAN",2017-10-15 16:35:00,EST-5,2017-10-15 16:35:00,0,0,0,0,4.00K,4000,0.00K,0,41.9323,-78.6521,41.9323,-78.6521,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down a tree onto a house on Spruce Street south of Bradford." +119938,718817,PENNSYLVANIA,2017,October,Thunderstorm Wind,"ELK",2017-10-15 17:20:00,EST-5,2017-10-15 17:20:00,0,0,0,0,3.00K,3000,0.00K,0,41.4294,-78.7328,41.4294,-78.7328,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Ridgway." +119938,718818,PENNSYLVANIA,2017,October,Thunderstorm Wind,"POTTER",2017-10-15 17:39:00,EST-5,2017-10-15 17:39:00,0,0,0,0,0.00K,0,0.00K,0,41.76,-77.96,41.76,-77.96,"An approaching cold front triggered a line of showers and thunderstorms in an unseasonably warm airmass over eastern Ohio and western Pennsylvania. This line of storms pushed southeastward across central Pennsylvania, generating a handful of wind damage reports across the northwest mountains before the line weakened.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees near Sweden Valley." +121088,724894,CALIFORNIA,2017,October,High Wind,"MONO",2017-10-19 22:35:00,PST-8,2017-10-19 22:36:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of the Eastern Sierra on the 19th and 20th. Wind prone and higher elevation locations saw gusts in excess of 61 mph.","Mammoth-Yosemite Airport AWOS reported a wind gust of 61 mph." +121088,724895,CALIFORNIA,2017,October,High Wind,"GREATER LAKE TAHOE AREA",2017-10-20 01:15:00,PST-8,2017-10-20 01:16:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of the Eastern Sierra on the 19th and 20th. Wind prone and higher elevation locations saw gusts in excess of 61 mph.","A mesonet atop Alpine Meadows (elevation 8643 feet) reported a wind gust of 127 mph." +120490,721865,NORTH DAKOTA,2017,October,High Wind,"WESTERN WALSH",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721867,NORTH DAKOTA,2017,October,High Wind,"GRAND FORKS",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721866,NORTH DAKOTA,2017,October,High Wind,"NELSON",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721868,NORTH DAKOTA,2017,October,High Wind,"STEELE",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120858,723782,ARKANSAS,2017,October,Thunderstorm Wind,"WHITE",2017-10-22 03:25:00,CST-6,2017-10-22 03:25:00,0,0,0,0,10.00K,10000,0.00K,0,35.11,-91.82,35.11,-91.82,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Several outbuildings were damaged and large limbs were blown down." +120858,723783,ARKANSAS,2017,October,Thunderstorm Wind,"WHITE",2017-10-22 03:45:00,CST-6,2017-10-22 03:45:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-91.65,35.12,-91.65,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","A power line was knocked down." +120858,723784,ARKANSAS,2017,October,Thunderstorm Wind,"WHITE",2017-10-22 03:48:00,CST-6,2017-10-22 03:48:00,0,0,0,0,0.00K,0,0.00K,0,35.12,-91.65,35.12,-91.65,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","A tree was blown down on the ground." +120858,724241,ARKANSAS,2017,October,Thunderstorm Wind,"LOGAN",2017-10-22 00:41:00,CST-6,2017-10-22 00:41:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-93.87,35.29,-93.87,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Tree limbs were blown down 1 mile south of Caulksville." +120858,724242,ARKANSAS,2017,October,Thunderstorm Wind,"POLK",2017-10-22 00:45:00,CST-6,2017-10-22 00:45:00,0,0,0,0,20.00K,20000,0.00K,0,34.49,-94.38,34.49,-94.38,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Several county roads in the area were temporarily blocked from overturned trees and power lines. One home was unlivable due to severe roof damage." +121167,725369,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"WATERS FROM PT MANSFIELD TO RIO GRANDE TX EXT FROM 20 TO 60NM",2017-10-15 15:00:00,CST-6,2017-10-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,26.217,-96.5,26.217,-96.5,"A locally strong thunderstorm moved through the Gulf waters around 40 nautical miles east of South Padre Island, and produced a brief gale force gust while moving southwest through the offshore waters on October 15th.","Texas A&M Research Buoy K (42045, NDBC number) reported a gust to 34 knots at 2100 UTC (1500 CST) on October 15th, 2017." +121084,724854,GULF OF MEXICO,2017,October,Marine Tropical Storm,"WATERS FROM PENSACOLA FL TO PASCAGOULA MS FROM 20 TO 60 NM",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","" +121084,725004,GULF OF MEXICO,2017,October,Waterspout,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-10-07 12:53:00,CST-6,2017-10-07 12:57:00,0,0,0,0,0.00K,0,0.00K,0,30.2397,-87.691,30.2397,-87.691,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","Gulf Shores Fire Department reported a waterspout moving toward shore." +121239,725810,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-10-29 01:56:00,EST-5,2017-10-29 01:56:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 38 knots was measured by an automated WeatherFlow station at the U.S. Coast Guard Station Key West." +121239,725811,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-10-29 02:00:00,EST-5,2017-10-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,24.551,-81.808,24.551,-81.808,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 39 knots was measured at a NOAA/National Ocean Service station atop the Florida Keys National Marine Sanctuary office in Key West." +121239,725812,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-10-29 02:10:00,EST-5,2017-10-29 02:10:00,0,0,0,0,0.00K,0,0.00K,0,24.5571,-81.7554,24.5571,-81.7554,"Gale-force wind gust were associated with thunderstorms occurring to the southeast of a non-tropical trough of low pressure during the approach of developing Tropical Storm Philippe in the northwest Caribbean Sea. As the complex center of Tropical Storm Philippe emerged from Cuba into the Straits of Florida, scattered showers and thunderstorms embedded in a developing northerly wind band from the interaction with the non-tropical trough resulted in several more brief gale-force wind gusts.","A wind gust of 36 knots was measured at the Key West International Airport ASOS." +121318,726246,MASSACHUSETTS,2017,October,Strong Wind,"NORTHERN BERKSHIRE",2017-10-30 03:29:00,EST-5,2017-10-30 03:29:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Massachusetts. Total rainfall amounts reported across Berkshire county, MA ranged from 1.91 inches near Williamstown to 4.5 inches near Becket.","The Pittsfield ASOS measured a wind gust of 41 mph." +121318,726247,MASSACHUSETTS,2017,October,High Wind,"SOUTHERN BERKSHIRE",2017-10-29 21:37:00,EST-5,2017-10-29 21:37:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Massachusetts. Total rainfall amounts reported across Berkshire county, MA ranged from 1.91 inches near Williamstown to 4.5 inches near Becket.","Large limbs and a couple of trees were down due to high winds in the area of Great Barrington and Lenox." +121317,726239,CONNECTICUT,2017,October,Strong Wind,"NORTHERN LITCHFIELD",2017-10-30 01:26:00,EST-5,2017-10-30 01:26:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","Wind gusts at a CWOP site near Torrington recorded 43 mph." +121317,726240,CONNECTICUT,2017,October,Strong Wind,"SOUTHERN LITCHFIELD",2017-10-29 23:59:00,EST-5,2017-10-29 23:59:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","A CWOP site near Terryville measured a wind gust of 32 mph." +121075,724918,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE",2017-10-07 08:55:00,MST-7,2017-10-07 12:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Vedauwoo measured wind gusts of 58 mph or higher, with a peak gust of 75 mph at 07/1345 MST." +121075,724919,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-07 09:20:00,MST-7,2017-10-07 09:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Interstate 80 mile post 353 measured a peak wind gust of 58 mph." +121075,724920,WYOMING,2017,October,High Wind,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-07 07:20:00,MST-7,2017-10-07 08:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large pressure gradient produced high gap winds throughout portions of east-central and southeast Wyoming. Frequent gusts of 65 to 75 mph were observed.","The WYDOT sensor at Otto Road measured sustained winds of 40 mph or higher, with a peak gust of 59 mph at 07/0740 MST." +119620,717595,MONTANA,2017,October,Winter Storm,"HILL",2017-10-02 15:00:00,MST-7,2017-10-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Widespread and extensive tree and power line damage throughout the city of Havre due to heavy snow and strong winds. Trees and large branches have fallen on cars, homes, and power lines. Thousands without power in town. Some roads closed due to fallen trees." +119620,717611,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-02 15:00:00,MST-7,2017-10-03 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Six power poles snapped near observer's house. Power out in the area. 5 inches of snow fell." +120037,719338,TEXAS,2017,October,Strong Wind,"RUSK",2017-10-22 03:36:00,CST-6,2017-10-22 03:36:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"A mesoscale convective complex (MCS) developed over Southwest and Central Oklahoma during the late afternoon and early evening hours of October 21st, along a cold front that progressed southeast across the state ahead of a vigorous upper level trough. This MCS surged southeast but weakened as it moved into Southeast Oklahoma, Southwest Arkansas, and Northeast Texas during the early morning hours of October 22nd, and continued to produce widespread (and non-severe) 40-50 mph wind gusts areawide. ||The lead gust front accelerated out ahead of the storms over Northeast Texas, which downed a tree on Farm to Market Road 16 near County Road 32 east of Lindale in Smith County. Another tree was downed at the 600 block of West Avalon Avenue in Longview (Gregg County), with the damage occurring about 20 miles to the east of the band of storms. A third tree was also downed across Highway 84 west of Highway 259 near Mount Enterprise (Rusk County) along the lead gust front as well.","A tree was downed blocking Highway 84 west of Highway 259 near Mount Enterprise. This was the result of 40-50 mph winds associated with a line of strong showers that developed along the lead gust front." +120037,719340,TEXAS,2017,October,Strong Wind,"SMITH",2017-10-22 02:11:00,CST-6,2017-10-22 02:11:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"A mesoscale convective complex (MCS) developed over Southwest and Central Oklahoma during the late afternoon and early evening hours of October 21st, along a cold front that progressed southeast across the state ahead of a vigorous upper level trough. This MCS surged southeast but weakened as it moved into Southeast Oklahoma, Southwest Arkansas, and Northeast Texas during the early morning hours of October 22nd, and continued to produce widespread (and non-severe) 40-50 mph wind gusts areawide. ||The lead gust front accelerated out ahead of the storms over Northeast Texas, which downed a tree on Farm to Market Road 16 near County Road 32 east of Lindale in Smith County. Another tree was downed at the 600 block of West Avalon Avenue in Longview (Gregg County), with the damage occurring about 20 miles to the east of the band of storms. A third tree was also downed across Highway 84 west of Highway 259 near Mount Enterprise (Rusk County) along the lead gust front as well.","A tree was downed on Farm to Market Road 16 near County Road 32 east of Lindale." +120080,719490,TEXAS,2017,October,Hail,"YOAKUM",2017-10-21 16:32:00,CST-6,2017-10-21 16:32:00,0,0,0,0,0.00K,0,0.00K,0,32.97,-102.85,32.97,-102.85,"High based thunderstorms developed out ahead of a fast moving and strong cold front during the evening of the 21st. One of these thunderstorms produced a severe wind gust to 62 mph at a Texas Tech University West Texas mesonet site 8 miles west-southwest of Sundown.","" +120080,719491,TEXAS,2017,October,Thunderstorm Wind,"COCHRAN",2017-10-21 16:10:00,CST-6,2017-10-21 16:10:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-102.61,33.39,-102.61,"High based thunderstorms developed out ahead of a fast moving and strong cold front during the evening of the 21st. One of these thunderstorms produced a severe wind gust to 62 mph at a Texas Tech University West Texas mesonet site 8 miles west-southwest of Sundown.","A Texas Tech University West Texas mesonet site near Sundown measured a wind gust to 62 mph." +120383,721996,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-23 23:43:00,HST-10,2017-10-24 02:11:00,0,0,0,0,0.00K,0,0.00K,0,21.1795,-157.2226,21.136,-156.7804,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120383,721997,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-24 00:11:00,HST-10,2017-10-24 02:38:00,0,0,0,0,0.00K,0,0.00K,0,20.8795,-156.985,20.7588,-156.8848,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120383,722006,HAWAII,2017,October,Heavy Rain,"MAUI",2017-10-24 06:30:00,HST-10,2017-10-24 06:59:00,0,0,0,0,0.00K,0,0.00K,0,20.9186,-156.693,20.9106,-156.6831,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","Debris flow partially closed Honoapiilani Highway at Kaanapali Parkway due to heavy rain." +120383,722007,HAWAII,2017,October,Heavy Rain,"HAWAII",2017-10-25 14:39:00,HST-10,2017-10-25 17:22:00,0,0,0,0,0.00K,0,0.00K,0,20.2369,-155.8466,19.1046,-155.6433,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","" +120400,721200,MONTANA,2017,October,High Wind,"NORTHERN ROSEBUD",2017-10-22 14:48:00,MST-7,2017-10-22 17:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","Wind gusts ranging from 58 to 70 mph were reported across the area." +120448,721640,FLORIDA,2017,October,Heavy Rain,"FLAGLER",2017-10-01 16:30:00,EST-5,2017-10-01 16:30:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.21,29.57,-81.21,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","A spotter in western Palm Coast measured a 2 day rainfall of 13.12 inches." +120448,721641,FLORIDA,2017,October,Heavy Rain,"FLAGLER",2017-10-01 17:32:00,EST-5,2017-10-01 17:32:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-81.13,29.47,-81.13,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","A spotter in Flagler Beach measured a 2 day rainfall of 5.82 inches." +120448,721643,FLORIDA,2017,October,Coastal Flood,"ST. JOHNS",2017-10-01 16:14:00,EST-5,2017-10-01 16:14:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Tidal overwash was over A1A just north of Marinland. The road was still passable, but debris was washing over the road." +120303,720901,CALIFORNIA,2017,October,High Wind,"INDIAN WELLS VLY",2017-10-20 14:26:00,PST-8,2017-10-20 14:26:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","The Indian Wells Canyon RAWS reported a maximum wind gust of 61 mph." +120303,720902,CALIFORNIA,2017,October,Strong Wind,"INDIAN WELLS VLY",2017-10-20 12:00:00,PST-8,2017-10-20 13:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front pushed south through central California on October 20 producing the only significant precipitation event across the area for the entire month. Ahead of the front, strong winds developed over the San Joaquin Valley and the Kern County Mountains and Deserts during the late evening hours on October 19th and continued through the morning hours of the 20th. In addition, this system brought widespread precipitation to the area although rainfall amounts were generally light. A few locations in Yosemite National Park received over half an inch of rainfall and several locations in the southern Sierra Nevada and southern Sierra foothills picked up between a quarter and a half inch of rain. Several locations in the central San Joaquin Valley measured between a tenth and a quarter inch of rainfall while much of the south San Joaquin Valley and the Kern County Mountains measured up to a tenth of an inch of rain. Snow was reported as low as 6000 feet in the southern Sierra Nevada, but snowfall amounts were light and local accumulations of up to 3 inches were reported at higher elevations.","Social media and online newspapers reports showed the roof of a mobile home and a car port were blown off in Ridgecrest. There were also social media reports of trees uprooted and sheds blown over. The ASOS at the China Lake NWTC measured a peak wind gust of 46 mph around the time of the wind damage." +120074,721799,MISSOURI,2017,October,Thunderstorm Wind,"OZARK",2017-10-22 01:50:00,CST-6,2017-10-22 01:50:00,0,0,0,0,0.00K,0,0.00K,0,36.61,-92.42,36.61,-92.42,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","Wind gusts up to 65 mph were estimated but no damage was reported." +120513,722151,MASSACHUSETTS,2017,October,Flood,"WORCESTER",2017-10-24 19:00:00,EST-5,2017-10-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0679,-71.8774,42.0624,-71.8581,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Webster at the intersection of Granite and Wakefield Streets." +120513,722160,MASSACHUSETTS,2017,October,Flood,"BRISTOL",2017-10-25 03:20:00,EST-5,2017-10-25 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9462,-71.2754,41.9469,-71.2761,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Attleboro occurred on Forest Street at the railroad underpass." +120513,722161,MASSACHUSETTS,2017,October,Flood,"ESSEX",2017-10-25 04:26:00,EST-5,2017-10-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5374,-70.9568,42.5372,-70.9576,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Peabody at intersection of Andover Street and Prospect Street." +120513,722162,MASSACHUSETTS,2017,October,Flood,"MIDDLESEX",2017-10-25 04:30:00,EST-5,2017-10-25 09:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4631,-71.0529,42.4633,-71.0517,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Melrose at intersection of Larchmont Road and Porter Street." +120628,722588,RHODE ISLAND,2017,October,High Wind,"EASTERN KENT",2017-10-29 21:18:00,EST-5,2017-10-30 01:00:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 918 PM EST, an amateur radio operator at Conimicut Point in Warwick reported a wind gust of 65 mph. At 1012 PM EST, the same operator reported a sustained wind of 57 mph. At 1029 PM EST, the Automated Surface Observation System platform at T F Green Airport measured a wind gust to 63 mph. A tree was reported down on a house on Helen Avenue and a tree and wires were down on Ryan Avenue, both in Warwick." +120628,722589,RHODE ISLAND,2017,October,High Wind,"NEWPORT",2017-10-29 21:15:00,EST-5,2017-10-30 00:00:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","AT 918 PM EST, the Automated Surface Observation System measured a wind gust to 55 mph. At 1018 PM EST, a tree and wires were down at Prospect Court in Portsmouth." +120628,722590,RHODE ISLAND,2017,October,High Wind,"BLOCK ISLAND",2017-10-29 23:09:00,EST-5,2017-10-29 23:09:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 1109 PM EST, the Co-operative observer at Block Island measured a wind gust to 71 mph." +120628,722591,RHODE ISLAND,2017,October,High Wind,"SOUTHEAST PROVIDENCE",2017-10-29 23:06:00,EST-5,2017-10-30 02:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 1106 PM EST, an amateur radio operator in Providence reported a wind gust to 61 mph. At 1250 AM EST, trees and wires were reported down in Cranston on Narragansett Blvd, Taft Street, Glenham Road, Cranston Street, Pippen Orchard Road, Lippit Avenue, Seven Mile Road, Sagamore Road, Massachusetts Street, Natick Avenue, Sheldon Street, and Curry Road." +120449,722087,CALIFORNIA,2017,October,Wildfire,"NORTH BAY INTERIOR VALLEYS",2017-10-08 20:45:00,PST-8,2017-10-30 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure building into the Great Basin lead to gusty northerly to northeasterly winds across a portion of our CWA. Existing low relative humidity values and dry fuels were also observed. As a result, the several fires that developed grew and spread rapidly to become one of the deadliest wildfire outbreaks in state history. Many of the individual fires merged into what became known as the Central LNU Complex and Southern LNU Complex Fires. When all was done over 100,000 acres of land was destroyed, thousands of structures and homes were lost, and 44 people died across Northern California. In addition to the loss of human life, countless pets and livestock were lost in the fires.","The Tubbs Fire began the night of October 8th and was officially contained on the 30th to the north east of Santa Rosa. Cause of the fire is unknown. A total of 36,807 acres were burned, 5,300 structures were destroyed, and there were 23 fatalities, all of which were in Sonoma County|http://www.latimes.com/local/lanow/la-me-ln-fires-20171018-story.html|http://www.pressdemocrat.com/news/7702145-181/sonoma-county-fire-victim-total?utm_campaign=trueAnthem%3A+Trending+Content&utm_content=5a1f154704d301157a6fde91&utm_medium=trueAnthem&utm_source=twitter&artslide=0." +120391,721184,ARKANSAS,2017,October,Thunderstorm Wind,"WASHINGTON",2017-10-21 23:38:00,CST-6,2017-10-21 23:38:00,0,0,0,0,2.00K,2000,0.00K,0,35.93,-94.18,35.93,-94.18,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind uprooted a large tree and damaged a barn." +120391,721223,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-21 23:57:00,CST-6,2017-10-21 23:57:00,0,0,0,0,0.00K,0,0.00K,0,35.3378,-94.3663,35.3378,-94.3663,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","The weather observing system at the Fort Smith Regional Airport measured 64 mph thunderstorm wind gusts." +120391,721224,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-22 00:05:00,CST-6,2017-10-22 00:05:00,0,0,0,0,10.00K,10000,0.00K,0,35.3203,-94.3739,35.3203,-94.3739,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind damaged the roofs of two buildings and uprooted trees." +120319,723869,COLORADO,2017,October,Winter Storm,"LARIMER & BOULDER COUNTIES BETWEEN 6000 & 9000 FEET",2017-10-08 23:00:00,MST-7,2017-10-09 14:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"An early season snowstorm produced heavy wet snow which caused about 98,000 outages in Denver and the surrounding metro area. Almost half the outages were very short while 54,210 were sustained outages that lasted longer than five minutes, while some lasted for several hours. Snow amounts varied greatly along the Interstate 25 Corridor. West of I-25, storm totals included: 7.5 inches in Arvada, 7 inches in Broomfield, 6 inches Boulder and Louisville, with 5 inches at Ralston Reservoir. East of I-25, storm totals ranged from a trace to 4 inches. In the mountains and foothills, storm totals included: 13 inches at Deadman Hill SNOTEL, 12.5 inches near Genesee, 11 inches at Cameron Pass and 7 miles west of Four Corners; 10 inches at Eldorado Springs, Idledale and Nederland; 9.5 inches at near Buckhorn Mountain, Hohnholz Ranch and Pingree Park; with 8.5 inches near Jamestown.","Storm totals included 11 inches, 7 miles west of Four Corners; 10 inches at Eldorado Springs, and Nederland; 9.5 inches at near Buckhorn Mountain and Pingree Park; with 8.5 inches near Jamestown." +120959,724024,TEXAS,2017,October,Flood,"NUECES",2017-10-01 00:00:00,CST-6,2017-10-02 12:00:00,0,0,0,0,0.00K,0,0.00K,0,28.4676,-99.3233,28.3699,-99.1489,"Torrential rainfall fell across the western Brush Country from September 26th through the 28th. Generally, 5 to 10 inches of rain fell during the period with some areas over northern Webb County into eastern Dimmit County received from 15 to 20 inches of rain. This caused major flooding on the Nueces River affecting portions of La Salle County during the last several days of September and continued through the first couple of days in October.","The Nueces River remained above major flood stage into the first couple of days of October. Farm to Market Road 3408 from I-35, Valley Wells Road, and the frontage road near mile marker 67 were flooded. Flooding also occurred on Dobie Road including in and around Highway 624." +120959,724031,TEXAS,2017,October,Flood,"MCMULLEN",2017-10-02 00:00:00,CST-6,2017-10-15 12:00:00,0,0,0,0,50.00K,50000,0.00K,0,28.1449,-98.7698,28.3167,-98.6078,"Torrential rainfall fell across the western Brush Country from September 26th through the 28th. Generally, 5 to 10 inches of rain fell during the period with some areas over northern Webb County into eastern Dimmit County received from 15 to 20 inches of rain. This caused major flooding on the Nueces River affecting portions of La Salle County during the last several days of September and continued through the first couple of days in October.","The flood wave continued to produce major river flooding along the Nueces River as it moved downstream through McMullen County during the first couple of weeks of October. Roads near the river were flooded. Hunting cabins, pump jacks, tank batteries, and irrigation pumps were flooded." +120963,724053,TEXAS,2017,October,Coastal Flood,"NUECES",2017-10-07 14:00:00,CST-6,2017-10-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate to strong easterly flow persisted across the northern Gulf of Mexico during the first week of October. This flow maintained long period swells that produced elevated tide levels along the Middle Texas Coast. Minor coastal flooding impacted the coastal areas on the 6th and 7th.","Tide levels rose to above 3 feet mean sea level during the evening hours of the 7th. This flooded the beach access roads on Padre and Mustang Islands. The higher tide levels caused some dune erosion." +120990,724212,FLORIDA,2017,October,Tornado,"PALM BEACH",2017-10-28 16:42:00,EST-5,2017-10-28 16:45:00,0,0,0,0,,NaN,,NaN,26.5436,-80.1096,26.5472,-80.1095,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tornado initially touched down started in the community in Boynton Beach at the intersection of Oak Street and Shady Lane where minor roof damage occurred. The tornado then continued north toward the Place where part of a roof lifted off a vacant mobile home and was carried several hundred yards away. The tornado continued north to Royal Manor Boulevard where a light pole was broken and more minor roof damage reported in the community. The tornado crossed NW 22nd Avenue before lifting near Sausalito Circle where some minor roof damage was found." +120899,723842,UTAH,2017,October,High Wind,"GREAT SALT LAKE DESERT AND MOUNTAINS",2017-10-20 09:55:00,MST-7,2017-10-20 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 20, bringing strong gusty winds to northern Utah, with some damage reported along the Wasatch Front.","Strong wind gusts were recorded across much of the U.S. Army Dugway Proving Ground mesonet and the Great Salt Lake, including peak gusts of 68 mph at the Target R sensor, 65 mph at Hat Island, 62 mph at Lakeside Mountain, 61 mph at Badger Island, and 59 mph at both the West of Wildcat Mountain and Upper Cedar Mountain sensors." +120899,723844,UTAH,2017,October,High Wind,"SOUTHERN WASATCH FRONT",2017-10-20 11:40:00,MST-7,2017-10-20 12:40:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved through Utah on October 20, bringing strong gusty winds to northern Utah, with some damage reported along the Wasatch Front.","A maximum wind gust of 68 mph was recorded in Lehi after the cold frontal passage. Strong winds were also likely a factor when a semitrailer knocked down four power poles in Provo, disrupting power for about 100 customers. In addition to the poles, underground wiring and transformers also suffered damage from the collision." +121087,724884,NEVADA,2017,October,High Wind,"GREATER LAKE TAHOE AREA",2017-10-19 22:00:00,PST-8,2017-10-19 22:01:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","A mesonet atop Slide Mountain (elevation 9650 feet) measured a 105 mph wind gust." +121087,724885,NEVADA,2017,October,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-10-19 22:16:00,PST-8,2017-10-19 22:17:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","Nevada Department of Highways mesonet reported a wind gust of 62 mph within a wind prone area of Reno." +121087,724886,NEVADA,2017,October,High Wind,"GREATER LAKE TAHOE AREA",2017-10-19 22:50:00,PST-8,2017-10-19 22:51:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","The Galena mesonet reported a wind gust of 75 mph." +121087,724887,NEVADA,2017,October,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-10-19 22:52:00,PST-8,2017-10-19 22:53:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","The Five Mile Flat remote automated weather station measured a 60 mph wind gust." +121087,724888,NEVADA,2017,October,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-10-19 23:00:00,PST-8,2017-10-19 23:01:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","A mesonet atop Virginia Peak (elevation 8299 feet) measured a 94 mph wind gust." +121087,724889,NEVADA,2017,October,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-10-19 23:10:00,PST-8,2017-10-19 23:11:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","A mesonet atop Peavine Peak (elevation 8269 feet) measured a wind gust of 102 mph." +121083,724842,FLORIDA,2017,October,Tropical Storm,"OKALOOSA COASTAL",2017-10-07 17:00:00,CST-6,2017-10-08 05:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +120893,724281,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-22 17:15:00,CST-6,2017-10-22 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.5306,-87.7515,30.5305,-87.7507,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Water rescue on CR 55 at Camellia Road." +120893,724301,ALABAMA,2017,October,Flash Flood,"MOBILE",2017-10-22 17:30:00,CST-6,2017-10-22 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.6109,-88.1552,30.6101,-88.1507,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Water flowing over the road near Halls Mill Road and Demetropolis Road at halls Mill Creek." +120887,724809,NORTH CAROLINA,2017,October,Tornado,"WILKES",2017-10-23 16:11:00,EST-5,2017-10-23 16:20:00,1,0,0,0,1.00M,1000000,,NaN,36.1499,-81.1449,36.274,-81.134,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered multiple severe thunderstorms and a tornadoes across northwest North Carolina.","A tornado touched down in Wilkesboro at 411 PM EST near the intersection of East Main and Salem Streets. It would move north for over eight miles before lifting at Yellow Banks Road west of Hays at 420 PM EST. Multiple structures in Wilkesboro received significant damage. The following morning, Duke Energy which supplies power to much of the County indicated that over 23,000 customers were still without power. There was one injury, which resulted from a tree falling on a one-story home which caused a resident to be hit in the head by debris. Dozens of trees and power poles were reported down. The tornado max width was 275 yards and maintained EF1 (86-110 MPH) strength through much of its lifespan." +121061,724729,VIRGINIA,2017,October,Flash Flood,"GILES",2017-10-23 18:40:00,EST-5,2017-10-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-80.72,37.337,-80.725,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z/23 RNK and 1.57��� on the 12z GSO soundings, with sea-level values of 1.75��� to 2���. These are roughly 3 standard deviations above the late October climatology and near all-time maxima for the date. Enhanced rainfall rates due to decent instability (for late October) were also expected to develop. Moderate rainfall of 1 to 2 inches had already fall ahead of a cold front that approached in the mid-afternoon. Flood impacts began to occur quickly as the higher rate rainfall moved into the area.","Several roads were flooded in the Pearisburg area." +113877,692916,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:30:00,CST-6,2017-04-21 18:30:00,0,0,0,0,40.00K,40000,0.00K,0,33.6315,-97.1316,33.6315,-97.1316,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","A report of half dollar hail was received." +113877,693436,TEXAS,2017,April,Hail,"ERATH",2017-04-21 20:34:00,CST-6,2017-04-21 20:34:00,0,0,0,0,0.00K,0,0.00K,0,32.08,-98.33,32.08,-98.33,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","" +121128,725174,NEBRASKA,2017,October,Heavy Rain,"PAWNEE",2017-10-07 06:00:00,CST-6,2017-10-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.11,-96.08,40.11,-96.08,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a heavy rainfall report." +121128,725175,NEBRASKA,2017,October,Heavy Rain,"RICHARDSON",2017-10-07 06:00:00,CST-6,2017-10-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.22,-95.97,40.22,-95.97,"Two heavy rainfall events occurred on the 6th and 7th of the month. No flash flood warnings were issued however significant river flooding occurred along the N.F. Elkhorn River, Wahoo Creek and the Missouri River. Of these rivers the flooding was most significant along the N.F. Elkhorn River where moderate flooding was reported. This led to significant lowland flooding which included many county roads in Pierce County. In the town of Pierce the river reached the toe of the levee. Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a 24 hour heavy rainfall report." +121129,725168,IOWA,2017,October,Heavy Rain,"PAGE",2017-10-06 06:00:00,CST-6,2017-10-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-95.04,40.74,-95.04,"Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","Several inches of rain occurred." +121129,725169,IOWA,2017,October,Heavy Rain,"PAGE",2017-10-06 07:00:00,CST-6,2017-10-07 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-95.35,40.78,-95.35,"Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a 24 hour precipitation ending at 8 am." +121129,725170,IOWA,2017,October,Heavy Rain,"HARRISON",2017-10-07 06:00:00,CST-6,2017-10-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-95.79,41.64,-95.79,"Minor flooding occurred along the Missouri River. The river gages at Nebraska City, Brownville and Rulo rose above minor flood stage.","This is a 24 hour rainfall report ending at 8 am." +120989,724207,NORTH CAROLINA,2017,October,Rip Current,"COASTAL NEW HANOVER",2017-10-07 06:00:00,EST-5,2017-10-08 19:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong onshore wind and swell produced strong rip currents.","Strong rip currents caused 20 rip related rescues, with one fatality. The fatality occurred about a quarter mile north of the Crystal Pier around 5 pm. The 52 year woman was pulled from the water by bystanders and family members and was pronounced dead at the scene." +113877,693921,TEXAS,2017,April,Hail,"HUNT",2017-04-21 20:44:00,CST-6,2017-04-21 20:44:00,0,0,0,0,1.00K,1000,0.00K,0,33.0654,-96.2272,33.0654,-96.2272,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio reported golf ball size hail in Caddo Mills, TX." +113877,693922,TEXAS,2017,April,Hail,"DENTON",2017-04-21 21:00:00,CST-6,2017-04-21 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,33.235,-97.2492,33.235,-97.2492,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio reported quarter size hail west of Denton, near the intersection of US 156 and 380." +113877,693923,TEXAS,2017,April,Hail,"DENTON",2017-04-21 21:06:00,CST-6,2017-04-21 21:06:00,0,0,0,0,1.00K,1000,0.00K,0,33.1315,-97.2312,33.1315,-97.2312,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio reported quarter size hail near Robson Ranch, 2 miles north of Corral City." +119902,724185,ILLINOIS,2017,October,Thunderstorm Wind,"LOGAN",2017-10-14 22:15:00,CST-6,2017-10-14 22:20:00,0,0,0,0,40.00K,40000,0.00K,0,40.1857,-89.3875,40.1857,-89.3875,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Six power poles were blown down on Old Route 121 northwest of Lincoln." +119902,724186,ILLINOIS,2017,October,Thunderstorm Wind,"MORGAN",2017-10-14 22:40:00,CST-6,2017-10-14 22:45:00,0,0,0,0,15.00K,15000,0.00K,0,39.8604,-90.0133,39.8604,-90.0133,"A slow-moving cold front interacting with an unseasonably warm and humid airmass triggered several rounds of thunderstorms across west-central Illinois during the afternoon and evening of October 14th. The strongest and most persistent storms impacted Knox County, producing scattered wind damage and dropping locally heavy rainfall of 2 to 3 inches. Numerous streets in the city of Galesburg were flooded, with some cars stalling in the high water. The storms weakened as they shifted eastward, with a few cells producing additional wind damage south of Ashland in Morgan County and northwest of Lincoln in Logan County.","Several trees as large as 3 to 4 feet in diameter were blown down along Hog Barn Road about 2 miles east of Prentice and 2 miles south of Ashland. Numerous branches were downed and a few tree tops were snapped as well." +121154,725303,CALIFORNIA,2017,October,High Surf,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-18 12:00:00,PST-8,2017-10-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several elevated southerly swells brought 3-6 ft surf to beaches up and down the coast between the 17th and 25th. Localized high surf occurred along favored southwest facing beaches on the 17th, 18th, and 23rd.","Lifeguards in San Clemente reported sets of 7-8 ft." +121154,725304,CALIFORNIA,2017,October,High Surf,"ORANGE COUNTY COASTAL",2017-10-17 15:00:00,PST-8,2017-10-18 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several elevated southerly swells brought 3-6 ft surf to beaches up and down the coast between the 17th and 25th. Localized high surf occurred along favored southwest facing beaches on the 17th, 18th, and 23rd.","Lifeguards at Newport Beach and Huntington Beach reported sets to 7 ft." +121153,725302,CALIFORNIA,2017,October,High Surf,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-07 05:00:00,PST-8,2017-10-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southwesterly swell brought several days of high surf to the beaches of Orange and San Diego Counties between the 6th and 9th. Surf peaked on the 7th and 8th, with 6-8 ft sets north of Del Mar and max sets to 15 ft at the Wedge. It was widely reported that this was the biggest surf at the Wedge since Hurricane Marie in 2014. Significant coastal flooding impacted Balboa Peninsula in Newport Beach and Capistrano Beach. A swimmer was killed on the 6th.","Surf with sets of 7-8 ft were reported by lifeguards in San Clemente and Oceanside." +121189,725457,CALIFORNIA,2017,October,Excessive Heat,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-25 10:00:00,PST-8,2017-10-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon high temperatures ranged from the low 90s at the coast to the low 100s inland. The ASOS stations at Miramar MCAS/Mitscher Field and Montgomery Field reached 105 and 104 degrees respectively. The San Diego Unified School District resorted to early releases at 85 schools with insufficient/no air conditioning." +121189,725458,CALIFORNIA,2017,October,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-10-23 10:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","High temperatures ranged from the upper 90s to low 100s across the valleys. A peak of 107 degrees occurred in Fallbrook. El Cajon set a daily record with a high of 104 degrees, the 4th warmest October day on record." +119794,718332,WEST VIRGINIA,2017,October,Thunderstorm Wind,"TAYLOR",2017-10-11 17:30:00,EST-5,2017-10-11 17:30:00,0,0,0,0,60.00K,60000,0.00K,0,39.35,-80.03,39.35,-80.03,"Low topped convective showers developed along the Ohio River on the afternoon of the 11th as a cold front pushed through. The airmass in place ahead of the cold front was rather unseasonable, feeling more like summer than early fall. Temperatures were in the 80s and dewpoints were in the upper 60s. There was no lightning with the showers, however there were some reports of strong wind gusts.","A sudden, isolated wind gusts caused significant damage to one house, and minor damage to another along Maple Avenue. Several trees were also blown down. The house with significant damage lost most of its single pitch roof and truss system." +119915,718793,ALABAMA,2017,October,Flash Flood,"COFFEE",2017-10-08 08:40:00,CST-6,2017-10-08 10:15:00,0,0,0,0,0.00K,0,0.00K,0,31.4643,-86.0809,31.458,-86.0812,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","The highway just north of Claxton Ave was flooded about 6 inches deep." +120391,721231,ARKANSAS,2017,October,Thunderstorm Wind,"FRANKLIN",2017-10-22 00:20:00,CST-6,2017-10-22 00:20:00,0,0,0,0,0.00K,0,0.00K,0,35.2972,-94.0451,35.2972,-94.0451,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind blew down trees onto Highway 20 on the west side of town." +116806,702383,ATLANTIC NORTH,2017,May,Marine Thunderstorm Wind,"MOUTH OF CHESAPEAKE BAY FROM NEW POINT COMFORT TO LITTLE CREEK, VA",2017-05-19 16:09:00,EST-5,2017-05-19 16:09:00,0,0,0,0,0.00K,0,0.00K,0,37.16,-76.38,37.16,-76.38,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 56 knots was measured at Poquoson River Light." +116889,703517,MINNESOTA,2017,July,Hail,"RENVILLE",2017-07-25 16:15:00,CST-6,2017-07-25 16:15:00,0,0,0,0,0.00K,0,0.00K,0,44.74,-94.72,44.74,-94.72,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","" +119381,716633,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY WINDMILL PT TO NEW PT COMFORT VA",2017-07-22 18:14:00,EST-5,2017-07-22 18:14:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-75.98,37.49,-75.98,"Scattered thunderstorms associated with a trough of low pressure produced gusty winds across portions of the Chesapeake Bay.","Wind gust of 49 knots was measured at Silver Beach." +119435,716864,NORTH CAROLINA,2017,July,Heavy Rain,"PERQUIMANS",2017-07-28 11:53:00,EST-5,2017-07-28 11:53:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-76.3,36.17,-76.3,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 3.55 inches was measured at Jacocks (2 WNW)." +119435,716879,NORTH CAROLINA,2017,July,Heavy Rain,"PERQUIMANS",2017-07-29 06:45:00,EST-5,2017-07-29 06:45:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-76.42,36.1,-76.42,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Rainfall total of 2.36 inches was measured at Snug Harbor (1 NE)." +119437,716825,MARYLAND,2017,July,Heavy Rain,"WORCESTER",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-75.16,38.37,-75.16,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and minor flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 3.22 inches was measured at Ocean Pines." +120094,719609,MARYLAND,2017,August,Heavy Rain,"DORCHESTER",2017-08-13 08:00:00,EST-5,2017-08-13 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5095,-75.9238,38.5095,-75.9238,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.90 inches was measured at Linkwood (2 SE)." +118946,714570,VIRGINIA,2017,July,Thunderstorm Wind,"CAROLINE",2017-07-06 19:00:00,EST-5,2017-07-06 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.11,-77.27,38.11,-77.27,"Scattered severe thunderstorms in advance of a weak cold front produced damaging winds across portions of central and south central Virginia.","Trees were downed in the Fort A.P. Hill area." +119660,718870,VIRGINIA,2017,August,Heavy Rain,"ISLE OF WIGHT",2017-08-08 07:47:00,EST-5,2017-08-08 07:47:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-76.61,36.98,-76.61,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.14 inches was measured at Smithfield." +119660,718876,VIRGINIA,2017,August,Heavy Rain,"NORFOLK (C)",2017-08-08 08:30:00,EST-5,2017-08-08 08:30:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-76.25,36.88,-76.25,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.10 inches was measured at Norview." +119660,719094,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-08 09:00:00,EST-5,2017-08-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-75.93,37.29,-75.93,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.03 inches was measured at Cape Charles (5 ENE)." +119660,719095,VIRGINIA,2017,August,Heavy Rain,"NORTHAMPTON",2017-08-08 09:05:00,EST-5,2017-08-08 09:05:00,0,0,0,0,0.00K,0,0.00K,0,37.29,-75.93,37.29,-75.93,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.37 inches was measured at Oyster." +119435,716849,NORTH CAROLINA,2017,July,Flash Flood,"NORTHAMPTON",2017-07-28 16:30:00,EST-5,2017-07-28 18:30:00,0,0,0,0,0.00K,0,0.00K,0,36.36,-77.24,36.4722,-77.2257,"Scattered thunderstorms in advance of and along a frontal boundary produced heavy rain and flash flooding across portions of northeast North Carolina.","Numerous roadways were flooded across eastern portions of the county." +116116,698022,MINNESOTA,2017,July,Hail,"KANDIYOHI",2017-07-04 17:20:00,CST-6,2017-07-04 17:25:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-95.09,45.33,-95.09,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,698023,MINNESOTA,2017,July,Hail,"KANDIYOHI",2017-07-04 17:30:00,CST-6,2017-07-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-95.11,45.33,-95.11,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116988,703603,NEW YORK,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-01 14:03:00,EST-5,2017-05-01 14:03:00,0,0,0,0,10.00K,10000,0.00K,0,42.16,-79.53,42.16,-79.53,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm wind downed trees on Stedman-Sherman Road." +116988,703604,NEW YORK,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-01 14:06:00,EST-5,2017-05-01 14:06:00,0,0,0,0,10.00K,10000,0.00K,0,42.17,-79.41,42.17,-79.41,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm wind downed trees on Lakeside Drive." +116988,703605,NEW YORK,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-01 14:13:00,EST-5,2017-05-01 14:13:00,0,0,0,0,10.00K,10000,0.00K,0,42.18,-79.35,42.18,-79.35,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703641,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-01 16:48:00,EST-5,2017-05-01 16:48:00,0,0,0,0,5.00K,5000,0.00K,0,43.46,-76.52,43.46,-76.52,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +116988,703642,NEW YORK,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 17:12:00,EST-5,2017-05-01 17:12:00,0,0,0,0,10.00K,10000,0.00K,0,44.07,-76.13,44.07,-76.13,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703643,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-01 17:16:00,EST-5,2017-05-01 17:16:00,0,0,0,0,10.00K,10000,0.00K,0,43.51,-76,43.51,-76,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +121686,728378,NEW YORK,2017,June,Coastal Flood,"NORTHERN CAYUGA",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +121686,728380,NEW YORK,2017,June,Coastal Flood,"JEFFERSON",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +119316,716425,NEW YORK,2017,July,Thunderstorm Wind,"WYOMING",2017-07-12 22:00:00,EST-5,2017-07-12 22:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.53,-78.24,42.53,-78.24,"An isolated thunderstorm crossed Wyoming County during the evening hours. The thunderstorm winds downed trees and blew over a barn.","Law enforcement reported damage from thunderstorm winds." +120767,723345,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"RIPLEY TO DUNKIRK NY",2017-09-04 21:38:00,EST-5,2017-09-04 21:38:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.34,42.49,-79.34,"Thunderstorms ahead of an approaching cold front produced winds measured to 53 knots at Dunkirk.","" +120770,723346,LAKE ONTARIO,2017,September,Waterspout,"MEXICO BAY NY TO THE ST LAWRENCE RIVER",2017-09-07 08:49:00,EST-5,2017-09-07 08:49:00,0,0,0,0,,NaN,0.00K,0,43.9148,-76.2589,43.9148,-76.2589,"Cold air crossing the relatively warmer waters of Lake Ontario resulted in waterspouts at the eastern end of the Lake. Social media reports showed a spout off Henderson Harbor.","" +120769,723347,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"RIPLEY TO DUNKIRK NY",2017-09-07 16:30:00,EST-5,2017-09-07 16:30:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.34,42.49,-79.34,"Thunderstorms accompanied the passage of a weak cold front across the region. The storm produced winds measured to 35 knots at Dunkirk.","" +120772,723348,LAKE ERIE,2017,September,Waterspout,"RIPLEY TO DUNKIRK NY",2017-09-29 13:30:00,EST-5,2017-09-29 13:30:00,0,0,0,0,,NaN,0.00K,0,42.382,-79.6248,42.382,-79.6248,"Cold air crossing the relatively warmer waters of Lake Erie resulted in waterspouts at the eastern end of the Lake. Broadcast media reports showed a spout off Westfield.","" +116301,712772,MINNESOTA,2017,July,Hail,"RAMSEY",2017-07-09 20:34:00,CST-6,2017-07-09 20:34:00,0,0,0,0,0.00K,0,0.00K,0,44.9319,-93.0633,44.9319,-93.0633,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +112669,678988,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 14:52:00,CST-6,2017-03-01 14:52:00,0,0,0,0,,NaN,,NaN,34.4121,-86.2757,34.4121,-86.2757,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Trees were knocked down at Willow Lake and Burroughs Drive." +112669,678989,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 15:40:00,CST-6,2017-03-01 15:40:00,0,0,0,0,,NaN,,NaN,34.4255,-86.2971,34.4255,-86.2971,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","A tree and power lines were knocked down on Bakers Chapel Road." +112669,678990,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-01 15:46:00,CST-6,2017-03-01 15:46:00,0,0,0,0,,NaN,,NaN,34.46,-85.96,34.46,-85.96,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","A barn was damaged on County Road 50 near Fyffe." +112669,678991,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-01 15:49:00,CST-6,2017-03-01 15:49:00,0,0,0,0,,NaN,,NaN,34.6,-85.6,34.6,-85.6,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","A tree was knocked down on CR 137 near Violet Hill." +113821,681489,NEVADA,2017,February,Flash Flood,"ELKO",2017-02-08 13:06:00,PST-8,2017-02-08 19:00:00,0,0,0,0,500.00K,500000,0.00K,0,41.5285,-114.3639,41.534,-114.3533,"Rain on a much above normal snow pack combined with frozen ground caused extensive flooding across northern Nevada, especially across Elko county. The excessive runoff caused the Twenty One Mile dam north of Montello to fail sending flood waters 2-3 feet deep down Twenty One Mile Creek flooding buildings at the Gamble Ranch and washing out a section of State Route 233 and railroad tracks. Flooding also stopped trains traveling through northern Elko County as tracks were underwater. About 30 homes and a few businesses in both Montello and Wells were flooded along with some homes and outbuildings in rural areas. Many rural roads were damaged and had washouts. US highway 93 was closed both south and north of Wells for a time as flood waters submerged the road. Salmon Falls Creek overflowed US highway 93 and completely submerged the adjoining rest area. Extensive shoulder damage was reported along US Highway 93 mainly north of Wells. Humboldt county reported over 68 rural roads that were damaged by the flooding. Residents of Paradise Valley were inundated on at least two separate occasions as water poured off the Santa Rosa Mountains through the various creeks surrounding the town. All the runoff caused the Humboldt River to rise above flood stage. This caused extensive flooding of homes and businesses along and near the Humboldt River in Elko. Interstate 80 between Elko and Wells was reduced to one lane in places due to flood waters over the road. A total of 25 homes in Elko, Wells, and Montello were totally destroyed or suffered extensive damage.","Rising waters behind Twenty One Mile Dam caused the dam to fail sending a 2 to 3 foot wall of water downstream. The flood waters washed out a section of State Route 233 and railroad tracks. The waters flooded buildings at the Gamble Ranch and washed out some county roads. Damages are estimated." +119863,718562,OHIO,2017,August,Thunderstorm Wind,"TRUMBULL",2017-08-04 11:26:00,EST-5,2017-08-04 11:29:00,0,0,0,0,10.00K,10000,0.00K,0,41.38,-80.58,41.33,-80.53,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","Thunderstorm winds downed multiple trees in the Vernon Center and Orangeville areas." +116816,702479,IDAHO,2017,May,Flood,"ADA",2017-05-01 00:00:00,MST-7,2017-05-31 23:59:00,0,0,0,0,2.00M,2000000,0.00K,0,43.57,-116.12,43.5526,-116.1262,"The Boise River continued to be in flood during the entire month of May due to planned release at Lucky Peak.","The Boise River remained in flood during the entire month of May due to planned release from Lucky Peak dam. Regulated flows were above flood stage for 101 days resulting in extensive damage to the Greenbelt and Nature Trail paths. Extensive flood fight efforts continued in the Eagle Island area to prevent a pit capture. Widespread flooding continued on Eagle Island in the Riviera Estates area where several homes were surrounded by water and low lying roads were inundated. Large portions of Ann Morrison Park, Barber Park, and Marianne Williams Park were impacted by flood waters. Some residential streets continued to be impacted by flood waters, especially in the Garden City Warehouse District and on Eagle Island. A pit capture occurred just downstream of Eagle Island causing a major shift in the river channel. Streets in the Stonebriar development just downstream of the Highway 16 bridge were inundated by water. Severe bank erosion and large trees washed into the river caused problems in the river channel and at some bridge crossings." +116814,702472,IDAHO,2017,May,Flood,"GOODING",2017-05-07 23:25:00,MST-7,2017-05-16 11:30:00,0,0,0,0,100.00K,100000,0.00K,0,42.93,-114.7,42.9484,-114.7302,"Spring snow melt flooding occurred across much of Southwest Idaho as a result of an above normal snow pack for the winter of 2016 to 2017.","Rapid snowmelt in the high elevations of the Big Wood Basin sent high flows over the spillway of Magic Reservoir causing flooding downstream in Gooding County. Agricultural land and low lying roads were impacted by the high water around the town of Gooding." +115059,690706,IDAHO,2017,February,Flood,"GOODING",2017-02-08 15:00:00,MST-7,2017-02-09 06:00:00,0,0,0,0,1.50M,1500000,0.00K,0,42.82,-114.88,42.8125,-114.8811,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","Rain and snowmelt on top of saturated and frozen soil led to widespread flooding. A report from social media indicated much of the town of Hagerman including the city park was flooded. Widespread flooding of agricultural lands occurred and some roads were damaged and closed due to flooding." +115059,690703,IDAHO,2017,February,Flood,"ADA",2017-02-08 18:00:00,MST-7,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5691,-116.2642,43.5724,-116.2958,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","Neighborhood roads and yards along Cole Road submerged due to flooding along Five Mile Creek." +113224,677444,NEVADA,2017,February,Heavy Snow,"RUBY MOUNTAINS/E HUMBOLDT RANGE",2017-02-22 09:00:00,PST-8,2017-02-23 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A winter storm brought heavy snow to northern Elko county and the Ruby Mountains and East Humboldt Range. Some valley location reported 6 to 7 inches of snow while the mountains reported 1 to 2 feet of snow.","Many SNOTEL sites reported 1 to 2 feet of snow." +112899,678825,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:52:00,CST-6,2017-03-09 23:52:00,0,0,0,0,,NaN,,NaN,35.22,-86.38,35.22,-86.38,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down on Champ Road." +121109,725049,NEW HAMPSHIRE,2017,October,Flood,"GRAFTON",2017-10-30 07:20:00,EST-5,2017-10-31 11:06:00,0,0,0,0,75.00K,75000,0.00K,0,43.7582,-71.6861,43.758,-71.6812,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 4 to 7 inches of rain resulting in moderate flooding on the Pemigewasset River at Plymouth (flood stage 13.0 ft), which crested at 19.77 ft." +121109,725050,NEW HAMPSHIRE,2017,October,Flood,"HILLSBOROUGH",2017-10-30 02:47:00,EST-5,2017-10-30 11:30:00,0,0,0,0,35.00K,35000,0.00K,0,42.83,-71.63,42.8388,-71.6679,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 5 inches of rain resulting in moderate flooding on the Souhegan River in Milford (flood stage 9.0 ft), which crested 11.17 ft." +121109,725051,NEW HAMPSHIRE,2017,October,Flood,"MERRIMACK",2017-10-30 04:55:00,EST-5,2017-10-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-71.38,43.273,-71.366,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 4 inches of rain resulting in minor flooding on the Suncook River (flood stage 7.0 ft), which crested at 10.35 ft." +121109,725052,NEW HAMPSHIRE,2017,October,Flood,"GRAFTON",2017-10-30 05:13:00,EST-5,2017-10-30 08:15:00,0,0,0,0,0.00K,0,0.00K,0,43.5602,-71.7327,43.5605,-71.7544,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 2 to 3 inches of rain resulting in minor flooding on the Smith River (flood stage 8.0 ft), which crested at 8.39 ft." +120296,720806,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-22 11:07:00,EST-5,2017-08-22 11:07:00,0,0,0,0,12.00K,12000,0.00K,0,42.24,-79.42,42.24,-79.42,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees and wires down by thunderstorm winds." +120296,720807,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-22 11:12:00,EST-5,2017-08-22 11:12:00,0,0,0,0,10.00K,10000,0.00K,0,42.15,-79.43,42.15,-79.43,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees and wires down by thunderstorm winds." +121110,725063,MAINE,2017,October,Flood,"SOMERSET",2017-10-30 13:04:00,EST-5,2017-10-30 19:40:00,0,0,0,0,0.00K,0,0.00K,0,44.85,-69.88,44.8552,-69.9353,"A very strong area of low pressure with abundant tropical moisture produced 2 to 6 inches of rainfall resulting in minor flooding on several area rivers in Maine.","Strong low pressure produced 2 to 3 inches of rain resulting in minor flooding on the Carrabassett River at North Anson (flood stage 15.0 ft), which crested at 17.71 ft." +117534,706877,ARIZONA,2017,July,Wildfire,"WESTERN MOGOLLON RIM",2017-07-01 00:00:00,MST-7,2017-07-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Boundary Fire was caused by lightning on June 1 near the boundary of the Coconino National Forest and the Kaibab National Forest on the northeast side of Kendrick Peak in Kendrick Mountain Wilderness. This fire burned until July July 12, 2017. The Pumpkin Fire (2000) was in this same area which left significant dead and down trees and forest debris. Snags (standing dead trees), steep slopes, and overall hazardous terrain led fire officials to use a much safer indirect approach to fight this fire. They let the fire burn to a system of roads at the base of the mountain.","The Boundary Fire burned through 17,788 acres in the Kendrick Mountain Wilderness. This was a lightning caused fire. An indirect suppression strategy was implemented due to the significant safety concerns of putting fire personnel in certain areas on the mountain. Structures near the top of the mountain (including a fire lookout tower and an historic cabin) were successfully saved. The fire burned through timber and litter in understory, short grass, and heavy logging slash. There was also heavy down and dead debris from Pumpkin Fire in 2000." +117790,708128,ARIZONA,2017,July,Heavy Rain,"YAVAPAI",2017-07-09 14:40:00,MST-7,2017-07-09 15:05:00,0,0,0,0,0.00K,0,0.00K,0,34.53,-112.42,34.5055,-112.3778,"Thunderstorms produced heavy rain in central Yavapai County.","More than an inch of rain fell in 25 minutes at the Prescott Courthouse." +117790,708326,ARIZONA,2017,July,Heavy Rain,"YAVAPAI",2017-07-09 16:00:00,MST-7,2017-07-09 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-112.56,34.6683,-112.364,"Thunderstorms produced heavy rain in central Yavapai County.","Thunderstorms produced 0.93 inches of rain from 1600 to 1830. The maximum rainfall rate was 3.6 inches an hour." +120287,720756,NEW YORK,2017,August,Hail,"MONROE",2017-08-01 18:33:00,EST-5,2017-08-01 18:33:00,0,0,0,0,5.00K,5000,0.00K,0,43.22,-77.81,43.22,-77.81,"Thunderstorms developed in afternoon summertime warmth and humidity. One of the storms that developed along the boundary of the Lakes Erie and Ontario lake breezes produced large hail. Hail up to one inch in diameter was reported in near Spencerport.","" +120288,720758,NEW YORK,2017,August,Hail,"LEWIS",2017-08-03 11:30:00,EST-5,2017-08-03 11:30:00,0,0,0,0,,NaN,,NaN,43.79,-75.49,43.79,-75.49,"Thunderstorms that developed during the afternoon hours produced dime- to nickel-sized hail.","" +120289,720763,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:40:00,EST-5,2017-08-04 11:40:00,0,0,0,0,35.00K,35000,0.00K,0,42.91,-78.89,42.91,-78.89,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Thunderstorm winds tore part off of a roof building in Buffalo." +116453,703746,MINNESOTA,2017,July,Thunderstorm Wind,"ANOKA",2017-07-12 01:25:00,CST-6,2017-07-12 01:25:00,0,0,0,0,0.00K,0,0.00K,0,45.304,-93.1791,45.304,-93.1791,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","Several dozen trees were broken or toppled in a neighborhood on the west side of Coon Lake in East Bethel. Some trees landed on homes, sheds and vehicles." +120296,720842,NEW YORK,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-22 14:43:00,EST-5,2017-08-22 14:43:00,0,0,0,0,8.00K,8000,0.00K,0,42.38,-78.15,42.38,-78.15,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +116453,703748,MINNESOTA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-12 01:34:00,CST-6,2017-07-12 01:39:00,0,0,0,0,0.00K,0,0.00K,0,45.2873,-92.979,45.2496,-92.9114,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","A storm survey determined that the damage across Forest Lake was due to a downburst that occurred after a tornado dissipated in far southwest Chisago County. The tornado damage had been narrow, but the downburst damage broadened into a 2.5 mile wide swath as winds toppled trees, starting just west of North Shore Drive (just north of downtown Forest Lake), and continuing southeast, knocking down trees and causing other damage on both the north and south sides of the lake, all the way to what is referred to as third lake, or the southeastern portion of the lake Forest Lake." +120289,720767,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:50:00,EST-5,2017-08-04 11:50:00,0,0,0,0,8.00K,8000,0.00K,0,42.86,-78.82,42.86,-78.82,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Trained spotters reported trees down on Dash Street in Buffalo." +120289,720768,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-04 12:12:00,EST-5,2017-08-04 12:12:00,0,0,0,0,10.00K,10000,0.00K,0,42.53,-79.14,42.53,-79.14,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees down by thunderstorm winds on Hanford Road." +120289,720769,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 12:43:00,EST-5,2017-08-04 12:43:00,0,0,0,0,12.00K,12000,0.00K,0,42.72,-78.83,42.72,-78.83,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees down by thunderstorm winds in the Village of Hamburg." +120289,720771,NEW YORK,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-04 12:47:00,EST-5,2017-08-04 12:47:00,0,0,0,0,12.00K,12000,0.00K,0,43.33,-78.2,43.33,-78.2,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds in Carlton." +120289,720772,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 12:59:00,EST-5,2017-08-04 12:59:00,0,0,0,0,10.00K,10000,0.00K,0,42.85,-78.63,42.85,-78.63,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees down by thunderstorm winds." +121206,725586,NEW HAMPSHIRE,2017,October,Flash Flood,"CARROLL",2017-10-30 03:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,247.00K,247000,0.00K,0,44.08,-71.28,44.067,-71.2719,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous road washouts and flash flooding in Bartlett. Route 302 was flooded and washed out in many locations in Bartlett and adjacent Hart's Location." +121206,725587,NEW HAMPSHIRE,2017,October,Flash Flood,"CARROLL",2017-10-30 03:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,200.00K,200000,0.00K,0,44.116,-71.3351,44.0832,-71.2891,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous road washouts in Harts Location. Route 302 was washed out and flooded in many locations." +121206,725588,NEW HAMPSHIRE,2017,October,Flash Flood,"CARROLL",2017-10-30 03:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,100.00K,100000,0.00K,0,44.15,-71.18,44.1674,-71.2072,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in road washouts and flash flooding in Jackson. Route 16 in town was flooded and washed out." +121207,725591,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,100.00K,100000,0.00K,0,43.8854,-71.6223,43.8687,-71.6481,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous road washouts and flash flooding in Thornton. Route 49 was flooded and people were evacuated due to rapidly rising waters on the Mad River." +119656,717766,OHIO,2017,August,Thunderstorm Wind,"SENECA",2017-08-03 18:44:00,EST-5,2017-08-03 18:44:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-83.1508,41.1,-83.1508,"Scattered thunderstorms developed on August 3rd. At least one produced some small hail and gusty winds.","A trained spotter estimated thunderstorm winds gusts at 60 mph." +117902,708909,MISSOURI,2017,June,Thunderstorm Wind,"CLINTON",2017-06-16 22:29:00,CST-6,2017-06-16 22:32:00,0,0,0,0,0.00K,0,0.00K,0,39.63,-94.26,39.63,-94.26,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","An amateur radio spotter reported a 60-70 mph wind." +117902,708910,MISSOURI,2017,June,Thunderstorm Wind,"LAFAYETTE",2017-06-16 23:00:00,CST-6,2017-06-16 23:03:00,0,0,0,0,,NaN,,NaN,39.1,-93.55,39.1,-93.55,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A 70 mph wind caused some structural damage to school and some crops." +120563,722281,KANSAS,2017,October,Hail,"GRAHAM",2017-10-01 17:21:00,CST-6,2017-10-01 17:21:00,0,0,0,0,0.00K,0,0.00K,0,39.3938,-99.8044,39.3938,-99.8044,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","A tornado was also reported nearby." +120563,722390,KANSAS,2017,October,Tornado,"GRAHAM",2017-10-01 17:30:00,CST-6,2017-10-01 17:31:00,0,0,0,0,0.00K,0,0.00K,0,39.4578,-99.7739,39.4594,-99.7631,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","A tornado developed between Hill City and Bogue. The tornado may have crossed 310th Avenue based on the rotation on radar. No damage was reported with this tornado. Half dollar size hail was also occurring." +120771,723349,NEW YORK,2017,September,Flash Flood,"CHAUTAUQUA",2017-09-14 03:30:00,EST-5,2017-09-14 07:30:00,0,0,0,0,15.00K,15000,0.00K,0,42.17,-79.09,42.1625,-79.0858,"Weak low pressure over the Ohio valley brought widespread rain to the region. Thunderstorms developed during the early morning hours and remained nearly stationary. Rainfall amounts in just a couple of hours exceeded three inches. In Kennedy, parts of Route 394 were quickly inundated with several inches of flowing water.","" +121948,730110,TENNESSEE,2017,December,Flash Flood,"MADISON",2017-12-22 20:30:00,CST-6,2017-12-22 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.633,-88.8199,35.6314,-88.8202,"A slow moving front allowed for an extensive rain shield to blanket portions of the Midsouth with numerous training of moderate to heavy rain showers affecting northwest Mississippi and west Tennessee during the afternoon and evening hours of December 22nd.","Flash flooding has completely flooded Highland Avenue between Roland and Westwood in Midtown. Water was 1 to 2 feet deep at that junction." +112661,672669,PENNSYLVANIA,2017,February,Tornado,"LUZERNE",2017-02-25 14:35:00,EST-5,2017-02-25 14:48:00,0,0,0,0,250.00K,250000,0.00K,0,41.2525,-75.7638,41.3389,-75.6889,"A strong cold front pushed into an unseasonable record breaking warm air mass for late February and led to a significant severe weather outbreak in parts of northeast Pennsylvania. A line of severe thunderstorms developed near the Scranton, Wilkes-Barre and Carbondale areas and tracked east. One of the thunderstorms produced a long tracked EF2 tornado that affected areas from Plains and Bear Creek Township north through Pittston and Moosic Pennsylvania.","A tornado touched down close to Bald Mountain Road in Plains|Township Luzerne County around 235 pm EST Saturday February|25th, 2017. The tornado did extensive damage to a metal horse|barn, and 2 homes along its path. There was varying amounts of |damage to another 28 homes. The tornado also knocked down over|a thousand trees along a 12.8 mile long path. Hardest hit areas |were Bald Mountain Road in Plains Township, Suscon, Chapel, and |Baker Roads in Pittston Township, and along Glendale Road in |Pittston and Spring Brook Township in Lackawanna County. |Additionally, there was significant tree damage at Lake Scranton|near Moosic. The tornado lifted north of Lake Scranton. ||Maximum winds were estimated at 120 mph along Bald Mountain Road|in Plains Township and between 100 and 110 mph along Suscon, |Chapel, and Baker Roads in Pittston Township. Fortunately, there|were no injuries or deaths." +115111,690980,OHIO,2017,May,Thunderstorm Wind,"FAIRFIELD",2017-05-19 17:34:00,EST-5,2017-05-19 17:36:00,0,0,0,0,3.00K,3000,0.00K,0,39.7,-82.43,39.7,-82.43,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","Several trees were downed in the Bremen area." +119145,716323,VIRGINIA,2017,July,Heavy Rain,"PORTSMOUTH (C)",2017-07-15 06:00:00,EST-5,2017-07-15 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-76.33,36.8,-76.33,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.44 inches was measured at Cradock." +119145,716343,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 06:01:00,EST-5,2017-07-15 06:01:00,0,0,0,0,0.00K,0,0.00K,0,36.72,-76.27,36.72,-76.27,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 3.01 inches was measured at Great Bridge (1 W)." +114809,688595,TEXAS,2017,April,Hail,"DALLAS",2017-04-26 04:58:00,CST-6,2017-04-26 04:58:00,0,0,0,0,100.00K,100000,0.00K,0,32.58,-96.95,32.58,-96.95,"Thunderstorms developed during the early morning ahead of a cold front as an upper level disturbance passed overhead. Storms intensified prior to sunrise and began producing large hail from the Dallas-Fort Worth Metroplex to areas northeast. Storms moved east of the region by midday as a cold front swept through the area.","A trained spotter reported hen-egg sized hail in Cedar Hill." +116577,701016,VERMONT,2017,May,High Wind,"BENNINGTON",2017-05-05 14:00:00,EST-5,2017-05-05 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system brought rainfall to the area on May 5. On the back edge of the rain shield, the pressure dropped abruptly and resulted in the development of strong easterly winds for a 1-2 hour period. These winds packed a punch, resulting in damage over portions of Bennington County. Wind speeds of up to 68 mph were observed near Bennington. Numerous trees and wires were downed, resulting in power outage and road closures.","" +113684,680650,MISSISSIPPI,2017,April,Flash Flood,"WARREN",2017-04-02 18:21:00,CST-6,2017-04-03 02:00:00,0,0,0,0,2.00M,2000000,0.00K,0,32.362,-90.8707,32.3614,-90.8454,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Heavy rain fell for several hours across Vicksburg. This resulted in 6 to 10 inches in accumulation. Some of the rain rates were extreme with an observed amount around three inches in a 45 minute period. Water rescues occurred at Letitia and Meadow Street, as well as on Pemberton Avenue. Flooding occurred along Veto Street and water entered the Vicksburg Police Department building. A mudslide occurred on Dana Road and mud was washed across I-20, which blocked all westbound lanes. Part of the substation on Rifle Road was flooded and this resulted in power outages across the area. Ten homes were flooded, as well as multiple streets around Vicksburg. The Trustmark Bank drive through collapsed during the rain event as well." +113687,680815,LOUISIANA,2017,April,Flash Flood,"CATAHOULA",2017-04-02 22:15:00,CST-6,2017-04-03 01:15:00,0,0,0,0,80.00K,80000,0.00K,0,31.7732,-91.8179,31.6269,-91.8109,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple roads were flooded across the parish." +113687,680818,LOUISIANA,2017,April,Flash Flood,"CONCORDIA",2017-04-02 22:45:00,CST-6,2017-04-03 01:15:00,0,0,0,0,25.00K,25000,0.00K,0,31.63,-91.56,31.6376,-91.5474,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","There was flash flooding across the parish." +118189,710275,IOWA,2017,June,Thunderstorm Wind,"MILLS",2017-06-29 21:45:00,CST-6,2017-06-29 21:45:00,0,0,0,0,,NaN,,NaN,41.05,-95.82,41.05,-95.82,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","A semi trailer was blown over on I-29 by damaging winds." +118249,710587,ILLINOIS,2017,June,Hail,"HENRY",2017-06-19 15:02:00,CST-6,2017-06-19 15:02:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-90.04,41.17,-90.04,"A few strong to severe thunderstorms formed the afternoon of June 19th, and moved east across northwest Illinois. These storms produced large hail and gusty winds.","" +118249,710588,ILLINOIS,2017,June,Hail,"HENRY",2017-06-19 16:25:00,CST-6,2017-06-19 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-90.2,41.29,-90.2,"A few strong to severe thunderstorms formed the afternoon of June 19th, and moved east across northwest Illinois. These storms produced large hail and gusty winds.","" +118249,710589,ILLINOIS,2017,June,Hail,"HENRY",2017-06-19 16:26:00,CST-6,2017-06-19 16:26:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-90.19,41.3,-90.19,"A few strong to severe thunderstorms formed the afternoon of June 19th, and moved east across northwest Illinois. These storms produced large hail and gusty winds.","Winds also gusted to 40 mph." +118249,710590,ILLINOIS,2017,June,Hail,"HENRY",2017-06-19 16:26:00,CST-6,2017-06-19 16:26:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-90.21,41.3,-90.21,"A few strong to severe thunderstorms formed the afternoon of June 19th, and moved east across northwest Illinois. These storms produced large hail and gusty winds.","" +115617,694460,ILLINOIS,2017,June,Thunderstorm Wind,"ROCK ISLAND",2017-06-15 21:17:00,CST-6,2017-06-15 21:17:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-90.49,41.49,-90.49,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Large tree branches were blown down, which was relayed through local TV social media." +117457,706427,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-16 21:19:00,CST-6,2017-06-16 21:19:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-97.26,40.2,-97.26,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706428,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-16 21:21:00,CST-6,2017-06-16 21:21:00,0,0,0,0,0.00K,0,0.00K,0,40.14,-97.29,40.14,-97.29,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706429,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-16 21:26:00,CST-6,2017-06-16 21:26:00,0,0,0,0,0.00K,0,0.00K,0,40.14,-97.25,40.14,-97.25,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,709941,NEBRASKA,2017,June,Thunderstorm Wind,"MADISON",2017-06-16 16:38:00,CST-6,2017-06-28 16:38:00,0,0,0,0,,NaN,,NaN,41.98,-97.43,41.98,-97.43,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 74 mph thunderstorm wind gust was measured at Norfolk Airport." +117457,709943,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:10:00,CST-6,2017-06-16 18:10:00,0,0,0,0,,NaN,,NaN,41.61,-96.55,41.61,-96.55,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Numerous trees and street signs were blown down in Hooper by damaging thunderstorm winds." +117953,709093,IOWA,2017,June,Thunderstorm Wind,"SHELBY",2017-06-16 19:35:00,CST-6,2017-06-16 19:35:00,0,0,0,0,,NaN,,NaN,41.58,-95.34,41.58,-95.34,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Winds gusted to 62 mph at the AWOS weather station at Harlan Airport." +118189,710260,IOWA,2017,June,Funnel Cloud,"MONONA",2017-06-29 17:10:00,CST-6,2017-06-29 17:10:00,0,0,0,0,,NaN,,NaN,42.18,-95.78,42.18,-95.78,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","A trained storm spotter saw a funnel cloud east of Mapleton." +118189,710263,IOWA,2017,June,Hail,"HARRISON",2017-06-29 17:55:00,CST-6,2017-06-29 17:55:00,0,0,0,0,,NaN,,NaN,41.83,-96.05,41.83,-96.05,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","Cooperative observer near Little Sioux reported 2 inch hail and wind gusts between 55 to 60 mph." +115889,700950,OHIO,2017,May,Thunderstorm Wind,"GUERNSEY",2017-05-01 12:00:00,EST-5,2017-05-01 12:00:00,0,0,0,0,1.50K,1500,0.00K,0,39.98,-81.46,39.98,-81.46,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A trained spotter reported shingle/roof damage to Buckeye Trail High School." +116503,703090,NORTH CAROLINA,2017,May,Heavy Rain,"ASHE",2017-05-04 08:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4089,-81.4468,36.4089,-81.4468,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. Rainfall totals in North Carolina ranged from 3-5 inches along the Blue Ridge and foothills. The top five gauge reports (in inches) in for 24 hours ending 800 AM EDT on May 5th included Glade Creek VFD (GLCN7) 4.48, Fleetwood 3.1 SSE CoCoRaHS 4.04, Jefferson 2.7 ESE CoCoRaHS 3.05, Transou COOP (LSPN7) 3.87, Jefferson 1E COOP (JEFN7) 2.75.","The 2.75 inches in 24 hours ending at 0800 EST on the 5th was the 4th wettest day in May at the Jefferson 2 ESE COOP site (JEFN7). Records at this site date back to 1896." +116501,700622,VIRGINIA,2017,May,Flood,"PATRICK",2017-05-05 02:30:00,EST-5,2017-05-05 03:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7765,-80.2523,36.778,-80.2527,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The Smith River near Woolwine (SMVV2) in northern Patrick County crested at 9.63 feet (Minor FS ��� 9 ft.) early on the 5th. This was between a 5 and 10-year flood event (0.2-0.1 Annual Exceedance Probability, AEP) per USGS flood frequency data. A portion of Jacks Creek Road was flooded." +115229,691843,NEW YORK,2017,May,Flash Flood,"NEW YORK",2017-05-05 12:51:00,EST-5,2017-05-05 13:21:00,0,0,0,0,0.00K,0,0.00K,0,40.7496,-74.0077,40.7505,-74.0075,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of New York City and western Nassau County. Much of the area received one and a half to three inches of rain during the event, including Central Park (3.00 inches) and LaGuardia Airport (2.25 inches). The majority of the rain fell during a three hour period, with hourly rainfall rates of around an inch per hour.","A vehicle was stuck in a flooded roadway on West 24th Street and West Side Highway in Chelsea." +115229,691841,NEW YORK,2017,May,Flash Flood,"RICHMOND",2017-05-05 10:45:00,EST-5,2017-05-05 13:21:00,0,0,0,0,0.00K,0,0.00K,0,40.6031,-74.132,40.6113,-74.1454,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of New York City and western Nassau County. Much of the area received one and a half to three inches of rain during the event, including Central Park (3.00 inches) and LaGuardia Airport (2.25 inches). The majority of the rain fell during a three hour period, with hourly rainfall rates of around an inch per hour.","Numerous streets were flooded and impassable to vehicles in the Willowbrook section of Staten Island." +115225,691819,NEW JERSEY,2017,May,Flash Flood,"HUDSON",2017-05-05 11:15:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7205,-74.0547,40.7211,-74.0546,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","Vehicles were stuck in flood waters at the intersection of Montgomery Street and Center Street in Jersey City." +116712,701871,VIRGINIA,2017,May,Thunderstorm Wind,"BUCKINGHAM",2017-05-01 16:40:00,EST-5,2017-05-01 16:45:00,0,0,0,0,1.00K,1000,0.00K,0,37.61,-78.59,37.64,-78.53,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds brought down a tree on both Howardsville Road and Spencer Road." +116712,701878,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-01 18:09:00,EST-5,2017-05-01 18:09:00,0,0,0,0,0.50K,500,0.00K,0,36.9076,-78.9146,36.9076,-78.9146,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed a tree across railroad tracks near Armstead Drive." +116352,699652,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-20 14:00:00,EST-5,2017-05-20 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-81.68,36.8,-81.68,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","" +116352,699653,VIRGINIA,2017,May,Hail,"CRAIG",2017-05-20 15:06:00,EST-5,2017-05-20 15:06:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-80.39,37.37,-80.39,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","" +116352,699655,VIRGINIA,2017,May,Hail,"BOTETOURT",2017-05-20 15:24:00,EST-5,2017-05-20 15:24:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-79.91,37.39,-79.91,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","" +116352,699656,VIRGINIA,2017,May,Thunderstorm Wind,"BOTETOURT",2017-05-20 15:28:00,EST-5,2017-05-20 15:28:00,0,0,0,0,0.50K,500,0.00K,0,37.37,-79.88,37.37,-79.88,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed a tree along Coaling Road." +116352,699658,VIRGINIA,2017,May,Thunderstorm Wind,"BOTETOURT",2017-05-20 15:39:00,EST-5,2017-05-20 15:39:00,0,0,0,0,0.50K,500,0.00K,0,37.44,-79.86,37.44,-79.86,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed a tree between U.S. Highway 11 and Interstate 81." +120753,723246,MONTANA,2017,October,High Wind,"FERGUS",2017-10-25 14:58:00,MST-7,2017-10-25 14:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a military site 5 miles NNE of Forestgrove." +120753,723247,MONTANA,2017,October,High Wind,"CASCADE",2017-10-25 16:19:00,MST-7,2017-10-25 16:19:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Estimated gust 8 miles SW of Highwood." +120753,723248,MONTANA,2017,October,High Wind,"HILL",2017-10-25 21:46:00,MST-7,2017-10-25 21:46:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site 12 miles WNW of Havre." +120753,723249,MONTANA,2017,October,High Wind,"LIBERTY",2017-10-25 20:13:00,MST-7,2017-10-25 20:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the mesonet site 13 miles NNE of Chester." +120753,723250,MONTANA,2017,October,High Wind,"TOOLE",2017-10-25 08:10:00,MST-7,2017-10-25 08:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the mesonet site 8 miles WNW of Whitlash." +120753,723251,MONTANA,2017,October,High Wind,"NORTH ROCKY MOUNTAIN FRONT",2017-10-25 22:17:00,MST-7,2017-10-25 22:17:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at the mesonet site 17 miles WNW of Pendroy." +120753,723252,MONTANA,2017,October,High Wind,"MEAGHER",2017-10-25 13:04:00,MST-7,2017-10-25 13:04:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Wind gust at a mesonet site near Lennep." +120753,723253,MONTANA,2017,October,High Wind,"BLAINE",2017-10-25 11:00:00,MST-7,2017-10-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An active month, wind-wise, continued across the plains of Central Montana with the 5th wind event in a 30 day stretch. This wind event was notable in that a peak wind gust of 91 mph occurred along the Rocky Mountain Front, with several other reports of greater than 80 mph.","Sustained winds of 40 mph or greater for three hours, with a peak gust of 56 mph." +116375,700013,VIRGINIA,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-19 12:44:00,EST-5,2017-05-19 12:44:00,0,0,0,0,0.50K,500,0.00K,0,37.19,-78.93,37.19,-78.93,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds brought down a tree on Red House Road." +116375,700014,VIRGINIA,2017,May,Hail,"PATRICK",2017-05-19 12:50:00,EST-5,2017-05-19 12:50:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-80.28,36.68,-80.28,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","" +116375,700015,VIRGINIA,2017,May,Hail,"CARROLL",2017-05-19 13:08:00,EST-5,2017-05-19 13:08:00,0,0,0,0,0.00K,0,0.00K,0,36.59,-80.67,36.59,-80.67,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","" +116375,700016,VIRGINIA,2017,May,Hail,"BEDFORD",2017-05-19 13:45:00,EST-5,2017-05-19 13:45:00,0,0,0,0,0.00K,0,0.00K,0,37.15,-79.67,37.15,-79.67,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","" +116375,700018,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-19 15:29:00,EST-5,2017-05-19 15:29:00,0,0,0,0,7.00K,7000,0.00K,0,36.85,-79.15,36.85,-79.15,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed several large trees onto a power line along Virginia Route 666." +116375,700021,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-19 15:54:00,EST-5,2017-05-19 15:54:00,0,0,0,0,2.00K,2000,0.00K,0,36.77,-78.93,36.77,-78.93,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed power lines within the City of Halifax." +121212,725688,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 16:00:00,CST-6,2017-10-06 16:00:00,0,0,0,0,,NaN,,NaN,38.09,-99.89,38.09,-99.89,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725689,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 16:11:00,CST-6,2017-10-06 16:11:00,0,0,0,0,,NaN,,NaN,38.12,-99.73,38.12,-99.73,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725690,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 16:12:00,CST-6,2017-10-06 16:12:00,0,0,0,0,,NaN,,NaN,38.12,-99.71,38.12,-99.71,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725691,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 16:25:00,CST-6,2017-10-06 16:25:00,0,0,0,0,,NaN,,NaN,38.13,-99.71,38.13,-99.71,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +120400,721203,MONTANA,2017,October,High Wind,"NORTHERN SWEET GRASS",2017-10-22 20:20:00,MST-7,2017-10-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","A wind gust of 62 mph was recorded in Big Timber." +120400,721204,MONTANA,2017,October,High Wind,"SOUTHERN WHEATLAND",2017-10-22 12:24:00,MST-7,2017-10-22 18:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very strong cold front, followed by rapid pressure rises, brought widespread strong winds across portions of the Billings Forecast Area.","Wind gusts of 60 mph were recorded across the area." +120444,721566,WEST VIRGINIA,2017,October,Winter Weather,"NORTHWEST RANDOLPH",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120444,721569,WEST VIRGINIA,2017,October,Winter Weather,"SOUTHEAST WEBSTER",2017-10-29 21:00:00,EST-5,2017-10-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front pushed through the state early on the 29th, with a strong upper level trough quick on its heels. The air was cold enough behind the front to result in mountain snow showers, with generally 1 to 3 inches of snow reported by cooperative observers from the 29th into the 30th. The very northern part of Randolph County got 3 to 5 inches. For example, the Post Office in Harman received 5 inches of snow, and 4 inches fell in Alpena and Job according to public reports. Strong winds developed behind the cold front, there was no significant damage, however there were isolated power outages across the northern mountainous counties.","" +120169,720028,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-10-23 22:20:00,EST-5,2017-10-23 22:20:00,0,0,0,0,0.00K,0,0.00K,0,28.74,-80.7,28.74,-80.7,"A weak prefrontal trough moved across east central Florida during afternoon and evening on October 23. This resulted in a line of showers and thunderstorms that moved eastward over Brevard County where one storm produced strong winds along the intracoastal waters.","US Air Force wind tower 0019 measured a peak wind gust of 35 knots from the west-southwest." +120169,720029,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-10-23 22:20:00,EST-5,2017-10-23 22:20:00,0,0,0,0,0.00K,0,0.00K,0,28.45,-80.59,28.45,-80.59,"A weak prefrontal trough moved across east central Florida during afternoon and evening on October 23. This resulted in a line of showers and thunderstorms that moved eastward over Brevard County where one storm produced strong winds along the intracoastal waters.","US Air Force wind tower 0403 measured a peak wind gust of 34 knots from the southwest." +120796,723418,INDIANA,2017,October,Flood,"LAKE",2017-10-14 20:00:00,CST-6,2017-10-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,41.621,-87.5164,41.4261,-87.5164,"Multiple rounds of thunderstorms moved across portions of northwest Indiana on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northwest Indiana during the late evening of October 14th.","Heavy rain caused flooding across portions of Lake County. Water was reported on Route 30 and Reed Road and at Joliet and Reed Roads in Schererville. The left lane of eastbound Interstate 80/94 in a construction zone was flooded with up to 9 inches of water near mile marker 3.5." +120795,723416,ILLINOIS,2017,October,Thunderstorm Wind,"KENDALL",2017-10-14 18:30:00,CST-6,2017-10-14 18:31:00,0,0,0,0,5.00K,5000,0.00K,0,41.5409,-88.5788,41.5436,-88.5772,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Trees were blown down and utility poles were snapped along Chicago Road from near Coy Park Road to near Meadow Lane." +120795,723518,ILLINOIS,2017,October,Flood,"LAKE",2017-10-14 19:45:00,CST-6,2017-10-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1547,-88.0563,42.1531,-88.0563,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","One foot of standing water was reported on Lake Cook Road at Deer Park Boulevard." +121056,724711,ATLANTIC NORTH,2017,October,Marine High Wind,"INTRACOASTAL WATERS FROM SCHOODIC POINT ME TO STONINGTON ME",2017-10-30 02:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,44.38,-68.2,44.38,-68.2,"A strong low level jet crossed the Gulf of Maine during the morning of the 30th. Storm force wind gusts of 50 to 60 knots were common...with peak wind gusts approaching hurricane force. A peak wind gust of 63 knots was reported at the Brooklin Boatyard in coastal Hancock county. The winds toppled...snapped or damaged numerous trees along the coast. The falling trees extensively damaged the electrical grid with snapped utility poles and downed power lines. Structural damage to roofs...shingles...siding and signs also occurred along the coast.","Wind gusts of 45 to 55 knots were common through the morning of the 30th with a low level jet crossing the region. Peak wind gusts approached hurricane force with a gust of 63 knots measured at the Brooklin Boatyard." +120170,720034,LOUISIANA,2017,October,Flash Flood,"ORLEANS",2017-10-02 11:15:00,CST-6,2017-10-02 12:30:00,0,0,0,0,0.00K,0,0.00K,0,29.99,-90.0788,29.9823,-90.0728,"A tropical wave moving westward across the northern Gulf of Mexico produced localized very heavy rainfall over southeast Louisiana during the morning hours of the 2nd. Several reports of significant street flooding were received.","Local broadcast media reported cars stalled in flood waters at underpass near Paris Avenue and Gentilly Boulevard." +120170,720035,LOUISIANA,2017,October,Flash Flood,"JEFFERSON",2017-10-02 11:30:00,CST-6,2017-10-02 12:30:00,0,0,0,0,0.00K,0,0.00K,0,29.9859,-90.1416,30.0186,-90.1318,"A tropical wave moving westward across the northern Gulf of Mexico produced localized very heavy rainfall over southeast Louisiana during the morning hours of the 2nd. Several reports of significant street flooding were received.","Jefferson Parish Sheriff's Office reported there was flood water over Veterans Boulevard at the Causeway Boulevard Overpass. Several other streets were reported impassible in Metairie." +120170,720038,LOUISIANA,2017,October,Flash Flood,"ORLEANS",2017-10-02 12:00:00,CST-6,2017-10-02 13:00:00,0,0,0,0,0.00K,0,0.00K,0,29.994,-90.1045,29.9801,-90.1032,"A tropical wave moving westward across the northern Gulf of Mexico produced localized very heavy rainfall over southeast Louisiana during the morning hours of the 2nd. Several reports of significant street flooding were received.","Local broadcast media reported cars were stalled in flood waters at the Canal Boulevard Underpass near Homedale Street." +120178,720089,MISSISSIPPI,2017,October,Flash Flood,"HARRISON",2017-10-22 09:30:00,CST-6,2017-10-22 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3372,-89.1711,30.3877,-89.1767,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Flooding was reported in several subdivisions of Long Beach and Gulfport. Some roads affected included Oak Lane, Acorn Drive, Canal Road and US Highway 90." +120490,721869,NORTH DAKOTA,2017,October,High Wind,"TRAILL",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721871,NORTH DAKOTA,2017,October,High Wind,"RICHLAND",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120490,721870,NORTH DAKOTA,2017,October,High Wind,"CASS",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721872,MINNESOTA,2017,October,High Wind,"KITTSON",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +121168,725370,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"LAGUNA MADRE FROM PORT OF BROWNSVILLE TO ARROYO COLORADO",2017-10-22 15:06:00,CST-6,2017-10-22 16:06:00,0,0,0,0,0.00K,0,0.00K,0,26.0667,-97.1508,26.0667,-97.1508,"A weak cold front generated wind gusts between 30 and 34 knots across the Laguna Madre during the afternoon of October 22, 2017. The strongest gusts, right around 34 knots, persisted for about an hour near the South Padre Island jetties at the entrance to the Brownsville ship channel near Brazos Santiago Pass between 3 and 4 PM CST.","The CO-OPS station at Brazos Santiago Pass along the Brownsville Ship Channel entrance just south of South Padre Island recorded several brief northeast wind gusts to 34 knots between 306 and 406 PM CST on October 22, 2017, along a broken line of showers and thunderstorms associated with a weak cold front." +119646,717760,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-05 00:00:00,PST-8,2017-10-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of northern California.","Reported low temperatures from this zone ranged from 23 to 35 degrees." +121169,725371,TEXAS,2017,October,Drought,"JIM HOGG",2017-10-31 00:00:00,CST-6,2017-10-31 23:59:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Persistently hot and dry conditions across the South Texas Brush Country and Upper Rio Grande Valley through October eventually lead to drought indicators for Severe Drought (D2) across central Jim Hogg County, with just enough rainfall in surrounding areas to hold drought conditions at Moderate (D1) for the most of the remainder of Jim Hogg, as well as a pocket of central Starr County. Rainfall in the Severe Drought area for October was estimated at 0.25 to 0.75, or 10 to 25 percent of the monthly average. This continued a trend that began in summer and persisted through normally wet September.","Severe (D2) Drought returned to central Jim Hogg County on October 31, a result of prolonged hot and dry weather, with monthly rainfall just 10 to 25 percent of average (estimated at 0.25 to 0.75 inches having fallen) through the month, and following a relatively dry September and hot and dry summer." +119774,718327,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-12 01:00:00,PST-8,2017-10-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in northern California.","Reported low temperatures ranged from 16 to 28 degrees." +119774,718328,CALIFORNIA,2017,October,Frost/Freeze,"CENTRAL SISKIYOU COUNTY",2017-10-12 01:00:00,PST-8,2017-10-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in northern California.","Reported low temperatures ranged from 24 to 27 degrees." +119775,718329,OREGON,2017,October,Frost/Freeze,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-10-12 01:00:00,PST-8,2017-10-12 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in southwest Oregon.","Reported low temperatures ranged from 31 to 33 degrees." +119980,719022,OREGON,2017,October,High Wind,"CENTRAL & EASTERN LAKE COUNTY",2017-10-19 15:45:00,PST-8,2017-10-19 17:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An incoming front brought gusty winds to the area, and a few locations, mostly at high elevations, got high winds.","The Coffee Pot RAWS recorded a gust to 65 mph at 19/1644 PST, and a gust to 71 mph at 19/1744 PST." +121084,725008,GULF OF MEXICO,2017,October,Waterspout,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-10-07 17:33:00,CST-6,2017-10-07 17:34:00,0,0,0,0,0.00K,0,0.00K,0,30.2674,-87.5768,30.2674,-87.5768,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||A sustained period of tropical storm force winds were experienced across the Alabama and Florida Gulf waters, as well as the bays and sounds, during the evening of October 7th and the early morning hours of October 8th. ||The highest winds measured occurred at Middle Bay Light and Katrina Cut, which measured peak sustained winds of 47 knots. Sustained winds of 34 to 40 knots were recorded at several marine stations, including as far east as western Chotawhatchee Bay. The buoy 12 miles south of Orange Beach, AL measured a peak sustained wind of 39 knots with a gust to 47 knots.","Waterspout observed via broadcast media south of Orange Beach and moving northwest." +119681,722737,KANSAS,2017,October,Thunderstorm Wind,"POTTAWATOMIE",2017-10-06 21:07:00,CST-6,2017-10-06 21:08:00,0,0,0,0,,NaN,,NaN,39.46,-96.6,39.46,-96.6,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Tree limbs were reported down, sizes were unknown. Damage was also reported to outbuilding." +119681,722738,KANSAS,2017,October,Thunderstorm Wind,"CLOUD",2017-10-06 18:40:00,CST-6,2017-10-06 18:41:00,0,0,0,0,,NaN,,NaN,39.36,-97.84,39.36,-97.84,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Law enforcement estimated 60 MPH winds." +119681,725461,KANSAS,2017,October,Thunderstorm Wind,"CLOUD",2017-10-06 18:51:00,CST-6,2017-10-06 18:52:00,0,0,0,0,,NaN,,NaN,39.37,-97.67,39.37,-97.67,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Police dispatch reported two vehicles were blown off the road. Radar estimated time." +119681,725462,KANSAS,2017,October,Thunderstorm Wind,"CLOUD",2017-10-06 18:58:00,CST-6,2017-10-06 18:59:00,0,0,0,0,,NaN,,NaN,39.57,-97.66,39.57,-97.66,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Multiple tree limbs were down across the city. Size and health of limbs were not reported. Time was estimated by radar." +119681,725463,KANSAS,2017,October,Thunderstorm Wind,"CLOUD",2017-10-06 19:00:00,CST-6,2017-10-06 19:01:00,0,0,0,0,,NaN,,NaN,39.6,-97.65,39.6,-97.65,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Property owner reported numerous 6 inch diameter Oak limbs blown down. Time was estimated by radar." +116564,700904,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:19:00,EST-5,2017-05-31 15:19:00,0,0,0,0,,NaN,,NaN,42.7378,-73.8943,42.7378,-73.8943,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported multiple trees down on Curry Road Extension." +115613,694413,IOWA,2017,June,Hail,"BUCHANAN",2017-06-15 19:34:00,CST-6,2017-06-15 19:34:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.91,42.47,-91.91,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694414,IOWA,2017,June,Hail,"BUCHANAN",2017-06-15 19:36:00,CST-6,2017-06-15 19:36:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.89,42.47,-91.89,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +121317,726241,CONNECTICUT,2017,October,High Wind,"SOUTHERN LITCHFIELD",2017-10-30 00:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","Multiple reports of trees down near the town of Litchfield. A large tree fell on a residence deck. Route 63 was closed due to trees and wires down with power outages. Time of report is estimated." +121317,726242,CONNECTICUT,2017,October,High Wind,"NORTHERN LITCHFIELD",2017-10-29 19:00:00,EST-5,2017-10-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","Trees and wires reported down." +121317,726243,CONNECTICUT,2017,October,High Wind,"NORTHERN LITCHFIELD",2017-10-29 21:30:00,EST-5,2017-10-29 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","Trees and wires reported down near the town of Falls Village." +121317,726244,CONNECTICUT,2017,October,High Wind,"SOUTHERN LITCHFIELD",2017-10-29 22:30:00,EST-5,2017-10-29 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York and western New England Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. As the system departed, strong winds ensued and caused numerous power outages and trees down across western Connecticut. Total rainfall amounts reported across Litchfield county, CT ranged from 2.89 inches near Tolland to 6.33 inches near New Hartford.","A tree was reported down." +119620,717614,MONTANA,2017,October,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-10-02 15:15:00,MST-7,2017-10-02 15:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported on HWY 89 from St. Mary to the Canadian border." +119620,717613,MONTANA,2017,October,Winter Storm,"NORTH ROCKY MOUNTAIN FRONT",2017-10-02 13:45:00,MST-7,2017-10-02 13:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Highway 49 closed from HWY 2 to Kiowa Junction due to icy roads." +119620,717616,MONTANA,2017,October,Winter Storm,"LIBERTY",2017-10-02 17:44:00,MST-7,2017-10-02 17:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported on HWY 2 from Havre to Chester." +119620,717619,MONTANA,2017,October,Winter Storm,"HILL",2017-10-02 17:44:00,MST-7,2017-10-02 17:44:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported on HWY 2 from Havre to Chester and HWY 212 from Havre to the Canadian border." +119642,717738,OREGON,2017,October,Wildfire,"JACKSON COUNTY",2017-10-01 00:00:00,PST-8,2017-10-23 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of the last report at 03:30 PST on 10/23/17, the fires collectively covered 39716 acres and was 89 percent contained. 37.9 million dollars had been spent on firefighting efforts.","The Miller Complex included the Creedence, Bigelow, Burnt Peak, Abney, Seattle, and Cook fires. All were started by lightning, the earliest starting on 8/14/17 at around 2:00 PM PDT. As of the last report at 03:30 PST on 10/23/17, the fires collectively covered 39716 acres and was 89 percent contained. 37.9 million dollars had been spent on firefighting efforts." +120112,719700,MISSOURI,2017,October,Hail,"CLAY",2017-10-14 16:35:00,CST-6,2017-10-14 16:35:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-94.23,39.34,-94.23,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","" +120112,719701,MISSOURI,2017,October,Thunderstorm Wind,"ADAIR",2017-10-14 15:40:00,CST-6,2017-10-14 15:43:00,0,0,0,0,,NaN,,NaN,40.11,-92.55,40.11,-92.55,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","A few power lines were down and a roof was blown off of a home in Millard." +119940,718821,OREGON,2017,October,Frost/Freeze,"JACKSON COUNTY",2017-10-14 00:00:00,PST-8,2017-10-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at some locations in southwest Oregon.","Reported low temperatures ranged from 27 to 33 degrees." +119942,718822,OREGON,2017,October,Frost/Freeze,"JACKSON COUNTY",2017-10-15 01:00:00,PST-8,2017-10-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of southwest Oregon.","Reported low temperatures ranged from 30 to 35 degrees." +119916,718757,FLORIDA,2017,October,Storm Surge/Tide,"COASTAL WAKULLA",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718758,FLORIDA,2017,October,Storm Surge/Tide,"COASTAL FRANKLIN",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120448,721644,FLORIDA,2017,October,Coastal Flood,"FLAGLER",2017-10-01 17:33:00,EST-5,2017-10-01 17:33:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","A dune washout was reported on A1A." +120448,721645,FLORIDA,2017,October,Coastal Flood,"COASTAL DUVAL",2017-10-01 18:58:00,EST-5,2017-10-01 18:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Tidal flooding along the St. Johns River was observed over barricades and onto steps at the Jacksonville Landing in downtown." +120448,721646,FLORIDA,2017,October,Flood,"PUTNAM",2017-10-02 00:10:00,EST-5,2017-10-02 00:10:00,0,0,0,0,0.00K,0,0.00K,0,29.7093,-81.7872,29.6804,-81.7218,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Both directions of State Road 100 were closed between Carraway Church Road and County Road 309C due to flood waters covering the road." +120514,722148,CONNECTICUT,2017,October,Strong Wind,"WINDHAM",2017-10-24 11:43:00,EST-5,2017-10-24 11:43:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding the night of the 24th and during the 25th.","Tree down on wires on Beaver Dam Road in Woodstock." +120514,722564,CONNECTICUT,2017,October,Flood,"HARTFORD",2017-10-25 01:23:00,EST-5,2017-10-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7041,-72.7337,41.7034,-72.7347,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding the night of the 24th and during the 25th.","Dowd Street in Newington was closed due to flooding." +120514,722149,CONNECTICUT,2017,October,Strong Wind,"HARTFORD",2017-10-24 14:19:00,EST-5,2017-10-24 14:19:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding the night of the 24th and during the 25th.","Tree and wires down on Main Street near Hanmer Road in Weathersfield." +120513,722152,MASSACHUSETTS,2017,October,Flood,"WORCESTER",2017-10-24 19:23:00,EST-5,2017-10-24 22:20:00,0,0,0,0,0.00K,0,0.00K,0,42.274,-71.7328,42.2723,-71.683,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","State Route 9 at Saybrook Road in Shrewsbury was flooded. Route 9 interchange with State Route 20...the off-ramp is flooded with cars trapped." +120513,722163,MASSACHUSETTS,2017,October,Flood,"NORFOLK",2017-10-25 05:30:00,EST-5,2017-10-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1775,-70.9635,42.1783,-70.963,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in South Weymouth at intersection of Columbian Street and Millstone Lane." +120513,722165,MASSACHUSETTS,2017,October,Flood,"PLYMOUTH",2017-10-25 07:00:00,EST-5,2017-10-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0032,-70.9917,42.0029,-70.99,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Bridgewater at intersection of Main Street and Austin Street." +120513,722164,MASSACHUSETTS,2017,October,Flood,"MIDDLESEX",2017-10-25 06:06:00,EST-5,2017-10-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2834,-71.3746,42.2834,-71.376,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Natick on Speen Street near West Central Street." +120513,722166,MASSACHUSETTS,2017,October,Flood,"PLYMOUTH",2017-10-25 07:23:00,EST-5,2017-10-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2143,-70.9051,42.214,-70.9035,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Hingham at intersection of Carleton Road and High Street." +120628,722592,RHODE ISLAND,2017,October,Strong Wind,"NORTHWEST PROVIDENCE",2017-10-29 23:20:00,EST-5,2017-10-30 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 1120 PM EST, and amateur radio operator reported several large trees down on Twin River Road in Lincoln near the casino." +120628,722771,RHODE ISLAND,2017,October,Flood,"KENT",2017-10-30 02:29:00,EST-5,2017-10-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-71.52,41.6916,-71.5222,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong to damaging winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and five inches of rain reported.","At 229 AM EST, portions of Main Street in West Warwick were flooded." +120677,722814,MICHIGAN,2017,October,Flood,"HOUGHTON",2017-10-27 12:00:00,EST-5,2017-10-28 07:00:00,0,0,0,0,2.00K,2000,0.00K,0,47.2282,-88.3841,47.2715,-88.3597,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","A spotter along the Trap Rock River reported flooding on Woodbush Road in Calumet and farther south on Cemetary Road. The flooding resulted from two to three inches of rainfall over a 24-hour period." +120677,722816,MICHIGAN,2017,October,Flood,"HOUGHTON",2017-10-27 13:30:00,EST-5,2017-10-28 23:30:00,0,0,0,0,1.00K,1000,0.00K,0,47.0257,-88.4306,47.0257,-88.4305,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","A spotter reported a 75-100 foot stretch of water flowing over Bootjack Road at Silver Creek. The flooding resulted from two to three inches of rainfall over a 24-hour period." +120677,722817,MICHIGAN,2017,October,Lakeshore Flood,"BARAGA",2017-10-27 13:30:00,EST-5,2017-10-28 07:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A strong fall storm over the western Great Lakes caused flooding, lakeshore flooding and significant snowfall over west half portions of Upper Michigan from the 27th into the 28th.","The L'anse Fire Department reported damage to a park and sidewalks in downtown L'anse due to high waves and lakeshore flooding. Highway US-2 between L'anse and Baraga was sporadically closed on the 27th to clear debris from the high waves." +120391,721225,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-22 00:07:00,CST-6,2017-10-22 00:07:00,0,0,0,0,0.00K,0,0.00K,0,35.33,-94.3,35.33,-94.3,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind snapped numerous large tree limbs and uprooted trees." +120391,721226,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-22 00:07:00,CST-6,2017-10-22 00:07:00,0,0,0,0,0.00K,0,0.00K,0,35.2311,-94.2373,35.2311,-94.2373,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","A storm spotter measured thunderstorm wind gusts to 65 mph." +120391,721227,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-22 00:11:00,CST-6,2017-10-22 00:11:00,0,0,0,0,15.00K,15000,0.00K,0,35.3374,-94.1446,35.3374,-94.1446,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind damaged the roof and exterior walls of a building on Military Road. The strong wind also uprooted trees." +120391,721228,ARKANSAS,2017,October,Hail,"SEBASTIAN",2017-10-22 00:16:00,CST-6,2017-10-22 00:16:00,0,0,0,0,0.00K,0,0.00K,0,35.3634,-94.3708,35.3634,-94.3708,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","" +120391,721229,ARKANSAS,2017,October,Thunderstorm Wind,"SEBASTIAN",2017-10-22 00:16:00,CST-6,2017-10-22 00:16:00,0,0,0,0,0.00K,0,0.00K,0,35.3634,-94.3708,35.3634,-94.3708,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","A storm spotter estimated thunderstorm wind gusts to 60 mph." +120963,724055,TEXAS,2017,October,Coastal Flood,"KLEBERG",2017-10-07 13:00:00,CST-6,2017-10-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate to strong easterly flow persisted across the northern Gulf of Mexico during the first week of October. This flow maintained long period swells that produced elevated tide levels along the Middle Texas Coast. Minor coastal flooding impacted the coastal areas on the 6th and 7th.","Tide levels rose to above 3 feet mean sea level during the evening hours of the 7th. This flooded the beach access roads on Padre Island National Seashore. The higher tide levels caused some dune erosion." +120963,724049,TEXAS,2017,October,Coastal Flood,"NUECES",2017-10-06 12:00:00,CST-6,2017-10-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate to strong easterly flow persisted across the northern Gulf of Mexico during the first week of October. This flow maintained long period swells that produced elevated tide levels along the Middle Texas Coast. Minor coastal flooding impacted the coastal areas on the 6th and 7th.","Most of the roads in North Beach were flooded. Water reached the edge of the frontage road along Highway 181." +120963,724050,TEXAS,2017,October,Coastal Flood,"SAN PATRICIO",2017-10-06 12:00:00,CST-6,2017-10-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate to strong easterly flow persisted across the northern Gulf of Mexico during the first week of October. This flow maintained long period swells that produced elevated tide levels along the Middle Texas Coast. Minor coastal flooding impacted the coastal areas on the 6th and 7th.","Much of the low lying areas in the community of Ingleside on the Bay were under water. Several roads were impassable." +120963,724051,TEXAS,2017,October,Coastal Flood,"ARANSAS",2017-10-06 12:00:00,CST-6,2017-10-08 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moderate to strong easterly flow persisted across the northern Gulf of Mexico during the first week of October. This flow maintained long period swells that produced elevated tide levels along the Middle Texas Coast. Minor coastal flooding impacted the coastal areas on the 6th and 7th.","Several roads in the Rockport area were flooded. Broadway and Water Streets along Aransas Bay were flooded and impassable. Several roads in the Key Allegro subdivision were flooded and impassable." +120883,723762,CONNECTICUT,2017,October,Flash Flood,"NEW HAVEN",2017-10-24 21:30:00,EST-5,2017-10-24 22:15:00,0,0,0,0,0.00K,0,0.00K,0,41.4834,-73.0546,41.4835,-73.057,"A slow moving cold front approached the area during the evening of October 24th as a wave of low pressure formed along the Mid Atlantic coast. With precipitable water values of 1.75 and higher across the region, this led to heavy rain across much of coastal Connecticut, with isolated flash flooding reported in Fairfield and New Haven counties. Numerous reports of 3-6 inches of rain were received across this region, with 3.78 inches measured at Bridgeport Airport.","Running flood waters over 6 inches deep were reported flowing across a gas station parking lot and onto a roadway off of Route 63 in Naugatuck." +120990,724209,FLORIDA,2017,October,Tropical Depression,"COASTAL BROWARD COUNTY",2017-10-28 22:00:00,EST-5,2017-10-29 01:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Tropical Storm Philippe was a very disorganized storm as it moved across the Florida Straits on October 28th, making landfall in extreme South Florida along the Florida Bay on October 29th as a minimal tropical storm with a lowest central pressure of 1000 mb. The central pressure of Philippe later deepened to 997 mb east of Florida on October 29th.||The storm brought widespread rainfall across all of South Florida, with average amounts of 2 to 4 inches across the region. A higher swath of 4 to 8 inches with isolated 10 to 11 inches was recorded across northern Broward and southern Palm Beach counties, mainly along the coast from Fort Lauderdale northward. Localized roadway flooding was reported with this activity. ||The wind impacts of Philippe were limited to the east coast of South Florida. While no locations on land experienced sustained tropical storm force winds, a few locations across Miami-Dade and Broward counties did see gusts to tropical storm force during the overnight hours of October 28th into October 29th. These gusts led to reports of minor tree damage, mainly in Miami-Dade County. ||Three tornadoes also occurred with the passage of Philippe.","Tropical Storm Philippe produced maximum sustained winds generally between 20 and 30 knots (25 and 35 mph) across coastal Broward County for around 3 hours during the late evening hours of October 28th. A peak gust of 41 knots (47 mph) was measured at WxFlow site XDAN, located on the Dania Beach Pier just after midnight on October 29th. A gust of 35 knots (40 mph) was also reported at WeatherBug site PMPHS Pompano Beach High School. Other gusts around the region where generally between 35 and 40 mph. No significant damage was reported." +120974,724138,FLORIDA,2017,October,Coastal Flood,"COASTAL PALM BEACH COUNTY",2017-10-03 06:00:00,EST-5,2017-10-03 07:10:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Minor street flooding occurred at the time of high tide. Two to three inches of water were present on the road at SE 1st Street and Marine Way in Delray Beach. Pictures and video received via social media." +120974,724140,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-03 18:30:00,EST-5,2017-10-03 19:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","High tide flooding across Downtown Miami lead to 9 to 12 inches of water across the road on Biscayne Boulevard just north of the Epic Hotel. An additional 6 to 9 inches of water was covered the southbound lanes of Biscayne Boulevard at I-395." +121087,724890,NEVADA,2017,October,High Wind,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-10-19 23:35:00,PST-8,2017-10-19 23:36:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","The Stead Airport AWOS reported a wind gust of 74 mph." +121087,724892,NEVADA,2017,October,High Wind,"WESTERN NEVADA BASIN AND RANGE",2017-10-20 02:28:00,PST-8,2017-10-20 02:29:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"An approaching storm brought high winds to portions of western Nevada on the 19th and 20th. Several wind prone locations saw gusts in excess of 60 mph.","Nevada Department of Highways mesonet reported a wind gust of 65 mph 4 miles west of Lovelock." +121093,724921,WYOMING,2017,October,Winter Storm,"SIERRA MADRE RANGE",2017-10-01 12:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist westerly upslope low level flow and upper level disturbance produced periods of moderate to heavy snow over the southeast Wyoming mountains. Snow totals ranged from six to 20 inches. Gusty west winds produced blowing snow and poor visibilities through mountain passes.","The Old Battle SNOTEL site (elevation 10000 ft) estimated 20.4 inches of snow." +121093,724922,WYOMING,2017,October,Winter Storm,"SIERRA MADRE RANGE",2017-10-01 12:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist westerly upslope low level flow and upper level disturbance produced periods of moderate to heavy snow over the southeast Wyoming mountains. Snow totals ranged from six to 20 inches. Gusty west winds produced blowing snow and poor visibilities through mountain passes.","The Webber Springs SNOTEL site (elevation 9250 ft) estimated 12 inches of snow." +121093,724924,WYOMING,2017,October,Winter Storm,"SIERRA MADRE RANGE",2017-10-01 12:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist westerly upslope low level flow and upper level disturbance produced periods of moderate to heavy snow over the southeast Wyoming mountains. Snow totals ranged from six to 20 inches. Gusty west winds produced blowing snow and poor visibilities through mountain passes.","The Little Snake River SNOTEL site (elevation 8915 ft) estimated 12 inches of snow." +121093,724925,WYOMING,2017,October,Winter Storm,"SNOWY RANGE",2017-10-01 12:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist westerly upslope low level flow and upper level disturbance produced periods of moderate to heavy snow over the southeast Wyoming mountains. Snow totals ranged from six to 20 inches. Gusty west winds produced blowing snow and poor visibilities through mountain passes.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 12 inches of snow." +121093,724927,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE",2017-10-01 12:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A moist westerly upslope low level flow and upper level disturbance produced periods of moderate to heavy snow over the southeast Wyoming mountains. Snow totals ranged from six to 20 inches. Gusty west winds produced blowing snow and poor visibilities through mountain passes.","Six to eight inches of snow fell across the Interstate 80 Summit. Interstate 80 was closed both directions between Cheyenne and Laramie for several hours due to poor visibilities in blowing snow." +121083,724843,FLORIDA,2017,October,Storm Surge/Tide,"OKALOOSA COASTAL",2017-10-07 21:00:00,CST-6,2017-10-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","" +120893,725031,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-22 18:15:00,CST-6,2017-10-22 22:15:00,0,0,0,0,50.00K,50000,0.00K,0,30.4674,-87.7897,30.4654,-87.822,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","The rapid rise of the Fish River resulted in significant flooding from County 32 to Highway 104. County Road 32 was flooded just east of the bridge. Over 10 water rescues were performed from County Road 32 north to Highway 104. Multiple cars were under water." +119752,718162,UTAH,2017,October,Winter Weather,"EASTERN UINTA MOUNTAINS",2017-10-02 01:00:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance produced significant snowfall over the Uinta Mountains.","Generally 3 to 5 inches of snow fell across the area." +121074,724787,WEST VIRGINIA,2017,October,Flash Flood,"MONROE",2017-10-23 17:30:00,EST-5,2017-10-23 17:58:00,0,0,0,0,0.00K,0,0.00K,0,37.3959,-80.8026,37.3972,-80.7975,"A strong cold front associated with a negatively tilted shortwave upper trough approached the region on October 23rd. Precipitable water rose to near excessive levels for the time of year with 1.44��� on the 12z/23 RNK and 1.57��� on the 12z GSO soundings, with sea-level values of 1.75��� to 2���. These are roughly 3 standard deviations above the late October climatology and near all-time maxima for the date. Rainfall of 2 to 3.5 inches across parts Monroe County. Ballard IFLOWS (BALW2) located a little north of the heaviest rain area had 2.13 in 24-hours ending at 800 AM EST on the 24th. Most of the rain fell in about 6 hours which equates to roughly a 5-year recurrence interval (0.2 Annual exceedance probability) per NOAA Atlas 14.","Route 219 in the Peterstown area was flooded and closed for about 30 minutes." +121090,724900,WEST VIRGINIA,2017,October,Thunderstorm Wind,"MONROE",2017-10-23 17:45:00,EST-5,2017-10-23 18:00:00,0,0,0,0,10.00K,10000,,NaN,37.4536,-80.6696,37.5893,-80.5442,"An upper level storm system moving toward the region from the south would interact with a closed upper level low moving through the Tennessee Valley. At the surface, a fast moving cold front moved into the region where a highly sheared environment was in place. These conditions triggered scattered severe thunderstorms across the region, with one storm producing a swath of damaging winds across Monroe county.","Numerous trees were brought down by thunderstorm winds between the communities of Lindside and Union along Route 219." +120870,723703,NORTH CAROLINA,2017,October,Tornado,"WILKES",2017-10-08 17:45:00,EST-5,2017-10-08 17:54:00,0,0,0,0,100.00K,100000,,NaN,36.1999,-81.4368,36.2632,-81.4379,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley. To the east of this system, enough instability and shear was in place to spawn multiple tornadoes across North and South Carolina; one of which touched down in Wilkes County and moved into Ashe County. This was the first recorded tornado in Ashe County.","A tornado touched down as an EF1 near Highway 421 close to Harley in Wilkes County and traveled north about 4.3 miles before moving into Ashe County near the Blue Ridge Parkway and Phillips Gap Road at 5:54PM (LST). The tornado would continue about 2.7 miles further north into Ashe County before lifting at 6:00PM near Idlewilde. Most of the damage that occurred was to trees being snapped or knocked over with half a dozen structures damaged, mainly along Summit Road, just south of the Blue Ridge Parkway. The widest width of the tornado was 300 yards, but the average wideth of 150 yards or less. EF1 (86-110 MPH) damage was consistent through the lifespan of this tornado." +120871,723755,VIRGINIA,2017,October,Strong Wind,"TAZEWELL",2017-10-09 03:00:00,EST-5,2017-10-09 04:30:00,0,0,0,0,1.00K,1000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Strong winds knocked over one tree onto U.S. Highway 460 in Pounding Mill. A second tree was blown down by strong winds in Thompson Valley." +120989,724208,NORTH CAROLINA,2017,October,Rip Current,"COASTAL NEW HANOVER",2017-10-07 06:00:00,EST-5,2017-10-08 19:00:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong onshore wind and swell produced strong rip currents.","Strong rip currents caused two fatalities. The incident occurred near the Dolphin Lane beach access. Witnesses urged two good Samaritans to enter the water and rescue a father and child that were caught in a rip current. The two men never made it back to shore and were retrieved by fishermen in boats. The men were never revived and were pronounced dead at the scene. One man was 60 years old from Eagle Springs, NC, the other was 53 from Clayton, NC. The father and child were successfully rescued." +113877,693437,TEXAS,2017,April,Hail,"GRAYSON",2017-04-21 18:52:00,CST-6,2017-04-21 18:52:00,0,0,0,0,0.00K,0,0.00K,0,33.47,-96.97,33.47,-96.97,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","" +113877,693805,TEXAS,2017,April,Hail,"GRAYSON",2017-04-21 18:45:00,CST-6,2017-04-21 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.52,-96.98,33.52,-96.98,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Emergency management relayed a spotter report of hen-egg sized hail approximately 5 miles northwest of the city of Tioga, TX." +121148,725263,WEST VIRGINIA,2017,October,Frost/Freeze,"BERKELEY",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121148,725264,WEST VIRGINIA,2017,October,Frost/Freeze,"MORGAN",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121148,725265,WEST VIRGINIA,2017,October,Frost/Freeze,"JEFFERSON",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121142,725234,WEST VIRGINIA,2017,October,Frost/Freeze,"EASTERN PENDLETON",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121143,725240,MARYLAND,2017,October,Freezing Fog,"CENTRAL AND EASTERN ALLEGANY",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +120858,724243,ARKANSAS,2017,October,Thunderstorm Wind,"SHARP",2017-10-22 03:05:00,CST-6,2017-10-22 03:05:00,0,0,0,0,20.00K,20000,0.00K,0,36.14,-91.62,36.14,-91.62,"A line of thunderstorms moved across Arkansas in the overnight hours on October 22nd. These thunderstorms caused wind gusts in excess of 60 mph throughout much of west-central and central Arkansas, mostly along the I40 corridor. These high winds blew down several high trees and power lines, along with some damage to buildings.","Photos showed extensive mostly roof damage to a home, with trees on the property downed or snapped." +115149,692317,OHIO,2017,May,Tornado,"GREENE",2017-05-24 19:30:00,EST-5,2017-05-24 19:36:00,0,0,0,0,0.00K,0,0.00K,0,39.5909,-83.6661,39.6173,-83.6901,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","Based on radar data, video evidence and eyewitness reports, the tornado appeared to first touch down about 3 miles west-southwest of Octa in extreme western Fayette County at 1927EST. The tornado then crossed into eastern Greene County at 1930EST, about 3 miles south of Rosemoor, appearing to make occasional contact with the ground, before dissipating about 3 miles southeast of Jamestown.||As the tornado moved through primarily empty farm fields, there was little in the way of damage found. Therefore, maximum winds were estimated to be 50 mph, equivalent to a weak EF0 tornado and the maximum width was estimated to be 25 yards." +113877,693924,TEXAS,2017,April,Hail,"DENTON",2017-04-21 21:06:00,CST-6,2017-04-21 21:06:00,0,0,0,0,1.00K,1000,0.00K,0,33.1837,-97.1642,33.1837,-97.1642,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Public report: half dollar size hail approximately 3 miles south/southwest of Denton." +113877,693925,TEXAS,2017,April,Hail,"ROCKWALL",2017-04-21 21:11:00,CST-6,2017-04-21 21:11:00,0,0,0,0,1.00K,1000,0.00K,0,32.98,-96.33,32.98,-96.33,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm spotter reported quarter size hail in Royse City." +113877,693926,TEXAS,2017,April,Hail,"DENTON",2017-04-21 21:20:00,CST-6,2017-04-21 21:20:00,0,0,0,0,2.00K,2000,0.00K,0,33.0917,-97.0468,33.0917,-97.0468,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Social media (via Twitter) reported half dollar size hail near Highland Village." +113877,693927,TEXAS,2017,April,Hail,"ROCKWALL",2017-04-21 21:22:00,CST-6,2017-04-21 21:22:00,0,0,0,0,2.00K,2000,0.00K,0,32.9752,-96.3324,32.9752,-96.3324,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Storm spotter reported half dollar size hail in Royse City." +121156,725347,CALIFORNIA,2017,October,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-10-09 07:51:00,PST-8,2017-10-09 08:51:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Moderate to strong Santa Ana winds surfaced west of the mountains as high pressure built over the Great Basin on the 9th. Surface pressure gradients favored the Inland Empire and Orange County for the strongest winds. In most places peak wind gusts were 35-55 mph, but local gusts to 70 were reported. The downsloping flow sent relative humidity values crashing. The Canyon 2 Fire began near Anaheim Hills ultimately scorching more than 9,000 acres and damaging or destroying 80 structures. Isolated damage also occurred below the Cajon Pass.","The mesonet station in Fremont Canyon reported a peak wind gust of 70 mph, sustained winds were 35-45 mph." +121156,725349,CALIFORNIA,2017,October,Strong Wind,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-10-09 06:00:00,PST-8,2017-10-09 06:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Moderate to strong Santa Ana winds surfaced west of the mountains as high pressure built over the Great Basin on the 9th. Surface pressure gradients favored the Inland Empire and Orange County for the strongest winds. In most places peak wind gusts were 35-55 mph, but local gusts to 70 were reported. The downsloping flow sent relative humidity values crashing. The Canyon 2 Fire began near Anaheim Hills ultimately scorching more than 9,000 acres and damaging or destroying 80 structures. Isolated damage also occurred below the Cajon Pass.","CHP reported a big rig that jackknifed and flipped, blocking all lanes of the 210 north of Fontana." +121155,725305,CALIFORNIA,2017,October,High Surf,"ORANGE COUNTY COASTAL",2017-10-23 12:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Several elevated southerly swells brought 3-6 ft surf to beaches up and down the coast between the 17th and 25th. Localized high surf occurred along favored southwest facing beaches on the 17th, 18th, and 23rd.","A brief period of high surf was reported by lifeguards in Huntington Beach, with 7-10 ft sets." +121153,725301,CALIFORNIA,2017,October,Coastal Flood,"ORANGE COUNTY COASTAL",2017-10-07 05:00:00,PST-8,2017-10-08 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A southwesterly swell brought several days of high surf to the beaches of Orange and San Diego Counties between the 6th and 9th. Surf peaked on the 7th and 8th, with 6-8 ft sets north of Del Mar and max sets to 15 ft at the Wedge. It was widely reported that this was the biggest surf at the Wedge since Hurricane Marie in 2014. Significant coastal flooding impacted Balboa Peninsula in Newport Beach and Capistrano Beach. A swimmer was killed on the 6th.","Lifeguards reported 6-8 ft surf on the 7th and 8th in Newport Beach and Huntington Beach. Peak wave heights of 15 ft were reported at the Wedge. A local newspaper reported coastal flooding during high tide on the Balboa Peninsula in Newport Beach on the 7th. The beach parking lot was flooded, along with some nearby streets and homes. Several cars were also swamped while trying to drive through flood waters. In Capistrano Beach large breaking waves ran up against homes, shattering a window (most homes have shielding for waves)." +121188,725453,CALIFORNIA,2017,October,Dense Fog,"ORANGE COUNTY COASTAL",2017-10-27 09:00:00,PST-8,2017-10-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure contributed to a shallow marine layer that brought areas of dense fog to the coast on the 27th. Impacts from the fog were minimal.","Dense fog with a visibility of 1/4 mile or less impacted the beaches of Orange County, Huntington Beach Lifeguards reported 4 hours of dense fog." +121189,725459,CALIFORNIA,2017,October,Excessive Heat,"SAN DIEGO COUNTY VALLEYS",2017-10-24 10:00:00,PST-8,2017-10-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon high temperatures soared into the upper 90s and 100s, with a peak value of 110 degrees reported by a mesonet station in Poway. El Cajon recorded the cities 2nd warmest October day on record at 105 degrees." +121189,725521,CALIFORNIA,2017,October,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-10-23 10:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Highs in the Inland Empire were in the upper 90s and mid 100s. Chino Airport reached 106 degrees and a mesonet in Montclair was 107 degrees." +120383,722002,HAWAII,2017,October,Flash Flood,"MAUI",2017-10-24 02:30:00,HST-10,2017-10-24 06:59:00,0,0,0,0,0.00K,0,0.00K,0,20.8867,-156.4271,20.8857,-156.4282,"A combustible mix of surface and upper air instability, and deep tropical moisture, brought periods of strong winds, heavy rain, thunderstorms, and flash flooding to parts of the Aloha State. Lightning strikes led to power outages, and gusty winds toppled trees and power lines. A woman on Oahu was injured as a tree toppled over onto a bus stop structure where she was standing on the 23rd. No other injuries were reported. The cost of damages was not available.","Haleakala Highway was closed at Hana Highway due to high water from heavy rain." +120627,722770,CONNECTICUT,2017,October,Flood,"HARTFORD",2017-10-30 01:25:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6876,-72.9246,41.6878,-72.9271,"The remnants of Tropical Storm Phillipe merged with a mid-latitude system approaching the U.S. East Coast. This created an area of low pressure that moved north from the Carolinas through New York State on the 29th. The low swung a cold front through Southern New England during the early morning of the 30th. The combined sysytem generated strong winds. Tropical moisture flowing north ahead of the cold front contributed to heavy downpours, with between three and six inches of rain reported in Northeast and Northcentral Connecticut.","At 125 AM EST, King Street near Page Park in Bristol was closed due to a stream overflowing the road." +120773,723355,TEXAS,2017,October,Hail,"JONES",2017-10-21 20:35:00,CST-6,2017-10-21 20:39:00,0,0,0,0,0.00K,0,0.00K,0,32.8,-99.62,32.8,-99.62,"A cold front moved into the Big Country during the evening hours, resulting in scattered to numerous showers and thunderstorms. A few of these storms became severe, with large hail being the main hazard that was observed. The severe threat diminished by late evening.","An employee at the County 4 store in Lueders reported ping pong size hail." +118835,714598,IOWA,2017,July,Thunderstorm Wind,"BOONE",2017-07-20 20:20:00,CST-6,2017-07-20 20:20:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-94.1,42.18,-94.1,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","A large tree was downed in a yard." +116889,703532,MINNESOTA,2017,July,Hail,"MCLEOD",2017-07-25 17:10:00,CST-6,2017-07-25 17:10:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-94.41,44.89,-94.41,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","" +116889,702787,MINNESOTA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-26 03:31:00,CST-6,2017-07-26 03:31:00,0,0,0,0,0.00K,0,0.00K,0,44.81,-92.95,44.81,-92.95,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","Trees and power lines were knocked down in Cottage Grove." +116889,703530,MINNESOTA,2017,July,Thunderstorm Wind,"DAKOTA",2017-07-26 03:15:00,CST-6,2017-07-26 03:15:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-93.22,44.73,-93.22,"During the evening of July 25th, a line of storms crossed through central Minnesota and produced severe hail. Storms continued into the morning hours of July 26, with an area of localized strong to severe winds that crossed through Dakota County and Southern Washington County, producing thunderstorm wind damage.","A trained spotter provided photos of tree damage on Twitter." +118583,712364,MINNESOTA,2017,July,Hail,"KANABEC",2017-07-06 01:15:00,CST-6,2017-07-06 01:30:00,0,0,0,0,50.00K,50000,0.00K,0,46.1191,-93.2822,46.01,-93.29,"A small complex of severe storms drifted southward across northern Kanabec County and produced a swath of large hail, torrential rainfall and flooding. The hail lasted nearly an hour in some spots, with damaging hail generally from the Knife Lake area northeast to the Pomroy Lake area. Flooding was also reported, with damage to area roads.","There was a swath of large hail, up to golf ball size, that damaged siding, broke windows and damage campers in northern Kanabec County." +118583,712365,MINNESOTA,2017,July,Hail,"KANABEC",2017-07-06 01:30:00,CST-6,2017-07-06 01:45:00,0,0,0,0,15.00K,15000,0.00K,0,46.01,-93.33,46.0442,-93.138,"A small complex of severe storms drifted southward across northern Kanabec County and produced a swath of large hail, torrential rainfall and flooding. The hail lasted nearly an hour in some spots, with damaging hail generally from the Knife Lake area northeast to the Pomroy Lake area. Flooding was also reported, with damage to area roads.","Another area of large hail, up to golf ball size, occurred north of Mora, between Knife Lake area east to Pomroy Lake area, lasting for 15 minutes. Some damage was reported to area homes and campers." +116116,698024,MINNESOTA,2017,July,Hail,"POPE",2017-07-04 18:01:00,CST-6,2017-07-04 18:01:00,0,0,0,0,0.00K,0,0.00K,0,45.46,-95.27,45.46,-95.27,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,698025,MINNESOTA,2017,July,Hail,"KANDIYOHI",2017-07-04 17:48:00,CST-6,2017-07-04 17:48:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-95.13,45.33,-95.13,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,698026,MINNESOTA,2017,July,Hail,"KANDIYOHI",2017-07-04 17:45:00,CST-6,2017-07-04 17:45:00,0,0,0,0,0.00K,0,0.00K,0,45.34,-95.11,45.34,-95.11,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116116,698027,MINNESOTA,2017,July,Hail,"RENVILLE",2017-07-04 18:40:00,CST-6,2017-07-04 18:40:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-95.35,44.83,-95.35,"During the afternoon of Tuesday, July 4th, thunderstorms developed in portions of west central and southwest Minnesota. A few storms near New London became severe and produced up to hen egg size hail. These storms were nearly stationary but redevelopment was noted from outflow boundaries from previous storms. Most of the activity decreased after sunset.","" +116988,703606,NEW YORK,2017,May,Thunderstorm Wind,"CHAUTAUQUA",2017-05-01 14:18:00,EST-5,2017-05-01 14:18:00,0,0,0,0,10.00K,10000,0.00K,0,42.23,-79.28,42.23,-79.28,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +116988,703607,NEW YORK,2017,May,Thunderstorm Wind,"CATTARAUGUS",2017-05-01 14:20:00,EST-5,2017-05-01 14:20:00,0,0,0,0,10.00K,10000,0.00K,0,42.52,-79,42.52,-79,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Spotters reported trees and wires downed by thunderstorm winds." +116988,703608,NEW YORK,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 14:29:00,EST-5,2017-05-01 14:29:00,0,0,0,0,10.00K,10000,0.00K,0,42.5,-78.92,42.5,-78.92,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds in Collins." +121687,728384,NEW YORK,2017,May,Coastal Flood,"MONROE",2017-05-02 14:00:00,EST-5,2017-05-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +116993,703669,NEW YORK,2017,May,Thunderstorm Wind,"LEWIS",2017-05-18 16:44:00,EST-5,2017-05-18 16:44:00,0,0,0,0,10.00K,10000,0.00K,0,43.9,-75.39,43.9,-75.39,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees downed by thunderstorm winds." +116993,703670,NEW YORK,2017,May,Thunderstorm Wind,"LEWIS",2017-05-18 16:48:00,EST-5,2017-05-18 16:48:00,0,0,0,0,12.00K,12000,0.00K,0,43.84,-75.44,43.84,-75.44,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds in New Bremen." +121686,728379,NEW YORK,2017,June,Coastal Flood,"OSWEGO",2017-06-01 00:00:00,EST-5,2017-06-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +118298,710902,NEW YORK,2017,June,Thunderstorm Wind,"CATTARAUGUS",2017-06-18 16:07:00,EST-5,2017-06-18 16:07:00,0,0,0,0,10.00K,10000,0.00K,0,42.09,-78.49,42.09,-78.49,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710903,NEW YORK,2017,June,Thunderstorm Wind,"MONROE",2017-06-18 16:15:00,EST-5,2017-06-18 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,43.02,-77.75,43.02,-77.75,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Broadcast media reported trees and wires downed by thunderstorm winds on Quaker Road." +119317,716438,NEW YORK,2017,July,Flood,"WYOMING",2017-07-13 12:00:00,EST-5,2017-07-13 18:15:00,0,0,0,0,10.00K,10000,0.00K,0,42.8699,-78.272,42.8708,-78.2868,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +119317,716439,NEW YORK,2017,July,Flood,"ERIE",2017-07-13 13:45:00,EST-5,2017-07-13 21:30:00,0,0,0,0,15.00K,15000,0.00K,0,42.8955,-78.6599,42.9037,-78.6755,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +121683,728352,NEW YORK,2017,September,Coastal Flood,"MONROE",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +115491,693484,ALABAMA,2017,April,Tornado,"CRENSHAW",2017-04-03 07:54:00,CST-6,2017-04-03 07:55:00,0,0,0,0,2.00K,2000,0.00K,0,31.7176,-86.2619,31.7179,-86.2612,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","A brief EF-0 tornado developed on East 1st Street just north of Highway 10. The tornado uprooted a few trees and caused some minor shingle damage." +115491,693500,ALABAMA,2017,April,Thunderstorm Wind,"CHOCTAW",2017-04-03 02:50:00,CST-6,2017-04-03 02:52:00,0,0,0,0,5.00K,5000,0.00K,0,32.25,-88.38,32.25,-88.38,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees and powerlines on Highway 10." +115491,693502,ALABAMA,2017,April,Thunderstorm Wind,"CHOCTAW",2017-04-03 03:25:00,CST-6,2017-04-03 03:27:00,0,0,0,0,5.00K,5000,0.00K,0,32.2,-88.05,32.2,-88.05,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees and powerlines on Pine Grove Road." +114314,684950,ARIZONA,2017,February,Heavy Snow,"WESTERN MOGOLLON RIM",2017-02-27 08:00:00,MST-7,2017-02-28 14:00:00,0,1,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Snow started falling around 800 AM MST on February 27 and increased through the day and overnight. Eight to 10 inches of snow had fallen by midnight in the populated areas. Thirteen to 15 inches of snow was on the ground by daylight on February 28th. Here are some snowfall total by the time the snow ended late morning/early afternoon (inches): Munds Park 18.0-20.0, Flagstaff 13-17, Mountainaire 15-18, local ski resort (9,300 feet elevation) 21, and Williams 14-19. ||Classes were canceled at Flagstaff School District and at the local Community Collage. The Northern Arizona University was delayed an hour. City and County offices opened late. ||Arizona Department of Public Safety troopers dealt with 69 slide-offs and responded to 43 collisions along Interstate 17 and Interstate 40 around the Flagstaff area.||Flagstaff Police Department reported 11 weather-related crashes during the storm. One crash sent an individual to the hospital with injuries that were not life-threatening." +117822,708244,CALIFORNIA,2017,June,Flood,"TULARE",2017-06-24 04:15:00,PST-8,2017-06-29 11:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5103,-119.5089,36.5102,-119.4997,"Large water releases from Pine Flat Dam resulted in flooding along portions of the Kings River between June 18 and June 29. Evacuations began at Riverland RV park near Kingsburg on June 18. A levee breech near the Kings River Country Club near Kingsburg occurred on June 23 followed by a second breech just downstream of the first levee breech on June 24. As a result of the second breech, 90 homes were threatened by flooding in Tulare County. 300 people were evacuated as water ponded up to 12 feet deep around homes and 7 structures were damaged. A sandbagging operation took place on June 24 and June 25 in Tulare County on on June 25 and June 26 using over 1000 sandbags. Releases were cut back at Pine Flat Dam on June 26 and the flooding downstream receded by June 29.","A levee breech was reported by emergency officials along the Kings River east of Kingsburg." +119868,718566,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CRAWFORD",2017-08-04 11:20:00,EST-5,2017-08-04 11:20:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-80.37,41.8,-80.37,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed several trees." +119868,718570,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:28:00,EST-5,2017-08-04 11:28:00,0,0,0,0,1.00K,1000,0.00K,0,41.9953,-80.1418,41.9953,-80.1418,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed a tree." +119868,718571,PENNSYLVANIA,2017,August,Thunderstorm Wind,"ERIE",2017-08-04 11:19:00,EST-5,2017-08-04 11:19:00,0,0,0,0,15.00K,15000,0.00K,0,41.95,-79.98,41.95,-79.98,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed a large tree. The tree damaged a parked vehicle." +119868,718572,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CRAWFORD",2017-08-04 14:20:00,EST-5,2017-08-04 14:20:00,0,0,0,0,10.00K,10000,0.00K,0,41.52,-80.05,41.52,-80.05,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed at least six trees." +119868,718574,PENNSYLVANIA,2017,August,Thunderstorm Wind,"CRAWFORD",2017-08-04 11:57:00,EST-5,2017-08-04 11:57:00,0,0,0,0,10.00K,10000,0.00K,0,41.6,-80.3,41.6,-80.3,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front and moved across western Pennsylvania later in the afternoon. Both lines produced severe weather.","Thunderstorm winds downed several trees." +115059,690707,IDAHO,2017,February,Flood,"JEROME",2017-02-08 18:00:00,MST-7,2017-02-10 18:00:00,0,0,0,0,2.75M,2750000,0.00K,0,42.72,-114.52,42.6865,-114.5091,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","Rainfall and rapid melting of low elevation snowpack on top of frozen and saturated soil led to widespread flooding. Many roads around Jerome were damaged and closed due to flood waters. Widespread flooding of agricultural lands occurred." +112899,678844,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:03:00,CST-6,2017-03-10 00:03:00,0,0,0,0,,NaN,,NaN,35.3158,-86.359,35.3158,-86.359,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 2431 Lynchburg Highway." +112899,678845,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:03:00,CST-6,2017-03-10 00:03:00,0,0,0,0,,NaN,,NaN,35.28,-86.3,35.28,-86.3,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down on Chestnut Ridge Road." +112899,678846,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:03:00,CST-6,2017-03-10 00:03:00,0,0,0,0,,NaN,,NaN,35.29,-86.28,35.29,-86.28,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 75 Tankersley Ridge Road." +112899,678848,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:04:00,CST-6,2017-03-10 00:04:00,0,0,0,0,0.00K,0,0.00K,0,35.3097,-86.3281,35.3097,-86.3281,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 1908 Cobb Hollow Road." +112899,678849,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:04:00,CST-6,2017-03-10 00:04:00,0,0,0,0,,NaN,,NaN,35.2748,-86.3009,35.2748,-86.3009,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 9404 Chestnut Ridge Road." +121109,725053,NEW HAMPSHIRE,2017,October,Flood,"HILLSBOROUGH",2017-10-30 04:00:00,EST-5,2017-10-30 08:24:00,0,0,0,0,0.00K,0,0.00K,0,42.8668,-71.9523,42.8841,-71.9492,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 4 to 5 inches of rain resulting in minor flooding on the Contoocook River at Peterborough (flood stage 5.5 ft), which crested at 6.10 ft." +121109,725054,NEW HAMPSHIRE,2017,October,Flood,"GRAFTON",2017-10-30 05:10:00,EST-5,2017-10-30 16:44:00,0,0,0,0,100.00K,100000,0.00K,0,43.8003,-71.7891,43.8041,-71.8294,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 6 inches of rain resulting in moderate flooding on the Baker River at Rumney (flood stage 10.0 ft), which crested at 14.72 ft." +121109,725055,NEW HAMPSHIRE,2017,October,Flood,"COOS",2017-10-30 10:52:00,EST-5,2017-10-30 16:50:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-71.17,44.4206,-71.2089,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 6 inches of rain resulting in minor flooding on the Androscoggin River at Gorham (flood stage 8.00 ft), which crested at 8.05 ft." +121050,725120,MAINE,2017,October,High Wind,"ANDROSCOGGIN",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725122,MAINE,2017,October,High Wind,"COASTAL CUMBERLAND",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +113402,678913,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-27 13:35:00,CST-6,2017-03-27 13:35:00,0,0,0,0,,NaN,,NaN,34.8484,-87.6808,34.8484,-87.6808,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Nickel sized hail was reported on Patsy DRive in the Forrest Hills subdivision in Florence." +120296,720824,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-22 13:37:00,EST-5,2017-08-22 13:37:00,0,0,0,0,20.00K,20000,0.00K,0,43.46,-76.23,43.46,-76.23,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds downed a large tree which damaged a truck." +120296,720825,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-22 13:47:00,EST-5,2017-08-22 13:47:00,0,0,0,0,8.00K,8000,0.00K,0,43.4,-76.13,43.4,-76.13,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720826,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-22 13:50:00,EST-5,2017-08-22 13:50:00,0,0,0,0,10.00K,10000,0.00K,0,43.53,-75.83,43.53,-75.83,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720827,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-22 13:52:00,EST-5,2017-08-22 13:52:00,0,0,0,0,10.00K,10000,0.00K,0,43.51,-76,43.51,-76,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720843,NEW YORK,2017,August,Thunderstorm Wind,"ALLEGANY",2017-08-22 14:45:00,EST-5,2017-08-22 14:45:00,0,0,0,0,10.00K,10000,0.00K,0,42.34,-78.11,42.34,-78.11,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720844,NEW YORK,2017,August,Thunderstorm Wind,"LIVINGSTON",2017-08-22 14:46:00,EST-5,2017-08-22 14:46:00,0,0,0,0,10.00K,10000,0.00K,0,42.58,-77.94,42.58,-77.94,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds downed trees and flipped a carport." +120296,720845,NEW YORK,2017,August,Thunderstorm Wind,"ONTARIO",2017-08-22 15:05:00,EST-5,2017-08-22 15:05:00,0,0,0,0,10.00K,10000,0.00K,0,42.98,-77.32,42.98,-77.32,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120289,720773,NEW YORK,2017,August,Thunderstorm Wind,"ORLEANS",2017-08-04 12:59:00,EST-5,2017-08-04 12:59:00,0,0,0,0,10.00K,10000,0.00K,0,43.31,-78.04,43.31,-78.04,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +121684,728360,NEW YORK,2017,August,Coastal Flood,"MONROE",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +116006,697169,IDAHO,2017,March,Flood,"WASHINGTON",2017-03-18 00:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,44.1875,-116.8995,44.2236,-117.0305,"Rainfall and snow melt combined to increase the flow on the Snake River to minor flood stage.","Flooding occurred along the Snake River around the Weiser, Idaho area and surrounding fields and roads." +116021,697231,OREGON,2017,April,Flood,"MALHEUR",2017-04-01 19:30:00,MST-7,2017-04-02 23:30:00,0,0,0,0,0.00K,0,0.00K,0,44.04,-116.9563,44.0398,-116.9783,"Flooding continued from the previous month of March along the Snake River near Ontario, Oregon.","Flooding continued from the previous month of March along the Snake River in eastern Malheur County from Nyssa to Ontario." +121207,725592,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,50.00K,50000,0.00K,0,43.6607,-72.043,43.6974,-72.0307,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in road washouts and flash flooding in Canaan." +121207,725593,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,553.00K,553000,0.00K,0,43.62,-71.8,43.6294,-71.7713,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous road washouts and flash flooding in Alexandria." +121207,725594,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,1.00M,1000000,0.00K,0,43.7,-71.83,43.7131,-71.8278,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous road washouts and flash flooding in Groton. Damage was estimated at 1 million dollars." +121207,725595,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,350.00K,350000,0.00K,0,43.93,-71.88,43.9103,-71.9076,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in many road washouts and flash flooding in Warren. Route 25 was especially hard hit with many sections washed out." +121051,725141,NEW HAMPSHIRE,2017,October,High Wind,"EASTERN HILLSBOROUGH",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725142,NEW HAMPSHIRE,2017,October,High Wind,"INTERIOR ROCKINGHAM",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +117902,708923,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:25:00,CST-6,2017-06-17 20:28:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.57,39.2,-94.57,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A NWS employee reported a 70 mph wind." +117902,708924,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:25:00,CST-6,2017-06-17 20:28:00,0,0,0,0,0.00K,0,0.00K,0,39.26,-94.54,39.26,-94.54,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A NWS employee reported a 60 mph wind." +117902,708925,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:25:00,CST-6,2017-06-17 20:28:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-94.5,38.97,-94.5,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +120862,723669,OKLAHOMA,2017,October,Thunderstorm Wind,"OKLAHOMA",2017-10-14 22:28:00,CST-6,2017-10-14 22:28:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-97.39,35.44,-97.39,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +117902,708873,MISSOURI,2017,June,Thunderstorm Wind,"HENRY",2017-06-17 01:20:00,CST-6,2017-06-17 01:23:00,0,0,0,0,0.00K,0,0.00K,0,38.37,-93.78,38.37,-93.78,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Multiple trees were down in the city of Clinton." +117902,708874,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:05:00,CST-6,2017-06-17 20:08:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-94.58,39.28,-94.58,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A tree of unknown size and condition was snapped near Farrelview." +117902,708875,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:10:00,CST-6,2017-06-17 20:13:00,0,0,0,0,10.00K,10000,0.00K,0,39.2,-94.55,39.2,-94.55,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A 10 inch diameter tree fell on a car. No one was injured." +117902,708876,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:13:00,CST-6,2017-06-17 20:16:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.54,39.2,-94.54,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Tree damage with 5 inch limbs snapped off." +117902,708877,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:19:00,CST-6,2017-06-17 20:22:00,0,0,0,0,,NaN,,NaN,39.07,-94.6,39.07,-94.6,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Damage done to the Boulevardia event in the West Bottoms to tents and vendor stands caused the event to close early. No damage estimate was given." +120862,723660,OKLAHOMA,2017,October,Thunderstorm Wind,"WASHITA",2017-10-14 20:19:00,CST-6,2017-10-14 20:19:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-99.2,35.34,-99.2,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +120862,723661,OKLAHOMA,2017,October,Thunderstorm Wind,"WASHITA",2017-10-14 20:22:00,CST-6,2017-10-14 20:22:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-99.2,35.34,-99.2,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +117134,704710,COLORADO,2017,July,Funnel Cloud,"LA PLATA",2017-07-29 18:10:00,MST-7,2017-07-29 18:14:00,0,0,0,0,0.00K,0,0.00K,0,37.1694,-107.7374,37.1694,-107.7374,"Subtropical moisture fueled afternoon and evening thunderstorms in southwest Colorado, some with funnel clouds.","A funnel cloud that occurred just northeast of the Durango-La Plata County Airport was observed and photographed by many people." +119145,716359,VIRGINIA,2017,July,Heavy Rain,"CHESAPEAKE (C)",2017-07-15 06:56:00,EST-5,2017-07-15 06:56:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-76.13,36.7,-76.13,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Rainfall total of 4.21 inches was measured at Naval Auxilary Landing Field (NFE)." +116791,702348,VIRGINIA,2017,May,Thunderstorm Wind,"NEWPORT NEWS (C)",2017-05-19 15:30:00,EST-5,2017-05-19 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,37.16,-76.54,37.16,-76.54,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Tree was downed on Industrial Park Drive and blocking the road." +118093,709745,VIRGINIA,2017,June,Thunderstorm Wind,"CHESTERFIELD",2017-06-19 16:41:00,EST-5,2017-06-19 16:41:00,0,0,0,0,2.00K,2000,0.00K,0,37.35,-77.54,37.35,-77.54,"Scattered severe thunderstorms in advance of a cold front produced damaging winds across portions of central and eastern Virginia.","Several trees were downed across Nash Road." +113877,693854,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 19:40:00,CST-6,2017-04-21 19:40:00,0,0,0,0,60.00K,60000,0.00K,0,33.2364,-96.7895,33.2364,-96.7895,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","An amateur radio operator reported baseball size hail just east of Prosper." +113687,680819,LOUISIANA,2017,April,Flash Flood,"TENSAS",2017-04-02 22:55:00,CST-6,2017-04-03 01:15:00,0,0,0,0,10.00K,10000,0.00K,0,31.92,-91.24,31.9281,-91.224,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","There was flash flooding around St. Joseph with water over multiple streets." +115890,696431,PENNSYLVANIA,2017,May,Thunderstorm Wind,"VENANGO",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,5.00K,5000,0.00K,0,41.41,-79.75,41.41,-79.75,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Local law enforcement reported trees snapped and uprooted in Reno Township." +115890,696432,PENNSYLVANIA,2017,May,Thunderstorm Wind,"VENANGO",2017-05-01 14:00:00,EST-5,2017-05-01 14:00:00,0,0,0,0,15.00K,15000,0.00K,0,41.43,-79.7,41.43,-79.7,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported numerous trees down throughout the county." +115890,700884,PENNSYLVANIA,2017,May,Hail,"FOREST",2017-05-01 14:42:00,EST-5,2017-05-01 14:42:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-79.08,41.45,-79.08,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","" +117457,706430,NEBRASKA,2017,June,Hail,"JEFFERSON",2017-06-16 21:45:00,CST-6,2017-06-16 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.06,-97.34,40.06,-97.34,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Golf ball to baseball size hail was reported at this location." +117457,710966,NEBRASKA,2017,June,Thunderstorm Wind,"DOUGLAS",2017-06-16 18:50:00,CST-6,2017-06-16 18:50:00,0,0,0,0,,NaN,,NaN,41.21,-96.19,41.21,-96.19,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Trees were blown down by high winds near 175th and O Streets." +117457,710984,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:50:00,CST-6,2017-06-16 18:50:00,0,0,0,0,,NaN,,NaN,41.1058,-96.199,41.0418,-96.1187,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A NWS storm survey confirmed a large area of intense wind damage across the eastern half of Sarpy County with numerous trees down, power lines down, and roof damage." +117457,710999,NEBRASKA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-16 19:49:00,CST-6,2017-06-16 19:49:00,0,0,0,0,,NaN,,NaN,40.82,-96.69,40.82,-96.69,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","There were numerous reports of trees and power lines blown down in Lincoln." +117457,711003,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 19:55:00,CST-6,2017-06-16 19:55:00,0,0,0,0,,NaN,,NaN,40.3892,-96.9125,40.17,-96.7,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A NWS storm survey confirms a several mile wide swath of wind damage from eastern Saline across Gage county. One of the most intense damage areas was approximately 3 miles northwest of Blue Springs where a barn was destroyed, the roof of a large shed caved in, several power poles snapped, and significant tree damage occurred. Additional areas of intense wind damage occurred in west Beatrice and southwest Wilber." +116519,702816,IOWA,2017,May,Hail,"VAN BUREN",2017-05-10 13:27:00,CST-6,2017-05-10 13:27:00,0,0,0,0,0.00K,0,0.00K,0,40.86,-91.96,40.86,-91.96,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","" +117953,709067,IOWA,2017,June,Thunderstorm Wind,"HARRISON",2017-06-16 18:55:00,CST-6,2017-06-16 18:55:00,0,0,0,0,,NaN,,NaN,41.74,-95.71,41.74,-95.71,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A roof was blown off an industrial building along with widespread tree damage in and west of the town of Woodbine." +115905,704935,PENNSYLVANIA,2017,May,Flood,"CLARION",2017-05-28 18:17:00,EST-5,2017-05-28 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,41.21,-79.38,41.2201,-79.4179,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","State official reported Route 322 and North 5th street were closed due to flooding." +115905,704937,PENNSYLVANIA,2017,May,Flood,"INDIANA",2017-05-29 01:31:00,EST-5,2017-05-29 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.7364,-78.8056,40.7275,-78.8211,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","State official reported flooding of several roads in Cherry Tree including Front Stree, State Route 580, and US 219." +115889,700952,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-01 12:00:00,EST-5,2017-05-01 12:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.91,-81.28,39.91,-81.28,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency Manager reported several trees down." +115889,700953,OHIO,2017,May,Thunderstorm Wind,"TUSCARAWAS",2017-05-01 12:05:00,EST-5,2017-05-01 12:05:00,0,0,0,0,5.00K,5000,0.00K,0,40.4,-81.35,40.4,-81.35,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Local 911 reported power lines and trees down in Uhrichville." +115889,700981,OHIO,2017,May,Thunderstorm Wind,"TUSCARAWAS",2017-05-01 12:08:00,EST-5,2017-05-01 12:08:00,0,0,0,0,0.50K,500,0.00K,0,40.4067,-81.2805,40.4067,-81.2805,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The public reported trees down at Lone Pine Rd and Ohio 250." +116501,700647,VIRGINIA,2017,May,Flood,"ROCKBRIDGE",2017-05-05 04:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,5.00K,5000,0.00K,0,37.7569,-79.5407,37.7306,-79.4782,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","An IFLOWS stream gage on Buffalo Creek near Murat recorded a stage of 11.40 feet (Minor FS - 7 ft). Emergency management officials reported serious flooding along portions of Buffalo Creek, described as the 'worst in 22 years'. Several homes in the Collierstown area were threatened by flooding from Buffalo Creek and a water rescue was performed from a home on Palfrey Lane that was surrounded by waters from Buffalo Creek." +115613,694449,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 21:15:00,CST-6,2017-06-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.58,-90.49,41.58,-90.49,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115349,692736,ALABAMA,2017,April,Tornado,"CLEBURNE",2017-04-05 15:44:00,CST-6,2017-04-05 15:45:00,0,0,0,0,0.00K,0,0.00K,0,33.5342,-85.3868,33.5344,-85.3924,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","National Weather Service meteorologists surveyed damage in southeast Cleburne County and determined that a brief tornado touched down and damage was consistent with an EF0 tornado, with maximum sustained winds near 60 mph. The tornado hit a chicken house along County Road 10, removing portions of the chicken house roof and scattering it across the nearby pasture. A nearby resident captured the small rope tornado on video." +116712,701880,VIRGINIA,2017,May,Thunderstorm Wind,"CAMPBELL",2017-05-01 18:09:00,EST-5,2017-05-01 18:09:00,0,0,0,0,0.50K,500,0.00K,0,37.2801,-79.0287,37.2801,-79.0287,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed a tree along Bethany Road." +116712,701881,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-01 18:12:00,EST-5,2017-05-01 18:12:00,0,0,0,0,0.50K,500,0.00K,0,36.7597,-78.987,36.7597,-78.987,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed a large tree along Chatham Road." +116712,701872,VIRGINIA,2017,May,Thunderstorm Wind,"APPOMATTOX",2017-05-01 17:06:00,EST-5,2017-05-01 17:06:00,0,0,0,0,2.00K,2000,0.00K,0,37.2772,-78.6911,37.2772,-78.6911,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds downed three to four trees along Richmond Highway near Pamplin." +116712,701874,VIRGINIA,2017,May,Thunderstorm Wind,"DANVILLE (C)",2017-05-01 17:33:00,EST-5,2017-05-01 17:58:00,0,0,0,0,35.00K,35000,0.00K,0,36.5664,-79.4397,36.5967,-79.3945,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds caused a swath of tree and power-line damage within the City of Danville. Numerous trees and power-lines were reported down along roadways including Riverside Drive, Camelot Court, Overby Street, Wagner Street, and Hughes Street. A street light pole was also reported down in the Northeast side of the City." +116712,701873,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-01 17:37:00,EST-5,2017-05-01 17:37:00,0,0,0,0,2.50K,2500,0.00K,0,36.6892,-79.3677,36.6892,-79.3677,"A slow moving cold front crossed the region during the mid afternoon hours on May 1st. This front produced damaging winds as it moved east, with a rather extensive swath of damage across the City of Danville.","Thunderstorm winds brought trees down along Highway 29 near Lawless Creek Road." +116352,699659,VIRGINIA,2017,May,Thunderstorm Wind,"BOTETOURT",2017-05-20 15:45:00,EST-5,2017-05-20 15:45:00,0,0,0,0,0.50K,500,0.00K,0,37.44,-79.81,37.44,-79.81,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds blew down a tree along Nace Road." +115946,696752,SOUTH CAROLINA,2017,May,Tornado,"LANCASTER",2017-05-24 15:19:00,EST-5,2017-05-24 15:21:00,0,0,0,0,,NaN,,NaN,34.8103,-80.6373,34.819,-80.632,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","An NWS Storm Survey Team determined that a tornado touched down northeast of Lancaster close to the North Carolina State Line near Shiloh Unity Road. The tornado continued northward causing EF-0 damage to crops and trees near Locker Road. The tornado was in Lancaster County for 0.5 miles having a path width of no more than 50 yards. The maximum wind speed during this time was 75 mph.||The tornado moved across the state line, into Union County North Carolina, and tracked northeast for over 7 miles. Most of the damage was to trees but a few structures were damaged. The most significant damage was to a barn that had the sides and much of the roof torn off. This area received a rating of EF-1 with maximum winds speeds of 100 mph." +115946,702811,SOUTH CAROLINA,2017,May,Flash Flood,"SALUDA",2017-05-24 14:14:00,EST-5,2017-05-24 14:44:00,0,0,0,0,0.10K,100,0.10K,100,34.0045,-81.7361,34.0047,-81.7357,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Heavy rain led to street flooding on Canebrake Rd. Road was temporarily closed." +120561,722264,CALIFORNIA,2017,October,Rip Current,"SAN FRANCISCO",2017-10-19 14:40:00,PST-8,2017-10-19 15:22:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large long period northwesterly swell arrived to the California coast bringing wave heights of 10 to 20 feet with periods of 16 to 19 seconds.","The afternoon of October 19 crews from the SF Fire Department and the Coast Guard began a search for a person in distress at Ocean Beach. The search was later called off|http://sanfrancisco.cbslocal.com/2017/10/19/crews-search-for-man-in-distress-in-waters-off-s-f-ocean-beach/.|Buoy conditions suggest wave heights in the area were around 3-4 ft at a period of 15-16 seconds." +120561,722266,CALIFORNIA,2017,October,High Surf,"SAN FRANCISCO",2017-10-20 19:00:00,PST-8,2017-10-20 19:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large long period northwesterly swell arrived to the California coast bringing wave heights of 10 to 20 feet with periods of 16 to 19 seconds.","At 6 pm PDT Buoy 237 reported wave heights at 12 feet with a period of 17 seconds." +120561,722267,CALIFORNIA,2017,October,High Surf,"SAN FRANCISCO PENINSULA COAST",2017-10-20 01:30:00,PST-8,2017-10-20 02:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large long period northwesterly swell arrived to the California coast bringing wave heights of 10 to 20 feet with periods of 16 to 19 seconds.","Overnight on the 20th Buoy 214 reported wave heights of 16 to 20 feet at periods of 15 to 18 seconds." +120881,723734,WEST VIRGINIA,2017,October,Winter Weather,"WESTERN GRANT",2017-10-29 17:00:00,EST-5,2017-10-30 05:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A northwest flow around departing low pressure caused enough cold air to change rain to snow. An upslope snow continued before gradually dissipating during the early morning hours of the 30th, once high pressure finally moved into the area.","Snowfall totaled up to 3.0 inches at Bayard." +121139,725227,MARYLAND,2017,October,Coastal Flood,"ST. MARY'S",2017-10-13 05:56:00,EST-5,2017-10-13 09:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate coastal flooding near St. George Creek in St. Marys County.","Water levels reached moderate thresholds at the gauge SGSM2. This suggests that water covered roads on St. Georges Island, was in yards, and approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +121139,725228,MARYLAND,2017,October,Coastal Flood,"ST. MARY'S",2017-10-13 19:25:00,EST-5,2017-10-13 21:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong onshore flow led to moderate coastal flooding near St. George Creek in St. Marys County.","Water levels reached moderate thresholds at the gauge SGSM2. This suggests that water covered roads on St. Georges Island, was in yards, and approached structures. To the east, inundation occurred at multiple marinas off St. Mary's River, Smith Creek, and Jutland Creek." +121140,725230,MARYLAND,2017,October,Frost/Freeze,"EXTREME WESTERN ALLEGANY",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121142,725231,WEST VIRGINIA,2017,October,Frost/Freeze,"WESTERN GRANT",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +116892,702835,IOWA,2017,May,Hail,"LOUISA",2017-05-17 16:52:00,CST-6,2017-05-17 16:52:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-91.19,41.28,-91.19,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702838,IOWA,2017,May,Hail,"MUSCATINE",2017-05-17 17:11:00,CST-6,2017-05-17 17:11:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-91.03,41.46,-91.03,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702840,IOWA,2017,May,Hail,"MUSCATINE",2017-05-17 17:23:00,CST-6,2017-05-17 17:23:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-90.91,41.56,-90.91,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +116892,702842,IOWA,2017,May,Hail,"SCOTT",2017-05-17 17:40:00,CST-6,2017-05-17 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-90.78,41.73,-90.78,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Spotter reported a mix of stones between the size of dimes and quarters." +116892,702851,IOWA,2017,May,Hail,"JEFFERSON",2017-05-17 17:42:00,CST-6,2017-05-17 17:52:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-92.17,40.99,-92.17,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The spotter reported hail lasted 10 minutes and covered the ground." +116892,702853,IOWA,2017,May,Hail,"VAN BUREN",2017-05-17 18:16:00,CST-6,2017-05-17 18:17:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-91.92,40.72,-91.92,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The spotter reported the hail lasted for 1 minute." +121212,725692,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 16:47:00,CST-6,2017-10-06 16:47:00,0,0,0,0,,NaN,,NaN,38.15,-99.93,38.15,-99.93,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725693,KANSAS,2017,October,Hail,"FINNEY",2017-10-06 16:50:00,CST-6,2017-10-06 16:50:00,0,0,0,0,,NaN,,NaN,37.99,-100.85,37.99,-100.85,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725694,KANSAS,2017,October,Hail,"PAWNEE",2017-10-06 16:50:00,CST-6,2017-10-06 16:50:00,0,0,0,0,,NaN,,NaN,38.26,-99.15,38.26,-99.15,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725695,KANSAS,2017,October,Hail,"NESS",2017-10-06 17:01:00,CST-6,2017-10-06 17:01:00,0,0,0,0,,NaN,,NaN,38.27,-99.75,38.27,-99.75,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +120212,720255,KENTUCKY,2017,October,Strong Wind,"FLOYD",2017-10-23 11:30:00,EST-5,2017-10-23 11:30:00,0,0,0,0,0.10K,100,0.00K,0,NaN,NaN,NaN,NaN,"Widespread showers moved across eastern Kentucky during this morning and early afternoon ahead of a cold front. Isolated heavy rain showers caused localized flooding and gusty winds in Harlan and Prestonsburg, respectively.","A trained spotter observed minor damage as gusty winds blew down a few road construction signs on U.S. Highway 23 between Prestonsburg and Allen." +120074,721770,MISSOURI,2017,October,Thunderstorm Wind,"VERNON",2017-10-21 21:29:00,CST-6,2017-10-21 21:29:00,0,0,0,0,1.00K,1000,0.00K,0,37.84,-94.36,37.84,-94.36,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A power line was blown down in Nevada. A pick up truck pulling a twenty foot trailer was blown off the road into the median about two miles south of Nevada." +120074,721783,MISSOURI,2017,October,Thunderstorm Wind,"VERNON",2017-10-21 21:38:00,CST-6,2017-10-21 21:38:00,0,0,0,0,1.00K,1000,0.00K,0,37.9,-94.23,37.9,-94.23,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A utility trailer was flipped over due to strong winds in Walker." +120074,721784,MISSOURI,2017,October,Thunderstorm Wind,"JASPER",2017-10-21 22:10:00,CST-6,2017-10-21 22:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.17,-94.31,37.17,-94.31,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A power line was blown down in Carthage." +120074,721785,MISSOURI,2017,October,Thunderstorm Wind,"JASPER",2017-10-21 22:10:00,CST-6,2017-10-21 22:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.34,-94.3,37.34,-94.3,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A power line was blown down in the town of Jasper." +120074,721786,MISSOURI,2017,October,Thunderstorm Wind,"LAWRENCE",2017-10-21 22:28:00,CST-6,2017-10-21 22:28:00,0,0,0,0,1.00K,1000,0.00K,0,37.13,-94.04,37.13,-94.04,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","There was damage to a shop roof. There were several small trees and large tree limbs blown down." +120074,721787,MISSOURI,2017,October,Thunderstorm Wind,"DADE",2017-10-21 22:40:00,CST-6,2017-10-21 22:40:00,0,0,0,0,0.00K,0,0.00K,0,37.39,-93.95,37.39,-93.95,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A large tree was blown down onto the Highway 160 just east of the Lockwood Drive-in." +120074,721788,MISSOURI,2017,October,Thunderstorm Wind,"MCDONALD",2017-10-21 22:45:00,CST-6,2017-10-21 22:45:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-94.25,36.57,-94.25,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A few trees were blown down east of Jane along Highway 90." +120795,723519,ILLINOIS,2017,October,Flood,"WILL",2017-10-14 20:15:00,CST-6,2017-10-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4707,-87.5898,41.4567,-87.5898,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Five inches of water was reported covering the roadway near Edwards Drive and Ronald Road." +120795,723520,ILLINOIS,2017,October,Flood,"KANE",2017-10-14 18:40:00,CST-6,2017-10-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9405,-88.3475,41.8995,-88.3475,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Multiple roadways were reported flooded." +120832,723531,ILLINOIS,2017,October,Flash Flood,"PULASKI",2017-10-10 07:57:00,CST-6,2017-10-10 09:30:00,0,0,0,0,0.00K,0,0.00K,0,37.1532,-89.1152,37.1637,-89.1458,"As Hurricane Nate came ashore near Mobile, Alabama on the 8th, a cold front swept east-southeast across the region. This one was followed quickly by another cold front on the 10th. Showers and storms developed along and in advance of both fronts. Localized flooding of streets was reported.","Water was over State Highway 37 in a couple of places. Water was over the main road in Mound City. A car hydroplaned and went off the road on Interstate 57 near mile marker 21 southbound." +120895,723808,NEW MEXICO,2017,October,Flash Flood,"HIDALGO",2017-10-04 17:00:00,MST-7,2017-10-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,31.9579,-108.8347,31.8851,-108.8333,"A deep south to southeast low level flow brought plenty of moisture into southern New Mexico. A weak disturbance aloft helped to trigger thunderstorms over the region which moved very slowly and produced locally heavy rain and flash flooding around Animas.","Dirt roads were washed out just to the southeast of Animas." +120178,720091,MISSISSIPPI,2017,October,Tornado,"JACKSON",2017-10-22 11:10:00,CST-6,2017-10-22 11:13:00,1,0,0,0,0.00K,0,0.00K,0,30.3302,-88.5066,30.3467,-88.493,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A waterspout moved onshore and passed across an industrial plant on the east side of Pascagoula. Significant damage was reported to the roof and walls of a large metal building, along with some damage to trailers on the east side of the facility. One minor injury was reported that was treated at the scene. Maximum estimated wind near 100 mph, path length of 1.4 miles and path width of 100 yards." +120176,720093,LOUISIANA,2017,October,Flash Flood,"POINTE COUPEE",2017-10-21 22:00:00,CST-6,2017-10-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5617,-91.4722,30.5754,-91.4876,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Local media reported residential flooding occurring near Torbert in the vicinity of US Highway 190 and Manda Road." +120176,720095,LOUISIANA,2017,October,Flash Flood,"POINTE COUPEE",2017-10-21 22:18:00,CST-6,2017-10-22 00:00:00,0,0,0,0,0.00K,0,0.00K,0,30.521,-91.4681,30.7326,-91.376,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Pointe Coupee Emergency Manager reported multiple road closures from the New Roads area to Livonia due to flash flooding." +120176,720099,LOUISIANA,2017,October,Heavy Rain,"IBERVILLE",2017-10-21 17:50:00,CST-6,2017-10-21 20:50:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-91.52,30.49,-91.52,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Minor street flooding of a few streets in the Ridgewood Subdivision of Maringouin occurred. Radar estimated almost 6 inches of rain in that area over a 3 hour period." +120491,721873,MINNESOTA,2017,October,High Wind,"WEST MARSHALL",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721875,MINNESOTA,2017,October,High Wind,"NORMAN",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721874,MINNESOTA,2017,October,High Wind,"WEST POLK",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721876,MINNESOTA,2017,October,High Wind,"CLAY",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120001,719102,OREGON,2017,October,High Surf,"CURRY COUNTY COAST",2017-10-19 17:15:00,PST-8,2017-10-19 17:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Gold Beach resident walking on the south jetty at the mouth of the Rogue River was swept into the water by a large wave. She was last seen alive on the jetty at at 6:15 PM PDT Thursday, and her body was recovered near the sand spit at the mouth of the river Friday afternoon.","A Gold Beach resident walking on the south jetty at the mouth of the Rogue River was swept into the water by a large wave. She was last seen alive on the jetty at at 6:15 PM PDT Thursday, and her body was recovered near the sand spit at the mouth of the river Friday afternoon." +119939,721744,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-14 00:00:00,PST-8,2017-10-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in northern California.","The only reported low temperature from this zone was 27 degrees at Callahan." +120466,721745,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-09 02:00:00,PST-8,2017-10-09 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of northern California.","The only reported low temperature from this zone was 26 degrees at Callahan." +120113,719734,KANSAS,2017,October,Thunderstorm Wind,"LEAVENWORTH",2017-10-14 15:46:00,CST-6,2017-10-14 15:49:00,0,0,0,0,,NaN,,NaN,39,-95.09,39,-95.09,"As part of a larger event that impacted western Missouri, storms moved through eastern Kansas and into western and central Missouri. These storms did some minor wind damage to portions of far eastern Kansas before they moved into western Missouri.","A couple power poles were down near Linwood." +120113,719735,KANSAS,2017,October,Thunderstorm Wind,"LEAVENWORTH",2017-10-14 16:05:00,CST-6,2017-10-14 16:08:00,0,0,0,0,,NaN,,NaN,39.1,-94.96,39.1,-94.96,"As part of a larger event that impacted western Missouri, storms moved through eastern Kansas and into western and central Missouri. These storms did some minor wind damage to portions of far eastern Kansas before they moved into western Missouri.","A large 20 inch diameter tree of unknown condition was blown over at 166th St and Evans Road." +120113,719736,KANSAS,2017,October,Thunderstorm Wind,"LINN",2017-10-14 18:26:00,CST-6,2017-10-14 18:29:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-94.81,38.07,-94.81,"As part of a larger event that impacted western Missouri, storms moved through eastern Kansas and into western and central Missouri. These storms did some minor wind damage to portions of far eastern Kansas before they moved into western Missouri.","Multiple trees were blown down at 300 Rd and Highway 7 near Mound City." +120113,719738,KANSAS,2017,October,Thunderstorm Wind,"LEAVENWORTH",2017-10-14 15:43:00,CST-6,2017-10-14 15:46:00,0,0,0,0,0.00K,0,0.00K,0,39.11,-94.99,39.11,-94.99,"As part of a larger event that impacted western Missouri, storms moved through eastern Kansas and into western and central Missouri. These storms did some minor wind damage to portions of far eastern Kansas before they moved into western Missouri.","A trained spotter recorded a 60 mph wind gust." +119681,725464,KANSAS,2017,October,Thunderstorm Wind,"RILEY",2017-10-06 20:56:00,CST-6,2017-10-06 20:57:00,0,0,0,0,,NaN,,NaN,39.3,-96.77,39.3,-96.77,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Estimated wind gust of 65 MPH." +119681,725465,KANSAS,2017,October,Thunderstorm Wind,"RILEY",2017-10-06 20:57:00,CST-6,2017-10-06 20:58:00,0,0,0,0,,NaN,,NaN,39.25,-96.62,39.25,-96.62,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Estimated wind gust." +119681,725466,KANSAS,2017,October,Thunderstorm Wind,"POTTAWATOMIE",2017-10-06 21:00:00,CST-6,2017-10-06 21:01:00,0,0,0,0,,NaN,,NaN,39.42,-96.52,39.42,-96.52,"Severe t-storms developed across central Kansas and moved northeast across the area during the evening of October 6th. The storms exhibited rotation at times and at least one brief tornado did damage to farm outbuildings in Pottawatomie County.","Wind damage to outbuildings reported. Tree limbs were also down; size or health of limbs were not reported. Time was estimated from radar." +121190,725468,KANSAS,2017,October,Thunderstorm Wind,"DOUGLAS",2017-10-14 15:20:00,CST-6,2017-10-14 15:21:00,0,0,0,0,,NaN,,NaN,38.97,-95.26,38.97,-95.26,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Tree limb snapped 12 inches in diameter at 6th and Lawrence Ave. Also reports of pea size hail. Other minor tree damage in the area." +121190,725470,KANSAS,2017,October,Thunderstorm Wind,"COFFEY",2017-10-14 15:49:00,CST-6,2017-10-14 15:50:00,0,0,0,0,,NaN,,NaN,38.26,-95.87,38.26,-95.87,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Small outbuildings were blown down. Shingles were also blow off of the roof. Location was near 16th and Fauna Road, or just west of John Redmond Reservoir." +121190,725471,KANSAS,2017,October,Thunderstorm Wind,"COFFEY",2017-10-14 15:55:00,CST-6,2017-10-14 15:56:00,0,0,0,0,,NaN,,NaN,38.25,-95.72,38.25,-95.72,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","The report was relayed by the emergency manager." +121190,725472,KANSAS,2017,October,Thunderstorm Wind,"COFFEY",2017-10-14 16:09:00,CST-6,2017-10-14 16:10:00,0,0,0,0,,NaN,,NaN,38.3,-95.72,38.3,-95.72,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Delayed report from mesonet station KUKL, or 2 miles NNE of New Strawn." +116564,700946,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:18:00,EST-5,2017-05-31 15:19:00,0,0,0,0,,NaN,,NaN,42.7536,-73.9071,42.7499,-73.8878,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The National Weather Service confirmed a microburst (straight line wind damage) near Colonie. Damage was in a narrow path that began near the intersection of Kings Road and Cordell Road, east-southeast to Morris Road. Along this path, numerous trees were uprooted and snapped, roofs were damaged, a flag pole was bent, at least one power pole was snapped and a large overhead door was buckled inward." +113684,680811,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-02 21:29:00,CST-6,2017-04-03 03:45:00,0,0,1,0,20.00K,20000,0.00K,0,32.16,-90.11,32.1578,-90.1054,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flooding occurred along Williams Road. In addition, a car skidded off the road into a rain-swollen creek during the early morning hours and the female driver was killed. This occurred near MS 469 and Briarhill Road." +121046,724654,NEW YORK,2017,October,Thunderstorm Wind,"ALBANY",2017-10-24 13:58:00,EST-5,2017-10-24 13:58:00,0,0,0,0,,NaN,,NaN,42.65,-73.76,42.65,-73.76,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","A tree was downed at the back of the New York State Museum." +121046,724655,NEW YORK,2017,October,Thunderstorm Wind,"COLUMBIA",2017-10-24 14:03:00,EST-5,2017-10-24 14:03:00,0,0,0,0,,NaN,,NaN,42.32,-73.7,42.32,-73.7,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","Wires were reported down." +121046,724659,NEW YORK,2017,October,Strong Wind,"WESTERN GREENE",2017-10-24 07:15:00,EST-5,2017-10-24 09:27:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","Multiple reports of trees and power lines across western Greene county down due to strong winds." +121046,724660,NEW YORK,2017,October,Strong Wind,"EASTERN ULSTER",2017-10-24 12:00:00,EST-5,2017-10-24 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","Trees and wires were reported down in the towns of Rifton and Eddyville in eastern Ulster county due to strong winds." +121046,724661,NEW YORK,2017,October,Strong Wind,"EASTERN ULSTER",2017-10-24 14:00:00,EST-5,2017-10-24 14:20:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","Trees and wires were reported down along US Highway 9W and Route 28 in eastern Ulster county due to strong winds." +121046,724662,NEW YORK,2017,October,Strong Wind,"WESTERN COLUMBIA",2017-10-24 12:28:00,EST-5,2017-10-24 12:28:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","A tree was reported down on wires." +119620,717625,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-02 20:39:00,MST-7,2017-10-02 20:39:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Highway 2 is bad due to slush and wet, heavy snow. Power is out on the Fort Belknap Reservation." +119620,717627,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-02 22:45:00,MST-7,2017-10-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported on Highways 241 and 66 through all of Blaine County." +119620,717629,MONTANA,2017,October,Winter Storm,"LIBERTY",2017-10-02 22:38:00,MST-7,2017-10-02 22:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Northwestern Energy reports more than 5000 customers without power along the Hi-line from east of Chester through Havre and Fort Belknap." +119620,717635,MONTANA,2017,October,Winter Storm,"EASTERN TETON",2017-10-02 23:20:00,MST-7,2017-10-02 23:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported along HWY 89 from Fairfield to Choteau." +120112,719702,MISSOURI,2017,October,Thunderstorm Wind,"CLAY",2017-10-14 16:11:00,CST-6,2017-10-14 16:15:00,0,0,0,0,,NaN,,NaN,39.171,-94.4962,39.1728,-94.4835,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","Several trees were damaged in and around World's of Fun Theme Park. Across the street for Worlds of Fun a large hotel sign was blown over. Within the theme park some exhibits were knocked over. No injuries were reported." +120112,719703,MISSOURI,2017,October,Thunderstorm Wind,"JACKSON",2017-10-14 16:34:00,CST-6,2017-10-14 16:37:00,0,0,0,0,,NaN,,NaN,39.16,-94.2,39.16,-94.2,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","Multiple trees were down on roadways near Sibley. A full 110 gallon water tank was thrown several yards from its original resting place." +119916,718759,FLORIDA,2017,October,Storm Surge/Tide,"COASTAL GULF",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718760,FLORIDA,2017,October,Storm Surge/Tide,"COASTAL BAY",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120401,721276,WASHINGTON,2017,October,High Wind,"NORTH COAST",2017-10-18 06:20:00,PST-8,2017-10-18 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","DES had sustained wind of 40 mph or greater from 620 AM to 250 PM. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120448,721648,FLORIDA,2017,October,Coastal Flood,"FLAGLER",2017-10-05 12:55:00,EST-5,2017-10-05 12:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extended period of breezy onshore flow brought waves of coastal showers onshore which produced locally heavy, flooding rainfall in some areas. The nor'easter was strongest Oct. 1st between a frontal zone just south of the local area and high pressure wedging across GA. The front gradually shifted south of the local forecast area into the 2nd, but onshore flow continued through the 4th as a trough was near the Bahamas and high pressure extended NNW of the region. Strongest winds were observed on the 1st with speeds of 25-35 mph along the coast with gusts of 35-48 mph. By Oct. 3rd and 4th, gusts were down to 40-43 mph along the coast. Two day rainfall totals were excessive in parts of Flagler County with rainfall totals from 9/30 through 10/1 generally 6-13 inches across the county.","Tidal flooding was reported on South Flagler Avenue between South 23rd Street and South 25th Street. Water was into yards and approaching homes." +119589,717758,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-03 00:00:00,PST-8,2017-10-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with clearing skies to bring freezing temperatures to portions of northern California.","Reported low temperatures from this zone ranged from 23 to 39 degrees." +119627,717759,CALIFORNIA,2017,October,Frost/Freeze,"WESTERN SISKIYOU COUNTY",2017-10-04 00:00:00,PST-8,2017-10-04 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold air mass in place combined with mostly clear skies to bring freezing temperatures to portions of northern California.","Reported low temperatures from this zone ranged from 21 to 28 degrees." +119939,718819,CALIFORNIA,2017,October,Frost/Freeze,"CENTRAL SISKIYOU COUNTY",2017-10-14 00:00:00,PST-8,2017-10-14 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Clearing skies behind a cold front allowed temperatures to drop below freezing at many locations in northern California.","Reported low temperatures ranged from 30 to 32 degrees." +120484,721800,KANSAS,2017,October,Thunderstorm Wind,"CHEROKEE",2017-10-09 18:48:00,CST-6,2017-10-09 18:48:00,0,0,0,0,5.00K,5000,0.00K,0,37.18,-94.77,37.18,-94.77,"Isolated severe thunderstorms produced a few reports of wind damage across southeast Kansas.","A four foot diameter tree was blown down near 30th Street and Highway 69. There was hail damage to the house siding and roof damage. Time was estimated by radar." +120484,721801,KANSAS,2017,October,Thunderstorm Wind,"CHEROKEE",2017-10-09 18:50:00,CST-6,2017-10-09 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,37.16,-94.74,37.16,-94.74,"Isolated severe thunderstorms produced a few reports of wind damage across southeast Kansas.","A three foot diameter tree was uprooted along with several other large tree limbs blown down. Shingles were blown off a house and several power poles were blown down." +120484,721802,KANSAS,2017,October,Thunderstorm Wind,"CHEROKEE",2017-10-09 18:58:00,CST-6,2017-10-09 18:58:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-94.7,37.07,-94.7,"Isolated severe thunderstorms produced a few reports of wind damage across southeast Kansas.","Several large tree branches were blown down." +120515,722150,RHODE ISLAND,2017,October,Strong Wind,"NORTHWEST PROVIDENCE",2017-10-24 15:47:00,EST-5,2017-10-24 15:47:00,0,0,0,0,3.00K,3000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down on Luther Road in Foster. Tree down on wires on Isthmus Road." +120459,721705,MINNESOTA,2017,October,Drought,"HOUSTON",2017-10-01 00:00:00,CST-6,2017-10-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"During the first part of October, between 3 and 6 inches of rain fell across southeast Minnesota. This rain allowed the soil moisture amounts to increase and brought an end the severe drought that had in place across portions of Houston County.","The severe drought that started in September, ended as 3 to 6 inches of rain fell across Houston County during the first part of October." +120434,721541,MINNESOTA,2017,October,Drought,"FILLMORE",2017-10-03 06:00:00,CST-6,2017-10-10 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Persistent below normal precipitation since July 2017 allowed severe drought conditions to briefly expand across portions of southeast Minnesota. By early October, the drought conditions developed over a portion of southeast Fillmore County. The drought ended after 3 to 6 inches of rain fell across southeast Minnesota in the first part of October.","Persistent below normal precipitation since July 2017 allowed severe drought conditions to develop across the southeast corner of Fillmore County. The drought ended after 3 to 6 inches of rain fell across Fillmore County in the first part of October." +119993,719056,TEXAS,2017,October,Thunderstorm Wind,"GALVESTON",2017-10-20 04:00:00,CST-6,2017-10-20 04:00:00,0,0,0,0,0.00K,0,0.00K,0,29.4801,-95.0698,29.4801,-95.0698,"Heavy rains caused flooding from a north to south line of thunderstorms. Damage was caused by a tornado, thunderstorm winds and a lightning strike.","Damage was reported near the intersection of FM 646 and Highway 3." +120514,722563,CONNECTICUT,2017,October,Flood,"HARTFORD",2017-10-24 22:20:00,EST-5,2017-10-25 05:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7883,-72.7141,41.7612,-72.6938,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding the night of the 24th and during the 25th.","Flooding at numerous sites in Hartford. Several intersections with cars abandoned along Albany Avenue between the University of Hartford and the downtown due to flooding. Two cars trapped on Park Terrace near Russ Street. Multiple cars trapped in flood waters on Love Lane at Westland Street. Ward Street east of Broad Street impassable due to flooding. The US Geological Survey gauge on the North Branch of the Park River, located on Albany Avenue, reached its flood stage of 8 feet. Storm Rainfall Totals in Hartford were near three inches, with amounts up to five and one-half inches farther north near the Massachusetts border." +120513,722171,MASSACHUSETTS,2017,October,Flood,"BARNSTABLE",2017-10-25 11:00:00,EST-5,2017-10-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7279,-70.457,41.7304,-70.4526,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Sandwich on the Mid-Cape Highway Service Road between Exits 3 and 4. The Automated Surface Observation System platform at Barnstable Municipal Airport measured a Storm Total Rainfall of 5.14 inches." +120513,722170,MASSACHUSETTS,2017,October,Flood,"BARNSTABLE",2017-10-25 11:00:00,EST-5,2017-10-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7462,-70.1116,41.7449,-70.1106,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Stony Brook Mill area of western Brewster was flooding. A Storm Total of four and one-half inches of rain was measured by amateur radio in Brewster." +120591,722865,VERMONT,2017,October,Strong Wind,"EASTERN ADDISON",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120591,722894,VERMONT,2017,October,Strong Wind,"CALEDONIA",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-45 mph range." +120689,722888,NEW YORK,2017,October,Strong Wind,"EASTERN CLINTON",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30). ||Sustained winds of 20 to 30 mph with frequent wind gusts of 40 to 50 mph occurred during the early morning hours of October 30th across portions of northeast NY. ||Scattered pockets of downed branches, trees caused some power outages.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120391,721230,ARKANSAS,2017,October,Thunderstorm Wind,"FRANKLIN",2017-10-22 00:20:00,CST-6,2017-10-22 00:20:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-94.03,35.3,-94.03,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind uprooted trees and snapped numerous large tree limbs. Several streets were blocked by fallen trees in town." +120391,721232,ARKANSAS,2017,October,Hail,"FRANKLIN",2017-10-22 00:25:00,CST-6,2017-10-22 00:25:00,0,0,0,0,0.00K,0,0.00K,0,35.2994,-94.0404,35.2994,-94.0404,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","" +120391,721233,ARKANSAS,2017,October,Thunderstorm Wind,"CARROLL",2017-10-22 00:25:00,CST-6,2017-10-22 00:25:00,0,0,0,0,5.00K,5000,0.00K,0,36.32,-93.4,36.32,-93.4,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into northwestern Arkansas during the late evening hours of the 21st and early morning hours of the 22nd. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind damaged the roof of a church." +120388,721206,OKLAHOMA,2017,October,Flash Flood,"PAWNEE",2017-10-04 10:31:00,CST-6,2017-10-04 11:30:00,0,0,0,0,25.00K,25000,0.00K,0,36.18,-96.48,36.178,-96.4841,"An area of showers with embedded thunderstorms increased in coverage during the early morning hours of the 4th, developing within a very moist air mass south of a stalled frontal boundary that stretched from southeastern Kansas into northwestern Oklahoma. This activity spread across northeastern Oklahoma during the day. These thunderstorms were very efficient at producing rainfall due to precipitable water values near two inches, which was about 200 percent of normal for that time of year. Some of this thunderstorm activity produced 1.5 to 2 inches of rain per hour. Thunderstorms moving repeatedly over the same areas resulted in rainfall totals in the five to ten inch range across portions of Osage and Pawnee Counties. That heavy rainfall resulted in flash flooding, with numerous roads closed. ||The widespread heavy rainfall also resulted in main stem river flooding with Black Bear Creek at Pawnee reaching moderate flood stage.","A portion of a road was washed out near Terlton." +120647,722720,NEW YORK,2017,October,Strong Wind,"NORTHWEST SUFFOLK",2017-10-24 07:00:00,EST-5,2017-10-24 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","The Department of Highways reported a tree leaning on wires that closed Route 25A between Stony Road and Wellington Drive in Stony Brook. This occurred at 1025 pm.|At 8 am in Miller Place, a large tree branch was knocked down on power lines on Sylvan Avenue. This was reported by social media." +120883,723763,CONNECTICUT,2017,October,Flash Flood,"FAIRFIELD",2017-10-24 21:55:00,EST-5,2017-10-24 22:15:00,0,0,0,0,0.00K,0,0.00K,0,41.3035,-73.0992,41.3041,-73.101,"A slow moving cold front approached the area during the evening of October 24th as a wave of low pressure formed along the Mid Atlantic coast. With precipitable water values of 1.75 and higher across the region, this led to heavy rain across much of coastal Connecticut, with isolated flash flooding reported in Fairfield and New Haven counties. Numerous reports of 3-6 inches of rain were received across this region, with 3.78 inches measured at Bridgeport Airport.","Route 8 northbound was closed due to flooding in Shelton with traffic being diverted at exit 13." +120647,722716,NEW YORK,2017,October,Strong Wind,"PUTNAM",2017-10-24 10:00:00,EST-5,2017-10-24 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","A downed tree on Route 292 North of Mooney Hill Road was reported, which caused a road closure. This occurred at 630 am in Patterson." +120647,722723,NEW YORK,2017,October,Strong Wind,"SOUTHWEST SUFFOLK",2017-10-24 12:00:00,EST-5,2017-10-24 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","At 145 pm, power lines were knocked down resulting in power outages along the south side of Union Blvd. in Bay Shore. This was reported by the public." +120649,723360,NEW JERSEY,2017,October,Strong Wind,"WESTERN ESSEX",2017-10-24 10:00:00,EST-5,2017-10-24 13:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","Per social media, a tree was knocked down at 1154 am in Montclair." +120649,723358,NEW JERSEY,2017,October,Strong Wind,"WESTERN BERGEN",2017-10-24 12:00:00,EST-5,2017-10-24 15:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds occurred ahead of and behind a cold front.","At 1214 pm in Ramsey, a trained spotter reported a tree down on North Central Avenue. A minute later, a trained spotter reported a large tree down on Indian Trail in Saddle River. In Mahwah, another spotter reported a tree down at 1219 pm on West Road. In the town of Wyckoff, a tree was down per a trained spotter onto power lines at Franklin Avenue and Wylie Place. This occurred at 1230 pm. At 1245 pm in the town of Ramsey, an emergency manager reported several large tree limbs and power lines down throughout the town. At 118 pm in Saddle River, a trained spotter reported wires down and on fire on Old Stone Church Road. Another trained spotter reported a tree down on Belmont and Bedford Road in Ridgewood at 125 pm. Another spotter in Saddle River reported a tree down on a house on Hampshire Hill Road at 150 pm." +120974,724142,FLORIDA,2017,October,Coastal Flood,"COASTAL BROWARD COUNTY",2017-10-04 06:30:00,EST-5,2017-10-04 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Pictures and video were received via social media of flooding at high tide in Fort Lauderdale. Several inches of water were covering Cordova Road between Las Olas and SE 9th Street, as well as water reaching portions of driveways and yards." +120974,724144,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-04 07:30:00,EST-5,2017-10-04 08:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","A combination of heavy rain and high tide lead to 6 inches of standing water in the street on Miami Beach near 78th Street and Byron Avenue. Reports and pictures received via social media." +120974,724148,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-05 06:45:00,EST-5,2017-10-05 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","A combination of high tide and heavy rainfall led to flooding across portions of Miami during the morning hours of October 5th. 8-10 inches of standing water occurred along 30th Street, with significant standing water along Bayshore Drive near NE 21st Street. An additional 6 inches of water was reported along the roadway at SE 14th Street, along with 8 inches of water along the road at US 1 and SE 14th Street, and at least 6 inches of water over the intersection of NW 6th Street and NW 7th Avenue." +120974,724150,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-05 08:00:00,EST-5,2017-10-05 09:22:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding during the morning high tide lead to an estimated 1 to 2 feet of standing water covering most of the parking lot at Matheson Hammock Park. Information received via social media." +121094,724928,WYOMING,2017,October,Winter Storm,"SNOWY RANGE",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","The Sand Lake SNOTEL site (elevation 10050 ft) estimated 12 inches of snow." +121094,724929,WYOMING,2017,October,Winter Storm,"SNOWY RANGE",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","The Cinnabar Park SNOTEL site (elevation 9574 ft) estimated 18 inches of snow." +121094,724930,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six inches of snow was measured two miles east of Cheyenne." +121094,724932,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Ten inches of snow was measured 20 miles west-southwest of FE Warren AFB." +121094,724933,WYOMING,2017,October,Winter Storm,"LARAMIE VALLEY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Nine inches of snow was measured 18 miles south of Rock River." +121094,724934,WYOMING,2017,October,Winter Storm,"UPPER NORTH PLATTE RIVER BASIN",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Seven inches of snow was measured at Riverside." +120893,724245,ALABAMA,2017,October,Flash Flood,"BALDWIN",2017-10-22 17:15:00,CST-6,2017-10-22 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.5787,-87.7574,30.5714,-87.7756,"Rainfall totals of 5 to 10 inches fell across south central Baldwin County in just a few hours late in the afternoon and early in the evening of October 22nd. The highest rainfall total recorded by a CoCoRahs observer in Loxley was 10.44 inches. ||This torrential rain resulted in significant flooding, particularly in the Loxley, Robertsdale and Silverhill areas. The rainfall also resulted in significant rises along the Fish River which crested just 0.2 feet below major flood stage.||Elsewhere in southern Mobile and Baldwin Counties, 3 to 6 inches of rain resulted in the flooding of some roads.","Water reached up to the car door at a residence west of County Road 55." +119748,718147,COLORADO,2017,October,Winter Storm,"CENTRAL YAMPA RIVER BASIN",2017-10-01 11:30:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 2 to 4 inches of snow fell across the area." +119748,718148,COLORADO,2017,October,Winter Weather,"ROAN AND TAVAPUTS PLATEAUS",2017-10-01 20:00:00,MST-7,2017-10-02 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Both Douglas Pass and Rio Blanco Hill experienced snow-packed and hazardous road conditions as a result of snowfall accumulations of 4 to 6 inches." +120870,723704,NORTH CAROLINA,2017,October,Tornado,"ASHE",2017-10-08 17:54:00,EST-5,2017-10-08 18:00:00,0,0,0,0,10.00K,10000,,NaN,36.2632,-81.4379,36.3018,-81.446,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley. To the east of this system, enough instability and shear was in place to spawn multiple tornadoes across North and South Carolina; one of which touched down in Wilkes County and moved into Ashe County. This was the first recorded tornado in Ashe County.","A tornado touched down as an EF1 near Highway 421 close to Harley in Wilkes County and traveled north about 4.3 miles before moving into Ashe County near the Blue Ridge Parkway and Phillips Gap Road at 5:54PM (LST). The tornado would continue about 2.7 miles further north into Ashe County before lifting at 6:00PM near Idlewilde. The damage through Ashe County was restricted to numerous trees being snapped or knocked over. Average path width was 150 yards or less. EF1 (86-110 MPH) damage was consistent through the lifespan of this tornado. Also of note, this was the first recorded/documented tornado in Ashe County since records began in 1950." +120871,723756,VIRGINIA,2017,October,Strong Wind,"CARROLL",2017-10-09 01:00:00,EST-5,2017-10-09 04:00:00,0,0,0,0,50.00K,50000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","At least 30 trees or power lines were blown down by strong winds across the county. Many of the reports were along the Blue Ridge Parkway." +120871,723757,VIRGINIA,2017,October,Strong Wind,"BOTETOURT",2017-10-09 00:00:00,EST-5,2017-10-09 04:00:00,0,0,0,0,5.00K,5000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Several trees were blown over onto Interstate 81 near Buchanan." +120871,723758,VIRGINIA,2017,October,Strong Wind,"FRANKLIN",2017-10-09 06:03:00,EST-5,2017-10-09 06:03:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Strong winds blew over a tree near U.S. Highway 220 and Court Street near Rocky Mount." +120871,723760,VIRGINIA,2017,October,Strong Wind,"ROANOKE",2017-10-09 02:00:00,EST-5,2017-10-09 04:15:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Numerous trees were blown down in the county due to strong winds. Most of the trees fell along the Blue Ridge Parkway." +121166,725367,TEXAS,2017,October,Flood,"HIDALGO",2017-10-10 14:00:00,CST-6,2017-10-10 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,26.2393,-98.2418,26.2578,-98.3194,"Repeating thunderstorms occurred along and south of Interstate Highway 2 between Weslaco and La Joya, Texas, during the afternoon of October 10th, forced by the season's first cold front that lifted tropical moisture into several inches of rainfall during the early to mid afternoon of October 10th. Minor flooding, with up to 2 feet of water depth in poor drainage areas, briefly closed streets to traffic in McAllen and Weslaco. The rainfall, which fell over the course of 3 to 5 hours, was nearly double the total October monthly average in a thin band just north of the Rio Grande in some of the more populous sections of the Rio Grande Valley. Between 3 and more than 5 inches fell based on local observations, but bias corrected radar suggested as much as 6 inches fell near or in the areas with the minor flooding.","Several thunderstorms crossed southern Hidalgo County during the afternoon of October 10, 2017. The most persistent band affected the McAllen/Metro area between 130 and 3 PM CST, dropping several inches of rain and resulting in numerous road closures due to high water from the west side of town (Nolana and 23rd to 29th Street) to the south side of town (10th and Wichita, just east of Miller Airport). For the day, 5.07 inches of rain fell at Miller Airport, more than double the monthly average. Additional heavy rainfall of 3.5 inches fell in La Joya and 3.79 inches in nearby Mission to the west. Local minor flooding may have also occurred in these areas, but reports were unavailable as of this writing." +121166,725368,TEXAS,2017,October,Flood,"HIDALGO",2017-10-10 14:00:00,CST-6,2017-10-10 15:30:00,0,0,0,0,15.00K,15000,0.00K,0,26.1484,-98.0053,26.126,-98.0058,"Repeating thunderstorms occurred along and south of Interstate Highway 2 between Weslaco and La Joya, Texas, during the afternoon of October 10th, forced by the season's first cold front that lifted tropical moisture into several inches of rainfall during the early to mid afternoon of October 10th. Minor flooding, with up to 2 feet of water depth in poor drainage areas, briefly closed streets to traffic in McAllen and Weslaco. The rainfall, which fell over the course of 3 to 5 hours, was nearly double the total October monthly average in a thin band just north of the Rio Grande in some of the more populous sections of the Rio Grande Valley. Between 3 and more than 5 inches fell based on local observations, but bias corrected radar suggested as much as 6 inches fell near or in the areas with the minor flooding.","Bands of heavy rainfall associated with repeating thunderstorms eventually were too much for local drainage systems to handle in the south part of Weslaco to the north part of Progresso. Bias corrected radar estimates of more than 5 inches of rain likely contributed to street flooding in the Quail Hollow neighborhood in south Weslaco, where 2 feet of standing water backed up and allowed minimal passage of vehicles through the neighborhood. Water failed to flow through a nearby drain, worsening the situation." +121173,725394,LAKE HURON,2017,October,Marine Thunderstorm Wind,"PORT SANILAC TO PORT HURON MI",2017-10-15 11:44:00,EST-5,2017-10-15 11:44:00,0,0,0,0,0.00K,0,0.00K,0,43.2684,-82.5258,43.2684,-82.5258,"A thunderstorm moving into Lake Huron produced a 36 knot wind gust.","" +116760,702159,ARKANSAS,2017,May,Flood,"SHARP",2017-05-04 14:45:00,CST-6,2017-05-05 10:03:00,0,0,0,0,0.00K,0,0.00K,0,36.314,-91.4856,36.3116,-91.4862,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Additional flooding continued May 4-5, 2017 along the Spring River at Hardy." +116760,702162,ARKANSAS,2017,May,Flood,"WHITE",2017-05-03 18:48:00,CST-6,2017-05-14 10:37:00,0,0,0,0,0.00K,0,0.00K,0,35.2684,-91.6415,35.2654,-91.6424,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain caused additional flooding which continued May 3-14, 2017 along the Little Red River at Judsonia." +116760,704302,ARKANSAS,2017,May,Flood,"INDEPENDENCE",2017-05-04 21:50:00,CST-6,2017-05-06 05:30:00,0,0,0,0,0.00K,0,0.00K,0,35.7633,-91.6562,35.7557,-91.6605,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain again caused flooding in early May on the White River at Batesville." +121177,725405,PUERTO RICO,2017,October,Flash Flood,"UTUADO",2017-10-07 14:34:00,AST-4,2017-10-07 19:15:00,0,0,0,0,200.00K,200000,0.00K,0,18.2641,-66.6969,18.2769,-66.6934,"An upper-level trough continued across the region with plenty of tropical moisture and saturated soils. As a result, showers and thunderstorms produced flash flooding and mudslides.","Flash flooding and mudslides were reported in Utuado. 10 houses in Urb. San Jose and the Utuado Hospital were flooded. Also, Road 10 from Utuado to Adjuntas was impassable due to a mudslide." +121188,725454,CALIFORNIA,2017,October,Dense Fog,"SAN DIEGO COUNTY COASTAL AREAS",2017-10-27 00:00:00,PST-8,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong ridge of high pressure contributed to a shallow marine layer that brought areas of dense fog to the coast on the 27th. Impacts from the fog were minimal.","Areas of dense fog with a visibility of 1/4 mile or less were reported all along the San Diego County Coast for 8 hours ending 0800 PST. San Diego International experienced periods of sub 1/4 mile visibility between 0230 PST and 750 PST. Impacts at the airport are unknown." +121191,725469,PUERTO RICO,2017,October,Flash Flood,"LUQUILLO",2017-10-15 16:33:00,AST-4,2017-10-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,18.3283,-65.6898,18.3393,-65.6901,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Road PR-984 at Barrio Juan Martin due to Rio Juan Martin out of its banks reported as flooded." +121191,725467,PUERTO RICO,2017,October,Flood,"GUAYAMA",2017-10-15 16:33:00,AST-4,2017-10-16 01:15:00,0,0,0,0,0.00K,0,0.00K,0,17.9991,-66.1131,18.0321,-66.1053,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Guamani River was reported out of its banks at PR-179. People were evacuated from their homes." +121191,725531,PUERTO RICO,2017,October,Flash Flood,"GUAYAMA",2017-10-15 16:59:00,AST-4,2017-10-16 01:15:00,0,0,0,0,0.00K,0,0.00K,0,17.9861,-66.1343,17.9839,-66.1243,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Roads and a residence were reported flooded near the cementary. A person was unable to leave home due to flood waters." +121191,725532,PUERTO RICO,2017,October,Flood,"SALINAS",2017-10-15 17:45:00,AST-4,2017-10-15 23:45:00,0,0,0,0,0.00K,0,0.00K,0,17.9718,-66.218,17.9711,-66.2068,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Sector San Felipe, at Barrio Mosquitos was reported flooded at Road PR-3." +121191,725533,PUERTO RICO,2017,October,Heavy Rain,"COAMO",2017-10-15 20:55:00,AST-4,2017-10-15 23:45:00,0,0,0,0,0.00K,0,0.00K,0,18.1417,-66.3548,18.115,-66.3681,"A tropical wave moved across the region, increasing the showers and thunderstorms activities. Unstable conditions continued over local area resulting in flash flooding.","Mudslides along Road 555 KM 5.0/5.5, sector La Vega, limiting access to approximately 200 family residences." +119105,715320,COLORADO,2017,July,Heavy Rain,"HINSDALE",2017-07-27 15:00:00,MST-7,2017-07-27 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.9938,-107.2978,37.9921,-107.2977,"Subtropical moisture remained across the area and produced some thunderstorms with heavy rainfall.","Heavy rainfall resulted in a rockslide across Highway 30 between Highway 149 and Lake San Cristobal." +121189,725522,CALIFORNIA,2017,October,Excessive Heat,"SAN BERNARDINO AND RIVERSIDE COUNTY VALLEYS - THE INLAND EMPIRE",2017-10-24 10:00:00,PST-8,2017-10-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","High temperatures were in the upper 90s and 100s for the second day in a row. Montclair was 106 degrees." +121189,725524,CALIFORNIA,2017,October,Excessive Heat,"ORANGE COUNTY INLAND",2017-10-23 10:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Temperatures spiked significantly with afternoon highs topping out in the 100-110 degree range. A station in Rancho Santa Margarita reported a high of 110 degrees." +120966,724093,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-10-22 11:15:00,CST-6,2017-10-22 12:15:00,0,0,0,0,0.00K,0,0.00K,0,27.733,-96.183,27.733,-96.183,"Scattered thunderstorms along a cold front produced wind gusts between 35 to 40 knots across the coastal waters between Rockport and Port O'Connor during the morning of the 22nd.","Mustang Island Platform AWOS measured a gust to 42 knots." +120981,724171,FLORIDA,2017,October,Tornado,"BROWARD",2017-10-24 14:15:00,EST-5,2017-10-24 14:16:00,0,0,0,0,,NaN,,NaN,26.14,-80.46,26.14,-80.4598,"The first strong cold front of fall moved through South Florida during the day on October 24th. Widespread showers and storms developed in the moist and unstable atmosphere ahead of this front, with boundary interactions producing a brief tornado over western Broward county.","Multiple photos and videos received via social media show a brief tornado touchdown just south of I-75 and west of US-27 west of the city of Weston. The tornado remained over an open field before lifting. Time estimated by radar." +121011,724386,ILLINOIS,2017,October,Hail,"WARREN",2017-10-14 16:50:00,CST-6,2017-10-14 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.63,40.95,-90.63,"Severe thunderstorms moved across much of west central Illinois and northeast Missouri the evening of October 14th, 2017. Wind and hail reports were common with these storms, and some roof damage and significant tree damage occurred. In addition, two tornadoes occurred, on in northeast Missouri, and another in west central Illinois.","" +121038,724675,OREGON,2017,October,Tornado,"MARION",2017-10-12 14:39:00,PST-8,2017-10-12 14:40:00,0,0,0,0,40.00K,40000,,NaN,45.2555,-122.7778,45.254,-122.7653,"A somewhat weak low pressure system moving into Washington brought showers and thunderstorms across northwest Oregon. These storms had been showing weak rotation until one produced a tornado at the Aurora Airport.","The tornado started on Boones Ferry Rd NE, west of the Aurora airport. Greenhouses in the area sustained damage, and the tornado continued to travel east across the airport property. Two planes were flipped at Willamette Aviation Services. The tornado ended near Airport Rd NE." +121064,724893,VIRGINIA,2017,October,Thunderstorm Wind,"NEW KENT",2017-10-24 01:45:00,EST-5,2017-10-24 01:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.43,-77.04,37.43,-77.04,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and one tornado across portions of central and south central Virginia.","Trees and power lines were downed, resulting in a road being closed in the vicinity of the 5000 block of Courthouse Road." +118583,712663,MINNESOTA,2017,July,Flash Flood,"KANABEC",2017-07-06 02:30:00,CST-6,2017-07-06 05:00:00,0,0,0,0,10.00K,10000,0.00K,0,46.0876,-93.3172,46.1038,-93.127,"A small complex of severe storms drifted southward across northern Kanabec County and produced a swath of large hail, torrential rainfall and flooding. The hail lasted nearly an hour in some spots, with damaging hail generally from the Knife Lake area northeast to the Pomroy Lake area. Flooding was also reported, with damage to area roads.","Torrential rainfall that lasted over two hours, caused flooding, especially between the Knife Lake area, east to the Pomroy Lake area. There was some damage to roads due to the flooding." +116301,712761,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:20:00,CST-6,2017-07-09 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.7219,-93.092,44.7219,-93.092,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712764,MINNESOTA,2017,July,Hail,"YELLOW MEDICINE",2017-07-09 20:15:00,CST-6,2017-07-09 20:15:00,0,0,0,0,0.00K,0,0.00K,0,44.87,-95.79,44.87,-95.79,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712709,MINNESOTA,2017,July,Hail,"MCLEOD",2017-07-09 19:34:00,CST-6,2017-07-09 19:34:00,0,0,0,0,0.00K,0,0.00K,0,44.78,-94.47,44.78,-94.47,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712711,MINNESOTA,2017,July,Hail,"MORRISON",2017-07-09 19:35:00,CST-6,2017-07-09 19:35:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-94.09,45.88,-94.09,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116988,703609,NEW YORK,2017,May,Thunderstorm Wind,"CATTARAUGUS",2017-05-01 14:36:00,EST-5,2017-05-01 14:36:00,0,0,0,0,10.00K,10000,0.00K,0,42.44,-79.03,42.44,-79.03,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Trained spotters reported trees and wires downed by thunderstorm winds." +116988,703611,NEW YORK,2017,May,Thunderstorm Wind,"NIAGARA",2017-05-01 14:36:00,EST-5,2017-05-01 14:36:00,0,0,0,0,20.00K,20000,0.00K,0,43.04,-78.87,43.04,-78.87,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported a tree on a house downed by thunderstorm winds in North Tonawanda." +116988,703610,NEW YORK,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 14:36:00,EST-5,2017-05-01 14:36:00,0,0,0,0,15.00K,15000,0.00K,0,42.8,-78.83,42.8,-78.83,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Thunderstorm winds downed a large tree on Gilbert Street in Blasdell." +116993,703671,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 16:54:00,EST-5,2017-05-18 16:54:00,0,0,0,0,,NaN,,NaN,43.32,-76.42,43.32,-76.42,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703672,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 16:59:00,EST-5,2017-05-18 16:59:00,0,0,0,0,,NaN,,NaN,43.23,-76.28,43.23,-76.28,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703673,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 16:59:00,EST-5,2017-05-18 16:59:00,0,0,0,0,,NaN,,NaN,43.34,-76.36,43.34,-76.36,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703674,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-18 16:59:00,EST-5,2017-05-18 16:59:00,0,0,0,0,12.00K,12000,0.00K,0,43.37,-76.28,43.37,-76.28,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +116993,703675,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:00:00,EST-5,2017-05-18 17:00:00,0,0,0,0,,NaN,,NaN,43.32,-76.42,43.32,-76.42,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +118298,710904,NEW YORK,2017,June,Thunderstorm Wind,"LEWIS",2017-06-18 16:21:00,EST-5,2017-06-18 16:21:00,0,0,0,0,10.00K,10000,0.00K,0,43.92,-75.61,43.92,-75.61,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on Old State Road." +118298,710905,NEW YORK,2017,June,Thunderstorm Wind,"ALLEGANY",2017-06-18 16:24:00,EST-5,2017-06-18 16:24:00,0,0,0,0,10.00K,10000,0.00K,0,42.07,-78.17,42.07,-78.17,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710906,NEW YORK,2017,June,Thunderstorm Wind,"LIVINGSTON",2017-06-18 16:24:00,EST-5,2017-06-18 16:24:00,0,0,0,0,10.00K,10000,0.00K,0,42.8,-77.81,42.8,-77.81,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on Eagle Point Road." +118298,710907,NEW YORK,2017,June,Thunderstorm Wind,"ALLEGANY",2017-06-18 16:30:00,EST-5,2017-06-18 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.48,-78.15,42.48,-78.15,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +119317,716440,NEW YORK,2017,July,Flood,"GENESEE",2017-07-13 09:15:00,EST-5,2017-07-13 23:00:00,0,0,0,0,15.00K,15000,0.00K,0,42.9823,-78.1897,42.9959,-78.1983,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +119342,716470,NEW YORK,2017,July,Thunderstorm Wind,"OSWEGO",2017-07-14 12:06:00,EST-5,2017-07-14 12:06:00,0,0,0,0,10.00K,10000,0.00K,0,43.38,-76.06,43.38,-76.06,"Thunderstorms developed along a Lake Ontario Lake Breeze. One of the storms moved across Oswego county and downed trees on Voorhees Road, Route 17A and Route 17.","Law enforcement reported trees down on Voorhees Road." +119342,716471,NEW YORK,2017,July,Thunderstorm Wind,"OSWEGO",2017-07-14 12:18:00,EST-5,2017-07-14 12:18:00,0,0,0,0,10.00K,10000,0.00K,0,43.35,-75.96,43.35,-75.96,"Thunderstorms developed along a Lake Ontario Lake Breeze. One of the storms moved across Oswego county and downed trees on Voorhees Road, Route 17A and Route 17.","Law enforcement reported trees down on Route 17A." +121683,728350,NEW YORK,2017,September,Coastal Flood,"NIAGARA",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +112899,678837,TENNESSEE,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-09 23:58:00,CST-6,2017-03-09 23:58:00,0,0,0,0,,NaN,,NaN,35.3,-86.23,35.3,-86.23,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Several trees and power lines were knocked down in Tullahoma just north of Tims Ford Lake." +112899,678838,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:55:00,CST-6,2017-03-09 23:55:00,0,0,0,0,,NaN,,NaN,35.2826,-86.3882,35.2826,-86.3882,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 347 Buckeye Loop Road." +117822,708241,CALIFORNIA,2017,June,Flood,"TULARE",2017-06-19 17:00:00,PST-8,2017-06-29 11:00:00,0,0,0,0,500.00K,500000,0.00K,0,36.5,-119.53,36.4981,-119.5218,"Large water releases from Pine Flat Dam resulted in flooding along portions of the Kings River between June 18 and June 29. Evacuations began at Riverland RV park near Kingsburg on June 18. A levee breech near the Kings River Country Club near Kingsburg occurred on June 23 followed by a second breech just downstream of the first levee breech on June 24. As a result of the second breech, 90 homes were threatened by flooding in Tulare County. 300 people were evacuated as water ponded up to 12 feet deep around homes and 7 structures were damaged. A sandbagging operation took place on June 24 and June 25 in Tulare County on on June 25 and June 26 using over 1000 sandbags. Releases were cut back at Pine Flat Dam on June 26 and the flooding downstream receded by June 29.","Flooding occurred at the Riverland RV resort between Kingsburg and Traver as the result of a levee breech on the Kings River which occurred on June 19." +117823,708250,CALIFORNIA,2017,June,Heat,"S SIERRA FOOTHILLS",2017-06-18 11:00:00,PST-8,2017-06-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure began to build north and west into central California on June 13 and strengthened over the area through June 17 with temperatures rising to well above seasonal normals. This led to a heat wave which resulted in high temperatures often exceeding 105 degrees across much of the San Joaquin Valley between June 18 and June 25 and exceeding 110 degrees across the Kern County Deserts. Excessive Heat Warnings were posted for these areas as well as for the southern Sierra foothills and the Kern County Mountains where temperatures were much above normal for much of this period.","High temperatures were generally between 105 and 110 degrees below 3000 feet between June 18 and June 23." +118025,709511,CALIFORNIA,2017,June,Wildfire,"KERN CTY MTNS",2017-06-18 13:30:00,PST-8,2017-06-25 23:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Highway fire began on June 18, 2017, 5 miles northeast of Bodfish, near Lake Isabella CA, in Kern County. The cause is under investigation. It burned 1541 acres before being contained on June 28, 2017. The fire closed part of Highway 178 near Lake Isabella from July 18 to July 20. The fire was contained on June 25, 2017. Cost of containment was $3 Million.","" +115491,693963,ALABAMA,2017,April,Thunderstorm Wind,"ESCAMBIA",2017-04-03 06:55:00,CST-6,2017-04-03 06:57:00,0,0,0,0,2.00K,2000,0.00K,0,31,-87.27,31,-87.27,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees and power lines in and around Flomaton." +115491,693965,ALABAMA,2017,April,Thunderstorm Wind,"CONECUH",2017-04-03 07:00:00,CST-6,2017-04-03 07:02:00,0,0,0,0,10.00K,10000,0.00K,0,31.33,-87.18,31.33,-87.18,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees on a barn and a home." +112899,678850,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:04:00,CST-6,2017-03-10 00:04:00,0,0,0,0,,NaN,,NaN,35.2994,-86.2988,35.2994,-86.2988,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees and power lines were knocked down at 2370 Hurricane Creek Road." +112899,678851,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:04:00,CST-6,2017-03-10 00:04:00,0,0,0,0,,NaN,,NaN,35.3094,-86.3126,35.3094,-86.3126,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 24 Patterson Road." +115146,691221,DISTRICT OF COLUMBIA,2017,April,Tornado,"DISTRICT OF COLUMBIA",2017-04-06 12:42:00,EST-5,2017-04-06 12:45:00,0,0,0,0,,NaN,,NaN,38.8628,-77.038,38.9,-77.01,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","The waterspout then moved onshore near the George Mason Memorial |at the Tidal Basin at approximately 1:41 PM EDT. Here, multiple |large softwood and hardwood trees, including several ornamental |cherry trees, had large branches downed and/or were uprooted |around the Tidal Basin. While some minor tree damage was evidenced|near the George Mason Memorial on the southwest side of the Tidal|Basin, the most concentrated damage was in the grove of trees |directly adjacent to the parking lot of the Tidal Basin Marina.||The last damage reported to the NWS was to the roof of the St. |Aloysius Church at the intersection of North Capitol and I |Streets NW at 145 PM EDT." +112900,678873,ALABAMA,2017,March,Hail,"MADISON",2017-03-10 00:45:00,CST-6,2017-03-10 00:45:00,0,0,0,0,,NaN,,NaN,34.6792,-86.5772,34.6792,-86.5772,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Hail up to quarter size was reported at the intersection of Golf Road and South Memorial Parkway." +112900,678875,ALABAMA,2017,March,Thunderstorm Wind,"MORGAN",2017-03-10 00:49:00,CST-6,2017-03-10 00:49:00,0,0,0,0,,NaN,,NaN,34.5487,-86.6062,34.5487,-86.6062,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Trees were knocked down on Arvida Drive near Sherbrook Drive." +113402,678914,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-27 13:41:00,CST-6,2017-03-27 13:41:00,0,0,0,0,,NaN,,NaN,34.3104,-86.3212,34.3104,-86.3212,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Hail up to half dollar sized was reported on Spring Creek Drive in Guntersville." +113402,678915,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-27 13:41:00,CST-6,2017-03-27 13:41:00,0,0,0,0,,NaN,,NaN,34.35,-86.28,34.35,-86.28,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Golf ball sized hail was reported on the east side of Guntersville." +113402,678916,ALABAMA,2017,March,Funnel Cloud,"FRANKLIN",2017-03-27 14:36:00,CST-6,2017-03-27 14:36:00,0,0,0,0,,NaN,,NaN,34.41,-87.9,34.41,-87.9,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","A funnel cloud descended from a wall cloud." +113402,678918,ALABAMA,2017,March,Hail,"FRANKLIN",2017-03-27 15:07:00,CST-6,2017-03-27 15:07:00,0,0,0,0,,NaN,,NaN,34.3763,-88.0589,34.3763,-88.0589,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported at the intersection of CR 23 and Alabama Highway 19 in Vina." +113402,678919,ALABAMA,2017,March,Hail,"LAWRENCE",2017-03-27 15:16:00,CST-6,2017-03-27 15:16:00,0,0,0,0,,NaN,,NaN,34.58,-87.41,34.58,-87.41,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +113402,678920,ALABAMA,2017,March,Hail,"LAWRENCE",2017-03-27 15:16:00,CST-6,2017-03-27 15:16:00,0,0,0,0,,NaN,,NaN,34.57,-87.42,34.57,-87.42,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +121050,725129,MAINE,2017,October,High Wind,"KNOX",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725130,MAINE,2017,October,High Wind,"LINCOLN",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +113402,678929,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-27 18:06:00,CST-6,2017-03-27 18:06:00,0,0,0,0,,NaN,,NaN,34.14,-86.31,34.14,-86.31,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Several trees were knocked down." +121050,725137,MAINE,2017,October,High Wind,"SOUTHERN SOMERSET",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121051,725145,NEW HAMPSHIRE,2017,October,High Wind,"NORTHERN COOS",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725146,NEW HAMPSHIRE,2017,October,High Wind,"NORTHERN GRAFTON",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725148,NEW HAMPSHIRE,2017,October,High Wind,"SOUTHERN COOS",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725149,NEW HAMPSHIRE,2017,October,High Wind,"SOUTHERN GRAFTON",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725151,NEW HAMPSHIRE,2017,October,High Wind,"SULLIVAN",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725152,NEW HAMPSHIRE,2017,October,High Wind,"WESTERN AND CENTRAL HILLSBOROUGH",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +116817,702491,IDAHO,2017,May,Thunderstorm Wind,"CANYON",2017-05-05 05:00:00,MST-7,2017-05-05 05:30:00,0,0,0,0,0.00K,0,0.00K,0,43.78,-116.95,43.8525,-116.8451,"A strong upper low moved through the Inter mountain West kicking off strong to severe thunderstorms across parts of Southwest Idaho.","Social media reported a 60 foot tall Blue Spruce tree was uprooted near Parma." +120439,721548,ALASKA,2017,October,High Surf,"CHUKCHI SEA COAST",2017-10-01 00:00:00,AKST-9,2017-10-01 20:18:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds 25 to 40 mph with gusts to 50 mph created high surf and minor beach erosion for the coastal areas near Kivalina and Point Hope. Waves and surf built to 3 to 8 feet offshore with runup above the normal high tide line.","" +120441,721550,ALASKA,2017,October,High Surf,"CHUKCHI SEA COAST",2017-10-08 20:00:00,AKST-9,2017-10-09 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong westerly winds 25 to 40 mph created high surf and minor beach erosion for the coastal areas near Kivalina and Point Hope and Shishmaref. Waves and surf built to 3 to 5 feet offshore with runup above the normal high tide line.","" +121159,725315,ALASKA,2017,October,High Wind,"NE. SLOPES OF THE ERN AK RNG",2017-10-04 00:00:00,AKST-9,2017-10-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient developed in channeled areas of the Alaska range on the 4th of October. | ||zone 226: Peak wind gust of 66 kt (76 mph) reported at Edge Creek mesonet site.","" +117519,706849,CALIFORNIA,2017,June,Heavy Rain,"MARIPOSA",2017-06-11 16:00:00,PST-8,2017-06-12 07:25:00,0,0,0,0,0.00K,0,0.00K,0,37.47,-119.74,37.47,-119.74,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","A spotter in Ponderosa Basin reported 24 hour rainfall total of 1.00. Most of this fell during the evening of June 11 through the early morning of June 12." +121207,725596,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,200.00K,200000,0.00K,0,43.87,-71.9,43.8769,-71.9222,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in flash flooding and road washouts in Wentworth. A campground on the Baker River was completely flooded." +121207,725597,NEW HAMPSHIRE,2017,October,Flash Flood,"GRAFTON",2017-10-30 04:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,150.00K,150000,0.00K,0,43.82,-71.8,43.8292,-71.8456,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches resulted in many road washouts and flash flooding in Rumney. A campground on the Baker River was completely flooded." +121205,725577,NEW HAMPSHIRE,2017,October,Flash Flood,"COOS",2017-10-30 03:30:00,EST-5,2017-10-30 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,44.3,-71.53,44.2794,-71.5536,"Intense low pressure moving north through the Hudson Valley swept up the remains of tropical storm Philippe on the morning of the 30th. Strong southeast flow east of this system across New Hampshire enhanced rainfall on the eastern slopes of the White Mountains resulting in widespread flash flooding. Many roads were flooded and washed out after 3 to 6 inches of rain fell in less than 12 hours.","Very heavy rain of 3 to 6 inches in less than 12 hours resulted in numerous flooded roads and washouts in Carroll." +118251,710648,MISSOURI,2017,June,Hail,"WORTH",2017-06-28 17:35:00,CST-6,2017-06-28 17:36:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-94.48,40.44,-94.48,"On the evening of June 28 a complex of supercell thunderstorms moved into northern Missouri, producing widespread large hail and damaging winds, mainly north of Interstate 70. These storms also produced at least 3 tornadoes, all north of Highway 36. The strongest damage was located in Harrison County where some low-end EF-1 damage to a residence occurred. Otherwise, the damage was confined to tree damage to rural parts of Harrison, Gentry, and Nodaway Counties. Heavy rain and slow movement of the complex contributed to some flash flooding across northern Missouri. There were no known injuries with this evening's event.","" +117902,708926,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:25:00,CST-6,2017-06-17 20:28:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-94.48,39.05,-94.48,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 70-80 mph wind. Power flashes occurred at the BP station across from Kauffman Stadium." +117902,708927,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:29:00,CST-6,2017-06-17 20:32:00,0,0,0,0,0.00K,0,0.00K,0,39.2,-94.55,39.2,-94.55,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60-70 mph wind with some small trees down." +117902,708928,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:34:00,CST-6,2017-06-17 20:37:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.4,39.04,-94.4,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +117902,708929,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:40:00,CST-6,2017-06-17 20:43:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.26,39.04,-94.26,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A trained spotter reported a 60 mph wind." +121162,725383,OKLAHOMA,2017,October,Tornado,"CADDO",2017-10-21 18:23:00,CST-6,2017-10-21 18:28:00,0,0,0,0,3.00K,3000,0.00K,0,34.9673,-98.1469,34.9862,-98.0948,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","Trees were snapped near the intersection of County Roads 1410 and 2720, and again along County Road 1400 just a few hundred yards west of the Caddo-Grady County line. No damage was noted along or east of the county line in Grady County." +117902,708878,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:29:00,CST-6,2017-06-17 20:32:00,0,0,0,0,0.00K,0,0.00K,0,39.04,-94.4,39.04,-94.4,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Several 4 to 6 inch tree limbs were blocking 44th Street at Phelps Road." +117902,708879,MISSOURI,2017,June,Thunderstorm Wind,"CLAY",2017-06-17 20:30:00,CST-6,2017-06-17 20:33:00,0,0,0,0,,NaN,,NaN,39.2,-94.57,39.2,-94.57,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A transformer was blown in Oakwood Park." +120559,722256,COLORADO,2017,October,Hail,"CHEYENNE",2017-10-06 14:22:00,MST-7,2017-10-06 14:22:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-102.3521,38.92,-102.3521,"A line of eastward moving thunderstorms in Cheyenne County produced wind gusts estimated at 80 MPH, blowing down 3-4 inch diameter tree limbs in Cheyenne Wells. The same line of storms also produced ping-pong ball size hail in Arapahoe. Later in the evening behind the initial round of storms, a wind gust of 62 MPH was measured at Kit Carson from a downburst associated with weak showers moving through.","" +120559,722257,COLORADO,2017,October,Hail,"CHEYENNE",2017-10-06 14:36:00,MST-7,2017-10-06 14:39:00,0,0,0,0,,NaN,0.00K,0,38.8528,-102.177,38.8528,-102.177,"A line of eastward moving thunderstorms in Cheyenne County produced wind gusts estimated at 80 MPH, blowing down 3-4 inch diameter tree limbs in Cheyenne Wells. The same line of storms also produced ping-pong ball size hail in Arapahoe. Later in the evening behind the initial round of storms, a wind gust of 62 MPH was measured at Kit Carson from a downburst associated with weak showers moving through.","Numerous reports of ping-pong ball size hail were received. There were also reports of hail larger than ping-pong ball falling, but no size was mentioned. Many windows were broken in houses around town from the hail." +120559,722265,COLORADO,2017,October,Thunderstorm Wind,"CHEYENNE",2017-10-06 18:00:00,MST-7,2017-10-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7654,-102.7924,38.7654,-102.7924,"A line of eastward moving thunderstorms in Cheyenne County produced wind gusts estimated at 80 MPH, blowing down 3-4 inch diameter tree limbs in Cheyenne Wells. The same line of storms also produced ping-pong ball size hail in Arapahoe. Later in the evening behind the initial round of storms, a wind gust of 62 MPH was measured at Kit Carson from a downburst associated with weak showers moving through.","" +121786,729711,ARKANSAS,2017,December,Flash Flood,"CLARK",2017-12-22 09:00:00,CST-6,2017-12-22 11:00:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-93.15,33.9081,-93.1661,"Heavy rains brought flooding in the latter part of December 2017.","Water was over roads." +116301,712746,MINNESOTA,2017,July,Hail,"SIBLEY",2017-07-09 20:10:00,CST-6,2017-07-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,44.49,-94.39,44.49,-94.39,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +118651,712849,COLORADO,2017,July,Heavy Rain,"ARCHULETA",2017-07-21 15:30:00,MST-7,2017-07-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-107.09,37.25,-107.09,"Monsoonal moisture continued to flow into the region which led to another round of scattered to numerous showers and thunderstorms that produced heavy rain in portions of western Colorado.","A three-hour rainfall event produced 0.65 of an inch of rain and pea-sized hail." +116341,704436,NORTH CAROLINA,2017,May,Tornado,"BERTIE",2017-05-05 06:27:00,EST-5,2017-05-05 06:33:00,0,0,0,0,5.00K,5000,0.00K,0,36.0815,-76.7552,36.1311,-76.7302,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and two tornadoes across portions of northeast North Carolina.","The initial tornado touchdown occurred in eastern Bertie county along Blackrock Road, snapping the tops out of trees and uprooting a few other trees as it moved northeast towards the Chowan River. Wind speeds in Bertie county were estimated around 60 to 70 mph. The tornado then tracked northeast across the Chowan River and entering Chowan county along Tynch Town Road." +119112,715359,COLORADO,2017,July,Heavy Rain,"MONTROSE",2017-07-25 15:45:00,MST-7,2017-07-25 16:15:00,0,0,0,0,0.00K,0,0.00K,0,38.4801,-107.8399,38.4801,-107.8399,"Subtropical moisture remained over western Colorado and resulted in numerous showers and thunderstorms, some with heavy rainfall which led to flash flooding.","A total of 0.50 of an inch of rain fell within 30 minutes." +120229,720328,ATLANTIC NORTH,2017,August,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-08-19 00:10:00,EST-5,2017-08-19 00:10:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms in advance of a cold front produced gusty winds across portions of the Chesapeake Bay and the Virginia Coastal Waters.","Wind gust of 39 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +119194,719016,ARIZONA,2017,July,Thunderstorm Wind,"YAVAPAI",2017-07-16 20:17:00,MST-7,2017-07-16 20:17:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-111.68,34.36,-111.68,"Strong high pressure was in a favorable position to bring deep monsoon moisture over northern Arizona which allowed strong to severe thunderstorms to form.","A Remote Automated Weather Station (RAWS) reported a 59 MPH wind gust." +116154,698105,ARKANSAS,2017,April,Flood,"RANDOLPH",2017-04-30 12:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,36.4953,-91.2212,36.2454,-91.1467,"Very heavy rain fell across the Eleven Point River basin in Missouri at the end of April. As a result flooding along the Eleven Point River in Randolph County occurred on April 30th.","Major flooding occurred along the Eleven Point River. State Highway 90 closed with flooding between Dalton and Ravenden Springs. Campgrounds along the river were impacted. Many roads in Randolph County were flooded. Extensive agricultural acreage inundated." +114047,689701,IOWA,2017,March,Thunderstorm Wind,"DELAWARE",2017-03-06 21:20:00,CST-6,2017-03-06 21:20:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.45,42.47,-91.45,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Iowa Department of Transportation road sensor measured this wind gust." +114047,689715,IOWA,2017,March,Thunderstorm Wind,"JONES",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,0.00K,0,0.00K,0,42.24,-91.19,42.24,-91.19,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This measurement was at the Monticello AWOS site." +115890,702425,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 13:47:00,EST-5,2017-05-01 13:47:00,0,0,0,0,0.10K,100,0.00K,0,40.348,-80.0223,40.348,-80.0223,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported a large limb down along Roberts Drive." +117457,706414,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:50:00,CST-6,2017-06-16 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-97.7,41.51,-97.7,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706415,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 17:54:00,CST-6,2017-06-16 17:54:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-97.6,41.47,-97.6,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,710985,NEBRASKA,2017,June,Thunderstorm Wind,"SAUNDERS",2017-06-16 18:53:00,CST-6,2017-06-16 18:53:00,0,0,0,0,,NaN,,NaN,41.003,-96.3965,41.003,-96.3965,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Numerous trees were blown down and damage to the country club building occurred from damaging winds." +115901,696461,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-19 16:27:00,EST-5,2017-05-19 16:27:00,0,0,0,0,2.50K,2500,0.00K,0,39.96,-79.7,39.96,-79.7,"Shortwave crossing a stalled boundary across the region helped to initiate isolated strong to severe storms on the 19th. There were a few reports of trees down in eastern Ohio and southwestern Pennsylvania.","Local 911 reported trees down." +115901,696462,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FAYETTE",2017-05-19 16:27:00,EST-5,2017-05-19 16:27:00,0,0,0,0,0.50K,500,0.00K,0,40,-79.84,40,-79.84,"Shortwave crossing a stalled boundary across the region helped to initiate isolated strong to severe storms on the 19th. There were a few reports of trees down in eastern Ohio and southwestern Pennsylvania.","Local 911 center reported a tree down." +115903,696464,OHIO,2017,May,Thunderstorm Wind,"NOBLE",2017-05-19 18:42:00,EST-5,2017-05-19 18:42:00,0,0,0,0,0.50K,500,0.00K,0,39.6882,-81.4972,39.6882,-81.4972,"Shortwave crossing a stalled boundary across the region helped to initiate isolated strong to severe storms on the 19th. There were a few reports of trees down in eastern Ohio and southwestern Pennsylvania.","Law enforcement reported a tree down blocking one lane of state route 821." +115906,702416,PENNSYLVANIA,2017,May,Hail,"FAYETTE",2017-05-30 11:54:00,EST-5,2017-05-30 11:54:00,0,0,0,0,0.00K,0,0.00K,0,39.98,-79.61,39.98,-79.61,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115906,702417,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 12:03:00,EST-5,2017-05-30 12:03:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-78.91,41.08,-78.91,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +116519,702818,IOWA,2017,May,Hail,"VAN BUREN",2017-05-10 13:30:00,CST-6,2017-05-10 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-91.96,40.87,-91.96,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","Spotter reported a few stones up to the size of quarters." +116519,702819,IOWA,2017,May,Hail,"VAN BUREN",2017-05-10 13:35:00,CST-6,2017-05-10 13:35:00,0,0,0,0,0.00K,0,0.00K,0,40.86,-91.83,40.86,-91.83,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","This report was relayed from the local observer from a neighbor." +116519,702821,IOWA,2017,May,Hail,"VAN BUREN",2017-05-10 14:15:00,CST-6,2017-05-10 14:15:00,0,0,0,0,0.00K,0,0.00K,0,40.86,-91.96,40.86,-91.96,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","" +116519,702884,IOWA,2017,May,Thunderstorm Wind,"VAN BUREN",2017-05-10 14:16:00,CST-6,2017-05-10 14:16:00,0,0,0,0,0.00K,0,0.00K,0,40.87,-91.96,40.87,-91.96,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","A trained spotter reported wind gusts up to 60 MPH." +116519,702822,IOWA,2017,May,Hail,"HENRY",2017-05-10 15:13:00,CST-6,2017-05-10 15:13:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-91.43,40.89,-91.43,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","" +117457,711004,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:05:00,CST-6,2017-06-16 20:05:00,0,0,0,0,,NaN,,NaN,40.46,-96.85,40.46,-96.85,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A mobile home lost it's roof on the north side of Clatonia." +115905,704936,PENNSYLVANIA,2017,May,Flood,"MERCER",2017-05-28 20:19:00,EST-5,2017-05-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,41.424,-80.3878,41.398,-80.3672,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","Emergency manager reported many roads closed around the city of Greenville due to high water. Some debris was scattered across several roads." +115905,704938,PENNSYLVANIA,2017,May,Flood,"INDIANA",2017-05-29 02:48:00,EST-5,2017-05-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6915,-78.9933,40.689,-78.9669,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","State official reported that Wandin Road and State Route 286 were flooding in Green Township." +115892,701013,WEST VIRGINIA,2017,May,Thunderstorm Wind,"MARION",2017-05-01 14:08:00,EST-5,2017-05-01 14:08:00,0,0,0,0,2.00K,2000,0.00K,0,39.48,-80.15,39.48,-80.15,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A trained spotter reported a large tree and large limbs greater than 2 inches down." +115359,693628,MISSISSIPPI,2017,April,Tornado,"CALHOUN",2017-04-30 09:26:00,CST-6,2017-04-30 09:29:00,0,0,0,0,200.00K,200000,0.00K,0,33.738,-89.4414,33.7774,-89.4486,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","The tornado damaged and destroyed several outbuildings and uprooted and snalled numerous trees sporadically along the path. Peak wind estimated at 90 to 95 mph." +117457,706403,NEBRASKA,2017,June,Hail,"ANTELOPE",2017-06-16 15:23:00,CST-6,2017-06-16 15:23:00,0,0,0,0,0.00K,0,0.00K,0,42.34,-97.97,42.34,-97.97,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706405,NEBRASKA,2017,June,Hail,"ANTELOPE",2017-06-16 15:58:00,CST-6,2017-06-16 15:58:00,0,0,0,0,0.00K,0,0.00K,0,42.18,-97.93,42.18,-97.93,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +114263,684563,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-07 14:20:00,MST-7,2017-05-07 14:20:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-105.24,39.76,-105.24,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","" +114263,684564,COLORADO,2017,May,Thunderstorm Wind,"ADAMS",2017-05-07 14:45:00,MST-7,2017-05-07 14:45:00,0,0,0,0,,NaN,,NaN,39.87,-105.02,39.87,-105.02,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","Intense thunderstorm winds downed several power poles." +116558,700876,WEST VIRGINIA,2017,May,Flash Flood,"MERCER",2017-05-20 16:00:00,EST-5,2017-05-20 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.399,-81.1709,37.3986,-81.1692,"Thunderstorms brought rainfall totals of 1 to 2 inches in a short period over parts of Mercer County and isolated flash flooding.","Some flash flooding in the Lashmeet and Lakebottom areas of Mercer County trapped a pregnant mother and her young child in their car until help could arrive just minutes later. Rescue workers were dispatched to Sweetgrass Court, off Rock River Rd. where they found a small sedan trapped in moving high water. The officers were able to wade through the water about 2 to 3 feet in depth and rushing across the road and remove the occupants, carrying them to safety." +116535,700770,VIRGINIA,2017,May,Heavy Rain,"CARROLL",2017-05-18 16:30:00,EST-5,2017-05-18 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.79,-80.59,36.79,-80.59,"The evening of May 18th saw one of the more impressive flash flood events of the month as several strong to severe thunderstorms tracked across eastern Carroll County, VA. Several rounds of very heavy rainfall were observed across the Big Reed Island Creek watershed between Dugspur and Hillsville with various radar estimates of about 4 to 6+ inches of rain in about 3 hours. No rain gages were available in this area to provide a check on the radar estimates, but both Dual-Pol and Multi-Radar/Multi-Sensor rain estimates were roughly 5-6 inches. Several flooding reports and mudslides reports were received very quickly. Emergency management officials in the county later reported that the flash flooding was the ���worst in living memory��� according to several residents in the area. An approximate 1.5 mile stretch of Highway 221 was shut down due to 3 separate mud slides and 2 areas where Big Reed Island Creek was over the road to a depth of 4-5 feet at its peak.��Fortunately, there were no injuries and only a single box culvert sustained significant damage.","Training thunderstorms produced 4 inches of rain in a few hours at a private residence along Nester School Road near Dugspur." +116566,700972,VIRGINIA,2017,May,Heavy Rain,"ROCKBRIDGE",2017-05-20 16:45:00,EST-5,2017-05-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.6198,-79.4371,37.6198,-79.4371,"Thunderstorms were scattered across the mountains of southwest Virginia from mid-afternoon into the evening. With a very moist air mass in place some of the storms produced pockets of heavy rainfall and some flash flooding. A slow-moving cell just south of Grayson Highlands State Park produced rainfall of 3 to 4 inches in about two-hours or close to the 100-year annual recurrence interval (0.01 annual exceedance probability). Rainfall was more in the 2 to 3 inch range in several hours over western Craig County.","A COOP observer reported 2.39 inches of rain in Glasgow most of which fell between 445 PM and 600 PM EST. The 24-hour total ending at 0800 EST on the 21st was 2.53 inches which was the 10th wettest day in May on record (since 1967)." +115946,696751,SOUTH CAROLINA,2017,May,Tornado,"SALUDA",2017-05-24 13:40:00,EST-5,2017-05-24 13:47:00,0,0,0,0,,NaN,,NaN,33.99,-81.88,34.02,-81.85,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","An NWS Storm Survey Team determined that a tornado touched down near Fruit Hill Road just north of Highway 378. Then continued northeast crossing Henley Road and Old Charleston Road. The tornado produced EF-0 and EF-1 damage, traveling a total of 3 miles before lifting near the intersection of Old Chappell Ferry Road and Simmons Road. Numerous trees were either snapped or uprooted along the damage path and sheet metal was lifted off the roof of a small outbuilding. The strongest wind speeds of up to 110 mph occurred on Fruit Hill Road where 2 cedar trees were snapped at the trunks and thrown up to 20 yards." +115946,702809,SOUTH CAROLINA,2017,May,Flash Flood,"SALUDA",2017-05-24 14:14:00,EST-5,2017-05-24 14:44:00,0,0,0,0,0.10K,100,0.10K,100,34.0507,-81.7991,34.0517,-81.7968,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Heavy rain caused street flooding on Medical Park Rd. Road was closed temporarily." +116319,699429,VIRGINIA,2017,May,Thunderstorm Wind,"SMYTH",2017-05-24 13:44:00,EST-5,2017-05-24 13:44:00,0,0,0,0,0.50K,500,0.00K,0,36.92,-81.63,36.92,-81.63,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds downed numerous large tree limbs resulting in the loss of power." +116319,699430,VIRGINIA,2017,May,Thunderstorm Wind,"SMYTH",2017-05-24 13:55:00,EST-5,2017-05-24 13:55:00,0,0,0,0,0.50K,500,0.00K,0,36.94,-81.53,36.94,-81.53,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds downed a tree near the intersection of Route 16 and Route 610." +121142,725232,WEST VIRGINIA,2017,October,Frost/Freeze,"EASTERN GRANT",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121142,725233,WEST VIRGINIA,2017,October,Frost/Freeze,"WESTERN PENDLETON",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121141,725235,VIRGINIA,2017,October,Frost/Freeze,"EASTERN HIGHLAND",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121141,725236,VIRGINIA,2017,October,Frost/Freeze,"WESTERN HIGHLAND",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121142,725237,WEST VIRGINIA,2017,October,Frost/Freeze,"EASTERN MINERAL",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121142,725238,WEST VIRGINIA,2017,October,Frost/Freeze,"WESTERN MINERAL",2017-10-16 23:00:00,EST-5,2017-10-17 07:32:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121144,725241,VIRGINIA,2017,October,Frost/Freeze,"AUGUSTA",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121144,725242,VIRGINIA,2017,October,Frost/Freeze,"ROCKINGHAM",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121144,725243,VIRGINIA,2017,October,Frost/Freeze,"SHENANDOAH",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121145,725245,WEST VIRGINIA,2017,October,Frost/Freeze,"HAMPSHIRE",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121145,725246,WEST VIRGINIA,2017,October,Frost/Freeze,"HARDY",2017-10-18 00:00:00,EST-5,2017-10-18 07:45:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121146,725247,MARYLAND,2017,October,Frost/Freeze,"WASHINGTON",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725248,VIRGINIA,2017,October,Frost/Freeze,"FREDERICK",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +116892,702856,IOWA,2017,May,Hail,"HENRY",2017-05-17 18:40:00,CST-6,2017-05-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +117063,704224,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:12:00,EST-5,2017-05-05 03:12:00,0,0,0,0,0.50K,500,0.00K,0,36.7469,-79.4412,36.7469,-79.4412,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm wind gusts brought a tree down along Dryfork Road." +117063,704225,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:14:00,EST-5,2017-05-05 03:14:00,0,0,0,0,0.50K,500,0.00K,0,36.7394,-79.3485,36.7394,-79.3485,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds brought a tree down along Spring Garden Road." +117063,704226,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-05 03:42:00,EST-5,2017-05-05 03:42:00,0,0,0,0,0.50K,500,0.00K,0,37.1012,-79.2903,37.1012,-79.2903,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm wind gusts brought down a tree across East Hurt Road." +117063,704228,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 03:53:00,EST-5,2017-05-05 03:53:00,0,0,0,0,0.50K,500,0.00K,0,36.8096,-78.9124,36.8096,-78.9124,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm wind gusts downed a tree along Howard P Anderson Road near the intersection with Winns Creek Road." +121212,725696,KANSAS,2017,October,Hail,"NESS",2017-10-06 17:08:00,CST-6,2017-10-06 17:08:00,0,0,0,0,,NaN,,NaN,38.31,-99.68,38.31,-99.68,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725697,KANSAS,2017,October,Hail,"RUSH",2017-10-06 17:27:00,CST-6,2017-10-06 17:27:00,0,0,0,0,,NaN,,NaN,38.38,-99.49,38.38,-99.49,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725698,KANSAS,2017,October,Hail,"HASKELL",2017-10-06 18:08:00,CST-6,2017-10-06 18:08:00,0,0,0,0,,NaN,,NaN,37.66,-100.95,37.66,-100.95,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +121212,725699,KANSAS,2017,October,Hail,"HASKELL",2017-10-06 18:13:00,CST-6,2017-10-06 18:13:00,0,0,0,0,,NaN,,NaN,37.69,-100.87,37.69,-100.87,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","" +120074,721789,MISSOURI,2017,October,Thunderstorm Wind,"GREENE",2017-10-21 23:40:00,CST-6,2017-10-21 23:40:00,0,0,0,0,5.00K,5000,0.00K,0,37.26,-93.3,37.26,-93.3,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A silo was destroyed at the Ozark Empire Fairgrounds. Time was estimated by radar." +120074,721790,MISSOURI,2017,October,Thunderstorm Wind,"GREENE",2017-10-21 23:42:00,CST-6,2017-10-21 23:42:00,0,0,0,0,1.00K,1000,0.00K,0,37.24,-93.3,37.24,-93.3,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A power line was blown down near Missouri Street and Kearney in north Springfield." +120074,721792,MISSOURI,2017,October,Thunderstorm Wind,"TANEY",2017-10-22 00:27:00,CST-6,2017-10-22 00:27:00,0,0,0,0,0.00K,0,0.00K,0,36.68,-93.12,36.68,-93.12,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","Three trees were blown down in Forsyth." +120074,721794,MISSOURI,2017,October,Thunderstorm Wind,"LACLEDE",2017-10-22 01:30:00,CST-6,2017-10-22 01:30:00,0,0,0,0,0.00K,0,0.00K,0,37.61,-92.38,37.61,-92.38,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","Several trees were blown down in the southern portion of Laclede County including the Falcon and Competition area." +120074,721795,MISSOURI,2017,October,Thunderstorm Wind,"HOWELL",2017-10-22 02:33:00,CST-6,2017-10-22 02:33:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-91.97,36.55,-91.97,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A tree was blown down on E Highway just north of Moody in Howell County." +120074,721796,MISSOURI,2017,October,Thunderstorm Wind,"VERNON",2017-10-21 21:30:00,CST-6,2017-10-21 21:30:00,0,0,0,0,0.00K,0,0.00K,0,38,-94.37,38,-94.37,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","Fire department estimated wind gusts up to 60 mph." +120074,721797,MISSOURI,2017,October,Thunderstorm Wind,"GREENE",2017-10-22 00:16:00,CST-6,2017-10-22 00:16:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-93.14,37.38,-93.14,"A strong cold front developed a line of severe thunderstorms which produced multiple reports of wind damage across the Missouri Ozarks.","A wind gust of 61 mph was measured on the south side of Fair Grove." +120450,721650,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-10-16 19:55:00,EST-5,2017-10-16 19:55:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"Strong winds associated with pre-frontal thunderstorms moved across the local Florida Atlantic waters during the afternoon.","A wind gust of 42 mph was measured at Buck Island." +120450,721651,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-10-16 20:15:00,EST-5,2017-10-16 20:15:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-81.39,30.3,-81.39,"Strong winds associated with pre-frontal thunderstorms moved across the local Florida Atlantic waters during the afternoon.","A WeatherFlow station at the Jacksonville Beach Pier measured a wind gust of 42 mph." +120795,723522,ILLINOIS,2017,October,Flood,"DE KALB",2017-10-14 21:30:00,CST-6,2017-10-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6313,-88.6959,41.6366,-88.6959,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Two feet of water was reported on Route 34." +120795,723523,ILLINOIS,2017,October,Flash Flood,"DU PAGE",2017-10-14 21:30:00,CST-6,2017-10-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,41.726,-88.2649,41.7953,-88.2649,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Numerous roads throughout Naperville were flooded." +120176,720100,LOUISIANA,2017,October,Heavy Rain,"EAST BATON ROUGE",2017-10-21 06:00:00,CST-6,2017-10-22 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-91.25,30.69,-91.25,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A COCORAHS site 6 miles west-northwest of Zachary measured 5.24 inches of rain in a 24 hour period." +120176,720101,LOUISIANA,2017,October,Heavy Rain,"POINTE COUPEE",2017-10-21 06:00:00,CST-6,2017-10-22 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.69,-91.45,30.69,-91.45,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A 24 hour rainfall total at New Roads Airport of 9.64 inches. Most of the rain fell between 8 pm CDT and 4 am CDT." +120176,720103,LOUISIANA,2017,October,Heavy Rain,"WEST FELICIANA",2017-10-21 06:00:00,CST-6,2017-10-22 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.78,-91.38,30.78,-91.38,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The 7 am 24 hour rainfall total from an Army Corps of Engineers site at St. Francisville was 7.37 inches, most falling during the overnight period." +120176,720104,LOUISIANA,2017,October,Heavy Rain,"WEST FELICIANA",2017-10-21 06:40:00,CST-6,2017-10-22 06:40:00,0,0,0,0,0.00K,0,0.00K,0,30.89,-91.37,30.89,-91.37,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A 24 hour rainfall total of 7.68 inches was received from a COCORAHS observer 1 mile west-northwest of Wakefield." +120491,721877,MINNESOTA,2017,October,High Wind,"WILKIN",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721879,MINNESOTA,2017,October,High Wind,"GRANT",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120491,721878,MINNESOTA,2017,October,High Wind,"WEST OTTER TAIL",2017-10-26 06:00:00,CST-6,2017-10-26 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the early evening of Wednesday, October 25, 2017, an area of low pressure was located over northwest North Dakota. Ahead of the low, temperatures ranged in the mid 40s to low 50s with southeast winds. Just after midnight on the 26th, the low had moved right over the Grand Forks area, surrounded by fairly light winds. However, just to the west, around the Devils Lake region, winds had switched around to the north to northwest and quickly increased. These gusty north winds spread into the rest of eastern North Dakota and the Red River Valley in the early morning hours and remained high throughout most of the day. Winds gusted up to 65 mph with high sustained wind speeds as well.","" +120513,722112,MASSACHUSETTS,2017,October,High Wind,"SOUTHEAST MIDDLESEX",2017-10-24 11:56:00,EST-5,2017-10-24 20:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Trees down on Willard Street, Washington Street, and on Cherry Street at Jerome Avenue in Newton; on the Mystic Valley Parkway at Whole Foods in Medford; at Water Street in Woburn; on Spring Valley Road at Stony Brook Road in Belmont; and on Cutter Hill Road in Arlington." +120117,719739,MISSOURI,2017,October,Hail,"ANDREW",2017-10-21 16:40:00,CST-6,2017-10-21 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.95,-94.84,39.95,-94.84,"A storm produced a nickel-sized hail stone.","" +120852,723593,MICHIGAN,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-07 21:00:00,EST-5,2017-10-07 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-84.07,42.56,-84.07,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Trees reported blown down, along with siding off a house." +120852,723594,MICHIGAN,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-07 21:06:00,EST-5,2017-10-07 21:06:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-83.95,42.62,-83.95,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Numerous tree limbs reported down, up to 15 inches in diameter." +120852,723602,MICHIGAN,2017,October,Thunderstorm Wind,"GENESEE",2017-10-07 21:08:00,EST-5,2017-10-07 21:08:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-83.84,43.06,-83.84,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down onto a house." +120852,723606,MICHIGAN,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-07 21:10:00,EST-5,2017-10-07 21:10:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-83.94,42.62,-83.94,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Multiple large trees down." +120852,723607,MICHIGAN,2017,October,Thunderstorm Wind,"GENESEE",2017-10-07 21:23:00,EST-5,2017-10-07 21:23:00,0,0,0,0,0.00K,0,0.00K,0,42.8,-83.71,42.8,-83.71,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Large tree reported blown down." +120852,723613,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:36:00,EST-5,2017-10-07 21:36:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-83.6,41.74,-83.6,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723615,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:37:00,EST-5,2017-10-07 21:37:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-83.67,42.01,-83.67,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723616,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:39:00,EST-5,2017-10-07 21:39:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-83.62,41.95,-83.62,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723617,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:42:00,EST-5,2017-10-07 21:42:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-83.57,41.85,-83.57,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723618,MICHIGAN,2017,October,Thunderstorm Wind,"TUSCOLA",2017-10-07 21:46:00,EST-5,2017-10-07 21:46:00,0,0,0,0,0.00K,0,0.00K,0,43.49,-83.4,43.49,-83.4,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Numerous trees and power lines reported down across the county." +121190,725473,KANSAS,2017,October,Thunderstorm Wind,"POTTAWATOMIE",2017-10-14 16:12:00,CST-6,2017-10-14 16:13:00,0,0,0,0,,NaN,,NaN,39.2,-96.3,39.2,-96.3,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Large tree was blown down on Valley Street in southeast Wamego." +121190,725474,KANSAS,2017,October,Thunderstorm Wind,"FRANKLIN",2017-10-14 16:19:00,CST-6,2017-10-14 16:20:00,0,0,0,0,,NaN,,NaN,38.61,-95.27,38.61,-95.27,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Social media report of a 6 inch diameter tree limb down. Dispatch relayed multiple tree limbs and power lines down within the city. Time was estimated by radar." +121190,725475,KANSAS,2017,October,Thunderstorm Wind,"COFFEY",2017-10-14 17:08:00,CST-6,2017-10-14 17:09:00,0,0,0,0,,NaN,,NaN,38.07,-95.94,38.07,-95.94,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Farm outbuilding was blown apart. The prior condition of the outbuilding was unknown." +121190,725476,KANSAS,2017,October,Hail,"ANDERSON",2017-10-14 17:33:00,CST-6,2017-10-14 17:34:00,0,0,0,0,,NaN,,NaN,38.28,-95.34,38.28,-95.34,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Correction to previous hail report from Garnett." +121190,725477,KANSAS,2017,October,Hail,"ANDERSON",2017-10-14 17:38:00,CST-6,2017-10-14 17:39:00,0,0,0,0,,NaN,,NaN,38.28,-95.24,38.28,-95.24,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Report was 1 mile west of Garnett." +121190,725478,KANSAS,2017,October,Thunderstorm Wind,"ANDERSON",2017-10-14 18:02:00,CST-6,2017-10-14 18:03:00,0,0,0,0,,NaN,,NaN,38.07,-95.37,38.07,-95.37,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","Relayed report of power lines down. Radar estimated time." +121190,725479,KANSAS,2017,October,Thunderstorm Wind,"ANDERSON",2017-10-14 18:08:00,CST-6,2017-10-14 18:09:00,0,0,0,0,,NaN,,NaN,38.08,-95.24,38.08,-95.24,"A broken line of thunderstorms developed across portions of central and north-central Kansas during the early afternoon. The line quickly spread eastward through the afternoon and evening hours, producing numerous large hail and damaging wind reports.","The emergency manager relayed the report of utility poles down." +121046,724663,NEW YORK,2017,October,Strong Wind,"WESTERN ULSTER",2017-10-24 13:00:00,EST-5,2017-10-24 14:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","Multiple reports of trees and wires down near the towns of Highmount and Boiceville in western Ulster county." +121046,724665,NEW YORK,2017,October,Strong Wind,"EASTERN GREENE",2017-10-24 14:30:00,EST-5,2017-10-24 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","A large tree was downed across Route 144 due to strong winds." +121046,724667,NEW YORK,2017,October,Strong Wind,"EASTERN COLUMBIA",2017-10-24 14:56:00,EST-5,2017-10-24 14:56:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system and associated cold front moved through the region during the early afternoon hours of Tuesday, October 24th, 2017. This system brought widespread damaging winds and isolated severe thunderstorm damage to southeastern New York. There were numerous reports of trees and wires downed. Wind gusts across the region ranged from 30 to 49 mph.","A broken power pole with lines down was caused by strong winds." +119620,717638,MONTANA,2017,October,Winter Storm,"CHOUTEAU",2017-10-03 04:30:00,MST-7,2017-10-03 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported along HWY 87 from Big Sandy to Box Elder." +119620,717640,MONTANA,2017,October,Winter Storm,"CHOUTEAU",2017-10-03 08:50:00,MST-7,2017-10-03 08:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Four semis blocking the road on HWY 87 near Loma Hill." +119620,717641,MONTANA,2017,October,Winter Storm,"TOOLE",2017-10-03 07:40:00,MST-7,2017-10-03 07:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Severe driving conditions reported along Interstate 15 from Sunburst to the Canadian border." +119620,717642,MONTANA,2017,October,Winter Storm,"HILL",2017-10-03 09:50:00,MST-7,2017-10-03 09:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Widespread severe driving conditions on HWY 2 in Havre and surrounding areas." +120112,719704,MISSOURI,2017,October,Thunderstorm Wind,"RAY",2017-10-14 17:18:00,CST-6,2017-10-14 17:21:00,0,0,0,0,,NaN,,NaN,39.22,-94.12,39.22,-94.12,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","Roof damage occurred to a residence near Orrick." +120112,719711,MISSOURI,2017,October,Thunderstorm Wind,"CASS",2017-10-14 17:21:00,CST-6,2017-10-14 17:24:00,0,0,0,0,0.00K,0,0.00K,0,38.64,-94.35,38.64,-94.35,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","Trees were down and debris was in the road south of Harrisonville." +120112,719715,MISSOURI,2017,October,Thunderstorm Wind,"CLAY",2017-10-14 16:15:00,CST-6,2017-10-14 16:18:00,0,0,0,0,0.00K,0,0.00K,0,39.1824,-94.5923,39.1824,-94.5923,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","An NWS Employee reported a 65 mph wind gust at the I-29 and HWY 69 interchange." +119916,718761,FLORIDA,2017,October,Storm Surge/Tide,"SOUTH WALTON",2017-10-07 13:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718777,FLORIDA,2017,October,Tropical Storm,"COASTAL GULF",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120401,721278,WASHINGTON,2017,October,High Wind,"SAN JUAN",2017-10-18 08:52:00,PST-8,2017-10-18 15:12:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind was forecast over the two coast zones and four northwest interior zones. Since this was the first event of the season, wind speeds somewhat less than typical high wind was forecast, but impacts were expected to be similar to what higher winds would cause later in the season.","Lopez Island had sustained wind of 30 mph or more from 852 AM to 312 PM. Highest sustained wind was 41 mph with a peak gust of 55 mph. This verifies the high wind warning for this first event of the season, when lower criteria for high wind are in effect." +120478,721805,PENNSYLVANIA,2017,October,Strong Wind,"DELAWARE",2017-10-24 04:27:00,EST-5,2017-10-24 04:27:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.Several thousand people lost power due to the strong winds. Trees were downed in Lower Saucon and Mount Bethel Townships in Northhampton County. Several other locations that saw wind damage in terms of downed trees include Lafayette, Sunnybrook, Kennedy House and Eagleville in Monhtgomery county, Franklinville and Fairmount in Philadelphia county and Radnor station in Delaware county. Trees and wires were taken down due to the high winds in Trinty House (Chester county). The strongest winds occured between 4 and 9 am.","Measured gust one mile west of Philadelphia." +120478,721807,PENNSYLVANIA,2017,October,Strong Wind,"MONROE",2017-10-24 04:27:00,EST-5,2017-10-24 04:27:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.Several thousand people lost power due to the strong winds. Trees were downed in Lower Saucon and Mount Bethel Townships in Northhampton County. Several other locations that saw wind damage in terms of downed trees include Lafayette, Sunnybrook, Kennedy House and Eagleville in Monhtgomery county, Franklinville and Fairmount in Philadelphia county and Radnor station in Delaware county. Trees and wires were taken down due to the high winds in Trinty House (Chester county). The strongest winds occured between 4 and 9 am.","Measured at Mount Pocono ASOS in Monroe county." +120478,721808,PENNSYLVANIA,2017,October,Strong Wind,"PHILADELPHIA",2017-10-24 04:25:00,EST-5,2017-10-24 04:25:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.Several thousand people lost power due to the strong winds. Trees were downed in Lower Saucon and Mount Bethel Townships in Northhampton County. Several other locations that saw wind damage in terms of downed trees include Lafayette, Sunnybrook, Kennedy House and Eagleville in Monhtgomery county, Franklinville and Fairmount in Philadelphia county and Radnor station in Delaware county. Trees and wires were taken down due to the high winds in Trinty House (Chester county). The strongest winds occured between 4 and 9 am.","Measured at Philadelphia International Airport." +120478,721804,PENNSYLVANIA,2017,October,Strong Wind,"BERKS",2017-10-24 04:00:00,EST-5,2017-10-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds.Several thousand people lost power due to the strong winds. Trees were downed in Lower Saucon and Mount Bethel Townships in Northhampton County. Several other locations that saw wind damage in terms of downed trees include Lafayette, Sunnybrook, Kennedy House and Eagleville in Monhtgomery county, Franklinville and Fairmount in Philadelphia county and Radnor station in Delaware county. Trees and wires were taken down due to the high winds in Trinty House (Chester county). The strongest winds occured between 4 and 9 am.","CWOP station measurement." +119993,719058,TEXAS,2017,October,Flash Flood,"GALVESTON",2017-10-20 04:30:00,CST-6,2017-10-20 05:45:00,0,0,0,0,0.00K,0,0.00K,0,29.5016,-95.1789,29.5075,-95.1078,"Heavy rains caused flooding from a north to south line of thunderstorms. Damage was caused by a tornado, thunderstorm winds and a lightning strike.","Multiple roadways were flooded and impassable, including southern I-45 feeder roads in Friendswood and League City, the intersection of West Bay Area Blvd and FM 518, and Westover Park Avenue south of FM 518." +119993,722232,TEXAS,2017,October,Lightning,"HARRIS",2017-10-20 04:15:00,CST-6,2017-10-20 04:15:00,0,0,0,0,1.00K,1000,1.00K,1000,29.6,-95.11,29.6,-95.11,"Heavy rains caused flooding from a north to south line of thunderstorms. Damage was caused by a tornado, thunderstorm winds and a lightning strike.","Lightning struck a tree and ignited a natural gas line." +120471,721767,MONTANA,2017,October,High Wind,"MISSOULA / BITTERROOT VALLEYS",2017-10-17 16:00:00,MST-7,2017-10-17 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong jet stream aloft combined with a cold front brought damaging winds to Northwest Montana and parts of west-central Montana. Mid-level winds between 70 and 80 miles per hour were four standard deviations above normal for this time of year. The majority of wind damage occurred along and behind the cold front passage in the late afternoon and evening.","Considerable power outages were reported from Florence to Victor in the Bitterroot Valley leaving thousands without power. Fallen trees were reported on roadways around Stevensville. The Missoula International Airport ASOS sensor measured a wind gust of 59 mph at 6:50 pm MDT." +120513,722169,MASSACHUSETTS,2017,October,Flood,"NORFOLK",2017-10-25 08:00:00,EST-5,2017-10-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1897,-70.9338,42.1867,-70.9355,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Weymouth beneath the highway overpass over Pleasant Street. Water depth was about one foot. A trained spotter in North Weymouth measured a Storm Total Rainfall of 2.82 inches." +120513,722172,MASSACHUSETTS,2017,October,Flood,"BARNSTABLE",2017-10-25 17:20:00,EST-5,2017-10-25 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7154,-70.2012,41.7146,-70.2012,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Apache Drive near State Route 6A in Yarmouth was flooded with a car trapped in the floodwaters. A CoCoRaHS observer at Yarmouth measured a Storm Total Rainfall of 5.41 inches." +120513,722168,MASSACHUSETTS,2017,October,Flood,"ESSEX",2017-10-25 08:00:00,EST-5,2017-10-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6325,-70.6754,42.6323,-70.6771,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Washington Street in Gloucester flooded near Captain Hooks restaurant. A CoCoRaHS observer in Gloucester measured a Storm Total Rainfall of 3.43 inches." +120513,722167,MASSACHUSETTS,2017,October,Flood,"BRISTOL",2017-10-25 07:39:00,EST-5,2017-10-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0528,-71.0774,42.0524,-71.0761,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Flooding in Easton on Belmont Street in front of the 99 Restaurant. There was a public report of a Storm Total Rainfall of 2.96 inches in nearby Brockton." +120591,722870,VERMONT,2017,October,Strong Wind,"WINDSOR",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120591,722871,VERMONT,2017,October,Strong Wind,"ORANGE",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120388,721181,OKLAHOMA,2017,October,Flood,"PAWNEE",2017-10-04 15:30:00,CST-6,2017-10-05 02:15:00,0,0,0,0,0.00K,0,0.00K,0,36.3355,-96.8005,36.3374,-96.8144,"An area of showers with embedded thunderstorms increased in coverage during the early morning hours of the 4th, developing within a very moist air mass south of a stalled frontal boundary that stretched from southeastern Kansas into northwestern Oklahoma. This activity spread across northeastern Oklahoma during the day. These thunderstorms were very efficient at producing rainfall due to precipitable water values near two inches, which was about 200 percent of normal for that time of year. Some of this thunderstorm activity produced 1.5 to 2 inches of rain per hour. Thunderstorms moving repeatedly over the same areas resulted in rainfall totals in the five to ten inch range across portions of Osage and Pawnee Counties. That heavy rainfall resulted in flash flooding, with numerous roads closed. ||The widespread heavy rainfall also resulted in main stem river flooding with Black Bear Creek at Pawnee reaching moderate flood stage.","Black Bear Creek near Pawnee rose above its flood stage of 17 feet at 4:30 pm CDT on October 4th. The river crested at 21.16 feet at 22:30 pm CDT on the 4th, resulting in moderate flooding. Agricultural lands were flooded and several roads were closed in and around Pawnee. The river fell below flood stage at 3:15 am CDT on the 5th." +120388,721205,OKLAHOMA,2017,October,Flash Flood,"PAWNEE",2017-10-04 09:43:00,CST-6,2017-10-04 11:30:00,0,0,0,0,0.00K,0,0.00K,0,36.2968,-96.7004,36.3066,-96.7432,"An area of showers with embedded thunderstorms increased in coverage during the early morning hours of the 4th, developing within a very moist air mass south of a stalled frontal boundary that stretched from southeastern Kansas into northwestern Oklahoma. This activity spread across northeastern Oklahoma during the day. These thunderstorms were very efficient at producing rainfall due to precipitable water values near two inches, which was about 200 percent of normal for that time of year. Some of this thunderstorm activity produced 1.5 to 2 inches of rain per hour. Thunderstorms moving repeatedly over the same areas resulted in rainfall totals in the five to ten inch range across portions of Osage and Pawnee Counties. That heavy rainfall resulted in flash flooding, with numerous roads closed. ||The widespread heavy rainfall also resulted in main stem river flooding with Black Bear Creek at Pawnee reaching moderate flood stage.","Portions of Highway 64 were closed between Highway 99 and Highway 18 due to flooding." +120389,721208,OKLAHOMA,2017,October,Thunderstorm Wind,"MUSKOGEE",2017-10-09 19:30:00,CST-6,2017-10-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.748,-95.6405,35.748,-95.6405,"Strong to severe thunderstorms developed into eastern Oklahoma during the evening hours of the 9th as a cold front moved into the region. The strongest storms produced damaging wind and hail.","The Oklahoma Mesonet station south of Haskell measured 63 mph thunderstorm wind gusts." +120389,721209,OKLAHOMA,2017,October,Thunderstorm Wind,"CRAIG",2017-10-09 19:49:00,CST-6,2017-10-09 19:49:00,0,0,0,0,20.00K,20000,0.00K,0,36.65,-95.2402,36.65,-95.2402,"Strong to severe thunderstorms developed into eastern Oklahoma during the evening hours of the 9th as a cold front moved into the region. The strongest storms produced damaging wind and hail.","Strong thunderstorm wind destroyed outbuildings and uprooted trees." +120884,723764,NEW YORK,2017,October,Flash Flood,"SUFFOLK",2017-10-24 20:00:00,EST-5,2017-10-24 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.8123,-73.3979,40.8121,-73.3972,"A slow moving cold front approached the area during the evening of October 24th as a wave of low pressure formed along the Mid Atlantic coast. With precipitable water values of 1.75 and higher across the region, this led to heavy rain across much of Long Island, with isolated flash flooding reported in Suffolk County. Numerous reports of 2-4 inches of rain were received across this region, with a CoCoRaHS observer measuring 3.40 inches in Commack.","A car was stuck in flood waters on Crandon Street in Melville." +120884,723765,NEW YORK,2017,October,Flash Flood,"SUFFOLK",2017-10-24 20:20:00,EST-5,2017-10-24 20:50:00,0,0,0,0,0.00K,0,0.00K,0,40.7631,-73.3214,40.7642,-73.3212,"A slow moving cold front approached the area during the evening of October 24th as a wave of low pressure formed along the Mid Atlantic coast. With precipitable water values of 1.75 and higher across the region, this led to heavy rain across much of Long Island, with isolated flash flooding reported in Suffolk County. Numerous reports of 2-4 inches of rain were received across this region, with a CoCoRaHS observer measuring 3.40 inches in Commack.","Eight to ten cars were stuck in flood waters on Long Island Avenue between Carlls Path and Commack Road in Deer Park. Water was up to the top of the doors on cars." +120966,724091,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-10-22 09:42:00,CST-6,2017-10-22 10:15:00,0,0,0,0,0.00K,0,0.00K,0,28.446,-96.396,28.4144,-96.4366,"Scattered thunderstorms along a cold front produced wind gusts between 35 to 40 knots across the coastal waters between Rockport and Port O'Connor during the morning of the 22nd.","TCOON site at Port O'Connor measured gusts to 39 knots." +120407,723380,NEW YORK,2017,October,High Wind,"SOUTHWEST SUFFOLK",2017-10-29 21:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A 67 mph gust was measured at a mesonet station at Captree State Park at 1109 pm on the 29th. Near Copiague, a mesonet station measured a wind gust to 59 mph at 1204 am on the 30th. In the town of Babylon, social media reported a wind gust to 63 mph at 1019 pm on the 29th. Also in Babylon, a downed tree on East Main Street was reported by the public at 1145 pm. Sustained winds of 41 mph were measured at Farmingdale Airport at 1041 pm, and at Islip MacArthur Airport at 1044 pn on the 29th." +120407,723382,NEW YORK,2017,October,High Wind,"SOUTHEAST SUFFOLK",2017-10-29 20:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet station near Hampton Bays measured a 67 mph wind gust at 1135 pm on the 29th. At 1215 am on the 30th, a trained spotter in Montauk measured a wind gust to 67 mph. Another mesonet station measured a wind gust to 64 mph at Hither Hills at 206 am on the 30th. A mesonet station in Mastic Beach measured a wind gust to 63 mph at 841 pm on the 29th. At 11 pm on the 29th, the broadcast media reported trees down with power outages across town." +120974,724155,FLORIDA,2017,October,Coastal Flood,"COASTAL BROWARD COUNTY",2017-10-05 07:30:00,EST-5,2017-10-05 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding during high tide lead to up to 1 foot of water covering the road in numerous locations near Dania Beach Boulevard and Ocean Drive. Reports received via social media.|Also, emergency managers reported flooding of 12 to 18 inches in various spots east of Ocean Drive in Hollywood." +120974,724156,FLORIDA,2017,October,Coastal Flood,"COASTAL PALM BEACH COUNTY",2017-10-05 07:30:00,EST-5,2017-10-05 09:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Reports received via social media of an estimated greater than 6 inches of water covering the entire width of the road on several roads during high tide in the West Palm Beach area near the intersection of Flagler Drive and 10th Street." +120974,724153,FLORIDA,2017,October,Coastal Flood,"COASTAL COLLIER COUNTY",2017-10-05 13:30:00,EST-5,2017-10-05 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding during high tide lead to 8 to 12 inches of water along the street in the Palm River Mobile Home Park in North Naples. Additional flooding occurred in East Naples along Danford Street and Frederick Street. Reports were received from Law Enforcement and social media." +120974,724152,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-07 09:00:00,EST-5,2017-10-07 10:55:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding associated with the morning high tide lead to up to 6 to 9 inches of water covering the entire street near the intersection of NE 78th Street and 10th Avenue in Miami, as well as along the Miami River in Jose Marti and Lummus Parks." +121094,724935,WYOMING,2017,October,Winter Storm,"NORTH SNOWY RANGE FOOTHILLS",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Eight inches of snow was measured nine miles west-southwest of Rock River." +121094,724936,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six and a half inches of snow was measured two miles east-northeast of Cheyenne." +121094,724937,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six inches of snow was measured three miles north-northwest of Cheyenne." +121094,724938,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE RANGE AND SOUTHWEST PLATTE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Seven inches of snow was observed 10 miles west of Chugwater." +121094,724939,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Nine inches of snow was observed 10 miles west-southwest of Cheyenne." +121094,724940,WYOMING,2017,October,Winter Storm,"LARAMIE VALLEY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Eight inches of snow was observed 25 miles southwest of Laramie." +121083,724987,FLORIDA,2017,October,Flash Flood,"OKALOOSA",2017-10-08 07:15:00,CST-6,2017-10-08 09:15:00,0,0,0,0,0.00K,0,0.00K,0,30.8086,-86.47,30.8188,-86.4744,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","Road impassable from flooding along Evergreen Parkway." +119748,718152,COLORADO,2017,October,Winter Storm,"ELKHEAD AND PARK MOUNTAINS",2017-10-01 05:00:00,MST-7,2017-10-02 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 7 to 14 inches of snow fell across the area." +119748,718153,COLORADO,2017,October,Winter Storm,"UPPER YAMPA RIVER BASIN",2017-10-01 12:00:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 6 to 12 inches of snow fell across the area." +119748,718154,COLORADO,2017,October,Winter Storm,"GORE AND ELK MOUNTAINS/CENTRAL MOUNTAIN VALLEYS",2017-10-01 00:00:00,MST-7,2017-10-02 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Snowfall amounts of 6 to 12 inches were measured across the area." +119748,718156,COLORADO,2017,October,Winter Storm,"FLATTOP MOUNTAINS",2017-10-01 16:00:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Snowfall amounts of 7 to 14 inches were measured across the area." +120871,723759,VIRGINIA,2017,October,Strong Wind,"FLOYD",2017-10-09 02:00:00,EST-5,2017-10-09 04:02:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Multiple trees were blown down due to strong winds throughout the county. Most of the downed trees were located near Buffalo Mountain Road or the Blue Ridge Parkway." +120871,723761,VIRGINIA,2017,October,Strong Wind,"ROCKBRIDGE",2017-10-09 02:00:00,EST-5,2017-10-09 05:30:00,0,0,0,0,10.00K,10000,,NaN,NaN,NaN,NaN,NaN,"The remnants of Hurricane Nate lifted northeast through the Tennessee Valley on October 8th and 9th. To the east of this system, strong winds were observed the lower levels of the atmosphere. These strong winds, coupled with a saturated ground from heavy rain, provided prime conditions for numerous trees to be blown over across southwest Virginia.","Strong winds blew over multiple trees across the county. Most of the trees fell from Collierstown and Buena Vista." +121111,725074,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"FLORENCE",2017-10-23 20:00:00,EST-5,2017-10-23 20:01:00,0,0,0,0,1.00K,1000,0.00K,0,34.0229,-79.9224,34.0229,-79.9224,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A tree was reported down on Creek Rd. The time was estimated based on radar data." +121111,725077,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"MARION",2017-10-23 20:57:00,EST-5,2017-10-23 20:58:00,0,0,0,0,1.00K,1000,0.00K,0,34.1994,-79.1904,34.1994,-79.1904,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A large tree was reportedly blocking the intersection of Hwy. 76 and Grices Ferry Ct. The time was estimated based on radar data." +121111,725085,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"MARION",2017-10-23 20:42:00,EST-5,2017-10-23 20:43:00,0,0,0,0,1.00K,1000,0.00K,0,34.2332,-79.5064,34.2332,-79.5064,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A large tree was reported down at the intersection of Laughlin Rd. and U.S. 301. The time was estimated based on radar data." +121111,725086,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"MARION",2017-10-23 20:55:00,EST-5,2017-10-23 20:56:00,0,0,0,0,1.00K,1000,0.00K,0,34.1223,-79.3835,34.1223,-79.3835,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A tree was reported down on Hwy 41 near T-Mart. The time was estimated based on radar data." +121174,725395,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-10-15 11:58:00,EST-5,2017-10-15 11:58:00,0,0,0,0,0.00K,0,0.00K,0,42.6105,-82.8318,42.6105,-82.8318,"Thunderstorms moving through Lake St. Clair produced wind gusts in excess of 40 knots.","" +121175,725400,MICHIGAN,2017,October,Thunderstorm Wind,"ST. CLAIR",2017-10-15 12:00:00,EST-5,2017-10-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.71,-82.5,42.71,-82.5,"Isolated marginal severe storms developed over Oakland, Macomb, and St. Clair Counties.","A tree was blown down onto power lines. Large tree limbs were also observed down." +121175,725401,MICHIGAN,2017,October,Thunderstorm Wind,"OAKLAND",2017-10-15 11:25:00,EST-5,2017-10-15 11:25:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-83.17,42.64,-83.17,"Isolated marginal severe storms developed over Oakland, Macomb, and St. Clair Counties.","A small tree fell onto a car." +121175,725402,MICHIGAN,2017,October,Thunderstorm Wind,"MACOMB",2017-10-15 11:42:00,EST-5,2017-10-15 11:42:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-82.82,42.68,-82.82,"Isolated marginal severe storms developed over Oakland, Macomb, and St. Clair Counties.","Power poles reported down." +120859,723632,LAKE HURON,2017,October,Marine Thunderstorm Wind,"INNER SAGINAW BAY SW OF POINT AU GRES TO BAY PORT MI",2017-10-07 21:30:00,EST-5,2017-10-07 21:30:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-83.72,43.81,-83.72,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +121136,725206,ALABAMA,2017,October,Tropical Storm,"CALHOUN",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted throughout the county due to winds of 35 to 45 mph." +119661,725418,ARIZONA,2017,October,Thunderstorm Wind,"GREENLEE",2017-10-04 15:45:00,MST-7,2017-10-04 15:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.6998,-109.0895,32.6998,-109.0895,"Isolated thunderstorms developed over and moved northeast across Greenlee and far eastern Cochise counties during the afternoon. One storm produced damaging winds near Duncan.","Thunderstorms winds downed two power poles just south of Duncan. Power was lost in Duncan for several hours as a result." +116760,704336,ARKANSAS,2017,May,Flood,"MONROE",2017-05-01 12:30:00,CST-6,2017-05-30 22:59:00,0,0,0,0,0.00K,0,0.00K,0,34.6915,-91.3203,34.6787,-91.3213,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that began in early May on the White River at Clarendon." +116760,704341,ARKANSAS,2017,May,Flood,"SALINE",2017-05-01 00:00:00,CST-6,2017-05-01 04:33:00,0,0,0,0,0.00K,0,0.00K,0,34.5705,-92.613,34.5607,-92.6242,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the Saline River at Benton." +116760,704343,ARKANSAS,2017,May,Flood,"CLARK",2017-05-01 00:00:00,CST-6,2017-05-01 10:50:00,0,0,0,0,0.00K,0,0.00K,0,34.1227,-93.0484,34.1185,-93.0465,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April caused flooding that continued into May on the Ouachita River at Arkadelphia." +116760,704353,ARKANSAS,2017,May,Flood,"CLARK",2017-05-03 17:22:00,CST-6,2017-05-04 23:16:00,0,0,0,0,0.00K,0,0.00K,0,34.1232,-93.0488,34.1187,-93.0479,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain in early May caused flooding again in early May on the Ouachita River at Arkadelphia." +116760,704358,ARKANSAS,2017,May,Flood,"OUACHITA",2017-05-01 23:30:00,CST-6,2017-05-17 06:55:00,0,0,0,0,0.00K,0,0.00K,0,33.5988,-92.8254,33.5907,-92.8227,"Heavy rain at the beginning of the month caused flooding, some major, over much of the area, especially northeast.","Heavy rain from April and early May caused flooding in early May on the Ouachita River at Camden." +116340,704447,VIRGINIA,2017,May,Tornado,"BRUNSWICK",2017-05-05 05:50:00,EST-5,2017-05-05 05:51:00,0,0,0,0,10.00K,10000,0.00K,0,36.9716,-77.7774,36.9747,-77.776,"Scattered severe thunderstorms in advance of low pressure and its associated cold front produced damaging winds and six tornadoes across portions of central and eastern Virginia.","The tornado first touched down in far northern Brunswick county, northwest of Rawlings off Baskerville Mill Road. The tornado uprooted trees before continuing north northeast into Dinwiddie county along Old White Oak Road." +118659,712887,UTAH,2017,July,Flash Flood,"GRAND",2017-07-25 23:00:00,MST-7,2017-07-26 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.57,-109.55,38.57,-109.5506,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","Water flowed up to foot deep across a portion of downtown Moab that resulted in minor damage. Radar rainfall estimates in that area ranged from an inch to an inch and a half." +119145,715569,VIRGINIA,2017,July,Thunderstorm Wind,"WESTMORELAND",2017-07-14 17:20:00,EST-5,2017-07-14 17:20:00,0,0,0,0,2.00K,2000,0.00K,0,38.18,-77,38.18,-77,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Several trees and power lines were downed along Route 3 south of Oak Grove." +119145,715571,VIRGINIA,2017,July,Thunderstorm Wind,"SOUTHAMPTON",2017-07-14 18:30:00,EST-5,2017-07-14 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,36.77,-77.1,36.77,-77.1,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Several large limbs were downed along Highway 35 northwest of Courtland." +120837,723538,COLORADO,2017,October,Winter Weather,"WESTCLIFFE VICINITY / WET MOUNTAIN VALLEY BELOW 8500 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723539,COLORADO,2017,October,Winter Weather,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723540,COLORADO,2017,October,Winter Weather,"WET MOUNTAINS ABOVE 10000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723542,COLORADO,2017,October,Winter Weather,"PIKES PEAK ABOVE 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723543,COLORADO,2017,October,Winter Weather,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +121189,725525,CALIFORNIA,2017,October,Excessive Heat,"ORANGE COUNTY INLAND",2017-10-24 10:00:00,PST-8,2017-10-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon high temperatures were extreme for a 2nd day in a row, anywhere from 100-111 degrees. The peak value of 111 degrees occurred in Laguna Niguel." +121189,725526,CALIFORNIA,2017,October,Heat,"ORANGE COUNTY INLAND",2017-10-25 10:00:00,PST-8,2017-10-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Temperatures peaked in the upper 90s and low 100s. A mesonet in Fullerton was 104 degrees." +121083,724989,FLORIDA,2017,October,Flash Flood,"OKALOOSA",2017-10-08 07:15:00,CST-6,2017-10-08 09:15:00,0,0,0,0,0.00K,0,0.00K,0,30.9,-86.54,30.9012,-86.5225,"Hurricane Nate quickly moved north northwest out of the northwest Caribbean Sea and across the Gulf of Mexico, making landfall near Biloxi, MS just after midnight on October 8th as a Category 1 hurricane with maximum winds of 85 mph. Nate quickly weakened as it moved inland across inland southeast Mississippi and southwest Alabama and was downgraded to a tropical depression over central Alabama by 10am CDT on October 8th. ||The main impacts to the western Florida Panhandle were from storm surge. In Escambia County, tide gauge information from Pensacola Bay indicate peak inundation of 3 feet above normally dry ground occurred along immediate coastal areas of the Pensacola Bay System. USGS data indicates a peak of 3 to 5 feet of inundation likely occurred at the immediate shore of the barrier islands. The greatest impact was to the Fort Pickens areas where part of the roadway was damaged. The road also had 3 feet of sand covering it with 4 feet of sand deposited on some of the parking lots. In addition, a portion of Highway 399 between Pensacola Beach and Navarre Beach was damaged. ||In Santa Rosa County, peak surge inundation of 3 feet impacted areas along the coast of Escambia and East Bays. Peak surge inundation of 3 to 5 feet impacted areas along the immediate shore of Santa Rosa Island as well as along the shoreline of Santa Rosa Sound. Numerous piers were damaged. ||In Okaloosa County, peak surge inundation of up to 3 feet was observed, but no significant damage was reported. ||Peak wind gusts along the coast ranged from 50 to 60 mph. Pensacola Naval Air Station and Hurlburt Field measured a sustained tropical storm force wind of 40 mph and 39 mph respectively between 1 and 3 am on October 8th. ||5 to 10 inches of rain was observed across the western Florida Panhandle, with the highest occurring in Santa Rosa and Okaloosa Counties. This produced isolated instances of flash flooding in Okaloosa County.","Road impassable from flooding along Jack Road in Laurel Hill." +121212,725687,KANSAS,2017,October,Hail,"HODGEMAN",2017-10-06 15:50:00,CST-6,2017-10-06 15:50:00,0,0,0,0,,NaN,,NaN,38.09,-99.89,38.09,-99.89,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","The hail was nickel to golfball sized." +119660,718842,VIRGINIA,2017,August,Heavy Rain,"BRUNSWICK",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-77.78,36.74,-77.78,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.00 inches was measured at Edgerton (2 SSW)." +119660,718843,VIRGINIA,2017,August,Heavy Rain,"NEWPORT NEWS (C)",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.06,-76.47,37.06,-76.47,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.82 inches was measured at Beaconsdale." +119660,718844,VIRGINIA,2017,August,Heavy Rain,"WILLIAMSBURG (C)",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.72,37.25,-76.72,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.04 inches was measured at Williamsburg Airport." +119660,718845,VIRGINIA,2017,August,Heavy Rain,"WILLIAMSBURG (C)",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.28,-76.68,37.28,-76.68,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.08 inches was measured at Williamsburg (1 ENE)." +119660,718846,VIRGINIA,2017,August,Heavy Rain,"HENRICO",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.46,-77.35,37.46,-77.35,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.15 inches was measured at Varina." +119660,718847,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.25,-76.81,37.25,-76.81,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 3.84 inches was measured at Governors Land (1 E)." +119660,718848,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-76.68,37.27,-76.68,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.05 inches was measured at Williamsburg (1.6 ESE)." +115643,694835,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-04-06 11:49:00,EST-5,2017-04-06 12:24:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 40 knots were reported at Racoon Point." +115643,694837,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-04-06 11:50:00,EST-5,2017-04-06 12:05:00,0,0,0,0,,NaN,,NaN,37.98,-75.86,37.98,-75.86,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 38 knots were reported at Crisfield." +115643,694838,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:12:00,EST-5,2017-04-06 12:12:00,0,0,0,0,,NaN,,NaN,38.51,-77.3,38.51,-77.3,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 44 knots was reported at Quantico." +115643,694839,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:19:00,EST-5,2017-04-06 12:24:00,0,0,0,0,,NaN,,NaN,38.644,-77.199,38.644,-77.199,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 39 to 41 knots were reported at Occoquon." +115643,694840,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:20:00,EST-5,2017-04-06 12:33:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 34 to 43 knots were reported at Baber Creek, Tower 70, Pylons DAH, and Potomac Light 33." +116988,703612,NEW YORK,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 14:38:00,EST-5,2017-05-01 14:38:00,0,0,0,0,10.00K,10000,0.00K,0,42.78,-78.86,42.78,-78.86,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","" +116988,703613,NEW YORK,2017,May,Thunderstorm Wind,"ERIE",2017-05-01 14:41:00,EST-5,2017-05-01 14:41:00,0,0,0,0,30.00K,30000,0.00K,0,42.91,-78.7,42.91,-78.7,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Ham radio operators reported numerous large trees snapped and uprooted in Depew." +116988,703614,NEW YORK,2017,May,Thunderstorm Wind,"NIAGARA",2017-05-01 14:41:00,EST-5,2017-05-01 14:41:00,0,0,0,0,20.00K,20000,0.00K,0,43.07,-78.87,43.07,-78.87,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116993,703676,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:00:00,EST-5,2017-05-18 17:00:00,0,0,0,0,,NaN,,NaN,43.38,-76.3,43.38,-76.3,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703677,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:00:00,EST-5,2017-05-18 17:00:00,0,0,0,0,20.00K,20000,0.00K,0,43.38,-76.34,43.38,-76.34,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Large hail broke windows and damaged building siding." +116993,703678,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:05:00,EST-5,2017-05-18 17:05:00,0,0,0,0,,NaN,,NaN,43.25,-76.14,43.25,-76.14,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703679,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:05:00,EST-5,2017-05-18 17:05:00,0,0,0,0,,NaN,,NaN,43.4,-76.28,43.4,-76.28,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703680,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:06:00,EST-5,2017-05-18 17:06:00,0,0,0,0,,NaN,,NaN,43.24,-76.14,43.24,-76.14,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +118298,710908,NEW YORK,2017,June,Thunderstorm Wind,"MONROE",2017-06-18 16:32:00,EST-5,2017-06-18 16:32:00,0,0,0,0,12.00K,12000,0.00K,0,43.12,-77.58,43.12,-77.58,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Social media had reported of trees and wires downed by thunderstorm winds." +118298,710909,NEW YORK,2017,June,Thunderstorm Wind,"LEWIS",2017-06-18 16:40:00,EST-5,2017-06-18 16:40:00,0,0,0,0,10.00K,10000,0.00K,0,43.89,-75.39,43.89,-75.39,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds on George Street." +118298,710910,NEW YORK,2017,June,Thunderstorm Wind,"ONTARIO",2017-06-18 17:04:00,EST-5,2017-06-18 17:04:00,0,0,0,0,12.00K,12000,0.00K,0,42.96,-77.22,42.96,-77.22,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710911,NEW YORK,2017,June,Thunderstorm Wind,"LEWIS",2017-06-18 17:10:00,EST-5,2017-06-18 17:10:00,0,0,0,0,10.00K,10000,0.00K,0,43.73,-75.34,43.73,-75.34,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +119317,716441,NEW YORK,2017,July,Flash Flood,"ERIE",2017-07-13 09:33:00,EST-5,2017-07-13 12:45:00,0,0,0,0,50.00K,50000,0.00K,0,42.8848,-78.8012,42.9158,-78.8262,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +119317,716442,NEW YORK,2017,July,Flash Flood,"ERIE",2017-07-13 10:11:00,EST-5,2017-07-13 13:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.8278,-78.7896,42.8265,-78.777,"A convective complex moved across Western New York late in the morning. This produced a quick 2 to 4 inches of rain which covered a significant portion of the region and resulted in flash flooding that impacted the Buffalo metro area, the Boston/Wyoming hills and parts of the northern Finger Lakes Region. The flash flooding resulted in numerous road closures, including: Back Creek Road in Boston, Route 6 in Geneva, Route 5 in Canandaigua, Prospect Road in Attica, Route 98 between Attica and Varysburg, Route 240 in West Seneca, Walden Ave in Depew, Transit Road in Depew, Scajaquada Expressway in Cheektowaga, Union Road in Cheektowaga, Broadway Ave in Buffalo, and William Street in Cheektowaga and Buffalo. The heavy rain also resulted in river and creek flooding which is relatively rare for July. Tonawanda Creek at Attica and Batavia and Cayuga Creek at Lancaster all exceeded flood stage. Tonawanda Creek at Attica crested at 9.6 feet ��� the third highest crest on record. Flood stage is 8 feet. Tonawanda Creek at Batavia crested at 9.88 feet. Flood stage is 9 feet. Cayuga Creek at Lancaster crested at 11.06 feet. Flood Stage is 8 feet. It was the fifth highest crest on record and the highest warm season crest. Rises were quick on the creeks due to the brief period the rain fell.","" +121683,728351,NEW YORK,2017,September,Coastal Flood,"ORLEANS",2017-09-01 00:00:00,EST-5,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723331,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 22:41:00,EST-5,2017-09-04 22:41:00,0,0,0,0,10.00K,10000,0.00K,0,42.04,-79.28,42.04,-79.28,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +112899,678839,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:58:00,CST-6,2017-03-09 23:58:00,0,0,0,0,,NaN,,NaN,35.3006,-86.4065,35.3006,-86.4065,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 115 Morris Hollow Road." +112899,678840,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:00:00,CST-6,2017-03-10 00:00:00,0,0,0,0,,NaN,,NaN,35.1777,-86.3386,35.1777,-86.3386,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 7125 Dry Prong Road." +112899,678841,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:02:00,CST-6,2017-03-10 00:02:00,0,0,0,0,,NaN,,NaN,35.2944,-86.3159,35.2944,-86.3159,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 239 Hurricane Creek Road." +112899,678842,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:03:00,CST-6,2017-03-10 00:03:00,0,0,0,0,,NaN,,NaN,35.3444,-86.3047,35.3444,-86.3047,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 2243 Raysville Road." +112899,678843,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:03:00,CST-6,2017-03-10 00:03:00,0,0,0,0,,NaN,,NaN,35.2506,-86.3598,35.2506,-86.3598,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 2449 Winchester Highway." +112898,679006,ALABAMA,2017,March,Winter Weather,"LAUDERDALE",2017-03-11 21:00:00,CST-6,2017-03-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell across far north Alabama along the Tennessee border. Up to one inch was reported in Lauderdale County.","Light snow accumulations of 0.5-1.0 inch were reported. At 6.6 miles west-southwest of Cloverdale, 1.0 inch was measured." +112898,679007,ALABAMA,2017,March,Winter Weather,"LIMESTONE",2017-03-11 21:00:00,CST-6,2017-03-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell across far north Alabama along the Tennessee border. Up to one inch was reported in Lauderdale County.","Light snow accumulations of 0.5-1.0 inch were reported. At 1.6 miles southwest of Elkmont, 0.8 inch was measured." +115491,693966,ALABAMA,2017,April,Thunderstorm Wind,"CONECUH",2017-04-03 07:07:00,CST-6,2017-04-03 07:09:00,0,0,0,0,5.00K,5000,0.00K,0,31.43,-86.97,31.43,-86.97,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed multiple trees along CR 6 near CR28 and Appleton Road." +115491,693972,ALABAMA,2017,April,Thunderstorm Wind,"ESCAMBIA",2017-04-03 07:10:00,CST-6,2017-04-03 07:12:00,0,0,0,0,5.00K,5000,0.00K,0,31.12,-87.07,31.12,-87.07,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees on CR 18 near Brewton." +115491,693977,ALABAMA,2017,April,Thunderstorm Wind,"CONECUH",2017-04-03 07:27:00,CST-6,2017-04-03 07:29:00,0,0,0,0,5.00K,5000,0.00K,0,31.4059,-86.9019,31.4059,-86.9019,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph downed multiple trees on CR6 near Johnsonville." +115491,693979,ALABAMA,2017,April,Thunderstorm Wind,"CONECUH",2017-04-03 07:33:00,CST-6,2017-04-03 07:35:00,0,0,0,0,15.00K,15000,0.00K,0,31.4812,-86.91,31.4812,-86.91,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 70 mph caused the roof of a covered porch to collapse and numerous tress were blown over and snapped in the area." +115491,693980,ALABAMA,2017,April,Thunderstorm Wind,"COVINGTON",2017-04-03 07:40:00,CST-6,2017-04-03 07:42:00,0,0,0,0,3.00K,3000,0.00K,0,31.45,-86.62,31.45,-86.62,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","Winds estimated at 60 mph downed trees and power lines on CR82 near Buck Creek Baptist Church." +115571,694000,GULF OF MEXICO,2017,April,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-04-03 08:52:00,CST-6,2017-04-03 08:52:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.22,30.38,-87.22,"Thunderstorms moved across the marine area and produced high winds.","Measured by Weatherflow station in Pensacola Bay." +115491,694002,ALABAMA,2017,April,Heavy Rain,"MOBILE",2017-04-03 04:55:00,CST-6,2017-04-03 08:55:00,0,0,0,0,0.00K,0,0.00K,0,30.6917,-88.1845,30.6917,-88.1845,"Thunderstorms developed ahead of a strong cold front and moved across the area. These storms produced high winds, large hail and a weak tornado.","A total of 4.5 inches of rain measured at Stanky Field." +115571,694005,GULF OF MEXICO,2017,April,Waterspout,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-04-03 09:13:00,CST-6,2017-04-03 09:13:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.22,30.38,-87.22,"Thunderstorms moved across the marine area and produced high winds.","Video of 2 waterspouts south of Gulf Breeze." +114314,685023,ARIZONA,2017,February,Flash Flood,"COCONINO",2017-02-28 09:00:00,MST-7,2017-02-28 09:10:00,0,0,0,0,0.00K,0,0.00K,0,34.9144,-111.7404,34.9383,-111.756,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Heavy rain on the steep western walls of Oak Creek Canyon caused a flash flood with mud, debris, and rocks. This flow covered Highway 89A at mile post 379. The guard rain and mile post sign were washed away. A snowplow was called to clear the road." +114314,727496,ARIZONA,2017,February,Flash Flood,"YAVAPAI",2017-02-28 06:00:00,MST-7,2017-02-28 08:00:00,0,0,1,0,0.00K,0,0.00K,0,34.6328,-111.8271,34.6309,-111.8285,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","A 59-year-old man from Cottonwood drowned around 6:30am while attempting to cross Beaver Creek at Reay Road in Rimrock." +115121,691220,VIRGINIA,2017,April,Tornado,"ARLINGTON",2017-04-06 12:39:00,EST-5,2017-04-06 12:42:00,0,0,0,0,,NaN,,NaN,38.85,-77.07,38.8628,-77.038,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","Trees were snapped along Interstate 395 adjacent to Army-Navy |Country Club at approximately 1:39 PM EDT. Video of a portion of |the Pentagon Parking Lot showed a vortex cross between two light |poles, ripping off one lamp from the top of the poles. Additional |video from the Pentagon showed two rope-like funnel clouds form at|the same time, although it could not be determined from the video|whether these funnels touched the ground or were attached to the |cloud base. Video from the National Park Service National Mall and|Memorial Parks showed a waterspout over the Potomac River west of |the Tidal Basin; however, it is not clear the vertical extent of |this waterspout and whether it was sourced from the cloud base, or|an independent vortex associated with the gust front." +121350,726470,ALASKA,2017,October,Coastal Flood,"ST LAWRENCE IS. BERING STRAIT",2017-10-11 00:00:00,AKST-9,2017-10-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching 958 mb low pressure center along the west coast of Alaska on October 11. The strong winds continued into the 13th. Minor beach erosion also occurred along the coast. Low level areas of Gambell, Little Diomede,|Wales and Brevig Mission saw elevated seas of 3 to 5 feet above normal tides.||zone 207: Red dog Dock reported 61 mph ( 53 kt).||zone 213: Wales AWOS reported 60 mph ( 52 kt).","" +112900,678877,ALABAMA,2017,March,Hail,"CULLMAN",2017-03-10 01:23:00,CST-6,2017-03-10 01:23:00,0,0,0,0,,NaN,,NaN,34.24,-86.87,34.24,-86.87,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Hail up to quarter size was reported in south Vinemont." +112900,678878,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-10 01:28:00,CST-6,2017-03-10 01:28:00,0,0,0,0,,NaN,,NaN,34.6914,-85.6676,34.6914,-85.6676,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Several trees were knocked down near Ider." +112900,678879,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-10 01:28:00,CST-6,2017-03-10 01:28:00,0,0,0,0,,NaN,,NaN,34.2876,-85.9941,34.2876,-85.9941,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Estimated wind gusts near 60 mph and dime sized hail was reported in the Crossville area." +112900,678880,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-10 01:40:00,CST-6,2017-03-10 01:40:00,0,0,0,0,,NaN,,NaN,34.3181,-86.4958,34.3181,-86.4958,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","Thunderstorm wind gusts of around 60 mph were estimated near Arab." +112900,678881,ALABAMA,2017,March,Thunderstorm Wind,"DEKALB",2017-03-10 01:48:00,CST-6,2017-03-10 01:48:00,0,0,0,0,,NaN,,NaN,34.4943,-85.8477,34.4943,-85.8477,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","A power pole was knocked down onto a home in the Rainsville area." +112899,678827,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:55:00,CST-6,2017-03-09 23:55:00,0,0,0,0,,NaN,,NaN,35.291,-86.3455,35.291,-86.3455,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down on Harry Hill Road." +116453,703742,MINNESOTA,2017,July,Tornado,"ANOKA",2017-07-12 01:27:00,CST-6,2017-07-12 01:33:00,0,0,0,0,0.00K,0,0.00K,0,45.2626,-93.1358,45.2289,-93.0195,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","The tornado touched down in the southern part of Carlos Avery Wildlife Management Area, not quite one mile east-southeast of the intersection of Lexington Ave and Constance Blvd. It downed hundreds of trees, some falling on homes, sheds and vehicles. The tornado destroyed the attached garage of one home, shingles were partially removed from two houses, and a large garage had one of its doors dented in, thereby allowing wind inside the structure, resulting in the bowing out of an opposing wall. The tornado exited Anoka County just to the northeast of the junction of Interstates 35E and 35W in Columbus." +116453,703747,MINNESOTA,2017,July,Thunderstorm Wind,"ANOKA",2017-07-12 01:26:00,CST-6,2017-07-12 01:26:00,0,0,0,0,0.00K,0,0.00K,0,45.3128,-93.1448,45.3128,-93.1448,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","Several dozen trees were broken or toppled in a neighborhood on the south side of upper Coon Lake in East Bethel. Some trees landed on homes, sheds and vehicles." +116301,712721,MINNESOTA,2017,July,Hail,"SCOTT",2017-07-09 19:50:00,CST-6,2017-07-09 19:50:00,0,0,0,0,0.00K,0,0.00K,0,44.71,-93.43,44.71,-93.43,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +113402,678930,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-27 18:10:00,CST-6,2017-03-27 18:10:00,0,0,0,0,,NaN,,NaN,34.2032,-86.1521,34.2032,-86.1521,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported near Boaz." +113402,678931,ALABAMA,2017,March,Thunderstorm Wind,"LAUDERDALE",2017-03-27 19:42:00,CST-6,2017-03-27 19:42:00,0,0,0,0,,NaN,,NaN,34.922,-87.7461,34.922,-87.7461,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","A tree was knocked down across the road at the intersection of CR 118 and CR 11." +113402,678932,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-27 20:09:00,CST-6,2017-03-27 20:09:00,0,0,0,0,,NaN,,NaN,34.87,-87.45,34.87,-87.45,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Golf ball sized hail was reported." +113402,678933,ALABAMA,2017,March,Hail,"LAUDERDALE",2017-03-27 20:11:00,CST-6,2017-03-27 20:11:00,0,0,0,0,,NaN,,NaN,34.86,-87.44,34.86,-87.44,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was reported." +113402,678934,ALABAMA,2017,March,Hail,"COLBERT",2017-03-27 20:24:00,CST-6,2017-03-27 20:24:00,0,0,0,0,,NaN,,NaN,34.76,-87.96,34.76,-87.96,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Quarter sized hail was estimated near Cherokee." +113402,678935,ALABAMA,2017,March,Hail,"COLBERT",2017-03-27 20:26:00,CST-6,2017-03-27 20:26:00,0,0,0,0,,NaN,,NaN,34.76,-87.97,34.76,-87.97,"Clusters of strong to severe thunderstorms developed during the afternoon hours producing large hail and isolated damaging winds. Late in the evening, a squall line of strong to severe thunderstorms dropped southeast from Tennessee producing isolated severe weather.","Nickel sized hail was reported." +116453,703759,MINNESOTA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-12 01:40:00,CST-6,2017-07-12 01:45:00,0,0,0,0,0.00K,0,0.00K,0,45.2634,-92.8963,45.2604,-92.7895,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","A storm survey in Scandia, together with reports from Public Works, noted dozens of trees scattered across the entire city of Scandia. Most of the downed trees were in the northern portion of the city, from Kirk Ave N to Parrish Rd." +116453,713692,MINNESOTA,2017,July,Hail,"DOUGLAS",2017-07-11 22:51:00,CST-6,2017-07-11 22:51:00,0,0,0,0,0.00K,0,0.00K,0,45.95,-95.6,45.95,-95.6,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","" +116301,713665,MINNESOTA,2017,July,Thunderstorm Wind,"NICOLLET",2017-07-09 20:15:00,CST-6,2017-07-09 20:25:00,0,0,0,0,50.00K,50000,250.00K,250000,44.4405,-94.3928,44.3897,-94.3719,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","A line of severe thunderstorms moved southward across Nicollet County causing damage to a machine shed, and roof damage to a hog barn. A local small wind turbine registered a wind gust of 80 mph. Hundreds of crop acres were damaged by hail throughout the central portion of the county. The largest hail reported was in the Lafayette area, and the city reported the worst tree damage." +120289,720774,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-04 13:54:00,EST-5,2017-08-04 13:54:00,0,0,0,0,8.00K,8000,0.00K,0,43.63,-75.89,43.63,-75.89,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Thunderstorm winds downed trees and branches." +120296,720808,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-22 11:14:00,EST-5,2017-08-22 11:14:00,0,0,0,0,8.00K,8000,0.00K,0,42.18,-79.35,42.18,-79.35,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees and wires down by thunderstorm winds." +120903,723857,OKLAHOMA,2017,October,Thunderstorm Wind,"WOODWARD",2017-10-06 20:55:00,CST-6,2017-10-06 20:55:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-99.13,36.73,-99.13,"Severe thunderstorms developed late in the evening across northwest Oklahoma along a pushing cold front and upper short wave. Damaging wind gusts were the severe threat associated with these storms.","" +121162,725340,OKLAHOMA,2017,October,Hail,"GRADY",2017-10-21 19:30:00,CST-6,2017-10-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-97.78,35.06,-97.78,"Storms formed along a cold front during the afternoon of the 21st, eventually forming a line. Through the evening storms swept eastward through Oklahoma and western north Texas. Significant hail, severe winds, and a few short-lived tornadoes as well as some minor flooding were reported with these storms.","" +116454,713696,WISCONSIN,2017,July,Thunderstorm Wind,"POLK",2017-07-12 01:45:00,CST-6,2017-07-12 01:55:00,0,0,0,0,100.00K,100000,0.00K,0,45.3995,-92.6395,45.441,-92.4609,"A complex of thunderstorms that developed across west central Minnesota early Wednesday morning, moved eastward into east central, Minnesota, and into west central Wisconsin. It produced a wide swath of damaging winds, especially in east central Minnesota, north of the Twin Cities metro area. As the storms moved into west central Wisconsin, additional damage occurred, including damage to a local Menards, and a home was blown off its foundation. ||In Chippewa County Wisconsin, the approaches on both sides of a bridge were taken out early in the morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street.","Numerous trees were blown down east of St. Croix Falls, to Balsam Lake. A home was also blown off its foundation, and a wall from a Menards store was blown down." +119264,716383,NEW YORK,2017,July,Lightning,"MONROE",2017-07-08 04:50:00,EST-5,2017-07-08 04:50:00,0,0,0,0,25.00K,25000,0.00K,0,43.1581,-77.4523,43.1581,-77.4523,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","" +119264,716382,NEW YORK,2017,July,Lightning,"MONROE",2017-07-08 03:29:00,EST-5,2017-07-08 03:29:00,0,0,0,0,20.00K,20000,0.00K,0,43.2075,-77.9926,43.2075,-77.9926,"A cold front slowly advanced its way across the eastern Great Lakes region during the overnight and early morning hours. The thunderstorms produced damaging winds and large hail. Hail up to 1.75���, fell in East Pembroke in Genesee County. The thunderstorm winds downed trees and power lines. Route 183 near Williamstown and Route 11 in Hastings were blocked by debris. Two homes in Monroe County, one in Brockport on Monroe-Orleans County Line Road and one in Penfield on Pipers Meadow Trail, were struck by lightning during the pre-dawn hours. All occupants were able to get out without injury.","" +119342,716472,NEW YORK,2017,July,Thunderstorm Wind,"OSWEGO",2017-07-14 12:36:00,EST-5,2017-07-14 12:36:00,0,0,0,0,10.00K,10000,0.00K,0,43.34,-75.9,43.34,-75.9,"Thunderstorms developed along a Lake Ontario Lake Breeze. One of the storms moved across Oswego county and downed trees on Voorhees Road, Route 17A and Route 17.","Law enforcement reported trees down on County Route 17." +119470,716998,NEW YORK,2017,July,Tornado,"ERIE",2017-07-20 11:55:00,EST-5,2017-07-20 11:56:00,0,0,0,0,100.00K,100000,0.00K,0,42.6676,-78.5606,42.6537,-78.5423,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","A NWS storm survey confirmed an EF1 tornado touched down in Holland." +119470,717001,NEW YORK,2017,July,Tornado,"ALLEGANY",2017-07-20 12:45:00,EST-5,2017-07-20 12:52:00,0,0,0,0,250.00K,250000,0.00K,0,42.3503,-78.016,42.3186,-77.9453,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","A NWS storm survey confirmed an EF1 tornado touched down in Angelica." +119470,717003,NEW YORK,2017,July,Thunderstorm Wind,"NIAGARA",2017-07-20 10:50:00,EST-5,2017-07-20 10:50:00,0,0,0,0,10.00K,10000,0.00K,0,43.3,-78.77,43.3,-78.77,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds." +119470,717004,NEW YORK,2017,July,Thunderstorm Wind,"ERIE",2017-07-20 11:28:00,EST-5,2017-07-20 11:28:00,0,0,0,0,15.00K,15000,0.00K,0,42.75,-78.89,42.75,-78.89,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds near St. Mary's on the Lake Church." +119470,717005,NEW YORK,2017,July,Thunderstorm Wind,"LIVINGSTON",2017-07-20 12:24:00,EST-5,2017-07-20 12:24:00,0,0,0,0,15.00K,15000,0.00K,0,42.91,-77.61,42.91,-77.61,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds." +120862,723667,OKLAHOMA,2017,October,Thunderstorm Wind,"OKLAHOMA",2017-10-14 22:17:00,CST-6,2017-10-14 22:17:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-97.6,35.41,-97.6,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","" +117902,708580,MISSOURI,2017,June,Thunderstorm Wind,"NODAWAY",2017-06-15 20:53:00,CST-6,2017-06-15 20:56:00,0,0,0,0,0.00K,0,0.00K,0,40.4,-95.13,40.4,-95.13,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Several trees were down across western portions of Nodaway County." +117902,708581,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-15 22:03:00,CST-6,2017-06-15 22:06:00,1,0,0,0,0.00K,0,0.00K,0,40.37,-94,40.37,-94,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Semi was blown off of I-35 near mile marker 99, with driver sustaining minor injuries." +117902,708582,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-15 22:03:00,CST-6,2017-06-15 22:06:00,2,0,0,0,,NaN,,NaN,40.38,-93.94,40.38,-93.94,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A tree fell on a mobile home on the 200 block of 2nd Street, temporarily trapping two people, both of whom sustained minor to moderate injuries." +117902,708583,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-15 22:03:00,CST-6,2017-06-15 22:06:00,0,0,0,0,,NaN,,NaN,40.469,-93.9716,40.4356,-93.7711,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A machine shed was destroyed. Power lines were down from Ridgeway to Cainsville to Blythedale, along with power outages in those areas, including Eagleville." +117902,708856,MISSOURI,2017,June,Thunderstorm Wind,"HARRISON",2017-06-15 22:03:00,CST-6,2017-06-15 22:03:00,0,0,0,0,,NaN,,NaN,40.43,-94.16,40.43,-94.16,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Outbuildings destroyed on W 200th Street east of Washington Center." +120559,722258,COLORADO,2017,October,Thunderstorm Wind,"CHEYENNE",2017-10-06 14:24:00,MST-7,2017-10-06 14:24:00,0,0,0,0,0.50K,500,0.00K,0,38.82,-102.35,38.82,-102.35,"A line of eastward moving thunderstorms in Cheyenne County produced wind gusts estimated at 80 MPH, blowing down 3-4 inch diameter tree limbs in Cheyenne Wells. The same line of storms also produced ping-pong ball size hail in Arapahoe. Later in the evening behind the initial round of storms, a wind gust of 62 MPH was measured at Kit Carson from a downburst associated with weak showers moving through.","Three to four inch diameter tree limbs were blown down." +120563,722269,KANSAS,2017,October,Hail,"SHERIDAN",2017-10-01 15:16:00,CST-6,2017-10-01 15:16:00,0,0,0,0,0.00K,0,0.00K,0,39.2649,-100.5643,39.2649,-100.5643,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","" +116301,712743,MINNESOTA,2017,July,Hail,"SIBLEY",2017-07-09 19:58:00,CST-6,2017-07-09 20:07:00,0,0,0,0,250.00K,250000,1.00M,1000000,44.5548,-94.3737,44.5291,-94.3647,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","Very large hail fell around the city of Winthrop, including the local golf course that sustained a heavy loss of trees and significant damage to their greens. Hail also damaged homes and barns." +116301,699261,MINNESOTA,2017,July,Tornado,"BLUE EARTH",2017-07-09 21:30:00,CST-6,2017-07-09 21:38:00,0,0,0,0,0.00K,0,500.00K,500000,44.1725,-94.2619,44.1659,-94.2087,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","The tornado knocked a chimney off, crushed two old barns and snapped an old spruce tree. It also caused damage to hundreds of acres of crops along County Road 20 and County Road 11, where the wind flattened much corn. Some stalks were snapped at the base." +119907,718724,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-22 14:00:00,MST-7,2017-07-22 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.99,-110.29,33.786,-110.3367,"Deep monsoon moisture remained over northern Arizona which lead to thunderstorms with heavy rain and strong winds.","Heavy rain over the Cedar Fire scar produced flash flooding in Carrizo Creek. The river gauge at Carrizo peak rose to 10 feet (215 PM MST). The creek was back down to 5 feet by 330 PM MST." +119279,716250,VIRGINIA,2017,July,Thunderstorm Wind,"LOUISA",2017-07-17 18:15:00,EST-5,2017-07-17 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.96,-77.74,37.96,-77.74,"Scattered severe thunderstorms in advance of a frontal boundary produced damaging winds across portions of central Virginia.","Trees were downed on Bumpass Road and Green Coral Road." +116667,701474,ARKANSAS,2017,May,Hail,"BAXTER",2017-05-27 01:58:00,CST-6,2017-05-27 01:58:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-92.3,36.44,-92.3,"On the 27th, temperatures climbed into the mid 80s to lower 90s. It was 92 degrees at Fort Smith (Sebastian County), and 90 degrees at De Queen (Sevier County) and Monticello (Drew County). In the southern Plains, CAPE (Convective Available Potential Energy) values were extreme (over 6000 Joules/kilogram). Unleashing this much energy would result in not only a higher potential of severe weather, but a greater magnitude of what storms could produce (strong tornadoes, giant hail, hurricane force winds, etc).||There was one limiting factor. An inversion (climbing temperatures with height) aloft was not allowing air parcels to realize all of the energy available above the inversion (the parcels were capped). As long as air parcels were suppressed, storms would be less of an issue. In fact, much of the 27th went by with no storms in the state.||The cap did break in places during the evening, especially the northeast. Storms swept from Missouri through areas north and east of Little Rock (Pulaski County), and were responsible for mainly wind damage. Wind gusts reached 60 to more than 70 mph in places.||A tree was blown onto a car at Ash Flat (Sharp County), with trees on houses in Walnut Ridge (Lawrence County), Lepanto (Poinsett County), Marion (Crittenden County), and Whitton (Mississippi County). Another tree fell onto two mobile homes at Crawfordsville (Crittenden County), and an injury resulted. Downed trees blocked Highways 141 and 358 near Walcott (Greene County). A 67 mph gust was measured at Corning (Clay County).||Toward midnight CDT, the cap broke farther west. One storm spawned a tornado (rated EF1) from Short, OK to Natural Dam (Crawford County). Along the roughly eleven mile track, some homes were damaged and outbuildings were destroyed. ||A bowing line of storms tore through barns and outbuildings at Lutherville (Johnson County) and uncorked a 62 mph gust at Russellville (Pope County). Metal roofing was removed from a row of buildings at Pottsville (Pope County). North of Morrilton (Conway County), a tree was pushed on a house.||A similar line of storms caused tree and power line damage in much of Montgomery County and caused roof damage to a dozen storage units near Hot Springs (Garland County).||By the time May ended, above average rainfall totals were common across the central and eastern counties. Amounts were one and a half to more than three inches over par at El Dorado (Union County), Jonesboro (Craighead County), Little Rock (Pulaski County), and Pine Bluff (Jefferson County).","Wind gusts were estimated between 40 and 50 mph. Report was relayed via NWS Springfield, MO." +115111,690951,OHIO,2017,May,Thunderstorm Wind,"SCIOTO",2017-05-19 11:29:00,EST-5,2017-05-19 11:31:00,0,0,0,0,1.00K,1000,0.00K,0,38.76,-82.86,38.76,-82.86,"A warm and unstable air mass was in place across the region ahead of an advancing cold front. This led to scattered thunderstorm development through the afternoon that continued into the early evening hours.","A large tree was downed along State Route 140 near Highland Bend Road." +114047,689703,IOWA,2017,March,Thunderstorm Wind,"KEOKUK",2017-03-06 21:34:00,CST-6,2017-03-06 21:34:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-92.21,41.32,-92.21,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Iowa Department of Transportation road sensor measured this wind gust." +117457,706416,NEBRASKA,2017,June,Hail,"PLATTE",2017-06-16 18:00:00,CST-6,2017-06-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-97.36,41.43,-97.36,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,706417,NEBRASKA,2017,June,Hail,"SALINE",2017-06-16 19:21:00,CST-6,2017-06-16 19:21:00,0,0,0,0,0.00K,0,0.00K,0,40.65,-97.28,40.65,-97.28,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","" +117457,710031,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:42:00,CST-6,2017-06-16 20:42:00,0,0,0,0,,NaN,,NaN,40.3,-96.87,40.3,-96.87,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm chaser estimated an 80 mph wind gust southwest of Hoag." +115906,702418,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 12:04:00,EST-5,2017-05-30 12:04:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-78.9,41.08,-78.9,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115906,702419,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 12:07:00,EST-5,2017-05-30 12:07:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-78.89,41.09,-78.89,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115906,702420,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 12:10:00,EST-5,2017-05-30 12:10:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-78.83,41.09,-78.83,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115906,702421,PENNSYLVANIA,2017,May,Hail,"ARMSTRONG",2017-05-30 12:32:00,EST-5,2017-05-30 12:32:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-79.55,40.68,-79.55,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +115909,696473,WEST VIRGINIA,2017,May,Thunderstorm Wind,"OHIO",2017-05-31 15:30:00,EST-5,2017-05-31 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,40.13,-80.54,40.13,-80.54,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Department of highways reported several trees down." +115905,704920,PENNSYLVANIA,2017,May,Hail,"CLARION",2017-05-28 15:04:00,EST-5,2017-05-28 15:04:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-79.54,41.23,-79.54,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115905,704921,PENNSYLVANIA,2017,May,Hail,"VENANGO",2017-05-28 15:34:00,EST-5,2017-05-28 15:34:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-79.68,41.27,-79.68,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115905,704922,PENNSYLVANIA,2017,May,Hail,"CLARION",2017-05-28 15:45:00,EST-5,2017-05-28 15:45:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-79.42,41.24,-79.42,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115905,704923,PENNSYLVANIA,2017,May,Heavy Rain,"CLARION",2017-05-28 17:29:00,EST-5,2017-05-28 17:29:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-79.54,41.23,-79.54,"Showers and thunderstorms, some of which where severe, developed in a rather unstable environment with modest shear, in the afternoon and evening of the 28th. Focus for storms was along a warm front, where slow moving/training cells produced heavy rain approaching 3 inches in several areas in the vicinity of Interstate 80. Flash Flooding was reported in Venango and Clarion counties in Pennsylvania, with additional flooding reported overnight in Indiana county as another round of storms approached with the nearing cold front.","" +115890,702459,PENNSYLVANIA,2017,May,Tornado,"CLARION",2017-05-01 14:09:00,EST-5,2017-05-01 14:10:00,0,0,0,0,15.00K,15000,0.00K,0,41.189,-79.553,41.195,-79.538,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service in Pittsburgh PA confirmed a tornado near Wentlings Corners in Clarion County PA.||Damage in the Wentlings Corners area appears to have |resulted from a combination of tornadic and non-tornadic wind. A |coherent path was discovered from near Route 338 and Canoe Ripple |Road to an area north of Tippecanoe Road and east of Wentlings |Corners Road.||The damage observed during the survey mainly was to trees, |although residents of the area have provided photographic evidence|of shingle removal from outbuildings and displaced items that are|not part of the set of official damage indicators used during |storm damage surveys. Structural damage that was identified to the|survey team appeared to have resulted indirectly from falling and|flying debris. Photographs provided via social media to the NWS |appear to depict a partial funnel cloud and rain curtains in the |area where damage was sustained.||Additional damage and extreme wind were reported in the area of |Huckleberry Ridge Road/Providence Church Road, but the team could |identify no coherent track in this area. Wind in this area |nevertheless likely reached damaging speed, but the lack of a |coherent track and radar imagery suggest that this wind likely was|associated with a localized surge in outflow to the east of the |tornadic portion of the storm." +117457,709973,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:48:00,CST-6,2017-06-16 18:48:00,0,0,0,0,,NaN,,NaN,41.17,-96.21,41.17,-96.21,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","Estimated 85 mph winds were measured northeast of Gretna." +117457,710018,NEBRASKA,2017,June,Thunderstorm Wind,"LANCASTER",2017-06-16 19:37:00,CST-6,2017-06-16 19:37:00,0,0,0,0,,NaN,,NaN,40.86,-96.75,40.86,-96.75,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An 87 mph wind gust was measured at the Lincoln Airport ASOS site." +117457,710021,NEBRASKA,2017,June,Thunderstorm Wind,"SALINE",2017-06-16 19:57:00,CST-6,2017-06-16 19:57:00,0,0,0,0,,NaN,,NaN,40.59,-97.11,40.59,-97.11,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm chaser measured a 63 mph wind gust south of Dorchester." +117457,710023,NEBRASKA,2017,June,Thunderstorm Wind,"SALINE",2017-06-16 20:04:00,CST-6,2017-06-16 20:04:00,0,0,0,0,,NaN,,NaN,40.65,-97.11,40.65,-97.11,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A storm chaser estimated a 60 mph wind gust." +114263,684565,COLORADO,2017,May,Thunderstorm Wind,"ARAPAHOE",2017-05-07 14:45:00,MST-7,2017-05-07 14:45:00,0,0,0,0,,NaN,,NaN,39.65,-104.99,39.65,-104.99,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","Damaging microburst winds blew apart a portion of a roof. The debris from the roof damaged a light pole. In addition, a tree was blown over which knocked out a power line." +114263,684567,COLORADO,2017,May,Thunderstorm Wind,"DENVER",2017-05-07 15:48:00,MST-7,2017-05-07 15:48:00,0,0,0,0,,NaN,,NaN,39.73,-104.94,39.73,-104.94,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","Intense microburst winds knocked down a tree which landed on a nearby house." +114263,684568,COLORADO,2017,May,Thunderstorm Wind,"ADAMS",2017-05-07 14:50:00,MST-7,2017-05-07 14:50:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-104.81,39.77,-104.81,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","" +114263,684569,COLORADO,2017,May,Thunderstorm Wind,"DENVER",2017-05-07 14:59:00,MST-7,2017-05-07 14:59:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-104.67,39.87,-104.67,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","" +116892,702988,IOWA,2017,May,Thunderstorm Wind,"DUBUQUE",2017-05-17 19:20:00,CST-6,2017-05-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-90.76,42.51,-90.76,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported a measured wind gust of 52 knots." +116892,702990,IOWA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-17 20:49:00,CST-6,2017-05-17 20:54:00,0,0,0,0,0.00K,0,0.00K,0,41.91,-90.6,41.91,-90.6,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported estimated winds of 50 to 60 mph for 5 minutes." +116297,699241,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 18:15:00,EST-5,2017-05-27 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-81.54,36.8,-81.54,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116297,699242,VIRGINIA,2017,May,Hail,"SMYTH",2017-05-27 18:16:00,EST-5,2017-05-27 18:16:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-81.56,36.76,-81.56,"A cold front approached and stalled over the Mid-Atlantic region during the early afternoon on May 27th, allowing numerous strong to severe thunderstorms to form. |Some of these storms produced large hail across portions of the Virginia highlands, with a storm or two moving east of the Blue Ridge Mountains.","" +116298,699243,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-31 17:22:00,EST-5,2017-05-31 17:22:00,0,0,0,0,5.00K,5000,0.00K,0,36.41,-80.25,36.41,-80.25,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed several trees near the intersection of Moore Springs Road and Hanging Rock Park Road." +116298,699244,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-31 17:35:00,EST-5,2017-05-31 17:35:00,0,0,0,0,0.50K,500,0.00K,0,36.37,-80.18,36.37,-80.18,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Outflow winds from a strong thunderstorm downed a tree near the intersection of North Carolina Highway 8 and Highway 89." +116298,699245,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 17:52:00,EST-5,2017-05-31 17:52:00,0,0,0,0,10.00K,10000,0.00K,0,36.37,-79.94,36.37,-79.94,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed numerous trees near the intersection of US 220 and Ellisboro Road." +116319,699432,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-24 16:51:00,EST-5,2017-05-24 16:51:00,0,0,0,0,0.50K,500,0.00K,0,36.81,-80.14,36.81,-80.14,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds blew down a tree on Heidelbach School Road." +116319,699433,VIRGINIA,2017,May,Thunderstorm Wind,"PATRICK",2017-05-24 17:04:00,EST-5,2017-05-24 17:04:00,0,0,0,0,0.50K,500,0.00K,0,36.75,-80.09,36.75,-80.09,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds brought down a tree near the intersection of Saddleridge Road and Microfilm Road." +116319,699435,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-24 17:25:00,EST-5,2017-05-24 17:25:00,0,0,0,0,0.50K,500,0.00K,0,36.84,-79.94,36.84,-79.94,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds downed a tree near the intersection of Henry Road and Providence Church Road." +121147,725249,VIRGINIA,2017,October,Frost/Freeze,"PAGE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725250,VIRGINIA,2017,October,Frost/Freeze,"WARREN",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725251,VIRGINIA,2017,October,Frost/Freeze,"CLARKE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725252,VIRGINIA,2017,October,Frost/Freeze,"RAPPAHANNOCK",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725253,VIRGINIA,2017,October,Frost/Freeze,"CULPEPER",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725254,VIRGINIA,2017,October,Frost/Freeze,"MADISON",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725255,VIRGINIA,2017,October,Frost/Freeze,"NORTHERN FAUQUIER",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725256,VIRGINIA,2017,October,Frost/Freeze,"SOUTHERN FAUQUIER",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725257,VIRGINIA,2017,October,Frost/Freeze,"NELSON",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725258,VIRGINIA,2017,October,Frost/Freeze,"GREENE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725259,VIRGINIA,2017,October,Frost/Freeze,"ORANGE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725260,VIRGINIA,2017,October,Frost/Freeze,"WESTERN LOUDOUN",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121147,725261,VIRGINIA,2017,October,Frost/Freeze,"NORTHERN VIRGINIA BLUE RIDGE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +117063,704231,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 03:50:00,EST-5,2017-05-05 03:50:00,0,0,0,0,7.00K,7000,0.00K,0,36.7099,-78.9127,36.7099,-78.9127,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed a tree along Tanglewylde Drive. Eleven additional trees were also reported down scattered across the county due to the strong thunderstorm winds." +117063,704234,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-05 04:00:00,EST-5,2017-05-05 04:00:00,0,0,0,0,0.50K,500,0.00K,0,36.8397,-78.7955,36.8397,-78.7955,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed a tree onto Reverend Coleman Road." +116892,702911,IOWA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-17 16:20:00,CST-6,2017-05-17 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-91.84,41.47,-91.84,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local law enforcement reported some outbuildings. A shed, and a few windows and roofs were damaged." +116892,702998,IOWA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-17 16:40:00,CST-6,2017-05-17 16:40:00,0,0,0,0,15.00K,15000,0.00K,0,41.47,-91.84,41.47,-91.84,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The local law enforcement reported a roof was off a shed, a garage, and hog and horse structures. Another garage was torn off a house. Trees and power lines were down with one tree down on a road." +116892,702846,IOWA,2017,May,Hail,"IOWA",2017-05-17 17:52:00,CST-6,2017-05-17 17:52:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-92.08,41.52,-92.08,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A public report was received of quarter sized hail, also winds up to 55 MPH and heavy rain." +121212,725700,KANSAS,2017,October,Thunderstorm Wind,"HODGEMAN",2017-10-06 16:15:00,CST-6,2017-10-06 16:15:00,0,0,0,0,,NaN,,NaN,38.12,-99.72,38.12,-99.72,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Numerous power poles were blown down by the high wind." +121212,725701,KANSAS,2017,October,Thunderstorm Wind,"HODGEMAN",2017-10-06 16:15:00,CST-6,2017-10-06 16:15:00,0,0,0,0,60.00K,60000,,NaN,38.13,-99.72,38.13,-99.72,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Five miles of power poles, or around 80, were blown down by the high wind along US Highway 156." +121212,725702,KANSAS,2017,October,Thunderstorm Wind,"FINNEY",2017-10-06 16:47:00,CST-6,2017-10-06 16:47:00,0,0,0,0,,NaN,,NaN,37.98,-100.86,37.98,-100.86,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","A fifteen foot diameter spruce tree was blown down by the high wind. There were numerous tree branches down in the area. Fences were blown down and parts of a garage roof was heavily damaged." +121213,725713,KANSAS,2017,October,High Wind,"SCOTT",2017-10-26 14:19:00,CST-6,2017-10-26 14:19:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Gusty winds were observed behind a strong cold front that moved across the area. At least one location experienced winds above 55 MPH.","A gust to 58 MPH was reported at a location 6 miles northwest of Scott City." +120450,721652,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-10-16 20:25:00,EST-5,2017-10-16 20:25:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"Strong winds associated with pre-frontal thunderstorms moved across the local Florida Atlantic waters during the afternoon.","A wind gust of 40 mph was measured at Huguenot Park." +120450,721653,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-10-16 21:15:00,EST-5,2017-10-16 21:15:00,0,0,0,0,0.00K,0,0.00K,0,29.85,-81.27,29.85,-81.27,"Strong winds associated with pre-frontal thunderstorms moved across the local Florida Atlantic waters during the afternoon.","The C-Man station measured a 47 mph gust." +120450,721655,ATLANTIC SOUTH,2017,October,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-10-16 21:40:00,EST-5,2017-10-16 21:40:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-81.23,29.72,-81.23,"Strong winds associated with pre-frontal thunderstorms moved across the local Florida Atlantic waters during the afternoon.","A mesonet station measured a wind gust to 45 mph near Crescent Beach." +120451,721656,FLORIDA,2017,October,Heavy Rain,"FLAGLER",2017-10-17 01:00:00,EST-5,2017-10-17 07:00:00,0,0,0,0,0.00K,0,0.00K,0,29.59,-81.21,29.59,-81.21,"Localized morning heavy rainfall occurred along a slow moving front across Flagler County.","Overnight rainfall total was 3.10 inches." +120452,721658,FLORIDA,2017,October,Flood,"FLAGLER",2017-10-18 07:00:00,EST-5,2017-10-18 07:00:00,0,0,0,0,0.00K,0,0.00K,0,29.524,-81.247,29.4683,-81.2491,"Minor coastal flooding and onshore flow brought waves of locally heavy rainfall. Localized flooding occurred in some areas of Flagler county.","Localized flooding was reported across Palm Coast, including Wheaton Lane and the south bound lands of Palm Coast Parkway from State Road 100 to Palm Coast Parkway." +120452,721659,FLORIDA,2017,October,Coastal Flood,"FLAGLER",2017-10-18 08:10:00,EST-5,2017-10-18 08:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Minor coastal flooding and onshore flow brought waves of locally heavy rainfall. Localized flooding occurred in some areas of Flagler county.","Tidal overwash on A1A was reported near Marineland associated with high astronomical tides. The road was passable but ocean debris remained." +120453,721660,FLORIDA,2017,October,Rip Current,"COASTAL DUVAL",2017-10-15 12:50:00,EST-5,2017-10-15 12:50:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong onshore flow and high astronomical tides produced a moderate risk of rip currents along the local coast.","A teen visiting from Guatamala drowned at Jacksonville Beach from a rip current. Surf was about 3-4 ft. Ocean rescue reported multiple rip current rescues over the weekend." +120487,721832,WYOMING,2017,October,High Wind,"ABSAROKA MOUNTAINS",2017-10-17 22:10:00,MST-7,2017-10-18 01:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds were forced to the surface by the right front quadrant of 100+ knot jet streak passing to the north. At the sensor along the Chief Joseph highway, winds were sustained at over 50 mph for 3 hours with wind gusts as high as 83 mph. Meanwhile, a mountain wave broke near Clark and brought very strong winds. There were several wind gusts of hurricane force, including a maximum of 96 mph.","The WYDOT sensor along the Chief Joseph highway reported sustained wind gusts padst 50 mph, and a maximum wind gust of 83 mph." +120795,723524,ILLINOIS,2017,October,Flood,"DU PAGE",2017-10-14 22:00:00,CST-6,2017-10-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,41.873,-88.0314,41.8408,-88.0274,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","A portion of northbound Finley Road had at least two feet of flood water." +120795,723525,ILLINOIS,2017,October,Flash Flood,"COOK",2017-10-14 21:15:00,CST-6,2017-10-15 04:00:00,0,0,0,0,0.00K,0,0.00K,0,41.8893,-87.6354,41.8863,-87.6356,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","The Chicago River overflowed its downtown banks to submerge most of the popular Chicago Riverwalk. Several entryways from Franklin Street east to Lake Michigan were taped off by police." +120176,720105,LOUISIANA,2017,October,Thunderstorm Wind,"EAST BATON ROUGE",2017-10-22 09:24:00,CST-6,2017-10-22 09:24:00,0,0,0,0,0.00K,0,0.00K,0,30.6032,-91.1195,30.6032,-91.1195,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A tree was reported blown down by thunderstorm winds on Plank Road." +120176,720107,LOUISIANA,2017,October,Thunderstorm Wind,"EAST BATON ROUGE",2017-10-22 09:38:00,CST-6,2017-10-22 09:38:00,0,0,0,0,0.00K,0,0.00K,0,30.5029,-91.0284,30.5029,-91.0284,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A power line was reported blown down on Mapleton Drive." +120176,720108,LOUISIANA,2017,October,Thunderstorm Wind,"EAST BATON ROUGE",2017-10-22 09:42:00,CST-6,2017-10-22 09:42:00,0,0,0,0,0.00K,0,0.00K,0,30.6647,-91.1243,30.6647,-91.1243,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","A power line was reported blown down on Machost Road near Zachary." +120176,720109,LOUISIANA,2017,October,Thunderstorm Wind,"ST. JOHN THE BAPTIST",2017-10-22 10:30:00,CST-6,2017-10-22 10:30:00,0,0,0,0,0.00K,0,0.00K,0,30.074,-90.4731,30.074,-90.4731,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Power lines were reported blown down along US Highway 51 in LaPlace. Event time was estimated from radar." +120513,722110,MASSACHUSETTS,2017,October,High Wind,"WESTERN MIDDLESEX",2017-10-24 09:41:00,EST-5,2017-10-25 05:00:00,0,0,0,0,30.00K,30000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Single trees were brought down on Chamberlain Street in Holliston; Marlboro Street at Reed Road in Hudson; Oak Street in Weston; Peter Spring Road in Concord; Main Street, Bullard Street, and Washington Street at Western Avenue in Sherborn; West Central Street, State Route 16 at Farm Hill Road, as well as Speen Street at Marjorie Lane in Natick; Porter Road at Turnpike Road in Chelmsford; Rogers Street in Billerica; Wilson Street in Hopkinton; Foster Street in Littleton; Sears Road in Wayland; Nixon Road in Westford; State Route 135 as well as Central Street in Ashland; River Street in Maynard; Berlin Road at Peoples Way in Marlborough; Pearl Street at Nugent Lane in Reading; Maynard Road in Framingham. A tree was down and leaning against a utility pole on Stackpole Street in Lowell." +120513,722120,MASSACHUSETTS,2017,October,High Wind,"WESTERN NORFOLK",2017-10-24 11:03:00,EST-5,2017-10-24 20:36:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Trees were down on Pine Street and on Stonybrook Road in Medfield; on East Side Road as well as Bennett Street in Wrentham; Lovering Street in Medway; Great Plain Avenue in Needham; on Curve Street in Dedham; Park Street in Norfolk; and Crest Road Way in Sharon." +120513,722126,MASSACHUSETTS,2017,October,High Wind,"EASTERN NORFOLK",2017-10-24 15:17:00,EST-5,2017-10-25 06:05:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Trees were down blocking Randolph Avenue at Hallen Avenue; on Vanness Road, on Sea Street, and on Evans Street in Weymouth; on North Main Street in North Weymouth; and on Indian Spring Way at Hillside Road in Wellesley." +120852,723619,MICHIGAN,2017,October,Thunderstorm Wind,"MONROE",2017-10-07 21:52:00,EST-5,2017-10-07 21:52:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-83.46,42.07,-83.46,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723620,MICHIGAN,2017,October,Thunderstorm Wind,"LAPEER",2017-10-07 22:03:00,EST-5,2017-10-07 22:03:00,0,0,0,0,0.00K,0,0.00K,0,42.97,-83.16,42.97,-83.16,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723621,MICHIGAN,2017,October,Thunderstorm Wind,"LAPEER",2017-10-07 21:56:00,EST-5,2017-10-07 21:56:00,0,0,0,0,0.00K,0,0.00K,0,43.06,-83.24,43.06,-83.24,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723622,MICHIGAN,2017,October,Thunderstorm Wind,"LAPEER",2017-10-07 22:05:00,EST-5,2017-10-07 22:05:00,0,0,0,0,0.00K,0,0.00K,0,43.1,-83.11,43.1,-83.11,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723623,MICHIGAN,2017,October,Thunderstorm Wind,"HURON",2017-10-07 22:09:00,EST-5,2017-10-07 22:09:00,0,0,0,0,0.00K,0,0.00K,0,44,-83.05,44,-83.05,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723624,MICHIGAN,2017,October,Thunderstorm Wind,"HURON",2017-10-07 22:32:00,EST-5,2017-10-07 22:32:00,0,0,0,0,0.00K,0,0.00K,0,43.88,-82.67,43.88,-82.67,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723625,MICHIGAN,2017,October,Thunderstorm Wind,"SANILAC",2017-10-07 22:40:00,EST-5,2017-10-07 22:40:00,0,0,0,0,0.00K,0,0.00K,0,43.5,-82.57,43.5,-82.57,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723626,MICHIGAN,2017,October,Thunderstorm Wind,"SHIAWASSEE",2017-10-07 20:33:00,EST-5,2017-10-07 20:33:00,0,0,0,0,0.00K,0,0.00K,0,42.7765,-84.3407,42.7765,-84.3407,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Part of a barn roof and wall blown down, along with a downed tree." +120852,723627,MICHIGAN,2017,October,Thunderstorm Wind,"BAY",2017-10-07 21:05:00,EST-5,2017-10-07 21:05:00,0,0,0,0,0.00K,0,0.00K,0,43.59,-83.88,43.59,-83.88,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A tree was reported blown down." +120852,723628,MICHIGAN,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-07 21:17:00,EST-5,2017-10-07 21:17:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-83.78,42.76,-83.78,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","Multiple trees and large tree limbs down." +120852,723629,MICHIGAN,2017,October,Thunderstorm Wind,"SAGINAW",2017-10-07 21:22:00,EST-5,2017-10-07 21:22:00,0,0,0,0,0.00K,0,0.00K,0,43.34,-83.72,43.34,-83.72,"A strong cold front tracking through southeast Michigan produced severe thunderstorms, with sporadic wind damage reported across the area.","A couple of trees reported down, along with several tree limbs." +121192,725480,KANSAS,2017,October,Hail,"WABAUNSEE",2017-10-21 14:17:00,CST-6,2017-10-21 14:18:00,0,0,0,0,,NaN,,NaN,39.07,-96.14,39.07,-96.14,"A thin line of thunderstorms developed across portions of central Kansas during the early afternoon hours. They then quickly moved east during the afternoon hours, producing 2 large hail reports and one damaging wind report.","The report was delayed via social media." +121192,725481,KANSAS,2017,October,Hail,"LYON",2017-10-21 15:17:00,CST-6,2017-10-21 15:18:00,0,0,0,0,,NaN,,NaN,38.55,-96.26,38.55,-96.26,"A thin line of thunderstorms developed across portions of central Kansas during the early afternoon hours. They then quickly moved east during the afternoon hours, producing 2 large hail reports and one damaging wind report.","Report was received via social media." +121192,725482,KANSAS,2017,October,Thunderstorm Wind,"DOUGLAS",2017-10-21 17:11:00,CST-6,2017-10-21 17:12:00,0,0,0,0,,NaN,,NaN,38.96,-95.23,38.96,-95.23,"A thin line of thunderstorms developed across portions of central Kansas during the early afternoon hours. They then quickly moved east during the afternoon hours, producing 2 large hail reports and one damaging wind report.","A power line was reported down at 13th and New York." +120947,723952,WASHINGTON,2017,October,Debris Flow,"CHELAN",2017-10-22 06:00:00,PST-8,2017-10-22 06:30:00,0,0,0,0,0.00K,0,0.00K,0,47.9055,-120.2193,47.9083,-120.2187,"An atmospheric river of Pacific moisture brought heavy rain to the East Slopes of the Cascades on the 21st and 22nd of October. The Steheken COOP station reported 2.52 inches of rain from the morning of the 21st to the morning of the 22nd. 2.15 inches was recorded at Dryden, and 1.30 inches at Chelan. This rain saturated the ground and created a debris flow across the South Lake Shore Road along Lake Chelan.","Heavy rain produced a debris flow across South Lake Shore Road at Slide Ridge near Manson. A 16 foot wide slide of mud, logs and rocks temporarily closed the highway." +120950,723958,IDAHO,2017,October,Wildfire,"NORTHERN PANHANDLE",2017-10-17 14:50:00,PST-8,2017-10-17 16:30:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"Windy conditions during the afternoon of October 17th spread a number of small wildfires in north Idaho. Several of the fires were caused by previously completed burn piles which were not properly extinguished. One fire was sparked by blowing tree branches creating arcing electrical wires. This fire spread into structures and destroyed 5 automobiles and a barn. Local observations recorded wind gusts to 44 mph during this wind storm.","In Sagle, Idaho a wildfire destroyed 5 automobiles and a barn before being brought under control. The fire was started by arcing electrical wires from swaying trees during windy conditions." +120211,720248,TENNESSEE,2017,October,High Wind,"WASHINGTON",2017-10-23 15:30:00,EST-5,2017-10-23 15:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong pressure gradient developed between an approaching low pressure system and retreating high pressure resulting in strong winds behind a cold front.","Several trees were reported down across the western part of the county." +120237,720362,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GALVESTON BAY",2017-10-22 07:53:00,CST-6,2017-10-22 07:53:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.9109,29.54,-94.9109,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at WeatherFlow site XGAL." +115613,694416,IOWA,2017,June,Hail,"BUCHANAN",2017-06-15 19:40:00,CST-6,2017-06-15 19:40:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-91.89,42.47,-91.89,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694417,IOWA,2017,June,Hail,"LINN",2017-06-15 19:53:00,CST-6,2017-06-15 19:53:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-91.57,42.03,-91.57,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +120866,723692,IOWA,2017,October,Heavy Rain,"DECATUR",2017-10-05 06:00:00,CST-6,2017-10-06 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-93.95,40.62,-93.95,"A period of sustained rainfall set up shop across southern Iowa during the morning hours of the 5th and continued throughout the day before tapering off in the overnight hours. The culprit of the event was an approaching warm front that stalled out over southern Iowa by the late afternoon hours of the 5th. Coupled with precipitable water values climbing towards the 1.75 to 2.0 range and modest MUCAPE values around 500 to 1000 J/kg, the result became a rainfall event that saw multiple locations receive over 3 inches of rainfall and a couple approaching 5 inches.","Coop observer reported heavy rainfall of 3.35 inches over the last 24 hours." +115613,694431,IOWA,2017,June,Hail,"LINN",2017-06-15 20:03:00,CST-6,2017-06-15 20:03:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-91.63,42.29,-91.63,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694432,IOWA,2017,June,Hail,"WASHINGTON",2017-06-15 21:59:00,CST-6,2017-06-15 21:59:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-91.83,41.47,-91.83,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +121053,724720,NEW YORK,2017,October,Flash Flood,"ULSTER",2017-10-29 22:00:00,EST-5,2017-10-29 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.7372,-74.207,41.7372,-74.2071,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","A lane was closed due to flash flooding." +121053,724742,NEW YORK,2017,October,Heavy Rain,"DUTCHESS",2017-10-30 02:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,,NaN,,NaN,42.06,-73.91,42.06,-73.91,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Two and a half inches of rain was reported." +121053,726003,NEW YORK,2017,October,Heavy Rain,"GREENE",2017-10-29 19:15:00,EST-5,2017-10-30 00:15:00,0,0,0,0,,NaN,,NaN,42.21,-74.22,42.21,-74.22,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Social Media reported 7 inches of heavy rainfall." +119620,717665,MONTANA,2017,October,Winter Storm,"HILL",2017-10-03 16:00:00,MST-7,2017-10-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Snow emergency declared for the City of Havre." +119620,717664,MONTANA,2017,October,Winter Storm,"HILL",2017-10-03 09:00:00,MST-7,2017-10-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Cars buried in snow drifts in Laredo." +119620,717666,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-03 16:00:00,MST-7,2017-10-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Snow emergency declared for the Fort Belknap Agency." +119620,717643,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-03 10:00:00,MST-7,2017-10-03 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Power lines down on HWY 2 in Harlem, blocking lanes." +120112,719717,MISSOURI,2017,October,Thunderstorm Wind,"CLAY",2017-10-14 16:15:00,CST-6,2017-10-14 16:18:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-94.42,39.25,-94.42,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","Broadcast media reported a 60 mph wind gust." +120112,719723,MISSOURI,2017,October,Thunderstorm Wind,"CLAY",2017-10-14 16:40:00,CST-6,2017-10-14 16:43:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-94.49,39.21,-94.49,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","An NWS employee reported a 60 mph wind gust." +120112,719726,MISSOURI,2017,October,Thunderstorm Wind,"JACKSON",2017-10-14 17:13:00,CST-6,2017-10-14 17:16:00,0,0,0,0,0.00K,0,0.00K,0,38.85,-94.34,38.85,-94.34,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","An NWS employee reported a 65 mph wind gust in Greenwood." +119916,718778,FLORIDA,2017,October,Tropical Storm,"COASTAL BAY",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718779,FLORIDA,2017,October,Tropical Storm,"INLAND BAY",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120416,721472,MICHIGAN,2017,October,High Wind,"ALGER",2017-10-24 06:30:00,EST-5,2017-10-24 16:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening fall storm system tracking from the Ohio Valley to near the Mackinac Straits produced very strong and damaging north winds up to 60 mph, power outages and extensive lake shore flooding over mainly the north half of Upper Michigan on the 24th.","Winds gusting at or above 60 mph at times downed trees, power poles and power lines across much of the county on the 24th. Au Train-Onoto and Munising public schools were closed on the 24th due the intense fall storm." +120477,721809,NEW JERSEY,2017,October,Strong Wind,"NORTHWESTERN BURLINGTON",2017-10-24 07:33:00,EST-5,2017-10-24 07:33:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Over 25,000 homes and businesses lost power. Several school districts had to close because of the power loss. ||Damage occurred in several locations occurred in several locations due to the high winds. A tree fell onto a car in Pitman, trees and wires were taken down in Hamilton township. Trees were also reported down in Springville and Burlington Township in Burlington county along with Monroe Township in Gloucester county. in Gloucester county, Tree damage was also reported in Whitman square, Downer and Clayton along with Harding and Mullica Hill. Tree damage due to winds extended north in Leonardo and Pleasant Grove along with Hanford in Sussex county.","Measured five miles east of Jobstown." +120477,721810,NEW JERSEY,2017,October,Strong Wind,"NORTHWESTERN BURLINGTON",2017-10-24 04:25:00,EST-5,2017-10-24 04:25:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Over 25,000 homes and businesses lost power. Several school districts had to close because of the power loss. ||Damage occurred in several locations occurred in several locations due to the high winds. A tree fell onto a car in Pitman, trees and wires were taken down in Hamilton township. Trees were also reported down in Springville and Burlington Township in Burlington county along with Monroe Township in Gloucester county. in Gloucester county, Tree damage was also reported in Whitman square, Downer and Clayton along with Harding and Mullica Hill. Tree damage due to winds extended north in Leonardo and Pleasant Grove along with Hanford in Sussex county.","Measured gust at Newbolds Corner." +120477,721811,NEW JERSEY,2017,October,Strong Wind,"CUMBERLAND",2017-10-24 04:25:00,EST-5,2017-10-24 04:45:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Over 25,000 homes and businesses lost power. Several school districts had to close because of the power loss. ||Damage occurred in several locations occurred in several locations due to the high winds. A tree fell onto a car in Pitman, trees and wires were taken down in Hamilton township. Trees were also reported down in Springville and Burlington Township in Burlington county along with Monroe Township in Gloucester county. in Gloucester county, Tree damage was also reported in Whitman square, Downer and Clayton along with Harding and Mullica Hill. Tree damage due to winds extended north in Leonardo and Pleasant Grove along with Hanford in Sussex county.","New Jersey WeatherNet measured gust in Port Norris. Also a 48 mph gust at Seabrook farms." +120486,721831,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-14 20:00:00,MST-7,2017-10-15 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds mixed to the surface and brought strong winds to the Cody Foothills around the wind prone areas near Clark. At the site 8 miles south-southwest of Clark, several wind gusts past 58 mph were reported including a maximum of 65 mph.","The wind sensor 8 miles south-southwest of Clark recorded a maximum wind gust of 65 mph." +120556,722239,TEXAS,2017,October,Hail,"LIPSCOMB",2017-10-06 19:50:00,CST-6,2017-10-06 19:50:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-100.54,36.46,-100.54,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Social media post showed hail the size from nickels to half dollars." +120556,722240,TEXAS,2017,October,Thunderstorm Wind,"POTTER",2017-10-06 20:35:00,CST-6,2017-10-06 20:35:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-101.66,35.26,-101.66,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Dual power poles snapped due to damaging wind from a thunderstorm." +120556,722241,TEXAS,2017,October,Thunderstorm Wind,"POTTER",2017-10-06 20:36:00,CST-6,2017-10-06 20:36:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-101.82,35.24,-101.82,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Trees and power lines down on Mirror Street between NE 20th and NE 24th avenues." +120618,722570,MASSACHUSETTS,2017,October,Strong Wind,"WESTERN ESSEX",2017-10-26 21:05:00,EST-5,2017-10-26 21:44:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","At 905 PM EST, a large tree was down and blocking Greenwood Road at Ledge Road in Andover. At 916 PM EST, a tree was down in North Andover on Farnum Street at Johnson Street. At 933 PM EST, a tree was down and partly blocking Bear Hill Road near the wildlife area in Groveland. At 944 PM EST, a tree was brought down in Topsfield at Pye Brook Park." +120626,722576,NEBRASKA,2017,October,Hail,"DIXON",2017-10-06 06:08:00,CST-6,2017-10-06 06:08:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-97.01,42.64,-97.01,"Widely scattered thunderstorms developed early in the morning and produced one inch hail in portions of northeast Nebraska.","" +120626,722577,NEBRASKA,2017,October,Hail,"DIXON",2017-10-06 06:18:00,CST-6,2017-10-06 06:18:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-96.89,42.67,-96.89,"Widely scattered thunderstorms developed early in the morning and produced one inch hail in portions of northeast Nebraska.","" +120618,722569,MASSACHUSETTS,2017,October,Strong Wind,"WESTERN MIDDLESEX",2017-10-26 20:17:00,EST-5,2017-10-26 21:32:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure intensified as it lifted north through Maine. This brought strong northwest winds, primarily across eastern and central Massachusetts, during the evening of the 26th. Several large trees were brought down by this wind.","At 817 PM EST, a 9-inch diameter tree was brought down on Powder Hill Road in Acton. At 831 PM EST, a tree was brought down on West Street in Natick. At 850 PM EST, multiple trees and wires were brought down on School House Lane in Billerica; at 856 PM EST a large tree was brought down in Bolton on Still River Road near Bolton Orchards; at 9 PM EST a tree was brought down on a building on Treble Cove Road in Billerica. At 932 PM EST, a tree was down on and partly blocking State Route 125 in Wilmington." +120608,722581,KANSAS,2017,October,Tornado,"RICE",2017-10-06 17:56:00,CST-6,2017-10-06 17:57:00,0,0,0,0,0.00K,0,0.00K,0,38.378,-98.3727,38.3855,-98.3633,"Supercell thunderstorms developed just to the southeast of a stationary boundary situated across portions of Central Kansas. The supercells produced large hail up to 2 1/2 inches in diameter, damaging wind gusts. Two weak tornadoes were also reported across Central Kansas both rated EF0.","Sheet metal was torn away from the roof and deposited to the north and northwest. Another nearby structure not attached to the ground was turned over to the south. All other debris damage in the county was blown towards the northeast." +120228,720324,NORTH DAKOTA,2017,October,High Wind,"ROLETTE",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","A 63 mph wind gust was measured at the Turtle Mountain RAWS." +120591,722872,VERMONT,2017,October,Strong Wind,"EASTERN RUTLAND",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120591,722873,VERMONT,2017,October,Strong Wind,"WESTERN ADDISON",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120388,721207,OKLAHOMA,2017,October,Flash Flood,"OSAGE",2017-10-04 12:23:00,CST-6,2017-10-04 17:30:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-96.4,36.4211,-96.3832,"An area of showers with embedded thunderstorms increased in coverage during the early morning hours of the 4th, developing within a very moist air mass south of a stalled frontal boundary that stretched from southeastern Kansas into northwestern Oklahoma. This activity spread across northeastern Oklahoma during the day. These thunderstorms were very efficient at producing rainfall due to precipitable water values near two inches, which was about 200 percent of normal for that time of year. Some of this thunderstorm activity produced 1.5 to 2 inches of rain per hour. Thunderstorms moving repeatedly over the same areas resulted in rainfall totals in the five to ten inch range across portions of Osage and Pawnee Counties. That heavy rainfall resulted in flash flooding, with numerous roads closed. ||The widespread heavy rainfall also resulted in main stem river flooding with Black Bear Creek at Pawnee reaching moderate flood stage.","Numerous streets were severely flooded and closed across town." +120798,723427,ALASKA,2017,October,High Wind,"CENTRAL ALEUTIANS",2017-10-24 05:33:00,AKST-9,2017-10-24 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extratropical low developed off the tip of Kamchatka ahead of decaying Typhoon Lan. The extratropical low tapped into the energy associated with the typhoon and quickly strengthened from the upper 970 mb range to the mid 930's. This helped bring hurricane force winds to the Western and Central Aleutians.","Peak gust of 66 knots reported at Atka (PAAK) at 05:33 and by the next observation at 05:56 the winds had already begun to diminish." +120798,723428,ALASKA,2017,October,High Wind,"WESTERN ALEUTIANS",2017-10-23 14:03:00,AKST-9,2017-10-23 17:58:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extratropical low developed off the tip of Kamchatka ahead of decaying Typhoon Lan. The extratropical low tapped into the energy associated with the typhoon and quickly strengthened from the upper 970 mb range to the mid 930's. This helped bring hurricane force winds to the Western and Central Aleutians.","Shemya (PASY) observed hurricane force wind gusts for nearly 3 hours before winds began to diminish. Winds stayed above 70 mph for another 2 hours following them diminishing below warning criteria." +120798,723431,ALASKA,2017,October,High Wind,"ALASKA PENINSULA",2017-10-24 15:16:00,AKST-9,2017-10-24 16:56:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An extratropical low developed off the tip of Kamchatka ahead of decaying Typhoon Lan. The extratropical low tapped into the energy associated with the typhoon and quickly strengthened from the upper 970 mb range to the mid 930's. This helped bring hurricane force winds to the Western and Central Aleutians.","PACD (Cold Bay ASOS) reported a gust of 65 kts at 15:16. Winds began to diminish afterwards but remained around hurricane force until almost 17:00." +120390,721183,OKLAHOMA,2017,October,Thunderstorm Wind,"OSAGE",2017-10-21 18:40:00,CST-6,2017-10-21 18:40:00,0,0,0,0,0.00K,0,0.00K,0,36.6346,-96.8105,36.6346,-96.8105,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","The Oklahoma Mesonet station near Burbank measured 59 mph thunderstorm wind gusts." +120407,723384,NEW YORK,2017,October,High Wind,"SOUTHERN NASSAU",2017-10-29 23:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","At 1 am on the 30th, a trained spotter reported a tree uprooted and one tree snapped on Greenway off of Harold Avenue in the town of Wantagh. A wind gust of 51 mph was reported by the broadcast media in the town of Merrick at 1050 pm on the 29th." +120407,723378,NEW YORK,2017,October,High Wind,"NORTHEAST SUFFOLK",2017-10-29 20:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet station, at an elevation of 53 feet, measured a 75 mph gust near Plum Island at 210 am on the 30th. Another mesonet station near Fishers Island measured a wind gust to 64 mph at 130 am on the 30th. At 915 pm on the 29th, a trained spotter observed power lines down, which led to power outages for the town of Orient. At 929 pm, a trained spotter in Manorville observed several medium sized trees down. At 11 pm, a National Weather Service employee reported a large tree down on Duryea Street in Riverhead. At the National Weather Service office in Upton, a large tree limb and branch was downed, which blocked the adjacent road around 1 am." +120407,723377,NEW YORK,2017,October,High Wind,"NORTHWEST SUFFOLK",2017-10-29 21:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,500.00K,500000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","At 1030 pm on the 29th, the broadcast media reported a large tree uprooted and fell onto a roof of a home on Sherbrooke Drive in Hauppauge. At 1045 pm, a National Weather Service employee observed a tree down on power lines on NY454 and NY111 in Hauppauge. At the same time, the media reported a large tree down blocking Boulder Street in Ronkonkoma. In Huntington, numerous trees snapped and were uprooted with trees and power lines down throughout the town around 11 pm. At midnight on the 30th, the broadcast media reported a large branch down on a minivan in East Northport. At 2 am on the 30th, a National Weather Service employee reported numerous large branches down on Hargrove Drive in Stony Brook.|At 6 am in Hauppauge, the broadcast media reported power lines down with a transformer fire on Veterans Highway, leading to a road closure.|A mesonet station measured a 60 mph wind gust near Belle Terre at 1105 pm on the 29th." +120776,723370,CONNECTICUT,2017,October,High Wind,"SOUTHERN FAIRFIELD",2017-10-29 22:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A measured gust of 65 mph occurred in Stamford at 136 am on the 30th. Another mesonet near Stamford measured a gust to 64 mph at 1134 pm on the 29th. A report from social media of a 64 mph gust in Old Greenwich occurred at 1040 pm on the 29th. The ASOS at Bridgeport measured a gust to 54 mph at 1152 pm on the 29th." +120776,723372,CONNECTICUT,2017,October,High Wind,"SOUTHERN NEW LONDON",2017-10-29 22:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet near Mystic reported a wind gust to 73 mph at 240 am on the 30th. The Groton Airport ASOS measured a gust to 66 mph at 1131 pm on the 29th. Another mesonet near New London measured a gust to 58 mph at 139 am on the 30th. Per social media, at 325 am, a tree was knocked down blocking Colonel Ledyard Highway." +120974,724151,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-05 08:00:00,EST-5,2017-10-05 09:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Significant street flooding due to high tide occurred along Miami Beach and Key Biscayne. Portions of Collins Avenue in Miami Beach reported an estimated 6 inches of standing water from 14th Street to 24th Street, with as much as 9 inches near Collins and 23rd Street. On Key Biscayne, 6 to 9 inches of water was reported to have covered the entire roadway along Harbor Drive for a length of 100 to 200 feet." +120974,724149,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-05 07:00:00,EST-5,2017-10-05 08:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Significant street flooding due to high tide was reported via social media along Biarritz Drive near Normandy Shores Gulf Course. An additional several inches of water was also reported along the roads in the Bay Harbor Islands." +120974,724146,FLORIDA,2017,October,Coastal Flood,"COASTAL BROWARD COUNTY",2017-10-04 19:00:00,EST-5,2017-10-04 20:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding during high tide lead to several inches of water covering the street just west of the Fort Lauderdale Yacht Club. Pictures received via social media." +120974,724154,FLORIDA,2017,October,Coastal Flood,"COASTAL PALM BEACH COUNTY",2017-10-05 07:00:00,EST-5,2017-10-05 08:20:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Reports received via social media of water entering a home in Delray Beach at Marine Way near SE 1st Street during the time of high tide. Time of report estimated." +121094,724941,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Nine and a half inches of snow was observed a mile north of Federal." +121094,724942,WYOMING,2017,October,Winter Storm,"LARAMIE VALLEY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six inches of snow was measured three miles south-southwest of Laramie." +121094,724943,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six inches of snow was measured 12 miles west-northwest of Cheyenne." +121094,724945,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six and a half inches of snow was measured 10.5 miles north of Cheyenne." +121094,724946,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Seven and a half inches of snow was observed six miles northeast of Cheyenne." +121094,724947,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Seven inches of snow was observed a mile northeast of Cheyenne." +119748,718157,COLORADO,2017,October,Winter Weather,"LOWER YAMPA RIVER BASIN",2017-10-01 11:30:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 2 to 4 inches of snow fell across the area." +119748,718159,COLORADO,2017,October,Winter Weather,"GRAND AND BATTLEMENT MESAS",2017-10-01 19:00:00,MST-7,2017-10-02 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 2 to 5 inches of snow fell across the area." +119748,718161,COLORADO,2017,October,Winter Weather,"WEST ELK AND SAWATCH MOUNTAINS",2017-10-01 15:00:00,MST-7,2017-10-02 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front associated with a strong upper level disturbance moved through the northern and central portions of western Colorado, and produced significant to heavy snowfall over most mountain areas.","Generally 4 to 8 inches of snow fell across the area." +121111,725089,SOUTH CAROLINA,2017,October,Thunderstorm Wind,"HORRY",2017-10-23 20:29:00,EST-5,2017-10-23 20:31:00,0,0,0,0,15.00K,15000,0.00K,0,33.8993,-79.0476,33.8999,-79.0465,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","Outbuildings were reportedly damaged. Large tree limbs were snapped. Metal roofing was wrapped around trees. A commercial sign was blown down. The wind blew the sign to the northeast. The sign hit a nearby home, but reportedly caused no damage. The damage occurred near the intersection of U.S. 701 and Wise Rd." +121111,725097,SOUTH CAROLINA,2017,October,Tornado,"HORRY",2017-10-23 21:27:00,EST-5,2017-10-23 21:29:00,0,0,0,0,25.00K,25000,0.00K,0,33.8506,-78.8966,33.855,-78.8933,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A storm survey conducted by the National Weather Service confirmed an EF-1 tornado touched down near the intersection of Old Reaves Ferry Rd. and Inman Cir. and tracked to the northeast. Considerable tree damage was observed between Inman Cir. and the Waccamaw River. The team observed numerous trees, up to 16 inches in diameter, snapped and many large limbs were also broken out of the tree tops. On the east side of Inman Cir., a window was blown out of a garage and the garage door buckled slightly. Winds were estimated to 95 mph. The tornado had a path length of just over a third of a mile and a maximum path width of 75 yards. The tornado was on the ground for less than 2 minutes." +121117,725101,NORTH CAROLINA,2017,October,Thunderstorm Wind,"COLUMBUS",2017-10-23 21:15:00,EST-5,2017-10-23 21:16:00,0,0,0,0,10.00K,10000,0.00K,0,34.2856,-78.9185,34.2856,-78.9185,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A storage shed was reportedly destroyed. Large tree limbs were also reported down. The damage occurred along Rough and Ready Rd." +121117,725111,NORTH CAROLINA,2017,October,Thunderstorm Wind,"COLUMBUS",2017-10-23 21:16:00,EST-5,2017-10-23 21:17:00,0,0,0,0,1.00K,1000,0.00K,0,34.3221,-78.924,34.3221,-78.924,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","A tree was reported down on Main Street." +121117,725099,NORTH CAROLINA,2017,October,Thunderstorm Wind,"COLUMBUS",2017-10-23 21:06:00,EST-5,2017-10-23 21:07:00,0,0,0,0,2.00K,2000,0.00K,0,34.005,-78.6726,34.005,-78.6726,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","Two trees were reportedly down along a farmer's field, just north of Old Dothan Rd." +120681,724673,MAINE,2017,October,High Wind,"COASTAL HANCOCK",2017-10-30 03:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 60 to 70 mph were common...with a peak gust of 73 mph reported at Brooklin." +121136,725207,ALABAMA,2017,October,Tropical Storm,"CHEROKEE",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +121136,725208,ALABAMA,2017,October,Tropical Storm,"CHILTON",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +118659,712889,UTAH,2017,July,Debris Flow,"GRAND",2017-07-25 23:00:00,MST-7,2017-07-26 00:00:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-109.55,38.5797,-109.5501,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","A debris flow of mud and vegetation occurred across a portion of Highway 191 on the north side of Moab due to heavy rainfall. Radar rainfall estimates in that area ranged from about an inch to an inch and a half." +118659,713015,UTAH,2017,July,Heavy Rain,"GRAND",2017-07-25 17:00:00,MST-7,2017-07-25 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.6,-109.605,38.6,-109.605,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","Heavy rains impacted the railroad portal at the Moab Uranium Mill Tailings Remedial Action (UMTRA) Project, washing some of the 2014 rock slide trail downslope onto the rails. Additionally, there was also a rock fall about four miles north of the rails that blocked the tracks. Radar estimated at least 1.5 to 2 inches of rain fell across the area that evening." +120143,719792,MINNESOTA,2017,October,Strong Wind,"SOUTHERN ST. LOUIS / CARLTON",2017-10-24 02:33:00,CST-6,2017-10-24 06:13:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds across the Northlandcaused damage to a holiday outdoor light exhibit in downtown Duluth. Additional damage was done to power lines, which resulted in over 660 residences across Duluth, Esko, and the Iron Range without power for several hours.","An organization that puts on an outdoor Christmas lights show in downtown Duluth posted pictures showcasing damage done to large constructed lights displays from strong winds. The nearby AWOS station reported peak gusts reaching 51 mph with a top sustained wind of 33 mph." +120143,722973,MINNESOTA,2017,October,High Wind,"SOUTHERN LAKE",2017-10-24 02:10:00,CST-6,2017-10-24 02:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds across the Northlandcaused damage to a holiday outdoor light exhibit in downtown Duluth. Additional damage was done to power lines, which resulted in over 660 residences across Duluth, Esko, and the Iron Range without power for several hours.","High winds measured by SLVM5." +120702,722980,WISCONSIN,2017,October,Flood,"DOUGLAS",2017-10-03 07:00:00,CST-6,2017-10-04 15:55:00,0,0,0,0,0.00K,0,0.00K,0,46.65,-92.03,46.6467,-92.0288,"Heavy rain brought flooding to parts of northwest Wisconsin.","Water covered County Road Z." +120702,722982,WISCONSIN,2017,October,Flood,"DOUGLAS",2017-10-03 10:00:00,CST-6,2017-10-04 15:55:00,0,0,0,0,0.00K,0,0.00K,0,46.57,-92.25,46.5716,-92.2425,"Heavy rain brought flooding to parts of northwest Wisconsin.","Water covered South Barnes roadway near County Road C." +118664,712904,COLORADO,2017,July,Debris Flow,"SAN MIGUEL",2017-07-28 15:00:00,MST-7,2017-07-28 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.02,-108.06,38.0216,-108.0602,"Subtropical moisture produced some thunderstorms with heavy rainfall in San Miguel County.","A large amount of mud and other debris flowed across Colorado Highways 62 and 145 due as a result of heavy rainfall. The roads were closed for a while until the debris was removed." +120837,723544,COLORADO,2017,October,Winter Weather,"SOUTHERN SANGRE DE CRISTO MOUNTAINS ABOVE 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723546,COLORADO,2017,October,Winter Weather,"WESTERN CHAFFEE COUNTY BETWEEN 9000 & 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723547,COLORADO,2017,October,Winter Weather,"CENTRAL CHAFFEE COUNTY BELOW 9000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723548,COLORADO,2017,October,Winter Weather,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120837,723549,COLORADO,2017,October,Winter Weather,"TELLER COUNTY / RAMPART RANGE ABOVE 7500 FT / PIKES PEAK BETWEEN 7500 & 11000 FT",2017-10-09 05:00:00,MST-7,2017-10-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system generated 3 to 7 inches of snow across higher terrain. Three to 5 inches occurred near Westcliffe (Custer County), Rye (Pueblo County), Florissant (Teller County) and the Spanish Peaks (Huerfano County). Seven inches of snow was noted in Maysville (Chaffee County).","" +120836,723537,COLORADO,2017,October,Winter Weather,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-10-01 01:00:00,MST-7,2017-10-03 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A upper level system moving from the northwest brought up to 8 inches of snow in a few days in Lake County, including the Leadville area.","" +120839,723551,COLORADO,2017,October,Winter Weather,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-10-30 18:00:00,MST-7,2017-10-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level system produced around 5 inches of snow around Maysville on Monarch Pass (Chaffee County).","" +120839,723552,COLORADO,2017,October,Winter Weather,"WESTERN CHAFFEE COUNTY BETWEEN 9000 & 11000 FT",2017-10-30 18:00:00,MST-7,2017-10-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level system produced around 5 inches of snow around Maysville on Monarch Pass (Chaffee County).","" +120839,723553,COLORADO,2017,October,Winter Weather,"CENTRAL CHAFFEE COUNTY BELOW 9000 FT",2017-10-30 18:00:00,MST-7,2017-10-31 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fast moving upper level system produced around 5 inches of snow around Maysville on Monarch Pass (Chaffee County).","" +121189,725527,CALIFORNIA,2017,October,Heat,"SAN DIEGO COUNTY VALLEYS",2017-10-25 10:00:00,PST-8,2017-10-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Valley highs were in the upper 90s and low 100s, with a peak of 104 degrees recorded in Pala. El Cajon and Escondido set daily records with readings of 102 and 100 degrees respectively." +121189,725528,CALIFORNIA,2017,October,Excessive Heat,"ORANGE COUNTY COASTAL",2017-10-23 10:00:00,PST-8,2017-10-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon highs ranged from the upper 80s to upper 90s. Isolated areas several miles inland recorded values into the 100s, including 108 degrees at the Cattle Crest Trailhead mesonet station." +121222,725751,PUERTO RICO,2017,October,Flash Flood,"MANATI",2017-10-08 15:25:00,AST-4,2017-10-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,18.437,-66.5323,18.4373,-66.4822,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Road PR-2 impassable due to flood waters between Barceloneta and Manati." +116628,713793,MINNESOTA,2017,July,Thunderstorm Wind,"BROWN",2017-07-19 13:53:00,CST-6,2017-07-19 13:53:00,0,0,0,0,0.00K,0,0.00K,0,44.11,-94.9,44.11,-94.9,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Several trees were blown down near Comfrey." +116628,713797,MINNESOTA,2017,July,Thunderstorm Wind,"BROWN",2017-07-19 13:58:00,CST-6,2017-07-19 13:58:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-94.8,44.12,-94.8,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","A semi-trailer was tipped over near County Roads 8 and 18, east of Comfrey." +116628,713799,MINNESOTA,2017,July,Thunderstorm Wind,"WATONWAN",2017-07-19 14:05:00,CST-6,2017-07-19 14:05:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-94.63,43.99,-94.63,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","A large tree was blown down near St. James." +116628,713801,MINNESOTA,2017,July,Thunderstorm Wind,"BROWN",2017-07-19 14:12:00,CST-6,2017-07-19 14:12:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-94.43,44.23,-94.43,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Power lines were blown down near Searles." +119660,718849,VIRGINIA,2017,August,Heavy Rain,"JAMES CITY",2017-08-08 06:00:00,EST-5,2017-08-08 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-76.76,37.27,-76.76,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 4.10 inches was measured at Williamsburg (3.2 W)." +119399,716618,VIRGINIA,2017,July,Thunderstorm Wind,"VIRGINIA BEACH (C)",2017-07-21 15:00:00,EST-5,2017-07-21 15:00:00,1,0,0,0,5.00K,5000,0.00K,0,36.85,-75.98,36.85,-75.98,"Isolated severe thunderstorm associated with a trough of low pressure produced damaging winds across portions of southeast Virginia.","Wind gust pushed over at least 15 lifeguard stands, most with lifeguards in them. The main area of damage extended from 4th Street to 20th Street. The most serious injury was a mild concussion." +120232,720536,VIRGINIA,2017,August,Heavy Rain,"CHESAPEAKE (C)",2017-08-29 19:15:00,EST-5,2017-08-29 19:15:00,0,0,0,0,0.00K,0,0.00K,0,36.7166,-76.3431,36.7166,-76.3431,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.73 inches was measured at Deep Creek (1 SSE)." +120232,720726,VIRGINIA,2017,August,Heavy Rain,"MIDDLESEX",2017-08-29 19:05:00,EST-5,2017-08-29 19:05:00,0,0,0,0,0.00K,0,0.00K,0,37.5566,-76.513,37.5566,-76.513,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 2.78 inches was measured at Healys (1 SSE)." +120232,720738,VIRGINIA,2017,August,Heavy Rain,"PORTSMOUTH (C)",2017-08-29 19:14:00,EST-5,2017-08-29 19:14:00,0,0,0,0,0.00K,0,0.00K,0,36.78,-76.33,36.78,-76.33,"Low pressure moving northeast off the Mid Atlantic Coast produced heavy rain which caused minor flooding across portions of central and eastern Virginia.","Rainfall total of 3.11 inches was measured at Cradock." +119660,718832,VIRGINIA,2017,August,Heavy Rain,"MECKLENBURG",2017-08-08 05:00:00,EST-5,2017-08-08 05:00:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-78.36,36.73,-78.36,"Scattered severe thunderstorms associated with low pressure and a cold front produced damaging winds, one tornado, and heavy rain across portions of central and eastern Virginia.","Rainfall total of 6.26 inches was measured at Rogers Corner (3 E)." +115643,694841,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:33:00,EST-5,2017-04-06 12:38:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 35 to 50 knots were reported at Monroe Creek." +115643,694842,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:37:00,EST-5,2017-04-06 12:37:00,0,0,0,0,,NaN,,NaN,38.314,-76.93,38.314,-76.93,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 36 knots was reported at Cuckold Creek." +115643,694843,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-04-06 12:38:00,EST-5,2017-04-06 12:48:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 42 knots were reported at Cobb Point." +115643,694844,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-04-06 12:44:00,EST-5,2017-04-06 12:44:00,0,0,0,0,,NaN,,NaN,38.8614,-77.0719,38.8614,-77.0719,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 35 knots was reported at Hoffman-Boston Elementary School." +115643,694846,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:06:00,EST-5,2017-04-06 13:16:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 43 knots were reported at Herring Bay." +116988,703615,NEW YORK,2017,May,Thunderstorm Wind,"ORLEANS",2017-05-01 14:57:00,EST-5,2017-05-01 14:57:00,0,0,0,0,15.00K,15000,0.00K,0,43.22,-78.39,43.22,-78.39,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds." +116988,703616,NEW YORK,2017,May,Thunderstorm Wind,"GENESEE",2017-05-01 15:05:00,EST-5,2017-05-01 15:05:00,0,0,0,0,10.00K,10000,0.00K,0,42.9,-78.26,42.9,-78.26,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds on Beaver Road." +116988,703617,NEW YORK,2017,May,Thunderstorm Wind,"GENESEE",2017-05-01 15:05:00,EST-5,2017-05-01 15:05:00,0,0,0,0,10.00K,10000,0.00K,0,43.1,-78.39,43.1,-78.39,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds on Roseville Road." +116993,703681,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:06:00,EST-5,2017-05-18 17:06:00,0,0,0,0,,NaN,,NaN,43.41,-76.24,43.41,-76.24,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703682,NEW YORK,2017,May,Thunderstorm Wind,"LEWIS",2017-05-18 17:07:00,EST-5,2017-05-18 17:07:00,0,0,0,0,10.00K,10000,0.00K,0,43.78,-75.44,43.78,-75.44,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds on Number 4 Road." +116993,703683,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-18 17:09:00,EST-5,2017-05-18 17:09:00,0,0,0,0,10.00K,10000,0.00K,0,43.28,-76.07,43.28,-76.07,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +116993,703684,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-18 17:13:00,EST-5,2017-05-18 17:13:00,0,0,0,0,12.00K,12000,0.00K,0,43.25,-76,43.25,-76,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710912,NEW YORK,2017,June,Thunderstorm Wind,"WAYNE",2017-06-18 17:16:00,EST-5,2017-06-18 17:16:00,0,0,0,0,12.00K,12000,0.00K,0,43.04,-77.09,43.04,-77.09,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710913,NEW YORK,2017,June,Thunderstorm Wind,"WAYNE",2017-06-18 17:24:00,EST-5,2017-06-18 17:24:00,0,0,0,0,10.00K,10000,0.00K,0,43.06,-76.99,43.06,-76.99,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710914,NEW YORK,2017,June,Thunderstorm Wind,"CAYUGA",2017-06-18 17:46:00,EST-5,2017-06-18 17:46:00,0,0,0,0,10.00K,10000,0.00K,0,43.12,-76.55,43.12,-76.55,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710915,NEW YORK,2017,June,Thunderstorm Wind,"CAYUGA",2017-06-18 17:48:00,EST-5,2017-06-18 17:48:00,0,0,0,0,10.00K,10000,0.00K,0,43.16,-76.58,43.16,-76.58,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +120768,723327,NEW YORK,2017,September,Thunderstorm Wind,"CHAUTAUQUA",2017-09-04 22:20:00,EST-5,2017-09-04 22:20:00,0,0,0,0,8.00K,8000,0.00K,0,42.12,-79.18,42.12,-79.18,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Thunderstorm winds downed trees along Elmwood Avenue." +120768,723328,NEW YORK,2017,September,Thunderstorm Wind,"WYOMING",2017-09-04 22:20:00,EST-5,2017-09-04 22:20:00,0,0,0,0,5.00K,5000,0.00K,0,42.53,-78.43,42.53,-78.43,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Thunderstorm winds downed trees in Arcade." +120768,723329,NEW YORK,2017,September,Thunderstorm Wind,"WYOMING",2017-09-04 22:20:00,EST-5,2017-09-04 22:20:00,0,0,0,0,30.00K,30000,0.00K,0,42.85,-78.33,42.85,-78.33,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Thunderstorm winds caused substantial damage to trees at a golf course." +120768,723330,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 22:22:00,EST-5,2017-09-04 22:22:00,0,0,0,0,8.00K,8000,0.00K,0,42.03,-78.99,42.03,-78.99,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Thunderstorm winds downed trees along Sawmill Run Road." +120768,723332,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 22:45:00,EST-5,2017-09-04 22:45:00,0,0,0,0,6.00K,6000,0.00K,0,42.21,-78.54,42.21,-78.54,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723333,NEW YORK,2017,September,Thunderstorm Wind,"ONTARIO",2017-09-04 22:50:00,EST-5,2017-09-04 22:50:00,0,0,0,0,10.00K,10000,0.00K,0,43,-77.18,43,-77.18,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported wires downed by thunderstorm winds." +120768,723334,NEW YORK,2017,September,Thunderstorm Wind,"WAYNE",2017-09-04 22:58:00,EST-5,2017-09-04 22:58:00,0,0,0,0,6.00K,6000,0.00K,0,43.04,-77.09,43.04,-77.09,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported wires downed by thunderstorm winds." +112875,679003,TENNESSEE,2017,March,Winter Weather,"FRANKLIN",2017-03-11 21:00:00,CST-6,2017-03-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell across southern middle Tennessee late on the 11th into the early morning hours of the 12th. Most locations reported from one-half to two inches.","Light snow accumulations of 1.0 to 2.0 inches were reported. At 0.5 miles west of Winchester, 2.0 inches was measured." +112875,679004,TENNESSEE,2017,March,Winter Weather,"MOORE",2017-03-11 21:00:00,CST-6,2017-03-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell across southern middle Tennessee late on the 11th into the early morning hours of the 12th. Most locations reported from one-half to two inches.","Light snow accumulations of 1.0 to 1.5 inches were reported. At 0.7 miles west-northwest of Lynchburg, 1.5 inches was measured." +112875,679005,TENNESSEE,2017,March,Winter Weather,"LINCOLN",2017-03-11 21:00:00,CST-6,2017-03-12 02:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Light snow fell across southern middle Tennessee late on the 11th into the early morning hours of the 12th. Most locations reported from one-half to two inches.","Light snow accumulations of 0.5 to 1.1 inches were reported. At 6.1 miles north-northwest of Fayetteville, 1.1 inches was measured." +113095,676388,FLORIDA,2017,March,Hail,"INDIAN RIVER",2017-03-23 12:17:00,EST-5,2017-03-23 12:17:00,0,0,0,0,0.00K,0,0.00K,0,27.64,-80.41,27.64,-80.41,"A cluster of thunderstorms moved onshore from the Atlantic and organized into a long-lived severe storm as it moved southwest at 30 mph. The storm produced large hail in Vero Beach, then snapped four wooden power poles west of Vero Beach. As the storm continued farther southwest into rural Indian River and St. Lucie Counties, the cell acquired rotation and a brief tornado developed and damaged a power pole between Interstate 95 and the Florida Turnpike. Additional sporadic wind damage occurred to powerlines and a power pole near and southwest of the Florida Turnpike.","A ham radio operator received a report of hail up to the size of nickels in Vero Beach, falling near the intersection of Route 60 and 27th Avenue, as a severe thunderstorm moved over the area." +113989,682675,FLORIDA,2017,April,Rip Current,"COASTAL OKALOOSA",2017-04-04 10:30:00,CST-6,2017-04-04 10:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Dangerous surf and rip current conditions along the northwest Florida panhandle beaches resulted in one fatality.","A 49 year old Georgia man drowned after he was swept away by a rip current while trying to help his daughter and friend who were struggling in the surf." +121109,725056,NEW HAMPSHIRE,2017,October,Flood,"GRAFTON",2017-10-30 03:49:00,EST-5,2017-10-30 14:19:00,0,0,0,0,25.00K,25000,0.00K,0,44.2709,-71.6148,44.2944,-71.6436,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 6 inches of rain resulting in minor flooding on the Ammonoosuc River at Bethlehem (flood stage 8.00 ft), which crested 11.37 ft." +114314,684967,ARIZONA,2017,February,Heavy Snow,"GRAND CANYON COUNTRY",2017-02-27 11:45:00,MST-7,2017-02-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","The Grand Canyon Village (6,900 feet elevation) received 9.0 inches of snow and the East Entrance (7,300 feet) received 7.5 inches of snow. The South Rim Visitor Center received 8 inches of new snow." +115121,691226,VIRGINIA,2017,April,Tornado,"FAIRFAX",2017-04-06 12:34:00,EST-5,2017-04-06 12:37:00,0,0,0,0,,NaN,,NaN,38.97,-77.41,38.9936,-77.3916,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms and isolated tornadoes.","A path of sporadic damage, mainly to trees, began just east |of Rock Hill Road in between the Dulles Greene and Capstone |apartment complexes in Herndon. About a half dozen trees here |were either snapped or uprooted in a convergent pattern. One of |the trees was thrown into the window of a nearby apartment |building.||The National Weather Service would like to thank Fairfax and Loudoun |County Emergency Management Agency and the residents interviewed |for their assistance in this survey.||The tornado continued north-northeast, where additional tree |damage was noted near the intersections of Summerfield Drive |and Autumn Breeze Court, and Sterling Road (VA-606) and |Herndon Parkway. Several trees were downed from east to west, |and fencing was blown down north to south.||It appears the tornado lifted briefly as it continued |north-northeast, before touching down again near the intersection |of Crestview Drive and Builders Road. Here, nearly a dozen trees |were snapped or uprooted, mainly to the north, with fencing |blown down towards the trees (to the west)." +115245,691912,MARYLAND,2017,April,Thunderstorm Wind,"MONTGOMERY",2017-04-20 19:10:00,EST-5,2017-04-20 19:10:00,0,0,0,0,,NaN,,NaN,39.0094,-77.049,39.0094,-77.049,"High pressure was centered to the south and this allowed warm and moist air to move into the area. A few thunderstorms became severe due to the unstable atmosphere.","A large tree was down near the intersection of Linden Lane and Warren Street." +115245,691913,MARYLAND,2017,April,Thunderstorm Wind,"PRINCE GEORGE'S",2017-04-20 19:15:00,EST-5,2017-04-20 19:15:00,0,0,0,0,,NaN,,NaN,39.0047,-76.9757,39.0047,-76.9757,"High pressure was centered to the south and this allowed warm and moist air to move into the area. A few thunderstorms became severe due to the unstable atmosphere.","Structural damage was reported to an Apartment building on Metzerott Road." +115059,690709,IDAHO,2017,February,Flood,"TWIN FALLS",2017-02-08 18:00:00,MST-7,2017-02-10 18:00:00,0,0,0,0,2.50M,2500000,0.00K,0,42.48,-114.48,42.6059,-114.5105,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","Rainfall coupled with rapid melting of low elevation snowpack on top of frozen and saturated soil led to widespread flooding. Many county roads and large sections of agricultural land were flooded. County Road 1100 East was washed out at the Deep Creek crossing and many other roads were closed and severely damaged. Snow and ice filled canals caused water to overflow canal banks and contribute to the flooding." +115059,690705,IDAHO,2017,February,Flood,"GEM",2017-02-08 18:00:00,MST-7,2017-02-09 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,44.05,-116.49,44.0728,-116.4894,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","The emergency manager reported high water and debris along Big Willow Creek and water running over Big Willow Road northeast of Dry Creek." +115059,690704,IDAHO,2017,February,Flood,"ELMORE",2017-02-08 18:00:00,MST-7,2017-02-09 18:00:00,0,0,0,0,2.00K,2000,0.00K,0,43.3034,-115.8872,43.2895,-115.8817,"Strong Southwesterly flow behind a warm front spread heavy rain across most of the intermountain west. Flooding occurred in most of South Central Idaho.","A road was washed out cutting access to Souls Rest Creek neighborhood." +112899,678826,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:53:00,CST-6,2017-03-09 23:53:00,0,0,0,0,,NaN,,NaN,35.2673,-86.3904,35.2673,-86.3904,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 1506 Fayetteville Highway." +112899,678855,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:05:00,CST-6,2017-03-10 00:05:00,0,0,0,0,,NaN,,NaN,35.31,-86.33,35.31,-86.33,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees knocked down around Tims Ford Lake southwest of Tullahoma. Several roads are affected." +112899,678831,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-09 23:56:00,CST-6,2017-03-09 23:56:00,0,0,0,0,,NaN,,NaN,35.3,-86.36,35.3,-86.36,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 1506 Lynchburg Highway." +112900,678871,ALABAMA,2017,March,Thunderstorm Wind,"LIMESTONE",2017-03-10 00:15:00,CST-6,2017-03-10 00:15:00,0,0,0,0,0.50K,500,0.00K,0,34.8177,-86.8504,34.8177,-86.8504,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","A tree was knocked down onto power lines on Barksdale Road in eastern Limestone County." +112900,678876,ALABAMA,2017,March,Thunderstorm Wind,"MORGAN",2017-03-10 00:55:00,CST-6,2017-03-10 00:55:00,0,0,0,0,0.50K,500,,NaN,34.399,-86.7277,34.399,-86.7277,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through north Alabama into the early morning hours of the 10th. A few of the thunderstorms produced large hail. Numerous reports of thunderstorm wind damage were received.","A tree was knocked down on Peck Mountain Road near Gullian Farms." +113086,678912,ALABAMA,2017,March,Thunderstorm Wind,"LAWRENCE",2017-03-25 12:08:00,CST-6,2017-03-25 12:08:00,0,0,0,0,,NaN,,NaN,34.65,-87.19,34.65,-87.19,"A weakening line of thunderstorms pushed slowly northeast through north Alabama during the late morning and afternoon hours. One storm produced a bow-echo segment in Lawrence County that knocked down a large tree and destroyed a couple of sheds.","Thunderstorm winds knocked a large tree down and blew down multiple sheds at the intersections of Highway 20 and CR 217. Time was estimated by radar." +120296,720809,NEW YORK,2017,August,Thunderstorm Wind,"CHAUTAUQUA",2017-08-22 11:37:00,EST-5,2017-08-22 11:37:00,0,0,0,0,10.00K,10000,0.00K,0,42.3,-79.1,42.3,-79.1,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Spotters reported trees downed in Cherry Creek." +120296,720811,NEW YORK,2017,August,Thunderstorm Wind,"ERIE",2017-08-22 11:41:00,EST-5,2017-08-22 11:41:00,0,0,0,0,10.00K,10000,0.00K,0,42.48,-78.86,42.48,-78.86,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Thunderstorm winds downed trees along West Becker Road." +120296,720812,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 11:43:00,EST-5,2017-08-22 11:43:00,0,0,0,0,8.00K,8000,0.00K,0,42.29,-79.02,42.29,-79.02,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees down by thunderstorm winds." +120296,720813,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 11:51:00,EST-5,2017-08-22 11:51:00,0,0,0,0,10.00K,10000,0.00K,0,42.32,-78.87,42.32,-78.87,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +116453,703743,MINNESOTA,2017,July,Tornado,"WASHINGTON",2017-07-12 01:33:00,CST-6,2017-07-12 01:38:00,0,0,0,0,0.00K,0,0.00K,0,45.2289,-93.0195,45.1998,-92.9345,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","After exiting Anoka County just northeast of the junction of Interstates 35E and 35W in Columbus, the tornado continued across the far southwestern part of the city of Forest Lake, where it downed numerous trees and hit one farm. It dissipated about one mile east of Horseshoe Lake in the far northern portion of Hugo." +120296,720828,NEW YORK,2017,August,Thunderstorm Wind,"OSWEGO",2017-08-22 13:53:00,EST-5,2017-08-22 13:53:00,0,0,0,0,8.00K,8000,0.00K,0,43.57,-76,43.57,-76,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +116453,703744,MINNESOTA,2017,July,Tornado,"WASHINGTON",2017-07-12 01:41:00,CST-6,2017-07-12 01:44:00,0,0,0,0,0.00K,0,0.00K,0,45.1811,-92.8581,45.1673,-92.799,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","The tornado damaged over 1000 trees at the Warner Nature Center. Hundreds of trees were also damaged before it hit the Nature Center. The tornado dissipated shortly after exiting the Nature Center." +116301,712738,MINNESOTA,2017,July,Hail,"CHIPPEWA",2017-07-09 19:56:00,CST-6,2017-07-09 19:56:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-95.84,45.04,-95.84,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712739,MINNESOTA,2017,July,Hail,"BENTON",2017-07-09 19:50:00,CST-6,2017-07-09 19:55:00,0,0,0,0,0.00K,0,0.00K,0,45.68,-94.02,45.6641,-93.9166,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +120289,720775,NEW YORK,2017,August,Thunderstorm Wind,"WAYNE",2017-08-04 14:00:00,EST-5,2017-08-04 14:00:00,0,0,0,0,15.00K,15000,0.00K,0,43.06,-76.99,43.06,-76.99,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","A large trees downed by thunderstorm winds fell on a house." +120289,720776,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 14:37:00,EST-5,2017-08-04 14:37:00,0,0,0,0,12.00K,12000,0.00K,0,43.98,-75.6,43.98,-75.6,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and power lines down by thunderstorm winds." +120289,720777,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 14:50:00,EST-5,2017-08-04 14:50:00,0,0,0,0,10.00K,10000,0.00K,0,44.15,-75.71,44.15,-75.71,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +120289,720778,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-04 15:22:00,EST-5,2017-08-04 15:22:00,0,0,0,0,8.00K,8000,0.00K,0,44.3,-75.8,44.3,-75.8,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Law enforcement reported trees and wires down by thunderstorm winds." +120289,720779,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-04 16:07:00,EST-5,2017-08-04 16:07:00,0,0,0,0,5.00K,5000,0.00K,0,43.05,-76.56,43.05,-76.56,"Showers and thunderstorms developed along and ahead of an advancing cold front. The thunderstorms produced damaging winds that downed trees and power lines. In Buffalo, the winds partially tore the roof off a building at Utica Street and Massachusetts Avenue. In Weedsport, a trampoline was lifted and landed on a house. The thunderstorms also produced hail up to one inch in diameter near Adams.","Thunderstorm winds lifted a trampoline onto a house." +116454,713699,WISCONSIN,2017,July,Thunderstorm Wind,"POLK",2017-07-12 01:51:00,CST-6,2017-07-12 02:01:00,0,0,0,0,0.00K,0,0.00K,0,45.306,-92.3676,45.33,-92.17,"A complex of thunderstorms that developed across west central Minnesota early Wednesday morning, moved eastward into east central, Minnesota, and into west central Wisconsin. It produced a wide swath of damaging winds, especially in east central Minnesota, north of the Twin Cities metro area. As the storms moved into west central Wisconsin, additional damage occurred, including damage to a local Menards, and a home was blown off its foundation. ||In Chippewa County Wisconsin, the approaches on both sides of a bridge were taken out early in the morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street.","Several large trees were blown down along a swath from Amery to Clayton." +116301,712745,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:10:00,CST-6,2017-07-09 20:10:00,0,0,0,0,0.00K,0,0.00K,0,44.69,-93.2,44.69,-93.2,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +119470,717006,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 12:27:00,EST-5,2017-07-20 12:27:00,0,0,0,0,15.00K,15000,0.00K,0,42.48,-78.13,42.48,-78.13,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds on Mills Road." +119470,717007,NEW YORK,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-20 12:35:00,EST-5,2017-07-20 12:35:00,0,0,0,0,12.00K,12000,0.00K,0,42.38,-78.15,42.38,-78.15,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","Law enforcement reported trees and wires down by thunderstorm winds." +119753,720473,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-25 23:50:00,CST-6,2017-08-25 23:57:00,0,0,0,0,500.00K,500000,0.00K,0,29.4379,-95.45,29.455,-95.4671,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","A strong EF-0 tornado touched down just west of Juliff. It struck a fairly new subdivision along county road 56 and highway 288. Damage was mostly confined to roofs... fences...and several trees snapped and/or downed. Damage path crossed county line from Brazoria to Fort Bend County." +117902,708857,MISSOURI,2017,June,Thunderstorm Wind,"MERCER",2017-06-15 22:15:00,CST-6,2017-06-15 22:18:00,0,0,0,0,0.00K,0,0.00K,0,40.4,-93.59,40.4,-93.59,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","Tree limbs of various sizes and conditions were down near Princeton." +119989,719040,OHIO,2017,August,Hail,"STARK",2017-08-19 13:45:00,EST-5,2017-08-19 13:46:00,0,0,0,0,0.00K,0,0.00K,0,40.8911,-81.1,40.8911,-81.1,"A cold front moved across northern Ohio on August 19th causing scattered showers and thunderstorms to develop. A couple of thunderstorms became severe.","Penny to nickel sized hail was reported." +119863,718556,OHIO,2017,August,Thunderstorm Wind,"MEDINA",2017-08-04 12:15:00,EST-5,2017-08-04 12:15:00,0,0,1,0,25.00K,25000,0.00K,0,41.1149,-81.8132,41.1149,-81.8132,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","A vehicle traveling down River Styx Road near Interstate 71 was struck by a falling tree knocked down by thunderstorm wind gusts. The tree land on the front half of the passenger cabin killing the 28 year old mother driving. Her baby in the back seat was not injured." +119983,719035,OHIO,2017,August,Thunderstorm Wind,"MEDINA",2017-08-17 15:24:00,EST-5,2017-08-17 15:24:00,0,0,0,0,1.00K,1000,0.00K,0,41.08,-81.95,41.08,-81.95,"A warm front lifted across northern Ohio on August 17th as an area of low pressure moved across the northern Great Lakes. A cluster of thunderstorms developed in advance of this front and moved across northern Ohio during the afternoon and early evening hours. One of thunderstorms produced a tornado in Trumbull County. A second storm produced a funnel cloud nearby. Most of the tornado damage was from downed trees.","Thunderstorm winds downed several large tree limbs and knocked over a large wooden swing set." +119983,719037,OHIO,2017,August,Thunderstorm Wind,"MEDINA",2017-08-17 15:27:00,EST-5,2017-08-17 15:27:00,0,0,0,0,1.00K,1000,0.00K,0,41.1042,-81.8839,41.1042,-81.8839,"A warm front lifted across northern Ohio on August 17th as an area of low pressure moved across the northern Great Lakes. A cluster of thunderstorms developed in advance of this front and moved across northern Ohio during the afternoon and early evening hours. One of thunderstorms produced a tornado in Trumbull County. A second storm produced a funnel cloud nearby. Most of the tornado damage was from downed trees.","Thunderstorm winds downed a large tree." +120094,719590,MARYLAND,2017,August,Flood,"WORCESTER",2017-08-12 20:05:00,EST-5,2017-08-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3961,-75.2982,38.3519,-75.301,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Emergency management and law enforcement officials reported that high water, flooding, and road closures continued across portions of the county due to the heavy rain that occurred on Saturday." +120094,719592,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-13 06:00:00,EST-5,2017-08-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.38,-75.4885,38.38,-75.4885,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 7.59 inches was measured at Parsonsburg (1 W)." +120094,719593,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-13 08:19:00,EST-5,2017-08-13 08:19:00,0,0,0,0,0.00K,0,0.00K,0,38.3733,-75.4341,38.3733,-75.4341,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 6.76 inches was measured at Pittsville (2 SSW)." +120094,719594,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-13 06:54:00,EST-5,2017-08-13 06:54:00,0,0,0,0,0.00K,0,0.00K,0,38.33,-75.52,38.33,-75.52,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 6.57 inches was measured at SBY." +120094,719595,MARYLAND,2017,August,Heavy Rain,"WICOMICO",2017-08-13 09:02:00,EST-5,2017-08-13 09:02:00,0,0,0,0,0.00K,0,0.00K,0,38.4066,-75.6871,38.4066,-75.6871,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 4.36 inches was measured at Hebron (1 SSW)." +120094,719603,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-13 06:00:00,EST-5,2017-08-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4,-75.12,38.4,-75.12,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 5.21 inches was measured at Ocean Pines." +120094,719604,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-13 07:00:00,EST-5,2017-08-13 07:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2391,-75.1779,38.2391,-75.1779,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.99 inches was measured at Ironshire (4 SE)." +122674,734883,TEXAS,2017,December,Cold/Wind Chill,"HIDALGO",2017-12-07 16:00:00,CST-6,2017-12-07 17:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The coldest weather since January 7-8, 2017, descended on Deep South Texas and the Rio Grande Valley December 6 through 8, 2017. Temperatures fell nearly 40 degrees between the afternoon of December 5 and 6, from the mid 80s to the upper 40s; wind chill values fell to between 40 and 45. Temperatures continued to ease down on the 7th, with readings in the upper 30s to lower 40s and wind chill values in the low to mid 30s. An upper level disturbance overnight on the 7th and 8th both cooled the atmosphere and provided sufficient lift for several inches of snow across the ranches and 0.5 to 1.5 inch across the more populated Rio Grande Valley early on the 8th as temperatures fell to or just above freezing. Wind chills bottomed out between 20 and 28 early on the 8th. The cold claimed the lives of at least two undocumented immigrants, one in Falfurrias (Brooks County) and another in Kenedy County, due to hypothermia, on Dec. 7th. Up to 3 additional deaths directly or indirectly related to hypothermia stress were reported by the US Border Patrol. Three hypothermia injuries were directly related to the cold, two on the King Ranch (Kenedy) and one near Hidalgo, in the Valley. An unknown additional number of hypothermia cases were reported in Zapata and Jim Hogg Counties, as part of a US Border Patrol rescue effort of 20 undocumented migrants.","US Border Patrol reported the death of one undocumented immigrant near the City of Hidalgo during the afternoon of December 7, due to hypothermia, as indicated by medical staff who discovered the bodies. Border Patrol Search Trauma and Rescue (BORSTAR) agents and other medics from McAllen attempted to revive an unresponsive victim prior to rushing to a nearby hospital. Unfortunately, the victim was pronounced dead upon arrival at the hospital. The sharp change of the season's first significant cold front after a record-shattering warm January through November likely contributed to the death by lack of acclimation. Just two days earlier, temperatures had been in the mid 80s; on the 7th, wind chills in the lower 30s were too much for migrants with limited clothing and shelter." +115149,692314,OHIO,2017,May,Tornado,"GREENE",2017-05-24 19:26:00,EST-5,2017-05-24 19:34:00,0,0,0,0,3.00K,3000,0.00K,0,39.6804,-83.9749,39.7165,-83.9894,"A slow moving low pressure system resulted in thunderstorm development through the late afternoon. The thunderstorms continued into the evening hours, producing locally heavy rainfall and isolated tornadoes.","The tornado first touched down along Colorado Drive where a small ornamental tree was uprooted. Additional small limb damage also occurred in this area. The tornado traveled north, where public video was provided of a small tornado crossing U.S. Route 35, just north of the Greene County Airport. The video showed the tornado lifting upward shortly after crossing north of Route 35, but damage had been reported at the intersection of Trebein and Dayton-Xenia Roads. Slightly farther north, some power line damage occurred in the 900 block of Trebein Road." +117457,710033,NEBRASKA,2017,June,Thunderstorm Wind,"GAGE",2017-06-16 20:47:00,CST-6,2017-06-16 20:47:00,0,0,0,0,,NaN,,NaN,40.31,-96.75,40.31,-96.75,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An 85 mph wind ust was measured by an AWOS station at Beatrice Airport." +117457,710038,NEBRASKA,2017,June,Thunderstorm Wind,"JEFFERSON",2017-06-16 21:27:00,CST-6,2017-06-16 21:27:00,0,0,0,0,,NaN,,NaN,40.12,-97.2,40.12,-97.2,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A 58 mph wind gust was measured at the Crystal Springs weather station." +115617,694461,ILLINOIS,2017,June,Thunderstorm Wind,"HENRY",2017-06-15 21:45:00,CST-6,2017-06-15 21:45:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-90.01,41.42,-90.01,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","A few large trees were blown down." +115617,694463,ILLINOIS,2017,June,Thunderstorm Wind,"HENRY",2017-06-15 21:51:00,CST-6,2017-06-15 21:51:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-89.91,41.4,-89.91,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","A few large trees were blown down." +115890,702437,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-01 14:38:00,EST-5,2017-05-01 14:38:00,0,0,0,0,1.00K,1000,0.00K,0,41.58,-79.22,41.58,-79.22,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","A survey conducted by the National Weather Service noted trees down across Route 666." +115890,702450,PENNSYLVANIA,2017,May,Thunderstorm Wind,"MERCER",2017-05-01 13:36:00,EST-5,2017-05-01 13:36:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-80.09,41.2,-80.09,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter measured on a Davis anemometer." +115890,702451,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WESTMORELAND",2017-05-01 14:43:00,EST-5,2017-05-01 14:43:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-79.41,40.29,-79.41,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Measured at Latrobe Airport." +115890,702452,PENNSYLVANIA,2017,May,Thunderstorm Wind,"WASHINGTON",2017-05-01 14:45:00,EST-5,2017-05-01 14:45:00,0,0,0,0,2.00K,2000,0.00K,0,40.14,-79.94,40.14,-79.94,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The public reported trees snapped and large limbs down." +117457,709985,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:55:00,CST-6,2017-06-16 18:55:00,0,0,0,0,,NaN,,NaN,41.14,-96.24,41.14,-96.24,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A trained spotter estimated 70 mph winds southeast of Gretna." +117457,709998,NEBRASKA,2017,June,Thunderstorm Wind,"SARPY",2017-06-16 18:58:00,CST-6,2017-06-16 18:58:00,0,0,0,0,,NaN,,NaN,41.13,-96.24,41.13,-96.24,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A spotter estimated an 80 mph wind gust near Gretna." +117953,709070,IOWA,2017,June,Thunderstorm Wind,"POTTAWATTAMIE",2017-06-16 19:00:00,CST-6,2017-06-16 19:00:00,0,0,0,0,,NaN,,NaN,41.24,-95.86,41.24,-95.86,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A roof of a home was damaged from a 5 inch limb that was blown into the roof." +118189,710264,IOWA,2017,June,Hail,"HARRISON",2017-06-29 18:01:00,CST-6,2017-06-29 18:01:00,0,0,0,0,,NaN,,NaN,41.81,-95.97,41.81,-95.97,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710265,IOWA,2017,June,Hail,"HARRISON",2017-06-29 18:04:00,CST-6,2017-06-29 18:04:00,0,0,0,0,,NaN,,NaN,41.83,-95.92,41.83,-95.92,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710266,IOWA,2017,June,Hail,"HARRISON",2017-06-29 18:37:00,CST-6,2017-06-29 18:37:00,0,0,0,0,,NaN,,NaN,41.66,-95.87,41.66,-95.87,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710267,IOWA,2017,June,Hail,"HARRISON",2017-06-29 19:05:00,CST-6,2017-06-29 19:05:00,0,0,0,0,,NaN,,NaN,41.56,-95.9,41.56,-95.9,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +118189,710268,IOWA,2017,June,Hail,"POTTAWATTAMIE",2017-06-29 20:50:00,CST-6,2017-06-29 20:50:00,0,0,0,0,,NaN,,NaN,41.24,-95.86,41.24,-95.86,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||Up to 2 inch diameter hail was reported in the storms in southwest Iowa.","" +116892,702991,IOWA,2017,May,Thunderstorm Wind,"SCOTT",2017-05-17 18:59:00,CST-6,2017-05-17 18:59:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-90.68,41.69,-90.68,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported estimated wind gusts to 60 mph along with very heavy rain." +116892,702992,IOWA,2017,May,Thunderstorm Wind,"CLINTON",2017-05-17 20:03:00,CST-6,2017-05-17 20:03:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The Iowa Department of Transportation measured this wind gust near DeWitt Iowa." +116892,702995,IOWA,2017,May,Thunderstorm Wind,"DES MOINES",2017-05-17 16:32:00,CST-6,2017-05-17 16:32:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-91.36,41.03,-91.36,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported several tree branches down." +116892,702999,IOWA,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 17:35:00,CST-6,2017-05-17 17:35:00,0,0,0,0,10.00K,10000,0.00K,0,41.79,-92.12,41.79,-92.12,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The county emergency manager reported power poles and trees were snapped from Ladora to Marengo. Some of these trees fell on houses and other buildings." +116298,699247,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-31 17:50:00,EST-5,2017-05-31 17:50:00,0,0,0,0,1.50K,1500,0.00K,0,36.38,-80,36.39,-79.97,"An upper level storm system rotating around a broad area of low pressure anchored across the Great Lakes pushed through the area on May 31st, spurring several thunderstorms across the northern Piedmont of North Carolina. These storms produced fairly extensive wind damage, toppling trees and power-lines resulting in thousands without power.","Thunderstorm winds downed two trees near the intersection of West Huner Street and South Wilson Street. A third tree was blown down nearby in a backyard along K Fork Road near the Stokes County border." +115225,691828,NEW JERSEY,2017,May,Flash Flood,"HUDSON",2017-05-05 12:45:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7513,-74.1642,40.7509,-74.1643,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","Cars were trapped with rescues underway on Passaic Avenue between Central Avenue and East Newark in East Newark." +115225,691833,NEW JERSEY,2017,May,Flash Flood,"HUDSON",2017-05-05 12:30:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7204,-74.1906,40.7205,-74.1915,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","Multiple cars were trapped in flood waters on Johnson Avenue in Kearny." +115225,691834,NEW JERSEY,2017,May,Flash Flood,"HUDSON",2017-05-05 12:30:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7496,-74.1314,40.751,-74.1317,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","The fire department was responding to motorists trapped in flood waters on Harrison Avenue in Kearny." +116573,701270,VIRGINIA,2017,May,Flood,"CARROLL",2017-05-24 20:00:00,EST-5,2017-05-25 08:00:00,0,0,0,0,75.00K,75000,0.00K,0,36.7411,-80.9837,36.8,-80.8882,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Persistent heavy rainfall in portions of the County caused flooding of several creeks including Stephens Creek. Rescue squads were called out to a home where a man, a woman and a small dog were trapped inside the structure along Ivanhoe Road with water from Big Brush Creek rising. The flood level was approximately a foot inside the home. After several attempts a woman and the dog were removed from the home, but the man chose to remain." +116573,701321,VIRGINIA,2017,May,Heavy Rain,"ROCKBRIDGE",2017-05-24 07:00:00,EST-5,2017-05-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-79.45,37.63,-79.45,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The COOP observer at Glasgow 1 SE measured 3.60 inches for the 24-hour period ending at 07:00 EST. This was the 2nd highest May daily rainfall at this site since records began there in 1967. The highest May daily total was 4.12 inches on May 28, 1973." +121147,725262,VIRGINIA,2017,October,Frost/Freeze,"CENTRAL VIRGINIA BLUE RIDGE",2017-10-27 23:00:00,EST-5,2017-10-28 08:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Canadian high pressure caused temperatures to drop below freezing.","Temperatures were below freezing based on observations nearby." +121281,726044,ATLANTIC NORTH,2017,October,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-10-24 02:40:00,EST-5,2017-10-24 03:20:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"Gusty showers occurred over the waters.","Wind gusts up to 35 knots were reported at Point Lookout." +121281,726045,ATLANTIC NORTH,2017,October,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-10-24 02:50:00,EST-5,2017-10-24 03:15:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"Gusty showers occurred over the waters.","Wind gusts up to 35 knots were reported at Point Lookout." +121282,726046,ATLANTIC NORTH,2017,October,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-10-29 08:29:00,EST-5,2017-10-29 08:34:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"Gusty showers occurred over the waters.","Wind gusts in excess of 30 knots were reported at Hooper Island." +121279,726036,LAKE MICHIGAN,2017,October,Waterspout,"MANISTEE TO POINT BETSIE MI",2017-10-16 09:09:00,EST-5,2017-10-16 09:09:00,0,0,0,0,0.00K,0,0.00K,0,44.3788,-86.3216,44.3788,-86.3216,"Showers over northern Lake Michigan generated a short-lived waterspout.","" +120106,719679,ALABAMA,2017,October,Tornado,"MORGAN",2017-10-23 01:28:00,CST-6,2017-10-23 01:33:00,0,0,0,0,,NaN,,NaN,34.5746,-87.1057,34.5942,-87.0706,"A line of heavy showers moved slowly eastward through north Alabama during the late evening of the 22nd and early morning of the 23rd. Along the line, an EF-1 tornado developed near the Trinity community in Morgan County tracking just under 2 1/2 miles.","The first indications of damage were just east of the Lawrence-Morgan County line along Ghost Hill Road, where several trees were snapped and uprooted. Damage continued to the east-northeast across South Seneca Drive, Mason Drive, Woodland|Avenue, and South Mountain Drive. In this area, numerous softwood and hardwood trees were snapped and uprooted. Several well-built single-family houses were damaged by falling trees; however, all observed structural damage was caused by trees falling on the structures, not by the tornado itself. The tornado weakened considerably after descending the bluffs beyond South Mountain Drive, but still snapped and uprooted a few trees as it moved northeast toward the intersection of Old Highway 24 and Greenway Drive. The most significant structural damage occurred at an RV/boat storage facility near that intersection, where the tornado lifted and displaced one storage shed, and damaged another. The last indication of damage were snapped, partially-rotted trees northwest of the intersection of Tower Street and Owensby|Way." +120106,719680,ALABAMA,2017,October,Thunderstorm Wind,"LAUDERDALE",2017-10-22 21:40:00,CST-6,2017-10-22 21:40:00,0,0,0,0,0.20K,200,0.00K,0,35,-87.82,35,-87.82,"A line of heavy showers moved slowly eastward through north Alabama during the late evening of the 22nd and early morning of the 23rd. Along the line, an EF-1 tornado developed near the Trinity community in Morgan County tracking just under 2 1/2 miles.","A tree was knocked down onto Natchez Trace Parkway, just south of the Tennessee state line." +120384,721576,ALABAMA,2017,October,Frost/Freeze,"JACKSON",2017-10-30 00:00:00,CST-6,2017-10-30 09:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Temperatures dropped in the upper 20s to around 30 during the morning of the 30th across much of northeast and portions of north central Alabama.","Temperatures fell into the 27 to 32 degree range." +116892,703000,IOWA,2017,May,Thunderstorm Wind,"BENTON",2017-05-17 17:57:00,CST-6,2017-05-17 17:57:00,0,0,0,0,25.00K,25000,0.00K,0,41.99,-91.97,41.99,-91.97,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A picture was received from social media via Twitter of a roof blown off a home." +116892,702965,IOWA,2017,May,Thunderstorm Wind,"BUCHANAN",2017-05-17 18:15:00,CST-6,2017-05-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-92.07,42.48,-92.07,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A public report was received of estimated wind gusts to 65 mph." +116892,703001,IOWA,2017,May,Thunderstorm Wind,"JOHNSON",2017-05-17 18:20:00,CST-6,2017-05-17 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-91.61,41.74,-91.61,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A public report was received of a tree blown over." +116375,700022,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-19 16:02:00,EST-5,2017-05-19 16:05:00,0,0,0,0,5.00K,5000,0.00K,0,36.62,-78.92,36.61,-78.9,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds downed trees and large branches along U.S. Highway 501 North and Horseshoe Trail." +116375,700024,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-19 16:30:00,EST-5,2017-05-19 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,36.55,-78.78,36.55,-78.78,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds brought down numerous trees within the community of Virgilina." +116375,700732,VIRGINIA,2017,May,Thunderstorm Wind,"HALIFAX",2017-05-19 16:13:00,EST-5,2017-05-19 16:13:00,0,0,0,0,5.00K,5000,0.00K,0,36.7569,-78.7914,36.7569,-78.7914,"Above normal temperatures and abundant moisture helped trigger afternoon thunderstorms across portions of southwestern Virginia ahead of a cold front. These scattered thunderstorms pulsed up periodically to produce large hail and wind damage, especially along and east of the Blue Ridge Mountains.","Thunderstorm winds brought down several trees in Scottsburg." +121212,725703,KANSAS,2017,October,Thunderstorm Wind,"FINNEY",2017-10-06 16:50:00,CST-6,2017-10-06 16:50:00,0,0,0,0,,NaN,,NaN,37.98,-100.87,37.98,-100.87,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Damage reported at 111 East Johnston street in Garden City." +121212,725704,KANSAS,2017,October,Thunderstorm Wind,"FINNEY",2017-10-06 16:50:00,CST-6,2017-10-06 16:50:00,0,0,0,0,,NaN,,NaN,37.99,-100.85,37.99,-100.85,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Two to four inch diameter tree branches were broken by the high wind." +121212,725705,KANSAS,2017,October,Thunderstorm Wind,"GRAY",2017-10-06 14:49:00,CST-6,2017-10-06 14:49:00,0,0,0,0,,NaN,,NaN,37.88,-100.61,37.88,-100.61,"A nearly stalled front stretched from west-central KS near Syracuse into north-central KS. Anomalously high boundary layer moisture for October was present with dewpoints in the mid 60s to near 70 ahead of this front. With 0-6 bulk shear over 40 kt, supercells developed with elongated hodographs via strong upper trop winds. In addition, with backed low-level winds along the front for locations near and west of highway 283, a few tornadoes were possible as 0-1 SRH exceeded 150. Since that the mean cloud layer winds were nearly parallel to this front, upscale growth of the convection into line segments happened by early evening. Strong winds were the main driving force by that point. Final issue involving training of convection with rain rates producing some flooding.","Winds were estimated to be 60 MPH." +120487,721833,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-17 21:47:00,MST-7,2017-10-17 23:47:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong mid level winds were forced to the surface by the right front quadrant of 100+ knot jet streak passing to the north. At the sensor along the Chief Joseph highway, winds were sustained at over 50 mph for 3 hours with wind gusts as high as 83 mph. Meanwhile, a mountain wave broke near Clark and brought very strong winds. There were several wind gusts of hurricane force, including a maximum of 96 mph.","There were several wind gusts past 58 mph around Clark as a mountain wave broke. A gust of 96 mph was recorded at the weather station near Clark." +120488,721834,WYOMING,2017,October,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-10-20 15:30:00,MST-7,2017-10-20 23:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed ahead of a cold front moving across Wyoming. The strongest winds occurred in the Lee of the Absarokas. Wind gusts of hurricane force occurred near Clark and along the Chief Joseph Highway. In the higher elevations of the Green and Rattlesnake Range, Camp Creek had a prolonged period of high winds.","The RAWS site at Camp Creek recorded several wind gusts past 58 mph, including a maximum of 69 mph." +120488,721835,WYOMING,2017,October,High Wind,"ABSAROKA MOUNTAINS",2017-10-20 17:55:00,MST-7,2017-10-20 18:25:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed ahead of a cold front moving across Wyoming. The strongest winds occurred in the Lee of the Absarokas. Wind gusts of hurricane force occurred near Clark and along the Chief Joseph Highway. In the higher elevations of the Green and Rattlesnake Range, Camp Creek had a prolonged period of high winds.","The weather station along the Chief Joseph highway recorded a maximum wind gust of 76 mph." +120488,721836,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-20 15:09:00,MST-7,2017-10-20 16:38:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed ahead of a cold front moving across Wyoming. The strongest winds occurred in the Lee of the Absarokas. Wind gusts of hurricane force occurred near Clark and along the Chief Joseph Highway. In the higher elevations of the Green and Rattlesnake Range, Camp Creek had a prolonged period of high winds.","The wind sensor 5 miles west-northwest of Clark recorded several wind gusts over 58 mph, including a maximum of 77 mph." +120495,721891,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-21 21:56:00,MST-7,2017-10-22 11:42:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold front moved across Wyoming and brought pre-frontal and post-frontal high wind to portions of western and central Wyoming as strong winds mixed to the surface. The strongest winds were across the higher elevations of the Green Mountains where many wind gusts past 58 mph were recorded including a maximum gust of 92 mph. on the southside of Casper, winds gusted to 61 mph along Wyoming Boulevard. The wind prone areas in the lee of the Absarokas also saw strong winds, with wind gusts to 82 mph along the Chief Joseph Highway and 76 mph near Clark.","High winds occurred in the Cody Foothills. Around Clark, the highest wind gust was 76 mph to the west-northwest of the town. Strong winds made it into the west side of Cody as well with a gust to 59 mph at the Park County Sheriff's office." +120795,723526,ILLINOIS,2017,October,Flood,"COOK",2017-10-14 21:00:00,CST-6,2017-10-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0233,-87.9205,41.7626,-87.9205,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Numerous streets and viaducts were flooded in the City of Chicago." +120795,723527,ILLINOIS,2017,October,Thunderstorm Wind,"LA SALLE",2017-10-14 18:45:00,CST-6,2017-10-14 18:45:00,0,0,0,0,0.00K,0,0.00K,0,41.12,-88.83,41.12,-88.83,"Multiple rounds of thunderstorms moved across northern Illinois on October 14th producing very heavy rainfall and some flooding. Severe thunderstorms moved across northern Illinois during the late evening of October 14th. A swath of 4 to 8 inches of rain fell from northern LaSalle, northern Kendall, northern Will, southern De Kalb, southern Kane and Du Page Counties. River flooding was observed on portions of the Des Plaines and Du Page Rivers. ||Chicago O'Hare Airport measured 4.19 inches of rain on October 14th, which was a new calendar day record for any day in October. Storm total rainfall amounts included 9.30 inches one mile east southeast of Burr Ridge; 8.16 inches in Lisle; 8.09 inches two miles northeast of Somonauk; 7.98 inches two miles east southeast of Naperville; 7.72 inches in Aurora; 7.43 inches one mile south southeast of Montgomery; 7.25 inches in Westmont; 7.10 inches one mile south of Downers Grove; 6.85 inches three miles south of Earlville; 6.44 inches in Mendota; 5.41 inches three miles southwest of Midway Airport; 5.34 inches in Batavia and 5.05 inches in Plainfield.","Utility lines were blown down." +120974,724147,FLORIDA,2017,October,Coastal Flood,"COASTAL MIAMI-DADE COUNTY",2017-10-05 20:22:00,EST-5,2017-10-05 21:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Perigean spring tides that occurred with the full moon led widespread minor to moderate flooding at high tides along the east coast of South Florida during early October. Flooding impacts were exacerbated by strong easterly flow and occasional periods of heavy rainfall. Flooding of numerous streets, parks, and docks along the coast, canals, and intracoastal waterways was reported. Additional tidal flooding also occurred along the Gulf coast at times.","Flooding occurred during the evening high tide across portions of Downtown Miami. 8-10 inches of water were reported along 30th Street, along with 9-12 inches of standing water covering the entire width of 23rd Street near 6th Avenue. Additional flooding along occurred along Biscayne Boulevard where 6 to 9 inches of stand water covered parts of the road underneath I-395 and an adjacent parking lot. More minor flooding occurred along NE 12th street at Biscayne Boulevard." +120176,720110,LOUISIANA,2017,October,Thunderstorm Wind,"ST. CHARLES",2017-10-22 10:42:00,CST-6,2017-10-22 10:42:00,0,0,0,0,0.00K,0,0.00K,0,29.91,-90.4,29.91,-90.4,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","Trees were reported blown down in Luling." +120177,720113,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-10-22 11:15:00,CST-6,2017-10-22 11:15:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-90.13,30.15,-90.13,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Weatherflow Mid-Lake site measured a 47 mph gust during a thunderstorm." +120176,720112,LOUISIANA,2017,October,Thunderstorm Wind,"JEFFERSON",2017-10-22 11:11:00,CST-6,2017-10-22 11:11:00,0,0,0,0,0.00K,0,0.00K,0,29.89,-90.07,29.89,-90.07,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Jefferson Parish Emergency Manager reported an apartment building's siding was damaged and a utility pole was knocked down at Lorene Drive in Harvey." +120177,720114,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-10-22 11:15:00,CST-6,2017-10-22 11:15:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"A pre-frontal trough of low pressure triggered the development of slow moving thunderstorms near the Atchafalaya River basin during the late evening hours of the 21st and the early morning hours of the 22nd. This produced very heavy rainfall and some flooding in the basin.||The trailing cold front produced another band of showers and thunderstorms during the morning hours of the 22nd. This front swept across southeast Louisiana, southern Mississippi and the adjacent coastal waters during the late morning and early afternoon of the 22nd, producing numerous reports of wind damage.","The Weatherflow Lakefront Airport site reported a 53 mph wind gust in a thunderstorm." +120513,722129,MASSACHUSETTS,2017,October,High Wind,"SOUTHERN BRISTOL",2017-10-24 11:35:00,EST-5,2017-10-25 04:36:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","Tree down in backyard on Perry Hill Road and on Main Street in Acushnet; on Pleasant Street in Fall River; on Coyle Drive at Central Avenue in Seekonk; and on Oaklawn Road in Freetown." +120513,722131,MASSACHUSETTS,2017,October,High Wind,"WESTERN PLYMOUTH",2017-10-24 15:57:00,EST-5,2017-10-25 05:23:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","A large tree was down on a garage roof on Holmes Street in Hanson. Also, a tree was down on Temple Street near Whiting Avenue in Hanson; on Fairview Avenue in Brockton; on Old Plymouth Street in Halifax; on Center Street in Bridgewater; and on Pine Street in Middleborough." +120513,722134,MASSACHUSETTS,2017,October,High Wind,"BARNSTABLE",2017-10-25 04:32:00,EST-5,2017-10-25 05:43:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","At 432 AM EST, an amateur radio operator in Mashpee measured a wind gust of 57 mph. At 543 AM EST, a large tree split and fell on Lovers Lane in Harwich." +120513,722137,MASSACHUSETTS,2017,October,Strong Wind,"EASTERN HAMPSHIRE",2017-10-24 10:06:00,EST-5,2017-10-24 20:20:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure moved north through the Great Lakes. This swung a cold front slowly east into Southern New England on October 25. The front stalled over the region during the 25th before moving off to the east on the 26th. Strong low level winds brought a flow of tropical moisture ahead of the front. The strong winds aloft were brought to the surface in damaging wind gusts, with speeds reaching 45 to 55 mph. The tropical moisture was converted to heavy downpours, with storm rainfall totals ranging from 2 inches to 6 1/2 inches. This brought widespread urban and poor drainage flooding.","At 1006 AM EST, a tree was down on a truck on Chestnut Drive in Belchertown. At 820 PM EST, a tree was down on Mountain Road in Granby." +120859,723634,LAKE HURON,2017,October,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-10-07 21:48:00,EST-5,2017-10-07 21:48:00,0,0,0,0,0.00K,0,0.00K,0,44.25,-83.46,44.25,-83.46,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +120859,723635,LAKE HURON,2017,October,Marine Thunderstorm Wind,"PORT AUSTIN TO HARBOR BEACH MI",2017-10-07 22:36:00,EST-5,2017-10-07 22:36:00,0,0,0,0,0.00K,0,0.00K,0,43.85,-82.64,43.85,-82.64,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +120859,723636,LAKE HURON,2017,October,Marine Thunderstorm Wind,"HARBOR BEACH TO PORT SANILAC MI",2017-10-07 22:50:00,EST-5,2017-10-07 22:50:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-82.54,43.42,-82.54,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +120859,723637,LAKE HURON,2017,October,Marine Thunderstorm Wind,"HARBOR BEACH TO PORT SANILAC MI 5NM OFFSHORE TO US/CANADIAN BORDER",2017-10-07 22:40:00,EST-5,2017-10-07 22:40:00,0,0,0,0,0.00K,0,0.00K,0,43.5,-82.57,43.5,-82.57,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","A thunderstorm which blew down a tree in Forester moved into southern Lake Huron." +120860,723638,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-10-07 22:55:00,EST-5,2017-10-07 22:55:00,0,0,0,0,0.00K,0,0.00K,0,42.5724,-82.7993,42.5724,-82.7993,"A thunderstorm moving through Lake St. Clair produced a measured 43 knot wind gust.","" +120861,723640,LAKE ERIE,2017,October,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-10-07 22:10:00,EST-5,2017-10-07 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-83.2,41.83,-83.2,"Thunderstorms moving through western Lake Erie and Detroit River produced wind gusts up to 50 knots.","" +120861,723641,LAKE ERIE,2017,October,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-10-07 22:14:00,EST-5,2017-10-07 22:14:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-83.2,42.0008,-83.1407,"Thunderstorms moving through western Lake Erie and Detroit River produced wind gusts up to 50 knots.","" +121174,725396,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-10-15 12:00:00,EST-5,2017-10-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-82.68,42.56,-82.68,"Thunderstorms moving through Lake St. Clair produced wind gusts in excess of 40 knots.","" +121174,725397,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-10-15 11:49:00,EST-5,2017-10-15 11:49:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.91,42.36,-82.91,"Thunderstorms moving through Lake St. Clair produced wind gusts in excess of 40 knots.","" +121174,725398,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-10-15 11:40:00,EST-5,2017-10-15 11:40:00,0,0,0,0,0.00K,0,0.00K,0,42.43,-82.87,42.43,-82.87,"Thunderstorms moving through Lake St. Clair produced wind gusts in excess of 40 knots.","" +121174,725399,LAKE ST CLAIR,2017,October,Marine Thunderstorm Wind,"ST CLAIR RIVER",2017-10-15 12:00:00,EST-5,2017-10-15 12:00:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-82.48,42.72,-82.48,"Thunderstorms moving through Lake St. Clair produced wind gusts in excess of 40 knots.","A thunderstorm which brought down a tree in Marine City moved across the St. Clair River." +120859,725403,LAKE HURON,2017,October,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-10-07 21:40:00,EST-5,2017-10-07 21:40:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-83.54,44.02,-83.54,"Thunderstorms moving through Saginaw Bay and southern Lake Huron produced measured wind gusts in the 35 to 45 knot range.","" +120237,720364,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:24:00,CST-6,2017-10-22 08:24:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at North Jetty PORTS site." +120237,720365,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"GALVESTON BAY",2017-10-22 08:30:00,CST-6,2017-10-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,29.3023,-94.8965,29.3023,-94.8965,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at TAMU/TCOON Galveston Railroad Bridge site." +120237,720366,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:31:00,CST-6,2017-10-22 08:31:00,0,0,0,0,0.00K,0,0.00K,0,29.1321,-95.0591,29.1321,-95.0591,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at Terramar Beach WeatherFlow site." +120237,720367,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:35:00,CST-6,2017-10-22 08:35:00,0,0,0,0,0.00K,0,0.00K,0,29.13,-94.62,29.13,-94.62,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at KXIH." +120237,720368,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:41:00,CST-6,2017-10-22 08:41:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at North Jetty PORTS site." +120237,720369,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 08:43:00,CST-6,2017-10-22 08:43:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at WeatherFlow site XSRF." +120237,720371,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-10-22 09:08:00,CST-6,2017-10-22 09:08:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at WeatherFlow site XSRF." +120237,720372,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-10-22 09:30:00,CST-6,2017-10-22 09:30:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at WeatherFlow site XMGB." +120237,720373,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"MATAGORDA BAY",2017-10-22 09:35:00,CST-6,2017-10-22 09:35:00,0,0,0,0,0.00K,0,0.00K,0,28.5821,-96.5691,28.5821,-96.5691,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at Alamo Beach WeatherFlow site." +120237,720374,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-10-22 09:48:00,CST-6,2017-10-22 09:48:00,0,0,0,0,0.00K,0,0.00K,0,28.422,-96.327,28.422,-96.327,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at NOS/COOPS Matagorda Bay Entrance site." +120237,720375,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"MATAGORDA BAY",2017-10-22 09:48:00,CST-6,2017-10-22 09:48:00,0,0,0,0,0.00K,0,0.00K,0,28.4458,-96.3955,28.4458,-96.3955,"A southward moving storm complex produced numerous marine thunderstorm wind gusts in the morning.","Wind gust was measured at Port O'Connor USCG site." +115613,694434,IOWA,2017,June,Hail,"BENTON",2017-06-15 22:55:00,CST-6,2017-06-15 22:55:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.28,41.9,-92.28,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694435,IOWA,2017,June,Hail,"BENTON",2017-06-15 22:59:00,CST-6,2017-06-15 22:59:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.25,41.9,-92.25,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +115613,694446,IOWA,2017,June,Thunderstorm Wind,"CEDAR",2017-06-15 20:30:00,CST-6,2017-06-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-91.13,41.73,-91.13,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Trees and power lines down across Highway 38. The public report time is estimated from radar data." +121053,726004,NEW YORK,2017,October,Heavy Rain,"ULSTER",2017-10-29 19:00:00,EST-5,2017-10-30 00:15:00,0,0,0,0,,NaN,,NaN,41.84,-74.15,41.84,-74.15,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","Social media reported 4.36 inches of heavy rain." +121053,726005,NEW YORK,2017,October,Heavy Rain,"SCHENECTADY",2017-10-29 15:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,,NaN,,NaN,42.76,-74,42.76,-74,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","A trained spotter reported 2.10 inches of rain." +121053,726009,NEW YORK,2017,October,Heavy Rain,"SARATOGA",2017-10-29 14:00:00,EST-5,2017-10-29 23:00:00,0,0,0,0,,NaN,,NaN,43.12,-74.01,43.12,-74.01,"A low pressure system developed off the southeast coast and rapidly intensified as it tracked northward tapping into tropical moisture. The powerful low moved across eastern New York Sunday night into early Monday morning bringing damaging winds, power outages, heavy rainfall and flooding to the region. Several river flood warnings were issued with mainly minor flooding as a result. The exception was with Kast Bridge along the West Canada Creek, which crested at moderate flood stage but no impacts were noted. ||As the system departed the region, strong winds ensued, causing thousands of power outages across eastern New York. Total rainfall from this system ranged from 2.0 inches in Rensselaer county up to 7.0 inches in Greene county. ||The pressure at the Albany International Airport dropped to 28.82 inches as the low moved through. This sets a new record low pressure for the month of October.","A trained spotter reported 2.85 inches of rain." +119620,717633,MONTANA,2017,October,Winter Storm,"BLAINE",2017-10-03 11:20:00,MST-7,2017-10-03 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Northwestern Energy reports about 7000 customers without power due to the winter storm in Havre and points east. Power could be out for several days." +119620,717631,MONTANA,2017,October,Winter Storm,"HILL",2017-10-03 11:20:00,MST-7,2017-10-03 11:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large winter storm brought widespread snow across northern and central Montana starting Sunday night (October, 1st 2017), continuing through Monday (October 2nd, 2017), and ending the morning of Tuesday (October 3rd, 2017). The highest impacted areas came across the northern Montana area known as the Hi-Line, specifically the Havre area. Across the Havre area, anywhere from 12 to 16 inches fell. To the elevated areas south of Havre, up to 30 inches of snow were reported with up to 8 foot drifts. Other areas of central Montana had reports anywhere from 1 to 6 inches.","Northwestern Energy reports about 7000 customers without power due to the winter storm in Havre and points east. Power could be out for several days." +119592,717506,OREGON,2017,October,Wildfire,"SOUTH CENTRAL OREGON CASCADES",2017-10-01 00:00:00,PST-8,2017-10-04 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17 and the Spruce Lake fire was started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of the last report at 03:30 PST on 10/04/17, the fires collectively covered 27476 acres and was 35 percent contained. 30.1 million dollars had been spent on firefighting efforts.","The High Cascades Wildfire consists of numerous fires, including the Broken Lookout, Windy Gap, Blanket Creek, Spruce Lake, Pup, and Paradise fires. The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17 and the Spruce Lake fire was started by lightning on 07/29/17. Subsequent fires were also started by lightning. As of the last report at 03:30 PST on 10/04/17, the fires collectively covered 27476 acres and was 35 percent contained. 30.1 million dollars had been spent on firefighting efforts." +119672,717827,TEXAS,2017,October,Thunderstorm Wind,"SWISHER",2017-10-06 20:55:00,CST-6,2017-10-06 20:55:00,0,0,0,0,0.00K,0,0.00K,0,34.5411,-101.7375,34.5411,-101.7375,"A line of severe thunderstorms developed from the Texas Panhandle through the central South Plains as a strong cold front interacted with an unseasonably moist and unstable airmass. Several severe wind gusts were reported across the extreme southern Texas Panhandle. Meanwhile, highly localized thunderstorm winds blew down a power pole along 82nd street near Alcove Avenue in Lubbock (Lubbock County). This caused a brief widespread power outage for the cities of Lubbock and Wolfforth.","A Texas Tech University West Texas mesonet site near Tulia recorded a wind gust to 67 mph." +120112,719729,MISSOURI,2017,October,Thunderstorm Wind,"CASS",2017-10-14 17:20:00,CST-6,2017-10-14 17:23:00,0,0,0,0,0.00K,0,0.00K,0,38.8093,-94.2636,38.8093,-94.2636,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","The NWS office in Pleasant Hill observed a 60 mph wind gust." +120112,719731,MISSOURI,2017,October,Thunderstorm Wind,"PETTIS",2017-10-14 19:50:00,CST-6,2017-10-14 19:53:00,0,0,0,0,0.00K,0,0.00K,0,38.62,-93.41,38.62,-93.41,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","The public reported a 65 mph wind gust near Green Ridge." +120112,719720,MISSOURI,2017,October,Thunderstorm Wind,"CLAY",2017-10-14 16:31:00,CST-6,2017-10-14 16:34:00,0,0,0,0,0.00K,0,0.00K,0,39.12,-94.59,39.1431,-94.5773,"On the afternoon of October 14, 2017 strong thunderstorms formed along a boundary, which was draped across the Kansas City metro area. The strongest of these storms was a supercell that caused quite a bit of wind damage across the Northland of Kansas City. This wind damage manifested itself in several large trees being knocked over and a hotel sign across from Worlds of Fun crashing down. At the Worlds of Fun theme park displays were knocked over and tree damage was quite extensive. Aside from the tree damage in Kansas City there was minor structure damage in several other areas of western and central Missouri, but none of this structural damage appeared to be significant. Several automated wind gauges across the area recorded wind gusts in the 55 to 65 mph range. For more information, click the link for a dedicated web page: https://www.weather.gov/eax/October142017windacrosswesternandcentralmissouri .","The ASOS measured 65 mph wind at the Kansas City Downtown Airport. In a nearby neighborhood a large tree was knocked over on the 2000 block of Swift St." +119916,718780,FLORIDA,2017,October,Tropical Storm,"WASHINGTON",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +119916,718781,FLORIDA,2017,October,Tropical Storm,"HOLMES",2017-10-08 01:00:00,EST-5,2017-10-08 10:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Impacts from Tropical Storm Nate to the Florida Panhandle and southeast Alabama in the NWS Tallahassee County Warning Area began Saturday afternoon on Oct 7th and lasted into Sunday. Trees and power lines were downed resulting in power outages across many of the counties in the Tropical Storm Warning. In addition, rainfall amounts of 4-5 inches (up to 5.55 near Elba, AL) resulted in flash flooding across Coffee County with water covering Highway 189, Highway 203 North and Troy Highway. During the flash flood event, water came close to entering a residence near Elba. Another impact from Hurricane Nate was coastal flooding across the Panhandle and Big Bend coast with around 2-3 feet of inundation at the coast that resulted in minor to moderate coastal erosion. In Gulf county erosion was observed on west facing properties on Cape San Blas. Wave action was responsible for the damage which included beach erosion and destruction of a few stairs from structures down to the beach level. In Wakulla County, a few roads and a dock had water over them with a few inches of water entering two businesses. In Bay County, storm surge damaged the Mexico Beach pier and flooded the campground at St. Andrews Bay Lagoon. In Walton County minor flooding occurred at the boat ramps at Santa Rosa Beach on the Choctawhatchee Bay side.","" +120416,721473,MICHIGAN,2017,October,Lakeshore Flood,"ALGER",2017-10-24 06:00:00,EST-5,2017-10-24 20:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A rapidly deepening fall storm system tracking from the Ohio Valley to near the Mackinac Straits produced very strong and damaging north winds up to 60 mph, power outages and extensive lake shore flooding over mainly the north half of Upper Michigan on the 24th.","Storm force north winds across eastern Lake Superior whipped up waves as high as 25 to 30 feet and caused extensive beach erosion along the Lake Superior shoreline of Alger County on the 24th." +120477,721813,NEW JERSEY,2017,October,Strong Wind,"GLOUCESTER",2017-10-24 06:02:00,EST-5,2017-10-24 06:02:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Over 25,000 homes and businesses lost power. Several school districts had to close because of the power loss. ||Damage occurred in several locations occurred in several locations due to the high winds. A tree fell onto a car in Pitman, trees and wires were taken down in Hamilton township. Trees were also reported down in Springville and Burlington Township in Burlington county along with Monroe Township in Gloucester county. in Gloucester county, Tree damage was also reported in Whitman square, Downer and Clayton along with Harding and Mullica Hill. Tree damage due to winds extended north in Leonardo and Pleasant Grove along with Hanford in Sussex county.","New Jersey Mesonet gust 12 miles east of Elmer." +120477,721814,NEW JERSEY,2017,October,Strong Wind,"SUSSEX",2017-10-24 11:39:00,EST-5,2017-10-24 11:39:00,0,0,0,0,0.01K,10,0.01K,10,NaN,NaN,NaN,NaN,"A strong low pressure system over the Great Lakes and a departing high pressure system to our east lead to a tight pressure gradient and a round of strong winds. Over 25,000 homes and businesses lost power. Several school districts had to close because of the power loss. ||Damage occurred in several locations occurred in several locations due to the high winds. A tree fell onto a car in Pitman, trees and wires were taken down in Hamilton township. Trees were also reported down in Springville and Burlington Township in Burlington county along with Monroe Township in Gloucester county. in Gloucester county, Tree damage was also reported in Whitman square, Downer and Clayton along with Harding and Mullica Hill. Tree damage due to winds extended north in Leonardo and Pleasant Grove along with Hanford in Sussex county.","CWOP measured gust just southeast of Pellettown." +120465,721740,WYOMING,2017,October,High Wind,"CODY FOOTHILLS",2017-10-06 21:50:00,MST-7,2017-10-06 23:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough crossing Wyoming mixed strong mid level winds to the surface and brought high winds to portions of central Wyoming. The strongest winds were in the wind prone areas of the Green and Rattlesnake Range where a gust of 83 mph was recorded at Camp Creek. In other areas, winds gusted to 71 mph near Clark in Park County, 60 mph along Wyoming Boulevard in Casper and 59 mph in Thermopolis.","A wind sensor near Clark recorded a wind gust of 71 mph." +120465,721741,WYOMING,2017,October,High Wind,"GREEN MOUNTAINS & RATTLESNAKE RANGE",2017-10-06 23:50:00,MST-7,2017-10-07 22:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough crossing Wyoming mixed strong mid level winds to the surface and brought high winds to portions of central Wyoming. The strongest winds were in the wind prone areas of the Green and Rattlesnake Range where a gust of 83 mph was recorded at Camp Creek. In other areas, winds gusted to 71 mph near Clark in Park County, 60 mph along Wyoming Boulevard in Casper and 59 mph in Thermopolis.","The wind prone higher elevations saw very strong winds. Some of the notable gusts included 83 mph at Camp Creek and 65 mph at Fales Rock." +120556,722242,TEXAS,2017,October,Thunderstorm Wind,"CARSON",2017-10-06 21:00:00,CST-6,2017-10-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-101.17,35.43,-101.17,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Power lines blown down in White Deer. Power is out. Time estimated by radar." +120556,722243,TEXAS,2017,October,Thunderstorm Wind,"HANSFORD",2017-10-06 20:03:00,CST-6,2017-10-06 20:03:00,0,0,0,0,0.00K,0,0.00K,0,36.19,-101.18,36.19,-101.18,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","Spearman KVII schoolnet site reported 59 mph wind gust and local law enforcement reported tree limbs down in town." +120556,722244,TEXAS,2017,October,Thunderstorm Wind,"POTTER",2017-10-06 20:17:00,CST-6,2017-10-06 20:17:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-101.82,35.23,-101.82,"An upper level disturbance working SE out of southern Colorado would eventually be the catalyst for linear thunderstorms later on in the evening. In the mid afternoon hours on the 6th, a very small window early in the event allowed for supercell formation with SBCAPE of around 3000 J/Kg and MUCAPE of around 1000 J/kg/ Although 850-700 hPa moisture axis across the central Panhandles was prevalent, storms did have a tough time breaking through the cap with the main mid level forcing being back to the west near upper level trough in CO and north near the cold front in southern Kansas. However, with daytime heating, a few cells developed and produced some hail up to half dollar size. Eventually as the main upper level piece of energy moved SE across the Panhandles in-conjunction with the cold front moving south provided enough lift for a line of storms to develop with several damaging wind to powerlines and severe wind gusts reported.","At Wonderland Park." +120228,720325,NORTH DAKOTA,2017,October,High Wind,"PIERCE",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Sustained winds of 40 mph were measured at the Rugby AWOS." +120228,720326,NORTH DAKOTA,2017,October,High Wind,"STUTSMAN",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","A 59 mph wind gust was measured at the Jamestown ASOS." +120228,722750,NORTH DAKOTA,2017,October,High Wind,"WELLS",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Sustained winds are estimated for northern Wells County based on the Rugby AWOS report in Pierce County." +120228,722751,NORTH DAKOTA,2017,October,High Wind,"FOSTER",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Wind gusts are estimated for southern Foster County based on the Jamestown ASOS report in Stutsman County." +120228,722752,NORTH DAKOTA,2017,October,High Wind,"KIDDER",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Wind gusts are estimated for eastern Kidder County based on the Jamestown ASOS report in Stutsman County." +120228,722753,NORTH DAKOTA,2017,October,High Wind,"LOGAN",2017-10-26 09:00:00,CST-6,2017-10-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong cold front swept through North Dakota during the late night hours of October 25 into the early morning of October 26. Strong north to northwest winds developed behind the front, particularly during the daytime hours of October 26. The strongest winds were noted over eastern North Dakota.","Wind gusts are estimated for northeastern Logan County based on the Jamestown ASOS report in Stutsman County." +120591,722875,VERMONT,2017,October,Strong Wind,"WESTERN RUTLAND",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30).||Sustained winds of 25 to 35 mph with frequent wind gusts of 50 to 70 mph occurred during the early morning hours of October 30th across portions of Vermont due to fully mature mountain waves. A peak wind gust of 115 mph was observed at the summit of Mount Mansfield.||Numerous downed branches, trees and some snapped and uprooted trees causing widespread power outages, especially in VT where 30% of the power grid or >100,000 customers were without power. Trees fell on residences and vehicles as well. The hardest hit communities were along the western slopes of the Green Mountains.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120689,722890,NEW YORK,2017,October,Strong Wind,"WESTERN CLINTON",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30). ||Sustained winds of 20 to 30 mph with frequent wind gusts of 40 to 50 mph occurred during the early morning hours of October 30th across portions of northeast NY. ||Scattered pockets of downed branches, trees caused some power outages.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120689,722891,NEW YORK,2017,October,Strong Wind,"EASTERN ESSEX",2017-10-30 00:00:00,EST-5,2017-10-30 04:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A cold front, supported by an energetic upper level system, moved across the Mississippi and Ohio River valleys to the eastern seaboard by midday Sunday (10/29) and initially developed an area of low pressure. Meanwhile, energy and deep tropical moisture, associated with the remnants of Tropical Storm Philippe (well offshore of the southeast United States) interacted with the developing east coast storm to create a rapidly intensifying storm Sunday night off the mid-Atlantic coast that traveled into the Champlain Valley by Monday morning (10/30). ||Sustained winds of 20 to 30 mph with frequent wind gusts of 40 to 50 mph occurred during the early morning hours of October 30th across portions of northeast NY. ||Scattered pockets of downed branches, trees caused some power outages.","Scattered tree damage and power outages with measured wind gusts in the 40-50 mph range." +120390,721214,OKLAHOMA,2017,October,Thunderstorm Wind,"OSAGE",2017-10-21 18:45:00,CST-6,2017-10-21 18:45:00,0,0,0,0,0.00K,0,0.00K,0,36.695,-96.7304,36.695,-96.7304,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind gusts were estimated to 60 mph." +120390,721215,OKLAHOMA,2017,October,Thunderstorm Wind,"WASHINGTON",2017-10-21 19:59:00,CST-6,2017-10-21 19:59:00,0,0,0,0,0.00K,0,0.00K,0,36.7962,-95.9353,36.7962,-95.9353,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","Strong thunderstorm wind gusts were estimated to 60 mph." +120390,721217,OKLAHOMA,2017,October,Hail,"OKMULGEE",2017-10-21 21:57:00,CST-6,2017-10-21 21:57:00,0,0,0,0,0.00K,0,0.00K,0,35.6086,-95.9621,35.6086,-95.9621,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","" +120390,721218,OKLAHOMA,2017,October,Hail,"WAGONER",2017-10-21 22:07:00,CST-6,2017-10-21 22:07:00,0,0,0,0,0.00K,0,0.00K,0,35.9589,-95.374,35.9589,-95.374,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","" +120390,721219,OKLAHOMA,2017,October,Hail,"WAGONER",2017-10-21 22:16:00,CST-6,2017-10-21 22:16:00,0,0,0,0,0.00K,0,0.00K,0,35.96,-95.3659,35.96,-95.3659,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","" +120390,721220,OKLAHOMA,2017,October,Hail,"CHEROKEE",2017-10-21 22:36:00,CST-6,2017-10-21 22:36:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-94.97,35.92,-94.97,"Strong to severe thunderstorms developed during the afternoon hours of the 21st over eastern Kansas, north central Oklahoma, and western Oklahoma as a cold front moved into the area. These thunderstorms evolved into a solid line as they moved east into eastern Oklahoma during the evening hours. The storms produced damaging wind and large hail as they moved through the area.","" +120788,723392,NEW JERSEY,2017,October,Strong Wind,"HUDSON",2017-10-29 14:00:00,EST-5,2017-10-29 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","At 3 pm on the 29th, law enforcement reported a tree down on South 3rd Street in Harrison." +120966,724092,GULF OF MEXICO,2017,October,Marine Thunderstorm Wind,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-10-22 10:55:00,CST-6,2017-10-22 11:55:00,0,0,0,0,0.00K,0,0.00K,0,27.833,-96.017,27.833,-96.017,"Scattered thunderstorms along a cold front produced wind gusts between 35 to 40 knots across the coastal waters between Rockport and Port O'Connor during the morning of the 22nd.","Brazos Platform AWOS measured a gust to 37 knots." +120788,723391,NEW JERSEY,2017,October,Strong Wind,"WESTERN BERGEN",2017-10-29 20:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A trained spotter reported a tree limb down, which knocked down power lines on the 29th at 910 pm in Fair Lawn." +120788,723389,NEW JERSEY,2017,October,Strong Wind,"EASTERN BERGEN",2017-10-29 23:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A trained spotter reported trees and wires down at 1201 am on the 30th on Harrison Avenue in Saddle Brook." +120789,723393,CONNECTICUT,2017,October,Strong Wind,"NORTHERN NEW HAVEN",2017-10-29 23:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","At 106 am on the 30th, the ASOS at Meriden Airport measured a wind gust to 56 mph." +120789,723394,CONNECTICUT,2017,October,Strong Wind,"SOUTHERN NEW HAVEN",2017-10-29 22:00:00,EST-5,2017-10-30 03:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","At 1102 pm on the 29th, the ASOS at New Haven Airport measured a wind gust to 54 mph. In Madison, a mesonet station also measured a wind gust to 54 mph. This occurred at 125 am on the 30th." +120790,723395,NEW YORK,2017,October,Strong Wind,"NORTHERN NASSAU",2017-10-30 03:00:00,EST-5,2017-10-30 13:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet station near Glen Cove measured a wind gust up to 51 mph at 1241 pm on the 30th." +120790,723396,NEW YORK,2017,October,Strong Wind,"SOUTHERN WESTCHESTER",2017-10-29 23:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet station near Mamaroneck reported a wind gust up to 57 mph at 1236 am on the 30th." +120790,723397,NEW YORK,2017,October,Strong Wind,"NORTHERN WESTCHESTER",2017-10-29 23:00:00,EST-5,2017-10-30 02:00:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure system rapidly intensified as it moved north, passing west of the local area.","A mesonet station near Ossining measured a wind gust up to 53 mph at 1243 am on the 30th." +121094,724948,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Seven inches of snow was observed two miles east of Cheyenne." +121094,724949,WYOMING,2017,October,Winter Storm,"SOUTH LARAMIE RANGE FOOTHILLS",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","Six and a half inches of snow was observed 15 miles northwest of Cheyenne." +121094,724931,WYOMING,2017,October,Winter Storm,"CENTRAL LARAMIE COUNTY",2017-10-08 18:00:00,MST-7,2017-10-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Pacific low pressure system tracked east across southern Wyoming and northern Colorado and produced periods of moderate to heavy snow across much of south central and southeast Wyoming. Gusty west to northwest winds created areas of blowing and drifting snow with poor visibilities. Interstate 80 was closed both directions from Cheyenne to Rawlins for several hours. Snow totals varied between six and 18 inches.","An observer two miles west of Cheyenne measured seven inches of snow." +121096,724951,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-21 22:15:00,MST-7,2017-10-21 22:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured peak wind gusts of 58 mph." +121096,724952,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 01:15:00,MST-7,2017-10-22 03:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured wind gusts of 58 mph or higher, with a peak gust of 71 mph at 22/0205 MST." +121096,724953,WYOMING,2017,October,High Wind,"NORTH SNOWY RANGE FOOTHILLS",2017-10-22 14:55:00,MST-7,2017-10-22 16:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Arlington East measured sustained winds of 40 mph or higher, with a peak gust of 62 mph at 22/1515 MST." +121096,724954,WYOMING,2017,October,High Wind,"CONVERSE COUNTY LOWER ELEVATIONS",2017-10-22 12:00:00,MST-7,2017-10-22 12:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A potent upper level disturbance moved across northern Wyoming. The resultant large pressure gradient produced high winds across much of south central and southeast Wyoming. Frequent wind gusts of 60 to 80 mph were observed.","The WYDOT sensor at Deer Creek measured peak wind gusts of 58 mph." +118657,712870,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-24 18:00:00,MST-7,2017-07-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-107.88,37.27,-107.88,"A surge of monsoonal moisture moved across western Colorado and resulted in some thunderstorms with heavy rainfall.","Thunderstorms produced 0.75 of an inch of rain within a couple of hours." +118657,712872,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-24 18:00:00,MST-7,2017-07-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.27,-107.99,37.27,-107.99,"A surge of monsoonal moisture moved across western Colorado and resulted in some thunderstorms with heavy rainfall.","Thunderstorms produced 0.94 of an inch of rain within a few hours." +118657,712877,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-24 18:00:00,MST-7,2017-07-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.38,-107.87,37.38,-107.87,"A surge of monsoonal moisture moved across western Colorado and resulted in some thunderstorms with heavy rainfall.","A total of 1.10 inches of rain fell within about three hours." +118657,712878,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-24 18:00:00,MST-7,2017-07-24 21:00:00,0,0,0,0,0.00K,0,0.00K,0,37.23,-107.87,37.23,-107.87,"A surge of monsoonal moisture moved across western Colorado and resulted in some thunderstorms with heavy rainfall.","A total of 0.98 of an inch of rain fell within three hours." +118657,712879,COLORADO,2017,July,Heavy Rain,"LA PLATA",2017-07-24 18:00:00,MST-7,2017-07-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,37.41,-107.86,37.41,-107.86,"A surge of monsoonal moisture moved across western Colorado and resulted in some thunderstorms with heavy rainfall.","A total of 0.84 of an inch of rain fell within about two hours." +119113,715372,UTAH,2017,July,Heavy Rain,"GRAND",2017-07-24 19:30:00,MST-7,2017-07-24 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5774,-109.5698,38.5774,-109.5698,"Subtropical moisture resulted in some thunderstorms with heavy rainfall in Grand County.","Heavy rainfall in the area, including a rain gauge measurement of 0.80 of an inch of rain within an hour, resulted in street flooding in portions of Moab. Mill Creek ran high with a lot of debris that accumulated against bridges." +118659,712880,UTAH,2017,July,Flash Flood,"SAN JUAN",2017-07-25 16:00:00,MST-7,2017-07-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.3024,-109.8369,37.2958,-109.8348,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","Heavy rainfall caused flash flooding in the Valley of the Gods. Water over a foot deep flowed across Valley of the Gods Road along several washes and caused visitors to become stranded. A total of 0.94 of an inch of rain was measured within 75 minutes at the Valley of the Gods cooperative weather station." +118659,712882,UTAH,2017,July,Heavy Rain,"GRAND",2017-07-25 20:00:00,MST-7,2017-07-25 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.57,-109.55,38.57,-109.55,"Subtropical moisture remained over the area and produced some thunderstorms with heavy rainfall.","In approximately 30 minutes, 0.67 of an inch of rain fell." +120681,724678,MAINE,2017,October,High Wind,"SOUTHERN PENOBSCOT",2017-10-30 04:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 50 to 60 mph were common with a peak gust of 66 mph measured at Bangor." +120681,724679,MAINE,2017,October,High Wind,"INTERIOR HANCOCK",2017-10-30 04:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 50 to 60 mph were common...with peak wind gusts estimated at around 65 mph." +120681,724680,MAINE,2017,October,High Wind,"CENTRAL PISCATAQUIS",2017-10-30 06:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 40 to 50 mph were common with a peak gust of 61 mph measured at Greenville." +120681,724683,MAINE,2017,October,High Wind,"SOUTHERN PISCATAQUIS",2017-10-30 06:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 40 to 50 mph were common...with peak wind gusts estimated at around 60 mph." +120681,724684,MAINE,2017,October,High Wind,"CENTRAL PENOBSCOT",2017-10-30 06:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. The falling trees and branches produced extensive damage to the electrical grid snapping utility poles and downing power lines with widespread power outages. Wind gusts of 40 to 50 mph were common with peak wind gusts estimated at around 60 mph." +120681,724685,MAINE,2017,October,High Wind,"NORTHERN SOMERSET",2017-10-30 06:00:00,EST-5,2017-10-30 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Rapidly intensifying low pressure lifted across western New England during the 30th...with a boost from the remnants of what had been Tropical Storm Philippe. A very tight pressure gradient between the low and high pressure to the east supported the development of a strong low level jet which crossed the region through the morning of the 30th in advance of a cold front. The strongest winds occurred during the morning of the 30th when south to southeast wind gusts of 60 to 70 mph were common...with some gusts in excess of 70 mph. The strongest winds occurred in a region from Hancock county...southern and central Penobscot county...central and southern Piscataquis county into northern Somerset county. |The strong winds produced extensive tree damage in the area from Hancock county...across southern and central Penobscot county...southern and central Piscataquis county into northern Somerset county. The number of trees toppled...snapped or damaged is estimated in the hundreds of thousands. Leaves still on many trees and saturated ground contributed to the extensive tree damage. The falling trees and branches brought down power lines and snapped utility poles producing extensive damage to the electrical grid. Power outages began during the early morning hours of the 30th...then rapidly increased through the morning into early afternoon. Power outages within the EMERA Maine service area peaked at around 90,000 customers, which represented around 56% of their customer base. Power outages within the Eastern Maine Power service area peaked around 10,000 customers. The extensive damage to the electrical grid and number of snapped and uprooted trees hindered the recovery process. Roads blocked by fallen trees also slowed the recovery process. Full power was not restored until November 7th.|Trees falling on structures...vehicles and fences produced damage of varying degrees. The winds also produced roof and structural damage to shingles and siding. Signs were also bent or toppled. Damage to public infrastructure was estimated at $217,873 in Hancock county...$667,682 in Penobscot county and $68,396 in Piscataquis county. This damage...in addition to major damage across the remainder of the state...prompted a Disaster Declaration. Significant damage to private property also occurred, though monetary estimates were unavailable.","High winds with a strong low level jet toppled and snapped numerous trees along with broken branches. Wind gusts of 40 to 50 mph were common...with peak wind gusts estimated at around 60 mph." +121117,725107,NORTH CAROLINA,2017,October,Thunderstorm Wind,"COLUMBUS",2017-10-23 21:14:00,EST-5,2017-10-23 21:15:00,0,0,0,0,1.00K,1000,0.00K,0,34.3156,-78.7088,34.3156,-78.7088,"This nocturnal severe weather event was characterized by strong dynamics aloft as a negatively tilted mid-level trough moved across the area. Instability was modest, but shear values were high.","Observations by a storm survey team from the National Weather Service confirmed scattered straight line wind damage in the city of Whiteville. A large tree was down across Talbot St." +121136,725209,ALABAMA,2017,October,Tropical Storm,"CLAY",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +121136,725210,ALABAMA,2017,October,Tropical Storm,"JEFFERSON",2017-10-08 05:00:00,CST-6,2017-10-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Nate strengthened into a Tropical Storm on the morning of Thursday, October 5th, just off the coast of Nicaragua. Nate moved inland across Nicaragua and Honduras through Friday morning October 6th. Nate then moved north-northwest over the warm waters of the northwestern Caribbean Sea, where it gradually intensified. Just after passing through the Yucatan Channel, Nate officially reached hurricane status during the early morning hours of Saturday, October 7th. Hurricane Nate raced toward the central Gulf Coast and made its first landfall near the mouth of the Mississippi River Saturday evening, October 7th. A second landfall near Biloxi, MS, came later that evening. Nate continued to accelerate northeastward and weaken as it crossed into west Alabama. Nate was downgraded to a Tropical Depression near Birmingham, AL, on the morning of Sunday, October 8th. Nate produced gusty winds of 30-50 mph which downed numerous trees and power lines across central Alabama, and several weak tornadoes formed on its feeder bands. As the remnants of Nate tracked towards the New England States, a nearly stationary surface trough over southeast Alabama resulted in localized flash flooding in Chambers County on Monday, October 9th.","Numerous trees uprooted and power lines downed throughout the county due to winds of 35 to 45 mph." +120703,725202,MINNESOTA,2017,October,Flood,"CARLTON",2017-10-03 00:00:00,CST-6,2017-10-04 00:00:00,0,0,0,0,0.00K,0,0.00K,0,46.4765,-92.4747,46.4764,-92.47,"Heavy rain caused flooding to parts of northeast Minnesota.","Portions of County Road 8 west of County Road 103 east of Moose Lake was closed due to high water." +120703,722996,MINNESOTA,2017,October,Flood,"PINE",2017-10-03 07:10:00,CST-6,2017-10-03 08:00:00,0,0,0,0,0.00K,0,0.00K,0,46.38,-92.6,46.3753,-92.5963,"Heavy rain caused flooding to parts of northeast Minnesota.","Water covered Oak Leaf Road near County Road 47." +120703,723000,MINNESOTA,2017,October,Flood,"COOK",2017-10-03 07:24:00,CST-6,2017-10-03 09:00:00,0,0,0,0,0.00K,0,0.00K,0,47.74,-90.45,47.743,-90.4447,"Heavy rain caused flooding to parts of northeast Minnesota.","Water covered the west bound lane on Pike Lake Road near County Road 7." +120703,722995,MINNESOTA,2017,October,Flash Flood,"COOK",2017-10-03 07:39:00,CST-6,2017-10-03 07:39:00,0,0,0,0,0.00K,0,0.00K,0,47.88,-90.16,47.8608,-90.1766,"Heavy rain caused flooding to parts of northeast Minnesota.","Water was flowing over some roads while other roads were under water." +120705,725194,MINNESOTA,2017,October,Winter Storm,"SOUTHERN ST. LOUIS / CARLTON",2017-10-27 00:00:00,CST-6,2017-10-28 00:00:00,0,0,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Winter came early for much of the Northland in October. Some areas received upwards of a foot of snow while other areas received very little. The Lake Superior shoreline was heavily damaged by relentless waves caused by strong off lakes winds that gusted over 50 mph for many hours. The UMD buoy on the western tip of Lake Superior recorded a peak wind gust of 43 mph with steady winds of 35 to 40 mph overnight and most of the following day, Friday, October 27th. The buoy recorded waves of 10 to 16 feet. The weather monitoring equipment at the McQuade safe harbor recorded a peak wind of 45 mph. The winds and subsequent waves and high surf caused portions of the lake walk in Duluth to get torn up and strewn with rocks and debris. The snow began in the afternoon of the 26th and spread eastward. The official snowfall total for Duluth was 10.6 for the record October single day snowfall along with a new record daily maximum snowfall. The heavy, wet snow took down trees, branches, and power lines, leaving folks without power in areas of northern Minnesota, including Duluth and International Falls. Onshore waves and strong winds off of Lake Superior pummeled the shoreline around Duluth throwing rocks and upending concrete-based walkways. Portions of the the Duluth Lakewalk, Brighton Beach, Canal Park, and Park Point were damaged. A disaster declaration was authorized by Minnesota Governor Mark Dayton for $2.12 million from the state and $1.38 million from the local governments totaling $3.5 million for repairs and cleanup. $2.5 million in damage was just in the city of Duluth alone with damage found also along Scenic Highway 61.","A semi truck driver was killed when his vehicle slid off of the northbound lane of Interstate 35 near Scanlon into the St. Louis River. Roads were slick due to heavy, wet snow falling along with high winds. Wind gust measured by station KDYT was 55 kt at 12:41 AM CST." +121170,725391,NEW YORK,2017,October,Coastal Flood,"SOUTHERN NASSAU",2017-10-30 03:00:00,EST-5,2017-10-30 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A southern low rapidly intensified as it raced up the East coast Sunday, and over NYC Sunday Night. This low brought a rapid onset but relatively brief period of SE gale to storm force winds Sunday evening, shifting to WNW gales Monday morning. High seas built into Monday Morning. ||Moderate coastal flooding occurred along the Great South Bay with the Monday morning high tide. Surge continued to increase well after peak onshore winds, with water levels receding briefly or not at all during low tide. The westerly wind shift helped slosh surge into eastern portions of the Great South Bay, with recession below flood levels taking several hours after high tide.","The USGS tidal gauge in Hudson Bay at Freeport recorded a peak water level of 6.6 ft. MLLW at 418 am EST. The moderate coastal flood threshold of 6.2 ft. MLLW was exceeded from 342 to 448 am EST. The moderate coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +121170,725426,NEW YORK,2017,October,Coastal Flood,"SOUTHWEST SUFFOLK",2017-10-30 04:00:00,EST-5,2017-10-30 10:00:00,0,0,0,0,3.00M,3000000,0.00K,0,NaN,NaN,NaN,NaN,"A southern low rapidly intensified as it raced up the East coast Sunday, and over NYC Sunday Night. This low brought a rapid onset but relatively brief period of SE gale to storm force winds Sunday evening, shifting to WNW gales Monday morning. High seas built into Monday Morning. ||Moderate coastal flooding occurred along the Great South Bay with the Monday morning high tide. Surge continued to increase well after peak onshore winds, with water levels receding briefly or not at all during low tide. The westerly wind shift helped slosh surge into eastern portions of the Great South Bay, with recession below flood levels taking several hours after high tide.","The USGS tidal gauge in Great South Bay at Lindenhurst recorded a peak water level of 3.7 ft. MLLW at 454 am EST. The moderate coastal flood threshold of 3.6 ft. MLLW was exceeded from 424 to 536 am EST. The USGS tidal gauge in Great South Bay at Sayville recorded a peak water level of 3.9 ft. MLLW at 642 am EST. The moderate coastal flood threshold of 3.5 ft. MLLW was exceeded from 448 to 854 am EST. Moderate inundation of around 2 feet was reported along numerous waterfront roads and properties in Bayshore, West Babylon, Babylon, Lindenhurst, Blue Point, Patchogue, and Sayville. In Brookhaven, major inundation of 3 to 5 feet occurred at Squassux Landing Marina along Carmans River, sinking some boats. In Bellport, moderate inundation of 1 to 3 feet was observed at Bellport Marina, sinking a number of boats and flooding a few waterfront business.||The USGS tidal gauge in Watch Hill on Fire Island recorded a peak water level of 4.2 ft. MLLW at 718 am EST. This exceeded the major coastal flood threshold of 4.5 ft. MLLW. The moderate coastal flood threshold of 3.6 ft. MLLW was exceeded from 512 to 924 am EST. On Fire Island, extensive damage in excess of $3 million occurred at Davis Park Marina due to a combination of 2 to 3 feet of inundation, long shore currents, and 1 to 2 feet of wave action.||The coastal flooding thresholds were established by the National Weather Service, based on impact analysis and collaboration with the USGS and local emergency management." +121189,725529,CALIFORNIA,2017,October,Excessive Heat,"ORANGE COUNTY COASTAL",2017-10-24 10:00:00,PST-8,2017-10-24 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Afternoon highs at the beaches were in the mid 90s, while locations just a couple miles inland soared into the 100s. The highest value was at Cattle Crest Trailhead, with a high of 109 degrees. John Wayne Airport was 106 degrees, and Santa Ana was 104 degrees (tied for the 4th warmest October day on record)." +121189,725530,CALIFORNIA,2017,October,Excessive Heat,"ORANGE COUNTY COASTAL",2017-10-25 10:00:00,PST-8,2017-10-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper level ridge settled over the region from October 23-25, 2017, before weakening slowly through the 27th. High pressure over the Great Basin brought weak to moderate Santa Winds that contributed dry air and compressional warming. Afternoon high temperatures over the coast and valleys soared past the century mark on the 23rd, 24th and 25th, breaking numerous records. Overnight temperatures in some wind prone spots failed to drop below 80 degrees. The San Diego Unified School District was hit hard, with 85 schools resorting to early releases on the 23rd, 24th, and 25th. The 108 degrees reported at Miramar Marine Air Station was the hottest temperature recorded so late in the year at any location other than RAWS sites. On October 24th, record highs and extremes occurred when Vista and Poway both peaked at 107, and 106 occurred at Oceanside Airport. Other readings included 105 at El Cajon and 105 at Huntington Beach, 106 at Fullerton and John Wayne Airports.","Highs in most areas were in the mid 90s. A peak value of 103 degrees occurred at Cattle Crest Trailhead. A reading of 102 degrees was also reported at Lower Moro Campground." +121222,725753,PUERTO RICO,2017,October,Flash Flood,"CAGUAS",2017-10-09 15:30:00,AST-4,2017-10-09 18:00:00,0,0,0,0,100.00K,100000,0.00K,0,18.1871,-66.0621,18.1887,-66.0618,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Rio Canas flooded several highways including Highway PR-1. Three to four vehicles with minors were involved." +121222,725754,PUERTO RICO,2017,October,Heavy Rain,"COMERIO",2017-10-09 16:30:00,AST-4,2017-10-09 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,18.22,-66.22,18.2793,-66.205,"An east-southeasterly wind flow, plenty of tropical moisture and saturated soils combined to result in numerous to widespread showers and thunderstorms across the islands. These weather conditions enhance flash flooding during this period.","Landslide as much as 15 feet high blocked highway PR-167 in sector El Salto." +116628,713802,MINNESOTA,2017,July,Thunderstorm Wind,"WASECA",2017-07-19 14:42:00,CST-6,2017-07-19 14:42:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-93.77,44.08,-93.77,"Several storms moved across southern Minnesota during the mid afternoon hours of Wednesday, July 19th. A few of the storms bowed out from south of Redwood Falls to Mankato, and into Owatonna and Northfield. There were numerous reports of downed trees and power lines with some corn fields flattened in southern Brown County near Comfrey.","Two trees were blown down southwest of Janesville, near the intersection of County Road 14, and 360th Avenue." +116301,712753,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:15:00,CST-6,2017-07-09 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.73,-93.14,44.7134,-93.1865,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +116301,712754,MINNESOTA,2017,July,Hail,"DAKOTA",2017-07-09 20:13:00,CST-6,2017-07-09 20:13:00,0,0,0,0,0.00K,0,0.00K,0,44.74,-93.21,44.74,-93.21,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +118805,713641,MINNESOTA,2017,July,Lightning,"KANDIYOHI",2017-07-05 05:35:00,CST-6,2017-07-05 05:35:00,0,0,0,0,20.00K,20000,0.00K,0,45.0957,-95.0637,45.0957,-95.0637,"Early morning thunderstorms across west central Minnesota on Wednesday, July 5th, produced a bolt of lightning which struck a Willmar home. The lightning bolt traveled inside the roof line of the home, which caused the insulation to catch fire. The house suffered considerable smoke damage, along with some water damage from the hoses. The family was at home as lightning struck, but no one was injured.","Early Wednesday morning, a lightning bolt struck a house in south Willmar. The lightning traveled inside the roof line of the home, which caused the insulation to catch fire. The house suffered considerable smoke damage, along with some water damage from the hoses. pitched roof." +118806,713644,WISCONSIN,2017,July,Thunderstorm Wind,"POLK",2017-07-06 04:56:00,CST-6,2017-07-06 04:56:00,0,0,0,0,0.00K,0,0.00K,0,45.7198,-92.3868,45.7198,-92.3868,"Thunderstorms that occurred in east central Minnesota during the early morning hours of Thursday, July 6th, moved eastward into west central Wisconsin and produced isolated wind damage in northern Polk County.","A tree was blown down north of Lewis, on 110th street, just south of Highway 35." +119134,715481,WISCONSIN,2017,July,Heavy Rain,"PEPIN",2017-07-19 23:00:00,CST-6,2017-07-20 05:00:00,0,0,0,0,0.00K,0,0.00K,0,44.4819,-92.2536,44.4819,-92.2536,"Several thunderstorms trained over the same areas of east central, and southeast Minnesota, and the adjacent counties in west central Wisconsin, along the Mississippi River. Several inches of rain led to a rock slide along a bluff near Stockholm. Water and debris was also reported on a road near intersection of Hwy 35 and Co Rd A in Pierce County.","A mesonet station in Pepin County near Stockholm measured 3.70 inches of rainfall." +119134,715482,WISCONSIN,2017,July,Heavy Rain,"PEPIN",2017-07-19 23:30:00,CST-6,2017-07-20 05:30:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-92.15,44.44,-92.15,"Several thunderstorms trained over the same areas of east central, and southeast Minnesota, and the adjacent counties in west central Wisconsin, along the Mississippi River. Several inches of rain led to a rock slide along a bluff near Stockholm. Water and debris was also reported on a road near intersection of Hwy 35 and Co Rd A in Pierce County.","A local weather observer measured 5.26 inches of rainfall." +115643,694847,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:14:00,EST-5,2017-04-06 13:27:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","Wind gusts of 36 to 48 knots were reported at Greenberry Point." +115643,694848,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-04-06 13:18:00,EST-5,2017-04-06 13:18:00,0,0,0,0,,NaN,,NaN,38.677,-76.334,38.677,-76.334,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 49 knots was reported at Blackwalnut Harbor." +115643,694849,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:20:00,EST-5,2017-04-06 13:20:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 48 knots was reported at Thomas Point Lighthouse." +115643,694850,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:21:00,EST-5,2017-04-06 13:21:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 35 knots was reported at Tolly Point." +115643,694851,ATLANTIC NORTH,2017,April,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-04-06 13:23:00,EST-5,2017-04-06 13:23:00,0,0,0,0,,NaN,,NaN,38.92,-76.36,38.92,-76.36,"Cutoff low pressure was over the Ohio Valley. Another area of low pressure strengthened overhead on the occluded boundary. Warm and moist air from the south lead to an unstable atmosphere. Strong shear profiles were in place due to the cutoff low to the west. Strong lift associated with the developing low combined with strong shear and enough instability to produce severe thunderstorms.","A wind gust of 38 knots was reported at Kent Island." +116988,703618,NEW YORK,2017,May,Thunderstorm Wind,"ORLEANS",2017-05-01 15:12:00,EST-5,2017-05-01 15:12:00,0,0,0,0,15.00K,15000,0.00K,0,43.25,-78.19,43.25,-78.19,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees and wires downed by thunderstorm winds.." +116988,703619,NEW YORK,2017,May,Thunderstorm Wind,"WYOMING",2017-05-01 15:23:00,EST-5,2017-05-01 15:23:00,0,0,0,0,10.00K,10000,0.00K,0,42.53,-78.43,42.53,-78.43,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Law enforcement reported trees downed by thunderstorm winds." +116988,703620,NEW YORK,2017,May,Thunderstorm Wind,"CATTARAUGUS",2017-05-01 15:24:00,EST-5,2017-05-01 15:24:00,0,0,0,0,15.00K,15000,0.00K,0,42.08,-78.43,42.08,-78.43,"A strong cold front moved across the region during the afternoon and evening hours. A line of thunderstorms just ahead of the front produced damaging winds that downed trees and wires across western New York through the Finger Lakes Region as well as areas east of Lake Ontario. A few falling trees caused minor structural damage. Wind gusts were measured to 60 mph. The line of storms also dropped heavy rainfall in a short period of time, with amounts of 0.75 to 1.5 inches common over a few hours. While not overly excessive rates, on top of very wet antecedent conditions, there were reports of road closures due to flooding mainly in flood prone areas such as low lying land and underpasses.","Trees and wires were downed by thunderstorm winds." +116993,703685,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:16:00,EST-5,2017-05-18 17:16:00,0,0,0,0,,NaN,,NaN,43.47,-76.04,43.47,-76.04,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703686,NEW YORK,2017,May,Hail,"OSWEGO",2017-05-18 17:21:00,EST-5,2017-05-18 17:21:00,0,0,0,0,,NaN,,NaN,43.51,-76.01,43.51,-76.01,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +116993,703687,NEW YORK,2017,May,Thunderstorm Wind,"OSWEGO",2017-05-18 17:21:00,EST-5,2017-05-18 17:21:00,0,0,0,0,15.00K,15000,0.00K,0,43.24,-75.89,43.24,-75.89,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","Law enforcement reported trees and wires downed by thunderstorm winds." +116993,703688,NEW YORK,2017,May,Hail,"CHAUTAUQUA",2017-05-18 22:43:00,EST-5,2017-05-18 22:43:00,0,0,0,0,,NaN,,NaN,42.49,-79.32,42.49,-79.32,"Several rounds of thunderstorms moved across the region during from the afternoon through the early overnight hours. Numerous storms tracked from the western Southern Tier across the northern Finger Lakes and into the eastern Lake Ontario region. Numerous reports of hail from dime- to golf-ball sized were received. The hail, up to two-and-a-half inches, did damage siding, autos and broke windows. There were also some reports of downed trees and wires from the thunderstorm winds. Downed trees blocked several roads.","" +118298,710916,NEW YORK,2017,June,Thunderstorm Wind,"CAYUGA",2017-06-18 17:51:00,EST-5,2017-06-18 17:51:00,0,0,0,0,12.00K,12000,0.00K,0,43.16,-76.54,43.16,-76.54,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710917,NEW YORK,2017,June,Thunderstorm Wind,"OSWEGO",2017-06-18 18:21:00,EST-5,2017-06-18 18:21:00,0,0,0,0,15.00K,15000,0.00K,0,43.66,-76.05,43.66,-76.05,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +118298,710918,NEW YORK,2017,June,Thunderstorm Wind,"OSWEGO",2017-06-18 18:27:00,EST-5,2017-06-18 18:27:00,0,0,0,0,10.00K,10000,0.00K,0,43.4,-75.97,43.4,-75.97,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds at the intersection of Little Pond and Coan Roads." +118298,710919,NEW YORK,2017,June,Thunderstorm Wind,"OSWEGO",2017-06-18 18:27:00,EST-5,2017-06-18 18:27:00,0,0,0,0,12.00K,12000,0.00K,0,43.66,-75.97,43.66,-75.97,"Under the influence of a warm, moist airmass, thunderstorms developed across western and north-central New York. A severe multi-cell cluster of storms over northeast Pennsylvania, tracked northeast forming a line of thunderstorms that moved across the region from Chautauqua County to Lewis County during the afternoon and early evening hours. Law enforcement reported trees and wires downed by thunderstorm winds. Several roads were partially or completely blocked by debris from the falling trees.","Law enforcement reported trees and wires downed by thunderstorm winds." +121685,728369,NEW YORK,2017,July,Coastal Flood,"MONROE",2017-07-01 00:00:00,EST-5,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +120768,723335,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 23:09:00,EST-5,2017-09-04 23:09:00,0,0,0,0,10.00K,10000,0.00K,0,42.08,-78.43,42.08,-78.43,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723336,NEW YORK,2017,September,Thunderstorm Wind,"CATTARAUGUS",2017-09-04 23:13:00,EST-5,2017-09-04 23:13:00,0,0,0,0,10.00K,10000,0.00K,0,42.08,-78.37,42.08,-78.37,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees downed by thunderstorm winds." +120768,723337,NEW YORK,2017,September,Thunderstorm Wind,"ALLEGANY",2017-09-04 23:20:00,EST-5,2017-09-04 23:20:00,0,0,0,0,12.00K,12000,0.00K,0,42.21,-78.14,42.21,-78.14,"Thunderstorms ahead of an approaching strong cold front produced damaging winds during the late evening and early overnight hours. The thunderstorm winds downed trees and power lines throughout parts of the western southern tier and Finger Lakes region. Wind gusts were measured to 61 mph. Several homes and cars were damaged by falling trees including ones in Silver Creek, Celeron and Jamestown. Approximately 70 trees at a golf course near Attica toppled. In Westfield, a garage was lifted off its foundation. Several roads were closed by fallen trees and debris including ones in Perrysburg, East Aurora, Falconer and Onoville.","Law enforcement reported trees and wires downed by thunderstorm winds." +121109,725057,NEW HAMPSHIRE,2017,October,Flood,"HILLSBOROUGH",2017-10-30 14:21:00,EST-5,2017-10-30 16:40:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-71.6,43.0232,-71.6143,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 inches of rain resulting in minor flooding on the Piscataquog River at Goffstown (flood stage 9.0 ft), which crested at 9.10 ft." +121109,725058,NEW HAMPSHIRE,2017,October,Flood,"MERRIMACK",2017-10-30 14:07:00,EST-5,2017-10-30 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-71.73,43.2484,-71.734,"A very strong area of low pressure with abundant tropical moisture produced 2 to 7 inches of rainfall sending most area rivers in New Hampshire into flood stage.","Strong low pressure produced 3 to 4 inches of rain resulting in minor flooding on the Warner River at Davisville (flood stage 8.0 ft), which crested at 8.08 ft." +116020,697235,IDAHO,2017,April,Flood,"WASHINGTON",2017-04-01 19:30:00,MST-7,2017-04-02 23:30:00,0,0,0,0,0.00K,0,0.00K,0,44.2494,-116.968,44.2406,-116.9714,"Flooding continued from the previous month of March along the Snake River in southern Washington County.","Flooding continued from the previous month of March along the Snake River in southern Washington County near Weiser." +114314,684968,ARIZONA,2017,February,Heavy Snow,"EASTERN MOGOLLON RIM",2017-02-27 10:00:00,MST-7,2017-02-28 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Snow started to fall around 230 PM MST. Four inches of new snow fell by 830 PM. Another 13 inches of snow fell by 830 AM for a total of 17 inches of new snow during the storm." +114314,684969,ARIZONA,2017,February,High Wind,"LITTLE COLORADO RIVER VALLEY IN APACHE COUNTY",2017-02-28 07:20:00,MST-7,2017-02-28 09:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","The sustained wind was above 40 MPH for most of the time between 820 and 920 AM MST at the St Johns Airport ASOS. The peak wind gust was 62 MPH at at 830 AM.||The peak wind at Springerville ASOS was 57.5 MPH at 735 AM MST." +114314,684970,ARIZONA,2017,February,High Wind,"WHITE MOUNTAINS",2017-02-28 06:55:00,MST-7,2017-02-28 06:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","The peak wind gust at the Show Low Airport as 59 MPH at 655 AM MST." +114314,684976,ARIZONA,2017,February,Heavy Snow,"EASTERN MOGOLLON RIM",2017-02-27 12:00:00,MST-7,2017-02-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","A public report of 12.8 inches of snow came from the Happy Jack area. Twenty inches of snow fell in Forest Lakes at 7,600 feet elevation." +114314,684988,ARIZONA,2017,February,Heavy Snow,"CHUSKA MOUNTAINS AND DEFIANCE PLATEAU",2017-02-27 19:00:00,MST-7,2017-02-28 11:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The second of two low pressure systems hit northern Arizona with a generous moisture tap. This produced abundant snow above around 6,000 feet and heavy rain below that elevation. Several locations along and north of the Mogollon Rim experienced strong to high winds.","Six inches of snow fell at Ft Defiance at about 6,800 feet elevation. Fourteen inches of snow fell in the town of Sawmill at 7720 feet elevation. Eight inches of snow fell in Tsaile. Eighteen inches of snow fell in Ganado at around 6,400 feet elevation." +121543,727424,FLORIDA,2017,March,Rip Current,"VOLUSIA",2017-03-13 12:00:00,EST-5,2017-03-13 21:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Six people visiting from out of state were swimming at New Smyrna Beach and got caught in a rip current. All made it back to shore on their own or were rescued. One of the swimmers was pulled to shore unresponsive and later died at a nearby hospital.","Six people visiting from Tennessee were swimming about 1500LST and got caught in a rip current at New Smyrna Beach. Two were rescued by lifeguards and a few others made it back to shore on their own. An 18-year old male was pulled from the water by a beachgoer and lifeguards, but was unresponsive. CPR was initiated and he was taken to a nearby hospital where he died one week later (March 20). An autopsy indicated he died from drowning." +115108,690897,IDAHO,2017,March,Flood,"ADA",2017-03-06 10:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,1.00M,1000000,0.00K,0,43.5344,-116.0553,43.6927,-116.4904,"The Army Corps of Engineers and Bureau of Reclamation increased regulated flows from Lucky Peak Reservoir putting the Boise River in flood for the remainder of the month of March. Flooding was expected to continue through late spring.","The Army Corps of Engineers and Bureau of Reclamation increased regulated flows from Lucky Peak Reservoir putting the Boise River in flood for the remainder of the month of March. Flooding was expected to continue through late spring. Flood flows for the extended period caused significant damage to much of the Greenbelt and Nature Trail paths along the river. Flood fight efforts were focused in the Eagle Island area where severe bank erosion occurred and a pit capture threat existed. A HESCO barrier wall and extensive sandbagging occurred in the area to mitigate a pit capture." +115108,690899,IDAHO,2017,March,Flood,"CANYON",2017-03-06 10:00:00,MST-7,2017-03-31 23:59:00,0,0,0,0,250.00K,250000,0.00K,0,43.6846,-116.514,43.8009,-117.0195,"The Army Corps of Engineers and Bureau of Reclamation increased regulated flows from Lucky Peak Reservoir putting the Boise River in flood for the remainder of the month of March. Flooding was expected to continue through late spring.","The Army Corps of Engineers and Bureau of Reclamation increased regulated flows from Lucky Peak Reservoir putting the Boise River in flood for the remainder of the month of March. Flooding was expected to continue through late spring. The extended period of flood flows caused severe bank erosion and lowland flooding." +112899,678852,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:04:00,CST-6,2017-03-10 00:04:00,0,0,0,0,,NaN,,NaN,35.2633,-86.3685,35.2633,-86.3685,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 5653 Winchester Highway." +112899,678854,TENNESSEE,2017,March,Thunderstorm Wind,"MOORE",2017-03-10 00:05:00,CST-6,2017-03-10 00:05:00,0,0,0,0,,NaN,,NaN,35.3327,-86.236,35.3327,-86.236,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","Multiple trees were knocked down at 1097 Turkey Creek Road." +112899,678856,TENNESSEE,2017,March,Thunderstorm Wind,"FRANKLIN",2017-03-10 00:06:00,CST-6,2017-03-10 00:06:00,0,0,0,0,,NaN,,NaN,35.3038,-86.2517,35.3038,-86.2517,"A quasi-linear convective system developed rapidly during the evening hours of the 9th and tracked east through southern middle Tennessee through the early morning hours of the 10th. The thunderstorms produced one EF-1 tornado and other reports of damaging thunderstorm winds.","A power pole was knocked down at 2106 Gourdneck Road." +112669,678974,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-01 14:30:00,CST-6,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,34.4036,-86.2732,34.4036,-86.2732,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Golf ball sized hail broke windows out near U.S. 431, Claysville School and the Guntersville airport." +112669,678975,ALABAMA,2017,March,Hail,"MARSHALL",2017-03-01 14:30:00,CST-6,2017-03-01 14:30:00,0,0,0,0,,NaN,,NaN,34.44,-86.27,34.44,-86.27,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Quarter sized hail was reported." +112669,678984,ALABAMA,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 13:07:00,CST-6,2017-03-01 13:07:00,0,0,0,0,,NaN,,NaN,34.933,-86.7135,34.933,-86.7135,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Thunderstorm winds produced roof damage and knocked trees down near Ready Section Road at Pulaski Pike. A shed was also damaged in this area." +112669,678985,ALABAMA,2017,March,Thunderstorm Wind,"MADISON",2017-03-01 13:21:00,CST-6,2017-03-01 13:21:00,0,0,0,0,,NaN,,NaN,34.9614,-86.565,34.9614,-86.565,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","A metal community center building and batting cages were damaged near the intersection of U.S. 231 and Carriger Road." +112669,678986,ALABAMA,2017,March,Thunderstorm Wind,"MARSHALL",2017-03-01 14:43:00,CST-6,2017-03-01 14:43:00,0,0,0,0,,NaN,,NaN,34.442,-86.5098,34.442,-86.5098,"A band of strong to severe thunderstorms, including a few embedded supercells, developed during the late morning into the early afternoon hours along a cold front. The storms tracked rapidly east as the front dropped southeast through the mid afternoon hours. Several storms produced large hail and a few reports of damaging winds.","Power lines and trees were knocked down near the intersection of Quarry Road and Union Grove Road." +121050,725123,MAINE,2017,October,High Wind,"COASTAL WALDO",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121050,725124,MAINE,2017,October,High Wind,"COASTAL YORK",2017-10-30 03:00:00,EST-5,2017-10-30 09:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday as it moved northward and moisture and energy from the remnants of Tropical Storm Phillipe merged with the storm. The system brought high winds and heavy rain to much of Maine with the highest winds in southern and western areas and the highest rainfall amounts in the mountains.||Observed wind gusts across the hardest hit areas generally ranged from 55 to 70 mph. Some official reporting sites included Portland (69 mph), Bangor (66 mph), Greenville (61 mph), Augusta (60 mph), Bar Harbor (60 mph), Millinocket (55 mph), and Rangeley (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 90 mph. ||Rainfall amounts generally ranged from 2 to 4 inches in the mountain with some amounts up to 5 inches. Along coastal areas, rainfall amounts were generally in the 1 to 2 inch range with some higher amounts in the Mid-Coast. Some of the higher official amounts include Andover (5.02 inches), Rangeley (4.00 inches), New Sharon (3.85 inches), West Rockport (3.46 inches), Bethel (3.39), Hartford (3.38), Poland (3.30 inches), Waterford (3.21).","" +121051,725139,NEW HAMPSHIRE,2017,October,High Wind,"CHESHIRE",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725140,NEW HAMPSHIRE,2017,October,High Wind,"COASTAL ROCKINGHAM",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +121051,725144,NEW HAMPSHIRE,2017,October,High Wind,"NORTHERN CARROLL",2017-10-30 00:00:00,EST-5,2017-10-30 06:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"New Hampshire Weather and Hydrological Summary|October 29-November 1, 2017||National Weather Service Offices|Gray, Maine||An area of low pressure over the southeastern United States on the morning of Sunday, October 29th, intensified rapidly Sunday night and Monday, October 30, as it moved northward and moisture and energy from the remnants of Tropical Storm Philippe merged with the storm. The combined system brought high winds to much of New Hampshire Sunday night into Monday morning, with the highest winds in southern and central sections of the State. In addition, heavy rain accompanied the high winds over New Hampshire leading to both flash flooding and main-stem river flooding. The highest rainfall amounts were observed in the White Mountains. While the high winds and heavy rain ended during the morning of the 30th, flooding persisted into the late afternoon of November 1st.||The area from Carroll County through Hillsborough County had the greatest impact from the high winds. Numerous trees were snapped and uprooted by the strong southeast winds leading to widespread and prolonged power outages throughout the area. Wet soil conditions, due to heavy rains days earlier, may have contributed to the vulnerability of the many shallow rooted trees. Observed wind gusts across the hardest hit areas generally ranged from 55 to 60 mph, although some areas likely had wind gusts in excess of 65 mph. Some official reporting sites included Manchester (59 mph), Whitefield (58 mph), Portsmouth (56 mph), Rochester (56 mph), Concord (51 mph), and Berlin (51 mph). Several unofficial sites reported stronger wind gusts. Wind gusts in the coastal marine areas ranged up to more than 80 mph. ||Rainfall amounts generally ranged from 2 to 5 inches across New Hampshire. Most of this rain fell within a 10-hour period from late Sunday evening through early Monday morning. Some of the higher official amounts include Livermore (6.91 inches), Berlin (5.23 inches), Gorham (5.13 inches), Waterville Valley (5.07 inches), Lyndeborough (5.06 inches), Pinkham Notch (5.05 inches), and Lincoln (5.05 inches). The heavy rain caused flash flooding in Grafton, Carroll, and Coos Counties and main-stem river flooding on the Androscoggin, Baker, Contoocook, Pemigewasset, Piscataquog, Saco, Smith, Souhegan, Suncook, and Warner Rivers.||By Wednesday evening, November 1st, all flooding had subsided. Power restoration efforts in the hardest hit areas across New Hampshire persisted for much of the week.","" +120296,720830,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 14:02:00,EST-5,2017-08-22 14:02:00,0,0,0,0,10.00K,10000,0.00K,0,42.16,-78.98,42.16,-78.98,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720831,NEW YORK,2017,August,Thunderstorm Wind,"CATTARAUGUS",2017-08-22 14:09:00,EST-5,2017-08-22 14:09:00,0,0,0,0,10.00K,10000,0.00K,0,42.25,-78.8,42.25,-78.8,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720832,NEW YORK,2017,August,Thunderstorm Wind,"LEWIS",2017-08-22 14:10:00,EST-5,2017-08-22 14:10:00,0,0,0,0,15.00K,15000,0.00K,0,43.52,-75.69,43.52,-75.69,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds. The trees damaged a house." +120296,720846,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-22 15:42:00,EST-5,2017-08-22 15:42:00,0,0,0,0,8.00K,8000,0.00K,0,43.16,-76.58,43.16,-76.58,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720847,NEW YORK,2017,August,Thunderstorm Wind,"CAYUGA",2017-08-22 15:48:00,EST-5,2017-08-22 15:48:00,0,0,0,0,10.00K,10000,0.00K,0,43.22,-76.56,43.22,-76.56,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120296,720848,NEW YORK,2017,August,Thunderstorm Wind,"JEFFERSON",2017-08-22 16:48:00,EST-5,2017-08-22 16:48:00,0,0,0,0,10.00K,10000,0.00K,0,43.97,-75.91,43.97,-75.91,"Three waves of severe storms moved across western and north-central NY making for an almost 8-hour severe event. The first thunderstorms which developed over northeast Ohio and northwest Pennsylvania moved across the western southern tier. The second round of thunderstorms developed mid-afternoon again across the western southern tier. These storms then moved across western New York to the eastern Lake Ontario region. The third wave of storms developed along an advancing cold front during the evening hours over the Niagara Peninsula ��� then moving across western New York.","Law enforcement reported trees downed by thunderstorm winds." +120297,720851,LAKE ONTARIO,2017,August,Marine Thunderstorm Wind,"HAMLIN BEACH TO SODUS BAY NY",2017-08-22 12:00:00,EST-5,2017-08-22 12:00:00,0,0,0,0,,NaN,0.00K,0,43.28,-77.53,43.28,-77.53,"Thunderstorms that crossed Lake Ontario produced winds gusting to 36 knots at Irondequoit Bay.","" +120298,720853,LAKE ERIE,2017,August,Waterspout,"DUNKIRK TO BUFFALO NY",2017-08-23 17:30:00,EST-5,2017-08-23 17:30:00,0,0,0,0,,NaN,0.00K,0,42.6741,-79.1053,42.6741,-79.1053,"Convective showers developed as cool air crossed the relatively warmer waters of Lake Erie. The storms produced waterspouts northwest of Lake Erie Beach, Brocton and Barcelona.","" +121684,728361,NEW YORK,2017,August,Coastal Flood,"WAYNE",2017-08-01 00:00:00,EST-5,2017-08-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"During the first six months of 2017, more than twice the normal amount of water accumulated on Lake Ontario while the Ottawa River saw the highest flows in more than 50 years, leading to widespread flooding across the Lake Ontario ��� St. Lawrence River system. In early 2017, Lake Erie levels were the highest they���d been for that time of year for almost 20 years. Inflows to Lake Ontario from Lake Erie were above average from January through June. Lake Ontario saw two of the wettest months ever recorded in April and May of 2017. Water levels were impacted by precipitation falling directly onto the lake���s surface and by runoff. Variable ice conditions in the St. Lawrence River from January through March along with high Ottawa River flows limited outflow from Lake Ontario. The lake reached a record level of 248.95 feet.|Flooding began in early May and continued into early fall. Waves destroyed public and private breakwalls all along the lake shore. Thousands of homes and buildings were affected flood waters. Several homes dropped off bluffs. In some areas shoreline erosion of 50 to 100 feet deep occurred. Sanitary sewer systems in lakeside communities were affected. Beaches, marinas and state parks were closed all summer long with unknown economic losses to mainly seasonal businesses. In late May, the Governor imposed a 5 mph speed limit within 600 feet of the Lake Ontario and St. Lawrence River shore. The shoreline counties of Lake Ontario and the St. Lawrence River sustained enough damage to qualify for both a New York State and Federal Disaster Declaration. |By summer���s end, damage estimates included: $4 Million in Niagara County, $9 Million in Orleans County, $3 Million in Monroe County, $3 Million in Wayne County, $1 Million in Cayuga County, $23 Million in Oswego County and $10 Million in Jefferson County.","" +117519,706850,CALIFORNIA,2017,June,High Wind,"SE KERN CTY DESERT",2017-06-11 00:50:00,PST-8,2017-06-11 00:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A cold upper low pressure system deepened over the Pacific Northwest on June 10 pushing a strong cold front through Central California on the morning of June 11 resulting in a period of strong winds over the Kern County Mountains and Deserts from the afternoon of June 10 through the evening of June 11. This system also produced widespread rainfall over the area from the afternoon of June 11 through the morning of June 12 as an unseasonably cool and unstable airmass prevailed over the area. Rainfall amounts were generally light (a tenth of an inch or less); however, but snow was observed as low as 6000 feet over the mountains and up to 3 inches of new snow fell over the highest elevations of the Southern Sierra Nevada.","Cache Creek reported a maximum wind gust of 63 mph." +119470,716996,NEW YORK,2017,July,Tornado,"ERIE",2017-07-20 11:30:00,EST-5,2017-07-20 11:40:00,0,0,0,0,3.50K,3500,0.00K,0,42.7416,-78.8575,42.709,-78.7457,"A nearly stationary frontal zone was located just to the north of the area over far southern Ontario, Canada. A weak wave of low pressure tied to a cluster of thunderstorms moved east along this stalled frontal zone during the late morning and early afternoon. Thunderstorms strengthened across southern Ontario during the late morning. These storms further intensified as they moved into Western NY during the early afternoon. The southernmost storm of the cluster quickly evolved into a long lived cyclic supercell, going through numerous cycles of weakening and strengthening. This storm was responsible for all four tornadoes across Western NY. |The storms moved onshore from Lake Erie with damage beginning in Hamburg before moving across Orchard Park. Windows of hundreds of car windows were blown out at the Hamburg Fairgrounds where trees were downed and several buildings including the Grandstand sustained damage. The tornado continued across the Chestnut Ridge Park and the Town of Orchard Park causing more structural and tree damage. |About ten miles further down along the thunderstorm's path, a second tornado touched down in the Town of Holland. Several structures were damaged with a significant amount of tree damage. Roads were blocked and wires were downed. Tracks of the Norfolk Southern Railway were blocked in several places by large downed trees.|The storm briefly re-intensified near Rushford spinning up a weak tornado over a mainly wooded area. A small shed was destroyed and drone video shows a path of downed and twisted trees.|Finally, based on radar and spotter reports two thunderstorms merged and intensified and produced a tornado that extended from the Town of Allen across the Town of Angelica to the Town of West Almond. Several homes were damaged. A barn was severely damaged. Several sheds or small outbuildings were tipped and moved. Numerous large trees were shredded and downed. Some fell causing additional structural damage.|These thunderstorms later evolved into a line, producing a corridor of wind damage extending through the Southern Tier of New York.","A NWS storm survey confirmed an EF2 tornado touched down in Hamburg." +119863,718564,OHIO,2017,August,Funnel Cloud,"STARK",2017-08-04 16:04:00,EST-5,2017-08-04 16:04:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-81.25,40.67,-81.25,"An area of low pressure moved across the central Great Lakes on August 4th forcing a strong cold front across the region. A line of thunderstorms developed in advance of the front late in the morning. A second line of storms developed right along the front beginning around midday. Both lines produced severe weather.","A trained spotter reported a funnel cloud." +120563,722391,KANSAS,2017,October,Tornado,"GRAHAM",2017-10-01 16:53:00,CST-6,2017-10-01 16:59:00,0,0,0,0,0.00K,0,0.00K,0,39.3785,-100.1223,39.3788,-100.0587,"During the afternoon a group of thunderstorms near Oakley merged, forming a stronger storm which produced two tornadoes in Graham County. Hail from these storms grew from up to golf ball size to tea cup size after merging. The largest hail was reported east of Hoxie. After the main round of storms had moved through, hail up to ping-pong ball size was reported with another storm over Wichita County. Earlier in the afternoon dime size hail was reported from a much weaker storm over Ruleton.","Based on radar rotation, the tornado tracked east and remained north of Highway 36. No damage was reported." +113096,676418,ATLANTIC SOUTH,2017,March,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-03-23 05:55:00,EST-5,2017-03-23 05:55:00,0,0,0,0,0.00K,0,0.00K,0,28.7435,-80.7005,28.7435,-80.7005,"A back door cold front combined with abnormally cold temperatures aloft produced scattered to numerous strong thunderstorms over the Atlantic waters. Numerous strong wind gusts occurred as the storms pushed onshore the Space and Treasure coasts.","USAF tower 0019 east of Haulover Canal measured a maximum wind gust of 39 knots out of the east as a strong thunderstorm approached the coast." +119983,719039,OHIO,2017,August,Funnel Cloud,"TRUMBULL",2017-08-17 19:00:00,EST-5,2017-08-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,41.27,-80.67,41.27,-80.67,"A warm front lifted across northern Ohio on August 17th as an area of low pressure moved across the northern Great Lakes. A cluster of thunderstorms developed in advance of this front and moved across northern Ohio during the afternoon and early evening hours. One of thunderstorms produced a tornado in Trumbull County. A second storm produced a funnel cloud nearby. Most of the tornado damage was from downed trees.","A weather observed at the Youngstown-Warren Regional Airport observed a funnel cloud for around 20 minutes. The funnel developed just east of the airport and moved east. No touchdown was observed." +120862,723670,OKLAHOMA,2017,October,Thunderstorm Wind,"MCCLAIN",2017-10-14 22:30:00,CST-6,2017-10-14 22:30:00,0,0,0,0,0.00K,0,0.00K,0,35.25,-97.6,35.25,-97.6,"Severe thunderstorms developed late in the evening along and just ahead of a cold front in unstable and uncapped air. Damaging wind gusts were the severe threat with this storm.","No damage reported." +117902,708880,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:30:00,CST-6,2017-06-17 20:33:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-94.42,39.05,-94.42,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A 3 to 4 inch tree limb was down in Independence." +117902,708882,MISSOURI,2017,June,Thunderstorm Wind,"JACKSON",2017-06-17 20:45:00,CST-6,2017-06-17 20:48:00,0,0,0,0,0.00K,0,0.00K,0,38.9,-94.32,38.9,-94.32,"On the afternoons of June 15 through June 17 mulitple rounds of severe storms raked through western and central Missouri causing widespread wind damage and large hail. A tornado occurred in Lafayette County after dark, causing minor damage to rural areas north of Bates City.","A 8 inch tree branch was down." +120094,719605,MARYLAND,2017,August,Heavy Rain,"WORCESTER",2017-08-13 06:53:00,EST-5,2017-08-13 06:53:00,0,0,0,0,0.00K,0,0.00K,0,38.32,-75.12,38.32,-75.12,"Scattered showers and thunderstorms in advance of a cold front produced heavy rain which caused flash flooding and lingering flooding across portions of the Lower Maryland Eastern Shore.","Rainfall total of 2.77 inches was measured at OXB." +116454,715466,WISCONSIN,2017,July,Flash Flood,"CHIPPEWA",2017-07-12 02:30:00,CST-6,2017-07-12 04:30:00,0,0,0,0,25.00K,25000,0.00K,0,44.8886,-91.2923,44.8802,-91.2928,"A complex of thunderstorms that developed across west central Minnesota early Wednesday morning, moved eastward into east central, Minnesota, and into west central Wisconsin. It produced a wide swath of damaging winds, especially in east central Minnesota, north of the Twin Cities metro area. As the storms moved into west central Wisconsin, additional damage occurred, including damage to a local Menards, and a home was blown off its foundation. ||In Chippewa County Wisconsin, the approaches on both sides of a bridge were taken out early in the morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street.","The approach on both sides of a bridge were taken out early this morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street." +116454,713698,WISCONSIN,2017,July,Thunderstorm Wind,"ST. CROIX",2017-07-12 01:52:00,CST-6,2017-07-12 01:52:00,0,0,0,0,0.00K,0,0.00K,0,45.2,-92.53,45.2,-92.53,"A complex of thunderstorms that developed across west central Minnesota early Wednesday morning, moved eastward into east central, Minnesota, and into west central Wisconsin. It produced a wide swath of damaging winds, especially in east central Minnesota, north of the Twin Cities metro area. As the storms moved into west central Wisconsin, additional damage occurred, including damage to a local Menards, and a home was blown off its foundation. ||In Chippewa County Wisconsin, the approaches on both sides of a bridge were taken out early in the morning due to heavy rain. The location was on 20th Avenue approximately .8 miles east of County Hwy K in the Town of Lafayette, Chippewa County. The area reportedly received about three inches of rain overnight. The township also had shoulder damage at County Hwy J and 190th Street.","Several trees and power lines were blown down in Star Prairie." +116206,712361,WISCONSIN,2017,July,Hail,"RUSK",2017-07-06 19:30:00,CST-6,2017-07-06 19:30:00,0,0,0,0,0.00K,0,0.00K,0,45.51,-90.81,45.51,-90.81,"Several thunderstorms developed along a boundary in northern Wisconsin during the evening of Thursday, July 6th. These storms moved to the southeast and produced large hail east of Ladysmith.","Half dollar hail was reported at Highway 8 and 73 near Ingram, Wisconsin." +119185,715748,ARIZONA,2017,July,Flash Flood,"YAVAPAI",2017-07-15 17:30:00,MST-7,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5737,-112.3539,34.5748,-112.3196,"Thunderstorms caused flash flooding, hail, and wind damage across southern Yavapai and northern Gila Counties.","Yavapai Flood Control reported that Fain Lake was overflowing causing flooding in Lynx Creek." +116453,713693,MINNESOTA,2017,July,Thunderstorm Wind,"LAC QUI PARLE",2017-07-11 22:05:00,CST-6,2017-07-11 22:05:00,0,0,0,0,10.00K,10000,0.00K,0,45.14,-96.29,45.1364,-96.2727,"A complex of thunderstorms developed across west central Minnesota during the early morning of Wednesday, July 12th. These storms moved across the Alexandria area and produced damaging winds, with a measured wind gust of 59 knots at the airport. These storms moved across central Minnesota, and began to accelerate north of the Twin Cities metro area. Some of the storms produced tornadoes and damaging straight line winds as they moved quickly eastward into west central Wisconsin.","Several large trees and power lines were blown down around Bellingham. There was also damage to a local garage." +113877,695470,TEXAS,2017,April,Hail,"DENTON",2017-04-21 21:47:00,CST-6,2017-04-21 21:47:00,0,0,0,0,3.00K,3000,0.00K,0,33.0354,-96.8842,33.0354,-96.8842,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Public reported golf ball size hail in Hebron, TX, in the intersection of King Arthur Blvd and N Josey Ln." +113877,695488,TEXAS,2017,April,Hail,"DALLAS",2017-04-21 22:14:00,CST-6,2017-04-21 22:14:00,0,0,0,0,1.00K,1000,0.00K,0,32.95,-96.72,32.95,-96.72,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Amateur Radio reported quarter size hail near Richardson." +113877,695501,TEXAS,2017,April,Hail,"COLLIN",2017-04-21 21:54:00,CST-6,2017-04-21 21:54:00,0,0,0,0,2.00K,2000,0.00K,0,33.01,-96.83,33.01,-96.83,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Media reported half dollar size hail near the Dallas Tollway and P. George Bush Turnpike approximate 7 miles west of Plano." +113877,695521,TEXAS,2017,April,Hail,"DALLAS",2017-04-21 22:28:00,CST-6,2017-04-21 22:28:00,0,0,0,0,2.00K,2000,0.00K,0,32.95,-96.72,32.95,-96.72,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Social Media reported up to egg size hail in Richardson." +113684,681755,MISSISSIPPI,2017,April,Flash Flood,"HINDS",2017-04-02 23:02:00,CST-6,2017-04-03 01:59:00,0,0,0,0,20.00K,20000,0.00K,0,32.36,-90.47,32.36,-90.4661,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A car on the I-20 Frontage Road took on water." +116495,700569,ILLINOIS,2017,June,Hail,"WHITESIDE",2017-06-17 17:51:00,CST-6,2017-06-17 17:51:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-89.69,41.77,-89.69,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","" +116495,700570,ILLINOIS,2017,June,Hail,"HANCOCK",2017-06-17 19:20:00,CST-6,2017-06-17 19:20:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-91.36,40.29,-91.36,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","" +116495,700571,ILLINOIS,2017,June,Thunderstorm Wind,"ROCK ISLAND",2017-06-17 17:20:00,CST-6,2017-06-17 17:20:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-90.67,41.33,-90.67,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","Whole trees and limbs were reported down near Reynolds. A roof was blown off of a hog confinement building, which became wrapped around a tree after blowing off. A barn roof was also reported blown off." +116495,700572,ILLINOIS,2017,June,Thunderstorm Wind,"WHITESIDE",2017-06-17 17:25:00,CST-6,2017-06-17 17:25:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-89.9,41.78,-89.9,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","Several fruit trees were uprooted on a farm just north of the Bunker Hill Road and Yager Road intersection. Power poles were also damaged in the area. The report was received through social media." +115890,702426,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-01 13:48:00,EST-5,2017-05-01 13:48:00,0,0,0,0,0.25K,250,0.00K,0,40.29,-79.93,40.29,-79.93,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","County official reported a tree down on a house on Payne Hill Road." +115890,702439,PENNSYLVANIA,2017,May,Thunderstorm Wind,"INDIANA",2017-05-01 15:17:00,EST-5,2017-05-01 15:17:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-78.92,40.73,-78.92,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","" +115890,702440,PENNSYLVANIA,2017,May,Thunderstorm Wind,"INDIANA",2017-05-01 14:54:00,EST-5,2017-05-01 14:54:00,0,0,0,0,1.00K,1000,0.00K,0,40.43,-79.26,40.43,-79.26,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Post on social media reported a large pine tree uprooted and several large branches broken." +115890,702441,PENNSYLVANIA,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-01 15:04:00,EST-5,2017-05-01 15:04:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-78.9,41.18,-78.9,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Recorded at Dubois airport." +115890,702453,PENNSYLVANIA,2017,May,Thunderstorm Wind,"BUTLER",2017-05-01 13:24:00,EST-5,2017-05-01 13:24:00,0,0,0,0,2.00K,2000,0.00K,0,40.87,-80.16,40.87,-80.16,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","National Weather Service survey noted snapped limbs off a poplar tree and an uprooted softwood tree along Jennie Lane." +117457,709945,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:12:00,CST-6,2017-06-16 18:12:00,0,0,0,0,,NaN,,NaN,41.61,-96.55,41.61,-96.55,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An estimated 75 mph gust was reported at Hooper." +117457,709946,NEBRASKA,2017,June,Thunderstorm Wind,"DODGE",2017-06-16 18:14:00,CST-6,2017-06-16 18:14:00,0,0,0,0,,NaN,,NaN,41.63,-96.5,41.63,-96.5,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An 80 mph thunderstorm wind gust was estimated by a storm chaser." +115889,700990,OHIO,2017,May,Thunderstorm Wind,"TUSCARAWAS",2017-05-01 12:13:00,EST-5,2017-05-01 12:13:00,0,0,0,0,5.00K,5000,0.00K,0,40.55,-81.27,40.55,-81.27,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported several trees down." +115889,700991,OHIO,2017,May,Thunderstorm Wind,"CARROLL",2017-05-01 12:15:00,EST-5,2017-05-01 12:15:00,0,0,0,0,5.00K,5000,0.00K,0,40.47,-81.19,40.47,-81.19,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Trained spotter reported several trees down." +115889,700992,OHIO,2017,May,Thunderstorm Wind,"HARRISON",2017-05-01 12:15:00,EST-5,2017-05-01 12:15:00,0,0,0,0,10.00K,10000,0.00K,0,40.36,-81.21,40.36,-81.21,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Emergency management reported a roof blown off Tappan Lake Marina." +116501,700626,VIRGINIA,2017,May,Flood,"ROCKBRIDGE",2017-05-05 04:00:00,EST-5,2017-05-05 08:00:00,0,0,0,0,0.00K,0,0.00K,0,37.857,-79.5026,37.853,-79.4987,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","The USGS gage on Kerrs Creek near Lexington (KCKV2) shot upward to a crest of 11.16 feet (Moderate FS ��� 11 ft.) which was the highest observed stage at this gage since June 2004. The recurrence interval for the peak discharge of 7510 cfs was very close to 25-year event (0.04 Annual Exceeedance Probability or AEP) per USGS studies. Several home evacuations were required by local rescue squads in Rockbridge County. In addition at least four roads were closed in the county by flooding." +116501,700740,VIRGINIA,2017,May,Flood,"HALIFAX",2017-05-06 04:00:00,EST-5,2017-05-07 22:30:00,0,0,0,0,0.00K,0,0.00K,0,36.8912,-78.7098,36.8871,-78.7133,"A significant hydrologic event took place May 4-5 as an upper level low tracked across the Tennessee Valley and pushed a complex frontal system through the region overnight. Deep layer moisture transport from the Gulf of Mexico and low level southeast flow led to atmospheric saturation. In addition, strong jet dynamics and diffluence aloft, along with upslope flow, led to heavy rain along and east of the Blue Ridge Mountains. 24-hour rainfall totals ranged from 3-5 inches along the Blue Ridge and foothills. The top five rain gauge reports (in inches) for 24 hours ending 800 AM EDT on May 5th included Adney Gap IFLOWS (ADNV2) 5.17, Glasgow IFLOWS (GLSV2) 4.50, Sugarloaf Mtn. IFLOWS (SUGV2) 4.47, Trappers Lodge IFLOWS (TRAV2) 4.22 and Copper Hill COOP (COPV2) 3.41.","Flooding developed along the Roanoke (Staunton) River with the river gage at Randolph (RNDV2) cresting just over 22.68 feet (Minor FS - 21 feet) late on the 6th. Several roads near the river were closed by flood waters." +119099,715261,IOWA,2017,July,Thunderstorm Wind,"DES MOINES",2017-07-10 03:56:00,CST-6,2017-07-10 03:56:00,0,0,0,0,1.00K,1000,0.00K,0,41.05,-91.16,41.05,-91.16,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The county emergency manager reported power lines were down and entangled with trees at Highway 61 north 260th Street. The local dispatch center power was out and operating on portable backups." +119099,715264,IOWA,2017,July,Thunderstorm Wind,"LEE",2017-07-10 18:11:00,CST-6,2017-07-10 18:11:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-91.35,40.62,-91.35,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The local fire department reported 2 trees were down in Fort Madison. The fire department removed them from the road." +119102,715290,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:30:00,CST-6,2017-07-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.73,42.52,-90.73,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A trained spotter reported several trees and branches were down." +119102,715297,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:34:00,CST-6,2017-07-11 23:34:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Local law enforcement reported multiple trees were down throughout the city of Dubuque from high winds." +119102,715312,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:50:00,CST-6,2017-07-11 23:50:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The county emergency manager reported numerous trees were down in the city of Dubuque. Also, many roads were impassable due to a combination of trees down and flash flooding occurring." +119102,715313,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:50:00,CST-6,2017-07-11 23:50:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-90.77,42.56,-90.77,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The county emergency manager reported numerous trees were down. Highway 52 was closed due to the number of trees down in multiple locations." +113518,679746,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHESTERFIELD",2017-04-03 16:35:00,EST-5,2017-04-03 16:38:00,0,0,0,0,0.01K,10,0.01K,10,34.71,-79.96,34.71,-79.96,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","AWOS at Cheraw Municipal Airport measured a 49 knot wind gust due to thunderstorm activity." +113552,680215,GEORGIA,2017,April,Thunderstorm Wind,"RICHMOND",2017-04-05 13:46:00,EST-5,2017-04-05 13:50:00,0,0,0,0,,NaN,,NaN,33.48,-82.07,33.48,-82.07,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Media relayed a report via social media that a tree was down on power lines along West Lake Forest Dr." +113615,684157,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:09:00,EST-5,2017-04-03 15:09:00,0,0,0,0,0.00K,0,0.00K,0,30.41,-84.14,30.41,-84.14,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at 3448 Louvenia Road." +113616,684113,GEORGIA,2017,April,Thunderstorm Wind,"LOWNDES",2017-04-03 16:18:00,EST-5,2017-04-03 16:18:00,0,0,0,0,0.00K,0,0.00K,0,30.98,-83.19,30.98,-83.19,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down." +114047,689679,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:48:00,CST-6,2017-03-06 21:48:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-91.51,41.64,-91.51,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114055,684309,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:33:00,CST-6,2017-04-30 13:33:00,0,0,0,0,,NaN,,NaN,34.92,-86.87,34.92,-86.87,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A large tree was knocked down onto a car at a residence on Thach Road." +121015,724492,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:26:00,CST-6,2017-11-18 16:26:00,0,0,0,0,1.00K,1000,0.00K,0,36.3469,-86.9318,36.3469,-86.9318,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A Facebook report indicated a tree was blown down that blocked the on-ramp to I-24 at Exit 31." +121015,724498,TENNESSEE,2017,November,Thunderstorm Wind,"DAVIDSON",2017-11-18 16:36:00,CST-6,2017-11-18 16:36:00,0,0,0,0,3.00K,3000,0.00K,0,36.336,-86.7787,36.336,-86.7787,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A Facebook photo showed a tree was blown down which destroyed a driveway gate near the Union Hill Road and Lickton Pike intersection." +117398,716282,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-29 00:19:00,EST-5,2017-07-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2868,-79.9927,40.2862,-79.9902,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported that Piney Fork Rd is flooded near the Green Mans Tunnel and is being closed down." +117398,717242,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-29 03:26:00,EST-5,2017-07-29 07:15:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-79.92,40.2073,-79.9626,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported several roads closed in Bentleyville including Piersol Avenue, Coal Center Road and Robinson Dairy Road. Also Sttae Route 481 was closed due to flooding near Monongahela and Pike Run in Coal Center was out of it's banks." +118380,711385,NEBRASKA,2017,June,Hail,"CASS",2017-06-12 07:58:00,CST-6,2017-06-12 07:58:00,0,0,0,0,,NaN,,NaN,40.8,-96.12,40.8,-96.12,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","" +120756,725075,SOUTH CAROLINA,2017,October,Tornado,"CHEROKEE",2017-10-23 14:33:00,EST-5,2017-10-23 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,35.138,-81.825,35.18,-81.798,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","NWS Storm survey found the path of an EF1 tornado that began about 1 mile southeast of Chesnee near the Cherokee/Spartanburg county line. Damage associated with this tornado was largely confined to uprooted and snapped trees as it moved northeast, crossing Highway 11, Keg Town Mill Rd, and N Green River Rd before crossing into Rutherford County in North Carolina near Camp Ferry Rd. However, a couple of outbuildings were also damaged." +120816,723466,NORTH CAROLINA,2017,October,Tornado,"CLEVELAND",2017-10-23 14:41:00,EST-5,2017-10-23 14:42:00,0,0,0,0,0.00K,0,0.00K,0,35.179,-81.706,35.183,-81.705,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","A weakening tornado moved into Cleveland County from Cherokee County, SC between Twin Bridges Rd and McCraw Rd. The tornado blew down multiple trees and large limbs before dissipating shortly after crossing into North Carolina." +119102,716151,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-12 02:10:00,CST-6,2017-07-12 05:10:00,0,0,0,0,0.00K,0,0.00K,0,42.559,-90.7285,42.5546,-90.7117,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A public report was received via social media that Sageville Road, north of town was flooded." +119102,715321,IOWA,2017,July,Thunderstorm Wind,"CEDAR",2017-07-12 18:47:00,CST-6,2017-07-12 18:47:00,0,0,0,0,0.00K,0,0.00K,0,41.89,-91.15,41.89,-91.15,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The Iowa Department of Transportation reported a couple of trees were down in the town of Stanwood." +119102,716153,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-12 03:25:00,CST-6,2017-07-12 06:25:00,0,0,0,0,0.00K,0,0.00K,0,42.5615,-90.7753,42.5603,-90.7732,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The county emergency manager reported water remained over Highway 52 near Durango, due to little Maquoketa Creek. The water was no longer rising but area was blocked to traffic." +119102,715325,IOWA,2017,July,Thunderstorm Wind,"CLINTON",2017-07-12 19:29:00,CST-6,2017-07-12 19:29:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The Clinton County Roads Department reported a few trees had to be cleared from secondary roads around the DeWitt area." +119102,715326,IOWA,2017,July,Thunderstorm Wind,"CLINTON",2017-07-12 19:52:00,CST-6,2017-07-12 19:52:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-90.23,41.84,-90.23,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The county emergency manager reported a few trees down in the city of Clinton." +119108,715339,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-19 17:59:00,CST-6,2017-07-19 17:59:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"Hot and humid conditions combined with afternoon heating produced thunderstorms with some becoming severe with damaging winds of around 60 mph.","The county emergency manager received numerous reports of branches and a few trees down in the city of Dubuque." +114263,684579,COLORADO,2017,May,Thunderstorm Wind,"LINCOLN",2017-05-07 22:14:00,MST-7,2017-05-07 22:14:00,0,0,0,0,,NaN,,NaN,39.27,-103.69,39.27,-103.69,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","" +114532,686871,OHIO,2017,March,Hail,"CUYAHOGA",2017-03-30 21:30:00,EST-5,2017-03-30 21:30:00,0,0,0,0,0.00K,0,0.00K,0,41.4084,-81.7464,41.4084,-81.7464,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Quarter sized hail was observed." +114739,688319,IOWA,2017,April,Hail,"CLINTON",2017-04-15 17:35:00,CST-6,2017-04-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-90.55,41.82,-90.55,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +114884,689189,COLORADO,2017,May,Hail,"DOUGLAS",2017-05-26 15:39:00,MST-7,2017-05-26 15:39:00,0,0,0,0,,NaN,,NaN,39.13,-104.94,39.13,-104.94,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +121013,727799,TENNESSEE,2017,November,Heavy Rain,"CUMBERLAND",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8526,-85.0526,35.8526,-85.0526,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Crossville 6.9 S measured a 24 hour rainfall total of 4.85 inches." +114047,689518,IOWA,2017,March,Thunderstorm Wind,"DELAWARE",2017-03-06 21:18:00,CST-6,2017-03-06 21:18:00,0,0,0,0,0.00K,0,0.00K,0,42.54,-91.35,42.54,-91.35,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Winds were estimated of 60 to 70 mph." +117398,715857,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 20:15:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-80.08,40.3934,-80.078,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Hope Hollow Rd at Lindsay St, a creek is overflow the road. The road is closed." +119766,718266,INDIANA,2017,October,Flood,"RIPLEY",2017-10-08 18:07:00,EST-5,2017-10-08 19:07:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-85.33,39.201,-85.3365,"The remnants of Hurricane Harvey brought heavy rain and some isolated flooding to the region. Between one and four inches of rain fell across the region.","High water was reported along several roads in the Napoleon area with several low lying areas impassable. There were no reports of roads that were closed." +119766,718553,INDIANA,2017,October,Flood,"RIPLEY",2017-10-08 19:00:00,EST-5,2017-10-08 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.1934,-85.4172,39.1935,-85.4199,"The remnants of Hurricane Harvey brought heavy rain and some isolated flooding to the region. Between one and four inches of rain fell across the region.","A van became trapped in high water along County Road 900 W, and a water rescue was performed." +119766,718554,INDIANA,2017,October,Flood,"RIPLEY",2017-10-08 19:00:00,EST-5,2017-10-08 20:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.2476,-85.3238,39.2485,-85.3242,"The remnants of Hurricane Harvey brought heavy rain and some isolated flooding to the region. Between one and four inches of rain fell across the region.","A vehicle became trapped in high water. The vehicle needed to be towed out of the water." +119141,715535,ILLINOIS,2017,July,Thunderstorm Wind,"STEPHENSON",2017-07-21 17:32:00,CST-6,2017-07-21 17:32:00,0,0,0,0,0.25K,250,0.00K,0,42.27,-89.61,42.27,-89.61,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The local fire department reported a tree branch fell and brought down a power line." +119141,716075,ILLINOIS,2017,July,Tornado,"WHITESIDE",2017-07-21 18:19:00,CST-6,2017-07-21 18:26:00,0,0,0,0,40.00K,40000,2.00K,2000,41.8722,-90.1666,41.8965,-90.1021,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Tornado was rated an EF-1 which touched down on the eastern shore of the Mississippi River and hit the city of Fulton Illinois. The tornado tracked east northeast and caused damage to mainly trees and a cemetery along its 3.7 mile path and max width of 150 yards. Two garages and one farm outbuilding, and some corn were also damaged." +120816,723675,NORTH CAROLINA,2017,October,Thunderstorm Wind,"BURKE",2017-10-23 15:24:00,EST-5,2017-10-23 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.639,-81.501,35.738,-81.393,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Nws storm survey found an extensive area of downburst damage across eastern Burke County, generally in the area between Miller Bridge Rd and the Catawba County line, northeast across Hildebran to the area around the Hickory Regional Airport. Numerous trees were uprooted and snapped in this area." +119110,715342,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:10:00,CST-6,2017-07-20 18:10:00,0,0,0,0,0.50K,500,0.00K,0,40.97,-91.63,40.97,-91.63,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter reported downed tree limbs and power lines." +120816,723676,NORTH CAROLINA,2017,October,Thunderstorm Wind,"CATAWBA",2017-10-23 15:20:00,EST-5,2017-10-23 15:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.629,-81.451,35.731,-81.341,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Nws storm survey found an extensive area of downburst damage across western Catawba County, generally along and near Old Shelby Rd in the southwest part of the county, northeast to Hickory. Numerous trees were uprooted or snapped in this area. At least one home was damaged by falling trees on the south side of Hickory." +120816,723677,NORTH CAROLINA,2017,October,Thunderstorm Wind,"CALDWELL",2017-10-23 15:37:00,EST-5,2017-10-23 15:46:00,0,0,0,0,10.00K,10000,0.00K,0,35.773,-81.359,35.846,-81.353,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Nws storm survey found an area of extensive downburst damage across extreme southeast Caldwell County, near the Alexander County line. Numerous trees were blown down in this area, while several outbuildings were damaged, some heavily." +120816,723751,NORTH CAROLINA,2017,October,Thunderstorm Wind,"UNION",2017-10-23 16:50:00,EST-5,2017-10-23 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.92,-80.74,34.92,-80.74,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported multiple trees and power lines blown down in the Waxhaw area." +121013,727800,TENNESSEE,2017,November,Heavy Rain,"WHITE",2017-11-07 08:05:00,CST-6,2017-11-07 08:05:00,0,0,0,0,0.00K,0,0.00K,0,35.9255,-85.5068,35.9255,-85.5068,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Sparta 2.0 WSW measured a 24 hour rainfall total of 4.77 inches." +121013,724450,TENNESSEE,2017,November,Flash Flood,"RUTHERFORD",2017-11-07 06:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0038,-86.6086,35.7939,-86.5966,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Numerous roads across Rutherford County were flooded or impassable and closed, including Powells Chapel Road near Walterhill, Nevada Drive in Smyrna, and Cherry Lane in Murfreesboro. Numerous commercial parking lots in La Vergne were also flooded. Rutherford County Schools were closed on Tuesday, November 7, 2017 due to the flooding." +121013,724439,TENNESSEE,2017,November,Flood,"WILLIAMSON",2017-11-06 22:45:00,CST-6,2017-11-07 07:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.044,-87.1785,35.9509,-87.1976,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Minor flooding affected parts of northern Williamson County. Street flooding was reported near Scales Elementary School in Brentwood, as well as in Nolensville. The basement of a home was also reportedly flooded north of Fairview." +119395,716595,IOWA,2017,July,Flood,"CLINTON",2017-07-30 06:45:00,CST-6,2017-07-31 23:55:00,0,0,0,0,10.00K,10000,0.00K,0,41.7873,-90.6306,41.7341,-90.6299,"Major river flooding occurred from heavy rainfall in north-central and northeast Iowa from 20 to 22 July. Three to nine inches of rainfall caused major river flooding on the Wapsipinicon River at Independence and then downstream near DeWitt.","Heavy rainfall of 3 to over 9 inches over significant areas from 20 to 22 July in extreme north central and northeast Iowa moved downstream causing the Wapsipinicon River to rise above major flood stage levels. ||DeWitt rose above its major flood stage level of 12.5 feet on July 30th, 2017 at approximately 645 AM CST. It crested around 13.3 feet at approximately 615 AM CST on July 23rd, 2017. Major river flooding continued into August." +120816,725178,NORTH CAROLINA,2017,October,Flood,"MCDOWELL",2017-10-23 13:00:00,EST-5,2017-10-23 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.613,-82.221,35.608,-82.219,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","EM reported the Catawba River overflowed its banks near the headwaters after 3 to 4 inches fell throughout the basin throughout the 23rd. Catawba Falls Campground flooded off Catawba River Rd. Flooded roads included Eula Parker Rd and Oakdale Rd at Parker Padgett Rd. Additionally, Mill Creek overflowed its banks in downtown Old Fort, flooding Commerce St and Westerman St. At least one small mud slide was also reported in this general area." +119141,715539,ILLINOIS,2017,July,Thunderstorm Wind,"WHITESIDE",2017-07-21 18:21:00,CST-6,2017-07-21 18:21:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-90.16,41.87,-90.16,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported trees down across the town of Fulton." +119141,715540,ILLINOIS,2017,July,Thunderstorm Wind,"WHITESIDE",2017-07-21 18:24:00,CST-6,2017-07-21 18:24:00,0,0,0,0,15.00K,15000,0.00K,0,41.89,-90.13,41.89,-90.13,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a barn was blown down." +119141,716674,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-21 20:00:00,CST-6,2017-07-22 20:00:00,0,0,0,0,6.50M,6500000,1.00M,1000000,42.5179,-90.65,42.2088,-90.3333,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Widespread flash flooding occurred throughout the county from 3 to over 9 inches of rain. Almost 1000 structures were flooded. Two water treatment sewage plants sustained damage with thousands of acres of crops lost. Preliminary damage estimates are between 7 and 8 million dollars." +119141,716092,ILLINOIS,2017,July,Flash Flood,"STEPHENSON",2017-07-21 20:00:00,CST-6,2017-07-21 23:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4149,-89.8407,42.3984,-89.8448,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported Highway 73 at Louisa Road was closed due to flooding." +118230,710510,NEBRASKA,2017,June,Hail,"WAYNE",2017-06-29 16:02:00,CST-6,2017-06-29 16:02:00,0,0,0,0,,NaN,,NaN,42.18,-97.02,42.18,-97.02,"During the afternoon and evening hours of June 29th, scattered severe thunderstorms formed over the mid Missouri Valley, along and ahead of a cold front moving into the region. The approach of an upper-air disturbance from the northwest in conjunction with a moderately unstable air mass yielded a favorable environment for supercells and other organized storm structures which produced a considerable amount of large hail.||One supercell produced a 14.4-mile long tornado in addition to hail up to baseball size while tracking across northern Cedar County in far northeast Nebraska. Later in the evening, another supercell moved across the Omaha metro area, also producing hail up to baseball size.","A trained spotter had quarter size hail and 50 to 60 mph winds." +116735,702061,VIRGINIA,2017,May,Hail,"CAMPBELL",2017-05-10 19:00:00,EST-5,2017-05-10 19:10:00,0,0,0,0,0.00K,0,0.00K,0,37.35,-78.98,37.3498,-78.974,"A slow moving warm front pressed northeast into portions of southwestern Virginia early on May 10th. This boundary served as the focus point for scattered severe thunderstorms across much of the Piedmont Counties of Virginia, where hail and isolated tree damage was reported.","" +119102,715319,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-12 00:00:00,CST-6,2017-07-12 00:00:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-90.73,42.49,-90.73,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A trained spotter reported a 10 inch in diameter ash tree was blown over along with several 2 to 4 inch in diameter tree limbs." +119140,715532,ILLINOIS,2017,July,Thunderstorm Wind,"STEPHENSON",2017-07-19 18:38:00,CST-6,2017-07-19 18:38:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-89.64,42.47,-89.64,"Severe thunderstorms tracked into northwest Illinois in the evening from Minnesota, Wisconsin and northern Iowa. Several reports of downed trees and winds up to 70 mph were seen with these storms.","An amateur radio operator reported winds estimated up to 70 mph with tree branches blowing across the road." +119141,716107,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-22 02:37:00,CST-6,2017-07-22 05:37:00,0,0,0,0,0.00K,0,0.00K,0,42.4567,-90.0585,42.4486,-90.0603,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported numerous vehicles were stranded in high water." +120816,723752,NORTH CAROLINA,2017,October,Thunderstorm Wind,"IREDELL",2017-10-23 16:24:00,EST-5,2017-10-23 16:24:00,0,0,0,0,0.00K,0,0.00K,0,36.02,-80.76,36.02,-80.76,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported multiple trees blown down along Harmony Highway." +120816,723753,NORTH CAROLINA,2017,October,Thunderstorm Wind,"DAVIE",2017-10-23 16:50:00,EST-5,2017-10-23 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-80.42,35.87,-80.42,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported a few trees blown down at Tadpole Trail and Highway 64." +121013,724440,TENNESSEE,2017,November,Flood,"RUTHERFORD",2017-11-06 23:00:00,CST-6,2017-11-07 00:00:00,0,0,0,0,0.00K,0,0.00K,0,35.982,-86.5523,35.9794,-86.5492,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A spotter reported 3 to 6 inches of water covering Rock Springs Road near Old Nashville Highway, but the roadway was still passable." +121013,724441,TENNESSEE,2017,November,Flood,"DAVIDSON",2017-11-06 23:00:00,CST-6,2017-11-07 01:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1428,-86.9871,36.0013,-87.0327,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Street flooding affected parts of southern Davidson County, including Sawyer Brown Road in Bellevue and Hill Road in Crieve Hall." +121013,724465,TENNESSEE,2017,November,Flood,"WHITE",2017-11-07 07:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9382,-85.4821,35.9319,-85.4722,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Parts of Ben Lomand Drive in Sparta were covered by flood waters." +121013,724445,TENNESSEE,2017,November,Flash Flood,"DAVIDSON",2017-11-07 03:45:00,CST-6,2017-11-07 08:00:00,0,0,0,0,50.00K,50000,0.00K,0,36.1428,-86.987,36.0013,-87.0327,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Flash flooding affected parts of southern Davidson County. Blackman Road near Sevenmile Creek was covered in water and closed, and two nearby homes were evacuated due to flooding. Wild Oaks Court near Eagle View Blvd. at Bell Road in Antioch was washed out. Areas along Mill Creek were also flooded including the Mill Creek Greenway, with large debris reported floating down the creek. Several basements of homes throughout southern Nashville were also flooded including the Forest Hills area." +120816,725067,NORTH CAROLINA,2017,October,Flood,"BUNCOMBE",2017-10-23 11:00:00,EST-5,2017-10-23 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,35.58,-82.559,35.611,-82.33,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Media and stream gauges reported flooding developed across southeastern sections of Buncombe County after widespread rainfall of 3 to 4 inches, with roughly half of that occurring over a period of just a couple of hours. Severe urban flooding and stream flooding along Sweeten Creek developed in the Biltmore Village area. Biltmore Ave and Sweeten Creek Rd were both largely impassable in spots due to deep water. Water also entered several businesses along Brook St and Sweeten Creek Rd. Minor stream flooding was also reported along Cane Creek in the Fairview area, where at least one road was flooded and impassable, and near the headwaters of the Swannanoa River, which flooded Veterans Park in Black Mountain." +114047,689704,IOWA,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-06 21:50:00,CST-6,2017-03-06 21:50:00,0,0,0,0,0.00K,0,0.00K,0,40.66,-92.06,40.66,-92.06,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Iowa Department of Transportation road sensor measured this wind gust." +114055,684284,ALABAMA,2017,April,Thunderstorm Wind,"FRANKLIN",2017-04-30 12:10:00,CST-6,2017-04-30 12:10:00,0,0,0,0,,NaN,,NaN,34.51,-87.71,34.51,-87.71,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down." +120756,723269,SOUTH CAROLINA,2017,October,Tornado,"SPARTANBURG",2017-10-23 13:52:00,EST-5,2017-10-23 14:10:00,0,0,0,0,50.00K,50000,0.00K,0,34.778,-82.085,34.943,-81.987,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","NWS storm survey found the path of a tornado that began near the intersection of Highway 101 and Neilson Rd. The tornado moved north/northeast uprooting and snapping numerous trees along Greenpond Rd and Switzer Green Pond Rd. Some structural damage was also noted to homes in this area, mainly minor roof damage and damage to gutters and siding. The path of the tornado was lost in the area around Pearson Rd and pine Hills Rd, where it entered a heavily wooded valley near the Tyger River, but dual pol radar data indicated the tornado likely continued through this area. The track was picked up again in the area between Bethany Church Rd and Highway 290. Many downed trees were observed from that area northeast toward Reidville Rd, where damage became less intense and more sporadic. The tornado continued northeast to near the I-26/Highway 29 intersection, where the path made an eastward jog. Numerous trees were snapped and uprooted in neighborhood off Highway 29 just east of Westgate Mall. Although a distinct tornado path was lost in this area, extensive Straight-line wind damage continued downstream of the tornado path." +116520,703347,ILLINOIS,2017,May,Tornado,"MERCER",2017-05-17 19:00:00,CST-6,2017-05-17 19:07:00,0,0,0,0,25.00K,25000,0.00K,0,41.2447,-90.5062,41.307,-90.4334,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated a higher end EF-1 with peak winds 105 mph, a path length of 5.73 miles with a max path width of 150 yards. This higher end EF-1 tornado caused damage to numerous farm outbuildings, a few homes and trees across Mercer and Henry counties. One house partially lost a roof while another was impelled by flying debris. Approximately 30 to 40 trees were snapped at the trunks, a couple of dozen were uprooted, with about 50 trees experiencing limb damage. This tornado continued into Henry county." +113620,681083,TEXAS,2017,March,Hail,"MITCHELL",2017-03-28 20:00:00,CST-6,2017-03-28 20:05:00,0,0,0,0,,NaN,,NaN,32.4,-100.85,32.4,-100.85,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","" +121015,724499,TENNESSEE,2017,November,Thunderstorm Wind,"ROBERTSON",2017-11-18 16:37:00,CST-6,2017-11-18 16:37:00,0,0,0,0,1.00K,1000,0.00K,0,36.47,-86.66,36.47,-86.66,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","One wall of a poorly constructed detached garage of a home was blown down near White House." +121015,724501,TENNESSEE,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-18 16:42:00,CST-6,2017-11-18 16:42:00,0,0,0,0,1.00K,1000,0.00K,0,35.82,-86.85,35.82,-86.85,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An interstate sign was blown down on I-840 just west of I-65." +121015,724503,TENNESSEE,2017,November,Thunderstorm Wind,"MAURY",2017-11-18 16:45:00,CST-6,2017-11-18 16:45:00,0,0,0,0,2.00K,2000,0.00K,0,35.5808,-87.0554,35.5808,-87.0554,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree and a power line were blown down blocking both lanes of Campbellsville Pike in Columbia." +121015,724476,TENNESSEE,2017,November,Thunderstorm Wind,"HUMPHREYS",2017-11-18 15:33:00,CST-6,2017-11-18 15:33:00,0,0,0,0,5.00K,5000,0.00K,0,36.16,-87.65,36.16,-87.65,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A Facebook report indicated the roof was blown off a trailer home and several trees were blown down along and just off Highway 231 near mile marker 5." +121015,724478,TENNESSEE,2017,November,Thunderstorm Wind,"DICKSON",2017-11-18 15:49:00,CST-6,2017-11-18 15:49:00,0,0,0,0,5.00K,5000,0.00K,0,36.3,-87.47,36.3,-87.47,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Numerous trees were blown down across northern Dickson County." +121015,724506,TENNESSEE,2017,November,Thunderstorm Wind,"SUMNER",2017-11-18 16:36:00,CST-6,2017-11-18 16:36:00,0,0,0,0,1.00K,1000,0.00K,0,36.589,-86.5196,36.589,-86.5196,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tSpotter Twitter report indicated a Bradford Pear tree was snapped on the north side of Portland." +121015,724509,TENNESSEE,2017,November,Thunderstorm Wind,"SUMNER",2017-11-18 16:54:00,CST-6,2017-11-18 16:54:00,0,0,0,0,5.00K,5000,0.00K,0,36.3463,-86.4906,36.3463,-86.4906,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A few trees were blown down in the Fairvue Plantation subdivision, including two trees that fell and blocked Browns Lane." +121015,724535,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:23:00,CST-6,2017-11-18 17:23:00,0,0,0,0,1.00K,1000,0.00K,0,36.1289,-86.1827,36.1289,-86.1827,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that blocked the road at 1700 Turner Road." +114055,684290,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 12:37:00,CST-6,2017-04-30 12:37:00,0,0,0,0,,NaN,,NaN,33.92,-87.04,33.92,-87.04,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A large peach tree was knocked down." +114263,684566,COLORADO,2017,May,Thunderstorm Wind,"ADAMS",2017-05-07 14:47:00,MST-7,2017-05-07 14:47:00,0,0,0,0,,NaN,,NaN,39.75,-104.88,39.75,-104.88,"In Sedalia, a 37-year-old woman and her horse were killed after lightning hit a nearby tree. A teenage girl was also seriously injured. Damaging microburst winds downed trees and power poles across parts of Adams, Arapahoe, Denver and Douglas Counties. Electrical lines and branches were also snapped causing scattered power outages.","A tree was blown down. The intense wind also broke branches and downed several electrical lines." +114810,691775,TEXAS,2017,April,Hail,"NAVARRO",2017-04-02 10:00:00,CST-6,2017-04-02 10:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1,-96.63,32.1,-96.63,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","Emergency manager reports golf ball size hail in Barry." +114972,689727,IOWA,2017,March,Hail,"CEDAR",2017-03-19 23:40:00,CST-6,2017-03-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.86,-90.92,41.86,-90.92,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail up to the size of nickels.","Hail falling was observed for about 5 Minutes." +119099,715256,IOWA,2017,July,Thunderstorm Wind,"DES MOINES",2017-07-10 03:52:00,CST-6,2017-07-10 03:52:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-91.04,41.03,-91.04,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The county emergency manager reported many trees were down. Some trees were snapped in half. A ladder was found in the roof of a house that was blown out of a machine shed." +119110,715352,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:17:00,CST-6,2017-07-20 21:17:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-90.61,41.57,-90.61,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter reported large tree limbs were down." +120816,723700,NORTH CAROLINA,2017,October,Tornado,"BURKE",2017-10-23 15:37:00,EST-5,2017-10-23 15:40:00,0,0,0,0,1.50M,1500000,0.00K,0,35.743,-81.39,35.752,-81.376,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found the path of a strong tornado that began at the Hickory Regional Airport. A hangar at the airport was destroyed and several aircraft flipped. The tornado moved northeast to Winkler Park, damaging part of L.P. Frans stadium before moving into Catawba County. Numerous trees were also blown down in this area." +121138,725222,NORTH CAROLINA,2017,October,Winter Weather,"HAYWOOD",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +121138,725224,NORTH CAROLINA,2017,October,Winter Weather,"MITCHELL",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +113660,692389,TEXAS,2017,April,Flash Flood,"BELL",2017-04-10 22:35:00,CST-6,2017-04-11 01:15:00,0,0,0,0,0.00K,0,0.00K,0,31.13,-97.73,31.1144,-97.7244,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported flash flooding with water rescues at 1101 Branch Dr and near the intersection of 38th St and Westcliff Rd." +113660,693063,TEXAS,2017,April,Flood,"HUNT",2017-04-10 15:06:00,CST-6,2017-04-10 16:45:00,0,0,0,0,0.00K,0,0.00K,0,33.2755,-96.2141,33.1767,-96.1558,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency management reported approximately 10 inches of water over the road between Greenville and Celeste on Highway 69." +114969,689663,COLORADO,2017,May,Hail,"ARAPAHOE",2017-05-29 14:06:00,MST-7,2017-05-29 14:06:00,0,0,0,0,0.00K,0,0.00K,0,39.6,-104.87,39.6,-104.87,"An isolated thunderstorm produced hail up to nickel size near Centennial.","" +115225,691826,NEW JERSEY,2017,May,Flash Flood,"HUDSON",2017-05-05 12:30:00,EST-5,2017-05-05 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7778,-74.1292,40.7867,-74.1465,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of northeast New Jersey. Newark Airport (3.05 inches) and Teterboro Airport (3.01 inches) received just over 3 inches of rain during the event, with the majority of that rain falling during a three hour period. Hourly rainfall rates of up to 1.5 inches were reported at Teterboro, with rates over one inch per hour at Newark.","Fishburne Avenue in Kearny was closed with water rescues occurring at the intersection of Route 7 and Fishburne Avenue." +115229,691845,NEW YORK,2017,May,Flash Flood,"WESTCHESTER",2017-05-05 13:30:00,EST-5,2017-05-05 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.0341,-73.7609,41.0353,-73.7622,"A warm front approaching the area combined with a strong low level jet ushering in precipitable water values in excess of 1.5 inches, resulted in flash flooding across parts of New York City and western Nassau County. Much of the area received one and a half to three inches of rain during the event, including Central Park (3.00 inches) and LaGuardia Airport (2.25 inches). The majority of the rain fell during a three hour period, with hourly rainfall rates of around an inch per hour.","A few roads in White Plains were impassable due to flooding." +115286,692123,MISSISSIPPI,2017,April,Thunderstorm Wind,"CHICKASAW",2017-04-22 13:55:00,CST-6,2017-04-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,33.9827,-88.9244,34.004,-88.8708,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","Large tree uprooted in the Van Vleet community along highway 32." +115310,692311,ALABAMA,2017,April,Thunderstorm Wind,"BARBOUR",2017-04-03 09:42:00,CST-6,2017-04-03 09:43:00,0,0,0,0,0.00K,0,0.00K,0,31.89,-85.15,31.89,-85.15,"A slow moving QLCS moved eastward across central Alabama during the morning hours on April 3rd. This convective system produced damaging winds across the southern portions of central Alabama and heavy rainfall across the northern portions.","Reports of trees snapped and uprooted in the city of Eufaula. Power poles also snapped." +121015,724536,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:24:00,CST-6,2017-11-18 17:24:00,0,0,0,0,1.00K,1000,0.00K,0,36.1194,-86.1659,36.1194,-86.1659,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that blocked the road at 1555 Linwood Road in Watertown." +121015,724537,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:27:00,CST-6,2017-11-18 17:27:00,0,0,0,0,1.00K,1000,0.00K,0,36.1009,-86.1262,36.1009,-86.1262,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down at 135 Vickers Avenue in Watertown." +121015,724538,TENNESSEE,2017,November,Thunderstorm Wind,"SMITH",2017-11-18 17:32:00,CST-6,2017-11-18 17:32:00,0,0,0,0,5.00K,5000,0.00K,0,36.1218,-86.0405,36.1218,-86.0405,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","The porch and part of the roof were blown off a home at 57 McGinnis Lane in Brush Creek." +121015,724542,TENNESSEE,2017,November,Thunderstorm Wind,"CANNON",2017-11-18 17:39:00,CST-6,2017-11-18 17:39:00,0,0,0,0,3.00K,3000,0.00K,0,35.8154,-86.0339,35.8154,-86.0339,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Cannon County Sheriff's office reported trees down on McMinnville Highway east of Woodbury." +121015,724563,TENNESSEE,2017,November,Lightning,"PUTNAM",2017-11-18 18:18:00,CST-6,2017-11-18 18:18:00,0,0,0,0,70.00K,70000,0.00K,0,36.1301,-85.2514,36.1301,-85.2514,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Lightning struck a home on Walton Hills Road and the resulting fire caused an estimated $60,000 to $70,000 damage." +119141,716103,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-22 00:33:00,CST-6,2017-07-24 03:33:00,0,0,0,0,200.00K,200000,0.00K,0,42.4423,-90.0096,42.3668,-90.0192,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported a brand new bridge was washed on the main road out of Stockton. The spotter reported it was the worst flooding he had ever seen in over 20 years." +119455,716940,OHIO,2017,July,Thunderstorm Wind,"MUSKINGUM",2017-07-22 06:57:00,EST-5,2017-07-22 06:57:00,0,0,0,0,0.50K,500,0.00K,0,39.96,-82.17,39.96,-82.17,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down." +119458,716982,OHIO,2017,July,Flash Flood,"BELMONT",2017-07-23 20:06:00,EST-5,2017-07-24 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.16,-81.13,40.1828,-81.2061,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Report on social media indicated streams were overrunning their banks between Piedmont and Holloway. Storm drains were overflowing." +121138,725225,NORTH CAROLINA,2017,October,Winter Weather,"YANCEY",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +115979,697098,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"EDGEFIELD",2017-05-29 17:20:00,EST-5,2017-05-29 17:25:00,0,0,0,0,,NaN,,NaN,33.84,-81.97,33.84,-81.97,"An upper level impulse combined with atmospheric instability and deep layer shear to produce scattered severe thunderstorms that produced wind damage and large hail.","Edgefield County dispatch reported multiple trees down Hwy 25 and Hwy 283." +116352,699650,VIRGINIA,2017,May,Hail,"GRAYSON",2017-05-20 12:24:00,EST-5,2017-05-20 12:24:00,0,0,0,0,1.00K,1000,0.00K,0,36.62,-81.46,36.62,-81.46,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","The Hail put dents into a vehicle producing minor damage." +116352,699665,VIRGINIA,2017,May,Thunderstorm Wind,"PITTSYLVANIA",2017-05-20 18:26:00,EST-5,2017-05-20 18:26:00,0,0,0,0,0.20K,200,0.00K,0,36.93,-79.33,36.93,-79.33,"A strong high pressure system off of the Southeast Atlantic Coastline continued to usher warm and humid air into the region on May 20th. These conditions combined with a passing cold frontal boundary produced strong to severe thunderstorms across much of southwestern Virginia. These storms produced pea to quarter size hailstones, while a few of the collapsing storms also produced isolated wind damage.","Thunderstorm winds downed large tree limbs." +116500,700623,IOWA,2017,June,Thunderstorm Wind,"DELAWARE",2017-06-28 18:17:00,CST-6,2017-06-28 18:17:00,0,0,0,0,0.00K,0,0.00K,0,42.33,-91.19,42.33,-91.19,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","Power lines were reported down due to wind." +113660,693073,TEXAS,2017,April,Hail,"HILL",2017-04-10 19:31:00,CST-6,2017-04-10 19:31:00,0,0,0,0,0.00K,0,0.00K,0,31.8,-97.25,31.8,-97.25,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported quarter-sized hail approximately 4 miles south-southwest of the city of Aquilla, TX." +119110,715344,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:11:00,CST-6,2017-07-20 18:11:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter in Mt Pleasant reported a large tree branch was down in town near the McDonald's restaurant." +121013,724436,TENNESSEE,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-06 21:37:00,CST-6,2017-11-06 21:37:00,0,0,0,0,1.00K,1000,0.00K,0,36.0094,-87.1693,36.0094,-87.1693,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A tree was blown down on Crow Cut Road near Fairview." +121013,724437,TENNESSEE,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-06 22:05:00,CST-6,2017-11-06 22:05:00,0,0,0,0,1.00K,1000,0.00K,0,35.9935,-86.9024,35.9935,-86.9024,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A tree was blown down on Old Hillsboro Road." +120456,721695,LAKE ERIE,2017,September,Waterspout,"AVON POINT TO WILLOWICK OH",2017-09-06 08:00:00,EST-5,2017-09-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7223,-81.4279,41.7223,-81.4279,"Several waterspouts were observed on Lake Erie.","A waterspout was observed on Lake Erie offshore from Mentor." +119388,716570,IOWA,2017,July,Flood,"BUCHANAN",2017-07-23 12:45:00,CST-6,2017-07-23 23:00:00,0,0,0,0,50.00K,50000,0.00K,0,42.5001,-91.9819,42.4065,-91.8681,"Major river flooding occurred from heavy rainfall in north-central and northeast Iowa from 20 to 22 July. Three to nine inches of rainfall caused major river flooding on the Wapsipinicon River at Independence and then downstream near DeWitt.","Heavy rainfall of 3 to over 9 inches over significant areas from 20 to 22 July in extreme north central and northeast Iowa moved downstream causing the Wapsipinicon River to rise above major flood stage levels. ||Independence rose above its major flood stage level of 15.0 feet on July 23rd, 2017 at approximately 1245 PM CST. It crested around 15.4 feet at approximately 445 PM CST on July 23rd, 2017. It fell below major flood stage on July 23rd around11 pm CST." +116834,702584,NORTH CAROLINA,2017,May,Hail,"CALDWELL",2017-05-19 12:35:00,EST-5,2017-05-19 12:35:00,0,0,0,0,,NaN,,NaN,36.119,-81.67,36.119,-81.67,"Scattered thunderstorms developed across the mountains and foothills of western North Carolina throughout the afternoon. A few of the storms produced severe weather, mainly in the form of large hail, although a couple of areas of minor wind damage were reported.","Multiple public reports of large hail were received (via Social Media) from the Blowing Rock area." +119141,716102,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-22 00:04:00,CST-6,2017-07-22 06:04:00,0,0,0,0,40.00K,40000,0.00K,0,42.3617,-90.0203,42.3422,-90.0218,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported widespread flooding in the town of Stockton. Rainfall totals reached 7.81 inches in 6 hours." +119141,716110,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-22 03:11:00,CST-6,2017-07-22 06:11:00,0,0,0,0,0.00K,0,0.00K,0,42.3574,-90.024,42.3516,-90.0235,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The Illinois Department of Highways reported Highway 20 east of Stockton was closed due to high water." +119141,716112,ILLINOIS,2017,July,Flash Flood,"JO DAVIESS",2017-07-22 03:11:00,CST-6,2017-07-22 06:11:00,0,0,0,0,0.00K,0,0.00K,0,42.2377,-90.0529,42.2067,-90.0367,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The Illinois Department of Highways reported Route 78 north of the Carroll County line was closed due to water." +119141,716114,ILLINOIS,2017,July,Flash Flood,"STEPHENSON",2017-07-22 03:11:00,CST-6,2017-07-22 06:11:00,0,0,0,0,0.00K,0,0.00K,0,42.2809,-89.8333,42.2573,-89.8366,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The Illinois Department of Highways reported Route 73 near Pearl City was Flooded." +119110,715346,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:28:00,CST-6,2017-07-20 18:28:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A public report was received of a large barn blown over via the KWQC Facebook page." +119110,715354,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:19:00,CST-6,2017-07-20 21:19:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-90.63,41.61,-90.63,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A NWS employee reported trees down in the local area." +120816,724908,NORTH CAROLINA,2017,October,Thunderstorm Wind,"ALEXANDER",2017-10-23 15:45:00,EST-5,2017-10-23 15:48:00,0,0,0,0,0.00K,0,0.00K,0,35.83,-81.309,35.85,-81.29,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Media and Ham Radio operator reported numerous trees blown down by straight line winds about one mile east of a tornado path. This included locations around Highway 127 and Heritage Farm Rd and Teague Town Rd." +121015,727751,TENNESSEE,2017,November,Thunderstorm Wind,"DAVIDSON",2017-11-18 16:27:00,CST-6,2017-11-18 16:30:00,0,0,0,0,15.00K,15000,0.00K,0,36.3277,-86.9223,36.323,-86.8721,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A 3/4 mile wide by 5 mile long downburst caused minor wind damage to 17 homes, 3 churches, an apartment building and several outbuildings along and either side of Old Clarksville Pike from the Mt Zion area in Cheatham County eastward to the Joelton area in Davidson County. Damage included the roof blown off a barn on Johns Road, part of the roof and porch blown off a small home at 7321 Old Clarksville Pike, and a collapsed porch on a home on Old Clarksville Pike at Park Lane. Numerous trees and power lines were also blown down along and near Old Clarksville Pike that blocked roadways. The downburst continued into far northwest Davidson County, where numerous trees were snapped or uprooted along Harper Road, Douglas Road, Bidwell Road, Old Clarksville Pike, and Eatons Creek Road. Six trees were snapped in the yard of a home at 3429 Binkley Road in Joelton. A mobile home suffered minor exterior damage on Old Clarksville Pike and an outbuilding had roof damage on Eatons Creek Road. The downburst ended near I-24 at Whites Creek Pike. Maximum winds were estimated at 75 mph." +121015,724489,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:24:00,CST-6,2017-11-18 16:27:00,0,0,0,0,25.00K,25000,0.00K,0,36.3294,-86.9676,36.3277,-86.9223,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A 3/4 mile wide by 5 mile long downburst caused minor wind damage to 17 homes, 3 churches, an apartment building and several outbuildings along and either side of Old Clarksville Pike from the Mt Zion area in Cheatham County eastward to the Joelton area in Davidson County. Damage included the roof blown off a barn on Johns Road, part of the roof and porch blown off a small home at 7321 Old Clarksville Pike, and a collapsed porch on a home on Old Clarksville Pike at Park Lane. Numerous trees and power lines were also blown down along and near Old Clarksville Pike that blocked roadways. The downburst continued into far northwest Davidson County, where numerous trees were snapped or uprooted along Harper Road, Douglas Road, Bidwell Road, Old Clarksville Pike, and Eatons Creek Road. Six trees were snapped in the yard of a home at 3429 Binkley Road in Joelton. A mobile home suffered minor exterior damage on Old Clarksville Pike and an outbuilding had roof damage on Eatons Creek Road. The downburst ended near I-24 at Whites Creek Pike. Maximum winds were estimated at 75 mph." +121015,724508,TENNESSEE,2017,November,Thunderstorm Wind,"MAURY",2017-11-18 16:48:00,CST-6,2017-11-18 16:48:00,1,0,0,0,2.00K,2000,0.00K,0,35.592,-87.0251,35.592,-87.0251,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Windows were reportedly blown out of a home at 100 Hallmark Road in Columbia causing one minor injury due to flying glass." +121015,724493,TENNESSEE,2017,November,Thunderstorm Wind,"ROBERTSON",2017-11-18 16:28:00,CST-6,2017-11-18 16:28:00,0,0,0,0,3.00K,3000,0.00K,0,36.55,-86.7,36.55,-86.7,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Trees were reportedly blown down in Cross Plains." +121015,724477,TENNESSEE,2017,November,Thunderstorm Wind,"PERRY",2017-11-18 15:42:00,CST-6,2017-11-18 15:42:00,0,0,0,0,2.00K,2000,0.00K,0,35.7844,-87.7734,35.7844,-87.7734,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A large tree was blown down on Lobelville Highway, and another tree was blown down at Gilmer Bridge Road and Lost Creek Road." +121015,724479,TENNESSEE,2017,November,Thunderstorm Wind,"MONTGOMERY",2017-11-18 15:49:00,CST-6,2017-11-18 15:49:00,0,0,0,0,1.00K,1000,0.00K,0,36.4698,-87.5009,36.4698,-87.5009,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An 80-foot tree fell and damaged an amateur radio tower." +119141,716121,ILLINOIS,2017,July,Flood,"STEPHENSON",2017-07-22 11:50:00,CST-6,2017-07-22 17:50:00,0,0,0,0,0.00K,0,0.00K,0,42.3861,-89.8371,42.3769,-89.8361,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported widespread flooding. A road was underwater for at least the length of a football field in a location does not normally flood." +119097,715243,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-05 19:05:00,CST-6,2017-07-05 19:05:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-91.01,42.44,-91.01,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","A public report was received of 20 to 30 trees down across town. This report was relayed by the emergency manager." +116520,703394,ILLINOIS,2017,May,Tornado,"HENRY",2017-05-17 19:44:00,CST-6,2017-05-17 19:47:00,0,0,0,0,0.00K,0,0.00K,0,41.5468,-89.9994,41.5688,-89.9725,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated EF-1 with peak winds 95 mph, a path length of 2.06 miles and max path width of 50 yards. Damage was mainly to large branches and a few uprooted trees and snapped trunks. Damage was noted to one out building with partial removal of its roof." +116520,703392,ILLINOIS,2017,May,Tornado,"HENRY",2017-05-17 20:20:00,CST-6,2017-05-17 20:21:00,1,0,0,0,40.00K,40000,0.00K,0,41.1533,-90.0811,41.168,-90.066,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated EF-2 with peak winds of 120 mph, a path length of 1.29 miles and a max width 50 yards. Damage was to two snapped power poles, one home with significant damage to shingles. Another house had had roof completely removed and blew out doors with one minor injury at this location." +116892,703265,IOWA,2017,May,Tornado,"JEFFERSON",2017-05-17 15:16:00,CST-6,2017-05-17 15:18:00,0,0,0,0,0.00K,0,0.00K,0,41.1453,-91.9313,41.1634,-91.9275,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado rated an EF-1 tornado with peak winds 110 mph, a path length of 1.27 miles, and a max width of 25 yards. This rapidly moving tornado moved almost due north damaging farm outbuildings and trees. It moved from Jefferson County into Washington County. This tornado was spotted and reported by local fire department spotters." +119110,715358,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:39:00,CST-6,2017-07-20 21:39:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-90.36,41.66,-90.36,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A NWS employee reported a tree was uprooted." +119111,715360,IOWA,2017,July,Thunderstorm Wind,"IOWA",2017-07-21 15:15:00,CST-6,2017-07-21 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-91.91,41.6,-91.91,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement relayed a public report of a tree down on U Ave. and 270th street." +121015,724472,TENNESSEE,2017,November,Thunderstorm Wind,"HUMPHREYS",2017-11-18 15:25:00,CST-6,2017-11-18 15:25:00,0,0,0,0,3.00K,3000,0.00K,0,36.1189,-87.7803,36.1189,-87.7803,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Trees were blown down on Highway 13." +121015,727752,TENNESSEE,2017,November,Thunderstorm Wind,"CANNON",2017-11-18 17:30:00,CST-6,2017-11-18 17:31:00,0,0,0,0,10.00K,10000,0.00K,0,35.8525,-86.1731,35.859,-86.1495,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","High resolution satellite imagery from Google Earth showed a 300 yard wide by 1.4 mile long microburst struck western Cannon County north of Readyville. A tree was snapped east of Tassey Road, and more trees were blown down on Hoyt Knox Road. The door of a barn was blown off south of Coleman Road, and part of the roof of a home under construction was blown off south of Porterfield Road. Another barn had part of its roof blown off at Porterfield Road at Jess Reed Road, and several trees were blown down both west and east of Porterfield Road. Winds were estimated up to 65 mph." +116892,703267,IOWA,2017,May,Tornado,"WASHINGTON",2017-05-17 15:18:00,CST-6,2017-05-17 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.1644,-91.9288,41.1924,-91.9241,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado rated was an EF-1 tornado with peak winds 110 mph, a path length of 1.95 miles, and a max width of 25 yards. This rapidly moving tornado moved almost due north damaging farm outbuildings and trees. It moved from Jefferson County into Washington County. This tornado was spotted and reported by local fire department spotters." +116892,703274,IOWA,2017,May,Tornado,"WASHINGTON",2017-05-17 17:36:00,CST-6,2017-05-17 17:42:00,0,0,0,0,0.00K,0,0.00K,0,41.3838,-91.6021,41.4455,-91.5219,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated was an EF-1 with peak winds of 110 mph, a path length of 5.95 miles, and a max width of 40 yards. This tornado spun up and tracked rapidly to the northeast. The tornado damaged numerous farm outbuildings, power lines and trees along its path." +121138,725226,NORTH CAROLINA,2017,October,Winter Weather,"SWAIN",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +121138,725229,NORTH CAROLINA,2017,October,Strong Wind,"EASTERN MCDOWELL",2017-10-29 15:00:00,EST-5,2017-10-29 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","EM reported that gusty winds of 40-50 mph blew a tree down on a camper at Lake James landing." +119111,716021,IOWA,2017,July,Tornado,"JOHNSON",2017-07-21 16:44:00,CST-6,2017-07-21 16:45:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-91.62,41.551,-91.618,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The public reported a brief tornado moving northeast. After touching down, the tornado then lifted and dissipated." +119111,716169,IOWA,2017,July,Flash Flood,"CLINTON",2017-07-22 02:58:00,CST-6,2017-07-22 05:58:00,0,0,0,0,0.00K,0,0.00K,0,41.8783,-90.2891,41.8369,-90.2959,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported flooding in the eastern portion of Clinton County, including the city of Clinton." +120816,723754,NORTH CAROLINA,2017,October,Thunderstorm Wind,"DAVIE",2017-10-23 16:24:00,EST-5,2017-10-23 16:24:00,0,0,0,0,0.00K,0,0.00K,0,35.903,-80.697,35.903,-80.697,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported a couple of trees blown down near County Line Rd and Highway 901." +121015,724577,TENNESSEE,2017,November,Tornado,"TROUSDALE",2017-11-18 17:04:00,CST-6,2017-11-18 17:10:00,0,0,0,0,25.00K,25000,0.00K,0,36.41,-86.26,36.42,-86.13,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A high-end EF-0 tornado touched down just east of Highway 231 in Trousdale County causing weak tree damage before intensifying on Walnut Grove Road and Sulphur College Road where dozens of trees were snapped and uprooted. A few homes sustained some minor roof damage with a few outbuildings and barns severely damaged. Additional trees were downed on Highway 141 and Halltown Road before the tornado lifted. The tornado passed just 1.5 miles north of the city of Hartsville." +121015,724513,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 16:54:00,CST-6,2017-11-18 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,36.2468,-86.5677,36.2468,-86.5677,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that partially blocked Shutes Branch Road near the entrance to the National Weather Service office." +121015,724514,TENNESSEE,2017,November,Thunderstorm Wind,"SUMNER",2017-11-18 16:55:00,CST-6,2017-11-18 16:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.3449,-86.4504,36.3449,-86.4504,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A few trees were blown down on Lock 4 Road and also on Peach Valley Road." +121015,724515,TENNESSEE,2017,November,Thunderstorm Wind,"RUTHERFORD",2017-11-18 16:55:00,CST-6,2017-11-18 16:55:00,0,0,0,0,3.00K,3000,0.00K,0,35.9982,-86.5867,35.9982,-86.5867,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down near the entrance to Tennessee Fastening Technology on Ingram Blvd just west of Mason Road, and a fence was blown down northeast of the Ingram Blvd and Mason Road intersection. No other damage was found in the area." +121015,724561,TENNESSEE,2017,November,Thunderstorm Wind,"WHITE",2017-11-18 18:14:00,CST-6,2017-11-18 18:14:00,0,0,0,0,5.00K,5000,0.00K,0,35.9607,-85.4919,35.9607,-85.4919,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","White County Sheriff's Office reported a tree fell onto a vehicle and a home near Sparta." +121015,724559,TENNESSEE,2017,November,Thunderstorm Wind,"WHITE",2017-11-18 18:06:00,CST-6,2017-11-18 18:06:00,0,0,0,0,3.00K,3000,0.00K,0,35.9549,-85.6011,35.9549,-85.6011,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Trees were blown down and an outbuilding was damaged on Old Smithville Highway South near Cassville Elementary School." +121015,724565,TENNESSEE,2017,November,Thunderstorm Wind,"OVERTON",2017-11-18 18:20:00,CST-6,2017-11-18 18:20:00,0,1,0,0,5.00K,5000,0.00K,0,36.2327,-85.1631,36.2327,-85.1631,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree and power lines were blown down that blocked the road at 1903 Hanging Limb Highway. A driver was injured when he drove into the tree." +121015,724486,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:17:00,CST-6,2017-11-18 16:17:00,0,0,0,0,3.00K,3000,0.00K,0,36.303,-87.0624,36.303,-87.0624,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tSpotter report indicated a few trees were blown down on Ed Harris Road." +120816,725266,NORTH CAROLINA,2017,October,Tornado,"ALEXANDER",2017-10-23 15:46:00,EST-5,2017-10-23 15:51:00,0,0,0,0,0.00K,0,0.00K,0,35.816,-81.338,35.898,-81.324,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found the path of a tornado that initially straddled the Caldwell/Alexander County line, roughly paralleling Icard Ridge Rd as it moved almost due north across far western Alexander County. Numerous trees were uprooted and snapped. The tornado path was lost in the vicinity of Caldwell Pond Rd, just south of Highway 64. However, additional tornado damage was found several miles away along Highway 64. The area between these two points was heavily wooded and largely inaccessible, but based upon the almost due north orientation of this damage path, and the more northeast orientation of the damage along Highway 64, they are treated as separate events." +113660,691800,TEXAS,2017,April,Hail,"JOHNSON",2017-04-10 14:20:00,CST-6,2017-04-10 14:20:00,0,0,0,0,1.00K,1000,0.00K,0,32.35,-97.4,32.35,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Ping Pong size hail reported by social media in Cleburne." +120688,722869,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-09-04 20:18:00,EST-5,2017-09-04 20:18:00,0,0,0,0,0.00K,0,0.00K,0,41.7586,-81.2824,41.7586,-81.2824,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A 37 knot thunderstorm wind gust was measured at the Fairport Harbor Lighthouse." +119138,715513,ILLINOIS,2017,July,Thunderstorm Wind,"WARREN",2017-07-10 04:10:00,CST-6,2017-07-10 04:10:00,0,0,0,0,0.50K,500,0.00K,0,40.98,-90.6,40.98,-90.6,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","Local law enforcement reported several medium size trees were down along with power lines." +120816,723747,NORTH CAROLINA,2017,October,Tornado,"ALEXANDER",2017-10-23 15:54:00,EST-5,2017-10-23 16:02:00,0,0,0,1,0.00K,0,0.00K,0,35.922,-81.287,36.021,-81.207,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found a path of a tornado across northwest Alexander County. This could have been the continuation of a tornado path that began across the southwest part of the county and straddled the Caldwell County line. However, the path of that tornado was lost in a heavily wooded area east of Caldwell Pond Rd and south of Highway 64. This tornado path began along Highway 64 in the Ellendale community and moved northeast, uprooting or snapping numerous trees along a fairly continuous path. The path was lost along Seth Deal Rd, about a mile west of Highway 16 and a mile south of the Wilkes County border. Two days after the event, a utility worker was killed after part of a tree that he cut fell on him." +120816,723701,NORTH CAROLINA,2017,October,Tornado,"CATAWBA",2017-10-23 15:40:00,EST-5,2017-10-23 15:44:00,0,0,0,0,500.00K,500000,0.00K,0,35.751,-81.376,35.792,-81.329,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found the path of a tornado that began at the Hickory Regional Airport in Burke County moved into Catawba County near Highway 321, moving northeast along the Caldwell County line/Catawba River. Although the tornado was in a weakening state as it moved into Catawba County, it also widened to more than a half mile. Widespread tree damage occurred, with many trees falling on homes, vehicles, and smaller structures. The tornado either dissipated near Lake Hickory, or abruptly changed direction to more of a northerly direction as it crossed into extreme southeast Caldwell County." +120816,723702,NORTH CAROLINA,2017,October,Tornado,"CALDWELL",2017-10-23 15:44:00,EST-5,2017-10-23 15:46:00,0,0,0,0,0.00K,0,0.00K,0,35.805,-81.339,35.816,-81.338,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found a tornado path across extreme southeast Caldwell County. This was either the continuation of a tornado that moved across extreme northwest Catawba County that made a dramatic change in direction from NE to almost due north, or was a new tornado that developed after that one dissipated. (This was difficult to ascertain due to the presence of the lake). The tornado blew down numerous trees along its path across a small part of Caldwell County before moving into Alexander County in the vicinity of Hubbard Rd." +121015,724475,TENNESSEE,2017,November,Thunderstorm Wind,"HOUSTON",2017-11-18 15:42:00,CST-6,2017-11-18 15:42:00,0,0,0,0,10.00K,10000,0.00K,0,36.2544,-87.5458,36.2544,-87.5458,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A home suffered minor roof damage and several trees were snapped that blocked Tom Stanfill Loop near Bethany Road. A few other buildings had minor damage and several other trees were blown down across eastern Houston County." +121015,724482,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:12:00,CST-6,2017-11-18 16:12:00,0,0,0,0,3.00K,3000,0.00K,0,36.3318,-87.1561,36.3318,-87.1561,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A church suffered minor roof and exterior damage on Cheatham Dam Road at Highway 12." +121015,724483,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:10:00,CST-6,2017-11-18 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,36.3292,-87.1792,36.3292,-87.1792,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Facebook photos showed numerous trees blown down on Cheatham Dam Road east of Sinclair Lane." +121015,724484,TENNESSEE,2017,November,Thunderstorm Wind,"CHEATHAM",2017-11-18 16:12:00,CST-6,2017-11-18 16:12:00,0,0,0,0,2.00K,2000,0.00K,0,36.3436,-87.1727,36.3236,-87.1347,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tSpotter report indicated trees were blown down on Highway 12 near Chapmansboro." +121013,724438,TENNESSEE,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-06 22:16:00,CST-6,2017-11-06 22:16:00,0,0,0,0,1.00K,1000,0.00K,0,35.96,-86.8136,35.96,-86.8136,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A tree was blown down at the Cool Springs Galleria Mall." +121015,724541,TENNESSEE,2017,November,Thunderstorm Wind,"SMITH",2017-11-18 17:33:00,CST-6,2017-11-18 17:38:00,0,0,0,0,20.00K,20000,0.00K,0,36.1324,-86.015,36.138,-85.9311,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A strong 1/2 mile wide by 4.7 mile long microburst struck areas from around 1.2 miles northeast of Brush Creek to 0.6 miles southeast of Hickman. Several trees were blown down south of Dry Fork Road and north of Hall Road, and a mobile home suffered roof damage on Cedarwood Lane. More trees were blown down near and along Leland Lane and Winfree Road, and an outbuilding was destroyed just north of the intersection of Winfree Road at Sykes Road. The worst damage occurred on Sykes Road where two homes suffered significant roof damage, a large equipment shed was completely destroyed, two barns had minor roof damage, an outbuilding was destroyed, and many trees were blown down. Debris from the destroyed barn was blown over 500 yards to the northeast. More trees were blown down on Raccoon Branch Lane and Highway 264, and a barn had minor roof damage just south of Hickman. Winds were estimated up to 85 mph." +121015,724544,TENNESSEE,2017,November,Thunderstorm Wind,"SMITH",2017-11-18 17:40:00,CST-6,2017-11-18 17:40:00,0,0,0,0,3.00K,3000,0.00K,0,36.1345,-85.9014,36.1345,-85.9014,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Trees were blown down on Nabors Hollow Road and Hackett Valley Road." +113684,680810,MISSISSIPPI,2017,April,Flash Flood,"HINDS",2017-04-02 21:22:00,CST-6,2017-04-03 02:15:00,0,0,0,0,400.00K,400000,0.00K,0,32.3654,-90.141,32.365,-90.1433,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A foot of water was over Ridgewood Road at Sheffield Drive. Hanging Moss Creek at Ridgewood Road flooded the roadway near Jackson Academy." +113660,693274,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 02:00:00,CST-6,2017-04-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-97.39,32.75,-97.39,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated quarter-sized hail approximately 3 miles west of Fort Worth." +114047,689451,IOWA,2017,March,Thunderstorm Wind,"LOUISA",2017-03-06 22:01:00,CST-6,2017-03-06 22:01:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-91.19,41.28,-91.19,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A trained spotter reported a few trees were down. The time was estimated by radar." +120457,721930,OHIO,2017,September,Tornado,"CRAWFORD",2017-09-04 21:42:00,EST-5,2017-09-04 21:51:00,0,0,0,0,1.25M,1250000,0.00K,0,40.7892,-82.877,40.8133,-82.7257,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","An EF0 tornado touched down in rural Crawford County about three quarters of a mile west of North Robinson. The initial touchdown was in a cornfield west of Olentangy Road about half way between Lower Leesville Road and Crestline Road. The tornado then continued east and moved across the northern half of North Robinson causing extensive damage. The tornado briefly reached EF2 intensity as it moved through the town. Several garages were destroyed and one home was heavily damaged after losing a large section of roof. Other homes along the path sustained lesser amounts of damage, mainly in the form of lost siding or shingles. One home did have a brick chimney toppled. Tree damage in the town was extensive. The tornado continued east over open farmland and eventually crossed the Sandusky River. The tornado then intensified to EF2 as it crossed State Route 598 north of Leesville. A home along State Route 598 was blown of it's foundation and destroyed. A second home nearby lost large sections of roofing. The tornado then continued east northeast snapping dozens of hardwood trees and leveling three farm buildings near where the Lincoln Highway and Krichbaum Road intersect. The tornado then followed a track nearly parallel and just north of Krichbaum Road for a couple of miles. Several more farm buildings were damaged or destroyed and a home lost a portion of its roof before the tornado crossed into Richland County north of the intersection of Krichbaum Road and Crawford Richland Line Road. The tornado was on the ground for just over 8 miles in Crawford County and had a damage path of up to 400 yards in width. Hundreds of trees and many power poles were downed along the damage path." +120712,723085,SOUTH CAROLINA,2017,October,Tornado,"CHEROKEE",2017-10-08 15:16:00,EST-5,2017-10-08 15:17:00,0,0,0,0,20.00K,20000,0.00K,0,35.16,-81.711,35.161,-81.711,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found a short tornado path in northwest Cherokee County, along Robb School Rd between Barbara Ave and Oliver's Way, with damage primarily limited to two residences. These homes received mostly minor exterior and roof damage, although some plywood was torn off the exterior of an attic of one home. The interior of this home received water damage from subsequent heavy rainfall. Flying debris broke out windows and caused additional exterior damage. Multiple trees were also blown down in the area." +120737,723118,NORTH CAROLINA,2017,October,Tornado,"POLK",2017-10-08 16:40:00,EST-5,2017-10-08 16:42:00,0,0,0,0,200.00K,200000,0.00K,0,35.207,-82.241,35.216,-82.239,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","NWS storm survey found an area of tornado damage in downtown Tryon. This tornado developed from the same storm that produced a tornado just over the state line in the Lake Lanier area of northern Greenville County. The tornado touched down on Melrose Ave, a block west of Pacolet St and continued moving to the north-northeast with continuous damage for a distance of less than a mile. Hundreds of trees were snapped or uprooted, homes had damaged shingles and siding, damaged roofs, while other homes and vehicles were damaged by falling trees. One company had 6 generators damaged with one 2400 pound generated moved 30 feet. The tornado lifted just north of the downtown area." +115657,694966,MISSISSIPPI,2017,April,Drought,"LEE",2017-04-01 00:00:00,CST-6,2017-04-04 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into early April for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the middle of the month.","Severe (D2) drought conditions improved by the middle of the month." +115657,694967,MISSISSIPPI,2017,April,Drought,"ITAWAMBA",2017-04-01 00:00:00,CST-6,2017-04-04 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into early April for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the middle of the month.","Severe (D2) drought conditions improved by the middle of the month." +115657,694968,MISSISSIPPI,2017,April,Drought,"CHICKASAW",2017-04-01 00:00:00,CST-6,2017-04-04 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into early April for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the middle of the month.","Severe (D2) drought conditions improved by the middle of the month." +115657,694969,MISSISSIPPI,2017,April,Drought,"MONROE",2017-04-01 00:00:00,CST-6,2017-04-04 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into early April for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the middle of the month.","Severe (D2) drought conditions improved by the middle of the month." +112357,673363,FLORIDA,2017,January,Thunderstorm Wind,"LEON",2017-01-22 15:36:00,EST-5,2017-01-22 15:36:00,0,0,0,0,0.00K,0,0.00K,0,30.5154,-84.2314,30.5154,-84.2314,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Trees were blown down at 2347 Braeburn Road." +119097,715246,IOWA,2017,July,Thunderstorm Wind,"JONES",2017-07-05 20:23:00,CST-6,2017-07-05 20:23:00,0,0,0,0,10.00K,10000,0.00K,0,42.11,-91.28,42.11,-91.28,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","The county emergency manager reported trees, limbs and power lines down in Anamosa. Three homes were damaged by trees falling on them." +119097,715245,IOWA,2017,July,Thunderstorm Wind,"JONES",2017-07-05 20:22:00,CST-6,2017-07-05 20:22:00,0,0,0,0,1.00K,1000,0.00K,0,42.11,-91.28,42.11,-91.28,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","A trained spotter reported multiple trees and limbs were down on the north side of Anamosa. Some of the trees came down on power lines. The spotter also reported pea to dime sized hail." +116892,702925,IOWA,2017,May,Thunderstorm Wind,"IOWA",2017-05-17 17:42:00,CST-6,2017-05-17 17:42:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-92.07,41.8,-92.07,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","A trained spotter reported a large tree was down. This report was relayed from Des Moines Weather Forecast Office." +117063,704254,VIRGINIA,2017,May,Thunderstorm Wind,"APPOMATTOX",2017-05-05 04:35:00,EST-5,2017-05-05 04:35:00,0,0,0,0,0.50K,500,0.00K,0,37.3,-78.73,37.3,-78.73,"A migrating low pressure center crossed the western portions of the Mid-Atlantic Region allowing early morning thunderstorms to move into portions of Southwest Virginia. Some of these storms became severe, producing wind damage and even a weak tornado near Smith Mountain Lake.","Thunderstorm winds downed a tree along Rock Church Road." +116318,699425,NORTH CAROLINA,2017,May,Thunderstorm Wind,"STOKES",2017-05-24 16:26:00,EST-5,2017-05-24 16:26:00,0,0,0,0,1.00K,1000,0.00K,0,36.49,-80.26,36.49,-80.26,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","Thunderstorm winds downed two trees on Hart Road." +119111,715364,IOWA,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-21 16:09:00,CST-6,2017-07-21 16:09:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-91.74,41.57,-91.74,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported tree branches were down in the area." +121015,724548,TENNESSEE,2017,November,Thunderstorm Wind,"DEKALB",2017-11-18 17:37:00,CST-6,2017-11-18 17:37:00,0,0,0,0,3.00K,3000,0.00K,0,36.1015,-85.9366,36.1015,-85.9366,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","De Kalb County Sheriff's Office reported trees were blown down on Hickman Road." +121015,724545,TENNESSEE,2017,November,Thunderstorm Wind,"CLAY",2017-11-18 17:45:00,CST-6,2017-11-18 17:45:00,0,0,0,0,3.00K,3000,0.00K,0,36.55,-85.5,36.55,-85.5,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Clay County Sheriff's Office reported several trees were blown down throughout Clay County." +121015,724549,TENNESSEE,2017,November,Thunderstorm Wind,"PUTNAM",2017-11-18 17:47:00,CST-6,2017-11-18 17:47:00,0,0,0,0,5.00K,5000,0.00K,0,36.13,-85.78,36.13,-85.78,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A few power poles and power lines were knocked down across Putnam County from Buffalo Valley to Monterey." +121015,724551,TENNESSEE,2017,November,Thunderstorm Wind,"CANNON",2017-11-18 17:39:00,CST-6,2017-11-18 17:39:00,0,0,0,0,3.00K,3000,0.00K,0,35.8808,-86.0284,35.8808,-86.0284,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Trees were blown down on Wilmouth Creek Road near Sugar Tree Knob Road." +121015,724485,TENNESSEE,2017,November,Thunderstorm Wind,"ROBERTSON",2017-11-18 16:15:00,CST-6,2017-11-18 16:15:00,0,0,0,0,3.00K,3000,0.00K,0,36.5407,-86.9585,36.5407,-86.9585,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Facebook photos showed a tree was blown down and a barn was damaged at 4475 Carter Road." +121015,724487,TENNESSEE,2017,November,Thunderstorm Wind,"ROBERTSON",2017-11-18 16:19:00,CST-6,2017-11-18 16:19:00,0,0,0,0,3.00K,3000,0.00K,0,36.58,-86.83,36.58,-86.83,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A Facebook report indicated a shed was flipped upside down in Youngville." +121015,724516,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 16:57:00,CST-6,2017-11-18 16:57:00,0,0,0,0,1.00K,1000,0.00K,0,36.3179,-86.4467,36.3179,-86.4467,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down into the road at 2024 Woods Ferry Road." +121015,724518,TENNESSEE,2017,November,Thunderstorm Wind,"RUTHERFORD",2017-11-18 16:57:00,CST-6,2017-11-18 16:57:00,0,0,0,0,5.00K,5000,0.00K,0,36.0059,-86.5595,36.0059,-86.5595,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","The front porch awning was blown off a home into the backyard and several trees were blown down at a neighboring home on Jefferson Pike at Alsup Lane. No other damage was found in the area." +120712,723084,SOUTH CAROLINA,2017,October,Tornado,"PICKENS",2017-10-08 15:36:00,EST-5,2017-10-08 15:48:00,0,0,0,0,250.00K,250000,0.00K,0,34.764,-82.76,34.883,-82.728,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted Upstate South Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms.","NWS storm survey found a non-continuous path of tornado damage that began at Maxey Dr near the center of Norris. Multiple trees were blown down, several outbuildings damaged or destroyed, and a home received moderate roof damage at this location. The first of several short breaks in the damage path occurred there, but the path was picked up again in an area along Robinson Bridge Rd, just north of Jule Merck Rd, where the most significant damage was observed. The roof of a brick home was completely removed and part of an exterior wall collapsed. Two mobile homes were also completely destroyed in this area. The path was lost again downstream of this location, in a mostly inaccessible area roughly paralleling Twelvemile Creek, but additional tree damage and minor damage to a mobile home was found along Liberty Highway between Nix Rd and Sweetbriar Rd. Yet another break in the path was observed to the north/northeast of this location, but additional damage to trees and outbuildings was observed along South Belle Shoals Rd and Allgood Bridge Rd. A final area of damage was found just west of downtown Pickens, with roofing material removed from a home on Bradley Dr and multiple trees down along Shady Grove Rd." +121138,725220,NORTH CAROLINA,2017,October,Winter Weather,"AVERY",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +116520,703346,ILLINOIS,2017,May,Tornado,"ROCK ISLAND",2017-05-17 16:04:00,CST-6,2017-05-17 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.3483,-91.0521,41.3571,-91.0452,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated EF-0 with peak winds of 70 mph. a path length of .71 miles and max width 25 yards. Observed by a storm chaser with video evidence of the circulation detailed a tornado that lasted about a minute, no damage was observed." +120737,723254,NORTH CAROLINA,2017,October,Tornado,"CALDWELL",2017-10-08 17:01:00,EST-5,2017-10-08 17:11:00,0,0,0,0,300.00K,300000,0.00K,0,35.858,-81.486,35.953,-81.461,"As the remnants of Tropical Cyclone Nate moved north across Alabama and into Middle Tennessee, outer rain bands associated with the cyclone and scattered thunderstorms developing ahead of the bands impacted western North Carolina during the afternoon and evening. Multiple tornadoes, with a couple of strong tornadoes developed in association with some of these storms, mainly across the foothills.","NWS storm survey found the path of a sixth tornado that affected the North Carolina foothills and far western Piedmont on 8 October 2017 in the Hudson area of Caldwell County. The tornado touched down near the intersection of Highway 321 and Mt Herman Rd, where a large truck was overturned. The tornado moved north/northeast, initially paralleling Mt Vernon Rd. Numerous trees were uprooted and snapped, with one large tree falling on and causing significant damage to a home. The tornado peaked in intensity near Fairwood Dr, where two small houses had much of their roofing material removed and a concrete block building had its roof blown off. Two churches also had their steeples blown off along with some additional roof damage. The tornado weakened, but continued to blow down trees and power lines as it crossed Alfred Hartley Rd. At that point, it entered a heavily wooded area on Hibriten Mountain. Based upon dual pol radar data and information from local officials, the tornado likely continued through there, with the path re-emerging and ending in the Cedar Rock community, where additional downed trees and minor structural damage were observed." +119099,715249,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-10 01:42:00,CST-6,2017-07-10 01:42:00,0,0,0,0,1.00K,1000,0.00K,0,42.56,-90.77,42.56,-90.77,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The county emergency manager reported several trees and branches down resulting in sporadic damage." +119099,715252,IOWA,2017,July,Thunderstorm Wind,"JONES",2017-07-10 01:54:00,CST-6,2017-07-10 01:54:00,0,0,0,0,2.00K,2000,0.00K,0,42.11,-91.09,42.11,-91.09,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The county emergency manager reported a large tree on a house, also a tree blocking a road with an area of corn snapped off." +119099,715253,IOWA,2017,July,Thunderstorm Wind,"MUSCATINE",2017-07-10 03:17:00,CST-6,2017-07-10 03:17:00,0,0,0,0,3.00K,3000,0.00K,0,41.38,-91.35,41.38,-91.35,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The local TV station KCRG in Cedar Rapids reported multiple roads blocked by fallen trees. Carports were blown over and power lines down." +119099,715254,IOWA,2017,July,Thunderstorm Wind,"LOUISA",2017-07-10 03:36:00,CST-6,2017-07-10 03:36:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-91.19,41.18,-91.19,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","The county emergency manager reported several large trees were split in half." +116892,703278,IOWA,2017,May,Tornado,"SCOTT",2017-05-17 18:44:00,CST-6,2017-05-17 18:46:00,0,0,0,0,2.00K,2000,0.00K,0,41.7003,-90.7228,41.7219,-90.6933,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated as EF-1 with peak winds of 100 mph, a path length of 2.14 miles, and a max width of 25 yards. This tornado was associated with a squall line. Numerous trees were damaged or uprooted with a few rotten trees snapped about 20 feet above the ground. Roofing damage was observed to a new home and garage at the beginning of its path." +119542,717351,IOWA,2017,August,Heavy Rain,"CRAWFORD",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-95.33,42.04,-95.33,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 6.47 inches over the last 24 hours." +119542,717352,IOWA,2017,August,Heavy Rain,"CRAWFORD",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-95.43,42.17,-95.43,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 4.64 inches over the last 24 hours." +120688,722886,LAKE ERIE,2017,September,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-09-04 18:40:00,EST-5,2017-09-04 18:40:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-83.26,41.7,-83.26,"A cold front moved across Lake Erie during the evening of September 4th. Showers and thunderstorms developed along the front and produced some strong winds.","A buoy measured a 39 knot thunderstorm wind gust." +113877,692912,TEXAS,2017,April,Hail,"COOKE",2017-04-21 18:18:00,CST-6,2017-04-21 18:18:00,0,0,0,0,0.00K,0,0.00K,0,33.6311,-97.1315,33.6311,-97.1315,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","" +114047,689445,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:30:00,CST-6,2017-03-06 21:30:00,0,0,0,0,,NaN,0.00K,0,41.55,-91.7,41.55,-91.7,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Some metal was blown off an outbuilding. Time was estimated by radar." +121015,724553,TENNESSEE,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 17:53:00,CST-6,2017-11-18 17:53:00,0,0,0,0,3.00K,3000,0.00K,0,36.38,-85.53,36.38,-85.53,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Jackson County Sheriff's Office reported trees blocking York Highway and Ridgetop Lane near Burristown." +121015,724556,TENNESSEE,2017,November,Thunderstorm Wind,"JACKSON",2017-11-18 17:57:00,CST-6,2017-11-18 17:57:00,0,0,0,0,2.00K,2000,0.00K,0,36.2617,-85.5234,36.2617,-85.5234,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Jackson County Sheriff's Office reported trees down on Dodson Branch Highway." +121015,724557,TENNESSEE,2017,November,Thunderstorm Wind,"OVERTON",2017-11-18 18:06:00,CST-6,2017-11-18 18:06:00,0,0,0,0,3.00K,3000,0.00K,0,36.38,-85.32,36.38,-85.32,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","Numerous reports of power lines down with power outages across Overton County." +121015,724521,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 16:58:00,CST-6,2017-11-18 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,36.2273,-86.5183,36.2273,-86.5183,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down across the road at 115 Sunset Drive in Mount Juliet." +121015,724522,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:00:00,CST-6,2017-11-18 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.2484,-86.475,36.2484,-86.475,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that blocked one lane at 1000 Mays Chapel Road in Mount Juliet." +121015,724528,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:08:00,CST-6,2017-11-18 17:08:00,0,0,0,0,1.00K,1000,0.00K,0,36.2259,-86.3839,36.2259,-86.3839,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that blocked the roadway at 560 Palmer Road." +121015,724530,TENNESSEE,2017,November,Thunderstorm Wind,"MACON",2017-11-18 17:12:00,CST-6,2017-11-18 17:12:00,0,0,0,0,5.00K,5000,0.00K,0,36.52,-86.03,36.52,-86.03,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A few trees and power lines were blown down across Macon County." +115606,694369,MISSOURI,2017,June,Thunderstorm Wind,"CLARK",2017-06-14 15:30:00,CST-6,2017-06-14 15:30:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-91.7,40.42,-91.7,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon as storms moved east across Bureau and Putnam counties into La Salle county.","Trees and power lines were reported down." +115613,694452,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 21:05:00,CST-6,2017-06-15 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-90.63,41.61,-90.63,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Numerous large tree branches were blown down with a few trees blown over." +115617,694464,ILLINOIS,2017,June,Thunderstorm Wind,"PUTNAM",2017-06-15 22:43:00,CST-6,2017-06-15 22:43:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-89.23,41.26,-89.23,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Two inch diameter tree branches were blown down, as well a many small branches. The time was estimated from radar data." +119542,717350,IOWA,2017,August,Heavy Rain,"CASS",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-95,41.42,-95,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 2.99 inches over the last 24h ours." +120816,723469,NORTH CAROLINA,2017,October,Tornado,"CATAWBA",2017-10-23 15:22:00,EST-5,2017-10-23 15:26:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-81.494,35.588,-81.48,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey found that a tornado that began near Lawndale in Cleveland County moved northeast, passing through extreme northwest Lincoln County, then into Catawba County in the vicinity of Willis Rd. The tornado blew down numerous trees as it moved northeast across southwest Catawba County before lifting in the vicinity of Mull Rd and Old Shelby Rd." +121138,725223,NORTH CAROLINA,2017,October,Winter Weather,"MADISON",2017-10-29 12:00:00,EST-5,2017-10-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong and moist northwest flow developing in the wake of a cold front resulted in development of snow showers across the high terrain of the far western mountains of North Carolina. The first accumulating snowfall of the season was observed across the high elevations along the Tennessee border, where 1 to 4 inches fell, mainly above 4000 feet. Additionally, very gusty winds of 40-50 mph (50-60 mph at the high elevations) developed across the mountains and foothills, with some damage due to a falling tree reported across the foothills.","" +116955,703396,ILLINOIS,2017,May,Tornado,"WHITESIDE",2017-05-23 13:52:00,CST-6,2017-05-23 13:53:00,0,0,0,0,0.00K,0,0.00K,0,41.6895,-90.01,41.6895,-90.005,"Afternoon heating with a passing large upper level disturbance produced a thunderstorm that spawned a brief, weak tornado with no damage.","A brief EF-0 tornado touched down in open farmland as observed by 2 eyewitnesses. They stated they slowed down as it crossed the road with no damage observed by survey team." +120756,723464,SOUTH CAROLINA,2017,October,Tornado,"CHEROKEE",2017-10-23 14:36:00,EST-5,2017-10-23 14:41:00,0,0,0,0,250.00K,250000,0.00K,0,35.114,-81.727,35.178,-81.706,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the Upstate in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. In fact, a Cherokee County tornado from the 23rd passed within several hundred feet of an event that occurred on the 8th.","NWS storm survey found the path of a strong tornado that touched down near the intersection of Farmington Rd and Meadowview Rd, with damage initially confined to downed trees. The tornado moved north/northeast to the|intersection of Fairview Rd and Highway 11, where two homes sustained EF2 damage, with much of the roofs of both homes removed. The tornado appeared to weaken northeast of this location, with damage confined mainly to minor structural damage and downed trees and power lines until it reached the area near the intersection of Furnace Mill Rd and Robb School Rd. A frame home slid off its foundation on W Diesel Dr, resulting in virtual destruction of the home. The path of the tornado through this area was less than 1000 ft west of a short track tornado that impacted the area around Robb School Rd and Twin Bridge Rd on October 8th 2017. The tornado weakened again from there, with damage confined to downed trees and tree limbs as it moved into Cleveland County between Twin Bridges Rd and McCraw Rd." +114047,689506,IOWA,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 20:30:00,CST-6,2017-03-06 20:30:00,0,0,0,0,0.00K,0,0.00K,0,42,-92.2,42,-92.2,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +120816,725180,NORTH CAROLINA,2017,October,Flash Flood,"MCDOWELL",2017-10-23 14:15:00,EST-5,2017-10-23 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.697,-81.868,35.72,-81.93,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","EM reported flash flooding developed across eastern McDowell County after 3 to 4 inches of rain fell across the area, mostly within a couple of hours. Several small streams overflowed their banks and flooded adjacent roads in the southern part of the county, including Katy Creek, Moores Branch, and Stanfords Creek. Closer to Nebo, the main problem stream was Mud Creek, which flooded portions of Dixie Dr, South Creek Rd, Harmony Grove Rd, and Gilbert Byrd Rd. Additionally, Shadrick Creek flooded part of Highway 126." +121015,724531,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:14:00,CST-6,2017-11-18 17:14:00,0,0,0,0,5.00K,5000,0.00K,0,36.1992,-86.2958,36.1992,-86.2958,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down onto a car at 413 South Maple Street in Lebanon." +121015,724532,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:15:00,CST-6,2017-11-18 17:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.143,-86.306,36.143,-86.306,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down that blocked the road in the 600 block of Rocky Valley Road." +121015,724534,TENNESSEE,2017,November,Thunderstorm Wind,"WILSON",2017-11-18 17:21:00,CST-6,2017-11-18 17:21:00,0,0,0,0,1.00K,1000,0.00K,0,36.128,-86.2153,36.128,-86.2153,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tree was blown down across Young Road at Walnut Hill Road." +115890,703987,PENNSYLVANIA,2017,May,Thunderstorm Wind,"CLARION",2017-05-01 14:23:00,EST-5,2017-05-01 14:23:00,0,0,0,0,1.00K,1000,0.00K,0,41.33,-79.34,41.33,-79.34,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","National Weather Service Storm Survey team reported limbs snapped along route 66." +115896,696443,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-18 15:32:00,EST-5,2017-05-18 15:32:00,0,0,0,0,1.00K,1000,0.00K,0,40.51,-80.21,40.51,-80.21,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","NWS Employee reported two trees down in Moon." +117398,717238,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 23:05:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-80.27,40.1658,-80.126,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported that there are several people stuck in homes due to high water in Washington. Several roads are closed throughout the city, including Weirich Avenue, West Wylie Avenue, Pleasant Valley Road, Armstrong Drive, and Chestnut Street. Also, social media reported that North Franklin Township Volunteer Fire Department has responded to 25 flooding calls." +116566,700966,VIRGINIA,2017,May,Flood,"CRAIG",2017-05-20 15:30:00,EST-5,2017-05-20 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.3827,-80.3535,37.3797,-80.3437,"Thunderstorms were scattered across the mountains of southwest Virginia from mid-afternoon into the evening. With a very moist air mass in place some of the storms produced pockets of heavy rainfall and some flash flooding. A slow-moving cell just south of Grayson Highlands State Park produced rainfall of 3 to 4 inches in about two-hours or close to the 100-year annual recurrence interval (0.01 annual exceedance probability). Rainfall was more in the 2 to 3 inch range in several hours over western Craig County.","A mudslide was reported along Route 58 in the Simmonsville area and Sinking Creek was out of its banks but not closing any roads in the county." +120816,723748,NORTH CAROLINA,2017,October,Thunderstorm Wind,"CLEVELAND",2017-10-23 14:48:00,EST-5,2017-10-23 15:07:00,0,0,0,0,50.00K,50000,0.00K,0,35.288,-81.699,35.414,-81.563,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey and other sources reported downburst damage to the east of a tornado path in Cleveland County, from Mooresboro to Lawndale. Numerous trees were blown down in this area, some of which fell on homes." +113684,698570,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-02 21:29:00,CST-6,2017-04-03 03:45:00,0,0,0,0,3.00M,3000000,0.00K,0,32.3727,-90.001,32.3735,-90.0385,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flooding occurred on several streets north of Brandon, including: Woodlands Drive, Avalon Way, Hugh Ward Boulevard, Pine Cone Cove, Glensview Drive, West Pinebrook Drive, Bradford Drive, Bellegrove Circle, and Castlewoods Boulevard near Lakeland Drive. Both Castlewoods and Mill Creek subdivisions evacuated people and roughly 30 homes had water in them." +113684,681757,MISSISSIPPI,2017,April,Flash Flood,"ADAMS",2017-04-02 23:05:00,CST-6,2017-04-03 02:30:00,0,0,0,0,120.00K,120000,0.00K,0,31.53,-91.4,31.5328,-91.3946,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A part of a road was flooded and water got close to a few homes." +113684,683084,MISSISSIPPI,2017,April,Flash Flood,"MADISON",2017-04-03 01:30:00,CST-6,2017-04-03 02:15:00,0,0,0,0,400.00K,400000,0.00K,0,32.61,-90.05,32.6099,-90.0271,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flood waters were in 20 homes on the south side of Canton." +115900,696449,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"NEWBERRY",2017-05-22 13:40:00,EST-5,2017-05-22 13:45:00,0,0,0,0,,NaN,,NaN,34.31,-81.47,34.31,-81.47,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Several trees were downed, and a tin roof was blown off, on US Hwy 176 between Mud Creek Rd and Hwy 219." +115907,696480,PENNSYLVANIA,2017,May,Thunderstorm Wind,"ALLEGHENY",2017-05-31 15:09:00,EST-5,2017-05-31 15:09:00,0,0,0,0,0.50K,500,0.00K,0,40.51,-79.94,40.51,-79.94,"A passing shortwave and modest instability, moisture, and steep lapse rates supported scattered strong to severe storms in the afternoon of the 31st. There were several reports of wind damage , mainly to trees, across the northern West Virginia pan-handle, southwestern Pennsylvania, and an isolated reported in Ohio.","Local 911 reported a tree down on Kittanning Street." +115946,696746,SOUTH CAROLINA,2017,May,Hail,"AIKEN",2017-05-24 22:05:00,EST-5,2017-05-24 22:06:00,0,0,0,0,0.10K,100,0.10K,100,33.4939,-81.963,33.4939,-81.963,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","Public report of half inch hail on Spring Oak Lane." +112258,673720,GEORGIA,2017,January,Tornado,"LAURENS",2017-01-21 13:20:00,EST-5,2017-01-21 13:26:00,0,0,0,0,12.00K,12000,,NaN,32.671,-82.915,32.686,-82.882,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a brief EF0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 100 yards began west of Buckeye Road in northern Laurens County. The tornado travelled just over 2 miles crossing Buckeye Road before ending. Several trees were blown down along the path of the tornado. [01/21/17: Tornado #17, County #1/1, EF0, Laurens, 2017:018]." +112358,673448,GEORGIA,2017,January,Thunderstorm Wind,"WORTH",2017-01-22 16:00:00,EST-5,2017-01-22 16:00:00,0,0,0,0,100.00K,100000,0.00K,0,31.56,-83.89,31.56,-83.89,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","There was widespread damage between Highway 82 and Highway 32. Trees were down on houses and over road with power outages." +113397,679193,ALABAMA,2017,April,Hail,"DEKALB",2017-04-05 17:10:00,CST-6,2017-04-05 17:10:00,0,0,0,0,,NaN,,NaN,34.44,-86.05,34.44,-86.05,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Nickel sized hail was reported in Grove Oak." +113397,679195,ALABAMA,2017,April,Hail,"DEKALB",2017-04-05 18:15:00,CST-6,2017-04-05 18:15:00,0,0,0,0,,NaN,,NaN,34.44,-85.72,34.44,-85.72,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported in downtown Fort Payne." +116573,701524,VIRGINIA,2017,May,Flash Flood,"PATRICK",2017-05-24 18:30:00,EST-5,2017-05-24 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7067,-80.1079,36.7076,-80.1066,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","Water was observed flowing over Anthony Drive (Route 692) from flooded Spencer Creek. Photos appeared to show water well over six inches deep. A nearby rain gauge, Sanville IFLOWS (SAVV2), showed that rainfall rates increased sharply around 18:00 EST with 0.63 inches falling in 15 minutes. This followed an abrupt one inch of rain in the previous 24-hours which left soils wet." +117457,708740,NEBRASKA,2017,June,Tornado,"SARPY",2017-06-16 19:08:00,CST-6,2017-06-16 19:11:00,0,0,0,0,,NaN,,NaN,41.1277,-95.9374,41.0854,-95.8628,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","An EF1 tornado embedded within damaging thunderstorm winds started near the northeast corner of Willow Lakes Golf Course in Bellevue, then crossed US 75 into Offutt Air Force Base. Numerous Trees were uprooted or snapped, the roof of the Offutt Field House was damaged as well as some other buildings on the base. Some aircraft were moved because of the wind in the tornado and thunderstorm winds. This tornado then continued into Mills County, IA." +118380,711380,NEBRASKA,2017,June,Hail,"LANCASTER",2017-06-12 05:43:00,CST-6,2017-06-12 05:43:00,0,0,0,0,,NaN,,NaN,40.81,-96.73,40.81,-96.73,"Thunderstorms developed in the early morning along a front that extended from southwest Nebraska to northwest Iowa. Some of these thunderstorms produced large hail and also created heavy rain and flooding in the Lincoln area.","Hail was reported to last consistently for about an hour and increased in size." +120816,723749,NORTH CAROLINA,2017,October,Thunderstorm Wind,"GASTON",2017-10-23 15:30:00,EST-5,2017-10-23 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,35.356,-81.113,35.356,-81.113,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Law enforcement reported a tree was blown down on a home at Summerow Rd and Mauney Rd." +120816,723750,NORTH CAROLINA,2017,October,Thunderstorm Wind,"ROWAN",2017-10-23 16:55:00,EST-5,2017-10-23 16:55:00,0,0,0,0,0.00K,0,0.00K,0,35.54,-80.55,35.54,-80.55,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported multiple trees blown down east of China Grove, including on Backwoods Ln." +119542,717353,IOWA,2017,August,Heavy Rain,"DALLAS",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-93.87,41.61,-93.87,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 2.06 inches over the last 24 hours." +121013,727789,TENNESSEE,2017,November,Flood,"DICKSON",2017-11-07 07:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2245,-87.5521,36.2011,-87.5384,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Heavy rain overnight led to river flooding on Yellow Creek, with water up to houses along Yellow Creek Road." +114222,686606,MISSOURI,2017,March,Tornado,"LAFAYETTE",2017-03-06 20:21:00,CST-6,2017-03-06 20:30:00,0,0,0,0,,NaN,,NaN,38.9913,-94.1112,38.9995,-93.916,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","This is a continuation of the EF-3 tornado that moved out of Jackson County and into Lafayette County. After the tornado devastated portions of Oak Grove, Missouri it traveled south of Bates City, doing mainly tree damage in rural Lafayette County. it then moved into Odessa, where it produced more EF-1 damage in the west part of Odessa. The bulk of the damage was to permanent residential structures across Odessa. The tornado weakened as it went east of Odessa, and finally dissipated just south of Interstate 70 east of Odessa." +115200,702473,OKLAHOMA,2017,May,Tornado,"BLAINE",2017-05-18 15:33:00,CST-6,2017-05-18 15:33:00,0,0,0,0,5.00K,5000,0.00K,0,35.58,-98.626,35.58,-98.626,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A tornado damaged an outbuilding and the roof of a house just east of the Blaine-Custer County line." +115200,702799,OKLAHOMA,2017,May,Tornado,"MAJOR",2017-05-18 15:49:00,CST-6,2017-05-18 16:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.435,-98.928,36.507,-98.926,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A highly visible tornado touched down to the west-northwest of Bouse Junction and moved north-northeast, then north-northwest across northwestern Major County. The tornado damaged the roof of a barn, but otherwise moved through rural areas. The tornado moved into Woods County to the southwest of Waynoka. ||Bouse Junction is the intersection of U.S. Highway 412 and U.S. Highway 281." +115200,702810,OKLAHOMA,2017,May,Tornado,"CANADIAN",2017-05-18 16:05:00,CST-6,2017-05-18 16:08:00,0,0,0,0,10.00K,10000,0.00K,0,35.6965,-98.3128,35.725,-98.292,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A tornado touched down in the northwest corner of Canadian County, about 4.2 miles southeast of Greenfield. There was shingle and siding damage to a house, tin was blown off a barn and a power pole was broken near the beginning of the path just east of the Blaine-Canadian County line. Farther northeast, the damage path could be observed in a wheat field, a barn was damaged and an adjacent house had some roof damage. A center pivot irrigation system was overturned just before the tornado moved into Blaine County." +117280,705434,IOWA,2017,June,Hail,"POLK",2017-06-15 22:07:00,CST-6,2017-06-15 22:07:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-93.61,41.65,-93.61,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Amateur radio operator reported nickel to quarter sized hail and heavy rainfall." +117280,705436,IOWA,2017,June,Hail,"POLK",2017-06-15 22:17:00,CST-6,2017-06-15 22:17:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-93.46,41.7,-93.46,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported half dollar sized hail." +114222,685699,MISSOURI,2017,March,Thunderstorm Wind,"RAY",2017-03-06 20:12:00,CST-6,2017-03-06 20:20:00,0,0,0,0,,NaN,,NaN,39.274,-94.009,39.285,-93.969,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A swath of wind around 80 to 90 mph affected areas in and around Richmond. A center point irrigation system was toppled over southwest of the city. Inside Richmond several trees were snapped as well as power poles. Several outbuildings were destroyed and several residences in the city sustained slightly more than cosmetic damage. The narrow and localized swath was consistent with a possible mesovortex, but the debris strewn generally unidirectional down stream from the source of the damage indicated straight line winds." +114222,686045,MISSOURI,2017,March,Thunderstorm Wind,"ADAIR",2017-03-06 21:25:00,CST-6,2017-03-06 21:28:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-92.58,40.19,-92.58,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The ASOS at KIRK in Kirksville recorded a 60 mph wind gust." +118387,711433,NEW YORK,2017,July,Flash Flood,"ST. LAWRENCE",2017-07-24 09:31:00,EST-5,2017-07-24 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,44.593,-75.648,44.642,-75.47,"An upper level trough widespread showers over northern New York county as an stationary band developed across west-central Saint Lawrence that produced flash flooding. A narrow band of 4-7 inches of rain fell with the individual max being 6.9 inches at the NYS Mesonet gauge in Hammond, NY.","Widespread flooding with culverts damaged, basements flooded, and roads closed across Saint Lawrence County." +118542,712169,PENNSYLVANIA,2017,September,Thunderstorm Wind,"LEHIGH",2017-09-05 16:38:00,EST-5,2017-09-05 16:38:00,0,0,0,0,,NaN,,NaN,40.59,-75.73,40.59,-75.73,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Wires were reported down in Weisenberg, Lehigh County. Time estimated from radar." +118542,712170,PENNSYLVANIA,2017,September,Thunderstorm Wind,"BERKS",2017-09-05 16:50:00,EST-5,2017-09-05 16:50:00,0,0,0,0,,NaN,,NaN,40.3,-75.74,40.3,-75.74,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Downed trees and power lines closed a stretch of Route 662 in Amity Township in Berks County. Time estimated from radar." +118542,712173,PENNSYLVANIA,2017,September,Hail,"BERKS",2017-09-05 16:50:00,EST-5,2017-09-05 16:50:00,0,0,0,0,,NaN,,NaN,40.32,-75.99,40.32,-75.99,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Penny sized hail along with heavy rain and gusty winds were reported in West Wyomissing." +114222,686044,MISSOURI,2017,March,Thunderstorm Wind,"HENRY",2017-03-06 20:55:00,CST-6,2017-03-06 20:58:00,0,0,0,0,,NaN,,NaN,40.26,-92.88,40.26,-92.88,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A power outage was reported in Green Castle, Missouri as strong winds went through the area." +115206,695974,OKLAHOMA,2017,May,Flash Flood,"LINCOLN",2017-05-27 22:25:00,CST-6,2017-05-28 01:25:00,0,0,0,0,0.00K,0,0.00K,0,35.4948,-96.7032,35.4759,-96.7053,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Water was over roads in town." +121208,725604,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 15:12:00,EST-5,2017-10-15 15:12:00,0,0,0,0,8.00K,8000,0.00K,0,42.36,-79.05,42.36,-79.05,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +121208,725608,NEW YORK,2017,October,Thunderstorm Wind,"CHAUTAUQUA",2017-10-15 15:20:00,EST-5,2017-10-15 15:20:00,0,0,0,0,8.00K,8000,0.00K,0,42.22,-79.1,42.22,-79.1,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +119542,717357,IOWA,2017,August,Heavy Rain,"DALLAS",2017-08-20 06:15:00,CST-6,2017-08-21 06:15:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-93.89,41.65,-93.89,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 2.28 inches over the last 24 hours." +117314,705570,IOWA,2017,June,Hail,"CALHOUN",2017-06-16 18:22:00,CST-6,2017-06-16 18:22:00,0,0,0,0,0.00K,0,0.00K,0,42.55,-94.68,42.55,-94.68,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Trained spotter reported hail increasing in size to quarters." +116395,699947,NEW YORK,2017,May,Thunderstorm Wind,"HERKIMER",2017-05-18 17:23:00,EST-5,2017-05-18 17:23:00,0,0,0,0,,NaN,,NaN,42.88,-75.19,42.88,-75.19,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees and wires reported down." +116565,702152,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-12 17:43:00,CST-6,2017-06-12 17:43:00,0,0,0,0,,NaN,,NaN,32.0512,-102.1404,32.0512,-102.1404,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Midland County and produced a 65 mph wind gust five miles northwest of the City of Midland." +119307,716410,PENNSYLVANIA,2017,July,Tornado,"BEAVER",2017-07-10 14:57:00,EST-5,2017-07-10 14:59:00,0,0,0,0,15.00K,15000,0.00K,0,40.828,-80.189,40.8347,-80.1575,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","National Weather Service survey team confirmed a tornado near Fombell in Beaver County that continued into Lancaster Township in Butler County in Western Pennsylvania on Jul 10, 2017. A coherent, continuous swath of damage was discovered from near Bowers Lane/North Camp Run Road in Fombell east-northeastward to near the Strawberry Ridge Golf Course in Lancaster Township. Damage was universally to trees, consisting of snapped large limbs and trunk snappage or uproots of both healthy and unhealthy trees. At its most significant, the damage exhibited a rotationally-convergent debris pattern consistent with a weak tornado as it traversed a hillside through the golf course. Observers on the golf course at the time of this storm event reported tree debris being lofted and swirled cyclonically, which was consistent with the debris pattern noted by the survey team. Although not an accepted damage indicator, corn stalks just upstream from this location also were laid over and exhibited a swirl pattern. It should be noted that no structural damage was discovered at any point through the survey path. This lack of damage to structures enables the team to cap the storm's estimated wind speed. Farther to the northeast (at least as far as Eagle Mill Road and Whitestown Road), a coherent, discontinuous damage swath was noted, but lacked sufficient conclusive evidence to identify its origin. It is entirely possible that this damage was an extension of the tornado, but the debris was too sparse for any conclusions. The survey team has concluded that a brief, weak tornado occurred from near Bowers Lane through at least the Scott Ridge Road/McNulty Lane area. The damage was consistent with a tornado of peak wind speed of 60-70 mph, which yields a rating of EF0 on the Enhanced Fujita Scale." +115890,702465,PENNSYLVANIA,2017,May,Tornado,"CLARION",2017-05-01 14:27:00,EST-5,2017-05-01 14:30:00,0,0,0,0,25.00K,25000,0.00K,0,41.408,-79.355,41.4325,-79.3416,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service in Pittsburgh has confirmed a |tornado near Newmansville in Clarion and Forest Counties in Pennsylvania.||Two distinct, tornadic damage swaths seemingly associated with |one parent mesocyclone were discovered beginning along Pine Hollow|Road in northern Clarion County.||A survey team examined damage along Red Pine Circle and Pine |Hollow Road in northern Clarion County. The team discovered a |coherent, convergent track of tree damage that began in a field to|the west of Red Pine Circle and carved a focused swath through |trees at the northwestern corner of the Red Pine Circle loop. |Hardwood and softwood trees were snapped and uprooted in this |area, with damage sustained to several cabins from falling trees. |Nearly every tree within the 100 yd-wide swath sustained some |degree of damage.||To the south of the tornado track, additional tree damage was |discovered that is consistent with a broader swath of non-tornadic|wind. Sporadic, snapped large limbs and a few uproots were found |along the southern stretch of Red Pine Circle and the southern |portion of Pine Hollow Road.||A distinct track within the same parent mesocyclone crossed Pine |Hollow Road near Kerr Drive and continued to show sporadic damage |to trees into southern Forest County before weakening along |Guitonville Road in Green Township. Direct damage along the |entirety of the track appears to be predominantly to trees, with |extensive tree devastation encountered along Pine Hollow Road. In |this area, a section of forest was leveled/snapped, representing |the most-intense wind damage encountered in all surveys conducted |for this storm system. Clarion County officials informed the team |that the road had been closed for a prolonged period following the|storm.||Tree damage along this track's extension on Kerr Drive and across|Carll Drive continued into the wooded area to the north. Damage |with some degree of concentration also was encountered along |Guitonville Road at the geographical northward extension of this |track. While the survey team was unable to traverse the wooded |area between these two damage points to confirm their continuity, |it appears most probable that an at-least discontinuous track of |tree damage connects the two points." +122051,731835,ILLINOIS,2017,December,Winter Weather,"MCDONOUGH",2017-12-24 02:00:00,CST-6,2017-12-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A storm system moved from Kansas eastward into Missouri and Illinois the evening of December 24th. This spread snow northward into eastern Iowa. The heaviest snow fell south of a line from Gladstone to Galesburg where 2 to 4 inches of snow was reported. North of that line to the U.S. Highway 30 corridor 1 to 2 inches of snow was reported.","A trained spotter reported 4.0 inches in Industry." +112258,671714,GEORGIA,2017,January,Thunderstorm Wind,"EMANUEL",2017-01-21 14:01:00,EST-5,2017-01-21 14:05:00,0,0,0,0,15.00K,15000,,NaN,32.6,-82.33,32.5938,-82.3205,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Emanuel County Emergency Manager reported numerous trees and power lines blown down between downtown Swainsboro and Industrial Way. A large tree fell on power lines near a substation knocking out power to a large portion of Swainsboro." +112398,670131,GEORGIA,2017,January,Tornado,"BURKE",2017-01-21 14:40:00,EST-5,2017-01-21 14:45:00,0,0,0,0,,NaN,,NaN,33.0648,-81.9642,33.0794,-81.9616,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","An EF-1 tornado snapped numerous trees, shredded a wall of a metal building, and destroyed two sheds on Scrub Oak Rd." +113162,676918,GEORGIA,2017,January,Flash Flood,"WHEELER",2017-01-22 17:15:00,EST-5,2017-01-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9486,-82.5915,31.9426,-82.5818,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Manager reported one dirt road washed out in the southern portion of the county." +113162,676920,GEORGIA,2017,January,Flash Flood,"TELFAIR",2017-01-22 17:05:00,EST-5,2017-01-22 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.8407,-82.822,31.8567,-82.7591,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Manager reported one dirt road washed out in the southern portion of the county." +113553,680205,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"EDGEFIELD",2017-04-05 12:13:00,EST-5,2017-04-05 12:18:00,0,0,0,0,,NaN,,NaN,33.83,-81.8,33.83,-81.8,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Roof was blown off a furniture store. Widespread straight line wind damage in Johnston with dozens of large hardwood trees uprooted." +116500,700613,IOWA,2017,June,Tornado,"JONES",2017-06-28 17:58:00,CST-6,2017-06-28 18:01:00,0,0,0,0,0.00K,0,0.00K,0,42.2735,-91.3635,42.2873,-91.3407,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","The tornado touched down south of Central City in the county fairgrounds outfield area, and tracked about 12 miles northeast through Prairieburg before lifting in rural Jones County. The most intense damage occurred near and in Prairieburg. At a farmstead just southwest of town, a woman was injured when her garage collapsed on her. In Prairieburg, the grain elevator sustained severe damage, one mobile home was lofted and destroyed, and another mobile home severely damaged. On the east edge of town, a horse barn was destroyed. One horse was killed and two others sustained injuries. Northeast of town, a hog building was destroyed, killing several young hogs. This EF2 tornado moved in from Linn County." +121013,727792,TENNESSEE,2017,November,Flood,"SMITH",2017-11-07 06:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1778,-86.0924,36.1764,-86.0906,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Photos showed flooding surrounded homes along Winding Hills Lane." +121013,727793,TENNESSEE,2017,November,Heavy Rain,"WILSON",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-86.13,36.03,-86.13,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A river gauge in Statesville measured a storm total rainfall of 6.05 inches." +114222,686607,MISSOURI,2017,March,Tornado,"JACKSON",2017-03-06 20:03:00,CST-6,2017-03-06 20:06:00,0,0,0,0,,NaN,,NaN,38.9236,-94.4079,38.9285,-94.3657,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The same supercell that produced a weak and brief tornado near Leawood, Kansas and ultimately went on to produce the strong Oak Grove, Missouri tornado produced a weak and brief tornado in Lee's Summit. The damage was fairly isolated, and included a facade failure to a local business. Otherwise the damage was relegated to tree damage in Lee's Summit." +115200,697872,OKLAHOMA,2017,May,Thunderstorm Wind,"CARTER",2017-05-18 20:00:00,CST-6,2017-05-18 20:00:00,0,0,0,0,10.00K,10000,0.00K,0,34.2164,-97.4924,34.2164,-97.4924,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Numerous trees uprooted and large branches broken. Significant damage to football stadium. Time estimate by radar." +115344,695701,ARKANSAS,2017,April,Tornado,"YELL",2017-04-26 09:04:00,CST-6,2017-04-26 09:05:00,0,0,0,0,200.00K,200000,0.00K,0,35.1855,-93.2909,35.1903,-93.2841,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","A supercell produced an EF0 tornado, which was on the ground for approximately 0.5 miles. Most resultant damage occurred in the form of downed trees. There were also 2 high voltage electric transmission towers that were heavily damaged by the tornado." +115202,695010,OKLAHOMA,2017,May,Flash Flood,"MURRAY",2017-05-19 21:17:00,CST-6,2017-05-20 00:17:00,0,0,0,0,2.00K,2000,0.00K,0,34.5,-97.12,34.5069,-97.1248,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Roadways were flooded. Water made it into the basement of an elementary school." +117280,705437,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:28:00,CST-6,2017-06-15 22:28:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-93.23,41.68,-93.23,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +117280,705440,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:36:00,CST-6,2017-06-15 22:36:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-93.09,41.7,-93.09,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Law enforcement reported golf ball sized hail from Colfax to west side of Newton." +117280,705441,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:43:00,CST-6,2017-06-15 22:43:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-93.05,41.71,-93.05,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported half dollar sized hail." +117280,705442,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:45:00,CST-6,2017-06-15 22:45:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-93.02,41.7,-93.02,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported lots of quarter sized hail and at times ping pong ball sized hail mixed in." +117450,706344,IOWA,2017,June,Hail,"BUTLER",2017-06-22 20:10:00,CST-6,2017-06-22 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-92.9,42.78,-92.9,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Trained spotter reported quarter sized hail." +117450,706342,IOWA,2017,June,Hail,"BUTLER",2017-06-22 20:03:00,CST-6,2017-06-22 20:03:00,0,0,0,0,0.00K,0,0.00K,0,42.77,-92.97,42.77,-92.97,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Law enforcement reported dime to nickel sized hail just north of Dumont. This is a delayed report and time estimated from radar." +117450,706345,IOWA,2017,June,Hail,"BUTLER",2017-06-22 20:15:00,CST-6,2017-06-22 20:15:00,0,0,0,0,0.00K,0,0.00K,0,42.76,-92.79,42.76,-92.79,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Trained spotter reported quarter sized hail." +114222,686047,MISSOURI,2017,March,Hail,"LINN",2017-03-06 21:12:00,CST-6,2017-03-06 21:15:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-92.95,39.72,-92.95,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +121208,725644,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:20:00,EST-5,2017-10-15 16:20:00,0,0,0,0,,NaN,0.00K,0,43.01,-77.19,43.01,-77.19,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","" +116395,699932,NEW YORK,2017,May,Hail,"HERKIMER",2017-05-18 17:33:00,EST-5,2017-05-18 17:33:00,0,0,0,0,,NaN,,NaN,43.76,-74.84,43.76,-74.84,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +116395,699967,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-18 18:56:00,EST-5,2017-05-18 18:56:00,0,0,0,0,,NaN,,NaN,42.75,-73.75,42.75,-73.75,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Numerous trees and wires were downed with power outages reported." +116395,699970,NEW YORK,2017,May,Thunderstorm Wind,"COLUMBIA",2017-05-18 20:10:00,EST-5,2017-05-18 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-73.75,42.31,-73.75,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees were blown onto wires." +115983,697093,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-29 16:50:00,CST-6,2017-04-29 16:50:00,0,0,0,0,8.00K,8000,0.00K,0,33.0163,-91.9393,33.0163,-91.9393,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Trees were blown down along Ashley Road 2 near the Arkansas/Louisiana state line and Highway 133." +116938,703291,TEXAS,2017,June,Thunderstorm Wind,"REEVES",2017-06-15 15:55:00,CST-6,2017-06-15 15:55:00,0,0,0,0,0.00K,0,0.00K,0,31.3933,-103.493,31.3933,-103.493,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","A thunderstorm moved through Pecos and produced a 64 mph wind gust at the Pecos Airport AWOS." +120445,721604,MISSOURI,2017,July,Hail,"WARREN",2017-07-23 00:57:00,CST-6,2017-07-23 00:57:00,0,0,0,0,0.00K,0,0.00K,0,38.6,-91,38.6,-91,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","" +120787,723387,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-07-13 16:20:00,EST-5,2017-07-13 16:20:00,0,0,0,0,,NaN,,NaN,40.95,-73.4,40.95,-73.4,"A cold front pushing south through the Tri-State area triggered isolated strong thunderstorms over Long Island Sound.","A gust of 35 knots was measured at the Eatons Neck mesonet location." +119943,718887,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-01 14:00:00,PST-8,2017-08-01 14:30:00,0,0,0,0,50.00K,50000,,NaN,33.471,-117.1369,33.577,-117.1335,"The month began with a ridge of high pressure over the Great Basin and moderate easterly flow in the mid and upper levels. This allowed monsoon moisture to surge into the southern half of California August 1st-3rd. Severe storms occurred in the Inland Empire and San Diego County Valleys on the 1st. Storms focused more on the mountains and deserts on the 2nd and 3rd, with reduced intensity overall.","A severe downburst struck Temecula and Murrieta, winds overturned a big rig, downed trees, and damaged traffic signals." +119960,719001,PUERTO RICO,2017,August,Flash Flood,"PATILLAS",2017-08-17 09:30:00,AST-4,2017-08-17 11:15:00,0,0,0,0,0.00K,0,0.00K,0,17.9968,-65.9891,17.9989,-65.996,"A strong tropical wave affected the region producing heavy rainfall and thunderstorms, mainly over the eastern half of PR.","PR Road 7757, entrance to Barrio Los Pollos was reported impassable." +112932,674741,TENNESSEE,2017,March,Thunderstorm Wind,"ANDERSON",2017-03-01 10:40:00,EST-5,2017-03-01 10:40:00,0,0,0,0,,NaN,,NaN,35.99,-84.3,35.99,-84.3,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down on Key Springs Road." +112258,673740,GEORGIA,2017,January,Tornado,"CRISP",2017-01-22 15:52:00,EST-5,2017-01-22 16:02:00,0,0,0,0,20.00K,20000,,NaN,31.916,-83.808,31.998,-83.74,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 87 MPH and a maximum path width of 300 yards began along Pateville Road and moved north-northeast crossing Georgia-Florida Parkway and then the eastern side of the city of Cordele before crossing I-75 and lifting around Highway 257 and Midway Church Road. Roof damage occurred to several homes along this path as well as numerous downed trees. [01/21/17: Tornado #1, County #1/1, EF1, Crisp, 2017:025]." +112258,671715,GEORGIA,2017,January,Thunderstorm Wind,"WHEELER",2017-01-21 14:10:00,EST-5,2017-01-21 14:14:00,0,0,0,0,2.00K,2000,,NaN,32,-82.62,32,-82.62,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Wheeler County Emergency Manager reported trees blown down on St. Paul Church Road." +112253,669399,GEORGIA,2017,January,Thunderstorm Wind,"WILCOX",2017-01-02 23:15:00,EST-5,2017-01-02 23:30:00,0,0,0,0,12.00K,12000,,NaN,31.8622,-83.4261,31.9701,-83.2935,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Wilcox County Emergency Manager reported numerous trees and power lines blown down from south of Rochelle along Highway 233 to south of Abbeville along Highway 129." +115202,694981,OKLAHOMA,2017,May,Flash Flood,"SEMINOLE",2017-05-19 19:03:00,CST-6,2017-05-19 22:03:00,0,0,0,0,0.00K,0,0.00K,0,35.2176,-96.6474,35.2687,-96.6371,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Street flooding was in the city of Seminole and there were reports of roads flooded in north end of Seminole county. US 377 was closed highway 9 to Strother street." +115202,695005,OKLAHOMA,2017,May,Flash Flood,"SEMINOLE",2017-05-19 20:42:00,CST-6,2017-05-19 23:42:00,0,0,0,0,0.00K,0,0.00K,0,35.3026,-96.6182,35.3031,-96.6067,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","County road EW 1180 washed out at 1/4 mile east of NS 3590." +115206,695967,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-27 21:55:00,CST-6,2017-05-27 21:55:00,0,0,0,0,20.00K,20000,0.00K,0,36.42,-99.42,36.42,-99.42,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Also EM reported numerous power lines, utility poles, and trees down as well as awnings and outbuildings damaged." +115206,695966,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-27 21:55:00,CST-6,2017-05-27 21:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.27,-99.33,36.27,-99.33,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Reports of windows broken." +115344,692581,ARKANSAS,2017,April,Thunderstorm Wind,"MONROE",2017-04-26 15:43:00,CST-6,2017-04-26 15:43:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-91.19,34.88,-91.19,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","There was extensive damage to trees and power lines at Brinkley." +117280,705408,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:39:00,CST-6,2017-06-15 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-92.32,42.49,-92.32,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported nickel to quarter sized hail." +117280,705409,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:40:00,CST-6,2017-06-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-92.32,42.49,-92.32,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported ping pong ball sized hail." +113684,692048,MISSISSIPPI,2017,April,Tornado,"LINCOLN",2017-04-03 00:01:00,CST-6,2017-04-03 00:22:00,0,0,0,0,100.00K,100000,0.00K,0,31.577,-90.6331,31.6398,-90.3673,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","As the squall line moved east, a tornado touched down near Lela Smith Road and Calcote Road in eastern Franklin County. The tornado continued east-northeast and was uprooting trees along the path. It then crossed into Lincoln County, where it crossed Zetus Road and Toy Drive. Some minor roof damage occurred to a mobile home in this area where a metal roof covering was blown off. The tornado then crossed Arthur Drive, Jackson Liberty Drive, California Road and Oakwood Lane. Numerous trees were uprooted along the path, with minor roof damage occurring to a barn and multiple homes with roof and siding damage. The tornado was at its strongest with 110 mph winds as it crossed Oakwood Lane, where multiple trees were snapped and uprooted, a tree fell on a home and at least 6 utility poles were snapped. It continued northeast, crossing Oil Field Lane, Sams Road, Lyndie Road and MS Highway 550. Numerous large trees were snapped and uprooted and minor damage to skirting and roofs occurred to buildings and homes along the path. It then crossed near Weeks Lane, Dunn-Ratcliff Lane, Old Red Star Drive and Cade Lane where the tornado widened. More trees were snapped and uprooted and minor shingle and roof damage occurred all in this area before crossing Interstate 55. The tornado then crossed New Sight Drive, US Highway 51, Old US Highway 51 and Tarver Trail. The tornado was near its widest at this or just before this point as many numerous trees were snapped and uprooted, a mobile home had skirting damage and numerous homes sustained minor-moderate roof damage due to loss of roofing material. The tornado turned slightly east near this point and continued east-northeast before crossing Lake Lincoln Drive and Furrs Mill Drive, snapping and uprooting trees along the path before lifting shortly after crossing Furrs Mill Drive. Maximum winds were 110 mph, and the total path length was 17.48 miles." +113684,698577,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-03 00:10:00,CST-6,2017-04-03 03:10:00,0,0,0,0,30.00K,30000,0.00K,0,32.47,-89.87,32.4765,-89.8476,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","A creek overflowed its banks and flooded a car." +117450,706348,IOWA,2017,June,Heavy Rain,"POLK",2017-06-22 21:30:00,CST-6,2017-06-22 23:30:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-93.63,41.56,-93.63,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Trained spotter reported heavy rainfall of 2.10 inches." +117280,705423,IOWA,2017,June,Hail,"MARION",2017-06-15 20:20:00,CST-6,2017-06-15 20:50:00,0,0,0,0,75.00K,75000,0.00K,0,41.23,-93.12,41.2288,-93.0254,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Multiple patrol cars and EMA vehicles were damaged by large hail up to baseball size. Some reports coming in of damages to homes, buildings, etc from hail. Most reports of hail from southern 1/3 of Marion County from Melcher-Dallas to west of Attica." +117280,707238,IOWA,2017,June,Hail,"MARION",2017-06-15 20:35:00,CST-6,2017-06-15 20:50:00,0,0,0,0,10.00K,10000,0.00K,0,41.2255,-93.0406,41.2288,-93.0254,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","" +117279,706784,IOWA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-13 23:29:00,CST-6,2017-06-13 23:29:00,0,0,0,0,10.00K,10000,0.00K,0,43.2273,-93.6443,43.2273,-93.6443,"A slow moving cold front in central Nebraska initiated storms during the evening of the 13th which became linear and progressed into Iowa during the overnight hours. Within an MLCAPE environment of 1000-2000 J/kg and lackluster effective shear, the only severe reports were a trio of damaging winds. In addition to the damaging winds, periods of brief heavy rainfall occurred in a number of locations.","Two 1 to 2 foot diameter trees were snapped near the base at a farm south of Forest City. Additional trees fell in the pasture to the north of their house." +114222,686565,MISSOURI,2017,March,Tornado,"CLINTON",2017-03-06 19:28:00,CST-6,2017-03-06 19:46:00,0,0,0,0,,NaN,,NaN,39.4556,-94.5485,39.558,-94.2734,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","This tornado is a continuation of the tornado that moved out of Clay County after impacting Smithville and Smithville Lake on the night of March 6. The tornado reached its strongest rating and its widest size as it crossed out of Clay County into Clinton County while it crossed Smithville Lake. Like in Clay County several residences were impacted in Clinton County by this large tornado that reached 1000 yards wide at its largest point. The worst of the damage occurred just east of Smithville lake where numerous structures were completely destroyed, but like on the west side of the lake the worst of the damage seemed to occur where garage doors became a point of entry for 100+ mph winds and lifted the entire structure off of its foundation. The tornado continued across the rural portions of Clinton County, remaining at least EF-2 until it approached Lathrop, where it became smaller and didn't create as much damage. A few structures on the south end of Lathrop were damaged. The last damage point appeared to be just west of Interstate 35, where a few metal outbuildings had some metal peeled off, but no more damage was located east of I-35. The tornado dissipated between Lathrop and Interstate 35." +117280,705378,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 16:32:00,CST-6,2017-06-15 16:32:00,0,0,0,0,0.00K,0,0.00K,0,42.63,-93.24,42.63,-93.24,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported half dollar sized hail near 80th and Nettle in Bradford, IA." +121208,725666,NEW YORK,2017,October,Thunderstorm Wind,"OSWEGO",2017-10-15 16:57:00,EST-5,2017-10-15 16:57:00,0,0,0,0,,NaN,0.00K,0,43.35,-76.39,43.35,-76.39,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","" +121208,725652,NEW YORK,2017,October,Thunderstorm Wind,"LIVINGSTON",2017-10-15 16:30:00,EST-5,2017-10-15 16:30:00,0,0,0,0,8.00K,8000,0.00K,0,42.63,-77.59,42.63,-77.59,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +121208,725657,NEW YORK,2017,October,Thunderstorm Wind,"ONTARIO",2017-10-15 16:36:00,EST-5,2017-10-15 16:36:00,0,0,0,0,10.00K,10000,0.00K,0,42.89,-77.28,42.89,-77.28,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees downed by thunderstorm winds." +115983,697086,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-29 15:35:00,CST-6,2017-04-29 15:37:00,0,0,0,0,15.00K,15000,0.00K,0,33.13,-91.96,33.1664,-91.9309,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Multiple trees were blown down in Crossett and North Crossett." +114222,685713,MISSOURI,2017,March,Hail,"PLATTE",2017-03-06 18:29:00,CST-6,2017-03-06 18:34:00,0,0,0,0,,NaN,,NaN,39.512,-94.63,39.512,-94.63,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +117314,705569,IOWA,2017,June,Hail,"CALHOUN",2017-06-16 18:17:00,CST-6,2017-06-16 18:17:00,0,0,0,0,0.00K,0,0.00K,0,42.55,-94.68,42.55,-94.68,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Trained spotter reported nickel to penny sized hail." +117314,705571,IOWA,2017,June,Hail,"WEBSTER",2017-06-16 19:10:00,CST-6,2017-06-16 19:10:00,0,0,0,0,0.00K,0,0.00K,0,42.41,-94.15,42.41,-94.15,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Trained spotter reported nickel sized hail. This is a delayed report." +112953,674944,ILLINOIS,2017,February,Tornado,"WHITESIDE",2017-02-28 16:44:00,CST-6,2017-02-28 16:46:00,0,0,0,0,0.00K,0,0.00K,0,41.8883,-89.7512,41.8971,-89.7016,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","National Weather Service storm survey showed damage consisting of snapped pine trees, damaged farm out buildings, and an un-roofed attached garage and home along the path. A second home also sustained damage to its roof. The estimated peak wind was 100 mph." +113698,723787,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:39:00,EST-5,2017-03-21 17:39:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-84.88,35.17,-84.88,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Quarter size hail." +113698,723802,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:08:00,EST-5,2017-03-21 17:08:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-84.9354,35.23,-84.9354,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Quarter to half dollar size hail reported by amateur radio." +112932,674747,TENNESSEE,2017,March,Thunderstorm Wind,"SEQUATCHIE",2017-03-01 13:20:00,CST-6,2017-03-01 13:20:00,0,0,0,0,,NaN,,NaN,35.37,-85.39,35.37,-85.39,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down at Dunlap." +112932,674754,TENNESSEE,2017,March,Thunderstorm Wind,"BRADLEY",2017-03-01 15:39:00,EST-5,2017-03-01 15:39:00,0,0,0,0,,NaN,,NaN,35.21,-84.87,35.21,-84.87,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Trees were reported down on Frontage Road and US 11." +112953,674887,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 15:52:00,CST-6,2017-02-28 15:52:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-90.42,41.19,-90.42,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +112258,673741,GEORGIA,2017,January,Tornado,"BLECKLEY",2017-01-22 16:15:00,EST-5,2017-01-22 16:19:00,0,0,0,0,20.00K,20000,,NaN,32.422,-83.3588,32.4452,-83.332,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum wind speeds of 95 MPH and a maximum path width of 100 yards began along Highway 23 just south of Antioch Road where a few trees were snapped or uprooted. Numerous other trees were snapped or uprooted as the tornado travelled northeast Lucas road to around the intersection of Tom Porter Road and Daisy Adams Road where it ended. [01/21/17: Tornado #3, County #1/1, EF1, Bleckley, 2017:027]." +112253,669400,GEORGIA,2017,January,Thunderstorm Wind,"DODGE",2017-01-02 23:23:00,EST-5,2017-01-02 23:30:00,0,0,0,0,8.00K,8000,,NaN,31.9848,-83.2023,31.9902,-83.1986,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","An amateur radio operator reported trees blown down and power out from Reeves Street to Second Street in Rhine." +112253,669401,GEORGIA,2017,January,Thunderstorm Wind,"TELFAIR",2017-01-02 23:35:00,EST-5,2017-01-02 23:55:00,0,0,0,0,50.00K,50000,,NaN,32.0353,-82.9873,32.1033,-82.9567,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Telfair County Emergency Manager reported numerous trees and power lines blown down across the northern end of the county. A house at the intersection of Highway 280 and Bethel Church Road had shingles blown off of the roof and a shed destroyed. In the Whatley vineyard area, around the intersection of Highway 341 and Whatley Farm Road, 20-25 trees were uprooted or snapped." +112253,669402,GEORGIA,2017,January,Thunderstorm Wind,"LAURENS",2017-01-03 00:21:00,EST-5,2017-01-03 00:30:00,0,0,0,0,5.00K,5000,,NaN,32.2497,-82.8824,32.2497,-82.8824,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Laurens County Emergency Manager reported several trees blown down in the Cedar Grove area." +112253,669403,GEORGIA,2017,January,Thunderstorm Wind,"MONTGOMERY",2017-01-03 00:36:00,EST-5,2017-01-03 00:50:00,0,0,0,0,6.00K,6000,,NaN,32.2515,-82.6047,32.2862,-82.4661,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Montgomery County Emergency Manager reported several trees blown down across the northern end of the county. Some locations included around the intersection of Highways 199 and 221 and in the Paradice Circle area." +113581,679885,NEW MEXICO,2017,March,Hail,"LEA",2017-03-11 16:03:00,MST-7,2017-03-11 16:08:00,0,0,0,0,,NaN,,NaN,32.93,-103.35,32.93,-103.35,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail.","" +113582,679888,TEXAS,2017,March,Hail,"REEVES",2017-03-11 20:26:00,CST-6,2017-03-11 20:31:00,0,0,0,0,1.50K,1500,,NaN,31.42,-103.48,31.42,-103.48,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","A thunderstorm moved across Reeves County and produced hail damage in Pecos. There were windows broken on about 15 homes. The cost of damage is a very rough estimate." +117280,705410,IOWA,2017,June,Hail,"BUTLER",2017-06-15 18:40:00,CST-6,2017-06-15 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-92.58,42.64,-92.58,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported half dollar sized hail via social media." +117280,705411,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:42:00,CST-6,2017-06-15 18:42:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-92.25,42.47,-92.25,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported lots of quarter sized hail." +117280,705412,IOWA,2017,June,Hail,"BREMER",2017-06-15 18:50:00,CST-6,2017-06-15 18:50:00,0,0,0,0,0.00K,0,0.00K,0,42.65,-92.45,42.65,-92.45,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported ping pong ball sized hail." +117280,705413,IOWA,2017,June,Hail,"BREMER",2017-06-15 18:58:00,CST-6,2017-06-15 18:58:00,0,0,0,0,0.00K,0,0.00K,0,42.65,-92.42,42.65,-92.42,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported pea to half dollar sized hail." +119542,717355,IOWA,2017,August,Heavy Rain,"POLK",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-93.61,41.64,-93.61,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 2.70 inches over the last 24 hours." +114222,686815,MISSOURI,2017,March,Tornado,"COOPER",2017-03-06 20:40:00,CST-6,2017-03-06 20:56:00,0,0,0,0,,NaN,,NaN,38.8323,-92.9597,38.9264,-92.6586,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings and trees were damaged or destroyed in rural Cooper County." +114222,686816,MISSOURI,2017,March,Tornado,"MERCER",2017-03-06 19:40:00,CST-6,2017-03-06 19:51:00,0,0,0,0,0.00K,0,0.00K,0,40.3938,-93.753,40.48,-93.5923,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings were damaged or destroyed across portions of Mercer County from a tornado embedded within a QLCS on the evening of March 6." +115200,702813,OKLAHOMA,2017,May,Tornado,"BLAINE",2017-05-18 16:08:00,CST-6,2017-05-18 16:10:00,0,0,0,0,2.00K,2000,0.00K,0,35.725,-98.292,35.739,-98.282,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","This tornado moved into Blaine County from northwestern Canadian County just west of the graveside of Jesse Chisholm and moved northeast. A small barn was damaged near the end of the tornado path." +117280,707243,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-15 20:50:00,CST-6,2017-06-15 20:50:00,0,0,0,0,50.00K,50000,0.00K,0,41.23,-95.15,41.23,-95.15,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported numerous large limbs down in town. Some 1-2 foot trees snapped off, one landed on a house. Another landed on a camper." +117316,705589,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:00:00,CST-6,2017-06-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-92.95,40.78,-92.95,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Public reported 2 inch hail via KCCI uLocal page." +114222,685798,MISSOURI,2017,March,Thunderstorm Wind,"CASS",2017-03-06 20:48:00,CST-6,2017-03-06 20:51:00,0,0,0,0,,NaN,,NaN,38.55,-94.13,38.55,-94.13,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Debris from a barn was thrown across HWY N and Chandler Road near Garden City." +117280,705379,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 16:34:00,CST-6,2017-06-15 16:34:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.2,42.74,-93.2,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported half dollar sized hail." +117280,705380,IOWA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-15 16:35:00,CST-6,2017-06-15 16:35:00,0,0,0,0,0.00K,0,0.00K,0,42.73,-93.2,42.73,-93.2,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Emergency manager reported 60 mph wind gusts along with nickel sized hail covering the ground." +117280,705381,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 16:45:00,CST-6,2017-06-15 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.67,-93.13,42.67,-93.13,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported 50 mph winds and quarter sized hail." +117280,705382,IOWA,2017,June,Hail,"BUTLER",2017-06-15 16:55:00,CST-6,2017-06-15 16:55:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-92.95,42.62,-92.95,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported quarter sized hail via social media." +117280,705383,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 17:01:00,CST-6,2017-06-15 17:01:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-93.34,42.75,-93.34,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported quarter sized hail via social media." +121208,725629,NEW YORK,2017,October,Thunderstorm Wind,"CATTARAUGUS",2017-10-15 16:00:00,EST-5,2017-10-15 16:00:00,0,0,0,0,10.00K,10000,0.00K,0,42.43,-78.36,42.43,-78.36,"Thunderstorms ahead of and along an approaching strong cold front produced damaging winds during the afternoon and early evening hours. The thunderstorm winds downed trees and power lines throughout the region. Wind gusts were measured to 63 mph at Rochester Airport and 66 mph at Oswego County Airport. Several homes and cars were damaged by falling trees including ones in Depew, Sinclairville, Avon, Fairport, Victor, Dansville, and Canandaigua. In Arcade, Wyoming County, a commercial sign was blown down. Several roads were closed by fallen trees and debris.","Law enforcement reported trees and wires downed by thunderstorm winds." +115983,697087,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-29 15:36:00,CST-6,2017-04-29 15:36:00,0,0,0,0,35.00K,35000,0.00K,0,33.23,-91.8,33.23,-91.8,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Trees were blown down in Hamburg, including one tree that was down down on a house on Main Street." +115983,697089,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-29 15:43:00,CST-6,2017-04-29 15:43:00,0,0,0,0,8.00K,8000,0.00K,0,33.06,-91.57,33.06,-91.57,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","A few trees were blown down in Wilmot." +115983,697091,ARKANSAS,2017,April,Thunderstorm Wind,"CHICOT",2017-04-29 16:11:00,CST-6,2017-04-29 16:11:00,0,0,0,0,15.00K,15000,0.00K,0,33.53,-91.44,33.53,-91.44,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Trees were blown down and power poles were broken in Dermott." +115983,697092,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-29 16:17:00,CST-6,2017-04-29 16:17:00,0,0,0,0,5.00K,5000,0.00K,0,33.24,-91.51,33.24,-91.51,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Powerlines were blown down in Portland." +115032,690523,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:28:00,CST-6,2017-04-30 07:31:00,0,0,0,0,150.00K,150000,0.00K,0,32.3363,-90.4138,32.3595,-90.3922,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down along St. Thomas Road and peaked as it crossed I-20 on the west side of the Norrell Road exit. The heaviest tree damage was along both Frontage Roads where numerous trees were snapped/uprooted. A semi-truck was turned over here as well. The tornado downed trees across the railroad and for another half mile in the woods west of Williamson Road. The maximum wind speed with this tornado was 100 mph." +115032,690531,MISSISSIPPI,2017,April,Tornado,"MADISON",2017-04-30 07:50:00,CST-6,2017-04-30 07:54:00,0,0,0,0,40.00K,40000,0.00K,0,32.5864,-90.3199,32.638,-90.2365,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado started just south of the Kearney Park community, where it moved northwest into the community downing several trees and causing minor structural damage to homes. It crossed Burnt Corn Creek and continued to cause damage along Virlilia Road before it lifted. The maximum wind speed with this tornado was 100 mph." +112801,673956,KANSAS,2017,March,Tornado,"BUTLER",2017-03-06 19:05:00,CST-6,2017-03-06 19:06:00,0,0,0,0,0.00K,0,0.00K,0,37.67,-96.81,37.6701,-96.808,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A very brief tornado touchdown that slightly damaged an outbuilding." +112801,681693,KANSAS,2017,March,Thunderstorm Wind,"CHASE",2017-03-06 18:30:00,CST-6,2017-03-06 18:30:00,0,0,0,0,4.00K,4000,,NaN,38.37,-96.54,38.37,-96.54,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Power poles were reported down." +112572,671650,NEW JERSEY,2017,February,Thunderstorm Wind,"SUSSEX",2017-02-25 17:13:00,EST-5,2017-02-25 17:13:00,0,0,0,0,,NaN,,NaN,41.21,-74.69,41.21,-74.69,"Several days of record warmth came to an abrupt end as a strong cold front moved through the state. Moisture and instability were sufficient to develop a line of showers and thunderstorms ahead of the front. These showers and thunderstorms produced damaging winds and hail across western portions of the state. The most noteworthy damage was in Sussex county at the Space farm zoo. Several thousand people lost power as well.","A Blacksmith Museum building was flattened and several trees were uprooted due to thunderstorm winds. Some other building had siding and roof damage as well." +112801,681701,KANSAS,2017,March,Hail,"BUTLER",2017-03-06 19:04:00,CST-6,2017-03-06 19:04:00,0,0,0,0,,NaN,,NaN,37.82,-96.66,37.82,-96.66,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +112919,674622,ILLINOIS,2017,February,Tornado,"OGLE",2017-02-28 17:07:00,CST-6,2017-02-28 17:09:00,0,0,0,0,,NaN,,NaN,41.9478,-89.3098,41.9498,-89.2821,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The tornado toppled farm equipment, collapsed outbuildings, damaged roofs of homes, and broke large branches out of trees. Straight line winds estimated to be up to 80 MPH produced additional damage 1 to 1.5 miles beyond the tornado path. (Tornado #5 of 7)." +113398,679178,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-05 14:57:00,CST-6,2017-04-05 14:57:00,0,0,0,0,,NaN,,NaN,35.27,-86.57,35.27,-86.57,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Half dollar sized hail was reported in Belleville." +113398,679179,TENNESSEE,2017,April,Hail,"LINCOLN",2017-04-05 14:59:00,CST-6,2017-04-05 14:59:00,0,0,0,0,,NaN,,NaN,35.27,-86.57,35.27,-86.57,"Isolated supercells developed during the mid afternoon hours along a dry line that was near the I-65 corridor. The storms produced hail up to the size of ping pong balls, but most areas experienced hail less than an inch in diameter.","Quarter sized hail was reported in Belleville." +114421,687192,NEW MEXICO,2017,May,Tornado,"TORRANCE",2017-05-09 11:15:00,MST-7,2017-05-09 11:30:00,0,0,0,0,0.00K,0,0.00K,0,34.9942,-105.6885,35.0412,-105.7192,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Storm chaser captured video of a tornado on the ground along Interstate 40 near Clines Corners. Other observers in the area reported the tornado touched down just south of Interstate 40 around 1215 pm MDT then moved north-northwest into extreme far southeast Santa Fe County over a 20 minute period. Trees were uprooted in the area." +113518,679714,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-03 15:08:00,EST-5,2017-04-03 15:10:00,0,0,0,0,,NaN,,NaN,33.51,-81.86,33.51,-81.86,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees down on Lee Dr." +113518,679725,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"SALUDA",2017-04-03 15:08:00,EST-5,2017-04-03 15:10:00,0,0,0,0,,NaN,,NaN,33.85,-81.68,33.85,-81.68,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees down in roadway near the intersection of Hwy 39 and Hwy 23 near Ridge Spring." +115032,690505,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:23:00,CST-6,2017-04-30 07:33:00,0,0,0,0,95.00K,95000,0.00K,0,32.4101,-90.5938,32.4953,-90.5244,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado started just west of the intersection of Anderson Road and Askew Road where large limbs were snapped and a few trees uprooted. The tornado crossed Anderson Road again as it continued moving northeast. The tornado widened as it crossed Narrow Gauge Road where hardwood and softwood trees were snapped and uprooted. The tornado paralleled Farr Road where additional limbs were snapped and trees uprooted. The tornado reached its peak intensity along Farr road, near the intersection of John Warren Road, where numerous hardwood trees were snapped and uprooted. The tornado then took a slight northwest turn and continued to parallel Farr Road, causing more tree damage before dissipating shortly after crossing Halifax Road. The maximum wind speed with this tornado was 107 mph." +115032,690516,MISSISSIPPI,2017,April,Tornado,"HINDS",2017-04-30 07:23:00,CST-6,2017-04-30 07:26:00,0,0,0,0,70.00K,70000,0.00K,0,32.0805,-90.3322,32.0935,-90.3223,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This weak tornado touched down along Volley Campbell Road and moved across some personal property. A couple of trees were uprooted along with many large limbs broken. A Metal shed had most of the roof off and a couple walls damaged. A horse trailer was rolled and the brick home had some siding torn off. This tornado moved through a wooded area before dissipating as it cross Tank Road. Here, large limbs were broken off trees and a power pole was left leaning. A brief tornadic debris signature was noted. The maximum wind speed with this tornado was 90 mph." +115200,702486,OKLAHOMA,2017,May,Tornado,"STEPHENS",2017-05-18 18:00:00,CST-6,2017-05-18 18:00:00,0,0,0,0,2.00K,2000,0.00K,0,34.4619,-98.0483,34.4619,-98.0483,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A brief tornado damaged an outbuilding and trees southwest of Duncan." +115200,706235,OKLAHOMA,2017,May,Tornado,"PONTOTOC",2017-05-18 20:13:00,CST-6,2017-05-18 20:14:00,0,0,0,0,5.00K,5000,0.00K,0,34.65,-96.5306,34.6532,-96.5214,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A weak tornado moved through Stonewall, causing damage to roofs and damaging or destroying a number of trees." +115201,702897,TEXAS,2017,May,Tornado,"WICHITA",2017-05-18 15:54:00,CST-6,2017-05-18 15:58:00,0,0,0,0,100.00K,100000,0.00K,0,34.133,-98.894,34.136,-98.865,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A tornado developed northeast of Haynesville(Punkin Center) and moved east-northeast along Flippin Road. A number of large metal electrical transmission towers were damaged and a few collapsed." +117278,705371,IOWA,2017,June,Hail,"GREENE",2017-06-12 14:50:00,CST-6,2017-06-12 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.98,-94.52,41.98,-94.52,"A stationary front was draped across much of northwest and northern Iowa, acting as a focal point for convection during the overnight and daytime hours. By mid-morning mixed layer CAPE values were already approaching and exceeding 2000 J/kg. The initial set of storms initiated in eastern Nebraska and progressed into Iowa. After initially weakening, said storms strengthened and became roughly linear. The resulting damage report was for damaging winds in northwest Iowa. Later that afternoon with the front remaining over northern Iowa, storms initiated in the warm sector, with the initial and strongest storm producing a pair of severe hail reports.","Trained spotter reported quarter size hail." +117278,705372,IOWA,2017,June,Hail,"GREENE",2017-06-12 15:09:00,CST-6,2017-06-12 15:09:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-94.38,42.02,-94.38,"A stationary front was draped across much of northwest and northern Iowa, acting as a focal point for convection during the overnight and daytime hours. By mid-morning mixed layer CAPE values were already approaching and exceeding 2000 J/kg. The initial set of storms initiated in eastern Nebraska and progressed into Iowa. After initially weakening, said storms strengthened and became roughly linear. The resulting damage report was for damaging winds in northwest Iowa. Later that afternoon with the front remaining over northern Iowa, storms initiated in the warm sector, with the initial and strongest storm producing a pair of severe hail reports.","Trained spotter reported dime to quarter sized hail." +114222,685799,MISSOURI,2017,March,Hail,"LAFAYETTE",2017-03-06 20:52:00,CST-6,2017-03-06 20:54:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-93.52,39.21,-93.52,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114222,686043,MISSOURI,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:14:00,CST-6,2017-03-06 21:17:00,0,0,0,0,,NaN,,NaN,38.73,-93.56,38.73,-93.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Whiteman AFB (KSZL) reported 58 knot (67 mph) wind." +118546,712192,NEW JERSEY,2017,September,Rip Current,"EASTERN CAPE MAY",2017-09-03 11:50:00,EST-5,2017-09-03 13:50:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hany Mohamed, a 35 year old male from Middletown PA (Dauphin County), drowned in the ocean at Learning Avenue in Wildwood NJ on Sunday, September 3rd. He apparently ventured out to save his two children who, after playing near a sandbar, were taken into deeper waters. Beach patrol lifeguards entered the water at about 12:50 pm to rescue the children in distress. Once back at shore, it was discovered that Mohamed was missing. Surfers at the beach near Rambler Avenue in Wildwood Crest (the next town south of Wildwood) located Mohamed's body floating in the water about 2:50 pm. Wildwood Crest lifeguards retrieved the body and tried to revive him until Wildwood Crest Rescue officials arrived. Mohamed was taken to Cape Regional Medical Center where he was pronounced dead.","Hany Mohamed, a 35 year old male from Middletown PA (Dauphin County), drowned in the ocean at Learning Avenue in Wildwood NJ on Sunday, September 3rd. He apparently ventured out to save his two children who, after playing near a sandbar, were taken into deeper waters. Beach patrol lifeguards entered the water at about 12:50 pm to rescue the children in distress. Once back at shore, it was discovered that Mohamed was missing. Surfers at the beach near Rambler Avenue in Wildwood Crest (the next town south of Wildwood) located Mohamed's body floating in the water about 2:50 pm. Wildwood Crest lifeguards retrieved the body and tried to revive him until Wildwood Crest Rescue officials arrived. Mohamed was taken to Cape Regional Medical Center where he was pronounced dead." +118542,712175,PENNSYLVANIA,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-05 17:54:00,EST-5,2017-09-05 17:54:00,0,0,0,0,,NaN,,NaN,40.2315,-75.6134,40.2315,-75.6134,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Two poles and trees down blocking some roadways in Pottstown." +118542,712187,PENNSYLVANIA,2017,September,Thunderstorm Wind,"MONTGOMERY",2017-09-05 17:04:00,EST-5,2017-09-05 17:04:00,0,0,0,0,,NaN,,NaN,40.34,-75.51,40.34,-75.51,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Trees and power lines down near Becker and Woodland Roads in Upper Frederick Township." +118542,712184,PENNSYLVANIA,2017,September,Flash Flood,"BERKS",2017-09-05 16:30:00,EST-5,2017-09-05 16:30:00,0,0,0,0,1.00K,1000,1.00K,1000,40.4581,-75.9651,40.4435,-75.9489,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Flash flooding occurred in Leesport and Ontelaunee Township (Berks County) around 530 pm. Sections of Pennsylvania Route 61 were closed between Bellemans Church Road and Ashley Way. One vehicle was trapped in the flood waters. Rainfall totals include 4.12 inches near Leinbachs (Berks County) and 3.35 inches at Robesonia (Berks County)." +112799,677959,ATLANTIC SOUTH,2017,January,Marine Thunderstorm Wind,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-01-23 01:50:00,EST-5,2017-01-23 01:50:00,0,0,0,0,,NaN,0.00K,0,26.8934,-80.0556,26.8934,-80.0556,"A pre-frontal squall line with severe thunderstorms brought gusty winds to Lake Okeechobee and the Atlantic waters in the early morning hours.","A wind gust of 87 mph was recorded at WxFlow site XJUP on Juno Beach Pier. This was very close, if not directly related, to the tornado which moved across Juno Beach. Damage occurred to the wood railing on the north side of the pier, and a lifeguard stand along the beach had its roof removed." +114396,685714,KANSAS,2017,March,Hail,"LEAVENWORTH",2017-03-06 19:30:00,CST-6,2017-03-06 19:33:00,0,0,0,0,,NaN,,NaN,39.02,-94.95,39.02,-94.95,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +114396,686111,KANSAS,2017,March,Hail,"JOHNSON",2017-03-06 19:49:00,CST-6,2017-03-06 19:51:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-94.69,39.02,-94.69,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","" +116395,699948,NEW YORK,2017,May,Thunderstorm Wind,"HERKIMER",2017-05-18 17:41:00,EST-5,2017-05-18 17:41:00,0,0,0,0,,NaN,,NaN,42.9,-74.83,42.9,-74.83,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees and wires reported down." +117314,705573,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-16 19:55:00,CST-6,2017-06-16 19:55:00,0,0,0,0,0.00K,0,0.00K,0,41.31,-95.08,41.31,-95.08,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Emergency manager reported broken tree branches and power outages." +117314,705574,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-16 20:01:00,CST-6,2017-06-16 20:01:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-95.14,41.23,-95.14,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Trained spotter reported gusts up to and around 60 mph." +117314,705576,IOWA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-16 20:36:00,CST-6,2017-06-16 20:36:00,0,0,0,0,20.00K,20000,0.00K,0,40.94,-94.74,40.94,-94.74,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Emergency manager relayed reports of non-specific building damage near the Adams and Taylor county line. Also reported numerous trees down around the county. Damage was most extensive in the southern portion of the county." +115165,691392,ARKANSAS,2017,April,Hail,"BOONE",2017-04-04 20:43:00,CST-6,2017-04-04 20:43:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-93.01,36.32,-93.01,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","A thunderstorm produced nickel to quarter size hail from Bergman to Lead Hill." +112953,674903,ILLINOIS,2017,February,Hail,"MERCER",2017-02-28 19:50:00,CST-6,2017-02-28 20:10:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-90.94,41.1,-90.94,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported a mix of pea to dime size hail lasting 20 minutes." +113852,681791,KANSAS,2017,February,Hail,"MIAMI",2017-02-28 20:32:00,CST-6,2017-02-28 20:33:00,0,0,0,0,,NaN,,NaN,38.6,-94.66,38.6,-94.66,"On the evening of February 28, a cold front pushed through the are area, forming a line of thunderstorms that produced large hail. The storms were generally behind the cold frontal boundary, so there was little to no strong or severe wind gusts with these storms; however some of these storms produced large hail approaching golf ball sized in some locations.","" +112258,673727,GEORGIA,2017,January,Tornado,"JOHNSON",2017-01-21 13:39:00,EST-5,2017-01-21 13:48:00,0,0,0,0,10.00K,10000,,NaN,32.688,-82.641,32.754,-82.564,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a EF0 tornado with maximum wind speeds of 85 MPH and a maximum path width of 100 yards began along Moores Chapel Road in central Johnson County. The tornado travelled over 6 miles northeast crossing Highway 57, Leaston Powell Road, Gum Log Road and Blizzard Road before ending near the intersection of Harrison Road and Fortner Road. Several trees were blown down along the path of the tornado. [01/21/17: Tornado #19, County #1/1, EF0, Johnson, 2017:020]." +112360,670003,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-01-21 13:30:00,EST-5,2017-01-21 13:30:00,0,0,0,0,0.00K,0,0.00K,0,30.213,-85.88,30.213,-85.88,"Strong to severe storms affected coastal areas during the afternoon of January 21st with wind gusts greater than 34 knots.","The PCBF1 tide station measured a wind gust of 43 knots." +115135,692197,MICHIGAN,2017,April,Tornado,"IONIA",2017-04-10 19:40:00,EST-5,2017-04-10 19:41:00,0,0,0,0,10.00K,10000,0.00K,0,42.8065,-85.309,42.8166,-85.2718,"An isolated EF1 tornado developed over extreme southeastern Kent county during the evening hours of April 10th. Dozens of large trees were snapped or uprooted and three barns were heavily damaged. The damage began on 100th St just east of Alden Nash Ave and then continued to the east-northeast, crossing Wingeier Ave where a barn lost metal roofing. One metal section was carried 0.6 miles by the tornado and landed in a field. ||The tornado damage intensified as the funnel narrowed and crossed 92nd St in the vicinity of the Tyler Creek Golf Course, where a swath of trees were snapped and uprooted. Peak winds in this area were estimated at 90 mph. The tornado crossed Freeport Ave and Keim Road. It then crossed Hastings Road with peak winds estimated around 65 mph, taking down large tree limbs. The damage ended around Bell Road north of Keim Road. There were also isolated reports of large hail and wind damage across portions of western lower Michigan.","An EF1 tornado over extreme southeastern Kent county continued to move east northeast into far southwestern Ionia county. It took down several tree limbs before dissipating." +116500,700615,IOWA,2017,June,Tornado,"DELAWARE",2017-06-28 18:16:00,CST-6,2017-06-28 18:18:00,0,0,0,0,0.00K,0,0.00K,0,42.2958,-91.1641,42.3008,-91.1414,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","A narrow EF2 tornado with winds estimated at 120 mph touched down in a field about miles 4 north of Monticello and tracked east northeast from Jones County into Delaware County. The tornado struck neighboring farmsteads at the junction of 148th Ave. and Jones-Delaware Co Road. Two grain bins and seven outbuildings were destroyed. Two garages had the doors blown in and five wooden power poles were snapped, including three larger transmission lines. The most unusual damage was an 18 foot missile that was formed from four sections of a grain bin roof that were folded into a narrow cone shape and propelled into the garage attic over 100 yards away. This EF2 tornado began in Jones County, and moved into Delaware County." +113518,679546,SOUTH CAROLINA,2017,April,Hail,"AIKEN",2017-04-03 15:05:00,EST-5,2017-04-03 15:06:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-81.71,33.54,-81.71,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Quarter size hail at Two Notch Rd and Brandy Rd." +113518,679547,SOUTH CAROLINA,2017,April,Tornado,"AIKEN",2017-04-03 15:08:00,EST-5,2017-04-03 15:09:00,0,0,0,0,,NaN,,NaN,33.53,-81.74,33.53,-81.74,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Several trees downed in multiple directions along Longwood Dr indicates that a brief tornado occurred in the Aiken Estates subdivision." +121013,727791,TENNESSEE,2017,November,Flood,"HUMPHREYS",2017-11-07 06:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1303,-87.8146,36.1229,-87.8142,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Clydeton Road north of Waverly was flooded." +119542,717356,IOWA,2017,August,Heavy Rain,"SAC",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-95.16,42.31,-95.16,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","CoCoRaHS observer reported heavy rainfall of 3.30 inches over the last 24 hours." +114222,686608,MISSOURI,2017,March,Tornado,"CARROLL",2017-03-06 20:40:00,CST-6,2017-03-06 20:46:00,0,0,0,0,,NaN,,NaN,39.3379,-93.5154,39.3681,-93.4107,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A squall line with embedded supercells and mesovortices moved through western Missouri and eastern Missouri on the evening of March 6. The storm took out a center point irrigation system just southwest of Carrolton; however, in the city of Carrolton several structures on the south side of the city were heavily damaged by tornadic winds. Along Main Street windows were completely blown out of several businesses and a couple buildings along Main Street even had some partial roof and external wall failure. The tornado moved east of town and did some external damage to a metal building. The tornado crossed HWY 65 and paralleled HWY 24 for a mile or two, causing damage to outbuildings along the route. About 2-3 miles east of Carrolton it crossed HWY 24 and dissipated north of HWY 24." +117280,705443,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:47:00,CST-6,2017-06-15 22:47:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-93.03,41.69,-93.03,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported nickel sized hail." +117280,705444,IOWA,2017,June,Thunderstorm Wind,"JASPER",2017-06-15 22:53:00,CST-6,2017-06-15 22:53:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-92.98,41.7,-92.98,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Law enforcement reported 60 mph wind gusts." +117280,705445,IOWA,2017,June,Thunderstorm Wind,"POWESHIEK",2017-06-15 23:07:00,CST-6,2017-06-15 23:07:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-92.73,41.71,-92.73,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Grinnell Regional Airport AWOS recorded a 71 mph wind gust." +117280,706787,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 16:40:00,CST-6,2017-06-15 16:40:00,0,0,0,0,0.00K,0,0.00K,0,42.744,-93.2011,42.744,-93.2011,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter to half dollar sized hail." +117280,707239,IOWA,2017,June,Thunderstorm Wind,"WARREN",2017-06-15 20:58:00,CST-6,2017-06-15 20:58:00,0,0,0,0,5.00K,5000,0.00K,0,41.4834,-93.7645,41.4834,-93.7645,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported a large tree downed over County Rd G14. Report via social media." +114222,685795,MISSOURI,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:01:00,CST-6,2017-03-06 21:04:00,0,0,0,0,0.00K,0,0.00K,0,38.75,-93.9,38.75,-93.9,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A NWS employee near Centerview, Missouri reported a 60 mph wind gust." +117450,706343,IOWA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-22 20:07:00,CST-6,2017-06-22 20:07:00,0,0,0,0,5.00K,5000,0.00K,0,42.77,-92.91,42.77,-92.91,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Emergency manager reported a large tree down across the road. The is a delayed report from the Butler County EM and time estimated from radar." +117450,706346,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-22 21:07:00,CST-6,2017-06-22 21:07:00,0,0,0,0,0.00K,0,0.00K,0,41.7649,-93.7302,41.7649,-93.7302,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Trained spotter reported an 18 diameter tree branch down near the sports complex. This is a delayed report and time estimated from radar." +118542,712185,PENNSYLVANIA,2017,September,Flash Flood,"BERKS",2017-09-05 17:00:00,EST-5,2017-09-05 17:00:00,0,0,0,0,1.00K,1000,1.00K,1000,40.4978,-75.8559,40.498,-75.8419,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Route 622 was closed at Eagle Road in Moselem Springs due to flooding. Multiple vehicles were in the water." +114222,686048,MISSOURI,2017,March,Thunderstorm Wind,"PETTIS",2017-03-06 21:20:00,CST-6,2017-03-06 21:31:00,0,0,0,0,,NaN,,NaN,38.74,-93.38,38.75,-93.34,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","In areas near La Monte there were several outbuildings destroyed and RV was overtunred at HWY T and Menefee Road. Also several large tree limbs were reported down in the area." +114222,686049,MISSOURI,2017,March,Thunderstorm Wind,"PETTIS",2017-03-06 21:30:00,CST-6,2017-03-06 21:33:00,0,0,0,0,,NaN,,NaN,38.63,-93.41,38.63,-93.41,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Power lines were down across HWY 127 near Green Ridge." +117450,706339,IOWA,2017,June,Thunderstorm Wind,"BUTLER",2017-06-22 19:51:00,CST-6,2017-06-22 20:14:00,0,0,0,0,0.00K,0,100.00K,100000,42.8325,-93.0149,42.7561,-92.8091,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Emergency manager reported a nearly 2 mile wide path of shredded corn and beans from wind-driven hail. Path extended from near Aredale to Allison in Butler county. This is a delayed report from the Butler County EM. Time estimated from radar." +116395,699949,NEW YORK,2017,May,Thunderstorm Wind,"MONTGOMERY",2017-05-18 18:02:00,EST-5,2017-05-18 18:02:00,0,0,0,0,,NaN,,NaN,42.84,-74.6,42.84,-74.6,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree, wires, and transformer were reported down." +115196,694499,OKLAHOMA,2017,May,Hail,"JACKSON",2017-05-10 15:34:00,CST-6,2017-05-10 15:34:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-99.71,34.42,-99.71,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","" +117483,706574,IOWA,2017,June,Thunderstorm Wind,"WORTH",2017-06-29 20:33:00,CST-6,2017-06-29 20:33:00,0,0,0,0,0.00K,0,0.00K,0,43.33,-93.06,43.33,-93.06,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Trained spotter reported a 69 mph wind gust recorded from a home weather station." +117280,705377,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:41:00,CST-6,2017-06-15 22:41:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-93.03,41.71,-93.03,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported quarter sized hail via social media." +117314,705580,IOWA,2017,June,Hail,"STORY",2017-06-16 20:50:00,CST-6,2017-06-16 20:50:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-93.31,42.17,-93.31,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer reported quarter sized hail. This is a delayed report and time estimated from radar." +114387,689064,NEW JERSEY,2017,May,Flood,"MONMOUTH",2017-05-05 14:09:00,EST-5,2017-05-05 14:09:00,0,0,0,0,0.00K,0,0.00K,0,40.4233,-74.1863,40.424,-74.1827,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","NJ 35 at Hazlet ave was closed due to flooding." +114387,689067,NEW JERSEY,2017,May,Heavy Rain,"OCEAN",2017-05-05 14:38:00,EST-5,2017-05-05 14:38:00,0,0,0,0,,NaN,,NaN,39.95,-74.2,39.95,-74.2,"Low pressure moving from Tennessee into western New York state lifted a warm front north through the state late Friday morning into early Friday afternoon on May 6, 2017. In advance of a cold front, which followed Friday evening, several rounds of heavy rainfall with embedded thunder traversed the state Friday morning into the afternoon. The heaviest rainfall occurred in a southwest to northeast swath covering portions of Atlantic, Salem, Burlington, Ocean, Monmouth, and Middlesex counties, where localized rainfall amounts ranged from two to over four inches. The highest rainfall amount was 4.38 inches at a COCORAHS site 6 miles northeast of Manchester Township in Ocean County. The large amount of rainfall in a relatively short period of time contributed to flooding, mainly across Monmouth County, including a report of flash flooding in Union Beach, where a car was stuck in an estimated 2 feet of water.","Heavy rainfall over 2 inches was measured." +115348,692935,MISSOURI,2017,April,Hail,"GRUNDY",2017-04-10 01:00:00,CST-6,2017-04-10 01:00:00,0,0,0,0,0.00K,0,0.00K,0,40.14,-93.7,40.14,-93.7,"Isolated to scattered thunderstorms produced some marginally severe thunderstorms. 1 to 1.5 inch hail and isolated wind damage were the only reports.","" +115405,692922,MISSOURI,2017,April,Flood,"LIVINGSTON",2017-04-05 07:28:00,CST-6,2017-04-05 09:28:00,0,0,0,0,0.00K,0,0.00K,0,39.6793,-93.6395,39.7033,-93.6403,"Widespread moderate to heavy rain resulted in numerous roads across northern Missouri to be flooded. Impacts were rather low, as most of these closures were soon resolved once the water receded.","State Route C was closed due to flooding along Shoal Creek." +112258,673664,GEORGIA,2017,January,Tornado,"TROUP",2017-01-21 08:49:00,EST-5,2017-01-21 09:02:00,0,0,0,0,50.00K,50000,,NaN,32.9792,-85.0487,33.0185,-84.9678,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team determined that an EF1 tornado with maximum winds of 90 MPH and a maximum path width of 200 yards occurred along I-85 south of LaGrange, GA. The damage path began just west of the interstate and crossed the highway near mile marker 13 where several trees were snapped and a metal building had part of its roof pulled up and an overhead garage door blown in. The tornado track continued northeast with several trees uprooted or snapped around a large retail distribution warehouse before ending in the vicinity of Upper Springs Road. [01/21/17: Tornado #1, County #1/1, EF1, Troup, 2017:002]." +112258,671716,GEORGIA,2017,January,Thunderstorm Wind,"JEFFERSON",2017-01-21 14:15:00,EST-5,2017-01-21 14:20:00,0,0,0,0,5.00K,5000,,NaN,32.8748,-82.3446,32.8755,-82.2835,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The public reported trees blown down along Highway 78 to just east of Highway 17." +112258,671717,GEORGIA,2017,January,Thunderstorm Wind,"TOOMBS",2017-01-21 14:29:00,EST-5,2017-01-21 14:34:00,0,0,0,0,2.00K,2000,,NaN,32.0571,-82.3482,32.0571,-82.3482,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Toombs County Emergency Manager reported trees blown down on Highway 1 near Todd's Fish Farm." +113193,677935,SOUTH CAROLINA,2017,January,Winter Weather,"FAIRFIELD",2017-01-07 05:00:00,EST-5,2017-01-07 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","One quarter of an inch of snow measured near Longtown, SC." +113393,678472,NEW MEXICO,2017,March,High Wind,"EDDY COUNTY PLAINS",2017-03-28 15:55:00,MST-7,2017-03-28 16:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe Mountains, and over portions of the southeastern New Mexico plains.","Sustained west winds of 40-47 mph, and a gust to 59 mph, occurred at the Carlsbad ASOS." +113393,678492,NEW MEXICO,2017,March,High Wind,"GUADALUPE MOUNTAINS OF EDDY COUNTY",2017-03-28 17:00:00,MST-7,2017-03-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe Mountains, and over portions of the southeastern New Mexico plains.","" +116500,700614,IOWA,2017,June,Tornado,"JONES",2017-06-28 18:14:00,CST-6,2017-06-28 18:16:00,0,0,0,0,0.00K,0,0.00K,0,42.2906,-91.1883,42.2958,-91.1641,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","A narrow EF2 tornado with winds estimated at 120 mph touched down in a field about 4 miles north of Monticello and tracked east northeast from Jones County crossing into Delaware County. The tornado struck neighboring farmsteads at the junction of 148th Ave. and Jones-Delaware County Road. Two grain bins and seven outbuildings were destroyed. Two garages had the doors blown in and five wooden power poles were snapped, including three larger transmission lines. The most unusual damage was an 18 foot missile that was formed from four sections of a grain bin roof that were folded into a narrow cone shape and propelled into the garage attic over 100 yards away. This EF2 tornado began in Jones County, and moved into Delaware County." +112258,673676,GEORGIA,2017,January,Tornado,"TALBOT",2017-01-21 11:22:00,EST-5,2017-01-21 11:23:00,0,0,0,0,100.00K,100000,,NaN,32.8318,-84.4239,32.8374,-84.4204,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF2 tornado with maximum winds of 115 MPH and a maximum path width of 300 yards began in Talbot County just east of Highway 36 near the Flint River where hundreds of trees were snapped and uprooted as the tornado moved north-northeast over a hill and into the river's floodplain. A home was severely damaged along the river and one person was trapped inside for a time but not injured. After travelling only around a half of a mile from its beginning point, the tornado crossed the Flint River into Upson County. [01/21/17: Tornado #6, County #1/2, EF1, Talbot-Upson, 2017:007]." +113162,676883,GEORGIA,2017,January,Flash Flood,"FLOYD",2017-01-22 20:20:00,EST-5,2017-01-23 03:30:00,0,0,0,0,40.00K,40000,0.00K,0,34.2425,-85.3575,34.2258,-85.0624,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Law Enforcement reported several road closures in the Coosa and greater Rome areas due to the heavy rainfall. Rainfall amounts of 3 to 5 inches with locally higher amounts contributed to a drain collapsing on Wayside Road in eastern Floyd County. Nearby, flood waters across Ward Mountain Road swept a car into a culvert near Dozier Creek. Additionally, large portions of southbound Highway 27 north of Rome were flooded." +113162,676886,GEORGIA,2017,January,Flash Flood,"GORDON",2017-01-22 21:00:00,EST-5,2017-01-23 03:30:00,0,0,0,0,0.00K,0,0.00K,0,34.5444,-85.0626,34.5236,-85.0337,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Management reported water over the roadway at Baugh Mountain Road and Bandy Lake Road." +121013,724462,TENNESSEE,2017,November,Heavy Rain,"RUTHERFORD",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9194,-86.3734,35.9194,-86.3734,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","The Murfreesboro COOP observer measured a storm total rainfall of 6.40 inches." +121013,724456,TENNESSEE,2017,November,Heavy Rain,"DAVIDSON",2017-11-07 06:05:00,CST-6,2017-11-07 06:05:00,0,0,0,0,0.00K,0,0.00K,0,36.0353,-86.7707,36.0353,-86.7707,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Brentwood 2.8 NNE measured a 24 hour rainfall total of 5.76 inches." +119542,717354,IOWA,2017,August,Heavy Rain,"KOSSUTH",2017-08-20 06:00:00,CST-6,2017-08-21 06:00:00,0,0,0,0,0.00K,0,0.00K,0,43.39,-94.25,43.39,-94.25,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 2.93 inches over the last 24 hours." +113553,680193,SOUTH CAROLINA,2017,April,Tornado,"EDGEFIELD",2017-04-05 12:17:00,EST-5,2017-04-05 12:19:00,1,0,0,0,,NaN,,NaN,33.839,-81.794,33.8465,-81.7777,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Tornado damage began in Edgefield County on the east side of Johnston near Winthrow Avenue and continued northeast into Saluda County. Widespread hardwood and pine trees were uprooted and snapped causing damage to multiple homes and vehicles. Most of the damage was EF-0 and EF-1 in Edgefield County. Widespread large hardwoods were uprooted and snapped with some trees having the bark stripped off. One female received minor injuries when a branch fell on her vehicle causing her windshield to shatter." +114222,686768,MISSOURI,2017,March,Tornado,"HENRY",2017-03-06 21:17:00,CST-6,2017-03-06 21:26:00,0,0,0,0,,NaN,,NaN,38.3256,-93.6878,38.3179,-93.5445,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings were destroyed in the rural areas between Clinton and Tightwad, Missouri. NWS storm survey determined this damage was caused by a tornadic circulation within the squall line." +115206,695959,OKLAHOMA,2017,May,Hail,"ELLIS",2017-05-27 21:33:00,CST-6,2017-05-27 21:33:00,0,0,0,0,10.00K,10000,0.00K,0,36.37,-99.62,36.37,-99.62,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Vehicles and houses damaged by wind blown hail." +115196,700758,OKLAHOMA,2017,May,Tornado,"TILLMAN",2017-05-10 19:05:00,CST-6,2017-05-10 19:05:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-98.94,34.27,-98.94,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","Storm chasers observed a brief tornado about 7 miles east-northeast of Davidson. No damage was reported and the location was estimated." +116780,702285,NEW YORK,2017,July,Thunderstorm Wind,"ST. LAWRENCE",2017-07-08 03:57:00,EST-5,2017-07-08 03:57:00,0,0,0,0,20.00K,20000,0.00K,0,44.6,-75.17,44.6,-75.17,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Numerous trees and wires downed by thunderstorm winds." +116780,702286,NEW YORK,2017,July,Thunderstorm Wind,"ST. LAWRENCE",2017-07-08 04:00:00,EST-5,2017-07-08 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,44.43,-75.15,44.43,-75.15,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Numerous trees and wires downed by thunderstorm winds." +117280,707240,IOWA,2017,June,Hail,"MAHASKA",2017-06-15 21:10:00,CST-6,2017-06-15 21:10:00,0,0,0,0,10.00K,10000,0.00K,0,41.2476,-92.658,41.2476,-92.658,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","" +117453,706367,IOWA,2017,June,Hail,"WEBSTER",2017-06-28 14:40:00,CST-6,2017-06-28 14:40:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-94.18,42.51,-94.18,"After a complex of storms moved through the state in the early morning hours of the 28th, producing a smattering of sub-severe to severe hail, the area found itself entrenched firmly within the warm sector of a low pressure system passing to the northwest. Resulting MLCAPE values during the afternoon and early evening were in the 2000-3000 J/kg range, along with effective bulk shear around 40-50 kts, LCL heights under 1000 m, and semi-supportive 0-1 km helicity around 100 m2/s2. With such an environment, parameters such as the sig tor (effective layer) highlighted large portions of Iowa during the afternoon and evening hours. Resulting storms quickly went supercellular and proceeded to produce multiple tornadoes and large hail in excess of 2.5 inches throughout central and southwest Iowa. Seven tornadoes occurred across mainly rural portions of southwest into central Iowa in this event. The longest tornado was an EF1 tornado that touched down in Warren County and crossed into Marion County that was on the ground for over 17 miles. Much of the tornado moved through rural portions of Warren and Marion Counties, but one farmstead received damage along the Warren/Marion County line with additional light damage to rural residences in Marion County. A large wedge EF2 tornado touched down in Taylor County moving through mainly rural areas. One outbuilding was nearly destroyed and minor damage was done to a house.","Trained spotter reported nickel sized hail." +117450,706347,IOWA,2017,June,Thunderstorm Wind,"MARION",2017-06-22 22:56:00,CST-6,2017-06-22 22:56:00,0,0,0,0,25.00K,25000,0.00K,0,41.32,-93.1,41.32,-93.1,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Emergency manager reported upwards of 25 or so trees and or limbs downed onto roadways, with one on top of a passenger car. Power lines were also down around the area and a transformer was on fire from sustained damage." +117316,707248,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:00:00,CST-6,2017-06-17 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.75,-93.05,40.75,-93.05,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","" +114222,686604,MISSOURI,2017,March,Thunderstorm Wind,"JACKSON",2017-03-06 20:10:00,CST-6,2017-03-06 20:12:00,0,0,0,0,,NaN,,NaN,38.935,-94.276,38.941,-94.257,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","While surveying the tornado that hit Oak Grove there was a neighborhood just south of the track of the tornadic circulation at Lake Lotawana. This damage was straight line winds, perhaps associated with a real-flank downdraft of the tornadic supercell that produced several tornadoes. The extent of the damage included some shingles off of roofs and some large tree limbs down." +117280,705384,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:06:00,CST-6,2017-06-15 17:06:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-92.88,42.58,-92.88,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +117280,705385,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 17:08:00,CST-6,2017-06-15 17:08:00,0,0,0,0,0.00K,0,0.00K,0,42.75,-93.2,42.75,-93.2,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported quarter sized hail via social media." +116395,699972,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 19:00:00,EST-5,2017-05-18 19:00:00,0,0,0,0,,NaN,,NaN,42.7,-73.69,42.7,-73.69,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees were downed onto power lines." +115983,697094,ARKANSAS,2017,April,Strong Wind,"CHICOT",2017-04-29 13:00:00,CST-6,2017-04-29 13:00:00,0,0,0,0,8.00K,8000,0.00K,0,NaN,NaN,NaN,NaN,"Strong southerly winds were present on April 29th ahead of an approaching cold front. These winds were strong enough to bring down trees and cause other wind damage. In addition, these strong winds brought plentiful moisture into the region, which combined with an upper level disturbance to bring a round of severe storms to the area. These storms produced mostly damaging winds.","Trees were blown down along Highway 165 from gradient winds." +115032,692092,MISSISSIPPI,2017,April,Tornado,"MADISON",2017-04-30 07:41:00,CST-6,2017-04-30 07:47:00,0,0,0,0,100.00K,100000,0.00K,0,32.4878,-90.3446,32.5657,-90.3159,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This tornado touched down south of Bolton along Houston Road. The tornado quickly intensified as it crossed Raymond-Bolton Road where numerous trees were damaged. Heavy tree damage again was noted as the tornado crossed Airplane and St. Thomas Roads. The roads were blocked by numerous trees and two power poles were snapped along Airplane Road. The tornado then moved to just east of Bolton where it crossed the Bolton Cemetery, where numerous trees were damaged. A home sustained minor roof damage here and a metal tractor shed was destroyed. More trees were downed on the Frontage Roads along I-20 and a large billboard was damaged. The tornado then moved across fields west of West Northside Drive. One mobile home had part of the tin roof torn off. More heavy tree damage was observed on Edwards Road and then again as it crossed Jimmy Williams Road. Here the tornado intensified and reached its widest point. Additional tree damage occurred across Lorance Road and then again across Clinton-Tinnin Road. The tornado downed about 30 large trees across Kennebrew Road as it crossed into southern Madison County. Damage was noted on Shady Grove Road and near the petrified forest area before it moved into Flora. The tornado caused minor structural damage in downtown Flora. It also caused damage to the old water tower in Flora. Tree damage was noted on the north side of Flora as well. The tornado dissipated as it exited the Flora city limits to the north. The total path length was 20.79 miles. The maximum estimated winds were 110 mph, which occurred in Hinds County. The maximum tornado width was one half of a mile(880 yards), which also occurred in Hinds County." +115410,692968,KANSAS,2017,May,Flood,"SEDGWICK",2017-05-11 16:05:00,CST-6,2017-05-11 22:44:00,0,0,0,0,0.00K,0,0.00K,0,37.73,-97.46,37.7196,-97.4594,"A second day of storms moved across portions of southern Kansas producing hail, wind, and flooding.","Flooding on 21st street just east of Maize road was reported. No thret to life or property." +112801,681694,KANSAS,2017,March,Hail,"CHASE",2017-03-06 18:34:00,CST-6,2017-03-06 18:34:00,0,0,0,0,,NaN,,NaN,38.37,-96.54,38.37,-96.54,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +112801,681695,KANSAS,2017,March,Thunderstorm Wind,"BUTLER",2017-03-06 18:40:00,CST-6,2017-03-06 18:40:00,0,0,0,0,1.00K,1000,,NaN,37.8042,-96.8637,37.8042,-96.8637,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Damage was reported to a residence, where a screened in porch was torn off." +112801,681696,KANSAS,2017,March,Thunderstorm Wind,"BUTLER",2017-03-06 18:41:00,CST-6,2017-03-06 18:41:00,0,0,0,0,3.00K,3000,,NaN,37.8193,-96.8965,37.8193,-96.8965,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Roof damage was reported to a house." +112801,681697,KANSAS,2017,March,Thunderstorm Wind,"BUTLER",2017-03-06 18:42:00,CST-6,2017-03-06 18:42:00,0,0,0,0,,NaN,,NaN,37.82,-96.86,37.82,-96.86,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Penny size hail was also reported along with the wind gust." +116820,703842,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,1.00M,1000000,,NaN,31.8756,-102.3474,31.8756,-102.3474,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Odessa and produced golf ball sized hail which damaged houses and cars. The cost of damage is a very rough estimate." +112258,673667,GEORGIA,2017,January,Tornado,"HARRIS",2017-01-21 10:33:00,EST-5,2017-01-21 10:51:00,0,0,0,0,75.00K,75000,,NaN,32.6182,-84.9462,32.6876,-84.7791,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team determined that an EF1 tornado with maximum winds of 100 MPH and a maximum path width of 400 yards occurred in southern Harris County. The damage began just northwest of Fortson where several homes between Daniel Drive and Gail Drive sustained significant roof damage. The tornado moved northeast where numerous trees were snapped or uprooted along West Bonacre Road and Grey Smoke Trail. Around Grey Smoke Loop several homes had roof damage and large trees were uprooted. As the tornado approached the town of Cataula more large trees were snapped or uprooted. The tornado then continued moving northeast across mainly wooded areas before ending around State Highway 208 west of Waverly Hall in the Turntime Crossroads area. [01/21/17: Tornado #2, County #1/1, EF1, Harris, 2017:003]." +111484,670348,GEORGIA,2017,January,Tornado,"MITCHELL",2017-01-02 22:08:00,EST-5,2017-01-02 22:16:00,0,0,0,0,100.00K,100000,7.50M,7500000,31.4107,-84.164,31.4337,-84.1023,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado with max winds near 95 mph touched down near Flint River just west of US 19 and north of Baconton in Mitchell County. Numerous trees were uprooted and snapped. In fact, there were estimates of around 3,000 pecan trees destroyed. There was roof damage to several mobile homes off Stage Coach Road. The tornado may have touched down a bit further west and lifted a bit further east. However, these areas were inaccessible to the survey team. Damage cost was estimated. An article from Texas A&M states that a mature pecan tree is worth around $2,500, bringing the estimated crop damage total to around $7.5 million." +112253,669404,GEORGIA,2017,January,Thunderstorm Wind,"TREUTLEN",2017-01-03 00:55:00,EST-5,2017-01-03 01:05:00,0,0,0,0,3.00K,3000,,NaN,32.3418,-82.5328,32.3418,-82.5328,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Treutlen County Emergency Manager reported a few trees blown down along Old Louisville Road near the county line." +112253,669405,GEORGIA,2017,January,Thunderstorm Wind,"WHEELER",2017-01-03 00:03:00,EST-5,2017-01-03 00:04:00,0,0,0,0,0.00K,0,,NaN,32.0942,-82.8819,32.0942,-82.8819,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Little Ocmulgee State Park RAWS located at the Telfair-Wheeler County Airport reported a wind gust of 55 MPH." +112253,669406,GEORGIA,2017,January,Tornado,"STEWART",2017-01-02 17:58:00,EST-5,2017-01-02 18:00:00,0,0,0,0,60.00K,60000,,NaN,31.9536,-84.6755,31.9612,-84.6709,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Stewart County Emergency Manager along with state Emergency Management officials found a path of damage associated with a brief EF-1 tornado in far southern Stewart County using ground and aerial surveys. The tornado touched down south of Sardis Road destroying a good portion of 2 commercial chicken houses off of Freeman Road. The Tornado traveled just over a half mile to the northeast toppling a large irrigation sprinkler system and snapping or uprooting several large trees before lifting just south of Sardis Road. Maximum wind speed was estimated at 95 MPH and the maximum path width was 200 yards. [01/02/17: Tornado #1, County #1/1, EF1, Stewart, 2017:001]." +113582,679891,TEXAS,2017,March,Thunderstorm Wind,"REEVES",2017-03-11 20:26:00,CST-6,2017-03-11 20:27:00,0,0,0,0,5.00K,5000,0.00K,0,31.42,-103.48,31.42,-103.48,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail and damaging winds.","A thunderstorm moved across Reeves County and produced wind damage in Pecos. There were powerlines down and damaged trees reported. The cost of damage is a very rough estimate." +119861,722107,INDIANA,2017,October,Tornado,"DEARBORN",2017-10-07 20:07:00,EST-5,2017-10-07 20:09:00,0,0,0,0,20.00K,20000,0.00K,0,39.2304,-85.0802,39.2383,-85.057,"Strong to severe thunderstorms developed ahead of a strong cold front.","This tornado formed in Ripley County just southwest of Sunman at 2005EST. The tornado tracked east-northeast and entered Dearborn County at 2007EST. ||The first damage in Dearborn County was on the eastern side of County Line Road, where about half a dozen trees were sheared off approximately halfway up. Further northeast, extensive damage occurred to a barn on Kruse Lane. Although a few walls remained standing, the roof was partially removed and carried downwind. Power poles on the property were blown over. The garage of the house was partially blown inward. ||Several large limbs were downed on Fackler Rd, approximately 500 feet north of the intersection with North Dearborn Rd. This is considered to be the end of the track." +113518,679741,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CLARENDON",2017-04-03 17:07:00,EST-5,2017-04-03 17:10:00,0,0,0,0,,NaN,,NaN,33.85,-80.12,33.85,-80.12,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","SC Highway Patrol reported trees down across Interstate 95 in the southbound lanes at Mile Marker 130." +113518,679743,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-03 16:00:00,EST-5,2017-04-03 16:05:00,0,0,0,0,,NaN,,NaN,33.97,-81.02,33.97,-81.02,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Richland Co Mesonet device measured a wind gust of 65 MPH at the top of Williams Brice Stadium." +113162,676890,GEORGIA,2017,January,Flash Flood,"GORDON",2017-01-22 21:15:00,EST-5,2017-01-23 03:30:00,0,0,0,0,15.00K,15000,0.00K,0,34.4398,-84.9138,34.4055,-84.878,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Management reported water over the roadway at Langford Road. Additionally, a mudslide resulting from the heavy rainfall occurred at Union Grove Church Road. Numerous other roads experienced ponding of water due to poor drainage." +113162,676895,GEORGIA,2017,January,Flash Flood,"CHATTOOGA",2017-01-22 20:00:00,EST-5,2017-01-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,34.4613,-85.3406,34.48,-85.3324,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Management reported several roads were flooded in portions of Summerville due to heavy rainfall. In total, 3 to 4 inches of rainfall occurred in a short period." +113162,676914,GEORGIA,2017,January,Flash Flood,"TOOMBS",2017-01-22 17:25:00,EST-5,2017-01-22 19:00:00,0,0,0,0,0.00K,0,0.00K,0,31.9672,-82.4324,31.9654,-82.4249,"The atmosphere over north and central Georgia was extremely moist and unstable, with copious amounts of moisture accompanying severe storms beginning on January 21st. Heavy rainfall amounts on the order of 3.5 to 6 inches in a 24-hour period were not uncommon across portions of north and central Georgia, resulting in flash flooding.","Emergency Manager reported several inches of water covering Gray's Landing Road near Benton Lee's Steakhouse." +121013,724459,TENNESSEE,2017,November,Heavy Rain,"WILLIAMSON",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0297,-86.9009,36.0297,-86.9009,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Forest Hills 4.3 WSW measured a 24 hour rainfall total of 5.50 inches." +121013,727795,TENNESSEE,2017,November,Heavy Rain,"DEKALB",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9302,-85.9025,35.9302,-85.9025,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Smithville 4.9 WSW measured a 24 hour rainfall total of 5.94 inches." +116780,702288,NEW YORK,2017,July,Thunderstorm Wind,"ST. LAWRENCE",2017-07-08 04:10:00,EST-5,2017-07-08 04:10:00,0,0,0,0,15.00K,15000,0.00K,0,44.54,-75.01,44.54,-75.01,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Numerous trees and wires downed by thunderstorm winds." +116780,702289,NEW YORK,2017,July,Thunderstorm Wind,"ST. LAWRENCE",2017-07-08 04:10:00,EST-5,2017-07-08 04:10:00,0,0,0,0,25.00K,25000,0.00K,0,44.67,-74.98,44.67,-74.98,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Numerous trees and wires downed by thunderstorm winds." +116780,702290,NEW YORK,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-08 05:10:00,EST-5,2017-07-08 05:10:00,0,0,0,0,20.00K,20000,0.00K,0,44.66,-74.26,44.66,-74.26,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Numerous trees and wires downed by thunderstorm winds in Duane." +116780,702291,NEW YORK,2017,July,Thunderstorm Wind,"ESSEX",2017-07-08 12:25:00,EST-5,2017-07-08 12:25:00,0,0,0,0,5.00K,5000,0.00K,0,44.26,-73.4,44.26,-73.4,"A vigorous upper level disturbance that brought damaging thunderstorms across Ontario province moved into northern NY during the early morning hours. Damaging winds were centered near Potsdam/Canton but other isolated wind damage occurred as well.","Trees down on Algiers Road and boat overturned on Lake Champlain." +117280,705414,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 19:01:00,CST-6,2017-06-15 19:01:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-92.43,42.62,-92.43,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Amateur radio operator reported nickel to half dollar sized hail." +117280,705418,IOWA,2017,June,Hail,"CLARKE",2017-06-15 19:36:00,CST-6,2017-06-15 19:36:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-93.77,41.05,-93.77,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported lots of rain and dime to quarter sized hail." +114222,685791,MISSOURI,2017,March,Hail,"LIVINGSTON",2017-03-06 20:35:00,CST-6,2017-03-06 20:36:00,0,0,0,0,0.00K,0,0.00K,0,39.92,-93.5,39.92,-93.5,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +114396,686055,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:50:00,CST-6,2017-03-06 19:53:00,0,0,0,0,,NaN,,NaN,38.85,-94.72,38.85,-94.72,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Emergency Management reported roofs off of at least three houses between Olathe and Leawood at 151st and Quivira. Damage further downstream in Leawood was attributed to a brief embedded tornado." +114222,686828,MISSOURI,2017,March,Hail,"JACKSON",2017-03-06 20:12:00,CST-6,2017-03-06 20:16:00,0,0,0,0,,NaN,,NaN,39.1055,-94.2819,39.1055,-94.2819,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Trained spotter at the Lake City Ammo Plant reported golf ball sized hail." +115199,702632,OKLAHOMA,2017,May,Tornado,"BECKHAM",2017-05-16 17:46:00,CST-6,2017-05-16 18:12:00,10,0,1,0,25.00M,25000000,0.00K,0,35.2402,-99.555,35.3816,-99.3644,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","The Elk City tornado initially developed near the North Fork of the Red River about 3 miles northwest of Carter. Damage was primarily to trees and power poles for the first few miles as it moved northeast approaching State Highway 34.||One fatality occurred on State Highway 34 (Merritt Road) south of State Highway 152 when his vehicle was impacted by the tornado. According to law enforcement, the victim had been in a mobile home, then left in his vehicle to try and find more substantial shelter. He had returned to his mobile home and it's believed he was still in the vehicle when the tornado hit.||Moving northeast, permanent homes and mobile homes were damaged, and damage continued to power poles and trees. About two miles southwest of Elk City Reservoir, damage intensity with persistent EF-2 damage into Elk City as the tornado continued northeast over Elk City Reservoir and through a neighborhood on south side of Elk City just west of State Highway 6. Numerous homes were damaged and mobile homes damaged or destroyed from southwest of Elk City Reservoir through the south side of Elk City. The tornado continued moving east-northeast out of Elk City and moved into Washita County. ||Damage assessments found 66 homes destroyed (62 in Elk City) and 140 homes damaged (126 in Elk City). In addition, 3 businesses were destroyed and 5 businesses were damaged by the tornado. Damage costs are a rough estimate." +117280,707241,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-15 20:53:00,CST-6,2017-06-15 20:53:00,0,0,0,0,10.00K,10000,0.00K,0,41.3,-95.08,41.3,-95.08,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","The emergency manager reported lots of tree debris in the streets of town." +117280,705386,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:12:00,CST-6,2017-06-15 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-92.78,42.57,-92.78,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +117280,705387,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:15:00,CST-6,2017-06-15 17:15:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-92.71,42.84,-92.71,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail. This is a delayed report." +117280,705388,IOWA,2017,June,Hail,"FRANKLIN",2017-06-15 17:17:00,CST-6,2017-06-15 17:17:00,0,0,0,0,0.00K,0,0.00K,0,42.74,-93.08,42.74,-93.08,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported up to 2 inch size hail." +117280,705389,IOWA,2017,June,Hail,"BUTLER",2017-06-15 17:18:00,CST-6,2017-06-15 17:18:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-92.78,42.57,-92.78,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Emergency manager reported half dollar sized hail." +118542,712172,PENNSYLVANIA,2017,September,Hail,"BERKS",2017-09-05 15:14:00,EST-5,2017-09-05 15:14:00,0,0,0,0,,NaN,,NaN,40.37,-76.08,40.37,-76.08,"A frontal boundary moving through the region produced thunderstorms, some severe, during the late afternoon and early evening hours on the 5th.","Quarter-size hail was reported near Wernersville." +118545,712188,NEW JERSEY,2017,September,Hail,"ATLANTIC",2017-09-06 06:53:00,EST-5,2017-09-06 06:53:00,0,0,0,0,,NaN,,NaN,39.53,-74.94,39.53,-74.94,"An impulse riding along a nearly stationary cold front oriented from north to south across the Garden State produced showers and thunderstorms early on the 6th.","Marble sized hail was reported in Buena from thunderstorms which moved from south to north through the area during the morning hours of the 6th." +117314,705572,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-16 19:50:00,CST-6,2017-06-16 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-95.14,41.23,-95.14,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Emergency manager reported broken tree branches across down along with power outages." +115344,692583,ARKANSAS,2017,April,Hail,"WOODRUFF",2017-04-26 15:48:00,CST-6,2017-04-26 15:48:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-91.36,35.24,-91.36,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","" +116395,699933,NEW YORK,2017,May,Hail,"HAMILTON",2017-05-18 18:09:00,EST-5,2017-05-18 18:09:00,0,0,0,0,,NaN,,NaN,43.79,-74.27,43.79,-74.27,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +117314,705575,IOWA,2017,June,Thunderstorm Wind,"STORY",2017-06-16 20:17:00,CST-6,2017-06-16 20:17:00,0,0,0,0,25.00K,25000,0.00K,0,42.17,-93.5,42.17,-93.5,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Storm chaser reported lots of large tree limbs down, some large trees downed in town, a tree on a house, and power lines downed. This is a delayed report and via social media." +117314,705578,IOWA,2017,June,Thunderstorm Wind,"TAYLOR",2017-06-16 20:42:00,CST-6,2017-06-16 20:42:00,1,0,0,0,40.00K,40000,0.00K,0,40.7299,-94.8287,40.7299,-94.8287,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Three unsecured camper trailers were blown from their camp site into the lake. One minor injury reported." +117314,705583,IOWA,2017,June,Heavy Rain,"ADAMS",2017-06-16 18:30:00,CST-6,2017-06-16 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41,-94.75,41,-94.75,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer recorded heavy rainfall of 2.38 inches." +116395,699973,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-18 18:52:00,EST-5,2017-05-18 18:52:00,0,0,0,0,,NaN,,NaN,42.77,-73.7,42.77,-73.7,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","A tree was downed onto a house on Mohawk Street." +116820,703910,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:50:00,CST-6,2017-06-14 17:55:00,0,0,0,0,1.00M,1000000,,NaN,31.8833,-102.3136,31.8833,-102.3136,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced two inch hail in Odessa. The cost of damage is a very rough estimate." +116519,702883,IOWA,2017,May,Thunderstorm Wind,"DES MOINES",2017-05-10 15:15:00,CST-6,2017-05-10 15:15:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-91.26,40.83,-91.26,"Severe thunderstorms developed along a warm front during the afternoon and evening, bringing large hail, strong winds, heavy downpours, and a brief EF-0 tornado west of Salem, IA (north of Hillsboro) just before 3 pm.","A trained spotter reported several large tree branches down in town. The time of the event was estimated from radar." +112258,673728,GEORGIA,2017,January,Tornado,"WASHINGTON",2017-01-21 13:40:00,EST-5,2017-01-21 13:46:00,0,0,0,0,30.00K,30000,,NaN,32.896,-82.82,32.929,-82.799,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a EF1 tornado with maximum wind speeds of 110 MPH and a maximum path width of 300 yards began around the intersection of Highway 68 and Hayes Road south of Tennille. The tornado travelled north-northeast for around two and a half miles before ending along Boatright Road south of Grady Mertz Road. Numerous trees were downed and two trailers were severely damaged. [01/21/17: Tornado #20, County #1/1, EF1, Washington, 2017:021]." +112258,673742,GEORGIA,2017,January,Tornado,"BLECKLEY",2017-01-22 16:22:00,EST-5,2017-01-22 16:23:00,0,0,0,0,10.00K,10000,,NaN,32.524,-83.317,32.53,-83.3105,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a brief EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 50 yards began along Dillard Cary Road and travelled around a half mile northeast snapping or uprooting several trees before ending along Willis Howell Road. [01/21/17: Tornado #4, County #1/1, EF0, Bleckley, 2017:028]." +112258,671697,GEORGIA,2017,January,Thunderstorm Wind,"TWIGGS",2017-01-21 12:48:00,EST-5,2017-01-21 12:53:00,0,0,0,0,8.00K,8000,,NaN,32.65,-83.44,32.6748,-83.3739,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Twiggs County 911 center reported numerous trees blown down from around Marion to Jeffersonville." +112253,676832,GEORGIA,2017,January,Flash Flood,"MUSCOGEE",2017-01-02 20:35:00,EST-5,2017-01-03 01:45:00,0,0,0,0,35.00K,35000,0.00K,0,32.5351,-84.958,32.5162,-84.9608,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Ledger Enquirer reported isolated areas of street flooding, particularly along portions of Veterans Parkway resulting in several stalled vehicles. Flooding also occurred at Heath Lake Park and Cooper Creek Park, closing the parks. In total, 2.5 to 3.0 inches of rainfall occurred in a short period of time." +113193,677936,SOUTH CAROLINA,2017,January,Winter Weather,"NEWBERRY",2017-01-07 07:00:00,EST-5,2017-01-07 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Reports of light ice accumulation on elevated roadways/surfaces." +113193,677937,SOUTH CAROLINA,2017,January,Winter Weather,"RICHLAND",2017-01-07 08:00:00,EST-5,2017-01-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Reported 2 miles NE of Lake Murray. Sleet/Light Freezing Drizzle mixture. Light ice accumulation on elevated surfaces." +113581,679886,NEW MEXICO,2017,March,Hail,"LEA",2017-03-11 17:00:00,MST-7,2017-03-11 17:10:00,0,0,0,0,0.50K,500,,NaN,32.6754,-103.4288,32.6754,-103.4288,"A surface trough was present across the Lower Trans Pecos and Davis Mountains, and a cold front was across the northern Permian Basin. There was strong surface convergence, instability, moisture, and an upper level disturbance over the area. These conditions contributed to thunderstorms that developed with large hail.","A thunderstorm moved across Lea County and produced hail damage near Monument. A windshield was significantly cracked by the hail. The cost of damage is a rough estimate." +113518,679727,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-03 15:13:00,EST-5,2017-04-03 15:15:00,0,0,0,0,,NaN,,NaN,33.52,-81.85,33.52,-81.85,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Fire caused by downed power lines." +113518,679729,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LANCASTER",2017-04-03 15:30:00,EST-5,2017-04-03 15:35:00,0,0,0,0,,NaN,,NaN,34.77,-80.74,34.77,-80.74,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees down in roadway at Old Pardue Rd and Zion Rd." +123411,740058,NEBRASKA,2017,October,Hail,"CUSTER",2017-10-01 17:20:00,CST-6,2017-10-01 17:20:00,0,0,0,0,,NaN,,NaN,41.32,-100.19,41.32,-100.19,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +123411,740059,NEBRASKA,2017,October,Thunderstorm Wind,"CUSTER",2017-10-01 17:20:00,CST-6,2017-10-01 17:20:00,0,0,0,0,,NaN,,NaN,41.32,-100.19,41.32,-100.19,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","No major damage reported." +123411,740061,NEBRASKA,2017,October,Hail,"CUSTER",2017-10-01 17:40:00,CST-6,2017-10-01 17:40:00,0,0,0,0,,NaN,,NaN,41.56,-99.69,41.56,-99.69,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +121013,727797,TENNESSEE,2017,November,Heavy Rain,"CHEATHAM",2017-11-07 07:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0806,-87.1165,36.0806,-87.1165,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Kingston Springs 1.4 SW measured a 24 hour rainfall total of 5.40 inches." +121013,727796,TENNESSEE,2017,November,Heavy Rain,"RUTHERFORD",2017-11-07 07:23:00,CST-6,2017-11-07 07:23:00,0,0,0,0,0.00K,0,0.00K,0,35.9855,-86.4802,35.9855,-86.4802,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","CoCoRaHS station Smyrna 2.1 E measured a 24 hour rainfall total of 5.80 inches." +117280,705419,IOWA,2017,June,Hail,"ADAIR",2017-06-15 20:09:00,CST-6,2017-06-15 20:09:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-94.32,41.43,-94.32,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Emergency manager reported quarter sized hail." +117280,705420,IOWA,2017,June,Hail,"WARREN",2017-06-15 20:16:00,CST-6,2017-06-15 20:16:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-93.38,41.19,-93.38,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Amateur radio reported quarter sized hail." +117280,705421,IOWA,2017,June,Hail,"MADISON",2017-06-15 20:20:00,CST-6,2017-06-15 20:20:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-94.12,41.49,-94.12,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported lots of hail from pea to half dollar in size." +117280,705422,IOWA,2017,June,Hail,"MARION",2017-06-15 20:21:00,CST-6,2017-06-15 20:21:00,0,0,0,0,0.00K,0,0.00K,0,41.23,-93.24,41.23,-93.24,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Law enforcement reported golf ball sized hail." +119542,717358,IOWA,2017,August,Heavy Rain,"GUTHRIE",2017-08-20 07:00:00,CST-6,2017-08-21 07:00:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-94.5,41.68,-94.5,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Coop observer reported heavy rainfall of 4.85 inches over the last 24 hours." +114222,686832,MISSOURI,2017,March,Hail,"HENRY",2017-03-06 21:46:00,CST-6,2017-03-06 21:47:00,0,0,0,0,0.00K,0,0.00K,0,38.2345,-93.5581,38.2345,-93.5581,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +117278,705370,IOWA,2017,June,Thunderstorm Wind,"PALO ALTO",2017-06-12 10:27:00,CST-6,2017-06-12 10:27:00,0,0,0,0,20.00K,20000,100.00K,100000,43.21,-94.85,43.21,-94.85,"A stationary front was draped across much of northwest and northern Iowa, acting as a focal point for convection during the overnight and daytime hours. By mid-morning mixed layer CAPE values were already approaching and exceeding 2000 J/kg. The initial set of storms initiated in eastern Nebraska and progressed into Iowa. After initially weakening, said storms strengthened and became roughly linear. The resulting damage report was for damaging winds in northwest Iowa. Later that afternoon with the front remaining over northern Iowa, storms initiated in the warm sector, with the initial and strongest storm producing a pair of severe hail reports.","Trained spotter reported heavy damage to corn and bean fields, likely from combination of hail and high winds. Power lines also down across the road and numerous tree branches down. This is a delayed report. Time radar estimated." +117316,705592,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:06:00,CST-6,2017-06-17 17:06:00,0,0,0,0,5.00K,5000,0.00K,0,40.7,-92.87,40.7,-92.87,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Law enforcement reported larger than baseball sized hail." +114222,685800,MISSOURI,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 20:53:00,CST-6,2017-03-06 20:56:00,0,0,0,0,,NaN,,NaN,38.72,-93.99,38.72,-93.99,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A tree fell on top of a mobile home with three people trapped inside. There were no known injuries from this event." +114222,686038,MISSOURI,2017,March,Hail,"HOWARD",2017-03-06 21:55:00,CST-6,2017-03-06 21:55:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-92.74,39.01,-92.74,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +118575,712318,DELAWARE,2017,September,Flood,"SUSSEX",2017-09-06 17:55:00,EST-5,2017-09-06 17:55:00,0,0,0,0,0.00K,0,0.00K,0,38.4517,-75.0518,38.4519,-75.0531,"A slow moving cold front produced heavy showers with embedded thunderstorms. This was the second and heaviest day or rainfall across Sussex County, Delaware. Rainfall amounts ranged from 1.08 inches 4 miles southwest of Lewes, DE to 4.01 inches 7 miles east of Selbyville, DE.","Route 1 and Lighthouse Road was closed due to high water. Vehicles were partially submerged but occupants were able to get safely out of the vehicle on their own." +119041,714939,NEW JERSEY,2017,September,Flood,"MORRIS",2017-09-16 17:30:00,EST-5,2017-09-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-74.47,40.795,-74.4718,"A series of disturbances in the jet stream and a weak surface trough lead to sufficient lift within a tropical air mass to produce slow moving, heavy rain showers across portions of New Jersey. This lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th.","Flooding on I-287 Southbound at exits 35 and 36 forced lane closures. Start time estimated." +119041,714940,NEW JERSEY,2017,September,Heavy Rain,"MORRIS",2017-09-16 17:30:00,EST-5,2017-09-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-74.42,40.8,-74.42,"A series of disturbances in the jet stream and a weak surface trough lead to sufficient lift within a tropical air mass to produce slow moving, heavy rain showers across portions of New Jersey. This lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th.","Heavy rain showers lead to localized urban and poor drainage flooding during the evening of Saturday, September 16th. A HADS Sensor near Birch Hills measured a two-hour rainfall total of 1.84 inches." +119120,715397,NEW JERSEY,2017,September,Rip Current,"EASTERN MONMOUTH",2017-09-20 14:00:00,EST-5,2017-09-20 14:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A female was caught in a rip current off Asbury Park, New Jersey, and passed away the following day.","A 42 year old female was swimming off Asbury Park, New Jersey, near the Deal Lake intersection drive with the beach around 3PM Wednesday, September 20th. She was caught in a rip current and passed away the following day. ||This was indirectly caused by Tropical Storm Jose, which was located around 140 miles south-southeast of Nantucket at the time. The incident occurred within about 45 minutes of low tide, with a storm tide around +1.5 feet. Waves in the surf zone were estimated to be in the 5 to 7 foot range, with a period near 11 seconds from the east-southeast, based on offshore buoy data. Both air and water temperatures were above normal at the time, with a north-northwest wind gusting 15 to 20 mph." +115365,695383,ARKANSAS,2017,April,Flash Flood,"CONWAY",2017-04-29 22:46:00,CST-6,2017-04-30 00:15:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-92.74,35.1149,-92.7912,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","" +115365,695758,ARKANSAS,2017,April,Heavy Rain,"JACKSON",2017-04-30 07:00:00,CST-6,2017-04-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,35.63,-91.24,35.63,-91.24,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 4.62 inches." +115365,695745,ARKANSAS,2017,April,Heavy Rain,"CONWAY",2017-04-30 06:00:00,CST-6,2017-04-30 06:00:00,0,0,0,0,0.00K,0,0.00K,0,35.37,-92.56,35.37,-92.56,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","The 24 hour rainfall total was 3.85 inches." +115196,694514,OKLAHOMA,2017,May,Thunderstorm Wind,"CANADIAN",2017-05-10 19:24:00,CST-6,2017-05-10 19:24:00,0,0,0,0,0.00K,0,0.00K,0,35.39,-97.94,35.39,-97.94,"With outflow boundaries floating around the state and a large upper low moving into the region, scattered storms formed across Oklahoma and western north Texas on the evening of the 10th.","No damage reported." +115200,694759,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODS",2017-05-18 18:10:00,CST-6,2017-05-18 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-98.76,36.73,-98.76,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +116395,699934,NEW YORK,2017,May,Hail,"HAMILTON",2017-05-18 18:11:00,EST-5,2017-05-18 18:11:00,0,0,0,0,,NaN,,NaN,43.78,-74.27,43.78,-74.27,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","" +116395,699974,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 19:00:00,EST-5,2017-05-18 19:00:00,0,0,0,0,,NaN,,NaN,42.64,-73.67,42.64,-73.67,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Trees and wires were downed across Morner Road." +113687,692046,LOUISIANA,2017,April,Tornado,"MADISON",2017-04-02 16:43:00,CST-6,2017-04-02 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,32.2032,-91.4836,32.2089,-91.4812,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This brief weak tornado touched down in the wildlife management area just off Big Lake Road. A few trees and large limbs were snapped. Flooded roads prevented further access to Sharky Road. A tornadic debris signature (TDS) was noted from the KULM radar as the tornado crossed Sharky Road and the path was continued to that point in southwest Madison Parish. Max winds were 80 mph, and total path length was 1.40 miles." +113687,680661,LOUISIANA,2017,April,Flash Flood,"MADISON",2017-04-02 19:45:00,CST-6,2017-04-03 01:45:00,0,0,0,0,60.00K,60000,0.00K,0,32.4091,-91.284,32.4299,-91.1783,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple roads were flooded across the parish. Water entered or approached a few homes in Tallulah." +113698,680597,TENNESSEE,2017,March,Thunderstorm Wind,"ROANE",2017-03-21 18:30:00,EST-5,2017-03-21 18:30:00,0,0,0,0,,NaN,,NaN,35.87,-84.42,35.87,-84.42,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","A tree was reported down near mile marker 359 on Interstate 40." +116820,723643,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,1.00M,1000000,,NaN,31.8942,-102.309,31.8942,-102.309,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Numerous reports of baseball and softball sized hail were reported by the public in Odessa. This hail broke windows on cars and homes. The cost of damage is a very rough estimate." +112258,673732,GEORGIA,2017,January,Tornado,"WASHINGTON",2017-01-21 13:45:00,EST-5,2017-01-21 13:49:00,0,0,0,0,50.00K,50000,,NaN,32.924,-82.779,32.938,-82.764,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a EF1 tornado with maximum wind speeds of 100 MPH and a maximum path width of 300 yards began along Grady Mertz Road near the intersection with Shurling Davis Road southeast of Tennille. The tornado travelled east along Shurling Davis Road before turning north and moving up Thompson Road, ending at Holmes Cannery Road. Numerous trees were downed and a trailer was rolled and destroyed. [01/21/17: Tornado #21, County #1/1, EF1, Washington, 2017:022]." +113193,677938,SOUTH CAROLINA,2017,January,Winter Weather,"NEWBERRY",2017-01-07 07:15:00,EST-5,2017-01-07 10:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Light snow with trace accumulations in Newberry, SC. Light freezing rain and drizzle with ice accumulation in trees. Bridges in N. Newberry County experiencing icing and are being treated by DOT." +113193,677939,SOUTH CAROLINA,2017,January,Winter Weather,"LANCASTER",2017-01-07 08:40:00,EST-5,2017-01-07 08:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Heavy snow occurring in Indian Land, SC. No accumulation amounts reported as of yet." +113193,677940,SOUTH CAROLINA,2017,January,Winter Weather,"RICHLAND",2017-01-07 10:00:00,EST-5,2017-01-07 10:05:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Snow accumulation estimated at 0.1 inch at Dorn VA Hospital in Columbia." +113394,678474,TEXAS,2017,March,High Wind,"WINKLER",2017-03-28 18:10:00,CST-6,2017-03-28 19:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","Sustained west winds of 40-46 mph, and a gust to 56 mph, occurred at the Wink ASOS." +113394,678475,TEXAS,2017,March,High Wind,"DAVIS / APACHE MOUNTAINS AREA",2017-03-28 16:55:00,CST-6,2017-03-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","Sustained west winds of 40-45 mph, and a gust to 64 mph, occurred at the McDonald Observatory." +113518,679548,SOUTH CAROLINA,2017,April,Tornado,"AIKEN",2017-04-03 15:14:00,EST-5,2017-04-03 15:16:00,0,0,0,0,,NaN,,NaN,33.801,-81.62,33.803,-81.605,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","The tornado touched down near Old Shoals Road just south of Abney Rd where it snapped numerous pine trees, resulting in EF1 damage. The tornado then weakened as it moved in a general eastward direction, snapping additional pine trees as it crossed|Shealy Pond Rd and then Alberta Peach Rd before dissipating." +123411,740065,NEBRASKA,2017,October,Thunderstorm Wind,"LINCOLN",2017-10-01 18:10:00,CST-6,2017-10-01 18:10:00,0,0,0,0,,NaN,,NaN,40.99,-100.77,40.99,-100.77,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","No major damage reported." +123411,740066,NEBRASKA,2017,October,Hail,"HOLT",2017-10-01 18:33:00,CST-6,2017-10-01 18:33:00,0,0,0,0,,NaN,,NaN,42.18,-98.99,42.18,-98.99,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +123411,740067,NEBRASKA,2017,October,Hail,"FRONTIER",2017-10-01 18:50:00,CST-6,2017-10-01 18:50:00,0,0,0,0,,NaN,,NaN,40.63,-100.51,40.63,-100.51,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +113553,740129,SOUTH CAROLINA,2017,April,Tornado,"SALUDA",2017-04-05 16:19:00,EST-5,2017-04-05 16:28:00,0,0,0,0,,NaN,,NaN,33.8465,-81.7777,33.871,-81.675,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","The tornado touched down in Edgefield County near Johnston and moved to the ENE into Saluda County through Ward before dissipating northwest of Ridge Spring off of|Murphy Farm Road. Widespread hardwood and pine trees were uprooted and snapped causing damage to multiple homes and vehicles. Most of the damage was EF-0 and EF-1, but EF-2 damage with peak wind speeds near 115 mph was noted near Ward. |Widespread large hardwoods were uprooted and snapped with some trees having the bark stripped off. In addition, the top of a concrete silo was destroyed." +115946,696750,SOUTH CAROLINA,2017,May,Tornado,"SALUDA",2017-05-24 14:04:00,EST-5,2017-05-24 14:07:00,0,0,0,0,,NaN,,NaN,34.1058,-81.6403,34.1243,-81.6153,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","An NWS Storm Survey Team found that a tornado touched down near Denny Highway in Northern Saluda County, about 2 miles southwest of the Saluda River. The tornado|then continued northeast across the Saluda River and into Newberry County. The tornado had a path length of 1.92 miles in Saluda County and a maximum width of 250 yards, producing EF-0 and EF-1 damage along its path. Numerous trees were either snapped or uprooted along the damage path." +121013,724451,TENNESSEE,2017,November,Heavy Rain,"RUTHERFORD",2017-11-07 06:00:00,CST-6,2017-11-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,36,-86.52,36,-86.52,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","The Smyrna Airport AWOS measured a 12 hour rainfall total of 5.82 inches from 6 PM Monday, November 6, 2017 to 6 AM Tuesday, November 7, 2017." +121758,741699,PENNSYLVANIA,2017,November,Tornado,"WESTMORELAND",2017-11-19 00:13:00,EST-5,2017-11-19 00:15:00,0,0,0,0,25.00K,25000,0.00K,0,40.4547,-79.7033,40.491,-79.6829,"A strong cold front crossing the upper Ohio Valley late on the 18th produced isolated wind damage across the region. While most of the observations indicating wind gusts of 50mph or less, there was an enhanced area along the line where both straight line wind damage and a brief tornado were confirmed. Wind speeds maxed out between 80-90mph in this area. Damage was primarily to trees however, some structural damage was noted in the tornadoes track.","The National Weather Service in Pittsburgh concluded that damage along Saltsburg Road from Plum, in Allegheny county to Murrysville, in Westmoreland county, was tornadic in nature. Several large hardwood trees were uprooted or snapped along the entire route, with concentrated areas of significant tree damage. In addition a vehicle was flipped in the parking lot of a senior residential community center and air condensers on the top of the buildings were removed. At it's worst, the damage was estimated to be 90mph, which is consistent with a rating of EF1." +115890,741697,PENNSYLVANIA,2017,May,Tornado,"FOREST",2017-05-01 14:30:00,EST-5,2017-05-01 14:31:00,0,0,0,0,25.00K,25000,0.00K,0,41.4325,-79.3416,41.438,-79.339,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","The National Weather Service in Pittsburgh has confirmed a |tornado near Newmansville in Clarion and Forest Counties in Pennsylvania.||Two distinct, tornadic damage swaths seemingly associated with |one parent mesocyclone were discovered beginning along Pine Hollow|Road in northern Clarion County.||A survey team examined damage along Red Pine Circle and Pine |Hollow Road in northern Clarion County. The team discovered a |coherent, convergent track of tree damage that began in a field to|the west of Red Pine Circle and carved a focused swath through |trees at the northwestern corner of the Red Pine Circle loop. |Hardwood and softwood trees were snapped and uprooted in this |area, with damage sustained to several cabins from falling trees. |Nearly every tree within the 100 yd-wide swath sustained some |degree of damage.||To the south of the tornado track, additional tree damage was |discovered that is consistent with a broader swath of non-tornadic|wind. Sporadic, snapped large limbs and a few uproots were found |along the southern stretch of Red Pine Circle and the southern |portion of Pine Hollow Road.||A distinct track within the same parent mesocyclone crossed Pine |Hollow Road near Kerr Drive and continued to show sporadic damage |to trees into southern Forest County before weakening along |Guitonville Road in Green Township. Direct damage along the |entirety of the track appears to be predominantly to trees, with |extensive tree devastation encountered along Pine Hollow Road. In |this area, a section of forest was leveled/snapped, representing |the most-intense wind damage encountered in all surveys conducted |for this storm system. Clarion County officials informed the team |that the road had been closed for a prolonged period following the|storm.||Tree damage along this track's extension on Kerr Drive and across|Carll Drive continued into the wooded area to the north. Damage |with some degree of concentration also was encountered along |Guitonville Road at the geographical northward extension of this |track. While the survey team was unable to traverse the wooded |area between these two damage points to confirm their continuity, |it appears most probable that an at-least discontinuous track of |tree damage connects the two points." +120469,721753,NEW JERSEY,2017,September,Coastal Flood,"EASTERN OCEAN",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected eastern Ocean County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed, including Long Beach Island.||The following tidal gauge reached the moderate flooding threshold: Atlantic City Inside Thorofare." +120469,721754,NEW JERSEY,2017,September,Coastal Flood,"WESTERN OCEAN",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected western Ocean County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.||The following tidal gauge reached the moderate flooding threshold: Atlantic City Inside Thorofare." +116395,699971,NEW YORK,2017,May,Thunderstorm Wind,"RENSSELAER",2017-05-18 19:17:00,EST-5,2017-05-18 19:17:00,0,0,0,0,,NaN,,NaN,42.93,-73.34,42.93,-73.34,"May 18 was the second straight day of widespread 90 degree weather across eastern New York. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into the Mohawk Valley by mid-afternoon. The storms were isolated with large hail initially, but a stronger cluster of storms approached from the west after 6 pm. The main hazard with these storms was wind damage as they moved from the Mohawk Valley through the Capital District and into the Lake George Saratoga region by the evening hours. Numerous reports of downed trees and powerlines occurred in this area. The worst damage occurred from Queensbury in Warren County to Kingsbury in Washington County. These storms produced a macroburst, or concentrated area of straight line wind damage. These winds were measured at 68 mph at the Glens Falls New York State Mesonet site, and were estimated to be as high as 90 mph, resulting in widespread tree damage, destroying a barn, and damaging the roofs of a couple of other buildings. Another cluster of storms resulted in wind damage over portions of Dutchess County toward midnight.","Multiple reports of trees and wires down in the area." +117316,705593,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:08:00,CST-6,2017-06-17 17:08:00,0,0,0,0,2.00K,2000,0.00K,0,40.73,-92.87,40.73,-92.87,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Trained spotter reported 2 inch hail." +117316,705594,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:08:00,CST-6,2017-06-17 17:08:00,0,0,0,0,2.00K,2000,0.00K,0,40.76,-92.87,40.76,-92.87,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Trained spotter reported golf ball sized hail." +117280,708357,IOWA,2017,June,Thunderstorm Wind,"CASS",2017-06-15 17:55:00,CST-6,2017-06-15 18:10:00,0,0,0,0,150.00K,150000,0.00K,0,41.2329,-95.1317,41.3039,-95.0802,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","The emergency manager reported several grain bins destroyed, a damaged machine shed, a damaged storage silo, several large trees uprooted or snapped off, and damage to a center pivot." +117280,705415,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 19:03:00,CST-6,2017-06-15 19:03:00,0,0,0,0,0.00K,0,0.00K,0,42.5997,-92.3367,42.5997,-92.3367,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported ping pong ball sized hail along E Bennington Rd." +114222,686039,MISSOURI,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 21:55:00,CST-6,2017-03-06 21:58:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-92.6,39.24,-92.6,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Large tree limbs were down over State Route H." +114222,686040,MISSOURI,2017,March,Thunderstorm Wind,"HOWARD",2017-03-06 21:55:00,CST-6,2017-03-06 21:58:00,0,0,0,0,,NaN,,NaN,39.01,-92.74,39.01,-92.74,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A few broken residential windows with multiple mailboxes and road signs were blown over." +114396,686115,KANSAS,2017,March,Thunderstorm Wind,"WYANDOTTE",2017-03-06 19:55:00,CST-6,2017-03-06 19:58:00,0,0,0,0,,NaN,,NaN,39.1,-94.65,39.1,-94.65,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Trained spotter in Kansas City, Kansas reported a 60-70 mph wind gust near 18th Street and I-70." +114222,686050,MISSOURI,2017,March,Thunderstorm Wind,"MACON",2017-03-06 21:31:00,CST-6,2017-03-06 21:34:00,0,0,0,0,0.00K,0,0.00K,0,39.74,-92.47,39.74,-92.47,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","An Emergency Manager in Macon, Missouri reported a 60 mph wind gust." +114222,686051,MISSOURI,2017,March,Hail,"MACON",2017-03-06 21:31:00,CST-6,2017-03-06 21:34:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-92.56,39.75,-92.56,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","" +115200,694768,OKLAHOMA,2017,May,Flash Flood,"JEFFERSON",2017-05-18 19:50:00,CST-6,2017-05-18 22:50:00,0,0,0,0,0.00K,0,0.00K,0,34.22,-98.06,34.2201,-98.0382,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Water was flowing over highway 5." +115203,695082,TEXAS,2017,May,Hail,"WICHITA",2017-05-19 14:38:00,CST-6,2017-05-19 14:38:00,0,0,0,0,0.00K,0,0.00K,0,34.09,-98.57,34.09,-98.57,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","" +115204,695102,OKLAHOMA,2017,May,Hail,"COTTON",2017-05-22 20:56:00,CST-6,2017-05-22 20:56:00,0,0,0,0,0.00K,0,0.00K,0,34.17,-98.46,34.17,-98.46,"Scattered showers and storms formed in the evening of the 22nd under the influence of an upper level low.","" +115206,695981,OKLAHOMA,2017,May,Hail,"GARVIN",2017-05-28 00:48:00,CST-6,2017-05-28 00:48:00,0,0,0,0,0.00K,0,0.00K,0,34.74,-97.22,34.74,-97.22,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","" +115032,698101,MISSISSIPPI,2017,April,Tornado,"WARREN",2017-04-30 06:24:00,CST-6,2017-04-30 06:27:00,0,0,0,0,50.00K,50000,0.00K,0,32.3749,-90.875,32.3969,-90.8544,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","The tornado began just south of Interstate 20 around Delta, LA and traveled northeast to cross the Mississippi River on the northern outskirts of Vicksburg. The tornado widened to a maximum path width of 440 yards as it entered Warren County. It produced EF-1 rated damage along its path including numerous snapped hardwood trees, blown down power lines, damage to a garage door of a building along Haining Road, and broken power poles along North Washington Street north of Watersville. The tornado lifted just north of this location. A peak wind speed of 100 mph was estimated based on surveyed damage. A debris signature was observed by NWS radar and a University of Louisiana at Monroe research radar along the path of this tornado. Total path length was 9.2 miles." +117314,705581,IOWA,2017,June,Thunderstorm Wind,"STORY",2017-06-16 20:50:00,CST-6,2017-06-16 20:50:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-93.31,42.17,-93.31,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer reported estimated wind gusts to 60 mph or more. This is a delayed report and time estimated from radar." +117314,705582,IOWA,2017,June,Thunderstorm Wind,"MARSHALL",2017-06-16 21:15:00,CST-6,2017-06-16 21:15:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-92.89,42.04,-92.89,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Amateur radio operator reported 60 mph wind gusts at the Iowa Veterans Home." +117314,705585,IOWA,2017,June,Heavy Rain,"POWESHIEK",2017-06-16 20:00:00,CST-6,2017-06-16 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-92.75,41.73,-92.75,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer recorded heavy rainfall of 2.10 inches." +114631,687557,KANSAS,2017,March,Thunderstorm Wind,"COWLEY",2017-03-26 19:50:00,CST-6,2017-03-26 19:52:00,0,0,0,0,0.20K,200,0.00K,0,37.27,-96.97,37.27,-96.97,"An upper-deck low that was centered over Southwest Kansas that afternoon moved east across South-Central Kansas that evening. Damaging winds that reached around 65 mph were the greatest threat although there were many reports of hail, nearly all of them 1 inch or less.","A sign was damaged at a strip mall on the east side of Winfield." +112932,674730,TENNESSEE,2017,March,Hail,"MARION",2017-03-01 13:54:00,CST-6,2017-03-01 13:54:00,0,0,0,0,,NaN,,NaN,35.03,-85.78,35.03,-85.78,"A well developed upper level trough moved from the Eastern Plains to the Eastern Seaboard with an associated strong low pressure system and cold front. A squall line formed ahead of the front and swept across the Southern Appalachian region from mid morning through the mid afternoon hours. Several reports of straight line wind damage were received during the event along with limited reports of large hail. Most of the damage was on the Cumberland Plateau and across Southeast Tennessee with more isolated damage reported in Southwest Virginia and Southwest North Carolina.","Tennis ball sized hail was reported two miles northeast of Orme." +112258,671718,GEORGIA,2017,January,Thunderstorm Wind,"CRISP",2017-01-22 11:11:00,EST-5,2017-01-22 11:16:00,0,0,0,0,5.00K,5000,,NaN,31.8393,-83.8394,31.8393,-83.8394,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Crisp County Emergency Manager reported numerous tree blown down across Arabi Warwick Road." +112253,669389,GEORGIA,2017,January,Thunderstorm Wind,"WEBSTER",2017-01-02 18:20:00,EST-5,2017-01-02 18:40:00,0,0,0,0,20.00K,20000,,NaN,32.0112,-84.5655,32.1041,-84.5554,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Webster County Emergency Manager and the county 911 center reported trees blown down from around the intersection of Highway 41 and Center Point Road south of Preston to Wilson Pond Road north of Preston. There was damage to metal outbuildings and shingles blown off of several houses northwest of Preston." +113394,678476,TEXAS,2017,March,High Wind,"PECOS",2017-03-28 18:06:00,CST-6,2017-03-28 19:06:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","Sustained west winds of 40-48 mph, and a gust to 58 mph, occurred at the Coyanosa ASOS." +113394,678479,TEXAS,2017,March,High Wind,"PECOS",2017-03-28 18:12:00,CST-6,2017-03-28 19:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","" +113394,678481,TEXAS,2017,March,High Wind,"PRESIDIO VALLEY",2017-03-28 17:35:00,CST-6,2017-03-28 19:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","" +113394,678483,TEXAS,2017,March,High Wind,"MARFA PLATEAU",2017-03-28 17:02:00,CST-6,2017-03-28 18:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","" +113394,678490,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-28 11:51:00,MST-7,2017-03-28 21:51:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","" +113394,678491,TEXAS,2017,March,High Wind,"VAN HORN & HWY 54 CORRIDOR",2017-03-28 18:00:00,CST-6,2017-03-28 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing upper trough resulted in high winds in the Guadalupe and Davis Mountains, and over portions of the adjacent west Texas plains.","" +121579,727723,CALIFORNIA,2017,November,High Wind,"SAN GORGONIO PASS NEAR BANNING",2017-11-28 00:50:00,PST-8,2017-11-28 01:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough of low pressure sweeping across the region brought gusty onshore winds to the mountains and deserts on the 26th and 27th. Winds rapidly transitioned to locally strong offshore winds early on the 28th. Apart from a few local gusts into the 70s, peak wind gusts were limited to the 35-55 mph range. No significant impacts were reported.","The mesonet station in Whitewater reported a peak westerly wind gust of 70 mph between 0050 PST and 0150 PST." +121579,727722,CALIFORNIA,2017,November,High Wind,"SANTA ANA MOUNTAINS AND FOOTHILLS",2017-11-28 02:00:00,PST-8,2017-11-28 04:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A trough of low pressure sweeping across the region brought gusty onshore winds to the mountains and deserts on the 26th and 27th. Winds rapidly transitioned to locally strong offshore winds early on the 28th. Apart from a few local gusts into the 70s, peak wind gusts were limited to the 35-55 mph range. No significant impacts were reported.","The mesonet station at Pleasants Peak reported a two and a half hour period with easterly wind gusts over 70 mph. A peak gust of 73 mph occurred between 0200 and 230 PST." +113518,679549,SOUTH CAROLINA,2017,April,Tornado,"CALHOUN",2017-04-03 16:11:00,EST-5,2017-04-03 16:22:00,0,0,0,0,,NaN,,NaN,33.59,-80.787,33.62,-80.676,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","The tornado touched down near the Orangeburg and Calhoun County line near Pasture Lane. The tornado moved east-northeast for about 6.5 miles. The tornado lifted just before Highway 6 near Kings Grant Rd.||The most significant damage occurred along Sikes Rd near Belleville Rd and extended eastward to Mossdale Rd. A row of power poles along Sikes Rd and Mossdale Rd were snapped near their base. Several structures were heavily damaged. This includes|several barns...large metal storage buildings with anchors removed from the ground and roof damage to homes. There were numerous hardwood and softwood trees that were either uprooted or snapped along the path of the tornado. A pivot tilt irrigation system along US Highway 176 was overturned." +121758,728839,PENNSYLVANIA,2017,November,Tornado,"ALLEGHENY",2017-11-19 00:11:00,EST-5,2017-11-19 00:13:00,0,0,0,0,25.00K,25000,0.00K,0,40.4206,-79.7277,40.4547,-79.7033,"A strong cold front crossing the upper Ohio Valley late on the 18th produced isolated wind damage across the region. While most of the observations indicating wind gusts of 50mph or less, there was an enhanced area along the line where both straight line wind damage and a brief tornado were confirmed. Wind speeds maxed out between 80-90mph in this area. Damage was primarily to trees however, some structural damage was noted in the tornadoes track.","The National Weather Service in Pittsburgh concluded that damage along Saltsburg Road from Plum, in Allegheny county to Murrysville, in Westmoreland county, was tornadic in nature. Several large hardwood trees were uprooted or snapped along the entire route, with concentrated areas of significant tree damage. In addition a vehicle was flipped in the parking lot of a senior residential community center and air condensers on the top of the buildings were removed. At it's worst, the damage was estimated to be 90mph, which is consistent with a rating of EF1." +114222,686790,MISSOURI,2017,March,Tornado,"JOHNSON",2017-03-06 21:10:00,CST-6,2017-03-06 21:13:00,0,0,0,0,,NaN,,NaN,38.7348,-93.5327,38.737,-93.503,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A weak tornado formed just east of Whiteman AFB and produced damage to several structures in rural Johnson County before moving into Pettis County." +114222,686795,MISSOURI,2017,March,Tornado,"PETTIS",2017-03-06 21:13:00,CST-6,2017-03-06 21:17:00,0,0,0,0,,NaN,,NaN,38.737,-93.503,38.7393,-93.461,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","This is a continuation of the tornado that formed in Johnson County and moved into Pettis County. Several buildings were damaged across rural portions of Pettis County before the tornado dissipated just east of the Johnson/Pettis County lines." +117280,705416,IOWA,2017,June,Hail,"UNION",2017-06-15 19:03:00,CST-6,2017-06-15 19:03:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-94.3,41.06,-94.3,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported up to 2 inch hail. Via social media and time estimated from radar." +117280,705417,IOWA,2017,June,Hail,"CLARKE",2017-06-15 19:33:00,CST-6,2017-06-15 19:33:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-93.88,41.11,-93.88,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported ping pong ball sized hail." +117280,707237,IOWA,2017,June,Thunderstorm Wind,"CLARKE",2017-06-15 19:33:00,CST-6,2017-06-15 19:33:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-93.88,41.11,-93.88,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter estimated 60 mph winds." +117280,705427,IOWA,2017,June,Hail,"ADAIR",2017-06-15 21:05:00,CST-6,2017-06-15 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.4464,-94.6432,41.4464,-94.6432,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Emergency manager reported quarter sized hail near 140th and Delta Ave." +117483,706561,IOWA,2017,June,Flash Flood,"FRANKLIN",2017-06-29 19:12:00,CST-6,2017-06-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.632,-93.252,42.6314,-93.2385,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Law enforcement reported water over the road along 70th near and just west of Bradford." +117483,706563,IOWA,2017,June,Flash Flood,"FRANKLIN",2017-06-29 19:13:00,CST-6,2017-06-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6307,-93.1975,42.6309,-93.2087,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Law enforcement reported water over the road and closure along Highway 65 at 70th St." +117483,706565,IOWA,2017,June,Thunderstorm Wind,"WRIGHT",2017-06-29 19:40:00,CST-6,2017-06-29 19:40:00,0,0,0,0,0.00K,0,0.00K,0,42.59,-93.53,42.59,-93.53,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Iowa DOT RWIS station measured a 60 mph wind gust." +114222,686605,MISSOURI,2017,March,Tornado,"JACKSON",2017-03-06 20:11:00,CST-6,2017-03-06 20:21:00,12,0,0,0,,NaN,,NaN,38.959,-94.2394,38.991,-94.111,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","On the evening of March 6 a supercell formed in eastern Kansas and moved ESE into the southern portions of the Kansas City metro area. It produced a weak tornado near Leawood, Kansas then another near Lee's Summit, Missouri. As the storm moved over Lake Lotawana it produced a third and more devastating tornado that went through the city of Oak Grove, Missouri, producing EF-3 damage. The most extensive damage was to some residences in Oak Grove that saw well built permanent foundation houses completely removed from the foundation and toppled over. There were 12 reported injuries in Oak Grove from this tornado. The tornado continued into Lafayette County and toward Odessa, Missouri." +115195,694281,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-02 22:03:00,CST-6,2017-05-02 22:03:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-97.83,36.55,-97.83,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694282,OKLAHOMA,2017,May,Hail,"ALFALFA",2017-05-02 22:07:00,CST-6,2017-05-02 22:07:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-98.18,36.67,-98.18,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694283,OKLAHOMA,2017,May,Hail,"WOODWARD",2017-05-02 23:00:00,CST-6,2017-05-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-99.53,36.42,-99.53,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +114483,686499,MISSOURI,2017,March,Hail,"CHARITON",2017-03-29 18:20:00,CST-6,2017-03-29 18:21:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-93.24,39.65,-93.24,"Scattered thunderstorms produced a few severe hail reports in western Missouri and eastern Kansas.","" +112347,669810,GULF OF MEXICO,2017,January,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-01-07 11:16:00,EST-5,2017-01-07 11:16:00,0,0,0,0,0.00K,0,0.00K,0,26.21,-81.82,26.21,-81.82,"A line of thunderstorms ahead of a cold front produced gusty winds in the Gulf waters.","A marine thunderstorm wind gust of 42 MPH / 37 knots was recorded by the Weather Bug mesonet site NPLSR located at Naples Grande Beach Resort." +117280,706733,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-15 22:05:00,CST-6,2017-06-15 22:05:00,0,0,0,0,15.00K,15000,0.00K,0,41.6458,-93.4971,41.6458,-93.4971,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","A tree was downed on a house." +117316,707245,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 16:59:00,CST-6,2017-06-17 16:59:00,0,0,0,0,2.00K,2000,0.00K,0,40.7702,-92.9804,40.7702,-92.9804,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","" +116398,699982,VERMONT,2017,May,Thunderstorm Wind,"BENNINGTON",2017-05-18 19:27:00,EST-5,2017-05-18 19:27:00,0,0,0,0,,NaN,,NaN,42.87,-73.19,42.87,-73.19,"May 18 was the second straight day of temperatures approaching or exceeding 90 degrees in Southern Vermont. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into southern Vermont by the evening, resulting in reports of wind damage. Over 4,000 customers lost power in Windham County.","Wires were reported down from thunderstorm winds." +114396,686097,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:40:00,CST-6,2017-03-06 19:43:00,0,0,0,0,,NaN,,NaN,38.8,-95.02,38.8,-95.02,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Several power lines were down on 183rd St just west of Edgerton Road." +114396,686130,KANSAS,2017,March,Thunderstorm Wind,"LINN",2017-03-06 20:20:00,CST-6,2017-03-06 20:23:00,0,0,0,0,,NaN,,NaN,38.35,-94.84,38.35,-94.84,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","Several trees and outbuildings were damaged and destroyed in areas near La Cygne." +115365,695389,ARKANSAS,2017,April,Thunderstorm Wind,"SALINE",2017-04-29 23:01:00,CST-6,2017-04-29 23:01:00,0,0,0,0,1.00K,1000,0.00K,0,34.51,-92.64,34.51,-92.64,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A large tree was down on Hwy 229 and the front door was blown off of the Haskell police department." +120469,721756,NEW JERSEY,2017,September,Coastal Flood,"EASTERN CAPE MAY",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected eastern Cape May County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed, which included|John F. Kennedy Beach Drive in North Wildwood.||The following tide gauges reached their moderate flooding threshold: Ocean City, Sea Isle City, Stone Harbor, Cape May Harbor, and Cape May Ferry Terminal." +112953,674899,ILLINOIS,2017,February,Hail,"BUREAU",2017-02-28 16:55:00,CST-6,2017-02-28 16:55:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-89.51,41.29,-89.51,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","A spotter reported nickel size hail." +114786,688537,KANSAS,2017,May,Tornado,"CHASE",2017-05-19 19:25:00,CST-6,2017-05-19 19:36:00,0,0,0,0,0.00K,0,0.00K,0,38.411,-96.789,38.4148,-96.775,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","The tornado touched down over open country and moved almost due east causing damage to a barn and trees. A machine shed with concrete footings was lifted and thrown into a tree." +114786,693009,KANSAS,2017,May,Hail,"RENO",2017-05-19 15:50:00,CST-6,2017-05-19 15:51:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-98.35,37.87,-98.35,"More tornadic storms moved across central Kansas dropping several weak tornadoes and one EF1 that caused damage to a shed and trees.","" +112358,673048,GEORGIA,2017,January,Tornado,"THOMAS",2017-01-22 02:56:00,EST-5,2017-01-22 03:15:00,3,0,0,0,250.00K,250000,0.00K,0,30.8997,-83.9821,30.9753,-83.7376,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","This tornado was the first of two produced by the same thunderstorm that moved across South Georgia early Sunday morning. The tornado initially touched down just west of US-19 in Thomas County and then moved NE across mainly rural areas of the county. Damage was initially limited in the vicinity of US-19 to snapped and uprooted pine trees. The tornado began to strengthen and produced more significant damage near the vicinity of Crowley and Hall Roads where a home lost a significant amount of roof deck and numerous large trees were snapped and uprooted. Damage in this area was consistent with higher end EF-1 to lower end EF-2 intensity. As the tornado neared US-319 north of Thomasville, extensive areas of snapped pine trees were found along the damage path in some areas several hundred yards wide. Also in the vicinity was a mobile home that was completely destroyed. Damage in this area was consistent with lower end EF-2 intensity. The tornado continued across mainly rural NE Thomas County crossing Centennial Road where a double-wide mobile home was completely destroyed. Damage in this area was consistent with a EF-2 tornado. After this point, damage was mainly limited to significant tree damage along the path, though some structural damage occurred to the NW of Pavo before the tornado crossed into NW Brooks County. Damage along this section of the tornado was rated EF-1. Max winds for the tornado were estimated near 120 mph. Damage cost was estimated." +111484,670336,GEORGIA,2017,January,Thunderstorm Wind,"DOUGHERTY",2017-01-02 22:14:00,EST-5,2017-01-02 22:30:00,0,0,0,0,17.00M,17000000,,NaN,31.571,-84.258,31.595,-84.105,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","A severe thunderstorm produced a 3 to 4 mile swath of 80 to 85 mph winds across the northern half of Albany proper, causing widespread damage across the city. The NWS damage survey team found hundreds of snapped and/or uprooted trees, minor to moderate roof damage to structures and buildings, and occasional instances of extensive damage to wide-span metal roofs in areas throughout the city. Much of the severe structural damage surveyed was a result of trees falling onto structures and powerlines, especially in the Rawson Circle area, where the roads are canopied by old oak trees. The downed trees across the city were oriented in the same direction. This, along with examination of radar data from the event suggests that the damage was caused by straight line winds. Dougherty county received FEMA aid for this event due to damage cost exceeding the local threshold of $16 million." +112358,673010,GEORGIA,2017,January,Tornado,"DOUGHERTY",2017-01-22 15:15:00,EST-5,2017-01-22 15:37:00,32,0,5,0,300.00M,300000000,,NaN,31.4373,-84.3447,31.5989,-83.9964,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","A large, long-track tornado touched down near Dougherty/Baker Co. line and traveled over 70 miles across Dougherty, Worth, Turner, and Wilcox Counties in South Georgia. The tornado lifted just east of Abbeville. The tornado caused significant damage along the track, resulting in 5 fatalities in Albany. Severe tree damage was observed along the entire path which was up to 1.2 miles wide. In many spots, 90 to 100 percent of the trees in the path were uprooted or snapped. In Dougherty County, the tornado touched down on Tarva Road. By the time it reached Newton, the tornado was approximately 1.25 miles wide. There was extensive tree damage and some minor to moderate damage to a few homes in this area, consistent with EF2 damage. The tornado moved through the Radium Springs area, destroying nearly every tree in its path and causing EF2 damage to several houses. Most houses in this area had significant damage from falling trees. The tornado then moved through several mobile home parks just west of U.S. 319, destroying many mobile homes and causing the 4 fatalities. Damage consistent with an EF3 tornado was observed just east of U.S. 319. The tornado caused a large portion of a warehouse at the Proctor and Gamble Plant to collapse and tossed several semi-trailers across Mock Road. Additional EF3 damage was observed at the Marine Corp Logistics Base, where multiple anchored double-wide trailers were completely destroyed. In addition, several concrete light poles were snapped near the base, and a large solid concrete building had its solid concrete roof shifted more than 2 inches. A well-built concrete block church on Sylvester Rd was demolished with only parts of a few walls remaining. The estimated wind speed at this point is 150 mph, the highest analyzed along the track. EF3 damage was also observed on Harris Road where a cement block church was destroyed. Damage estimates exceeded $300 million according to a media article citing the Dougherty County Commissioner." +112358,673013,GEORGIA,2017,January,Tornado,"WORTH",2017-01-22 15:37:00,EST-5,2017-01-22 15:50:00,31,0,0,0,5.00M,5000000,0.00K,0,31.5989,-83.9964,31.7096,-83.7969,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The EF3 tornado from Dougherty county continued all the way across Worth county into Turner county as an EF3 tornado with max winds estimated near 150 mph. In Worth County, it caused extensive damage to homes along Jewel Crowe Road. This was consistent with EF3 damage. Damage to homes and outbuildings consistent with EF2 damage was observed along Camp Osborn Road. A concrete block church on Zion Church Road was completely destroyed, justifying an EF3 rating at that point. Damage cost was estimated." +117090,704424,NEW JERSEY,2017,May,Thunderstorm Wind,"PASSAIC",2017-05-14 15:25:00,EST-5,2017-05-14 15:25:00,0,0,0,0,5.00K,5000,,NaN,41.1286,-74.361,41.1286,-74.361,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A tree fell onto a house on Roosevelt Road. Observations at nearby airports, (KFWN and KCDW) and radar data support gusts of at most 50 mph." +119861,718555,INDIANA,2017,October,Tornado,"RIPLEY",2017-10-07 20:05:00,EST-5,2017-10-07 20:07:00,0,0,0,0,65.00K,65000,0.00K,0,39.2261,-85.108,39.2304,-85.0802,"Strong to severe thunderstorms developed ahead of a strong cold front.","The first evidence of the tornado touchdown was just west of the western most end of Industrial Drive, southwest of Sunman. Two trees were snapped approximately halfway up the trunks. Further east, on a property at the western end of Industrial Drive, an anchored mobile home was pushed approximately 3 to 4 feet off its foundation (up against a back porch). At the same property, two large sheet metal doors were blown off a barn. ||To the east-northeast, a large tree was knocked down, along with other miscellaneous limbs near the cul-de-sac of Brick Yard Drive. The large tree that was downed, fell partially through the roof of an unoccupied home. Other limbs of various sizes were knocked down on the property and nearby properties. A very small portion of siding was partially removed at an adjacent property. On the eastern end of Brick Yard Drive (approximately 100 feet west of Meridian Street), a large pine tree was snapped in half. A small tree limb was also downed just on the western side of Meridian Street north of Brick Yard Drive.||On the east side of Meridian Street, just north of Edgewood Lane, a property sustained fairly extensive tree damage, including numerous large limbs downed. The tree damage caused the partial collapse of a garage/barn shelter roof. ||Small tree limbs were knocked down on Edgewood Lane. The next evidence of damage was observed near North County Line Road on the Ripley/Dearborn County line. Just to the west of County Line Road (and therefore still in Ripley County), a tree limb was downed and a tractor trailer was partially tipped over and leaning against a tree. The path continued in Dearborn County and traveled approximately a mile and a quarter before lifting around 2009EST." +117457,708083,NEBRASKA,2017,June,Tornado,"SARPY",2017-06-16 19:05:00,CST-6,2017-06-16 19:10:00,0,0,0,0,,NaN,,NaN,41.0994,-95.9611,41.0718,-95.8753,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","A NWS Damage survey revealed an EF2 tornado. The tornado began in the Two Springs area of Bellevue and continued moving east southeast. The tornado moved through several different subdivisions producing extensive tree damage and roof damage. The worst struck area was the Hyda Hills subdivision where EF2 damage was done to homes. The tornado then crossed US Highway 75 and moved into the Normandy Hills subdivision where roof damage was extensive. The tornado continued southeast and crossed the Missouri River into Mills County, IA." +112358,673032,GEORGIA,2017,January,Tornado,"CALHOUN",2017-01-22 14:41:00,EST-5,2017-01-22 14:45:00,0,0,0,0,200.00K,200000,0.00K,0,31.5927,-84.8254,31.6195,-84.7874,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The tornado touched down in Clay County and moved northeast through the northwest corner of Calhoun County and into southern Randolph County. It caused extensive tree damage with nearly every tree in its path snapped through the Clay and Calhoun portions of the track. In addition, it flipped a mobile home in Clay County, injuring one person who was inside. The tornado caused major roof damage in Clay and Calhoun counties removing the roofing structure from two homes. It also caused minor roofing damage to several homes in all three counties. Damage cost was estimated." +112258,673681,GEORGIA,2017,January,Tornado,"UPSON",2017-01-21 11:23:00,EST-5,2017-01-21 11:29:00,0,0,0,0,200.00K,200000,,NaN,32.8374,-84.4204,32.9109,-84.3983,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the EF2 tornado with maximum winds of 115 MPH and a maximum path width of 300 yards which began in Talbot County just east of Highway 36 near the Flint River and moved north-northeast into Upson County near the Riverbend Restaurant along Riverbend Road snapping trees and power lines. The tornado continued north-northeast along Highway 36 crossing Roland Road continuing to down trees and power lines. As the path of the tornado reached the Sunnyside Road and Holman Road area several homes sustained severe roof damage. A second tornado crossed the path of this tornado in this vicinity just minutes later. The path continued north-northeast along Sunnyside Road causing damage to the roofs of several homes before crossing Crest Highway and Pickard Road and downing numerous additional trees before ending in the vicinity of Old Alabama Road. [1/21/17: Tornado #6, County #2/2, EF1, Talbot-Upson, 2017:007]." +119307,741698,PENNSYLVANIA,2017,July,Tornado,"BUTLER",2017-07-10 14:59:00,EST-5,2017-07-10 15:01:00,0,0,0,0,15.00K,15000,0.00K,0,40.8347,-80.1575,40.842,-80.131,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","National Weather Service survey team confirmed a tornado near Fombell in Beaver County that continued into Lancaster Township in Butler County in Western Pennsylvania on Jul 10, 2017. A coherent, continuous swath of damage was discovered from near Bowers Lane/North Camp Run Road in Fombell east-northeastward to near the Strawberry Ridge Golf Course in Lancaster Township. Damage was universally to trees, consisting of snapped large limbs and trunk snappage or uproots of both healthy and unhealthy trees. At its most significant, the damage exhibited a rotationally-convergent debris pattern consistent with a weak tornado as it traversed a hillside through the golf course. Observers on the golf course at the time of this storm event reported tree debris being lofted and swirled cyclonically, which was consistent with the debris pattern noted by the survey team. Although not an accepted damage indicator, corn stalks just upstream from this location also were laid over and exhibited a swirl pattern. It should be noted that no structural damage was discovered at any point through the survey path. This lack of damage to structures enables the team to cap the storm's estimated wind speed. Farther to the northeast (at least as far as Eagle Mill Road and Whitestown Road), a coherent, discontinuous damage swath was noted, but lacked sufficient conclusive evidence to identify its origin. It is entirely possible that this damage was an extension of the tornado, but the debris was too sparse for any conclusions. The survey team has concluded that a brief, weak tornado occurred from near Bowers Lane through at least the Scott Ridge Road/McNulty Lane area. The damage was consistent with a tornado of peak wind speed of 60-70 mph, which yields a rating of EF0 on the Enhanced Fujita Scale." +113687,680640,LOUISIANA,2017,April,Tornado,"FRANKLIN",2017-04-02 16:09:00,CST-6,2017-04-02 16:22:00,2,0,0,0,300.00K,300000,0.00K,0,32.087,-91.6894,32.1534,-91.63,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","The tornado began along Willie Hall Road, where it caused some uprooted trees and minor roof damage to a shed. The tornado continued northeast and reached its strongest and widest as it crossed Ellis Lane. Here it snapped several trees and caused some shingle damage to a couple of roofs. Also along this road is where it caused EF2 type damage to two homes. One was a home that was built on some blocks that was totally destroyed, as well as a horse trailer flipped. It was in this location where one of the injuries occurred to a woman in the home. Next door, a mobile home was tossed about 10 feet from its original location. A couple of power poles were also broken in this location. The tornado continued northeast and caused additional tree damage, with snapped hardwood trees. A home along Lishman Road sustained roof damage and a small trailer was tossed, as well as additional tree damage. As the tornado tracked across Louisiana Highway 4, it broke a couple of power poles. The tornado lifted along Louisiana 863. Maximum winds were 115 mph." +113687,680851,LOUISIANA,2017,April,Tornado,"TENSAS",2017-04-02 16:41:00,CST-6,2017-04-02 16:43:00,0,0,0,0,1.00K,1000,0.00K,0,32.1898,-91.4893,32.2032,-91.4836,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This brief weak tornado touched down in the wildlife management area just off Big Lake Road. A few trees and large limbs were snapped. Flooded roads prevented further access to Sharky Road. A tornadic debris signature (TDS) was noted from the KULM radar as the tornado crossed Sharky Road and the path was continued to that point in southwest Madison Parish. Max winds were 80 mph, and total path length was 1.40 miles." +113687,680656,LOUISIANA,2017,April,Flash Flood,"FRANKLIN",2017-04-02 18:40:00,CST-6,2017-04-03 01:45:00,0,0,0,0,50.00K,50000,0.00K,0,32.235,-91.7029,32.1204,-91.7496,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Multiple roads were flooded across the parish." +115202,702497,OKLAHOMA,2017,May,Tornado,"CARTER",2017-05-19 18:31:00,CST-6,2017-05-19 18:33:00,0,0,0,0,0.00K,0,0.00K,0,34.3501,-97.1601,34.3501,-97.1601,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","This was the third of four tornadoes observed near Springer. No damage was reported and the location was estimated." +115199,702625,OKLAHOMA,2017,May,Tornado,"ROGER MILLS",2017-05-16 17:18:00,CST-6,2017-05-16 17:30:00,0,0,0,0,40.00K,40000,0.00K,0,35.564,-99.917,35.646,-99.766,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","Firefighters observed a tornado develop about 6 miles south of Reydon at 6:18 pm CDT. Power poles were snapped along SH-30. The roof of a barn was removed and additional power poles were snapped as the tornado moved northeast between SH-30 and SH-47. Numerous power poles were snapped near SH-47. The tornado moved northeast, then east-northeast snapping additional power poles, uprooting trees, took the roof off a ranch hotel, and turned over a 16-foot grain feeder that was full of grain. Damage costs are a rough estimate." +115199,702626,OKLAHOMA,2017,May,Tornado,"ROGER MILLS",2017-05-16 17:45:00,CST-6,2017-05-16 17:46:00,0,0,0,0,1.00K,1000,0.00K,0,35.75,-99.69,35.75,-99.69,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","A tornado damaged the water tank off a well site and blew over a cottonwood tree between Roll and Strong City." +115199,702633,OKLAHOMA,2017,May,Tornado,"WASHITA",2017-05-16 18:12:00,CST-6,2017-05-16 18:18:00,0,0,0,0,20.00K,20000,0.00K,0,35.3816,-99.3644,35.409,-99.329,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","The Elk City tornado moved into Washita County and moved northeast about 3 miles before dissipating. Three outbuildings were damaged or destroyed and one house received minor damage. Otherwise, damage was primarily to trees and power lines in Washita County. Damage costs were roughly estimated." +116778,706045,VERMONT,2017,July,Flash Flood,"ADDISON",2017-07-01 16:12:00,EST-5,2017-07-01 19:30:00,0,0,0,0,150.00K,150000,0.00K,0,43.9149,-73.0692,44.0378,-73.0659,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across much of central Vermont. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across central VT delivering very heavy localized rainfall that caused some scattered flash flooding. A few of these thunderstorms had strong winds to topple a few trees as well.","Route 125 in Ripton was closed due to flash flooding, and local roads in Granville and Hancock were damaged and washed out by flood waters." +114222,685793,MISSOURI,2017,March,Thunderstorm Wind,"COOPER",2017-03-06 21:40:00,CST-6,2017-03-06 21:43:00,0,0,0,0,,NaN,,NaN,38.8,-92.96,38.8,-92.96,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several trees were down near Clifton City. The damage associated with this wind continues well into Cooper County, toward Booneville, but the wind further along this path is associated with a confirmed tornado." +114222,685794,MISSOURI,2017,March,Flash Flood,"JACKSON",2017-03-06 20:41:00,CST-6,2017-03-06 21:41:00,0,0,0,0,0.00K,0,0.00K,0,39.0974,-94.6048,39.0977,-94.578,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","After a round of very heavy rain moved through the area there was some isolated flash flooding on the streets in and around Kansas City. One such instance was high water on northbound I-35 at Pennway Street, which closed part of the interstate for a brief period." +117483,706566,IOWA,2017,June,Thunderstorm Wind,"FRANKLIN",2017-06-29 19:52:00,CST-6,2017-06-29 19:52:00,0,0,0,0,0.00K,0,0.00K,0,42.746,-93.3697,42.746,-93.3697,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Trained spotter reported 60 mph wind gusts near Latimer and Coulter." +116784,702301,VERMONT,2017,July,Hail,"LAMOILLE",2017-07-17 13:00:00,EST-5,2017-07-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,44.64,-72.83,44.64,-72.83,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Dime size hail reported at Smugglers Notch." +116784,702302,VERMONT,2017,July,Hail,"RUTLAND",2017-07-17 13:30:00,EST-5,2017-07-17 13:30:00,0,0,0,0,0.00K,0,0.00K,0,43.72,-72.82,43.72,-72.82,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Hail size of quarters along the Killington/Pittsfield town line along Route 100." +116784,702306,VERMONT,2017,July,Hail,"WINDSOR",2017-07-17 17:00:00,EST-5,2017-07-17 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.35,-72.69,43.35,-72.69,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Hail size of quarters, as well as damaging winds in form of trees and utility lines down." +116784,702307,VERMONT,2017,July,Hail,"WINDSOR",2017-07-17 17:18:00,EST-5,2017-07-17 17:18:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-72.61,43.38,-72.61,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Dime size hail." +115195,694284,OKLAHOMA,2017,May,Thunderstorm Wind,"WOODWARD",2017-05-02 23:08:00,CST-6,2017-05-02 23:08:00,0,0,0,0,20.00K,20000,0.00K,0,36.38,-99.39,36.38,-99.39,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Mobile home flipped over by winds." +117314,705584,IOWA,2017,June,Heavy Rain,"DECATUR",2017-06-16 19:00:00,CST-6,2017-06-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-93.95,40.63,-93.95,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer recorded heavy rainfall of 1.90 inches." +117314,705586,IOWA,2017,June,Heavy Rain,"TAYLOR",2017-06-16 18:30:00,CST-6,2017-06-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-94.72,40.68,-94.72,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Coop observer recorded heavy rainfall of 2.15 inches." +117314,705577,IOWA,2017,June,Thunderstorm Wind,"ADAMS",2017-06-16 20:36:00,CST-6,2017-06-16 20:36:00,0,0,0,0,10.00K,10000,0.00K,0,40.99,-94.74,40.99,-94.74,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Emergency manager reported tree limbs and power lines down." +119834,718474,KANSAS,2017,August,Thunderstorm Wind,"THOMAS",2017-08-10 12:00:00,CST-6,2017-08-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.47,-100.74,39.47,-100.74,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","An 18 ft. diameter swimming pool with a foot and a half of water in it was tossed over." +119686,717862,COLORADO,2017,August,Hail,"KIT CARSON",2017-08-02 15:57:00,MST-7,2017-08-02 15:57:00,0,0,0,0,0.00K,0,0.00K,0,39.502,-102.8744,39.502,-102.8744,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","" +119955,718933,PUERTO RICO,2017,August,Thunderstorm Wind,"SAN JUAN",2017-08-11 15:00:00,AST-4,2017-08-11 15:00:00,0,0,0,0,1.00K,1000,,NaN,18.4204,-66.0335,18.42,-66.0367,"A tropical wave moving across the region combined with strong daytime heating produced strong thunderstorm activity across the northern half of PR during the afternoon hours.","Tree fallen at Belmonte street in San Juan municipality." +112358,673016,GEORGIA,2017,January,Tornado,"TURNER",2017-01-22 15:50:00,EST-5,2017-01-22 16:09:00,25,0,0,0,5.00M,5000000,0.00K,0,31.7096,-83.7969,31.8478,-83.5272,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","This is a continuation of the EF3 tornado from Worth and Dougherty counties. The tornado entered Turner County along and north of Son Story Road with max winds estimated around 150 mph. Damage to a frame home along Ireland road was consistent with EF3 damage. Additional EF2 damage was found along this road. There was also some evidence for multiple vortices near the intersection of Ireland Road and U.S. 41. Additional EF3 damage was observed on King Burgess Circle where a large frame house was severely damaged and multiple mobile homes were destroyed. The tornado continued northeast across Interstate 75 causing EF2 damage to several frame homes and mobile homes. Tree damage diminished as the tornado approach the Wilcox county line, suggesting that the tornado temporarily weakened. The Turner county emergency manager said up to 25 people were injured in Turner county. Damage cost was estimated." +112258,671711,GEORGIA,2017,January,Thunderstorm Wind,"TELFAIR",2017-01-21 13:44:00,EST-5,2017-01-21 13:49:00,0,0,0,0,3.00K,3000,,NaN,31.9421,-82.9351,31.9421,-82.9351,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Telfair County Emergency Manager reported several trees blown down in the Workmore area." +112253,676829,GEORGIA,2017,January,Flash Flood,"CHATTAHOOCHEE",2017-01-02 20:30:00,EST-5,2017-01-03 01:45:00,0,0,0,0,0.00K,0,0.00K,0,32.335,-85.0011,32.3755,-84.9824,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","Emergency Management reported extensive flooding of southbound Highway 27 near 8th Division Road and at 10th Mountain Division near Russ Pond. Flooding of roadways was also reported at Indianhead Road, Vibbert Road, Wold Avenue, Kilgore Road, Ingersoll Avenue, Sargent Court, Durham Court, Yano Court, Devore Court, and Roark Court, with water approaching residences in Bouton Heights. In total, 2.5 to 3 inches of rain fell quickly, with locally higher amounts." +112253,676830,GEORGIA,2017,January,Flash Flood,"MUSCOGEE",2017-01-02 20:35:00,EST-5,2017-01-03 01:45:00,0,0,0,0,50.00K,50000,0.00K,0,32.4707,-84.9962,32.4549,-84.9954,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Ledger Enquirer reported isolated areas of street flooding in Columbus, a mudslide along the left bank of the Chattahoochee River near Bulldog Bait and Tackle, and flooding of streets in the Battle Park area. Several cars were stalled in flooded roadways, particularly along 13th Avenue. In total, 2.5 to 3.0 inches of rainfall occurred in a short period of time." +113614,680497,ALABAMA,2017,April,Thunderstorm Wind,"GENEVA",2017-04-03 09:00:00,CST-6,2017-04-03 09:00:00,0,0,0,0,3.00K,3000,0.00K,0,31.08,-86.1,31.08,-86.1,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down." +113614,684044,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-03 09:17:00,CST-6,2017-04-03 09:17:00,0,0,0,0,0.00K,0,0.00K,0,31.39,-85.67,31.39,-85.67,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down on County Road 20 and County Road 21." +113614,684045,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-03 09:24:00,CST-6,2017-04-03 09:24:00,0,0,0,0,0.00K,0,0.00K,0,31.4678,-85.6285,31.4678,-85.6285,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","A tree was blown down on East County Road 36." +113614,684046,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-03 09:30:00,CST-6,2017-04-03 09:30:00,0,0,0,0,0.00K,0,0.00K,0,31.46,-85.56,31.46,-85.56,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in Mabson." +113518,679737,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LANCASTER",2017-04-03 15:32:00,EST-5,2017-04-03 15:37:00,0,0,0,0,,NaN,,NaN,34.75,-80.72,34.75,-80.72,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees down near John Everhall Rd and John Truesdale Rd." +113518,679738,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-03 15:33:00,EST-5,2017-04-03 15:38:00,0,0,0,0,,NaN,,NaN,33.88,-81.38,33.88,-81.38,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Fence around properties blown over near Juniper Springs Rd and Tiger Circle. Multiple trees snapped. Barn with cinder block walls blown out." +113518,679745,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-03 15:30:00,EST-5,2017-04-03 15:45:00,0,0,0,0,,NaN,,NaN,33.97,-81.27,33.97,-81.27,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","A line of severe thunderstorms swept east across Lexington Co and produced widespread strong damaging winds. Numerous trees were downed near Pond Branch Rd and Interstate 20. Other trees were downed on Ball Park Rd near the back of the baseball complex, and along Barr Rd." +116887,703192,NORTH CAROLINA,2017,May,Tornado,"DAVIE",2017-05-24 15:14:00,EST-5,2017-05-24 15:18:00,1,0,0,0,100.00K,100000,0.00K,0,36.023,-80.618,36.049,-80.611,"Scattered to numerous thunderstorms developed in advance of a cold front across western North Carolina during the afternoon. Multiple severe storms produced isolated tornadoes, with a couple of strong tornadoes impacting the northwest Piedmont. Sporadic wind damage occurred across the remainder of the area.","NWS storm survey found the path of a strong tornado that touched down just south of the intersection of highways 601 and 801. Damage was initially limited to downed trees. However, the tornado intensified as it moved north/northeast, especially from Four Corners Rd to the Yadkin County line. A mobile home was flipped and completely destroyed in this area. An occupant was thrown approximately 30 feet, but survived. Another home had much of its roof blown off and a storage building also destroyed in this area. Numerous trees were also blown down. The tornado crossed into Yadkin County near Chinquapin Creek. The tornado was the strongest in Davie County since 2008, and was only the second official significant tornado (E/F2 or stronger) in the county's history." +120816,723467,NORTH CAROLINA,2017,October,Tornado,"CLEVELAND",2017-10-23 15:08:00,EST-5,2017-10-23 15:19:00,0,0,0,0,100.00K,100000,0.00K,0,35.422,-81.566,35.547,-81.51,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Nws survey found the path of a tornado that touched down near Lawndale, resulting in structural damage as uprooted and snapped trees fell on houses. The tornado continued northeast, with sporadic trees downed along its path, with a slight uptick in structural damage near Belwood, again due to trees falling on homes. The tornado passed into Lincoln County in the Toluca community near Highway 10." +114222,686107,MISSOURI,2017,March,Thunderstorm Wind,"SALINE",2017-03-06 20:54:00,CST-6,2017-03-06 20:57:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-93.44,39.21,-93.44,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The public reported a large tree roughly 10-12 inches in diameter down due to strong winds." +114222,686540,MISSOURI,2017,March,Tornado,"NODAWAY",2017-03-06 18:30:00,CST-6,2017-03-06 18:36:00,0,0,0,0,,NaN,,NaN,40.31,-95.09,40.31,-94.98,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","There were a couple reports of a brief tornado west of Maryville. This tornado did not impact any structures of note." +115206,695963,OKLAHOMA,2017,May,Flash Flood,"MURRAY",2017-05-27 21:45:00,CST-6,2017-05-28 00:45:00,0,0,0,0,0.00K,0,0.00K,0,34.5145,-96.9894,34.4984,-96.9923,"Thunderstorms formed in the vicinity of a cold front and dryline late on the 27th and continued till just after midnight on the 28th.","Some roads that typically flood were barricaded due to flowing water." +117280,705424,IOWA,2017,June,Hail,"MARION",2017-06-15 20:32:00,CST-6,2017-06-15 20:32:00,0,0,0,0,0.00K,0,0.00K,0,41.22,-93.14,41.22,-93.14,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Law enforcement reported baseball sized hail and very strong winds." +117280,705425,IOWA,2017,June,Hail,"WARREN",2017-06-15 20:59:00,CST-6,2017-06-15 20:59:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-93.76,41.48,-93.76,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported hail slightly larger than 1.00 inch and was preceded by 50 mph winds." +117280,705426,IOWA,2017,June,Hail,"WARREN",2017-06-15 21:02:00,CST-6,2017-06-15 21:02:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-93.66,41.48,-93.66,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported nickel sized hail and 40 mph winds." +117280,705428,IOWA,2017,June,Hail,"POLK",2017-06-15 21:47:00,CST-6,2017-06-15 21:47:00,0,0,0,0,0.00K,0,0.00K,0,41.68,-93.75,41.68,-93.75,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported quarter sized hail in NW Johnston." +117280,705432,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-15 21:55:00,CST-6,2017-06-15 21:55:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-93.74,41.65,-93.74,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Public reported 60 mph winds along with dime sized hail." +114396,686109,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 19:48:00,CST-6,2017-03-06 19:51:00,0,0,0,0,,NaN,,NaN,38.85,-94.74,38.85,-94.74,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","The ASOS at KOJC reported a 58 kt (67 mph) wind gust." +114222,685731,MISSOURI,2017,March,Thunderstorm Wind,"CLINTON",2017-03-06 19:38:00,CST-6,2017-03-06 19:41:00,0,0,0,0,,NaN,,NaN,39.49,-94.47,39.49,-94.47,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","House damaged at HWY J and McComas Lane near Plattsburg." +114222,685703,MISSOURI,2017,March,Thunderstorm Wind,"PLATTE",2017-03-06 19:24:00,CST-6,2017-03-06 19:32:00,0,0,0,0,0.00K,0,0.00K,0,39.3133,-94.7255,39.3133,-94.7255,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","ASOS at Kansas City International Airport reported 58 knot winds (67 mph) for 8 minutes." +116784,702308,VERMONT,2017,July,Hail,"WINDSOR",2017-07-17 17:22:00,EST-5,2017-07-17 17:22:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-72.64,43.38,-72.64,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Quarter size hail." +116784,702309,VERMONT,2017,July,Thunderstorm Wind,"WINDSOR",2017-07-17 17:00:00,EST-5,2017-07-17 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,43.35,-72.69,43.35,-72.69,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Trees and utility lines down on South Hill road." +116784,702311,VERMONT,2017,July,Hail,"WINDSOR",2017-07-17 16:20:00,EST-5,2017-07-17 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,43.4,-72.7,43.4,-72.7,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Quarter size hail reported." +114222,686041,MISSOURI,2017,March,Thunderstorm Wind,"CHARITON",2017-03-06 20:55:00,CST-6,2017-03-06 20:58:00,0,0,0,0,,NaN,,NaN,39.58,-93.13,39.58,-93.13,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Power poles snapped and 2x4's scattered across the road near Mendon." +117314,724966,IOWA,2017,June,Tornado,"TAYLOR",2017-06-16 20:35:00,CST-6,2017-06-16 20:37:00,0,0,0,0,30.00K,30000,3.00K,3000,40.7198,-94.8595,40.7138,-94.8356,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Short tornado embedded within a large area of strong winds. Tornado tracked southeast through a cornfield before encountering a farmstead. It snapped and blew over trees in a grove just northwest of the farm which is where the EF1 damage occurred. It proceeded to destroy a hoop building on the farm and blew two empty grain bins off their foundations. Other tree damage occurred as well. The tornado then produced some tree damage in a grove of trees along Highway 2 before dissipating." +121209,725674,LAKE ERIE,2017,October,Marine Thunderstorm Wind,"RIPLEY TO DUNKIRK NY",2017-10-15 14:33:00,EST-5,2017-10-15 14:33:00,0,0,0,0,,NaN,0.00K,0,42.49,-79.34,42.49,-79.34,"Thunderstorms ahead of an approaching cold front produced winds measured to 49 knots at Dunkirk and 46 knots at Buffalo.","" +121209,725675,LAKE ERIE,2017,October,Marine Thunderstorm Wind,"DUNKIRK TO BUFFALO NY",2017-10-15 14:48:00,EST-5,2017-10-15 14:48:00,0,0,0,0,,NaN,0.00K,0,42.88,-78.89,42.88,-78.89,"Thunderstorms ahead of an approaching cold front produced winds measured to 49 knots at Dunkirk and 46 knots at Buffalo.","" +112919,722438,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 17:38:00,CST-6,2017-02-28 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.5372,-88.1252,41.5372,-88.1252,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Quarter size hail was reported near Larkin Avenue and Black Road." +116820,703580,TEXAS,2017,June,Hail,"MITCHELL",2017-06-14 18:30:00,CST-6,2017-06-14 18:35:00,0,0,0,0,,NaN,,NaN,32.5005,-101.0543,32.5005,-101.0543,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +112258,673733,GEORGIA,2017,January,Tornado,"WASHINGTON",2017-01-21 13:46:00,EST-5,2017-01-21 13:59:00,0,0,0,0,60.00K,60000,,NaN,32.95,-82.73,32.986,-82.592,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a EF1 tornado with maximum wind speeds of 100 MPH and a maximum path width of 300 yards began around the intersection of Sunhill Road and Sunhill Grange Road. The tornado moved northeast across mainly rural areas of eastern Washington County along and near Highway 24, ending northeast of Davisboro. Numerous trees were downed including dozens of pecan trees in a large commercial orchard. [01/21/17: Tornado #22, County #1/1, EF1, Washington, 2017:023]." +112258,671712,GEORGIA,2017,January,Thunderstorm Wind,"HANCOCK",2017-01-21 13:45:00,EST-5,2017-01-21 13:50:00,0,0,0,0,75.00K,75000,,NaN,33.2435,-83.0343,33.2787,-82.9804,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","The Hancock County Emergency Manager reported numerous trees and power lines blown down on the west side of Sparta. One tree fell on and destroyed a home." +113193,677941,SOUTH CAROLINA,2017,January,Winter Weather,"KERSHAW",2017-01-07 09:00:00,EST-5,2017-01-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Photo received via social media indicated estimated 0.2 accumulation of snow on a wooden deck in Camden." +113193,677942,SOUTH CAROLINA,2017,January,Winter Weather,"RICHLAND",2017-01-07 09:00:00,EST-5,2017-01-07 11:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Photo received via social media indicated an estimated 0.2 inch of snowfall accumulation in Blythewood, SC." +113193,677944,SOUTH CAROLINA,2017,January,Winter Weather,"LEXINGTON",2017-01-07 10:00:00,EST-5,2017-01-07 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","NWS employee reported 0.1 inch accumulation 2 miles west of Lexington, SC." +113193,677945,SOUTH CAROLINA,2017,January,Winter Weather,"LANCASTER",2017-01-07 04:30:00,EST-5,2017-01-07 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","CoCoRaHS observer 4 miles NNW of Lancaster, SC measured 1 inch of snowfall accumulation." +113193,677946,SOUTH CAROLINA,2017,January,Winter Weather,"RICHLAND",2017-01-07 07:00:00,EST-5,2017-01-07 09:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","CoCoRaHS observer 1 mile west of Blythewood, SC reported sleet, followed by snow with accumulation of 0.25 inch." +113620,681228,TEXAS,2017,March,Tornado,"GLASSCOCK",2017-03-28 18:28:00,CST-6,2017-03-28 18:34:00,0,0,0,0,50.00K,50000,0.00K,0,31.6706,-101.6766,31.6772,-101.6472,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A tornado formed along Farm to Market Road 2401. The tornado was narrow, 50 to 75 yards wide, and moved almost parallel and just south of FM 2401 during a 1.8 mile stretch before weakening somewhere near Highway 137. A small barn or outbuilding was destroyed by the tornado at approximately 7:28 pm. One wall of the structure remained. This type of damage is indicative of EF-1 damage with winds of approximately 100 to 110 mph. Pieces of the metal roof were blown northeastward across FM 2401 into an open field. Two silos/storage tanks were also displaced from their original locations. There was a stretch of 32 power poles that were snapped off within a few feet of the ground which is indicative of low-end EF-2 damage. Wind speeds necessary to produce this type of damage are estimated at around 120 mph. This tornado was rated as an EF-2. The cost of the damage is a very rough estimate." +113620,680934,TEXAS,2017,March,Thunderstorm Wind,"UPTON",2017-03-28 18:15:00,CST-6,2017-03-28 18:16:00,0,0,0,0,10.00K,10000,0.00K,0,31.2119,-102.1343,31.2119,-102.1343,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Upton County and produced thunderstorm wind damage northeast of McCamey. Powerlines were blown down on Ranch to Market Road 2463 between US 67 and TX 329. Eight power poles were snapped along this stretch of road. The cost of damage is a very rough estimate." +113620,681231,TEXAS,2017,March,Thunderstorm Wind,"GLASSCOCK",2017-03-28 18:58:00,CST-6,2017-03-28 18:59:00,0,0,0,0,3.00K,3000,0.00K,0,31.8922,-101.5159,31.8922,-101.5159,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","A thunderstorm moved across Glasscock County and produced wind damage northwest of Garden City along Farm to Market Road 415. Power poles were blown down along this road. The cost of damage is a very rough estimate." +113518,679708,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-03 14:49:00,EST-5,2017-04-03 14:51:00,0,0,0,0,,NaN,,NaN,33.52,-81.96,33.52,-81.96,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees downed in North Augusta." +123411,740071,NEBRASKA,2017,October,Funnel Cloud,"HAYES",2017-10-01 17:24:00,CST-6,2017-10-01 17:24:00,0,0,0,0,,NaN,,NaN,40.4,-101.17,40.4,-101.17,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","Rapidly rotating wall cloud with a brief funnel." +123411,740074,NEBRASKA,2017,October,Hail,"CHASE",2017-10-01 15:29:00,MST-7,2017-10-01 15:29:00,0,0,0,0,,NaN,,NaN,40.41,-101.78,40.41,-101.78,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +123411,740075,NEBRASKA,2017,October,Hail,"FRONTIER",2017-10-01 18:16:00,CST-6,2017-10-01 18:16:00,0,0,0,0,,NaN,,NaN,40.63,-100.51,40.63,-100.51,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +123411,740076,NEBRASKA,2017,October,Hail,"HOLT",2017-10-01 19:40:00,CST-6,2017-10-01 19:40:00,0,0,0,0,,NaN,,NaN,42.46,-98.65,42.46,-98.65,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +115337,692529,ARKANSAS,2017,April,Thunderstorm Wind,"LOGAN",2017-04-21 07:01:00,CST-6,2017-04-21 07:01:00,0,0,0,0,0.00K,0,0.00K,0,35.29,-93.63,35.29,-93.63,"Heavy rain was noted on 4/17/2017 which caused flash flooding in Pulaski county. The weather pattern featured a front stalled across Arkansas, with areas of heavy rain/scattered thunderstorms to the north of the front as a storm system approached from the southern Plains on 04/21/2017. The system and associated precipitation exited to the east the next day.","Power lines were down and power was out on the north side of town." +115337,692530,ARKANSAS,2017,April,Thunderstorm Wind,"JOHNSON",2017-04-21 07:03:00,CST-6,2017-04-21 07:03:00,0,0,0,0,0.00K,0,0.00K,0,35.47,-93.47,35.47,-93.47,"Heavy rain was noted on 4/17/2017 which caused flash flooding in Pulaski county. The weather pattern featured a front stalled across Arkansas, with areas of heavy rain/scattered thunderstorms to the north of the front as a storm system approached from the southern Plains on 04/21/2017. The system and associated precipitation exited to the east the next day.","Several trees were reported down throughout Johnson County with estimated wind speeds of 60-65 mph." +115337,692531,ARKANSAS,2017,April,Thunderstorm Wind,"JOHNSON",2017-04-21 07:18:00,CST-6,2017-04-21 07:18:00,0,0,0,0,0.00K,0,0.00K,0,35.44,-93.39,35.44,-93.39,"Heavy rain was noted on 4/17/2017 which caused flash flooding in Pulaski county. The weather pattern featured a front stalled across Arkansas, with areas of heavy rain/scattered thunderstorms to the north of the front as a storm system approached from the southern Plains on 04/21/2017. The system and associated precipitation exited to the east the next day.","A large tree limb was reported down." +115337,692532,ARKANSAS,2017,April,Hail,"IZARD",2017-04-21 21:04:00,CST-6,2017-04-21 21:04:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-92.14,36.12,-92.14,"Heavy rain was noted on 4/17/2017 which caused flash flooding in Pulaski county. The weather pattern featured a front stalled across Arkansas, with areas of heavy rain/scattered thunderstorms to the north of the front as a storm system approached from the southern Plains on 04/21/2017. The system and associated precipitation exited to the east the next day.","" +115337,696496,ARKANSAS,2017,April,Flash Flood,"PULASKI",2017-04-17 20:05:00,CST-6,2017-04-17 22:05:00,0,0,0,0,0.00K,0,0.00K,0,34.88,-92.13,34.8647,-92.1375,"Heavy rain was noted on 4/17/2017 which caused flash flooding in Pulaski county. The weather pattern featured a front stalled across Arkansas, with areas of heavy rain/scattered thunderstorms to the north of the front as a storm system approached from the southern Plains on 04/21/2017. The system and associated precipitation exited to the east the next day.","Local law enforcement has reported numerous underpasses and roads have started to flood." +117280,705433,IOWA,2017,June,Hail,"APPANOOSE",2017-06-15 21:57:00,CST-6,2017-06-15 21:57:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-92.87,40.77,-92.87,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail." +114222,686553,MISSOURI,2017,March,Tornado,"CLAY",2017-03-06 19:24:00,CST-6,2017-03-06 19:28:00,0,0,0,0,,NaN,,NaN,39.428,-94.5988,39.4556,-94.5486,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","On the evening of March 6, a supercell ahead of a squall line produced a strong tornado that impacted the city of Smithville near Smithville Lake. The tornado formed just west of HWY 169 and did some minor damage to a neighborhood just east of HWY 169. More significant damage was done to a neighborhood along Route W, just east of HWY 169 before the tornado crossed Smithville Lake into Clinton County. At this neighborhood near the intersection of HWY 169 and Route W several houses were completely destroyed with roofs gone, but most external and interior walls still standing. There were also a couple residences that had compete failure of the structure as wind entered through garage doors and uplifted the entire house off the foundation. EF-2 rating was obtained mainly due to lack of structural failure of a majority of the residences. The house that was lifted off the foundation appeared to be a sliding house with winds entering in through a garage door. Surrounding residences had major damage, but not complete failure of structure. Despite the widespread damage from this tornado there were no injuries reported. This tornado crossed Route W and started across Smithville Lake, where it crossed into Clinton County." +117316,705596,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:20:00,CST-6,2017-06-17 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-92.68,40.68,-92.68,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Storm chaser reported hail slightly larger than quarters. This is a delayed report and came in via social media." +117316,705595,IOWA,2017,June,Thunderstorm Wind,"APPANOOSE",2017-06-17 17:17:00,CST-6,2017-06-17 17:17:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-92.68,40.69,-92.68,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Storm chaser reported a few large tree limbs down in town. Report came in via social media." +117316,705597,IOWA,2017,June,Hail,"APPANOOSE",2017-06-17 17:22:00,CST-6,2017-06-17 17:22:00,0,0,0,0,2.00K,2000,0.00K,0,40.67,-92.71,40.67,-92.71,"For the fourth day in a row a frontal boundary found itself primarily stalled out and draped across Iowa. This time the front found its way across southern Iowa and initiated a couple of severe storms within an environment of around 2000 J/kg MLCAPE and supportive effective bulk shear in excess of 40-50 kts. As a result, the storms that did initiate went organized and severe rather quickly. Severe hail was quickly produced and on its way to the very large category. The largest hail reports of around 3 inches were in and around Centerville.","Public reported 2 inch sized hail via the KCCI uLocal page. This is also a delayed report." +117450,706341,IOWA,2017,June,Hail,"BUTLER",2017-06-22 19:59:00,CST-6,2017-06-22 19:59:00,0,0,0,0,0.00K,0,0.00K,0,42.82,-92.98,42.82,-92.98,"A cold front moved across Iowa during the day and evening of the 22nd, producing storms capable of damaging winds and severe hail. The environment at the time was fairly unstable with 100 mb MLCAPE values in excess of 1000-1500 J/kg and decent effective bulk shear values around 40 kts along the cold front. While a number of storms initiated along and ahead of the frontal boundary, two areas were able to produce severe storms. The first of which traversed Butler County with damaging winds and quarter sized hail and the second through parts of Polk and Marion counties producing primarily damaging winds and heavy rainfall.","Trained spotter reported quarter sized hail." +114222,686042,MISSOURI,2017,March,Thunderstorm Wind,"LINN",2017-03-06 21:08:00,CST-6,2017-03-06 21:11:00,0,0,0,0,0.00K,0,0.00K,0,39.71,-92.65,39.71,-92.65,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A trained spotter in Marceline reported a 60 mph wind gust." +114396,686125,KANSAS,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 20:00:00,CST-6,2017-03-06 20:03:00,0,0,0,0,,NaN,,NaN,38.87,-94.63,38.87,-94.63,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes, including an EF-0 tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA.","There was major damage to several homes across the area including roofs and walls heavily damaged near Stanley. There was also heavy tree damage reported across the area." +114480,686495,KANSAS,2017,March,Hail,"MIAMI",2017-03-09 12:41:00,CST-6,2017-03-09 12:41:00,0,0,0,0,0.00K,0,0.00K,0,38.7,-94.93,38.7,-94.93,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114480,686496,KANSAS,2017,March,Hail,"MIAMI",2017-03-09 12:51:00,CST-6,2017-03-09 12:55:00,0,0,0,0,0.00K,0,0.00K,0,38.67,-94.84,38.67,-94.84,"Hail up to the size of golf balls formed within an area of strong to severe thunderstorms in portions of western Missouri and eastern Kansas. Despite the strong storms hail was the only hazard reported. There were no wind or tornado reports with this activity.","" +114482,686503,KANSAS,2017,March,Hail,"JOHNSON",2017-03-29 16:28:00,CST-6,2017-03-29 16:29:00,0,0,0,0,0.00K,0,0.00K,0,38.91,-94.76,38.91,-94.76,"Scattered thunderstorms produced a few severe hail reports in western Missouri and eastern Kansas.","" +121210,725676,LAKE ONTARIO,2017,October,Marine Thunderstorm Wind,"LOWER NIAGARA RIVER",2017-10-15 15:00:00,EST-5,2017-10-15 15:00:00,0,0,0,0,,NaN,0.00K,0,43.25,-79.05,43.25,-79.05,"Thunderstorms ahead of an approaching cold front produced winds measured to 52 knots at Youngstown, 44 knots at Olcott and 45 knots at Oswego.","" +121210,725677,LAKE ONTARIO,2017,October,Marine Thunderstorm Wind,"NIAGARA RIVER TO HAMLIN BEACH NY",2017-10-15 15:10:00,EST-5,2017-10-15 15:10:00,0,0,0,0,,NaN,0.00K,0,43.34,-78.71,43.34,-78.71,"Thunderstorms ahead of an approaching cold front produced winds measured to 52 knots at Youngstown, 44 knots at Olcott and 45 knots at Oswego.","" +121210,725678,LAKE ONTARIO,2017,October,Marine Thunderstorm Wind,"SODUS BAY TO MEXICO BAY NY",2017-10-15 16:42:00,EST-5,2017-10-15 16:42:00,0,0,0,0,,NaN,0.00K,0,43.47,-76.51,43.47,-76.51,"Thunderstorms ahead of an approaching cold front produced winds measured to 52 knots at Youngstown, 44 knots at Olcott and 45 knots at Oswego.","" +120469,721755,NEW JERSEY,2017,September,Coastal Flood,"WESTERN CAPE MAY",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected western Cape May County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.||The following tide gauges reached their moderate flooding threshold: Ocean City, Sea Isle City, Stone Harbor, Cape May Harbor, and Cape May Ferry Terminal." +120470,721760,DELAWARE,2017,September,Coastal Flood,"INLAND SUSSEX",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected Sussex County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected inland Sussex County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed, including River Road in Oak Orchard.||The following tide gauge reached the moderate flooding threshold: Lewes, Dewey Beach, Indian River Inlet, and Rosedale Beach." +120470,721759,DELAWARE,2017,September,Coastal Flood,"DELAWARE BEACHES",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected Sussex County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected Sussex County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed, including Delaware Route 1 between Dewey Beach and Bethany Beach.||The following tide gauges reached their moderate flooding threshold: Lewes, Dewey Beach, Rosedale Beach, and Indian River Inlet." +119542,717359,IOWA,2017,August,Heavy Rain,"POLK",2017-08-20 07:01:00,CST-6,2017-08-21 07:01:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-93.71,41.64,-93.71,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Mesonet station recorded heavy rainfall of 2.01 inches over the last 24 hours." +119272,716182,ILLINOIS,2017,July,Excessive Heat,"JERSEY",2017-07-19 12:00:00,CST-6,2017-07-23 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Excessive heat hit west central through southwest Illinois July 19 - July 23. High temperatures were in the upper 90s to around 105. The Heat Index ranged from 1-5 to around 110.","" +117313,705564,TEXAS,2017,June,Flash Flood,"MIDLAND",2017-06-26 04:00:00,CST-6,2017-06-26 06:00:00,0,0,0,0,10.00K,10000,0.00K,0,32,-102.08,32.0327,-102.0901,"An upper level disturbance moved over the area and contributed to storms developing during the afternoon hours of the previous day with good instability. An intense area of low level winds, known as a low-level jet, developed over the area later in the day/that night and allowed moisture to increase. This low-level jet allowed storms to continue into the overnight and early morning hours. These conditions resulted in storms with flash flooding across the Permian Basin during the early morning hours of the 26th.","Heavy rain fell across Midland County and produced flash flooding in the City of Midland. There were multiple high water rescues reported in the City of Midland during the early morning hours. The cost of damage is a very rough estimate." +112953,674889,ILLINOIS,2017,February,Hail,"HENRY",2017-02-28 16:15:00,CST-6,2017-02-28 16:18:00,0,0,0,0,,NaN,0.00K,0,41.17,-90.04,41.17,-90.04,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","" +112258,673734,GEORGIA,2017,January,Tornado,"EMANUEL",2017-01-21 14:11:00,EST-5,2017-01-21 14:15:00,0,0,0,0,50.00K,50000,,NaN,32.6596,-82.1848,32.7009,-82.1185,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF0 tornado with maximum wind speeds of 80 MPH and a maximum path width of 200 yards began along Noonday Church Road in eastern Emanuel County where minor roof damage occurred. The tornado travelled northeast for nearly 5 miles downing numerous trees and destroying a small outbuilding in the Canoochee community. A large metal barn and silo had part of the siding removed along Mt Olivet Church before the tornado ended near Pike Johnson Road. [01/21/17: Tornado #23, County #1/1, EF1, Washington, 2017:024]." +112253,669390,GEORGIA,2017,January,Thunderstorm Wind,"CHATTAHOOCHEE",2017-01-02 18:25:00,EST-5,2017-01-02 18:30:00,0,0,0,0,1.00K,1000,,NaN,32.3654,-84.9684,32.3654,-84.9684,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Chattahoochee County Emergency Manager reported a tree blown down and blocking the roadway on Vibbert Avenue near Olson Hall on Fort Benning." +112253,669395,GEORGIA,2017,January,Thunderstorm Wind,"MUSCOGEE",2017-01-02 18:30:00,EST-5,2017-01-02 18:35:00,0,0,0,0,1.00K,1000,,NaN,32.3971,-84.931,32.3971,-84.931,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Muscogee County Emergency Manager reported a tree blown down blocking one lane of traffic at the Fort Benning Access Point #2." +112253,669396,GEORGIA,2017,January,Thunderstorm Wind,"TALBOT",2017-01-02 20:00:00,EST-5,2017-01-02 20:10:00,0,0,0,0,3.00K,3000,,NaN,32.8268,-84.555,32.8268,-84.555,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Talbot County Emergency Manager reported a large tree blown down near the intersection of Pleasant Valley Road and Tax Road. The tree pulled down power lines, shutting off power for many residents in the area." +112253,669397,GEORGIA,2017,January,Thunderstorm Wind,"TAYLOR",2017-01-02 20:30:00,EST-5,2017-01-02 20:35:00,0,0,0,0,1.00K,1000,,NaN,32.5162,-84.1225,32.5162,-84.1225,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Taylor County 911 center reported a tree blown down in the road near the intersection of Mangham Road and Barrow Road." +113193,677947,SOUTH CAROLINA,2017,January,Winter Weather,"LEXINGTON",2017-01-07 08:00:00,EST-5,2017-01-07 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","CoCoRaHS observer 1 mile SE of Gilbert, SC reported 0.2 inch snow accumulation just off Juniper Springs Road." +120457,721932,OHIO,2017,September,Tornado,"RICHLAND",2017-09-04 21:51:00,EST-5,2017-09-04 22:02:00,2,0,0,0,800.00K,800000,0.00K,0,40.8133,-82.7257,40.8172,-82.5617,"A strong cold front crossed northern Ohio during the evening of September 4th. A line of showers and thunderstorms developed ahead of this front and moved across the region. A long track tornado caused damage in the Mansfield area. There were also reports of severe weather elsewhere across northern Ohio.","An EF2 tornado crossed into Richland County from Crawford County just to the south of Hook Road in rural Springfield Township. A home on Hook Road just west of Thrush Road sustained heavy damage. Half of the roof of the home was torn off and a bedroom on the southwest side of the house was destroyed. The attached garage on the northeast side of the house was also leveled. Two people inside the southwest corner bedroom were thrown approximately 50 feet and ended up outside in the yard. Both sustained minor injuries. An adjacent detached garage was also leveled. A riding lawnmower inside the adjacent garage was found 100 yards away in a field. The tornado then continued east along Hook Road for several miles causing tree and structural damage. A couple barns were damaged or destroyed and a few other buildings lost roofing or siding in this area. The tornado weakened to an EF1 as it crossed Horning Road. The tornado then continued across open land till it leveled yet another barn as it crossed State Route 314. The tornado strengthened again to EF2 intensity as it crossed Rock Road. One home on Stiving Road was destroyed when large trees landed on the roof of the home causing it to collapse. The house was also knocked off it foundation. Two adjacent homes also sustained damage and some outbuildings were destroyed. At least 5 vehicles at the three homes were destroyed or damage. The tornado continued east and weakened as it crossed State Route 39 just to the north of Cairns Road. The tornado finally lifted about a quarter mile east of Kline Road. Only minor tree damage was observed east of State Route 39. This tornado was on the ground in Richland County for around eight and half miles and had a damage path up to 200 yards in width. Hundreds of trees and many power poles were downed along the damage path." +113518,679712,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"AIKEN",2017-04-03 15:05:00,EST-5,2017-04-03 15:08:00,0,0,0,0,,NaN,,NaN,33.53,-81.74,33.53,-81.74,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Multiple trees down near Lynwood Dr and Longwood Dr in the Aiken Estates subdivision." +112399,671921,SOUTH CAROLINA,2017,January,Tornado,"ORANGEBURG",2017-01-21 16:09:00,EST-5,2017-01-21 16:19:00,0,0,0,0,,NaN,,NaN,33.3761,-81.0839,33.399,-80.9941,"Upper energy interacted with a warm front to produce severe thunderstorms, including tornadoes, mainly across southern portions of the CSRA and Southern Midlands.","The National Weather Service in Columbia has confirmed a tornado|near Cope in Orangeburg County South Carolina on January 21 2017|based on information provided by the Orangeburg County Emergency|Manager. The tornado touched down near Highway 70 near the |Orangeburg-Bamberg County line, then continued northeast across |Cope Road before dissipating near the intersection of Deer Trail |Road and Whisenhunt Road. Most of the damage observed along the |path was rated EF0, but the tornado did briefly strengthen into an|EF1 near the intersection of Highway 70 and Cope Road/Highway 332.|In this vicinity, three mobile homes were heavily damaged and a |metal farm building collapsed. Numerous trees were either snapped |or uprooted." +115946,740130,SOUTH CAROLINA,2017,May,Tornado,"NEWBERRY",2017-05-24 14:07:00,EST-5,2017-05-24 14:20:00,0,0,0,0,,NaN,,NaN,34.1243,-81.6153,34.22,-81.48,"An upper disturbance ahead of an upper trough, combined with considerable atmospheric instability, moisture, and shear ahead of an approaching surface cold front, to produce shower and thunderstorm activity. Some severe thunderstorms produced tornadoes, strong damaging wind gusts, locally heavy rain, and some hail.","An NWS Storm Survey Team found that a tornado touched down in Northern Saluda County, about 2 miles southwest of the Saluda River. The tornado|then continued northeast across the Saluda River and into Newberry County, eventually passing about 2 miles south of Prosperity and dissipating about 3 miles east of Prosperity near Mid Carolina High School. The tornado had a path length of 10.18 miles in Newberry County, for a total path length of 12 miles across both Saluda and Newberry Counties. The maximum width was 250 yards. The tornado produced EF-0 and EF-1 damage along most of its path. However, there was a small area of EF-2 wind damage with winds up to 115 mph near Stoney Hill Road and Fire Tower Road, and also near Macedonia Church Road and Cy Schumpert Road. ||Numerous trees were either snapped or uprooted along the damage path, with several trees down on homes and vehicles. Where the tornado was strongest, several masonry outbuildings had their walls blown out. Small outbuildings were moved as much as 20 yards, and a few very large hardwood trees were splintered with |the tops thrown as far as 30 yards." +119542,717360,IOWA,2017,August,Heavy Rain,"CASS",2017-08-20 07:15:00,CST-6,2017-08-21 07:15:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-94.99,41.4,-94.99,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","Mesonet station recorded heavy rainfall of 2.81 inches over the last 24 hours." +117090,704426,NEW JERSEY,2017,May,Thunderstorm Wind,"BERGEN",2017-05-14 15:53:00,EST-5,2017-05-14 15:53:00,0,0,0,0,1.00K,1000,,NaN,40.7786,-74.1285,40.7786,-74.1285,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A tree was reported down across Avon Place. Nearby Observations (KCDW and KTEB) and radar support winds of between 40 and 50 mph." +117090,704429,NEW JERSEY,2017,May,Thunderstorm Wind,"BERGEN",2017-05-14 15:45:00,EST-5,2017-05-14 15:45:00,0,0,0,0,1.20K,1200,,NaN,40.9394,-74.1214,40.9394,-74.1214,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A large tree was reported down across the tracks at Radburn Station. Nearby Observations (KCDW and KTEB) and radar support winds of between 40 and 50 mph." +117090,704425,NEW JERSEY,2017,May,Thunderstorm Wind,"PASSAIC",2017-05-14 15:45:00,EST-5,2017-05-14 15:45:00,0,0,0,0,7.50K,7500,,NaN,40.87,-74.15,40.87,-74.15,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A couple of trees were reported down in Clifton, including one into a house on Ivy Drive.|Nearby Observations (KCDW and KTEB) and radar support winds of between 40 and 50 mph." +117090,704428,NEW JERSEY,2017,May,Thunderstorm Wind,"PASSAIC",2017-05-14 15:45:00,EST-5,2017-05-14 15:45:00,6,0,1,0,2.00K,2000,,NaN,40.8566,-74.1289,40.8566,-74.1289,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A large tree limb fell onto Paulison Avenue, killing one person and injuring six. Nearby Observations (KCDW and KTEB) and radar support winds of between 40 and 50 mph." +117090,704427,NEW JERSEY,2017,May,Thunderstorm Wind,"BERGEN",2017-05-14 15:55:00,EST-5,2017-05-14 15:55:00,0,0,0,0,7.50K,7500,,NaN,40.82,-74.12,40.82,-74.12,"An upper level low triggered strong thunderstorms over Northeast New Jersey.","A few trees fell in Rutherford, including one into a house on Maple Street and another into a house on Raymond Avenue. Nearby Observations (KCDW and KTEB) and radar support winds of between 40 and 50 mph." +117280,705402,IOWA,2017,June,Hail,"CASS",2017-06-15 18:22:00,CST-6,2017-06-15 18:22:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-94.95,41.26,-94.95,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter sized hail. Time estimated from radar." +117280,705403,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:24:00,CST-6,2017-06-15 18:24:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-92.43,42.48,-92.43,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Storm chaser reported half dollar sized hail." +117280,705404,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:26:00,CST-6,2017-06-15 18:26:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-92.45,42.47,-92.45,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported half dollar sized hail near Ridgeway and Highway 58." +117280,705405,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:30:00,CST-6,2017-06-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-92.44,42.49,-92.44,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported golf ball sized hail near the intersection of Highway 27 and Viking Road." +117280,705406,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:33:00,CST-6,2017-06-15 18:33:00,0,0,0,0,0.00K,0,0.00K,0,42.47,-92.33,42.47,-92.33,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Amateur radio operator reported golf ball sized hail." +120469,721750,NEW JERSEY,2017,September,Coastal Flood,"EASTERN ATLANTIC",2017-09-19 19:30:00,EST-5,2017-09-20 00:45:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Moderate coastal flooding affected the New Jersey counties of Ocean, southeastern Burlington, Atlantic and Cape May with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.","Moderate coastal flooding affected eastern Atlantic County with the evening high tide on Tuesday, September 19. Widespread roadway flooding was reported in the communities along tidal waters and many roads were closed.||Here are just a few of the locations that were affected by the flooding. The White Horse Pike and the Black Horse Pike were closed in eastern Atlantic County. Some residents were evacuated from low lying areas. ||The following tide gauges reached their moderate flooding threshold: Atlantic City Marina, Atlantic City Inside Thorofare, Absecon, and Margate." +114222,686813,MISSOURI,2017,March,Tornado,"CHARITON",2017-03-06 20:56:00,CST-6,2017-03-06 21:16:00,0,0,0,0,,NaN,,NaN,39.4546,-93.1085,39.5582,-92.7621,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several outbuildings and trees were damaged or destroyed as a tornado embedded within a QLCS did mainly damage to rural areas of Chariton County." +117280,705429,IOWA,2017,June,Hail,"POLK",2017-06-15 21:52:00,CST-6,2017-06-15 21:52:00,0,0,0,0,0.00K,0,0.00K,0,41.6768,-93.7634,41.6768,-93.7634,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported nickel sized hail along NW 106th." +117280,705435,IOWA,2017,June,Hail,"POLK",2017-06-15 22:16:00,CST-6,2017-06-15 22:16:00,0,0,0,0,0.00K,0,0.00K,0,41.6592,-93.5261,41.6592,-93.5261,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Local fire department reported lots of quarter to golf ball sized hail near the Highway 65 exit along I-80." +117280,705438,IOWA,2017,June,Hail,"JASPER",2017-06-15 22:38:00,CST-6,2017-06-15 22:38:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-93.07,41.7,-93.07,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported nickel sized hail beginning at the time of the report." +117280,705430,IOWA,2017,June,Hail,"POLK",2017-06-15 21:53:00,CST-6,2017-06-15 21:53:00,0,0,0,0,0.00K,0,0.00K,0,41.67,-93.76,41.67,-93.76,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported lots of nickel size hail with a few quarter sized mixed in." +117280,705431,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-15 21:54:00,CST-6,2017-06-15 21:54:00,0,0,0,0,30.00K,30000,0.00K,0,41.6396,-93.699,41.6396,-93.699,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","NWS employee reported 4-5 snapped power poles along frontage road west of Merle Hay between Meredith and the Chapel Hill Gardens Cemetery. At least 2 snapped 1/3 to 1/2 up the pole, may have been more snapped, but uncertain." +115344,692571,ARKANSAS,2017,April,Thunderstorm Wind,"POPE",2017-04-26 09:22:00,CST-6,2017-04-26 09:22:00,0,0,0,0,0.00K,0,0.00K,0,35.24,-92.95,35.24,-92.95,"An active April continued late on the 25th as a storm system intensified in the Plains. Thunderstorms erupted in central and eastern Oklahoma, and plowed into northwest Arkansas between 1230 am and 100 am CDT on the 26th.","Trees were reported down in Atkins." +115195,694279,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-02 21:30:00,CST-6,2017-05-02 21:30:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-97.88,36.4,-97.88,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","" +115195,694280,OKLAHOMA,2017,May,Hail,"GARFIELD",2017-05-02 21:30:00,CST-6,2017-05-02 21:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.48,-98.02,36.48,-98.02,"As an upper level trough moved across the region, numerous storms developed in the vicinity of a stationary boundary across the Texas panhandle and eastern Colorado on the evening of the 2nd. These storms made their way eastward across northern Oklahoma overnight into the 3rd.","Hail damage reported to roofs and cars. Time estimated by radar." +117483,706573,IOWA,2017,June,Thunderstorm Wind,"CERRO GORDO",2017-06-29 20:30:00,CST-6,2017-06-29 20:30:00,0,0,0,0,0.00K,0,0.00K,0,43.13,-93.2,43.13,-93.2,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Amateur radio operator reported a 64 mph wind gust measured by a home weather station." +117483,706576,IOWA,2017,June,Flash Flood,"FRANKLIN",2017-06-29 20:38:00,CST-6,2017-06-30 02:30:00,0,0,0,0,0.00K,0,0.00K,0,42.7773,-93.3443,42.7546,-93.345,"A weak, relatively stationary boundary found itself draped across northern Iowa throughout the day. Overall conditions were not incredible, but with around 1000 J/kg MLCAPE, LCLs below 1000 m, and the weak boundary in place, a number of funnel clouds were reported as storms initiated. With overall weak flow as well, the storms primarily produced, in addition to the funnel clouds, localized heavy rainfall and a few damaging wind reports. Later in the evening, storms that originally initiated to the west in Nebraska tracked across the northern half of Iowa as an MCS. Other than local heavy rainfall, a few damaging wind reports and severe wind gusts were reported.","Emergency manager reported flash flooding of streets in Latimer." +115165,695684,ARKANSAS,2017,April,Tornado,"BOONE",2017-04-04 20:34:00,CST-6,2017-04-04 20:39:00,0,0,0,0,80.00K,80000,0.00K,0,36.3604,-93.0267,36.3797,-92.94,"On 4/2/17 severe thunderstorms were noted in south Arkansas. Another system affected north Arkansas on 4/4-5/17 with severe thunderstorms.","Boone County Emergency Management performed an aerial damage survey near the communities of Bergman and Lead Hill in Boone County. A path of damage 3.4 miles in length was found beginning 2.8 miles north-northeast of Bergman, ending 1.7 miles southwest of South Lead Hill. Much of the damage path was characterized by uprooted trees and snapped large tree limbs which converged on the center of the damage path. Damage to several homes was noted along the damage path. The worst of the damage removed part of the roof of a single family residence and destroyed a few outbuildings and several fences." +115365,695353,ARKANSAS,2017,April,Thunderstorm Wind,"FAULKNER",2017-04-29 22:00:00,CST-6,2017-04-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.06,-92.45,35.06,-92.45,"Severe thunderstorms and very heavy rainfall was noted on April 29-30, 2017. Major flooding was a result of the heavy rain.","A storm spotter measured a 60 mph wind gust." +115198,694539,OKLAHOMA,2017,May,Flash Flood,"NOBLE",2017-05-11 14:56:00,CST-6,2017-05-11 17:56:00,0,0,0,0,0.00K,0,0.00K,0,36.4569,-97.3138,36.4578,-97.3396,"Storms formed during the afternoon of the 11th in the vicinity of an eastward moving cold front and dryline.","Flood waters flowing over roadways in several locations." +115199,694575,OKLAHOMA,2017,May,Hail,"BECKHAM",2017-05-16 17:31:00,CST-6,2017-05-16 17:31:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-99.66,35.28,-99.66,"Storms formed along the dryline in the Texas panhandle on the afternoon of the 16th before moving eastward. As a cold front caught up to the storms, convection increased and storms began to form into a line. This line continued eastward across the state overnight into the 17th.","" +115200,694724,OKLAHOMA,2017,May,Hail,"GREER",2017-05-18 13:47:00,CST-6,2017-05-18 13:47:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-99.38,34.97,-99.38,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +119542,717361,IOWA,2017,August,Heavy Rain,"POLK",2017-08-21 01:00:00,CST-6,2017-08-21 07:31:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-93.63,41.59,-93.63,"With the help of a couple weak boundaries in the area, storms initiated on the nose of the low level jet and generally remained over the same areas overnight. The primary result of the storms was heavy rainfall, though a few initial storms were able to produce damaging winds and severe hail within 2000+ J/kg CAPE and borderline effective bulk shear around 30 kts. Other than the few initial severe storm reports, total rainfall reports exceeded 5 inches in some locations. During the afternoon and evening on the 21st, ahead of a cold front, storms once again initiated and produced primarily sub-severe winds and hail, though two weak tornadoes and one severe wind gust were reported.","KCCI recorded 2.20 inches of heavy rainfall overnight." +117314,705568,IOWA,2017,June,Hail,"WINNEBAGO",2017-06-16 15:36:00,CST-6,2017-06-16 15:36:00,0,0,0,0,0.00K,0,0.00K,0,43.37,-93.78,43.37,-93.78,"A lingering frontal boundary that initiated storms the previous couple of days remained across northwest and northern Iowa on the 16th. During the afternoon, in an environment of 1000-2000 J/kg MLCAPE and 40-50 kts effective bulk shear, storms once again initiated and propagated eastward. Initially, storms went up in northwest Iowa and produced near-severe hail and periods of heavy rain. During the evening, storms that initiated back in eastern Nebraska propagated across central and southern Iowa producing primarily heavy rainfall and periods of severe wind gusts and related wind damage along with one tornado. The heaviest rainfall was over southern Iowa where as much as 2+ inches of rain fell.","Trained spotter reported nickel sized hail." +114785,692999,KANSAS,2017,May,Thunderstorm Wind,"SALINE",2017-05-18 17:38:00,CST-6,2017-05-18 17:39:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-97.59,38.84,-97.59,"An embedded supercell within a line of severe thunderstorms produced two more tornadoes. Two touching down in Barton County, Kansas and one other in Saline county, Kansas. No damage was noted as they were weak tornadoes and occurred over open country.","At mile marker 253 on Interstate 70." +120150,719879,SOUTH DAKOTA,2017,August,Heavy Rain,"MINNEHAHA",2017-08-21 13:29:00,CST-6,2017-08-21 13:29:00,0,0,0,0,0.00K,0,0.00K,0,43.53,-96.81,43.53,-96.81,"Morning Widespread thunderstorms developed across portions of south central and southeast South Dakota and produced large hail and heavy rain. The hail resulted in crop damage and the heavy rain caused flooding in a few areas of southeast South Dakota.","Intersection at 26 and Stebben flooded." +115190,691691,KANSAS,2017,May,Thunderstorm Wind,"NEOSHO",2017-05-31 11:58:00,CST-6,2017-05-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,37.49,-95.47,37.49,-95.47,"Scattered thunderstorms redeveloped early in the afternoon along a weak stationary front that extended from Central Kansas to Southwest Missouri. With a northwest mid to upper-deck regime, deep layer shear was quite pronounced and therefore favorable for severe thunderstorm development.","The 50 to 60 mph winds occurred along the gust front of the thunderstorms." +112253,669398,GEORGIA,2017,January,Thunderstorm Wind,"CRISP",2017-01-02 22:55:00,EST-5,2017-01-02 23:10:00,0,0,0,0,50.00K,50000,,NaN,31.93,-83.78,31.9508,-83.7751,"A strong mid-level short wave swept across the southeastern U.S. during the afternoon and overnight interacting with an unseasonably warm and moderately unstable atmosphere across central Georgia. Widespread thunderstorms resulted in scattered reports of damaging winds and an isolated tornado. High rainfall amounts also produced isolated flash flooding.","The Crisp County Emergency Manager reported numerous trees blown down on the south side of Cordele. Falling trees caused considerable damage to one vehicle and minor damage to two others. One home had moderate damage and another received minor damage. Several barns and storage buildings had roofs blown off. A house on 28th Avenue East was damaged by a falling tree." +113684,698580,MISSISSIPPI,2017,April,Flash Flood,"RANKIN",2017-04-02 22:30:00,CST-6,2017-04-03 03:10:00,0,0,0,0,5.00K,5000,0.00K,0,32.3934,-89.9653,32.39,-89.966,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","Flooding occurred along Bay Pointe Cove." +114098,683249,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 16:40:00,CST-6,2017-04-29 17:09:00,20,0,2,0,700.00K,700000,200.00K,200000,32.357,-95.9549,32.5528,-95.9306,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","The Henderson County tornado continued into Van Zandt County. A National Weather Service damage survey crew found the start of tornado number three began in Henderson County, approximately 3 miles due south of Eustace. This tornado eventually moved into Van Zandt County, where the storm produced EF4 damage. In Henderson County, several homes suffered EF2 damage, along with a considerable amount of tree damage and damage to farm buildings. As the storm moved into Van Zandt County, the tornado grew to a mile wide at the tornado's maximum width. Over 50 homes were either damaged or destroyed, with a continuous path noted between counties." +113614,684047,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-03 09:45:00,CST-6,2017-04-03 09:45:00,0,0,0,0,0.00K,0,0.00K,0,31.47,-85.45,31.47,-85.45,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down in Echo." +113614,684048,ALABAMA,2017,April,Thunderstorm Wind,"HENRY",2017-04-03 09:48:00,CST-6,2017-04-03 09:48:00,0,0,0,0,3.00K,3000,0.00K,0,31.56,-85.25,31.56,-85.25,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down in the Abbeville area." +113614,684049,ALABAMA,2017,April,Thunderstorm Wind,"HOUSTON",2017-04-03 10:12:00,CST-6,2017-04-03 10:12:00,0,0,0,0,0.00K,0,0.00K,0,31.2367,-85.4176,31.2367,-85.4176,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Power lines were blown down at Choctaw and Cherokee Road in Dothan." +113614,684050,ALABAMA,2017,April,Hail,"GENEVA",2017-04-04 23:50:00,CST-6,2017-04-04 23:50:00,0,0,0,0,0.00K,0,0.00K,0,31.19,-85.78,31.19,-85.78,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113614,684051,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-04 23:55:00,CST-6,2017-04-04 23:55:00,0,0,0,0,0.00K,0,0.00K,0,31.3,-85.78,31.3,-85.78,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down." +117953,709465,IOWA,2017,June,Tornado,"MILLS",2017-06-16 19:11:00,CST-6,2017-06-16 19:13:00,0,0,0,0,,NaN,,NaN,41.0854,-95.8628,41.0713,-95.834,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","This is a continuation of the tornado that struck Offutt Air Force Base in Sarpy County, Nebraska. The tornado crossed the Missouri River just east of a water treatment plant in Bellevue, Nebraska. The tornado continued moving southeast into rural, river bottom land in Iowa and then struck a farmstead on Gaston Avenue in Mills County. Several outbuildings and barns were damaged or destroyed. The farm home suffered roof damage. The tornado continued southeast and then tipped over a center pivot irrigation system before dissipating." +117953,709464,IOWA,2017,June,Tornado,"MILLS",2017-06-16 19:10:00,CST-6,2017-06-16 19:18:00,0,0,0,0,,NaN,,NaN,41.0718,-95.8753,41.0502,-95.7924,"A line of intense supercell thunderstorms developed over northeast Nebraska during the afternoon hours of Friday, June 16. These storms progressed toward the south and east through the evening, progressively morphing into a sweeping line of storms with embedded areas of both supercells and intense bow echoes. While the entire line produced widespread reports of wind damage and hail across a large portion of southwest Iowa and eastern Nebraska, the most intense activity produced hurricane-force winds of 80-110 mph, hail larger than golf balls, and several tornadoes. Damage was reported in several counties across southwest Iowa and eastern Nebraska, with significant damage to homes impacted by tornadoes and widespread, substantial tree and crop damage.","This is a continuation of the EF-2 tornado that went through Sarpy County, Nebraska. The tornado started on the Missouri River about 1/2 mile north of US Highway 34. The tornado proceeded southeast causing occasional tree damage until near the US 34/I-29 interchange , there was significant roof damage to several businesses. After crossing I-29, the tornado struck a trailer campground, blowing over or damaging trailers. The tornado then continued for another mile eastward, producing minor tree damage prior to dissipating." +116318,699427,NORTH CAROLINA,2017,May,Tornado,"YADKIN",2017-05-24 15:18:00,EST-5,2017-05-24 15:23:00,0,0,0,0,9.50M,9500000,0.00K,0,36.049,-80.611,36.1025,-80.5728,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms. One supercell thunderstorm produced two EF-2 tornadoes that caused damage to hundreds of structures while downing thousands of trees across Stokes and Yadkin Counties. Other storms in the region produced damaging straight-line winds.","A thunderstorm dropped a tornado near the intersection of Highways 601 and 801 in Davie County (see Storm Data for North Carolina, Northwest, Northcentral, for more information on the beginning portion of this Tornado). It then progressed north and east into Yadkin County where it produced a continuous path of 4.1 miles where it produced an injury just southwest of Baity Road when a tree limb was blown into a mobile home that was occupied at the time. The tornado continued to move northeast at around 40 mph for the next 4.1 miles, lifting and dissipating just northeast of Watkins Road. Approximately 45 homes and other buildings were at least partially damaged along the tornado path. The tornado reached peak intensity and produced EF2 level damage, associated with winds of approximately 125 mph, as it moved over Courtney-Huntsville Road causing extensive damage to the local elementary school gymnasium." +121013,724447,TENNESSEE,2017,November,Flash Flood,"WILSON",2017-11-07 05:00:00,CST-6,2017-11-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1683,-86.5134,36.1122,-86.5217,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Flash flooding affected parts of southern Wilson County with several roads flooded and closed, including Couchville Pike. Three water rescues were performed, including on Richmond Road at Commerce Church Road northeast of Watertown, on Salem Road near Norene, and on Couchville Pike near Gladeville." +121013,724453,TENNESSEE,2017,November,Flash Flood,"DEKALB",2017-11-07 06:00:00,CST-6,2017-11-07 08:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.0808,-86.0523,35.9694,-86.0031,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Major flash flooding affected much of De Kalb County, with the flooding considered the worst since 1999 in the western part of the county. Numerous roads were covered by water and closed, including Highway 264, Highway 56, Highway 70, Smith Fork Road, Dismal Road, and Main Street in Liberty. Nine water rescues were conducted by emergency personnel in and near Dowelltown. Flood waters surrounded many homes and other buildings, including De Kalb West Elementary School and Salem Baptist Church. A USGS river gauge on Highway 264 at Smith Fork Creek crested at 27.5 feet, the second highest level on record." +117280,705407,IOWA,2017,June,Hail,"BLACK HAWK",2017-06-15 18:39:00,CST-6,2017-06-15 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.48,-92.3,42.48,-92.3,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","Trained spotter reported quarter to ping pong ball sized hail." +116398,699983,VERMONT,2017,May,Thunderstorm Wind,"WINDHAM",2017-05-18 20:03:00,EST-5,2017-05-18 20:03:00,0,0,0,0,,NaN,,NaN,43.17,-72.46,43.17,-72.46,"May 18 was the second straight day of temperatures approaching or exceeding 90 degrees in Southern Vermont. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into southern Vermont by the evening, resulting in reports of wind damage. Over 4,000 customers lost power in Windham County.","Trees and wires were reported down along Route 5 and Interstate 91." +116398,699984,VERMONT,2017,May,Thunderstorm Wind,"WINDHAM",2017-05-18 20:05:00,EST-5,2017-05-18 20:05:00,0,0,0,0,,NaN,,NaN,42.97,-72.52,42.97,-72.52,"May 18 was the second straight day of temperatures approaching or exceeding 90 degrees in Southern Vermont. The hot airmass, despite not being overly humid, provided an unstable environment conducive for thunderstorm development. Thunderstorms began to form in the early afternoon over western New York along a lake breeze boundary. These storms pushed into southern Vermont by the evening, resulting in reports of wind damage. Over 4,000 customers lost power in Windham County.","Trees and wires were reported down along Route 5 and Interstate 91." +114222,686814,MISSOURI,2017,March,Tornado,"LAFAYETTE",2017-03-06 20:34:00,CST-6,2017-03-06 20:36:00,0,0,0,0,,NaN,,NaN,39.0129,-93.8511,39.0186,-93.8194,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","The embedded supercell that produced several tornadoes in eastern Kansas through Jackson County Missouri produced a brief tornado in Mayview where several structures were damaged, the most of which was some garage door and external wall damage to a residence in Mayview." +117406,706067,NEW YORK,2017,July,Flash Flood,"ESSEX",2017-07-01 13:00:00,EST-5,2017-07-01 16:00:00,0,0,0,0,50.00K,50000,0.00K,0,43.8759,-73.7857,43.9655,-73.4227,"Heavy rainfall of 3 to 4 inches during the past 3-4 days had pre-saturated the soils across Essex County. During the afternoon of July 1st, a series of heavy rain showers and thunderstorms moved across southeast Essex County delivering very heavy localized rainfall that caused some scattered flash flooding.","Local roads were flooded and damaged by flash flooding in Schroon, Crown Point, and Ticonderoga. A state of emergency was declared in Ticonderoga while emergency responders dealt with flash flooding." +115200,700773,OKLAHOMA,2017,May,Tornado,"JACKSON",2017-05-18 13:11:00,CST-6,2017-05-18 13:16:00,0,0,0,0,5.00K,5000,0.00K,0,34.695,-99.575,34.704,-99.559,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Emergency management officials, spotters and media reported a tornado north of Duke. One home sustained light damage." +115200,700780,OKLAHOMA,2017,May,Tornado,"WOODWARD",2017-05-18 15:23:00,CST-6,2017-05-18 15:31:00,0,0,0,0,10.00K,10000,0.00K,0,36.226,-98.974,36.312,-98.961,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","A highly-visible multiple vortex tornado began in Woodward County and moved north-northeast. Two homes received roof and siding damage near county road NS227 and tree damage was observed a few locations along the path. The tornado moved into Woodward County south of county road EW048." +114222,685796,MISSOURI,2017,March,Thunderstorm Wind,"BATES",2017-03-06 20:46:00,CST-6,2017-03-06 20:49:00,0,0,0,0,,NaN,,NaN,38.32,-94.33,38.32,-94.33,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","A half dozen barns were toppled over near Highway D near Passaic, Missouri." +114222,685797,MISSOURI,2017,March,Thunderstorm Wind,"CASS",2017-03-06 20:46:00,CST-6,2017-03-06 20:49:00,0,0,0,0,,NaN,,NaN,38.56,-94.19,38.56,-94.19,"On the evening of March 6, 2017 a line of severe thunderstorms formed, then moved into eastern Kansas and western and central Missouri. Ahead of and along this line of storms supercells formed and produced large hail, damaging winds, and several tornadoes. Officially there were 11 tornadoes recorded in the EAX portion of Missouri, with a 12th tornado recorded in Leawood, Kansas, on the Kansas side of the EAX CWA. The most notable of the tornadoes were the EF-2 and EF-3 tornadoes that impacted Smithville, Missouri and Oak Grove, Missouri respectively. According to news reports there were 12 injuries associated with the Oak Grove tornado, but despite the widespread significant damage there were no fatalities. As the line of storms moved eastward several embedded supercells and mesovortices produced several more tornadoes across northern and central Missouri. By the end of the event, officially there were four EF-1 tornadoes, one EF-2 tornado (Smithville, MO), one EF-3 (Oak Grove, MO), and five EF-0 tornadoes in Missouri. The Leawood Kansas tornado was rated EF-0 as well, rounding out the 12 confirmed tornadoes in the EAX CWA from that evening.","Several trees and power lines were down near Garden City." +117279,705373,IOWA,2017,June,Thunderstorm Wind,"HANCOCK",2017-06-13 23:26:00,CST-6,2017-06-13 23:26:00,0,0,0,0,10.00K,10000,0.00K,0,43.0927,-93.798,43.0927,-93.798,"A slow moving cold front in central Nebraska initiated storms during the evening of the 13th which became linear and progressed into Iowa during the overnight hours. Within an MLCAPE environment of 1000-2000 J/kg and lackluster effective shear, the only severe reports were a trio of damaging winds. In addition to the damaging winds, periods of brief heavy rainfall occurred in a number of locations.","Trained spotter reported the roof ripped off a Morton building. Some tree damage was reported as well." +117280,705376,IOWA,2017,June,Thunderstorm Wind,"POLK",2017-06-15 21:55:00,CST-6,2017-06-15 21:55:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-93.7,41.66,-93.7,"A weak frontal boundary meandered across Iowa, primarily stalling out in a northeast to southwest orientation. Within an environment of MLCAPE 1000-2000 J/kg and effective bulk shear of 40-50 kts, storms that initiated quickly intensified and produced numerous hail reports and a handful of damaging wind reports. Largest hail reports were nearly 3 inches in diameter near Knoxville.","NWS employee reported two tree limbs, one on east side and one on west side, of Merle Hay snapped. Estimated diameter of 1-2 feet. Time radar estimated." +116784,711101,VERMONT,2017,July,Flash Flood,"WASHINGTON",2017-07-17 13:30:00,EST-5,2017-07-17 14:30:00,0,0,0,0,5.00K,5000,0.00K,0,44.178,-72.812,44.183,-72.804,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Heavy Rain from a thunderstorm produced some minor culvert damage along Common Rd near Waitsfield." +116784,711103,VERMONT,2017,July,Flash Flood,"WINDSOR",2017-07-17 16:40:00,EST-5,2017-07-17 17:40:00,0,0,0,0,10.00K,10000,0.00K,0,43.387,-72.723,43.394,-72.734,"A weak surface and mid-level wave moved across Vermont in a moderately unstable (very cool aloft) air mass during the afternoon of July 17th. Scattered thunderstorms developed with a few containing large hail (> .75 inch in diameter) and some winds. Heavy rain additionally produced some isolated Flash Flooding.","Heavy Rain caused several buildings to be flooded near the Okemo Base." +118387,711432,NEW YORK,2017,July,Flash Flood,"ST. LAWRENCE",2017-07-24 06:24:00,EST-5,2017-07-24 08:24:00,0,0,0,0,5.00K,5000,0.00K,0,44.432,-75.169,44.435,-75.163,"An upper level trough widespread showers over northern New York county as an stationary band developed across west-central Saint Lawrence that produced flash flooding. A narrow band of 4-7 inches of rain fell with the individual max being 6.9 inches at the NYS Mesonet gauge in Hammond, NY.","Water was flowing over Pestle Street Rd." +115200,694751,OKLAHOMA,2017,May,Thunderstorm Wind,"COMANCHE",2017-05-18 17:16:00,CST-6,2017-05-18 17:16:00,0,0,0,0,0.00K,0,0.00K,0,34.5944,-98.3349,34.5944,-98.3349,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115200,694791,OKLAHOMA,2017,May,Hail,"LOGAN",2017-05-19 01:18:00,CST-6,2017-05-19 01:18:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-97.47,35.76,-97.47,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","Reported via mping." +115200,694742,OKLAHOMA,2017,May,Hail,"WASHITA",2017-05-18 15:31:00,CST-6,2017-05-18 15:31:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-98.99,35.31,-98.99,"A line of storms fired along and just ahead of a dryline and cold front on the afternoon of the 18th and continued eastward across the state overnight into the 19th.","" +115202,694978,OKLAHOMA,2017,May,Flash Flood,"POTTAWATOMIE",2017-05-19 18:53:00,CST-6,2017-05-19 21:53:00,0,0,0,0,0.00K,0,0.00K,0,35.3024,-97.1149,35.3071,-97.1143,"A line of storms fired along and just ahead of a cold front on the afternoon of the 19th and continued eastward across the state overnight into the 20th.","Hardesty road was under 6-8 inches of moving water for about 70-80 feet." +112953,674945,ILLINOIS,2017,February,Tornado,"BUREAU",2017-02-28 16:19:00,CST-6,2017-02-28 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.156,-89.6386,41.1606,-89.6307,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","This tornado touched down and spent most of its time moving through Stark County, Illinois, generally south of Bradford and just east of Castleton. It lifted in far western Bureau county. Trees were damaged by this tornado, along with a farm outbuilding, and minor damage to a few homes. The estimated peak wind was 95 mph. The entire path length was 5.51 miles, after initially touching down 5.3 miles southwest of Bradford, 41.11 N / -89.7145 W." +112955,674942,IOWA,2017,February,Tornado,"CLINTON",2017-02-28 15:53:00,CST-6,2017-02-28 15:53:00,0,0,0,0,0.00K,0,0.00K,0,41.7535,-90.3582,41.7535,-90.3582,"Following a week of record highs, a late winter severe weather outbreak brought widespread severe thunderstorms to Iowa, Illinois, and northeast Missouri. Supercell thunderstorms produced numerous reports of large hail and a few tornadoes. The tornadoes were the first ever recorded in the month of February, across eastern Iowa and northwest Illinois. Additionally, some damaging winds occurred after dark, when the storms formed into a line as they moved through Illinois. This outbreak of severe weather also included many locations in the southern half of Illinois, and Missouri.","Clinton county emergency management observed a brief tornado in a field, with dust debris noted as it touched down. No damage was reported. The estimated peak wind was 70 mph." +112919,722440,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 17:50:00,CST-6,2017-02-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,41.6042,-88.0846,41.6042,-88.0846,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Penny size hail was observed at the National Weather Service office in Romeoville." +120539,722133,KANSAS,2017,January,Ice Storm,"SALINE",2017-01-15 07:00:00,CST-6,2017-01-15 17:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county were up to 0.25 inches. Mainly in the northwest sections." +113698,723801,TENNESSEE,2017,March,Hail,"BRADLEY",2017-03-21 17:26:00,EST-5,2017-03-21 17:26:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-84.88,35.17,-84.88,"A low amplitude short wave trough and associated surface frontal boundary moved southeast out of the Lower Ohio Valley across the Southern Appalachian producing widespread reports of large hail along with some wind damage; mainly south of Interstate 40.","Quarter size hail reported in Cleveland." +113614,684052,ALABAMA,2017,April,Hail,"DALE",2017-04-05 00:00:00,CST-6,2017-04-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,31.28,-85.71,31.28,-85.71,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113614,684053,ALABAMA,2017,April,Hail,"DALE",2017-04-05 00:09:00,CST-6,2017-04-05 00:09:00,0,0,0,0,0.00K,0,0.00K,0,31.33,-85.6,31.33,-85.6,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","" +113614,684054,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-05 00:15:00,CST-6,2017-04-05 00:15:00,0,0,0,0,0.00K,0,0.00K,0,31.47,-85.5237,31.47,-85.5237,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down on South County Road 59." +113614,684055,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-05 00:40:00,CST-6,2017-04-05 00:40:00,0,0,0,0,0.00K,0,0.00K,0,31.6005,-85.6287,31.6005,-85.6287,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees and power lines were blown down on County Road 113." +113614,684056,ALABAMA,2017,April,Thunderstorm Wind,"DALE",2017-04-05 09:15:00,CST-6,2017-04-05 09:15:00,0,0,0,0,2.00K,2000,0.00K,0,31.4647,-85.647,31.4647,-85.647,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","Trees were blown down at Boykin Ave and Don Circle with a power line down as well." +113518,679739,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"LEXINGTON",2017-04-03 15:44:00,EST-5,2017-04-03 15:45:00,0,0,0,0,,NaN,,NaN,33.91,-81.3,33.91,-81.3,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Multiple trees down on house and car near Longs Pond Rd." +113518,679740,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"CHESTERFIELD",2017-04-03 16:30:00,EST-5,2017-04-03 16:35:00,0,0,0,0,,NaN,,NaN,34.68,-80.1,34.68,-80.1,"An upper level trough over northern Texas lifted into the Midwest. A series of upper level disturbances embedded in the trough moved over the Southeast during the afternoon and evening. The associated surface low developed across Missouri/Illinois with a trailing cold front which moved eastward from Mississippi to South Carolina through the day. The main area of thunderstorms developed ahead of the cold front in a quickly advancing line with some discrete supercells developing in southeastern Georgia. The main and most significant band of convection, enhanced by a strong low level jet and moisture transport off of the Gulf of Mexico, pushed quickly across the Midlands and Central Savannah River Area (CSRA) during the afternoon and early evening. The combination of moderate atmospheric instability and very strong vertical wind shear set the stage for a severe weather outbreak, which included a few tornadoes, strong damaging straight-line wind gusts, and a few hail reports across the Midlands and CSRA.","Trees down in roadway on SC 102." +123411,739957,NEBRASKA,2017,October,Flash Flood,"CUSTER",2017-10-01 21:30:00,CST-6,2017-10-01 21:30:00,0,0,0,0,15.00K,15000,0.00K,0,41.65,-99.66,41.6675,-99.6492,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","A bridge along Sargent road was washed out 1.5 miles east of Gates." +123411,740053,NEBRASKA,2017,October,Hail,"CHASE",2017-10-01 15:40:00,MST-7,2017-10-01 15:40:00,0,0,0,0,,NaN,,NaN,40.52,-101.64,40.52,-101.64,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","Quarter size hail lasted for 10 minutes." +123411,740054,NEBRASKA,2017,October,Thunderstorm Wind,"CHASE",2017-10-01 15:29:00,MST-7,2017-10-01 15:29:00,0,0,0,0,,NaN,,NaN,40.41,-101.78,40.41,-101.78,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","Reported by law enforcement. No major damage reported." +123411,740057,NEBRASKA,2017,October,Hail,"CHASE",2017-10-01 15:46:00,MST-7,2017-10-01 15:46:00,0,0,0,0,,NaN,,NaN,40.52,-101.64,40.52,-101.64,"A strong cold front, supported by a strong shortwave trough of low pressure aloft, initiated thunderstorms across northeastern Colorado during the late afternoon hours of October first. This activity moved east northeast into southwestern Nebraska where it became severe. Storms became more numerous across southwestern into central Nebraska during the evening hours. Large hail and damaging winds were the main threats along with heavy rain.","" +116500,700611,IOWA,2017,June,Tornado,"LINN",2017-06-28 17:38:00,CST-6,2017-06-28 17:58:00,1,0,0,0,0.00K,0,0.00K,0,42.1919,-91.5271,42.2735,-91.3635,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","The tornado touched down south of Central City in the county fairgrounds outfield area, and tracked about 12 miles northeast through Prairieburg before lifting in rural Jones County. The most intense damage occurred near and in Prairieburg. At a farmstead just southwest of town, a woman was injured when her garage collapsed on her. In Prairieburg, the grain elevator sustained severe damage, one mobile home was lofted and destroyed, and another mobile home severely damaged. On the east edge of town, a horse barn was destroyed. One horse was killed and two others sustained injuries. Northeast of town, a hog building was destroyed, killing several young hogs. This EF2 tornado continued into Jones County, Iowa." +120816,723468,NORTH CAROLINA,2017,October,Tornado,"LINCOLN",2017-10-23 15:19:00,EST-5,2017-10-23 15:22:00,0,0,0,0,0.00K,0,0.00K,0,35.548,-81.509,35.57,-81.494,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","NWS storm survey followed the damage path of a tornado that began near Lawndale in Cleveland County into extreme northwest Lincoln County. The tornado blew down multiple trees and tree limbs as it passed near the intersection of Highways 10 and 18, then crossed into Catawba County in the vicinity of Willis Rd." +121013,724470,TENNESSEE,2017,November,Flash Flood,"CUMBERLAND",2017-11-07 07:00:00,CST-6,2017-11-07 09:00:00,0,0,0,0,20.00K,20000,0.00K,0,36.0934,-85.2301,35.9138,-85.2004,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","Numerous roads across the county were flooded or washed out. Grassland Road south of Lake Tansi is impassable due to flooding and closed. One water rescue was conducted on Spruce Loop southwest of Crossville." +121013,727766,TENNESSEE,2017,November,Thunderstorm Wind,"WILLIAMSON",2017-11-06 22:02:00,CST-6,2017-11-06 22:02:00,0,0,0,0,1.00K,1000,0.00K,0,35.9865,-86.9327,35.9865,-86.9327,"A cold front moved across Middle Tennessee during the day on Monday, November 6, stalling across far northern Alabama in the evening before lifting slowly back northward overnight into Tuesday, November 7. Scattered showers and thunderstorms developed north of the front during the afternoon and evening hours and then moved eastward along the I-40 corridor. Additional showers and storms formed across West Tennessee and spread eastward across the same areas along the I-40 corridor during the night and into the morning hours on November 7. As a result, over 6 inches of rain fell in some areas, which resulted in widespread flooding from Humphreys County eastward across the southern Nashville metro area to Cumberland County. Some of the worst flooding affected parts of De Kalb County, including the Alexandria, Liberty, Temperance Hall, and Dowelltown areas. Several area rivers and creeks also saw extensive flooding, with a few even reaching moderate flood stage.","A tree was blown down at Old Natchez Trace Road and Natchez Road." +112615,672246,GEORGIA,2017,January,Drought,"COBB",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672247,GEORGIA,2017,January,Drought,"CLARKE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672248,GEORGIA,2017,January,Drought,"CHEROKEE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115900,696444,SOUTH CAROLINA,2017,May,Flash Flood,"LEXINGTON",2017-05-22 13:17:00,EST-5,2017-05-22 13:45:00,0,0,0,0,5.00K,5000,0.10K,100,33.9995,-81.063,34,-81.0765,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Multiple reports of flooded roadways and flooded cars in West Columbia and Cayce. The locations included C Ave and 9th St, 9th St and Meeting St, 1000 block of Sunset Blvd, Charleston Hwy and Hart St, and Jarvis Klapman and Augusta Hwy (US Hwy 1). The Walmart on US Hwy 1 near Interstate 26 had flooding in the parking lot." +115900,696446,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"LEXINGTON",2017-05-22 13:32:00,EST-5,2017-05-22 13:37:00,0,0,0,0,,NaN,,NaN,33.9967,-81.0628,33.9967,-81.0628,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Trees and power lines were downed at Buff St and Sunset Blvd (US Hwy 378) in West Columbia." +113660,693275,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 02:28:00,CST-6,2017-04-11 02:28:00,0,0,0,0,0.00K,0,0.00K,0,32.83,-97.25,32.83,-97.25,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated quarter-sized hail in the city of North Richland Hills, TX." +113660,693276,TEXAS,2017,April,Hail,"BELL",2017-04-11 03:09:00,CST-6,2017-04-11 03:09:00,0,0,0,0,0.00K,0,0.00K,0,31.109,-97.7474,31.109,-97.7474,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A public report of quarter-sized hail was received near the intersection of Hwy 190 and Hwy 195 in Killeen, TX." +113660,693277,TEXAS,2017,April,Hail,"JOHNSON",2017-04-11 06:20:00,CST-6,2017-04-11 06:20:00,0,0,0,0,0.00K,0,0.00K,0,32.4178,-97.2133,32.4178,-97.2133,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A public report indicated ping pong ball sized hail at Alvarado Junior High School." +113660,693278,TEXAS,2017,April,Hail,"TARRANT",2017-04-10 22:45:00,CST-6,2017-04-10 22:45:00,0,0,0,0,0.00K,0,0.00K,0,32.97,-97.13,32.97,-97.13,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated quarter sized hail in the city of Southlake, TX." +113587,679928,CONNECTICUT,2017,February,Drought,"TOLLAND",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In February, rainfall throughout much of northern Connecticut ranged from one-quarter inch to one-inch below normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater. ||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. Considerable snowmelt also occurred along the headwaters of the Connecticut River. The Connecticut River at Hartford CT rose over its 16 foot flood stage, cresting|at 16.09 feet during midnight to 1:30 am on February 28th. ||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. A report from the Connecticut DPH indicated the State���s overall water supply had improved to 85.8 percent of capacity.","The U.S. Drought Monitor continued the Severe Drought (D2) designation for Tolland County through the month of February." +123939,743821,ALASKA,2017,December,Blizzard,"WESTERN ARCTIC COAST",2017-12-13 05:00:00,AKST-9,2017-12-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradient between a high over the arctic and low pressure over the west coast of Alaska produced blowing snow and strong winds to the north slope on December 14th 2017 ||Zone 201: Blizzard conditions were observed at the Wainwright ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 46 kt (53 mph) at the Wainwright ASOS.||Zone 203: Blizzard conditions were observed at the Nuiqsut ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 39 kt (45 mph) at the Wainwright ASOS.||Zone 204: Blizzard conditions were observed at the Point Thomson AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 36 kt (41 mph) at the Wainwright ASOS.","" +123939,743822,ALASKA,2017,December,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-12-13 10:00:00,AKST-9,2017-12-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tight pressure gradient between a high over the arctic and low pressure over the west coast of Alaska produced blowing snow and strong winds to the north slope on December 14th 2017 ||Zone 201: Blizzard conditions were observed at the Wainwright ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 46 kt (53 mph) at the Wainwright ASOS.||Zone 203: Blizzard conditions were observed at the Nuiqsut ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 39 kt (45 mph) at the Wainwright ASOS.||Zone 204: Blizzard conditions were observed at the Point Thomson AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 36 kt (41 mph) at the Wainwright ASOS.","" +123923,743758,ALASKA,2017,December,Blizzard,"CHUKCHI SEA COAST",2017-12-17 04:43:00,AKST-9,2017-12-19 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought snow and blowing snow and strong winds to the west coast on December 17th 2017. Heavy snow fell in the mountains of the seward Penn and the|Nulato Hills. ||Zone 207: Blizzard conditions were observed at the Kivalina ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 44 kt (51 mph) at the Kivalina ASOS.||Zone 211: Blizzard conditions were observed at the Nome ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 43 kt (50 mph) at the Nome ASOS.||Zone 214: Blizzard conditions were observed at the Mountain Village AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 50 kt (58 mph) at the Mountain Village AWOS.||Zone 213: Blizzard conditions were observed at the Wales AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 65 kt (75 mph) at the Wales AWOS.","" +117872,717254,GEORGIA,2017,July,Flash Flood,"TAYLOR",2017-07-24 22:15:00,EST-5,2017-07-25 01:00:00,0,0,0,0,0.00K,0,0.00K,0,32.5575,-84.2462,32.5555,-84.2458,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","Emergency Management reported that Cedar Street was flooded near Tower Street, as well as portions of East Main Street, or Highway 137. Radar estimates indicated rainfall amounts of 3 to 4 inches, with locally higher amounts possible." +117872,717255,GEORGIA,2017,July,Flash Flood,"CHATTAHOOCHEE",2017-07-25 12:00:00,EST-5,2017-07-25 16:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.3041,-84.7463,32.3002,-84.7461,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","Emergency Manager reported a dirt road washed out as a result of runoff from heavy rain. Radar estimates indicate rainfall amounts of 4 to 5 inches in the area, with locally higher amounts possible." +116899,702905,CALIFORNIA,2017,July,Wildfire,"MOTHERLODE/CAMPTONVILLE TO GROVELAND",2017-07-17 13:00:00,PST-8,2017-07-22 17:00:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and dry temperatures brought enhanced fire danger.","A rancher was badly burned in the Maria Fire on Monday, July 17th. The fire was in Calaveras County, near Mokelumne Hill. There were 117 acres burned, with numerous structures threatened, but none reported burned. The rancher had third degree burns over 90% of his body, and passed away on July 29th." +119501,717139,GULF OF MEXICO,2017,July,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-04 16:00:00,EST-5,2017-07-04 16:18:00,0,0,0,0,0.00K,0,0.00K,0,24.5999,-81.7297,24.6361,-81.7637,"An isolated waterspout was observed in association with towering cumulus and a rain shower in the lee of the Lower Florida Keys.","A well-developed waterspout was observed near Key Haven, moving northwest around 5 knots and lasting for 18 minutes." +118414,711622,NEW YORK,2017,July,Thunderstorm Wind,"ONEIDA",2017-07-14 14:12:00,EST-5,2017-07-14 14:22:00,0,0,0,0,1.00K,1000,0.00K,0,43.3,-75.52,43.3,-75.52,"An occluded front stalled across the state of New York Friday afternoon in a very unstable environment. Showers and thunderstorms developed along this surface boundary as a weak storm system moved across the northeast. Showers and thunderstorms quickly developed into a line and moved east across the state Friday afternoon. Some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which blocked a road." +118436,711694,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-20 15:25:00,EST-5,2017-07-20 15:35:00,0,0,0,0,10.00K,10000,0.00K,0,41.6,-76.44,41.6,-76.44,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees." +118436,711696,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-20 16:10:00,EST-5,2017-07-20 16:20:00,0,0,0,0,8.00K,8000,0.00K,0,41.73,-75.63,41.73,-75.63,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees." +118436,711689,PENNSYLVANIA,2017,July,Lightning,"LACKAWANNA",2017-07-20 16:43:00,EST-5,2017-07-20 16:53:00,0,0,0,0,5.00K,5000,0.00K,0,41.57,-75.51,41.57,-75.51,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and struck a house with lightning." +117200,704904,ATLANTIC SOUTH,2017,July,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-07-07 09:40:00,EST-5,2017-07-07 09:40:00,0,0,0,0,,NaN,,NaN,26.36,-80.04,26.36,-80.04,"Morning showers and thunderstorms produced waterspouts over the Atlantic waters. Environmental conditions were favorable with light variable winds seen on the morning sounding as well as a boundary along the east coast.","A member of the public reported a brief waterspout offshore Boca Raton." +119247,716040,FLORIDA,2017,July,Lightning,"BROWARD",2017-07-10 08:08:00,EST-5,2017-07-10 08:08:00,0,1,0,0,0.00K,0,0.00K,0,26.1751,-80.1853,26.1751,-80.1853,"Easterly winds and a typical summertime pattern was in place across South Florida. Thunderstorms over the Atlantic waters moved over the east coast metro. Lightning from this storm caused an indirect jolt to a women walking in a parking lot.","A woman was walking across a parking lot near Oriole Elementary school in Lauderdale Lakes and felt an jolt from a lightning strike nearby." +119250,716050,FLORIDA,2017,July,Funnel Cloud,"MIAMI-DADE",2017-07-16 13:48:00,EST-5,2017-07-16 13:48:00,0,0,0,0,0.00K,0,0.00K,0,25.63,-80.53,25.63,-80.53,"A tropical wave moved across the area producing showers and thunderstorms. Heavy rainfall produced some minor flooding that caused a highway road closure in Collier County. Also, a few of these storms produced funnel clouds over parts of interior South Florida.","An observer at Miami Executive Airport (KTMB) reported a funnel cloud 6 miles west of the airport." +119259,716073,FLORIDA,2017,July,Lightning,"PALM BEACH",2017-07-17 13:53:00,EST-5,2017-07-17 13:53:00,1,0,0,0,0.00K,0,0.00K,0,26.6778,-80.0792,26.6778,-80.0792,"A tropical wave produced widespread showers and storms across the area. Some of these storms produced hail and frequent lightning. One lightning strike caused an indirect injury to a man in Palm Beach County.","Many reports of a man being shocked while shutting a gate that was struck by lightning at the 100 block of Australian Avenue in West Palm Beach. He was transported to a nearby hospital for treatment. Time is based on archived lightning data which showed 2 strikes very close to the location." +119336,716448,ATLANTIC SOUTH,2017,July,Waterspout,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-07-21 07:15:00,EST-5,2017-07-21 07:42:00,0,0,0,0,0.00K,0,0.00K,0,26.34,-79.95,26.34,-79.95,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A waterspout was reported by the Fort Lauderdale Executive Airport (KFXE) official observer about 17 miles NE of the airport." +119336,716452,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-07-21 11:47:00,EST-5,2017-07-21 11:47:00,0,0,0,0,0.00K,0,0.00K,0,25.747,-80.2119,25.747,-80.2119,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A marine thunderstorm wind gust of 42mph / 37 knots was reported by the Weather Bug mesonet site PPFMS near Viscaya." +117872,717215,GEORGIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-24 15:30:00,EST-5,2017-07-24 15:40:00,0,0,0,0,7.00K,7000,,NaN,33.3711,-84.5656,33.4184,-84.5032,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","The Peachtree City Police and a National Weather Service employee reported several trees blown down around the Peachtree City area. Location included the Braelinn Village shopping center; the Fishers Luck Road, Cove Road and Bayview Road area, and around the intersection of Lester Road and Buckingham Road." +117872,717216,GEORGIA,2017,July,Thunderstorm Wind,"DE KALB",2017-07-25 14:54:00,EST-5,2017-07-25 15:05:00,0,0,0,0,15.00K,15000,,NaN,33.864,-84.2365,33.8614,-84.2421,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","A local utility company and the public reported numerous trees and power lines blown down on Midvale Forest Drive, Prestwick Drive and Churchwell Lane in Tucker." +118068,717447,TEXAS,2017,July,Lightning,"MIDLAND",2017-07-03 17:00:00,CST-6,2017-07-03 17:00:00,0,0,1,0,,NaN,0.00K,0,32.0242,-102.0698,32.0242,-102.0698,"There was an upper disturbance over the Central Plains which weakened an upper ridge over New Mexico/Arizona. Abundant moisture and above normal temperatures were in place across West Texas which created an unstable atmosphere. There was an outflow boundary over the northern Permian Basin which provided a focus for thunderstorm development. These conditions resulted in thunderstorms with frequent lightning across the Permian Basin.","A thunderstorm with frequent lightning developed across Midland County and moved across the City of Midland. A 43 year old man was struck by lightning at the 300 block of Maple Avenue and was later declared dead at the hospital." +117872,717217,GEORGIA,2017,July,Thunderstorm Wind,"FULTON",2017-07-25 16:20:00,EST-5,2017-07-25 16:30:00,0,0,0,0,1.00K,1000,,NaN,33.6104,-84.5453,33.6104,-84.5453,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","The Fulton County 911 center reported a tree blown down on Mason Road." +117872,717219,GEORGIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-25 16:40:00,EST-5,2017-07-25 16:50:00,0,0,0,0,4.00K,4000,,NaN,33.4875,-84.4568,33.4647,-84.443,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","The Fayette County 911 center reported trees and power lines blown down on Poplar Way and on Gilbert Road around Fayetteville." +113616,680146,GEORGIA,2017,April,Tornado,"QUITMAN",2017-04-05 11:00:00,EST-5,2017-04-05 11:04:00,0,0,0,0,100.00K,100000,0.00K,0,31.7798,-85.1186,31.8218,-85.015,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","The tornado touched down in extreme southeastern Barbour County in the White Oak community producing EF1 damage on White Oak Drive. The tornado then crossed Sandy Creek into Henry County's White Oak subdivision producing mostly EF1 damage across the entire width of the neighborhood between Sandy Creek and White Oak Creek. However, a double-wide manufactured home on Laurel Drive was shifted about 8 feet despite being strapped to the ground by 2 to 3 foot anchors which were completely pulled from the ground. This justified EF2 damage in this location with winds estimated at 115 mph. The tornado then crossed the Walter F. George Reservoir, also known as Lake Eufaula, into the state of Georgia with EF1 damage on the eastern shore of the lake along County Road 28. The tornado came ashore at the Quitman-Clay County line producing damage in both counties primarily in the form of uprooted trees. The trees damaged several homes. Debris from a lakeside porch was lofted and deposited on the opposite side of the home and strewn across an adjacent field. The tornado continued northeastward across rural Quitman County hitting the Self Family Farm on Self Road. The tornado did significant damage to the roof of a well constructed brick home, removing the majority of the roof. The walls of a brick outbuilding collapsed. There were also numerous trees snapped or uprooted adjacent to the home, two of which were debarked. This damage was consistent with EF2 winds of about 115 mph. Just northeast of the house, an irrigation pivot was toppled with the northern portion falling toward the southwest and the southern portion falling in the opposite direction. The tornado continued northeast across more rural areas causing EF1 damage to trees on County Road 82 before lifting shortly thereafter." +114055,684303,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 13:17:00,CST-6,2017-04-30 13:17:00,0,0,0,0,,NaN,,NaN,34.31,-86.72,34.31,-86.72,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds produced roof damage to a structure near Eva. Reported via social media." +114055,684305,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:20:00,CST-6,2017-04-30 13:20:00,0,0,0,0,,NaN,,NaN,34.93,-86.97,34.93,-86.97,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was snapped at its base off of Compton Street." +114055,684304,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:17:00,CST-6,2017-04-30 13:17:00,0,0,0,0,,NaN,,NaN,34.9,-86.96,34.9,-86.96,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down at the intersection of Hays Mill Road and New Garden Road." +113615,684147,FLORIDA,2017,April,Thunderstorm Wind,"WASHINGTON",2017-04-03 10:50:00,CST-6,2017-04-03 10:50:00,0,0,0,0,0.00K,0,0.00K,0,30.77,-85.53,30.77,-85.53,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Three power lines were blown down in Chipley." +113615,684148,FLORIDA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-03 11:12:00,CST-6,2017-04-03 11:12:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-85.16,30.87,-85.16,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Trees were blown down in the Greenwood area." +114421,687297,NEW MEXICO,2017,May,Hail,"BERNALILLO",2017-05-09 14:53:00,MST-7,2017-05-09 14:57:00,0,0,0,0,0.00K,0,0.00K,0,35.2042,-106.6484,35.2042,-106.6484,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Dime to nickel size hail near NM-528 and Corrales Road." +114421,687346,NEW MEXICO,2017,May,Hail,"CURRY",2017-05-09 16:35:00,MST-7,2017-05-09 16:40:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-103.32,34.43,-103.32,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of ping pong balls reported on the north side of Cannon Air Force Base." +114421,687165,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 10:25:00,MST-7,2017-05-09 10:30:00,0,0,0,0,0.00K,0,0.00K,0,34.31,-105.67,34.31,-105.67,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail near Corona." +114624,687466,NEW MEXICO,2017,May,Funnel Cloud,"COLFAX",2017-05-10 11:31:00,MST-7,2017-05-10 11:36:00,0,0,0,0,0.00K,0,0.00K,0,36.8182,-104.1628,36.8182,-104.1628,"The last vestiges of an upper level storm system wreaking havoc on New Mexico with an extended period of severe weather produced one last supercell thunderstorm along the Raton Ridge. An isolated thunderstorm that developed just south of U.S. Highway 87 moved north and produced a funnel cloud then a brief tornado along the Johnson Mesa near NM-72. The tornado moved through rural countryside and produced no damage.","A funnel cloud was spotted just north of U.S. Highway 87 west of Capulin." +113946,683754,OHIO,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 04:55:00,EST-5,2017-03-01 04:55:00,0,0,0,0,1.00K,1000,0.00K,0,40.73,-82.78,40.73,-82.78,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed some large tree limbs." +113946,683837,OHIO,2017,March,Thunderstorm Wind,"CUYAHOGA",2017-03-01 01:51:00,EST-5,2017-03-01 01:51:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-81.85,41.42,-81.85,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","An automated sensor at Cleveland Hopkins International Airport measured a 61 mph thunderstorm wind gust." +113946,683839,OHIO,2017,March,Thunderstorm Wind,"SENECA",2017-03-01 01:05:00,EST-5,2017-03-01 01:05:00,0,0,0,0,2.00K,2000,0.00K,0,41.05,-82.98,41.05,-82.98,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a couple of trees." +113946,683841,OHIO,2017,March,Thunderstorm Wind,"MEDINA",2017-03-01 06:01:00,EST-5,2017-03-01 06:01:00,0,0,0,0,4.00K,4000,0.00K,0,41.13,-81.87,41.13,-81.87,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a few trees." +114421,687176,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 11:18:00,MST-7,2017-05-09 11:19:00,0,0,0,0,0.00K,0,0.00K,0,35.01,-105.7,35.01,-105.7,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail lasted for one minute at Clines Corners." +114047,689434,IOWA,2017,March,Hail,"LINN",2017-03-06 21:00:00,CST-6,2017-03-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-91.69,41.97,-91.69,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689435,IOWA,2017,March,Hail,"LINN",2017-03-06 21:03:00,CST-6,2017-03-06 21:03:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-91.65,41.97,-91.65,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689436,IOWA,2017,March,Hail,"LINN",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,0.00K,0,0.00K,0,41.99,-91.65,41.99,-91.65,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689447,IOWA,2017,March,Thunderstorm Wind,"VAN BUREN",2017-03-06 21:39:00,CST-6,2017-03-06 21:39:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-91.96,40.69,-91.96,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A home lost numerous shingles in wind gusts during the middle of the storm from a report from KMEM radio station. The time was estimated by radar." +114047,689453,IOWA,2017,March,Thunderstorm Wind,"MUSCATINE",2017-03-06 22:10:00,CST-6,2017-03-06 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.07,41.42,-91.07,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tree was damaged and power lines were down. A tree fell on a roof, near the vicinity of Schiller and Taylor Streets." +114771,689304,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-22 18:02:00,MST-7,2017-05-22 18:06:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-104.07,33.46,-104.07,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Golf ball size hail along U.S. Highway 380." +114771,689305,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-22 18:03:00,MST-7,2017-05-22 18:08:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-104.09,33.46,-104.09,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Half dollar size hail along U.S. Highway 380." +114884,689190,COLORADO,2017,May,Hail,"DOUGLAS",2017-05-26 15:50:00,MST-7,2017-05-26 15:50:00,0,0,0,0,,NaN,,NaN,39.13,-104.86,39.13,-104.86,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112258,673724,GEORGIA,2017,January,Tornado,"HANCOCK",2017-01-21 13:28:00,EST-5,2017-01-21 13:30:00,0,0,0,0,5.00K,5000,,NaN,33.0525,-83.0967,33.054,-83.0942,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum winds of 95 MPH and a maximum path width of 70 yards began in Hancock County just northeast of Deepstep Road, which is the Hancock/Baldwin County line. The tornado moved northeast parallel to Deepstep Road for less than a quarter of a mile before it turned east and crossed the road into Baldwin County. Several trees were blown down along this portion of the path. The total path length in both counties was around a half mile. [01/21/17: Tornado #18, County #1/2, EF1, Hancock-Baldwin, 2017:019]." +113805,684619,ALABAMA,2017,April,Tornado,"CULLMAN",2017-04-22 16:40:00,CST-6,2017-04-22 16:55:00,0,0,0,0,,NaN,,NaN,34.24,-87.08,34.18,-87.04,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","A National Weather Service and Emergency Management survey team determined a 200 yard swath of tornado damage adjacent to widespread straight-line wind damage. The tornado was an EF-1 with maximum winds estimated at 100 mph.||The tornado appeared to develop near the intersection of CR 1043 and CR 1047 where roof damage to a farm house was noted. The tornado continued near CR 1043 and uprooted several trees before heavily damaging a farm structure west of the CR 1043 and CR 1082 intersection.||Sporadic tree limb damage was noted between CR 1082 and CR 1039 north of Jones Chapel. South of Jones Chapel, several chicken houses were severely damaged by the tornado before dissipating near the CR 991/992." +114047,690032,IOWA,2017,March,Tornado,"LOUISA",2017-03-06 21:56:00,CST-6,2017-03-06 21:57:00,0,0,0,0,0.00K,0,0.00K,0,41.2766,-91.2594,41.2805,-91.2567,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tornado touched down west of Grandview Iowa, and broke off wooden power poles about 3 feet off the ground as well as uprooting a few trees and breaking tree limbs. A semi was blown into a ditch in the same area." +114769,691434,NEW MEXICO,2017,May,Tornado,"GUADALUPE",2017-05-21 17:29:00,MST-7,2017-05-21 17:38:00,0,0,0,0,0.00K,0,0.00K,0,34.8623,-104.2504,34.844,-104.2179,"Northwest flow aloft on the backside of a departing upper level trough combined with moist, unstable, low level southeasterly flow across eastern New Mexico to generate scattered strong to severe thunderstorms. The strongest thunderstorm moved southeast through Guadalupe County into far southwestern Quay County during the early evening hours. Spotters observed at least one funnel cloud and a possible tornado around 20 miles east-southeast of Santa Rosa. This storm collapsed to the northwest of House and generated a swath of very heavy rainfall over southwest Quay County. Radar estimates indicated three to five inches of rain fell in less than one hour. Employees at the New Mexico Wind Energy Center reported large areas of standing water the next morning.","Chaser reported a tornado east/southeast of Santa Rosa on the ground for 10 minutes." +115897,696437,OHIO,2017,May,Hail,"COLUMBIANA",2017-05-18 16:23:00,EST-5,2017-05-18 16:23:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-80.53,40.9,-80.53,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","" +115897,696439,OHIO,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 15:03:00,EST-5,2017-05-18 15:03:00,1,0,0,0,10.00K,10000,0.00K,0,40.3697,-80.6167,40.3697,-80.6167,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","Broadcast media reported trees down on Highland Avenue and one tree landed on a house prompting a hospital visit for a mother and her two children." +114098,692665,TEXAS,2017,April,Hail,"KAUFMAN",2017-04-29 17:20:00,CST-6,2017-04-29 17:20:00,0,0,0,0,5.00K,5000,0.00K,0,32.53,-96.26,32.53,-96.26,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Quarter to ping pong ball sized hail was observed along US 175 on the southeast side of Kaufman." +117589,707381,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 11:29:00,EST-5,2017-07-01 16:15:00,0,0,0,0,690.00K,690000,0.00K,0,43.1811,-75.3186,43.13,-75.3344,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas occurred throughout the towns of Marcy and Whitesboro. Culverts and roads were washed out in several locations. Several residences and businesses experienced flooding." +117589,707393,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 12:20:00,EST-5,2017-07-01 16:20:00,0,0,0,0,230.00K,230000,0.00K,0,43.17,-75.42,43.09,-75.36,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas occurred throughout the town of Whitesboro. Culverts and roads were washed out in several locations. Several residences and businesses experienced significant flooding." +117589,707404,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 15:45:00,EST-5,2017-07-01 16:20:00,0,0,0,0,1.30M,1300000,0.00K,0,43.1,-75.38,43.07,-75.34,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas continued, and became more severe, throughout the town of Kirkland, particularly in the Clinton area along Sherman Brook and Oriskany Creek. Culverts and roads were washed out in several locations. Several residences and businesses experienced significant flooding. Evacuations and water rescues occurred around Clinton and Kirkland." +118437,711704,NEW YORK,2017,July,Thunderstorm Wind,"ONONDAGA",2017-07-24 15:25:00,EST-5,2017-07-24 15:35:00,0,0,0,0,15.00K,15000,0.00K,0,43.08,-76.11,43.08,-76.11,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees and power wires along north Midler Ave." +118437,711705,NEW YORK,2017,July,Thunderstorm Wind,"MADISON",2017-07-24 16:55:00,EST-5,2017-07-24 17:05:00,0,0,0,0,15.00K,15000,0.00K,0,42.9,-75.65,42.9,-75.65,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and poles." +119338,716468,FLORIDA,2017,July,Heat,"COASTAL MIAMI-DADE COUNTY",2017-07-25 11:00:00,EST-5,2017-07-25 17:00:00,15,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure in place with abundant moisture led to high temperatures and dewpoints. This led to the heat index reaching 108-110 degrees. With these high heat indices many people were treated for heat related illness at Miami Beach.","Miami Beach Ocean Rescue reported up to 15 heat related illnesses occurred throughout the day due to high heat and heat indices. No one was transported to a local hospital just treated locally at the beach." +119339,716761,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-30 16:14:00,EST-5,2017-07-30 16:14:00,0,0,0,0,0.00K,0,0.00K,0,25.93,-81.73,25.93,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 48 mph / 42 knots was recorded by the Weather Bug mesonet site MRCSL located at the Marco Island Marriott Beach Resort." +119339,716762,GULF OF MEXICO,2017,July,Waterspout,"CHOKOLOSKEE TO BONITA BEACH FL 20 TO 60NM",2017-07-30 17:24:00,EST-5,2017-07-30 17:24:00,0,0,0,0,0.00K,0,0.00K,0,26.14,-81.85,26.14,-81.85,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A pilot reported a waterspout located west of Naples Municipal Airport." +119339,716764,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-30 18:41:00,EST-5,2017-07-30 18:41:00,0,0,0,0,0.00K,0,0.00K,0,26.21,-81.82,26.21,-81.82,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 40 mph / 35 knots was recorded by the Weather Bug mesonet site NPLSR located at the Naples Grande Beach Resort." +119339,716765,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 04:36:00,EST-5,2017-07-31 04:36:00,0,0,0,0,0.00K,0,0.00K,0,26.21,-81.82,26.21,-81.82,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 45 mph / 39 knots was recorded by the Weather Bug mesonet site NPLSR located at the Naples Grande Beach Resort." +119339,716766,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 06:07:00,EST-5,2017-07-31 06:07:00,0,0,0,0,0.00K,0,0.00K,0,26.21,-81.82,26.21,-81.82,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 39 mph / 34 knots was recorded by the Weather Bug mesonet site NPLSR located at the Naples Grande Beach Resort." +117873,717223,GEORGIA,2017,July,Thunderstorm Wind,"PEACH",2017-07-26 16:10:00,EST-5,2017-07-26 16:20:00,0,0,0,0,7.00K,7000,,NaN,32.556,-83.8898,32.497,-83.8355,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Peach County 911 center reported trees and power lines blown down around the intersection of N. Miller Street and Parsons Street in Fort Valley and around the intersection of Highway 341 and Norwood Springs Road south of Fort Valley." +117873,717224,GEORGIA,2017,July,Thunderstorm Wind,"MACON",2017-07-26 16:40:00,EST-5,2017-07-26 16:45:00,0,0,0,0,1.00K,1000,,NaN,32.3261,-83.8686,32.3261,-83.8686,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Macon County 911 center reported a tree blown down onto the roadway on McKenzie Road near Highway 26." +117873,717221,GEORGIA,2017,July,Thunderstorm Wind,"GREENE",2017-07-26 16:07:00,EST-5,2017-07-26 16:40:00,0,0,0,0,4.00K,4000,,NaN,33.5495,-83.0364,33.4537,-83.2449,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Greene County 911 center reported trees blown down along a line from around the intersection of Bethany Road and Old Bethany Road near Siloam, to around the intersection of Village Main Street and Founders Row in Reynolds Plantation." +117873,717226,GEORGIA,2017,July,Thunderstorm Wind,"NEWTON",2017-07-26 17:30:00,EST-5,2017-07-26 17:40:00,0,0,0,0,10.00K,10000,,NaN,33.5445,-83.7938,33.5445,-83.7938,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Newton County 911 center reported numerous trees blown down across the county from around Dixie Road and Elks Club Road. Time estimated from radar." +117873,717228,GEORGIA,2017,July,Thunderstorm Wind,"HENRY",2017-07-26 17:50:00,EST-5,2017-07-26 18:00:00,0,0,0,0,2.00K,2000,,NaN,33.4831,-84.1976,33.4831,-84.1976,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Henry County 911 center reported a tree down at the intersection of Jodeco Road and Peach Drive." +118713,713169,ALABAMA,2017,July,Flash Flood,"JEFFERSON",2017-07-15 16:50:00,CST-6,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3806,-86.999,33.3908,-86.9204,"An east to west upper level trough axis was stationary across central Alabama. Slow moving thunderstorms during the afternoon and evening and produced localized flash flooding.","Several reports of flooding across south Jefferson County. Locations include the cities of Pelham, Bessemer, Hoover. Rainfall reports were in the 4-6 inch range for this event." +123923,743761,ALASKA,2017,December,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-12-17 04:43:00,AKST-9,2017-12-18 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought snow and blowing snow and strong winds to the west coast on December 17th 2017. Heavy snow fell in the mountains of the seward Penn and the|Nulato Hills. ||Zone 207: Blizzard conditions were observed at the Kivalina ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 44 kt (51 mph) at the Kivalina ASOS.||Zone 211: Blizzard conditions were observed at the Nome ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 43 kt (50 mph) at the Nome ASOS.||Zone 214: Blizzard conditions were observed at the Mountain Village AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 50 kt (58 mph) at the Mountain Village AWOS.||Zone 213: Blizzard conditions were observed at the Wales AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 65 kt (75 mph) at the Wales AWOS.","" +123923,743851,ALASKA,2017,December,Blizzard,"SRN SEWARD PENINSULA COAST",2017-12-17 05:43:00,AKST-9,2017-12-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure brought snow and blowing snow and strong winds to the west coast on December 17th 2017. Heavy snow fell in the mountains of the seward Penn and the|Nulato Hills. ||Zone 207: Blizzard conditions were observed at the Kivalina ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 44 kt (51 mph) at the Kivalina ASOS.||Zone 211: Blizzard conditions were observed at the Nome ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 43 kt (50 mph) at the Nome ASOS.||Zone 214: Blizzard conditions were observed at the Mountain Village AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 50 kt (58 mph) at the Mountain Village AWOS.||Zone 213: Blizzard conditions were observed at the Wales AWOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 65 kt (75 mph) at the Wales AWOS.","" +120216,720302,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-26 20:38:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-97.54,30.0543,-97.551,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue near Cedar Creek." +114055,684307,ALABAMA,2017,April,Thunderstorm Wind,"MORGAN",2017-04-30 13:20:00,CST-6,2017-04-30 13:20:00,0,0,0,0,,NaN,,NaN,34.53,-86.89,34.53,-86.89,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down on Upper River Road." +114055,684308,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 13:23:00,CST-6,2017-04-30 13:23:00,0,0,0,0,,NaN,,NaN,34.18,-86.84,34.18,-86.84,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Numerous reports of trees knocked down in Cullman." +114421,687298,NEW MEXICO,2017,May,Hail,"SANDOVAL",2017-05-09 15:08:00,MST-7,2017-05-09 15:11:00,0,0,0,0,0.00K,0,0.00K,0,35.2874,-106.6189,35.2874,-106.6189,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Penny size hail in Rio Rancho." +114300,684829,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:30:00,MST-7,2017-05-08 13:30:00,0,0,0,0,,NaN,,NaN,39.7,-105.28,39.7,-105.28,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684830,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:40:00,MST-7,2017-05-08 13:40:00,0,0,0,0,,NaN,,NaN,39.72,-105.19,39.72,-105.19,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684831,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:48:00,MST-7,2017-05-08 13:48:00,0,0,0,0,,NaN,,NaN,39.72,-105.12,39.72,-105.12,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684832,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:50:00,MST-7,2017-05-08 13:50:00,0,0,0,0,,NaN,,NaN,39.69,-105.13,39.69,-105.13,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684833,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:52:00,MST-7,2017-05-08 13:52:00,0,0,0,0,,NaN,,NaN,39.7,-105.1,39.7,-105.1,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684834,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:52:00,MST-7,2017-05-08 13:52:00,0,0,0,0,,NaN,,NaN,39.74,-105.21,39.74,-105.21,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684835,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:52:00,MST-7,2017-05-08 13:52:00,0,0,0,0,,NaN,,NaN,39.76,-105.15,39.76,-105.15,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684836,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:55:00,MST-7,2017-05-08 13:55:00,0,0,0,0,,NaN,,NaN,39.7,-105.08,39.7,-105.08,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114184,686518,OHIO,2017,March,Winter Storm,"GEAUGA",2017-03-13 18:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,200.00K,200000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. Some of the higher storm totals in Ashtabula County included 17.1 inches at Roaming Shores; 16.5 inches at Lenox. 14.6 inches in rural Monroe Township, 12.5 inches at Jefferson and 11.5 inches as far south as Andover. In Geauga County some of the totals included 13.0 inches in the Chardon area, 12.5 inches at Montville and 12.0 inches at Burton. In Portage County the heaviest snow fell north of Interstate 76 with 11.0 inches at Aurora, 10.5 inches at Ravenna; 10.2 inches in Kent and 10.0 inches at Rootstown. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days.","An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. In Geauga County some of the totals included 13.0 inches in the Chardon area, 12.5 inches at Montville and 12.0 inches at Burton. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days." +113946,683755,OHIO,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 04:03:00,EST-5,2017-03-01 04:55:00,0,0,0,0,50.00K,50000,0.00K,0,40.8,-82.98,40.8,-82.98,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across Crawford County downing trees throughout the county. Power outages were also reported." +113946,683763,OHIO,2017,March,Thunderstorm Wind,"SUMMIT",2017-03-01 05:58:00,EST-5,2017-03-01 05:58:00,0,0,0,0,15.00K,15000,0.00K,0,41.13,-81.48,41.13,-81.48,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds toppled a large tree. The fallen tree damaged part of a roof of a house." +113946,683766,OHIO,2017,March,Thunderstorm Wind,"RICHLAND",2017-03-01 05:22:00,EST-5,2017-03-01 05:22:00,0,0,0,0,25.00K,25000,0.00K,0,40.62,-82.52,40.58,-82.42,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across southern Richland County downing trees in the Bellville and Butler areas." +113946,683842,OHIO,2017,March,Thunderstorm Wind,"MEDINA",2017-03-01 04:15:00,EST-5,2017-03-01 04:15:00,0,0,0,0,1.00K,1000,0.00K,0,41.13,-81.87,41.13,-81.87,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a tree." +114406,685984,NEW MEXICO,2017,May,Tornado,"HARDING",2017-05-08 17:17:00,MST-7,2017-05-08 17:20:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-104.15,36.0327,-104.1487,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Brief tornado touchdown six miles north-northeast of Roy." +114098,692662,TEXAS,2017,April,Hail,"HENDERSON",2017-04-29 16:20:00,CST-6,2017-04-29 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.34,-96.03,32.34,-96.03,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Nickel hail was reported on the southeast side of Eustace." +112615,672195,GEORGIA,2017,January,Drought,"ROCKDALE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,689500,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,,NaN,0.00K,0,41.56,-90.49,41.56,-90.49,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A few shingles and a couple of 2 inch diameter branches were blown down with estimated winds of 60 to 65 mph. Time was estimated by radar." +114047,689698,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-90.54,41.69,-90.54,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Winds were estimated to gust up to 65 mph." +114047,689502,IOWA,2017,March,Thunderstorm Wind,"CLINTON",2017-03-06 22:45:00,CST-6,2017-03-06 22:45:00,0,0,0,0,,NaN,0.00K,0,41.95,-90.32,41.95,-90.32,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A carport for horses was torn down with pieces going into a motor home parked next to it. Time was estimated by radar." +114049,689751,MISSOURI,2017,March,Thunderstorm Wind,"SCOTLAND",2017-03-06 21:35:00,CST-6,2017-03-06 21:35:00,0,0,0,0,,NaN,0.00K,0,40.54,-91.96,40.54,-91.96,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed out buildings, and roof damage to several homes.","A hoop barn was destroyed by a measured wind gust of 67 mph. Time was estimated by radar." +112615,672224,GEORGIA,2017,January,Drought,"JACKSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672225,GEORGIA,2017,January,Drought,"HENRY",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672226,GEORGIA,2017,January,Drought,"HEARD",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112258,673725,GEORGIA,2017,January,Tornado,"BALDWIN",2017-01-21 13:29:00,EST-5,2017-01-21 13:30:00,0,0,0,0,5.00K,5000,,NaN,33.054,-83.0942,33.0555,-83.0884,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the EF1 tornado with maximum winds of 95 MPH and a maximum path width of 70 yards that began in Hancock County just northeast of Deepstep Road, which is the Hancock/Baldwin County line, turned east and crossed the road into Baldwin County. The tornado travelled around a third of a mile just south of Deepstep Road before ending. Several trees were blown down along this portion of the path. The total path length in both counties was around a half mile. [01/21/17: Tornado #18, County #2/2, EF1, Hancock-Baldwin, 2017:019]." +114098,692660,TEXAS,2017,April,Hail,"HENDERSON",2017-04-29 15:36:00,CST-6,2017-04-29 15:36:00,0,0,0,0,0.00K,0,0.00K,0,32.33,-96.14,32.33,-96.14,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Quarter sized hail was reported by amateur radio operators." +112615,672192,GEORGIA,2017,January,Drought,"TALBOT",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115361,695248,ARKANSAS,2017,April,Tornado,"CLAY",2017-04-30 00:25:00,CST-6,2017-04-30 00:29:00,0,0,0,0,100.00K,100000,0.00K,0,36.3822,-90.7158,36.4136,-90.6828,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A weak tornado touched down southeast of Datto and destroyed some grain bins. The tornado tracked northeast heavily damaging a mobile home and ripping much of the roof off another home. A few farm outbuildings were destroyed after the tornado crossed US highway 62/67. The tornado then lifted. Peak winds were estimated at 110 mph." +115395,693608,MISSOURI,2017,April,Thunderstorm Wind,"DUNKLIN",2017-04-30 01:10:00,CST-6,2017-04-30 01:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.1343,-90.0961,36.1347,-90.0769,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A tree was down and blocking Dunklin County Road 549B in Caruth." +115395,693610,MISSOURI,2017,April,Thunderstorm Wind,"PEMISCOT",2017-04-30 01:19:00,CST-6,2017-04-30 01:25:00,0,0,0,0,100.00K,100000,0.00K,0,36.1418,-89.9931,36.1676,-89.9272,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Several mobile homes damaged in the town of Gobler." +115531,693623,TENNESSEE,2017,April,Tornado,"TIPTON",2017-04-30 07:46:00,CST-6,2017-04-30 07:50:00,0,0,0,0,100.00K,100000,0.00K,0,35.5403,-89.6447,35.5699,-89.6341,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the early morning hours of April 30th through the early afternoon hours. All severe threats were observed with the event.","Damage was primarily to trees and utility poles with minor damage observed at Crestview Middle school. Peak winds estimated at 75 mph." +115395,693607,MISSOURI,2017,April,Tornado,"DUNKLIN",2017-04-30 01:08:00,CST-6,2017-04-30 01:10:00,0,0,0,0,250.00K,250000,0.00K,0,36.0838,-90.0974,36.095,-90.0826,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Damage to roofs. Some sheds and outbuildings destroyed. Roof on a abandoned school collapsed. Tractor trailer overturned at the intersection of Highway 164 and route N. Large brick building was destroyed. There was a house with windows blown out and a tree on a house. Peak winds were estimated at 90 mph." +117589,707405,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 15:50:00,EST-5,2017-07-01 16:20:00,0,0,0,0,230.00K,230000,0.00K,0,43.17,-75.42,43.09,-75.36,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas continued, and became more severe, throughout the town of Whitesboro, particularly along Oriskany Creek near Oriskany . Culverts and roads were washed out in several locations. Several residences and businesses experienced significant flooding. Evacuations and water rescues occurred from Walesville to Oriskany." +118007,709425,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-23 23:06:00,EST-5,2017-07-23 23:50:00,0,0,0,0,165.00K,165000,0.00K,0,42.1181,-75.9051,42.0842,-75.9251,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Heavy rainfall closed several roads in the Binghamton area due to high water collecting within several underpasses and other poor drainage areas. Interstate 81 was down to a single lane due to flooding." +118008,714061,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 21:35:00,EST-5,2017-07-23 23:10:00,0,0,0,0,25.00K,25000,0.00K,0,41.7734,-76.8192,41.7719,-76.7677,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Water was reported to be flowing over roads at the intersection of Route 14 and Route 514." +118437,711706,NEW YORK,2017,July,Thunderstorm Wind,"MADISON",2017-07-24 17:05:00,EST-5,2017-07-24 17:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.9,-75.51,42.9,-75.51,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and snapped poles." +118438,711708,PENNSYLVANIA,2017,July,Thunderstorm Wind,"WYOMING",2017-07-24 15:13:00,EST-5,2017-07-24 15:23:00,0,0,0,0,1.00K,1000,0.00K,0,41.63,-75.79,41.63,-75.79,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees across State Street." +118438,711709,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-24 15:15:00,EST-5,2017-07-24 15:25:00,0,0,0,0,10.00K,10000,0.00K,0,41.6,-75.72,41.6,-75.72,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees and resulting in roads becoming blocked." +118438,711710,PENNSYLVANIA,2017,July,Thunderstorm Wind,"WYOMING",2017-07-24 15:15:00,EST-5,2017-07-24 15:25:00,0,0,0,0,25.00K,25000,0.00K,0,41.63,-75.79,41.63,-75.79,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds caused damage to three homes from fallen trees. This thunderstorm resulted in trees and power lines down in the Nicholson township and Factoryville Borough." +118438,711714,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-24 15:40:00,EST-5,2017-07-24 15:50:00,0,0,0,0,5.00K,5000,0.00K,0,41.49,-75.62,41.49,-75.62,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +119339,716767,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 06:12:00,EST-5,2017-07-31 06:12:00,0,0,0,0,0.00K,0,0.00K,0,26.13,-81.81,26.13,-81.81,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 55 mph / 48 knots was recorded by NOS site NPSF1 at Naples Pier." +119339,716768,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 06:13:00,EST-5,2017-07-31 06:13:00,0,0,0,0,0.00K,0,0.00K,0,26.1368,-81.7924,26.1368,-81.7924,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 40 mph / 35 knots was recorded by the Weather Bug mesonet site NPLSD located at Bay View Dental Arts." +119339,716769,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 06:50:00,EST-5,2017-07-31 06:50:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 43 mph / 37 knots was recorded by the Weather Bug mesonet site MRCSL located at the Marco Island Marriott Beach Resort." +119339,716771,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 07:20:00,EST-5,2017-07-31 07:20:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 41 mph / 36 knots was recorded by the Weather Bug mesonet site MRCSC located at the Charter Club of Marco Beach." +119339,716779,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 10:36:00,EST-5,2017-07-31 10:36:00,0,0,0,0,0.00K,0,0.00K,0,26.13,-81.81,26.13,-81.81,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 39 mph / 34 knots was recorded by the NOS station NPSF1 at Naples Pier." +119339,716782,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 11:53:00,EST-5,2017-07-31 11:53:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 44 mph / 38 knots was recorded by the Weather Bug mesonet site MRCSC located at the Charter Club of Marco Beach." +116591,701163,NORTH DAKOTA,2017,July,Lightning,"PEMBINA",2017-07-14 16:30:00,CST-6,2017-07-14 16:30:00,1,0,0,0,0.00K,0,0.00K,0,48.57,-97.17,48.57,-97.17,"Scattered afternoon and early evening thunderstorms passed through the northern Red River Valley, producing a few lightning strikes. One woman was injured from a lightning strike on the Drayton golf course.","A woman was struck by lightning at the Drayton ND golf course. Reports indicate that the golfer received a ground pulse from a distant lightning strike which traveled up her golf club." +116547,701103,NORTH DAKOTA,2017,July,Tornado,"WALSH",2017-07-11 16:39:00,CST-6,2017-07-11 16:43:00,0,0,0,0,2.00K,2000,5.00K,5000,48.3,-97.57,48.3,-97.537,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A partially rain wrapped tornado ripped down large branches and snapped a few trees in shelterbelts. It also damaged the trim on a farmstead house. Peak winds were estimated at 95 mph." +116547,701107,NORTH DAKOTA,2017,July,Tornado,"GRAND FORKS",2017-07-11 16:51:00,CST-6,2017-07-11 16:53:00,0,0,0,0,2.00K,2000,5.00K,5000,48.17,-97.58,48.1722,-97.5698,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A persistent funnel cloud intermittently touched down northeast of Inkster. The tornado damaged large tree branches at one farmstead and in other shelterbelts. Peak winds were estimated at 75 mph." +116547,700839,NORTH DAKOTA,2017,July,Tornado,"GRAND FORKS",2017-07-11 17:25:00,CST-6,2017-07-11 17:42:00,0,0,0,0,2.00K,2000,15.00K,15000,47.8,-97.61,47.7466,-97.5104,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado was partially rain wrapped along its track. The tornado broke down large branches and snapped a few tree trunks in shelterbelts along its path. Peak winds were estimated at 90 mph." +120408,721261,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-08-25 14:10:00,CST-6,2017-08-25 14:10:00,0,0,0,0,0.00K,0,0.00K,0,28.9285,-95.2913,28.9285,-95.2913,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721262,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 14:25:00,CST-6,2017-08-25 14:25:00,0,0,0,0,0.00K,0,0.00K,0,28.7101,-95.9141,28.7101,-95.9141,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120216,720305,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-26 22:28:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30,-97.14,29.9975,-97.1583,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a water rescue near Smithville." +114055,684279,ALABAMA,2017,April,Tornado,"CULLMAN",2017-04-30 13:12:00,CST-6,2017-04-30 13:20:00,0,0,0,0,,NaN,,NaN,34.24,-86.87,34.3,-86.72,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A NWS survey team determined the minor damage across portions of northern Cullman County was attributed to an EF-0 tornado with peak winds of 75 MPH.||A strong, bowing line of storms moved quickly through Cullman County during the afternoon of April 30. Within the bowing segment, rotation was detected on radar which tracked through the north central portions of the county. ||The damage team found several EF-0 damage indicators in the Vinemont area in the form of uprooted softwood trees and large limb damage. General storm motion from the severe line was northeast. Debris was observed either in a convergent pattern or|oriented in sporadic directions.||The tornado continued north of CR 1422 and CR 1518 toward the Cullman-Morgan Co. line, south of Eva. In this area, the most concentrated area of damage was observed near CR 1526. Amongst several trees uprooted, a metal roof was blown off a large garage/barn and pushed into a single family residence. Additionally, minor roof shingle damage was reported further north on CR 1526. The tornado likely dissipated near CR 1527." +114055,684285,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 12:10:00,CST-6,2017-04-30 12:10:00,0,0,0,0,,NaN,,NaN,34.87,-87.59,34.87,-87.59,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down." +114055,684286,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 12:14:00,CST-6,2017-04-30 12:14:00,0,0,0,0,,NaN,,NaN,34.95,-87.7,34.95,-87.7,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down on a house on CR 8 in Florence." +114300,684837,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:05:00,MST-7,2017-05-08 14:05:00,0,0,0,0,,NaN,,NaN,39.7,-104.96,39.7,-104.96,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684838,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:05:00,MST-7,2017-05-08 14:05:00,0,0,0,0,,NaN,,NaN,39.77,-105.06,39.77,-105.06,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684839,COLORADO,2017,May,Hail,"ARAPAHOE",2017-05-08 14:15:00,MST-7,2017-05-08 14:15:00,0,0,0,0,,NaN,,NaN,39.7,-104.71,39.7,-104.71,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684840,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:15:00,MST-7,2017-05-08 14:15:00,0,0,0,0,,NaN,,NaN,39.73,-104.96,39.73,-104.96,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684841,COLORADO,2017,May,Hail,"ADAMS",2017-05-08 14:27:00,MST-7,2017-05-08 14:27:00,0,0,0,0,,NaN,,NaN,39.99,-104.77,39.99,-104.77,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684842,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:27:00,MST-7,2017-05-08 14:27:00,0,0,0,0,,NaN,,NaN,39.79,-104.97,39.79,-104.97,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684843,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:30:00,MST-7,2017-05-08 14:30:00,0,0,0,0,,NaN,,NaN,39.76,-105.24,39.76,-105.24,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684844,COLORADO,2017,May,Hail,"WELD",2017-05-08 14:30:00,MST-7,2017-05-08 14:30:00,0,0,0,0,,NaN,,NaN,40.42,-104.82,40.42,-104.82,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684845,COLORADO,2017,May,Hail,"ADAMS",2017-05-08 14:45:00,MST-7,2017-05-08 14:45:00,0,0,0,0,,NaN,,NaN,39.84,-105,39.84,-105,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,688994,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:45:00,MST-7,2017-05-08 13:45:00,0,0,0,0,,NaN,,NaN,39.77,-105.12,39.77,-105.12,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114532,686874,OHIO,2017,March,Hail,"CUYAHOGA",2017-03-30 21:47:00,EST-5,2017-03-30 21:47:00,0,0,0,0,0.00K,0,0.00K,0,41.5276,-81.6528,41.5276,-81.6528,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny sized hail was observed." +113946,683742,OHIO,2017,March,Thunderstorm Wind,"GEAUGA",2017-03-01 02:06:00,EST-5,2017-03-01 02:08:00,0,0,0,0,75.00K,75000,0.00K,0,41.52,-81.33,41.52,-81.33,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm downburst winds tore the roof off of a commercial building in Chesterland. A few trees and large limbs in the area were also knocked down resulting in scattered power outages." +114739,688276,IOWA,2017,April,Hail,"WASHINGTON",2017-04-15 17:03:00,CST-6,2017-04-15 17:03:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-91.7,41.49,-91.7,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","The public reported many hailstones the size of nickles with a few stones the size of quarters that were intermixed." +115604,694470,ILLINOIS,2017,June,Hail,"BUREAU",2017-06-14 15:20:00,CST-6,2017-06-14 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-89.72,41.51,-89.72,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","The report was from a social media photo." +115613,694433,IOWA,2017,June,Hail,"JOHNSON",2017-06-15 22:22:00,CST-6,2017-06-15 22:22:00,0,0,0,0,0.00K,0,0.00K,0,41.5613,-91.5406,41.5613,-91.5406,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +116489,700568,IOWA,2017,June,Thunderstorm Wind,"MUSCATINE",2017-06-17 00:50:00,CST-6,2017-06-17 00:50:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-91.19,41.43,-91.19,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","National Weather Service storm survey concluded that straight line winds caused widespread damage to trees in this area, along with a roof blown off a structure which then hit a house. Damage to roofing of several structures was noted." +119099,715273,IOWA,2017,July,Thunderstorm Wind,"KEOKUK",2017-07-11 04:40:00,CST-6,2017-07-11 04:40:00,0,0,0,0,2.00K,2000,0.00K,0,41.4608,-92.2807,41.4608,-92.2807,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","A public report was received via local broadcast media of at least two trees down in Thornburg. One tree was on a home and the other on power lines." +114421,686031,NEW MEXICO,2017,May,Hail,"SAN JUAN",2017-05-09 05:30:00,MST-7,2017-05-09 05:35:00,0,0,0,0,0.00K,0,0.00K,0,36.74,-108.52,36.74,-108.52,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Dime to quarter size hail reported near Fruitland and Nenahnezad." +114421,687405,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 20:21:00,MST-7,2017-05-09 20:23:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-104.53,33.37,-104.53,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A second thunderstorm moved into Roswell and produced nickel size hail." +112615,672196,GEORGIA,2017,January,Drought,"PUTNAM",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672197,GEORGIA,2017,January,Drought,"POLK",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672253,GEORGIA,2017,January,Drought,"CARROLL",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114771,689291,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 11:49:00,MST-7,2017-05-22 11:53:00,0,0,0,0,0.00K,0,0.00K,0,34.35,-104.53,34.35,-104.53,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Hail up to the size of pennies knocked some leaves off the trees." +114771,689292,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 12:10:00,MST-7,2017-05-22 12:12:00,0,0,0,0,0.00K,0,0.00K,0,34.46,-104.53,34.46,-104.53,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Hail up to the size of nickels. Heavy rainfall created areas of standing water." +114771,689293,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 12:53:00,MST-7,2017-05-22 12:55:00,0,0,0,0,0.00K,0,0.00K,0,34.6333,-104.3083,34.6333,-104.3083,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Two inch hail 13 miles north of Fort Sumner on U.S. Highway 84." +112258,673671,GEORGIA,2017,January,Tornado,"UPSON",2017-01-21 11:20:00,EST-5,2017-01-21 11:28:00,0,0,0,0,40.00K,40000,,NaN,32.8525,-84.4833,32.8735,-84.394,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the EF1 tornado that began in Talbot County moved into Upson County with maximum winds of 105 MPH and a maximum path width of 300 yards. The tornado crossed the Flint River into Upson County in the Sprewell Bluff State Park where it snapped and uprooted trees and overturned a small outbuilding. At this point the tornado, which had been moving northeast, turned more easterly crossing Double Bridges Road, where at least 3 dozen trees were downed across the roadway, before crossing Roland Road north of Highway 36 downing more trees and damaging the roof a home. Further east the tornado crossed Hollman Drive and Sunnyside Road where it crossed the path of another tornado that had passed just minutes before. The tornado ended near Highway 36 just northeast of Roland. This tornado followed a path nearly 10 miles long across Talbot and Upson Counties. [01/21/17: Tornado #4, County #2/2, EF1, Talbot-Upson, 2017:005]." +115309,692297,ALABAMA,2017,April,Drought,"TUSCALOOSA",2017-04-01 00:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Near normal rainfall during the month of April did not significantly improve drought conditions for portions of west central Alabama.","Near normal rainfall during the month of April maintained the drought intensity at D2." +115309,692296,ALABAMA,2017,April,Drought,"WALKER",2017-04-01 00:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Near normal rainfall during the month of April did not significantly improve drought conditions for portions of west central Alabama.","Near normal rainfall during the month of April maintained the drought intensity at D2." +115286,692120,MISSISSIPPI,2017,April,Hail,"PRENTISS",2017-04-22 13:47:00,CST-6,2017-04-22 13:50:00,0,0,0,0,,NaN,0.00K,0,34.65,-88.5324,34.65,-88.5324,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","" +114098,683245,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 16:10:00,CST-6,2017-04-29 16:14:00,0,0,0,0,60.00K,60000,20.00K,20000,32.5405,-95.8429,32.5642,-95.8299,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","This brief tornado occurred in nearly the same area of the larger tornado that came through later. This tornado caused damage to trees and barns just southeast of the city center of Canton. The survey crew found evidence of a separate track than the larger tornado, which moved through the area about one hour later." +112615,672180,GEORGIA,2017,January,Drought,"WHITFIELD",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672193,GEORGIA,2017,January,Drought,"SPALDING",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672194,GEORGIA,2017,January,Drought,"SOUTH FULTON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114048,689805,ILLINOIS,2017,March,Thunderstorm Wind,"ROCK ISLAND",2017-03-06 22:36:00,CST-6,2017-03-06 22:36:00,0,0,0,0,,NaN,0.00K,0,41.48,-90.58,41.48,-90.58,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Relayed report of lots of small branches down and a gutter torn off a home. Time was estimated by radar." +115361,693614,ARKANSAS,2017,April,Flash Flood,"CRAIGHEAD",2017-04-30 01:27:00,CST-6,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8152,-90.6585,35.8136,-90.6589,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Flooding on Race Street due to heavy rainfall." +115361,693615,ARKANSAS,2017,April,Flash Flood,"RANDOLPH",2017-04-30 02:02:00,CST-6,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,36.3661,-91.1515,36.2964,-91.1481,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Highway 90 closed due to flooding." +115361,693616,ARKANSAS,2017,April,Flash Flood,"CRAIGHEAD",2017-04-30 02:45:00,CST-6,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8458,-90.6963,35.8365,-90.6981,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Aggie Road under water near the farmers market and Arkansas State University in Jonesboro." +115361,693620,ARKANSAS,2017,April,Flash Flood,"CRAIGHEAD",2017-04-30 04:00:00,CST-6,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8596,-90.7272,35.8079,-90.7327,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Reports of low graded streets under water across town." +115361,693621,ARKANSAS,2017,April,Flash Flood,"MISSISSIPPI",2017-04-30 07:00:00,CST-6,2017-04-30 11:30:00,0,0,0,0,100.00K,100000,0.00K,0,35.623,-90.0944,35.6074,-90.0915,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trucks under water in the city of Marie." +115361,693622,ARKANSAS,2017,April,Flash Flood,"GREENE",2017-04-30 07:40:00,CST-6,2017-04-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,36.1906,-90.394,36.1843,-90.3958,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","City park and several parking lots flooded with two feet of water." +115361,693774,ARKANSAS,2017,April,Heavy Rain,"CRAIGHEAD",2017-04-30 09:30:00,CST-6,2017-04-30 09:30:00,0,0,0,0,0.00K,0,0.00K,0,35.75,-90.57,35.75,-90.57,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Rainfall storm total of 5.36 inches." +120216,798843,TEXAS,2017,August,Flood,"HAYS",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,100.00K,100000,0.00K,0,30.0108,-97.9328,29.9681,-97.7639,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||The eastern half of Hays County experienced tropical storm force winds with gusts as high as 50 mph during the storm. This produced some minor tree damage and knocked out power. 100 people were evacuated due to rising water on creeks and the threat of a small dam breach during the height of the event. A sinkhole developed on Highway 21 due to the heavy rain amounts. Across the county, rainfall totals averaged 8 to 12 inches along and east of Interstate 35. Monetary loss are estimates of road repair." +120252,720509,TEXAS,2017,August,Thunderstorm Wind,"VAL VERDE",2017-08-05 18:01:00,CST-6,2017-08-05 18:01:00,0,0,0,0,,NaN,0.00K,0,29.37,-100.9,29.37,-100.9,"Thunderstorms developed over the mountains in Northern Mexico and moved to the east into Texas. One of these storms produced large hail and damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down some trees in Del Rio. This storm also produced pea size hail." +113471,679258,RHODE ISLAND,2017,February,Winter Storm,"NORTHWEST PROVIDENCE",2017-02-09 08:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to fifteen inches of snow fell on Northwest Providence County." +113471,679260,RHODE ISLAND,2017,February,Winter Storm,"WESTERN KENT",2017-02-09 09:00:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Twelve to fourteen inches of snow fell on Western Kent County." +113471,679262,RHODE ISLAND,2017,February,Winter Storm,"BRISTOL",2017-02-09 10:00:00,EST-5,2017-02-09 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to twelve inches of snow fell on Bristol County." +117205,704943,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HARDING",2017-07-20 16:22:00,MST-7,2017-07-20 16:22:00,0,0,0,0,0.00K,0,0.00K,0,45.8879,-103.38,45.8879,-103.38,"A line of thunderstorms tracked across far northwestern South Dakota, producing wind gusts over 60 mph across parts of Harding and northern Perkins Counties.","" +118008,714083,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 23:00:00,EST-5,2017-07-24 01:30:00,0,0,0,0,75.00K,75000,0.00K,0,41.8586,-76.3557,41.833,-76.3701,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Roads were washing out near the intersection of North Rome Road and Route 187. Several bridges in the area were having issues with wash over and debris." +118412,711618,NEW YORK,2017,July,Thunderstorm Wind,"CAYUGA",2017-07-01 13:25:00,EST-5,2017-07-01 13:35:00,0,0,0,0,3.00K,3000,0.00K,0,42.83,-76.4,42.83,-76.4,"Showers and thunderstorms moved across the region during the early morning leaving copious amounts of low-level moisture across the state of New York. During the afternoon, breaks in the cloud coverage allowed the atmosphere to become unstable ahead of an approaching cold front. A cold front moved across the region late Saturday afternoon, and showers and thunderstorms developed ahead and along the advancing cold front. As the front moved east, some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. These thunderstorm produced severe winds and knocked over trees. This thunderstorms also knocked over trees in the town of Moravia and Owasco." +118412,711619,NEW YORK,2017,July,Thunderstorm Wind,"MADISON",2017-07-01 14:15:00,EST-5,2017-07-01 14:25:00,0,0,0,0,5.00K,5000,0.00K,0,42.93,-75.85,42.93,-75.85,"Showers and thunderstorms moved across the region during the early morning leaving copious amounts of low-level moisture across the state of New York. During the afternoon, breaks in the cloud coverage allowed the atmosphere to become unstable ahead of an approaching cold front. A cold front moved across the region late Saturday afternoon, and showers and thunderstorms developed ahead and along the advancing cold front. As the front moved east, some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118414,711623,NEW YORK,2017,July,Thunderstorm Wind,"ONEIDA",2017-07-14 14:16:00,EST-5,2017-07-14 14:26:00,0,0,0,0,1.00K,1000,0.00K,0,43.22,-75.35,43.22,-75.35,"An occluded front stalled across the state of New York Friday afternoon in a very unstable environment. Showers and thunderstorms developed along this surface boundary as a weak storm system moved across the northeast. Showers and thunderstorms quickly developed into a line and moved east across the state Friday afternoon. Some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which landed on a road." +119339,716783,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 11:58:00,EST-5,2017-07-31 11:58:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 49 mph / 43 knots was recorded by the Weather Bug mesonet site MRCSL located at the Marco Island Marriott Beach Resort." +119339,716784,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 18:50:00,EST-5,2017-07-31 18:50:00,0,0,0,0,0.00K,0,0.00K,0,26.23,-81.83,26.23,-81.83,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","A marine thunderstorm wind gust of 39 mph / 34 knots was recorded by the Weather Bug mesonet site NPLSR located at the Naples Grande Beach Resort." +119339,717373,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 23:30:00,EST-5,2017-07-31 23:30:00,0,0,0,0,0.00K,0,0.00K,0,25.92,-81.73,25.92,-81.73,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","Measured at WeatherBug site at Charter Club of Marco Island." +119339,717374,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-31 23:31:00,EST-5,2017-07-31 23:31:00,0,0,0,0,0.00K,0,0.00K,0,25.9266,-81.7291,25.9266,-81.7291,"A low pressure in the Gulf of Mexico developed into Tropical Storm Emily on July 31st. Outer rain bands associated with the storm produced strong thunderstorms with gusty winds and hazardous marine conditions in the Gulf waters.","Measured at Marco Island Marriott Beach Resort." +119341,717382,FLORIDA,2017,July,Thunderstorm Wind,"COLLIER",2017-07-31 06:10:00,EST-5,2017-07-31 06:10:00,0,0,0,0,2.00K,2000,0.00K,0,26.1877,-81.7735,26.1877,-81.7735,"Rain bands from Tropical Storm Emily in the Gulf of Mexico produced strong wind gusts in the Naples area.","A large branch from an oak tree broke off, fell onto and damaged a screened pool enclosure in the Poinciana Village area of Naples. Wind gusts of 55-60 mph were likely in the area." +119340,716772,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-07-31 06:30:00,EST-5,2017-07-31 06:30:00,0,0,0,0,0.00K,0,0.00K,0,27.14,-80.79,27.14,-80.79,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 42 mph / 36 knots was recorded by the SFWMD mesonet site L001 located over the northern end of Lake Okeechobee." +119340,716773,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-31 09:43:00,EST-5,2017-07-31 09:43:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 64 mph / 56 knots was recorded by the C-MAN station FWYF1 Fowey Rocks at and elevation of 144 feet." +116547,700841,NORTH DAKOTA,2017,July,Tornado,"WALSH",2017-07-11 17:30:00,CST-6,2017-07-11 17:46:00,0,0,0,0,4.00K,4000,25.00K,25000,48.47,-98.15,48.4311,-98.0297,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This rope tornado tracked for roughly seven miles to the east-southeast and eventually produced a substantial dust swirl. It was viewed and photographed from multiple locations. Though it remained over largely open country, it did snap a few hardwood tree trunks at a couple of locations. Peak winds were estimated at 105 mph." +116547,700846,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-11 17:59:00,CST-6,2017-07-11 17:59:00,0,0,0,0,,NaN,,NaN,47.65,-97.44,47.65,-97.44,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Quarter to golf ball size hail was reported." +116547,700845,NORTH DAKOTA,2017,July,Tornado,"TRAILL",2017-07-11 17:58:00,CST-6,2017-07-11 18:49:00,0,0,0,0,750.00K,750000,500.00K,500000,47.64,-97.31,47.4249,-96.9811,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This multi-vortex tornado was wrapped in rain and hail for much of its path. It crossed Interstate 29 just north of the Taft elevators, then dove south-southeast to a point roughly 2.5 east-northeast of Hillsboro, where it curled to the northeast. The tornado snapped trees and destroyed several farm buildings along its path. Peak winds were estimated at 135 mph." +122029,730580,COLORADO,2017,December,Winter Weather,"EASTERN CHAFFEE COUNTY / WESTERN MOSQUITO RANGE ABOVE 9000 FT",2017-12-25 01:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An quick moving upper level system generated up to 9 inches of snow and blowing snow across higher terrain locations. Eight inches of snow occurred near Leadville (Lake County), while nine inches of snow graced Monarch Pass(Chaffee County).","" +117349,705704,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GALVESTON BAY",2017-08-06 13:12:00,CST-6,2017-08-06 13:12:00,0,0,0,0,0.00K,0,0.00K,0,29.48,-94.92,29.48,-94.92,"Thunderstorms moved eastward across the Galveston Bay area and produce several marine wind gusts.","Wind gust was measured at Eagle Point PORTS site." +117349,705705,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-08-06 14:06:00,CST-6,2017-08-06 14:06:00,0,0,0,0,0.00K,0,0.00K,0,29.36,-94.73,29.36,-94.73,"Thunderstorms moved eastward across the Galveston Bay area and produce several marine wind gusts.","Wind gust was measured at North Jetty PORTS site." +117349,705706,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GALVESTON BAY",2017-08-06 14:29:00,CST-6,2017-08-06 14:29:00,0,0,0,0,0.00K,0,0.00K,0,29.47,-94.62,29.47,-94.62,"Thunderstorms moved eastward across the Galveston Bay area and produce several marine wind gusts.","Wind gust was measured at WeatherFlow site XCRB." +117351,705707,TEXAS,2017,August,Thunderstorm Wind,"WALKER",2017-08-07 11:45:00,CST-6,2017-08-07 11:45:00,0,0,0,0,8.00K,8000,0.00K,0,30.67,-95.81,30.67,-95.81,"A thunderstorm produced strong wind gusts that caused some damaged.","A carport was flattened with some damage to an adjacent structure." +117413,706089,TEXAS,2017,August,Funnel Cloud,"MATAGORDA",2017-08-10 08:52:00,CST-6,2017-08-10 08:54:00,0,0,0,0,0.00K,0,0.00K,0,28.79,-96.05,28.79,-96.05,"A funnel cloud was sighted in Matagorda County.","A funnel cloud was reported near the South Texas Nuclear Plant." +117601,707197,TEXAS,2017,August,Rip Current,"BRAZORIA",2017-08-07 10:10:00,CST-6,2017-08-07 10:10:00,0,0,2,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Two people drowned due to rip currents.","Two people drowned due to rip currents." +117693,707755,TEXAS,2017,August,Funnel Cloud,"GALVESTON",2017-08-18 07:35:00,CST-6,2017-08-18 07:35:00,0,0,0,0,0.00K,0,0.00K,0,29.31,-94.79,29.31,-94.79,"Two funnel clouds were sighted on Galveston Island.","A funnel cloud was observed near Harborside Drive on Galveston Island." +117693,707756,TEXAS,2017,August,Funnel Cloud,"GALVESTON",2017-08-18 07:39:00,CST-6,2017-08-18 07:39:00,0,0,0,0,0.00K,0,0.00K,0,29.31,-94.79,29.31,-94.79,"Two funnel clouds were sighted on Galveston Island.","A second funnel cloud was observed near Harborside Drive on Galveston Island." +120216,720448,TEXAS,2017,August,Flash Flood,"CALDWELL",2017-08-27 11:14:00,CST-6,2017-08-28 04:45:00,0,0,0,0,0.00K,0,0.00K,0,29.93,-97.78,29.9312,-97.7553,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue near Misty Ln. at FM 2720 near Uhland." +114055,684287,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 12:18:00,CST-6,2017-04-30 12:18:00,0,0,0,0,,NaN,,NaN,34.82,-87.67,34.82,-87.67,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down in the vicinity of Hermitage Drive and Grandview Avenue." +114055,684281,ALABAMA,2017,April,Thunderstorm Wind,"COLBERT",2017-04-30 11:20:00,CST-6,2017-04-30 11:20:00,0,0,0,0,,NaN,,NaN,34.84,-88,34.84,-88,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down on power lines at 4379 Lane Springs Road." +115286,692124,MISSISSIPPI,2017,April,Tornado,"TISHOMINGO",2017-04-22 14:20:00,CST-6,2017-04-22 14:28:00,0,0,0,0,100.00K,100000,0.00K,0,34.525,-88.1957,34.5204,-88.1492,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","The tornado developed northeast of Belmont and crossed into Alabama east-northeast of Belmont. Tree damage was noted along highway 993 and a barn was damaged along highway 68. Peak winds with the tornado were estimated at 80 mph. To the southwest of the tornado track, a larger area of strong winds associated with the storms' Rear Flank Downdraft (RFD) affected northern and northeastern portions of Belmont. Winds in this region likely approached 80 to 90 mph. These winds caused tree and roof damage, especially in the Valley Road area." +114055,684335,ALABAMA,2017,April,Thunderstorm Wind,"MADISON",2017-04-30 14:00:00,CST-6,2017-04-30 14:00:00,0,0,0,0,,NaN,,NaN,34.71,-86.64,34.71,-86.64,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A wind gust of 64 mph was measured by the public near I-565 and Bob Wallace Avenue." +114421,687343,NEW MEXICO,2017,May,Thunderstorm Wind,"BERNALILLO",2017-05-09 16:15:00,MST-7,2017-05-09 16:18:00,0,0,0,0,50.00K,50000,0.00K,0,35.0761,-106.6505,35.0761,-106.6505,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Several trees, power poles, and power lines were blown down across downtown Albuquerque." +113946,683744,OHIO,2017,March,Thunderstorm Wind,"SENECA",2017-03-01 04:10:00,EST-5,2017-03-01 04:30:00,0,0,0,0,75.00K,75000,0.00K,0,41.0502,-83.3296,41.0202,-83.0396,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across Seneca County downing at least 30 trees across the southern half of the county. Some power outages were reported as well." +123948,743864,WISCONSIN,2017,November,Cold/Wind Chill,"KENOSHA",2017-11-16 00:00:00,CST-6,2017-11-16 10:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A homeless man died from hypothermia in the city of Kenosha.","The Kenosha County Medical Examiner's Office reported hypothermia as the underlying cause of death of a homeless man. The man was found outside in a used car lot. Temperatures were in the 30s Fahrenheit." +119102,715324,IOWA,2017,July,Thunderstorm Wind,"CEDAR",2017-07-12 18:49:00,CST-6,2017-07-12 18:49:00,0,0,0,0,0.00K,0,0.00K,0,41.8979,-91.1502,41.8979,-91.1502,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A trained spotter reported large tree branches were down north of town." +114421,687399,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:44:00,MST-7,2017-05-09 19:46:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-104.55,33.37,-104.55,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of golf balls on the west side of Roswell." +114421,687406,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-09 20:55:00,MST-7,2017-05-09 21:00:00,0,0,0,0,0.00K,0,0.00K,0,33.8255,-103.34,33.8255,-103.34,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of quarters one mile south of Pep in association with a tornado warned thunderstorm." +114421,687345,NEW MEXICO,2017,May,Hail,"CURRY",2017-05-09 16:28:00,MST-7,2017-05-09 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-103.31,34.38,-103.31,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter to hen egg size hail reported at a Cannon Air Force Base housing complex." +112615,672254,GEORGIA,2017,January,Drought,"BUTTS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672255,GEORGIA,2017,January,Drought,"BIBB",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114884,689186,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 15:05:00,MST-7,2017-05-26 15:05:00,0,0,0,0,,NaN,,NaN,39.97,-103.59,39.97,-103.59,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112615,672208,GEORGIA,2017,January,Drought,"MORGAN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672210,GEORGIA,2017,January,Drought,"MONROE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672215,GEORGIA,2017,January,Drought,"MERIWETHER",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115286,692121,MISSISSIPPI,2017,April,Hail,"PRENTISS",2017-04-22 13:49:00,CST-6,2017-04-22 13:55:00,0,0,0,0,,NaN,0.00K,0,34.5898,-88.464,34.5898,-88.464,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","Hail fell one mile north of Hobo Station." +115286,692125,MISSISSIPPI,2017,April,Thunderstorm Wind,"TISHOMINGO",2017-04-22 14:20:00,CST-6,2017-04-22 14:30:00,0,0,0,0,300.00K,300000,0.00K,0,34.5173,-88.2164,34.5077,-88.1842,"A slow moving cold front generated a few severe thunderstorms that produced high winds, hail and a couple of tornadoes during the afternoon hours of April 22nd.","Three houses with roofs torn off. Power lines and trees down. An apartment building and five additional houses had minor roof damage. Railroad blocked by fallen tree." +115333,692494,ARKANSAS,2017,April,Thunderstorm Wind,"ST. FRANCIS",2017-04-26 16:00:00,CST-6,2017-04-26 16:05:00,0,0,0,0,20.00K,20000,0.00K,0,34.9152,-91.1196,34.92,-91.1,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Power lines down." +115333,692500,ARKANSAS,2017,April,Thunderstorm Wind,"ST. FRANCIS",2017-04-26 16:27:00,CST-6,2017-04-26 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.0415,-90.7957,35.044,-90.7829,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Tree down on Highway 311." +115333,692504,ARKANSAS,2017,April,Thunderstorm Wind,"CROSS",2017-04-26 16:30:00,CST-6,2017-04-26 16:35:00,0,0,0,0,30.00K,30000,0.00K,0,35.23,-90.8,35.2395,-90.7574,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Trees and power lines down. Damage to one home." +115333,692507,ARKANSAS,2017,April,Thunderstorm Wind,"POINSETT",2017-04-26 16:33:00,CST-6,2017-04-26 16:40:00,0,0,0,0,20.00K,20000,0.00K,0,35.6735,-90.5435,35.68,-90.52,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Trees and power lines down on Highway 463." +112615,672181,GEORGIA,2017,January,Drought,"WHITE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672182,GEORGIA,2017,January,Drought,"WARREN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672236,GEORGIA,2017,January,Drought,"FLOYD",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672250,GEORGIA,2017,January,Drought,"CHATTOOGA",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672251,GEORGIA,2017,January,Drought,"CHATTAHOOCHEE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672252,GEORGIA,2017,January,Drought,"CATOOSA",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115349,693211,ALABAMA,2017,April,Hail,"ETOWAH",2017-04-05 17:41:00,CST-6,2017-04-05 17:42:00,0,0,0,0,0.00K,0,0.00K,0,34.05,-86.14,34.05,-86.14,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693212,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 18:05:00,CST-6,2017-04-05 18:06:00,0,0,0,0,0.00K,0,0.00K,0,33.93,-85.62,33.93,-85.62,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693213,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 17:47:00,CST-6,2017-04-05 17:48:00,0,0,0,0,0.00K,0,0.00K,0,33.77,-85.88,33.77,-85.88,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693214,ALABAMA,2017,April,Hail,"COOSA",2017-04-05 18:45:00,CST-6,2017-04-05 18:46:00,0,0,0,0,0.00K,0,0.00K,0,33.01,-86.2,33.01,-86.2,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693215,ALABAMA,2017,April,Hail,"LEE",2017-04-05 20:31:00,CST-6,2017-04-05 20:32:00,0,0,0,0,0.00K,0,0.00K,0,32.65,-85.38,32.65,-85.38,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +113472,679906,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN FRANKLIN",2017-02-12 10:00:00,EST-5,2017-02-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Ten to sixteen inches of snow fell on Western Franklin County." +113472,679907,MASSACHUSETTS,2017,February,Winter Storm,"NORTHERN WORCESTER",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Six to eleven inches of snow fell on Northern Worcester County." +113472,679908,MASSACHUSETTS,2017,February,Winter Storm,"NORTHWEST MIDDLESEX COUNTY",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Seven to twelve inches of snow fell on Northwest Middlesex County." +113472,679909,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN ESSEX",2017-02-12 09:00:00,EST-5,2017-02-13 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Nine to eleven inches of snow fell on Western Essex County." +113472,679910,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN ESSEX",2017-02-12 10:00:00,EST-5,2017-02-13 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Five to nine inches fell on Eastern Essex County." +113472,679911,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN HAMPSHIRE",2017-02-12 09:00:00,EST-5,2017-02-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Six to eleven inches on snow fell on Western Hampshire County." +116462,716456,OHIO,2017,July,Flash Flood,"VAN WERT",2017-07-10 21:12:00,EST-5,2017-07-11 05:30:00,0,0,0,0,425.00K,425000,0.00K,0,40.8824,-84.5905,40.8537,-84.3439,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Thunderstorms trained over portions of northwestern Ohio, causing flooding issues.","Several rounds of thunderstorms dropped anywhere from three to over six inches of rain onto already saturated ground in the southeastern part of the county. This caused extensive flooding, with several creeks, streams and ditches going over their banks. Jennings Creek overflowed its banks and surrounded a factory on the southwest side of Delphos, forcing employees to shelter in place with the only means of egress being a nearby train track. Several county roads were closed across the area, but no washouts were reported. Emergency management officials report that 12 homes and 3 businesses were impacted, with total damage of around $425,000." +117208,704948,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-24 19:11:00,CST-6,2017-07-24 19:11:00,0,0,0,0,0.00K,0,0.00K,0,43.0143,-99.78,43.0143,-99.78,"A thunderstorm became severe over southern Tripp County, producing hail and strong wind gusts.","" +119150,715579,SOUTH DAKOTA,2017,July,Hail,"MCPHERSON",2017-07-21 19:19:00,CST-6,2017-07-21 19:19:00,0,0,0,0,0.00K,0,0.00K,0,45.69,-99.32,45.69,-99.32,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715580,SOUTH DAKOTA,2017,July,Hail,"FAULK",2017-07-21 19:37:00,CST-6,2017-07-21 19:37:00,0,0,0,0,,NaN,,NaN,45.2,-99.11,45.2,-99.11,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715581,SOUTH DAKOTA,2017,July,Hail,"FAULK",2017-07-21 19:54:00,CST-6,2017-07-21 19:54:00,0,0,0,0,,NaN,,NaN,45.13,-99.09,45.13,-99.09,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715582,SOUTH DAKOTA,2017,July,Hail,"WALWORTH",2017-07-21 20:23:00,CST-6,2017-07-21 20:23:00,0,0,0,0,0.00K,0,0.00K,0,45.39,-99.94,45.39,-99.94,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +118414,711621,NEW YORK,2017,July,Thunderstorm Wind,"ONEIDA",2017-07-14 14:04:00,EST-5,2017-07-14 14:14:00,0,0,0,0,5.00K,5000,0.00K,0,43.34,-75.75,43.34,-75.75,"An occluded front stalled across the state of New York Friday afternoon in a very unstable environment. Showers and thunderstorms developed along this surface boundary as a weak storm system moved across the northeast. Showers and thunderstorms quickly developed into a line and moved east across the state Friday afternoon. Some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over several trees." +118418,711637,PENNSYLVANIA,2017,July,Hail,"LUZERNE",2017-07-17 12:30:00,EST-5,2017-07-17 12:40:00,0,0,0,0,1.00K,1000,0.00K,0,41.21,-75.9,41.21,-75.9,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and produced quarter sized hail." +118418,711638,PENNSYLVANIA,2017,July,Hail,"LUZERNE",2017-07-17 12:56:00,EST-5,2017-07-17 13:06:00,0,0,0,0,2.00K,2000,0.00K,0,41.25,-75.88,41.25,-75.88,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and produced ping pong sized hail. This thunderstorm also generated 1.76 inches of rain in 40 minutes." +118418,711639,PENNSYLVANIA,2017,July,Lightning,"LUZERNE",2017-07-17 15:20:00,EST-5,2017-07-17 15:21:00,0,0,0,0,1.00K,1000,0.00K,0,41.22,-75.85,41.22,-75.85,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and struck a tree with lightning. This storm also generated 3.30 inches of rain in 2.5 hours." +118418,711642,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-17 13:40:00,EST-5,2017-07-17 13:50:00,0,0,0,0,6.00K,6000,0.00K,0,41.96,-75.75,41.96,-75.75,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over multiple trees in the vicinity of Franklin Hill Road. The thunderstorm resulted in debris on the roadway." +119340,716777,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-31 11:17:00,EST-5,2017-07-31 11:17:00,0,0,0,0,0.00K,0,0.00K,0,25.73,-80.16,25.73,-80.16,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 43 mph / 37 knots was recorded by the Weatherstem mesonet site located at the University of Miami RSMAS Campus." +119340,716780,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-07-31 11:09:00,EST-5,2017-07-31 11:09:00,0,0,0,0,0.00K,0,0.00K,0,25.66,-80.19,25.66,-80.19,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 39 mph / 34 knots was recorded by the WeatherFlow site XKBS." +119340,716781,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-31 11:03:00,EST-5,2017-07-31 11:03:00,0,0,0,0,0.00K,0,0.00K,0,25.75,-80.1,25.75,-80.1,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 39 mph / 34 knots was recorded by the WeatherFlow site XGVT at an elevation of 63 feet." +119340,716785,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-31 11:18:00,EST-5,2017-07-31 11:18:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 45 mph / 39 knots was recorded by the C-MAN station FWYF1 Fowey Rocks at an elevation of 144 feet." +119340,717370,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-30 18:41:00,EST-5,2017-07-30 18:41:00,0,0,0,0,0.00K,0,0.00K,0,26.1105,-80.1061,26.1105,-80.1061,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","Measured at WeatherBug site at Fort Lauderdale Fire Station 49." +119340,716776,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-31 10:26:00,EST-5,2017-07-31 10:26:00,0,0,0,0,0.00K,0,0.00K,0,25.9012,-80.1252,25.9012,-80.1252,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 40 mph / 35 knots was recorded by the Weather Bug mesonet site MDFR4 located at the Miami Dade Fire Rescue Station 21 in Bal Harbour." +119340,716775,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"BISCAYNE BAY",2017-07-31 10:29:00,EST-5,2017-07-31 10:29:00,0,0,0,0,0.00K,0,0.00K,0,25.7472,-80.2126,25.7472,-80.2126,"Low pressure over the Gulf of Mexico became Tropical Storm Emily on July 31st. Showers and thunderstorms with gusty winds moved across South Florida in the outer rain bands associated with the storm.","A marine thunderstorm wind gust of 42 mph / 36 knots was recorded by the Weather Bug mesonet site PPFMS located near Viscaya." +116549,701113,MINNESOTA,2017,July,Tornado,"POLK",2017-07-11 18:07:00,CST-6,2017-07-11 18:30:00,0,0,0,0,50.00K,50000,150.00K,150000,48.11,-97.05,48.05,-96.7551,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado tracked intermittently across northern Northland and Tabor townships. The tornado snapped or uprooted a few spruce trees and broke down numerous large branches in shelterbelts along its path. At one farmstead east of Tabor, it tore steel panels off a shed roof and snapped large tree limbs. Peak winds were estimated at 95 mph." +116547,700852,NORTH DAKOTA,2017,July,Tornado,"TRAILL",2017-07-11 18:48:00,CST-6,2017-07-11 19:00:00,0,0,0,0,250.00K,250000,250.00K,250000,47.38,-96.98,47.3522,-96.8441,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado developed from the main mesocyclone as its predecessor roped out. It crossed the Red River and continued for another 5 miles in Minnesota, before ending around four miles east-southeast of Halstad at 711 pm CST. This tornado snapped H-pole power poles, crushed steel grain bins, snapped numerous oak and ash trees, and toppled a barn along its path. Peak winds were estimated at 130 mph." +116549,700853,MINNESOTA,2017,July,Tornado,"NORMAN",2017-07-11 19:00:00,CST-6,2017-07-11 19:11:00,0,0,0,0,550.00K,550000,400.00K,400000,47.3522,-96.8441,47.3279,-96.7511,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado originated 4 miles east-northeast of Hillsboro, in Traill County, North Dakota, at 648 pm CST. It crossed the Red River about one mile west of Halstad. The tornado snapped H-pole power poles, crushed steel grain bins, snapped numerous oak and ash trees, and toppled a barn along its path. Peak winds were estimated at 130 mph." +120408,721248,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL 20 TO 60NM",2017-08-25 03:00:00,CST-6,2017-08-25 03:00:00,0,0,0,0,0.00K,0,0.00K,0,27.92,-95.35,27.92,-95.35,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721251,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 10:00:00,CST-6,2017-08-25 10:00:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721253,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-08-25 10:45:00,CST-6,2017-08-25 10:45:00,0,0,0,0,0.00K,0,0.00K,0,29.0757,-95.1226,29.0757,-95.1226,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721254,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 11:00:00,CST-6,2017-08-25 11:00:00,0,0,0,0,0.00K,0,0.00K,0,28.7716,-95.6168,28.7716,-95.6168,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721255,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 12:00:00,CST-6,2017-08-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721256,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 12:00:00,CST-6,2017-08-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,28.7716,-95.6168,28.7716,-95.6168,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120216,720450,TEXAS,2017,August,Flash Flood,"GONZALES",2017-08-27 23:02:00,CST-6,2017-08-28 04:45:00,0,0,0,0,0.00K,0,0.00K,0,29.7054,-97.2245,29.6872,-97.2184,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding closing I-10 at mile marker 655." +114055,684282,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 11:37:00,CST-6,2017-04-30 11:37:00,0,0,0,0,,NaN,,NaN,34.93,-87.98,34.93,-87.98,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down at the intersection of CR 8 and CR 133." +120256,720537,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 06:20:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.4205,-98.6468,29.4195,-98.652,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding requiring a swift water rescue near the intersection of Marbach Rd. and Loop 410 on the west side of San Antonio." +120256,720540,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 06:43:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.5795,-98.3812,29.5736,-98.6105,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding closing 25 low water crossings across San Antonio." +120256,720542,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 07:20:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.493,-98.6254,29.5066,-98.6193,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding. Several homes in low lying areas of Leon Valley were evacuated due to the threat of flooding. High water was observed along Poss and Evers Rds." +120256,720544,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 09:50:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.434,-98.6247,29.4338,-98.6224,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding. There was a swift water rescue on Pinn Rd. at Leon Creek on the west side of San Antonio." +120216,720420,TEXAS,2017,August,Flash Flood,"FAYETTE",2017-08-27 03:12:00,CST-6,2017-08-27 04:45:00,0,0,0,0,0.00K,0,0.00K,0,29.9872,-96.8349,30.0014,-96.9997,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding closing numerous roads around the county." +114055,684310,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:36:00,CST-6,2017-04-30 13:36:00,0,0,0,0,,NaN,,NaN,34.98,-86.83,34.98,-86.83,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A large tree was knocked down on Cedar Hill Road." +114421,687355,NEW MEXICO,2017,May,Thunderstorm Wind,"QUAY",2017-05-09 18:07:00,MST-7,2017-05-09 18:10:00,0,0,0,0,0.00K,0,0.00K,0,35.1,-103.33,35.1,-103.33,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Thunderstorm wind gusts estimated between 60 and 70 mph with dime size hail." +114421,686030,NEW MEXICO,2017,May,Hail,"SANTA FE",2017-05-09 00:30:00,MST-7,2017-05-09 00:40:00,0,0,0,0,100.00K,100000,0.00K,0,35.668,-106.0009,35.668,-106.0009,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Many residents of Santa Fe awaken by a severe storm with heavy rain and hail to the size of quarters or larger. Damage occurred to vehicles, roofs, skylights, and trees were stripped of leaves. Damages are estimated." +113615,684149,FLORIDA,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-03 12:45:00,CST-6,2017-04-03 12:45:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-85.31,30.47,-85.31,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down near Mossy Pond." +113615,684150,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 14:55:00,EST-5,2017-04-03 14:55:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-84.36,30.52,-84.36,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down on the CSX railroad tracks at Capital Circle NW." +114421,687347,NEW MEXICO,2017,May,Hail,"CURRY",2017-05-09 16:45:00,MST-7,2017-05-09 16:52:00,0,0,0,0,10.00K,10000,0.00K,0,34.4921,-103.2318,34.4921,-103.2318,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Damaging hail storm with at least hen egg size hail. Two windows broken at residence and two windshields smashed out. Damage amounts are estimated." +114421,687400,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:45:00,MST-7,2017-05-09 19:47:00,0,0,0,0,0.00K,0,0.00K,0,33.4171,-104.5665,33.4171,-104.5665,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of nickels on the northwest side of Roswell." +114421,687301,NEW MEXICO,2017,May,Funnel Cloud,"ROOSEVELT",2017-05-09 15:50:00,MST-7,2017-05-09 16:10:00,0,0,0,0,0.00K,0,0.00K,0,34.2176,-103.5324,34.2176,-103.5324,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","The first funnel cloud in a series spotted west-northwest of Portales." +113946,683843,OHIO,2017,March,Thunderstorm Wind,"ASHTABULA",2017-03-01 02:34:00,EST-5,2017-03-01 02:34:00,0,0,0,0,1.00K,1000,0.00K,0,41.62,-80.95,41.62,-80.95,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a tree." +114047,689437,IOWA,2017,March,Hail,"LINN",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-91.59,42.03,-91.59,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689442,IOWA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-06 21:15:00,CST-6,2017-03-06 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-92.08,41.13,-92.08,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Siding was blown off a new addition to a home." +114047,689448,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:45:00,CST-6,2017-03-06 21:45:00,0,0,0,0,,NaN,0.00K,0,41.58,-91.75,41.58,-91.75,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A roll door was blown off a shop building." +114047,689457,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:26:00,CST-6,2017-03-06 22:26:00,0,0,0,0,,NaN,0.00K,0,41.62,-90.55,41.62,-90.55,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A large construction trailer just east of the forecast office was rolled over and into a ditch due to high winds." +114047,689458,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:28:00,CST-6,2017-03-06 22:28:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-90.6,41.56,-90.6,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Several trees were down in the Ridgeview area." +114047,689459,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:28:00,CST-6,2017-03-06 22:28:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-90.69,41.62,-90.69,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Some debris was reported across I-80." +114771,689306,NEW MEXICO,2017,May,Funnel Cloud,"SAN MIGUEL",2017-05-22 13:38:00,MST-7,2017-05-22 13:40:00,0,0,0,0,0.00K,0,0.00K,0,35.5379,-105.2298,35.5379,-105.2298,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","A funnel cloud was spotted near Las Vegas." +114771,689300,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 16:23:00,MST-7,2017-05-22 16:26:00,0,0,0,0,0.00K,0,0.00K,0,34.0669,-104.5363,34.0669,-104.5363,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Two inch hail on State Road 20." +114771,689302,NEW MEXICO,2017,May,Hail,"MORA",2017-05-22 17:12:00,MST-7,2017-05-22 17:16:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-104.94,35.82,-104.94,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Half dollar size hail accumulated along Interstate 25 near Watrous. A hail swath was visible on the preliminary, non-operational GOES-16 visible imagery." +112615,672237,GEORGIA,2017,January,Drought,"FAYETTE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672238,GEORGIA,2017,January,Drought,"FANNIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115349,693216,ALABAMA,2017,April,Hail,"LEE",2017-04-05 20:25:00,CST-6,2017-04-05 20:26:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-85.37,32.54,-85.37,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115897,696440,OHIO,2017,May,Thunderstorm Wind,"JEFFERSON",2017-05-18 15:10:00,EST-5,2017-05-18 15:10:00,0,0,0,0,5.00K,5000,0.00K,0,40.37,-80.65,40.37,-80.65,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","State official reported multiple trees down." +119150,715583,SOUTH DAKOTA,2017,July,Hail,"POTTER",2017-07-21 21:00:00,CST-6,2017-07-21 21:00:00,0,0,0,0,0.00K,0,0.00K,0,45.01,-99.95,45.01,-99.95,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715584,SOUTH DAKOTA,2017,July,Hail,"HAND",2017-07-21 22:33:00,CST-6,2017-07-21 22:33:00,0,0,0,0,0.00K,0,0.00K,0,44.43,-99.27,44.43,-99.27,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715585,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"ROBERTS",2017-07-21 17:24:00,CST-6,2017-07-21 17:24:00,0,0,0,0,,NaN,0.00K,0,45.93,-97.1,45.93,-97.1,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Sixty mph winds broke off several large tree branches." +119150,715586,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"FAULK",2017-07-21 19:54:00,CST-6,2017-07-21 19:54:00,0,0,0,0,,NaN,,NaN,45.13,-99.09,45.13,-99.09,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Seventy mph winds downed a tree along with many large tree branches. The winds combined with tennis ball hail caused damage to windows and crops." +119150,715587,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 21:36:00,CST-6,2017-07-21 21:36:00,0,0,0,0,,NaN,0.00K,0,44.74,-98.51,44.74,-98.51,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","A large tree was downed onto a garage causing damage to it." +119150,715588,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 21:53:00,CST-6,2017-07-21 21:53:00,0,0,0,0,,NaN,0.00K,0,44.81,-98.5,44.81,-98.5,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Seventy mph winds knocked down several older or dead trees." +119150,715590,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CODINGTON",2017-07-21 23:30:00,CST-6,2017-07-21 23:30:00,0,0,0,0,,NaN,0.00K,0,44.81,-97.31,44.81,-97.31,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Eighty mph winds destroyed a large shed and half of a quonset building." +116301,712703,MINNESOTA,2017,July,Hail,"SWIFT",2017-07-09 19:20:00,CST-6,2017-07-09 19:20:00,0,0,0,0,0.00K,0,0.00K,0,45.2,-96.02,45.2,-96.02,"There were two tornadoes and many reports of very large hail. ||Storms brought strong winds, heavy rain, hail and tornadoes to south central Minnesota, damaging buildings and crops in Blue Earth, Nicollet and Sibley Counties.||The July 9 tornadoes, thunderstorms and hail hit south central Minnesota hard, with softball-sized hail reported in the Sibley County towns of Gibbon and Winthrop. The National Weather Service confirmed two tornadoes, one which did severe damage to a Courtland farm site.||That large hail and major thunderstorm surfaced quickly near the McLeod-Sibley county line, then continued south toward the Iowa border. Crops in Blue Earth, Nicollet and Sibley counties sustained severe damage, with the Blue Earth County Sheriff���s Office reporting over 600 acres hit there.||Still, the worst hail damage seemed to focus in rural Nicollet County, where corn fields were stripped and soybeans badly damaged. The University of Minnesota Extension Service, which conducted a Thursday clinic for regional farmers at the United Farmers Cooperative headquarters in Winthrop, said corn has the ability to come back somewhat from the damage, but the soybean crop for some farmers might be gone.","" +118418,711644,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-17 16:20:00,EST-5,2017-07-17 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,41.88,-75.73,41.88,-75.73,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118418,711643,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-17 16:20:00,EST-5,2017-07-17 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,41.83,-75.88,41.83,-75.88,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118417,711627,NEW YORK,2017,July,Hail,"ONEIDA",2017-07-17 11:35:00,EST-5,2017-07-17 11:45:00,0,0,0,0,3.00K,3000,0.00K,0,43.24,-75.26,43.24,-75.26,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and produced quarter to golf ball sized hail. This thunderstorm caused large tree limbs to fall down." +118417,711628,NEW YORK,2017,July,Lightning,"BROOME",2017-07-17 14:47:00,EST-5,2017-07-17 14:48:00,0,0,0,0,1.00K,1000,0.00K,0,42.18,-75.9,42.18,-75.9,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and produced lightning which struck a tree in the town of Chenango on Susan Street." +118417,711629,NEW YORK,2017,July,Thunderstorm Wind,"CAYUGA",2017-07-17 11:58:00,EST-5,2017-07-17 12:08:00,0,0,0,0,1.00K,1000,0.00K,0,42.71,-76.42,42.71,-76.42,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which blocked the road in the vicinity of Fillmore Glenn State Park." +117863,708643,GEORGIA,2017,July,Lightning,"GWINNETT",2017-07-04 14:55:00,EST-5,2017-07-04 14:55:00,0,0,0,0,0.20K,200,,NaN,34.0424,-83.9239,34.0424,-83.9239,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Gwinnett County Fire Department reported a lightning strike at a home on School House Trace. The home owner reported smoke, however, firefighters found no active fire at the home." +117863,708645,GEORGIA,2017,July,Lightning,"GILMER",2017-07-05 15:30:00,EST-5,2017-07-05 15:30:00,0,0,0,0,10.00K,10000,,NaN,34.6845,-84.5428,34.6845,-84.5428,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Gilmer County Emergency Manager reported a house fire caused by lightning on Hickory Lane." +117863,708666,GEORGIA,2017,July,Thunderstorm Wind,"PAULDING",2017-07-05 17:30:00,EST-5,2017-07-05 17:40:00,0,0,0,0,8.00K,8000,,NaN,33.9912,-84.7679,33.9912,-84.7679,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Paulding County Emergency Manager reported trees and power lines blown down around the intersection of Dallas Acworth Highway and Homestead Drive." +117862,708437,GEORGIA,2017,July,Thunderstorm Wind,"CATOOSA",2017-07-01 14:50:00,EST-5,2017-07-01 15:00:00,0,0,0,0,5.00K,5000,,NaN,34.98,-85.25,34.98,-85.25,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","A trained spotter reported trees blown down across the road. The trees also brought down power lines resulting in a power outage in the local area." +117862,708447,GEORGIA,2017,July,Thunderstorm Wind,"OGLETHORPE",2017-07-01 17:50:00,EST-5,2017-07-01 17:55:00,0,0,0,0,1.00K,1000,,NaN,33.9496,-83.265,33.9496,-83.265,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Oglethorpe County 911 center reported a tree blown down along West Beaverdam Road." +116549,701125,MINNESOTA,2017,July,Tornado,"NORMAN",2017-07-11 19:42:00,CST-6,2017-07-11 19:54:00,0,0,0,0,450.00K,450000,350.00K,350000,47.22,-96.51,47.15,-96.39,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado collapsed at least one shed, snapped numerous trees, and tossed large round hay bales across a sugar beet field. It also snapped at least a half dozen wooden power poles. Peak winds were estimated at 125 mph. The tornado continued into Clay County, where it ended two miles north of Ulen, at 806 pm CST." +116549,701126,MINNESOTA,2017,July,Tornado,"CLAY",2017-07-11 19:54:00,CST-6,2017-07-11 20:06:00,0,0,0,0,25.00K,25000,100.00K,100000,47.15,-96.39,47.109,-96.27,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado began at 742 pm CST, 3 miles north of Borup, in Norman County. This tornado collapsed at least one shed, snapped numerous trees, and tossed large round hay bales across a sugar beet field. It also snapped at least a half dozen wooden power poles. Peak winds were estimated at 125 mph." +116549,701134,MINNESOTA,2017,July,Thunderstorm Wind,"BECKER",2017-07-11 20:35:00,CST-6,2017-07-11 20:35:00,0,0,0,0,450.00K,450000,350.00K,350000,46.98,-95.91,46.98,-95.91,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Large trees and power lines were blown down. Wind driven hail damaged fields and buildings." +120817,723470,GULF OF MEXICO,2017,August,Waterspout,"GALVESTON BAY",2017-08-23 10:55:00,CST-6,2017-08-23 11:00:00,0,0,0,0,0.00K,0,0.00K,0,29.5582,-95.0551,29.5582,-95.0551,"Morning storms in Galveston Bay produced waterspouts.","A waterspout was observed over Clear Lake." +120216,720297,TEXAS,2017,August,Flash Flood,"CALDWELL",2017-08-26 19:59:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-97.63,30.0014,-97.6341,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue near Lytton Springs." +120216,720449,TEXAS,2017,August,Flash Flood,"FAYETTE",2017-08-27 11:18:00,CST-6,2017-08-28 04:45:00,0,0,0,0,0.00K,0,0.00K,0,29.9812,-97.0093,29.9205,-96.7552,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding closing numerous roads in the county including sections of Hwy 71." +120251,720503,TEXAS,2017,August,Thunderstorm Wind,"DE WITT",2017-08-04 19:13:00,CST-6,2017-08-04 19:13:00,0,0,0,0,,NaN,0.00K,0,28.97,-97.2,28.97,-97.2,"An upper level shortwave trough moved through northwesterly flow and interacted with a conditionally unstable atmosphere to produce isolated thunderstorms one of which developed damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that knocked down a large tree limb on Thomaston River Rd." +120252,720507,TEXAS,2017,August,Hail,"VAL VERDE",2017-08-05 17:55:00,CST-6,2017-08-05 17:55:00,0,0,0,0,0.00K,0,0.00K,0,29.39,-100.92,29.39,-100.92,"Thunderstorms developed over the mountains in Northern Mexico and moved to the east into Texas. One of these storms produced large hail and damaging wind gusts.","A thunderstorm produced quarter size hail in Del Rio." +120216,720306,TEXAS,2017,August,Flash Flood,"CALDWELL",2017-08-26 22:42:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,29.79,-97.64,29.7322,-97.6204,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to multiple water rescues and 100 low water crossings being closed around the southern part of the county." +120216,720416,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-27 00:13:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30.02,-97.17,30.0162,-97.1494,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue and several residences being surrounded by flood water in Smithville." +120216,720617,TEXAS,2017,August,Flash Flood,"WILLIAMSON",2017-08-26 18:15:00,CST-6,2017-08-26 20:12:00,0,0,0,0,0.00K,0,0.00K,0,30.5314,-97.5866,30.5283,-97.588,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey caused flash flooding closing CR 123 at Brushy Creek near Hutto." +114055,684312,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 13:40:00,CST-6,2017-04-30 13:40:00,0,0,0,0,,NaN,,NaN,34.3,-86.47,34.3,-86.47,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down." +114055,684313,ALABAMA,2017,April,Thunderstorm Wind,"MADISON",2017-04-30 13:47:00,CST-6,2017-04-30 13:47:00,0,0,0,0,,NaN,,NaN,34.9,-86.76,34.9,-86.76,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down across Toney School Road." +114055,684314,ALABAMA,2017,April,Thunderstorm Wind,"MADISON",2017-04-30 13:47:00,CST-6,2017-04-30 13:47:00,0,0,0,0,,NaN,,NaN,34.95,-86.77,34.95,-86.77,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down across Macedonia Road." +114055,684315,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:00:00,CST-6,2017-04-30 14:00:00,0,0,0,0,,NaN,,NaN,34.45,-86.37,34.45,-86.37,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down by thunderstorm winds." +114421,687353,NEW MEXICO,2017,May,Thunderstorm Wind,"UNION",2017-05-09 18:00:00,MST-7,2017-05-09 18:10:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-103.18,36.46,-103.18,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Outflow winds on the front side of an approaching thunderstorms downed several small tree limbs around Clayton. Pea size hail accumulated four inches deep." +113615,684151,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:03:00,EST-5,2017-04-03 15:03:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-84.23,30.54,-84.23,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at Ox Bottom and Thomasville Road." +113615,684152,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:03:00,EST-5,2017-04-03 15:03:00,0,0,0,0,0.00K,0,0.00K,0,30.51,-84.28,30.51,-84.28,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at 3511 Meridian." +113615,684153,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:03:00,EST-5,2017-04-03 15:03:00,0,0,0,0,0.00K,0,0.00K,0,30.55,-84.28,30.55,-84.28,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at Meridian Road and Ox Bottom." +113615,684154,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:09:00,EST-5,2017-04-03 15:09:00,0,0,0,0,0.00K,0,0.00K,0,30.43,-84.14,30.43,-84.14,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Multiple large trees were blown down near Apalachee Regional Park. The west bound portion of Apalachee Parkway was partially blocked. Trees were also down on Chaires Cross Road and WW Kelly Road." +114421,687348,NEW MEXICO,2017,May,Hail,"QUAY",2017-05-09 16:32:00,MST-7,2017-05-09 16:35:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-103.69,35.15,-103.69,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail at least the size of half dollars fell a couple miles southeast of Tucumcari." +114421,687170,NEW MEXICO,2017,May,Hail,"SANDOVAL",2017-05-09 10:05:00,MST-7,2017-05-09 10:20:00,0,0,0,0,100.00K,100000,0.00K,0,35.45,-106.42,35.45,-106.42,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A major hailstorm pummeled the area around San Felipe and Kewa pueblos and Interstate 25. Hail accumulated to several inches deep. Strong winds with the hail produced damage to roofs, windows, and several vehicles. Damage amounts are estimated." +113946,683844,OHIO,2017,March,Thunderstorm Wind,"LORAIN",2017-03-01 05:15:00,EST-5,2017-03-01 05:18:00,0,0,0,0,75.00K,75000,0.00K,0,41.37,-82.1,41.37,-82.1,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed several trees and a couple of power poles. Scattered power outages were reported." +113946,683849,OHIO,2017,March,High Wind,"CUYAHOGA",2017-03-01 16:10:00,EST-5,2017-03-01 16:10:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A 60 mph wind gust was measured." +113946,683853,OHIO,2017,March,Thunderstorm Wind,"GEAUGA",2017-03-01 16:29:00,EST-5,2017-03-01 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.58,-81.2,41.43,-81.33,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a tree near Chardon and a second near South Russell." +114098,692663,TEXAS,2017,April,Hail,"FANNIN",2017-04-29 16:43:00,CST-6,2017-04-29 16:43:00,0,0,0,0,0.00K,0,5.00K,5000,33.43,-96.17,33.43,-96.17,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","The Bailey volunteer fire department reported ping pong ball sized hail." +112615,672198,GEORGIA,2017,January,Drought,"PIKE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115269,692047,ARKANSAS,2017,April,Thunderstorm Wind,"CRITTENDEN",2017-04-03 12:30:00,CST-6,2017-04-03 12:35:00,0,0,0,0,3.00K,3000,0.00K,0,35.1419,-90.2355,35.1526,-90.1892,"An upper level disturbance moved across the region and a line of strong thunderstorms developed over East Arkansas during the late morning and early afternoon hours of April 3rd. Gusty winds caused some damage in West Memphis.","Strong winds tore a large amount of shingles from a roof of a home in West Memphis." +115270,692049,TENNESSEE,2017,April,Hail,"MCNAIRY",2017-04-03 15:00:00,CST-6,2017-04-03 15:05:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-88.6,35.18,-88.6,"An old outflow boundary interacted with a moist and unstable airmass to produce a few strong thunderstorms over West Tennessee during the afternoon hours of April 17th.","" +115135,692199,MICHIGAN,2017,April,Hail,"OCEANA",2017-04-10 06:28:00,EST-5,2017-04-10 06:39:00,0,0,0,0,,NaN,,NaN,43.5,-86.47,43.61,-86.36,"An isolated EF1 tornado developed over extreme southeastern Kent county during the evening hours of April 10th. Dozens of large trees were snapped or uprooted and three barns were heavily damaged. The damage began on 100th St just east of Alden Nash Ave and then continued to the east-northeast, crossing Wingeier Ave where a barn lost metal roofing. One metal section was carried 0.6 miles by the tornado and landed in a field. ||The tornado damage intensified as the funnel narrowed and crossed 92nd St in the vicinity of the Tyler Creek Golf Course, where a swath of trees were snapped and uprooted. Peak winds in this area were estimated at 90 mph. The tornado crossed Freeport Ave and Keim Road. It then crossed Hastings Road with peak winds estimated around 65 mph, taking down large tree limbs. The damage ended around Bell Road north of Keim Road. There were also isolated reports of large hail and wind damage across portions of western lower Michigan.","Hail up to one and three quarters inches in diameter was reported near Shelby." +115292,692200,MICHIGAN,2017,April,Thunderstorm Wind,"MASON",2017-04-20 03:10:00,EST-5,2017-04-20 03:25:00,0,0,0,0,25.00K,25000,0.00K,0,44.05,-86.22,44.05,-86.22,"There were a few storms that became severe during the early morning hours of April 20th, resulting in isolated reports of damaging wind gusts and large hail.","A severe thunderstorm produced a measured wind gust of 65 mph. Two vehicle crashes due to several trees down across Custer rd. were reported with no injuries. A downed high voltage line cut power to most of Ludington." +115292,692201,MICHIGAN,2017,April,Thunderstorm Wind,"OCEANA",2017-04-20 03:22:00,EST-5,2017-04-20 03:22:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-86.38,43.81,-86.38,"There were a few storms that became severe during the early morning hours of April 20th, resulting in isolated reports of damaging wind gusts and large hail.","A severe thunderstorm produced a wind gust to 59 mph near Pentwater." +115292,692202,MICHIGAN,2017,April,Hail,"ISABELLA",2017-04-20 03:15:00,EST-5,2017-04-20 03:15:00,0,0,0,0,0.00K,0,0.00K,0,43.52,-85.08,43.52,-85.08,"There were a few storms that became severe during the early morning hours of April 20th, resulting in isolated reports of damaging wind gusts and large hail.","One inch diameter hail was reported near Blanchard." +114884,689191,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 15:50:00,MST-7,2017-05-26 15:50:00,0,0,0,0,,NaN,,NaN,39.95,-103.22,39.95,-103.22,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112615,672227,GEORGIA,2017,January,Drought,"HARRIS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672228,GEORGIA,2017,January,Drought,"HARALSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672229,GEORGIA,2017,January,Drought,"HANCOCK",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112258,673736,GEORGIA,2017,January,Tornado,"CRISP",2017-01-22 16:00:00,EST-5,2017-01-22 16:02:00,0,0,0,0,10.00K,10000,,NaN,31.804,-83.6168,31.8062,-83.6125,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the large tornado that moved across Dougherty, Turner and Wilcox Counties produced damage, mainly downed trees, in the extreme southeast corner of Crisp County along Deep Creek. The main damage path at this time remained in Turner County but was wide enough to extend into this small portion of Crisp County. [01/22/17: Tornado #2, County #1/2, EF1, Crisp-Wilcox, 2017:026]." +112258,673739,GEORGIA,2017,January,Tornado,"WILCOX",2017-01-22 16:07:00,EST-5,2017-01-22 16:27:00,0,0,0,0,300.00K,300000,,NaN,31.8478,-83.5272,31.9924,-83.3474,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the large tornado that moved across Dougherty and Turner Counties moved into Wilcox County crossing County Line Road just west of Shady Lane. Damage was seen off Double Run Road and County Road 41 where a small farm building was completely destroyed. Windows were broken at two residences and several small trees were uprooted. Just northeast, significant damage occurred along Crawford Dairy Road between July Road and Loblolly Road. A metal structure was significantly damaged with the several anchored metal trusses completely pulled off the concrete foundation, resulting in a total collapse of the building. Additional farm outbuildings and barns around the property were severely damaged, and hundreds of pines were snapped or uprooted. Farther along Crawford Dairy Road, just before SR 233, several large, wooden, electrical transmission towers were snapped (near the base) or leaning. The width of the tornado around this location is estimated to be at least one half mile. Along American Legion Road, between Bayberry Lane and Elderberry Lane, a large semi-trailer was flattened and moved across a road. The southeast corner of a metal structure was completely destroyed with deep concrete footings ripped out of the ground. Numerous large trees were snapped as well around this location and a small home nearby sustained minor roof and siding damage. Further northeast along Willingham road, trees were snapped or uprooted. As the tornado went over Mount Olive Road, just south of Highway 280, several manufactured homes were completely destroyed with debris moved 50 to 100 yards away from the original foundations. Based on this damage, the tornado is believed to have briefly strengthened to around 135 MPH. A large house just up the hill from this location sustained minor roof damage. The tornado crossed Highway 280 leveling numerous trees and destroying several small wooden sheds and barns. From this point on, the tornado weakened considerably, with only some trees snapped or uprooted along Kingfisher Road, just west of Abbeville where the damage ended. [01/22/17: Tornado #2, County #2/2, EF2, Crisp-Wilcox, 2017:026]." +114098,692661,TEXAS,2017,April,Hail,"HUNT",2017-04-29 16:17:00,CST-6,2017-04-29 16:17:00,0,0,0,0,0.00K,0,0.00K,0,33.25,-95.9,33.25,-95.9,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","One inch hail was reported on the southern side of Commerce." +113660,693087,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 23:22:00,CST-6,2017-04-10 23:22:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported golf ball sized hail in the city of Frisco, TX." +113660,693088,TEXAS,2017,April,Hail,"FANNIN",2017-04-10 23:23:00,CST-6,2017-04-10 23:23:00,0,0,0,0,0.00K,0,0.00K,0,33.58,-96.07,33.58,-96.07,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported quarter-sized hail one mile northeast of Dodd City, TX." +114098,692666,TEXAS,2017,April,Hail,"RAINS",2017-04-29 18:28:00,CST-6,2017-04-29 18:28:00,0,0,0,0,10.00K,10000,0.00K,0,32.87,-95.75,32.87,-95.75,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","A report of ping ping pong ball sized hail was reported in Emory." +113462,679223,MASSACHUSETTS,2017,February,Winter Weather,"SUFFOLK",2017-02-08 01:00:00,EST-5,2017-02-08 12:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure wave developed east of Massachusetts along a warm front during the early morning of the 8th. This drew a surge of colder air across the Metropolitan Boston area during the early morning. The colder air combined with wet surface to create icy road surfaces. In addition, a short period of freezing rain moved through during the morning rush hour.","Freezing rain caused numerous crashes and in some instances temporary road closures on the major arteries around Boston. These occurred near the start of the morning commute." +119150,715591,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"ROBERTS",2017-07-21 18:15:00,CST-6,2017-07-21 18:15:00,0,0,0,0,0.00K,0,0.00K,0,45.86,-96.92,45.86,-96.92,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Sixty mph winds were estimated." +119150,715592,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-21 17:50:00,MST-7,2017-07-21 17:50:00,0,0,0,0,0.00K,0,0.00K,0,45.85,-100.91,45.85,-100.91,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715593,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-21 18:15:00,MST-7,2017-07-21 18:15:00,0,0,0,0,0.00K,0,0.00K,0,45.73,-100.66,45.73,-100.66,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715594,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 21:23:00,CST-6,2017-07-21 21:23:00,0,0,0,0,,NaN,0.00K,0,44.87,-98.52,44.87,-98.52,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Winds gusted to over seventy mph in Redfield." +119150,715595,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 22:00:00,CST-6,2017-07-21 22:00:00,0,0,0,0,0.00K,0,0.00K,0,45.23,-98.22,45.23,-98.22,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Sixty mph winds were estimated." +119150,715597,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-21 22:35:00,CST-6,2017-07-21 22:35:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-98.96,44.53,-98.96,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715598,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 22:42:00,CST-6,2017-07-21 22:42:00,0,0,0,0,,NaN,0.00K,0,45.05,-98.1,45.05,-98.1,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +118417,711630,NEW YORK,2017,July,Thunderstorm Wind,"CAYUGA",2017-07-17 12:02:00,EST-5,2017-07-17 12:12:00,0,0,0,0,3.00K,3000,0.00K,0,42.71,-76.42,42.71,-76.42,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree that fell onto a road. This tree being knocked over directly caused windows to be blown out of a residential structure." +118417,711632,NEW YORK,2017,July,Thunderstorm Wind,"BROOME",2017-07-17 14:49:00,EST-5,2017-07-17 14:59:00,0,0,0,0,5.00K,5000,0.00K,0,42.1,-76.06,42.1,-76.06,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and electical wires." +118417,711631,NEW YORK,2017,July,Thunderstorm Wind,"CAYUGA",2017-07-17 12:05:00,EST-5,2017-07-17 12:15:00,0,0,0,0,2.00K,2000,0.00K,0,42.71,-76.42,42.71,-76.42,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked down wires which landed in the roadway." +118417,711633,NEW YORK,2017,July,Thunderstorm Wind,"BROOME",2017-07-17 14:50:00,EST-5,2017-07-17 15:00:00,0,0,0,0,6.00K,6000,0.00K,0,42.23,-75.87,42.23,-75.87,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on Route 12 and Oak Hill Road which caused a motor vehicle accident." +118417,711634,NEW YORK,2017,July,Thunderstorm Wind,"BROOME",2017-07-17 14:58:00,EST-5,2017-07-17 15:08:00,0,0,0,0,3.00K,3000,0.00K,0,42.1,-76.06,42.1,-76.06,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree and power lines in vicinity of June Street and Birdsall Street." +117862,708439,GEORGIA,2017,July,Thunderstorm Wind,"GILMER",2017-07-01 16:02:00,EST-5,2017-07-01 16:10:00,0,0,0,0,10.00K,10000,,NaN,34.7274,-84.5104,34.6863,-84.4718,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Gilmer County Emergency Manager reported numerous trees blown down in the Ellijay area, including along Lee Pritchett Road and along Highway 52 at Roberts Ridge Road, Hancock Drive and the Highway 76 Bypass." +117862,708440,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-01 16:40:00,EST-5,2017-07-01 16:45:00,0,0,0,0,1.00K,1000,,NaN,33.9137,-83.8188,33.9137,-83.8188,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Gwinnett County 911 center reported a tree blown down at the intersection of Bold Springs Road and Ridge Manor Drive." +117862,708444,GEORGIA,2017,July,Thunderstorm Wind,"CLARKE",2017-07-01 17:35:00,EST-5,2017-07-01 17:45:00,0,0,0,0,7.00K,7000,,NaN,33.9689,-83.4156,33.9611,-83.3715,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Clarke County 911 center reported numerous trees and power lines blown down across Athens from around the intersections of Jefferson Road and the Athens Perimeter and Oglethorpe Avenue and Hawthorne Avenue to the campus of the University of Georgia around the Baldwin statue and on Lumpkin Street." +116549,701140,MINNESOTA,2017,July,Thunderstorm Wind,"BECKER",2017-07-11 20:46:00,CST-6,2017-07-11 20:46:00,0,0,0,0,350.00K,350000,,NaN,46.84,-95.84,46.84,-95.84,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The wind gust was measured by a RAWS station. Numerous trees were snapped near Floyd Lake. One 24x40 foot shed was lifted and collapsed." +116549,701141,MINNESOTA,2017,July,Thunderstorm Wind,"BECKER",2017-07-11 20:52:00,CST-6,2017-07-11 20:52:00,0,0,0,0,350.00K,350000,50.00K,50000,46.77,-95.87,46.77,-95.87,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Numerous large trees were snapped or uprooted around Lake Sallie, Lake Melissa, and the greater Detroit Lakes area. Roads were blocked by fallen trees and power lines were blown down." +116898,702888,MINNESOTA,2017,July,Tornado,"BELTRAMI",2017-07-21 14:45:00,CST-6,2017-07-21 14:50:00,0,0,0,0,100.00K,100000,5.00K,5000,47.94,-94.66,47.93,-94.6012,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","This tornado tracked eastward with numerous intermittent touchdowns along its roughly three mile track. Numerous trees were snapped and a couple of grain bins were toppled. Roof panels and walls were blown out of pole sheds and calving sheds were flipped. Insulation and roofing metal were strewn about. Peak winds were estimated at 95 mph." +120256,720533,TEXAS,2017,August,Flash Flood,"LLANO",2017-08-07 02:31:00,CST-6,2017-08-07 05:15:00,0,0,0,0,0.00K,0,0.00K,0,30.7306,-98.3903,30.7308,-98.3994,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding closing a low water crossing near Inks Lake State Park." +120216,798845,TEXAS,2017,August,Flood,"BASTROP",2017-08-27 14:00:00,CST-6,2017-08-29 01:00:00,0,0,0,0,1.50M,1500000,0.00K,0,30.1218,-97.3816,30.1829,-97.3162,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages. 100 People were evacuated in Bastrop County. Rainfall over the far western side of Bastrop County was about 12 inches, while the Smithville area had a 7 day rain total of nearly 24 inches. The Colorado River at Smithville crested near 32 feet on August 28, flooding about 60 homes in the Smithville area. There were about 150 low water crossings underwater and many roads were damaged. Overall estimates to damage in the county are about 1.5 million dollars, about a million of that coming from damage to roads and bridges." +120216,798846,TEXAS,2017,August,Flood,"FAYETTE",2017-08-27 13:00:00,CST-6,2017-08-30 01:00:00,0,0,0,0,50.00M,50000000,0.00K,0,29.9599,-96.9075,30.0706,-96.7008,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Tropical Storm force winds and winds gusts caused minor tree damage. A few trees were uprooted. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. Most locations in Fayette County received 20 or more inches of rain. Heavy rain and flooding caused the evacuation of about 400 residents as the Colorado River at LaGrange rose to 54.2 feet. This was the third highest crest ever. Much of the city below Waters Street was flooded. Schools in the Fayetteville Independent School District sustained $80,000 damage. There were roughly 400 impacted homes across the county, 200 had substantial flood damage, 150 moderate damage, and 50 minor damage. About 2 dozen businesses in and near LaGrange sustained major flood damage. Flooding was mainly along the Colorado River from Bastrop County all the way through Fayette County. Additional flooding and homes flooded along Buckners Creek in LaGrange and Cummins Creek near Round Top area. 5 to 6 homes flooded near Fayetteville. Infrastructure loss from roads and bridges across the county is about $500K. Insured/uninsured losses is unknown but is likely in the tens of millions." +114055,684288,ALABAMA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-30 12:33:00,CST-6,2017-04-30 12:33:00,0,0,0,0,,NaN,,NaN,34.5,-87.28,34.5,-87.28,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down onto a house on Yarbrough Avenue." +114421,687300,NEW MEXICO,2017,May,Tornado,"MORA",2017-05-09 15:00:00,MST-7,2017-05-09 15:05:00,0,0,0,0,0.00K,0,0.00K,0,36.0459,-104.5239,36.0947,-104.5404,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Storm chasers spotted a well developed tornado east of Interstate 25 a few miles northeast of Wagon Mound." +114421,687302,NEW MEXICO,2017,May,Thunderstorm Wind,"SOCORRO",2017-05-09 15:20:00,MST-7,2017-05-09 15:25:00,0,0,0,0,0.00K,0,0.00K,0,33.62,-106.6,33.62,-106.6,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Thunderstorm outflow crossing White Sands Missile Range produced a peak wind gust to 65 mph." +114184,686520,OHIO,2017,March,Winter Storm,"PORTAGE",2017-03-13 19:00:00,EST-5,2017-03-15 12:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. Some of the higher storm totals in Ashtabula County included 17.1 inches at Roaming Shores; 16.5 inches at Lenox. 14.6 inches in rural Monroe Township, 12.5 inches at Jefferson and 11.5 inches as far south as Andover. In Geauga County some of the totals included 13.0 inches in the Chardon area, 12.5 inches at Montville and 12.0 inches at Burton. In Portage County the heaviest snow fell north of Interstate 76 with 11.0 inches at Aurora, 10.5 inches at Ravenna; 10.2 inches in Kent and 10.0 inches at Rootstown. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days.","An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. In Portage County the heaviest snow fell north of Interstate 76 with 11.0 inches at Aurora, 10.5 inches at Ravenna; 10.2 inches in Kent and 10.0 inches at Rootstown. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days." +114421,687177,NEW MEXICO,2017,May,Hail,"SANTA FE",2017-05-09 11:17:00,MST-7,2017-05-09 11:19:00,0,0,0,0,0.00K,0,0.00K,0,35.6434,-106.0222,35.6434,-106.0222,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of pennies on the southwest side of Santa Fe." +113946,683820,OHIO,2017,March,Thunderstorm Wind,"ASHLAND",2017-03-01 05:15:00,EST-5,2017-03-01 05:30:00,0,0,0,0,6.00K,6000,0.00K,0,40.87,-82.3,40.87,-82.3,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across Ashland County downing a few trees." +114421,686032,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 08:30:00,MST-7,2017-05-09 08:35:00,0,0,0,0,0.00K,0,0.00K,0,34.7546,-106.2653,34.7546,-106.2653,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Thunderstorm moving over Tajique produced penny size hail." +114421,686034,NEW MEXICO,2017,May,Hail,"SANDOVAL",2017-05-09 08:43:00,MST-7,2017-05-09 08:48:00,0,0,0,0,0.00K,0,0.00K,0,35.87,-106.64,35.87,-106.64,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of pennies reported at La Cueva." +112615,672199,GEORGIA,2017,January,Drought,"PICKENS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672200,GEORGIA,2017,January,Drought,"PAULDING",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672256,GEORGIA,2017,January,Drought,"BARTOW",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115292,692203,MICHIGAN,2017,April,Hail,"CALHOUN",2017-04-20 13:08:00,EST-5,2017-04-20 13:08:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-85.22,42.17,-85.22,"There were a few storms that became severe during the early morning hours of April 20th, resulting in isolated reports of damaging wind gusts and large hail.","Hail up to one inch in diameter was reported in East Leroy." +114771,689294,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 12:50:00,MST-7,2017-05-22 12:53:00,0,0,0,0,0.00K,0,0.00K,0,34.6,-104.38,34.6,-104.38,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Hail up to the size of quarters at Sumner Lake." +114771,689295,NEW MEXICO,2017,May,Hail,"QUAY",2017-05-22 13:40:00,MST-7,2017-05-22 13:42:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-103.99,34.65,-103.99,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Penny size hail at the NM Wind Energy Center." +112258,673689,GEORGIA,2017,January,Tornado,"PEACH",2017-01-21 12:11:00,EST-5,2017-01-21 12:14:00,0,0,0,0,10.00K,10000,,NaN,32.5114,-83.7901,32.5233,-83.7489,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that a tornado began in southeast Peach County around the intersection of Harper Road and Andel Road just west of the Perry-Houston County Airport. The tornado moved east for around 2.5 miles before crossing into Houston County along Buckeye Road. This tornado was rated EF0 along this portion of its path with maximum wind speeds of 80 MPH and mainly downed trees and power lines, however some minor damage to shingles on homes was noted in this area. The tornado would eventually travel over 13 miles across portions of Peach and Houston Counties. [01/21/17: Tornado #12, County #1/4, EF0, Peach-Houston-Peach-Houston, 2017:013]." +114047,689855,IOWA,2017,March,Tornado,"CLINTON",2017-03-06 22:23:00,CST-6,2017-03-06 22:31:00,0,0,0,0,10.00K,10000,0.00K,0,41.7825,-90.8984,41.884,-90.7262,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This is a continuation of the tornado that touched down in Cedar County. The tornado continued for a path length of over 11 miles in Clinton County producing damage to trees, outbuildings, and power lines." +114098,683246,TEXAS,2017,April,Tornado,"HENDERSON",2017-04-29 16:29:00,CST-6,2017-04-29 16:40:00,5,0,0,0,500.00K,500000,90.00K,90000,32.2572,-96.018,32.357,-95.9549,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","A National Weather Service damage survey crew found the start of tornado number three began in Henderson County, approximately 3 miles due south of Eustace. This tornado eventually moved into Van Zandt County, where the storm produced EF4 damage. In Henderson County, several homes suffered EF2 damage, along with a considerable amount of tree damage and damage to farm buildings. As the storm moved into Van Zandt County, the tornado grew to a mile wide at the tornado's maximum width. Over 50 homes were either damaged or destroyed, with a continuous path noted between counties." +113660,693089,TEXAS,2017,April,Hail,"DENTON",2017-04-10 23:26:00,CST-6,2017-04-10 23:26:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-96.92,33.15,-96.92,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported golf ball sized hail approximately 3 miles east of Little Elm, TX." +113660,693090,TEXAS,2017,April,Hail,"DENTON",2017-04-10 23:15:00,CST-6,2017-04-10 23:15:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.92,33.15,-96.92,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported hen-egg sized hail in the city of Hackberry, TX." +113660,693091,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 23:24:00,CST-6,2017-04-10 23:24:00,0,0,0,0,10.00K,10000,0.00K,0,33.15,-96.81,33.15,-96.81,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated 2-inch diameter hail in Frisco, TX." +113660,693092,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 23:41:00,CST-6,2017-04-10 23:41:00,0,0,0,0,0.00K,0,0.00K,0,33.22,-96.85,33.22,-96.85,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported one-inch diameter hail 2 miles west-southwest of the city of Prosper, TX." +113660,693093,TEXAS,2017,April,Hail,"COLLIN",2017-04-10 23:40:00,CST-6,2017-04-10 23:40:00,0,0,0,0,0.00K,0,0.00K,0,33.15,-96.81,33.15,-96.81,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated golf ball sized hail in the city of Frisco, TX." +113660,693258,TEXAS,2017,April,Hail,"LIMESTONE",2017-04-10 22:25:00,CST-6,2017-04-10 22:25:00,0,0,0,0,0.00K,0,0.00K,0,31.4,-96.58,31.4,-96.58,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported golf ball sized hail near the intersection of Hwy 14 and FM 1246 in the city of Thornton, TX." +115333,692496,ARKANSAS,2017,April,Flash Flood,"RANDOLPH",2017-04-26 16:07:00,CST-6,2017-04-26 21:30:00,0,0,0,0,20.00K,20000,0.00K,0,36.2753,-90.9962,36.2512,-90.9932,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Several reports of roads underwater in the western portion of Pocahontas." +113660,693279,TEXAS,2017,April,Hail,"CORYELL",2017-04-10 22:00:00,CST-6,2017-04-10 22:00:00,0,0,0,0,0.00K,0,0.00K,0,31.1594,-97.5964,31.1594,-97.5964,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported quarter-sized hail near the weather station at Fort Hood." +113660,693512,TEXAS,2017,April,Thunderstorm Wind,"BOSQUE",2017-04-10 18:46:00,CST-6,2017-04-10 18:46:00,0,0,0,0,0.00K,0,0.00K,0,31.77,-97.45,31.77,-97.45,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported 8-inch diameter tree limbs blown down in the town of Coyote." +113660,693513,TEXAS,2017,April,Hail,"HILL",2017-04-10 16:07:00,CST-6,2017-04-10 16:07:00,0,0,0,0,0.00K,0,0.00K,0,32.0396,-97.3622,32.0396,-97.3622,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Amateur radio reported quarter-sized hail between the cities of Blum and Whitney." +113660,693514,TEXAS,2017,April,Thunderstorm Wind,"MCLENNAN",2017-04-10 21:43:00,CST-6,2017-04-10 21:43:00,0,0,0,0,2.00K,2000,0.00K,0,31.53,-96.83,31.53,-96.83,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A media report indicated that 2 recreational vehicles were overturned in the city of Mart, TX." +115359,693788,MISSISSIPPI,2017,April,Thunderstorm Wind,"UNION",2017-04-30 10:28:00,CST-6,2017-04-30 10:35:00,0,0,0,0,,NaN,0.00K,0,34.4959,-89.0641,34.5,-89,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Several trees down in New Albany." +115359,693789,MISSISSIPPI,2017,April,Thunderstorm Wind,"TIPPAH",2017-04-30 11:38:00,CST-6,2017-04-30 11:45:00,0,0,0,0,,NaN,0.00K,0,34.7129,-88.9879,34.7451,-88.9055,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees down within the city limits." +115361,692651,ARKANSAS,2017,April,Thunderstorm Wind,"MISSISSIPPI",2017-04-29 19:45:00,CST-6,2017-04-29 19:50:00,0,0,0,0,30.00K,30000,0.00K,0,35.8785,-89.9725,35.893,-89.8846,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","The side of a farm shop building was blown down." +113587,679929,CONNECTICUT,2017,February,Drought,"WINDHAM",2017-02-01 00:00:00,EST-5,2017-02-01 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In February, rainfall throughout much of northern Connecticut ranged from one-quarter inch to one-inch below normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater. ||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. Considerable snowmelt also occurred along the headwaters of the Connecticut River. The Connecticut River at Hartford CT rose over its 16 foot flood stage, cresting|at 16.09 feet during midnight to 1:30 am on February 28th. ||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. A report from the Connecticut DPH indicated the State���s overall water supply had improved to 85.8 percent of capacity.","The U.S. Drought Monitor continued the Severe Drought (D2) designation for extreme western Windham County through the month of February." +113586,679930,MASSACHUSETTS,2017,February,Drought,"EASTERN HAMPDEN",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Precipitation was one-half inch to one and one-half inches below normal for most of Massachusetts during February, but one-quarter inch above normal in the Northeast. Above normal temperatures allowed for periods of rainfall and snow melt, prompting an increase in river and stream levels, and also reservoir levels. Soils remained thawed during the month, allowing for groundwater recharge. ||A Drought Warning remained in effect for the Connecticut Valley and Southeast parts of Massachusetts. A Drought Watch was issued for Western and Central areas, an improvement from the January Drought Warning. A Drought Advisory was issued for the Northeast region, an improvement over the Drought Watch previously in effect. The Cape and Islands remained in a Drought Advisory.||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. ||Ground water conditions varied considerably. Wells over Cape Cod and southeast MA were mainly below normal. In northwest MA, wells were mainly above normal.||Reservoirs monitored by Massachusetts Department of Conservation and Recreation (DCR), were mainly 80 to 90 percent of normal levels with some recovery noted.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation in the western part of Eastern Hampden County through February 7. Eastern portions continued with the Severe Drought (D2) designation. On February 7, all areas carried the Severe Drought (D2) designation." +119150,715599,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-21 22:45:00,CST-6,2017-07-21 22:45:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-98.99,44.51,-98.99,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715600,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-21 23:10:00,CST-6,2017-07-21 23:10:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-98.77,44.24,-98.77,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","" +119150,715601,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CODINGTON",2017-07-21 23:25:00,CST-6,2017-07-21 23:25:00,0,0,0,0,0.00K,0,0.00K,0,44.88,-97.46,44.88,-97.46,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Sixty mph winds were estimated." +118417,711635,NEW YORK,2017,July,Thunderstorm Wind,"BROOME",2017-07-17 15:03:00,EST-5,2017-07-17 15:13:00,0,0,0,0,3.00K,3000,0.00K,0,42.23,-75.87,42.23,-75.87,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree and power lines on Pigeon Hill Road." +118417,711636,NEW YORK,2017,July,Thunderstorm Wind,"BROOME",2017-07-17 15:30:00,EST-5,2017-07-17 15:40:00,0,0,0,0,10.00K,10000,0.00K,0,42.08,-75.64,42.08,-75.64,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds which uprooted or snapped more than 10 trees trees on Ouaquaga Road." +118418,711640,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-17 13:27:00,EST-5,2017-07-17 13:37:00,0,0,0,0,1.00K,1000,0.00K,0,41.97,-75.75,41.97,-75.75,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a trees which fell onto a road." +118418,711641,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LUZERNE",2017-07-17 13:35:00,EST-5,2017-07-17 13:45:00,0,0,0,0,3.00K,3000,0.00K,0,41.18,-75.88,41.18,-75.88,"A cold front advanced east across western New York Monday morning and became stalled and aligned north to south over central New York and Pennsylvania shortly after noon. Showers and thunderstorms developed along this boundary in a very unstable environment and quickly moved east. Some of these storms became severe and produced damaging winds and large hail.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118435,711675,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 13:25:00,EST-5,2017-07-20 13:35:00,0,0,0,0,1.00K,1000,0.00K,0,42.25,-77.7,42.25,-77.7,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree in Hartsville." +117862,708446,GEORGIA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-01 17:45:00,EST-5,2017-07-01 17:55:00,0,0,0,0,1.00K,1000,,NaN,33.8471,-83.4855,33.8471,-83.4855,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The public reported a large tree blown down in the backyard of a home on Elder Ridge Drive." +117862,708448,GEORGIA,2017,July,Thunderstorm Wind,"PEACH",2017-07-01 22:00:00,EST-5,2017-07-01 22:10:00,0,0,0,0,25.00K,25000,,NaN,32.6144,-83.8707,32.6144,-83.8707,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The public reported numerous trees blown down along Taylors Mill Road near the Crawford County line." +117862,708449,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-02 16:05:00,EST-5,2017-07-02 16:15:00,0,0,0,0,5.00K,5000,,NaN,34.3423,-84.6145,34.3538,-84.4244,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Cherokee County Emergency Manager reported trees and power lines blown down across the far northern portion of the county from northwest of Waleska to northwest of Ball Ground. Locations include along Reinhardt College Parkway near Garland Mountain Trail, Upper Dowda Road at Lower Dowda Road, and Arnold Spence Road." +117862,708452,GEORGIA,2017,July,Thunderstorm Wind,"HOUSTON",2017-07-01 21:58:00,EST-5,2017-07-01 21:58:00,0,0,0,0,,NaN,,NaN,32.64,-83.59,32.64,-83.59,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Robins Air Force Base AWOS recorded a wind gust of 66 MPH." +116549,701131,MINNESOTA,2017,July,Thunderstorm Wind,"CLAY",2017-07-11 20:10:00,CST-6,2017-07-11 20:10:00,0,0,0,0,250.00K,250000,350.00K,350000,47.08,-96.28,47.08,-96.28,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Twelve to eighteen inch diameter trees were blown down. Powerlines were also blown down with localized street flooding in Ulen. Wind driven hail damaged fields and buildings." +116549,701133,MINNESOTA,2017,July,Thunderstorm Wind,"CLAY",2017-07-11 20:26:00,CST-6,2017-07-11 20:26:00,0,0,0,0,150.00K,150000,250.00K,250000,46.98,-96.26,46.98,-96.26,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Numerous large tree limbs and power lines were blown down. Wind driven hail damaged fields and buildings." +116549,701128,MINNESOTA,2017,July,Thunderstorm Wind,"NORMAN",2017-07-11 19:45:00,CST-6,2017-07-11 19:45:00,0,0,0,0,50.00K,50000,100.00K,100000,47.18,-96.51,47.18,-96.51,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The roof was blown off a pole shed and large trees were uprooted." +119587,717500,NORTH CAROLINA,2017,July,Lightning,"ONSLOW",2017-07-11 11:00:00,EST-5,2017-07-11 11:00:00,1,0,1,0,0.00K,0,0.00K,0,34.7,-77.42,34.7,-77.42,"Two marines were struck by lightning on July 11. One of the marines subsequently passed away from serious injuries sustained by the lightning strike several days later.","Two marines were struck by lightning while working on aircraft at New River MCAS. One of the marines passed away several days later due to serious injuries sustained from the lightning strike." +120256,720531,TEXAS,2017,August,Flash Flood,"LLANO",2017-08-07 01:47:00,CST-6,2017-08-07 05:15:00,0,0,0,0,0.00K,0,0.00K,0,30.7897,-98.6332,30.7926,-98.7183,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding resulting in several roads being flooded with as much as three feet of water in and around Llano. Some spots in the county received 7.5 inches of rain." +127722,766006,IOWA,2017,August,Drought,"CLARKE",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Extreme drought conditions developed across Clarke county due to acute short term dryness." +127722,766007,IOWA,2017,August,Drought,"LUCAS",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Extreme drought conditions developed in much of Lucas county due to acute short term dryness." +127722,766008,IOWA,2017,August,Drought,"MONROE",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed across Monroe county due to acute short term dryness." +127722,766009,IOWA,2017,August,Drought,"WAPELLO",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe to extreme drought conditions developed across Wapello county due to acute short term dryness." +127722,766010,IOWA,2017,August,Drought,"RINGGOLD",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed in far northeast Ringgold county due to acute short term dryness." +127722,766011,IOWA,2017,August,Drought,"DECATUR",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe to extreme drought conditions developed across central and northern Decatur county due to acute short term dryness." +127722,766012,IOWA,2017,August,Drought,"APPANOOSE",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed in much of Appanoose county due to acute short term dryness." +127723,766015,IOWA,2017,September,Drought,"ADAIR",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions clipped far southeast Adair county due to acute short term dryness." +114055,684289,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 12:35:00,CST-6,2017-04-30 12:35:00,0,0,0,0,,NaN,,NaN,33.91,-87.06,33.91,-87.06,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Several trees were knocked down or broken off along CR 18, CR 19, CR 21, and CR 25." +114055,684291,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 12:42:00,CST-6,2017-04-30 12:42:00,0,0,0,0,,NaN,,NaN,34.82,-87.4,34.82,-87.4,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down on CR 584 in the Elgin community." +114055,684292,ALABAMA,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-30 12:45:00,CST-6,2017-04-30 12:45:00,0,0,0,0,,NaN,,NaN,34.47,-87.21,34.47,-87.21,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A roof was blown off of a mobile home on CR 184 in the Danville community." +114055,684293,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 12:52:00,CST-6,2017-04-30 12:52:00,0,0,0,0,,NaN,,NaN,35,-87.42,35,-87.42,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down on power lines on CR 493." +114421,687259,NEW MEXICO,2017,May,Hail,"SANTA FE",2017-05-09 11:55:00,MST-7,2017-05-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,35.888,-106.1039,35.888,-106.1039,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail along CR-502 near El Rancho covering the roadway." +114421,687260,NEW MEXICO,2017,May,Hail,"SAN MIGUEL",2017-05-09 12:30:00,MST-7,2017-05-09 12:38:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-105.68,35.58,-105.68,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail in Pecos." +114300,693374,COLORADO,2017,May,Flash Flood,"WELD",2017-05-08 16:00:00,MST-7,2017-05-08 19:00:00,0,0,0,0,500.00K,500000,50.00K,50000,40.32,-104.76,40.49,-104.39,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","Heavy rain combined with torrential hail, clogged drains and caused flash flooding throughout Greeley. The intersection near U.S. 34 and U.S. 85 was inundated with up to 3 feet of water. Firefighters rescued several residents from garden level apartments that had flooded. Several businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged as water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day." +114300,693376,COLORADO,2017,May,Lightning,"WELD",2017-05-08 15:40:00,MST-7,2017-05-08 15:40:00,0,0,0,0,5.00K,5000,0.00K,0,40.42,-104.68,40.42,-104.68,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms." +114532,686864,OHIO,2017,March,Hail,"SENECA",2017-03-30 13:50:00,EST-5,2017-03-30 13:50:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-83.17,41.1,-83.17,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny sized hail was observed." +114532,686866,OHIO,2017,March,Hail,"WOOD",2017-03-30 17:44:00,EST-5,2017-03-30 17:44:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-83.63,41.57,-83.63,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny sized hail was observed." +114532,686867,OHIO,2017,March,Hail,"MAHONING",2017-03-30 18:30:00,EST-5,2017-03-30 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-80.93,40.9,-80.93,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny to quarter sized hail was observed." +114532,740744,OHIO,2017,March,Hail,"WAYNE",2017-03-30 18:26:00,EST-5,2017-03-30 18:26:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-81.7,40.8,-81.7,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Hail larger than golf balls was reported." +113946,683745,OHIO,2017,March,Thunderstorm Wind,"HURON",2017-03-01 04:45:00,EST-5,2017-03-01 04:50:00,0,0,0,0,3.00K,3000,0.00K,0,41.05,-82.73,41.05,-82.73,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed three trees in the Willard area." +113946,683746,OHIO,2017,March,Thunderstorm Wind,"HURON",2017-03-01 04:45:00,EST-5,2017-03-01 05:10:00,0,0,0,0,5.00K,5000,0.00K,0,41.25,-82.7,41.25,-82.4,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across northern Huron County knocking trees down in Monroeville and Wakeman." +113946,683747,OHIO,2017,March,Thunderstorm Wind,"ASHTABULA",2017-03-01 05:55:00,EST-5,2017-03-01 06:25:00,0,0,0,0,7.00K,7000,0.00K,0,41.62,-80.95,41.62,-80.57,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved east across Ashtabula County. At least three trees were knocked down across the southern half of the county." +113946,683822,OHIO,2017,March,Thunderstorm Wind,"CUYAHOGA",2017-03-01 05:30:00,EST-5,2017-03-01 05:30:00,0,0,0,0,15.00K,15000,0.00K,0,41.37,-81.67,41.37,-81.67,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds blew a large tree down on some power lines causing outages." +113946,683826,OHIO,2017,March,Thunderstorm Wind,"CUYAHOGA",2017-03-01 05:35:00,EST-5,2017-03-01 05:35:00,0,0,0,0,75.00K,75000,0.00K,0,41.4567,-81.7043,41.4567,-81.7043,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds tore the roof of a building just southwest of downtown Cleveland. Debris from the building blocked an I-71 off ramp." +113946,683828,OHIO,2017,March,Thunderstorm Wind,"OTTAWA",2017-03-01 04:03:00,EST-5,2017-03-01 04:03:00,0,0,0,0,15.00K,15000,0.00K,0,41.5779,-83.15,41.5779,-83.15,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a utility pole near State Route 19." +114421,687407,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 22:00:00,MST-7,2017-05-09 22:03:00,0,0,0,0,0.00K,0,0.00K,0,33.4258,-104.5377,33.4258,-104.5377,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A third severe thunderstorm moving across Roswell produced quarter size hail on the northwest side of town." +114421,687426,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-09 22:45:00,MST-7,2017-05-09 22:48:00,0,0,0,0,0.00K,0,0.00K,0,34.16,-103.37,34.16,-103.37,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of quarters two miles southwest of Portales." +112615,672257,GEORGIA,2017,January,Drought,"BARROW",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672258,GEORGIA,2017,January,Drought,"BANKS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115227,691836,TENNESSEE,2017,April,Strong Wind,"BENTON",2017-04-02 22:15:00,CST-6,2017-04-02 23:15:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Trees down and blown debris along Big Sandy Road near Highway 641 north." +115227,691835,TENNESSEE,2017,April,Strong Wind,"SHELBY",2017-04-02 20:30:00,CST-6,2017-04-02 21:30:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","A large tree fell on a house in Midtown." +115226,691831,ARKANSAS,2017,April,Strong Wind,"LAWRENCE",2017-04-02 19:00:00,CST-6,2017-04-02 20:00:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Strong winds knocked down numerous trees and power lines in Walnut Ridge and Hoxie." +114771,689296,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-22 14:58:00,MST-7,2017-05-22 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-104.75,34.94,-104.75,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Quarter size hail on Interstate 40 four miles west of Santa Rosa." +114884,689187,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 15:17:00,MST-7,2017-05-26 15:17:00,0,0,0,0,,NaN,,NaN,39.94,-103.6,39.94,-103.6,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112615,672216,GEORGIA,2017,January,Drought,"MARION",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112258,673691,GEORGIA,2017,January,Tornado,"HOUSTON",2017-01-21 12:14:00,EST-5,2017-01-21 12:15:00,0,0,0,0,10.00K,10000,,NaN,32.5233,-83.7489,32.5257,-83.7335,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the tornado that began in southeast Peach County briefly crossed into a small portion of western Houston County along Todd Road. The tornado moved east for around a mile crossing I-75 before crossing Mossy Creek back into Peach County west of U.S Highway 41. This tornado was rated EF0 along this portion of its path with maximum wind speeds of 80 MPH and mainly downed trees and power lines. The tornado would eventually travel over 13 miles across portions of Peach and Houston Counties. [01/21/17: Tornado #12, County #2/4, EF0, Peach-Houston-Peach-Houston, 2017:013]." +115333,692508,ARKANSAS,2017,April,Hail,"POINSETT",2017-04-26 16:35:00,CST-6,2017-04-26 16:40:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-90.52,35.68,-90.52,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","" +115333,692511,ARKANSAS,2017,April,Hail,"CRAIGHEAD",2017-04-26 16:36:00,CST-6,2017-04-26 16:42:00,0,0,0,0,,NaN,0.00K,0,35.75,-90.57,35.75,-90.57,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","" +115333,692515,ARKANSAS,2017,April,Flash Flood,"LAWRENCE",2017-04-26 16:37:00,CST-6,2017-04-26 21:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.0381,-91.3108,36.0172,-91.3039,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Flooding on County roads 273 and 280 near the small town of Lynn." +115333,692516,ARKANSAS,2017,April,Hail,"CRAIGHEAD",2017-04-26 16:42:00,CST-6,2017-04-26 16:48:00,0,0,0,0,0.00K,0,0.00K,0,35.82,-90.43,35.82,-90.43,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Dime to penny size hail in Lake City." +112615,672183,GEORGIA,2017,January,Drought,"WALTON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672184,GEORGIA,2017,January,Drought,"WALKER",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672185,GEORGIA,2017,January,Drought,"UPSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115335,692518,MISSOURI,2017,April,Thunderstorm Wind,"PEMISCOT",2017-04-26 17:25:00,CST-6,2017-04-26 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,36.1363,-89.7734,36.1459,-89.7326,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Several tractor trailers were blown off the interstate at mile marker 12.5 on I-55." +115335,692520,MISSOURI,2017,April,Thunderstorm Wind,"PEMISCOT",2017-04-26 17:30:00,CST-6,2017-04-26 17:35:00,0,0,0,0,75.00K,75000,0.00K,0,36.158,-89.6979,36.1701,-89.6728,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Two tractor trailer trucks were blown over at mile marker 5 on I-155. A few vehicles were also damaged." +115359,692650,MISSISSIPPI,2017,April,Thunderstorm Wind,"DE SOTO",2017-04-29 19:30:00,CST-6,2017-04-29 19:40:00,0,0,0,0,50.00K,50000,0.00K,0,34.879,-90.1758,34.8874,-90.1449,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Twenty or more power poles down in the Wilson Mills Area of Walls." +115359,692653,MISSISSIPPI,2017,April,Hail,"DE SOTO",2017-04-29 20:09:00,CST-6,2017-04-29 20:15:00,0,0,0,0,0.00K,0,0.00K,0,34.8812,-89.9801,34.8891,-89.9142,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Quarter sized hail reported near Pleasant Hill Road and Getwell." +115359,692654,MISSISSIPPI,2017,April,Hail,"DE SOTO",2017-04-29 20:15:00,CST-6,2017-04-29 20:20:00,0,0,0,0,0.00K,0,0.00K,0,34.9594,-89.9104,34.9645,-89.892,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Quarter size hail falling at Goodman and Pleasant Hill Road in Olive Branch." +115359,693626,MISSISSIPPI,2017,April,Thunderstorm Wind,"YALOBUSHA",2017-04-30 09:14:00,CST-6,2017-04-30 09:25:00,0,0,0,0,60.00K,60000,0.00K,0,33.97,-89.7,33.9816,-89.6423,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Multiple trees down and lots of roof damage to a house." +115359,693775,MISSISSIPPI,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-30 09:30:00,CST-6,2017-04-30 09:35:00,0,0,0,0,,NaN,0.00K,0,33.7142,-89.404,33.7566,-89.3525,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Tree damage in Slate Springs." +115361,692655,ARKANSAS,2017,April,Thunderstorm Wind,"LAWRENCE",2017-04-30 00:05:00,CST-6,2017-04-30 00:15:00,0,0,0,0,20.00K,20000,0.00K,0,35.97,-90.87,35.9775,-90.8226,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Numerous trees uprooted. Fence blown down." +115361,692843,ARKANSAS,2017,April,Thunderstorm Wind,"POINSETT",2017-04-30 00:24:00,CST-6,2017-04-30 00:35:00,0,0,0,0,20.00K,20000,0.00K,0,35.616,-90.9256,35.6239,-90.8734,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees and power lines down. Debris in the road." +115361,692844,ARKANSAS,2017,April,Thunderstorm Wind,"CLAY",2017-04-30 00:27:00,CST-6,2017-04-30 00:35:00,0,0,0,0,60.00K,60000,0.00K,0,36.3857,-90.6266,36.4169,-90.5528,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","House destroyed in Corning." +115361,692846,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:33:00,CST-6,2017-04-30 00:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.7494,-90.6818,35.7622,-90.6509,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees down on Highway 163 blocking the road." +115349,693199,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:56:00,CST-6,2017-04-05 16:57:00,0,0,0,0,0.00K,0,0.00K,0,33.52,-86.66,33.52,-86.66,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693200,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:05:00,CST-6,2017-04-05 17:06:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-86.52,33.69,-86.52,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +116610,701247,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-06 14:30:00,EST-5,2017-07-06 14:30:00,0,0,0,0,,NaN,,NaN,25.9945,-81.6727,25.9945,-81.6727,"Scattered showers and thunderstorms developed due to the daily heating across the interior. A strong easterly wind then moved storms towards the Gulf coast. These storms produced gusty winds over the Gulf waters near Marco Island.","A marine thunderstorm wind gust of 47 mph /41 knots was recorded by the Marco Island Airport AWOS at 330 PM EDT." +117863,708663,GEORGIA,2017,July,Thunderstorm Wind,"HALL",2017-07-05 16:45:00,EST-5,2017-07-05 16:55:00,0,0,0,0,1.00K,1000,,NaN,34.3058,-83.8629,34.3058,-83.8629,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Hall County 911 center reported a tree blown down near the intersection of Highway 53 and Lanier Valley Drive." +117866,708705,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-11 15:25:00,EST-5,2017-07-11 15:40:00,0,0,0,0,6.00K,6000,,NaN,34.0477,-83.9667,34.0477,-83.9667,"Strong daytime heating combined with deep tropical moisture to produce isolated to scattered strong to severe thunderstorms across north and central Georgia each afternoon into the early evening.","The Gwinnett County Emergency Manager reported trees and power lines blown down on Rock Springs Road between Old Peachtree Road and Buford Drive." +119150,715596,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-21 22:23:00,CST-6,2017-07-21 22:23:00,0,0,0,0,,NaN,0.00K,0,45.11,-98.1,45.11,-98.1,"Severe thunderstorms brought large hail up the size of tennis balls along with wind gusts up to 75 mph to parts of north central and northeast South Dakota. Several structures were damaged along with some windows broken. Trees and branches were also downed along with some damaged crops.","Seventy-five mph winds were estimated." +113472,679912,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN HAMPSHIRE",2017-02-12 09:00:00,EST-5,2017-02-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Six to eight inches on snow fell on Eastern Hampshire County." +113472,679913,MASSACHUSETTS,2017,February,Winter Storm,"EASTERN HAMPDEN",2017-02-12 09:00:00,EST-5,2017-02-13 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Five to seven inches of snow fell on Eastern Hampden County." +113472,679914,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHERN WORCESTER",2017-02-12 06:00:00,EST-5,2017-02-13 02:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Five to seven inches of snow fell on Southern Worcester County." +118435,711676,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 13:53:00,EST-5,2017-07-20 14:03:00,0,0,0,0,1.00K,1000,0.00K,0,42.13,-77.65,42.13,-77.65,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on highway 417 near Banks Hollow that blocked both lanes." +118435,711679,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:00:00,EST-5,2017-07-20 14:10:00,0,0,0,0,4.00K,4000,0.00K,0,42.43,-77.33,42.43,-77.33,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which fell on power lines on county route 7." +118435,711683,NEW YORK,2017,July,Thunderstorm Wind,"SCHUYLER",2017-07-20 14:21:00,EST-5,2017-07-20 14:31:00,0,0,0,0,3.00K,3000,0.00K,0,42.38,-76.87,42.38,-76.87,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on a house on College Ave." +118435,711684,NEW YORK,2017,July,Thunderstorm Wind,"TOMPKINS",2017-07-20 14:21:00,EST-5,2017-07-20 14:31:00,0,0,0,0,3.00K,3000,0.00K,0,42.44,-76.5,42.44,-76.5,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which landed on power lines in the vicinity of 1350 Tioughanack Blvd." +118435,711685,NEW YORK,2017,July,Thunderstorm Wind,"SCHUYLER",2017-07-20 14:42:00,EST-5,2017-07-20 14:52:00,0,0,0,0,1.00K,1000,0.00K,0,42.28,-76.7,42.28,-76.7,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across route 13 at the county line." +117862,708451,GEORGIA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-02 16:55:00,EST-5,2017-07-02 17:05:00,0,0,0,0,25.00K,25000,,NaN,34.1666,-84.1352,34.1687,-84.1241,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Forsyth County Emergency Manager reported numerous trees blown down, some onto houses, in a neighborhood south of Cumming. Locations include on Redbud Way, Gran Forest Drive, Haw Creek Drive, Loblolly Lane, Hawthorne Terrace, and Cottonwood Trail. No injuries were reported." +117862,708455,GEORGIA,2017,July,Thunderstorm Wind,"OGLETHORPE",2017-07-01 18:05:00,EST-5,2017-07-01 18:10:00,0,0,0,0,1.00K,1000,,NaN,33.8463,-83.2693,33.8463,-83.2693,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The Oglethorpe County 911 center reported a tree blown down around the intersection of Wolfskin Road and Double Bridges Road." +117862,717431,GEORGIA,2017,July,Flash Flood,"HOUSTON",2017-07-01 22:20:00,EST-5,2017-07-02 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.5892,-83.6143,32.5885,-83.5771,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","The 911 Center relayed multiple reports of flash flooding along the western border of Robins Air Force Base. GA Highway 247 / U.S. 129 / Hawkinsville Road was closed near Green Street and near Armed Forces Boulevard, and the traffic circle at University Boulevard and Martin Luther King, Jr. Boulevard was closed. A vehicle was washed off the road near Walnut Street and Ignico Drive and had to exit the vehicle through the sun roof. Another car was stalled in high water on Wellborn Drive, near Andra Avenue." +119635,717721,MICHIGAN,2017,July,Thunderstorm Wind,"CHIPPEWA",2017-07-06 13:15:00,EST-5,2017-07-06 13:15:00,0,0,0,0,2.00K,2000,0.00K,0,46.48,-84.37,46.48,-84.37,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","Several large tree limbs were downed, and some shingles were blown off of a roof." +120216,720303,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-26 22:25:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30.04,-97.46,30.0329,-97.4731,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a water rescue near Rockne." +127723,766016,IOWA,2017,September,Drought,"MADISON",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted in much of Madison county due to acute short term dryness." +127723,766017,IOWA,2017,September,Drought,"WARREN",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted in much of Warren county due to acute short term dryness." +127723,766018,IOWA,2017,September,Drought,"MARION",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted in much of central and southern Marion county due to acute short term dryness." +127723,766019,IOWA,2017,September,Drought,"MAHASKA",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted in across far southwest Mahaska county due to acute short term dryness." +127723,766020,IOWA,2017,September,Drought,"UNION",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted in much of central and eastern Union county due to acute short term dryness." +127723,766021,IOWA,2017,September,Drought,"CLARKE",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Extreme drought conditions persisted across all of Clarke county in September due to acute short term dryness." +127723,766022,IOWA,2017,September,Drought,"LUCAS",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted across Lucas county in September due to acute short term dryness." +120214,798842,TEXAS,2017,August,Flood,"DE WITT",2017-08-28 18:00:00,CST-6,2017-08-31 02:00:00,0,0,0,0,3.00M,3000000,0.00K,0,29.0967,-97.3492,29.122,-97.2928,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. In DeWitt County, estimated hurricane force winds knocked down large trees across the county and damaged some buildings and houses. The maximum rainfall recorded in DeWitt County was 22.99 inches near Yoakum with multiple reports of 10-15 inches. This caused widespread flash flooding as well as river flooding on the Guadalupe River. As many as 100 houses were affected by high water in and around Cuero. The Guadalupe River at Cuero crested at 44.36 feet, it's second highest crest on record.","The maximum rainfall recorded in DeWitt County was 22.99 inches near Yoakum with multiple reports of 10-15 inches. This caused widespread flash flooding as well as river flooding on the Guadalupe River. As many as 100 houses were affected by high water in and around Cuero. The Guadalupe River at Cuero crested at 44.36 feet, it's second highest crest on record. Damages due to flooding and river flooding is estimated from Emergency Management to be near 3 million dollars." +114055,684283,ALABAMA,2017,April,Thunderstorm Wind,"LAUDERDALE",2017-04-30 11:42:00,CST-6,2017-04-30 11:42:00,0,0,0,0,,NaN,,NaN,34.89,-87.91,34.89,-87.91,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down at the intersection of CR 87 and CR 14." +114421,740988,NEW MEXICO,2017,May,Tornado,"SANTA FE",2017-05-09 11:30:00,MST-7,2017-05-09 11:35:00,0,0,0,0,0.00K,0,0.00K,0,35.0412,-105.7192,35.055,-105.7326,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","This event is a continuation of the tornado captured by a storm chaser moving northwest of Clines Corners from Torrance County into extreme southeast Santa Fe County." +114300,684763,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 13:53:00,MST-7,2017-05-08 13:53:00,0,0,0,0,,NaN,,NaN,39.75,-105.15,39.75,-105.15,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684764,COLORADO,2017,May,Hail,"ARAPAHOE",2017-05-08 13:57:00,MST-7,2017-05-08 13:57:00,0,0,0,0,,NaN,,NaN,39.67,-104.76,39.67,-104.76,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684765,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:00:00,MST-7,2017-05-08 14:00:00,0,0,0,0,,NaN,,NaN,39.82,-105.14,39.82,-105.14,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684766,COLORADO,2017,May,Hail,"LARIMER",2017-05-08 14:01:00,MST-7,2017-05-08 14:01:00,0,0,0,0,,NaN,,NaN,40.39,-104.98,40.39,-104.98,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684767,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:03:00,MST-7,2017-05-08 14:03:00,0,0,0,0,,NaN,,NaN,39.77,-105.1,39.77,-105.1,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684768,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:04:00,MST-7,2017-05-08 14:04:00,0,0,0,0,,NaN,,NaN,39.79,-105.04,39.79,-105.04,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684769,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:04:00,MST-7,2017-05-08 14:04:00,0,0,0,0,,NaN,,NaN,39.77,-105.1,39.77,-105.1,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114532,686869,OHIO,2017,March,Hail,"TRUMBULL",2017-03-30 19:23:00,EST-5,2017-03-30 19:23:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-80.98,41.38,-80.98,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny sized hail was observed." +113805,684639,ALABAMA,2017,April,Tornado,"FRANKLIN",2017-04-22 14:28:00,CST-6,2017-04-22 14:49:00,0,0,0,0,,NaN,,NaN,34.52,-88.15,34.5024,-88.041,"Numerous showers and thunderstorms moved into and developed over north Alabama in an unstable and moderately sheared environment. A few supercells developed amongst these storms producing large hail and a couple of tornadoes.","The tornado, originating in Tishomingo Co (MS), continued across the MS-AL state line into Franklin Co (AL). Heavy tree damage was noted near the state line which was consistent with a tornado debris signature and velocity couplet on the Columbus MS (KGWX) WSR-88D, about 5.5 miles north of Red Bay, AL. The debris signature tracked east over heavily forested area that was not accessible by vehicle. Additional heavy tree damage was located near the end point which was consistent with the last debris signature seen on radar. The majority of the tree damage consisted of small to medium sized trees snapped, branches twisted with one or two trees uprooted." +113620,681226,TEXAS,2017,March,Tornado,"UPTON",2017-03-28 18:21:00,CST-6,2017-03-28 18:22:00,0,0,0,0,0.00K,0,0.00K,0,31.6318,-101.8159,31.6466,-101.8029,"A deep upper low was over New Mexico with strong lift and instability over southeast New Mexico and West Texas. There was a dryline and cold front that moved across the area, and there was a lot of wind shear in the atmosphere. Good moisture was present to the east of the dryline. This combination of moisture, lift, instability, and wind shear contributed to thunderstorms that produced large hail, severe wind gusts, and tornadoes.","Trained spotters viewed and took images of a tornado that developed two miles east of the community of Midkiff along Farm to Market Road 2401 and continued northeastward into open fields in extreme southwest portions of Glasscock County. The tornado was narrow, perhaps 50 to 75 yards in width. No damage was found with this tornado, which travelled along a path for approximately 5.5 miles. After being viewed by a damage survey team, this tornado was rated as an EF-0." +113946,683748,OHIO,2017,March,Thunderstorm Wind,"TRUMBULL",2017-03-01 04:17:00,EST-5,2017-03-01 05:00:00,0,0,0,0,150.00K,150000,0.00K,0,41.23,-80.82,41.23,-80.82,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of showers and thunderstorms moved east across Trumbull County knocking down trees throughout the county. Scattered power outages were reported." +115349,694597,ALABAMA,2017,April,Tornado,"BARBOUR",2017-04-05 09:49:00,CST-6,2017-04-05 09:50:00,0,0,0,0,0.00K,0,0.00K,0,31.7595,-85.1753,31.7624,-85.1647,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","National Weather Service meteorologists surveyed damage in far southeastern Barbour County and determined that the damage was consistent with a EF1 tornado, with maximum sustained winds near 105 mph. The tornado touched down near Sandy Creek Drive where several trees were snapped and uprooted. The tornado traveled northeast and across White Oak Creek where it entered Henry County Alabama." +113614,680142,ALABAMA,2017,April,Tornado,"HENRY",2017-04-05 09:50:00,CST-6,2017-04-05 09:59:00,0,0,0,0,500.00K,500000,0.00K,0,31.7624,-85.1647,31.7743,-85.1335,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","The tornado touched down in extreme southeastern Barbour County in the White Oak community producing EF1 damage on White Oak Drive. The tornado then crossed Sandy Creek into Henry County's White Oak subdivision producing mostly EF1 damage across the entire width of the neighborhood between Sandy Creek and White Oak Creek. However, a double-wide manufactured home on Laurel Drive was shifted about 8 feet despite being strapped to the ground by 2 to 3 foot anchors which were completely pulled from the ground. This justified EF2 damage in this location with winds estimated at 115 mph. The tornado then crossed the Walter F. George Reservoir, also known as Lake Eufaula, into the state of Georgia with EF1 damage on the eastern shore of the lake along County Road 28. The tornado came ashore at the Quitman-Clay County line producing damage in both counties primarily in the form of uprooted trees. The trees damaged several homes. Debris from a lakeside porch was lofted and deposited on the opposite side of the home and strewn across an adjacent field. The tornado continued northeastward across rural Quitman County hitting the Self Family Farm on Self Road. The tornado did significant damage to the roof of a well constructed brick home, removing the majority of the roof. The walls of a brick outbuilding collapsed. There were also numerous trees snapped or uprooted adjacent to the home, two of which were debarked. This damage was consistent with EF2 winds of about 115 mph. Just northeast of the house, an irrigation pivot was toppled with the northern portion falling toward the southwest and the southern portion falling in the opposite direction. The tornado continued northeast across more rural areas causing EF1 damage to trees on County Road 82 before lifting shortly thereafter." +114421,687299,NEW MEXICO,2017,May,Funnel Cloud,"GUADALUPE",2017-05-09 14:10:00,MST-7,2017-05-09 14:15:00,0,0,0,0,0.00K,0,0.00K,0,34.9924,-105.0169,34.9924,-105.0169,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Media crew with KRQE spotted a funnel cloud just north of Interstate 40 near U.S. Highway 84." +115226,691832,ARKANSAS,2017,April,Strong Wind,"CRAIGHEAD",2017-04-02 19:30:00,CST-6,2017-04-02 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","Strong winds knocked down power lines." +115227,691839,TENNESSEE,2017,April,Strong Wind,"CROCKETT",2017-04-02 22:45:00,CST-6,2017-04-02 23:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"High winds developed behind an area of decaying showers and thunderstorms across portions of Northeast Arkansas and West Tennessee during the late evening hours of April 2nd.","A few trees were knocked down north of Bells near Highway 412." +114047,689509,IOWA,2017,March,Thunderstorm Wind,"BUCHANAN",2017-03-06 20:46:00,CST-6,2017-03-06 20:46:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-91.89,42.42,-91.89,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A trained spotter reported winds of 70 to over 80 mph." +114047,689510,IOWA,2017,March,Thunderstorm Wind,"LINN",2017-03-06 20:58:00,CST-6,2017-03-06 20:58:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-91.78,42.29,-91.78,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","The county emergency manager reported winds of up to 60 mph." +114047,689511,IOWA,2017,March,Thunderstorm Wind,"LINN",2017-03-06 21:04:00,CST-6,2017-03-06 21:04:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-91.66,41.95,-91.66,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A trained spotter reported winds of 60 to 70 mph." +112615,672217,GEORGIA,2017,January,Drought,"MADISON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672219,GEORGIA,2017,January,Drought,"LUMPKIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,689499,IOWA,2017,March,Thunderstorm Wind,"CLINTON",2017-03-06 22:30:00,CST-6,2017-03-06 22:30:00,0,0,0,0,,NaN,0.00K,0,41.82,-90.55,41.82,-90.55,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tree was uprooted on 5th and 11th causing damage to a house. Time was estimated by radar." +114047,689501,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:32:00,CST-6,2017-03-06 22:32:00,0,0,0,0,,NaN,0.00K,0,41.69,-90.54,41.69,-90.54,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Some farm buildings were damaged and utility poles snapped off near Scott County Park Road and 240th Street. Time was estimated by radar." +115333,695476,ARKANSAS,2017,April,Lightning,"GREENE",2017-04-26 20:00:00,CST-6,2017-04-26 20:01:00,0,0,0,0,150.00K,150000,0.00K,0,36.1485,-90.5524,36.1485,-90.5524,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","Lightning is suspected to have caused a house fire near Oak Grove Heights north of Paragould. The house was destroyed by the fire." +115335,692523,MISSOURI,2017,April,Thunderstorm Wind,"PEMISCOT",2017-04-26 17:35:00,CST-6,2017-04-26 17:45:00,0,0,0,0,75.00K,75000,0.00K,0,36.172,-89.6778,36.1867,-89.6419,"A strong cold front produced a line of severe thunderstorms during the afternoon and overnight hours of April 26th. Heavy rains from the storms also produced flash flooding.","A few roofs and fences damaged. Several trees and a few power line poles down mainly along South Ward Avenue and Lawrence Avenue. Roads blocked in town." +115340,692527,MISSISSIPPI,2017,April,Thunderstorm Wind,"LEE",2017-04-26 21:25:00,CST-6,2017-04-26 21:30:00,0,0,0,0,10.00K,10000,0.00K,0,34.1431,-88.695,34.1516,-88.6686,"A strong cold front produced a line of severe thunderstorms during the late evening hours of April 26th.","Trees down in the community of Brewer." +114048,689806,ILLINOIS,2017,March,Thunderstorm Wind,"JO DAVIESS",2017-03-06 22:40:00,CST-6,2017-03-06 22:40:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-90.23,42.32,-90.23,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Some dead trees were observed blown down." +114972,689724,IOWA,2017,March,Hail,"LINN",2017-03-19 23:43:00,CST-6,2017-03-19 23:43:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-91.59,42.03,-91.59,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail up to the size of nickels.","Report was received via Social Media." +114884,689192,COLORADO,2017,May,Hail,"DOUGLAS",2017-05-26 15:56:00,MST-7,2017-05-26 15:56:00,0,0,0,0,,NaN,,NaN,39.18,-104.9,39.18,-104.9,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +114884,689193,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 16:20:00,MST-7,2017-05-26 16:20:00,0,0,0,0,,NaN,,NaN,39.93,-102.96,39.93,-102.96,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +114884,689194,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 16:44:00,MST-7,2017-05-26 16:44:00,0,0,0,0,,NaN,,NaN,39.94,-103.53,39.94,-103.53,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112615,672239,GEORGIA,2017,January,Drought,"DOUGLAS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672240,GEORGIA,2017,January,Drought,"DE KALB",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672242,GEORGIA,2017,January,Drought,"DAWSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115349,692738,ALABAMA,2017,April,Thunderstorm Wind,"TALLAPOOSA",2017-04-05 15:50:00,CST-6,2017-04-05 15:53:00,0,0,0,0,0.00K,0,0.00K,0,33.0353,-85.7649,33.0353,-85.7649,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several wind damage points were surveyed by the National |Weather Service and the cause of the damage is straight |line winds. At the first location on Hwy 49, a large, well-built barn|sustained damage with one wall destroyed along with significant roof|damage. There were also several large softwood trees uprooted. At a |second location, numerous softwood trees along Hwy 22 were uprooted. |While this damage was in an inconsistent path, the uprooted trees lay|in a divergent pattern indicating that the damage was consistent |with straight line winds. Upon further investigation, the radar data |showed the damage occurred within proximity of the rear flank |downdraft of a supercell. It was also noted that there was an absence|of a tornadic debris signature in the correlation coefficient." +115349,692740,ALABAMA,2017,April,Hail,"RANDOLPH",2017-04-05 16:30:00,CST-6,2017-04-05 16:31:00,0,0,0,0,0.00K,0,0.00K,0,33.16,-85.38,33.16,-85.38,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692741,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:28:00,CST-6,2017-04-05 16:29:00,0,0,0,0,0.00K,0,0.00K,0,33.28,-86.99,33.28,-86.99,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,692742,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:30:00,CST-6,2017-04-05 16:31:00,0,0,0,0,0.00K,0,0.00K,0,33.36,-86.82,33.36,-86.82,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693201,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:07:00,CST-6,2017-04-05 17:08:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-86.39,33.69,-86.39,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693202,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:10:00,CST-6,2017-04-05 17:11:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-86.46,33.69,-86.46,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693203,ALABAMA,2017,April,Thunderstorm Wind,"ST. CLAIR",2017-04-05 17:13:00,CST-6,2017-04-05 17:14:00,0,0,0,0,0.00K,0,0.00K,0,33.78,-86.47,33.78,-86.47,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several trees uprooted in the city of Springville." +116410,700026,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-11 19:18:00,MST-7,2017-07-11 19:18:00,0,0,0,0,0.00K,0,0.00K,0,44.5022,-104.688,44.5022,-104.688,"A severe thunderstorm tracked across southern Crook County, producing strong winds and small hail.","Pea sized hail also fell with the storm at Devils Tower Junction." +113472,679915,MASSACHUSETTS,2017,February,Winter Storm,"SOUTHEAST MIDDLESEX",2017-02-12 07:00:00,EST-5,2017-02-13 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Five to ten inches of snow fell on Southeast Middlesex County." +113472,679916,MASSACHUSETTS,2017,February,Winter Storm,"NORTHWEST MIDDLESEX COUNTY",2017-02-12 09:00:00,EST-5,2017-02-13 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure raced east from the Midwest and passed just south of New England.","Seven to twelve inches of snow fell on Northwest Middlesex County." +113585,679918,MASSACHUSETTS,2017,February,High Wind,"SOUTHERN WORCESTER",2017-02-13 08:00:00,EST-5,2017-02-13 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","The ASOS site at Worcester Airport measured a sustained wind of 44 mph at 11:59 AM. The site also measured a wind gust of 58 mph at 11:58 AM." +113585,679920,MASSACHUSETTS,2017,February,High Wind,"EASTERN NORFOLK",2017-02-13 05:00:00,EST-5,2017-02-14 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","The ASOS site at Blue Hill Observatory in Milton measured at sustained wind of 41 mph at 12:25 PM. The site measured a gust to 58 mph at 1:10 PM." +113585,679924,MASSACHUSETTS,2017,February,Strong Wind,"SOUTHEAST MIDDLESEX",2017-02-13 11:00:00,EST-5,2017-02-13 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Following the passage of low pressure south of New England, strong Northwest winds blew across the region. This event began after the snow ended.","Large tree was down on a car inside a garage on Rutland Street in Watertown at 1:25 PM. Large trees were down and blocking roads in Watertown and Newton at 2:03 PM." +123924,743759,ALASKA,2017,December,Blizzard,"EASTERN BEAUFORT SEA COAST",2017-12-07 12:46:00,AKST-9,2017-12-08 10:55:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A frontal boundary pushed through the eastern arctic slope and produced blizzard conditions on the 7th of December and lingered into the 8th of December 2017. |||zone 203: Blizzard and quarter mile visibility reported at the Deadhorse ASOS. A peak wind of 47 kt (54 mph) was also reported.||zone 204: Blizzard and quarter mile visibility reported at the Point Thomson AWOS. A peak wind of 45 kt (52 mph) was also reported.","" +118435,711686,NEW YORK,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 15:04:00,EST-5,2017-07-20 15:14:00,0,0,0,0,1.00K,1000,0.00K,0,42,-76.54,42,-76.54,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across Elmira St." +118435,711687,NEW YORK,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 15:07:00,EST-5,2017-07-20 15:17:00,0,0,0,0,2.00K,2000,0.00K,0,42.23,-76.34,42.23,-76.34,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked down wires across the roadway in the vicinity of Tutlle Hill Road." +118435,711688,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:05:00,EST-5,2017-07-20 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.11,-77.23,42.11,-77.23,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and produced a wind gust of 57 knots." +118435,711677,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:00:00,EST-5,2017-07-20 14:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.02,-77.33,42.02,-77.33,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees and lifted a boat across the road." +118435,711678,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:00:00,EST-5,2017-07-20 14:10:00,0,0,0,0,10.00K,10000,0.00K,0,42.03,-77.13,42.03,-77.13,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees." +117862,717433,GEORGIA,2017,July,Flash Flood,"HOUSTON",2017-07-02 00:25:00,EST-5,2017-07-02 03:30:00,0,0,0,0,0.00K,0,0.00K,0,32.6407,-83.6111,32.629,-83.6082,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","Public reported six inches of water flowing over US Highway 129 / Hawkinsville Road, just north of Green Street. Cars were nearly washed off the road. Radar estimates indicate that 4 to 5 inches of rainfall occurred in the area." +117863,708646,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-04 14:30:00,EST-5,2017-07-04 14:40:00,0,0,0,0,100.00K,100000,,NaN,33.9353,-84.1587,33.9982,-84.0358,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Gwinnett County Fire Department reported several trees blown down across the northwestern portion of the county. Trees fell on and damaged houses on West Lawrenceville Street, Milieo Place, Overlook Wood Way, and Whitfield Place Drive. No injuries were reported." +117863,708647,GEORGIA,2017,July,Thunderstorm Wind,"FULTON",2017-07-04 16:15:00,EST-5,2017-07-04 16:25:00,0,0,0,0,8.00K,8000,,NaN,33.6485,-84.6657,33.6699,-84.6339,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Fulton County 911 center reported trees blown down along Cascade Palmetto Highway from Campbellton Fairburn Road to Rataree Road and West Stubbs Road." +117863,708648,GEORGIA,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-04 18:45:00,EST-5,2017-07-04 19:00:00,0,0,0,0,4.00K,4000,,NaN,33.2603,-83.4266,33.2391,-83.3096,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Putnam County Emergency Manager reported trees blown from around the intersection of Holden Road and Old Macon Circle to around the intersection of Pea Ridge Road and Possum Point Drive." +119635,717722,MICHIGAN,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-06 16:45:00,EST-5,2017-07-06 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,44.65,-84.77,44.65,-84.77,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","Multiple trees were downed, leading to localized power outages." +119635,717725,MICHIGAN,2017,July,Thunderstorm Wind,"ROSCOMMON",2017-07-06 16:51:00,EST-5,2017-07-06 16:59:00,0,0,0,0,6.00K,6000,0.00K,0,44.44,-84.71,44.4985,-84.6133,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","Several trees and large limbs were downed on the southwest side of Higgins Lake, extending up to near Roscommon." +119635,717728,MICHIGAN,2017,July,Thunderstorm Wind,"OGEMAW",2017-07-06 16:55:00,EST-5,2017-07-06 16:55:00,0,0,0,0,9.00K,9000,0.00K,0,44.2,-84.03,44.2,-84.03,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","A single, large tree was downed, taking down a power line and landing on a parked vehicle." +119635,717729,MICHIGAN,2017,July,Thunderstorm Wind,"OGEMAW",2017-07-06 17:20:00,EST-5,2017-07-06 17:20:00,0,0,0,0,12.00K,12000,0.00K,0,44.36,-84.22,44.36,-84.22,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","Many trees were downed in central portions of Ogemaw County." +119635,717731,MICHIGAN,2017,July,Thunderstorm Wind,"OGEMAW",2017-07-06 17:46:00,EST-5,2017-07-06 17:46:00,0,0,0,0,1.00K,1000,0.00K,0,44.43,-84.02,44.43,-84.02,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","A single, large tree was uprooted." +119635,717732,MICHIGAN,2017,July,Thunderstorm Wind,"OGEMAW",2017-07-06 18:02:00,EST-5,2017-07-06 18:02:00,0,0,0,0,4.00K,4000,0.00K,0,44.35,-83.93,44.35,-83.93,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","Several trees were downed near Sage Lake." +119635,717733,MICHIGAN,2017,July,Hail,"ROSCOMMON",2017-07-06 19:55:00,EST-5,2017-07-06 19:55:00,0,0,0,0,0.00K,0,0.00K,0,44.35,-84.8,44.35,-84.8,"Thunderstorms developed west of the area, ahead of an incoming cold front, then moved across northern Michigan. Some storms became severe, producing mostly damaging winds.","" +119651,717754,LAKE HURON,2017,July,Marine Thunderstorm Wind,"5NM E OF MACKINAC BRIDGE TO PRESQUE ISLE LIGHT MI INC BOIS BLANC ISLAND",2017-07-06 12:33:00,EST-5,2017-07-06 12:33:00,0,0,0,0,0.00K,0,0.00K,0,45.665,-84.4663,45.665,-84.4663,"Strong thunderstorms crossed northern Lake Huron.","" +116652,701699,NEW JERSEY,2017,July,Lightning,"BURLINGTON",2017-07-19 12:25:00,EST-5,2017-07-19 12:25:00,1,0,0,0,,NaN,,NaN,39.59,-74.45,39.59,-74.45,"A man was struck by lightning from a thunderstorm.","A man was struck by lightning at a Yacht club." +120498,721902,CONNECTICUT,2017,September,Thunderstorm Wind,"LITCHFIELD",2017-09-05 16:04:00,EST-5,2017-09-05 16:04:00,0,0,0,0,,NaN,,NaN,41.72,-73.43,41.72,-73.43,"A cold front interacted with a warm and humid airmass to produce several clusters of thunderstorms on September 5. A few of these storms became severe in northwestern Connecticut with wind damage and large hail reported.","A tree and a wire were reported down." +120694,722938,SOUTH DAKOTA,2017,September,Hail,"BROWN",2017-09-19 18:00:00,CST-6,2017-09-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-98.64,45.55,-98.64,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","" +120805,723441,GULF OF MEXICO,2017,September,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-09-04 12:49:00,EST-5,2017-09-04 12:54:00,0,0,0,0,0.00K,0,0.00K,0,24.7245,-81.5611,24.7245,-81.5611,"Several waterspouts were observed in association with a cloud line extending just north of the Lower Florida Keys.","A waterspout was reported by an Monroe County Florida Emergency Managemer north of Upper Sugarloaf Key. The condensation funnel extended halfway down from the cloud base to the horizon." +127724,766032,IOWA,2017,October,Drought,"MADISON",2017-10-01 00:00:00,CST-6,2017-10-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across far southern and central Madison county in early October but generous rainfall ended the dry conditions by mid-month." +114055,684316,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.25,-86.34,34.25,-86.34,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down on Pleasant Grove Road." +114055,684317,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.26,-86.2,34.26,-86.2,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down on Baltimore Avenue." +114300,684770,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:05:00,MST-7,2017-05-08 14:05:00,0,0,0,0,2.30B,2300000000,,NaN,39.77,-105.1,39.77,-105.1,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","The estimated damage is for the entire episode." +114300,684771,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:06:00,MST-7,2017-05-08 14:06:00,0,0,0,0,,NaN,,NaN,39.72,-105.04,39.72,-105.04,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114421,687397,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:44:00,MST-7,2017-05-09 19:47:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-104.53,33.37,-104.53,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter to half dollar size hail covered the ground in Roswell." +113615,684155,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:09:00,EST-5,2017-04-03 15:09:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-84.16,30.42,-84.16,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at 6775 Natchez Ct." +113615,684156,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:09:00,EST-5,2017-04-03 15:09:00,0,0,0,0,50.00K,50000,0.00K,0,30.41,-84.16,30.41,-84.16,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down on Williams Road near Apalachee Pkwy." +113615,684159,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:10:00,EST-5,2017-04-03 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-84.11,30.46,-84.11,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down at 1925 Benjamin Chaires." +113615,684160,FLORIDA,2017,April,Thunderstorm Wind,"LEON",2017-04-03 15:10:00,EST-5,2017-04-03 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-84.08,30.42,-84.08,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Two large trees were blown down along Cap Tram Road near Apalachee Pkwy." +114421,687349,NEW MEXICO,2017,May,Funnel Cloud,"CURRY",2017-05-09 16:35:00,MST-7,2017-05-09 16:40:00,0,0,0,0,0.00K,0,0.00K,0,34.501,-103.1987,34.501,-103.1987,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","The third funnel cloud was spotted from a severe thunderstorm moving northeast across Curry County." +114421,687401,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:44:00,MST-7,2017-05-09 19:46:00,0,0,0,0,0.00K,0,0.00K,0,33.3939,-104.5528,33.3939,-104.5528,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail at Wyoming and Alameda in Roswell." +114421,687402,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:45:00,MST-7,2017-05-09 19:48:00,0,0,0,0,0.00K,0,0.00K,0,33.4126,-104.5466,33.4126,-104.5466,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of ping pong balls fell on the northwest side of Roswell." +114421,687344,NEW MEXICO,2017,May,Funnel Cloud,"CURRY",2017-05-09 16:20:00,MST-7,2017-05-09 16:25:00,0,0,0,0,0.00K,0,0.00K,0,34.38,-103.32,34.38,-103.32,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Observers at Cannon Air Force Base reported the second funnel cloud produced from a severe thunderstorm moving northeast from Roosevelt County into Curry County." +113946,683855,OHIO,2017,March,Thunderstorm Wind,"TRUMBULL",2017-03-01 16:30:00,EST-5,2017-03-01 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,41.38,-80.58,41.38,-80.58,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a tree which took out some power lines." +114421,687178,NEW MEXICO,2017,May,Thunderstorm Wind,"SANTA FE",2017-05-09 11:21:00,MST-7,2017-05-09 11:24:00,0,0,0,0,10.00K,10000,0.00K,0,35.6311,-106.0486,35.6311,-106.0486,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Wind gusts near 65 mph snapped off a large tree limb in Santa Fe. A local horse stable sustained roof damage and a large tree was uprooted. Damages are estimated." +114768,689282,NEW MEXICO,2017,May,High Wind,"CURRY COUNTY",2017-05-16 15:22:00,MST-7,2017-05-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","A public CWOP station in Clovis reported a peak wind gust of 60 mph. The Clovis Airport reported a peak wind gust of 61 mph." +114047,689503,IOWA,2017,March,Thunderstorm Wind,"CLINTON",2017-03-06 22:47:00,CST-6,2017-03-06 22:47:00,0,0,0,0,,NaN,0.00K,0,41.84,-90.23,41.84,-90.23,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tree was down on a house." +114047,689504,IOWA,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 20:26:00,CST-6,2017-03-06 20:26:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.29,41.9,-92.29,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689505,IOWA,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 20:30:00,CST-6,2017-03-06 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-92.27,41.9,-92.27,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689507,IOWA,2017,March,Thunderstorm Wind,"IOWA",2017-03-06 20:30:00,CST-6,2017-03-06 20:30:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-92.09,41.8,-92.09,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Measurement was relayed from a trained spotter." +114884,690283,COLORADO,2017,May,Tornado,"WASHINGTON",2017-05-26 15:20:00,MST-7,2017-05-26 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.91,-103.54,39.91,-103.54,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","A tornado touched down briefly in open country. No damage was observed." +114884,690284,COLORADO,2017,May,Tornado,"WASHINGTON",2017-05-26 16:15:00,MST-7,2017-05-26 16:15:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-103.03,39.86,-103.03,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","A tornado touched down briefly in open country. No damage was observed." +115027,690296,NEW MEXICO,2017,May,Hail,"UNION",2017-05-27 14:45:00,MST-7,2017-05-27 14:47:00,0,0,0,0,0.00K,0,0.00K,0,36.77,-103.8408,36.77,-103.8408,"Northwest flow lingering along the Front Range and an approaching back door cold front produced an area of showers and thunderstorms over extreme northeastern New Mexico. A couple of these thunderstorms became severe during the late afternoon hours across Union County. The main impact from these storms was quarter size hail near Des Moines, Grenville, and Seneca.","Hail up to the size of quarters near Des Moines." +115027,690297,NEW MEXICO,2017,May,Hail,"UNION",2017-05-27 15:50:00,MST-7,2017-05-27 15:52:00,0,0,0,0,0.00K,0,0.00K,0,36.6686,-103.4888,36.6686,-103.4888,"Northwest flow lingering along the Front Range and an approaching back door cold front produced an area of showers and thunderstorms over extreme northeastern New Mexico. A couple of these thunderstorms became severe during the late afternoon hours across Union County. The main impact from these storms was quarter size hail near Des Moines, Grenville, and Seneca.","Hail up to the size of quarters northeast of Grenville." +115027,690299,NEW MEXICO,2017,May,Hail,"UNION",2017-05-27 16:47:00,MST-7,2017-05-27 16:50:00,0,0,0,0,0.00K,0,0.00K,0,36.63,-103.07,36.63,-103.07,"Northwest flow lingering along the Front Range and an approaching back door cold front produced an area of showers and thunderstorms over extreme northeastern New Mexico. A couple of these thunderstorms became severe during the late afternoon hours across Union County. The main impact from these storms was quarter size hail near Des Moines, Grenville, and Seneca.","Hail up to the size of quarters near Seneca." +114047,690038,IOWA,2017,March,Tornado,"CLINTON",2017-03-06 22:31:00,CST-6,2017-03-06 22:46:00,0,0,0,0,0.00K,0,0.00K,0,41.7625,-90.6026,41.9732,-90.3501,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This is a continuation of the tornado that started in Walcott in Scott County, crossed the Wapsipinicon River into Clinton County, and ended near Goose Lake. Damage was primarily to farm outbuildings and trees. Some power poles were snapped. Max winds were estimated at 115 MPH and the tornado was rated EF2." +114047,689444,IOWA,2017,March,Thunderstorm Wind,"KEOKUK",2017-03-06 21:20:00,CST-6,2017-03-06 21:20:00,0,0,0,0,,NaN,0.00K,0,41.18,-92,41.18,-92,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A few machine sheds were destroyed." +114047,689708,IOWA,2017,March,Thunderstorm Wind,"JEFFERSON",2017-03-06 21:22:00,CST-6,2017-03-06 21:22:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.97,41.01,-91.97,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689683,IOWA,2017,March,Thunderstorm Wind,"JONES",2017-03-06 21:49:00,CST-6,2017-03-06 21:49:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-90.9,42.07,-90.9,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689712,IOWA,2017,March,Thunderstorm Wind,"LEE",2017-03-06 22:25:00,CST-6,2017-03-06 22:25:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-91.4,40.41,-91.4,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689713,IOWA,2017,March,Thunderstorm Wind,"LEE",2017-03-06 22:26:00,CST-6,2017-03-06 22:26:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-91.35,40.62,-91.35,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +115349,692743,ALABAMA,2017,April,Hail,"SHELBY",2017-04-05 16:45:00,CST-6,2017-04-05 16:46:00,0,0,0,0,0.00K,0,0.00K,0,33.42,-86.75,33.42,-86.75,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +114738,688254,ILLINOIS,2017,April,Thunderstorm Wind,"MCDONOUGH",2017-04-10 03:36:00,CST-6,2017-04-10 03:36:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-90.72,40.59,-90.72,"A storm system moved northeastward across the region overnight and produced scattered thunderstorms during the early morning hours across northwest Illinois. Some of these thunderstorms became severe and produced isolated damaging winds hail up to the size of quarters.","A trained spotter reported that strong thunderstorm winds brought down branches that were about 2 inches. The time of the event was estimated using radar." +114738,688257,ILLINOIS,2017,April,Thunderstorm Wind,"BUREAU",2017-04-10 03:45:00,CST-6,2017-04-10 03:45:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-89.3,41.33,-89.3,"A storm system moved northeastward across the region overnight and produced scattered thunderstorms during the early morning hours across northwest Illinois. Some of these thunderstorms became severe and produced isolated damaging winds hail up to the size of quarters.","Law enforcement reported that a tree was down on Route 29. The time of the event was estimated using radar." +114738,695178,ILLINOIS,2017,April,Thunderstorm Wind,"MCDONOUGH",2017-04-10 03:30:00,CST-6,2017-04-10 03:30:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-90.65,40.52,-90.65,"A storm system moved northeastward across the region overnight and produced scattered thunderstorms during the early morning hours across northwest Illinois. Some of these thunderstorms became severe and produced isolated damaging winds hail up to the size of quarters.","The AWOS at the Macomb Airport reported a thunderstorm wind gust of 53 knots. The time of the event was estimated using radar." +114747,688337,ILLINOIS,2017,April,Flash Flood,"MCDONOUGH",2017-04-29 16:00:00,CST-6,2017-04-29 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-90.49,40.3929,-90.5181,"Scattered rain showers moved across western Illinois Saturday evening, as an area of low pressure intensified over southeast Oklahoma and northeast Texas. This low pressure brought a surge of moisture and heavy rainfall across the region Saturday afternoon, producing rainfall amounts of 1 to 2 inches across western Illinois. This combined with already saturated conditions led to flash flooding in McDonough and Putnam Counties.","Law enforcement reported that North 700th Road between East 200th and East 210th was washed out and closed." +115349,693204,ALABAMA,2017,April,Hail,"RANDOLPH",2017-04-05 17:08:00,CST-6,2017-04-05 17:09:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-86.46,33.34,-86.46,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Quarter size hail covering the ground." +115900,696447,SOUTH CAROLINA,2017,May,Flash Flood,"RICHLAND",2017-05-22 13:40:00,EST-5,2017-05-22 14:00:00,0,0,0,0,0.10K,100,0.10K,100,33.9884,-81.0274,33.9877,-81.0271,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Columbia Police reported flash flooding at Main St and Whaley St. Rocky Branch Creek in flood." +115900,696448,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"NEWBERRY",2017-05-22 13:40:00,EST-5,2017-05-22 13:45:00,0,0,0,0,,NaN,,NaN,34.3,-81.46,34.3,-81.46,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Newberry County Sheriff reported trees down on US Hwy 176." +115900,696450,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"SALUDA",2017-05-22 13:50:00,EST-5,2017-05-22 13:55:00,0,0,0,0,,NaN,,NaN,34.04,-81.77,34.04,-81.77,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Report of a tree down on Butler Rd, a power line down on Long Rd, and a tree limb down on a power line on Newberry Hwy near Church Rd. Time estimated." +115900,696451,SOUTH CAROLINA,2017,May,Flash Flood,"RICHLAND",2017-05-22 14:00:00,EST-5,2017-05-22 14:30:00,0,0,0,0,0.10K,100,0.10K,100,34.0413,-80.9396,34.0385,-80.9405,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Flash flooding reported on Percival Rd at Northshore Rd at Gills Creek." +115900,696452,SOUTH CAROLINA,2017,May,Hail,"SALUDA",2017-05-22 13:35:00,EST-5,2017-05-22 13:36:00,0,0,0,0,0.10K,100,0.10K,100,34.019,-81.7153,34.019,-81.7153,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","CoCoRaHS observer SC-SL-6 reported pea size hail, with minor leaf damage, 3.5 miles ENE of Saluda." +118435,711680,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:10:00,EST-5,2017-07-20 14:20:00,0,0,0,0,3.00K,3000,0.00K,0,42.11,-77.23,42.11,-77.23,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree which fell on power lines in the vicinity of 1616 County Route 85." +118435,711681,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:13:00,EST-5,2017-07-20 14:23:00,0,0,0,0,12.00K,12000,0.00K,0,42,-77.13,42,-77.13,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and partially blew the roof off of a house on Ryon Circle." +118435,711682,NEW YORK,2017,July,Thunderstorm Wind,"STEUBEN",2017-07-20 14:15:00,EST-5,2017-07-20 14:25:00,0,0,0,0,10.00K,10000,0.00K,0,42,-77.13,42,-77.13,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous large trees in Lawrenceville." +117865,708681,GEORGIA,2017,July,Hail,"FAYETTE",2017-07-07 17:30:00,EST-5,2017-07-07 17:40:00,0,0,0,0,,NaN,,NaN,33.44,-84.5,33.44,-84.5,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","A National Weather Service employee reported nickel size hail." +117863,708658,GEORGIA,2017,July,Thunderstorm Wind,"CHATTOOGA",2017-07-05 13:00:00,EST-5,2017-07-05 13:05:00,0,0,0,0,5.00K,5000,,NaN,34.5601,-85.3359,34.5601,-85.3359,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Chattooga County Emergency Manager reported several large trees blown down near the intersection of Tate Road and Creekside Drive." +117863,708660,GEORGIA,2017,July,Thunderstorm Wind,"LUMPKIN",2017-07-05 16:20:00,EST-5,2017-07-05 16:30:00,1,0,0,0,6.00K,6000,,NaN,34.5252,-84.1076,34.5678,-83.8679,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Lumpkin County Emergency Manager reported trees and power lines blown down across the county from west of Dahlonega near Highway 52 and Nimblewill Church Road and Highway 9 and Buck Run East to east of Dahlonega along Grindle Bridge Road where a man was injured when a large tree branch fell on him." +117863,708661,GEORGIA,2017,July,Thunderstorm Wind,"WHITE",2017-07-05 16:32:00,EST-5,2017-07-05 16:37:00,0,0,0,0,8.00K,8000,,NaN,34.5531,-83.8328,34.7083,-83.7439,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The White County 911 center reported trees and power lines blown down across the county from southwest of Cleveland along Asbury Mill Road around Peaceful Valley Drive and Gene Nix Road to north of Helen near the intersection of Highway 75 and Ridge Road." +117863,708664,GEORGIA,2017,July,Thunderstorm Wind,"POLK",2017-07-05 16:45:00,EST-5,2017-07-05 16:55:00,0,0,0,0,9.00K,9000,,NaN,33.9893,-85.144,33.99,-85.13,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Polk County 911 center reported numerous trees blown down in the Fish Creek community along Knight, Bethlehem and Stringer Roads." +117863,708665,GEORGIA,2017,July,Thunderstorm Wind,"BANKS",2017-07-05 17:10:00,EST-5,2017-07-05 17:20:00,0,0,0,0,8.00K,8000,,NaN,34.3713,-83.6088,34.2609,-83.4386,"Another moist and very unstable airmass led to a few late day strong to severe thunderstorms across north Georgia. Primary impacts were strong winds leading to small pockets of downed trees and powerlines.","The Banks County 911 center reported trees blown down from east of Lula to north of Commerce including around the intersection of Mangum Bridge Road and West Ridgeway Road and around the intersection of Chambers Road and Highway 59. A transformer was blown near the intersection of Highway 51 and Jacks Drive." +117864,708669,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-06 12:13:00,EST-5,2017-07-06 12:18:00,0,0,0,0,2.00K,2000,,NaN,34.1724,-84.5105,34.1724,-84.5105,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Cherokee County Emergency Manager reported utility lines down along the 1500 block of Marble Quarry Road in Holly Springs." +119795,718334,CALIFORNIA,2017,July,Hail,"HUMBOLDT",2017-07-25 18:55:00,PST-8,2017-07-25 19:15:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-123.55,41.3,-123.55,"Thunderstorms formed over the mountains of northwest California during the afternoon and evening of July 25th and 26th, and produced small hail.","" +119795,718336,CALIFORNIA,2017,July,Hail,"TRINITY",2017-07-25 18:10:00,PST-8,2017-07-25 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-123.07,40.75,-123.07,"Thunderstorms formed over the mountains of northwest California during the afternoon and evening of July 25th and 26th, and produced small hail.","" +120408,721257,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-08-25 13:10:00,CST-6,2017-08-25 13:10:00,0,0,0,0,0.00K,0,0.00K,0,29.3577,-94.7242,29.3577,-94.7242,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +127721,765990,IOWA,2017,July,Drought,"CLARKE",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Relatively longer term dry conditions combined with acute short term precipitation deficits led to drought conditions in southern Iowa.","Acute short term dryness has led to severe drought conditions across the county." +127721,765991,IOWA,2017,July,Drought,"DECATUR",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Relatively longer term dry conditions combined with acute short term precipitation deficits led to drought conditions in southern Iowa.","Acute short term dryness has led to severe drought conditions across the county." +127722,766003,IOWA,2017,August,Drought,"MAHASKA",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed in southern Mahaska county due to acute short term dryness." +127722,766005,IOWA,2017,August,Drought,"UNION",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe to Extreme drought conditions developed in much of Union county due to acute short term dryness." +118751,713332,MISSISSIPPI,2017,September,Flash Flood,"ATTALA",2017-09-05 18:20:00,CST-6,2017-09-05 20:30:00,0,0,0,0,4.00K,4000,0.00K,0,33.0191,-89.6127,33.0697,-89.6127,"A early season cold front moved through the region, ushering in cooler and drier air into the ArkLaMiss region. Some storms were strong to severe with damaging winds and locally heavy rain resulting in flash flooding.","Street flooding occurred in Kosciusko." +118772,713784,FLORIDA,2017,September,Tornado,"BREVARD",2017-09-10 20:48:00,EST-5,2017-09-10 20:50:00,0,0,0,0,,NaN,0.00K,0,28.4171,-80.6767,28.446,-80.7211,"Hurricane Irma moved northward over the far western Florida peninsula between the afternoon of September 10 and the morning of September 11 at Category 1-2 strength. During the closest point of approach to east-central Florida during the early morning hours of September 11, rain bands associated with the inner core elongated west-to-east and lifted through northwest Osceola County, Lake County and western Orange County. Due to the large size of the wind field, a long duration of damaging tropical storm force winds with gusts to hurricane force was experienced across all of east-central Florida. There were no direct hurricane-related fatalities, however 10 indirect fatalities occurred during the evacuation and recovery phases of the hurricane. Preliminary damage estimates across east central Florida exceeded $1.3 billion.||A storm surge of 2-3 feet affected the coast of Martin, St. Lucie and Indian River Counties, and 3-4 feet of storm surge impacted the coast of Brevard and Volusia Counties. Moderate to major beach erosion occurred along the entire east-central Florida coastline. Water levels rose within the coastal lagoon system generally rose between 1 and 3 feet (although locally up to 4.5 feet within a few constricted areas of the lagoon, primarily within north Brevard and Volusia Counties) due to coastal surge and run-off from heavy rain and slow drainage to the Atlantic through the inlets. River flooding caused to enter some homes adjacent to the Halifax River, primarily in Ormond Beach, Holly Hill and north Daytona Beach. Many docks and boat houses along the Indian, Banana and Halifax Rivers were damaged from the combination of high water and wave action. ||Rainfall totals of 10-15 inches were widespread across east-central Florida. The highest totals occurred in a swath from northern St. Lucie County to far southern Indian River County, where accumulations reached 15 to nearly 22 inches. A significant portion of this rain fell during the early morning hours of September 10 as excessive rain bands trained onshore ahead of the main rain area associated with Hurricane Irma. Flooding entered several homes and many roadways became impassible. Hurricane rain bands also resulted in flooding of homes and roadways in many other areas later on September 10, including Fellsmere (Indian River County) where a dozen people were rescued from flood waters and north Merritt Island (Brevard County) where water approached or entered several homes. During the early morning hours of September 11, flooding breached several hundred homes and resulted in the rescue of 200 residents in Orlo Vista (Orange County) when a lake and adjacent retention ponds overflowed. ||Widespread heavy rain fell within the St. Johns River basin and caused the entire river (from Cocoa in Brevard County to Astor in Lake County) to reach flood stage. The Astor area was the first to reach flood stage during the afternoon of September 10, then Cocoa very early on September 11 and Lake Harney that evening, Deland very early on September 12 and Sanford very late on September 14. All points along the river eventually reached moderate to major flood stage, impacting adjacent homes, structures, property and roadways. The river remained in flood for well over one month. ||Ten tornadoes were confirmed, including eight within Brevard County (one EF-0, six EF-1, and one EF-2), one in Volusia County (EF-1) and one in Lake County (EF-1). Additional tornadoes likely occurred, however it was impossible to distinguish weak, short track tornado damage from the overall widespread, background wind damage of similar velocities.","A NWS storm survey confirmed that a tornado formed on North Merritt Island within or southeast of The Savannahs subdivision, producing strong EF-1 damage (winds estimated 100-110 mph) to numerous homes on Savannahs Trail. Over a dozen homes sustained significant shingle damage and approximately six pool screen enclosures were destroyed. Numerous trees were snapped. The tornado continued northwest and crossed East Hall Road near Leilani Lane, producing tree and minor roof damage to a few homes. The tornado then traveled through the southern portion of the Island Lakes Mobile Home Park at EF-1 strength (estimated winds of 95 to 105 mph) and impacted over 25 mobile homes. Several mobile homes were destroyed and many others sustained moderate to major damage (the neighborhood was nearly completed evacuated for Hurricane Irma). The tornado then weakened, but toppled the steeple at the Orsino Baptist Church, after crossing North Courtney Boulevard. Tree damage and minor roof damage occurred along the remainder of the path until the Indian River was reached. DI2, DOD4, EXP; DI3, DOD6, LB-EXP; DI24, DOD4, LB." +118899,714303,COLORADO,2017,September,Thunderstorm Wind,"RIO BLANCO",2017-09-14 15:15:00,MST-7,2017-09-14 15:35:00,0,0,0,0,0.00K,0,0.00K,0,40.02,-108.4,40.02,-108.4,"A jet stream flow at the base of a Pacific disturbance which moved through the region enhanced thunderstorm development which resulted in some storms that produced strong outflow winds.","A peak thunderstorm wind gust of 67 mph was measured by the Pinto RAWS automated weather station between Rangely and Meeker." +120216,720618,TEXAS,2017,August,Flash Flood,"WILLIAMSON",2017-08-26 19:12:00,CST-6,2017-08-26 20:12:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-97.7828,30.5706,-97.7807,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey caused flash flooding closing CR 177 at Brushy Creek in Leander." +127723,766023,IOWA,2017,September,Drought,"MONROE",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe to extreme drought conditions persisted across Monroe county in September due to acute short term dryness." +127723,766024,IOWA,2017,September,Drought,"RINGGOLD",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted in far northeast Ringgold county in September due to acute short term dryness." +127723,766025,IOWA,2017,September,Drought,"DECATUR",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted across much of northern Decatur county in September due to acute short term dryness." +127723,766027,IOWA,2017,September,Drought,"WAYNE",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted across northern and central Wayne county in September due to acute short term dryness." +127723,766028,IOWA,2017,September,Drought,"APPANOOSE",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted across northern and central Appanoose county in September due to acute short term dryness." +127723,766029,IOWA,2017,September,Drought,"DAVIS",2017-09-01 00:00:00,CST-6,2017-09-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Drought conditions persisted in southern Iowa for much of the month although there were a few significant rainfall events that helped alleviate the drought in a few areas.","Severe drought conditions persisted across northern and central Davis county in September due to acute short term dryness." +127724,766031,IOWA,2017,October,Drought,"ADAIR",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe drought conditions persisted across far southeast Adair county in early October but generous rainfall ended the dry conditions by mid-month." +114055,684318,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.3,-86.47,34.3,-86.47,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down." +114055,684319,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.4,-86.2,34.4,-86.2,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down at the Guntersville State Park campground." +114055,684321,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.42,-86.26,34.42,-86.26,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down at U.S. Highway 431 at Rockstore Road." +114421,687356,NEW MEXICO,2017,May,Thunderstorm Wind,"UNION",2017-05-09 18:13:00,MST-7,2017-05-09 18:15:00,0,0,0,0,0.00K,0,0.00K,0,36.22,-103.11,36.22,-103.11,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A weather station near Sedan reported a peak wind gust to 60 mph." +113615,684161,FLORIDA,2017,April,Hail,"LEON",2017-04-03 15:15:00,EST-5,2017-04-03 15:15:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-84.13,30.49,-84.13,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","" +113615,684162,FLORIDA,2017,April,Thunderstorm Wind,"JEFFERSON",2017-04-03 15:24:00,EST-5,2017-04-03 15:24:00,0,0,0,0,5.00K,5000,0.00K,0,30.54,-83.87,30.54,-83.87,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Trees and power lines were blown down." +114421,687303,NEW MEXICO,2017,May,Thunderstorm Wind,"SOCORRO",2017-05-09 15:25:00,MST-7,2017-05-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,33.79,-106.49,33.79,-106.49,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Thunderstorm outflow crossing White Sands Missile Range produced a peak wind gust to 65 mph." +114421,687351,NEW MEXICO,2017,May,Hail,"CURRY",2017-05-09 16:55:00,MST-7,2017-05-09 17:00:00,0,0,0,0,100.00K,100000,0.00K,0,34.5,-103.1619,34.5,-103.1619,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","The NMSU Agricultural Science Center northeast of Clovis reported major damage from a severe hail storm. Hail estimated at least to the size of hen eggs produced a major crop loss at the facility. Damage amounts are estimated." +114532,686865,OHIO,2017,March,Hail,"WOOD",2017-03-30 17:26:00,EST-5,2017-03-30 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-83.67,41.37,-83.67,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Penny sized hail was observed." +113946,683752,OHIO,2017,March,Thunderstorm Wind,"WOOD",2017-03-01 03:52:00,EST-5,2017-03-01 03:54:00,0,0,0,0,20.00K,20000,0.00K,0,41.4,-83.47,41.4,-83.4507,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds toppled a utility pole in Pemberville resulting in a power outage. A large tree was also knocked down east of the city." +114421,687171,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 10:08:00,MST-7,2017-05-09 10:15:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-106.19,34.81,-106.19,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail accumulated six inches deep along state highway 337 northeast of Tajique. One vehicle slid off the road into a ditch." +114180,683863,PENNSYLVANIA,2017,March,Thunderstorm Wind,"CRAWFORD",2017-03-01 06:15:00,EST-5,2017-03-01 07:00:00,0,0,0,0,50.00K,50000,0.00K,0,41.63,-80.15,41.63,-80.15,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across Crawford County downing at least two dozen trees across the county. Some of the worst damage occurred between Meadville and Saegertown where several roads were blocked by fallen trees. Scattered power outages were reported." +114180,683869,PENNSYLVANIA,2017,March,Thunderstorm Wind,"ERIE",2017-03-01 17:01:00,EST-5,2017-03-01 17:12:00,0,0,0,0,25.00K,25000,0.00K,0,41.9,-80.35,42.12,-80.08,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Showers and thunderstorms downed a few trees across northern Erie County. A fallen tree blocked an intersection in Erie. Some power outages were reported." +112615,672202,GEORGIA,2017,January,Drought,"OGLETHORPE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672203,GEORGIA,2017,January,Drought,"OCONEE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672204,GEORGIA,2017,January,Drought,"NORTH FULTON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114421,687245,NEW MEXICO,2017,May,Hail,"SAN JUAN",2017-05-09 11:55:00,MST-7,2017-05-09 12:03:00,0,0,0,0,0.00K,0,0.00K,0,36.75,-107.76,36.75,-107.76,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Nickel to quarter size hail accumulated three inches deep near Turley." +114421,687250,NEW MEXICO,2017,May,Funnel Cloud,"LINCOLN",2017-05-09 11:53:00,MST-7,2017-05-09 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.6484,-105.7317,33.6484,-105.7317,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Several observers around Carrizozo reported a well developed funnel cloud near Carrizo Mountain a couple miles northeast of town." +112615,672230,GEORGIA,2017,January,Drought,"HALL",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672231,GEORGIA,2017,January,Drought,"GWINNETT",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672232,GEORGIA,2017,January,Drought,"GREENE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114098,692658,TEXAS,2017,April,Hail,"HENDERSON",2017-04-29 15:30:00,CST-6,2017-04-29 15:31:00,0,0,0,0,0.00K,0,0.00K,0,32.27,-96.17,32.27,-96.17,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","A resident called to report quarter sized hail." +112615,672186,GEORGIA,2017,January,Drought,"UNION",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114747,688338,ILLINOIS,2017,April,Flash Flood,"PUTNAM",2017-04-29 18:40:00,CST-6,2017-04-29 23:59:00,0,0,0,0,0.00K,0,0.00K,0,41.2722,-89.1904,41.1146,-89.1678,"Scattered rain showers moved across western Illinois Saturday evening, as an area of low pressure intensified over southeast Oklahoma and northeast Texas. This low pressure brought a surge of moisture and heavy rainfall across the region Saturday afternoon, producing rainfall amounts of 1 to 2 inches across western Illinois. This combined with already saturated conditions led to flash flooding in McDonough and Putnam Counties.","Law enforcement reported the water was flowing over portions of Highways 89, 18, and 71. These roads were not closed but vehicles had to turn around at some spots." +115818,696080,SOUTH CAROLINA,2017,April,High Wind,"LANCASTER",2017-04-06 16:20:00,EST-5,2017-04-06 16:20:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Windy conditions were experienced behind a cold frontal passage, with a strong area of low pressure north of the region.","Lancaster Fire Dept reported a tree fell on a house on Pageland Hwy, 8 miles NE of Elgin, killing a 66 year old female inside." +113660,693260,TEXAS,2017,April,Hail,"HOOD",2017-04-11 01:10:00,CST-6,2017-04-11 01:10:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-97.8,32.45,-97.8,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated ping-pong ball sized hail in the city of Granbury, TX." +113660,693261,TEXAS,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-10 22:30:00,CST-6,2017-04-10 22:30:00,0,0,0,0,0.00K,0,0.00K,0,31.4,-96.58,31.4,-96.58,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A trained spotter reported winds in excess of 60 MPH in the city of Thornton, TX." +113660,693262,TEXAS,2017,April,Thunderstorm Wind,"MCLENNAN",2017-04-10 22:30:00,CST-6,2017-04-10 22:30:00,0,0,0,0,1.00K,1000,0.00K,0,31.4976,-96.8697,31.4976,-96.8697,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Broadcast media reported power lines blocking the road near the intersection of FM 1860 and Koehne Road between the towns of Riesel and Mart." +113660,693264,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 01:35:00,CST-6,2017-04-11 01:35:00,0,0,0,0,0.00K,0,0.00K,0,32.85,-97.34,32.85,-97.34,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A National Weather Service employee reported quarter-sized hail near the intersection of Interstate 35 and Western Center Blvd." +115900,696453,SOUTH CAROLINA,2017,May,Hail,"LEXINGTON",2017-05-22 13:05:00,EST-5,2017-05-22 13:06:00,0,0,0,0,0.10K,100,0.10K,100,33.99,-81.07,33.99,-81.07,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Report received via social media of pea size hail in West Columbia." +115895,696441,WEST VIRGINIA,2017,May,Thunderstorm Wind,"HANCOCK",2017-05-18 15:10:00,EST-5,2017-05-18 15:10:00,0,0,0,0,5.00K,5000,0.00K,0,40.4,-80.56,40.4,-80.56,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","Local law enforcement reported multiple trees down in Weirton." +113660,693515,TEXAS,2017,April,Thunderstorm Wind,"MCLENNAN",2017-04-10 21:43:00,CST-6,2017-04-10 21:43:00,0,0,0,0,1.00K,1000,0.00K,0,31.5388,-96.8515,31.5388,-96.8515,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A media report indicated that the roof of an unknown building was laying on the side of Battle Lake Road in the city of Mart, TX." +113660,693516,TEXAS,2017,April,Flash Flood,"HOPKINS",2017-04-10 19:20:00,CST-6,2017-04-10 20:45:00,0,0,0,0,0.00K,0,0.00K,0,33.04,-95.64,33.0455,-95.6937,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A local newspaper reported high water west of State Highway 154." +113877,681978,TEXAS,2017,April,Tornado,"COOKE",2017-04-21 18:22:00,CST-6,2017-04-21 18:24:00,0,0,0,0,0.00K,0,0.00K,0,33.553,-97.1835,33.5519,-97.1787,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Multiple spotters reported a rain wrapped tornado to the northwest of Valley View, and west of I-35. This tornado produced minimal damage over open farm and ranch land." +113877,692893,TEXAS,2017,April,Hail,"MONTAGUE",2017-04-21 01:45:00,CST-6,2017-04-21 01:47:00,0,0,0,0,0.00K,0,0.00K,0,33.628,-97.7669,33.628,-97.7669,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","The Montague County emergency manager reported quarter sized hail at the intersection of Lone Star Road and Phillips Road." +118710,717151,TENNESSEE,2017,July,Funnel Cloud,"PUTNAM",2017-07-04 10:27:00,CST-6,2017-07-04 10:28:00,0,0,0,0,1.00K,1000,0.00K,0,36.1962,-85.5925,36.1962,-85.5925,"An upper level low moving across Middle Tennessee during the day on July 4 spawned numerous showers and a few thunderstorms. One small shower that radar estimated to be only 10,500 feet tall produced a brief, weak gustnado that was captured on video in Putnam County.","Facebook videos from the public showed a small, weak gustnado touched down briefly between Clemmons Road and Blackburn Fork Road in Bloomington Springs. This gustnado developed from a small shower only 10,500 feet tall per echo tops on OHX radar data. The gustnado ripped some sheet metal off a barn and blew down a few tree limbs." +117862,717432,GEORGIA,2017,July,Flash Flood,"HOUSTON",2017-07-01 23:30:00,EST-5,2017-07-02 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6462,-83.6281,32.6413,-83.6296,"A very moist and unstable air mass over the region, combined with a series of weak mid-level short waves moving through the southeastern U.S., produced several rounds of widespread thunderstorms across north and central Georgia. Moderate instability each afternoon and evening helped to produce strong to severe thunderstorms with heavy rainfall and isolated reports of damaging wind gusts in north Georgia. Overnight on the 1st into the 2nd, nearly stationary area of thunderstorms resulted in flash flooding across the town of Warner Robins, GA.","Public reported portions of Elberta Road near Warner Robins Wrecker and Towing was flooded due to heavy rainfall. Cars were reportedly stalled in the floodwaters. Radar estimates indicated that 3 to 4 inches of rainfall had occurred in the area, with localized amounts to 5 inches." +113462,679222,MASSACHUSETTS,2017,February,Winter Weather,"SOUTHEAST MIDDLESEX",2017-02-08 01:00:00,EST-5,2017-02-08 12:00:00,0,4,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure wave developed east of Massachusetts along a warm front during the early morning of the 8th. This drew a surge of colder air across the Metropolitan Boston area during the early morning. The colder air combined with wet surface to create icy road surfaces. In addition, a short period of freezing rain moved through during the morning rush hour.","Freezing rain caused a 55-vehicle pileup on Route 128/Interstate 95 in Wakefield, as well as a 20-vehicle pileup on Route 128/Interstate 95 in Newton. These occurred near the start of the morning commute and caused temporary road closures. Other major arteries also experienced crashes and in some instances temporary road closures." +116810,702389,INDIANA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-23 00:31:00,EST-5,2017-07-23 00:31:00,0,0,0,0,20.00K,20000,0.00K,0,38.5429,-86.6023,38.545,-86.5898,"Unseasonably warm and humid conditions prevailed across the lower Ohio Valley. A long lived complex of thunderstorms tracked from Kansas eastward through Missouri, Illinois, and parts of southern Indiana and northern Kentucky. Sporadic wind damage occurred as these storms tracked through portions of southern Indiana.","The public reported trees and power poles down in the area." +116810,702390,INDIANA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-23 02:15:00,EST-5,2017-07-23 02:15:00,0,0,0,0,,NaN,0.00K,0,38.34,-86.28,38.34,-86.28,"Unseasonably warm and humid conditions prevailed across the lower Ohio Valley. A long lived complex of thunderstorms tracked from Kansas eastward through Missouri, Illinois, and parts of southern Indiana and northern Kentucky. Sporadic wind damage occurred as these storms tracked through portions of southern Indiana.","Local law enforcement reported a few trees down in the area due to severe thunderstorm winds." +116810,702388,INDIANA,2017,July,Flood,"ORANGE",2017-07-23 06:00:00,EST-5,2017-07-23 06:00:00,0,0,0,0,0.00K,0,0.00K,0,38.58,-86.46,38.5801,-86.4543,"Unseasonably warm and humid conditions prevailed across the lower Ohio Valley. A long lived complex of thunderstorms tracked from Kansas eastward through Missouri, Illinois, and parts of southern Indiana and northern Kentucky. Sporadic wind damage occurred as these storms tracked through portions of southern Indiana.","Trained spotters reported street flooding." +116810,702387,INDIANA,2017,July,Flash Flood,"DUBOIS",2017-07-23 07:05:00,EST-5,2017-07-23 07:05:00,0,0,0,0,0.00K,0,0.00K,0,38.23,-86.83,38.2258,-86.8298,"Unseasonably warm and humid conditions prevailed across the lower Ohio Valley. A long lived complex of thunderstorms tracked from Kansas eastward through Missouri, Illinois, and parts of southern Indiana and northern Kentucky. Sporadic wind damage occurred as these storms tracked through portions of southern Indiana.","Trained spotters reported flash flooding in the area." +118925,714415,NEW MEXICO,2017,July,Dust Storm,"SOUTHWEST DESERT/LOWER GILA RIVER VALLEY",2017-07-10 16:45:00,MST-7,2017-07-10 19:00:00,0,3,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper high was located over southern New Mexico with some moisture trapped under it. Isolated storms developed around the Lordsburg area with strong gusty winds producing dense blowing dust which lead to a fatal car crash on Interstate 10 near the Arizona state line.","Near zero visibilities between mile markers 10 and 12 on Interstate 10 east caused a 4 car pileup. One of the passengers from the initial crash got out of vehicle, and was struck by another vehicle and died. Three others involved in the crash were also injured." +117865,708682,GEORGIA,2017,July,Hail,"PAULDING",2017-07-07 17:48:00,EST-5,2017-07-07 17:58:00,0,0,0,0,,NaN,,NaN,33.93,-85,33.93,-85,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The public reported quarter size hail." +117864,708670,GEORGIA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-06 12:55:00,EST-5,2017-07-06 13:00:00,0,0,0,0,5.00K,5000,,NaN,34.2683,-84.0562,34.2683,-84.0562,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Forsyth County Emergency Manager reported power lines blown down around the intersection of Keith Bridge Road and Parks Road." +117864,708672,GEORGIA,2017,July,Thunderstorm Wind,"MADISON",2017-07-06 14:25:00,EST-5,2017-07-06 14:30:00,0,0,0,0,6.00K,6000,,NaN,34.0926,-83.2587,34.0913,-83.2382,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Madison County 911 center reported trees blown down from near Moons Grove Church Road at Johnnie Chandler Road, and Colbert Grove Church Road at Highway 29. These locations are just southwest of Danielsville." +117864,708674,GEORGIA,2017,July,Thunderstorm Wind,"BARTOW",2017-07-06 14:35:00,EST-5,2017-07-06 14:40:00,0,0,0,0,8.00K,8000,,NaN,34.1453,-84.7342,34.1456,-84.7294,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Bartow County Emergency Manager reported multiple trees blown down in a 100 yard wide swath between Cambridge Way and Red Top Mountain Road." +117864,708673,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-06 14:40:00,EST-5,2017-07-06 15:10:00,0,0,0,0,30.00K,30000,,NaN,34.2764,-84.5443,34.232,-84.297,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Cherokee County Emergency Manager reported numerous trees and some power lines blown down from south of Waleska to Free Home. Locations include Sam Nelson Road between Nelson trail and Rampley Trail where one tree fell on a house, Reinhardt College Parkway where a tree fell on a house, Shoal Creek Road at Whispering Woods Drive, Upper Union Hill Road at Henson Way, and Wyatt Road at Smithwick Road. No injuries were reported." +117864,708680,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-06 14:50:00,EST-5,2017-07-06 14:55:00,0,0,0,0,15.00K,15000,,NaN,34.1381,-84.5853,34.1381,-84.5853,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Cherokee County Emergency Manager reported several trees blown down, including on onto a home, on Bells Ferry Road. No injuries were reported." +117864,708675,GEORGIA,2017,July,Thunderstorm Wind,"OGLETHORPE",2017-07-06 15:55:00,EST-5,2017-07-06 16:10:00,0,0,0,0,3.00K,3000,,NaN,33.7924,-83.1024,33.8651,-83.0488,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Oglethorpe County 911 center reported trees blown down from around the intersection of Stephens Salem road and Hugh Culbreth Road east of Stephens to east of Lexington along Frank Matthews Road." +119028,714880,CALIFORNIA,2017,September,Flash Flood,"RIVERSIDE",2017-09-08 13:45:00,PST-8,2017-09-08 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.6309,-115.4938,33.7439,-115.4897,"Scattered to numerous thunderstorms developed over portions of eastern Riverside County during the afternoon hours on September 8th and some of the stronger storms produced very heavy rainfall with peak rain rates in excess of 2 inches per hour as shown by local radar. The intense rainfall led to episodes of flash flooding, especially along the Interstate 10 corridor from west of Desert Center westbound past Chiriaco Summit. The California Highway Patrol reported at least 2 locations where flooding was occurring across Interstate 10; fortunately no accidents were reported due to the very hazardous driving conditions. Flash Flood Warnings were issued at times during the afternoon due to the high risk of flooding.","Scattered to numerous thunderstorms developed across portions of eastern Riverside county, mainly east of Joshua Tree National Park, during the afternoon hours on September 8th. Some of the stronger storms produced very heavy rainfall with peak rain rates in excess of 2 inches per hour. The intense rains led to episodes of flash flooding that primarily affected the Interstate 10 corridor west of Desert Center and through Chiriaco Summit. At 1405PST the California Highway Patrol reported that Interstate 10 was flooded eastbound at Red Cloud. About forty five minutes later at 1450PST the California Highway Patrol reported that Interstate 10 was flooded at Chiriaco Summit. A Flash Flood Warning was then issued but was not in effect when these flooding reports occurred. Fortunately no accidents or injuries occurred as a result of the flash flooding." +120634,722596,OKLAHOMA,2017,September,Hail,"TILLMAN",2017-09-19 14:45:00,CST-6,2017-09-19 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.29,-98.69,34.29,-98.69,"Widely scattered thunderstorms developed across portions of southwestern OK during the late afternoon hours. Strong diabatic heating and a moist boundary layer combined with fairly steep mid level lapse rates contributed to at least moderate instability. These lapse rates, and a fairly mixed boundary layer, resulted in both severe hail and damaging wind gusts.","" +120694,723034,SOUTH DAKOTA,2017,September,Thunderstorm Wind,"EDMUNDS",2017-09-19 18:05:00,CST-6,2017-09-19 18:05:00,0,0,0,0,,NaN,,NaN,45.58,-99.7,45.58,-99.7,"A strong upper level low pressure trough along with a surface cold front interacting with unstable air brought severe thunderstorms to the eastern parts of the region. Several tornadoes, large hail, damaging winds, along with some isolated flooding occurred.","Sixty mph winds along with ping pong size hail caused broken windows along with stripping some corn." +113615,684144,FLORIDA,2017,April,Thunderstorm Wind,"HOLMES",2017-04-03 09:30:00,CST-6,2017-04-03 10:06:00,0,0,0,0,25.00K,25000,0.00K,0,30.97,-85.99,30.78,-85.68,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Several trees and power lines were blown down across the county with a roof blown off a storage shed at the fire station in Bonifay." +114421,687304,NEW MEXICO,2017,May,Thunderstorm Wind,"VALENCIA",2017-05-09 15:47:00,MST-7,2017-05-09 15:51:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-106.73,34.72,-106.73,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Decaying thunderstorm outflow produced a peak wind gust to 62 mph near Adelino." +113946,683831,OHIO,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-01 03:59:00,EST-5,2017-03-01 04:02:00,0,0,0,0,125.00K,125000,0.00K,0,41.03,-83.65,41.03,-83.65,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A line of thunderstorms moved across the Findlay area causing some damage. Four homes on Heather Drive lost sections of siding or roofing. A couple homes also sustained broken windows. Many trees and limbs were also reported down, including several in Riverside Park just to the south." +114391,685609,NEW MEXICO,2017,May,Thunderstorm Wind,"SAN JUAN",2017-05-06 16:00:00,MST-7,2017-05-06 16:10:00,0,0,0,0,20.00K,20000,0.00K,0,36.83,-108,36.83,-108,"An upper level low pressure system deepening over southern California spread deep layer southerly flow over New Mexico beginning on the 6th. Increasing moisture over the area along with afternoon heating led to a band of showers and thunderstorms over western New Mexico. The combination of downburst winds and thunderstorm outflows associated with this line produced wind damage across the Bloomfield and Aztec area. Numerous trees and power lines were blown down across the area producing power outages and damage to homes and vehicles. An isolated thunderstorm over the Raton area also produced strong winds but with no damage.","Power poles blown over onto roadway in Aztec. Minor damage reported to several vehicles." +113946,683749,OHIO,2017,March,Thunderstorm Wind,"TRUMBULL",2017-03-01 06:06:00,EST-5,2017-03-01 06:55:00,0,0,0,0,75.00K,75000,0.00K,0,41.17,-80.85,41.15,-80.57,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","A second line of thunderstorms moved across Trumbull County just before daybreak. Many trees were reported down, especially across the southern portion of the county. Scattered power outages were also reported." +114421,687241,NEW MEXICO,2017,May,Tornado,"SANTA FE",2017-05-09 11:25:00,MST-7,2017-05-09 11:27:00,0,0,0,0,,NaN,0.00K,0,35.6425,-106.0433,35.6468,-106.0451,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A severe thunderstorm crossed Interstate 25 east of the Santa Fe airport then moved north along NM-599. This storm produced a brief EF-0 tornado 2.8 miles northeast of the Santa Fe airport, near NM-599 and Agua Fria, then tracked toward the north for approximately 0.3 miles. Mainly localized and minor damage was observed with this tornado event. The Santa Fe Airport tower personnel also spotted a funnel cloud north of the airport." +113946,683832,OHIO,2017,March,Thunderstorm Wind,"CUYAHOGA",2017-03-01 05:38:00,EST-5,2017-03-01 05:38:00,0,0,0,0,2.00K,2000,0.00K,0,41.47,-81.57,41.47,-81.57,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds toppled a large tree." +114421,686036,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 09:56:00,MST-7,2017-05-09 09:58:00,0,0,0,0,0.00K,0,0.00K,0,35,-106.04,35,-106.04,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of quarters reported in Moriarty." +114421,687168,NEW MEXICO,2017,May,Hail,"TORRANCE",2017-05-09 10:30:00,MST-7,2017-05-09 10:35:00,0,0,0,0,0.00K,0,0.00K,0,34.3475,-105.6734,34.3475,-105.6734,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Quarter size hail for five minutes southeast of Cedarvale." +112615,672259,GEORGIA,2017,January,Drought,"BALDWIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114048,689807,ILLINOIS,2017,March,Thunderstorm Wind,"JO DAVIESS",2017-03-06 23:00:00,CST-6,2017-03-06 23:00:00,0,0,0,0,,NaN,0.00K,0,42.35,-90.01,42.35,-90.01,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A large tree was down on a power line in Stockton resulting in a power outage for the local area." +114048,689811,ILLINOIS,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-07 00:07:00,CST-6,2017-03-07 00:07:00,0,0,0,0,,NaN,0.00K,0,41.26,-89.32,41.26,-89.32,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Numerous trees were down on State Route 26 across the county. Time was estimated by radar." +114048,689812,ILLINOIS,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-07 00:16:00,CST-6,2017-03-07 00:16:00,0,0,0,0,,NaN,0.00K,0,41.18,-89.21,41.18,-89.21,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A power line was down just west of McNabb on the McNabb blacktop. Time was estimated by radar." +114048,689813,ILLINOIS,2017,March,Thunderstorm Wind,"PUTNAM",2017-03-07 00:16:00,CST-6,2017-03-07 00:16:00,0,0,0,0,,NaN,0.00K,0,41.19,-89.22,41.19,-89.22,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Multiple power poles were broken about half way up at 1300E to 600N. Time was estimated by radar." +114771,689297,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-22 16:08:00,MST-7,2017-05-22 16:10:00,0,0,0,0,0.00K,0,0.00K,0,33.83,-103.78,33.83,-103.78,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Quarter size hail along U.S. Highway 70." +114771,689298,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-22 16:18:00,MST-7,2017-05-22 16:20:00,0,0,0,0,0.00K,0,0.00K,0,33.83,-103.72,33.83,-103.72,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Nickel size hail near Kenna." +114771,689299,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 16:27:00,MST-7,2017-05-22 16:29:00,0,0,0,0,0.00K,0,0.00K,0,34.02,-104.57,34.02,-104.57,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Nickel size hail." +112258,673696,GEORGIA,2017,January,Tornado,"PEACH",2017-01-21 12:15:00,EST-5,2017-01-21 12:16:00,0,0,0,0,25.00K,25000,,NaN,32.5257,-83.7335,32.5258,-83.7205,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the tornado that began in southeast Peach County and briefly crossed into a small portion of western Houston County, once again moved into a small portion of Peach County along Mossy Creek between I-75 and U.S. Highway 41. The tornado moved east for less than a mile before moving back into Houston County along U.S Highway 41. This tornado was rated EF0 along this portion of its path with maximum wind speeds of 80 MPH and mainly downed trees and power lines, however one tree did fall on and damage a nursing home along Highway 41. The tornado would eventually travel over 13 miles across portions of Peach and Houston Counties. [01/21/17: Tornado #12, County #3/4, EF0, Peach-Houston-Peach-Houston, 2017:013]." +112258,673705,GEORGIA,2017,January,Tornado,"HOUSTON",2017-01-21 12:16:00,EST-5,2017-01-21 12:29:00,0,0,0,0,250.00K,250000,,NaN,32.5282,-83.7205,32.5942,-83.5945,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that the tornado that began in southeast Peach County and briefly crossed into a small portion of western Houston County before once again moving into a small portion of Peach County, moved back into Houston County along U.S Highway 41. The tornado intensified to an EF2 along this portion of its path with maximum wind speeds of 115 MPH. The tornado tracked east along Sandefur Road causing significant damage to trees and power lines with minor roof damage to homes south of Sandefur Road along Griswold Way. The tornado turned more northeasterly damaging a sports complex and a business along Cohen Walker Road. The tornado crossed Highway 96 near Peach Blossom Road and continued northeast through neighborhoods west of Bonanza Drive causing minor roof damage and downing trees and power lines as it continued across Faegan Mill Road and Moody Drive. At this point the tornado intensified to its strongest level. Brick fences were blown down and numerous trees were snapped or uprooted along Sandy Run Road and Echo Lane. The worst damage occurred near the WalMart and adjacent neighborhoods around Windmill Court. Two large HVAC units were tossed around 50 yards from the top of the WalMart. The auto bay garage doors on the back of the store were blown in and the roof lifted. Rafters on the opposite end of the store were twisted. Along Windmill Court and Hidden Creek Circle one house had most if its roof blown off and windows and doors blown in. Across the street, another home had a garage door and windows blown in and parts of its roof blown off. The tornado continued northeast and struck a mobile home park along Maxwell Drive and Sherry Lane where more than a dozen mobile homes were damaged. One mobile home was nearly completely destroyed. The tornado ended in this area. This tornado ultimately travelled over 13 miles across portions of Peach and Houston Counties. [01/21/17: Tornado #12, County #4/4, EF2, Peach-Houston-Peach-Houston, 2017:013]." +112615,672187,GEORGIA,2017,January,Drought,"TWIGGS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672188,GEORGIA,2017,January,Drought,"TROUP",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672243,GEORGIA,2017,January,Drought,"DADE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +113660,693265,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 02:00:00,CST-6,2017-04-11 02:00:00,0,0,0,0,0.00K,0,0.00K,0,32.78,-97.4,32.78,-97.4,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","Emergency Management reported that quarter-sized hail fell for 3 minutes in the |city of River Oaks." +113660,693266,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 01:58:00,CST-6,2017-04-11 01:58:00,0,0,0,0,0.00K,0,0.00K,0,32.7355,-97.4029,32.7355,-97.4029,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A National Weather Service employee reported nickel to quarter sized hail near the intersection of Camp Bowie Blvd and Interstate 30." +113660,693273,TEXAS,2017,April,Hail,"TARRANT",2017-04-11 02:12:00,CST-6,2017-04-11 02:12:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-97.34,32.75,-97.34,"Thunderstorms developed across North and Central Texas during the afternoon hours on April 10th, and continued on the 11th. Thunderstorms produced a wide array of severe weather, including large hail and heavy rainfall.","A social media report indicated quarter-sized hail in Fort Worth." +115359,693776,MISSISSIPPI,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-30 09:35:00,CST-6,2017-04-30 09:40:00,0,0,0,0,25.00K,25000,0.00K,0,33.8295,-89.3446,33.8796,-89.2804,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Roof damage near Highway 8 and 9 intersection." +113877,692894,TEXAS,2017,April,Hail,"MONTAGUE",2017-04-21 17:18:00,CST-6,2017-04-21 17:19:00,0,0,0,0,0.00K,0,0.00K,0,33.8833,-97.7725,33.8833,-97.7725,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Nocona Fire Department reported quarter sized hail approximately 8 miles north of Nocona on Farm to Market Road 1759." +113877,692895,TEXAS,2017,April,Hail,"MONTAGUE",2017-04-21 17:26:00,CST-6,2017-04-21 17:26:00,0,0,0,0,0.00K,0,0.00K,0,33.8617,-97.6621,33.8617,-97.6621,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Nocona Fire Department reported half dollar sized hail near Lake Nocona." +113877,692896,TEXAS,2017,April,Hail,"COOKE",2017-04-21 17:49:00,CST-6,2017-04-21 17:49:00,0,0,0,0,0.00K,0,0.00K,0,33.77,-97.38,33.77,-97.38,"Severe thunderstorms developed in multiple waves along a surface dry line during the afternoon and evening hours on April 21st. Large hail was the primary severe weather which occurred, especially over portions of Collin County, where hail damaged several jurisdictions in and around McKinney.","Trained spotters reported quarter sized hail north of Muenster." +115361,692849,ARKANSAS,2017,April,Thunderstorm Wind,"POINSETT",2017-04-30 00:44:00,CST-6,2017-04-30 00:55:00,0,0,0,0,20.00K,20000,0.00K,0,35.6478,-90.5497,35.676,-90.4724,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Awnings blown off of Quality Farm Supply and an abandoned grocery store." +115361,692850,ARKANSAS,2017,April,Thunderstorm Wind,"CLAY",2017-04-30 00:45:00,CST-6,2017-04-30 00:55:00,0,0,0,0,30.00K,30000,0.00K,0,36.4364,-90.4017,36.4399,-90.3744,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Grain bins and storage shed damaged." +115361,692851,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:46:00,CST-6,2017-04-30 00:55:00,0,0,0,0,20.00K,20000,0.00K,0,35.7552,-90.4935,35.7624,-90.4652,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A carport and house damaged in Lunsford." +123924,743760,ALASKA,2017,December,Blizzard,"CENTRAL BEAUFORT SEA COAST",2017-12-07 12:46:00,AKST-9,2017-12-08 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A frontal boundary pushed through the eastern arctic slope and produced blizzard conditions on the 7th of December and lingered into the 8th of December 2017. |||zone 203: Blizzard and quarter mile visibility reported at the Deadhorse ASOS. A peak wind of 47 kt (54 mph) was also reported.||zone 204: Blizzard and quarter mile visibility reported at the Point Thomson AWOS. A peak wind of 45 kt (52 mph) was also reported.","" +116953,703395,INDIANA,2017,July,Flash Flood,"DUBOIS",2017-07-27 23:44:00,EST-5,2017-07-28 03:44:00,0,0,0,0,0.00K,0,0.00K,0,38.3028,-86.8418,38.3359,-86.7323,"A unseasonably moist air mass settled over the lower Ohio Valley during late July. An approaching cold front interacted with this high moisture and produced slow moving thunderstorms across the area. An area of 2 to 3 inches of rain fell across Dubois County in a short period resulting in flash flooding and road closures due to high water.","State officials reported high water flowing over State Road 64 near St. Anthony as well as across Schnellville Road. Road closure barricades were put up in these locations." +119162,715639,NEW MEXICO,2017,July,Thunderstorm Wind,"HIDALGO",2017-07-19 18:10:00,MST-7,2017-07-19 18:10:00,0,0,0,0,0.00K,0,0.00K,0,32.3406,-108.7029,32.3406,-108.7029,"Easterly flow was setting up across the region aloft with drier surface air still in place over southwest New Mexico allowed numerous storms to develop with severe winds in the area.","A wind gust blew a power line down in Lordsburg on South Main Street." +119162,715640,NEW MEXICO,2017,July,Thunderstorm Wind,"HIDALGO",2017-07-19 18:30:00,MST-7,2017-07-19 18:30:00,0,0,0,0,0.00K,0,0.00K,0,31.9488,-108.8113,31.9488,-108.8113,"Easterly flow was setting up across the region aloft with drier surface air still in place over southwest New Mexico allowed numerous storms to develop with severe winds in the area.","A wind gust was estimated at 60 mph along with low visibility from blowing dust." +119162,715638,NEW MEXICO,2017,July,Thunderstorm Wind,"SIERRA",2017-07-19 17:35:00,MST-7,2017-07-19 17:35:00,0,0,0,0,30.00K,30000,0.00K,0,33.14,-107.2403,33.14,-107.2403,"Easterly flow was setting up across the region aloft with drier surface air still in place over southwest New Mexico allowed numerous storms to develop with severe winds in the area.","Numerous large trees were blown down, two sheds blown over and a roof was blown off of a restaurant." +119220,715910,NEW MEXICO,2017,July,Flash Flood,"DONA ANA",2017-07-24 00:30:00,MST-7,2017-07-24 03:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6712,-107.1771,32.6528,-107.1713,"An upper high over the southern plains was bringing deep monsoon moisture into the region. Lingering outflow boundaries from evening convection helped to develop a slow moving thunderstorm over the Hatch, NM area which dropped almost 2 inches of rain in an hour over the town. This lead to flash flooding and numerous evacuations.","Emergency Operations Center was activated due to heavy rain and flash flooding in the Hatch area where 1.96 inches of rain was reported. About 40 people were evacuated from their residences in Hatch overnight. Heavy equipment was necessary to shore up the banks of the Placitas and Rincon arroyos. There was also a leaking gas main on NM 185." +118801,713712,SOUTH DAKOTA,2017,July,Drought,"CORSON",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713713,SOUTH DAKOTA,2017,July,Drought,"DEWEY",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713714,SOUTH DAKOTA,2017,July,Drought,"STANLEY",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713717,SOUTH DAKOTA,2017,July,Drought,"JONES",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +117865,708683,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-07 14:05:00,EST-5,2017-07-07 14:10:00,0,0,0,0,1.00K,1000,,NaN,34.31,-84.37,34.31,-84.37,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Cherokee County Emergency Manager reported a tree blown down on Flatbottom Road." +117865,708688,GEORGIA,2017,July,Thunderstorm Wind,"BUTTS",2017-07-07 17:00:00,EST-5,2017-07-07 17:20:00,0,0,0,0,20.00K,20000,,NaN,33.3205,-84.0443,33.307,-83.9835,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Butts County 911 center reported that part of the metal roof on an apartment building on England Chapel Road in Jenkinsburg was blown off and a large tree was blown down northwest of Jackson on Paul Mattox Road near Brookwood Avenue." +117865,708693,GEORGIA,2017,July,Thunderstorm Wind,"JASPER",2017-07-07 18:00:00,EST-5,2017-07-07 18:10:00,0,0,0,0,3.00K,3000,,NaN,33.21,-83.76,33.2454,-83.6805,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Jasper County 911 center reported trees blown down south of Monticello from Highway 83 to Highway 11 near Feldspar Road." +117865,708695,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-07 19:50:00,EST-5,2017-07-07 20:00:00,0,0,0,0,15.00K,15000,,NaN,33.9295,-84.0537,33.9295,-84.0537,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Gwinnett County Emergency Manager reported a tree blown down on a house on Canterbury Court. No injuries were reported." +117864,708677,GEORGIA,2017,July,Thunderstorm Wind,"HARALSON",2017-07-06 17:00:00,EST-5,2017-07-06 17:15:00,0,0,0,0,8.00K,8000,,NaN,33.8445,-85.2623,33.868,-85.1173,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Haralson County 911 center reported several trees blown down across the northern part of the county from northwest through northeast of Buchanan. Locations include Monroe Mill Road, 5 Points Road and near the intersection of Floyd Road and Mountain View Road." +117864,708678,GEORGIA,2017,July,Thunderstorm Wind,"POLK",2017-07-06 17:00:00,EST-5,2017-07-06 17:10:00,0,0,0,0,3.00K,3000,,NaN,33.9984,-85.2959,33.9529,-85.1633,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Polk County 911 center reported trees blown down from Sam Hutchins Road southwest of Cedartown to Antioch Road at Hightower Falls Road southeast of Cedartown." +117865,708684,GEORGIA,2017,July,Thunderstorm Wind,"COBB",2017-07-07 15:20:00,EST-5,2017-07-07 15:25:00,0,0,0,0,8.00K,8000,,NaN,34.0536,-84.6489,34.0551,-84.6315,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Cobb County 911 center reported trees and power lines blown down around the Acworth area. Locations include Old McEver Road and Legacy Park." +117865,708685,GEORGIA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-07 15:40:00,EST-5,2017-07-07 15:45:00,0,0,0,0,5.00K,5000,,NaN,33.7602,-83.338,33.7602,-83.338,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Oconee County 911 center reported large trees and power lines blown down near the intersection of Watson Springs Road and Jerusalem Road." +117865,708687,GEORGIA,2017,July,Thunderstorm Wind,"TALIAFERRO",2017-07-07 16:55:00,EST-5,2017-07-07 17:05:00,0,0,0,0,2.00K,2000,0.00K,0,33.5652,-82.7941,33.5652,-82.7941,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Taliaferro County 911 center reported trees blown down near a trailer park on Highway 47 at Stephan Road in Sharon." +117865,708686,GEORGIA,2017,July,Thunderstorm Wind,"WILKES",2017-07-07 16:40:00,EST-5,2017-07-07 16:55:00,0,0,0,0,5.00K,5000,,NaN,33.6726,-82.9047,33.7372,-82.7269,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Wilkes County 911 center reported trees blown down from Bartram Trace Road near Highway 44 to Sharon Road south of Washington and Hill Street in Washington." +120724,723073,OKLAHOMA,2017,September,Thunderstorm Wind,"COMANCHE",2017-09-20 20:25:00,CST-6,2017-09-20 20:25:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-98.24,34.82,-98.24,"A line of storms formed along a front in southern Oklahoma and western north Texas on the evening of the 20th.","" +120746,723178,ALABAMA,2017,September,Thunderstorm Wind,"CALHOUN",2017-09-19 16:00:00,CST-6,2017-09-19 16:01:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-85.68,33.65,-85.68,"An upper level short wave trough moved across north Alabama during the day on September 19th. Surface based CAPE peaked between 2500 and 3000 J/KG during the afternoon. Scattered to numerous thunderstorms developed during the afternoon and early evening, and a few became severe.","Several trees uprooted and fell onto a mobile home." +120752,723187,NORTH CAROLINA,2017,September,Hail,"CRAVEN",2017-09-21 13:25:00,EST-5,2017-09-21 13:25:00,0,0,0,0,0.00K,0,0.00K,0,35.0795,-77.055,35.0795,-77.055,"An isolated severe thunderstorm produced nickel to quarter size hail.","Nickel to quarter size hail fell in Perrytown." +119932,723188,MASSACHUSETTS,2017,September,Flash Flood,"ESSEX",2017-09-30 05:24:00,EST-5,2017-09-30 10:00:00,0,0,0,0,100.00K,100000,0.00K,0,42.4632,-70.976,42.4746,-70.9561,"Low pressure raced east from the Great Lakes bringing showers and isolated thunderstorms to Southern New England on the morning of Saturday the 30th. Several of the showers in Eastern Massachusetts contained locally heavy downpours, and one contained large hail. This brought several reports of flooding in Boston and the North Shore.","In Lynn at 530 AM EST, Boston Street was flooded and impassable at Stetson Street. A car was trapped in flood waters at the intersection of Boston and Bridge Streets. At 536 AM EST, a car was trapped in flood waters at Lynn Commons; people in the car needed to be rescued. At 542 AM EST multiple cars were trapped in flood waters at the intersection of Boston Street and Cottage Street; the road was closed. Also multiple cars were trapped in flood waters at Washington and Johnson Streets. At 550 AM EST, Western Avenue, Liberty Street, and North Common Street were closed due to flooding. At 555 AM EST Alley Street was flooded and impassable. At 558 AM EST, a car was trapped in flooding on Commercial Street at Fenwick Street. At 649 AM EST, multiple cars were trapped in flood waters on Monroe, New Park, and Federal Streets as well as Western Avenue. At 8 AM EST, Ainsworth Place at Boston Road experienced flooding into buildings. An amateur radio operator in Lynn reported a storm total of 3.79 inches of rain." +120742,723193,KANSAS,2017,September,Hail,"SCOTT",2017-09-24 17:44:00,CST-6,2017-09-24 17:44:00,0,0,0,0,,NaN,,NaN,38.37,-100.79,38.37,-100.79,"Unstable air with MLCAPE of around 1500 J/kg and effective bulk shear of around 40 knots was enough to help storms become severe around sunset.","Most of the hail was smaller than quarter sized." +113616,680144,GEORGIA,2017,April,Tornado,"CLAY",2017-04-05 10:59:00,EST-5,2017-04-05 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.7743,-85.1335,31.7798,-85.1186,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","The tornado touched down in extreme southeastern Barbour County in the White Oak community producing EF1 damage on White Oak Drive. The tornado then crossed Sandy Creek into Henry County's White Oak subdivision producing mostly EF1 damage across the entire width of the neighborhood between Sandy Creek and White Oak Creek. However, a double-wide manufactured home on Laurel Drive was shifted about 8 feet despite being strapped to the ground by 2 to 3 foot anchors which were completely pulled from the ground. This justified EF2 damage in this location with winds estimated at 115 mph. The tornado then crossed the Walter F. George Reservoir, also known as Lake Eufaula, into the state of Georgia with EF1 damage on the eastern shore of the lake along County Road 28. The tornado came ashore at the Quitman-Clay County line producing damage in both counties primarily in the form of uprooted trees. The trees damaged several homes. Debris from a lakeside porch was lofted and deposited on the opposite side of the home and strewn across an adjacent field. The tornado continued northeastward across rural Quitman County hitting the Self Family Farm on Self Road. The tornado did significant damage to the roof of a well constructed brick home, removing the majority of the roof. The walls of a brick outbuilding collapsed. There were also numerous trees snapped or uprooted adjacent to the home, two of which were debarked. This damage was consistent with EF2 winds of about 115 mph. Just northeast of the house, an irrigation pivot was toppled with the northern portion falling toward the southwest and the southern portion falling in the opposite direction. The tornado continued northeast across more rural areas causing EF1 damage to trees on County Road 82 before lifting shortly thereafter." +114055,684294,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 12:57:00,CST-6,2017-04-30 12:57:00,0,0,0,0,,NaN,,NaN,34.17,-86.86,34.17,-86.86,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Trees and power lines were knocked down near Cullman. Reported via social media and time estimated by radar." +114055,684295,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:03:00,CST-6,2017-04-30 13:03:00,0,0,0,0,,NaN,,NaN,34.74,-87.05,34.74,-87.05,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was blown down onto a home and cars off of Browns Ferry Road." +114055,684296,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:09:00,CST-6,2017-04-30 13:09:00,0,0,0,0,,NaN,,NaN,34.81,-86.97,34.81,-86.97,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","A tree was knocked down across McClellan Street in Athens." +114055,684301,ALABAMA,2017,April,Thunderstorm Wind,"CULLMAN",2017-04-30 13:10:00,CST-6,2017-04-30 13:10:00,0,0,0,0,,NaN,,NaN,34.26,-86.89,34.26,-86.89,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Pine trees with a diameter of 1.5 feet were snapped. Personal weather station measured a wind gust of 87 mph." +114055,684302,ALABAMA,2017,April,Thunderstorm Wind,"LIMESTONE",2017-04-30 13:15:00,CST-6,2017-04-30 13:15:00,0,0,0,0,,NaN,,NaN,34.85,-86.97,34.85,-86.97,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds damaged shingles on a home." +114421,687262,NEW MEXICO,2017,May,Hail,"SAN MIGUEL",2017-05-09 13:30:00,MST-7,2017-05-09 13:38:00,0,0,0,0,0.00K,0,0.00K,0,35.38,-105.1,35.38,-105.1,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of golf balls northeast of Anton Chico." +114421,687296,NEW MEXICO,2017,May,Thunderstorm Wind,"ROOSEVELT",2017-05-09 15:30:00,MST-7,2017-05-09 15:34:00,0,0,0,0,0.00K,0,0.00K,0,34.4306,-103.7915,34.4306,-103.7915,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Wind gust at least 60 mph with damage to small tree limbs." +114184,686517,OHIO,2017,March,Winter Storm,"ASHTABULA",2017-03-13 19:00:00,EST-5,2017-03-15 13:00:00,0,0,0,0,250.00K,250000,0.00K,0,NaN,NaN,NaN,NaN,"An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. Some of the higher storm totals in Ashtabula County included 17.1 inches at Roaming Shores; 16.5 inches at Lenox. 14.6 inches in rural Monroe Township, 12.5 inches at Jefferson and 11.5 inches as far south as Andover. In Geauga County some of the totals included 13.0 inches in the Chardon area, 12.5 inches at Montville and 12.0 inches at Burton. In Portage County the heaviest snow fell north of Interstate 76 with 11.0 inches at Aurora, 10.5 inches at Ravenna; 10.2 inches in Kent and 10.0 inches at Rootstown. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days.","An area of low pressure over Missouri at daybreak on March 13th moved east across the Tennessee Valley and to the East Coast by early on the 14th. The low rapidly intensified as it moved northeast up the East Coast by daybreak on the 15th. Snow associated with this low spread east across northern Ohio during the evening hours of the 13th. Two to four inches of snow fell across most of northern Ohio by mid morning on the 14th. Gusty northerly winds accompanied the snow causing blowing and drifting. Peak gusts were around 35 mph near Lake Erie and about 25 mph further inland. The snow then quickly transitioned to lake effect as the low shifted to the East Coast. The lake effect activity increased in intensity during the afternoon hours and peaked during the evening of the 14th and early morning hours of the 15th. The snow showers continued into the afternoon of the 15th and then dissipated to flurries. The heaviest snow fell just to the east of the Cleveland Metropolitan area in Geauga, Portage and inland Ashtabula Counties. Some of the higher storm totals in Ashtabula County included 17.1 inches at Roaming Shores; 16.5 inches at Lenox. 14.6 inches in rural Monroe Township, 12.5 inches at Jefferson and 11.5 inches as far south as Andover. The gusty winds that accompanied the snow caused a lot of blowing and drifting and made travel very difficult. Many accidents were reported and most of the schools in northern Ohio were closed one or more days." +113946,683750,OHIO,2017,March,Thunderstorm Wind,"LUCAS",2017-03-01 03:36:00,EST-5,2017-03-01 03:36:00,0,0,0,0,30.00K,30000,0.00K,0,41.645,-83.5783,41.645,-83.5783,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds toppled two utility poles near the University of Toledo." +113946,683751,OHIO,2017,March,Thunderstorm Wind,"LUCAS",2017-03-01 03:33:00,EST-5,2017-03-01 03:33:00,0,0,0,0,2.00K,2000,0.00K,0,41.62,-83.72,41.62,-83.72,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a large tree near Holland. The tree landed on a street." +113946,683753,OHIO,2017,March,Thunderstorm Wind,"WOOD",2017-03-01 03:55:00,EST-5,2017-03-01 03:55:00,0,0,0,0,2.00K,2000,0.00K,0,41.32,-83.45,41.32,-83.45,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds downed a large tree near Bradner." +113946,683833,OHIO,2017,March,Thunderstorm Wind,"WAYNE",2017-03-01 05:50:00,EST-5,2017-03-01 05:50:00,0,0,0,0,5.00K,5000,0.00K,0,40.83,-81.77,40.83,-81.77,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds tore some siding off of a residence." +113946,683834,OHIO,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-01 00:30:00,EST-5,2017-03-01 00:30:00,0,0,0,0,25.00K,25000,0.00K,0,40.9,-83.72,40.9,-83.72,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Strong winds in advance of an area of showers with embedded thunderstorms knocked down several trees and large limbs. A section of fencing was also blown over and at least one home lost some roofing." +113946,683836,OHIO,2017,March,Thunderstorm Wind,"MARION",2017-03-01 02:50:00,EST-5,2017-03-01 02:50:00,0,0,0,0,75.00K,75000,0.00K,0,40.58,-83.13,40.58,-83.13,"An area of low pressure was over northern Indiana during the late evening hours of February 28th. This low passed to north of Lake Erie during the early morning hours of March 1st. Showers and thunderstorms developed along a warm front stretching east from this low just after midnight on the 1st. Other storms developed later in the night as a trailing cold front moved into the area. Several reports of damaging winds and downed trees were received. Several thousand customers were without power at the peak of the storm. Other scattered thunderstorms developed during the afternoon hours. At least one of the thunderstorms became severe and downed some trees.","Thunderstorm winds tore off a large section of roofing from a building on North Main Street. A large tree nearby was also toppled." +114421,687429,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-09 22:50:00,MST-7,2017-05-09 22:53:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-103.36,34.18,-103.36,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Nickel size hail on the west side of Portales." +114421,687500,NEW MEXICO,2017,May,Hail,"RIO ARRIBA",2017-05-09 12:20:00,MST-7,2017-05-09 12:22:00,0,0,0,0,0.00K,0,0.00K,0,36.07,-106.12,36.07,-106.12,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of quarters in Hernandez." +114047,689512,IOWA,2017,March,Thunderstorm Wind,"IOWA",2017-03-06 21:05:00,CST-6,2017-03-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,41.52,-92.08,41.52,-92.08,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A trained spotter relayed a public report of winds of 60 to 70 mph." +114047,689439,IOWA,2017,March,Thunderstorm Wind,"BENTON",2017-03-06 21:08:00,CST-6,2017-03-06 21:08:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-91.4,42.64,-91.4,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Local fire and rescue reported trees and power lines down." +114047,689514,IOWA,2017,March,Thunderstorm Wind,"DELAWARE",2017-03-06 21:09:00,CST-6,2017-03-06 21:09:00,0,0,0,0,0.00K,0,0.00K,0,42.63,-91.4,42.63,-91.4,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This measurement was relayed by the local emergency manager." +114047,689441,IOWA,2017,March,Thunderstorm Wind,"KEOKUK",2017-03-06 21:10:00,CST-6,2017-03-06 21:10:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-92.16,41.19,-92.16,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tree was reported down on Highway 78." +114047,689520,IOWA,2017,March,Thunderstorm Wind,"DUBUQUE",2017-03-06 21:36:00,CST-6,2017-03-06 21:36:00,0,0,0,0,0.00K,0,0.00K,0,42.3,-91.01,42.3,-91.01,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A measured wind gust of 56 kts was received from the local emergency manager." +114047,689680,IOWA,2017,March,Thunderstorm Wind,"DUBUQUE",2017-03-06 22:00:00,CST-6,2017-03-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.72,42.52,-90.72,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Winds were estimated up to 60 mph." +114884,689188,COLORADO,2017,May,Hail,"WASHINGTON",2017-05-26 15:20:00,MST-7,2017-05-26 15:20:00,0,0,0,0,,NaN,,NaN,39.94,-103.53,39.94,-103.53,"Severe thunderstorms produced quarter to ping pong size hail in Douglas and Washington Counties. In addition, two weak tornadoes touched down briefly in Washington County.","" +112615,672220,GEORGIA,2017,January,Drought,"LAMAR",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672222,GEORGIA,2017,January,Drought,"JONES",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672223,GEORGIA,2017,January,Drought,"JASPER",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,689825,IOWA,2017,March,Tornado,"DUBUQUE",2017-03-06 21:51:00,CST-6,2017-03-06 21:55:00,0,0,0,0,5.00K,5000,0.00K,0,42.2947,-90.8262,42.3352,-90.7344,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This is a continuation of the tornado that moved in from Jackson County. Numerous trees suffered damage and outbuildings were destroyed. Roofs were torn off a hog confinement and a manufactured home." +114973,689732,ILLINOIS,2017,March,Hail,"HENRY",2017-03-19 23:45:00,CST-6,2017-03-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-90.19,41.29,-90.19,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail with one report up to the size of golf balls.","A few stones up to a diameter of 1 inch fell." +114973,689734,ILLINOIS,2017,March,Hail,"HENRY",2017-03-19 23:40:00,CST-6,2017-03-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-90.19,41.32,-90.19,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail with one report up to the size of golf balls.","Hail lasted 5 minutes, the hailstones covered the ground." +114098,683244,TEXAS,2017,April,Tornado,"VAN ZANDT",2017-04-29 15:15:00,CST-6,2017-04-29 15:18:00,0,0,0,0,0.00K,0,60.00K,60000,32.6056,-95.7526,32.6272,-95.7457,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","Storm spotters and storm chasers observed a brief tornado to the southwest of Grand Saline. Damage to trees was observed by the survey crew from the National Weather Service office." +112615,672244,GEORGIA,2017,January,Drought,"CRAWFORD",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672245,GEORGIA,2017,January,Drought,"COWETA",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,689714,IOWA,2017,March,Thunderstorm Wind,"MUSCATINE",2017-03-06 22:12:00,CST-6,2017-03-06 22:12:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.07,41.42,-91.07,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689686,IOWA,2017,March,Thunderstorm Wind,"SCOTT",2017-03-06 22:28:00,CST-6,2017-03-06 22:28:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-90.69,41.62,-90.69,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +115359,693778,MISSISSIPPI,2017,April,Thunderstorm Wind,"CALHOUN",2017-04-30 09:40:00,CST-6,2017-04-30 09:45:00,0,0,0,0,100.00K,100000,0.00K,0,33.98,-89.35,34.0038,-89.3305,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Multiple trees down across the county. Roofs off a couple of houses." +115359,693779,MISSISSIPPI,2017,April,Thunderstorm Wind,"PANOLA",2017-04-30 09:47:00,CST-6,2017-04-30 09:55:00,0,0,0,0,20.00K,20000,0.00K,0,34.5055,-89.9842,34.5162,-89.9121,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees down on Highway 310 between Parks Place and the City of Como." +115359,693782,MISSISSIPPI,2017,April,Thunderstorm Wind,"PONTOTOC",2017-04-30 11:00:00,CST-6,2017-04-30 11:10:00,0,0,0,0,100.00K,100000,0.00K,0,34.1266,-89.2399,34.18,-89.17,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Several trees down in the southwest portion of the county. Four structures were also damaged." +115359,693784,MISSISSIPPI,2017,April,Thunderstorm Wind,"CHICKASAW",2017-04-30 10:00:00,CST-6,2017-04-30 10:10:00,0,0,0,0,0.00K,0,0.00K,0,33.8939,-88.7357,33.9064,-88.7112,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","A couple of trees snapped or uprooted." +115359,693786,MISSISSIPPI,2017,April,Thunderstorm Wind,"DE SOTO",2017-04-30 10:10:00,CST-6,2017-04-30 10:20:00,0,0,0,0,,NaN,0.00K,0,34.7915,-90.0687,34.859,-89.9011,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees and power lines down countywide." +115359,693787,MISSISSIPPI,2017,April,Thunderstorm Wind,"DE SOTO",2017-04-30 11:15:00,CST-6,2017-04-30 11:20:00,0,0,0,0,,NaN,0.00K,0,34.8981,-90.0845,34.9061,-90.0455,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Twenty light poles along Star Landing Road. Power lines and trees down in the western part of the county." +115361,692852,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:47:00,CST-6,2017-04-30 00:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.8148,-90.4525,35.82,-90.43,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Power poles down." +115361,692853,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:48:00,CST-6,2017-04-30 00:55:00,0,0,0,0,10.00K,10000,0.00K,0,35.8112,-90.4587,35.82,-90.43,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Trees are uprooted in Lake City." +115361,692854,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:53:00,CST-6,2017-04-30 01:00:00,0,0,0,0,20.00K,20000,0.00K,0,35.7482,-90.3632,35.7627,-90.3066,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Multiple power lines were snapped in half in Caraway." +115361,692855,ARKANSAS,2017,April,Thunderstorm Wind,"CRAIGHEAD",2017-04-30 00:54:00,CST-6,2017-04-30 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,35.8935,-90.3217,35.8813,-90.3811,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Power pole and power lines down." +115361,693613,ARKANSAS,2017,April,Flash Flood,"GREENE",2017-04-30 01:34:00,CST-6,2017-04-30 09:00:00,0,0,0,0,0.00K,0,0.00K,0,36.0593,-90.4769,36.0571,-90.4767,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Lake street flooded and closed due to heavy rainfall." +115349,693205,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:14:00,CST-6,2017-04-05 17:15:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-86.28,33.59,-86.28,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +118801,713718,SOUTH DAKOTA,2017,July,Drought,"CAMPBELL",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713719,SOUTH DAKOTA,2017,July,Drought,"WALWORTH",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713720,SOUTH DAKOTA,2017,July,Drought,"POTTER",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713721,SOUTH DAKOTA,2017,July,Drought,"SULLY",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713722,SOUTH DAKOTA,2017,July,Drought,"HUGHES",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713723,SOUTH DAKOTA,2017,July,Drought,"LYMAN",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713724,SOUTH DAKOTA,2017,July,Drought,"MCPHERSON",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713727,SOUTH DAKOTA,2017,July,Drought,"EDMUNDS",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713730,SOUTH DAKOTA,2017,July,Drought,"FAULK",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713731,SOUTH DAKOTA,2017,July,Drought,"HYDE",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713732,SOUTH DAKOTA,2017,July,Drought,"HAND",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713734,SOUTH DAKOTA,2017,July,Drought,"BUFFALO",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713737,SOUTH DAKOTA,2017,July,Drought,"BROWN",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +118801,713739,SOUTH DAKOTA,2017,July,Drought,"SPINK",2017-07-01 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Hot and mostly dry conditions throughout July led to the continuation and expansion of the drought across central and northeast South Dakota. The drought conditions intensified across north central South Dakota with extreme drought encompassing the entire region by July 11th. The severe drought conditions also expanded into Jones and Spink counties by July 18th. By the end of July, there was some slight improvement across parts of north central South Dakota while extreme drought developed across parts of Lyman and Buffalo counties. ||Some episodes of heavy rain affected parts of northern South Dakota, but central South Dakota including the Pierre region largely missed out in the beneficial rain. The heavier rain over northern South Dakota had slowed the continued worsening of the drought, but for many in the agricultural community, it was too late. At the South Dakota Senator's request, the USDA opened up 235,000 acres of CRP lands across the hard hit regions of South Dakota for emergency haying and grazing. Regulations were also eased for grass waterways, wetlands restoration, farmable wetlands and related buffers, and duck nesting habitat. ||Over the past three months, much of central and northern South Dakota had only received 50 to 75 percent of normal precipitation. July was a hot month, accelerating the deteriorating conditions. Pierre only recorded 0.17 of rainfall resulting in the second driest July on record surpassed only by 0.10 of rain in July 1936. Average monthly temperatures were from 3 to 5 degrees above normal with many 100 degree plus temperatures recorded. Some of the hottest temperatures in the drought region were 104 degrees at Aberdeen, 106 degrees at Pierre and Mobridge, 107 degrees at Kennebec, and 109 degrees at Gann Valley. ||Topsoil and subsoil moisture continued to decrease across most of the region throughout July. The majority of the crops including spring wheat, oats, barley, corn, alfalfa, along with pasture and range land conditions were rated at poor or very poor. The majority of the stock water supplies were also short or very short. Many areas of winter wheat were cut for hay instead of grain with many acres declared a complete loss. Cattle sales also continued across the region as a result of feed shortages and poor grazing conditions. Below average river stream flow conditions also continued. ||Many counties continued with burn bans throughout July as the grassland fire danger index reached high or very high frequently with grass fires reported across the region. |In June, many counties issued drought declarations with the Governor declaring a statewide drought emergency along with the South Dakota Drought Task being activated.","" +119225,715960,NEW MEXICO,2017,July,Thunderstorm Wind,"DONA ANA",2017-07-26 18:13:00,MST-7,2017-07-26 18:13:00,0,0,0,0,0.00K,0,0.00K,0,32.3758,-106.474,32.3758,-106.474,"Westerly surface winds started to dry low levels out with moist easterly upper level flow providing sufficient shear for severe thunderstorms with wind gusts to 77 mph recorded.","A gust of 77 mph was measured at Condron Field observation site on the White Sands Missile Range." +119228,715969,TEXAS,2017,July,Hail,"EL PASO",2017-07-27 15:25:00,MST-7,2017-07-27 15:25:00,0,0,0,0,0.00K,0,0.00K,0,31.2704,-105.8128,31.2704,-105.8128,"A weak area of surface convergence setup near the Rio Grande Valley with strong 40-50 knot jet stream winds out of the east providing moisture and good wind shear over the region. A couple of areas just east of El Paso experienced flash flooding with severe hail reported in El Paso.","Dime size hail was reported just northwest of McNary." +118436,711690,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-20 15:00:00,EST-5,2017-07-20 15:10:00,0,0,0,0,1.00K,1000,0.00K,0,41.84,-76.8,41.84,-76.8,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across Watkins Hill Road." +117865,717256,GEORGIA,2017,July,Flash Flood,"WASHINGTON",2017-07-08 21:00:00,EST-5,2017-07-09 00:00:00,0,0,0,0,0.00K,0,0.00K,0,32.979,-83.044,32.9762,-83.0449,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The 911 Center relayed a report of water covering the road on GA Highway 24 West, near the Washington-Baldwin County line. Radar estimates indicate that rainfall amounts of 2 to 4 inches occurred in the area." +117865,717441,GEORGIA,2017,July,Thunderstorm Wind,"MORGAN",2017-07-07 17:25:00,EST-5,2017-07-07 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,33.5682,-83.535,33.5682,-83.535,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","Morgan County 911 Center reported a large tree down along Brownwood Road, 1/2 mile off Atlanta Hwy." +117865,717442,GEORGIA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 17:10:00,EST-5,2017-07-08 17:20:00,0,0,0,0,3.00K,3000,0.00K,0,32.975,-82.812,32.975,-82.812,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","Washington County 911 Center reported a tree down at the 500 block of King Street. Time estimated from radar." +117865,717443,GEORGIA,2017,July,Thunderstorm Wind,"WILKINSON",2017-07-08 18:00:00,EST-5,2017-07-08 18:10:00,0,0,0,0,2.00K,2000,0.00K,0,32.9454,-83.161,32.9454,-83.161,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","Wilkinson County 911 Center reported a tree down along Hwy 112, about 2 miles from the Baldwin County line." +117865,708692,GEORGIA,2017,July,Thunderstorm Wind,"NEWTON",2017-07-07 17:36:00,EST-5,2017-07-07 17:40:00,0,0,0,0,4.00K,4000,,NaN,33.5,-83.72,33.5,-83.72,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Newton County Emergency Manager reported a large tree knocked out power lines around the intersection of Mill Pond Road and Loyd Road southeast of Mansfield." +117865,708690,GEORGIA,2017,July,Thunderstorm Wind,"MORGAN",2017-07-07 17:10:00,EST-5,2017-07-07 17:15:00,0,0,0,0,2.00K,2000,,NaN,33.6428,-83.598,33.6428,-83.598,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Morgan County 911 center reported a tree down along Lake Rutledge Road, just north of Rutledge." +117865,708694,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-07 19:15:00,EST-5,2017-07-07 19:25:00,0,0,0,0,15.00K,15000,,NaN,33.9057,-84.2069,33.9787,-84.1763,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Gwinnett County Emergency Manager reported trees and power lines blown down between Norcross and Lilburn. Locations include Joseph Way, Warners Trail where a tree fell on a house, Reddington Lane, Dickens Road at Indian Trail, and Lakeshore Drive." +117865,708696,GEORGIA,2017,July,Thunderstorm Wind,"WILKINSON",2017-07-07 19:48:00,EST-5,2017-07-07 20:00:00,0,0,0,0,6.00K,6000,,NaN,32.91,-83.38,32.9086,-83.2975,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Wilkinson County Emergency Manager reported trees and power lines blown down across the northwest part of the county from Highway 18 near Bob Martin Road to Lakeshore Drive near the Fall Line Freeway." +117865,708699,GEORGIA,2017,July,Thunderstorm Wind,"LAURENS",2017-07-08 16:40:00,EST-5,2017-07-08 17:10:00,0,0,0,0,10.00K,10000,,NaN,32.5158,-82.724,32.4821,-82.8949,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Laurens County Emergency Manager reported multiple trees blown down from south of Dublin on Highway 19 at BW Cook Road to east of East Dublin on St Paul Road and on Rockledge Road." +117865,708700,GEORGIA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-08 17:45:00,EST-5,2017-07-08 17:55:00,0,0,0,0,6.00K,6000,,NaN,32.78,-82.93,32.78,-82.93,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Washington County 911 center reported trees and power lines blown down from around the intersection of Highways 57 and 68." +127112,761678,ALASKA,2017,December,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-12-30 12:00:00,AKST-9,2017-12-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure and associated frontal boundary produced local blizzard conditions along the Bering strait from December 30 to 31st 2017. ||Zone 213: Blizzard conditions were observed at the Gambell AWOS on Saint Lawrence Island. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 48 kt (55 mph) at the Gambell AWOS.||Zone 213: Blizzard conditions were observed at the Nome ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 44 kt (50 mph) at the Nome ASOS.","" +127724,766033,IOWA,2017,October,Drought,"WARREN",2017-10-01 00:00:00,CST-6,2017-10-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of Warren county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766034,IOWA,2017,October,Drought,"MARION",2017-10-01 00:00:00,CST-6,2017-10-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of Marion county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766035,IOWA,2017,October,Drought,"MAHASKA",2017-10-01 00:00:00,CST-6,2017-10-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of Mahaska county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766036,IOWA,2017,October,Drought,"UNION",2017-10-01 00:00:00,CST-6,2017-10-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of central and eastern Union county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766037,IOWA,2017,October,Drought,"CLARKE",2017-10-01 00:00:00,CST-6,2017-10-17 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across Clarke county in early October but generous rainfall ended the dry conditions by mid-month." +120802,723435,GULF OF MEXICO,2017,September,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-09-02 05:29:00,EST-5,2017-09-02 05:29:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Numerous showers and thunderstorms over the Florida Straits and upper Florida Keys developed as a trough of low pressure remained nearly stationary across the nothern Florida Peninsula and northeast Gulf of Mexico. An isolated gale-force wind gust occurred along the reef offshore Islamorada, Florida.","A wind gust of 34 knots (39 mph) was measured by an automated WeatherFlow station at Alligator Reef Light." +114421,686033,NEW MEXICO,2017,May,Funnel Cloud,"TORRANCE",2017-05-09 09:00:00,MST-7,2017-05-09 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.7383,-106.2234,34.7383,-106.2234,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","A funnel cloud was spotted southeast of state roads 337 and 55." +114300,684772,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:09:00,MST-7,2017-05-08 14:09:00,0,0,0,0,,NaN,,NaN,39.77,-105.1,39.77,-105.1,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684773,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:15:00,MST-7,2017-05-08 14:15:00,0,0,0,0,,NaN,,NaN,39.74,-104.99,39.74,-104.99,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684774,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:16:00,MST-7,2017-05-08 14:16:00,0,0,0,0,,NaN,,NaN,39.74,-105,39.74,-105,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684775,COLORADO,2017,May,Hail,"ARAPAHOE",2017-05-08 14:20:00,MST-7,2017-05-08 14:20:00,0,0,0,0,,NaN,,NaN,39.6,-104.02,39.6,-104.02,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684776,COLORADO,2017,May,Hail,"DENVER",2017-05-08 14:20:00,MST-7,2017-05-08 14:20:00,0,0,0,0,,NaN,,NaN,39.79,-105.04,39.79,-105.04,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684777,COLORADO,2017,May,Hail,"ADAMS",2017-05-08 14:25:00,MST-7,2017-05-08 14:25:00,0,0,0,0,,NaN,,NaN,39.91,-105.04,39.91,-105.04,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684778,COLORADO,2017,May,Hail,"JEFFERSON",2017-05-08 14:29:00,MST-7,2017-05-08 14:29:00,0,0,0,0,,NaN,,NaN,39.7,-105.11,39.7,-105.11,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114300,684779,COLORADO,2017,May,Hail,"WELD",2017-05-08 14:47:00,MST-7,2017-05-08 14:47:00,0,0,0,0,,NaN,,NaN,40.4,-104.81,40.4,-104.81,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114532,686872,OHIO,2017,March,Hail,"CUYAHOGA",2017-03-30 21:31:00,EST-5,2017-03-30 21:31:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-81.78,41.43,-81.78,"An area of low pressure moved across southern Ohio forcing a warm front north to near Lake Erie. Showers and thunderstorms developed along this front. A couple of thunderstorms became severe.","Quarter to half dollar sized hail was observed." +122068,730800,COLORADO,2017,December,Winter Storm,"WEST JACKSON & WEST GRAND COUNTIES ABOVE 9000 FEET",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep moisture and a strong jet stream brought another wave of heavy snow and strong winds to the mountains of north central Colorado. Storm totals included: 22 inches near Loveland Pass, 20.5 inches, 4 miles southeast of Mount Zirkel; 18.5 inches near Climax; 15.5 inches near Copper Mountain, Eldora and 5 miles west-southwest of Guanella Pass; 13.5 inches, 3 miles south of Brainard Lake, 7 miles east-southeast of Cameron Pass and 9 miles south-southeast of Spicer; 12 inches, 4 miles south of Longs Peak and 3 miles north-northeast of Mount Audubon; 10 inches, 9 miles east of Glendevey and 9 miles south-southeast of Gould. Gusty winds were also observed, ranging from 45 to 55 mph above timberline.","Storm totals ranged from 10 to 20.5 inches." +122068,730801,COLORADO,2017,December,Winter Storm,"S & E JACKSON / LARIMER / N & NE GRAND / NW BOULDER COUNTIES ABOVE 9000 FEET",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep moisture and a strong jet stream brought another wave of heavy snow and strong winds to the mountains of north central Colorado. Storm totals included: 22 inches near Loveland Pass, 20.5 inches, 4 miles southeast of Mount Zirkel; 18.5 inches near Climax; 15.5 inches near Copper Mountain, Eldora and 5 miles west-southwest of Guanella Pass; 13.5 inches, 3 miles south of Brainard Lake, 7 miles east-southeast of Cameron Pass and 9 miles south-southeast of Spicer; 12 inches, 4 miles south of Longs Peak and 3 miles north-northeast of Mount Audubon; 10 inches, 9 miles east of Glendevey and 9 miles south-southeast of Gould. Gusty winds were also observed, ranging from 45 to 55 mph above timberline.","Storm totals ranged from 8 to 14 inches." +122068,730802,COLORADO,2017,December,Winter Storm,"S & SE GRAND / W CENTRAL & SW BOULDER / GILPIN / CLEAR CREEK / SUMMIT / N & W PARK COUNTIES ABOVE 9000 FEET",2017-12-24 23:00:00,MST-7,2017-12-26 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep moisture and a strong jet stream brought another wave of heavy snow and strong winds to the mountains of north central Colorado. Storm totals included: 22 inches near Loveland Pass, 20.5 inches, 4 miles southeast of Mount Zirkel; 18.5 inches near Climax; 15.5 inches near Copper Mountain, Eldora and 5 miles west-southwest of Guanella Pass; 13.5 inches, 3 miles south of Brainard Lake, 7 miles east-southeast of Cameron Pass and 9 miles south-southeast of Spicer; 12 inches, 4 miles south of Longs Peak and 3 miles north-northeast of Mount Audubon; 10 inches, 9 miles east of Glendevey and 9 miles south-southeast of Gould. Gusty winds were also observed, ranging from 45 to 55 mph above timberline.","Storm totals ranged from 12 to 22 inches." +114406,685819,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-08 15:44:00,MST-7,2017-05-08 15:50:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-104.24,34.48,-104.24,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Hail up to the size of ping pong balls reported in Fort Sumner." +114406,685977,NEW MEXICO,2017,May,Hail,"HARDING",2017-05-08 16:25:00,MST-7,2017-05-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,35.94,-104.17,35.94,-104.17,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Hail up to the size of half dollars near Roy." +114421,687350,NEW MEXICO,2017,May,Funnel Cloud,"CURRY",2017-05-09 16:55:00,MST-7,2017-05-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5678,-103.1616,34.5678,-103.1616,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","The fourth funnel cloud was reported from a severe thunderstorm moving northeast across Curry County. No touchdown was confirmed by an NWS storm survey." +114421,687352,NEW MEXICO,2017,May,Hail,"CURRY",2017-05-09 17:45:00,MST-7,2017-05-09 17:48:00,0,0,0,0,0.00K,0,0.00K,0,34.6469,-103.2152,34.6469,-103.2152,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","The COOP observer north of Clovis reported half dollar size hail." +114769,688407,NEW MEXICO,2017,May,Heavy Rain,"QUAY",2017-05-21 18:00:00,MST-7,2017-05-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.7214,-104.0241,34.7214,-104.0241,"Northwest flow aloft on the backside of a departing upper level trough combined with moist, unstable, low level southeasterly flow across eastern New Mexico to generate scattered strong to severe thunderstorms. The strongest thunderstorm moved southeast through Guadalupe County into far southwestern Quay County during the early evening hours. Spotters observed at least one funnel cloud and a possible tornado around 20 miles east-southeast of Santa Rosa. This storm collapsed to the northwest of House and generated a swath of very heavy rainfall over southwest Quay County. Radar estimates indicated three to five inches of rain fell in less than one hour. Employees at the New Mexico Wind Energy Center reported large areas of standing water the next morning.","Radar estimates and surface observations indicated an area of very heavy rainfall associated with a collapsing thunderstorm near House. Employees at the New Mexico Wind Energy Center observed large areas of standing water the following morning." +114768,689285,NEW MEXICO,2017,May,High Wind,"DE BACA COUNTY",2017-05-16 14:35:00,MST-7,2017-05-16 14:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unseasonably cold storm system moving east across New Mexico produced a wide variety of weather for mid-May. Temperatures were up to 20 degrees below normal in some areas. Showers and thunderstorms that developed over central and western New Mexico produced locally strong winds and mainly light rainfall amounts. Light snow accumulations were even reported over the northern high terrain. Meanwhile, southwest winds cranked up over eastern New Mexico and generated gusts to near 60 mph.","A public CWOP station at Sumner Lake reported a peak wind gust of 62 mph." +114771,689290,NEW MEXICO,2017,May,Hail,"DE BACA",2017-05-22 11:25:00,MST-7,2017-05-22 11:35:00,0,0,0,0,0.00K,0,0.00K,0,34.32,-104.73,34.32,-104.73,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Hail up to the size of nickels last for 10 minutes. Hail nearly covered the ground." +114047,689515,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:17:00,CST-6,2017-03-06 21:17:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-91.68,41.69,-91.68,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689516,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:17:00,CST-6,2017-03-06 21:17:00,0,0,0,0,0.00K,0,0.00K,0,41.74,-91.61,41.74,-91.61,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689517,IOWA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-06 21:19:00,CST-6,2017-03-06 21:19:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-91.84,41.47,-91.84,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114047,689521,IOWA,2017,March,Thunderstorm Wind,"WASHINGTON",2017-03-06 21:40:00,CST-6,2017-03-06 21:40:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-91.7,41.49,-91.7,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A trained spotter measured a wind gust of 57 kts." +114047,689841,IOWA,2017,March,Tornado,"SCOTT",2017-03-06 22:17:00,CST-6,2017-03-06 22:36:00,0,0,0,0,50.00K,50000,0.00K,0,41.5071,-90.7854,41.6932,-90.4995,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","This is a continuation of the Tornado that started in Muscatine County. Power poles were snapped, a house was un-roofed, and numerous farm outbuildings and trees were damaged." +114047,689522,IOWA,2017,March,Thunderstorm Wind,"JOHNSON",2017-03-06 21:39:00,CST-6,2017-03-06 21:39:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","An ASOS measured a wind gust of 52 kts." +114968,689659,COLORADO,2017,May,Hail,"BOULDER",2017-05-16 13:30:00,MST-7,2017-05-16 13:30:00,0,0,0,0,0.00K,0,0.00K,0,40.01,-105.22,40.01,-105.22,"Strong thunderstorm produced hail up to nickel size across parts of Boulder, Washington and Weld Counties.","" +115027,690298,NEW MEXICO,2017,May,Hail,"UNION",2017-05-27 16:46:00,MST-7,2017-05-27 16:48:00,0,0,0,0,0.00K,0,0.00K,0,36.6676,-103.4878,36.6676,-103.4878,"Northwest flow lingering along the Front Range and an approaching back door cold front produced an area of showers and thunderstorms over extreme northeastern New Mexico. A couple of these thunderstorms became severe during the late afternoon hours across Union County. The main impact from these storms was quarter size hail near Des Moines, Grenville, and Seneca.","Hail up to the size of quarters from the second storm in a row northeast of Grenville." +112615,672175,GEORGIA,2017,January,Drought,"BALDWIN",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,689684,IOWA,2017,March,Thunderstorm Wind,"MUSCATINE",2017-03-06 22:10:00,CST-6,2017-03-06 22:10:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-91.15,41.37,-91.15,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +114048,690046,ILLINOIS,2017,March,Tornado,"WHITESIDE",2017-03-06 22:53:00,CST-6,2017-03-06 23:01:00,0,0,0,0,0.00K,0,0.00K,0,41.7165,-90.1358,41.7288,-90.111,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Damage was mainly to snapped trees and a farm outbuilding lost its roof and its walls fell in." +114973,689736,ILLINOIS,2017,March,Hail,"HENRY",2017-03-19 23:50:00,CST-6,2017-03-19 23:50:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-90.15,41.3,-90.15,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail with one report up to the size of golf balls.","" +114973,689735,ILLINOIS,2017,March,Hail,"WARREN",2017-03-19 23:45:00,CST-6,2017-03-19 23:45:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-90.57,40.98,-90.57,"A passing disturbance spawned scattered thunderstorms in the evening. The strongest storms produced hail with one report up to the size of golf balls.","A trained spotter relayed a report of lots of golf ball sized hail for a brief period from a local contact. The time was estimated by radar." +115349,693194,ALABAMA,2017,April,Tornado,"CHAMBERS",2017-04-05 19:39:00,CST-6,2017-04-05 19:43:00,0,0,0,0,0.00K,0,0.00K,0,33.0037,-85.5402,33.005,-85.5064,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","National Weather Service meteorologists surveyed damage in northwestern Chambers County and determined that the damage was consistent with an EF1 tornado, with maximum sustained winds near 90 mph. The tornado touched down along CR 116 just west of the Union Hill community where several trees were uprooted and large branches were snapped. The tornado continued east, crossing CR 123, where a barn sustained minor damage and several additional trees were snapped. Adjacent to CR 123 and CR 53, a small fire station, barn and additional trees sustained significant damage. The tornado lifted just beyond CR 53, east of Union Hill where more trees were observed to have minor damage." +115349,693195,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:50:00,CST-6,2017-04-05 16:51:00,0,0,0,0,0.00K,0,0.00K,0,33.55,-86.54,33.55,-86.54,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693196,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:50:00,CST-6,2017-04-05 16:51:00,0,0,0,0,0.00K,0,0.00K,0,33.44,-86.73,33.44,-86.73,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693197,ALABAMA,2017,April,Hail,"JEFFERSON",2017-04-05 16:52:00,CST-6,2017-04-05 16:53:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-86.73,33.46,-86.73,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693206,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:15:00,CST-6,2017-04-05 17:16:00,0,0,0,0,0.00K,0,0.00K,0,33.69,-86.4,33.69,-86.4,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693207,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:25:00,CST-6,2017-04-05 17:26:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-86.21,33.61,-86.21,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","Several car windows broken out." +115349,693208,ALABAMA,2017,April,Hail,"CALHOUN",2017-04-05 17:22:00,CST-6,2017-04-05 17:23:00,0,0,0,0,0.00K,0,0.00K,0,33.72,-86.03,33.72,-86.03,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693209,ALABAMA,2017,April,Hail,"TALLADEGA",2017-04-05 17:26:00,CST-6,2017-04-05 17:27:00,0,0,0,0,0.00K,0,0.00K,0,33.61,-86.12,33.61,-86.12,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115349,693210,ALABAMA,2017,April,Hail,"ST. CLAIR",2017-04-05 17:13:00,CST-6,2017-04-05 17:14:00,0,0,0,0,0.00K,0,0.00K,0,33.76,-86.47,33.76,-86.47,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +113462,679224,MASSACHUSETTS,2017,February,Winter Weather,"WESTERN NORFOLK",2017-02-08 01:00:00,EST-5,2017-02-08 12:00:00,0,4,0,1,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure wave developed east of Massachusetts along a warm front during the early morning of the 8th. This drew a surge of colder air across the Metropolitan Boston area during the early morning. The colder air combined with wet surface to create icy road surfaces. In addition, a short period of freezing rain moved through during the morning rush hour.","Freezing rain caused numerous crashes and in some instances temporary road closures on the major arteries around Metropolitan Boston. These occurred near the start of the morning commute. A 63-year-old man who stopped to help a motorist stuck on an icy road in Needham was killed when a second vehicle slid into him, pinning him between two vehicles." +113462,679225,MASSACHUSETTS,2017,February,Winter Weather,"WESTERN MIDDLESEX",2017-02-08 01:00:00,EST-5,2017-02-08 12:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure wave developed east of Massachusetts along a warm front during the early morning of the 8th. This drew a surge of colder air across the Metropolitan Boston area during the early morning. The colder air combined with wet surface to create icy road surfaces. In addition, a short period of freezing rain moved through during the morning rush hour.","Freezing rain caused numerous crashes and in some instances temporary road closures on the major arteries around Boston. These occurred near the start of the morning commute." +113587,679927,CONNECTICUT,2017,February,Drought,"HARTFORD",2017-02-01 00:00:00,EST-5,2017-02-28 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"In February, rainfall throughout much of northern Connecticut ranged from one-quarter inch to one-inch below normal. Temperatures were above normal. This hindered snowpack development, but also kept soils sufficiently thawed to allow some recharge to groundwater. ||Cold temperatures mid-month allowed for a period of accumulating snowfall. Then a warmup occurred heading into late February. During the 23rd to 25th, daytime highs were in the 60s and 70s. The resulting snowmelt prompted a boost in river and stream flows to normal or above normal levels during the latter portion of the|month. Considerable snowmelt also occurred along the headwaters of the Connecticut River. The Connecticut River at Hartford CT rose over its 16 foot flood stage, cresting|at 16.09 feet during midnight to 1:30 am on February 28th. ||The Connecticut Department of Public Health (DPH) continued a Drought Watch for Hartford and Tolland Counties in Northern Connecticut and a Drought Advisory for Windham County. A report from the Connecticut DPH indicated the State���s overall water supply had improved to 85.8 percent of capacity.","The U.S. Drought Monitor continued the Extreme Drought (D3) designation for most of Hartford County through the month of February. Portions of eastern Hartford County were reduced to a Severe Drought (D2) designation on February 7." +118436,711691,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-20 15:04:00,EST-5,2017-07-20 15:14:00,0,0,0,0,1.00K,1000,0.00K,0,42,-76.54,42,-76.54,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across Elmira Street." +118436,711695,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SUSQUEHANNA",2017-07-20 15:56:00,EST-5,2017-07-20 16:06:00,0,0,0,0,3.00K,3000,0.00K,0,41.78,-76.05,41.78,-76.05,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree and power lines across Gary Road." +118436,711697,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LUZERNE",2017-07-20 16:15:00,EST-5,2017-07-20 16:25:00,0,0,0,0,3.00K,3000,0.00K,0,41.22,-75.9,41.22,-75.9,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree and wires." +118436,711698,PENNSYLVANIA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-20 16:45:00,EST-5,2017-07-20 16:55:00,0,0,0,0,1.00K,1000,0.00K,0,41.45,-75.38,41.45,-75.38,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree across Maplewood Road." +118436,711699,PENNSYLVANIA,2017,July,Thunderstorm Wind,"PIKE",2017-07-20 17:15:00,EST-5,2017-07-20 17:25:00,0,0,0,0,8.00K,8000,0.00K,0,41.48,-75,41.48,-75,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +119528,717289,DISTRICT OF COLUMBIA,2017,July,Heat,"DISTRICT OF COLUMBIA",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at Reagan National." +119530,717290,VIRGINIA,2017,July,Heat,"ARLINGTON",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at Reagan National." +119530,717293,VIRGINIA,2017,July,Heat,"SPOTSYLVANIA",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported nearby." +119540,717329,VIRGINIA,2017,July,Heat,"CULPEPER",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119540,717330,VIRGINIA,2017,July,Heat,"PRINCE WILLIAM",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119540,717331,VIRGINIA,2017,July,Heat,"STAFFORD",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119540,717332,VIRGINIA,2017,July,Heat,"SPOTSYLVANIA",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119540,717333,VIRGINIA,2017,July,Heat,"KING GEORGE",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119540,717334,VIRGINIA,2017,July,Heat,"SOUTHERN FAUQUIER",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A southerly flow around high pressure caused hot and humid conditions, which led to high heat indices.","Heat indices around 105 degrees were reported." +119532,717309,MARYLAND,2017,July,Heat,"ST. MARY'S",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +117865,708698,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-08 16:20:00,EST-5,2017-07-08 16:30:00,0,0,0,0,25.00K,25000,,NaN,34.3392,-84.4361,34.332,-84.3705,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Cherokee County Emergency Manager reported numerous trees and power lines blown down around the Ball Ground area. Several homes and other buildings had trees fall on them and many roads were blocked by downed trees and power lines." +117865,708701,GEORGIA,2017,July,Thunderstorm Wind,"WILKINSON",2017-07-08 17:50:00,EST-5,2017-07-08 18:00:00,0,0,0,0,2.00K,2000,,NaN,32.8231,-83.2113,32.8231,-83.2113,"A series of short waves associated with a large, persistent, upper-level trough over the eastern U.S. produced several rounds of strong to severe thunderstorms across north and central Georgia. Heavy rain resulted in a few reports of flash flooding.","The Wilkinson County 911 center reported a tree down around Highway 57 and JR Sims northwest of Irwinton." +117866,708704,GEORGIA,2017,July,Thunderstorm Wind,"GREENE",2017-07-10 16:25:00,EST-5,2017-07-10 16:35:00,0,0,0,0,4.00K,4000,,NaN,33.54,-83.21,33.569,-83.1917,"Strong daytime heating combined with deep tropical moisture to produce isolated to scattered strong to severe thunderstorms across north and central Georgia each afternoon into the early evening.","The Greene County Emergency Manager reported several trees and power lines blown down in the Greensboro area including on Siloam Road and on Kevin Roberts Way. Objects were blown around in the parking lot of the Home Depot southwest of Greensboro." +117866,708708,GEORGIA,2017,July,Thunderstorm Wind,"COWETA",2017-07-11 16:18:00,EST-5,2017-07-11 16:30:00,0,0,0,0,8.00K,8000,,NaN,33.3801,-84.7386,33.4067,-84.7072,"Strong daytime heating combined with deep tropical moisture to produce isolated to scattered strong to severe thunderstorms across north and central Georgia each afternoon into the early evening.","The Coweta County Emergency Manager reported trees and power lines blown down from Summergrove to west of Thomas Crossroads. Locations include Lower Fayetteville Road near Summergrove Parkway, Lakeside Way near Highway 34, White Oak Drive, and Baker near Highway 34." +117866,708710,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-11 16:20:00,EST-5,2017-07-11 16:30:00,0,0,0,0,1.00K,1000,,NaN,33.8105,-84.0415,33.8105,-84.0415,"Strong daytime heating combined with deep tropical moisture to produce isolated to scattered strong to severe thunderstorms across north and central Georgia each afternoon into the early evening.","The Gwinnett County Emergency Manager reported a tree blown down on Zoar Church Road at Centerville Highway." +114055,684322,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:05:00,CST-6,2017-04-30 14:05:00,0,0,0,0,,NaN,,NaN,34.43,-86.28,34.43,-86.28,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down at 3740 Bakers Chapel Road." +114055,684325,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:07:00,CST-6,2017-04-30 14:07:00,0,0,0,0,,NaN,,NaN,34.28,-86.23,34.28,-86.23,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down." +114300,684828,COLORADO,2017,May,Hail,"LINCOLN",2017-05-08 15:50:00,MST-7,2017-05-08 15:50:00,0,0,0,0,,NaN,,NaN,39.45,-103.61,39.45,-103.61,"Severe thunderstorm broke out across Denver and the surrounding metro area and produced large damaging hail, strong winds, heavy rain and flash flooding. Large hail up to baseball size, caused extensive property damage to cars, homes and businesses across a large part of Denver and the western suburbs including Arvada, Lakewood and Wheat Ridge. According to the Rocky Mountain Insurance Agency Association, the storm was Colorado���s most expensive insured catastrophe, around $2.3 billion. It also ranked as the second costliest hailstorm in U.S. history. The group estimated more than 150,000 auto insurance claims and 50,000 homeowner insurance claims would be filed. Businesses and homes sustained holes in siding along with broken windows and torn screens. Severe thunderstorm producing large hail, strong winds and heavy rain impacted areas around Greeley as well. ||The high cost incurred from the storm was due to a number of factors including: the size of the hail, the densely populated area, the time of day, the escalating costs to repair high-tech cars, and more expensive homes. Colorado Mills Mall in Lakewood was severely damaged after hail busted skylights and caused flooding inside stores. The common areas and tenant spaces suffered substantial water damage. Extensive damage to electrical systems, mechanical systems, including HVAC and lighting, kept the mall closed until November 2017. In Lakewood, the loss in sales tax was projected to be about $350,000 per month, which was 3 to 4 percent of the city's monthly budget. Prestige Imports in Lakewood which sells Audis and Porches, estimated 250 to 300 vehicles were impacted by the storm. Some of those vehicles were valued at nearly $200,000 each.||Significant damage was reported at Lutheran Medical Center after a hailstorm tore through Wheat Ridge. The hospital building and some of the medical office buildings sustained broken windows. The storm also hit the office of the Colorado Bureau of Investigation in Lakewood. The offices were flooded, several cubicles destroyed, and even some ceiling tiles fell off. The storm damage prompted school officials to close all thirteen Adams 12 Five Star schools in Commerce City and Beach Court Elementary school in Denver. Most of the schools in the Adams 12 Five Star District are at least 50 years old and sustained flood damage. Large hail damaged an apartment building near Regis University, shattered windows and punctured the siding on the west-facing side of the building. Severe thunderstorms also produced large hail across parts of Larimer, Lincoln and Weld Counties.||Hail and heavy rain clogged drains and caused flash flooding throughout Greeley. Up to three feet of water covered the roadway near U.S. 34 and U.S. 85. Flooding was reported throughout Greeley. The Greeley Fire Department received 30 calls of flooding. Firefighters helped several residents get out of garden level apartments that had flooded. Several other businesses and buildings suffered flood damage, including Greeley City Hall and an apartment complex in Evans. The Greeley Mall was extensively damaged when water poured into the mall from the roof and debris inundated the main floor. The Frontier Academy Elementary School was also flooded, with administrators canceling classes the following day to clean up the damage. Windsor-Severance Fire Protection District had multiple reports of lightning strikes, including one that hit near Windsor Middle School and set off the school's fire alarms.","" +114421,687412,NEW MEXICO,2017,May,Hail,"ROOSEVELT",2017-05-09 22:28:00,MST-7,2017-05-09 22:43:00,0,0,0,0,0.00K,0,0.00K,0,34.1263,-103.422,34.1263,-103.422,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Observer reported hail up to the size of quarters southwest of Portales." +114624,687462,NEW MEXICO,2017,May,Tornado,"COLFAX",2017-05-10 11:37:00,MST-7,2017-05-10 11:42:00,0,0,0,0,0.00K,0,0.00K,0,36.9205,-104.1799,36.9425,-104.1921,"The last vestiges of an upper level storm system wreaking havoc on New Mexico with an extended period of severe weather produced one last supercell thunderstorm along the Raton Ridge. An isolated thunderstorm that developed just south of U.S. Highway 87 moved north and produced a funnel cloud then a brief tornado along the Johnson Mesa near NM-72. The tornado moved through rural countryside and produced no damage.","A brief tornado touched down near NM-72 and moved northeast over rural countryside toward the Colorado border." +113615,684163,FLORIDA,2017,April,Hail,"GULF",2017-04-03 17:30:00,CST-6,2017-04-03 17:30:00,0,0,0,0,0.00K,0,0.00K,0,29.89,-85.07,29.89,-85.07,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","" +113615,684164,FLORIDA,2017,April,Thunderstorm Wind,"LAFAYETTE",2017-04-03 23:55:00,EST-5,2017-04-03 23:55:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-83.17,30.05,-83.17,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down near Highway 27 and southwest Oak Street in Mayo." +113615,684165,FLORIDA,2017,April,Hail,"GULF",2017-04-04 17:42:00,CST-6,2017-04-04 17:42:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-85.16,30.08,-85.16,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","" +113615,684166,FLORIDA,2017,April,Thunderstorm Wind,"HOLMES",2017-04-05 00:48:00,CST-6,2017-04-05 00:48:00,0,0,0,0,0.00K,0,0.00K,0,30.95,-85.87,30.95,-85.87,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Multiple large trees were blown down." +113615,684177,FLORIDA,2017,April,Flash Flood,"TAYLOR",2017-04-04 05:15:00,EST-5,2017-04-04 07:45:00,0,0,0,0,0.00K,0,0.00K,0,29.936,-83.5249,30.1529,-83.6204,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Several roads were flooded in Perry and to the south of Perry. Radar estimated 10-12 inches of rain in about 12 hours." +114047,689508,IOWA,2017,March,Thunderstorm Wind,"BUCHANAN",2017-03-06 20:35:00,CST-6,2017-03-06 20:35:00,0,0,0,0,0.00K,0,0.00K,0,42.6395,-91.89,42.6395,-91.89,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Winds were estimated at 50 to 60 mph." +114421,687354,NEW MEXICO,2017,May,Thunderstorm Wind,"UNION",2017-05-09 18:12:00,MST-7,2017-05-09 18:17:00,0,0,0,0,0.00K,0,0.00K,0,36.46,-103.14,36.46,-103.14,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Clayton airport." +114421,687403,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:52:00,MST-7,2017-05-09 19:54:00,0,0,0,0,0.00K,0,0.00K,0,33.41,-104.53,33.41,-104.53,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of half dollars on the north side of Roswell shredded leaves, small tree branches, and the vegetable garden." +114421,687404,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 20:18:00,MST-7,2017-05-09 20:20:00,0,0,0,0,0.00K,0,0.00K,0,33.4538,-104.3485,33.4538,-104.3485,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of half dollars northeast of Roswell." +114942,689460,TEXAS,2017,April,Excessive Heat,"JOHNSON",2017-04-14 13:00:00,CST-6,2017-04-14 18:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A child was found unresponsive in a car seat in the back seat of the family's car Friday afternoon, and was later pronounced dead at the hospital.","A soon to be two-year old toddler was found unresponsive after spending nearly 5 hours in a car seat in the back of the family's car. The child was later pronounced dead at the hospital." +112615,672205,GEORGIA,2017,January,Drought,"NEWTON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672206,GEORGIA,2017,January,Drought,"MUSCOGEE",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114047,690041,IOWA,2017,March,Tornado,"CLINTON",2017-03-06 22:40:00,CST-6,2017-03-06 22:45:00,0,0,0,0,0.00K,0,0.00K,0,41.7503,-90.3847,41.7857,-90.3148,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tornado touched down south of Low Moor, damaging trees and outbuildings. One home lost part of a roof." +114421,691815,NEW MEXICO,2017,May,Tornado,"LINCOLN",2017-05-09 11:55:00,MST-7,2017-05-09 11:56:00,0,0,0,0,0.00K,0,0.00K,0,33.6953,-105.7771,33.6944,-105.7764,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Storm chaser video showed the well-developed funnel cloud spotted by many observers near Carrizozo touched down for about one minute. An area of dust was observed swirling on the ground beneath a solid condensation funnel elevated off the ground. No damage observed." +112615,672176,GEORGIA,2017,January,Drought,"WILKINSON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672178,GEORGIA,2017,January,Drought,"WILKES",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672233,GEORGIA,2017,January,Drought,"GORDON",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114098,692659,TEXAS,2017,April,Hail,"HENDERSON",2017-04-29 15:33:00,CST-6,2017-04-29 15:33:00,0,0,0,0,0.00K,0,0.00K,0,32.27,-96.17,32.27,-96.17,"A deep low pressure system near the Four corners continued to move east, causing early morning thunderstorms to develop along the Texas Panhandle and into Oklahoma. A cold front was moving southeast across the state and entered our northwestern|counties around sunrise. The strength of the cap was sufficient to hamper any development until mid afternoon. Deep forcing for ascent approached from from the west while remnant boundaries associated with convection over far East Texas and West Louisiana moved in from the east. By 3:30 PM, several parameters came together for the rapid development of severe storms east of Interstate 35/35E. Pre-frontal convection led to the development of supercells, producing numerous tornadoes over a relatively small area. Additional storm development quickly developed along the cold front with several reports of large hail, and eventually producing a brief EF-0 Quasi-Linear Convective System (QLCS) tornado (Tornado #7). ||The survey crew teams determined yesterday that there was a nearly 55 mile damage swath, yet found evidence that there were two tornadoes which caused the damage. One tornado began in western Henderson County and moved into central Van Zandt County. This tornado occluded and dissipated, and a second, long track tornado began nearby. This second tornado was the EF-3 which produced damage on the east side of Canton, Fruitvale, Emory, and finally dissipating near Lake Fork. The first tornado had|a track of approximately 12 miles, while the other had a track of nearly 42 miles. ||It is known that four people lost their lives due to these tornadoes, and 59 people were injured.","" +112615,672189,GEORGIA,2017,January,Drought,"TOWNS",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +115349,693198,ALABAMA,2017,April,Hail,"CHILTON",2017-04-05 16:55:00,CST-6,2017-04-05 16:56:00,0,0,0,0,0.00K,0,0.00K,0,32.94,-86.77,32.94,-86.77,"April 5th was a very active severe weather day across central Alabama. During the pre-dawn hours, a warm lifted northward into south central Alabama. Supercells formed along the advancing warm front, producing numerous reports of large hail and a few reports of wind damage and isolated tornadoes. A second round of severe storms developed during the afternoon and evening as an upper level short wave trough approached the area from the west.","" +115888,696426,SOUTH CAROLINA,2017,May,Tornado,"CHESTERFIELD",2017-05-04 21:27:00,EST-5,2017-05-04 21:28:00,0,0,0,0,,NaN,,NaN,34.5396,-79.9972,34.5422,-79.9958,"A warm front stretched over central portions of SC as an upper trough and surface cold front approached from the west. Thunderstorms developed in the early afternoon ahead of the cold front over south Georgia along a previously decaying MCV. The activity developed and tracked to the NE across the Southern and Eastern Midlands of SC during the late afternoon and evening hours. Combination of sufficient instability and shear allowed 2 tornadoes to develop over this region.","An NWS Storm Survey Team confirmed that an EF-0 tornado touched down near L E Byrd Road and uprooted a few trees and snapped large limbs. A few farm buildings were |destroyed. A couple of single wide mobile homes experienced roof and skirting damage. The tornado was on the ground for approximately 0.20 miles and had a width of 75 yards." +115888,696429,SOUTH CAROLINA,2017,May,Heavy Rain,"SUMTER",2017-05-04 19:56:00,EST-5,2017-05-04 20:30:00,0,0,0,0,0.10K,100,0.10K,100,33.9472,-80.3901,33.9472,-80.3901,"A warm front stretched over central portions of SC as an upper trough and surface cold front approached from the west. Thunderstorms developed in the early afternoon ahead of the cold front over south Georgia along a previously decaying MCV. The activity developed and tracked to the NE across the Southern and Eastern Midlands of SC during the late afternoon and evening hours. Combination of sufficient instability and shear allowed 2 tornadoes to develop over this region.","Heavy rain produced 1.2 inches of rain in the period from 8:56 pm EDT (1956 EST) to 9:30 pm EDT (2030 EST) at Clematis Trail and Shadow Trail. This led to street flooding in that location." +115900,696435,SOUTH CAROLINA,2017,May,Thunderstorm Wind,"RICHLAND",2017-05-22 12:50:00,EST-5,2017-05-22 12:55:00,0,0,0,0,,NaN,,NaN,34.04,-80.97,34.04,-80.97,"A moist and unstable environment ahead of an approaching cold front allowed scattered showers and thunderstorms to develop, some of which produced locally heavy rain along with wind damage and small hail.","Report received via social media of a tree down on Cedar Springs Rd in Columbia." +115896,696442,PENNSYLVANIA,2017,May,Hail,"LAWRENCE",2017-05-18 16:25:00,EST-5,2017-05-18 16:25:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-80.52,40.9,-80.52,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","" +115896,696445,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-18 16:16:00,EST-5,2017-05-18 16:16:00,0,0,0,0,2.50K,2500,0.00K,0,41.51,-79.08,41.51,-79.08,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","Department of highways reported trees down near Marienville." +115897,696436,OHIO,2017,May,Hail,"JEFFERSON",2017-05-18 15:00:00,EST-5,2017-05-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-80.65,40.37,-80.65,"Southward sagging pre-frontal trough was enough to spark some strong to severe storms on the afternoon of the 18th with sufficient instability and shear in place. A few reports of quarter-sized hail and downed trees were reported in eastern Ohio, the northern West Virginia pan-handle, and western Pennsylvania. The most notable damage was to a house in Steubenville Ohio, where a tree fell through the living room while a mom and her two children were inside.","" +113462,679226,MASSACHUSETTS,2017,February,Winter Weather,"WESTERN ESSEX",2017-02-08 01:00:00,EST-5,2017-02-08 12:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure wave developed east of Massachusetts along a warm front during the early morning of the 8th. This drew a surge of colder air across the Metropolitan Boston area during the early morning. The colder air combined with wet surface to create icy road surfaces. In addition, a short period of freezing rain moved through during the morning rush hour.","Freezing rain caused numerous crashes and in some instances temporary road closures on the major arteries around Boston. These occurred near the start of the morning commute." +113468,679233,MASSACHUSETTS,2017,February,Winter Storm,"WESTERN FRANKLIN",2017-02-09 06:00:00,EST-5,2017-02-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Seven to twelve inches of snow fell on Western Franklin County." +113470,679255,CONNECTICUT,2017,February,Winter Storm,"HARTFORD",2017-02-09 06:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Twelve to nineteen inches of snow fell on Hartford County." +113470,679256,CONNECTICUT,2017,February,Winter Storm,"TOLLAND",2017-02-09 06:00:00,EST-5,2017-02-09 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to eighteen inches of snow fell on Tolland County." +113470,679257,CONNECTICUT,2017,February,Winter Storm,"WINDHAM",2017-02-09 06:30:00,EST-5,2017-02-09 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Coastal low pressure developed off the Mid Atlantic coast and passed southeast of New England bringing strong winds and heavy snow.","Ten to sixteen inches of snow fell on Windham County." +122028,730575,COLORADO,2017,December,Winter Weather,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-12-21 04:00:00,MST-7,2017-12-23 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level system and favored southwesterly to westerly upper flow generated up to eight inches of snow across higher terrain locations as well as areas of blowing snow. Eight inches of snow was noted near Wolf Creek Pass in Mineral county.","" +122029,730577,COLORADO,2017,December,Winter Weather,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-12-25 01:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An quick moving upper level system generated up to 9 inches of snow and blowing snow across higher terrain locations. Eight inches of snow occurred near Leadville (Lake County), while nine inches of snow graced Monarch Pass(Chaffee County).","" +122029,730578,COLORADO,2017,December,Winter Weather,"LEADVILLE VICINITY / LAKE COUNTY BELOW 11000 FT",2017-12-25 01:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An quick moving upper level system generated up to 9 inches of snow and blowing snow across higher terrain locations. Eight inches of snow occurred near Leadville (Lake County), while nine inches of snow graced Monarch Pass(Chaffee County).","" +122029,730579,COLORADO,2017,December,Avalanche,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-12-25 01:00:00,MST-7,2017-12-25 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An quick moving upper level system generated up to 9 inches of snow and blowing snow across higher terrain locations. Eight inches of snow occurred near Leadville (Lake County), while nine inches of snow graced Monarch Pass(Chaffee County).","" +117869,717131,GEORGIA,2017,July,Flash Flood,"GWINNETT",2017-07-17 03:07:00,EST-5,2017-07-17 09:00:00,0,0,0,0,0.00K,0,0.00K,0,34.0265,-84.0435,34.0346,-84.0296,"A deepening upper-level trough and a stalled frontal boundary combined with a continued moist and unstable air mass over the region to produce isolated severe thunderstorms |over north and central Georgia each afternoon and evening. Isolated heavy rainfall amounts produced localized flash flooding in the Atlanta metropolitan area.","Public reported that Horizon Drive was flooded between Old Peachtree Road and Lawrenceville-Suwanee Road, likely due to high runoff and high flows on the small tributaries that flow into Little Suwanee Creek. Radar estimates indicate that localized amounts of 3 to 4 inches occurred in the area." +117869,717198,GEORGIA,2017,July,Thunderstorm Wind,"JOHNSON",2017-07-16 15:00:00,EST-5,2017-07-16 15:10:00,0,0,0,0,0.50K,500,,NaN,32.67,-82.67,32.67,-82.67,"A deepening upper-level trough and a stalled frontal boundary combined with a continued moist and unstable air mass over the region to produce isolated severe thunderstorms |over north and central Georgia each afternoon and evening. Isolated heavy rainfall amounts produced localized flash flooding in the Atlanta metropolitan area.","The Johnson County Emergency Manager reported a treetop snapped by winds that fell onto Liberty Grove Church Road near Cypress Creek Road." +117869,717199,GEORGIA,2017,July,Thunderstorm Wind,"TELFAIR",2017-07-16 15:40:00,EST-5,2017-07-16 15:50:00,0,0,0,0,1.00K,1000,,NaN,31.9299,-82.6917,31.9299,-82.6917,"A deepening upper-level trough and a stalled frontal boundary combined with a continued moist and unstable air mass over the region to produce isolated severe thunderstorms |over north and central Georgia each afternoon and evening. Isolated heavy rainfall amounts produced localized flash flooding in the Atlanta metropolitan area.","The Telfair County Emergency Manager reported a tree blown down onto Cheney Street in Lumber City." +117872,717220,GEORGIA,2017,July,Thunderstorm Wind,"DOUGLAS",2017-07-25 17:50:00,EST-5,2017-07-25 18:00:00,0,0,0,0,4.00K,4000,,NaN,33.6728,-84.7952,33.6629,-84.8325,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","The Douglas County Emergency Manager reported trees blown down on W. Lake Way and around the intersection of Banks Mill Road and Daniell Mill Road." +118436,711700,PENNSYLVANIA,2017,July,Thunderstorm Wind,"PIKE",2017-07-20 17:20:00,EST-5,2017-07-20 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.47,-74.92,41.47,-74.92,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree on a house." +118436,711701,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-20 16:28:00,EST-5,2017-07-20 16:38:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-75.67,41.49,-75.67,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced a wind gust of 72 MPH." +118436,711702,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-20 17:06:00,EST-5,2017-07-20 17:16:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-75.67,41.49,-75.67,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced a wind gust of 72 MPH." +118436,711692,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-20 15:10:00,EST-5,2017-07-20 15:20:00,0,0,0,0,5.00K,5000,0.00K,0,41.97,-76.28,41.97,-76.28,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and ripped a door off from a house in the vicinity of 2202 Arnold Road." +118436,711693,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-20 15:18:00,EST-5,2017-07-20 15:28:00,0,0,0,0,10.00K,10000,0.00K,0,41.86,-76.34,41.86,-76.34,"A weak cold front moved across the region Thursday afternoon and interacted with a very unstable environment. A weak storm system moved across the state of New York and northern Pennsylvania and initiated convection along the front. Showers and thunderstorms developed along and ahead of the front and quickly became a line of storms. As the line of storms moved east, some of the thunderstorms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over numerous trees." +116461,716111,INDIANA,2017,July,Flash Flood,"CASS",2017-07-11 00:00:00,EST-5,2017-07-11 03:00:00,0,0,0,0,500.00K,500000,500.00K,500000,40.5614,-86.374,40.5631,-86.1664,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","Three to five inches of rain fell onto already saturated ground in the span of a few hours, resulting in rapid rises on several creeks, streams and ditches in southern parts of the county, especially from County Road 300 S down to the Howard county line. Rock and Paint Creeks as well as Tolen ditch were impacted the most with numerous roads closed due to 1 to 3 feet of flowing water over bridges. In addition, the extensive amount of water was flowing over several roads where generally flat terrain existed. Water depth approached 6 inches in spots. Emergency management officials reported at least 2 roads washed out and 1 bridge collapse. State Road 29 between Highway 218 and 18, Highway 18 between State Route 29 and US 35, Highway 218 between Highway 29 and US 35, US 35 at Anoka all closed due to high flowing water on the roads. Flooding issues continued well into the 12th, despite no further rainfall occurring. Damage amounts likely exceeded a million dollars, but no exact figures were available." +116567,700934,ATLANTIC SOUTH,2017,July,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-01 09:47:00,EST-5,2017-07-01 09:53:00,0,0,0,0,,NaN,,NaN,26.27,-80.03,26.27,-80.03,"Light wind profile and a few showers along the Atlantic coast allowed waterspouts to form over the Atlantic waters. Multiple waterspouts were reported offshore Broward County.","A trained spotter reported multiple water spouts offshore Pompano and Deerfield Beach. There were up to 5 waterspouts at the same time." +116607,701245,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-04 14:08:00,EST-5,2017-07-04 14:08:00,0,0,0,0,,NaN,,NaN,26.2119,-81.8094,26.2119,-81.8094,"Scattered showers and thunderstorms developed along the Gulf coast. Storms formed along the coast before moving inland across the interior. One of these storms produced gusty winds over the Gulf waters near Naples.","A marine thunderstorm wind gust of 55 mph / 48 knots was reported by the WeatherBug mesonet site NPLSR located at the Naples Grande Beach Resort at 308 PM EDT." +116608,701246,ATLANTIC SOUTH,2017,July,Waterspout,"BISCAYNE BAY",2017-07-05 08:35:00,EST-5,2017-07-05 08:38:00,0,0,0,0,,NaN,,NaN,25.7625,-80.1659,25.7625,-80.1659,"Isolated showers over the Atlantic waters produced a waterspout in Biscayne Bay. The environmental conditions were favorable for waterspouts with a very light wind profile.","A off-duty NWS employee reported a waterspout in Biscayne Bay just east of downtown Miami." +117866,708711,GEORGIA,2017,July,Thunderstorm Wind,"HARRIS",2017-07-11 18:40:00,EST-5,2017-07-11 18:50:00,0,0,0,0,3.00K,3000,,NaN,32.65,-84.89,32.65,-84.89,"Strong daytime heating combined with deep tropical moisture to produce isolated to scattered strong to severe thunderstorms across north and central Georgia each afternoon into the early evening.","The Talbot County Emergency Manager reported trees and power lines blown down on Gatlin Lane in Harris County." +117869,717201,GEORGIA,2017,July,Thunderstorm Wind,"GWINNETT",2017-07-17 18:15:00,EST-5,2017-07-17 18:25:00,0,0,0,0,12.00K,12000,,NaN,33.8935,-84.2037,34.0279,-84.0876,"A deepening upper-level trough and a stalled frontal boundary combined with a continued moist and unstable air mass over the region to produce isolated severe thunderstorms |over north and central Georgia each afternoon and evening. Isolated heavy rainfall amounts produced localized flash flooding in the Atlanta metropolitan area.","The Gwinnett County Emergency Manager reported numerous trees and power lines blown down across the northern and western portions of the county. Some locations include Edgewood Lane in Stone Mountain; around the intersections of Steve Drive and Buford Highway and Amwiler Road at Humphries Way in Norcross; Pleasant Hill Road at Hill Drive and along Old Norcross Road in Duluth; and along Suwanee Creek Road near Buford Highway in Suwanee." +117871,717209,GEORGIA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-23 18:40:00,EST-5,2017-07-23 18:50:00,0,0,0,0,20.00K,20000,,NaN,34.146,-83.4885,34.113,-83.4292,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Jackson County Emergency Manager reported numerous trees blown down from near Apple Valley to Nicholson including around the intersection of South Apple Valley Road and Hoods Mill Road and also on Willard Pittman Road where a tree fell on a home. No injuries were reported." +117871,717210,GEORGIA,2017,July,Thunderstorm Wind,"OGLETHORPE",2017-07-23 19:20:00,EST-5,2017-07-23 19:25:00,0,0,0,0,4.00K,4000,,NaN,33.9987,-83.2389,33.9856,-83.2451,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Oglethorpe County Emergency Manager reported several trees blown down across the western part of the county, between Winterville and Arnoldsville." +117871,717444,GEORGIA,2017,July,Thunderstorm Wind,"OGLETHORPE",2017-07-23 20:00:00,EST-5,2017-07-23 20:10:00,0,0,0,0,2.00K,2000,0.00K,0,33.764,-83.05,33.764,-83.05,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","Oglethorpe County 911 Center reported a tree down at the intersection of Crawfordville Road and Sims Cross Rd. Time estimated from radar." +117872,717214,GEORGIA,2017,July,Thunderstorm Wind,"HENRY",2017-07-24 15:25:00,EST-5,2017-07-24 15:35:00,0,0,0,0,6.00K,6000,,NaN,33.447,-84.1472,33.447,-84.1472,"With a very moist air mass persisting across the region, a stalled frontal boundary across north Georgia produced scattered reports of damaging winds and very heavy rainfall. Isolated flash flooding occurred, particularly where rainfall amounts topped 4 inches.","The Henry County 911 center reported several trees blown down around the McDonough Square." +114055,684324,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:07:00,CST-6,2017-04-30 14:07:00,0,0,0,0,,NaN,,NaN,34.22,-86.28,34.22,-86.28,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down at Lazy Creek Circle near Highway 75." +114055,684326,ALABAMA,2017,April,Thunderstorm Wind,"MARSHALL",2017-04-30 14:30:00,CST-6,2017-04-30 14:30:00,0,0,0,0,,NaN,,NaN,34.28,-86.23,34.28,-86.23,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds knocked a tree down." +114055,684332,ALABAMA,2017,April,Thunderstorm Wind,"JACKSON",2017-04-30 14:55:00,CST-6,2017-04-30 14:55:00,0,0,0,0,,NaN,,NaN,34.87,-85.82,34.87,-85.82,"A squall line tracked east-northeast through northern Alabama from midday through the early evening hours. The storms produced several reports of trees and limbs being knocked down. One home weather station report an 87 mph wind gust in Cullman County in the vicinity where pine trees were snapped. NWS Damage Assessment Team also found indications of an EF-0 tornado embedded in a bowing line in far northern Cullman County.","Thunderstorm winds nearly detached a steeple completely from the roof of a church in Stevenson." +114769,688405,NEW MEXICO,2017,May,Funnel Cloud,"GUADALUPE",2017-05-21 17:35:00,MST-7,2017-05-21 17:40:00,0,0,0,0,0.00K,0,0.00K,0,34.7835,-104.3111,34.7835,-104.3111,"Northwest flow aloft on the backside of a departing upper level trough combined with moist, unstable, low level southeasterly flow across eastern New Mexico to generate scattered strong to severe thunderstorms. The strongest thunderstorm moved southeast through Guadalupe County into far southwestern Quay County during the early evening hours. Spotters observed at least one funnel cloud and a possible tornado around 20 miles east-southeast of Santa Rosa. This storm collapsed to the northwest of House and generated a swath of very heavy rainfall over southwest Quay County. Radar estimates indicated three to five inches of rain fell in less than one hour. Employees at the New Mexico Wind Energy Center reported large areas of standing water the next morning.","A motorist traveling along U.S. Highway 84 observed a well-developed funnel cloud dissipating several miles to the north of highway." +113616,680140,GEORGIA,2017,April,Tornado,"RANDOLPH",2017-04-05 11:27:00,EST-5,2017-04-05 11:30:00,0,0,0,0,0.00K,0,0.00K,0,31.9114,-84.8277,31.9224,-84.7928,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area.","This tornado touched down near the Randolph-Stewart county line. It was produced from the same supercell that spawned the tornado that impacted Henry and Barbour counties in Alabama and Quitman county in Georgia. The Randolph county portion of the tornado track was rated EF1 due to tree damage. This is a rural area, and no structures were damaged in Randolph county. This tornado continued into Stewart and Webster counties with the max intensity rated as EF2 in Stewart county with max winds estimated near 120 mph." +113615,684146,FLORIDA,2017,April,Thunderstorm Wind,"WALTON",2017-04-03 10:36:00,CST-6,2017-04-03 10:36:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-86.13,30.49,-86.13,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","A tree was blown down onto a road in Freeport." +113615,684185,FLORIDA,2017,April,Flash Flood,"LAFAYETTE",2017-04-04 05:15:00,EST-5,2017-04-04 07:45:00,0,0,0,0,100.00K,100000,0.00K,0,30.1849,-83.2685,30.0205,-83.253,"Severe weather during the first week of April resulted in a couple of tornadoes and several reports of hail and straight line wind damage across the tri-state area. There was also some flash flooding across portions of Taylor and Lafayette counties where a line of storms stalled out and produced 10-12 inches of rain in around 12 hours.","Several houses were flooded in Mayo. A sinkhole developed on Highway 51N that was about 50 ft by 75 ft. Several roads were also washed out. Radar estimated that up to 12 inches of rain fell in about 12 hours. Damage cost was estimated." +114421,687342,NEW MEXICO,2017,May,Thunderstorm Wind,"BERNALILLO",2017-05-09 16:13:00,MST-7,2017-05-09 16:16:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-106.62,35.04,-106.62,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Decaying thunderstorms well south of Albuquerque generated a peak wind gust to 63 mph at the Sunport. Sustained winds were as high as 50 mph. Visibility fell to three miles in blowing dust at the Sunport and as low as one quarter mile in downtown Albuquerque." +114421,687396,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-09 19:33:00,MST-7,2017-05-09 19:35:00,0,0,0,0,0.00K,0,0.00K,0,33.37,-104.53,33.37,-104.53,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail began falling at nickel size on the south side of Roswell. Severe hail moved into the area after this report." +114406,687157,NEW MEXICO,2017,May,Funnel Cloud,"QUAY",2017-05-08 19:30:00,MST-7,2017-05-08 19:50:00,0,0,0,0,0.00K,0,0.00K,0,34.8519,-103.8301,35.0593,-103.932,"A potent upper level low pressure system over Arizona continued inching closer to New Mexico through the 8th. Strong upper level forcing spreading over the region along with high temperatures in the 90s led to abundant instability across eastern New Mexico. Discrete thunderstorms began developing over the eastern plains shortly after 3 pm then spread north across the area. These storms merged into a large, linear cluster stretching from the Fort Sumner area northward across Interstate 40 into Harding County. Several reports of ping pong ball size hail were received from the Fort Sumner area. This area of storms then spawned the first tornado of the 2017 severe weather season to the north of Roy just after 6 pm. The second cluster of thunderstorms developed over Chaves County and produced another round of large hail. Golf ball size hail on the west side of Roswell just after 8 pm. Several rounds of heavy rainfall that trained over the same area of southeastern Guadalupe and northeastern De Baca counties generated torrential rainfall amounts within the Alamogordo Creek drainage. Video of flash flooding was captured along the creek near U.S. Highway 84 north of Fort Sumner.","Funnel cloud southwest of Quay moved north/northwest toward the I-40 corridor." +114421,687261,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-09 13:00:00,MST-7,2017-05-09 13:03:00,0,0,0,0,0.00K,0,0.00K,0,35.21,-105.13,35.21,-105.13,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of ping pong balls in Anton Chico." +114421,687295,NEW MEXICO,2017,May,Hail,"GUADALUPE",2017-05-09 14:10:00,MST-7,2017-05-09 14:14:00,0,0,0,0,0.00K,0,0.00K,0,34.9784,-104.9922,34.9784,-104.9922,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Hail up to the size of half dollars reported along Interstate 40 at mile marker 252." +114421,687173,NEW MEXICO,2017,May,Funnel Cloud,"LINCOLN",2017-05-09 10:58:00,MST-7,2017-05-09 11:00:00,0,0,0,0,0.00K,0,0.00K,0,33.6953,-105.7517,33.6953,-105.7517,"A potent upper level low pressure system moving slowly east across the desert southwest for several days combined with abundant moisture and instability on the 9th to generate a widespread, significant severe weather outbreak over central and eastern New Mexico. Isolated thunderstorms developed shortly after midnight in the area from Santa Fe to Farmington and produced quarter size hail with heavy rain and and strong winds. A large area of showers and thunderstorms developed shortly after sunrise over central New Mexico and moved north across the Albuquerque and Santa Fe metro areas through the early afternoon. Several funnel clouds and large hail were reported around the Estancia Valley. A brief tornado develop near the Santa Fe airport shortly after noon with minor damage reported. A major hailstorm struck the Interstate 25 corridor near Kewa Pueblo, resulting in damage to homes and vehicles. The next wave of storms that developed over central New Mexico produced tornadoes near Carrizozo, Clines Corners, and Wagon Mound. Large hail up to the size of golf balls was also reported with these storms. More storms firing up around the Albuquerque metro area produced nickel to quarter size hail from Rio Rancho north into the Jemez Mountains. Severe thunderstorms continued to pound eastern New Mexico well into the evening hours with golf ball to hen egg size hail producing damage in areas around Roswell and Tucumcari.","Emergency manager spotted a brief funnel cloud to the northeast of Carrizozo." +112615,672207,GEORGIA,2017,January,Drought,"MURRAY",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114048,690045,ILLINOIS,2017,March,Tornado,"BUREAU",2017-03-07 00:14:00,CST-6,2017-03-07 00:15:00,0,0,0,0,0.00K,0,0.00K,0,41.382,-89.205,41.381,-89.207,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","A tornado briefly touched down in a field." +114048,689804,ILLINOIS,2017,March,Thunderstorm Wind,"HANCOCK",2017-03-06 22:36:00,CST-6,2017-03-06 22:36:00,0,0,0,0,,NaN,0.00K,0,40.34,-91.11,40.34,-91.11,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Several 8 to 12 inch in diameter tree branches were down in a yard. A large aluminum roof was off a barn across a portion of Highway 33 west of town." +114049,689737,MISSOURI,2017,March,Hail,"SCOTLAND",2017-03-06 21:53:00,CST-6,2017-03-06 21:53:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-92.03,40.36,-92.03,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed out buildings, and roof damage to several homes.","Hail from pea to quarter size and wind gusts up to 45 MPH were reported." +114047,689433,IOWA,2017,March,Hail,"LINN",2017-03-06 21:00:00,CST-6,2017-03-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-91.71,41.96,-91.71,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +115135,692196,MICHIGAN,2017,April,Tornado,"KENT",2017-04-10 19:36:00,EST-5,2017-04-10 19:40:00,0,0,0,0,200.00K,200000,0.00K,0,42.784,-85.3669,42.8065,-85.309,"An isolated EF1 tornado developed over extreme southeastern Kent county during the evening hours of April 10th. Dozens of large trees were snapped or uprooted and three barns were heavily damaged. The damage began on 100th St just east of Alden Nash Ave and then continued to the east-northeast, crossing Wingeier Ave where a barn lost metal roofing. One metal section was carried 0.6 miles by the tornado and landed in a field. ||The tornado damage intensified as the funnel narrowed and crossed 92nd St in the vicinity of the Tyler Creek Golf Course, where a swath of trees were snapped and uprooted. Peak winds in this area were estimated at 90 mph. The tornado crossed Freeport Ave and Keim Road. It then crossed Hastings Road with peak winds estimated around 65 mph, taking down large tree limbs. The damage ended around Bell Road north of Keim Road. There were also isolated reports of large hail and wind damage across portions of western lower Michigan.","An NWS storm survey confirmed that an EF1 tornado occurred with peak winds of 90 mph and a path width of 220 yards. Dozens of large trees were blown down and there was significant damage to several outbuildings." +115309,692295,ALABAMA,2017,April,Drought,"FAYETTE",2017-04-01 00:00:00,CST-6,2017-04-30 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Near normal rainfall during the month of April did not significantly improve drought conditions for portions of west central Alabama.","Near normal rainfall during the month of April maintained the drought intensity at D2." +114771,689303,NEW MEXICO,2017,May,Hail,"CHAVES",2017-05-22 17:35:00,MST-7,2017-05-22 17:40:00,0,0,0,0,0.00K,0,0.00K,0,33.6122,-104.2864,33.6122,-104.2864,"The combination of northwest flow aloft over New Mexico, a potent back door cold front entering northeastern New Mexico, and moist, unstable, low level southeasterly flow over the southeast plains produced scattered severe thunderstorms. Showers and thunderstorms developed over the high plains east of the central mountain chain and moved southeast into the Pecos River Valley. Several storms produced quarter to golf ball size hail. Two inch hail was observed near Sumner Lake. A very impressive supercell thunderstorm that moved southeast across Chaves County also produced two inch hail and captured the attention of several storm chasers with an incredible sunset. A large hail swath was noted on the GOES-16 visible imagery crossing U.S. Highway 70 northeast of Roswell. Another hail swath was observed on satellite crossing Interstate 25 near Watrous.","Hail up to two inches in diameter along U.S. Highway 70." +112615,672234,GEORGIA,2017,January,Drought,"GILMER",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672235,GEORGIA,2017,January,Drought,"FORSYTH",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672190,GEORGIA,2017,January,Drought,"TAYLOR",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +112615,672191,GEORGIA,2017,January,Drought,"TALIAFERRO",2017-01-01 00:00:00,EST-5,2017-01-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Through the month of January, a more active pattern provided above normal rainfall to the majority of the state, and improving drought conditions across the state enough to remove the D4 Exceptional drought category entirely. By the end of the month, the remaining D3 Extreme drought area stretched a small area from Ellijay, to Blairsville, to Helen in the NE Georgia mountains. The D2 Severe drought area retreated northward, only including areas north of a line from Franklin, to Acworth, to Athens, to Elberton. ||Even with the January rainfall, the long term drought remained a concern into the late winter months, with 365 day normal rainfall departures of 9 to 20 inches across north Georgia. Many of the large Georgia lakes remained below seasonal levels, including Lake Lanier, ending the month nearly 10 feet below the normal pool level.","" +114048,689731,ILLINOIS,2017,March,Hail,"MCDONOUGH",2017-03-06 23:28:00,CST-6,2017-03-06 23:28:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-90.61,40.33,-90.61,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","" +112919,674614,ILLINOIS,2017,February,Tornado,"LA SALLE",2017-02-28 16:41:00,CST-6,2017-02-28 16:59:00,14,0,2,0,0.00K,0,0.00K,0,41.3239,-88.9504,41.3597,-88.7352,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The first area of significant damage in the EF2 range was in the area around the La Salle County Nursing Home and La Salle County Highway Department, with lighter damage upstream from this location. The tornado continued into Naplate and produced widespread EF2 damage to numerous homes. EF3 damage also was identified in two locations. The first was where a minivan was thrown about 30 yards and a home was lifted off its foundation and left with only its interior walls intact. The second was at the Pilkington Glass plant where one section of the factory was completely destroyed. The tornado then crossed the Illinois River and moved through the south side of Ottawa, producing an 800 yard wide path of EF1 damage to trees and homes. The fatalities in Ottawa occurred from a tree falling onto two men who were working outside. The tornado then crossed the Illinois River again and continued to produce EF1 and EF0 damage as it exited Ottawa, finally dissipating in the area northwest of Marseilles. (Tornado #2 of 7)." +119273,716201,MISSOURI,2017,July,Excessive Heat,"MONTGOMERY",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716202,MISSOURI,2017,July,Excessive Heat,"OSAGE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716203,MISSOURI,2017,July,Excessive Heat,"PIKE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716204,MISSOURI,2017,July,Excessive Heat,"RALLS",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +118987,714755,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:31:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.52,-82.11,33.52,-82.11,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported trees down near the intersection of Washington Rd and Kroger Rd." +118987,714757,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:33:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.46,-82.18,33.46,-82.18,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported trees down on power lines on Gibbs Rd S." +118987,714758,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:33:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.48,-82.14,33.48,-82.14,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported trees down near the intersection of Morris Rd and Wrightsboro Rd." +118987,714764,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:34:00,EST-5,2017-07-26 14:37:00,0,0,0,0,,NaN,,NaN,33.49,-82.18,33.49,-82.18,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported trees down on power lines near the intersection of Autumn Trail and Sugarcreek Dr." +119007,715162,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-07 14:15:00,EST-5,2017-07-07 14:18:00,0,0,0,0,,NaN,0.00K,0,32.7585,-79.9529,32.7585,-79.9529,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms tracked to the east and impacted the Charleston Harbor and surrounding coastal waters with strong wind gusts.","The Weatherflow site near Charleston measured a 39 knot wind gust." +119007,715163,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-07 14:20:00,EST-5,2017-07-07 14:23:00,0,0,0,0,,NaN,0.00K,0,32.752,-79.9,32.752,-79.9,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms tracked to the east and impacted the Charleston Harbor and surrounding coastal waters with strong wind gusts.","The SCDNR site at Fort Johnson measured a 34 knot wind gust." +116405,714207,WISCONSIN,2017,July,Thunderstorm Wind,"MARINETTE",2017-07-12 18:10:00,CST-6,2017-07-12 18:10:00,0,0,0,0,0.00K,0,0.00K,0,45.63,-88.34,45.63,-88.34,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","Thunderstorm winds estimated at 60 mph downed several trees and power lines in Goodman. The time of this report was estimated based on radar data." +116405,714957,WISCONSIN,2017,July,Funnel Cloud,"PORTAGE",2017-07-12 19:20:00,CST-6,2017-07-12 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-89.36,44.51,-89.36,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","A spotter observed a funnel cloud between Stevens Point and Iola." +116405,714208,WISCONSIN,2017,July,Thunderstorm Wind,"PORTAGE",2017-07-12 19:43:00,CST-6,2017-07-12 19:43:00,0,0,0,0,0.00K,0,0.00K,0,44.54,-89.35,44.54,-89.35,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","A wet microburst from a thunderstorm produced winds to at least 65 mph. About a half dozen trees were uprooted and another half dozen heavily damaged." +118879,714218,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-15 19:20:00,CST-6,2017-07-15 19:20:00,0,0,0,0,0.00K,0,0.00K,0,44.58,-87.97,44.58,-87.97,"Thunderstorms that produced high winds across parts of eastern Wisconsin produced a wind gust to 45 knots over the waters of Green Bay.","Thunderstorms produced a gust to 45 knots over the waters of Green Bay near Long Tail Point." +118881,714222,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-18 17:15:00,CST-6,2017-07-18 17:15:00,0,0,0,0,0.00K,0,0.00K,0,44.67,-87.96,44.67,-87.96,"Thunderstorms produced strong winds as they moved across the waters of Green Bay.","Thunderstorms produced a wind gust estimated at 45 mph over the waters of Green Bay northeast of Suamico." +117589,707372,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 15:05:00,EST-5,2017-07-01 16:20:00,0,0,0,0,600.00K,600000,0.00K,0,43.08,-75.29,43.07,-75.21,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding continued in parts of the City of Utica, particularly along the length of Sauquoit Creek. Urban flooding continued, and increased across the city with the passing of additional thunderstorms during the afternoon. Road closures, evacuations and water rescues were common along Sauquoit Creek." +117589,707358,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 13:35:00,EST-5,2017-07-01 16:20:00,0,0,0,0,160.00K,160000,0.00K,0,43.09,-75.91,42.83,-75.89,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Sullivan. Culverts and roads were washed out in several places. Some residences experienced flooding, especially along Chittenango Creek." +117589,707364,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 14:15:00,EST-5,2017-07-01 16:20:00,0,0,0,0,15.00K,15000,0.00K,0,43.13,-75.71,43.1,-75.65,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Oneida. Culverts and roads were washed out in several places. Some residences experienced flooding, especially along parts of Oneida creek." +116424,700131,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-08 18:18:00,EST-5,2017-07-08 18:24:00,0,0,0,0,4.00K,4000,0.00K,0,36.4641,-79.7128,36.4741,-79.6728,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger the development of a severe thunderstorm across the Piedmont of northern North Carolina. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","At least seven trees were blown down by thunderstorm winds between the 1900 block of Moir Mill Road and Hampton Road." +116425,700178,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-08 15:38:00,EST-5,2017-07-08 15:43:00,0,0,0,0,4.00K,4000,0.00K,0,36.8737,-79.0154,36.8823,-78.9755,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","Multiple trees were blown down by thunderstorm winds along Highway 501, with another blown down on Lower Liberty Road." +116425,700179,VIRGINIA,2017,July,Thunderstorm Wind,"CHARLOTTE",2017-07-08 16:36:00,EST-5,2017-07-08 16:36:00,0,0,0,0,1.50K,1500,0.00K,0,37.1174,-78.6516,37.115,-78.6477,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","One tree was blown down by thunderstorm winds along Thomas Jefferson Highway and two trees were blown down on Virginian Road." +116425,700175,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-08 17:24:00,EST-5,2017-07-08 17:24:00,0,0,0,0,0.50K,500,0.00K,0,36.5828,-79.222,36.5828,-79.222,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","One tree was blown down by thunderstorm winds along Pounds Road." +116425,700177,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-08 17:24:00,EST-5,2017-07-08 17:24:00,0,0,0,0,10.00K,10000,0.00K,0,36.5821,-79.2057,36.5805,-79.2016,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","Numerous trees were blown down by thunderstorm winds along Route 58." +118860,714106,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:49:00,CST-6,2017-07-11 18:49:00,0,0,0,0,,NaN,,NaN,44.91,-97.11,44.91,-97.11,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714107,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:51:00,CST-6,2017-07-11 18:51:00,0,0,0,0,,NaN,,NaN,44.92,-97.1,44.92,-97.1,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714110,SOUTH DAKOTA,2017,July,Hail,"ROBERTS",2017-07-11 19:07:00,CST-6,2017-07-11 19:07:00,0,0,0,0,,NaN,,NaN,45.51,-96.94,45.51,-96.94,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714121,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 19:23:00,CST-6,2017-07-11 19:23:00,0,0,0,0,,NaN,,NaN,44.82,-96.97,44.82,-96.97,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","Golf ball hail caused damage to the house siding along with breaking some windows. Crops were also damaged." +118860,714123,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 20:45:00,CST-6,2017-07-11 20:45:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-97.13,44.57,-97.13,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714124,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 20:51:00,CST-6,2017-07-11 20:51:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-97.13,44.57,-97.13,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +117224,705449,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-23 16:35:00,CST-6,2017-06-23 16:35:00,0,0,0,0,20.00K,20000,0.00K,0,32.0294,-102.1062,32.0294,-102.1062,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Midland County and produced wind damage in the City of Midland. The thunderstorm winds damaged the roof of a dorm at Midland College, and there was roof damage at a restaurant near TX-158 and W. Louisiana Avenue in Midland. The thunderstorm winds also snapped a power pole and uprooted trees. The cost of damage is a very rough estimate." +118366,713083,OKLAHOMA,2017,July,Flash Flood,"CHOCTAW",2017-07-05 05:30:00,CST-6,2017-07-05 08:15:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-95.55,34.1185,-95.5467,"Thunderstorms developed over southeastern Oklahoma during the early morning hours of July 5th, as a slow moving cold front moved into the area. These thunderstorms produced locally heavy rainfall of three to five inches across much of southeastern Oklahoma, with areas of rain exceeding eight inches observed. This heavy rainfall resulted in some flash flooding.","Portions of Speer Road were flooded." +118366,713084,OKLAHOMA,2017,July,Flash Flood,"PUSHMATAHA",2017-07-05 06:58:00,CST-6,2017-07-05 08:15:00,0,0,0,0,0.00K,0,0.00K,0,34.1809,-95.6019,34.1626,-95.6297,"Thunderstorms developed over southeastern Oklahoma during the early morning hours of July 5th, as a slow moving cold front moved into the area. These thunderstorms produced locally heavy rainfall of three to five inches across much of southeastern Oklahoma, with areas of rain exceeding eight inches observed. This heavy rainfall resulted in some flash flooding.","New Hope Road and Miller Jumbo Road near Antlers were closed due to flooding." +117960,709108,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRANT",2017-07-05 15:10:00,MST-7,2017-07-05 15:14:00,0,0,0,0,0.00K,0,0.00K,0,46.37,-101.85,46.37,-101.85,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","Thunderstorm wind gust speeds were estimated by the public." +117960,709109,NORTH DAKOTA,2017,July,Hail,"GRANT",2017-07-05 15:20:00,MST-7,2017-07-05 15:23:00,0,0,0,0,0.00K,0,0.00K,0,46.4,-101.84,46.4,-101.84,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709110,NORTH DAKOTA,2017,July,Thunderstorm Wind,"EMMONS",2017-07-05 18:05:00,CST-6,2017-07-05 18:08:00,0,0,0,0,0.00K,0,0.00K,0,46.14,-100.16,46.14,-100.16,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","A sheriff deputy estimated thunderstorm wind gusts of at least 60 mph." +117960,709111,NORTH DAKOTA,2017,July,Hail,"KIDDER",2017-07-05 21:36:00,CST-6,2017-07-05 21:39:00,0,0,0,0,0.00K,0,0.00K,0,47.11,-99.56,47.11,-99.56,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709112,NORTH DAKOTA,2017,July,Hail,"STUTSMAN",2017-07-05 22:00:00,CST-6,2017-07-05 22:03:00,0,0,0,0,0.00K,0,0.00K,0,46.94,-99.37,46.94,-99.37,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +119100,715293,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-21 21:40:00,CST-6,2017-07-21 21:44:00,0,0,0,0,0.00K,0,0.00K,0,46.77,-100.76,46.77,-100.76,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715294,NORTH DAKOTA,2017,July,Hail,"PIERCE",2017-07-21 21:51:00,CST-6,2017-07-21 21:54:00,0,0,0,0,0.00K,0,0.00K,0,48.31,-100.01,48.31,-100.01,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715295,NORTH DAKOTA,2017,July,Hail,"LA MOURE",2017-07-21 22:10:00,CST-6,2017-07-21 22:13:00,0,0,0,0,0.00K,0,0.00K,0,46.37,-98.07,46.37,-98.07,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +116050,697488,KENTUCKY,2017,July,Thunderstorm Wind,"WARREN",2017-07-01 13:08:00,CST-6,2017-07-01 13:08:00,0,0,0,0,,NaN,0.00K,0,36.88,-86.42,36.88,-86.42,"The combination of warm, unstable air and an old boundary from previous thunderstorms resulted in a line of storms across south central Kentucky during the afternoon hours on July 1. The strongest storms produced 60-65 mph wind gusts and brought down numerous trees, some of which blocked roadways. The roof of an old barn was blown off and there was also some isolated instances of 1 inch diameter hail.","The public reported multiple trees down, some of which blocked the road." +119430,716788,ALABAMA,2017,July,Flash Flood,"JEFFERSON",2017-07-26 10:45:00,CST-6,2017-07-26 13:00:00,0,0,0,0,0.00K,0,0.00K,0,33.4249,-86.7979,33.3975,-86.8117,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Severe flash flooding occurred in a very small area of southern Jefferson County, along Patton Creek, which winds through the cities of Vestavia Hills and Hoover. Water levels rose rapidly along the creek and flooded numerous adjacent businesses and roads. Several vehicles were washed off the road and into the creek." +119430,716789,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-26 14:10:00,CST-6,2017-07-26 14:11:00,0,0,0,0,0.00K,0,0.00K,0,32.5174,-87.0457,32.5174,-87.0457,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted along County Road 16 and County Road 37." +116197,698530,KENTUCKY,2017,July,Flash Flood,"HANCOCK",2017-07-06 10:37:00,CST-6,2017-07-06 10:37:00,0,0,0,0,0.00K,0,0.00K,0,37.88,-86.74,37.8814,-86.7333,"After several days of unseasonably high moisture and bouts of heavy rain, a line of slow moving thunderstorms tracked across portions of central Kentucky during the afternoon of July 6. A couple of roads in Hancock County became impassable due to high water and were barricaded for a brief time.","Law local enforcement were dispatched to barricade portions of Highway 1265 due to high water coming over the roadway." +116197,698531,KENTUCKY,2017,July,Heavy Rain,"HANCOCK",2017-07-06 10:08:00,CST-6,2017-07-06 10:08:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-86.81,37.87,-86.81,"After several days of unseasonably high moisture and bouts of heavy rain, a line of slow moving thunderstorms tracked across portions of central Kentucky during the afternoon of July 6. A couple of roads in Hancock County became impassable due to high water and were barricaded for a brief time.","Over 3 inches of rain fell in 90 minutes at a private weather station near Chambers." +116396,699941,MONTANA,2017,July,Hail,"VALLEY",2017-07-11 17:30:00,MST-7,2017-07-11 17:30:00,0,0,0,0,0.00K,0,0.00K,0,47.98,-106.51,47.98,-106.51,"Thunderstorms, associated with an upper low pressure system over southern Saskatchewan, developed over northeast Montana, some of which produced hail and strong to severe wind gusts.","Trained spotter at the Duck Creek Recreational Area, reported quarter size hail and estimated winds of 40 to 50 mph. Time is estimated based on radar." +119370,716517,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-23 15:15:00,EST-5,2017-07-23 15:15:00,0,0,0,0,0.50K,500,0.00K,0,36.3299,-80.4324,36.3299,-80.4324,"Scattered showers and thunderstorms developed across northern North Carolina due to a combination of strong afternoon heating and the passage of a weak upper level disturbance. One of these storms intensified to severe levels over Stokes County, producing locally damaging winds.","A tree was blown down by thunderstorm winds in the community of Pinnacle." +119370,716518,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-23 15:30:00,EST-5,2017-07-23 15:30:00,0,0,0,0,0.50K,500,0.00K,0,36.2801,-80.3613,36.2801,-80.3613,"Scattered showers and thunderstorms developed across northern North Carolina due to a combination of strong afternoon heating and the passage of a weak upper level disturbance. One of these storms intensified to severe levels over Stokes County, producing locally damaging winds.","A tree was blown down by thunderstorm winds in the community of King." +119370,716523,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-23 15:42:00,EST-5,2017-07-23 15:43:00,0,0,0,0,1.00K,1000,0.00K,0,36.2724,-80.3715,36.2699,-80.35,"Scattered showers and thunderstorms developed across northern North Carolina due to a combination of strong afternoon heating and the passage of a weak upper level disturbance. One of these storms intensified to severe levels over Stokes County, producing locally damaging winds.","Thunderstorm winds blew down a tree along the 800 block of Meadowbrook Lane. Another tree was blown down along Logan Court." +119385,716527,VIRGINIA,2017,July,Thunderstorm Wind,"SMYTH",2017-07-23 20:30:00,EST-5,2017-07-23 20:30:00,0,0,0,0,0.50K,500,0.00K,0,36.8025,-81.6784,36.8025,-81.6784,"Instability associated with an upper level disturbance passing over western Virginia triggered an intense thunderstorm over Smyth County during the evening of July 23rd.","Thunderstorm winds caused one tree to fall within the community of Chilhowie." +119385,716525,VIRGINIA,2017,July,Thunderstorm Wind,"SMYTH",2017-07-23 19:50:00,EST-5,2017-07-23 19:50:00,0,0,0,0,5.00K,5000,0.00K,0,36.8693,-81.7839,36.8693,-81.7839,"Instability associated with an upper level disturbance passing over western Virginia triggered an intense thunderstorm over Smyth County during the evening of July 23rd.","Strong thunderstorm wind gusts downed several trees onto roadways within the Saltville community." +119386,716531,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-28 17:45:00,EST-5,2017-07-28 17:45:00,0,0,0,0,0.50K,500,0.00K,0,36.41,-80.2095,36.41,-80.2095,"Showers and thunderstorms developed across northern North Carolina ahead of an approaching cold front. One of the storms intensified to severe levels as it entered the Piedmont of northern North Carolina, producing two reports of damaging winds in Stokes county.","A tree was blown down by thunderstorm winds in the community of Danbury." +119386,716533,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-28 17:58:00,EST-5,2017-07-28 17:58:00,0,0,0,0,0.50K,500,0.00K,0,36.4134,-80.087,36.4134,-80.087,"Showers and thunderstorms developed across northern North Carolina ahead of an approaching cold front. One of the storms intensified to severe levels as it entered the Piedmont of northern North Carolina, producing two reports of damaging winds in Stokes county.","A tree was blown down by thunderstorm winds near the intersection of Route 772 and Yates Road." +117337,705848,FLORIDA,2017,July,Tropical Storm,"COASTAL MANATEE",2017-07-31 12:00:00,EST-5,2017-07-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb.||Coastal Manatee County observed the brunt of the damage from Tropical Storm Emily. The highest wind gust recorded was 63 knots by a home weather station which may have been associated with a brief tornado. Numerous other home weather stations recorded wind gusts in the 35-45 knot range across the county. Flooding was a major issue in Manatee County as water flowed above sidewalks in several neighborhoods, causing street closures throughout the day. Widespread 4-6 inch rainfall totals were observed.Also, some trees and power lines were downed across the area mainly where the center of the storm came onshore." +117375,705882,FLORIDA,2017,July,Thunderstorm Wind,"LEE",2017-07-31 08:25:00,EST-5,2017-07-31 08:25:00,0,0,0,0,15.00K,15000,0.00K,0,26.4228,-81.9058,26.4228,-81.9058,"A stalled frontal boundary draped across the southern Florida peninsula produced scattered showers and thunderstorms during the overnight hours. One storm south of Fort Myers Beach produced gusty winds causing roof damage to a local resort.","A portion of the roof at the Outrigger Beach Resort flew off one building and landed on another. Nearby mesonet stations reported winds around 45 mph at the time." +116380,699843,MONTANA,2017,July,Thunderstorm Wind,"WHEATLAND",2017-07-05 19:19:00,MST-7,2017-07-05 19:19:00,0,0,0,0,0.00K,0,0.00K,0,46.69,-109.75,46.69,-109.75,"An isolated thunderstorm over Wheatland County produced very strong winds.","" +117403,706056,MONTANA,2017,July,Thunderstorm Wind,"PARK",2017-07-24 18:15:00,MST-7,2017-07-24 18:15:00,0,0,0,0,0.00K,0,0.00K,0,45.65,-110.6,45.65,-110.6,"An isolated thunderstorm produced a severe wind gust just outside of Livingston.","" +117405,706062,WYOMING,2017,July,Thunderstorm Wind,"SHERIDAN",2017-07-27 18:05:00,MST-7,2017-07-27 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-106.96,44.83,-106.96,"An isolated thunderstorm produced strong to severe wind gusts along with some small hail just north of Sheridan.","Winds were estimated to be 50 to 60 mph just north of Sheridan." +117675,707636,FLORIDA,2017,July,Heavy Rain,"ALACHUA",2017-07-17 12:53:00,EST-5,2017-07-17 14:00:00,0,0,0,0,0.00K,0,0.00K,0,29.69,-82.27,29.69,-82.27,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","The Gainesville Regional Airport measured 3.01 inches of rainfall in 67 minutes." +117675,707637,FLORIDA,2017,July,Heavy Rain,"MARION",2017-07-17 14:05:00,EST-5,2017-07-17 14:35:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.06,29.21,-82.06,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","Over 2.25 inches of rainfall was measured in 30 minutes." +117675,707638,FLORIDA,2017,July,Lightning,"DUVAL",2017-07-17 14:40:00,EST-5,2017-07-17 14:40:00,0,0,0,0,2.00K,2000,0.00K,0,30.47,-81.57,30.47,-81.57,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","A house fire was on Moose Road due to a lightning strike. The cost of damage was unknown, but it was estimated so this event could be included in Storm Data." +117675,707640,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-17 14:40:00,EST-5,2017-07-17 14:40:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-81.66,30.44,-81.66,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","A tree was blown down and crashed through an apartment building along Harts Road. The time of damage was based on radar." +117677,707643,FLORIDA,2017,July,Heavy Rain,"ALACHUA",2017-07-19 17:53:00,EST-5,2017-07-19 18:25:00,0,0,0,0,0.00K,0,0.00K,0,29.69,-82.27,29.69,-82.27,"Passing upper level trough energy combined with daytime instability and high moisture spawned heavy rainfall and strong wind gusts along sea breeze thunderstorms.","The Gainesville Regional Airport measured 2.34 inches of rainfall in 32 minutes." +117734,707912,FLORIDA,2017,July,Flood,"MARION",2017-07-20 18:22:00,EST-5,2017-07-20 18:22:00,0,0,0,0,0.00K,0,0.00K,0,29.2865,-82.0579,29.2883,-82.0562,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Water covered Burbank Road." +117734,707913,FLORIDA,2017,July,Lightning,"DUVAL",2017-07-20 13:55:00,EST-5,2017-07-20 13:55:00,3,0,0,0,0.00K,0,0.00K,0,30.18,-81.59,30.18,-81.59,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A lightning strike caused 3 injuries." +118403,711573,NEW YORK,2017,July,Thunderstorm Wind,"ALBANY",2017-07-08 10:09:00,EST-5,2017-07-08 10:09:00,0,0,0,0,,NaN,,NaN,42.7,-73.9,42.7,-73.9,"A couple of rounds of showers and thunderstorms impacted eastern New York on July 8. The first round occurred during the late morning hours and resulted in a few reports of downed tree limbs in the Capital District. A later round resulted in a tree down in Dutchess County in the evening.","Tree limbs were downed, blocking a roadway." +118403,711574,NEW YORK,2017,July,Thunderstorm Wind,"RENSSELAER",2017-07-08 10:17:00,EST-5,2017-07-08 10:17:00,0,0,0,0,,NaN,,NaN,42.73,-73.68,42.73,-73.68,"A couple of rounds of showers and thunderstorms impacted eastern New York on July 8. The first round occurred during the late morning hours and resulted in a few reports of downed tree limbs in the Capital District. A later round resulted in a tree down in Dutchess County in the evening.","A tree was downed due to thunderstorm winds." +118403,711575,NEW YORK,2017,July,Thunderstorm Wind,"RENSSELAER",2017-07-08 10:37:00,EST-5,2017-07-08 10:37:00,0,0,0,0,,NaN,,NaN,42.51,-73.51,42.51,-73.51,"A couple of rounds of showers and thunderstorms impacted eastern New York on July 8. The first round occurred during the late morning hours and resulted in a few reports of downed tree limbs in the Capital District. A later round resulted in a tree down in Dutchess County in the evening.","A tree was downed due to thunderstorm winds." +118403,711576,NEW YORK,2017,July,Thunderstorm Wind,"DUTCHESS",2017-07-08 16:15:00,EST-5,2017-07-08 16:15:00,0,0,0,0,,NaN,,NaN,41.6,-73.75,41.6,-73.75,"A couple of rounds of showers and thunderstorms impacted eastern New York on July 8. The first round occurred during the late morning hours and resulted in a few reports of downed tree limbs in the Capital District. A later round resulted in a tree down in Dutchess County in the evening.","A tree was downed onto wires due to thunderstorm winds." +118404,711577,NEW YORK,2017,July,Flash Flood,"MONTGOMERY",2017-07-12 13:45:00,EST-5,2017-07-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.8226,-74.5927,42.8197,-74.5933,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","Heavy rainfall resulted in approximately 6 inches of flowing water over all lanes of Route 10 near the Montgomery/Schoharie County border." +118404,711578,NEW YORK,2017,July,Lightning,"GREENE",2017-07-12 14:35:00,EST-5,2017-07-12 14:35:00,0,0,0,0,1.00K,1000,,NaN,42.46,-73.79,42.46,-73.79,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","A tree and wire were downed due to lightning." +118404,711579,NEW YORK,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-12 22:30:00,EST-5,2017-07-12 22:30:00,0,0,0,0,,NaN,,NaN,43.42,-74.55,43.42,-74.55,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","Two trees were downed on County Route 24 near Piseco Lake." +118821,713754,SOUTH DAKOTA,2017,July,Hail,"BEADLE",2017-07-17 16:25:00,CST-6,2017-07-17 16:25:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-98.17,44.46,-98.17,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","A few hail stones to quarter size hail and a brief period wind gusts to 60 mph." +118821,713757,SOUTH DAKOTA,2017,July,Hail,"BEADLE",2017-07-17 17:55:00,CST-6,2017-07-17 17:55:00,0,0,0,0,0.00K,0,0.00K,0,44.43,-98.68,44.43,-98.68,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","" +118821,713760,SOUTH DAKOTA,2017,July,Hail,"BEADLE",2017-07-17 18:02:00,CST-6,2017-07-17 18:02:00,0,0,0,0,0.00K,0,0.00K,0,44.46,-98.61,44.46,-98.61,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Also wind gusts to 60 mph were estimated that caused a few tree branches to be down." +118821,713762,SOUTH DAKOTA,2017,July,Hail,"KINGSBURY",2017-07-17 21:01:00,CST-6,2017-07-17 21:01:00,0,0,0,0,0.00K,0,0.00K,0,44.37,-97.85,44.37,-97.85,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","" +118821,713766,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-17 18:45:00,CST-6,2017-07-17 18:45:00,0,0,0,0,0.00K,0,0.00K,0,44.36,-98.22,44.36,-98.22,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Large tree was knocked over and was blocking a city street." +118821,713767,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-17 18:30:00,CST-6,2017-07-17 18:30:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-98.23,44.41,-98.23,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","" +118821,713771,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BRULE",2017-07-17 18:44:00,CST-6,2017-07-17 18:44:00,0,0,0,0,0.00K,0,0.00K,0,43.81,-99.32,43.81,-99.32,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Microburst caused a lot of dust to be kicked up." +118821,713773,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"KINGSBURY",2017-07-17 19:17:00,CST-6,2017-07-17 19:17:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-97.63,44.44,-97.63,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Visibility was reduced to less than a half mile caused by the strong winds produced by the microburst." +116201,714308,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:25:00,CST-6,2017-07-05 13:25:00,0,0,0,0,,NaN,,NaN,35.18,-86.5,35.18,-86.5,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Power lines were knocked down." +116201,714309,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 13:57:00,CST-6,2017-07-05 13:57:00,0,0,0,0,0.50K,500,0.00K,0,35.14,-86.29,35.14,-86.29,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","A tree was knocked down at 165 Farris Creek Bridge Road." +116201,714310,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 14:02:00,CST-6,2017-07-05 14:02:00,0,0,0,0,,NaN,,NaN,35.27,-86.12,35.27,-86.12,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Trees were knocked down on Beth Page Road." +116201,714311,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 14:07:00,CST-6,2017-07-05 14:07:00,0,0,0,0,0.50K,500,0.00K,0,35.27,-86.08,35.27,-86.08,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","A tree was knocked down onto a Guard Rail adjacent to the golf course." +116201,714312,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 14:11:00,CST-6,2017-07-05 14:11:00,0,0,0,0,1.00K,1000,0.00K,0,35.28,-86.12,35.28,-86.12,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Two trees were knocked down at the intersection of Morris Ferry Bridge Road and Beth Page Road." +116201,714313,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 14:12:00,CST-6,2017-07-05 14:12:00,0,0,0,0,,NaN,,NaN,35.26,-86.15,35.26,-86.15,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Two trees were knocked down onto power lines along Hillwood Drive." +116201,714315,TENNESSEE,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-05 14:16:00,CST-6,2017-07-05 14:16:00,0,0,0,0,,NaN,,NaN,35.27,-86.12,35.27,-86.12,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Power lines were knocked down in the 1700 block of Beth Page Road." +118901,714316,ALABAMA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-14 18:34:00,CST-6,2017-07-14 18:34:00,0,0,0,0,,NaN,,NaN,34.79,-86.25,34.79,-86.25,"A severe thunderstorm produced isolated wind damage in Jackson County.","A couple of trees and power lines were knocked down along Highway 65 near Holly Tree, in the Rocky Holler community. Time estimated by radar." +116292,699217,OHIO,2017,July,Hail,"HARDIN",2017-07-07 10:42:00,EST-5,2017-07-07 10:44:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-83.82,40.77,-83.82,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116349,699636,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CLARENDON",2017-07-08 19:58:00,EST-5,2017-07-08 19:59:00,0,0,0,0,,NaN,,NaN,33.89,-79.99,33.89,-79.99,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Public reported trees and limbs down on US Hwy 378. One tree fell across a storage shed." +116351,699640,SOUTH CAROLINA,2017,July,Flood,"RICHLAND",2017-07-10 16:08:00,EST-5,2017-07-10 16:10:00,0,0,0,0,0.10K,100,0.10K,100,34.13,-80.86,34.1266,-80.8589,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","Minor street flooding on Spears Creek Church Rd and Two Notch Rd, and on Two Notch Rd near entrance to Sesquicentennial State Park." +116351,699641,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-10 14:55:00,EST-5,2017-07-10 16:25:00,0,0,0,0,0.10K,100,0.10K,100,34.111,-80.8832,34.111,-80.8832,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","RCWINDS gage at Spring Valley HS measured 2.76 inches of rain in A 90 minute period ending at 5:25 pm EDT (4:25 PM EST)." +116351,699642,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-10 14:35:00,EST-5,2017-07-10 16:35:00,0,0,0,0,0.10K,100,0.10K,100,34.1,-80.79,34.1,-80.79,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","RCWINDS gage at Screaming Eagle Rd measured 2.72 inches of rain in a 2 hour period ending at 5:35 pm EDT (4:35 pm EST)." +116351,699643,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-10 16:42:00,EST-5,2017-07-10 16:42:00,0,0,0,0,0.10K,100,0.10K,100,33.99,-81.02,33.99,-81.02,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","NWS rain gage at the University of SC near Bull St and Whaley St measured 1.22 inches of rain. USGS stream gage at Rocky Branch Creek at Main St and Whaley St reached 6.97 feet at 5:15 pm EDT (4:15 pm EST). Flood stage is 7.2 feet." +116351,699645,SOUTH CAROLINA,2017,July,Hail,"RICHLAND",2017-07-10 15:22:00,EST-5,2017-07-10 15:25:00,0,0,0,0,0.10K,100,0.10K,100,34.0473,-81.1124,34.0473,-81.1124,"A surface boundary and a moist atmosphere produced scattered slow moving thunderstorms, some of which produced locally heavy rain.","Pea size hail reported by the public on St. Andrews Rd." +116523,700696,SOUTH CAROLINA,2017,July,Hail,"ORANGEBURG",2017-07-15 14:57:00,EST-5,2017-07-15 14:59:00,0,0,0,0,0.10K,100,0.10K,100,33.43,-80.42,33.43,-80.42,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Public reported, via social media, pea to dime size hail in Vance." +116523,700697,SOUTH CAROLINA,2017,July,Hail,"LANCASTER",2017-07-15 16:32:00,EST-5,2017-07-15 16:35:00,0,0,0,0,0.10K,100,0.10K,100,34.61,-80.75,34.61,-80.75,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Dime size hail reported along New Hope Rd." +117331,705678,WYOMING,2017,July,Thunderstorm Wind,"FREMONT",2017-07-17 12:19:00,MST-7,2017-07-17 12:19:00,0,0,0,0,0.00K,0,0.00K,0,42.82,-108.73,42.82,-108.73,"High based showers developed over the Wind River Mountains and drifted toward the Lander foothills. Some of these showers collapsed over Lander and produced strong wind gusts. At the Lander airport, a wind gust of 64 mph was measured.","A wind gust of 64 mph from a collapsing shower was measured at the ASOS at the Lander airport." +118535,712128,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-06 06:55:00,CST-6,2017-07-06 06:59:00,0,0,0,0,0.50K,500,0.00K,0,45.52,-87.51,45.52,-87.51,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","There was a report of a tree down from thunderstorm wind gusts on a road southeast of Bagley." +118535,712129,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-06 06:55:00,CST-6,2017-07-06 06:59:00,0,0,0,0,0.50K,500,0.00K,0,45.58,-87.71,45.58,-87.71,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","There was a report of a tree down across a road in Nathan from thunderstorm winds." +118535,712130,MICHIGAN,2017,July,Thunderstorm Wind,"LUCE",2017-07-06 12:00:00,EST-5,2017-07-06 12:05:00,0,0,0,0,2.00K,2000,0.00K,0,46.56,-85.36,46.56,-85.36,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","There was a public report of several large uprooted maple and birch trees along Camp 7 Road just to the south of Highway M-123. The largest maple tree was approximately 20 inches in diameter. The birch trees were 8-10 inches in diameter. Several of the smaller trees were snapped. The time of the damage was estimated from radar." +118535,712132,MICHIGAN,2017,July,Thunderstorm Wind,"MARQUETTE",2017-07-06 19:45:00,EST-5,2017-07-06 19:50:00,0,0,0,0,2.00K,2000,0.00K,0,46.25,-88.01,46.25,-88.01,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","Four to five medium to large trees were down along Highway M-95 near the Floodwood Road near Witch Lake." +118535,712136,MICHIGAN,2017,July,Thunderstorm Wind,"DICKINSON",2017-07-06 18:55:00,CST-6,2017-07-06 19:02:00,0,0,0,0,4.00K,4000,0.00K,0,46.15,-87.78,46.15,-87.78,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","The observer from Norway reported trees and power lines down from three miles to six miles north of Ralph. The time of the report was estimated from radar." +118535,712137,MICHIGAN,2017,July,Thunderstorm Wind,"MARQUETTE",2017-07-06 20:04:00,EST-5,2017-07-06 20:09:00,0,0,0,0,2.00K,2000,0.00K,0,46.42,-87.46,46.42,-87.46,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","There was a public report of numerous trees down a couple of miles west of Highway M-553 in Sands Township. Time of the report was estimated from radar." +117918,708631,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-18 17:15:00,MST-7,2017-07-18 17:15:00,0,0,0,0,15.00K,15000,0.00K,0,33.33,-112.44,33.33,-112.44,"Scattered monsoon thunderstorms developed across much of south-central Arizona during the afternoon and evening hours on July 18th and they affected portions of the greater Phoenix area as well as areas around the community of Wickenburg. The storms brought many of the typical summer weather hazards; trees were downed by strong winds near the town of Goodyear, widespread flooding was reported in the early evening in Wickenburg and dense blowing dust was reported near the Ak-Chin Village at 1815MST. At 1835MST a trained spotter measured 1.75 inches of rain within one hour near Wickenburg, sufficient to cause significant flash flooding. No injuries were reported due to the hazardous weather.","Strong thunderstorms developed across the western portion of the greater Phoenix area during the late afternoon hours on July 18th, and some of them affected the area around the town of Goodyear. At 1715MST, a trained weather spotter located 7 miles southwest of Goodyear reported numerous Palo Verde trees blown down by wind gusts estimated to be as high as 65 mph. Pea sized hail and heavy rain accompanied the strong gusty winds." +117918,708632,ARIZONA,2017,July,Dust Storm,"CENTRAL DESERTS",2017-07-18 18:15:00,MST-7,2017-07-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered monsoon thunderstorms developed across much of south-central Arizona during the afternoon and evening hours on July 18th and they affected portions of the greater Phoenix area as well as areas around the community of Wickenburg. The storms brought many of the typical summer weather hazards; trees were downed by strong winds near the town of Goodyear, widespread flooding was reported in the early evening in Wickenburg and dense blowing dust was reported near the Ak-Chin Village at 1815MST. At 1835MST a trained spotter measured 1.75 inches of rain within one hour near Wickenburg, sufficient to cause significant flash flooding. No injuries were reported due to the hazardous weather.","Scattered thunderstorms developed over portions of the central deserts, and they produced gusty outflow winds which reached as high as 40 mph. The gusty winds produced areas of dense blowing dust near the town of Ak-Chin in western Pinal County. According to a public report, at 1815MST visibility was lowered to one quarter of a mile in a dust storm 2 miles southeast of Ak-Chin Village. A Dust Storm Warning was not issued. Instead, a Blowing Dust Advisory was issued and it was in effect from 1826MST through 2100MST." +117259,705295,NEBRASKA,2017,July,Hail,"CUSTER",2017-07-02 16:22:00,CST-6,2017-07-02 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-99.24,41.56,-99.24,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705296,NEBRASKA,2017,July,Hail,"HOOKER",2017-07-02 15:29:00,MST-7,2017-07-02 15:29:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-101.24,41.9,-101.24,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705297,NEBRASKA,2017,July,Hail,"SHERIDAN",2017-07-02 15:32:00,MST-7,2017-07-02 15:32:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-102.27,42.15,-102.27,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705298,NEBRASKA,2017,July,Hail,"GARDEN",2017-07-02 15:36:00,MST-7,2017-07-02 15:36:00,0,0,0,0,0.00K,0,0.00K,0,42,-102.11,42,-102.11,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705299,NEBRASKA,2017,July,Hail,"HOOKER",2017-07-02 15:39:00,MST-7,2017-07-02 15:39:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-101.28,41.87,-101.28,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705300,NEBRASKA,2017,July,Hail,"SHERIDAN",2017-07-02 15:50:00,MST-7,2017-07-02 15:50:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-102.69,42.68,-102.69,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705301,NEBRASKA,2017,July,Hail,"GRANT",2017-07-02 16:07:00,MST-7,2017-07-02 16:07:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-101.6,41.88,-101.6,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118839,713959,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALAMANCE",2017-07-18 16:29:00,EST-5,2017-07-18 16:29:00,0,0,0,0,0.00K,0,0.00K,0,35.845,-79.5401,35.845,-79.5401,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","One tree was reported down on Silk Hope Liberty Road." +118839,713972,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALAMANCE",2017-07-18 16:29:00,EST-5,2017-07-18 16:29:00,0,0,0,0,0.00K,0,0.00K,0,35.9527,-79.5232,35.9527,-79.5232,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","One tree was reported down on Spanish Oak Hill Road near Forster Store Road." +118839,713979,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ANSON",2017-07-18 18:00:00,EST-5,2017-07-18 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.97,-80.06,34.97,-80.06,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Multiple trees were reported down on Morven Road." +118839,713981,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STANLY",2017-07-18 18:09:00,EST-5,2017-07-18 18:09:00,0,0,0,0,10.00K,10000,0.00K,0,35.37,-80.19,35.37,-80.19,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Multiple trees were reported and power lines were reported down in the Albemarle area." +118839,713982,NORTH CAROLINA,2017,July,Flash Flood,"ANSON",2017-07-18 19:00:00,EST-5,2017-07-18 19:30:00,0,0,0,0,0.00K,0,0.00K,0,34.97,-80.07,34.9667,-80.0732,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Multiple roads were closed due to flash flooding in Wadesboro." +118871,714188,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HARNETT",2017-07-16 16:23:00,EST-5,2017-07-16 16:23:00,0,0,0,0,0.50K,500,0.00K,0,35.56,-78.87,35.56,-78.87,"Showers and thunderstorms developed along and ahead of a stationary boundary over Central North Carolina. One thunderstorm became severe, producing isolated wind damage.","One tree was blown down near the intersection of Oakridge Duncan Road and NC Highway 42." +118829,713902,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-03 20:30:00,CST-6,2017-07-03 20:30:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-97.39,35.42,-97.39,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713903,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-03 20:30:00,CST-6,2017-07-03 20:30:00,0,0,0,0,15.00K,15000,0.00K,0,35.55,-97.51,35.55,-97.51,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Structural damage sustained by a business, and power lines/poles downed nearby." +118829,713904,OKLAHOMA,2017,July,Thunderstorm Wind,"COMANCHE",2017-07-03 20:40:00,CST-6,2017-07-03 20:40:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-98.55,34.75,-98.55,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713905,OKLAHOMA,2017,July,Thunderstorm Wind,"TILLMAN",2017-07-03 20:50:00,CST-6,2017-07-03 20:50:00,0,0,0,0,0.00K,0,0.00K,0,34.35,-98.99,34.35,-98.99,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713906,OKLAHOMA,2017,July,Thunderstorm Wind,"COMANCHE",2017-07-03 20:59:00,CST-6,2017-07-03 20:59:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-98.42,34.57,-98.42,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713907,OKLAHOMA,2017,July,Thunderstorm Wind,"COMANCHE",2017-07-03 21:02:00,CST-6,2017-07-03 21:02:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-98.33,34.59,-98.33,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713909,OKLAHOMA,2017,July,Thunderstorm Wind,"COMANCHE",2017-07-03 21:11:00,CST-6,2017-07-03 21:11:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-98.28,34.79,-98.28,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713910,OKLAHOMA,2017,July,Thunderstorm Wind,"COMANCHE",2017-07-03 21:15:00,CST-6,2017-07-03 21:15:00,0,0,0,0,0.00K,0,0.00K,0,34.55,-98.32,34.55,-98.32,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713911,OKLAHOMA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-03 21:15:00,CST-6,2017-07-03 21:15:00,0,0,0,0,0.00K,0,0.00K,0,34.7,-99.34,34.7,-99.34,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713912,OKLAHOMA,2017,July,Thunderstorm Wind,"POTTAWATOMIE",2017-07-03 21:18:00,CST-6,2017-07-03 21:18:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-96.92,35.26,-96.92,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713914,OKLAHOMA,2017,July,Flash Flood,"LOGAN",2017-07-03 22:01:00,CST-6,2017-07-04 01:01:00,0,0,0,0,0.00K,0,0.00K,0,35.8654,-97.2592,35.8722,-97.2633,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Road was closed due to high water." +118531,712115,ARKANSAS,2017,July,Thunderstorm Wind,"HOT SPRING",2017-07-01 16:35:00,CST-6,2017-07-01 16:35:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-92.83,34.39,-92.83,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","A tree was downed near Highway 270." +118531,712116,ARKANSAS,2017,July,Thunderstorm Wind,"SALINE",2017-07-01 17:00:00,CST-6,2017-07-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.56,-92.59,34.56,-92.59,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","A tree was reported down near the intersection of North Street and Fourth Street." +118531,712117,ARKANSAS,2017,July,Thunderstorm Wind,"SALINE",2017-07-01 17:00:00,CST-6,2017-07-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-92.53,34.62,-92.53,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","A tree was blown down and blocking Highway 5 east of Alcoa Road." +118531,712118,ARKANSAS,2017,July,Lightning,"FAULKNER",2017-07-04 11:20:00,CST-6,2017-07-04 11:20:00,1,0,0,0,0.00K,0,0.00K,0,35.0491,-92.1952,35.0491,-92.1952,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","A 38 year old male was struck by lightning when he ran out to grab a hammock." +118531,712119,ARKANSAS,2017,July,Thunderstorm Wind,"FAULKNER",2017-07-04 11:59:00,CST-6,2017-07-04 11:59:00,0,0,0,0,0.00K,0,0.00K,0,35.08,-92.19,35.08,-92.19,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","Trees were reported blown down." +118532,712120,ARKANSAS,2017,July,Hail,"BAXTER",2017-07-07 20:40:00,CST-6,2017-07-07 20:40:00,0,0,0,0,0.00K,0,0.00K,0,36.38,-92.23,36.38,-92.23,"Severe thunderstorms brought large hail on July 7,2017.","" +118532,712121,ARKANSAS,2017,July,Hail,"SHARP",2017-07-07 21:20:00,CST-6,2017-07-07 21:20:00,0,0,0,0,0.00K,0,0.00K,0,36.3,-91.52,36.3,-91.52,"Severe thunderstorms brought large hail on July 7,2017.","" +118533,712122,ARKANSAS,2017,July,Thunderstorm Wind,"SALINE",2017-07-13 15:45:00,CST-6,2017-07-13 15:45:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-92.81,34.62,-92.81,"The severe thunderstorms of July 13 and 14, 2017 brought mainly damaging winds and flash flooding.","Trees and power lines were down along Highway 5." +118533,712123,ARKANSAS,2017,July,Flash Flood,"PULASKI",2017-07-14 14:29:00,CST-6,2017-07-14 16:29:00,0,0,0,0,0.00K,0,0.00K,0,34.8157,-92.3176,34.8096,-92.3162,"The severe thunderstorms of July 13 and 14, 2017 brought mainly damaging winds and flash flooding.","High water was reported in the Crystal Hill area." +118534,712125,ARKANSAS,2017,July,Thunderstorm Wind,"FAULKNER",2017-07-23 15:40:00,CST-6,2017-07-23 15:40:00,0,0,0,0,10.00K,10000,0.00K,0,35.07,-92.52,35.07,-92.52,"Mainly damaging winds were reported with the severe thunderstorms of July 23-28, 2017.","Thunderstorm winds blew a tree onto a home on Artis Lane 1 mile northeast of Red Hill...north of Dave Ward Drive on the far west side of Conway." +118534,712126,ARKANSAS,2017,July,Thunderstorm Wind,"PERRY",2017-07-27 17:27:00,CST-6,2017-07-27 17:27:00,0,0,0,0,0.00K,0,0.00K,0,35.04,-92.72,35.04,-92.72,"Mainly damaging winds were reported with the severe thunderstorms of July 23-28, 2017.","Trees were down and blocking Highway 113 between Perry and Houston." +119129,715444,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-23 14:30:00,EST-5,2017-07-23 14:30:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-80.72,35.32,-80.72,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported multiple trees blown down just west of Harrisburg." +119129,715445,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-23 15:00:00,EST-5,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-80.66,35.18,-80.66,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported several trees blown down in the Mint Hill area." +119129,715446,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-23 15:05:00,EST-5,2017-07-23 15:05:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-80.85,35.07,-80.85,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Public reported (via Social Media) trees blown down in the Pineville area." +119129,715447,NORTH CAROLINA,2017,July,Hail,"UNION",2017-07-23 15:40:00,EST-5,2017-07-23 15:40:00,0,0,0,0,,NaN,,NaN,34.95,-80.52,34.95,-80.52,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Spotter reported quarter size hail south of Monroe." +119129,715448,NORTH CAROLINA,2017,July,Hail,"CABARRUS",2017-07-23 14:45:00,EST-5,2017-07-23 14:45:00,0,0,0,0,,NaN,,NaN,35.397,-80.59,35.397,-80.59,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Spotter reported nickel size hail near Concord." +119129,715449,NORTH CAROLINA,2017,July,Hail,"BURKE",2017-07-23 12:18:00,EST-5,2017-07-23 12:18:00,0,0,0,0,,NaN,,NaN,35.81,-81.66,35.81,-81.66,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Media reported quarter size hail in the Chesterfield community." +119129,715450,NORTH CAROLINA,2017,July,Hail,"RUTHERFORD",2017-07-23 13:54:00,EST-5,2017-07-23 13:54:00,0,0,0,0,,NaN,,NaN,35.33,-81.76,35.33,-81.76,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Public reported quarter size hail in the Ellenboro area." +116589,701184,ARKANSAS,2017,July,Flash Flood,"LITTLE RIVER",2017-07-05 05:35:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.7774,-94.2748,33.7789,-94.2717,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Highway 234 near the Alleene community was flooded." +116589,701185,ARKANSAS,2017,July,Flash Flood,"LITTLE RIVER",2017-07-05 06:58:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.8331,-94.3779,33.8402,-94.3702,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Highway 234 between Highway 41 west of Winthrop and Highway 108 south of Alleene was closed due to flooding." +116589,701187,ARKANSAS,2017,July,Flash Flood,"LITTLE RIVER",2017-07-05 07:11:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.7335,-94.4139,33.7344,-94.3772,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Low water crossings were flooded in and near Foreman. Over 6 inches of rain was recorded, with the rain spilling out of the spotter's rain gauge." +119516,717189,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-31 14:45:00,EST-5,2017-07-31 14:45:00,0,0,0,0,0.00K,0,0.00K,0,24.5671,-81.7979,24.5671,-81.7979,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 42 knots was measured at an automated WeatherFlow station at the U.S. Coast Guard Sector Key West." +119516,717190,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-31 14:48:00,EST-5,2017-07-31 14:48:00,0,0,0,0,0.00K,0,0.00K,0,24.5508,-81.8074,24.5508,-81.8074,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 40 knots was measured at the National Ocean Service Station at NOAA's Florida Keys National Marine Sanctuary Office." +119517,717192,FLORIDA,2017,July,Flood,"MONROE",2017-07-31 14:30:00,EST-5,2017-07-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,25.0698,-80.4674,25.0733,-80.4638,"Heavy rainfall in the two and a half to three inch range produced local flooding of the Overseas Highway in the Rock Harbor vicinity.","The Monroe County Sheriffs Office reported U.S. Highway One northbound lanes flooded due to heavy rain. A nearby Weather Underground mesonet station reported 2.74 inches of rainfall." +117964,709365,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-17 12:10:00,EST-5,2017-07-17 15:15:00,0,0,0,0,20.00K,20000,0.00K,0,42.7506,-76.4741,42.689,-76.4436,"Warm and humid air was in place across the region as a slow moving frontal system drifted into central New York. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several areas, including the larger populated area of Greater Binghamton.","Many roads in, and around, the Village of Moravia were flooded by rapid moving water. Road shoulders and culverts that had been fixed by flooding earlier in the month were damaged again." +117964,709374,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-17 12:41:00,EST-5,2017-07-17 15:15:00,0,0,0,0,50.00K,50000,0.00K,0,42.7506,-76.4504,42.7577,-76.3948,"Warm and humid air was in place across the region as a slow moving frontal system drifted into central New York. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several areas, including the larger populated area of Greater Binghamton.","Flash flooding reportedly caused the collapse of Oak Hill Road." +117964,709375,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-17 14:42:00,EST-5,2017-07-17 17:15:00,0,0,0,0,8.00K,8000,0.00K,0,42.1021,-76.0838,42.1168,-76.0216,"Warm and humid air was in place across the region as a slow moving frontal system drifted into central New York. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several areas, including the larger populated area of Greater Binghamton.","Underpasses in the Village of Endicott were flooding out with rapidly moving water." +119834,718475,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:40:00,CST-6,2017-08-10 12:40:00,0,0,0,0,0.00K,0,0.00K,0,39.3149,-100.3621,39.3149,-100.3621,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Children's swing set was blown over." +119834,718476,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:50:00,CST-6,2017-08-10 12:50:00,0,0,0,0,20.00K,20000,0.00K,0,39.3574,-100.4039,39.3574,-100.4039,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The roof was taken off the barn. Unspecified tree damage also occurred." +116547,700825,NORTH DAKOTA,2017,July,Funnel Cloud,"TOWNER",2017-07-11 16:12:00,CST-6,2017-07-11 16:12:00,0,0,0,0,0.00K,0,0.00K,0,48.79,-99.2,48.79,-99.2,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The funnel was viewed by a spotter located near Calvin." +116547,700824,NORTH DAKOTA,2017,July,Funnel Cloud,"TOWNER",2017-07-11 16:10:00,CST-6,2017-07-11 16:10:00,0,0,0,0,0.00K,0,0.00K,0,48.8,-99.23,48.8,-99.23,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The funnel cloud was reported by a deputy." +116547,700826,NORTH DAKOTA,2017,July,Tornado,"TOWNER",2017-07-11 16:16:00,CST-6,2017-07-11 16:20:00,0,0,0,0,,NaN,,NaN,48.79,-99.16,48.7468,-99.1083,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The funnel which preceded this tornado was viewed by multiple storm spotters. Photographs and reports show that this tornado tracked mainly over open rangeland. Peak winds were estimated at 70 mph." +116547,700827,NORTH DAKOTA,2017,July,Hail,"WALSH",2017-07-11 16:35:00,CST-6,2017-07-11 16:45:00,0,0,0,0,,NaN,,NaN,48.35,-97.49,48.35,-97.49,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The large hail stripped bean fields." +116894,702848,NORTH DAKOTA,2017,July,Hail,"BENSON",2017-07-21 22:18:00,CST-6,2017-07-21 22:18:00,0,0,0,0,,NaN,,NaN,48.18,-99.52,48.18,-99.52,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail ranged in size from pea on up." +116894,702852,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-22 01:42:00,CST-6,2017-07-22 01:42:00,0,0,0,0,,NaN,,NaN,47.16,-97.22,47.16,-97.22,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The wind gust was measured by a personal weather station." +116894,703568,NORTH DAKOTA,2017,July,Hail,"BENSON",2017-07-21 22:33:00,CST-6,2017-07-21 22:33:00,0,0,0,0,,NaN,,NaN,48.14,-99.3,48.14,-99.3,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The large hail was accompanied by very strong winds, which were estimated to be 50 mph or greater." +116894,703569,NORTH DAKOTA,2017,July,Hail,"EDDY",2017-07-21 23:46:00,CST-6,2017-07-21 23:49:00,0,0,0,0,,NaN,,NaN,47.8,-98.57,47.8,-98.57,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Dime to half dollar sized hail fell." +118629,712669,MISSISSIPPI,2017,July,Heat,"TALLAHATCHIE",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712670,MISSISSIPPI,2017,July,Heat,"MARSHALL",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712671,MISSISSIPPI,2017,July,Heat,"DE SOTO",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712672,MISSISSIPPI,2017,July,Excessive Heat,"DE SOTO",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712673,TENNESSEE,2017,July,Heat,"WEAKLEY",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712674,TENNESSEE,2017,July,Heat,"HENRY",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712675,TENNESSEE,2017,July,Heat,"GIBSON",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712676,TENNESSEE,2017,July,Heat,"CARROLL",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712677,TENNESSEE,2017,July,Heat,"BENTON",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712678,TENNESSEE,2017,July,Heat,"CROCKETT",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118016,711811,VIRGINIA,2017,July,Flash Flood,"CLARKE",2017-07-28 23:00:00,EST-5,2017-07-29 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.18,-78.03,39.1762,-78.0328,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Torrential rain caused flooding of Russell Road near Stringtown." +118016,711812,VIRGINIA,2017,July,Flash Flood,"LOUDOUN",2017-07-28 23:12:00,EST-5,2017-07-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.14,-77.77,39.1394,-77.7698,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Torrential rains flooded Main Street in Round Hill, causing it to be closed at Greenwood Drive." +118016,711813,VIRGINIA,2017,July,Flash Flood,"LOUDOUN",2017-07-28 23:21:00,EST-5,2017-07-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0794,-77.7695,39.0768,-77.7637,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Snickersville Turnpike washed out near Portrait Vista Lane in Loudoun County due to torrential rainfall." +118014,711815,MARYLAND,2017,July,Flood,"MONTGOMERY",2017-07-28 13:13:00,EST-5,2017-07-28 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1342,-77.1203,39.1389,-77.1293,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Muncaster Mill Road was flooded and closed due to stream overflow near Bowie Mill Road." +118014,711817,MARYLAND,2017,July,Flash Flood,"ANNE ARUNDEL",2017-07-28 23:54:00,EST-5,2017-07-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2153,-76.6449,39.213,-76.6438,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Swift water rescue reported at the intersection of Routes 170 and 648 near Pumphrey." +118014,711818,MARYLAND,2017,July,Flash Flood,"HOWARD",2017-07-29 00:38:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1902,-76.7235,39.2141,-76.7038,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Water flowing across Race Road between Hanover Road and Furnace Avenue due to torrential rains." +118014,711820,MARYLAND,2017,July,Flash Flood,"BALTIMORE CITY (C)",2017-07-29 01:28:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.2433,-76.6267,39.2422,-76.6248,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The 3400 Block of Spelman Road flooded and closed due to torrential rainfall." +118464,713421,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 13:19:00,EST-5,2017-07-22 13:19:00,0,0,0,0,,NaN,,NaN,38.9851,-77.0192,38.9851,-77.0192,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 600 Block of Philadelphia Avenue." +118464,713422,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 13:28:00,EST-5,2017-07-22 13:28:00,0,0,0,0,,NaN,,NaN,38.9836,-76.9993,38.9836,-76.9993,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A four inch limb was snapped off." +118464,713423,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-22 13:30:00,EST-5,2017-07-22 13:30:00,0,0,0,0,,NaN,,NaN,39.0605,-76.8507,39.0605,-76.8507,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down blocking Golden Pass Lane." +118464,713424,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:48:00,EST-5,2017-07-22 13:48:00,0,0,0,0,,NaN,,NaN,38.9725,-76.6396,38.9725,-76.6396,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Rossback Road and Rutland Road." +118464,713425,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:50:00,EST-5,2017-07-22 13:50:00,0,0,0,0,,NaN,,NaN,38.8656,-76.6198,38.8656,-76.6198,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Solomons Island Road and Harwood Road." +118464,713426,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:53:00,EST-5,2017-07-22 13:53:00,0,0,0,0,,NaN,,NaN,38.9109,-76.5801,38.9109,-76.5801,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Brick Church Road and Solomons Island Road." +118464,713427,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:54:00,EST-5,2017-07-22 13:54:00,0,0,0,0,,NaN,,NaN,38.9593,-76.568,38.9593,-76.568,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 2900 Block of Friends Road." +118464,713428,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:58:00,EST-5,2017-07-22 13:58:00,0,0,0,0,,NaN,,NaN,38.7841,-76.6647,38.7841,-76.6647,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Two trees were down near the intersection of Southern Maryland Boulevard and Talbot Road." +119071,715134,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-24 00:18:00,EST-5,2017-07-24 00:28:00,0,0,0,0,,NaN,,NaN,39.01,-76.4,39.01,-76.4,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","Wind gusts up to 37 knots were reported at Sandy Point." +119071,715135,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-24 01:00:00,EST-5,2017-07-24 01:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust of 35 knots was measured at Thomas Point Lighthouse." +119071,715136,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-24 00:54:00,EST-5,2017-07-24 00:54:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust in excess of 30 knots was reported at Hooper Island." +119071,715137,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-24 01:06:00,EST-5,2017-07-24 01:06:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust in excess of 30 knots was reported at Cove Point." +119071,715138,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-07-24 19:30:00,EST-5,2017-07-24 19:30:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust in excess of 30 knots was reported at the Susquehanna Buoy." +119071,715139,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-24 20:50:00,EST-5,2017-07-24 20:50:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust of 35knots was reported at the Patapsco Buoy." +119062,715787,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-01 15:47:00,EST-5,2017-07-01 15:47:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 35 knots was measured at Tolchester Beach." +119063,715811,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-06 21:14:00,EST-5,2017-07-06 21:14:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some gusty thunderstorms.","A wind gust of 34 knots was recorded." +116254,701743,PENNSYLVANIA,2017,July,Heavy Rain,"MONROE",2017-07-07 08:30:00,EST-5,2017-07-07 08:30:00,0,0,0,0,,NaN,,NaN,40.9,-75.37,40.9,-75.37,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th and is a 24 hour total." +116274,699142,FLORIDA,2017,July,Tornado,"ORANGE",2017-07-07 19:00:00,EST-5,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,28.3917,-81.3403,28.3917,-81.3403,"The Atlantic and Gulf coast sea breeze boundaries collided from south-central Orange County to western Osceola County during the early evening. During the initial collision and prior to shower and thunderstorm development, a brief tornado was observed from the Orlando International Airport tower and photographed by several people at the airport. Showers and thunderstorms then rapidly formed along the north-south boundary collision zone and a funnel cloud was observed by many citizens and weather spotters in Kissimmee. Shortly thereafter, the funnel cloud developed into a tornado and produced minor damage to several homes within two adjacent subdivisions.","Air Traffic Controllers at the Orlando International Airport observed a brief tornado touchdown approximately 2 miles to their southwest. Several persons at the airport photographed the tornado. The tornado likely occurred in an undeveloped area of rural Orange County (Meadow Woods). No damage was reported. The (landspout) tornado developed as two strong sea breeze boundaries collided over the area, prior to any shower and thunderstorm development. Partly cloudy skies were occurring at the time. The photographs clearly showed a large radius of dust/dirt surrounding the vortex at the surface and the condensation funnel extending to the cloud base." +116274,699146,FLORIDA,2017,July,Funnel Cloud,"OSCEOLA",2017-07-07 19:15:00,EST-5,2017-07-07 19:29:00,0,0,0,0,0.00K,0,0.00K,0,28.3095,-81.3787,28.3095,-81.3787,"The Atlantic and Gulf coast sea breeze boundaries collided from south-central Orange County to western Osceola County during the early evening. During the initial collision and prior to shower and thunderstorm development, a brief tornado was observed from the Orlando International Airport tower and photographed by several people at the airport. Showers and thunderstorms then rapidly formed along the north-south boundary collision zone and a funnel cloud was observed by many citizens and weather spotters in Kissimmee. Shortly thereafter, the funnel cloud developed into a tornado and produced minor damage to several homes within two adjacent subdivisions.","Numerous weather spotters and citizens observed a funnel cloud in Kissimmee. The funnel cloud crossed above the Florida Turnpike and then impacted the Buena Ventura Lakes area as a tornado." +116277,699151,FLORIDA,2017,July,Lightning,"MARTIN",2017-07-08 11:20:00,EST-5,2017-07-08 11:20:00,3,0,0,0,0.00K,0,0.00K,0,27.1106,-80.2832,27.1106,-80.2832,"A mid day thunderstorm produced a lightning strike which hit a tree in Stuart and injured three people who were nearby.","A lightning strike associated with a mid day thunderstorm struck a tree in Phipps Park. The strike injured three people who were nearby. Two of the three people were hospitalized. While the extent of their injuries were unknown, all of them were conscious when paramedics arrived." +116497,700591,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PITT",2017-07-06 19:23:00,EST-5,2017-07-06 19:23:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-77.37,35.6,-77.37,"A mid-level disturbance crossing North Carolina from west to east, combined with a weak surface thermal trough and a very moist and unstable atmosphere, led to a few severe thunderstorms across Eastern NC.","Public reported a 71 mph thunderstorm wind gust." +116497,700604,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BEAUFORT",2017-07-06 20:36:00,EST-5,2017-07-06 20:36:00,0,0,0,0,0.00K,0,0.00K,0,35.6,-76.66,35.6,-76.66,"A mid-level disturbance crossing North Carolina from west to east, combined with a weak surface thermal trough and a very moist and unstable atmosphere, led to a few severe thunderstorms across Eastern NC.","The 61 mph wind gust was associated with the outflow boundary from a storm to the northwest of Pantego." +116497,700602,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-06 20:50:00,EST-5,2017-07-06 20:50:00,0,0,0,0,0.00K,0,0.00K,0,35.7181,-76.6489,35.7181,-76.6489,"A mid-level disturbance crossing North Carolina from west to east, combined with a weak surface thermal trough and a very moist and unstable atmosphere, led to a few severe thunderstorms across Eastern NC.","Washington County Emergency Manager reported multiple trees down near the intersection of Railroad Bed Road and Highway 99." +116423,700129,TEXAS,2017,July,Flash Flood,"LUBBOCK",2017-07-01 00:00:00,CST-6,2017-07-01 03:00:00,0,0,0,0,0.00K,0,0.00K,0,33.525,-101.7285,33.5371,-101.7169,"As the significant nighttime storms of June 30 progressed across the southern South Plains, they gradually waned as a squall line developed in their advance around midnight CST on July 1. This line of storms produced a few severe wind gusts and widespread heavy rainfall before exiting south of the region before daybreak. Flash flooding, which began before midnight CST on July 1st, continued for a few additional hours in Anton (Hockley County) and near Buffalo Springs Lake (Lubbock County). Also, lightning was responsible for a fatal house fire in east Lubbock.","Sections of FM Road 835 and County Road 7000 began to flood before midnight CST on July 1st, and continued to see rising waters for a short while later. The flash flooding was focused primarily along the west end of Buffalo Springs Lake. The roads were eventually re-opened by daybreak once floodwaters had fully receded." +116423,700135,TEXAS,2017,July,Flash Flood,"HOCKLEY",2017-07-01 00:00:00,CST-6,2017-07-01 02:00:00,0,0,0,0,0.00K,0,0.00K,0,33.8123,-102.1783,33.7949,-102.1574,"As the significant nighttime storms of June 30 progressed across the southern South Plains, they gradually waned as a squall line developed in their advance around midnight CST on July 1. This line of storms produced a few severe wind gusts and widespread heavy rainfall before exiting south of the region before daybreak. Flash flooding, which began before midnight CST on July 1st, continued for a few additional hours in Anton (Hockley County) and near Buffalo Springs Lake (Lubbock County). Also, lightning was responsible for a fatal house fire in east Lubbock.","Flash flooding in Anton that began late in the night on June 30th continued for a few additional hours into July 1st. Multiple homes received water inundation damage and the city was marooned by high water for much of the overnight. Monetary damage from this event is not repeated here, but is available in the June 30th entry." +116808,702372,KENTUCKY,2017,July,Thunderstorm Wind,"ROWAN",2017-07-23 00:42:00,EST-5,2017-07-23 00:42:00,0,0,0,0,,NaN,,NaN,38.1956,-83.4806,38.1481,-83.4782,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Law enforcement reported numerous trees down in and around Morehead. This includes the north end of Kentucky Highway 32, both ends of U.S. Highway 60, and Ridgeway Drive." +116808,711116,KENTUCKY,2017,July,Flash Flood,"ROWAN",2017-07-23 01:10:00,EST-5,2017-07-23 03:30:00,0,0,0,0,50.00K,50000,0.00K,0,38.3638,-83.3643,38.29,-83.3704,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Dispatch reported over 30 water rescues, mainly due to motorists becoming stranded by quickly rising flood waters over roadways. Buffalo Branch overflowed its banks, causing water to enter homes along Buffalo Branch Road northeast of Morehead." +116809,702377,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-22 13:50:00,EST-5,2017-07-22 13:50:00,0,0,0,0,0.00K,0,0.00K,0,28.78,-80.8,28.78,-80.8,"Numerous thunderstorms develop inland from the coast as an outflow boundary collided with the sea breeze. Strong winds developed within a few of the storms and spread across the Brevard County intracoastal waters, barrier islands and into the Atlantic.","USAF wind tower recorded a peak gust of 37 knots from the west as a strong thunderstorm crossed the Indian River, barrier island and spread across Mosquito Lagoon." +117036,703945,TEXAS,2017,July,Heat,"SABINE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117036,703946,TEXAS,2017,July,Heat,"SAN AUGUSTINE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117040,703964,TEXAS,2017,July,Heat,"PANOLA",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +117040,703965,TEXAS,2017,July,Heat,"SHELBY",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +117040,703966,TEXAS,2017,July,Heat,"SABINE",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +117044,704051,NEW JERSEY,2017,July,Thunderstorm Wind,"ATLANTIC",2017-07-24 02:55:00,EST-5,2017-07-24 02:55:00,0,0,0,0,,NaN,,NaN,39.36,-74.61,39.36,-74.61,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree was taken down due to thunderstorm winds." +117044,704052,NEW JERSEY,2017,July,Thunderstorm Wind,"MONMOUTH",2017-07-24 05:50:00,EST-5,2017-07-24 05:50:00,0,0,0,0,,NaN,,NaN,40.41,-74.19,40.41,-74.19,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Thunderstorm winds knocked a tree onto a NJ Transit line between Bethany and Centerville roads, delays on the transit line." +117044,704053,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-22 17:32:00,EST-5,2017-07-22 17:32:00,0,0,0,0,,NaN,,NaN,39.94,-75.11,39.94,-75.11,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Measured thunderstorm wind gust." +117044,704543,NEW JERSEY,2017,July,Rip Current,"EASTERN CAPE MAY",2017-07-23 18:00:00,EST-5,2017-07-23 18:00:00,2,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Two injuries occurred due to rip currents. These injuries were to the head and back areas of the persons pulled out of the water." +117044,704691,NEW JERSEY,2017,July,Thunderstorm Wind,"MIDDLESEX",2017-07-21 19:37:00,EST-5,2017-07-21 19:37:00,0,0,0,0,0.01K,10,0.00K,0,40.4566,-74.2473,40.4566,-74.2473,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Downed tree onto US 35." +117044,704694,NEW JERSEY,2017,July,Flood,"OCEAN",2017-07-24 03:00:00,EST-5,2017-07-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6422,-74.1843,39.6427,-74.1793,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Several reports of flooding." +117047,704230,PENNSYLVANIA,2017,July,Flash Flood,"DELAWARE",2017-07-23 10:45:00,EST-5,2017-07-23 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-75.59,39.8837,-75.5643,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A swift-water rescue occurred on a road." +117047,704233,PENNSYLVANIA,2017,July,Flash Flood,"CHESTER",2017-07-23 19:30:00,EST-5,2017-07-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-75.6,39.9628,-75.594,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A vehicle was stuck at Gay and Montgomery due to flooding." +117234,705032,COLORADO,2017,July,Flash Flood,"FREMONT",2017-07-29 18:00:00,MST-7,2017-07-29 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.249,-105.1107,38.5097,-105.076,"Slow moving storms produced flash flooding in Fremont, Custer, Pueblo, and Las Animas Counties. A significant flash flood occurred on the Junkins burn scar.","Strong storms produced brief flash flooding in and around Penrose and Florence. In addition, significant flood waters from the Junkins burn scar swiftly moved down Hardscrabble Creek down from Wetmore causing out of channel flooding to agricultural areas. No major damage was reported." +116846,702600,KENTUCKY,2017,July,Heat,"BOYD",2017-07-22 11:00:00,EST-5,2017-07-22 16:00:00,0,1,0,1,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A period of hot and humid weather settled over the middle Ohio River Valley during the middle of July. Temperatures in the upper 80s and lower 90s combined with dew points in the mid to upper 70s led to heat index values in the upper 90s and lower 100s.||In Boyd County, a 71 year old male was doing yard work. He began working around 9 am EST and collapsed due to heat around noon EST. The gentleman had previous heart conditions and suffered a heart attach, however heat was a contributing factor.","A 71 year old male was doing yard work. He began working around 9 am EST and collapsed due to heat around noon EST. The gentleman had previous heart conditions and suffered a heart attach, however heat was a contributing factor." +117228,705010,KENTUCKY,2017,July,Flash Flood,"LAWRENCE",2017-07-27 16:30:00,EST-5,2017-07-27 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,38.1336,-82.8378,38.0479,-82.5735,"A low pressure system kicked off showers and thunderstorms in the Middle Ohio River Valley on the 27th. In the nearly tropical atmosphere, the storms were very efficient rainfall producers, yielding 1 to 2 inches in an hour for some locations.","Several creeks and streams across southern Lawrence County came out of their banks. One home south of Louisa suffered minor damage. Another home in the Blaine area was fully surrounded by water, but the water receded before entering the home." +116218,698721,OHIO,2017,July,Flash Flood,"JACKSON",2017-07-07 19:36:00,EST-5,2017-07-07 21:00:00,0,0,0,0,1.00K,1000,0.00K,0,38.9173,-82.6076,38.8879,-82.5997,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","John Evans Road near Oak Hill, and Jefferson Street in Oak Hill were closed due to flooding." +116218,698722,OHIO,2017,July,Thunderstorm Wind,"PERRY",2017-07-07 13:18:00,EST-5,2017-07-07 13:18:00,0,0,0,0,3.00K,3000,0.00K,0,39.81,-82.3,39.81,-82.3,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees and power lines were blown down in Somerset." +116218,698723,OHIO,2017,July,Thunderstorm Wind,"PERRY",2017-07-07 13:30:00,EST-5,2017-07-07 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.71,-82.21,39.71,-82.21,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees were downed in New Lexington." +117288,705466,NEBRASKA,2017,July,Thunderstorm Wind,"SHERIDAN",2017-07-17 20:30:00,MST-7,2017-07-17 20:30:00,0,0,0,0,0.00K,0,0.00K,0,42.81,-102.2,42.81,-102.2,"Isolated supercells moved southeast off the Pine Ridge and produced severe wind gusts and hail in northern Sheridan County.","Public estimated 60 mph wind gusts near Gordon." +117288,705467,NEBRASKA,2017,July,Thunderstorm Wind,"SHERIDAN",2017-07-17 20:02:00,MST-7,2017-07-17 20:02:00,0,0,0,0,0.00K,0,0.00K,0,42.933,-102.3815,42.933,-102.3815,"Isolated supercells moved southeast off the Pine Ridge and produced severe wind gusts and hail in northern Sheridan County.","A trained weather spotter reported 60 mph winds northwest of Gordon." +117294,705486,NEBRASKA,2017,July,Thunderstorm Wind,"PERKINS",2017-07-25 20:15:00,MST-7,2017-07-25 20:15:00,0,0,0,0,,NaN,,NaN,40.76,-101.83,40.76,-101.83,"Two compact quasi-linear systems moved east across the Sandhills during the late evening and early overnight hours. Up to 70 mph winds were reported in Thomas County. Another cluster of supercells impacted far southwest Nebraska, toppling irrigation pivots in Perkins County.","Strong winds overturned several irrigation pivots." +117294,705487,NEBRASKA,2017,July,Thunderstorm Wind,"THOMAS",2017-07-25 22:35:00,CST-6,2017-07-25 22:35:00,0,0,0,0,0.00K,0,0.00K,0,41.98,-100.57,41.98,-100.57,"Two compact quasi-linear systems moved east across the Sandhills during the late evening and early overnight hours. Up to 70 mph winds were reported in Thomas County. Another cluster of supercells impacted far southwest Nebraska, toppling irrigation pivots in Perkins County.","" +117294,705490,NEBRASKA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-26 00:40:00,CST-6,2017-07-26 00:40:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-99.13,41.78,-99.13,"Two compact quasi-linear systems moved east across the Sandhills during the late evening and early overnight hours. Up to 70 mph winds were reported in Thomas County. Another cluster of supercells impacted far southwest Nebraska, toppling irrigation pivots in Perkins County.","A cooperative observer estimated 60 mph winds in Burwell." +116686,701700,NEW MEXICO,2017,July,Hail,"SAN MIGUEL",2017-07-01 15:40:00,MST-7,2017-07-01 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-105.24,35.66,-105.24,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of quarters two miles north of Las Vegas." +117322,705618,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-31 20:30:00,CST-6,2017-07-31 20:30:00,0,0,0,0,,NaN,,NaN,47.02,-97.55,47.02,-97.55,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","The hail was accompanied by brief strong winds." +117322,705619,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-31 21:09:00,CST-6,2017-07-31 21:09:00,0,0,0,0,,NaN,,NaN,46.78,-97.47,46.78,-97.47,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Heavy rain and large hail fell across northern Eldred Township." +117322,705620,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-31 21:10:00,CST-6,2017-07-31 21:10:00,0,0,0,0,,NaN,,NaN,46.73,-96.9,46.73,-96.9,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Dime to quarter sized hail covered a deck." +117323,705621,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-31 16:40:00,CST-6,2017-07-31 16:40:00,0,0,0,0,,NaN,,NaN,48.79,-96.96,48.79,-96.96,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","The hail varied in size." +117323,705622,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-31 16:50:00,CST-6,2017-07-31 17:02:00,0,0,0,0,,NaN,,NaN,48.75,-96.91,48.75,-96.91,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Dime to quarter sized hail fell." +117513,706815,INDIANA,2017,July,Heat,"SPENCER",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117513,706816,INDIANA,2017,July,Heat,"VANDERBURGH",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117513,706817,INDIANA,2017,July,Heat,"WARRICK",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706791,ILLINOIS,2017,July,Heat,"ALEXANDER",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706792,ILLINOIS,2017,July,Heat,"EDWARDS",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706793,ILLINOIS,2017,July,Heat,"FRANKLIN",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706794,ILLINOIS,2017,July,Heat,"GALLATIN",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117458,706404,ILLINOIS,2017,July,Thunderstorm Wind,"EDWARDS",2017-07-13 18:10:00,CST-6,2017-07-13 18:10:00,0,0,0,0,8.00K,8000,0.00K,0,38.38,-88.05,38.38,-88.05,"Ahead of a weak cold front that extended from Michigan southwest across the St. Louis metro area, loosely organized clusters of thunderstorms moved south across southern Illinois. A few storms produced localized tree damage, especially on the north side of Marion. Winds aloft were very weak due to a ridge of high pressure aloft, limiting severe activity to pulse-type damaging wind events. The slow movement of the storms contributed to isolated flooding problems on roads.","Numerous tree limbs up to three inches in diameter were blown down." +117458,706594,ILLINOIS,2017,July,Thunderstorm Wind,"WHITE",2017-07-13 19:20:00,CST-6,2017-07-13 19:20:00,0,0,0,0,4.00K,4000,0.00K,0,37.9261,-88.0963,37.9261,-88.0963,"Ahead of a weak cold front that extended from Michigan southwest across the St. Louis metro area, loosely organized clusters of thunderstorms moved south across southern Illinois. A few storms produced localized tree damage, especially on the north side of Marion. Winds aloft were very weak due to a ridge of high pressure aloft, limiting severe activity to pulse-type damaging wind events. The slow movement of the storms contributed to isolated flooding problems on roads.","Trees were blown down on Highway 141." +117458,706420,ILLINOIS,2017,July,Thunderstorm Wind,"WILLIAMSON",2017-07-13 20:34:00,CST-6,2017-07-13 20:34:00,0,0,0,0,15.00K,15000,,NaN,37.759,-88.93,37.7372,-88.93,"Ahead of a weak cold front that extended from Michigan southwest across the St. Louis metro area, loosely organized clusters of thunderstorms moved south across southern Illinois. A few storms produced localized tree damage, especially on the north side of Marion. Winds aloft were very weak due to a ridge of high pressure aloft, limiting severe activity to pulse-type damaging wind events. The slow movement of the storms contributed to isolated flooding problems on roads.","Widespread tree damage was reported across the north side of the city of Marion. Multiple large trees were blown down. A few corn fields north of town were flattened." +117460,706434,ILLINOIS,2017,July,Thunderstorm Wind,"JACKSON",2017-07-17 14:00:00,CST-6,2017-07-17 14:00:00,0,0,0,0,10.00K,10000,0.00K,0,37.77,-89.33,37.77,-89.33,"Isolated slow-moving thunderstorms formed in a very unstable air mass during the heat of the day. The storms occurred along the front side of a 500 mb ridge centered over the Plains states. Due to the lack of wind aloft, the storms maintained their peak intensity for just a short time before rapidly dissipating.","Several trees and power lines were blown down across the city." +117463,706450,ILLINOIS,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-23 03:33:00,CST-6,2017-07-23 03:33:00,0,0,0,0,6.00K,6000,0.00K,0,38.43,-88.93,38.43,-88.93,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","Power lines were down, and trees were damaged in the area." +117179,704844,SOUTH DAKOTA,2017,July,Hail,"TRIPP",2017-07-19 15:10:00,CST-6,2017-07-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-99.62,43.24,-99.62,"A severe thunderstorm developed over southern Tripp County, producing hail and wind gusts to 60 mph.","" +117180,704845,SOUTH DAKOTA,2017,July,Hail,"TODD",2017-07-19 16:10:00,CST-6,2017-07-19 16:10:00,0,0,0,0,0.00K,0,0.00K,0,43.3,-100.51,43.3,-100.51,"A thunderstorm became severe over Todd County and produced large hail east of Mission.","" +117203,704940,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-20 18:53:00,MST-7,2017-07-20 18:53:00,0,0,0,0,0.00K,0,0.00K,0,44.2588,-104.9412,44.2588,-104.9412,"A severe thunderstorm produced 60 mph wind gusts in the Moorcroft area.","" +117203,704941,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-20 18:55:00,MST-7,2017-07-20 18:55:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-104.95,44.26,-104.95,"A severe thunderstorm produced 60 mph wind gusts in the Moorcroft area.","Winds were estimated at 60 mph." +117204,704942,WYOMING,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-20 19:05:00,MST-7,2017-07-20 19:05:00,0,0,0,0,0.00K,0,0.00K,0,43.84,-105.36,43.84,-105.36,"A severe thunderstorm developed over southern Campbell County, producing strong wind gusts northeast of Wright before weakening as it moved into Weston County.","The spotter estimated wind gusts around 60 mph." +117205,704944,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PERKINS",2017-07-20 18:03:00,MST-7,2017-07-20 18:03:00,0,0,0,0,0.00K,0,0.00K,0,45.6687,-102.18,45.6687,-102.18,"A line of thunderstorms tracked across far northwestern South Dakota, producing wind gusts over 60 mph across parts of Harding and northern Perkins Counties.","" +117205,717039,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-20 17:05:00,MST-7,2017-07-20 17:05:00,0,0,0,0,0.00K,0,0.00K,0,45.139,-103.913,45.139,-103.913,"A line of thunderstorms tracked across far northwestern South Dakota, producing wind gusts over 60 mph across parts of Harding and northern Perkins Counties.","" +117207,704945,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HARDING",2017-07-24 01:57:00,MST-7,2017-07-24 01:57:00,0,0,0,0,0.00K,0,0.00K,0,45.6,-103.55,45.6,-103.55,"Overnight thunderstorms moved across portions of Harding County and produced some wind gusts near 60 mph in Buffalo.","" +117208,704946,SOUTH DAKOTA,2017,July,Hail,"TRIPP",2017-07-24 18:56:00,CST-6,2017-07-24 18:56:00,0,0,0,0,,NaN,0.00K,0,43.07,-99.8709,43.07,-99.8709,"A thunderstorm became severe over southern Tripp County, producing hail and strong wind gusts.","" +117208,704947,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-24 18:56:00,CST-6,2017-07-24 18:56:00,0,0,0,0,0.00K,0,0.00K,0,43.07,-99.8709,43.07,-99.8709,"A thunderstorm became severe over southern Tripp County, producing hail and strong wind gusts.","Wind gusts were estimated at 60 mph." +117209,704949,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TODD",2017-07-25 17:18:00,CST-6,2017-07-25 17:25:00,0,0,0,0,,NaN,0.00K,0,43.36,-100.35,43.36,-100.35,"A severe thunderstorm produced damaging wind gusts to 90 mph in the Okreek area.","" +117210,704950,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-25 17:35:00,CST-6,2017-07-25 17:35:00,0,0,0,0,0.00K,0,0.00K,0,43.0866,-99.9151,43.0866,-99.9151,"A thunderstorm became severe over southern Tripp County, producing strong wind gusts near Millboro.","Wind gusts were estimated at 60 mph." +117868,717195,GEORGIA,2017,July,Thunderstorm Wind,"CHATTOOGA",2017-07-15 12:35:00,EST-5,2017-07-15 12:50:00,0,0,0,0,5.00K,5000,,NaN,34.5672,-85.347,34.5681,-85.3063,"Afternoon and evening thunderstorms resulted in isolated reports of damaging wind gusts and large hail.","The Chattooga County 911 center reported trees blown down from around the intersections of Sand Pit Road at Creekside Road and Center Post Road at Cummings Road to around the intersection of Tatum Road and Ridgeway Road." +117868,717196,GEORGIA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-15 13:27:00,EST-5,2017-07-15 13:37:00,0,0,0,0,4.00K,4000,,NaN,34.191,-85.1649,34.191,-85.1649,"Afternoon and evening thunderstorms resulted in isolated reports of damaging wind gusts and large hail.","The Floyd County 911 center reported a power line blown down near the intersection of Spur 101 S.E. and Nelson Street S.E." +117868,717197,GEORGIA,2017,July,Thunderstorm Wind,"WHEELER",2017-07-15 16:05:00,EST-5,2017-07-15 16:25:00,0,0,0,0,7.00K,7000,,NaN,32.28,-82.71,32.28,-82.71,"Afternoon and evening thunderstorms resulted in isolated reports of damaging wind gusts and large hail.","The Wheeler County Emergency Manager reported eight or nine trees blown down around the intersection of Highways 19 and 46." +117870,717202,GEORGIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-19 22:00:00,EST-5,2017-07-19 22:15:00,0,0,0,0,8.00K,8000,,NaN,32.0977,-82.5771,32.0977,-82.5771,"A very moist and somewhat unstable air mass over the region combined with strong daytime heating to produce scattered strong thunderstorms across north and central Georgia each afternoon and evening with isolated reports of damaging wind gusts in central Georgia.","The Montgomery County Emergency Manager reported around 10 trees blown down near the intersection of North Old River Road and Deer Run Road." +117870,717203,GEORGIA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-20 22:15:00,EST-5,2017-07-20 22:30:00,0,0,0,0,1.00K,1000,,NaN,33.2178,-82.2453,33.2178,-82.2453,"A very moist and somewhat unstable air mass over the region combined with strong daytime heating to produce scattered strong thunderstorms across north and central Georgia each afternoon and evening with isolated reports of damaging wind gusts in central Georgia.","The public reported numerous large limbs blown down at Bug's Gourd Farm near the intersection of Highways 88 and 22 southwest of Keysville." +117871,717206,GEORGIA,2017,July,Lightning,"GWINNETT",2017-07-22 14:04:00,EST-5,2017-07-22 14:04:00,0,0,0,0,100.00K,100000,,NaN,34.0852,-84.0819,34.0852,-84.0819,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Gwinnett County Emergency Manager reported a house fire caused by a lightning strike on Finsbury Park Court in Suwanee. The fire caused extensive damage to the attic with significant water and smoke damage to the remainder of the home. No injuries were reported." +117871,717207,GEORGIA,2017,July,Lightning,"BARROW",2017-07-23 18:20:00,EST-5,2017-07-23 18:20:00,0,0,0,0,1.00K,1000,,NaN,34.0259,-83.8509,34.0259,-83.8509,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Barrow County 911 center reported a house was struck by lightning on Meadow Trace Drive." +117429,706181,OHIO,2017,July,Flash Flood,"FAIRFIELD",2017-07-13 12:15:00,EST-5,2017-07-13 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8666,-82.7613,39.8686,-82.7587,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","A pond was overflowing its banks at Fairfield Drive and Hill Road South, with approximately 1 to 3 feet of water across the roads." +117462,706435,OHIO,2017,July,Hail,"HARDIN",2017-07-16 17:40:00,EST-5,2017-07-16 17:42:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-83.84,40.78,-83.84,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706436,OHIO,2017,July,Hail,"HARDIN",2017-07-16 17:49:00,EST-5,2017-07-16 17:51:00,0,0,0,0,0.00K,0,0.00K,0,40.77,-83.82,40.77,-83.82,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706437,OHIO,2017,July,Hail,"HARDIN",2017-07-16 18:23:00,EST-5,2017-07-16 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-83.84,40.64,-83.84,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706438,OHIO,2017,July,Hail,"HARDIN",2017-07-16 18:01:00,EST-5,2017-07-16 18:03:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-83.82,40.73,-83.82,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706439,OHIO,2017,July,Hail,"HARDIN",2017-07-16 18:04:00,EST-5,2017-07-16 18:06:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-83.84,40.71,-83.84,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706440,OHIO,2017,July,Hail,"HARDIN",2017-07-16 18:10:00,EST-5,2017-07-16 18:12:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-83.79,40.69,-83.79,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706442,OHIO,2017,July,Hail,"AUGLAIZE",2017-07-16 18:58:00,EST-5,2017-07-16 19:02:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-83.97,40.6,-83.97,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","There were several reports of dime to quarter sized hail in the Wapakoneta and Waynesfield areas." +117462,706443,OHIO,2017,July,Hail,"AUGLAIZE",2017-07-16 19:14:00,EST-5,2017-07-16 19:16:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-84.15,40.52,-84.15,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706444,OHIO,2017,July,Hail,"AUGLAIZE",2017-07-16 19:05:00,EST-5,2017-07-16 19:07:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-84.08,40.56,-84.08,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +116976,704975,WEST VIRGINIA,2017,July,Flash Flood,"CABELL",2017-07-28 13:25:00,EST-5,2017-07-28 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,38.4679,-82.3037,38.5081,-82.2935,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Sevenmile Creek came out of its banks, flooding Blue Sulpher and Big Seven Mile Roads." +116576,701014,KANSAS,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-17 18:50:00,CST-6,2017-07-17 18:50:00,0,0,0,0,0.00K,0,0.00K,0,39.9181,-99.3132,39.9181,-99.3132,"Estimated winds near 60 mph may have occurred over Phillips County on this Monday evening. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. Throughout the afternoon, numerous thunderstorms developed over parts of south central Nebraska. Occasionally, an isolated storm briefly developed over Rooks, Phillips, and Smith Counties, but they dissipated or lifted across the state line into Nebraska. However, between 5 and 6 PM CST, cell mergers over Furnas County Nebraska resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Phillips County between 6 and 7 PM CST, where winds were estimated near 60 mph north of Phillipsburg. After 7 PM, the line rapidly weakened.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1500 J/kg. Effective deep layer shear was around 20 kts.","Wind gusts were estimated to be near 60 MPH." +116392,699897,MISSISSIPPI,2017,July,Lightning,"FORREST",2017-07-12 16:11:00,CST-6,2017-07-12 16:11:00,1,0,0,0,30.00K,30000,0.00K,0,31.42,-89.2,31.42,-89.2,"Storms developed during the afternoon and evening hours in association with daytime heating and a very moist airmass in place.","A female was struck by lightning along Eastabuchie Road. The female was on her porch across the street from a water tower that was struck by lightning. The water tower piping took a direct hit from the lightning strike and the female was indirectly struck due to her close proximity. A tree was also set on fire." +118619,712552,IDAHO,2017,July,Hail,"BEAR LAKE",2017-07-20 19:25:00,MST-7,2017-07-20 19:35:00,0,0,0,0,0.00K,0,0.00K,0,42.1655,-111.4,42.1655,-111.4,"Hail fell in Bear Lake county. One inch hail was measured 1 mile south of Bloomington with Highway 89 covered with hail.","Hail fell in Bear Lake county. One inch hail was measured 1 mile south of Bloomington with Highway 89 covered with hail." +120539,722138,KANSAS,2017,January,Ice Storm,"RUSSELL",2017-01-15 08:20:00,CST-6,2017-01-16 07:20:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county ranged from 0.5 inches up to 0.75 inches. Widespread tree damage was noted across the county." +117671,707564,NEW YORK,2017,July,Thunderstorm Wind,"WARREN",2017-07-01 14:10:00,EST-5,2017-07-01 14:10:00,0,0,0,0,,NaN,,NaN,43.36,-73.67,43.36,-73.67,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","The public reported a tree down." +117671,707563,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-01 13:47:00,EST-5,2017-07-01 13:47:00,0,0,0,0,,NaN,,NaN,43.26,-73.9,43.26,-73.9,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Trees were blown down and a power pole was snapped due to thunderstorm winds." +118680,712962,OKLAHOMA,2017,July,Hail,"BEAVER",2017-07-03 16:05:00,CST-6,2017-07-03 16:05:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-100.29,36.57,-100.29,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Quarter size hail was reported." +118694,713014,LAKE SUPERIOR,2017,July,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI AND W OF GRAND MARAIS MI TO US/CANADIAN BORDER BEYOND 5NM OF SHORE",2017-07-13 22:40:00,EST-5,2017-07-13 22:45:00,0,0,0,0,0.00K,0,0.00K,0,47.585,-86.585,47.585,-86.585,"An area of strong thunderstorms moved southeast over eastern Lake Superior during the early morning hours.","Thunderstorm wind gust measured at buoy 45004 in eastern Lake Superior." +118696,713017,LAKE SUPERIOR,2017,July,Marine Thunderstorm Wind,"MANITOU ISLAND TO MARQUETTE MI BEYOND 5NM FROM SHORE",2017-07-18 15:00:00,EST-5,2017-07-18 15:05:00,0,0,0,0,0.00K,0,0.00K,0,46.7,-87.4,46.7,-87.4,"A cold pushed east across Lake Superior and Upper Michigan sparking a broken line of thunderstorms during the afternoon and evening hours.","Thunderstorm wind gusts measured at Granite Island." +118696,713019,LAKE SUPERIOR,2017,July,Marine Thunderstorm Wind,"HURON ISLANDS TO MARQUETTE MI",2017-07-18 15:00:00,EST-5,2017-07-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-87.68,46.84,-87.68,"A cold pushed east across Lake Superior and Upper Michigan sparking a broken line of thunderstorms during the afternoon and evening hours.","Thunderstorm wind gusts measured at Big Bay, BIGM4." +118696,713018,LAKE SUPERIOR,2017,July,Marine Thunderstorm Wind,"HURON ISLANDS TO MARQUETTE MI",2017-07-18 15:00:00,EST-5,2017-07-18 15:00:00,0,0,0,0,0.00K,0,0.00K,0,46.72,-87.41,46.72,-87.41,"A cold pushed east across Lake Superior and Upper Michigan sparking a broken line of thunderstorms during the afternoon and evening hours.","Thunderstorm wind gusts measured at Granite Island." +116767,713027,PENNSYLVANIA,2017,July,Flash Flood,"TIOGA",2017-07-23 23:20:00,EST-5,2017-07-24 01:15:00,0,0,0,0,0.00K,0,0.00K,0,41.8021,-77.3129,41.7949,-77.227,"A frontal system moved into a warm and humid airmass and widespread showers and thunderstorms developed. Locally heavy rain brought flash flooding to several areas.","Flash flooding brought road closures to SR 660 and SR 6." +117301,705692,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SCHUYLKILL",2017-07-24 16:03:00,EST-5,2017-07-24 16:03:00,0,0,0,0,4.00K,4000,0.00K,0,40.8578,-76.167,40.8578,-76.167,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near Brandonville." +116400,700136,NEBRASKA,2017,July,Hail,"DAWSON",2017-07-02 19:11:00,CST-6,2017-07-02 19:13:00,0,0,0,0,0.00K,0,0.00K,0,40.9567,-100.1647,40.93,-100.15,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118744,713313,MICHIGAN,2017,July,Lightning,"MENOMINEE",2017-07-25 21:45:00,CST-6,2017-07-25 21:45:00,0,0,0,0,500.00K,500000,0.00K,0,45.6151,-87.3659,45.6151,-87.3659,"Lightning struck the Seventh Day Adventist Church near Wilson, and the subsequent fire destroyed the church on the evening of the 25th.","The Seventh Day Adventist Church near Wilson was struck by lightning and the subsequent fire destroyed the church." +118748,713319,MICHIGAN,2017,July,Thunderstorm Wind,"MARQUETTE",2017-07-31 14:50:00,EST-5,2017-07-31 14:54:00,0,0,0,0,0.50K,500,0.00K,0,46.32,-87.38,46.32,-87.38,"Small tree limbs were damaged near the K.I. Sawyer housing area four miles northeast of Gwinn.","There was a report via MPING of small tree limbs damaged near the K. I. Sawyer housing area four miles northeast of Gwinn." +118752,713333,COLORADO,2017,July,Thunderstorm Wind,"KIT CARSON",2017-07-03 17:20:00,MST-7,2017-07-03 17:20:00,0,0,0,0,0.00K,0,0.00K,0,39.3863,-102.3726,39.3863,-102.3726,"Wind gusts up to 69 MPH were reported from an eastward moving thunderstorm in Kit Carson County. The strongest wind gust was measured in Burlington.","Wind gusts up to 60 MPH were estimated from the storm." +118752,713334,COLORADO,2017,July,Thunderstorm Wind,"KIT CARSON",2017-07-03 17:29:00,MST-7,2017-07-03 17:29:00,0,0,0,0,0.00K,0,0.00K,0,39.3045,-102.2573,39.3045,-102.2573,"Wind gusts up to 69 MPH were reported from an eastward moving thunderstorm in Kit Carson County. The strongest wind gust was measured in Burlington.","" +118753,713335,KANSAS,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-06 17:45:00,CST-6,2017-07-06 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8007,-101.4629,39.8007,-101.4629,"A couple severe wind gusts were reported with one of the thunderstorms in a southward moving line in Cheyenne County. The strongest wind gust reported was 64 MPH near Bird City. The thunderstorm winds were strong enough to cause blowing dust, which reduced the visibility to a quarter mile near Bird City.","Wind gusts up to 60 MPH were estimated from the storm. Blowing dust also accompanied the wind gusts." +118753,713336,KANSAS,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-06 17:52:00,CST-6,2017-07-06 17:52:00,0,0,0,0,0.00K,0,0.00K,0,39.7428,-101.5606,39.7428,-101.5606,"A couple severe wind gusts were reported with one of the thunderstorms in a southward moving line in Cheyenne County. The strongest wind gust reported was 64 MPH near Bird City. The thunderstorm winds were strong enough to cause blowing dust, which reduced the visibility to a quarter mile near Bird City.","Reported at the Bird City airport. The thunderstorm winds also caused blowing dust to reduce the visibility to a quarter mile." +118818,713768,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 18:00:00,CST-6,2017-07-05 18:00:00,0,0,0,0,,NaN,,NaN,45.44,-98.23,45.44,-98.23,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713772,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 18:05:00,CST-6,2017-07-05 18:05:00,0,0,0,0,,NaN,,NaN,45.24,-98.56,45.24,-98.56,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713777,SOUTH DAKOTA,2017,July,Hail,"SPINK",2017-07-05 18:25:00,CST-6,2017-07-05 18:32:00,0,0,0,0,,NaN,,NaN,45.16,-98.58,45.16,-98.58,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713779,SOUTH DAKOTA,2017,July,Hail,"SPINK",2017-07-05 18:55:00,CST-6,2017-07-05 18:55:00,0,0,0,0,,NaN,,NaN,45,-98.5,45,-98.5,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713781,SOUTH DAKOTA,2017,July,Hail,"SPINK",2017-07-05 19:34:00,CST-6,2017-07-05 19:34:00,0,0,0,0,,NaN,,NaN,44.74,-98.41,44.74,-98.41,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713782,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 19:48:00,CST-6,2017-07-05 19:48:00,0,0,0,0,,NaN,,NaN,45.82,-98.54,45.82,-98.54,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713783,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 20:05:00,CST-6,2017-07-05 20:05:00,0,0,0,0,,NaN,,NaN,45.79,-98.38,45.79,-98.38,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713790,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"EDMUNDS",2017-07-05 17:28:00,CST-6,2017-07-05 17:28:00,0,0,0,0,,NaN,0.00K,0,45.49,-98.74,45.49,-98.74,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Estimated eighty mph winds destroyed a barn with a person inside. The person was not injured. Two cows were killed by flying debris." +112919,674620,ILLINOIS,2017,February,Tornado,"GRUNDY",2017-02-28 17:04:00,CST-6,2017-02-28 17:06:00,0,0,0,0,0.00K,0,0.00K,0,41.3753,-88.5841,41.3804,-88.5628,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The path of this tornado was estimated based on video evidence as well as debris found along Interstate 80 near mile marker 104. (Tornado #4 of 7)." +112919,677693,ILLINOIS,2017,February,Tornado,"LA SALLE",2017-02-28 17:49:00,CST-6,2017-02-28 17:50:00,0,0,0,0,0.00K,0,0.00K,0,40.9772,-89.0474,40.9854,-89.0363,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The tornado weakened in southeast Marshall County as it crossed I-39 west of Rutland. As the tornado entered LaSalle County and moved into Rutland, it damaged trees and did minor damage to house roofs, before dissipating 0.4 miles east of Rutland at 5:50 pm. (Tornado #6 of 7)." +112919,677696,ILLINOIS,2017,February,Tornado,"LA SALLE",2017-02-28 17:53:00,CST-6,2017-02-28 17:59:00,0,0,0,0,0.00K,0,0.00K,0,40.9856,-88.9865,41.0055,-88.9105,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The tornado began as a weak EF-0 that produced isolated tree damage north of Dana, IL. It then caused EF-2 damage when it tore the roof off of a house just east of the LaSalle-Livingston county line. The tornado then weakened and snapped a|couple of trees before dissipating one mile west of Long Point, IL. (Tornado #7 of 7)." +113880,682003,MISSISSIPPI,2017,February,Drought,"CHICKASAW",2017-02-21 06:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions returned to portions of Northeast Mississippi at the end of February. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +113880,682004,MISSISSIPPI,2017,February,Drought,"MONROE",2017-02-21 06:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions returned to portions of Northeast Mississippi at the end of February. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +116820,703554,TEXAS,2017,June,Hail,"SCURRY",2017-06-14 18:12:00,CST-6,2017-06-14 18:17:00,0,0,0,0,,NaN,,NaN,32.6355,-101.12,32.6355,-101.12,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +116820,703537,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-14 17:30:00,CST-6,2017-06-14 17:30:00,0,0,0,0,32.00K,32000,0.00K,0,31.8248,-102.5036,31.8248,-102.5036,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced wind damage in West Odessa. There were sixteen power poles that snapped. The cost of damage is a very rough estimate." +119007,715165,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-07 14:40:00,EST-5,2017-07-07 14:43:00,0,0,0,0,,NaN,0.00K,0,32.7585,-79.9529,32.7585,-79.9529,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms tracked to the east and impacted the Charleston Harbor and surrounding coastal waters with strong wind gusts.","The Weatherflow site near Charleston measured a 36 knot wind gust." +119007,715166,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-07 14:47:00,EST-5,2017-07-07 14:50:00,0,0,0,0,,NaN,0.00K,0,32.755,-79.918,32.755,-79.918,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms tracked to the east and impacted the Charleston Harbor and surrounding coastal waters with strong wind gusts.","The James Island Yacht Club measured a 34 knot wind gust." +119011,714806,SOUTH CAROLINA,2017,July,Hail,"DORCHESTER",2017-07-08 20:19:00,EST-5,2017-07-08 20:22:00,0,0,0,0,,NaN,0.00K,0,33.26,-80.48,33.26,-80.48,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","A report of penny sized hail and zero visibility at mile marker 175 on Interstate 26 was received via Twitter." +119011,714807,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"HAMPTON",2017-07-08 19:23:00,EST-5,2017-07-08 19:24:00,0,0,0,0,,NaN,0.00K,0,32.98,-81.06,32.98,-81.06,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","Hampton County dispatch reported a tree down on Highway 601 near the Colleton County line." +119011,714808,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"COLLETON",2017-07-08 19:47:00,EST-5,2017-07-08 19:48:00,0,0,0,0,,NaN,0.00K,0,33.09,-80.8,33.09,-80.8,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down on Highway 217 near the intersection with Beavers Pass Road." +119011,714809,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-08 19:50:00,EST-5,2017-07-08 19:51:00,0,0,0,0,,NaN,0.00K,0,32.62,-81.17,32.62,-81.17,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down and in the roadway on Highway 601 near Holman Hill Road." +118881,714226,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE AND NORTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-18 17:42:00,CST-6,2017-07-18 17:42:00,0,0,0,0,0.00K,0,0.00K,0,45.1,-87.59,45.1,-87.59,"Thunderstorms produced strong winds as they moved across the waters of Green Bay.","Thunderstorms produced a measured wind gust to 41 mph at Menominee, Michigan." +118882,714230,WISCONSIN,2017,July,Hail,"LINCOLN",2017-07-25 19:15:00,CST-6,2017-07-25 19:15:00,0,0,0,0,0.00K,0,0.00K,0,45.15,-89.68,45.15,-89.68,"Scattered thunderstorms moved across the area during the evening of the 25th. One of the storms dropped penny size hail south of Merrill.","Penny size hail fell south of Merrill." +117970,714986,TEXAS,2017,July,Wildfire,"HUTCHINSON",2017-07-24 15:30:00,CST-6,2017-07-25 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The County Road 20 Wildfire began in Hutchinson County about fourteen miles east of Pringle Texas around 1530CST. The wildfire consumed approximately four thousand acres. There were no reports of any homes or other structures threatened or destroyed and there were also no reports of any injuries or fatalities. The Texas A&M Forest Service responded to the wildfire including several other fire departments and other agencies. The wildfire was contained by 1800CST on July 25.","" +119273,716192,MISSOURI,2017,July,Excessive Heat,"CALLAWAY",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +117264,705330,OHIO,2017,July,Hail,"DEFIANCE",2017-07-03 15:04:00,EST-5,2017-07-03 15:05:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-84.45,41.3,-84.45,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","" +117264,705331,OHIO,2017,July,Hail,"DEFIANCE",2017-07-03 15:15:00,EST-5,2017-07-03 15:16:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-84.39,41.28,-84.39,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","" +119273,716193,MISSOURI,2017,July,Excessive Heat,"COLE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716194,MISSOURI,2017,July,Excessive Heat,"FRANKLIN",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +117589,707359,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 14:36:00,EST-5,2017-07-01 16:20:00,0,0,0,0,22.00K,22000,0.00K,0,42.93,-75.81,42.83,-75.81,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Nelson. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707360,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 14:50:00,EST-5,2017-07-01 16:20:00,0,0,0,0,40.00K,40000,0.00K,0,43.03,-75.63,42.94,-75.62,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Stockbridge. Culverts and roads were washed out in several places. Some residences experienced flooding, especially along the Oneida Creek in Munnsville." +117589,707361,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 15:03:00,EST-5,2017-07-01 16:20:00,0,0,0,0,15.00K,15000,0.00K,0,43,-75.71,42.93,-75.72,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Smithfield. Culverts and roads were washed out in several places. Some residences experienced flooding." +116425,700169,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-08 17:51:00,EST-5,2017-07-08 17:51:00,0,0,0,0,0.80K,800,0.00K,0,36.5505,-78.8989,36.5505,-78.8989,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","Two tree tops and three wrist-size limbs were blown down by thunderstorm winds in 10200 block of Huell Matthews Highway." +116432,700750,VIRGINIA,2017,July,Thunderstorm Wind,"HENRY",2017-07-14 12:48:00,EST-5,2017-07-14 12:48:00,0,0,0,0,10.00K,10000,0.00K,0,36.6638,-79.7146,36.6539,-79.7061,"An upper level disturbance passed east across the central Appalachians during the early afternoon of July 14th, triggering a broken line of thunderstorms. One of the storms intensified to severe levels as it entered the increased instability located across the Piedmont of southern Virginia, where surface-based CAPE values exceeded 1000 J/Kg.","Numerous trees and powerlines were blown down by thunderstorm winds around the community of Axton." +116432,700749,VIRGINIA,2017,July,Thunderstorm Wind,"PATRICK",2017-07-14 12:21:00,EST-5,2017-07-14 12:21:00,0,0,0,0,2.50K,2500,0.00K,0,36.606,-80.0741,36.606,-80.0741,"An upper level disturbance passed east across the central Appalachians during the early afternoon of July 14th, triggering a broken line of thunderstorms. One of the storms intensified to severe levels as it entered the increased instability located across the Piedmont of southern Virginia, where surface-based CAPE values exceeded 1000 J/Kg.","Thunderstorm winds blew down a few trees along Stella Road." +116532,700754,VIRGINIA,2017,July,Thunderstorm Wind,"GRAYSON",2017-07-17 14:10:00,EST-5,2017-07-17 14:12:00,0,0,0,0,1.00K,1000,0.00K,0,36.689,-81.2679,36.6905,-81.2564,"An upper level disturbance passed east across the central Appalachians during the early afternoon of July 17th, which triggered the development of widely scattered thunderstorms. One of these storms intensified to severe levels over Grayson County for a brief period of time, where surface-based CAPE values exceeded 1000 J/Kg.","One tree was blown down by thunderstorm winds along Big Ridge Road, while another was blown down near the intersection of Big Ridge Road and Bethel Road." +116938,703306,TEXAS,2017,June,Thunderstorm Wind,"SCURRY",2017-06-15 18:30:00,CST-6,2017-06-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.72,-100.8484,32.72,-100.8484,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","A thunderstorm moved through Snyder and produced a 64 mph wind gust at the West Texas Mesonet." +119152,715603,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-25 14:15:00,CST-6,2017-07-25 14:15:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-97.22,44.59,-97.22,"Thunderstorms brought nickel hail along with winds over 60 mph to parts of Hamlin and Lyman counties.","" +119152,715604,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-25 14:54:00,CST-6,2017-07-25 14:54:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-96.9,44.57,-96.9,"Thunderstorms brought nickel hail along with winds over 60 mph to parts of Hamlin and Lyman counties.","" +119152,715605,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-25 18:50:00,CST-6,2017-07-25 18:50:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-100.06,43.9,-100.06,"Thunderstorms brought nickel hail along with winds over 60 mph to parts of Hamlin and Lyman counties.","Sixty-five mph winds were estimated." +116423,700109,TEXAS,2017,July,Thunderstorm Wind,"HOCKLEY",2017-07-01 00:50:00,CST-6,2017-07-01 00:50:00,0,0,0,0,0.00K,0,0.00K,0,33.5221,-102.37,33.5221,-102.37,"As the significant nighttime storms of June 30 progressed across the southern South Plains, they gradually waned as a squall line developed in their advance around midnight CST on July 1. This line of storms produced a few severe wind gusts and widespread heavy rainfall before exiting south of the region before daybreak. Flash flooding, which began before midnight CST on July 1st, continued for a few additional hours in Anton (Hockley County) and near Buffalo Springs Lake (Lubbock County). Also, lightning was responsible for a fatal house fire in east Lubbock.","Measured by a Texas Tech University West Texas mesonet station south of Levelland." +116938,703314,TEXAS,2017,June,Hail,"HOWARD",2017-06-15 18:45:00,CST-6,2017-06-15 18:50:00,0,0,0,0,,NaN,,NaN,32.3523,-101.3489,32.3523,-101.3489,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +119119,715395,SOUTH DAKOTA,2017,July,Hail,"WALWORTH",2017-07-19 08:21:00,CST-6,2017-07-19 08:21:00,0,0,0,0,,NaN,,NaN,45.5,-100.03,45.5,-100.03,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","" +119119,715396,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-19 09:20:00,CST-6,2017-07-19 09:20:00,0,0,0,0,,NaN,,NaN,44.77,-99.44,44.77,-99.44,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Estimated one-hundred mph winds downed many trees along with causing damage to several structures." +119119,715463,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-19 09:20:00,CST-6,2017-07-19 09:20:00,0,0,0,0,,NaN,0.00K,0,44.8,-99.45,44.8,-99.45,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","One-hundred mph winds destroyed four grain bins along with damaging several trailer homes that were being hauled on trailers." +119119,715464,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-19 09:21:00,CST-6,2017-07-19 09:21:00,0,0,0,0,,NaN,0.00K,0,44.83,-99.48,44.83,-99.48,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Several trees were knocked down by estimated ninety mph winds." +119119,715468,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-19 09:40:00,CST-6,2017-07-19 09:40:00,0,0,0,0,,NaN,0.00K,0,44.62,-99.14,44.62,-99.14,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Eighty mph winds tipped over empty tanks on a trailer along with tipping a pontoon that was also on a trailer. Many large tree branches were also downed." +119119,715469,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-19 06:30:00,MST-7,2017-07-19 06:30:00,0,0,0,0,0.00K,0,0.00K,0,45.73,-100.66,45.73,-100.66,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","" +119119,715470,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-19 07:04:00,MST-7,2017-07-19 07:04:00,0,0,0,0,0.00K,0,0.00K,0,45.5,-100.83,45.5,-100.83,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Sixty mph winds were estimated." +116820,703549,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:02:00,CST-6,2017-06-14 18:07:00,0,0,0,0,,NaN,,NaN,31.9062,-102.2619,31.9062,-102.2619,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +117960,709114,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-05 22:42:00,CST-6,2017-07-05 22:45:00,0,0,0,0,0.00K,0,0.00K,0,48.92,-101.02,48.92,-101.02,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709113,NORTH DAKOTA,2017,July,Hail,"STUTSMAN",2017-07-05 22:10:00,CST-6,2017-07-05 22:13:00,0,0,0,0,0.00K,0,0.00K,0,46.9,-99.3,46.9,-99.3,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709116,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-05 22:45:00,CST-6,2017-07-05 22:48:00,0,0,0,0,0.00K,0,0.00K,0,48.91,-101.02,48.91,-101.02,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709119,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-05 23:28:00,CST-6,2017-07-05 23:31:00,0,0,0,0,0.00K,0,0.00K,0,48.75,-100.71,48.75,-100.71,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709120,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-06 00:12:00,CST-6,2017-07-06 00:15:00,0,0,0,0,0.00K,0,0.00K,0,48.36,-100.25,48.36,-100.25,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +119100,715298,NORTH DAKOTA,2017,July,Thunderstorm Wind,"EMMONS",2017-07-21 22:22:00,CST-6,2017-07-21 22:25:00,0,0,0,0,5.00K,5000,0.00K,0,46.49,-100.28,46.49,-100.28,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Some large branches broke down in Hazelton." +119100,715301,NORTH DAKOTA,2017,July,Thunderstorm Wind,"EMMONS",2017-07-21 22:36:00,CST-6,2017-07-21 22:40:00,0,0,0,0,8.00K,8000,0.00K,0,46.49,-100.09,46.49,-100.09,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Many tree branches were broken down." +116820,703552,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:07:00,CST-6,2017-06-14 18:12:00,0,0,0,0,,NaN,,NaN,31.98,-102.2283,31.98,-102.2283,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119133,715471,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CALDWELL",2017-07-27 14:15:00,EST-5,2017-07-27 14:15:00,0,0,0,0,0.00K,0,0.00K,0,35.856,-81.608,35.868,-81.515,"Scattered thunderstorms developing near the Blue Ridge during the afternoon briefly organized into a small cluster across Caldwell County, which produced brief damaging winds and a small area of excessive rainfall in the Gamewell and Hudson area.","Ham radio operator reported several large tree limbs blown down on Calico Rd at Highway 64. Public reported (via Social Media) another large limb down on power lines on Evans St in Lenoir." +119133,716634,NORTH CAROLINA,2017,July,Flash Flood,"CALDWELL",2017-07-27 15:00:00,EST-5,2017-07-27 16:00:00,0,0,0,0,0.50K,500,0.00K,0,35.853,-81.521,35.842,-81.511,"Scattered thunderstorms developing near the Blue Ridge during the afternoon briefly organized into a small cluster across Caldwell County, which produced brief damaging winds and a small area of excessive rainfall in the Gamewell and Hudson area.","FD reported flash flooding developed along a tributary of Little Gunpowder Creek after up to 3 inches of rain fell in the Hudson area in a short period of time. Logan Rd was impassable due to flood water, and a woman had to be rescued when her home became surrounded." +116244,699045,KENTUCKY,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-07 21:12:00,CST-6,2017-07-07 21:12:00,0,0,0,0,5.00K,5000,0.00K,0,37.9344,-86.8989,37.9344,-86.8989,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Severe thunderstorm winds peeled the roof off a home on Lake Street in Lewisport." +116244,699044,KENTUCKY,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-07 21:10:00,CST-6,2017-07-07 21:10:00,0,0,0,0,20.00K,20000,0.00K,0,37.9003,-86.8291,37.9003,-86.8291,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","A 3 foot diameter tree fell onto a mobile home." +116244,699040,KENTUCKY,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-07 21:03:00,CST-6,2017-07-07 21:03:00,0,0,0,0,25.00K,25000,0.00K,0,37.9278,-86.9213,37.9324,-86.9145,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","State officials reported several trees down in the area due to severe thunderstorm winds. One tree fell onto a house." +116244,699039,KENTUCKY,2017,July,Thunderstorm Wind,"MADISON",2017-07-07 21:53:00,EST-5,2017-07-07 21:53:00,0,0,0,0,,NaN,0.00K,0,37.5517,-84.2759,37.549,-84.2723,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","State officials reported downed trees blocked portions of Scaffold Cane Road." +117405,706066,WYOMING,2017,July,Hail,"SHERIDAN",2017-07-27 18:05:00,MST-7,2017-07-27 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.83,-106.96,44.83,-106.96,"An isolated thunderstorm produced strong to severe wind gusts along with some small hail just north of Sheridan.","" +117515,706954,MISSOURI,2017,July,Heat,"BOLLINGER",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706955,MISSOURI,2017,July,Heat,"BUTLER",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706956,MISSOURI,2017,July,Heat,"CAPE GIRARDEAU",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706957,MISSOURI,2017,July,Heat,"CARTER",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706958,MISSOURI,2017,July,Heat,"MISSISSIPPI",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706959,MISSOURI,2017,July,Heat,"NEW MADRID",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117734,707914,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:05:00,EST-5,2017-07-20 18:05:00,0,0,0,0,0.00K,0,0.00K,0,29.4,-82.11,29.4,-82.11,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 170th Street. The time of damage was based on radar." +117734,707915,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:12:00,EST-5,2017-07-20 18:12:00,0,0,0,0,0.00K,0,0.00K,0,29.29,-82.09,29.29,-82.09,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 33rd Avenue. The time of damage was based on radar." +117734,707917,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:12:00,EST-5,2017-07-20 18:12:00,0,0,0,0,0.00K,0,0.00K,0,29.29,-82.11,29.29,-82.11,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A tree was blown down on NE 22nd Court. The time of damage was based on radar." +117734,707918,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:17:00,EST-5,2017-07-20 18:17:00,0,0,0,0,0.00K,0,0.00K,0,29.24,-82.09,29.24,-82.09,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 36th Avenue Road. The time of data was based on radar data." +117734,707920,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:17:00,EST-5,2017-07-20 18:17:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-82.13,29.25,-82.13,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on West Anthony Road. The time damage was based on radar." +117734,707921,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:20:00,EST-5,2017-07-20 18:20:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-82.16,29.37,-82.16,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NW 155th Street. The time of damage was based on radar." +118404,711580,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-12 23:25:00,EST-5,2017-07-12 23:25:00,0,0,0,0,,NaN,,NaN,43.29,-73.91,43.29,-73.91,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","A tree was downed across Parker Road in the Town of Hadley." +118404,711581,NEW YORK,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 12:33:00,EST-5,2017-07-13 12:33:00,0,0,0,0,,NaN,,NaN,42.17,-73.78,42.17,-73.78,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","Trees and wires were blown down on Orchard Road." +118404,711582,NEW YORK,2017,July,Thunderstorm Wind,"DUTCHESS",2017-07-13 14:24:00,EST-5,2017-07-13 14:24:00,0,0,0,0,,NaN,,NaN,41.79,-73.86,41.79,-73.86,"A cold front slowly sagged southward July 12 into July 13 and provided the focus for rounds of showers and thunderstorms across eastern New York. A few of these storms became severe with sporadic reports of wind damage. Flash flooding also occurred near the Montgomery/Schoharie County border.","Trees and wires were downed." +118405,711583,CONNECTICUT,2017,July,Thunderstorm Wind,"LITCHFIELD",2017-07-13 14:10:00,EST-5,2017-07-13 14:10:00,0,0,0,0,,NaN,,NaN,42.0304,-73.0984,42.0304,-73.0984,"A cold front slowly sagged southward and provided the focus for showers and thunderstorms. A couple of these storms became severe during the afternoon hours of July 13 with damaging winds.","Trees and wires were reported down at the intersection of McClave Road and Cobb City Road." +118405,711584,CONNECTICUT,2017,July,Thunderstorm Wind,"LITCHFIELD",2017-07-13 15:03:00,EST-5,2017-07-13 15:03:00,0,0,0,0,,NaN,,NaN,41.72,-73.48,41.72,-73.48,"A cold front slowly sagged southward and provided the focus for showers and thunderstorms. A couple of these storms became severe during the afternoon hours of July 13 with damaging winds.","Trees and wires were blown down." +118406,711587,NEW YORK,2017,July,Flash Flood,"SARATOGA",2017-07-17 17:34:00,EST-5,2017-07-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9309,-73.8119,42.9296,-73.8071,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Flooding reported in the roadway with flood waters entering residences." +118406,711590,NEW YORK,2017,July,Flash Flood,"SARATOGA",2017-07-17 17:35:00,EST-5,2017-07-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-73.77,42.9373,-73.7685,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A road was closed due to flooding." +118821,713774,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"KINGSBURY",2017-07-17 19:40:00,CST-6,2017-07-17 19:40:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-97.35,44.24,-97.35,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Plenty of dust reducing visibility." +118821,713775,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"KINGSBURY",2017-07-17 19:40:00,CST-6,2017-07-17 19:40:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-97.37,44.27,-97.37,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","Blowing dust reducing visibility." +118821,713776,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"KINGSBURY",2017-07-17 19:45:00,CST-6,2017-07-17 19:45:00,0,0,0,0,0.00K,0,0.00K,0,44.24,-97.35,44.24,-97.35,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","A few branches were downed." +118821,713788,SOUTH DAKOTA,2017,July,Hail,"KINGSBURY",2017-07-17 16:25:00,CST-6,2017-07-17 16:25:00,0,0,0,0,0.00K,0,0.00K,0,44.4945,-97.75,44.4945,-97.75,"Thunderstorms developed in east central South Dakota and became severe in some locations with strong wind gusts. Thankfully, not many significant damage reports were received from the wind gusts.","" +118810,713789,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CHARLES MIX",2017-07-05 23:20:00,CST-6,2017-07-05 23:20:00,0,0,0,0,0.00K,0,0.00K,0,43.25,-98.7596,43.25,-98.7596,"Before dissipating thunderstorms produced severe wind gusts in portions of the area.","A few branches were downed." +118851,714033,SOUTH DAKOTA,2017,July,Hail,"BEADLE",2017-07-19 11:03:00,CST-6,2017-07-19 11:03:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-98.04,44.27,-98.04,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","Hail to tennis ball size." +118851,714034,SOUTH DAKOTA,2017,July,Hail,"GREGORY",2017-07-19 15:15:00,CST-6,2017-07-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.2,-99.47,43.2,-99.47,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","" +118851,714035,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-19 10:47:00,CST-6,2017-07-19 10:47:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-98.12,44.44,-98.12,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","Damaged Irrigation Pivots." +118851,714036,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-19 12:30:00,CST-6,2017-07-19 12:30:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-96.46,44.39,-96.46,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","Grain bin and and large barn destroyed. Also power poles and several trees were downed." +116290,699335,INDIANA,2017,July,Hail,"WAYNE",2017-07-07 15:40:00,EST-5,2017-07-07 15:42:00,0,0,0,0,0.00K,0,0.00K,0,39.8,-84.89,39.8,-84.89,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116290,699336,INDIANA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-07 15:32:00,EST-5,2017-07-07 15:40:00,0,0,0,0,10.00K,10000,0.00K,0,39.83,-84.89,39.83,-84.89,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Numerous trees were downed in and around Richmond." +116290,699337,INDIANA,2017,July,Thunderstorm Wind,"UNION",2017-07-07 16:20:00,EST-5,2017-07-07 16:22:00,0,0,0,0,4.00K,4000,0.00K,0,39.6399,-84.9251,39.6399,-84.9251,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Several trees were downed in the Liberty area." +116290,699338,INDIANA,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-07 16:42:00,EST-5,2017-07-07 16:44:00,0,0,0,0,1.00K,1000,0.00K,0,39.4371,-85.2107,39.4371,-85.2107,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A tree fell onto Stipps Hill Road." +116292,699340,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 12:24:00,EST-5,2017-07-07 12:26:00,0,0,0,0,2.00K,2000,0.00K,0,40.43,-83.07,40.43,-83.07,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed." +116292,699341,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 12:38:00,EST-5,2017-07-07 12:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.27,-82.91,40.27,-82.91,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed." +116292,699342,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-07 12:41:00,EST-5,2017-07-07 12:48:00,0,0,0,0,5.00K,5000,0.00K,0,40.24,-82.83,40.24,-82.83,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Numerous trees were downed across eastern portions of Delaware County." +116292,699345,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-07 13:02:00,EST-5,2017-07-07 13:04:00,0,0,0,0,3.00K,3000,0.00K,0,39.9396,-83.0693,39.9396,-83.0693,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A large tree fell onto wires at the intersection of Ogden Avenue and Mound Street." +116292,699346,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-07 13:10:00,EST-5,2017-07-07 13:12:00,0,0,0,0,2.00K,2000,0.00K,0,40.02,-82.7,40.02,-82.7,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed." +116292,699347,OHIO,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-07 13:12:00,EST-5,2017-07-07 13:15:00,0,0,0,0,5.00K,5000,0.00K,0,39.9,-82.53,39.9,-82.53,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees and power lines were downed in and around the Millersport area." +116292,699348,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-07 13:15:00,EST-5,2017-07-07 13:16:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-82.93,39.81,-82.93,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699349,OHIO,2017,July,Hail,"FAIRFIELD",2017-07-07 13:30:00,EST-5,2017-07-07 13:32:00,0,0,0,0,0.00K,0,0.00K,0,39.63,-82.55,39.63,-82.55,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116523,700702,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BAMBERG",2017-07-15 14:19:00,EST-5,2017-07-15 14:24:00,0,0,0,0,,NaN,,NaN,33.2,-80.96,33.2,-80.96,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Trees down on Oak Grove Rd." +116523,700703,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-15 14:47:00,EST-5,2017-07-15 14:50:00,0,0,0,0,,NaN,,NaN,33.46,-80.44,33.46,-80.44,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Trees down on 9843 Old Number Six Hwy." +116523,700704,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-15 16:09:00,EST-5,2017-07-15 16:14:00,0,0,0,0,,NaN,,NaN,34.54,-81.02,34.54,-81.02,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Fairfield dispatch reported trees down on Heritage Rd." +116523,700706,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-15 16:10:00,EST-5,2017-07-15 16:14:00,0,0,0,0,,NaN,,NaN,34.42,-81.3,34.42,-81.3,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Fairfield Co dispatch reported trees down along Newberry Rd near Fairfield Rd." +116523,700708,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-15 16:15:00,EST-5,2017-07-15 16:19:00,0,0,0,0,,NaN,,NaN,34.51,-80.93,34.51,-80.93,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Fairfield Co dispatch reported trees down on Hwy 21 at River Rd." +116523,700709,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-15 16:33:00,EST-5,2017-07-15 16:38:00,0,0,0,0,,NaN,,NaN,34.19,-81.13,34.19,-81.13,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Tree in roadway at the intersection of SC 269 and SC 215." +116523,700712,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-15 16:45:00,EST-5,2017-07-15 16:49:00,0,0,0,0,,NaN,,NaN,34.27,-80.95,34.27,-80.95,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Fairfield Co dispatch reported trees down on Hwy 21 S at Macedonia Church Rd." +116523,700713,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-15 16:47:00,EST-5,2017-07-15 16:50:00,0,0,0,0,,NaN,,NaN,34.28,-81.04,34.28,-81.04,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","SCHP reported tree down along Syrup Mill Rd near E Peach Rd." +118690,713012,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-07-06 21:00:00,EST-5,2017-07-06 21:05:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-87,45.58,-87,"A line for storms pushed across the Bay of Green Bay.","Measured thunderstorm wind gust at Minneapolis Shoal lighthouse." +118695,713016,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY N FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE",2017-07-15 17:39:00,EST-5,2017-07-15 17:44:00,0,0,0,0,0.00K,0,0.00K,0,45.74,-87.04,45.74,-87.04,"A cold front initiated a line of strong thunderstorms that pushed southeast across the northern portions of the Bay of Green Bay.","Thunderstorm wind gusts measured at KESC AWOS." +118738,713293,MICHIGAN,2017,July,Thunderstorm Wind,"GOGEBIC",2017-07-12 15:53:00,CST-6,2017-07-12 15:58:00,0,0,0,0,0.50K,500,0.00K,0,46.1543,-89.1744,46.1543,-89.1744,"Isolated severe thunderstorms forming along a warm front moved across portions of Gogebic and Menominee counties on the evening of the 12th.","The Gogebic and Iron County Dispatch reported a tree down on Crystal Lake Road near the Wisconsin border. Time was estimated from radar." +118738,713294,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-12 19:35:00,CST-6,2017-07-12 19:40:00,0,0,0,0,0.50K,500,0.00K,0,45.34,-87.62,45.34,-87.62,"Isolated severe thunderstorms forming along a warm front moved across portions of Gogebic and Menominee counties on the evening of the 12th.","The Menominee County Central Dispatch reported a tree down just north of Wallace. Time of the report was estimated from radar." +118738,713295,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-12 19:18:00,CST-6,2017-07-12 19:23:00,0,0,0,0,2.00K,2000,0.00K,0,45.43,-87.84,45.43,-87.84,"Isolated severe thunderstorms forming along a warm front moved across portions of Gogebic and Menominee counties on the evening of the 12th.","There was a delayed report of numerous trees down completely blocking a road seven miles southwest of Swanson." +118740,713297,MICHIGAN,2017,July,Thunderstorm Wind,"ALGER",2017-07-18 14:44:00,EST-5,2017-07-18 14:49:00,0,0,0,0,0.00K,0,0.00K,0,46.67,-87.53,46.67,-87.53,"An upper level disturbance moving through a moist and unstable air mass produced isolated severe thunderstorms over central Upper Michigan on the 18th.","There was a report via MPING of small tree branches broken nine miles north of Trowbridge Park." +118740,713298,MICHIGAN,2017,July,Lightning,"MARQUETTE",2017-07-18 15:41:00,EST-5,2017-07-18 15:41:00,0,0,0,0,0.50K,500,0.00K,0,46.56,-87.61,46.56,-87.61,"An upper level disturbance moving through a moist and unstable air mass produced isolated severe thunderstorms over central Upper Michigan on the 18th.","A spotter four miles north of Negaunee reported that lightning struck a maple tree eight feet from his residence." +118742,713308,MICHIGAN,2017,July,Heavy Rain,"DICKINSON",2017-07-22 13:50:00,CST-6,2017-07-22 20:35:00,0,0,0,0,0.00K,0,0.00K,0,45.82,-88.12,45.82,-88.12,"Nearly two inches of rain from thunderstorms caused minor flooding in Iron Mountain on the 22nd.","Nearly two inches of rain from thunderstorms caused minor flooding in Iron Mountain as reported by the Dickinson County Sheriff." +117918,708642,ARIZONA,2017,July,Heavy Rain,"MARICOPA",2017-07-18 19:00:00,MST-7,2017-07-18 21:00:00,0,0,0,0,0.00K,0,0.00K,0,33.29,-112.45,33.29,-112.45,"Scattered monsoon thunderstorms developed across much of south-central Arizona during the afternoon and evening hours on July 18th and they affected portions of the greater Phoenix area as well as areas around the community of Wickenburg. The storms brought many of the typical summer weather hazards; trees were downed by strong winds near the town of Goodyear, widespread flooding was reported in the early evening in Wickenburg and dense blowing dust was reported near the Ak-Chin Village at 1815MST. At 1835MST a trained spotter measured 1.75 inches of rain within one hour near Wickenburg, sufficient to cause significant flash flooding. No injuries were reported due to the hazardous weather.","Scattered thunderstorms developed over portions of the greater Phoenix area during the late afternoon and evening hours and some of them produced locally heavy rainfall with rain rates in excess of one inch per hour. The heavy rain was more than sufficient to cause urban flooding. Locally heavy rain affected the area around and to the south of Goodyear, near Estrella Mountain Ranch. According to a report from the public, at 1930MST heavy rain 10 miles southwest of Goodyear resulted in the the road being under water at the intersection of Willis Road and Rainbow Valley Road." +117918,708649,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-18 20:30:00,MST-7,2017-07-19 00:30:00,0,0,0,0,0.00K,0,0.00K,0,32.9984,-112.3434,32.973,-112.4931,"Scattered monsoon thunderstorms developed across much of south-central Arizona during the afternoon and evening hours on July 18th and they affected portions of the greater Phoenix area as well as areas around the community of Wickenburg. The storms brought many of the typical summer weather hazards; trees were downed by strong winds near the town of Goodyear, widespread flooding was reported in the early evening in Wickenburg and dense blowing dust was reported near the Ak-Chin Village at 1815MST. At 1835MST a trained spotter measured 1.75 inches of rain within one hour near Wickenburg, sufficient to cause significant flash flooding. No injuries were reported due to the hazardous weather.","Scattered thunderstorms developed across the southwest portion of the greater Phoenix area during the late afternoon and evening hours on July 18th and some of them produced locally heavy rains. The rains caused numerous washes in the area to flow and several of these crossed Highway 238 between Gila Bend and the town of Mobile. Flash flooding along Highway 238 was likely after 2030MST, and in fact a Flash Flood Warning was already in effect at that time, running through 2345MST. According to the Arizona Department of Highways, as of 2326MST State Route 238 was closed due to flooding west bound from milepost 24 to Gila Bend. The road was to be closed through 0030MST the next day." +117259,705292,NEBRASKA,2017,July,Hail,"LOUP",2017-07-02 16:11:00,CST-6,2017-07-02 16:11:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-99.38,41.77,-99.38,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705302,NEBRASKA,2017,July,Hail,"GRANT",2017-07-02 16:24:00,MST-7,2017-07-02 16:24:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-101.53,41.83,-101.53,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705303,NEBRASKA,2017,July,Hail,"MCPHERSON",2017-07-02 17:35:00,CST-6,2017-07-02 17:35:00,0,0,0,0,0.00K,0,0.00K,0,41.63,-100.94,41.63,-100.94,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705304,NEBRASKA,2017,July,Hail,"CUSTER",2017-07-02 17:39:00,CST-6,2017-07-02 17:39:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-99.64,41.33,-99.64,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705305,NEBRASKA,2017,July,Hail,"MCPHERSON",2017-07-02 17:43:00,CST-6,2017-07-02 17:43:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-100.94,41.56,-100.94,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705306,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-02 18:07:00,CST-6,2017-07-02 18:07:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-100.57,41.36,-100.57,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705307,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-02 18:11:00,CST-6,2017-07-02 18:11:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-100.65,41.35,-100.65,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705308,NEBRASKA,2017,July,Hail,"FRONTIER",2017-07-02 20:22:00,CST-6,2017-07-02 20:22:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-100.03,40.53,-100.03,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118871,714189,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WAKE",2017-07-16 16:28:00,EST-5,2017-07-16 16:28:00,0,0,0,0,0.50K,500,0.00K,0,35.58,-78.82,35.58,-78.82,"Showers and thunderstorms developed along and ahead of a stationary boundary over Central North Carolina. One thunderstorm became severe, producing isolated wind damage.","One tree was blown down onto West Academy Street near Coley Farm Road." +118874,714196,NORTH CAROLINA,2017,July,Thunderstorm Wind,"GUILFORD",2017-07-13 16:40:00,EST-5,2017-07-13 16:50:00,0,0,0,0,5.00K,5000,0.00K,0,36.11,-79.66,36.11,-79.54,"Scattered showers and thunderstorms developed in association with a weak surface trough in a warm, moist environment. A few isolated storms became severe, producing wind damage across several counties in Central North Carolina.","Several trees and power lines were blown down along a swath from McLeansville to Gibsonville." +118874,714199,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALAMANCE",2017-07-13 16:50:00,EST-5,2017-07-13 16:52:00,0,0,0,0,2.00K,2000,0.00K,0,36.1089,-79.5369,36.1,-79.5,"Scattered showers and thunderstorms developed in association with a weak surface trough in a warm, moist environment. A few isolated storms became severe, producing wind damage across several counties in Central North Carolina.","Multiple trees were blown down along a swath from Gibsonville and Elon." +118874,714202,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-13 17:01:00,EST-5,2017-07-13 17:01:00,0,0,0,0,1.00K,1000,0.00K,0,36.17,-79.21,36.17,-79.21,"Scattered showers and thunderstorms developed in association with a weak surface trough in a warm, moist environment. A few isolated storms became severe, producing wind damage across several counties in Central North Carolina.","A couple of trees were blown down in northwest Orange County." +118874,714205,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PERSON",2017-07-13 17:03:00,EST-5,2017-07-13 17:03:00,0,0,0,0,4.00K,4000,0.00K,0,36.48,-79.13,36.48,-79.13,"Scattered showers and thunderstorms developed in association with a weak surface trough in a warm, moist environment. A few isolated storms became severe, producing wind damage across several counties in Central North Carolina.","A power pole was blown down onto a fence on Rainey Ridge Road near Concord." +118874,714206,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WAKE",2017-07-13 18:30:00,EST-5,2017-07-13 18:34:00,0,0,0,0,10.00K,10000,0.00K,0,35.86,-78.6,35.88,-78.6,"Scattered showers and thunderstorms developed in association with a weak surface trough in a warm, moist environment. A few isolated storms became severe, producing wind damage across several counties in Central North Carolina.","Multiple large trees and several large branches were blown down along a swath between Falls Lake and Raleigh, resulting in damage to vehicles, as well as some roof and siding damage." +118886,714235,NORTH CAROLINA,2017,July,Hail,"RANDOLPH",2017-07-08 17:12:00,EST-5,2017-07-08 17:12:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-79.82,35.65,-79.82,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","" +118886,714236,NORTH CAROLINA,2017,July,Hail,"JOHNSTON",2017-07-08 19:27:00,EST-5,2017-07-08 19:27:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-78.42,35.64,-78.42,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","" +118877,714210,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE AND NORTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-12 20:35:00,CST-6,2017-07-12 20:35:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-87.3,45.06,-87.3,"Thunderstorms with large hail and damaging winds in eastern Wisconsin continued to produce strong winds over the waters of Green Bay.","Thunderstorms produced a wind gust to 45 knots over the waters of Green Bay just west of Egg Harbor." +118884,714233,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-22 22:10:00,CST-6,2017-07-22 22:10:00,0,0,0,0,0.00K,0,0.00K,0,44.57,-87.98,44.57,-87.98,"Thunderstorms produced a strong wind gust over the waters of Green Bay.","A thunderstorm produced a wind gust to 35 knots over the waters of Green Bay." +116954,708584,MONTANA,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-27 17:32:00,MST-7,2017-07-27 17:32:00,0,0,0,0,0.00K,0,0.00K,0,47.92,-108.53,47.92,-108.53,"With sufficient moisture and instability in the atmosphere, some scattered, slow-moving thunderstorms developed across the area, one of which produced severe downdraft wind speeds in SW Phillips County.","A 58 mph wind gust was measured at the RAWS site at Zortman." +116561,708585,MONTANA,2017,July,Hail,"DAWSON",2017-07-19 05:20:00,MST-7,2017-07-19 05:20:00,0,0,0,0,0.00K,0,0.00K,0,47.17,-105.24,47.17,-105.24,"An area of low pressure at the surface combined with a subtle upper-level disturbance and a fairly unstable atmosphere to form a few early morning severe thunderstorms near the Big Sheep Mountains.","A trained spotter reported nickel sized hail." +116561,708586,MONTANA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-19 05:35:00,MST-7,2017-07-19 05:35:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-105.11,47.18,-105.11,"An area of low pressure at the surface combined with a subtle upper-level disturbance and a fairly unstable atmosphere to form a few early morning severe thunderstorms near the Big Sheep Mountains.","A trained spotted reported a 58 mph wind gust." +116561,708587,MONTANA,2017,July,Hail,"DAWSON",2017-07-19 05:35:00,MST-7,2017-07-19 05:35:00,0,0,0,0,0.00K,0,0.00K,0,47.18,-105.11,47.18,-105.11,"An area of low pressure at the surface combined with a subtle upper-level disturbance and a fairly unstable atmosphere to form a few early morning severe thunderstorms near the Big Sheep Mountains.","A trained spotter reported nickel sized hail." +117536,708588,MONTANA,2017,July,Hail,"SHERIDAN",2017-07-29 18:10:00,MST-7,2017-07-29 18:10:00,0,0,0,0,0.00K,0,0.00K,0,48.69,-104.46,48.69,-104.46,"A disturbance moving across the area produced a few showers and thunderstorms, one of which produced severe hail and a short-lived, weak tornado.","Public reported, via social media, golf ball sized hail." +118830,715916,OKLAHOMA,2017,July,Hail,"GRADY",2017-07-05 00:16:00,CST-6,2017-07-05 00:16:00,0,0,0,0,0.00K,0,0.00K,0,34.75,-98.03,34.75,-98.03,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +118830,715918,OKLAHOMA,2017,July,Thunderstorm Wind,"TILLMAN",2017-07-05 01:05:00,CST-6,2017-07-05 01:05:00,0,0,0,0,0.00K,0,0.00K,0,34.44,-99.14,34.44,-99.14,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +118830,715919,OKLAHOMA,2017,July,Thunderstorm Wind,"TILLMAN",2017-07-05 01:05:00,CST-6,2017-07-05 01:05:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-98.74,34.23,-98.74,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +118830,715921,OKLAHOMA,2017,July,Thunderstorm Wind,"TILLMAN",2017-07-05 01:10:00,CST-6,2017-07-05 01:10:00,0,0,0,0,0.00K,0,0.00K,0,34.23,-98.74,34.23,-98.74,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +118831,715925,TEXAS,2017,July,Thunderstorm Wind,"WICHITA",2017-07-05 01:52:00,CST-6,2017-07-05 01:52:00,0,0,0,0,0.00K,0,0.00K,0,33.89,-98.51,33.89,-98.51,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","Tree branches were snapped." +118831,715926,TEXAS,2017,July,Thunderstorm Wind,"WICHITA",2017-07-05 01:59:00,CST-6,2017-07-05 01:59:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-98.51,33.95,-98.51,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +118831,715927,TEXAS,2017,July,Thunderstorm Wind,"WICHITA",2017-07-05 02:12:00,CST-6,2017-07-05 02:12:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-98.51,33.95,-98.51,"With a stationary boundary in the area, storms began to form across southwest Oklahoma and western north Texas in the hours just after midnight on the 5th.","" +119233,716010,OKLAHOMA,2017,July,Hail,"GARFIELD",2017-07-07 18:38:00,CST-6,2017-07-07 18:38:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-97.73,36.4,-97.73,"A few storms formed along a southward moving cold front in north central Oklahoma late on the 7th.","" +119233,716011,OKLAHOMA,2017,July,Hail,"GARFIELD",2017-07-07 18:48:00,CST-6,2017-07-07 18:48:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-97.78,36.33,-97.78,"A few storms formed along a southward moving cold front in north central Oklahoma late on the 7th.","" +119234,716012,OKLAHOMA,2017,July,Hail,"STEPHENS",2017-07-08 18:10:00,CST-6,2017-07-08 18:10:00,0,0,0,0,0.00K,0,0.00K,0,34.51,-97.96,34.51,-97.96,"Storms formed across southern Oklahoma late on the 8th around the remnants of a front.","" +119234,716013,OKLAHOMA,2017,July,Thunderstorm Wind,"KIOWA",2017-07-08 18:40:00,CST-6,2017-07-08 18:40:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-99.05,34.99,-99.05,"Storms formed across southern Oklahoma late on the 8th around the remnants of a front.","" +118828,716018,OKLAHOMA,2017,July,Thunderstorm Wind,"BRYAN",2017-07-02 21:09:00,CST-6,2017-07-02 21:09:00,0,0,0,0,0.00K,0,0.00K,0,33.969,-96.5085,33.969,-96.5085,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Wind damage including snapped tree branches." +118534,712127,ARKANSAS,2017,July,Lightning,"LONOKE",2017-07-28 00:10:00,CST-6,2017-07-28 00:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.92,-91.84,34.92,-91.84,"Mainly damaging winds were reported with the severe thunderstorms of July 23-28, 2017.","Lightning struck a house on the 2100 block of Tippitt Road in Lonoke County. No injuries or structure fires reported." +119431,716763,IDAHO,2017,July,Thunderstorm Wind,"BANNOCK",2017-07-06 16:05:00,MST-7,2017-07-06 16:25:00,0,0,0,0,10.00K,10000,0.00K,0,42.3993,-112.0784,42.3993,-112.0784,"A microburst on the evening of July 6th caused extensive damage at Downata Hot Springs near Downey. 10 large trees were either downed or had large branches removed. The largest water slide at the park was hit by a large branch and it knocked a hole in it. Other branches damaged pavilions, the chain link fence, and two RVs at the park. The Downata Hot Springs manager estimated $10,000 worth of damage.","A microburst on the evening of July 6th caused extensive damage at Downata Hot Springs near Downey. 10 large trees were either downed or had large branches removed. The largest water slide at the park was hit by a large branch and it knocked a hole in it. Other branches damaged pavilions, the chain link fence, and two RVs at the park. The Downata Hot Springs manager estimated $10,000 worth of damage." +119432,716774,IDAHO,2017,July,Wildfire,"UPPER SNAKE RIVER PLAIN",2017-07-01 22:00:00,MST-7,2017-07-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A human caused fire by fireworks burned over 200 acres near Menan Butte. 13 engines, 2 dozers, 3 single engine air tankers and 1 heavy air tanker were on the scene. It was noticed first at 11 pm on July 1st and was contained by July 3rd.","A human caused fire by fireworks burned over 200 acres near Menan Butte. 13 engines, 2 dozers, 3 single engine air tankers and 1 heavy air tanker were on the scene. It was noticed first at 11 pm on July 1st and was contained by July 3rd." +119433,716786,IDAHO,2017,July,Wildfire,"EASTERN MAGIC VALLEY",2017-07-03 07:30:00,MST-7,2017-07-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A fire burned 1,700 acres of grass, brush and juniper southwest of Kimama on July 3rd. The fire was reported at 8:30 AM and was contained by 7 pm. It was controlled by 6 pm on July 4th. Seven engines, one dozer and one water tender were used to control.","A fire burned 1,700 acres of grass, brush and juniper southwest of Kimama on July 3rd. The fire was reported at 8:30 AM and was contained by 7 pm. It was controlled by 6 pm on July 4th. Seven engines, one dozer and one water tender were used to control." +119439,716798,IDAHO,2017,July,Wildfire,"SOUTH CENTRAL HIGHLANDS",2017-07-06 16:00:00,MST-7,2017-07-10 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning began a fire around 5 pm on July 6th. The fire was grass, juniper and sage and burned about 300 acres to the southwest of Oakley in the Trapper Creek area on the Sawtooth National Forest. There were four fire engines and crews, one helicopter, and air tankers working on the fire through the 7th.","Lightning began a fire around 5 pm on July 6th. The fire was grass, juniper and sage and burned about 300 acres to the southwest of Oakley in the Trapper Creek area on the Sawtooth National Forest. There were four fire engines and crews, one helicopter, and air tankers working on the fire through the 7th." +119130,715451,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-23 14:41:00,EST-5,2017-07-23 14:41:00,0,0,0,0,0.00K,0,0.00K,0,34.62,-81.18,34.62,-81.18,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported multiple trees blown down just north of Cornwell." +119130,715452,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"YORK",2017-07-23 14:45:00,EST-5,2017-07-23 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-81.03,34.94,-81.03,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Spotter reported a few trees blown down." +119130,715453,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"YORK",2017-07-23 15:25:00,EST-5,2017-07-23 15:25:00,0,0,0,0,50.00K,50000,0.00K,0,34.94,-81.03,34.94,-81.03,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","EM reported parts of roofs were blown off of three warehouse-style commercial buildings in the Rock Hill area." +119130,715454,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-23 15:00:00,EST-5,2017-07-23 15:20:00,0,0,0,0,0.00K,0,0.00K,0,34.929,-82.127,34.876,-82.042,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported a few trees blown down between Duncan and Moore." +119130,715455,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"UNION",2017-07-23 15:40:00,EST-5,2017-07-23 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.683,-81.673,34.683,-81.673,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Public reported trees blown down along Highway 49 southwest of Union." +119130,715457,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-23 16:26:00,EST-5,2017-07-23 16:26:00,0,0,0,0,5.00K,5000,0.00K,0,34.585,-82.549,34.585,-82.549,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Public reported part of the metal roof removed from a warehouse type building and a metal storage container blown over at a flea market on Highway 29." +119130,715458,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LAURENS",2017-07-23 16:17:00,EST-5,2017-07-23 16:17:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-81.83,34.48,-81.83,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported two trees blown down." +116589,701188,ARKANSAS,2017,July,Flash Flood,"LITTLE RIVER",2017-07-05 07:30:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6445,-94.1029,33.6446,-94.1018,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Three of the four lanes of Highway 71 in front of the Domtar Paper Mill was flooded and closed. Traffic was reduced to only one lane." +116596,701190,TEXAS,2017,July,Flash Flood,"RED RIVER",2017-07-05 07:00:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6212,-95.0532,33.6209,-95.0508,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","High water covered Cedar Street in Clarksville." +116596,701193,TEXAS,2017,July,Flash Flood,"FRANKLIN",2017-07-05 08:10:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.1565,-95.2409,33.1961,-95.2448,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Low water crossings were flooded in and near Mount Vernon." +117964,709378,NEW YORK,2017,July,Flash Flood,"CHENANGO",2017-07-17 15:07:00,EST-5,2017-07-17 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,42.4,-75.57,42.42,-75.6567,"Warm and humid air was in place across the region as a slow moving frontal system drifted into central New York. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several areas, including the larger populated area of Greater Binghamton.","Flood water was flowing over portions of Route 12, with deep standing water at the intersection of Route 12 and Route 35." +117964,709380,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-17 15:10:00,EST-5,2017-07-17 17:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.134,-75.8208,42.1329,-75.9341,"Warm and humid air was in place across the region as a slow moving frontal system drifted into central New York. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several areas, including the larger populated area of Greater Binghamton.","Thunderstorms with excessive rainfall rates caused many roads and underpasses to be flooded." +117965,709383,PENNSYLVANIA,2017,July,Flash Flood,"SUSQUEHANNA",2017-07-17 13:34:00,EST-5,2017-07-17 17:50:00,0,0,0,0,15.00K,15000,0.00K,0,41.9855,-75.7543,41.9673,-75.7485,"Warm and humid air was in place across the region as a slow moving frontal system drifted into Northeast Pennsylvania. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several locations across the northern tier counties.","Flood waters were entering a residence through the front and back doors." +117965,709392,PENNSYLVANIA,2017,July,Flash Flood,"LUZERNE",2017-07-17 14:00:00,EST-5,2017-07-17 15:00:00,0,0,0,0,20.00K,20000,0.00K,0,41.1947,-75.956,41.2893,-75.7549,"Warm and humid air was in place across the region as a slow moving frontal system drifted into Northeast Pennsylvania. An upper level disturbance passed over the frontal boundary during the afternoon, triggering numerous torrential rain producing thunderstorms. Flash flooding developed in several locations across the northern tier counties.","Extensive urban flooding developed throughout the Wyoming Valley with numerous streets and underpasses flooded by fast moving water from storm drains and small, channelized streams." +118412,711617,NEW YORK,2017,July,Hail,"BROOME",2017-07-01 19:00:00,EST-5,2017-07-01 19:15:00,0,0,0,0,2.00K,2000,0.00K,0,42.17,-75.87,42.17,-75.87,"Showers and thunderstorms moved across the region during the early morning leaving copious amounts of low-level moisture across the state of New York. During the afternoon, breaks in the cloud coverage allowed the atmosphere to become unstable ahead of an approaching cold front. A cold front moved across the region late Saturday afternoon, and showers and thunderstorms developed ahead and along the advancing cold front. As the front moved east, some of these storms became severe and produced damaging winds and large hail.","A thunderstorm developed over the area and produced half dollar sized hail." +119001,714788,GEORGIA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-02 15:55:00,EST-5,2017-07-02 15:56:00,0,0,0,0,,NaN,0.00K,0,32.07,-81.09,32.07,-81.09,"A cluster of thunderstorms developed in the afternoon hours within a inland surface trough. These thunderstorms became strong enough to produce damaging wind gusts.","Chatham County dispatch reported a tree down near the 300 block of E Liberty Street in Savannah." +119004,714790,GEORGIA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-05 20:31:00,EST-5,2017-07-05 20:32:00,0,0,0,0,,NaN,0.00K,0,32.12,-81.25,32.12,-81.25,"Isolated thunderstorms developed in the evening hours and moved to the east across southeast Georgia. These thunderstorms produced strong damaging wind gusts in portions of coastal southeast Georgia.","A 15 inch diameter tree was reported snapped off with pea sized hail falling." +119004,714791,GEORGIA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-05 20:31:00,EST-5,2017-07-05 20:32:00,0,0,0,0,,NaN,0.00K,0,32.14,-81.16,32.14,-81.16,"Isolated thunderstorms developed in the evening hours and moved to the east across southeast Georgia. These thunderstorms produced strong damaging wind gusts in portions of coastal southeast Georgia.","Chatham County Emergency Management reported minor roof damage to the trailer of a business on Grange Road." +119004,714792,GEORGIA,2017,July,Thunderstorm Wind,"LIBERTY",2017-07-05 19:34:00,EST-5,2017-07-05 19:35:00,0,0,0,0,,NaN,0.00K,0,31.89,-81.59,31.89,-81.59,"Isolated thunderstorms developed in the evening hours and moved to the east across southeast Georgia. These thunderstorms produced strong damaging wind gusts in portions of coastal southeast Georgia.","The AWOS site KLHW located at Wright Army Airfield at Fort Stewart measured a 50 knot wind gust." +119004,714793,GEORGIA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-05 20:32:00,EST-5,2017-07-05 20:33:00,0,0,0,0,,NaN,0.00K,0,32.13,-81.2,32.13,-81.2,"Isolated thunderstorms developed in the evening hours and moved to the east across southeast Georgia. These thunderstorms produced strong damaging wind gusts in portions of coastal southeast Georgia.","The ASOS site KSAV located at the Savannah/Hilton Head International Airport measured a 56 knot wind gust." +119006,714796,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BERKELEY",2017-07-07 14:44:00,EST-5,2017-07-07 14:45:00,0,0,0,0,,NaN,0.00K,0,33,-79.74,33,-79.74,"Isolated to scattered thunderstorms developed along the sea breeze in the early afternoon hours across coastal southeast South Carolina. These thunderstorms eventually produced damaging wind gusts.","Charleston County dispatch reported a tree down and in the roadway on Halfway Creek Road near United Drive." +119010,714799,GEORGIA,2017,July,Hail,"TATTNALL",2017-07-08 17:42:00,EST-5,2017-07-08 17:45:00,0,0,0,0,,NaN,0.00K,0,32.09,-82.12,32.09,-82.12,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into the evening and transitioned into thunderstorm clusters, a few of which produced damaging wind gusts and hail.","Tattnall County dispatch reported that pea to penny sized hail fell in Reidsville." +116547,700828,NORTH DAKOTA,2017,July,Hail,"CAVALIER",2017-07-11 16:36:00,CST-6,2017-07-11 16:36:00,0,0,0,0,,NaN,,NaN,48.8,-98.88,48.8,-98.88,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700830,NORTH DAKOTA,2017,July,Funnel Cloud,"GRAND FORKS",2017-07-11 16:44:00,CST-6,2017-07-11 16:44:00,0,0,0,0,0.00K,0,0.00K,0,48.2,-97.64,48.2,-97.64,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700831,NORTH DAKOTA,2017,July,Tornado,"CAVALIER",2017-07-11 16:48:00,CST-6,2017-07-11 16:50:00,0,0,0,0,,NaN,,NaN,48.77,-98.79,48.77,-98.79,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A brief tornado touchdown was noted by an observer near the corner of the intersection of county roads 5 and 20. The tornado tracked through open country. Peak winds were estimated at 70 mph." +116547,700832,NORTH DAKOTA,2017,July,Hail,"CAVALIER",2017-07-11 16:50:00,CST-6,2017-07-11 17:00:00,0,0,0,0,,NaN,,NaN,48.77,-98.68,48.77,-98.68,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The hail was accompanied by strong winds, which blew down large branches in shelterbelts around western Moscow Township." +116894,702854,NORTH DAKOTA,2017,July,Thunderstorm Wind,"STEELE",2017-07-21 15:15:00,CST-6,2017-07-21 15:15:00,0,0,0,0,,NaN,,NaN,47.35,-97.82,47.35,-97.82,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The wind gust was measured by a personal weather station." +116898,702881,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-21 13:10:00,CST-6,2017-07-21 13:10:00,0,0,0,0,,NaN,,NaN,48.36,-95.62,48.36,-95.62,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail ranged from pea to quarter size." +116894,703570,NORTH DAKOTA,2017,July,Hail,"RANSOM",2017-07-22 02:25:00,CST-6,2017-07-22 02:25:00,0,0,0,0,,NaN,,NaN,46.54,-97.6,46.54,-97.6,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The large hail was accompanied by a strong wind, which blew down some small branches in a farm yard." +116898,703571,MINNESOTA,2017,July,Hail,"CLAY",2017-07-22 02:32:00,CST-6,2017-07-22 02:32:00,0,0,0,0,,NaN,,NaN,46.69,-96.75,46.69,-96.75,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","A hail patch was noted across highway 75. Some of the hail was still a bit larger than a quarter about 10 minutes after it had passed." +118630,712679,TENNESSEE,2017,July,Heat,"HAYWOOD",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712680,TENNESSEE,2017,July,Heat,"MADISON",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712681,TENNESSEE,2017,July,Heat,"HENDERSON",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712682,TENNESSEE,2017,July,Heat,"DECATUR",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712683,TENNESSEE,2017,July,Heat,"CHESTER",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712684,TENNESSEE,2017,July,Heat,"HARDEMAN",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712685,TENNESSEE,2017,July,Heat,"SHELBY",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712686,TENNESSEE,2017,July,Heat,"TIPTON",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712687,TENNESSEE,2017,July,Heat,"LAUDERDALE",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712688,TENNESSEE,2017,July,Heat,"DYER",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118452,711823,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-01 13:57:00,EST-5,2017-07-01 13:57:00,0,0,0,0,0.00K,0,0.00K,0,38.9799,-77.3849,38.9799,-77.3849,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down near Monroe Street and 3rd Street." +118452,711824,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-01 14:02:00,EST-5,2017-07-01 14:02:00,0,0,0,0,,NaN,,NaN,38.9603,-77.3508,38.9603,-77.3508,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","Part of a tree was down blocking a lane on North Shore Drive near Temporary Road." +118452,711825,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-01 14:23:00,EST-5,2017-07-01 14:23:00,0,0,0,0,,NaN,,NaN,38.944,-77.136,38.944,-77.136,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A downed tree was blocking the right south bound lane on the GW Parkway near Route 123." +118452,711826,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-01 14:26:00,EST-5,2017-07-01 14:26:00,0,0,0,0,,NaN,,NaN,38.7816,-77.3898,38.7816,-77.3898,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree eighteen inches in diameter was down near the intersection of Wesley Tyler Road and Clifton Creek Drive." +118451,711827,MARYLAND,2017,July,Hail,"ST. MARY'S",2017-07-01 18:26:00,EST-5,2017-07-01 18:26:00,0,0,0,0,,NaN,,NaN,38.3123,-76.6417,38.3123,-76.6417,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","Quarter sized hail was reported." +118451,711828,MARYLAND,2017,July,Hail,"ST. MARY'S",2017-07-01 18:50:00,EST-5,2017-07-01 18:50:00,0,0,0,0,,NaN,,NaN,38.2414,-76.5602,38.2414,-76.5602,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","Quarter sized hail was reported." +118451,711830,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-01 14:32:00,EST-5,2017-07-01 14:32:00,0,0,0,0,,NaN,,NaN,38.9899,-77.029,38.9899,-77.029,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down blocking the entrance to Bike Share Lot MD 410 near Blair Mill Road." +118451,711831,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-01 14:58:00,EST-5,2017-07-01 14:58:00,0,0,0,0,,NaN,,NaN,38.989,-76.9429,38.989,-76.9429,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree limb six inches in diameter fell onto a house." +118451,711832,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-01 15:14:00,EST-5,2017-07-01 15:14:00,0,0,0,0,,NaN,,NaN,39.1121,-76.5524,39.1121,-76.5524,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","Several trees were down in the Pasadena area." +118464,713429,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:58:00,EST-5,2017-07-22 13:58:00,0,0,0,0,,NaN,,NaN,39.1156,-76.4489,39.1156,-76.4489,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Chesapeake Place and Dock Road." +118464,713430,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 14:00:00,EST-5,2017-07-22 14:00:00,0,0,0,0,,NaN,,NaN,38.7478,-76.5586,38.7478,-76.5586,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Fairhaven Road and Revell Road." +118464,713431,MARYLAND,2017,July,Thunderstorm Wind,"CHARLES",2017-07-22 17:17:00,EST-5,2017-07-22 17:17:00,0,0,0,0,,NaN,,NaN,38.6151,-76.8526,38.6151,-76.8526,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Poplar Hill Road and Gardiner Road." +118464,713432,MARYLAND,2017,July,Thunderstorm Wind,"CHARLES",2017-07-22 17:17:00,EST-5,2017-07-22 17:17:00,0,0,0,0,,NaN,,NaN,38.6151,-76.8526,38.6151,-76.8526,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Poplar Hill Road and Gardiner Road." +118464,713433,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 13:03:00,EST-5,2017-07-22 13:03:00,0,0,0,0,,NaN,,NaN,39.136,-77.216,39.136,-77.216,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A wind gust of 59 mph was reported." +118464,713434,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 13:55:00,EST-5,2017-07-22 13:55:00,0,0,0,0,,NaN,,NaN,38.9685,-76.5861,38.9685,-76.5861,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Several large tree limbs were down along with one large tree in the Southaven neighborhood of Annapolis. A wind gust of 62 mph was also measured." +118464,713435,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-22 14:00:00,EST-5,2017-07-22 14:00:00,0,0,0,0,,NaN,,NaN,38.9658,-76.5139,38.9658,-76.5139,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A wind gust of 58 mph was reported." +118465,713436,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-22 12:28:00,EST-5,2017-07-22 12:28:00,0,0,0,0,,NaN,,NaN,39.2404,-77.677,39.2404,-77.677,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A large tree was down blocking Picnic Woods Road near Bolington Road." +119063,715812,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-06 21:42:00,EST-5,2017-07-06 21:42:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some gusty thunderstorms.","A wind gust of 34 knots was recorded." +119064,715813,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-07 19:20:00,EST-5,2017-07-07 19:20:00,0,0,0,0,,NaN,,NaN,38.692,-77.1182,38.692,-77.1182,"A cold front passed through the area. There was enough instability for some storms associated with the front to produce gusty winds.","A wind gust of 40 knots was recorded at Fort Belvoir." +119065,715814,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-08 17:40:00,EST-5,2017-07-08 17:40:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"An unstable atmosphere led to a few gusty thunderstorms.","A wind gust in excess of 30 knots was reported at Crisfield." +119067,715815,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:46:00,EST-5,2017-07-14 15:46:00,0,0,0,0,,NaN,,NaN,38.8532,-77.0217,38.8532,-77.0217,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 50 knots was estimated due to thunderstorm wind damage nearby." +119067,715817,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-07-14 17:40:00,EST-5,2017-07-14 17:40:00,0,0,0,0,,NaN,,NaN,38.5488,-76.2403,38.5488,-76.2403,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 50 knots was estimated based on thunderstorm wind damage nearby." +119062,715818,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-07-01 16:19:00,EST-5,2017-07-01 16:19:00,0,0,0,0,,NaN,,NaN,39.4,-76.04,39.4,-76.04,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 40 knots was reported at Grove Point." +119062,715819,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-01 15:47:00,EST-5,2017-07-01 15:47:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 35 knots was reported at Tolchester." +119530,717291,VIRGINIA,2017,July,Heat,"FAIRFAX",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported nearby." +119530,717292,VIRGINIA,2017,July,Heat,"STAFFORD",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported nearby." +116274,699145,FLORIDA,2017,July,Tornado,"OSCEOLA",2017-07-07 19:29:00,EST-5,2017-07-07 19:32:00,0,0,0,0,20.00K,20000,0.00K,0,28.3171,-81.3636,28.3224,-81.354,"The Atlantic and Gulf coast sea breeze boundaries collided from south-central Orange County to western Osceola County during the early evening. During the initial collision and prior to shower and thunderstorm development, a brief tornado was observed from the Orlando International Airport tower and photographed by several people at the airport. Showers and thunderstorms then rapidly formed along the north-south boundary collision zone and a funnel cloud was observed by many citizens and weather spotters in Kissimmee. Shortly thereafter, the funnel cloud developed into a tornado and produced minor damage to several homes within two adjacent subdivisions.","Numerous residents within the Buena Ventura Lakes region of Kissimmee observed a funnel cloud approach from the southwest and become a tornado as it traveled through two adjacent subdivisions for less than 0.75 miles. Eyewitnesses described swirling debris at the surface and swirling water within an adjacent lake, with a visible funnel farther aloft to the cloud base. Several single family homes sustained minor damage, consisting of several removed shingles, and damage to carports and pool screen enclosures. A large mango tree fell onto one home resulting in roof damage. The tornado path and intensity (EF-0, winds estimated at 60-70 mph) were determined after examining damage photos from Osceola County Emergency Management and the Orlando news media and interviewing several eyewitnesses. DI2, DOD1, EXP; DI2, DOD2, LB-EXP." +116282,699185,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-05 22:20:00,CST-6,2017-07-05 22:20:00,0,0,0,0,,NaN,,NaN,47.42,-98.44,47.42,-98.44,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116282,699186,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-05 22:38:00,CST-6,2017-07-05 22:44:00,0,0,0,0,,NaN,,NaN,47.39,-98.16,47.39,-98.16,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","Heavy rain accompanied the large hail." +116282,699187,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-05 22:55:00,CST-6,2017-07-05 22:55:00,0,0,0,0,,NaN,,NaN,47.39,-97.95,47.39,-97.95,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","Three quarters of an inch of rain and some dime to quarter sized hail fell across northwest Riverside Township." +116282,699188,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-05 23:11:00,CST-6,2017-07-05 23:11:00,0,0,0,0,,NaN,,NaN,47.65,-97.72,47.65,-97.72,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116423,700163,TEXAS,2017,July,Lightning,"LUBBOCK",2017-07-01 00:30:00,CST-6,2017-07-01 00:30:00,0,1,0,1,45.00K,45000,0.00K,0,33.5705,-101.8298,33.5705,-101.8298,"As the significant nighttime storms of June 30 progressed across the southern South Plains, they gradually waned as a squall line developed in their advance around midnight CST on July 1. This line of storms produced a few severe wind gusts and widespread heavy rainfall before exiting south of the region before daybreak. Flash flooding, which began before midnight CST on July 1st, continued for a few additional hours in Anton (Hockley County) and near Buffalo Springs Lake (Lubbock County). Also, lightning was responsible for a fatal house fire in east Lubbock.","Lightning struck a house and adjacent tree in east-central Lubbock. The single story family residence became heavily consumed by fire before fire crews could respond. Fire officials were able to extricate two people; one who later succumbed to their injuries at the hospital." +116366,699717,TEXAS,2017,July,Dust Storm,"CHILDRESS",2017-07-03 20:50:00,CST-6,2017-07-03 20:55:00,0,2,0,2,70.00K,70000,0.00K,0,NaN,NaN,NaN,NaN,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","A blinding dust storm struck southeast Childress County late this night in advance of a strong thunderstorm. As the dust storm enveloped Highway 287 near Kirkland, many motorists slowed to a crawl or stopped, but remained in their lane of travel. A semi trailer approaching from behind was unable to stop in time and crashed into a car, which proceeded to pile into another car. The two occupants of the first car were killed when their vehicle caught fire. Drivers of the semi trailer and second car received minor injuries." +116523,700699,SOUTH CAROLINA,2017,July,Lightning,"AIKEN",2017-07-15 15:15:00,EST-5,2017-07-15 15:16:00,0,0,0,0,0.10K,100,0.10K,100,33.54,-81.95,33.54,-81.95,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Lighting struck a shed which started a fire that spread to a mobile home, on Celeste Ave in Belvedere. The shed was destroyed and the mobile home was damaged. Time estimated." +116808,702370,KENTUCKY,2017,July,Thunderstorm Wind,"FLEMING",2017-07-22 23:40:00,EST-5,2017-07-22 23:50:00,0,0,0,0,250.00K,250000,,NaN,38.4259,-83.7527,38.4366,-83.6788,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Observers, local dispatch, and citizens all reported numerous trees down across Flemingsburg. Additionally, a mobile home was damaged while another house was destroyed. One home lost its roof while another had a garage moved several feet as high gusts occurred. The canopy of a gas station was also blown down. Much of the observed damage occurred along Kentucky Highways 11 and 559." +116809,702378,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-22 14:38:00,EST-5,2017-07-22 14:38:00,0,0,0,0,0.00K,0,0.00K,0,28.101,-80.612,28.101,-80.612,"Numerous thunderstorms develop inland from the coast as an outflow boundary collided with the sea breeze. Strong winds developed within a few of the storms and spread across the Brevard County intracoastal waters, barrier islands and into the Atlantic.","The ASOS at Melbourne International Airport (KMLB) recorded a peak gust of 37 knots from the west-southwest as a strong thunderstorm exited the mainland and spread to the Indian River." +116809,702379,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 20-60NM",2017-07-22 15:50:00,EST-5,2017-07-22 15:50:00,0,0,0,0,0.00K,0,0.00K,0,28.52,-80.17,28.52,-80.17,"Numerous thunderstorms develop inland from the coast as an outflow boundary collided with the sea breeze. Strong winds developed within a few of the storms and spread across the Brevard County intracoastal waters, barrier islands and into the Atlantic.","Buoy 41009, located 27 miles east-northeast of Port Canaveral reported a peak wind gust of 39 knots from the south-southwest as a strong thunderstorm moved over the platform." +116823,702536,WASHINGTON,2017,July,Wildfire,"LOWER COLUMBIA BASIN",2017-07-02 11:00:00,PST-8,2017-07-07 09:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On July 2, 2017, a grass and brush fire was reported approximately 30 miles northwest of Richland, WA. The fire reached 30,984 acres in size in Yakima and Benton counties.","Inciweb." +116823,702538,WASHINGTON,2017,July,Wildfire,"YAKIMA VALLEY",2017-07-02 11:00:00,PST-8,2017-07-07 09:01:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On July 2, 2017, a grass and brush fire was reported approximately 30 miles northwest of Richland, WA. The fire reached 30,984 acres in size in Yakima and Benton counties.","Inciweb." +117040,703967,TEXAS,2017,July,Heat,"SAN AUGUSTINE",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +117040,703968,TEXAS,2017,July,Heat,"NACOGDOCHES",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +117040,703969,TEXAS,2017,July,Heat,"ANGELINA",2017-07-29 12:00:00,CST-6,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weak surface front slowly drifted south across East Texas and North Louisiana on July 29th, with considerable cloud cover from scattered showers and thunderstorms that developed early that morning lingering across much of East Texas. Low level moisture remained pooled near and south of the front as it drifted into portions of Deep East Texas, with enough breaks in the cloud cover to allow afternoon temperatures to climb into the lower 90s. However, the moisture pooling contributed to high humidity during the afternoon, resulting in heat indices near 105 degrees across portions of Deep East Texas.","" +116689,701702,NEW JERSEY,2017,July,Thunderstorm Wind,"WARREN",2017-07-20 18:10:00,EST-5,2017-07-20 18:10:00,0,0,0,0,,NaN,,NaN,40.69,-75.19,40.69,-75.19,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","Large trees were blown down from thunderstorm winds." +116689,701704,NEW JERSEY,2017,July,Thunderstorm Wind,"HUNTERDON",2017-07-20 18:40:00,EST-5,2017-07-20 18:40:00,0,0,0,0,,NaN,,NaN,40.41,-74.98,40.41,-74.98,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","Thunderstorm winds took down trees." +116689,701705,NEW JERSEY,2017,July,Thunderstorm Wind,"MERCER",2017-07-20 19:07:00,EST-5,2017-07-20 19:07:00,0,0,0,0,,NaN,,NaN,40.35,-74.8,40.35,-74.8,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","Thunderstorm winds took down a tree on US 31 between Titus Mill and Woodville roads." +117047,704237,PENNSYLVANIA,2017,July,Flash Flood,"CHESTER",2017-07-23 20:17:00,EST-5,2017-07-23 21:17:00,0,0,0,0,0.00K,0,0.00K,0,39.85,-75.65,39.8539,-75.6413,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Burrows run road was flooded." +117047,704239,PENNSYLVANIA,2017,July,Flash Flood,"BERKS",2017-07-24 17:15:00,EST-5,2017-07-24 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-76.29,40.4898,-76.1826,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several roads closed due to flooding." +117047,704240,PENNSYLVANIA,2017,July,Flash Flood,"LEHIGH",2017-07-24 17:35:00,EST-5,2017-07-24 18:35:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-75.49,40.578,-75.4459,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A small SUV got stuck in flood waters on an unknown road." +117047,704242,PENNSYLVANIA,2017,July,Flash Flood,"BERKS",2017-07-24 17:44:00,EST-5,2017-07-24 18:44:00,0,0,0,0,0.00K,0,0.00K,0,40.3467,-75.9548,40.3485,-75.9597,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Flooding on Spring street." +117047,704243,PENNSYLVANIA,2017,July,Flash Flood,"LEHIGH",2017-07-24 17:50:00,EST-5,2017-07-24 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-75.49,40.5586,-75.4844,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Rescues at the south mall due to flood waters." +117047,704246,PENNSYLVANIA,2017,July,Flash Flood,"DELAWARE",2017-07-24 20:26:00,EST-5,2017-07-24 21:26:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-75.33,39.872,-75.3243,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A water rescue was reported." +117047,704248,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-22 15:45:00,EST-5,2017-07-22 16:45:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-76.02,40.3249,-75.9808,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Minor flooding." +117047,704249,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-22 15:50:00,EST-5,2017-07-22 16:50:00,0,0,0,0,0.00K,0,0.00K,0,40.323,-75.9509,40.3576,-75.9619,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Minor flooding." +117047,704250,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-22 15:55:00,EST-5,2017-07-22 16:55:00,0,0,0,0,0.00K,0,0.00K,0,40.3885,-75.93,40.4339,-75.9265,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Flooding on route 222." +117047,704253,PENNSYLVANIA,2017,July,Flood,"CHESTER",2017-07-22 16:50:00,EST-5,2017-07-22 17:50:00,0,0,0,0,0.00K,0,0.00K,0,40.1371,-75.5108,40.1321,-75.5097,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Flooding reported on Bridge street." +116218,698724,OHIO,2017,July,Thunderstorm Wind,"PERRY",2017-07-07 13:39:00,EST-5,2017-07-07 13:39:00,0,0,0,0,2.00K,2000,0.00K,0,39.61,-82.21,39.61,-82.21,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Thunderstorm winds blew down several large branches and power lines." +116218,698726,OHIO,2017,July,Thunderstorm Wind,"MORGAN",2017-07-07 13:57:00,EST-5,2017-07-07 13:57:00,0,0,0,0,2.00K,2000,0.00K,0,39.6484,-81.8555,39.6484,-81.8555,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees were blown down in McConnelsville. One fell on Route 376, closing the southbound lane." +116218,698728,OHIO,2017,July,Thunderstorm Wind,"ATHENS",2017-07-07 14:15:00,EST-5,2017-07-07 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.33,-82.1,39.33,-82.1,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Numerous trees were blown down by thunderstorm winds in the city of Athens." +116218,698729,OHIO,2017,July,Thunderstorm Wind,"VINTON",2017-07-07 14:35:00,EST-5,2017-07-07 14:35:00,0,0,0,0,3.00K,3000,0.00K,0,39.33,-82.35,39.33,-82.35,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees were blown down around Lake Hope State Park. Some power lines were also damaged, resulting in a power outage at the campground." +116218,698730,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 14:20:00,EST-5,2017-07-07 14:20:00,0,0,0,0,2.00K,2000,0.00K,0,39.56,-81.56,39.56,-81.56,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Several trees were blown down on Route 60 between Beverly and Lowell." +116218,698731,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 14:45:00,EST-5,2017-07-07 14:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.42,-81.45,39.42,-81.45,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple large branches were downed by thunderstorms winds. One fell on and damaged a residential fence." +117309,705511,NEW MEXICO,2017,July,Flash Flood,"MCKINLEY",2017-07-29 16:45:00,MST-7,2017-07-29 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.5298,-108.5948,35.5285,-108.596,"A widespread surge of deep monsoon moisture continued to shift northward over New Mexico toward the end of July. Slow-moving showers and thunderstorms developed over the high terrain during the late morning hours then pushed into nearby highlands and valleys through the afternoon. Several of these storms produced torrential rainfall rates over two inches per hour. Numerous reports of minor flooding were received over central and western New Mexico. The most significant flooding occurred around Gallup as runoff from heavy rainfall flooded state road 118 between Church Rock and Wingate. The road was closed for more than a day. Another storm developed over Glenwood and produced nearly two inches of rainfall in around one hour. This rain fell on already saturated grounds from recent heavy rains. Whitewater Creek overflowed its banks along the road to the Catwalk. The rush of water produced a flash flood in Glenwood over U.S. Highway 180. The heaviest rainfall occurred along the Dry Cimarron in northern Union County as a back door cold front approached from Colorado. Radar derived rainfall amounts indicated between three and five inches of rain fell in this area, producing a 17 feet rise on the river in just four hours at the Kenton, Oklahoma gauge. Ranchers across northern Union County were not able to get home due to flooded roads along the river. The peak water level of 22.31 feet was just 0.01 feet from the all-time record of 22.32 feet set in 1965. Torrential rainfall also occurred later in the night around Curry and Roosevelt counties. Portales reported between three and four inches of rainfall. No major flooding occurred, however this rainfall led to saturated grounds and set the stage for serious flooding over the coming days.","Flash flooding over portions of state road 118 between Church Rock and Wingate. Road closed." +117323,705623,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-31 17:30:00,CST-6,2017-07-31 17:30:00,0,0,0,0,,NaN,,NaN,48.45,-96.88,48.45,-96.88,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117323,705624,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-31 17:50:00,CST-6,2017-07-31 17:50:00,0,0,0,0,,NaN,,NaN,48.4,-96.8,48.4,-96.8,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117323,705625,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-31 18:05:00,CST-6,2017-07-31 18:05:00,0,0,0,0,,NaN,,NaN,48.19,-97,48.19,-97,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117323,705626,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-31 18:10:00,CST-6,2017-07-31 18:10:00,0,0,0,0,,NaN,,NaN,48.19,-97,48.19,-97,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117323,705627,MINNESOTA,2017,July,Hail,"POLK",2017-07-31 18:25:00,CST-6,2017-07-31 18:25:00,0,0,0,0,,NaN,,NaN,48.15,-96.82,48.15,-96.82,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","A lot of hail fell, which resulted in small piles near buildings. Wind speeds were estimated at 40 mph." +117512,706796,ILLINOIS,2017,July,Heat,"HAMILTON",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706797,ILLINOIS,2017,July,Heat,"HARDIN",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706798,ILLINOIS,2017,July,Heat,"JACKSON",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706799,ILLINOIS,2017,July,Heat,"JEFFERSON",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706801,ILLINOIS,2017,July,Heat,"JOHNSON",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706802,ILLINOIS,2017,July,Heat,"MASSAC",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117463,706452,ILLINOIS,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-23 03:52:00,CST-6,2017-07-23 03:52:00,0,0,0,0,6.00K,6000,0.00K,0,38.32,-88.87,38.32,-88.87,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","A peak wind gust of 59 mph was measured at the Mount Vernon airport on Route 15. There was minor damage to a plane. The 59 mph wind measurement was at a site separate from the automated weather observing system." +117463,706456,ILLINOIS,2017,July,Thunderstorm Wind,"EDWARDS",2017-07-23 04:21:00,CST-6,2017-07-23 04:30:00,0,0,0,0,85.00K,85000,0.00K,0,38.5405,-88.0462,38.4655,-87.9522,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","Scattered straight-line wind damage was observed across much of the northern half of the county. Within the overall area of scattered damage, more concentrated damage was located in West Salem. In West Salem, numerous large tree limbs were broken, and a couple of trees were uprooted. Elsewhere around northern Edwards County, hundreds of tree limbs and about a half-dozen trees were blown down. Downed trees and limbs damaged a couple of homes, garages, and a pickup truck. Two barns were blown down between West Salem and Bone Gap. Several power poles were blown over. Peak winds were estimated near 80 mph. The damaging wind event continued east into Wabash County." +117454,706400,INDIANA,2017,July,Thunderstorm Wind,"SPENCER",2017-07-07 20:47:00,CST-6,2017-07-07 20:51:00,0,0,0,0,10.00K,10000,0.00K,0,38,-86.9133,37.93,-86.98,"A cluster of thunderstorms organized into an east-west line of storms that moved southward across southwest Indiana. An isolated thunderstorm within the line intensified to severe levels over eastern Spencer County. The activity occurred on the southern periphery of a band of stronger northwest winds aloft. These stronger winds were associated with a strong 500 mb shortwave over the Great Lakes region. The storms occurred along a surface cold front that extended from Lake Erie southwest across the lower Wabash Valley to southeast Missouri.","Several trees were blown down on Highway 70 east of Newtonville. At least one tree was down near Grandview. Power outages were reported in the area." +117211,704951,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-25 18:21:00,CST-6,2017-07-25 18:21:00,0,0,0,0,0.00K,0,0.00K,0,43.0099,-99.7802,43.0099,-99.7802,"A thunderstorm briefly became severe over southern Tripp County, with wind gusts around 60 mph in the Wewela area.","" +117700,707775,SOUTH DAKOTA,2017,July,Heavy Rain,"CUSTER",2017-07-27 05:00:00,MST-7,2017-07-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-103.63,43.73,-103.63,"Recurring thunderstorms produced very heavy rain during the morning and early afternoon over parts of western and central Custer County. Three to five inches of rain fell between Jewel Cave, Custer, and Pringle. Runoff from the heavy rain washed gravel off several county roads. On Pleasant Valley Road about six miles southwest of Custer, water flowed over the road due to the accumulation of debris from slash piles in the road ditch.","A total of 3.36 inches of rain fell in about six hours." +117700,707776,SOUTH DAKOTA,2017,July,Heavy Rain,"CUSTER",2017-07-27 07:00:00,MST-7,2017-07-27 12:50:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-103.83,43.73,-103.83,"Recurring thunderstorms produced very heavy rain during the morning and early afternoon over parts of western and central Custer County. Three to five inches of rain fell between Jewel Cave, Custer, and Pringle. Runoff from the heavy rain washed gravel off several county roads. On Pleasant Valley Road about six miles southwest of Custer, water flowed over the road due to the accumulation of debris from slash piles in the road ditch.","Rainfall measured 4.21 inches over six hours." +117699,707773,WYOMING,2017,July,Flood,"CROOK",2017-07-27 16:40:00,MST-7,2017-07-27 17:35:00,0,0,0,0,1.00K,1000,0.00K,0,44.36,-104.96,44.29,-104.96,"Slow moving thunderstorms produced very heavy rain across portions of Crook County. Runoff from three to four inches of rain flooded parts of U.S. Highway 14 between Moorcroft and Carlile.","Water covered parts of U.S. Highway 14 between Moorcroft and Carlile, which closed the road for about one hour." +117212,704952,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-30 13:31:00,CST-6,2017-07-30 13:31:00,0,0,0,0,,NaN,0.00K,0,43.4587,-100.2056,43.4587,-100.2056,"A thunderstorm briefly became severe over parts of western Tripp County, producing wind gusts around 70 mph from Carter to Witten.","Wind gusts were estimated at 60 mph." +117212,704953,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-30 13:35:00,CST-6,2017-07-30 13:35:00,0,0,0,0,,NaN,0.00K,0,43.38,-100.2,43.38,-100.2,"A thunderstorm briefly became severe over parts of western Tripp County, producing wind gusts around 70 mph from Carter to Witten.","The southeast corner of the Red Hills Saloon roof was torn off by strong wind gusts." +117213,704954,SOUTH DAKOTA,2017,July,Hail,"FALL RIVER",2017-07-30 13:44:00,MST-7,2017-07-30 13:44:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-103.54,43.35,-103.54,"A thunderstorm produced nickel sized hail in parts of central Fall River County.","" +117214,704955,SOUTH DAKOTA,2017,July,Hail,"HAAKON",2017-07-30 15:28:00,MST-7,2017-07-30 15:28:00,0,0,0,0,0.00K,0,0.00K,0,44.4934,-101.67,44.4934,-101.67,"A thunderstorm briefly became severe over parts of northern Haakon County, producing small hail and wind gusts to 60 mph.","" +117214,704956,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAAKON",2017-07-30 15:28:00,MST-7,2017-07-30 15:28:00,0,0,0,0,,NaN,0.00K,0,44.4934,-101.67,44.4934,-101.67,"A thunderstorm briefly became severe over parts of northern Haakon County, producing small hail and wind gusts to 60 mph.","Wild gusts were estimated at 60 mph." +117871,717208,GEORGIA,2017,July,Lightning,"JACKSON",2017-07-23 18:30:00,EST-5,2017-07-23 18:30:00,0,0,0,0,10.00K,10000,,NaN,34.0591,-83.6437,34.0591,-83.6437,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Jackson County 911 center reported a house struck by lightning on Tom Finch Road causing a fire in the attic." +117871,717211,GEORGIA,2017,July,Thunderstorm Wind,"WARREN",2017-07-23 20:40:00,EST-5,2017-07-23 21:10:00,0,0,0,0,6.00K,6000,,NaN,33.4897,-82.657,33.4142,-82.6859,"Strong daytime heating and deep, rich moisture over the region combined to produce scattered strong to isolated severe thunderstorms across north and central Georgia each afternoon and evening.","The Warren County 911 center reported trees blown down from north of Norwood to near Warrenton including along I-20 around mile marker 158 and around Durham Road, and near the intersection of Elam Church Road and Jack Ray Road." +117873,717225,GEORGIA,2017,July,Thunderstorm Wind,"WALTON",2017-07-26 17:08:00,EST-5,2017-07-26 17:15:00,0,0,0,0,5.00K,5000,,NaN,33.6612,-83.7532,33.6612,-83.7532,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Walton County 911 center reported several trees blown down along County Line Road just west of Social Circle." +117873,717227,GEORGIA,2017,July,Thunderstorm Wind,"BUTTS",2017-07-26 17:50:00,EST-5,2017-07-26 18:00:00,0,0,0,0,5.00K,5000,,NaN,33.3835,-83.904,33.3545,-83.9298,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","The Butts County 911 center reported several trees blown down along Highway 36 including near Keys Ferry Road." +117873,717448,GEORGIA,2017,July,Thunderstorm Wind,"HENRY",2017-07-26 17:55:00,EST-5,2017-07-26 18:00:00,0,0,0,0,2.00K,2000,0.00K,0,33.3181,-84.1148,33.3181,-84.1148,"Strong daytime heating and a very moist air mass resulted in a moderately unstable atmosphere during the afternoon and early evening. Scattered severe thunderstorms produced several reports of damaging wind gusts across central and north Georgia.","Henry County 911 Center reported a tree down at the intersection of L G Griffin Road and Hartwell Road. Time estimated from radar." +117462,706445,OHIO,2017,July,Hail,"LOGAN",2017-07-16 19:28:00,EST-5,2017-07-16 19:30:00,0,0,0,0,0.00K,0,0.00K,0,40.43,-83.95,40.43,-83.95,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706446,OHIO,2017,July,Thunderstorm Wind,"LOGAN",2017-07-16 19:28:00,EST-5,2017-07-16 19:30:00,0,0,0,0,0.50K,500,0.00K,0,40.43,-83.95,40.43,-83.95,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","A tree was downed." +117462,706447,OHIO,2017,July,Thunderstorm Wind,"SHELBY",2017-07-16 19:33:00,EST-5,2017-07-16 19:35:00,0,0,0,0,2.00K,2000,0.00K,0,40.3957,-84.1069,40.3957,-84.1069,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","Several trees were downed near the intersection of Ailes Road and County Road 119." +117462,706448,OHIO,2017,July,Hail,"MERCER",2017-07-16 19:50:00,EST-5,2017-07-16 19:52:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-84.49,40.41,-84.49,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706449,OHIO,2017,July,Hail,"CHAMPAIGN",2017-07-16 20:38:00,EST-5,2017-07-16 20:40:00,0,0,0,0,0.00K,0,0.00K,0,40.18,-83.97,40.18,-83.97,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","" +117462,706451,OHIO,2017,July,Flash Flood,"SHELBY",2017-07-16 21:00:00,EST-5,2017-07-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4366,-84.1789,40.4369,-84.1772,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","Several inches of water was flowing over a portion of Route 25A north of Anna, making the road impassable." +117462,706455,OHIO,2017,July,Flood,"MERCER",2017-07-16 21:00:00,EST-5,2017-07-16 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5865,-84.4673,40.5875,-84.4652,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","High water was reported near the intersection of Harris Road and U.S. Route 33 near the county line." +117462,706457,OHIO,2017,July,Flood,"AUGLAIZE",2017-07-16 20:45:00,EST-5,2017-07-16 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.42,-84.39,40.4239,-84.3881,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","High water was reported near the intersection of Amsterdam Road and Erie Road." +117462,706458,OHIO,2017,July,Flood,"AUGLAIZE",2017-07-16 20:45:00,EST-5,2017-07-16 21:45:00,0,0,0,0,0.00K,0,0.00K,0,40.5,-84.34,40.5006,-84.3373,"Scattered thunderstorms developed during the evening hours along an approaching cold front. Some of the storms produced damaging winds, large hail and localized flooding.","High water was reported near the intersection of East Shelby Road and Holtkamp Road." +116976,704978,WEST VIRGINIA,2017,July,Flash Flood,"CABELL",2017-07-28 13:45:00,EST-5,2017-07-28 16:30:00,0,0,0,0,7.00K,7000,0.00K,0,38.43,-82.38,38.4461,-82.1964,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Video from a trained spotter showed water flowing down Arlington Boulevard in Huntington. Fifth Avenue near 25th Street was also closed due to high water. One car became stranded in the water." +116976,704985,WEST VIRGINIA,2017,July,Flash Flood,"PUTNAM",2017-07-28 14:30:00,EST-5,2017-07-28 16:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.4589,-81.9461,38.5115,-81.9376,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Little Hurricane Creek came out of its banks, flooding Rocky Step Road. Poplar Fork also flooded, with water flowing onto Route 34 near North Poplar Fork Road." +116847,702595,NEBRASKA,2017,July,Hail,"GREELEY",2017-07-21 18:33:00,CST-6,2017-07-21 18:33:00,0,0,0,0,0.00K,0,0.00K,0,41.7107,-98.3289,41.7107,-98.3289,"Severe hail occurred in northern Valley County on this Friday evening. Between 4 and 5 PM CST, a lone, nearly stationary supercell storm formed over southern Wheeler County. However, multicell characteristics existed as new cells formed immediately to its west and merged with it between 5 and 6 PM CST. Shortly after 6 PM, new development became substantial to its west, over Garfield County. During the subsequent hour, this new western storm took over and became dominant. This storm became steady-state and nearly stationary, but not exhibiting supercell characteristics. After 7 PM CST, it slowly sank into extreme north-central and northeast Valley County, decreasing in size and intensity. However, it still produced severe hail up to 1.25 inches in diameter before weakening and dissipating.||A long stationary front extended from New England, through the lower Great Lakes, across Iowa and northern Nebraska into the Northern Rockies. These storms formed near a surface trough that intersected the front over north-central Nebraska and extended southwest into Kansas and Colorado. The Westerlies were zonal across the northern United States. Nebraska was on the southern fringe of these modestly higher winds aloft. A subtropical high covered the Central Plains and Mid-Mississippi Valley. At the time these storms were maturing, temperatures within the inflow were in the upper 90s, with dewpoints in the middle 70s. Mid-level lapse rates were fairly steep (just above 7 deg C/km), resulting in MLCAPE near 4000 J/kg. Effective deep layer shear was near 25 kts.","" +116847,702597,NEBRASKA,2017,July,Hail,"VALLEY",2017-07-21 19:20:00,CST-6,2017-07-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.71,-99,41.7022,-98.9484,"Severe hail occurred in northern Valley County on this Friday evening. Between 4 and 5 PM CST, a lone, nearly stationary supercell storm formed over southern Wheeler County. However, multicell characteristics existed as new cells formed immediately to its west and merged with it between 5 and 6 PM CST. Shortly after 6 PM, new development became substantial to its west, over Garfield County. During the subsequent hour, this new western storm took over and became dominant. This storm became steady-state and nearly stationary, but not exhibiting supercell characteristics. After 7 PM CST, it slowly sank into extreme north-central and northeast Valley County, decreasing in size and intensity. However, it still produced severe hail up to 1.25 inches in diameter before weakening and dissipating.||A long stationary front extended from New England, through the lower Great Lakes, across Iowa and northern Nebraska into the Northern Rockies. These storms formed near a surface trough that intersected the front over north-central Nebraska and extended southwest into Kansas and Colorado. The Westerlies were zonal across the northern United States. Nebraska was on the southern fringe of these modestly higher winds aloft. A subtropical high covered the Central Plains and Mid-Mississippi Valley. At the time these storms were maturing, temperatures within the inflow were in the upper 90s, with dewpoints in the middle 70s. Mid-level lapse rates were fairly steep (just above 7 deg C/km), resulting in MLCAPE near 4000 J/kg. Effective deep layer shear was near 25 kts.","" +117671,707567,NEW YORK,2017,July,Flash Flood,"FULTON",2017-07-01 15:40:00,EST-5,2017-07-01 17:40:00,0,0,0,0,0.00K,0,0.00K,0,43.2024,-74.6598,43.2028,-74.6574,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Seeley Road was washed out due to heavy rainfall." +117671,707565,NEW YORK,2017,July,Thunderstorm Wind,"HERKIMER",2017-07-01 15:10:00,EST-5,2017-07-01 15:10:00,0,0,0,0,,NaN,,NaN,43.1,-74.99,43.1,-74.99,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","A trained spotter reported trees down due to thunderstorm winds." +117301,705693,PENNSYLVANIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-24 15:26:00,EST-5,2017-07-24 15:26:00,0,0,0,0,4.00K,4000,0.00K,0,40.8642,-76.5061,40.8642,-76.5061,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Happy Valley Road." +117301,705694,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHUMBERLAND",2017-07-24 15:14:00,EST-5,2017-07-24 15:14:00,0,0,0,0,4.00K,4000,0.00K,0,40.8778,-76.5928,40.8778,-76.5928,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires west of Elysburg." +117301,705891,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTOUR",2017-07-24 14:40:00,EST-5,2017-07-24 14:40:00,0,0,0,0,8.00K,8000,0.00K,0,40.9841,-76.7074,40.9841,-76.7074,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires across Montour County." +117301,705893,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTOUR",2017-07-24 15:10:00,EST-5,2017-07-24 15:10:00,0,0,0,0,4.00K,4000,0.00K,0,40.9592,-76.6036,40.9592,-76.6036,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires along Route 11 in Danville." +117301,705894,PENNSYLVANIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-24 15:14:00,EST-5,2017-07-24 15:14:00,0,0,0,0,4.00K,4000,0.00K,0,40.9806,-76.4748,40.9806,-76.4748,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires across Rupert Drive at Train Street." +116400,700138,NEBRASKA,2017,July,Hail,"DAWSON",2017-07-02 19:40:00,CST-6,2017-07-02 19:40:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-100.15,40.93,-100.15,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118818,713798,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"EDMUNDS",2017-07-05 17:32:00,CST-6,2017-07-05 17:32:00,0,0,0,0,,NaN,0.00K,0,45.46,-98.76,45.46,-98.76,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Seventy mph winds downed two large trees." +118818,713803,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-05 18:17:00,CST-6,2017-07-05 18:17:00,0,0,0,0,,NaN,0.00K,0,45.16,-98.58,45.16,-98.58,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Estimated seventy-five mph winds downed five empty grain bins." +118818,713807,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-05 20:15:00,CST-6,2017-07-05 20:15:00,0,0,0,0,,NaN,0.00K,0,44.52,-99.44,44.52,-99.44,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","A large tree was downed by estimated seventy mph winds." +118818,713810,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROWN",2017-07-05 17:16:00,CST-6,2017-07-05 17:16:00,0,0,0,0,,NaN,,NaN,45.54,-98.64,45.54,-98.64,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713812,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-05 17:22:00,MST-7,2017-07-05 17:22:00,0,0,0,0,0.00K,0,0.00K,0,45.06,-101.21,45.06,-101.21,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713816,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"STANLEY",2017-07-05 18:17:00,MST-7,2017-07-05 18:17:00,0,0,0,0,,NaN,0.00K,0,44.56,-100.89,44.56,-100.89,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Sixty mph winds downed many large tree branches along with one tree." +118818,713818,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"STANLEY",2017-07-05 18:20:00,MST-7,2017-07-05 18:20:00,0,0,0,0,,NaN,0.00K,0,44.58,-100.85,44.58,-100.85,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Sixty mph winds took the door off an outbuilding." +120597,722429,ILLINOIS,2017,February,Hail,"LEE",2017-02-23 23:05:00,CST-6,2017-02-23 23:07:00,0,0,0,0,0.00K,0,0.00K,0,41.7507,-89.3711,41.7507,-89.3711,"Scattered thunderstorms moved across parts of northern Illinois during the late evening of February 23rd and the early morning of February 24th producing large hail.","Nickel to quarter size hail completely covering the ground was reported." +112919,722446,ILLINOIS,2017,February,Hail,"WILL",2017-02-28 20:48:00,CST-6,2017-02-28 20:51:00,0,0,0,0,0.00K,0,0.00K,0,41.5,-87.85,41.5162,-87.8435,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Quarter to golf ball size hail was reported with half dollar size hail reported between Route 30 and Saint Francis Road." +120785,723379,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-07-01 17:36:00,EST-5,2017-07-01 17:36:00,0,0,0,0,,NaN,,NaN,40.5,-74.28,40.5,-74.28,"A passing cold front triggered a strong thunderstorm that impacted New York Harbor.","A 39 knot gust was measured at the Perth Amboy mesonet location." +120083,719534,IOWA,2017,August,Thunderstorm Wind,"PLYMOUTH",2017-08-21 13:45:00,CST-6,2017-08-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,42.79,-96.17,42.79,-96.17,"Storms developed during the overnight hours with a few of those storms producing wind and hail. Then late in the morning of the same day, storms moved out of southeast South Dakota into northwest Iowa and also produced hail and wind that damaged trees.","Tree damage was reported on the northwest side of the town." +116820,703575,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-14 17:45:00,CST-6,2017-06-14 17:45:00,0,0,0,0,,NaN,,NaN,31.85,-102.37,31.85,-102.37,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced a 60 mph wind gust in Odessa." +116820,703579,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:50:00,CST-6,2017-06-14 17:55:00,0,0,0,0,,NaN,,NaN,31.8891,-102.3229,31.8891,-102.3229,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +114896,689552,NEW JERSEY,2017,May,Coastal Flood,"EASTERN MONMOUTH",2017-05-25 18:00:00,EST-5,2017-05-25 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Many coastal on the Atlantic side of the Sandy hook area were impacted by the evening minor tidal cycle. Sandy Hook, Sea Bright, Belmar and Manasquan all went about a tenth of a foot over the moderate thresholds." +114896,689555,NEW JERSEY,2017,May,Coastal Flood,"EASTERN CAPE MAY",2017-05-25 19:00:00,EST-5,2017-05-25 23:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Moderate flooding occurred with the evening high tide at Cape May Harbor and at the ferry terminal with departures about a quarter of a foot into the moderate range. The southern tip of Cape May and the barrier islands saw the most impacts." +119011,714810,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-08 19:50:00,EST-5,2017-07-08 19:51:00,0,0,0,0,,NaN,0.00K,0,32.63,-81.17,32.63,-81.17,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down and in the roadway on Tye Branch Road near the intersection with Highway 601." +119011,714811,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"HAMPTON",2017-07-08 19:52:00,EST-5,2017-07-08 19:53:00,0,0,0,0,,NaN,0.00K,0,32.69,-81.2,32.69,-81.2,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down blocking the roadway on Steep Bottom Road near the intersection with Honey Hill Road." +119011,714812,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BERKELEY",2017-07-08 20:58:00,EST-5,2017-07-08 20:59:00,0,0,0,0,0.50K,500,0.00K,0,33.29,-79.81,33.29,-79.81,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down and in the roadway on Highway 17-A near the intersection with Beaver Dam Road. The tree came down in outflow ahead of approaching thunderstorms." +119011,714821,SOUTH CAROLINA,2017,July,Lightning,"BEAUFORT",2017-07-08 20:50:00,EST-5,2017-07-08 21:20:00,0,0,0,0,5.00K,5000,0.00K,0,32.23,-80.86,32.23,-80.86,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into southeast South Carolina through the evening and transitioned into thunderstorm clusters. A few thunderstorms became strong enough to produce damaging wind gusts and lightning strikes to structures.","Beaufort County Emergency Management reported a suspected lightning strike resulted in a building fire off of Burnt Church Road. Extent of resulting damage is unknown." +119019,714825,TEXAS,2017,July,Thunderstorm Wind,"VICTORIA",2017-07-15 17:25:00,CST-6,2017-07-15 17:30:00,0,0,0,0,25.00K,25000,0.00K,0,28.802,-97.0037,28.7951,-97.0083,"A severe thunderstorm formed near Victoria in advance of a line of thunderstorms moving southwest along the upper Texas coast. Trees and street signs were blown down in Victoria. Roof damage occurred to a house in eastern Goliad County.","Victoria County Sheriff's Office reported wind gusts estimated to around 60 mph in downtown Victoria. Trees and street signs were blown down." +117264,705334,OHIO,2017,July,Thunderstorm Wind,"DEFIANCE",2017-07-03 15:00:00,EST-5,2017-07-03 15:01:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-84.43,41.33,-84.43,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","Emergency management officials reported shingles blown off the roof of a garage. SOme tree branches were also broken." +117264,705335,OHIO,2017,July,Thunderstorm Wind,"DEFIANCE",2017-07-03 15:00:00,EST-5,2017-07-03 15:01:00,0,0,0,0,0.00K,0,0.00K,0,41.2865,-84.452,41.2865,-84.452,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","Emergency management reported a tree and several tree limbs, all suffering at least some rot, were blown down." +119062,715029,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 19:36:00,EST-5,2017-07-01 19:36:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gusts in excess of 30 knots was reported at Lewisetta." +119066,715041,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-13 22:42:00,EST-5,2017-07-13 23:18:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"An unstable atmosphere led to a few gusty thunderstorms.","A wind gust of 34 knots was reported at Cove Point." +119067,715062,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-14 16:40:00,EST-5,2017-07-14 16:40:00,0,0,0,0,,NaN,,NaN,39.96,-76.45,39.96,-76.45,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported at the Annapolis Buoy." +119067,715070,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:55:00,EST-5,2017-07-14 17:05:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported at Pylons." +119273,716195,MISSOURI,2017,July,Excessive Heat,"GASCONADE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +117589,707362,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 15:21:00,EST-5,2017-07-01 16:20:00,0,0,0,0,340.00K,340000,0.00K,0,42.93,-75.69,42.84,-75.69,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Eaton. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707365,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 16:00:00,EST-5,2017-07-01 16:20:00,0,0,0,0,30.00K,30000,0.00K,0,43.06,-75.8,43.01,-75.79,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Lincoln. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707363,NEW YORK,2017,July,Flash Flood,"MADISON",2017-07-01 16:01:00,EST-5,2017-07-01 16:20:00,0,0,0,0,22.00K,22000,0.00K,0,43.15,-75.81,43.06,-75.8,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Lenox. Culverts and roads were washed out in several places. Some residences experienced flooding, especially along the Canastota Creek and Cowaseon Creek." +116935,703262,OREGON,2017,July,Wildfire,"EASTERN CURRY COUNTY & JOSEPHINE COUNTY",2017-07-12 12:45:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. As of 04:30 PDT on 08/01/17, the fire covered 2877 acres and was 12 percent contained. 1.0 million dollars had been spend on firefighting efforts.","The Chetco Bar Wildfire was started by a lightning strike on 07/12/17 at about 13:45 PDT. It was allowed to burn for a while due to slow fire behavior and the difficulty of safely deploying crews in the steep terrain. As of 04:30 PDT on 08/01/17, the fire covered 2877 acres and was 12 percent contained. 60.9 million dollars had been spent on firefighting efforts." +116423,700111,TEXAS,2017,July,Thunderstorm Wind,"LYNN",2017-07-01 01:30:00,CST-6,2017-07-01 01:30:00,0,0,0,0,0.00K,0,0.00K,0,33.32,-101.92,33.32,-101.92,"As the significant nighttime storms of June 30 progressed across the southern South Plains, they gradually waned as a squall line developed in their advance around midnight CST on July 1. This line of storms produced a few severe wind gusts and widespread heavy rainfall before exiting south of the region before daybreak. Flash flooding, which began before midnight CST on July 1st, continued for a few additional hours in Anton (Hockley County) and near Buffalo Springs Lake (Lubbock County). Also, lightning was responsible for a fatal house fire in east Lubbock.","Measured by a Texas Tech University West Texas mesonet station in New Home." +116365,699901,TEXAS,2017,July,Thunderstorm Wind,"HALE",2017-07-02 00:25:00,CST-6,2017-07-02 00:35:00,0,0,0,0,30.00K,30000,0.00K,0,33.8321,-101.8414,33.88,-101.76,"An overnight complex of thunderstorms rolled southeast over all of the Texas South Plains and delivered very beneficial rainfall to the region. A few downbursts also accompanied this line of storms, one of which damaged several utility poles in southern Hale County.","A downburst traveled easterly across southern Hale County accompanied by wind gusts near 70 mph. These winds damaged 12 power poles just northeast of Abernathy that proceeded to disrupt power to much of the city for nearly 18 hours. Later, these storms produced a wind gust to 59 mph at 0035 CST as measured by a Texas Tech University West Texas mesonet station northeast of Abernathy." +116365,699904,TEXAS,2017,July,Thunderstorm Wind,"HOCKLEY",2017-07-02 00:35:00,CST-6,2017-07-02 00:35:00,0,0,0,0,0.00K,0,0.00K,0,33.7398,-102.21,33.7398,-102.21,"An overnight complex of thunderstorms rolled southeast over all of the Texas South Plains and delivered very beneficial rainfall to the region. A few downbursts also accompanied this line of storms, one of which damaged several utility poles in southern Hale County.","Measured by a Texas Tech University West Texas mesonet station southwest of Anton." +116246,701745,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-01 15:20:00,EST-5,2017-07-01 16:20:00,0,0,0,0,0.00K,0,0.00K,0,40.3529,-75.931,40.3557,-75.9152,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","High water at 5th and 12th. 1.3 inches in 11 minutes." +119119,715473,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-19 08:08:00,CST-6,2017-07-19 08:08:00,0,0,0,0,,NaN,,NaN,45.62,-100.27,45.62,-100.27,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Seventy mph winds and hail caused some crop damage along with downing some trees." +119119,715474,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"WALWORTH",2017-07-19 08:15:00,CST-6,2017-07-19 08:15:00,0,0,0,0,,NaN,0.00K,0,45.5,-100.03,45.5,-100.03,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Seventy mph winds were estimated." +119119,715475,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"WALWORTH",2017-07-19 08:40:00,CST-6,2017-07-19 08:40:00,0,0,0,0,,NaN,0.00K,0,45.45,-99.78,45.45,-99.78,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Seventy mph winds were estimated." +119119,715477,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"POTTER",2017-07-19 08:48:00,CST-6,2017-07-19 08:48:00,0,0,0,0,,NaN,0.00K,0,45.01,-99.95,45.01,-99.95,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","" +119119,715478,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"WALWORTH",2017-07-19 08:53:00,CST-6,2017-07-19 08:53:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-100.12,45.33,-100.12,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Sixty mph winds were estimated." +119119,715479,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"POTTER",2017-07-19 09:01:00,CST-6,2017-07-19 09:01:00,0,0,0,0,,NaN,0.00K,0,45.01,-99.83,45.01,-99.83,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","" +119119,715483,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-19 09:22:00,CST-6,2017-07-19 09:22:00,0,0,0,0,,NaN,,NaN,44.78,-99.45,44.78,-99.45,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","" +119163,715655,MAINE,2017,July,Flash Flood,"SOMERSET",2017-07-01 17:00:00,EST-5,2017-07-01 21:00:00,0,0,0,0,5.00K,5000,0.00K,0,45.6368,-70.2597,45.6421,-70.2426,"A very strong shortwave and associated cold front were approaching from the west on the morning of July 1st. Ahead of the front, a very warm and moist air mass was in place over New England with values of precipitable water around 2 inches. Strong directional and speed shear contributed to numerous super cells that produced damaging winds and 5 confirmed tornadoes. In addition, very heavy rain associated with these cells produced flash flooding to many area roads with damage totaling in the hundreds of thousands of dollars.","Thunderstorms produced nearly 3 inches of rain in 2 hours in Jackman resulting in numerous road washouts." +119119,715467,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-19 09:34:00,CST-6,2017-07-19 09:34:00,0,0,0,0,,NaN,0.00K,0,44.68,-99.23,44.68,-99.23,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","A large metal shed had one wall and half of the roof destroyed by estimated one-hundred mph winds." +119155,715608,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MCPHERSON",2017-07-14 21:30:00,CST-6,2017-07-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-99.41,45.88,-99.41,"Winds gusted to near sixty mph from a severe thunderstorm in Mcpherson county.","" +119217,715887,INDIANA,2017,July,Thunderstorm Wind,"CASS",2017-07-23 14:48:00,EST-5,2017-07-23 14:49:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-86.52,40.76,-86.52,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage, hail and even a brief tornado.","Emergency management officials reported a tree was blown down along US-24." +116461,716134,INDIANA,2017,July,Flood,"CASS",2017-07-11 03:00:00,EST-5,2017-07-12 00:00:00,0,0,0,1,0.00K,0,0.00K,0,40.6922,-86.3735,40.6291,-86.254,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","High water levels continued well after rain had stopped on the 10th, with numerous roads remaining closed due to flowing water. The extensive flooding made it difficult to survey a tornado that occurred in the flooding area. More specific details can be found under the Flash Flood entry for this event. A 6 year old boy was killed after somehow ending up in a swollen Mason Kingery ditch west of Galveston Town Park. He was pulled to along Indiana 18 and trapped by the high water. He was eventually pronounced dead after rescue attempts." +119263,716077,OREGON,2017,July,Wildfire,"NORTH OREGON CASCADES",2017-07-23 16:35:00,PST-8,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Back on June 26th, numerous thunderstorms spread across the area in the southerly flow ahead of an approaching trough. Back in June, conditions were starting to dry out in the Cascades and lightning started several small fires that were quickly contained. One fire start went undetected smoldering in a tree until July 23rd, when the tree fell into some brush starting a wildfire detected around 5:35pm. This fire burned uncontained through all of August into September, and was not expected to be contained until the Fall rains in October.","In June, conditions were starting to dry out in the Cascades and lightning started several small fires that were quickly contained. One fire start went undetected smoldering in a tree until July 23rd, when the tree fell into some brush starting a wildfire detected around 5:35pm. This fire burned uncontained through all of August into September, and was not expected to be contained until the Fall rains in October." +117960,709121,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-06 00:24:00,CST-6,2017-07-06 00:27:00,0,0,0,0,0.00K,0,0.00K,0,48.37,-100.41,48.37,-100.41,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709122,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-06 00:30:00,CST-6,2017-07-06 00:37:00,0,0,0,0,0.00K,0,0.00K,0,48.37,-100.37,48.37,-100.37,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709123,NORTH DAKOTA,2017,July,Hail,"PIERCE",2017-07-06 01:35:00,CST-6,2017-07-06 01:38:00,0,0,0,0,0.00K,0,0.00K,0,47.89,-99.96,47.89,-99.96,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709124,NORTH DAKOTA,2017,July,Hail,"PIERCE",2017-07-06 01:45:00,CST-6,2017-07-06 01:49:00,0,0,0,0,0.00K,0,0.00K,0,47.86,-99.9,47.86,-99.9,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709118,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-05 23:20:00,CST-6,2017-07-05 23:23:00,0,0,0,0,0.00K,0,0.00K,0,48.91,-101.02,48.91,-101.02,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117966,709137,NORTH DAKOTA,2017,July,Hail,"BOWMAN",2017-07-10 17:04:00,MST-7,2017-07-10 17:08:00,0,0,0,0,0.00K,0,0.00K,0,46.23,-103.66,46.23,-103.66,"Thunderstorms developed over and near southwest North Dakota in an environment with moderate instability and enhanced deep layer shear. Two thunderstorms became severe. The largest hail was golf ball size, and fell in Slope County causing damage to a home.","" +119100,715303,NORTH DAKOTA,2017,July,Thunderstorm Wind,"LOGAN",2017-07-21 22:45:00,CST-6,2017-07-21 22:48:00,0,0,0,0,2.00K,2000,0.00K,0,46.45,-99.91,46.45,-99.91,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Tree branches were broken down." +119100,715304,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BURLEIGH",2017-07-21 22:47:00,CST-6,2017-07-21 22:49:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-100.24,46.68,-100.24,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +118951,714561,NORTH DAKOTA,2017,July,Hail,"GRANT",2017-07-19 05:10:00,MST-7,2017-07-19 05:15:00,0,0,0,0,0.00K,0,0.00K,0,46.21,-101.33,46.21,-101.33,"A strong low level jet combined with strong instability and shear to produce severe thunderstorms during the morning hours. Two distinct areas of thunderstorms developed with the first one tracking over southern North Dakota, and the second one over far north central North Dakota. The main threat from the southern storms was large hail, while the northern storms produced golf ball sized hail along with a short lived tornado in Rolette County.","" +118951,714562,NORTH DAKOTA,2017,July,Hail,"ROLETTE",2017-07-19 07:30:00,CST-6,2017-07-19 07:34:00,0,0,0,0,0.00K,0,0.00K,0,48.95,-99.71,48.95,-99.71,"A strong low level jet combined with strong instability and shear to produce severe thunderstorms during the morning hours. Two distinct areas of thunderstorms developed with the first one tracking over southern North Dakota, and the second one over far north central North Dakota. The main threat from the southern storms was large hail, while the northern storms produced golf ball sized hail along with a short lived tornado in Rolette County.","" +112801,681699,KANSAS,2017,March,Hail,"BUTLER",2017-03-06 18:45:00,CST-6,2017-03-06 18:45:00,0,0,0,0,,NaN,,NaN,37.69,-96.98,37.69,-96.98,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +118829,713885,OKLAHOMA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-03 18:40:00,CST-6,2017-07-03 18:40:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-98.77,35.51,-98.77,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +112801,681700,KANSAS,2017,March,Hail,"BUTLER",2017-03-06 18:59:00,CST-6,2017-03-06 18:59:00,0,0,0,0,,NaN,,NaN,37.72,-96.78,37.72,-96.78,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +112801,681702,KANSAS,2017,March,Thunderstorm Wind,"WOODSON",2017-03-06 19:52:00,CST-6,2017-03-06 19:52:00,0,0,0,0,,NaN,,NaN,37.99,-95.74,37.99,-95.74,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A trained spotter reported the gust." +112801,681707,KANSAS,2017,March,Hail,"CHAUTAUQUA",2017-03-06 20:31:00,CST-6,2017-03-06 20:31:00,0,0,0,0,,NaN,,NaN,37.08,-96.12,37.08,-96.12,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +119447,716814,IDAHO,2017,July,Hail,"FRANKLIN",2017-07-26 19:20:00,MST-7,2017-07-26 19:35:00,0,0,0,0,0.20K,200,0.00K,0,42.1,-111.87,42.1,-111.87,"Several instances of flash flooding, strong winds and hail were reported.","One inch hail fell in Preston with reports of window of car broken out on South First Street by it." +119447,716815,IDAHO,2017,July,Flash Flood,"FRANKLIN",2017-07-26 19:25:00,MST-7,2017-07-26 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1145,-111.87,42.1,-111.8895,"Several instances of flash flooding, strong winds and hail were reported.","Over 1 foot of water was covering South First Street East in Preston after over a half inch of rain fell in 10 minutes." +117515,706960,MISSOURI,2017,July,Heat,"PERRY",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706961,MISSOURI,2017,July,Heat,"RIPLEY",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706962,MISSOURI,2017,July,Heat,"SCOTT",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706963,MISSOURI,2017,July,Heat,"STODDARD",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117515,706964,MISSOURI,2017,July,Heat,"WAYNE",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at the larger cities included 108 degrees at Cape Girardeau and 111 at Poplar Bluff. Actual high temperatures were in the lower to mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +116227,698833,MISSOURI,2017,July,Hail,"NEWTON",2017-07-07 17:25:00,CST-6,2017-07-07 17:25:00,0,0,0,0,0.00K,0,0.00K,0,36.87,-94.53,36.87,-94.53,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","" +116227,698834,MISSOURI,2017,July,Hail,"BARRY",2017-07-07 18:08:00,CST-6,2017-07-07 18:08:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-93.89,36.8,-93.89,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","" +116227,698835,MISSOURI,2017,July,Hail,"BARRY",2017-07-07 18:11:00,CST-6,2017-07-07 18:11:00,0,0,0,0,0.00K,0,0.00K,0,36.82,-93.92,36.82,-93.92,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","" +117734,707922,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:23:00,EST-5,2017-07-20 18:23:00,0,0,0,0,1.00K,1000,0.00K,0,29.23,-82.11,29.23,-82.11,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 44th Street. The time of the event was based on radar. The cost of damage was estimated." +117734,707923,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:23:00,EST-5,2017-07-20 18:23:00,0,0,0,0,0.00K,0,0.00K,0,29.24,-82.11,29.24,-82.11,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 49th Street. The time of damage was based on radar." +117734,707924,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:29:00,EST-5,2017-07-20 18:29:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.14,29.21,-82.14,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 25th Street. The time of damage was based on radar." +117734,707925,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:29:00,EST-5,2017-07-20 18:29:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.16,29.21,-82.16,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on 24th Street. The time of damage was based on radar ." +117734,707927,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.19,-82.06,29.19,-82.06,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down along NE 4th Place. The time of damage was based on radar." +117734,707928,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.2,-82.14,29.2,-82.14,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NW 2nd Avenue. The time of damage was based on radar." +118406,711591,NEW YORK,2017,July,Flash Flood,"SARATOGA",2017-07-17 17:30:00,EST-5,2017-07-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9383,-73.7911,42.9377,-73.7883,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Route 9 was closed between Round Lake and Wood Road due to flooding." +118410,711612,VERMONT,2017,July,Hail,"WINDHAM",2017-07-17 18:24:00,EST-5,2017-07-17 18:24:00,0,0,0,0,,NaN,,NaN,42.8,-72.82,42.8,-72.82,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of southern Vermont on July 17. Some of the storms were strong to severe with large hail.","Quarter-size hail was reported." +118410,711613,VERMONT,2017,July,Hail,"WINDHAM",2017-07-17 18:35:00,EST-5,2017-07-17 18:35:00,0,0,0,0,,NaN,,NaN,42.79,-72.77,42.79,-72.77,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of southern Vermont on July 17. Some of the storms were strong to severe with large hail.","Pea to penny-size hail was reported." +118406,711614,NEW YORK,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-17 12:10:00,EST-5,2017-07-17 12:10:00,0,0,0,0,,NaN,,NaN,43.6,-74.42,43.6,-74.42,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Trees were reported down at Mason Lake." +118411,711615,NEW YORK,2017,July,Thunderstorm Wind,"DUTCHESS",2017-07-20 18:10:00,EST-5,2017-07-20 18:10:00,0,0,0,0,,NaN,,NaN,41.5,-73.82,41.5,-73.82,"Isolated thunderstorms on July 20 resulted in a couple reports of wind damage in Dutchess County.","A tree branch and wires were downed on Long Hill Road." +118411,711616,NEW YORK,2017,July,Thunderstorm Wind,"DUTCHESS",2017-07-20 18:10:00,EST-5,2017-07-20 18:10:00,0,0,0,0,,NaN,,NaN,41.531,-73.793,41.531,-73.793,"Isolated thunderstorms on July 20 resulted in a couple reports of wind damage in Dutchess County.","Thunderstorm winds resulted in a downed tree and wires near Shenandoah Road and Jackson Road. The live wire prompted a road closure." +118621,712568,NEW YORK,2017,July,Thunderstorm Wind,"DUTCHESS",2017-07-31 18:30:00,EST-5,2017-07-31 18:30:00,0,0,0,0,,NaN,,NaN,41.6533,-73.8013,41.6533,-73.8013,"An isolated thunderstorm developed on Monday, July 31, 2017, and resulted in localized wind damage in Dutchess County.","Thunderstorm wind brought down a few six-inch diameter tree branches and wires." +116043,697424,MISSISSIPPI,2017,July,Hail,"BOLIVAR",2017-07-01 15:18:00,CST-6,2017-07-01 15:18:00,0,0,0,0,3.00K,3000,0.00K,0,33.74,-90.74,33.74,-90.74,"An outflow boundary from overnight storms combined with a very moist and unstable airmass in place over the region, along with warm afternoon temperatures, to cause showers and thunderstorms. Some of these storms brought hail, damaging winds and flooding to the region.","Quarter to half dollar size hail fell along College Street." +118851,714038,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-19 10:36:00,CST-6,2017-07-19 10:36:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-98.17,44.44,-98.17,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","Nickel size hail as well." +118851,714039,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-19 10:52:00,CST-6,2017-07-19 10:52:00,0,0,0,0,0.00K,0,0.00K,0,44.38,-97.98,44.38,-97.98,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","" +118851,714040,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-19 12:05:00,CST-6,2017-07-19 12:05:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-96.77,44.33,-96.77,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and quickly became severe. Much of the severe weather was strong winds, which mainly resulted in tree and agricultural damage.","" +118852,714044,MINNESOTA,2017,July,Hail,"COTTONWOOD",2017-07-19 23:47:00,CST-6,2017-07-19 23:47:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-95.12,43.87,-95.12,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","" +118852,714045,MINNESOTA,2017,July,Hail,"COTTONWOOD",2017-07-19 23:48:00,CST-6,2017-07-19 23:48:00,0,0,0,0,0.00K,0,0.00K,0,43.87,-95.12,43.87,-95.12,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","" +118852,714046,MINNESOTA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-19 12:45:00,CST-6,2017-07-19 12:45:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-96.29,44.26,-96.29,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","Multiple tree branches were downed by strong winds." +118852,714047,MINNESOTA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-19 12:31:00,CST-6,2017-07-19 12:31:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-96.32,44.27,-96.32,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","" +118852,714048,MINNESOTA,2017,July,Thunderstorm Wind,"COTTONWOOD",2017-07-19 13:38:00,CST-6,2017-07-19 13:38:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-95.18,43.95,-95.18,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","Tree branches downed." +116292,699351,OHIO,2017,July,Hail,"HOCKING",2017-07-07 13:38:00,EST-5,2017-07-07 13:40:00,0,0,0,0,0.00K,0,0.00K,0,39.62,-82.47,39.62,-82.47,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699353,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-07 16:26:00,EST-5,2017-07-07 16:28:00,0,0,0,0,3.00K,3000,0.00K,0,39.59,-84.55,39.59,-84.55,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed." +116292,699354,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-07 16:30:00,EST-5,2017-07-07 16:32:00,0,0,0,0,3.00K,3000,0.00K,0,39.57,-84.81,39.57,-84.81,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Several trees were downed." +116292,699355,OHIO,2017,July,Flood,"PREBLE",2017-07-07 16:30:00,EST-5,2017-07-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.6246,-84.6593,39.6284,-84.6352,"Showers and thunderstorms developed during the day as a cold front moved through the region.","High water was reported on State Route 725." +116292,699356,OHIO,2017,July,Thunderstorm Wind,"BUTLER",2017-07-07 16:35:00,EST-5,2017-07-07 16:37:00,0,0,0,0,5.00K,5000,0.00K,0,39.5222,-84.7623,39.5222,-84.7623,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Numerous trees and power poles were downed along College Corner Pike." +116292,699357,OHIO,2017,July,Hail,"BUTLER",2017-07-07 16:58:00,EST-5,2017-07-07 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-84.56,39.4,-84.56,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699358,OHIO,2017,July,Hail,"BUTLER",2017-07-07 17:05:00,EST-5,2017-07-07 17:07:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-84.44,39.34,-84.44,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699359,OHIO,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 17:05:00,EST-5,2017-07-07 17:07:00,0,0,0,0,3.00K,3000,0.00K,0,39.26,-84.63,39.26,-84.63,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Several trees were downed." +116292,699360,OHIO,2017,July,Hail,"HAMILTON",2017-07-07 17:13:00,EST-5,2017-07-07 17:15:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-84.38,39.25,-84.38,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699361,OHIO,2017,July,Thunderstorm Wind,"BUTLER",2017-07-07 17:15:00,EST-5,2017-07-07 17:17:00,0,0,0,0,3.00K,3000,0.00K,0,39.33,-84.38,39.33,-84.38,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Several trees were downed east of Interstate 75 near West Chester." +116292,699362,OHIO,2017,July,Hail,"BUTLER",2017-07-07 17:10:00,EST-5,2017-07-07 17:12:00,0,0,0,0,0.00K,0,0.00K,0,39.33,-84.4,39.33,-84.4,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116292,699363,OHIO,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 17:18:00,EST-5,2017-07-07 17:20:00,0,0,0,0,1.00K,1000,0.00K,0,39.11,-84.51,39.11,-84.51,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A tree was downed between Sycamore and Main Streets." +116292,699366,OHIO,2017,July,Thunderstorm Wind,"BROWN",2017-07-07 17:50:00,EST-5,2017-07-07 17:52:00,0,0,0,0,2.00K,2000,0.00K,0,38.96,-83.7,38.96,-83.7,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed near State Route 32 and Schweighart Road." +116523,700714,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-15 18:00:00,EST-5,2017-07-15 18:05:00,0,0,0,0,,NaN,,NaN,33.94,-81.96,33.94,-81.96,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Edgefield Co dispatch reported trees down along US Hwy 378." +116523,700716,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-15 14:50:00,EST-5,2017-07-15 14:53:00,0,0,0,0,,NaN,,NaN,33.45,-80.4,33.45,-80.4,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening.","Public estimated wind gusts of 50 to 60 MPH at Mill Creek Marina." +116527,700720,GEORGIA,2017,July,Flash Flood,"RICHMOND",2017-07-15 19:40:00,EST-5,2017-07-15 19:45:00,0,0,0,0,0.10K,100,0.10K,100,33.449,-82.05,33.446,-82.051,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","Public report, via social media, of 2 to 3 feet of water flowing over the road from Rocky Creek, near Milledgeville Rd and Wheeless Rd, with photo confirmation." +116527,700721,GEORGIA,2017,July,Flash Flood,"RICHMOND",2017-07-15 20:02:00,EST-5,2017-07-15 20:05:00,0,0,0,0,0.10K,100,0.10K,100,33.4355,-82.0921,33.4327,-82.0899,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","Richmond Co dispatch received a report of water flowing into a home on Lisbon Rd." +116527,700726,GEORGIA,2017,July,Thunderstorm Wind,"BURKE",2017-07-15 17:35:00,EST-5,2017-07-15 17:39:00,0,0,0,0,,NaN,,NaN,33.14,-81.96,33.14,-81.96,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","Burke Co dispatch reported power lines down on Hwy 56 between Hwy 80 and Old Waynesboro Rd." +116527,700727,GEORGIA,2017,July,Thunderstorm Wind,"BURKE",2017-07-15 17:45:00,EST-5,2017-07-15 17:49:00,0,0,0,0,,NaN,,NaN,33.1,-81.95,33.1,-81.95,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","Burke Co dispatch reported trees down on Bates Rd at Clark Place Rd." +116527,700728,GEORGIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-15 19:09:00,EST-5,2017-07-15 19:14:00,0,0,0,0,,NaN,,NaN,33.45,-82.06,33.45,-82.06,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","Richmond Co dispatch reported trees down on power lines. Time estimated." +118747,713317,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-30 16:05:00,CST-6,2017-07-30 16:10:00,0,0,0,0,2.00K,2000,0.00K,0,45.39,-87.71,45.39,-87.71,"Severe thunderstorms forming along a lake breeze boundary downed multiple trees near the Wisconsin state line on the afternoon of the 30th.","Multiple trees were down on Menominee County Road 577 near the Wisconsin state line. The time of the report was estimated from radar." +117795,708142,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-07 18:00:00,MST-7,2017-07-07 18:05:00,0,0,0,0,20.00K,20000,0.00K,0,33.41,-111.75,33.41,-111.75,"Isolated thunderstorms developed across portions of the south-central deserts during the afternoon hours on July 7th, affecting communities such as Mesa, Apache Junction and Queen Creek. Although monsoon moisture and instability were limited, the presence of excessive heat along with dry air in the lower layers allowed some of the thunderstorms to develop strong, gusty and damaging outflow winds. Gusty winds in excess of 40 mph occurred in some locations and were sufficiently strong as to cause damage at a mobile home park in Mesa. No injuries were reported due to the strong winds.","Isolated thunderstorms developed over southeast portions of the greater Phoenix area, including the community of Mesa, during the afternoon hours on July 7th. Due to a combination of excessive heat and dry low levels, some of the storms were able to generate strong and damaging outflow winds estimated to be as high as 70 mph. According to a report from local broadcast media, strong outflow winds produced damage at a mobile home park about 4 miles west of east Mesa, near the intersection of East Broadway Road and Val Vista. The gusty winds tore the roof off one of the units at the park. No injuries were reported." +117828,708271,ARIZONA,2017,July,Thunderstorm Wind,"PINAL",2017-07-10 22:20:00,MST-7,2017-07-10 22:30:00,0,0,0,0,25.00K,25000,0.00K,0,33.39,-111.46,33.39,-111.46,"Scattered monsoon thunderstorms developed over portions of the greater Phoenix area during the evening hours on July 10th and some of the stronger storms affected east valley communities such as Apache Junction and east Mesa. Due to a favorable combination of instability and drier low levels, some of the storms were able to generate gusty outflow winds in excess of 60 mph. Storms in Apache Junction were especially damaging as outflow winds were sufficient to down numerous moderate to large trees as well as power lines. Structural damage occurred in the Superstition Mountain Golf and Country Club in Gold Canyon. No injuries were reported due to either strong winds or falling trees.","Strong thunderstorms developed in the Apache Junction area during the late evening hours on July 10th and they produced gusty and damaging outflow winds estimated by radar to be as high as 65 mph. Some of the stronger storms affected locations about 5 to 6 miles southeast of Apache Junction, near the community of Gold Canyon. According to a public report, at 2230MST strong winds blew down numerous large trees and caused minor structural damage in the Superstition Mountain Golf and Country Club in Gold Canyon. At approximately the same time, another report from the public indicated that several Palo Verde trees were blown down and the trees had diameters estimated to be around 4 inches. Fortunately there were no injuries due to falling trees or the strong outflow winds." +117922,708662,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-20 21:00:00,MST-7,2017-07-20 21:00:00,0,0,0,0,50.00K,50000,0.00K,0,33.45,-111.7,33.45,-111.7,"Scattered thunderstorms developed across the eastern portion of the greater Phoenix metropolitan area and some of the stronger storms impacted the community of Mesa. Locally heavy rain fell in east Mesa; at 2132MST a trained spotter reported one inch of rain within a 30 minute period. The rain led to urban flooding and the issuance of a flood advisory. In addition, the storms generated gusty and damaging outflow winds estimated to be in excess of 60 mph. The wind damaged 3 carports and a few mobile home roofs in east Mesa. Trees and flagpoles were also downed by the strong winds. No injuries were reported fortunately.","Thunderstorms developed across the community of Mesa during the late evening hours on July 20th and some of the stronger storms produced strong gusty outflow winds estimated to be as high as 70 mph. According to local broadcast media, the strong winds damaged 3 carports and few mobile home roofs about 3 miles northwest of East Mesa. Additionally, the winds blew down trees and flagpoles in the area. No injuries were reported due to the strong winds." +117922,709656,ARIZONA,2017,July,Heavy Rain,"MARICOPA",2017-07-20 20:45:00,MST-7,2017-07-20 21:45:00,0,0,0,0,0.00K,0,0.00K,0,33.47,-111.67,33.47,-111.67,"Scattered thunderstorms developed across the eastern portion of the greater Phoenix metropolitan area and some of the stronger storms impacted the community of Mesa. Locally heavy rain fell in east Mesa; at 2132MST a trained spotter reported one inch of rain within a 30 minute period. The rain led to urban flooding and the issuance of a flood advisory. In addition, the storms generated gusty and damaging outflow winds estimated to be in excess of 60 mph. The wind damaged 3 carports and a few mobile home roofs in east Mesa. Trees and flagpoles were also downed by the strong winds. No injuries were reported fortunately.","Strong thunderstorms developed across the eastern portion of the greater Phoenix area during the evening hours on July 20th and some of them brought locally heavy rainfall to the community of Mesa. Peak rain rates with the heavier showers reached two inches per hour; at about 2130MST a trained spotter 4 miles north of East Mesa measured one inch of rain which fell within 30 minutes. The rain did not cause flash flooding, rather it was sufficient to cause urban street flooding and necessitated the issuance of an Urban and Small Stream Flood Advisory for East Mesa as well as a number of other communities in the area. The advisory was allowed to expire at 2145MST following significant reduction in rainfall across the area." +117259,705312,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-02 18:30:00,CST-6,2017-07-02 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-100.77,41.18,-100.77,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705314,NEBRASKA,2017,July,Thunderstorm Wind,"KEITH",2017-07-02 17:44:00,MST-7,2017-07-02 17:44:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-101.66,41.21,-101.66,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +117259,705315,NEBRASKA,2017,July,Thunderstorm Wind,"KEITH",2017-07-02 18:03:00,MST-7,2017-07-02 18:03:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-101.44,41.06,-101.44,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","Public estimated 70 mph winds southwest of Paxton." +117259,705316,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-02 19:28:00,CST-6,2017-07-02 19:28:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-100.73,40.75,-100.73,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","Public estimated up to 60 mph winds in Wellfleet." +117259,705318,NEBRASKA,2017,July,Thunderstorm Wind,"FRONTIER",2017-07-02 19:59:00,CST-6,2017-07-02 19:59:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-100.49,40.59,-100.49,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","The Frontier Co. E.M. estimated wind speeds up to 60 mph southeast of Curtis." +117259,705319,NEBRASKA,2017,July,Thunderstorm Wind,"HAYES",2017-07-02 20:05:00,CST-6,2017-07-02 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.51,-101.02,40.51,-101.02,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","A trained weather spotter estimated wind speeds of 60 mph in Hayes Center." +117635,714112,MAINE,2017,July,Hail,"AROOSTOOK",2017-07-21 17:07:00,EST-5,2017-07-21 17:07:00,0,0,0,0,,NaN,,NaN,47.35,-68.33,47.35,-68.33,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","" +118886,714237,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-08 16:59:00,EST-5,2017-07-08 16:59:00,0,0,0,0,2.00K,2000,0.00K,0,35.61,-80.05,35.61,-80.05,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","One tree was uprooted and blocking the westbound lane of Highway 47, just east of Sagebrush Trail. Two large tree limbs were also blown down on Highway 47 between Sagebrush Trail and Valley Farm Road." +118886,714238,NORTH CAROLINA,2017,July,Thunderstorm Wind,"NASH",2017-07-08 17:20:00,EST-5,2017-07-08 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,35.84,-78.22,35.85,-78.22,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","A few trees were blown down along a swath between Middlesex and Pilot. One tree was blocking the roadway at the intersection of Highway 97 and Massey Road. Two trees were also blown down onto Rocky Cross Road between Highway 97 and Burgess Road." +118886,714239,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-08 17:15:00,EST-5,2017-07-08 17:39:00,0,0,0,0,5.00K,5000,0.00K,0,35.65,-79.81,35.53,-79.62,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","Several trees were blown down along a swath from Asheboro to 6 miles northwest of Glendon." +118886,714240,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-08 17:48:00,EST-5,2017-07-08 18:12:00,0,0,0,0,2.00K,2000,0.00K,0,35.57,-79.55,35.62,-79.38,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","A couple of trees were blown down along a swath from 4 miles west of Harpers Crossroads to 3 miles northwest of Goldston. One tree was blown down in the Bennett area while the other was blown down in the Bear Creek area." +118886,714241,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PERSON",2017-07-08 17:53:00,EST-5,2017-07-08 17:53:00,0,0,0,0,0.00K,0,0.00K,0,36.49,-78.92,36.49,-78.92,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","One tree was blown down near the intersection of Bowmantown Road and Boston Road." +118886,714242,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WAKE",2017-07-08 18:12:00,EST-5,2017-07-08 18:12:00,0,0,0,0,2.00K,2000,0.00K,0,35.79,-78.37,35.79,-78.37,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","Two trees were blown down near the intersection of Wendell Boulevard and Wendell Falls Parkway. Both trees were approximately 12 inches in diameter, one was uprooted and the other was snapped." +117536,708589,MONTANA,2017,July,Tornado,"SHERIDAN",2017-07-29 16:55:00,MST-7,2017-07-29 16:59:00,0,0,0,0,0.00K,0,0.00K,0,48.5538,-104.1507,48.5539,-104.1536,"A disturbance moving across the area produced a few showers and thunderstorms, one of which produced severe hail and a short-lived, weak tornado.","Initially reported by Sheridan County dispatch, a small short-lived rope tornado was observed. This was further verified by additional reports and photos." +117907,708590,MONTANA,2017,July,Hail,"RICHLAND",2017-07-20 13:20:00,MST-7,2017-07-20 13:20:00,0,0,0,0,0.00K,0,0.00K,0,47.76,-104.1,47.76,-104.1,"A warm front and dryline over eastern Montana combined with moderate instability to develop a severe thunderstorm in Richland County.","Public reported quarter sized hail." +117908,708591,MONTANA,2017,July,Hail,"SHERIDAN",2017-07-22 00:32:00,MST-7,2017-07-22 00:32:00,0,0,0,0,0.00K,0,0.00K,0,48.89,-104.78,48.89,-104.78,"Weak instability behind a frontal system was just enough to create a lone severe thunderstorm over Sheridan County.","Public reported, via social media, quarter sized hail." +118254,712565,MONTANA,2017,July,Drought,"DANIELS",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Daniels County entered July already in a state of extreme (D3) drought. Dry conditions persisted through the month, and by July 25th the drought had worsened to exceptional (D4) status. Areas in Daniels County received generally less than a quarter of an inch of rainfall, which is approximately one and a half to two inches below normal for the month." +118254,712571,MONTANA,2017,July,Drought,"PETROLEUM",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","The month of July began with Petroleum County already experiencing extreme (D3) drought conditions, which persisted through the rest of July. Areas across the county received generally between one and two inches of rainfall, and this is one of the few areas across northeast Montana that received near or even slightly above average rainfall for July." +118641,712808,MONTANA,2017,July,Wildfire,"LITTLE ROCKY MOUNTAINS",2017-07-03 15:30:00,MST-7,2017-07-19 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Record drought conditions, along with human activity and dry lightning, ignited a handful of wildfires throughout the month of July, the most significant one being the July Fire, which was burning for approximately half the month.","Suspected human activity started a wildfire in the Little Rocky Mountains near Zortman and Landusky on the afternoon of July 3rd, and raged until the 19th with a total of 11,699 acres burned." +119415,716680,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-14 16:00:00,CST-6,2017-07-14 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.44,-99.21,36.44,-99.21,"Scattered storms formed along a lingering boundary across northern Oklahoma during the afternoon of the 14th.","Large tree limbs and fences were blown down. Time estimated by the emergency manager and radar data." +119416,716681,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 14:50:00,CST-6,2017-07-15 14:50:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-97.51,35.32,-97.51,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","" +119416,716682,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 14:51:00,CST-6,2017-07-15 14:51:00,0,0,0,0,0.00K,0,0.00K,0,35.32,-97.51,35.32,-97.51,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","No damage reported." +119416,716683,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 15:20:00,CST-6,2017-07-15 15:20:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-97.41,35.27,-97.41,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","No damage reported." +119416,716684,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 15:30:00,CST-6,2017-07-15 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.2111,-97.436,35.2228,-97.4391,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","Numerous large branches downed from Boyd to Main on Classen Blvd. Some roads were blocked and there was bent street sign on the ground." +119416,716685,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 15:30:00,CST-6,2017-07-15 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.2183,-97.4364,35.2183,-97.4364,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","Sign was blown off a roof from a commercial building at Alameda and Classen." +119416,716686,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 15:36:00,CST-6,2017-07-15 15:36:00,0,0,0,0,0.00K,0,0.00K,0,35.2121,-97.4238,35.2121,-97.4238,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","Trees were downed by damaging winds at 12th and Boyd." +119416,716687,OKLAHOMA,2017,July,Thunderstorm Wind,"CLEVELAND",2017-07-15 15:44:00,CST-6,2017-07-15 15:44:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-97.41,35.18,-97.41,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","No damage reported." +119416,716688,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-15 17:00:00,CST-6,2017-07-15 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-99.4,36.42,-99.4,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","Tree limbs were downed from winds estimated 60-70 mph. Penny size hail reported as well." +119416,716689,OKLAHOMA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-15 18:30:00,CST-6,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-98.96,35.9,-98.96,"Scattered storms formed across the western half of Oklahoma in the vicinity of a frontal boundary on the afternoon and evening of the 15th.","" +119441,716807,IDAHO,2017,July,Wildfire,"EASTERN MAGIC VALLEY",2017-07-09 16:00:00,MST-7,2017-07-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Although the fire started in Gooding County the effects were felt to the north and close highways 93 and 24 to Shoshone and east of Shoshone and the fire jumped Route 26 many times. It was a grass and brush fire started by lightning on July 9th about 5 miles south of Shoshone and grew to around 30,000 acres. It was contained on July 13th.","Although the fire started in Gooding County the effects were felt to the north and close highways 93 and 24 to Shoshone and east of Shoshone and the fire jumped Route 26 many times. It was a grass and brush fire started by lightning on July 9th about 5 miles south of Shoshone and grew to around 30,000 acres. It was contained on July 13th." +119440,716803,IDAHO,2017,July,Flood,"BLAINE",2017-07-01 01:00:00,MST-7,2017-07-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,43.8023,-114.4917,43.3665,-114.5314,"Minor flooding continued in the early part of July with homes still flooded on War Eagle Drive in Hailey. And river flooding continued above 7,500 feet in the mountains. Flooding continued in the Baker Creek area as well.","Minor flooding continued in the early part of July with homes still flooded on War Eagle Drive in Hailey. And river flooding continued above 7,500 feet in the mountains. Flooding continued in the Baker Creek area as well." +119442,716808,IDAHO,2017,July,Dust Devil,"CARIBOU",2017-07-17 15:00:00,MST-7,2017-07-17 15:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.65,-111.58,42.65,-111.58,"Strong winds damaged a store in Soda Springs on July 17th at around 4 pm. |The winds blew parts of the concrete roof onto the street damaging a car with pieces of the roof blown into the street. It occurred on Highway 30 right in Soda Springs. | |Neighbors and emergency crews quickly cleaned up the mess of concrete, bricks from the building���s facade and tree limbs. The car sustained minor damage and was driven away.","Strong winds from what appeared to be a dust devil, seen by eyewitnesses including a television reporter on vacation who recorded the damage, damaged a store in Soda Springs on July 17th at around 4 pm. The winds blew parts of the concrete roof onto the street damaging a car with pieces of the roof blown into the street. It occurred on Highway 30 right in Soda Springs. | |Neighbors and emergency crews quickly cleaned up the mess of concrete, bricks from the building���s facade and tree limbs. The car sustained minor damage and was driven away." +119443,716809,IDAHO,2017,July,Hail,"BEAR LAKE",2017-07-20 19:25:00,MST-7,2017-07-20 19:40:00,0,0,0,0,0.00K,0,0.00K,0,42.1655,-111.4,42.1655,-111.4,"One inch hail fell 1 mile south of Bloomington on highway 89 in Bear Lake County.","One inch hail fell 1 mile south of Bloomington on Highway 89 in Bear Lake County." +119444,716810,IDAHO,2017,July,Wildfire,"BIG AND LITTLE WOOD RIVER REGION",2017-07-23 12:00:00,MST-7,2017-07-30 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire started by errant shots from target shooting began July 23rd 3 miles east of Bellevue and grew to 4,000 acres. The fire burned grass, mountain shrub, Douglas fir and Aspen. No structures were threatened and Muldoon Canyon had to be closed to camping and recreation activities. The fire began on July 23rd and was controlled by July 30th.","A wildfire started by errant shots from target shooting began July 23rd 3 miles east of Bellevue and grew to 4,000 acres. The fire burned grass, mountain shrub, Douglas fir and Aspen. No structures were threatened and Muldoon Canyon had to be closed to camping and recreation activities. The fire began on July 23rd and was controlled by July 30th." +119131,715459,GEORGIA,2017,July,Thunderstorm Wind,"ELBERT",2017-07-23 17:52:00,EST-5,2017-07-23 17:52:00,0,0,0,0,7.00K,7000,0.00K,0,34.16,-82.92,34.16,-82.92,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, and drifted southeast through the Piedmont throughout the afternoon and into the evening. One storm produced a small area of wind damage in Elbert County.","EM reported multiple trees uprooted, with at least one down on a vehicle, a shed blown over, and part of the roof off a barn in the area around Oakridge Rd, Cromer Rd, and Dickerson Rd." +119132,715461,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-25 21:37:00,EST-5,2017-07-25 21:37:00,0,0,0,0,0.00K,0,0.00K,0,34.77,-83.062,34.87,-83.15,"Scattered thunderstorms developing near the Blue Ridge during the evening organized into a small cluster that produced brief damaging winds across portions of Oconee County.","County comms reported a tree blown down near Mountain Rest and another tree down near downtown Walhalla." +119132,715465,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-25 22:14:00,EST-5,2017-07-25 22:14:00,0,0,0,0,0.00K,0,0.00K,0,34.683,-83.097,34.683,-83.097,"Scattered thunderstorms developing near the Blue Ridge during the evening organized into a small cluster that produced brief damaging winds across portions of Oconee County.","County comms reported numerous trees blown down in the Westminster area, along with with power outages." +119135,715490,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-28 14:00:00,EST-5,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.872,-82.329,34.928,-82.29,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Highway patrol reported a tree down blown down at Haywood Rd and East North St. Media reported a large tree blown down on East Main St in Taylors." +119135,715492,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-28 13:01:00,EST-5,2017-07-28 13:01:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-82.64,34.489,-82.633,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Broadcast media reported a tree blown down on power lines on South McDuffie St. Media reported trees and power lines blown down along East Shockley Ferry Rd." +119135,715493,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-28 13:45:00,EST-5,2017-07-28 13:45:00,0,0,0,0,0.00K,0,0.00K,0,34.625,-82.302,34.699,-82.246,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Highway patrol reported a tree blown down at Fork Shoals Rd and McKelvey Rd. Media reported another tree down on Waterton Way in Simpsonville." +119135,715494,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENWOOD",2017-07-28 13:58:00,EST-5,2017-07-28 13:58:00,0,0,0,0,2.00K,2000,0.00K,0,34.17,-82.02,34.17,-82.02,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Public reported a large tree limb fell on a house." +116071,697620,TEXAS,2017,July,Thunderstorm Wind,"SMITH",2017-07-01 12:15:00,CST-6,2017-07-01 12:15:00,0,0,0,0,0.00K,0,0.00K,0,32.36,-95.36,32.36,-95.36,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Strong wind gusts lifted the roof off the Tyler Commercial Kitchens along Hwy. 64 west northwest of Tyler, Texas." +116071,697621,TEXAS,2017,July,Thunderstorm Wind,"RUSK",2017-07-01 13:00:00,CST-6,2017-07-01 13:00:00,0,0,0,0,0.00K,0,0.00K,0,32.2,-94.98,32.2,-94.98,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Trees were uprooted and snapped at the intersection of Hwy. 64 and County Road 4156 near the Selman City area." +117031,703891,TEXAS,2017,July,Heat,"RED RIVER",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Red River County Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117032,703893,LOUISIANA,2017,July,Heat,"CADDO",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703894,LOUISIANA,2017,July,Heat,"BOSSIER",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703895,LOUISIANA,2017,July,Heat,"DE SOTO",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703896,LOUISIANA,2017,July,Heat,"WEBSTER",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703897,LOUISIANA,2017,July,Heat,"RED RIVER",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703898,LOUISIANA,2017,July,Heat,"BIENVILLE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703899,LOUISIANA,2017,July,Heat,"CLAIBORNE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +118007,709426,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-23 23:28:00,EST-5,2017-07-24 00:30:00,0,0,0,0,45.00K,45000,0.00K,0,42.02,-75.79,42.0139,-75.7779,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Flash flooding extended across Corbettsville Road. Evacuations of several homes were underway." +118007,709429,NEW YORK,2017,July,Flash Flood,"TIOGA",2017-07-24 01:45:00,EST-5,2017-07-24 02:10:00,0,0,0,0,25.00K,25000,0.00K,0,41.9998,-76.3605,42.0289,-76.3739,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Severe flash flooding along Wappasening Creek was reaching nearby homes and crossing over Old Route 282. Debris was collecting at the bridge and threatening its structural integrity." +118007,709441,NEW YORK,2017,July,Flash Flood,"TIOGA",2017-07-24 02:00:00,EST-5,2017-07-24 02:30:00,0,0,0,0,20.00K,20000,0.00K,0,42.02,-76.16,42.0575,-76.1648,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Water rescues were ongoing from Nichols to South Apalachin along Apalachin Creek and Harnick Roads." +118437,711703,NEW YORK,2017,July,Thunderstorm Wind,"ONONDAGA",2017-07-24 15:25:00,EST-5,2017-07-24 15:35:00,0,0,0,0,15.00K,15000,0.00K,0,43.06,-76.07,43.06,-76.07,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and tore the roof off Syracuse Diesel and Electric." +119010,714802,GEORGIA,2017,July,Thunderstorm Wind,"BULLOCH",2017-07-08 18:51:00,EST-5,2017-07-08 18:52:00,0,0,0,0,,NaN,0.00K,0,32.45,-81.78,32.45,-81.78,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia. These thunderstorms then progressed eastward into the evening and transitioned into thunderstorm clusters, a few of which produced damaging wind gusts and hail.","Bulloch County dispatch reported at least 3 trees down in Statesboro with power lines down as well." +119013,714815,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHARLESTON",2017-07-10 13:15:00,EST-5,2017-07-10 13:16:00,0,0,0,0,,NaN,0.00K,0,32.83,-80.09,32.83,-80.09,"Scattered thunderstorms developed along the sea breeze throughout the afternoon. A few of these thunderstorms produced damaging wind gusts and lightning strikes to structures.","A report of tree limbs down averaging 5 to 6 inches in diameter was received via Twitter." +119013,714816,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-10 16:05:00,EST-5,2017-07-10 16:06:00,0,0,0,0,,NaN,0.00K,0,32.47,-81.01,32.47,-81.01,"Scattered thunderstorms developed along the sea breeze throughout the afternoon. A few of these thunderstorms produced damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported 2 trees down. One was down on Tillman Road at Tarboro Road and the other was down near the intersection of Smiths Crossing and Catfish Circle." +119013,714818,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-10 16:23:00,EST-5,2017-07-10 16:24:00,0,0,0,0,,NaN,0.00K,0,32.41,-81.1,32.41,-81.1,"Scattered thunderstorms developed along the sea breeze throughout the afternoon. A few of these thunderstorms produced damaging wind gusts and lightning strikes to structures.","South Carolina Highway Patrol reported a tree down in the roadway near the intersection of Highway 321 and Locked Road." +119021,714822,GEORGIA,2017,July,Lightning,"EFFINGHAM",2017-07-09 18:15:00,EST-5,2017-07-09 18:45:00,0,0,0,0,50.00K,50000,0.00K,0,32.32,-81.27,32.32,-81.27,"Afternoon and evening thunderstorms produced frequent lightning strikes across portions of southeast Georgia. A few lightning strikes started structure fires.","Effingham County dispatch reported 2 homes struck by lightning in Rincon. One house became fully engulfed and the other resulted in no major damage." +119021,714824,GEORGIA,2017,July,Lightning,"EFFINGHAM",2017-07-09 18:44:00,EST-5,2017-07-09 19:14:00,0,0,0,0,5.00K,5000,0.00K,0,32.15,-81.39,32.15,-81.39,"Afternoon and evening thunderstorms produced frequent lightning strikes across portions of southeast Georgia. A few lightning strikes started structure fires.","Effingham County dispatch reported a house was struck by lightning in the Bloomingdale area. Smoke was reported in the attic but no major damage occurred." +119013,714826,SOUTH CAROLINA,2017,July,Lightning,"CHARLESTON",2017-07-10 03:40:00,EST-5,2017-07-10 04:10:00,0,0,0,0,5.00K,5000,0.00K,0,32.75,-79.95,32.75,-79.95,"Scattered thunderstorms developed along the sea breeze throughout the afternoon. A few of these thunderstorms produced damaging wind gusts and lightning strikes to structures.","A residential structure fire started by lightning was reported on Old Summer House Road." +119013,714827,SOUTH CAROLINA,2017,July,Lightning,"CHARLESTON",2017-07-10 14:15:00,EST-5,2017-07-10 14:45:00,0,0,0,0,5.00K,5000,0.00K,0,32.82,-80.07,32.82,-80.07,"Scattered thunderstorms developed along the sea breeze throughout the afternoon. A few of these thunderstorms produced damaging wind gusts and lightning strikes to structures.","A lightning strike was suspected in causing a condo fire on Ashley Villa Circle." +116547,700833,NORTH DAKOTA,2017,July,Hail,"WALSH",2017-07-11 17:00:00,CST-6,2017-07-11 17:00:00,0,0,0,0,,NaN,,NaN,48.2,-97.47,48.2,-97.47,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700834,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-11 17:03:00,CST-6,2017-07-11 17:03:00,0,0,0,0,,NaN,,NaN,47.91,-97.78,47.91,-97.78,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700836,NORTH DAKOTA,2017,July,Funnel Cloud,"GRAND FORKS",2017-07-11 17:08:00,CST-6,2017-07-11 17:08:00,0,0,0,0,0.00K,0,0.00K,0,47.88,-97.67,47.88,-97.67,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A wall cloud was reported around 558 PM CDT about six miles west of Larimore. The subsequent funnel cloud was reported and a photo posted to social media." +116547,700837,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-11 17:15:00,CST-6,2017-07-11 17:15:00,0,0,0,0,,NaN,,NaN,47.91,-97.63,47.91,-97.63,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116898,702882,MINNESOTA,2017,July,Hail,"BELTRAMI",2017-07-21 14:40:00,CST-6,2017-07-21 14:40:00,0,0,0,0,,NaN,,NaN,47.95,-94.65,47.95,-94.65,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail was mostly pea to marble size." +116898,702889,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 15:06:00,CST-6,2017-07-21 15:06:00,0,0,0,0,,NaN,,NaN,47.87,-94.44,47.87,-94.44,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The wind gust was measured by a RWIS station." +116898,703573,MINNESOTA,2017,July,Hail,"WILKIN",2017-07-22 03:00:00,CST-6,2017-07-22 03:00:00,0,0,0,0,,NaN,,NaN,46.6,-96.36,46.6,-96.36,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Some large hail fell along with strong winds and heavy rain." +116898,703574,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-22 03:26:00,CST-6,2017-07-22 03:26:00,0,0,0,0,,NaN,,NaN,46.53,-95.95,46.53,-95.95,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Ping pong ball sized hail or larger fell across northern Maplewood Township. A few large trees were also blown down at Maplewood State Park." +119800,718356,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-09-02 02:02:00,EST-5,2017-09-02 02:10:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site located on the south end of Tybee Island measured a 36 knot wind gust." +118630,712689,TENNESSEE,2017,July,Heat,"LAKE",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712690,TENNESSEE,2017,July,Heat,"OBION",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712691,TENNESSEE,2017,July,Heat,"FAYETTE",2017-07-20 12:00:00,CST-6,2017-07-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712692,TENNESSEE,2017,July,Excessive Heat,"SHELBY",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712693,TENNESSEE,2017,July,Excessive Heat,"TIPTON",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712694,TENNESSEE,2017,July,Excessive Heat,"LAUDERDALE",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712695,TENNESSEE,2017,July,Excessive Heat,"DYER",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712696,TENNESSEE,2017,July,Excessive Heat,"LAKE",2017-07-21 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712697,TENNESSEE,2017,July,Excessive Heat,"OBION",2017-07-21 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118630,712698,TENNESSEE,2017,July,Heat,"LAKE",2017-07-22 17:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118451,711833,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-01 15:16:00,EST-5,2017-07-01 15:16:00,0,0,0,0,,NaN,,NaN,39.0819,-76.5725,39.0819,-76.5725,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","Several trees were down in the Severna Park Area." +118451,711834,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-01 15:19:00,EST-5,2017-07-01 15:19:00,0,0,0,0,,NaN,,NaN,39.5798,-76.5011,39.5798,-76.5011,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down in the 3600 block of Fallston Road." +118451,711835,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-01 15:20:00,EST-5,2017-07-01 15:20:00,0,0,0,0,,NaN,,NaN,39.7049,-76.4819,39.7049,-76.4819,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down in the 5100 Block of West Heaps Road." +118451,711836,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-01 15:22:00,EST-5,2017-07-01 15:22:00,0,0,0,0,,NaN,,NaN,39.5267,-76.4329,39.5267,-76.4329,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was blocking MD152 Fallston Road at Oakmont Road." +118451,711837,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-01 15:50:00,EST-5,2017-07-01 15:50:00,0,0,0,0,,NaN,,NaN,38.6695,-76.7164,38.6695,-76.7164,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree was down blocking Croom Road near Whites Landing Road." +118451,711838,MARYLAND,2017,July,Thunderstorm Wind,"CALVERT",2017-07-01 17:21:00,EST-5,2017-07-01 17:21:00,0,0,0,0,,NaN,,NaN,38.4064,-76.4548,38.4064,-76.4548,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree fell on a house in the 500 Block of Sollars Wharf Road." +118451,711839,MARYLAND,2017,July,Thunderstorm Wind,"CALVERT",2017-07-01 17:23:00,EST-5,2017-07-01 17:23:00,0,0,0,0,,NaN,,NaN,38.4033,-76.4409,38.4033,-76.4409,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A tree fell onto wires in the 9800 Block of H G Trueman Road." +118451,711840,MARYLAND,2017,July,Thunderstorm Wind,"ST. MARY'S",2017-07-01 18:26:00,EST-5,2017-07-01 18:26:00,0,0,0,0,,NaN,,NaN,38.2768,-76.5884,38.2768,-76.5884,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to some thunderstorms becoming severe.","A Tree was down on Fairgrounds Road near Cartwright Road." +118453,712228,MARYLAND,2017,July,Thunderstorm Wind,"ALLEGANY",2017-07-04 14:01:00,EST-5,2017-07-04 14:01:00,0,0,0,0,,NaN,,NaN,39.6537,-78.7813,39.6537,-78.7813,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree was down on a house along Wilmont Avenue near Fayette Street." +118465,713437,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-22 12:33:00,EST-5,2017-07-22 12:33:00,0,0,0,0,,NaN,,NaN,39.1904,-77.5893,39.1904,-77.5893,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree six inches in diameter was down near the intersection of Browns Lane And Sunset Hill Lane." +118465,713438,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-22 12:34:00,EST-5,2017-07-22 12:34:00,0,0,0,0,,NaN,,NaN,39.2676,-77.5855,39.2676,-77.5855,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree six inches in diameter was down blocking part of Taylorstown Road near Hickory Shade Lane." +118465,713439,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-22 12:41:00,EST-5,2017-07-22 12:41:00,0,0,0,0,,NaN,,NaN,39.1729,-77.5327,39.1729,-77.5327,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on power lines in the 15900 Block of Limestone School Road." +118465,713440,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-22 12:42:00,EST-5,2017-07-22 12:42:00,0,0,0,0,,NaN,,NaN,38.988,-77.8497,38.988,-77.8497,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on Willisville Road near John Mosby Highway." +118465,713441,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-22 13:12:00,EST-5,2017-07-22 13:12:00,0,0,0,0,,NaN,,NaN,38.9699,-77.2495,38.9699,-77.2495,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A large tree was down blocking Old Dominion Drive east of Towlston Road near Rocky Run." +118465,713443,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-22 16:50:00,EST-5,2017-07-22 16:50:00,0,0,0,0,,NaN,,NaN,38.2598,-77.8661,38.2598,-77.8661,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Several trees were down on power lines and one was down on a car along Saint Just Road between Catharpin Road and Mine Run Road." +118465,713444,VIRGINIA,2017,July,Thunderstorm Wind,"SPOTSYLVANIA",2017-07-22 17:18:00,EST-5,2017-07-22 17:18:00,0,0,0,0,,NaN,,NaN,38.2033,-77.5934,38.2033,-77.5934,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Numerous trees were down along Brock Road between Old Battlefield Road and Courthouse Road." +119530,717294,VIRGINIA,2017,July,Heat,"KING GEORGE",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported nearby." +119529,717295,MARYLAND,2017,July,Heat,"PRINCE GEORGES",2017-07-13 12:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119529,717296,MARYLAND,2017,July,Heat,"ST. MARY'S",2017-07-13 12:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119529,717297,MARYLAND,2017,July,Heat,"CALVERT",2017-07-13 12:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119529,717298,MARYLAND,2017,July,Heat,"CHARLES",2017-07-13 12:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119529,717299,MARYLAND,2017,July,Heat,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-07-13 12:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119533,717300,VIRGINIA,2017,July,Heat,"SPOTSYLVANIA",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119533,717301,VIRGINIA,2017,July,Heat,"STAFFORD",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119533,717302,VIRGINIA,2017,July,Heat,"FAIRFAX",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119533,717303,VIRGINIA,2017,July,Heat,"PRINCE WILLIAM",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119533,717304,VIRGINIA,2017,July,Heat,"ARLINGTON",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +116282,699189,NORTH DAKOTA,2017,July,Hail,"BARNES",2017-07-05 23:15:00,CST-6,2017-07-05 23:15:00,0,0,0,0,,NaN,,NaN,47.07,-98.22,47.07,-98.22,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116282,699190,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CAVALIER",2017-07-05 23:25:00,CST-6,2017-07-05 23:25:00,0,0,0,0,,NaN,,NaN,48.76,-98.37,48.76,-98.37,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116282,699191,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-05 23:30:00,CST-6,2017-07-05 23:30:00,0,0,0,0,,NaN,,NaN,47.64,-98.05,47.64,-98.05,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116282,699192,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-05 23:35:00,CST-6,2017-07-05 23:35:00,0,0,0,0,,NaN,,NaN,47.5,-97.84,47.5,-97.84,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","" +116282,699193,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CAVALIER",2017-07-05 23:47:00,CST-6,2017-07-05 23:47:00,0,0,0,0,,NaN,,NaN,48.65,-98.03,48.65,-98.03,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","Large branches were blown down at a farmstead." +116282,699194,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-05 23:55:00,CST-6,2017-07-05 23:55:00,0,0,0,0,,NaN,,NaN,47.5,-97.84,47.5,-97.84,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","A second round of large hail fell. This time the hail ranged from dime to quarter size." +116282,699195,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-06 00:17:00,CST-6,2017-07-06 00:17:00,0,0,0,0,,NaN,,NaN,47.17,-97.2,47.17,-97.2,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","The wind gust was measured by a personal weather station." +116366,699718,TEXAS,2017,July,Thunderstorm Wind,"CASTRO",2017-07-03 17:10:00,CST-6,2017-07-03 17:10:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-102.29,34.57,-102.29,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Measured by a Texas Tech University West Texas mesonet near Dimmitt." +116366,699719,TEXAS,2017,July,Thunderstorm Wind,"LUBBOCK",2017-07-03 18:46:00,CST-6,2017-07-03 18:46:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-101.82,33.67,-101.82,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Measured by the ASOS at Lubbock International Airport." +116850,703040,WEST VIRGINIA,2017,July,Flash Flood,"TAYLOR",2017-07-22 14:46:00,EST-5,2017-07-22 17:30:00,0,0,0,0,0.50K,500,0.00K,0,39.3471,-80.034,39.3593,-79.9908,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Kennedy Street was closed due to high water." +116850,703043,WEST VIRGINIA,2017,July,Flash Flood,"DODDRIDGE",2017-07-22 17:22:00,EST-5,2017-07-22 19:00:00,0,0,0,0,0.50K,500,0.00K,0,39.1143,-80.7494,39.1081,-80.7397,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Cove Creek flowed out of its banks near Auburn." +116850,703048,WEST VIRGINIA,2017,July,Flash Flood,"WOOD",2017-07-22 17:45:00,EST-5,2017-07-22 19:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.2477,-81.5714,39.2206,-81.5035,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Many roads were flooded in the City of Parkersburg. This include the intersections of 8th and Murdock, 20th and Dudley, 23rd and Dudley, and 19th and Lynn. Sections of Broad Street, College Parkway and East Street were also flooded." +116850,703066,WEST VIRGINIA,2017,July,Hail,"WOOD",2017-07-22 15:35:00,EST-5,2017-07-22 15:35:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-81.54,39.28,-81.54,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","" +116850,703068,WEST VIRGINIA,2017,July,Hail,"WOOD",2017-07-22 15:36:00,EST-5,2017-07-22 15:36:00,0,0,0,0,0.00K,0,0.00K,0,39.29,-81.54,39.29,-81.54,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","" +116850,703109,WEST VIRGINIA,2017,July,Thunderstorm Wind,"BARBOUR",2017-07-22 14:30:00,EST-5,2017-07-22 14:30:00,0,0,0,0,1.00K,1000,0.00K,0,39.08,-80.13,39.08,-80.13,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","A tree was blown down across US 119 near Volga." +116689,701707,NEW JERSEY,2017,July,Thunderstorm Wind,"MIDDLESEX",2017-07-20 19:37:00,EST-5,2017-07-20 19:37:00,2,0,0,0,,NaN,,NaN,40.46,-74.25,40.46,-74.25,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","A tree was downed on US 35 near Lawrence parkway from thunderstorm winds. Nearby, a tent was blown over in New Brunswick which injured two people." +116689,701709,NEW JERSEY,2017,July,Thunderstorm Wind,"MERCER",2017-07-20 19:17:00,EST-5,2017-07-20 19:17:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-74.78,40.25,-74.78,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","A tree was downed from thunderstorm winds along route 31 near Olden avenue." +116689,701711,NEW JERSEY,2017,July,Thunderstorm Wind,"WARREN",2017-07-20 17:53:00,EST-5,2017-07-20 17:53:00,0,0,0,0,,NaN,,NaN,40.91,-75.08,40.91,-75.08,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","A tree was downed on US 46 from thunderstorm winds just south of Columbia." +116689,701712,NEW JERSEY,2017,July,Thunderstorm Wind,"HUNTERDON",2017-07-20 18:40:00,EST-5,2017-07-20 18:40:00,0,0,0,0,,NaN,,NaN,40.39,-74.87,40.39,-74.87,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","Thunderstorm winds took down trees and powerlines in several spots." +116689,703989,NEW JERSEY,2017,July,Lightning,"BURLINGTON",2017-07-20 21:00:00,EST-5,2017-07-20 21:00:00,0,0,0,0,0.01K,10,0.00K,0,39.65,-74.67,39.65,-74.67,"A complex of severe thunderstorms moved southeast across northern portions of state producing wind damage before weakening as it reached central portions of the state. Lightning struck several trees on the night of the 20th which created a 3,500 acre fire that burned for a few days.","Lightning struck several trees in the Wharton state forest. This led to fire of around 3,500 acres which burned for a few days." +116649,703995,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-13 15:50:00,EST-5,2017-07-13 15:50:00,0,0,0,0,,NaN,,NaN,40.4857,-76.0041,40.4857,-76.0041,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Wires knocked down onto a house." +116649,703991,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-13 16:25:00,EST-5,2017-07-13 16:25:00,0,0,0,0,,NaN,,NaN,40.4,-75.93,40.4,-75.93,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Several trees downed due to thunderstorm winds. With scattered power outages throughout the county." +117047,704255,PENNSYLVANIA,2017,July,Flood,"MONTGOMERY",2017-07-22 17:10:00,EST-5,2017-07-22 18:10:00,0,0,0,0,0.00K,0,0.00K,0,40.1823,-75.4476,40.1889,-75.4393,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Poor drainage flooding on Cross-Keys road." +117047,704256,PENNSYLVANIA,2017,July,Flood,"LEHIGH",2017-07-24 17:45:00,EST-5,2017-07-24 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.47,-75.47,40.4914,-75.4308,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several roads flooded." +117047,704257,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-24 18:00:00,EST-5,2017-07-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5473,-76.2863,40.5515,-76.16,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several roads were closed due to flooding." +117047,704258,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-24 18:00:00,EST-5,2017-07-24 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-76.33,40.5191,-76.2341,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Basement flooding was reported." +117047,704259,PENNSYLVANIA,2017,July,Flood,"BUCKS",2017-07-24 19:00:00,EST-5,2017-07-24 20:00:00,0,0,0,0,0.00K,0,0.00K,0,40.4804,-75.3902,40.493,-75.3339,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A foot of water on the road." +117047,704260,PENNSYLVANIA,2017,July,Flood,"DELAWARE",2017-07-24 20:26:00,EST-5,2017-07-24 21:26:00,0,0,0,0,0.00K,0,0.00K,0,39.8522,-75.3448,39.8559,-75.3516,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several flooded roads." +117047,704261,PENNSYLVANIA,2017,July,Flood,"DELAWARE",2017-07-24 20:26:00,EST-5,2017-07-24 21:26:00,0,0,0,0,0.00K,0,0.00K,0,39.89,-75.33,39.8958,-75.2831,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several flooded roads." +117047,704263,PENNSYLVANIA,2017,July,Funnel Cloud,"LEHIGH",2017-07-24 17:40:00,EST-5,2017-07-24 17:40:00,0,0,0,0,,NaN,,NaN,40.6,-75.4,40.6,-75.4,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A spotter reported a funnel cloud near Lehigh University and route 78." +117047,704264,PENNSYLVANIA,2017,July,Heavy Rain,"BERKS",2017-07-22 18:00:00,EST-5,2017-07-22 18:00:00,0,0,0,0,,NaN,,NaN,40.33,-75.93,40.33,-75.93,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","One and a half inches of rain fell." +117047,704265,PENNSYLVANIA,2017,July,Heavy Rain,"DELAWARE",2017-07-23 19:30:00,EST-5,2017-07-23 19:30:00,0,0,0,0,,NaN,,NaN,39.87,-75.59,39.87,-75.59,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Just under four inches fell, with two inches in an hour." +116218,698732,OHIO,2017,July,Thunderstorm Wind,"JACKSON",2017-07-07 18:50:00,EST-5,2017-07-07 18:50:00,0,0,0,0,2.00K,2000,0.00K,0,39.08,-82.63,39.08,-82.63,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Thunderstorm winds brought down multiple trees along Route 93 northeast of Jackson." +116218,698733,OHIO,2017,July,Thunderstorm Wind,"MEIGS",2017-07-07 14:46:00,EST-5,2017-07-07 14:46:00,0,0,0,0,2.00K,2000,0.00K,0,39.1341,-81.7723,39.1341,-81.7723,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees fell down near Reedsville." +116218,698734,OHIO,2017,July,Thunderstorm Wind,"MEIGS",2017-07-07 14:55:00,EST-5,2017-07-07 15:20:00,0,0,0,0,2.00K,2000,0.00K,0,39.0742,-82.0809,38.9862,-81.9058,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Several trees were blown down in southern Meigs County along a line from Scipio Township to Racine." +116218,698810,OHIO,2017,July,Lightning,"WASHINGTON",2017-07-07 14:45:00,EST-5,2017-07-07 14:45:00,0,0,0,0,4.00K,4000,0.00K,0,39.261,-81.7016,39.261,-81.7016,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Lightning struck a house in Little Hocking, blowing out the electric box." +116218,698994,OHIO,2017,July,Thunderstorm Wind,"GALLIA",2017-07-07 19:19:00,EST-5,2017-07-07 19:19:00,0,0,0,0,0.50K,500,0.00K,0,38.92,-82.3,38.92,-82.3,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Thunderstorm winds blew a tree down along State Route 554 near Bidwell." +116218,698995,OHIO,2017,July,Thunderstorm Wind,"MORGAN",2017-07-07 14:10:00,EST-5,2017-07-07 14:10:00,0,0,0,0,2.00K,2000,0.00K,0,39.55,-81.79,39.55,-81.79,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley during the late afternoon and evening, producing damaging winds gusts and heavy rainfall.","Multiple trees were blown down in Stockport." +116345,699586,OHIO,2017,July,Hail,"PERRY",2017-07-10 16:15:00,EST-5,2017-07-10 16:15:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-82.24,39.58,-82.24,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Enough hail fell to be able to shovel it. Most of it was ping pong size, with some up to the size of golf balls." +117309,705512,NEW MEXICO,2017,July,Flash Flood,"CATRON",2017-07-29 16:45:00,MST-7,2017-07-29 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3259,-108.8686,33.3269,-108.8713,"A widespread surge of deep monsoon moisture continued to shift northward over New Mexico toward the end of July. Slow-moving showers and thunderstorms developed over the high terrain during the late morning hours then pushed into nearby highlands and valleys through the afternoon. Several of these storms produced torrential rainfall rates over two inches per hour. Numerous reports of minor flooding were received over central and western New Mexico. The most significant flooding occurred around Gallup as runoff from heavy rainfall flooded state road 118 between Church Rock and Wingate. The road was closed for more than a day. Another storm developed over Glenwood and produced nearly two inches of rainfall in around one hour. This rain fell on already saturated grounds from recent heavy rains. Whitewater Creek overflowed its banks along the road to the Catwalk. The rush of water produced a flash flood in Glenwood over U.S. Highway 180. The heaviest rainfall occurred along the Dry Cimarron in northern Union County as a back door cold front approached from Colorado. Radar derived rainfall amounts indicated between three and five inches of rain fell in this area, producing a 17 feet rise on the river in just four hours at the Kenton, Oklahoma gauge. Ranchers across northern Union County were not able to get home due to flooded roads along the river. The peak water level of 22.31 feet was just 0.01 feet from the all-time record of 22.32 feet set in 1965. Torrential rainfall also occurred later in the night around Curry and Roosevelt counties. Portales reported between three and four inches of rainfall. No major flooding occurred, however this rainfall led to saturated grounds and set the stage for serious flooding over the coming days.","Whitewater Creek flooded Catwalk Road and U.S. Highway 180 at Glenwood. Road closed." +117323,705629,MINNESOTA,2017,July,Hail,"POLK",2017-07-31 19:17:00,CST-6,2017-07-31 19:17:00,0,0,0,0,,NaN,,NaN,47.9,-96.68,47.9,-96.68,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117323,705628,MINNESOTA,2017,July,Funnel Cloud,"POLK",2017-07-31 18:46:00,CST-6,2017-07-31 18:46:00,0,0,0,0,0.00K,0,0.00K,0,48.04,-96.81,48.04,-96.81,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","A persistent wall cloud with a brief funnel was reported by multiple observers as it passed from southeast Tabor Township into northwest Keystone Township." +117426,706143,OHIO,2017,July,Thunderstorm Wind,"HARDIN",2017-07-11 00:30:00,EST-5,2017-07-11 00:34:00,0,0,0,0,4.00K,4000,0.00K,0,40.6506,-83.5982,40.6506,-83.5982,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Several large branches and power lines were downed throughout the city of Kenton." +117427,706164,INDIANA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-11 13:25:00,EST-5,2017-07-11 13:26:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-84.84,39.76,-84.84,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms.","" +117245,705107,KENTUCKY,2017,July,Thunderstorm Wind,"TODD",2017-07-01 13:30:00,CST-6,2017-07-01 13:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7688,-87.2139,36.7688,-87.2139,"Isolated thunderstorms developed during the heat of the day along a weak surface trough that extended from Ohio southwest across western Kentucky. The storms were aided by a weak 500 mb shortwave trough over Missouri. A few of the storms produced damaging microbursts and large hail.","Winds gusted to 62 mph at a Kentucky mesonet site." +117430,706192,OHIO,2017,July,Flood,"WARREN",2017-07-14 00:15:00,EST-5,2017-07-14 00:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4939,-84.1604,39.4937,-84.1618,"Scattered thunderstorms produced locally heavy rainfall across the region.","Utica Road at Old 122 was closed due to high water." +117469,706479,INDIANA,2017,July,Flash Flood,"WAYNE",2017-07-16 23:30:00,EST-5,2017-07-17 00:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9809,-85.052,39.9574,-85.0829,"Scattered thunderstorms produced localized flooding and isolated large hail during the late evening hours of July 16th and the early morning hours of July 17th.","High water was reported across several roads across the northern part of the county between Economy and Fountain City." +117512,706803,ILLINOIS,2017,July,Heat,"PERRY",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706804,ILLINOIS,2017,July,Heat,"POPE",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706805,ILLINOIS,2017,July,Heat,"PULASKI",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706806,ILLINOIS,2017,July,Heat,"SALINE",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706807,ILLINOIS,2017,July,Heat,"UNION",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706808,ILLINOIS,2017,July,Heat,"WABASH",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117463,706466,ILLINOIS,2017,July,Thunderstorm Wind,"WABASH",2017-07-23 04:30:00,CST-6,2017-07-23 04:45:00,0,0,0,0,80.00K,80000,0.00K,0,38.381,-87.9668,38.42,-87.7885,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","This damaging wind event continued east from Edwards County into Wabash County. Scattered straight-line wind damage was observed across much of central Wabash County from Mount Carmel west. Within the overall area of scattered damage, more concentrated damage was located in Bellmont. Hundreds of tree limbs and about a half-dozen trees were blown down. Downed trees and limbs damaged a couple of homes, barns, and garages. Several power poles were blown over. The only damage in Mt. Carmel itself consisted of a few large limbs down on the western edge of the city. Peak winds were estimated near 80 mph." +117464,706461,INDIANA,2017,July,Thunderstorm Wind,"GIBSON",2017-07-23 04:47:00,CST-6,2017-07-23 04:47:00,0,0,0,0,15.00K,15000,0.00K,0,38.299,-87.68,38.299,-87.68,"A squall line of thunderstorms moved quickly east-southeast across southwest Indiana, producing pockets of wind damage along and north of Interstate 64. The environment over southwest Indiana was characterized by moderately strong instability, with most-unstable layer cape values around 2000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied a cold front aloft at 850 mb. This elevated cold front was preceded by a southwest wind flow near 30 knots. Locally heavy rain occurred, causing minor flooding of some roads.","Multiple trees and limbs were down. This damage was caused by the same storm that was associated with damaging winds in parts of the Wabash Valley in southern Illinois." +117464,706460,INDIANA,2017,July,Thunderstorm Wind,"WARRICK",2017-07-23 05:15:00,CST-6,2017-07-23 05:15:00,0,0,0,0,8.00K,8000,0.00K,0,38.2,-87.3,38.2,-87.3,"A squall line of thunderstorms moved quickly east-southeast across southwest Indiana, producing pockets of wind damage along and north of Interstate 64. The environment over southwest Indiana was characterized by moderately strong instability, with most-unstable layer cape values around 2000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied a cold front aloft at 850 mb. This elevated cold front was preceded by a southwest wind flow near 30 knots. Locally heavy rain occurred, causing minor flooding of some roads.","Trees were blown down, and road signs were blown off the road." +117215,704957,SOUTH DAKOTA,2017,July,Hail,"PERKINS",2017-07-31 14:40:00,MST-7,2017-07-31 14:40:00,0,0,0,0,,NaN,0.00K,0,45.74,-102.48,45.74,-102.48,"A thunderstorm briefly became severe over northern Perkins County, producing large hail east of Lodgepole.","" +117217,704958,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-31 16:38:00,MST-7,2017-07-31 16:38:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-102.6,45.02,-102.6,"Small hail and strong wind gusts accompanied a severe thunderstorm moving across parts of southern Perkins and northeastern Meade Counties.","Wind gusts were estimated at 60 mph." +117217,704959,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PERKINS",2017-07-31 16:20:00,MST-7,2017-07-31 16:20:00,0,0,0,0,,NaN,0.00K,0,45.09,-102.58,45.09,-102.58,"Small hail and strong wind gusts accompanied a severe thunderstorm moving across parts of southern Perkins and northeastern Meade Counties.","The storm also produced a lot of pea sized hail." +117221,704969,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-31 18:50:00,MST-7,2017-07-31 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.23,-103.04,44.23,-103.04,"Wind gusts to 60 mph accompanied a thunderstorm as it tracked south across southern Meade County.","" +117221,707967,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-31 19:07:00,MST-7,2017-07-31 19:12:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-103.12,44.15,-103.12,"Wind gusts to 60 mph accompanied a thunderstorm as it tracked south across southern Meade County.","" +117308,705510,NEW MEXICO,2017,July,Flash Flood,"SAN MIGUEL",2017-07-27 17:00:00,MST-7,2017-07-27 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.588,-105.2177,35.6047,-105.2274,"Upper level high pressure centered over southeastern New Mexico and the Permian Basin allowed for the first widespread surge of monsoon moisture to shift north into central and western New Mexico. Slow-moving thunderstorms developed over the central mountain chain and drifted eastward onto nearby highlands and plains. Several storms across the state produced torrential rainfall with rates over two inches per hour. Heavy rainfall around Las Vegas resulted in flash flooding along Gallinas Creek. Low water crossings and intersections became impassable across parts of Las Vegas. Several observers along the east slopes of the Sangre de Cristo Mountains reported over two inches of rainfall. Clayton set a new daily record rainfall of 1.58 inches, breaking the previous record of 0.68 inches from 1982.","Flash flooding along Gallinas Creek. Low water crossings and intersections flooded. Roads impassable." +117824,708255,CALIFORNIA,2017,July,Heat,"W CENTRAL S.J. VALLEY",2017-07-08 10:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 105 and 110 degrees at several locations on July 8 and and July 9." +112308,722834,NEW JERSEY,2017,February,Winter Storm,"WARREN",2017-02-09 02:00:00,EST-5,2017-02-09 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 8.8 inches in Blairstown, 8.0 inches in Johnsonburg, and 7.0 inches in Broadway." +116485,700539,MONTANA,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-15 20:32:00,MST-7,2017-07-15 20:32:00,0,0,0,0,0.00K,0,0.00K,0,47.92,-108.53,47.92,-108.53,"Very hot temperatures associated with a strong upper level ridge of high pressure combined with a shortwave disturbance moving across the area, which produced enough instability to develop a few thunderstorms. Due to the dry surface conditions, a few of these thunderstorms produced strong gusty winds, and one produced a severe wind gust.","A 65 mph wind gust was recorded at the Zortman RAWS site." +116486,700544,MONTANA,2017,July,Hail,"PHILLIPS",2017-07-16 16:23:00,MST-7,2017-07-16 16:32:00,0,0,0,0,0.00K,0,0.00K,0,47.85,-107.75,47.85,-107.75,"Upper level west to southwest flow combined with the elevated heat sources over central Montana, igniting a few thunderstorms that moved into the area. With dry surface conditions, outflow boundaries spread out from these storms with thunderstorms forming along some of those. Some of the storms produced gusty winds and hail.","A member of the public just west of the town of Sun Prairie, reported hail up to the size of golf balls, along with 50 mph wind gusts and heavy rainfall. Time estimated from radar." +116486,700545,MONTANA,2017,July,Hail,"VALLEY",2017-07-16 17:15:00,MST-7,2017-07-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,48.01,-106.45,48.01,-106.45,"Upper level west to southwest flow combined with the elevated heat sources over central Montana, igniting a few thunderstorms that moved into the area. With dry surface conditions, outflow boundaries spread out from these storms with thunderstorms forming along some of those. Some of the storms produced gusty winds and hail.","Public reported nickel size hail in the town of Fort Peck." +117504,706683,OHIO,2017,July,Lightning,"FAIRFIELD",2017-07-22 14:48:00,EST-5,2017-07-22 14:49:00,1,0,0,0,0.00K,0,0.00K,0,39.72,-82.6,39.72,-82.6,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","A person in a small metal shed was struck by lightning." +117504,706936,OHIO,2017,July,Flood,"FAIRFIELD",2017-07-22 14:30:00,EST-5,2017-07-22 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7254,-82.6223,39.7225,-82.5719,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","Several roads were closed in and around Lancaster due to high water." +117504,706937,OHIO,2017,July,Thunderstorm Wind,"PICKAWAY",2017-07-22 15:08:00,EST-5,2017-07-22 15:10:00,0,0,0,0,0.50K,500,0.00K,0,39.7504,-83.0798,39.7504,-83.0798,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","A tree was downed on Graham Road north of Hudson Road." +117504,706938,OHIO,2017,July,Thunderstorm Wind,"PICKAWAY",2017-07-22 15:21:00,EST-5,2017-07-22 15:23:00,0,0,0,0,1.00K,1000,0.00K,0,39.77,-82.92,39.77,-82.92,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","A tree was downed onto a power pole." +117504,706940,OHIO,2017,July,Flash Flood,"BROWN",2017-07-22 23:00:00,EST-5,2017-07-23 02:00:00,0,0,0,0,250.00K,250000,0.00K,0,38.74,-83.84,38.7648,-83.7948,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","Four to five inches of rain produced widespread flash flooding across southeastern Brown County. Damage to several roads was reported throughout Huntington Township and a bridge at Stringtown and Flaugher Hill Roads sustained damage. One vehicle was washed down a creek and numerous vehicles were stranded in high water." +117504,706941,OHIO,2017,July,Flash Flood,"CLERMONT",2017-07-23 00:00:00,EST-5,2017-07-23 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7961,-84.1302,38.7896,-84.0991,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","High water was reported along US Route 52 between State Route 222 and State Route 133." +116976,704987,WEST VIRGINIA,2017,July,Flash Flood,"HARRISON",2017-07-29 00:50:00,EST-5,2017-07-29 05:15:00,0,0,0,0,1.30M,1300000,0.00K,0,39.4586,-80.4815,39.3973,-80.2126,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Widespread flash flooding occured across Harrison County. Areas in and around Bridgeport and Shinnston were especially hard hit. Around Bridgeport multiple roads were closed, and several houses had water into the first floors. Also, many homes had water seepage into their basements. A total of 44 homes were damaged in Harrison County by the flooding, 14 of which sustained substantial damage. There was also flash flooding in Wallace, where Long Fork Creek and Little Tenmile Creek both came out of their banks, closing portions of Barnes Street. The WV Department of Highways reported 28 state and county routes were flooded in Harrison County." +116976,704995,WEST VIRGINIA,2017,July,Flash Flood,"HARRISON",2017-07-29 03:00:00,EST-5,2017-07-29 04:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.3305,-80.5085,39.258,-80.5188,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Limestone Run came out of its banks, closing Limestone Run and Wilsonburg Roads." +112308,722835,NEW JERSEY,2017,February,Winter Storm,"MORRIS",2017-02-09 03:00:00,EST-5,2017-02-09 15:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 9.0 inches in Green Pond, 8.0 inches in Marcella, and 6.0 inches in Chatham Borough." +112308,722836,NEW JERSEY,2017,February,Winter Storm,"HUNTERDON",2017-02-09 03:00:00,EST-5,2017-02-09 11:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 7.0 inches in Ringoes, and 6.0 inches in Whitehouse Station." +117671,707601,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.3898,-73.4951,43.3892,-73.4907,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Route 149 was closed near Route 4 intersection due to flooding. Water was also over the road on Route 4." +117671,707600,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.2993,-73.5868,43.3208,-73.5918,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Multiple roads were closed due to flooding in Fort Edward and Hudson Falls." +117301,713029,PENNSYLVANIA,2017,July,Flash Flood,"MONTOUR",2017-07-24 16:15:00,EST-5,2017-07-24 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.9882,-76.6104,41.024,-76.6296,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","Roads were reported flooded in Mooresburg and elsewhere across Montour County. Mudslides were also reported. US 11 and SR 54 was reported closed due to flash flooding. Railroads were also reported closed due to flooded railroad crossings. A section of the railroad bed was washed out on River Road." +117301,713031,PENNSYLVANIA,2017,July,Flash Flood,"COLUMBIA",2017-07-24 17:00:00,EST-5,2017-07-24 18:45:00,0,0,0,0,0.00K,0,0.00K,0,40.94,-76.49,40.9758,-76.4333,"Scattered showers and storms developed in a moderate CAPE / moderate shear environment across the middle Susquehanna Valley, and a handful of wind damage reports were received from this area. Additionally, an isolated supercell produced a brief EF0 tornado formed near Klines Grove in Northumberland County. Flash Flooding occurred in Montour, Columbia and Northumberland Counties.","Flash flooding on Mt. Zion Road lead to a car being submerged and a resulting water rescue. Knoebels Amusement Park closed at 7pm due to flooding in the park." +120539,722108,KANSAS,2017,January,Ice Storm,"CHAUTAUQUA",2017-01-13 08:03:00,CST-6,2017-01-15 09:40:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","The event began as a light drizzle and varied between liquid and freezing for a day before finally changing over to all freezing rain during the overnight hours of the 15th. A significant batch of rain moved across the county during the 2 am to 5 am time frame in which significant amounts of ice accumulated across the county. By 842 am, 0.40 inches of ice was noted at Chautauqua as well as many other locations across the county." +120539,722121,KANSAS,2017,January,Ice Storm,"RICE",2017-01-14 14:50:00,CST-6,2017-01-15 23:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across the county varied from 0.25 inches in the east to near 0.5 inches in the western sections." +116400,700140,NEBRASKA,2017,July,Hail,"DAWSON",2017-07-02 19:46:00,CST-6,2017-07-02 20:04:00,0,0,0,0,0.00K,0,0.00K,0,40.7335,-100.2008,40.7054,-100.2157,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118818,713821,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HUGHES",2017-07-05 20:00:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.52,-100.07,44.52,-100.07,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713822,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HUGHES",2017-07-05 20:00:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-99.74,44.53,-99.74,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713823,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-05 20:07:00,CST-6,2017-07-05 20:07:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-99.44,44.53,-99.44,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713824,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HUGHES",2017-07-05 20:10:00,CST-6,2017-07-05 20:10:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-100,44.28,-100,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713826,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-05 20:20:00,CST-6,2017-07-05 20:20:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-100.3,44.12,-100.3,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713827,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-05 20:28:00,CST-6,2017-07-05 20:28:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-100.06,43.91,-100.06,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713829,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-05 20:35:00,CST-6,2017-07-05 20:35:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-100.06,43.91,-100.06,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713830,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-05 20:36:00,CST-6,2017-07-05 20:36:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-100.04,43.91,-100.04,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +119895,718695,COLORADO,2017,August,Thunderstorm Wind,"KIT CARSON",2017-08-13 18:41:00,MST-7,2017-08-13 18:41:00,0,0,0,0,0.00K,0,0.00K,0,39.3045,-102.2574,39.3045,-102.2574,"During the early evening a southeast moving thunderstorm produced measured wind gusts of 66 MPH in Burlington.","" +120100,719587,KANSAS,2017,August,Hail,"SHERMAN",2017-08-14 16:36:00,MST-7,2017-08-14 16:56:00,0,0,0,0,0.00K,0,0.00K,0,39.5187,-101.572,39.5187,-101.572,"During the latter part of the afternoon a cluster of thunderstorms moved southwest producing hail up to half dollar size and heavy rainfall. Before the thunderstorms began moving southwest, they left hail up to three inches deep in Bird City. The largest hail was reported at Bird City.","The hail ranged from pea to quarter size, but was mostly pea size. The ground is white with hail." +120148,719855,KANSAS,2017,August,Hail,"WALLACE",2017-08-17 18:15:00,MST-7,2017-08-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,38.7485,-101.7415,38.7485,-101.7415,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","The hail ranged from dime to quarter in size and occurred with estimated wind speeds of 30-40 MPH winds." +120148,719857,KANSAS,2017,August,Hail,"GREELEY",2017-08-17 18:34:00,MST-7,2017-08-17 18:34:00,0,0,0,0,0.00K,0,0.00K,0,38.5387,-101.7159,38.5387,-101.7159,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","" +120148,719863,KANSAS,2017,August,Hail,"WICHITA",2017-08-17 20:28:00,CST-6,2017-08-17 20:28:00,0,0,0,0,0.00K,0,0.00K,0,38.4036,-101.4398,38.4036,-101.4398,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","" +120148,719864,KANSAS,2017,August,Thunderstorm Wind,"GREELEY",2017-08-17 18:40:00,MST-7,2017-08-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38.5329,-101.7522,38.5329,-101.7522,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","Dime size hail also occurred with the wind gusts." +112859,713842,NEW JERSEY,2017,March,Coastal Flood,"EASTERN OCEAN",2017-03-14 07:00:00,EST-5,2017-03-14 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Widespread road flooding accompanied the morning high tide in the coastal communities of Ocean County. This led to numerous road closures. Communities such as Point Pleasant, Seaside heights and Long Beach Island were most affected. ||Tuckerton reached 5.89 ft, moderate begins at 5.6 feet." +112859,713843,NEW JERSEY,2017,March,Coastal Flood,"SOUTHEASTERN BURLINGTON",2017-03-14 07:00:00,EST-5,2017-03-14 10:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Widespread road flooding accompanied the morning high tide in the coastal communities of Ocean County. This led to numerous road closures. Communities such as Point Pleasant, Seaside heights and Long Beach Island were most affected. ||Tuckerton reached 5.89 ft, moderate begins at 5.6 feet." +116820,703911,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,1.00M,1000000,,NaN,31.9022,-102.294,31.9022,-102.294,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced softball sized hail in Odessa. The hail busted windows in cars, homes, and businesses as well as left dents on cars and damaged the siding on homes. The cost of damage is a very rough estimate." +119273,716205,MISSOURI,2017,July,Excessive Heat,"SHELBY",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716206,MISSOURI,2017,July,Excessive Heat,"ST. CHARLES",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716207,MISSOURI,2017,July,Excessive Heat,"ST. LOUIS",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,51,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119019,714829,TEXAS,2017,July,Thunderstorm Wind,"GOLIAD",2017-07-15 17:56:00,CST-6,2017-07-15 17:56:00,0,0,0,0,5.00K,5000,0.00K,0,28.756,-97.2761,28.756,-97.2761,"A severe thunderstorm formed near Victoria in advance of a line of thunderstorms moving southwest along the upper Texas coast. Trees and street signs were blown down in Victoria. Roof damage occurred to a house in eastern Goliad County.","Damage occurred to the roof of a home near the intersection of Leisure Lane and Sunset Road." +119019,714833,TEXAS,2017,July,Thunderstorm Wind,"GOLIAD",2017-07-15 17:49:00,CST-6,2017-07-15 17:49:00,0,0,0,0,5.00K,5000,0.00K,0,28.8697,-97.4323,28.8697,-97.4323,"A severe thunderstorm formed near Victoria in advance of a line of thunderstorms moving southwest along the upper Texas coast. Trees and street signs were blown down in Victoria. Roof damage occurred to a house in eastern Goliad County.","Goliad County Sheriff's Office reported a large tree down on Weise Road." +119025,714838,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"PT O'CONNOR TO ARANSAS PASS",2017-07-15 18:18:00,CST-6,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,28.4458,-96.3955,28.4247,-96.4232,"Scattered thunderstorms moved southwest from the upper Texas coast into the Mid-Coast region during the evening hours. Wind gust to 40 knots occurred with the storms around Port O'Connor.","TCOON site at Port O'Connor measured a gust to 40 knots." +116820,703892,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 17:55:00,0,0,0,0,1.00M,1000000,,NaN,31.8991,-102.3439,31.8991,-102.3439,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced wind damage in Odessa. There were many reports of trees being uprooted and blown over as well as sheds destroyed and damage to roofs. The cost of damage is a very rough estimate." +116938,703294,TEXAS,2017,June,Hail,"BORDEN",2017-06-15 18:11:00,CST-6,2017-06-15 18:16:00,0,0,0,0,0.00K,0,0.00K,0,32.68,-101.62,32.68,-101.62,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +116938,703312,TEXAS,2017,June,Hail,"HOWARD",2017-06-15 18:32:00,CST-6,2017-06-15 18:37:00,0,0,0,0,,NaN,,NaN,32.4398,-101.4821,32.4398,-101.4821,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +117589,707332,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 11:19:00,EST-5,2017-07-01 16:15:00,0,0,0,0,8.00K,8000,0.00K,0,42.9,-76.28,42.97,-76.29,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Onondaga. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707337,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 13:21:00,EST-5,2017-07-01 16:15:00,0,0,0,0,935.00K,935000,0.00K,0,42.98,-76.1,42.85,-76.16,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Lafayette. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707338,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 13:23:00,EST-5,2017-07-01 16:15:00,0,0,0,0,18.00K,18000,0.00K,0,43.06,-76.04,42.99,-76.02,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Manlius. Culverts and roads were washed out in several places. Some residences experienced flooding." +117653,707476,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 14:50:00,EST-5,2017-07-13 14:50:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-82.96,30.27,-82.96,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","Trees were blown down across the county." +116246,698879,PENNSYLVANIA,2017,July,Flood,"NORTHAMPTON",2017-07-01 15:44:00,EST-5,2017-07-01 16:44:00,0,0,0,0,0.00K,0,0.00K,0,40.7319,-75.3477,40.7106,-75.3336,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Flooding reported on roads with 2.16 inches of rain falling." +116246,698877,PENNSYLVANIA,2017,July,Flash Flood,"LEHIGH",2017-07-01 15:46:00,EST-5,2017-07-01 16:46:00,0,0,0,0,0.00K,0,0.00K,0,40.6137,-75.4555,40.6515,-75.4857,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A high water rescue occurred in a hotel parking lot on Bulldog drive in south Whitehall township. Also, A minivan was trapped in high water at the intersection of MacArthur and Mickley roads." +116246,698878,PENNSYLVANIA,2017,July,Flash Flood,"LEHIGH",2017-07-01 16:00:00,EST-5,2017-07-01 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.56,-75.49,40.5595,-75.4821,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A high water rescue occurred near the intersection of Lehigh and 33rd street." +116246,698880,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-01 16:20:00,EST-5,2017-07-01 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.5074,-75.6853,40.5102,-75.677,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A road was flooded near the intersection of Meadow drive and Park avenue." +116246,698881,PENNSYLVANIA,2017,July,Flood,"LEHIGH",2017-07-01 16:30:00,EST-5,2017-07-01 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.5532,-75.6041,40.5746,-75.5434,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Localized flooding near Ancient Oaks and along Hamilton Blvd." +119183,715761,NEVADA,2017,July,Flash Flood,"LYON",2017-07-24 14:00:00,PST-8,2017-07-24 14:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3805,-119.2626,39.3811,-119.2647,"Low pressure near the northern California coast and daytime heating combined to bring strong to severe thunderstorms to the western Nevada Basin and Range on the 24th and 25th.","A mud and debris flow caused the closure of the Ramsey Weeks Cutoff between Highway 50 and Alternate US 50 on the afternoon of the 24th." +119119,715485,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HYDE",2017-07-19 09:24:00,CST-6,2017-07-19 09:24:00,0,0,0,0,,NaN,0.00K,0,44.77,-99.44,44.77,-99.44,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Estimated seventy mph winds downed a tree." +119119,715486,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"EDMUNDS",2017-07-19 09:30:00,CST-6,2017-07-19 09:30:00,0,0,0,0,0.00K,0,0.00K,0,45.25,-99.03,45.25,-99.03,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Sixty mph winds were estimated." +119119,715488,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAND",2017-07-19 09:51:00,CST-6,2017-07-19 09:51:00,0,0,0,0,,NaN,0.00K,0,44.55,-98.94,44.55,-98.94,"An upper level low pressure trough along with a stationary front combined with very unstable air to bring severe thunderstorms to parts of central and north central South Dakota during the morning hours. Winds gusting to one-hundred mph damaged grain bins, several structures, along with downing many trees.","Several tree branches were downed by the severe winds." +119217,715885,INDIANA,2017,July,Tornado,"WHITE",2017-07-23 14:33:00,EST-5,2017-07-23 14:41:00,0,0,0,0,40.00K,40000,0.00K,0,40.8223,-86.655,40.8077,-86.6285,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage, hail and even a brief tornado.","The tornado touched down in a grove of trees northwest of the intersection of CR 1150 E and 475 N. The tornado proceeded rapidly southeast impacting the edge of residence near the same intersection. Shingle damage was noted on all sides of the house with several tree limbs down. A garage suffered damage as the winds moved through a north facing door. The tornado crossed 1150 E and uprooted or snapped several trees with the winds picking up a porch and most of a roof on a 1 story home. The porch was thrown to the other side of the house and the roof lifted roughly 3 feet up and then set back down. Wall and roof damage has made house unsafe to be in. Damage was noted in corn field behind property with some tree and barn roof damage on 1250 E where the tornado appears to have lifted. Maximum winds were estimated at 85 mph." +119217,715888,INDIANA,2017,July,Thunderstorm Wind,"ALLEN",2017-07-23 16:10:00,EST-5,2017-07-23 16:11:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-85.11,41.2,-85.11,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage, hail and even a brief tornado.","A trained spotter reported a pear and maple tree were snapped in half. The trees were up to two feet in diameter." +119217,715889,INDIANA,2017,July,Thunderstorm Wind,"PULASKI",2017-07-23 17:55:00,CST-6,2017-07-23 17:56:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-86.68,41.1,-86.68,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage, hail and even a brief tornado.","A local fire department reported a tree limb was blown down onto a power line, causing it to fall and the power line to smoke." +119219,715898,OHIO,2017,July,Thunderstorm Wind,"HENRY",2017-07-23 16:20:00,EST-5,2017-07-23 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-84.12,41.38,-84.12,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage.","A trained spotter reported eight inch tree limbs ripped off a healthy tree." +119219,715899,OHIO,2017,July,Thunderstorm Wind,"HENRY",2017-07-23 16:20:00,EST-5,2017-07-23 16:21:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-84.13,41.4,-84.13,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage.","A trained spotter reported roof fascia ripped off, as well as shingles off a store front roof. Some minor structural damage was noted to the roof as well." +119219,715900,OHIO,2017,July,Thunderstorm Wind,"HENRY",2017-07-23 16:50:00,EST-5,2017-07-23 16:51:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-83.9,41.21,-83.9,"A southeastward moving cold front interacted with a marginally unstable and sheared environment to produce scattered thunderstorms. A few of these storms became severe with isolated reports of wind damage.","Emergency management officials reported a tree was blown down, which landed onto a gas meter, causing a leak. No injuries, fire or explosions were reported." +117966,709138,NORTH DAKOTA,2017,July,Hail,"SLOPE",2017-07-10 17:34:00,MST-7,2017-07-10 17:39:00,0,0,0,0,25.00K,25000,0.00K,0,46.34,-103.26,46.34,-103.26,"Thunderstorms developed over and near southwest North Dakota in an environment with moderate instability and enhanced deep layer shear. Two thunderstorms became severe. The largest hail was golf ball size, and fell in Slope County causing damage to a home.","The large hail broke windows in a home. Tree damage was also reported." +117967,709139,NORTH DAKOTA,2017,July,Thunderstorm Wind,"WILLIAMS",2017-07-11 13:59:00,CST-6,2017-07-11 14:08:00,0,0,0,0,15.00K,15000,0.00K,0,48.16,-103.63,48.16,-103.63,"Thunderstorms formed along a cold front that pushed into northwest North Dakota in the afternoon. One storm became severe and produced 70 mph winds in the Williston area, resulting in some tree and roof damage.","Elm trees in a park were knocked over by the thunderstorm wind gusts. Minor damage occurred to a tin roof on a structure where some panels lifted off." +117969,709143,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-14 15:20:00,CST-6,2017-07-14 15:23:00,0,0,0,0,0.00K,0,0.00K,0,48.19,-100.99,48.19,-100.99,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","" +117969,709145,NORTH DAKOTA,2017,July,Hail,"MERCER",2017-07-14 15:55:00,CST-6,2017-07-14 16:03:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-101.78,47.47,-101.78,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","" +117969,709146,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-14 16:11:00,CST-6,2017-07-14 16:15:00,0,0,0,0,0.00K,0,0.00K,0,47.86,-100.84,47.86,-100.84,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","" +117969,709149,NORTH DAKOTA,2017,July,Thunderstorm Wind,"OLIVER",2017-07-14 17:07:00,CST-6,2017-07-14 17:10:00,0,0,0,0,0.00K,0,0.00K,0,47.04,-101.24,47.04,-101.24,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","" +117969,709150,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MORTON",2017-07-14 17:58:00,CST-6,2017-07-14 18:03:00,0,0,0,0,0.00K,0,0.00K,0,46.77,-100.89,46.77,-100.89,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","" +118951,714563,NORTH DAKOTA,2017,July,Hail,"HETTINGER",2017-07-19 08:05:00,MST-7,2017-07-19 08:08:00,0,0,0,0,0.00K,0,0.00K,0,46.6,-102.11,46.6,-102.11,"A strong low level jet combined with strong instability and shear to produce severe thunderstorms during the morning hours. Two distinct areas of thunderstorms developed with the first one tracking over southern North Dakota, and the second one over far north central North Dakota. The main threat from the southern storms was large hail, while the northern storms produced golf ball sized hail along with a short lived tornado in Rolette County.","" +119096,715219,NORTH DAKOTA,2017,July,Hail,"MCKENZIE",2017-07-20 13:50:00,MST-7,2017-07-20 13:52:00,0,0,0,0,0.00K,0,0.00K,0,47.67,-103.65,47.67,-103.65,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715220,NORTH DAKOTA,2017,July,Hail,"MCKENZIE",2017-07-20 13:54:00,MST-7,2017-07-20 13:56:00,0,0,0,0,0.00K,0,0.00K,0,47.68,-103.61,47.68,-103.61,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715221,NORTH DAKOTA,2017,July,Hail,"MCKENZIE",2017-07-20 14:19:00,MST-7,2017-07-20 14:22:00,0,0,0,0,0.00K,0,0.00K,0,47.66,-103.24,47.66,-103.24,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +112801,681708,KANSAS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 20:45:00,CST-6,2017-03-06 20:45:00,0,0,0,0,,NaN,,NaN,37.23,-95.71,37.23,-95.71,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A trained spotter reported the gust." +118646,712835,MONTANA,2017,July,Wildfire,"GARFIELD",2017-07-19 15:17:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Record drought conditions, along with human activity and dry lightning, ignited a handful of wildfires throughout the month of July, including the Lodgepole Complex, which began on July 19th and burned to August 2nd.","The Lodgepole Complex, which started on the afternoon of the 19th, was initially composed of 5 separate fires. The complex was located 52 miles west northwest of Jordan, Montana, and 15 miles east of Winnett, Montana. The complex burned until August 2nd and burned a total of 270,723 acres. In addition, sixteen homes were destroyed as well as an unspecified but significant amount of fencing and haystacks. Numerous secondary structures have also been destroyed. McCone Electric lost over 120 power poles. An additional 16 structures were identified via satellite imagery as destroyed but type of use has not been determined. The Lodgepole Fire ended up being the second largest fire in Montana history." +119447,716816,IDAHO,2017,July,Thunderstorm Wind,"CASSIA",2017-07-26 16:39:00,MST-7,2017-07-26 16:55:00,0,0,0,0,0.00K,0,0.00K,0,42.058,-113.0957,42.058,-113.0957,"Several instances of flash flooding, strong winds and hail were reported.","The Moburg Canyon mesonet site measured a 68 mph wind gust." +119447,716817,IDAHO,2017,July,Flash Flood,"BONNEVILLE",2017-07-26 20:20:00,MST-7,2017-07-26 23:20:00,0,0,0,0,2.00K,2000,0.00K,0,43.5379,-112.03,43.48,-112.1098,"Several instances of flash flooding, strong winds and hail were reported.","Over an inch of rain fell in the Idaho Falls area in a two hour period causing flash flooding. In Idaho Falls water was over Buckboard Lane with several inches of water on city streets on the west side. The Yellowstone Ave underpass flooded along with some basements. Grandview Drive and Saturn Avenue flooded. A road near Russ Freeman Park was flooded. A vehicle was stuck in 2 feet of water on 17th Street. Flooding was several inches deep at the intersection of North Blvd and Shelley Street. The Idaho Falls airport set a daily precipitation record on July 26th of 1.06 inches." +118523,712105,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-06 08:17:00,CST-6,2017-07-06 08:19:00,0,0,0,0,,NaN,,NaN,47.91,-91.84,47.91,-91.84,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","Hail fell for two minutes." +118523,712104,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-06 05:05:00,CST-6,2017-07-06 05:05:00,0,0,0,0,,NaN,,NaN,46.84,-92.03,46.84,-92.03,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","Several trees were blown down on North 47th East." +127434,763824,MINNESOTA,2017,July,Tornado,"LAKE",2017-07-06 13:48:00,CST-6,2017-07-06 13:52:00,0,0,0,0,,NaN,,NaN,48.1882,-91.0558,48.1783,-91.0419,"A quasi-supercell thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","Environment Canada conducted a survey of the long-tracked tornado, which began and mostly occurred in Ontario before crossing into Minnesota, and rated the damage on their end as EF-2, and as EF-1 on the short distance in Minnesota before it dissipated. Satellite imagery is available to show the clear path of the tornado. The total path length was about 8.5 miles, only 0.9 miles of which occurred in Minnesota." +116227,698836,MISSOURI,2017,July,Hail,"STONE",2017-07-07 18:45:00,CST-6,2017-07-07 18:45:00,0,0,0,0,0.00K,0,0.00K,0,36.7,-93.42,36.7,-93.42,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","" +116227,698837,MISSOURI,2017,July,Hail,"TANEY",2017-07-07 19:00:00,CST-6,2017-07-07 19:00:00,0,0,0,0,0.00K,0,0.00K,0,36.65,-93.23,36.65,-93.23,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","" +116642,701381,GULF OF MEXICO,2017,July,Waterspout,"APALACHICOLA TO DESTIN FL OUT 20NM",2017-07-15 09:20:00,EST-5,2017-07-15 09:30:00,0,0,0,0,0.00K,0,0.00K,0,29.58,-85.01,29.58,-85.01,"Several waterspouts were reported due to morning convection associated with the land breeze.","A picture of a waterspout was posted on social media just offshore of St George Island." +116642,701383,GULF OF MEXICO,2017,July,Waterspout,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-07-15 09:53:00,EST-5,2017-07-15 10:00:00,0,0,0,0,0.00K,0,0.00K,0,29.6,-84.88,29.6,-84.88,"Several waterspouts were reported due to morning convection associated with the land breeze.","A picture of a second waterspout just offshore of St George Island was posted on social media." +116777,702273,FLORIDA,2017,July,Rip Current,"COASTAL BAY",2017-07-24 12:00:00,EST-5,2017-07-24 12:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"On July 24th, the Bay County Sheriff's office reported a drowning due to rip currents behind Coral Reef Condominiums on Thomas Drive. Single red flags were flying at the time of the incident and a high rip current risk statement had been issued for the day.","" +117583,707087,ALABAMA,2017,July,Thunderstorm Wind,"GENEVA",2017-07-07 13:55:00,CST-6,2017-07-07 13:55:00,0,0,0,0,1.00K,1000,0.00K,0,31.05,-86.18,31.05,-86.18,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down onto power lines resulting in power outages along Wedsel Road south of Julius Road." +117583,707088,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-07 15:33:00,CST-6,2017-07-07 15:33:00,0,0,0,0,1.00K,1000,0.00K,0,31.6005,-85.6799,31.6005,-85.6799,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree and a power line were blown down on County Road 72 near Ariton." +117583,707089,ALABAMA,2017,July,Thunderstorm Wind,"HENRY",2017-07-07 16:18:00,CST-6,2017-07-07 16:18:00,0,0,0,0,0.00K,0,0.00K,0,31.56,-85.25,31.56,-85.25,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Three trees were blown down around Abbeville including two on Highway 10." +117583,707090,ALABAMA,2017,July,Thunderstorm Wind,"COFFEE",2017-07-08 13:30:00,CST-6,2017-07-08 13:30:00,0,0,0,0,0.00K,0,0.00K,0,31.2,-86,31.2,-86,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Marvin Chapel." +117583,707091,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 14:10:00,CST-6,2017-07-08 14:10:00,0,0,0,0,1.00K,1000,0.00K,0,31.3,-85.71,31.3,-85.71,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a power line near Daleville." +117734,707929,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.21,-82.13,29.21,-82.13,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A tree was blown down on NE 18th Street. The time of damage was based on radar." +117734,707930,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,0.00K,0,0.00K,0,29.23,-82.11,29.23,-82.11,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on NE 18th Avenue. The time of the damage was based on radar." +117734,707931,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:31:00,EST-5,2017-07-20 18:31:00,0,0,0,0,0.00K,0,0.00K,0,29.2,-82.16,29.2,-82.16,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down. The time of damage was based on radar." +117734,707933,FLORIDA,2017,July,Thunderstorm Wind,"ALACHUA",2017-07-20 18:50:00,EST-5,2017-07-20 18:50:00,0,0,0,0,0.00K,0,0.00K,0,29.66,-82.33,29.66,-82.33,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Trees were blown down on NW 4th Place. The time was based on radar." +117734,707935,FLORIDA,2017,July,Thunderstorm Wind,"ALACHUA",2017-07-20 18:52:00,EST-5,2017-07-20 18:52:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-82.26,29.72,-82.26,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A tree was blown down near the 7300 block of NE Waldo Road. The time of damage was based on radar." +117734,707937,FLORIDA,2017,July,Thunderstorm Wind,"ALACHUA",2017-07-20 18:55:00,EST-5,2017-07-20 18:55:00,0,0,0,0,0.00K,0,0.00K,0,29.74,-82.23,29.74,-82.23,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A tree was blown down near the 9700 block of NE Waldo Road. The time of damage was based on radar." +116044,697426,LOUISIANA,2017,July,Thunderstorm Wind,"MOREHOUSE",2017-07-01 16:00:00,CST-6,2017-07-01 16:00:00,0,0,0,0,6.00K,6000,0.00K,0,32.85,-91.77,32.85,-91.77,"An outflow boundary from overnight storms combined with a very moist and unstable airmass in place over the region, along with warm afternoon temperatures, to cause showers and thunderstorms. Some of these storms brought damaging winds to the region.","Several trees were blown down along Highway 165." +116043,697471,MISSISSIPPI,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-01 18:35:00,CST-6,2017-07-01 18:35:00,0,0,0,0,5.00K,5000,0.00K,0,32.2847,-88.4816,32.2889,-88.4784,"An outflow boundary from overnight storms combined with a very moist and unstable airmass in place over the region, along with warm afternoon temperatures, to cause showers and thunderstorms. Some of these storms brought hail, damaging winds and flooding to the region.","A tree was blown down in front of the Whynot Community Center on Old Highway 19 SE. Another tree was blown down along Ponds Road." +116043,697472,MISSISSIPPI,2017,July,Flash Flood,"LAUDERDALE",2017-07-01 18:26:00,CST-6,2017-07-01 19:57:00,0,0,0,0,5.00K,5000,0.00K,0,32.3819,-88.7136,32.3822,-88.6983,"An outflow boundary from overnight storms combined with a very moist and unstable airmass in place over the region, along with warm afternoon temperatures, to cause showers and thunderstorms. Some of these storms brought hail, damaging winds and flooding to the region.","A number of roads were flooded in Meridian, which included the intersections of 5th Street and 29th Avenue, 14th Street and 26th Avenue, 8th Street and 34th Avenue, and the 26th Avenue underpass. Flooding also occurred along 18th Avenue and 14th Avenue, both between 4th and 5th streets." +116586,701104,MISSISSIPPI,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-17 16:45:00,CST-6,2017-07-17 17:00:00,0,0,0,0,15.00K,15000,0.00K,0,31.6,-90.45,31.57,-90.46,"Showers and thunderstorms developed during the afternoon in a warm and unstable airmass.","A tree was blown onto a powerline on Spring Drive. A tree was blown down on West Court Street. Powerlines were also blown down on Industrial Park Road and on Highway 550 near Highway 51." +116586,701105,MISSISSIPPI,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-17 17:30:00,CST-6,2017-07-17 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,31.52,-90.69,31.52,-90.69,"Showers and thunderstorms developed during the afternoon in a warm and unstable airmass.","Trees were blown down along New Salem Road." +116663,701447,MISSISSIPPI,2017,July,Heat,"YAZOO",2017-07-19 13:00:00,CST-6,2017-07-19 17:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hot and humid conditions occurred July 20th and 21st. Temperatures were in the mid 90s across the ArkLaMiss with heat indices around 100 to 108 degrees.","A 56 year old man died from hyperthermia at a home on East 5th Street. The air conditioning unit at the home was not functioning properly at the time." +117193,704880,HAWAII,2017,July,Wildfire,"BIG ISLAND NORTH AND EAST",2017-07-07 11:58:00,HST-10,2017-07-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A wind-blown fire blackened about 2200 acres of mainly pasture land near Waimea on the Big Island of Hawaii. The blaze also destroyed a house and a vehicle. A female resident of the home was evacuated from the area. The cause of the fire was under investigation. There were no serious injuries. The cost of damages had not yet been calculated.","" +117194,704882,HAWAII,2017,July,High Surf,"KAUAI WINDWARD",2017-07-21 16:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +118852,714053,MINNESOTA,2017,July,Tornado,"LYON",2017-07-19 13:00:00,CST-6,2017-07-19 13:02:00,0,0,0,0,30.00K,30000,0.00K,0,44.3831,-95.8188,44.3898,-95.8149,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","Most of the damage to the area was a result of 80 to 100 mph winds. However, there were indications of a very brief tornado that enhanced the damage." +118852,714056,MINNESOTA,2017,July,Tornado,"LYON",2017-07-19 13:02:00,CST-6,2017-07-19 13:03:00,0,0,0,0,25.00K,25000,0.00K,0,44.3921,-95.78,44.4032,-95.7529,"Thunderstorms developed in east Central South Dakota during the mid to late morning hours and moved into west central Minnesota along the Highway 14 corridor. These storms produced widespread wind damage, as well as spawned a few brief tornadoes.","Most of the damage was a result of strong thunderstorm winds of 80 to 100 mph, but the damage survey results showed an indication of a brief tornado that resulted in an enhanced area of damage." +118855,714067,SOUTH DAKOTA,2017,July,Hail,"KINGSBURY",2017-07-21 05:00:00,CST-6,2017-07-21 05:00:00,0,0,0,0,0.00K,0,0.00K,0,44.39,-97.55,44.39,-97.55,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","" +118855,714069,SOUTH DAKOTA,2017,July,Hail,"JERAULD",2017-07-21 05:30:00,CST-6,2017-07-21 05:30:00,0,0,0,0,0.00K,0,0.00K,0,44.08,-98.57,44.08,-98.57,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","" +118855,714070,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-21 21:51:00,CST-6,2017-07-21 21:51:00,0,0,0,0,0.00K,0,0.00K,0,44.63,-98.41,44.63,-98.41,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","Tree branches downed." +118855,714072,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-21 22:18:00,CST-6,2017-07-21 22:18:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-98.13,44.56,-98.13,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","" +118855,714073,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-21 22:32:00,CST-6,2017-07-21 22:32:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-97.96,44.59,-97.96,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","" +118855,714074,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BEADLE",2017-07-21 23:05:00,CST-6,2017-07-21 23:05:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-98.47,44.41,-98.47,"Isolated storms developed in central portions of South Dakota during the late evening or early morning hours. The storms produced hail as they moved east slowly.","Wind gusts knocked down a few tree branches. A little pea size hail also occurred." +118856,714078,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MCCOOK",2017-07-22 00:52:00,CST-6,2017-07-22 00:52:00,0,0,0,0,0.00K,0,0.00K,0,43.69,-97.41,43.69,-97.41,"An upper level storm system that produced thunderstorms earlier in central South Dakota continued to cause more storms to develop into the early morning hours. Hail and strong thunderstorm winds were pretty widespread with these storms.","A willow tree was downed." +116292,699367,OHIO,2017,July,Thunderstorm Wind,"PIKE",2017-07-07 18:05:00,EST-5,2017-07-07 18:07:00,0,0,0,0,4.00K,4000,0.00K,0,39.1321,-83.2174,39.1321,-83.2174,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees and power lines were downed along Auerville Road." +116292,699369,OHIO,2017,July,Thunderstorm Wind,"PIKE",2017-07-07 18:25:00,EST-5,2017-07-07 18:27:00,0,0,0,0,1.00K,1000,0.00K,0,38.9704,-83.0224,38.9704,-83.0224,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A tree was downed along U.S. Route 23." +116292,699370,OHIO,2017,July,Thunderstorm Wind,"PIKE",2017-07-07 18:25:00,EST-5,2017-07-07 18:27:00,0,0,0,0,2.00K,2000,0.00K,0,39.01,-83.02,39.01,-83.02,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A tree fell onto a power line." +116292,699371,OHIO,2017,July,Thunderstorm Wind,"PIKE",2017-07-07 18:33:00,EST-5,2017-07-07 18:35:00,0,0,0,0,2.00K,2000,0.00K,0,38.966,-82.8972,38.966,-82.8972,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A tree fell onto a power line near the intersection of Germany Road and Owl Creek Road." +116292,699373,OHIO,2017,July,Thunderstorm Wind,"SCIOTO",2017-07-07 18:44:00,EST-5,2017-07-07 18:46:00,0,0,0,0,1.00K,1000,0.00K,0,38.828,-82.9248,38.828,-82.9248,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A large tree was downed onto State Route 139." +116292,699374,OHIO,2017,July,Flood,"SCIOTO",2017-07-07 19:00:00,EST-5,2017-07-07 19:30:00,0,0,0,0,0.00K,0,0.00K,0,38.7314,-82.9921,38.737,-82.9883,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Water was up to the bumpers of cars in parts of the business district." +116292,699385,OHIO,2017,July,Thunderstorm Wind,"SCIOTO",2017-07-07 18:43:00,EST-5,2017-07-07 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,38.8597,-82.8585,38.8597,-82.8585,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A large tree fell onto State Route 335." +116292,699391,OHIO,2017,July,Thunderstorm Wind,"HOCKING",2017-07-07 14:00:00,EST-5,2017-07-07 14:02:00,0,0,0,0,2.00K,2000,0.00K,0,39.5401,-82.4086,39.5401,-82.4086,"Showers and thunderstorms developed during the day as a cold front moved through the region.","Several trees were downed." +116427,700197,OHIO,2017,July,Thunderstorm Wind,"WARREN",2017-07-10 08:50:00,EST-5,2017-07-10 08:52:00,0,0,0,0,1.00K,1000,0.00K,0,39.32,-84.25,39.32,-84.25,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Two trees were downed near the Little Miami River bridge on U.S. Route 22." +116427,700198,OHIO,2017,July,Hail,"FRANKLIN",2017-07-10 14:00:00,EST-5,2017-07-10 14:02:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-83.14,40.04,-83.14,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700201,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-10 14:05:00,EST-5,2017-07-10 14:07:00,0,0,0,0,2.00K,2000,0.00K,0,40.03,-83.1,40.03,-83.1,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Several small trees were downed." +116527,700729,GEORGIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-15 16:33:00,EST-5,2017-07-15 16:35:00,0,0,0,0,,NaN,,NaN,33.37,-81.97,33.37,-81.97,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","ASOS unit at Augusta Bush Field Airport measured a peak thunderstorm wind gust of 53 knots, or 61 MPH." +116527,700730,GEORGIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-15 19:10:00,EST-5,2017-07-15 19:12:00,0,0,0,0,0.10K,100,0.10K,100,33.37,-81.97,33.37,-81.97,"An upper trough, an approaching cold front and pre-frontal surface trough, combined with daytime heating, and sufficient atmospheric moisture and instability to produce scattered severe thunderstorms in the afternoon and evening. A few of which also produced locally heavy rain and flooding.","ASOS unit at Augusta Bush Field Airport measured a thunderstorm wind gust of 51 MPH." +116533,700752,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-16 18:01:00,EST-5,2017-07-16 18:05:00,0,0,0,0,0.10K,100,0.10K,100,34.1085,-80.9017,34.1052,-80.9062,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","Richland Co dispatch reported water getting into multiple vehicles on Two Notch Rd at Polo Rd." +116533,700755,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-16 18:20:00,EST-5,2017-07-16 18:25:00,0,0,0,0,0.10K,100,0.10K,100,34.0966,-80.9213,34.0996,-80.9226,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","Columbia Fire Dept reported multiple vehicles stalled in floodwaters 9300 to 9700 Two Notch Rd." +116533,700756,SOUTH CAROLINA,2017,July,Hail,"RICHLAND",2017-07-16 16:54:00,EST-5,2017-07-16 16:56:00,0,0,0,0,0.10K,100,0.10K,100,34.12,-80.9,34.12,-80.9,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","Public reported, via social media, dime size hail on Brickyard Rd." +116533,700759,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-16 16:50:00,EST-5,2017-07-16 17:20:00,0,0,0,0,0.10K,100,0.10K,100,34.11,-80.88,34.11,-80.88,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","RCWINDS gage at Spring Valley High School measured 2.88 inches of rain in a 30 minute period ending at 6:20 pm EDT (5:20 pm EST). 3.98 inches of rain fell in the one hour period ending at 6:50 pm EDT (5:50 pm EST). Total rainfall for the calendar day there was 4.69 inches." +116533,700762,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-16 17:03:00,EST-5,2017-07-16 17:05:00,0,0,0,0,,NaN,,NaN,33.94,-81.23,33.94,-81.23,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","Public reported, via social media, a wooden backyard playset was lifted over a fence and destroyed, and a photo was provided. Additional reports of trees down on Old Barnwell Rd." +117828,708273,ARIZONA,2017,July,Thunderstorm Wind,"PINAL",2017-07-10 21:30:00,MST-7,2017-07-10 21:54:00,0,0,0,0,10.00K,10000,0.00K,0,33.38,-111.56,33.38,-111.56,"Scattered monsoon thunderstorms developed over portions of the greater Phoenix area during the evening hours on July 10th and some of the stronger storms affected east valley communities such as Apache Junction and east Mesa. Due to a favorable combination of instability and drier low levels, some of the storms were able to generate gusty outflow winds in excess of 60 mph. Storms in Apache Junction were especially damaging as outflow winds were sufficient to down numerous moderate to large trees as well as power lines. Structural damage occurred in the Superstition Mountain Golf and Country Club in Gold Canyon. No injuries were reported due to either strong winds or falling trees.","Scattered thunderstorms developed over the eastern portion of the greater Phoenix area and some of the stronger storms affected the community of Apache Junction. Some of the stronger storms developed gusty and damaging outflow winds well in excess of 40 mph and at 1954MST, a local utility company (SRP) reported that power lines were down about 3 miles southwest of Apache Junction. SRP indicated that lines were down from South Ironwood Drive to South Cortez Road and from East Baseline Avenue to West McCormick Road." +117831,708275,ARIZONA,2017,July,Flood,"MARICOPA",2017-07-11 03:00:00,MST-7,2017-07-11 08:00:00,0,0,0,0,0.00K,0,0.00K,0,33.2353,-111.6853,33.2351,-111.6744,"Scattered thunderstorms, some with heavy rain, developed over the east and southeast portions of the greater Phoenix area during the evening hours on July 10th. Locally heavy rain fell in the communities of Queen Creek, Mesa and Apache Junction and multiple Small Stream Flood Advisories were issued as a result of the heavy rain. Flash Flood Warnings were not issued however. Residual rainfall led to areal flooding of washes and roads in the Queen Creek area which occurred during the morning hours on July 11th. The flooding led to some road closures; at 0630MST Via Del Jardin Road was closed at the Sonoqui Wash approximately 2 miles west of Queen Creek.","Scattered thunderstorms produced locally heavy rain across the southeast portion of the greater Phoenix area during the evening hours on July 10th. The heavy rain affected communities such as Queen Creek. Residual runoff from the storms eventually led to an episode of areal flooding in portions of Queen Creek during the morning hours on July 11th. According to local broadcast media, at 0630MST the Via Del Jardin Road was reported as being closed due to flooding at the Sonoqui Wash. This was approximately 2 miles west of Queen Creek." +117833,708278,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-13 16:05:00,MST-7,2017-07-13 16:05:00,0,0,0,0,0.00K,0,0.00K,0,33.98,-111.71,33.98,-111.71,"Isolated afternoon thunderstorms developed to the northeast of Phoenix on July 13th and some of the stronger storms produced gusty outflow winds in excess of 60 mph. The storms mostly affected higher terrain areas of southern Gila County as well as far northeast Maricopa County; at about 1600MST a wind gust to 68 mph was measured by a mesonet weather station at Horseshoe Dam located 16 miles northwest of the town of Sunflower. The strong gusty winds were not especially common and did not produce any reported damage.","Isolated strong thunderstorms developed during the afternoon across higher terrain locations to the northeast of Phoenix and they were capable of producing very strong outflow winds. According to a mesonet weather station, a wind gust to 68 mph was measured at the Horseshoe Dam located about 16 miles northwest of the town of Sunflower." +118081,709679,ARIZONA,2017,July,Flash Flood,"PINAL",2017-07-21 18:30:00,MST-7,2017-07-21 21:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4195,-111.4872,33.4407,-111.5463,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix area, including east valley communities from Mesa eastward through Superior, during the late afternoon and evening hours on July 21st. Some of the stronger storms produced intense rainfall with peak rain rates between 3 and 4 inches per hour and this led to episodes of flooding and flash flooding in communities such as Apache Junction, located between Phoenix and the higher terrain of southern Gila County. Several Flood Advisory products were issued for the area as well as a Flash Flood Warning; the Weekes Wash in Apache Junction experienced flash flooding although no injuries or water rescues ensued due to the flooding. In addition to the heavy rains, there was a brief episode of dense blowing dust near Queen Creek as strong thunderstorm outflow winds moved through the area stirring up dust and dirt.","Thunderstorms with intense rainfall developed across the eastern portion of the greater Phoenix area during the evening hours on July 21st and some of them affected the area around Apache Junction. At 1825MST a trained spotter 4 miles southeast of Apache Junction measured one inch of rain within 15 minutes, implying a rain rate of 4 inches per hour. This intense rainfall led to an episode of flash flooding in the Weekes Wash in Apache Junction. At 1920MST a member of the public reported flash flooding at Weekes Wash and East Lost Dutchman Boulevard, approximately one mile east of Highway 88. Very high flow was noted in the wash; fortunately no vehicles were swept away and water rescues were not needed. A Flash Flood Warning was issued for the area and was in effect during the time of the flooding." +117259,705320,NEBRASKA,2017,July,Thunderstorm Wind,"FRONTIER",2017-07-02 20:13:00,CST-6,2017-07-02 20:13:00,0,0,0,0,0.00K,0,0.00K,0,40.53,-100.03,40.53,-100.03,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","A trained weather spotter estimated winds of 60 mph south of Eustis." +117262,705323,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-04 18:15:00,CST-6,2017-07-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-100.5,41.34,-100.5,"A group of supercells developed across the southern Sandhills and drifted south into Keith and Lincoln counties during the evening. Up to golf ball size hail was reported in Lincoln County.","" +117262,705324,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-04 18:36:00,CST-6,2017-07-04 18:36:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-100.64,41.24,-100.64,"A group of supercells developed across the southern Sandhills and drifted south into Keith and Lincoln counties during the evening. Up to golf ball size hail was reported in Lincoln County.","" +117262,705325,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-04 18:47:00,CST-6,2017-07-04 18:47:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-101.16,40.84,-101.16,"A group of supercells developed across the southern Sandhills and drifted south into Keith and Lincoln counties during the evening. Up to golf ball size hail was reported in Lincoln County.","" +117262,705326,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-04 18:50:00,CST-6,2017-07-04 18:50:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-101.24,41.16,-101.24,"A group of supercells developed across the southern Sandhills and drifted south into Keith and Lincoln counties during the evening. Up to golf ball size hail was reported in Lincoln County.","" +117262,705327,NEBRASKA,2017,July,Hail,"KEITH",2017-07-04 18:00:00,MST-7,2017-07-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-101.3,41.08,-101.3,"A group of supercells developed across the southern Sandhills and drifted south into Keith and Lincoln counties during the evening. Up to golf ball size hail was reported in Lincoln County.","" +117259,705328,NEBRASKA,2017,July,High Wind,"CHASE",2017-07-02 18:15:00,MST-7,2017-07-02 18:15:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","Imperial Airport ASOS measured a non-thunderstorm wind gust of 62 mph." +117267,705344,NEBRASKA,2017,July,Hail,"CHERRY",2017-07-07 18:39:00,CST-6,2017-07-07 18:39:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-101.7,42.52,-101.7,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","" +117635,714114,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-21 17:36:00,EST-5,2017-07-21 17:36:00,0,0,0,0,,NaN,,NaN,47.17,-68.92,47.17,-68.92,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","Wind gusts were estimated at 60 mph." +117635,714115,MAINE,2017,July,Hail,"AROOSTOOK",2017-07-21 17:20:00,EST-5,2017-07-21 17:20:00,0,0,0,0,,NaN,,NaN,47.05,-68.13,47.05,-68.13,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","" +117635,714117,MAINE,2017,July,Hail,"AROOSTOOK",2017-07-21 17:10:00,EST-5,2017-07-21 17:10:00,0,0,0,0,,NaN,,NaN,47.12,-68.33,47.12,-68.33,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","" +117635,714120,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-21 18:35:00,EST-5,2017-07-21 18:35:00,0,0,0,0,,NaN,,NaN,46.87,-68.02,46.87,-68.02,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","Trees were toppled on Court Street and Hoover Avenue by wind gusts estimated at 60 mph. The time is estimated." +117635,714125,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-21 17:30:00,EST-5,2017-07-21 17:30:00,0,0,0,0,,NaN,,NaN,47.08,-69.05,47.08,-69.05,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","Several trees were toppled by wind gusts estimated at 60 mph." +117635,714132,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-21 18:38:00,EST-5,2017-07-21 18:38:00,0,0,0,0,,NaN,,NaN,46.77,-67.99,46.77,-67.99,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","A portion of the metal roof of a barn was torn from the building and a greenhouse was destroyed by wind gusts estimated at 60 mph. The time is estimated." +117635,714136,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-21 13:38:00,EST-5,2017-07-21 13:38:00,0,0,0,0,,NaN,,NaN,46.29,-68.36,46.29,-68.36,"Thunderstorms developed during the afternoon of the 21st in advance of an approaching cold front. Some of the storms became severe...producing damaging winds and large hail across portions of northern Maine. The thunderstorms persisted into the evening.","Trees were toppled along Route 11 by wind gusts estimated at 60 mph. The time is estimated." +117172,704801,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GALVESTON BAY",2017-07-09 21:23:00,CST-6,2017-07-09 21:23:00,0,0,0,0,0.00K,0,0.00K,0,29.54,-94.91,29.54,-94.91,"Several marine thunderstorms wind gusts were reported in and around the Galveston Bay area.","Marine thunderstorm wind gust was measured at WeatherFlow site XGAL." +118886,714243,NORTH CAROLINA,2017,July,Thunderstorm Wind,"GRANVILLE",2017-07-08 18:16:00,EST-5,2017-07-08 18:16:00,0,0,0,0,0.00K,0,0.00K,0,36.51,-78.7,36.51,-78.7,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","One tree was blown down on Ruben Hart Road." +118886,714244,NORTH CAROLINA,2017,July,Thunderstorm Wind,"NASH",2017-07-08 18:42:00,EST-5,2017-07-08 18:42:00,0,0,0,0,1.00K,1000,0.00K,0,35.81,-77.99,35.81,-77.99,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","One tree was blown down on Interstate 95 near mile marker 125." +118886,714245,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WILSON",2017-07-08 18:48:00,EST-5,2017-07-08 18:48:00,0,0,0,0,0.00K,0,0.00K,0,35.76,-78.03,35.76,-78.03,"Scattered convection developed ahead of an approaching cold front in a warm, moist environment characterized by moderate instability and bulk shear. Several of the thunderstorms became severe as they progressed through Central North Carolina from west to east.","One tree was blown down onto the roadway at the 4900 block of St. Rose Church Road." +118893,714273,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-06 20:16:00,EST-5,2017-07-06 20:21:00,0,0,0,0,1.00K,1000,0.00K,0,35.12,-78.72,35.13,-78.7,"Scattered showers and thunderstorms developed across central North Carolina as a remnant, weak mesoscale convective vortex from convection the previous day moved into a warm and moderately unstable environment. A few of the storms became severe, producing isolated wind damage and winds in excess of 58 miles per hour.","Two trees were blown down along a swath from the 5000 block of Goldsboro Road to the intersection of Goldsboro Road and Wade-Stedman Road." +118893,714274,NORTH CAROLINA,2017,July,Thunderstorm Wind,"SAMPSON",2017-07-06 20:40:00,EST-5,2017-07-06 20:40:00,0,0,0,0,1.00K,1000,0.00K,0,35.21,-78.4,35.21,-78.4,"Scattered showers and thunderstorms developed across central North Carolina as a remnant, weak mesoscale convective vortex from convection the previous day moved into a warm and moderately unstable environment. A few of the storms became severe, producing isolated wind damage and winds in excess of 58 miles per hour.","Multiple trees were blown down on Oak Grove Church Road." +118893,714275,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HARNETT",2017-07-06 19:11:00,EST-5,2017-07-06 19:11:00,0,0,0,0,1.00K,1000,0.00K,0,35.29,-79.04,35.29,-79.04,"Scattered showers and thunderstorms developed across central North Carolina as a remnant, weak mesoscale convective vortex from convection the previous day moved into a warm and moderately unstable environment. A few of the storms became severe, producing isolated wind damage and winds in excess of 58 miles per hour.","Thunderstorm winds of up to 65 miles per hour were estimated in the Buffalo Lakes area. Several small trees and numerous branches were blown down in that area." +118254,712572,MONTANA,2017,July,Drought,"GARFIELD",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","The month of July began with most of Garfield County already experiencing extreme (D3) drought conditions. Continued dry weather caused the conditions to degrade to exceptional (D4) drought across northern Garfield County by July 25th. Areas throughout the county received less than a half of an inch of rainfall, with northern Garfield County receiving very little to no rain at all. This is generally one and a half to two inches below average." +118254,712574,MONTANA,2017,July,Drought,"WESTERN ROOSEVELT",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Western Roosevelt County entered July already experiencing extreme (D3) drought conditions. Dry weather continued throughout July, and the drought worsened to exceptional (D4) by July 25th. Rainfall amounts were between a quarter and half an inch, which is one and a half to two inches below normal for the month." +118254,712575,MONTANA,2017,July,Drought,"EASTERN ROOSEVELT",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Eastern Roosevelt County entered July already experiencing extreme (D3) drought conditions, which persisted throughout the month. Rainfall amounts were approximately one inch, which is one and a half inches below normal for the month." +118829,716690,OKLAHOMA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-03 18:40:00,CST-6,2017-07-03 18:40:00,0,0,0,0,2.00K,2000,0.00K,0,35.504,-98.9862,35.504,-98.9862,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Structural damage near high school. Time estimated by radar and other reports." +119417,716691,OKLAHOMA,2017,July,Drought,"ROGER MILLS",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119417,716692,OKLAHOMA,2017,July,Drought,"BECKHAM",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119417,716693,OKLAHOMA,2017,July,Drought,"KINGFISHER",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119417,716694,OKLAHOMA,2017,July,Drought,"CANADIAN",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119417,716695,OKLAHOMA,2017,July,Drought,"OKLAHOMA",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119417,716696,OKLAHOMA,2017,July,Drought,"CLEVELAND",2017-07-18 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western and central Oklahoma.","" +119418,716697,TEXAS,2017,July,Drought,"FOARD",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western north Texas.","" +119418,716698,TEXAS,2017,July,Drought,"HARDEMAN",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Due to dry conditions, severe drought developed over parts of western north Texas.","" +119419,716699,OKLAHOMA,2017,July,Thunderstorm Wind,"KINGFISHER",2017-07-22 16:53:00,CST-6,2017-07-22 16:53:00,0,0,0,0,5.00K,5000,0.00K,0,35.87,-97.94,35.87,-97.94,"Isolated storms formed well ahead of a cold front late on the afternoon of the 22nd.","Roof damage occurred to a small commercial building on the northwest side of Kingfisher." +119419,716700,OKLAHOMA,2017,July,Thunderstorm Wind,"KINGFISHER",2017-07-22 17:40:00,CST-6,2017-07-22 17:40:00,0,0,0,0,5.00K,5000,0.00K,0,35.89,-97.78,35.89,-97.78,"Isolated storms formed well ahead of a cold front late on the afternoon of the 22nd.","Two barns were damaged and numerous large trees were blown down." +119420,716701,OKLAHOMA,2017,July,Thunderstorm Wind,"COAL",2017-07-23 17:42:00,CST-6,2017-07-23 17:42:00,0,0,0,0,5.00K,5000,0.00K,0,34.5928,-96.2129,34.5928,-96.2129,"A stationary front draped across Oklahoma lit up with storms on the afternoon and evening of the 23rd. A few storms made it down to western north Texas as well.","Five power lines were downed from strong winds near the intersection of Avazini and Polk roads." +119420,716702,OKLAHOMA,2017,July,Thunderstorm Wind,"COAL",2017-07-23 18:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-96.27,34.43,-96.27,"A stationary front draped across Oklahoma lit up with storms on the afternoon and evening of the 23rd. A few storms made it down to western north Texas as well.","No damage reported." +119445,716811,IDAHO,2017,July,Wildfire,"EASTERN MAGIC VALLEY",2017-07-25 23:00:00,MST-7,2017-07-30 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"Lightning caused the Lagoon fire to begin around 11 pm on July 25th 2 miles west of Shoshone. It burned grass and brush and caused some evacuations in Shoshone and Highway 75 closed for a period as well. The fire grew to 1,412 acres and was fully contained on July 28th and controlled on July 30th. It destroyed a lumberyard and outbuilding.","Lightning caused the Lagoon fire to begin around 11 pm on July 25th 2 miles west of Shoshone. It burned grass and brush and caused some evacuations in Shoshone and Highway 75 closed for a period as well. The fire grew to 1,412 acres and was fully contained on July 28th and controlled on July 30th. It destroyed a lumberyard and outbuilding." +119446,716813,IDAHO,2017,July,Wildfire,"SAWTOOTH MOUNTAINS",2017-07-24 15:00:00,MST-7,2017-07-31 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning began the Ibex wildfire on July 24th and the fire burned for multiple months. It was located 11 miles west of Twin Peaks Lookout. A patrol flight on the 25th estimated the size of that fire at 540 acres. One helicopter and 10 firefighters are assigned to the Ibex fire. The fire was in high mountains and threatened no structures.","Lightning began the Ibex wildfire on July 24th and the fire burned for multiple months. It was located 11 miles west of Twin Peaks Lookout. A patrol flight on the 25th estimated the size of that fire at 540 acres. One helicopter and 10 firefighters are assigned to the Ibex fire. The fire was in high mountains and threatened no structures." +119448,716818,IDAHO,2017,July,Wildfire,"UPPER SNAKE RIVER PLAIN",2017-07-30 14:30:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Lightning started a wildfire about 6 miles south of Big Southern Butte in Butte County. It began around 3 pm on July 30th and grew to 25,712 acres quickly. It was controlled by August 1st.","Lightning started a wildfire about 6 miles south of Big Southern Butte in Butte County. It began around 3 pm on July 30th and grew to 25,712 acres quickly. It was controlled by August 1st." +119449,716819,IDAHO,2017,July,Wildfire,"SOUTH CENTRAL HIGHLANDS",2017-07-30 14:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Coe wildfire began July 30th likely lightning caused and was contained by August 3rd. the fire was located 5 miles northwest of Malta and burned 1,500 acres. It was a grass, brush, and juniper fire with no structures threatened.","The Coe wildfire began July 30th likely lightning caused and was contained by August 3rd. the fire was located 5 miles northwest of Malta and burned 1,500 acres. It was a grass, brush, and juniper fire with no structures threatened." +118492,711964,NORTH CAROLINA,2017,July,Thunderstorm Wind,"DAVIE",2017-07-01 13:24:00,EST-5,2017-07-01 13:24:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-80.63,35.98,-80.63,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","Spotter reported around a half dozen trees trees blown down on power lines on Liberty Church Rd." +118492,711967,NORTH CAROLINA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-01 14:32:00,EST-5,2017-07-01 14:32:00,0,0,0,0,0.00K,0,0.00K,0,35.419,-81.045,35.418,-81.02,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","County comms reported trees blown down on Hines Circle Rd and additional trees down on Old Plank Rd." +119135,715497,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-28 14:21:00,EST-5,2017-07-28 14:36:00,0,0,0,0,0.00K,0,0.00K,0,35.009,-82.157,34.916,-81.859,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Multiple sources reported multiple trees and power lines blown down across central Spartanburg County, from the Inman/Duncan/Greer area through the city of Spartanburg. Several trees fell across roads, including one on I-85 S in the vicinity of Highway 29, which blocked traffic for a while." +119135,715500,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-28 14:54:00,EST-5,2017-07-28 14:54:00,0,0,0,0,0.00K,0,0.00K,0,35.059,-81.781,35.082,-81.666,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","County comms reported a tree blown down on Cannons Campground Road. Public reported (via Social Media) a large tree blown down on power lines on West Buford St at Stacy Dr in Gaffney." +119135,715503,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"YORK",2017-07-28 15:21:00,EST-5,2017-07-28 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.013,-81.093,34.981,-81.023,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina during the afternoon. Several areas of wind damage occurred, mainly along the I-85 corridor.","Law enforcement and FD reported trees blown down on Bowater Rd, at Mt Gallant Rd and Museum Rd, and multiple large trees and power lines down on India Hook Rd just north of Celanese Rd. Public reported (via Social Media) a large tree limb fell on and damaged the roof of a home on Kemper Cir." +119149,715575,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-28 15:46:00,EST-5,2017-07-28 15:59:00,0,0,0,0,25.00K,25000,0.00K,0,35.29,-80.92,35.197,-80.779,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina and the North Carolina foothills during the afternoon and moved east into the Piedmont during the afternoon and early evening. Several areas of wind damage occurred, mainly across the southern Piedmont.","Multiple sources reported multiple trees, large limbs, and power lines blown down across Charlotte, especially on the south and east side of the city. Trees fell on homes on Mint St and on Gladstone Ln." +119149,715576,NORTH CAROLINA,2017,July,Thunderstorm Wind,"UNION",2017-07-28 16:10:00,EST-5,2017-07-28 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.072,-80.637,35.072,-80.637,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina and the North Carolina foothills during the afternoon and moved east into the Piedmont during the afternoon and early evening. Several areas of wind damage occurred, mainly across the southern Piedmont.","Law enforcement reported trees blown down on Flagstone Ln." +119149,715577,NORTH CAROLINA,2017,July,Thunderstorm Wind,"IREDELL",2017-07-28 15:50:00,EST-5,2017-07-28 15:50:00,0,0,0,0,0.00K,0,0.00K,0,35.853,-80.873,35.853,-80.873,"Multiple clusters of afternoon thunderstorms developed near a surface trough across Upstate South Carolina and the North Carolina foothills during the afternoon and moved east into the Piedmont during the afternoon and early evening. Several areas of wind damage occurred, mainly across the southern Piedmont.","County comms reported multiple trees blown down on Whites Farm Rd/Shumaker Rd." +116071,697622,TEXAS,2017,July,Thunderstorm Wind,"RUSK",2017-07-01 13:15:00,CST-6,2017-07-01 13:15:00,0,0,0,0,0.00K,0,0.00K,0,32.21,-94.89,32.21,-94.89,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Trees were downed on Hwy. 323 between New London and Henderson, Texas." +116071,697624,TEXAS,2017,July,Thunderstorm Wind,"MARION",2017-07-01 13:20:00,CST-6,2017-07-01 13:20:00,0,0,0,0,0.00K,0,0.00K,0,32.72,-94.42,32.72,-94.42,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Trees were down area wide on County Road 2208 in Marion, Texas." +116073,697625,LOUISIANA,2017,July,Thunderstorm Wind,"BOSSIER",2017-07-01 14:05:00,CST-6,2017-07-01 14:05:00,0,0,0,0,0.00K,0,0.00K,0,32.71,-93.74,32.71,-93.74,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Estimated wind gust by storm spotter north northwest of Benton, Louisiana." +116071,697628,TEXAS,2017,July,Thunderstorm Wind,"HARRISON",2017-07-01 14:30:00,CST-6,2017-07-01 14:30:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-94.07,32.48,-94.07,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Several trees were downed in and around the Waskom, Texas community." +117032,703900,LOUISIANA,2017,July,Heat,"LINCOLN",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703901,LOUISIANA,2017,July,Heat,"JACKSON",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703902,LOUISIANA,2017,July,Heat,"UNION",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703903,LOUISIANA,2017,July,Heat,"OUACHITA",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703904,LOUISIANA,2017,July,Heat,"CALDWELL",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703905,LOUISIANA,2017,July,Heat,"LA SALLE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703906,LOUISIANA,2017,July,Heat,"GRANT",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703907,LOUISIANA,2017,July,Heat,"WINN",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +118438,711711,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-24 15:20:00,EST-5,2017-07-24 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.54,-75.74,41.54,-75.74,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees and wires." +118438,711712,PENNSYLVANIA,2017,July,Thunderstorm Wind,"WYOMING",2017-07-24 15:20:00,EST-5,2017-07-24 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.63,-75.79,41.63,-75.79,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over a tree onto a house." +118438,711713,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LACKAWANNA",2017-07-24 15:30:00,EST-5,2017-07-24 15:40:00,0,0,0,0,1.00K,1000,0.00K,0,41.54,-75.74,41.54,-75.74,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked a tree down across a road." +116686,701681,NEW MEXICO,2017,July,Hail,"LINCOLN",2017-07-01 13:59:00,MST-7,2017-07-01 14:01:00,0,0,0,0,0.00K,0,0.00K,0,33.33,-105.68,33.33,-105.68,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of nickels on the south and east side of Ruidoso." +116686,701682,NEW MEXICO,2017,July,Hail,"LINCOLN",2017-07-01 14:12:00,MST-7,2017-07-01 14:15:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-105.64,33.39,-105.64,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of quarters two miles east-southeast of Alto." +119023,714834,GEORGIA,2017,July,Lightning,"CHATHAM",2017-07-15 12:40:00,EST-5,2017-07-15 13:10:00,0,0,0,0,200.00K,200000,0.00K,0,32.07,-81.29,32.07,-81.29,"Scattered thunderstorms developed in the afternoon hours along the sea breeze. These thunderstorms produced damaging wind gusts and lightning strikes that led to structure fires.","A lightning strike started a house fire on Sussex Retreat in the Savannah Quarters neighborhood. The fire caused significant damage to much of the roof and and second level of the home." +119023,714835,GEORGIA,2017,July,Lightning,"TATTNALL",2017-07-15 14:10:00,EST-5,2017-07-15 14:40:00,0,0,0,0,10.00K,10000,0.00K,0,31.94,-81.93,31.94,-81.93,"Scattered thunderstorms developed in the afternoon hours along the sea breeze. These thunderstorms produced damaging wind gusts and lightning strikes that led to structure fires.","A homeowner reported that lightning struck the side of a house on Auburn Circle. The lightning strike resulted in minor damage to a wall and damage several nearby appliances." +119023,714836,GEORGIA,2017,July,Thunderstorm Wind,"LIBERTY",2017-07-15 15:25:00,EST-5,2017-07-15 15:26:00,0,0,0,0,,NaN,0.00K,0,31.77,-81.4,31.77,-81.4,"Scattered thunderstorms developed in the afternoon hours along the sea breeze. These thunderstorms produced damaging wind gusts and lightning strikes that led to structure fires.","Liberty County dispatch reported a tree down across the roadway on Cay Hill Road between Charlie Butler road and Dog Flea Hill Road." +119024,714837,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-15 16:31:00,EST-5,2017-07-15 16:34:00,0,0,0,0,,NaN,0.00K,0,33.08,-80.01,33.08,-80.01,"Scattered thunderstorms developed in the afternoon hours along the sea breeze. These thunderstorms produced hail in Berkeley County.","The media relayed a Twitter report of pea to nickel sized hail near the intersection of Cypress Gardens road and Old Highway 52." +119002,715158,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-02 16:24:00,EST-5,2017-07-02 16:26:00,0,0,0,0,,NaN,0.00K,0,32.035,-80.903,32.035,-80.903,"A cluster of thunderstorms developed in the afternoon hours across southeast Georgia within a inland surface trough. These thunderstorms moved along the coast and became strong enough to produce strong wind gusts over the Atlantic coastal waters.","The National Ocean Service site at Fort Pulaski measured a 41 knot wind gust." +119003,715159,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-07-03 12:45:00,EST-5,2017-07-03 13:00:00,0,0,0,0,,NaN,0.00K,0,31.418,-81.296,31.418,-81.296,"Isolated to scattered thunderstorms developed throughout the afternoon hours across southeast Georgia. These storms moved to the east and eventually impacted the Atlantic coastal waters with strong wind gusts.","The NERRS site on Sapelo Island measured a 34 knot wind gust with a passing thunderstorm. A peak wind gust of 37 knots occurred 15 minutes later." +119003,715160,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-03 18:24:00,EST-5,2017-07-03 18:26:00,0,0,0,0,,NaN,0.00K,0,32.035,-80.903,32.035,-80.903,"Isolated to scattered thunderstorms developed throughout the afternoon hours across southeast Georgia. These storms moved to the east and eventually impacted the Atlantic coastal waters with strong wind gusts.","The National Ocean Service site at Fort Pulaski measured a 34 knot wind gust." +116547,700838,NORTH DAKOTA,2017,July,Hail,"PEMBINA",2017-07-11 17:18:00,CST-6,2017-07-11 17:18:00,0,0,0,0,,NaN,,NaN,48.76,-97.18,48.76,-97.18,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Large hail covered Interstate 29 near mile point 200." +116547,700840,NORTH DAKOTA,2017,July,Funnel Cloud,"WALSH",2017-07-11 17:29:00,CST-6,2017-07-11 17:29:00,0,0,0,0,0.00K,0,0.00K,0,48.5,-98.19,48.5,-98.19,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A large cone shaped funnel cloud was reported." +116547,700842,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-11 17:41:00,CST-6,2017-07-11 17:41:00,0,0,0,0,,NaN,,NaN,48.13,-97.27,48.13,-97.27,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700843,NORTH DAKOTA,2017,July,Tornado,"GRAND FORKS",2017-07-11 17:50:00,CST-6,2017-07-11 17:56:00,0,0,0,0,,NaN,,NaN,48.13,-97.21,48.0894,-97.1,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","This tornado was observed and reported by spotters located near Manvel and along highway 81 and county road 1, about 6 miles northwest of Manvel. The tornado crossed Interstate 29 just south of exit 157. The tornado broke down large tree branches at multiple shelterbelts and groves along its path. Peak winds were estimated at 75 mph." +116898,702917,MINNESOTA,2017,July,Thunderstorm Wind,"POLK",2017-07-21 15:20:00,CST-6,2017-07-21 15:20:00,0,0,0,0,,NaN,,NaN,47.66,-96.01,47.66,-96.01,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Numerous large branches were blown down around town." +116898,702919,MINNESOTA,2017,July,Thunderstorm Wind,"POLK",2017-07-21 15:25:00,CST-6,2017-07-21 15:25:00,0,0,0,0,,NaN,,NaN,47.66,-95.99,47.66,-95.99,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","At least six to eight large trees were blown down in a yard. One of the trees was uprooted." +120030,719307,WEST VIRGINIA,2017,September,Thunderstorm Wind,"MORGAN",2017-09-05 14:02:00,EST-5,2017-09-05 14:02:00,0,0,0,0,,NaN,,NaN,39.5113,-78.2232,39.5113,-78.2232,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Winchester Grade Road." +120031,719318,MARYLAND,2017,September,Thunderstorm Wind,"WASHINGTON",2017-09-05 14:21:00,EST-5,2017-09-05 14:21:00,0,0,0,0,,NaN,,NaN,39.6701,-77.8865,39.6701,-77.8865,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","Five power poles were down and snapped." +120032,719327,VIRGINIA,2017,September,Thunderstorm Wind,"NELSON",2017-09-05 15:10:00,EST-5,2017-09-05 15:10:00,0,0,0,0,,NaN,,NaN,37.9095,-78.8486,37.9095,-78.8486,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down along Patrick Henry Highway." +120032,719330,VIRGINIA,2017,September,Thunderstorm Wind,"LOUDOUN",2017-09-05 16:46:00,EST-5,2017-09-05 16:46:00,0,0,0,0,,NaN,,NaN,39.0937,-77.7473,39.0937,-77.7473,"A cold front passes through the area. A southerly flow ahead of the boundary led to an unstable atmosphere. Stronger upper-level winds caused deeper shear profiles. The shear profiles combined with lift from the front and an unstable atmosphere to cause some storms to become severe.","A tree was down blocking Silcott Springs Road just north of Shoemaker School Road." +120087,719557,NEW YORK,2017,September,Flash Flood,"YATES",2017-09-14 09:00:00,EST-5,2017-09-14 10:25:00,0,0,0,0,40.00K,40000,0.00K,0,42.6551,-76.9154,42.6494,-76.9172,"A slow moving area of weak low pressure drifted across western and central New York producing areas of heavy rain producing thunderstorms across the Finger Lakes region. Flash flooding, and isolated debris flows, along the western shore of Seneca Lake were the result of local downpours in excess of 2 inches per hour.","A lakeside home was damaged by a torrent of water and debris sliding down a steep hillside on the western shore of Seneca Lake. A portion of the foundation was destroyed, and the lower floor of the residence was filled with mud and debris." +120310,720913,ATLANTIC NORTH,2017,September,Marine Thunderstorm Wind,"CHESAPEAKE BAY FROM LITTLE CREEK, VA, TO CAPE HENRY, VA, INCLUDING THE CHESAPEAKE BAY BRIDGE TUNNEL",2017-09-06 17:54:00,EST-5,2017-09-06 17:54:00,0,0,0,0,0.00K,0,0.00K,0,37.04,-76.08,37.04,-76.08,"Scattered thunderstorms associated with a cold front produced gusty winds across portions of the Chesapeake Bay and Virginia Coastal Waters.","Wind gust of 34 knots was measured at the Chesapeake Bay Bridge Tunnel 3rd Island." +118630,712699,TENNESSEE,2017,July,Heat,"OBION",2017-07-22 17:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118630,712700,TENNESSEE,2017,July,Excessive Heat,"FAYETTE",2017-07-23 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118633,712708,ARKANSAS,2017,July,Heat,"RANDOLPH",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712710,ARKANSAS,2017,July,Heat,"LAWRENCE",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712712,ARKANSAS,2017,July,Heat,"PHILLIPS",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712713,ARKANSAS,2017,July,Heat,"LEE",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712714,ARKANSAS,2017,July,Heat,"ST. FRANCIS",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712717,ARKANSAS,2017,July,Heat,"CROSS",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712718,ARKANSAS,2017,July,Heat,"CRITTENDEN",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712722,ARKANSAS,2017,July,Excessive Heat,"CLAY",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118453,712229,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-04 15:30:00,EST-5,2017-07-04 15:30:00,0,0,0,0,,NaN,,NaN,39.5619,-76.3734,39.5619,-76.3734,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree was down along 1700 Landmark Drive." +118453,712230,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-04 15:34:00,EST-5,2017-07-04 15:34:00,0,0,0,0,,NaN,,NaN,39.5805,-76.3458,39.5805,-76.3458,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree was down at the Harford County Emergency Operations Office." +118453,712231,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-04 15:35:00,EST-5,2017-07-04 15:35:00,0,0,0,0,,NaN,,NaN,39.5567,-76.3751,39.5567,-76.3751,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree fell onto a house along Meadow Road and a tree was also down along Ross Road." +118453,712232,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-04 15:50:00,EST-5,2017-07-04 15:50:00,0,0,0,0,,NaN,,NaN,39.601,-76.2598,39.601,-76.2598,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree was down along MD 136 near Harmony Church Road." +118453,712233,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-04 16:30:00,EST-5,2017-07-04 16:30:00,0,0,0,0,,NaN,,NaN,39.5229,-77.5789,39.5229,-77.5789,"A weak boundary triggered some showers and thunderstorms. A few storms became severe due to an unstable atmosphere.","A tree was down on US 40 at Easterday Road." +118455,712234,VIRGINIA,2017,July,Thunderstorm Wind,"MADISON",2017-07-06 16:50:00,EST-5,2017-07-06 16:50:00,0,0,0,0,,NaN,,NaN,38.36,-78.2994,38.36,-78.2994,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","A tree two feet in diameter was down blocking Thrift Road." +118455,712235,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-06 17:42:00,EST-5,2017-07-06 17:42:00,0,0,0,0,,NaN,,NaN,38.2793,-77.8807,38.2793,-77.8807,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","Five to ten trees were down along Route 20 at Sunflower Lane." +118455,712236,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-06 17:44:00,EST-5,2017-07-06 17:44:00,0,0,0,0,,NaN,,NaN,38.2617,-77.8718,38.2617,-77.8718,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","A tree was down at St. Just Road and Mine Run Road." +118455,712237,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-06 17:44:00,EST-5,2017-07-06 17:44:00,0,0,0,0,,NaN,,NaN,38.2865,-77.8674,38.2865,-77.8674,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","A tree was down on Route 20 between Grasty Gold Mine Road and Burr Run Road." +118455,712238,VIRGINIA,2017,July,Thunderstorm Wind,"SPOTSYLVANIA",2017-07-06 18:15:00,EST-5,2017-07-06 18:15:00,0,0,0,0,,NaN,,NaN,38.2037,-77.6291,38.2037,-77.6291,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","A tree was down on Robert E Lee Drive." +118465,713445,VIRGINIA,2017,July,Thunderstorm Wind,"SPOTSYLVANIA",2017-07-22 17:20:00,EST-5,2017-07-22 17:20:00,0,0,0,0,,NaN,,NaN,38.2321,-77.5326,38.2321,-77.5326,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Several trees were down, including one on a house." +118465,713446,VIRGINIA,2017,July,Thunderstorm Wind,"FREDERICKSBURG (C)",2017-07-22 17:21:00,EST-5,2017-07-22 17:21:00,0,0,0,0,,NaN,,NaN,38.3176,-77.4964,38.3176,-77.4964,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on Greystone Court." +118465,713447,VIRGINIA,2017,July,Thunderstorm Wind,"SPOTSYLVANIA",2017-07-22 17:29:00,EST-5,2017-07-22 17:29:00,0,0,0,0,,NaN,,NaN,38.2316,-77.4057,38.2316,-77.4057,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Two trees were down in the vicinity off Mills Drive and Tidewater Trail." +118465,713448,VIRGINIA,2017,July,Thunderstorm Wind,"GREENE",2017-07-22 20:42:00,EST-5,2017-07-22 20:42:00,0,0,0,0,,NaN,,NaN,38.25,-78.4353,38.25,-78.4353,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Amicus Road and Jonquill Road. Trees were also down on est Daffodil Road and Gardenia Road. Several of those trees fell onto houses." +118465,713449,VIRGINIA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-22 21:00:00,EST-5,2017-07-22 21:00:00,0,0,0,0,,NaN,,NaN,38.2377,-78.2694,38.2377,-78.2694,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down in the 6400 Block of Scuffletown Road." +118465,713450,VIRGINIA,2017,July,Thunderstorm Wind,"ALBEMARLE",2017-07-22 21:08:00,EST-5,2017-07-22 21:08:00,0,0,0,0,,NaN,,NaN,38.041,-78.4976,38.041,-78.4976,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree fell into a structure in the 600 Block of Cabell Avenue." +118465,713451,VIRGINIA,2017,July,Thunderstorm Wind,"ALBEMARLE",2017-07-22 21:15:00,EST-5,2017-07-22 21:15:00,0,0,0,0,,NaN,,NaN,38.0614,-78.4627,38.0614,-78.4627,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Warner Parkway and East Rio Road." +118465,713452,VIRGINIA,2017,July,Thunderstorm Wind,"ALBEMARLE",2017-07-22 21:30:00,EST-5,2017-07-22 21:30:00,0,0,0,0,,NaN,,NaN,38.0414,-78.4952,38.0414,-78.4952,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on power lines on Madison Avenue." +119531,717305,DISTRICT OF COLUMBIA,2017,July,Heat,"DISTRICT OF COLUMBIA",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119532,717306,MARYLAND,2017,July,Heat,"PRINCE GEORGES",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119532,717307,MARYLAND,2017,July,Heat,"CHARLES",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119532,717308,MARYLAND,2017,July,Heat,"CENTRAL AND SOUTHEAST MONTGOMERY",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +119534,717310,DISTRICT OF COLUMBIA,2017,July,Heat,"DISTRICT OF COLUMBIA",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices were reported to be around 105 degrees at Reagan National." +119535,717311,VIRGINIA,2017,July,Heat,"STAFFORD",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119535,717312,VIRGINIA,2017,July,Heat,"PRINCE WILLIAM",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119535,717313,VIRGINIA,2017,July,Heat,"KING GEORGE",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119535,717314,VIRGINIA,2017,July,Heat,"ORANGE",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119535,717315,VIRGINIA,2017,July,Heat,"CULPEPER",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119535,717316,VIRGINIA,2017,July,Heat,"SOUTHERN FAUQUIER",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +116282,699197,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-06 00:33:00,CST-6,2017-07-06 00:33:00,0,0,0,0,,NaN,,NaN,47.17,-97.2,47.17,-97.2,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","A second severe wind gust was measured at a personal weather station." +116282,699198,NORTH DAKOTA,2017,July,Thunderstorm Wind,"TOWNER",2017-07-06 00:09:00,CST-6,2017-07-06 00:09:00,0,0,0,0,,NaN,,NaN,48.47,-99.17,48.47,-99.17,"Severe thunderstorms over central North Dakota moved east-southeast into east central North Dakota during the late evening of July 5th. A little later, additional storms over southern Manitoba also drifted into northeast North Dakota. These storm produced large hail and strong wind gusts.","The wind gust was measured by a NDAWN sensor." +116287,699208,MINNESOTA,2017,July,Hail,"LAKE OF THE WOODS",2017-07-04 19:03:00,CST-6,2017-07-04 19:03:00,0,0,0,0,,NaN,,NaN,49.32,-94.89,49.32,-94.89,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The large hail damaged boats near the Flag Island Resort." +116291,699339,KENTUCKY,2017,July,Thunderstorm Wind,"GALLATIN",2017-07-07 18:05:00,EST-5,2017-07-07 18:10:00,0,0,0,0,3.00K,3000,0.00K,0,38.7813,-84.8944,38.7813,-84.8944,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed in the Warsaw area." +116292,699368,OHIO,2017,July,Thunderstorm Wind,"PIKE",2017-07-07 18:15:00,EST-5,2017-07-07 18:17:00,0,0,0,0,1.00K,1000,0.00K,0,39.0863,-83.0309,39.0863,-83.0309,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A large tree was downed across State Route 104 between Jasper and Lake White." +116292,699372,OHIO,2017,July,Thunderstorm Wind,"SCIOTO",2017-07-07 18:43:00,EST-5,2017-07-07 18:45:00,0,0,0,0,1.00K,1000,0.00K,0,38.7071,-83.077,38.7071,-83.077,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A large tree fell onto U.S. Route 52 near Stoney Run Road." +116292,699352,OHIO,2017,July,Thunderstorm Wind,"HOCKING",2017-07-07 13:30:00,EST-5,2017-07-07 13:32:00,0,0,0,0,2.00K,2000,0.00K,0,39.5807,-82.5218,39.5807,-82.5218,"Showers and thunderstorms developed during the day as a cold front moved through the region.","A few trees were downed." +116347,699623,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-07 20:03:00,EST-5,2017-07-07 20:03:00,0,0,0,0,0.10K,100,0.10K,100,33.9419,-81.122,33.9419,-81.122,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","ASOS unit at Columbia Metropolitan Airport measured a wind gust of 45 MPH, associated with a thunderstorm." +116366,699721,TEXAS,2017,July,Thunderstorm Wind,"FLOYD",2017-07-03 18:50:00,CST-6,2017-07-03 18:50:00,0,0,0,0,0.00K,0,0.00K,0,34,-101.33,34,-101.33,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Measured by a Texas Tech University West Texas mesonet near Floydada." +116366,699722,TEXAS,2017,July,Hail,"HOCKLEY",2017-07-03 18:55:00,CST-6,2017-07-03 18:55:00,0,0,0,0,,NaN,,NaN,33.58,-102.35,33.58,-102.35,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Hail up to the size of quarters was reported. Damage was not known." +116850,703110,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-22 14:57:00,EST-5,2017-07-22 14:57:00,0,0,0,0,0.50K,500,0.00K,0,39.14,-80.42,39.14,-80.42,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","A tree fell on Burnside Addition in Good Hope." +116850,703112,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-22 15:05:00,EST-5,2017-07-22 15:05:00,0,0,0,0,2.00K,2000,0.00K,0,39.16,-80.37,39.16,-80.37,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees fell down along Long Run Road near Lost Creek." +116850,703113,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-22 15:05:00,EST-5,2017-07-22 15:05:00,0,0,0,0,2.00K,2000,0.00K,0,39.16,-80.39,39.16,-80.39,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","A few trees were blown down on Pooh Bear Lane near Lost Creek." +116850,703114,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-22 15:30:00,EST-5,2017-07-22 15:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.26,-81.54,39.26,-81.54,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Multiple trees were downed." +116850,703115,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RITCHIE",2017-07-22 16:20:00,EST-5,2017-07-22 16:20:00,0,0,0,0,2.00K,2000,0.00K,0,39.28,-81.16,39.28,-81.16,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees fell down in the community of Glendale." +116850,703117,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RITCHIE",2017-07-22 16:40:00,EST-5,2017-07-22 16:40:00,0,0,0,0,2.00K,2000,0.00K,0,39.21,-81.14,39.21,-81.14,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Many trees were downed in North Bend State Park." +116850,703118,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-22 16:58:00,EST-5,2017-07-22 16:58:00,0,0,0,0,2.00K,2000,0.00K,0,39.19,-81.38,39.19,-81.38,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were blown down along Progress Ridge Road." +116648,701616,NEW JERSEY,2017,July,Flash Flood,"CUMBERLAND",2017-07-14 15:54:00,EST-5,2017-07-14 15:54:00,0,0,0,0,0.00K,0,0.00K,0,39.4312,-75.2414,39.4427,-75.2335,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several care flooded to rooftop level in Bridgeton and a mudslide on pearl street. 2.16 inches of rain fell in 28 minutes at ASOS site KMIV." +116648,701618,NEW JERSEY,2017,July,Flood,"MONMOUTH",2017-07-13 17:30:00,EST-5,2017-07-13 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-73.99,40.299,-73.9876,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Vehicle stuck at intersection of Westwood and Willow Avenues." +116648,701620,NEW JERSEY,2017,July,Flood,"CUMBERLAND",2017-07-14 15:40:00,EST-5,2017-07-14 15:40:00,0,0,0,0,0.00K,0,0.00K,0,39.3167,-75.1779,39.3168,-75.154,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A few roads were impassable." +116648,701622,NEW JERSEY,2017,July,Flood,"CUMBERLAND",2017-07-14 15:45:00,EST-5,2017-07-14 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4329,-75.2357,39.4342,-75.2414,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Some basement flooding and high water on Mayor Aitken Drive." +116648,701624,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-14 17:00:00,EST-5,2017-07-14 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.046,-74.7668,39.0524,-74.7614,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A video came in with roadway flooding." +116648,701626,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-14 17:20:00,EST-5,2017-07-14 17:20:00,0,0,0,0,0.00K,0,0.00K,0,39.1603,-74.6931,39.1576,-74.687,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several cars in high water." +116648,701629,NEW JERSEY,2017,July,Flood,"MORRIS",2017-07-17 17:40:00,EST-5,2017-07-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-74.57,40.8738,-74.5725,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A roads were flooded." +117047,704266,PENNSYLVANIA,2017,July,Heavy Rain,"CHESTER",2017-07-23 21:04:00,EST-5,2017-07-23 21:04:00,0,0,0,0,,NaN,,NaN,40.08,-75.71,40.08,-75.71,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Just under two inches of rain measured." +117047,704267,PENNSYLVANIA,2017,July,Heavy Rain,"MONTGOMERY",2017-07-24 18:15:00,EST-5,2017-07-24 18:15:00,0,0,0,0,,NaN,,NaN,40.15,-75.34,40.15,-75.34,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Just under two inches of rain measured." +117047,704268,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-24 19:05:00,EST-5,2017-07-24 19:05:00,0,0,0,0,,NaN,,NaN,40.7,-75.71,40.7,-75.71,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Just under two inches of rain measured." +117047,704269,PENNSYLVANIA,2017,July,Heavy Rain,"MONTGOMERY",2017-07-24 19:30:00,EST-5,2017-07-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,40.16,-75.41,40.16,-75.41,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Just under two inches of rain measured." +117047,704270,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-22 16:40:00,EST-5,2017-07-22 16:40:00,0,0,0,0,,NaN,,NaN,40.03,-75.63,40.03,-75.63,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A tree wad downed from thunderstorm winds on Ship road at Pullman drive." +117047,704271,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-22 16:45:00,EST-5,2017-07-22 16:45:00,0,0,0,0,,NaN,,NaN,39.97,-75.57,39.97,-75.57,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Wires downed on Ashbridge road due to thunderstorm winds." +117047,704272,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-22 16:50:00,EST-5,2017-07-22 16:50:00,0,0,0,0,,NaN,,NaN,40,-75.5,40,-75.5,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Trees and wires downed on Dutton mill road due to thunderstorm winds." +117047,704273,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 16:59:00,EST-5,2017-07-22 16:59:00,0,0,0,0,,NaN,,NaN,40.15,-75.42,40.15,-75.42,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A large tree was taken down due to thunderstorm winds on Cross-Keys road." +117047,704274,PENNSYLVANIA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-22 17:00:00,EST-5,2017-07-22 17:00:00,0,0,0,0,,NaN,,NaN,40.04,-75.39,40.04,-75.39,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several trees taken down due to thunderstorm winds." +116345,699587,OHIO,2017,July,Hail,"ATHENS",2017-07-10 16:40:00,EST-5,2017-07-10 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.46,-82.14,39.46,-82.14,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","The hail lasted for about 5 minutes." +116345,699588,OHIO,2017,July,Thunderstorm Wind,"ATHENS",2017-07-10 16:40:00,EST-5,2017-07-10 16:40:00,0,0,0,0,15.00K,15000,0.00K,0,39.49,-82.12,39.4736,-82.0748,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Wind damage consistent with a microburst caused tree damage near Jacksonville. The damage started near Taylor Ridge Road where several trees were uprooted. A section of roof from a single family home was removed. The microburst winds traveled southeast from there, through Jacksonville, were several trees were uprooted along Sunday Creek." +116345,699589,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-10 17:39:00,EST-5,2017-07-10 17:39:00,0,0,0,0,5.00K,5000,0.00K,0,39.26,-81.7,39.26,-81.7,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Multiple trees and power lines were downed in Little Hocking." +116345,699590,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-10 17:46:00,EST-5,2017-07-10 17:46:00,0,0,0,0,2.00K,2000,0.00K,0,39.37,-81.4,39.37,-81.4,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Several trees were uprooted around Reno." +116345,699592,OHIO,2017,July,Thunderstorm Wind,"PERRY",2017-07-10 16:13:00,EST-5,2017-07-10 16:13:00,0,0,0,0,2.00K,2000,0.00K,0,39.59,-82.16,39.59,-82.16,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Multiple trees were blown down in the vicinity of Hemlock." +116345,699593,OHIO,2017,July,Thunderstorm Wind,"ATHENS",2017-07-10 17:15:00,EST-5,2017-07-10 17:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.26,-81.98,39.26,-81.98,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","The survey team found several trees down in the area. This included along Sand Ridge Road, Mill School Road and Fossil Rock Road." +117309,705513,NEW MEXICO,2017,July,Flash Flood,"UNION",2017-07-29 20:00:00,MST-7,2017-07-29 22:30:00,0,0,0,0,0.00K,0,0.00K,0,36.9985,-103.1867,36.923,-103.0034,"A widespread surge of deep monsoon moisture continued to shift northward over New Mexico toward the end of July. Slow-moving showers and thunderstorms developed over the high terrain during the late morning hours then pushed into nearby highlands and valleys through the afternoon. Several of these storms produced torrential rainfall rates over two inches per hour. Numerous reports of minor flooding were received over central and western New Mexico. The most significant flooding occurred around Gallup as runoff from heavy rainfall flooded state road 118 between Church Rock and Wingate. The road was closed for more than a day. Another storm developed over Glenwood and produced nearly two inches of rainfall in around one hour. This rain fell on already saturated grounds from recent heavy rains. Whitewater Creek overflowed its banks along the road to the Catwalk. The rush of water produced a flash flood in Glenwood over U.S. Highway 180. The heaviest rainfall occurred along the Dry Cimarron in northern Union County as a back door cold front approached from Colorado. Radar derived rainfall amounts indicated between three and five inches of rain fell in this area, producing a 17 feet rise on the river in just four hours at the Kenton, Oklahoma gauge. Ranchers across northern Union County were not able to get home due to flooded roads along the river. The peak water level of 22.31 feet was just 0.01 feet from the all-time record of 22.32 feet set in 1965. Torrential rainfall also occurred later in the night around Curry and Roosevelt counties. Portales reported between three and four inches of rainfall. No major flooding occurred, however this rainfall led to saturated grounds and set the stage for serious flooding over the coming days.","Torrential rainfall for several hours produced a 17 feet rise on the Dry Cimarron River at the Kenton, Oklahoma gauge in just four hours. Several ranchers in northern Union County were unable to get home due to flooded roadways along the river." +117469,706481,INDIANA,2017,July,Flash Flood,"WAYNE",2017-07-16 23:30:00,EST-5,2017-07-17 00:30:00,0,0,0,0,0.00K,0,0.00K,0,39.954,-84.9861,39.8924,-84.9861,"Scattered thunderstorms produced localized flooding and isolated large hail during the late evening hours of July 16th and the early morning hours of July 17th.","High water was reported across several roads between Greens Fork and Fountain City." +117469,706482,INDIANA,2017,July,Hail,"FRANKLIN",2017-07-17 00:02:00,EST-5,2017-07-17 00:04:00,0,0,0,0,0.00K,0,0.00K,0,39.43,-85.03,39.43,-85.03,"Scattered thunderstorms produced localized flooding and isolated large hail during the late evening hours of July 16th and the early morning hours of July 17th.","" +117463,706453,ILLINOIS,2017,July,Thunderstorm Wind,"WAYNE",2017-07-23 04:05:00,CST-6,2017-07-23 04:14:00,0,0,0,0,0.00K,0,0.00K,0,38.45,-88.4,38.45,-88.4,"A fast-moving complex of thunderstorms raced east-southeast from east central Missouri into southern Illinois. Clusters of thunderstorms organized into a squall line over southern Illinois, producing increasingly organized swaths of wind damage. The environment over southern Illinois was characterized by moderately strong instability, with most-unstable layer cape values from 2000 to 3000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied an elevated cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","A trained spotter reported the severe winds persisted for up to ten minutes." +117488,706589,INDIANA,2017,July,Flood,"SPENCER",2017-07-06 10:15:00,CST-6,2017-07-06 12:15:00,0,0,0,0,0.00K,0,0.00K,0,37.8749,-87.0449,37.8928,-87.0459,"An east-west line of showers and thunderstorms drifted southward, producing locally heavy rain along its path. The activity was associated with a 500 mb shortwave trough that extended from the Great Lakes region southward across the lower Ohio Valley. A surface trough of low pressure was oriented almost directly underneath the 500 mb trough.","Several streets were flooded in Rockport, including the main street through town." +117487,706588,ILLINOIS,2017,July,Flood,"FRANKLIN",2017-07-06 08:15:00,CST-6,2017-07-06 10:15:00,0,0,0,0,0.00K,0,0.00K,0,37.9,-88.92,37.891,-88.9197,"An east-west line of showers and thunderstorms drifted southward, producing locally heavy rain along its path. The activity was associated with a 500 mb shortwave trough that extended from the Great Lakes region southward across the lower Ohio Valley. A surface trough of low pressure was oriented almost directly underneath the 500 mb trough.","A trained spotter reported six inches of water over both lanes of Route 149 in the Frankfort Heights area, which is on the east side of West Frankfort." +117512,706809,ILLINOIS,2017,July,Heat,"WAYNE",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706810,ILLINOIS,2017,July,Heat,"WHITE",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117512,706811,ILLINOIS,2017,July,Heat,"WILLIAMSON",2017-07-26 10:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 111 degrees at most sites. The highest heat indices at some of the larger cities included 108 degrees at Carbondale, 110 at Mount Vernon, and 109 at Metropolis and Cairo. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117554,706966,KENTUCKY,2017,July,Funnel Cloud,"DAVIESS",2017-07-03 13:14:00,CST-6,2017-07-03 13:19:00,0,0,0,0,0.00K,0,0.00K,0,37.7705,-87.1959,37.7717,-87.17,"An isolated shower or weak thunderstorm near the Owensboro airport spawned a non-supercell funnel cloud. The activity was along a weak warm front that extended from central Missouri east-southeast across the Lower Ohio Valley.","A funnel cloud was observed northwest of the Owensboro airport by control tower personnel. The duration of the eastward moving funnel cloud was about five minutes." +117464,706463,INDIANA,2017,July,Thunderstorm Wind,"SPENCER",2017-07-23 05:37:00,CST-6,2017-07-23 05:37:00,0,0,0,0,20.00K,20000,0.00K,0,38.049,-87.03,38.199,-86.98,"A squall line of thunderstorms moved quickly east-southeast across southwest Indiana, producing pockets of wind damage along and north of Interstate 64. The environment over southwest Indiana was characterized by moderately strong instability, with most-unstable layer cape values around 2000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied a cold front aloft at 850 mb. This elevated cold front was preceded by a southwest wind flow near 30 knots. Locally heavy rain occurred, causing minor flooding of some roads.","Numerous trees were down across northwestern parts of the county. Interstate 64 was blocked for a time." +117464,706464,INDIANA,2017,July,Thunderstorm Wind,"SPENCER",2017-07-23 05:40:00,CST-6,2017-07-23 05:45:00,0,0,0,0,10.00K,10000,0.00K,0,38.17,-86.9121,38.17,-86.82,"A squall line of thunderstorms moved quickly east-southeast across southwest Indiana, producing pockets of wind damage along and north of Interstate 64. The environment over southwest Indiana was characterized by moderately strong instability, with most-unstable layer cape values around 2000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied a cold front aloft at 850 mb. This elevated cold front was preceded by a southwest wind flow near 30 knots. Locally heavy rain occurred, causing minor flooding of some roads.","Numerous trees were blown down across northeast parts of the county. Trees were down in St. Meinrad." +117468,706476,INDIANA,2017,July,Thunderstorm Wind,"PIKE",2017-07-26 16:40:00,EST-5,2017-07-26 16:40:00,0,0,0,0,1.00K,1000,0.00K,0,38.3095,-87.1539,38.3095,-87.1539,"Northeast of a weak stationary front that extended from southern Illinois southeast across western Kentucky, clusters of thunderstorms developed during the heat of the day. One storm briefly pulsed up to severe levels over southwest Indiana.","A tree was blown down across Highway 64, blocking both lanes of traffic just west of Highway 257." +117245,705109,KENTUCKY,2017,July,Thunderstorm Wind,"CALLOWAY",2017-07-01 15:48:00,CST-6,2017-07-01 15:53:00,0,0,0,0,40.00K,40000,0.00K,0,36.62,-88.2298,36.5818,-88.2418,"Isolated thunderstorms developed during the heat of the day along a weak surface trough that extended from Ohio southwest across western Kentucky. The storms were aided by a weak 500 mb shortwave trough over Missouri. A few of the storms produced damaging microbursts and large hail.","East of Murray, a significant area of wind damage extended from Kentucky Highway 94 south to Kentucky Highway 121. Power poles were broken and trees were down along Kentucky Highway 94 between Highways 280 and 732. To the south of this damage, trees were blown down on Kentucky Highway 121. The underpinning of a trailer was blown off and the front door was blown in. Numerous trees were blown down between Kentucky Highways 94 and 121." +117245,705106,KENTUCKY,2017,July,Hail,"CALLOWAY",2017-07-01 15:50:00,CST-6,2017-07-01 15:50:00,0,0,0,0,1.00K,1000,0.00K,0,36.62,-88.2298,36.62,-88.2298,"Isolated thunderstorms developed during the heat of the day along a weak surface trough that extended from Ohio southwest across western Kentucky. The storms were aided by a weak 500 mb shortwave trough over Missouri. A few of the storms produced damaging microbursts and large hail.","Quarter-size hail lasted about three minutes and broke a window." +117310,705514,NEW MEXICO,2017,July,Flash Flood,"SANDOVAL",2017-07-30 11:30:00,MST-7,2017-07-30 12:30:00,0,0,0,0,0.00K,0,0.00K,0,35.311,-106.4228,35.3126,-106.4213,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Observer reported Las Huertas Creek flooding over Tecolote Road. Six to eight inches of water, mud, and rocks covered roadway." +117310,705515,NEW MEXICO,2017,July,Hail,"BERNALILLO",2017-07-30 12:12:00,MST-7,2017-07-30 12:13:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-106.3,35.16,-106.3,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Hail up to the size of pennies." +117844,708302,ARKANSAS,2017,July,Flash Flood,"LAWRENCE",2017-07-14 16:48:00,CST-6,2017-07-14 19:15:00,0,0,0,0,0.00K,0,0.00K,0,36.246,-91.2696,36.2306,-91.2655,"Slow moving thunderstorms produced flash flooding across portions of northeast Arkansas during the late afternoon of July 14th.","High water covering streets in Ravenden." +116486,700547,MONTANA,2017,July,Thunderstorm Wind,"MCCONE",2017-07-16 18:18:00,MST-7,2017-07-16 18:18:00,0,0,0,0,0.00K,0,0.00K,0,47.69,-105.49,47.69,-105.49,"Upper level west to southwest flow combined with the elevated heat sources over central Montana, igniting a few thunderstorms that moved into the area. With dry surface conditions, outflow boundaries spread out from these storms with thunderstorms forming along some of those. Some of the storms produced gusty winds and hail.","A 58 mph wind gust was measured at the Cow Creek MT-13 DOT site." +116486,700546,MONTANA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-16 18:32:00,MST-7,2017-07-16 18:32:00,0,0,0,0,0.00K,0,0.00K,0,47.11,-104.76,47.11,-104.76,"Upper level west to southwest flow combined with the elevated heat sources over central Montana, igniting a few thunderstorms that moved into the area. With dry surface conditions, outflow boundaries spread out from these storms with thunderstorms forming along some of those. Some of the storms produced gusty winds and hail.","Thunderstorm winds temporarily knocked out power in West Glendive, MT, as well as north of Glendive. The report was received from a trained spotter via social media. Time of event is consistent with a 57 mph wind gust that was measured at the Glendive Airport ASOS." +117860,708370,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 22:00:00,MST-7,2017-07-16 22:00:00,0,0,0,0,8.00K,8000,0.00K,0,33.49,-112.33,33.49,-112.33,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed over the central and western portion of the greater Phoenix area during the evening hours on July 16th; some of the stronger storms produced strong damaging outflow winds which impacted the community of Litchfield Park. According to a broadcast media report, at 2200MST gusty winds estimated at 60 mph downed several trees. One of the fallen trees knocked down part of a block wall. The damage occurred near the intersection of West Indian School Road and North Dysart Road, approximately 2 miles southeast of Litchfield Park. No injuries were reported due to the downed trees." +119597,717519,CONNECTICUT,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-13 14:23:00,EST-5,2017-07-13 14:23:00,0,0,0,0,1.00K,1000,,NaN,41.2367,-73.439,41.2367,-73.439,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","A tree was reported down along Mountain Road in northern Wilton." +118150,710039,RHODE ISLAND,2017,July,Flood,"KENT",2017-07-07 14:48:00,EST-5,2017-07-07 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.7304,-71.4426,41.7291,-71.4551,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 2 inches of rain to Rhode Island. The heaviest rainfall occurred in Central Rhode Island.","At 248 PM EST, heavy rain caused street flooding on Kilvert Street in Warwick. The street was closed." +118139,709961,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 13:25:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.6765,-70.5305,41.6796,-70.4737,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","Between 1:25 and 2:30 PM EST, Hillside Road and West Crossfield Street in Sandwich were reported flooded and impassible. A mudslide from a construction are flowed onto Acadamy Road in Sandwich. A car was stuck in flood waters on Spinnaker Street. Cotuit Road and Pimlico Pnd Road were flooded and impassable." +118139,710012,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 13:43:00,EST-5,2017-07-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.633,-70.3846,41.6332,-70.3843,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 143 PM EST, Oak Road Ridge in Osterville was flooded and impassable." +118139,710027,MASSACHUSETTS,2017,July,Flood,"DUKES",2017-07-07 12:26:00,EST-5,2017-07-07 14:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3392,-70.7507,41.3401,-70.7485,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 1226 PM EST, significant street flooding was reported on State Road in Chilmark, between Catherine's Way and Millbrook Road." +118139,710030,MASSACHUSETTS,2017,July,Flood,"DUKES",2017-07-07 13:12:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.4567,-70.5582,41.4511,-70.5632,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 112 PM EST, a car was stuck in flood waters on Circuit Avenue in Oak Bluffs." +118139,709958,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 13:17:00,EST-5,2017-07-07 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.7071,-70.3947,41.7079,-70.3926,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 117 PM EST, half of Cedar Street in West Barnstable was reported flooded and washed out. West Barnstable Emergency Management reported 4.74 inches of rain." +116976,704996,WEST VIRGINIA,2017,July,Flood,"HARRISON",2017-07-29 05:15:00,EST-5,2017-07-29 20:00:00,0,0,0,0,100.00K,100000,0.00K,0,39.352,-80.4757,39.3008,-80.2858,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Following flash flooding overnight, lingering high water closed multiple roads across northern Harrison County. This included, Route 3 in Wyatt, and Gregorys Run Road near Robey. In the Clarksburg area, Limestone Road, Crooked Run Road and Howard Run Road all remained closed into the afternoon. The West Fork River at Enterprise also crested above bankfull, with the gauge reporting a crest of almost 21 feet, or 4 feet above bankfull level." +116976,705001,WEST VIRGINIA,2017,July,Flood,"TAYLOR",2017-07-29 06:30:00,EST-5,2017-07-29 08:30:00,0,0,0,0,299.00K,299000,0.00K,0,39.2397,-80.143,39.3154,-79.9181,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Following a prolonged period of heavy rainfall, high water closed numerous roads across Taylor County. The Department of Highways reported over 20 county roads were closed at one point. Northwest of Grafton, Tucker Run Road had a culvert wash out. Old WV 73 was also closed due to high water in southern Taylor County." +112308,722837,NEW JERSEY,2017,February,Winter Storm,"SOMERSET",2017-02-09 03:30:00,EST-5,2017-02-09 14:30:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 8.0 inches in Basking Ridge, 6.2 inches in Warren Township, and 6.0 inches in Green Brook Township." +119686,717863,COLORADO,2017,August,Hail,"KIT CARSON",2017-08-02 16:25:00,MST-7,2017-08-02 16:25:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-102.87,39.3,-102.87,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","Hail slightly larger than quarters, according to the picture, occurred,." +119686,717864,COLORADO,2017,August,Hail,"CHEYENNE",2017-08-02 17:29:00,MST-7,2017-08-02 17:29:00,0,0,0,0,,NaN,0.00K,0,38.9383,-103.0094,38.9383,-103.0094,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","The hail was mostly quarter to ping-pong ball size, covering the ground. Wind driven hail broke windows. No report of how many windows were broken." +119686,717865,COLORADO,2017,August,Hail,"CHEYENNE",2017-08-02 17:45:00,MST-7,2017-08-02 17:45:00,0,0,0,0,,NaN,0.00K,0,38.8259,-103.0059,38.8259,-103.0059,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","The hail stripped leaves from the trees in town and covered the ground. The hail also broke some windows in town. No report of how many windows were broken. The hail ranged from dime to nickel in size." +117671,707603,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.3519,-73.4354,43.33,-73.4505,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Route 196 closed due to flooding in Hartford and Kingsbury." +117671,707602,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.4059,-73.2656,43.4057,-73.2601,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","The intersection of Church Street and Route 22 was closed due to flooding. Water over the roadway was also reported on Factory Street." +112308,722838,NEW JERSEY,2017,February,Winter Storm,"MIDDLESEX",2017-02-09 04:30:00,EST-5,2017-02-09 15:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 7.0 inches in Franklin Park, and 6.0 inches in Port Reading." +116400,700145,NEBRASKA,2017,July,Hail,"GOSPER",2017-07-02 20:38:00,CST-6,2017-07-02 20:38:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-100.01,40.39,-100.01,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118818,713831,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-05 21:12:00,CST-6,2017-07-05 21:12:00,0,0,0,0,0.00K,0,0.00K,0,43.85,-99.56,43.85,-99.56,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713832,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SPINK",2017-07-05 18:25:00,CST-6,2017-07-05 18:25:00,0,0,0,0,,NaN,0.00K,0,45.16,-98.58,45.16,-98.58,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Sixty mph winds downed some large tree branches along with causing some roof damage." +118818,713747,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 17:22:00,CST-6,2017-07-05 17:22:00,0,0,0,0,,NaN,,NaN,45.52,-98.6,45.52,-98.6,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118736,713286,NEBRASKA,2017,July,Hail,"DOUGLAS",2017-07-03 15:50:00,CST-6,2017-07-03 15:50:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-96.24,41.28,-96.24,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","" +118736,713287,NEBRASKA,2017,July,Hail,"DOUGLAS",2017-07-03 16:10:00,CST-6,2017-07-03 16:10:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-96.32,41.33,-96.32,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","Ping pong ball size hail reported reported at Loves gas station in Valley,NE." +118736,713288,NEBRASKA,2017,July,Hail,"DOUGLAS",2017-07-03 16:15:00,CST-6,2017-07-03 16:15:00,0,0,0,0,0.00K,0,0.00K,0,41.34,-96.37,41.34,-96.37,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","" +118736,713289,NEBRASKA,2017,July,Hail,"CEDAR",2017-07-03 16:57:00,CST-6,2017-07-03 16:57:00,0,0,0,0,0.00K,0,0.00K,0,42.62,-97.26,42.62,-97.26,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","" +120445,721586,MISSOURI,2017,July,Thunderstorm Wind,"CALLAWAY",2017-07-23 00:05:00,CST-6,2017-07-23 00:10:00,0,0,0,0,0.00K,0,0.00K,0,38.8488,-91.9765,38.85,-91.93,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down numerous trees around town." +120445,721587,MISSOURI,2017,July,Thunderstorm Wind,"AUDRAIN",2017-07-23 00:55:00,CST-6,2017-07-23 01:15:00,0,0,0,0,0.00K,0,0.00K,0,39.2749,-91.6905,39.2767,-91.4856,"A mesoscale convective complex moved east across forecast area. There were numerous reports of damaging winds as well as some large hail.","Thunderstorm winds blew down numerous trees across the eastern half of Audrain County." +119273,716208,MISSOURI,2017,July,Excessive Heat,"ST. LOUIS (C)",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716209,MISSOURI,2017,July,Excessive Heat,"WARREN",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119604,717529,NEW YORK,2017,July,Thunderstorm Wind,"WESTCHESTER",2017-07-13 13:32:00,EST-5,2017-07-13 13:32:00,0,0,0,0,2.50K,2500,,NaN,41.3263,-73.8332,41.3263,-73.8332,"A cold front pushing south through the Lower Hudson Valley triggered a severe thunderstorm in Westchester County.","Trees were reported down on wires on Stoney Street, south of East Main Street near Shrub Oak." +119597,717512,CONNECTICUT,2017,July,Lightning,"NEW LONDON",2017-07-13 13:20:00,EST-5,2017-07-13 13:20:00,1,0,0,0,,NaN,,NaN,41.4439,-71.8852,41.4439,-71.8852,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","A man was struck by lightning near the cattle barn at the North Stonington Fairgrounds." +116479,700490,TEXAS,2017,July,Thunderstorm Wind,"SWISHER",2017-07-16 13:05:00,CST-6,2017-07-16 13:05:00,0,0,0,0,0.00K,0,0.00K,0,34.5411,-101.7375,34.5411,-101.7375,"A pulse thunderstorm collapsed near Tulia (Swisher County) early this afternoon resulting in a severe wind gust to 58 mph. Other storms throughout the region produced moderate to heavy rainfall and minor flooding, including in the city of Lubbock.","Measured by a Texas Tech University West Texas mesonet northeast of Tulia." +116479,700491,TEXAS,2017,July,Heavy Rain,"LUBBOCK",2017-07-16 12:36:00,CST-6,2017-07-16 13:23:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-101.82,33.5942,-101.8326,"A pulse thunderstorm collapsed near Tulia (Swisher County) early this afternoon resulting in a severe wind gust to 58 mph. Other storms throughout the region produced moderate to heavy rainfall and minor flooding, including in the city of Lubbock.","Heavy rain of 1.76 inches was measured at the Lubbock International Airport from a stationary thunderstorm. Radar estimated similar heavy rains extending south to downtown Lubbock resulting in minor flooding of many streets including ponds at Mackenzie Park. The heavy rain forced the cancellation of a large outdoor concert at the park in advance of the 4th of July fireworks re-do scheduled for the evening." +116393,699909,TEXAS,2017,July,Thunderstorm Wind,"BRISCOE",2017-07-03 01:39:00,CST-6,2017-07-03 01:39:00,0,0,0,0,0.00K,0,0.00K,0,34.4312,-101.1865,34.4312,-101.1865,"A continuation of active northwest flow aloft supported a small squall line that tracked from the south-central Texas Panhandle through the Rolling Plains before daybreak. One severe wind gust was recorded by a Texas Tech University West Texas mesonet in Briscoe County with these storms.","Measured by a Texas Tech University West Texas mesonet." +116403,700082,NEBRASKA,2017,July,Thunderstorm Wind,"GREELEY",2017-07-08 16:33:00,CST-6,2017-07-08 16:33:00,0,0,0,0,5.00K,5000,0.00K,0,41.55,-98.3946,41.55,-98.3946,"A few isolated storms developed in the late afternoon and early evening hours on this Saturday. The first storms formed in a southwest-northeast oriented line roughly from McCook to Broken Bow to O'Neill around 2 PM CST. Most of these storms were weak, not lasting long. The most potent and persistent storms affected portions of Greeley, Howard, and Sherman Counties. However, even these storms did not last long, only affecting these counties between 4 and 730 PM CST. These storms did exhibit some supercell characteristics as they drifted slowly south while all other storms to the southwest moved southeast with the mean wind. One of these storms dropped south through eastern Greeley County and was responsible for producing estimated winds of 60 to 70 mph, with downed power lines in one known location. Another storm formed over the southwest part of the County and produced hail the size of half dollars near Scotia. The last severe thunderstorm formed over northern Howard County. This storm propagated due south across the County, producing significant severe hail. Hail up to the size of baseballs was reported in Loup City. One observer indicated that hail lasted around 20 minutes on the north side of town where the largest hail was the size of ping pong balls.||During the early morning hours on the previous day, a weak cool front dropped south across Nebraska with its western edge banked up against the Rockies. A weak low tracked southeast down the stalled portion of the front from Montana, eventually forcing the front eastward as it moved into South Dakota during the morning on this Saturday. As the day progressed, the front and weak low dropped into western and central Nebraska. The flow aloft was moderately amplified with a subtropical high over the Intermountain West and a trough over the Appalachians. Northwest flow was over the Central Plains. Just prior to the storms moving in, temperatures were in the lower 90s with dewpoints in the upper 50s and lower 60s. Mid-level lapse rates were poor, resulting in MLCAPE between 1000 and 1900 J/kg. Effective deep layer shear was 30 to 35 kts with 0-3 km SRH around 100 m2/s2.","Wind gusts were estimated to be near 70 MPH. Power lines were knocked down in the area." +116403,700086,NEBRASKA,2017,July,Hail,"SHERMAN",2017-07-08 18:20:00,CST-6,2017-07-08 18:40:00,0,0,0,0,2.00M,2000000,500.00K,500000,41.28,-98.98,41.28,-98.98,"A few isolated storms developed in the late afternoon and early evening hours on this Saturday. The first storms formed in a southwest-northeast oriented line roughly from McCook to Broken Bow to O'Neill around 2 PM CST. Most of these storms were weak, not lasting long. The most potent and persistent storms affected portions of Greeley, Howard, and Sherman Counties. However, even these storms did not last long, only affecting these counties between 4 and 730 PM CST. These storms did exhibit some supercell characteristics as they drifted slowly south while all other storms to the southwest moved southeast with the mean wind. One of these storms dropped south through eastern Greeley County and was responsible for producing estimated winds of 60 to 70 mph, with downed power lines in one known location. Another storm formed over the southwest part of the County and produced hail the size of half dollars near Scotia. The last severe thunderstorm formed over northern Howard County. This storm propagated due south across the County, producing significant severe hail. Hail up to the size of baseballs was reported in Loup City. One observer indicated that hail lasted around 20 minutes on the north side of town where the largest hail was the size of ping pong balls.||During the early morning hours on the previous day, a weak cool front dropped south across Nebraska with its western edge banked up against the Rockies. A weak low tracked southeast down the stalled portion of the front from Montana, eventually forcing the front eastward as it moved into South Dakota during the morning on this Saturday. As the day progressed, the front and weak low dropped into western and central Nebraska. The flow aloft was moderately amplified with a subtropical high over the Intermountain West and a trough over the Appalachians. Northwest flow was over the Central Plains. Just prior to the storms moving in, temperatures were in the lower 90s with dewpoints in the upper 50s and lower 60s. Mid-level lapse rates were poor, resulting in MLCAPE between 1000 and 1900 J/kg. Effective deep layer shear was 30 to 35 kts with 0-3 km SRH around 100 m2/s2.","Hail up to the size of baseballs fell across Loup City, lasting about 20 minutes." +118840,713949,TEXAS,2017,July,Heat,"BEXAR",2017-07-22 14:00:00,CST-6,2017-07-22 18:00:00,0,29,0,10,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A hot and humid airmass settled over South Central Texas. Thirty-nine people were discovered in a hot semi-trailer just after��midnight��on Sunday, July 23rd in southwestern San Antonio. The San Antonio Fire Department reported that 8 people died at the scene. Two others died after being taken to hospitals. Twenty-nine others were treated for heat related illnesses. High temperatures ranged from 100-104 degrees across the San Antonio metro area on Saturday, July 22nd. Peak heat index values were estimated to have been around 101-105 degrees.","Thirty-nine people were discovered in a hot semi-trailer just after��midnight��on Sunday, July 23rd in southwestern San Antonio. The San Antonio Fire Department reported that 8 people died at the scene. Two others died after being taken to hospitals. Twenty-nine others were treated for heat related illnesses. High temperatures ranged from 100-104 degrees across the San Antonio metro area on Saturday, July 22nd. Peak heat index values were estimated to have been around 101-105 degrees." +119273,716196,MISSOURI,2017,July,Excessive Heat,"JEFFERSON",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +116820,703540,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:44:00,CST-6,2017-06-14 17:49:00,0,0,0,0,,NaN,,NaN,31.8355,-102.37,31.8355,-102.37,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +116533,700753,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-16 18:15:00,EST-5,2017-07-16 18:20:00,0,0,0,0,0.10K,100,0.10K,100,34.1358,-80.8818,34.1338,-80.8832,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","Public reported, via social media, multiple vehicles stalled in floodwaters behind a grocery store at Villages of Sandhills Mall." +117589,707339,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 14:20:00,EST-5,2017-07-01 16:15:00,0,0,0,0,3.10M,3100000,0.00K,0,42.85,-76.37,42.97,-76.48,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Skaneateles. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707340,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 14:24:00,EST-5,2017-07-01 16:15:00,0,0,0,0,18.00K,18000,0.00K,0,43.06,-76.04,42.99,-76.02,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Manlius. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707342,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 14:33:00,EST-5,2017-07-01 16:15:00,0,0,0,0,88.00K,88000,0.00K,0,42.85,-76.21,42.78,-76.2,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Tully. Culverts and roads were washed out in several places. Some residences experienced flooding." +127112,761685,ALASKA,2017,December,Blizzard,"SRN SEWARD PENINSULA COAST",2017-12-30 00:00:00,AKST-9,2017-12-31 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure and associated frontal boundary produced local blizzard conditions along the Bering strait from December 30 to 31st 2017. ||Zone 213: Blizzard conditions were observed at the Gambell AWOS on Saint Lawrence Island. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 48 kt (55 mph) at the Gambell AWOS.||Zone 213: Blizzard conditions were observed at the Nome ASOS. The visibility was reduced to one quarter mile or less in snow and blowing snow. There was a peak wind gust of 44 kt (50 mph) at the Nome ASOS.","" +123922,743757,ALASKA,2017,December,High Wind,"DENALI",2017-12-04 00:00:00,AKST-9,2017-12-05 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong pressure gradient developed in channeled areas of the Alaska range on the 4th of December.||zone 223: Peak wind gust of 62 kt (70 mph) reported at OP5 mesonet site at Fort Greely.||zone 225: Peak wind gust of 62 kt (70 mph) reported at Antler Creek mesonet.||zone 225: Peak wind gust of 66 kt (76 mph) reported at Texas Condo mesonet.||zone 224: Peak wind gust of 65 kt (75 mph) reported at Robertson river.","" +127110,761649,ALASKA,2017,December,High Wind,"NE. SLOPES OF THE ERN AK RNG",2017-12-22 08:06:00,AKST-9,2017-12-23 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High wind in channeled areas of the Alaska Range on December 22nd 2017.||Zone 226: The U.S. Army Mesonet station Texas Condo reported a wind gust to 65 kts (75 mph).||zone 225: Peak wind gust of 64 kt (74 mph) reported at Antler Creek mesonet.","" +116938,703315,TEXAS,2017,June,Hail,"HOWARD",2017-06-15 19:05:00,CST-6,2017-06-15 19:25:00,0,0,0,0,,NaN,,NaN,32.28,-101.33,32.28,-101.33,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +116565,702154,TEXAS,2017,June,Thunderstorm Wind,"PECOS",2017-06-12 15:45:00,CST-6,2017-06-12 15:45:00,0,0,0,0,10.00K,10000,0.00K,0,31.17,-103,31.17,-103,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Pecos County and produced wind damage. The power was knocked out in Coyanosa. The cost of damage is a very rough estimate." +116565,703345,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-12 17:15:00,CST-6,2017-06-12 17:15:00,0,0,0,0,100.00K,100000,0.00K,0,31.85,-102.37,31.85,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Ector County and produced wind damage in several locations. The damage consisted of fences and walls blown over, the front doors at a local Walmart damaged, trees uprooted, a trampoline blown out of a yard, and parts of roofs being blown off. The cost of damage is a very rough estimate." +119182,715757,CALIFORNIA,2017,July,Wildfire,"GREATER LAKE TAHOE AREA",2017-07-10 12:00:00,PST-8,2017-07-12 18:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Farad Fire broke out on the north and west side of Interstate 80 early in the afternoon on the 10th. It was mostly wrapped up and contained by the 15th.","The Farad Fire burned 747 acres in the steep terrain on the north and west side of Interstate 80 about 1 mile west of the California-Nevada state line, mostly on the 10th and 11th. The incident caused periodic closures of Interstate 80 on the 10th into the afternoon of the 11th due to fire fighting activities. A few power poles were damaged near Interstate 80. As the burn was in steep terrain with narrow canyons, it likely contributed to mudslides and debris flows which affected Interstate 80 in August." +119059,715913,INDIANA,2017,July,Hail,"ELKHART",2017-07-07 07:13:00,EST-5,2017-07-07 07:14:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-85.97,41.69,-85.97,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715915,INDIANA,2017,July,Hail,"ELKHART",2017-07-07 07:13:00,EST-5,2017-07-07 07:14:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-86.01,41.69,-86.01,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715917,INDIANA,2017,July,Hail,"LA PORTE",2017-07-07 06:30:00,CST-6,2017-07-07 06:31:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-86.84,41.45,-86.84,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715922,INDIANA,2017,July,Hail,"WELLS",2017-07-07 10:11:00,EST-5,2017-07-07 10:12:00,0,0,0,0,0.00K,0,0.00K,0,40.74,-85.17,40.74,-85.17,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715923,INDIANA,2017,July,Hail,"STARKE",2017-07-07 11:27:00,CST-6,2017-07-07 11:28:00,0,0,0,0,0.00K,0,0.00K,0,41.19,-86.82,41.19,-86.82,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715924,INDIANA,2017,July,Hail,"PULASKI",2017-07-07 12:45:00,CST-6,2017-07-07 12:46:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-86.63,40.99,-86.63,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119059,715928,INDIANA,2017,July,Thunderstorm Wind,"ELKHART",2017-07-07 03:40:00,EST-5,2017-07-07 03:41:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-85.97,41.69,-85.97,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a tree was blown down onto a house." +117969,709151,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MORTON",2017-07-14 18:00:00,CST-6,2017-07-14 18:03:00,0,0,0,0,0.00K,0,0.00K,0,46.79,-100.91,46.79,-100.91,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","A trained spotter estimated thunderstorm wind gusts of 60 mph." +117969,709148,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MCLEAN",2017-07-14 16:58:00,CST-6,2017-07-14 17:02:00,0,0,0,0,0.00K,0,0.00K,0,47.2,-100.94,47.2,-100.94,"A cold front pushed into western and central North Dakota where elevated instability and a dry lower atmosphere were noted. Severe thunderstorms developed with strong wind gusts and large hail. The largest hail report was golf ball size in McHenry County, and the strongest thunderstorm wind gust report was 69 mph in Morton County.","A trained spotter estimated thunderstorm wind gusts of 65 mph." +117981,709159,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MCLEAN",2017-07-16 21:00:00,CST-6,2017-07-16 21:04:00,0,0,0,0,0.00K,0,0.00K,0,47.66,-101.42,47.66,-101.42,"Short-lived thunderstorms developed over the area in the evening and overnight hours. Two storms became severe producing strong wind gusts, with one producing extensive tree damage in Karlsruhe.","" +117981,714556,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MCHENRY",2017-07-16 23:50:00,CST-6,2017-07-16 23:55:00,0,0,0,0,15.00K,15000,0.00K,0,48.09,-100.62,48.09,-100.62,"Short-lived thunderstorms developed over the area in the evening and overnight hours. Two storms became severe producing strong wind gusts, with one producing extensive tree damage in Karlsruhe.","Large tree branches were broken down throughout the city of Karlsruhe." +118949,714557,NORTH DAKOTA,2017,July,Thunderstorm Wind,"EMMONS",2017-07-18 02:45:00,CST-6,2017-07-18 02:50:00,0,0,0,0,15.00K,15000,0.00K,0,46.14,-100.16,46.14,-100.16,"A broad area of thunderstorms formed over southern North Dakota during the early morning hours. One storm became severe and produced damaging wind gusts in Emmons County.","Several large tree branches broke in the city of Strasburg. A pay-loader had to be used to remove some branches." +119107,715329,NORTH DAKOTA,2017,July,Hail,"HETTINGER",2017-07-31 13:15:00,MST-7,2017-07-31 13:18:00,0,0,0,0,0.00K,0,0.00K,0,46.51,-102.13,46.51,-102.13,"Thunderstorms developed along a cold front in an environment with enhanced instability and modest deep layer shear. Some thunderstorms became severe producing large hail.","" +119107,715330,NORTH DAKOTA,2017,July,Hail,"HETTINGER",2017-07-31 13:30:00,MST-7,2017-07-31 13:33:00,0,0,0,0,0.00K,0,20.00K,20000,46.53,-102.1,46.53,-102.1,"Thunderstorms developed along a cold front in an environment with enhanced instability and modest deep layer shear. Some thunderstorms became severe producing large hail.","Barley crops were damaged by the hail." +119107,715331,NORTH DAKOTA,2017,July,Hail,"HETTINGER",2017-07-31 13:55:00,MST-7,2017-07-31 13:59:00,0,0,0,0,0.00K,0,0.00K,0,46.4,-102.2,46.4,-102.2,"Thunderstorms developed along a cold front in an environment with enhanced instability and modest deep layer shear. Some thunderstorms became severe producing large hail.","" +119096,715223,NORTH DAKOTA,2017,July,Hail,"SLOPE",2017-07-20 14:30:00,MST-7,2017-07-20 14:35:00,0,0,0,0,0.00K,0,0.00K,0,46.56,-103.71,46.56,-103.71,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715222,NORTH DAKOTA,2017,July,Hail,"MCKENZIE",2017-07-20 14:24:00,MST-7,2017-07-20 14:27:00,0,0,0,0,0.00K,0,0.00K,0,47.66,-103.28,47.66,-103.28,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715224,NORTH DAKOTA,2017,July,Thunderstorm Wind,"SLOPE",2017-07-20 14:47:00,MST-7,2017-07-20 14:52:00,0,0,0,0,400.00K,400000,0.00K,0,46.48,-103.53,46.48,-103.53,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","A hopper style grain bin was destroyed at a ranch. Electrical poles in the area were snapped." +119096,715225,NORTH DAKOTA,2017,July,Hail,"SLOPE",2017-07-20 15:05:00,MST-7,2017-07-20 15:09:00,0,0,0,0,0.00K,0,0.00K,0,46.56,-103.71,46.56,-103.71,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +118038,709583,NORTH CAROLINA,2017,July,Thunderstorm Wind,"JONES",2017-07-08 21:12:00,EST-5,2017-07-08 21:12:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-77.48,35.23,-77.48,"A few thunderstorms developed and became severe, producing some wind damage.","A tree fell down across Tilghman Road near Roy White Road." +118038,709584,NORTH CAROLINA,2017,July,Thunderstorm Wind,"JONES",2017-07-08 21:29:00,EST-5,2017-07-08 21:29:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-77.47,35.19,-77.47,"A few thunderstorms developed and became severe, producing some wind damage.","Tree limbs were reported down in the road on Jenkins Road/State Road 1314." +118040,709586,NORTH CAROLINA,2017,July,Flash Flood,"ONSLOW",2017-07-15 18:45:00,EST-5,2017-07-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.814,-77.4079,34.8128,-77.4095,"A few thunderstorms became severe and produced localized flash flooding and wind damage.","Water was reported covering Ramsey Road north of Jacksonville." +118709,713157,ALABAMA,2017,July,Thunderstorm Wind,"TALLADEGA",2017-07-06 16:25:00,CST-6,2017-07-06 16:26:00,0,0,0,0,0.00K,0,0.00K,0,33.44,-86.03,33.44,-86.03,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted near the intersection of Ironaton Road and Stockdale Road." +118709,713148,ALABAMA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-04 13:35:00,CST-6,2017-07-04 13:36:00,0,0,0,0,0.00K,0,0.00K,0,33.5879,-85.8557,33.5879,-85.8557,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","" +119221,715946,ALABAMA,2017,July,Thunderstorm Wind,"ST. CLAIR",2017-07-17 13:30:00,CST-6,2017-07-17 13:31:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-86.46,33.6,-86.46,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted near the city of Moody." +119221,715952,ALABAMA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-17 14:14:00,CST-6,2017-07-17 14:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4518,-86.7798,33.4518,-86.7798,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted on Sunset Drive." +119461,716957,TEXAS,2017,July,Wildfire,"FOARD",2017-07-29 12:00:00,CST-6,2017-07-29 21:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"The Rasberry fire in Foard County burned an estimated 500 acres on the 29th.","" +118720,713223,GULF OF MEXICO,2017,July,Waterspout,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-07-17 07:32:00,CST-6,2017-07-17 07:32:00,0,0,0,0,0.00K,0,0.00K,0,30.0674,-90.3474,30.0674,-90.3474,"Several waterspouts developed during morning shower and thunderstorm activity over Lake Pontchartrain.","A cluster of thunderstorms yielded 3 waterspouts over southwest Lake Pontchartrain." +118720,713225,GULF OF MEXICO,2017,July,Waterspout,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-07-19 04:47:00,CST-6,2017-07-19 04:47:00,0,0,0,0,0.00K,0,0.00K,0,30.1861,-89.8084,30.1861,-89.8084,"Several waterspouts developed during morning shower and thunderstorm activity over Lake Pontchartrain.","A NWS employee sighted a waterspout associated with a shower just east of the Twin Span Bridge south of Eden Isle." +119467,716974,KANSAS,2017,July,Heavy Rain,"STANTON",2017-07-29 02:00:00,CST-6,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.4,-101.76,37.4,-101.76,"An upper level trough or weak closed cyclone in northwest Arizona/southwest Colorado moved into eastern Colorado. The richest low level moisture streamed into far western Kansas and eastern Colorado, and another cluster of thunderstorms formed in eastern Colorado and moved into western Kansas. Considerable mid and high level moisture streamed from the tropical eastern Pacific across the southwestern United States into the Central Plains and supported high rainfall rates with localized very heavy rainfall.","Rainfall was 2.30 inches." +119467,716975,KANSAS,2017,July,Heavy Rain,"MORTON",2017-07-29 02:00:00,CST-6,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.33,-101.85,37.33,-101.85,"An upper level trough or weak closed cyclone in northwest Arizona/southwest Colorado moved into eastern Colorado. The richest low level moisture streamed into far western Kansas and eastern Colorado, and another cluster of thunderstorms formed in eastern Colorado and moved into western Kansas. Considerable mid and high level moisture streamed from the tropical eastern Pacific across the southwestern United States into the Central Plains and supported high rainfall rates with localized very heavy rainfall.","Rainfall was 2.75 inches." +119467,716976,KANSAS,2017,July,Heavy Rain,"MORTON",2017-07-29 02:00:00,CST-6,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.37,-101.77,37.37,-101.77,"An upper level trough or weak closed cyclone in northwest Arizona/southwest Colorado moved into eastern Colorado. The richest low level moisture streamed into far western Kansas and eastern Colorado, and another cluster of thunderstorms formed in eastern Colorado and moved into western Kansas. Considerable mid and high level moisture streamed from the tropical eastern Pacific across the southwestern United States into the Central Plains and supported high rainfall rates with localized very heavy rainfall.","Rainfall was 1.80 inches." +119467,716973,KANSAS,2017,July,Heavy Rain,"MORTON",2017-07-29 02:00:00,CST-6,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,37.26,-101.79,37.26,-101.79,"An upper level trough or weak closed cyclone in northwest Arizona/southwest Colorado moved into eastern Colorado. The richest low level moisture streamed into far western Kansas and eastern Colorado, and another cluster of thunderstorms formed in eastern Colorado and moved into western Kansas. Considerable mid and high level moisture streamed from the tropical eastern Pacific across the southwestern United States into the Central Plains and supported high rainfall rates with localized very heavy rainfall.","Rainfall was 2.95 inches." +119453,716927,ALABAMA,2017,July,Thunderstorm Wind,"BALDWIN",2017-07-26 16:55:00,CST-6,2017-07-26 16:57:00,0,0,0,0,0.00K,0,0.00K,0,30.3589,-87.631,30.3589,-87.631,"Strong thunderstorms developed across the area and produced high winds which caused some damage in southwest Alabama.","Measured by Weatherflow site XGLF." +117583,707092,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 14:12:00,CST-6,2017-07-08 14:12:00,0,0,0,0,1.00K,1000,0.00K,0,31.3,-85.72,31.3,-85.72,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a power line." +117583,707093,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 14:24:00,CST-6,2017-07-08 14:24:00,0,0,0,0,0.00K,0,0.00K,0,31.4502,-85.638,31.4502,-85.638,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree blew down onto a car on Tanyard Ave." +117583,707095,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 14:25:00,CST-6,2017-07-08 14:25:00,0,0,0,0,0.00K,0,0.00K,0,31.38,-85.64,31.38,-85.64,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Logan Road." +117583,707096,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 14:40:00,CST-6,2017-07-08 14:40:00,0,0,0,0,0.00K,0,0.00K,0,31.4402,-85.6298,31.4402,-85.6298,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Matthew Ave." +117583,707097,ALABAMA,2017,July,Thunderstorm Wind,"HENRY",2017-07-08 14:55:00,CST-6,2017-07-08 14:55:00,0,0,0,0,0.00K,0,0.00K,0,31.53,-85.2577,31.53,-85.2577,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on County Road 99." +117583,707098,ALABAMA,2017,July,Thunderstorm Wind,"HENRY",2017-07-08 15:07:00,CST-6,2017-07-08 15:07:00,0,0,0,0,0.00K,0,0.00K,0,31.5301,-85.2258,31.5301,-85.2258,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on County Road 53." +117583,707099,ALABAMA,2017,July,Thunderstorm Wind,"HENRY",2017-07-08 15:07:00,CST-6,2017-07-08 15:07:00,0,0,0,0,0.00K,0,0.00K,0,31.5698,-85.2363,31.5698,-85.2363,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A power line was blown down on East Washington Street." +117583,707101,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-08 15:12:00,CST-6,2017-07-08 15:12:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-85.63,31.48,-85.63,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on E County Road 36." +117584,707105,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-14 13:54:00,CST-6,2017-07-14 13:54:00,0,0,0,0,5.00K,5000,0.00K,0,31.42,-85.67,31.42,-85.67,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree blew down on a residence and a power pole was snapped." +117584,707106,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-14 14:12:00,CST-6,2017-07-14 14:12:00,0,0,0,0,0.00K,0,0.00K,0,31.48,-85.64,31.48,-85.64,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on North Union Road." +117734,707939,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 18:55:00,EST-5,2017-07-20 18:55:00,0,0,0,0,0.00K,0,0.00K,0,29.2,-82.21,29.2,-82.21,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","A tree was blown down on a home at NW 15th Place. The time was based on radar." +117734,707941,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 19:00:00,EST-5,2017-07-20 19:00:00,0,0,0,0,0.00K,0,0.00K,0,29.04,-82.21,29.04,-82.21,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines were blown down on SW 128th Place. The time of damage was based on radar." +117734,707942,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-20 19:11:00,EST-5,2017-07-20 19:11:00,0,0,0,0,0.00K,0,0.00K,0,29.12,-82.41,29.12,-82.41,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Power lines and trees were blown down along SW 180th Avenue. A brush fire also occurred due to the damage. The time was based on radar." +117734,707944,FLORIDA,2017,July,Thunderstorm Wind,"UNION",2017-07-20 19:37:00,EST-5,2017-07-20 19:37:00,0,0,0,0,0.00K,0,0.00K,0,30,-82.44,30,-82.44,"A mid/upper low pressure center was east of the local Atlantic coast. Drier air with PWAT values of 1.65 inches was funneling over the area under fairly light steering flow. Both sea breezes developed and pressed inland through the day, with a few severe storms developing which were enhanced by the drier mid level air on the subsident side of the low offshore.","Trees and power lines were blown down across SW 113th Avenue. The time was based on radar." +117761,708035,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-21 16:57:00,EST-5,2017-07-21 16:57:00,0,0,0,0,1.00K,1000,0.00K,0,30.06,-82.84,30.06,-82.84,"Both sea breezes moved inland under fairly light steering flow with a merger across inland areas during the late afternoon and evening. A mid level low overhead with 500 mb temperatures near -9 deg C increased diurnal instability, which aided a severe storm to develop over Suwannee County.","Several trees were blown down on 45th Drive. The cost of damage was estimated so that this event could be included in Storm Data." +117761,708036,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-21 17:45:00,EST-5,2017-07-21 17:45:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-82.91,30.16,-82.91,"Both sea breezes moved inland under fairly light steering flow with a merger across inland areas during the late afternoon and evening. A mid level low overhead with 500 mb temperatures near -9 deg C increased diurnal instability, which aided a severe storm to develop over Suwannee County.","Trees and power lines were blown down on 77th Drive and County Road 252." +117194,704883,HAWAII,2017,July,High Surf,"OAHU KOOLAU",2017-07-20 14:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704884,HAWAII,2017,July,High Surf,"OLOMANA",2017-07-20 14:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704885,HAWAII,2017,July,High Surf,"MOLOKAI WINDWARD",2017-07-20 10:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704886,HAWAII,2017,July,High Surf,"MAUI WINDWARD WEST",2017-07-20 06:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704887,HAWAII,2017,July,High Surf,"WINDWARD HALEAKALA",2017-07-20 06:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704888,HAWAII,2017,July,High Surf,"SOUTH BIG ISLAND",2017-07-20 06:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117194,704889,HAWAII,2017,July,High Surf,"BIG ISLAND NORTH AND EAST",2017-07-20 06:00:00,HST-10,2017-07-23 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A swell from Hurricane Fernanda generated surf of 6 to 9 feet along the east-facing shores of Kauai, Oahu, Molokai, Maui, and the Big Island of Hawaii. No significant property damage or injuries were reported.","" +117195,704890,HAWAII,2017,July,Heavy Rain,"HONOLULU",2017-07-24 07:14:00,HST-10,2017-07-24 09:37:00,0,0,0,0,0.00K,0,0.00K,0,21.6245,-157.934,21.411,-158.1592,"An upper trough induced heavy showers and isolated thunderstorms as the remnants of former Tropical Cyclone Fernanda moved through the island chain. The isles mainly affected were Oahu and Maui. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +117195,704891,HAWAII,2017,July,Heavy Rain,"MAUI",2017-07-24 14:34:00,HST-10,2017-07-24 16:31:00,0,0,0,0,0.00K,0,0.00K,0,20.9365,-156.3166,20.8001,-156.504,"An upper trough induced heavy showers and isolated thunderstorms as the remnants of former Tropical Cyclone Fernanda moved through the island chain. The isles mainly affected were Oahu and Maui. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +118856,714079,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MOODY",2017-07-22 01:09:00,CST-6,2017-07-22 01:09:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-96.69,44.18,-96.69,"An upper level storm system that produced thunderstorms earlier in central South Dakota continued to cause more storms to develop into the early morning hours. Hail and strong thunderstorm winds were pretty widespread with these storms.","A large tree was downed and laid across the road." +118856,714081,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MOODY",2017-07-22 01:21:00,CST-6,2017-07-22 01:21:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-96.54,44.14,-96.54,"An upper level storm system that produced thunderstorms earlier in central South Dakota continued to cause more storms to develop into the early morning hours. Hail and strong thunderstorm winds were pretty widespread with these storms.","A seven inch tree split." +118857,714085,MINNESOTA,2017,July,Thunderstorm Wind,"PIPESTONE",2017-07-22 01:38:00,CST-6,2017-07-22 01:38:00,0,0,0,0,0.00K,0,0.00K,0,44,-96.31,44,-96.31,"Thunderstorms responsible for strong winds and resulted in plenty of tree damage continued as they moved into southwest Minnesota.","A tree fell onto a car in town." +118858,714087,IOWA,2017,July,Hail,"SIOUX",2017-07-22 02:34:00,CST-6,2017-07-22 02:34:00,0,0,0,0,0.00K,0,0.00K,0,43,-96.48,43,-96.48,"Thunderstorms responsible for strong winds and resulted in plenty of tree damage continued as they moved into northwest Iowa.","" +118868,714152,SOUTH DAKOTA,2017,July,Hail,"BROOKINGS",2017-07-25 15:28:00,CST-6,2017-07-25 15:28:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-96.69,44.51,-96.69,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +118868,714153,SOUTH DAKOTA,2017,July,Hail,"SANBORN",2017-07-25 15:45:00,CST-6,2017-07-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-98.23,43.89,-98.23,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +118868,714155,SOUTH DAKOTA,2017,July,Hail,"MINER",2017-07-25 16:00:00,CST-6,2017-07-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.85,44.01,-97.85,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +118868,714156,SOUTH DAKOTA,2017,July,Hail,"MINER",2017-07-25 16:42:00,CST-6,2017-07-25 16:42:00,0,0,0,0,0.00K,0,0.00K,0,44.17,-97.72,44.17,-97.72,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +118868,714158,SOUTH DAKOTA,2017,July,Hail,"SANBORN",2017-07-25 19:54:00,CST-6,2017-07-25 19:54:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-98.03,43.93,-98.03,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +116427,700202,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-10 13:59:00,EST-5,2017-07-10 14:01:00,0,0,0,0,3.00K,3000,0.00K,0,40.08,-83.12,40.08,-83.12,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","A tree fell onto an SUV." +116427,700205,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-10 14:38:00,EST-5,2017-07-10 14:40:00,0,0,0,0,2.00K,2000,0.00K,0,40.12,-82.51,40.12,-82.51,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Several trees were downed on Dry Creek Road." +116427,700207,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-10 15:00:00,EST-5,2017-07-10 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.986,-82.9863,39.9861,-82.9848,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Interstate 71 was closed at 5th Avenue due to high water." +116427,700208,OHIO,2017,July,Hail,"FRANKLIN",2017-07-10 15:07:00,EST-5,2017-07-10 15:09:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-83.07,39.87,-83.07,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700210,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-10 15:15:00,EST-5,2017-07-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,39.97,-82.88,39.9711,-82.8742,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Several roads were closed along Hamilton Road due to high water." +116427,700215,OHIO,2017,July,Hail,"FAIRFIELD",2017-07-10 15:25:00,EST-5,2017-07-10 15:27:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-82.6,39.73,-82.6,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Quarter to Ping Pong sized Hail fell in the Lancaster area." +116427,700217,OHIO,2017,July,Hail,"FRANKLIN",2017-07-10 15:41:00,EST-5,2017-07-10 15:43:00,0,0,0,0,0.00K,0,0.00K,0,39.84,-83.11,39.84,-83.11,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700219,OHIO,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-10 15:45:00,EST-5,2017-07-10 15:47:00,0,0,0,0,3.00K,3000,0.00K,0,39.68,-82.43,39.68,-82.43,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Several trees were downed at the intersection of State Routes 312 and 664." +116427,700220,OHIO,2017,July,Hail,"PICKAWAY",2017-07-10 15:46:00,EST-5,2017-07-10 15:48:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-83.06,39.77,-83.06,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700221,OHIO,2017,July,Hail,"PICKAWAY",2017-07-10 15:55:00,EST-5,2017-07-10 15:57:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-82.96,39.72,-82.96,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700222,OHIO,2017,July,Thunderstorm Wind,"HOCKING",2017-07-10 16:23:00,EST-5,2017-07-10 16:27:00,0,0,0,0,20.00K,20000,0.00K,0,39.51,-82.17,39.51,-82.17,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Numerous trees and power lines were downed." +116533,700768,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-16 15:24:00,EST-5,2017-07-16 15:25:00,0,0,0,0,,NaN,,NaN,34.1594,-80.8434,34.1594,-80.8434,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","SCHP reported multiple trees down on Bookman Rd and Jay Dr." +116533,700771,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"KERSHAW",2017-07-16 17:26:00,EST-5,2017-07-16 17:29:00,0,0,0,0,,NaN,,NaN,34.17,-80.81,34.17,-80.81,"A nearly stationary surface boundary and a moist atmosphere led to thunderstorms that produced locally heavy rainfall and flooding over some areas.","SCHP reported trees down on Bookman Rd in Kershaw Co." +116559,700879,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-18 15:20:00,EST-5,2017-07-18 15:25:00,0,0,0,0,,NaN,,NaN,34.0928,-81.0236,34.0928,-81.0236,"An upper and surface trough combined with daytime heating to produce widely scattered thunderstorms in the late afternoon and evening, a few of which produced strong winds enhanced by dry air aloft.","Richland Co dispatch reported multiple trees down in the Crane Creek area north of Interstate 20." +116559,700881,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTERFIELD",2017-07-18 19:32:00,EST-5,2017-07-18 19:36:00,0,0,0,0,,NaN,,NaN,34.74,-80.18,34.74,-80.18,"An upper and surface trough combined with daytime heating to produce widely scattered thunderstorms in the late afternoon and evening, a few of which produced strong winds enhanced by dry air aloft.","Chesterfield Co dispatch reported multiple trees down on Hwy 9 in Ruby." +116559,700882,SOUTH CAROLINA,2017,July,Hail,"CHESTERFIELD",2017-07-18 19:32:00,EST-5,2017-07-18 19:34:00,0,0,0,0,0.10K,100,0.10K,100,34.7446,-80.1829,34.7446,-80.1829,"An upper and surface trough combined with daytime heating to produce widely scattered thunderstorms in the late afternoon and evening, a few of which produced strong winds enhanced by dry air aloft.","Ruby VFD reported pea size hail near Hwy 9 in Ruby." +118973,714610,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-19 12:52:00,EST-5,2017-07-19 12:55:00,0,0,0,0,,NaN,,NaN,34.37,-80.95,34.37,-80.95,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Public reported a tree down blocking both lanes of US Hwy 21 N. Time estimated based on radar." +118973,714611,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-19 13:38:00,EST-5,2017-07-19 13:40:00,0,0,0,0,,NaN,,NaN,33.54,-80.79,33.54,-80.79,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Tree and power line downed on Farmstead Lane near the intersection of Langley Rd. Time estimated based on radar." +118973,714612,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-19 14:28:00,EST-5,2017-07-19 14:30:00,0,0,0,0,,NaN,,NaN,33.92,-80.42,33.92,-80.42,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Sumter Co dispatch reported a tree down on Hidden Bay Dr. Time estimated based on radar." +118973,714613,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BAMBERG",2017-07-19 14:40:00,EST-5,2017-07-19 14:43:00,0,0,0,0,,NaN,,NaN,33.1,-81.01,33.1,-81.01,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Edisto Elec Coop reported a small tree down on power lines near Ehrhardt." +117832,708277,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-12 18:30:00,MST-7,2017-07-12 18:30:00,0,0,0,0,3.00K,3000,0.00K,0,33.6,-111.86,33.6,-111.86,"Isolated to scattered thunderstorms developed across portions of the greater Phoenix area during the late afternoon and evening hours on July 12th. For the most part the stronger storms developed over higher terrain locations from Scottsdale and Fountain Hills eastward into the higher terrain of southern Gila County. Still, a few storms did affect the Scottsdale area and they produced gusty outflow winds over 40 mph which managed to blow down some trees. One of the trees ended up falling down and blocking a road. The thunderstorms resulted in the issuance of several Severe Thunderstorm Warnings as well as Significant Weather Advisories due to the damaging wind potential.","Thunderstorms developed across portions of Scottsdale and Fountain Hills during the evening hours on July 12th and some of the stronger storms produced gusty outflow winds estimated to be at least 40 mph in strength. According to a trained weather spotter located 3 miles southeast of North Scottsdale, gusty winds around 40 mph downed 2 trees near 101st Street and East Cactus Road. One of the downed trees was blocking a road." +117834,708279,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-14 16:40:00,MST-7,2017-07-14 16:40:00,0,0,0,0,0.00K,0,0.00K,0,33.71,-112.2,33.71,-112.2,"Thunderstorms developed during the afternoon hours across the greater Phoenix metropolitan area on July 14th and some of the stronger storms produced strong gusty outflow wind measured to be as high as 60 mph. The gusty winds were also responsible for generating areas of dense blowing dust; at about 1700MST dust storm conditions were reported at Luke Air Force Base in west Phoenix as visibility dropped to one quarter of a mile. Although Dust Storm Warnings were not issued, a Blowing Dust Advisory was issued for portions of the greater Phoenix area during the afternoon hours. The strong outflow winds did not produce any reported damage.","Strong thunderstorms developed in the Lake Pleasant area, over the far northern portion of the greater Phoenix area, during the mid afternoon hours on July 14th. Gusty outflow winds to 60 mph spread south into the northern portions of the greater Phoenix area and at 1640MST, a member of the public reported that wind gusts estimated at 60 mph were detected 6 miles northwest of Deer Valley. Blowing dust was associated with the strong winds however visibilities were above one quarter of a mile." +118584,712368,LOUISIANA,2017,July,Tornado,"CALCASIEU",2017-07-15 12:14:00,CST-6,2017-07-15 12:15:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-93.46,30.2807,-93.46,"Numerous afternoon storms occurred across South Louisiana and one produced a landspout near Sulphur when a couple of outflow boundaries collided.","According to multiple pictures on social media and reports a tornado briefly touched down in a field north of Sulphur. No damage occurred. The landspout developed after outflows collided." +118585,715618,LOUISIANA,2017,July,Tornado,"ST. MARY",2017-07-19 16:30:00,CST-6,2017-07-19 16:31:00,0,0,0,0,0.00K,0,0.00K,0,29.7069,-91.1494,29.7164,-91.1512,"An afternoon of unsettled weather produced a waterspout over Lake Palourde.","Multiple social media posts and reports from law enforcement indicated a waterspout formed over Lake Pauourde. The waterspout dissipated before reaching land." +118081,709686,ARIZONA,2017,July,Heavy Rain,"PINAL",2017-07-21 17:30:00,MST-7,2017-07-21 20:30:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-111.1,33.3,-111.1,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix area, including east valley communities from Mesa eastward through Superior, during the late afternoon and evening hours on July 21st. Some of the stronger storms produced intense rainfall with peak rain rates between 3 and 4 inches per hour and this led to episodes of flooding and flash flooding in communities such as Apache Junction, located between Phoenix and the higher terrain of southern Gila County. Several Flood Advisory products were issued for the area as well as a Flash Flood Warning; the Weekes Wash in Apache Junction experienced flash flooding although no injuries or water rescues ensued due to the flooding. In addition to the heavy rains, there was a brief episode of dense blowing dust near Queen Creek as strong thunderstorm outflow winds moved through the area stirring up dust and dirt.","Thunderstorms with very heavy rain developed across the higher terrain areas well to the east of Phoenix during the late afternoon and evening hours on July 21st and some of the stronger storms affected the community of Superior. At 1900MST a trained spotter located 1 mile northeast of Superior measured 0.74 inches of rain within a 45 minute period. Heavy rain such as reported by the spotter resulted in the issuance of a Flood Advisory for the area around Superior; the advisory was first issued at 1727MST and continued through 2030MST. The flooding resulted in very hazardous driving conditions for motorists in the area, especially since some of the advisory took place at night." +118081,709689,ARIZONA,2017,July,Dust Storm,"CENTRAL DESERTS",2017-07-21 18:30:00,MST-7,2017-07-21 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix area, including east valley communities from Mesa eastward through Superior, during the late afternoon and evening hours on July 21st. Some of the stronger storms produced intense rainfall with peak rain rates between 3 and 4 inches per hour and this led to episodes of flooding and flash flooding in communities such as Apache Junction, located between Phoenix and the higher terrain of southern Gila County. Several Flood Advisory products were issued for the area as well as a Flash Flood Warning; the Weekes Wash in Apache Junction experienced flash flooding although no injuries or water rescues ensued due to the flooding. In addition to the heavy rains, there was a brief episode of dense blowing dust near Queen Creek as strong thunderstorm outflow winds moved through the area stirring up dust and dirt.","Strong thunderstorms developed across the southeast portion of the greater Phoenix area during the late afternoon hours on July 21st, and some of them produced gusty outflow winds estimated to be at least 40 mph in strength. The winds were sufficient to stir up localized areas of dense blowing dust; at 1837MST a trained spotter located 6 miles northeast of Queen Creek reported a dust storm. The spotter estimated visibility down to one quarter of a mile in dense blowing dust. A Dust Storm Warning was not issued and no accidents were reported due to the sharply restricted visibility." +117267,705345,NEBRASKA,2017,July,Hail,"GARDEN",2017-07-07 18:07:00,MST-7,2017-07-07 18:07:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-102.07,41.33,-102.07,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","" +117267,705346,NEBRASKA,2017,July,Hail,"CHERRY",2017-07-07 20:00:00,CST-6,2017-07-07 20:00:00,0,0,0,0,,NaN,,NaN,42.17,-101.76,42.17,-101.76,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","Golf ball sized hail broke two windows at a homestead and produced minor vehicle damage." +117267,705347,NEBRASKA,2017,July,Hail,"GRANT",2017-07-07 19:45:00,MST-7,2017-07-07 19:45:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-101.72,41.97,-101.72,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","" +117267,705348,NEBRASKA,2017,July,Hail,"DEUEL",2017-07-07 19:50:00,MST-7,2017-07-07 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-102.26,41.01,-102.26,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","" +117267,705349,NEBRASKA,2017,July,Thunderstorm Wind,"SHERIDAN",2017-07-07 21:30:00,MST-7,2017-07-07 21:30:00,0,0,0,0,,NaN,,NaN,42.03,-102.46,42.03,-102.46,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","Public estimated winds at 60 mph, which blew an anchored trampoline 20 yards into a power line and broke." +117267,705350,NEBRASKA,2017,July,Thunderstorm Wind,"GARDEN",2017-07-07 22:20:00,MST-7,2017-07-07 22:20:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-102.34,41.87,-102.34,"A few supercells developed in the panhandle during the evening, producing up to golf ball size hail in Cherry County. A funnel cloud was also reported with a storm in Deuel County. One storm grew into a quasi-linear system at night, producing severe wind gusts in the panhandle.","Public estimated 60 mph wind gusts." +117268,705351,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-08 15:42:00,CST-6,2017-07-08 15:42:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-98.55,41.83,-98.55,"Isolated thunderstorms moved southeast across north central Nebraska during the afternoon of July 8. One storm became a supercell and produced severe hail and wind near Bartlett.","" +117172,704812,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GALVESTON BAY",2017-07-09 21:43:00,CST-6,2017-07-09 21:43:00,0,0,0,0,0.00K,0,0.00K,0,29.42,-94.89,29.42,-94.89,"Several marine thunderstorms wind gusts were reported in and around the Galveston Bay area.","Marine thunderstorm wind gust was measured at WeatherFlow site XLEV." +117172,704814,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GALVESTON BAY",2017-07-09 22:00:00,CST-6,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,29.25,-94.85,29.25,-94.85,"Several marine thunderstorms wind gusts were reported in and around the Galveston Bay area.","Marine thunderstorm wind gust was measured at WeatherFlow site XGPR." +117174,704817,GULF OF MEXICO,2017,July,Waterspout,"GALVESTON BAY",2017-07-17 10:15:00,CST-6,2017-07-17 10:18:00,0,0,0,0,0.00K,0,0.00K,0,29.65,-95.01,29.65,-95.01,"A waterspout was sighted in Galveston Bay near La Porte.","A waterspout that lasted around three minutes was sighted just off the coast of Sylvan Beach Park near La Porte." +117176,704820,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-07-15 16:33:00,CST-6,2017-07-15 16:33:00,0,0,0,0,0.00K,0,0.00K,0,28.9435,-95.3458,28.9435,-95.3458,"Marine thunderstorm wind gusts were observed.","Marine thunderstorm wind gust was measured at WeatherFlow site Freeport-Pine." +116843,702581,WASHINGTON,2017,July,Wildfire,"YAKIMA VALLEY",2017-07-20 07:00:00,PST-8,2017-07-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large wildfire burned amid the grass and sagebrush of the military's Yakima Training Center in Washington state. The fire grew to 50 square miles (129 square kilometers) by Friday morning, but was not threatening any structures.","A fire burned 24,650 acres of grass and sagebrush on the Army's Yakima Training Center in Yakima county. Fire increased rapidly on the 20th due to gusty winds. A brief evacuation order was issued for 225 members of the Wanapum village near the Priest Rapids Dam. No structures were damaged or lost. Fire was 99% contained by late on the 24th or early on the 25th. Spot forecasts were provide by NWS PDT." +117824,708259,CALIFORNIA,2017,July,Heat,"INDIAN WELLS VLY",2017-07-07 12:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 110 and 115 degrees at several locations from July 7 through July 9." +117825,708261,CALIFORNIA,2017,July,Flash Flood,"KERN",2017-07-09 13:45:00,PST-8,2017-07-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,34.859,-119.1787,34.8574,-119.1435,"Mid level moisture streamed into the area from the southeast during the morning of July 9 as a result of an influx of moisture from a collapsing thunderstorm complex. The moisture produced thunderstorms over the Kern County Mountains during the afternoon of July 9. One thunderstorms produced flash flooding in Pine Mountain Club west of the Grapevine.","Photos posted on Facebook of moving water in the Pine Mountain Club." +118254,712576,MONTANA,2017,July,Drought,"RICHLAND",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Richland County entered July already experiencing severe (D2) to extreme (D3) drought conditions. By the end of the month, the entire county was experiencing extreme (D3) drought. Rainfall amounts were generally between a half of an inch and three quarters of an inch, which is approximately one and a half to two inches below normal for the month." +118254,712577,MONTANA,2017,July,Drought,"DAWSON",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Dawson County entered July experiencing continued severe (D2) drought conditions. These conditions persisted, with northern portions of Dawson County degrading to extreme (D3) drought conditions by the end on the month. Rainfall totals were generally between one half of an inch to one inch, which is one to two inches below normal for the month." +118254,712578,MONTANA,2017,July,Drought,"PRAIRIE",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Prairie County entered July already experiencing severe (D2) drought conditions. By the end of the month, severe drought persisted and worsened to extreme (D3) over western Prairie County. Rainfall amounts were generally between one half of an inch and one inch, which is over an inch below average for the month." +119421,716703,TEXAS,2017,July,Thunderstorm Wind,"ARCHER",2017-07-23 18:45:00,CST-6,2017-07-23 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-98.69,33.81,-98.69,"A stationary front draped across Oklahoma lit up with storms on the afternoon and evening of the 23rd. A few storms made it down to western north Texas as well.","Trees and tree limbs downed." +119421,716704,TEXAS,2017,July,Thunderstorm Wind,"WICHITA",2017-07-23 18:45:00,CST-6,2017-07-23 18:45:00,0,0,0,0,5.00K,5000,0.00K,0,34.0505,-98.6971,34.0646,-98.6972,"A stationary front draped across Oklahoma lit up with storms on the afternoon and evening of the 23rd. A few storms made it down to western north Texas as well.","Power poles downed on Hall road between 2345 and Van Low Rd." +119459,716948,OKLAHOMA,2017,July,Thunderstorm Wind,"CADDO",2017-07-27 16:06:00,CST-6,2017-07-27 16:06:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-98.56,35.31,-98.56,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Three inch tree limbs down." +119459,716949,OKLAHOMA,2017,July,Thunderstorm Wind,"CADDO",2017-07-27 16:06:00,CST-6,2017-07-27 16:06:00,0,0,0,0,0.00K,0,0.00K,0,35.31,-98.56,35.31,-98.56,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Estimated 65-70 mph gust. No damage reported." +119459,716950,OKLAHOMA,2017,July,Thunderstorm Wind,"CANADIAN",2017-07-27 16:59:00,CST-6,2017-07-27 16:59:00,0,0,0,0,1.00K,1000,0.00K,0,35.45,-97.72,35.45,-97.72,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Numerous tree limbs snapped. Stockade fence damaged." +119459,716951,OKLAHOMA,2017,July,Thunderstorm Wind,"CANADIAN",2017-07-27 17:03:00,CST-6,2017-07-27 17:03:00,0,0,0,0,5.00K,5000,0.00K,0,35.45,-97.72,35.4643,-97.7203,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Powerlines/poles downed between SW 15TH street and I-40." +119459,716952,OKLAHOMA,2017,July,Thunderstorm Wind,"CANADIAN",2017-07-27 17:03:00,CST-6,2017-07-27 17:03:00,0,0,0,0,5.00K,5000,0.00K,0,35.46,-97.71,35.46,-97.71,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Several power poles were snapped." +119459,716953,OKLAHOMA,2017,July,Thunderstorm Wind,"CANADIAN",2017-07-27 17:05:00,CST-6,2017-07-27 17:05:00,0,0,0,0,5.00K,5000,0.00K,0,35.44,-97.76,35.44,-97.76,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Significant damage to a playground was caused by strong winds." +119459,716954,OKLAHOMA,2017,July,Thunderstorm Wind,"CANADIAN",2017-07-27 17:05:00,CST-6,2017-07-27 17:05:00,0,0,0,0,30.00K,30000,0.00K,0,35.5,-97.74,35.5,-97.74,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","A large tree was uprooted by winds, causing damage to a house, car, and boat." +119459,716955,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-27 18:05:00,CST-6,2017-07-27 18:05:00,0,0,0,0,2.00K,2000,0.00K,0,35.58,-97.56,35.58,-97.56,"Storms formed along a front draped across central Oklahoma on the afternoon and evening of the 27th.","Transformer was downed by wind." +119460,716956,OKLAHOMA,2017,July,Thunderstorm Wind,"JOHNSTON",2017-07-28 18:18:00,CST-6,2017-07-28 18:18:00,0,0,0,0,10.00K,10000,0.00K,0,34.23,-96.42,34.23,-96.42,"A few isolated storms formed in south central Oklahoma near a stalled front on the evening of the 28th.","Roof damage to the sundown trailer facility caused by a thunderstorm downburst." +118492,711969,NORTH CAROLINA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-01 15:28:00,EST-5,2017-07-01 15:28:00,0,0,0,0,0.00K,0,0.00K,0,35.446,-81.247,35.418,-81.208,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","County comms reported a tree blown down on Southside Church Rd and another tree down on Lineberger Rd." +118492,711970,NORTH CAROLINA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-01 15:39:00,EST-5,2017-07-01 15:39:00,0,0,0,0,0.00K,0,0.00K,0,35.469,-81.152,35.469,-81.152,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","County comms reported trees blown down at Highway 73 and Camp Creek Rd." +118492,711973,NORTH CAROLINA,2017,July,Thunderstorm Wind,"POLK",2017-07-01 15:57:00,EST-5,2017-07-01 15:57:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-82.11,35.22,-82.11,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","County comms reported numerous trees blown down on Landrum Rd." +118492,711977,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-01 18:27:00,EST-5,2017-07-01 18:27:00,0,0,0,0,10.00K,10000,0.00K,0,35.62,-82.18,35.62,-82.18,"Isolated to widely scattered thunderstorms developed across the western Piedmont and foothills of North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","Em reported a few trees blown down on Bat Cave Rd, with some down on vehicles." +118493,711978,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-01 16:32:00,EST-5,2017-07-01 16:58:00,0,0,0,0,0.00K,0,0.00K,0,35.109,-81.81,35.039,-81.678,"Isolated to widely scattered thunderstorms developed over the Upstate during the afternoon and evening. One storm produced an area of damaging winds across Cherokee County.","County comms reported numerous trees blown down across northern Cherokee County." +118494,711979,GEORGIA,2017,July,Thunderstorm Wind,"HART",2017-07-01 18:13:00,EST-5,2017-07-01 18:13:00,0,0,0,0,0.00K,0,0.00K,0,34.37,-83.08,34.37,-83.08,"Multiple clusters of thunderstorms moved across northeast Georgia during the evening hours. One of the clusters produced brief wind damage in the Piedmont.","County comms reported a few trees and large limbs blown down around Bowersvile." +118495,711980,GEORGIA,2017,July,Thunderstorm Wind,"ELBERT",2017-07-02 15:58:00,EST-5,2017-07-02 15:58:00,0,0,0,0,0.00K,0,0.00K,0,34.2,-83.03,34.2,-83.03,"Thunderstorms and clusters of storms moved across northeast Georgia during the afternoon. One storm cluster produced brief damaging winds across the Piedmont.","County comms reported at least three trees blown down in the Bowman area." +118496,711981,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-02 18:36:00,EST-5,2017-07-02 18:36:00,0,0,0,0,10.00K,10000,0.00K,0,34.793,-82.385,34.785,-82.291,"Thunderstorms and clusters of storms moved across Upstate South Carolina during the afternoon. One storm produced brief damaging winds in the Greenville metro area.","Highway department reported a tree blown down on Pine Creek Dr. Public reported (via Social Media) another tree down on a home on Fargo St in Mauldin." +119129,715578,NORTH CAROLINA,2017,July,Flash Flood,"UNION",2017-07-23 17:00:00,EST-5,2017-07-23 19:00:00,0,0,0,0,5.00K,5000,0.00K,0,34.986,-80.478,34.937,-80.49,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","After a slow-moving cluster of thunderstorms produced up to around 3 inches of rain over the area in less than two hours, county comms reported multiple roads closed due to high water resulting from poor drainage issues as well as flooding of small streams, primarily in the Wingate and Marshville areas." +118778,715869,NORTH CAROLINA,2017,July,Flash Flood,"HENDERSON",2017-07-08 16:00:00,EST-5,2017-07-08 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.332,-82.48,35.322,-82.465,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","Media reported flash flooding developed along Brittain Creek on the northwest side of Hendersonville and along Wash Creek downtown after slow-moving thunderstorms produced up to 3 inches of rain across the area in less than two hours. Wash creek flooded parts of Kanuga Rd and the intersection of King St, S Main St, and Church St, causing these roads to be closed. Some parking lots were also flooded. Meanwhile, Brittain Creek flooded part of a parking and driveway at a condominium complex on Haywood Manor Rd." +118910,715873,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-15 15:40:00,EST-5,2017-07-15 15:40:00,0,0,1,0,0.00K,0,0.00K,0,34.376,-82.82,34.376,-82.82,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Department of Natural Resources reported a man and woman were thrown from their boat by a strong thunderstorm wind gust on Lake Hartwell near the Singing Pines recreation area. While the woman was quickly rescued by other boaters, the 54-year-old man was presumed drowned, as his body was never recovered." +119402,716626,NORTH CAROLINA,2017,July,Flash Flood,"ROWAN",2017-07-03 21:45:00,EST-5,2017-07-03 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.587,-80.363,35.591,-80.363,"Scattered to numerous heavy rain showers and thunderstorms developed across western North Carolina throughout the afternoon and evening, north of a nearly stationary front. A small area of flash flooding developed across Rowan County after around 3 inches of rain fell in a short period of time.","Spotter and the public (via Social Media) reported the intersection of Bringle Ferry Rd and Ritchfield Rd was impassable due to a small creek overflowing its banks after up to 3 inches of rain fell over the area in less than two hours. In addition, a motorist was stranded in a vehicle submerged in flood water on Saint Peters Church Rd, possibly due to a tributary of Second Creek." +118924,714411,TEXAS,2017,July,Hail,"HUDSPETH",2017-07-01 17:32:00,MST-7,2017-07-01 17:32:00,0,0,0,0,0.00K,0,0.00K,0,31.8012,-105.9309,31.8012,-105.9309,"A weak back door front brought deeper moisture into Hudspeth County. Weak westerly flow above southeast surface winds provided enough shear combined with modest instability to produce marginally severe hail.","Reported at Border Patrol checkpoint." +116073,697629,LOUISIANA,2017,July,Thunderstorm Wind,"BOSSIER",2017-07-01 14:30:00,CST-6,2017-07-01 14:30:00,0,0,0,0,0.00K,0,0.00K,0,32.59,-93.71,32.59,-93.71,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","A tree was downed in the Rosedale subdivision in Bossier City, Louisiana." +116073,697635,LOUISIANA,2017,July,Thunderstorm Wind,"UNION",2017-07-01 16:00:00,CST-6,2017-07-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.93,-92.6,32.93,-92.6,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Numerous trees were downed across the Spearsville area of Union Parish." +116073,697636,LOUISIANA,2017,July,Flash Flood,"OUACHITA",2017-07-01 16:24:00,CST-6,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,32.55,-92.01,32.5473,-91.9959,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","High water was reported across Hwy. 139 northeast of Monroe, Louisiana." +116215,698687,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:50:00,CST-6,2017-07-06 15:50:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-93.86,32.54,-93.86,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +117032,703908,LOUISIANA,2017,July,Heat,"NATCHITOCHES",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117032,703909,LOUISIANA,2017,July,Heat,"SABINE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid to upper 90s across North Louisiana. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117033,703912,ARKANSAS,2017,July,Heat,"MILLER",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703913,ARKANSAS,2017,July,Heat,"LAFAYETTE",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703914,ARKANSAS,2017,July,Heat,"COLUMBIA",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703915,ARKANSAS,2017,July,Heat,"UNION",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703916,ARKANSAS,2017,July,Heat,"NEVADA",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703917,ARKANSAS,2017,July,Heat,"HEMPSTEAD",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +116686,701684,NEW MEXICO,2017,July,Hail,"LINCOLN",2017-07-01 14:27:00,MST-7,2017-07-01 14:29:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-105.54,33.46,-105.54,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of quarters at the Sierra Blanca Regional airport." +116686,701694,NEW MEXICO,2017,July,Hail,"COLFAX",2017-07-01 14:15:00,MST-7,2017-07-01 14:18:00,0,0,0,0,0.00K,0,0.00K,0,36.88,-105,36.88,-105,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of half dollars at Vermejo Park." +116686,701703,NEW MEXICO,2017,July,Hail,"SAN MIGUEL",2017-07-01 15:55:00,MST-7,2017-07-01 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.62,-105.23,35.62,-105.23,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of quarters two miles north-northwest of Las Vegas." +116686,701708,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-01 20:26:00,MST-7,2017-07-01 20:29:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-103.07,34.43,-103.07,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Clovis airport reported peak wind gusts up to 64 mph." +119005,715161,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-05 20:54:00,EST-5,2017-07-05 20:56:00,0,0,0,0,,NaN,0.00K,0,32.035,-80.903,32.035,-80.903,"Isolated thunderstorms developed in the evening hours and moved to the east across southeast Georgia. These thunderstorms produced strong wind gusts as they moved to the coast and the Atlantic coastal waters.","The National Ocean Service site at Fort Pulaski measured a 34 knot wind gust." +119012,715167,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-08 20:30:00,EST-5,2017-07-08 20:33:00,0,0,0,0,,NaN,0.00K,0,32.035,-80.903,32.035,-80.903,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia and southeast South Carolina. These thunderstorms then progressed toward the coast through the evening hours and produced strong wind gusts along the coast and the adjacent coastal waters.","The National Ocean Service site at Fort Pulaski measured a 41 knot wind gust." +119012,715168,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-07-08 20:37:00,EST-5,2017-07-08 20:40:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia and southeast South Carolina. These thunderstorms then progressed toward the coast through the evening hours and produced strong wind gusts along the coast and the adjacent coastal waters.","The Weatherflow site on the south end of Tybee Island measured a 36 knot wind gust." +119012,715169,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-08 21:50:00,EST-5,2017-07-08 21:53:00,0,0,0,0,,NaN,0.00K,0,32.7585,-79.9529,32.7585,-79.9529,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia and southeast South Carolina. These thunderstorms then progressed toward the coast through the evening hours and produced strong wind gusts along the coast and the adjacent coastal waters.","The Weatherflow site near Charleston measured a 35 knot wind gust." +119012,715170,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"CHARLESTON HARBOR",2017-07-08 22:01:00,EST-5,2017-07-08 22:04:00,0,0,0,0,,NaN,0.00K,0,32.7512,-79.8707,32.7512,-79.8707,"Scattered thunderstorms developed in the afternoon hours across inland southeast Georgia and southeast South Carolina. These thunderstorms then progressed toward the coast through the evening hours and produced strong wind gusts along the coast and the adjacent coastal waters.","The Weatherflow site at Fort Sumter measured a 36 knot wind gust. The peak wind gust of 42 knots occurred at 11:06 pm EDT." +119083,715174,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-16 08:40:00,EST-5,2017-07-16 08:45:00,0,0,0,0,,NaN,0.00K,0,32.31,-80.45,32.31,-80.45,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","Fripp Island Security reports 5 total waterspouts off of Fripp Island. One has already dissipated and the other 4 were still ongoing." +116547,700844,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-11 17:42:00,CST-6,2017-07-11 17:42:00,0,0,0,0,,NaN,,NaN,47.77,-97.43,47.77,-97.43,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Large hail and strong winds damaged crops across southern Pleasant View Township." +116547,700847,NORTH DAKOTA,2017,July,Hail,"WALSH",2017-07-11 18:00:00,CST-6,2017-07-11 18:00:00,0,0,0,0,,NaN,,NaN,48.41,-97.74,48.41,-97.74,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700848,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-11 18:01:00,CST-6,2017-07-11 18:01:00,0,0,0,0,,NaN,,NaN,47.72,-97.3,47.72,-97.3,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700849,NORTH DAKOTA,2017,July,Hail,"WALSH",2017-07-11 18:20:00,CST-6,2017-07-11 18:20:00,0,0,0,0,,NaN,,NaN,48.35,-97.6,48.35,-97.6,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116898,702921,MINNESOTA,2017,July,Thunderstorm Wind,"POLK",2017-07-21 15:45:00,CST-6,2017-07-21 15:45:00,0,0,0,0,,NaN,,NaN,47.54,-95.6,47.54,-95.6,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Large branches were blown down and power was knocked out." +116898,702923,MINNESOTA,2017,July,Thunderstorm Wind,"MAHNOMEN",2017-07-21 15:46:00,CST-6,2017-07-21 15:46:00,0,0,0,0,,NaN,,NaN,47.43,-95.63,47.43,-95.63,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The strong winds damaged trees in the area." +119179,715740,CALIFORNIA,2017,September,Flash Flood,"SAN BERNARDINO",2017-09-03 14:52:00,PST-8,2017-09-03 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,34.13,-116.38,34.1265,-116.3798,"Monsoon moisture pushing west and north brought another round of thunderstorms to the Mojave Desert and Owens Valley.","Roads were washed out just northeast of Yucca Valley." +119356,716507,LAKE SUPERIOR,2017,September,Marine Thunderstorm Wind,"GRAND MARAIS TO WHITEFISH POINT MI",2017-09-22 13:10:00,EST-5,2017-09-22 13:15:00,0,0,0,0,0.00K,0,0.00K,0,46.68,-85.97,46.68,-85.97,"During the early morning hours on Sep. 22nd, a strong line of thunderstorms pushed east across Western Lake Superior bringing strong and gusty winds.","Measured wind gust at Grand Marais, GRMM4." +118633,712723,ARKANSAS,2017,July,Excessive Heat,"GREENE",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118633,712724,ARKANSAS,2017,July,Excessive Heat,"CRAIGHEAD",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118633,712725,ARKANSAS,2017,July,Excessive Heat,"POINSETT",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118633,712726,ARKANSAS,2017,July,Excessive Heat,"MISSISSIPPI",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118633,712727,ARKANSAS,2017,July,Heat,"CLAY",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712728,ARKANSAS,2017,July,Heat,"GREENE",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712729,ARKANSAS,2017,July,Heat,"CRAIGHEAD",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712730,ARKANSAS,2017,July,Heat,"MISSISSIPPI",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712731,ARKANSAS,2017,July,Heat,"POINSETT",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712734,ARKANSAS,2017,July,Excessive Heat,"CROSS",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118455,712239,VIRGINIA,2017,July,Thunderstorm Wind,"SPOTSYLVANIA",2017-07-06 18:15:00,EST-5,2017-07-06 18:15:00,0,0,0,0,,NaN,,NaN,38.166,-77.664,38.166,-77.664,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some severe thunderstorms.","Multiple downed trees were reported in the Post Oak area." +118457,712240,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HAMPSHIRE",2017-07-07 16:39:00,EST-5,2017-07-07 16:39:00,0,0,0,0,,NaN,,NaN,39.3054,-78.6134,39.3054,-78.6134,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","A tree was down along Sol Shanholtz Road about a half of a mile from Highway 50." +118457,712241,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MINERAL",2017-07-07 17:17:00,EST-5,2017-07-07 17:17:00,0,0,0,0,,NaN,,NaN,39.4644,-79.0185,39.4644,-79.0185,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","A tree was down at the intersection of Victoria Avenue and Ashby Street." +118456,712242,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-07 18:37:00,EST-5,2017-07-07 18:37:00,0,0,0,0,,NaN,,NaN,38.984,-77.3828,38.984,-77.3828,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","Two trees were down near Barker Hill Road." +118456,712243,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-07 18:43:00,EST-5,2017-07-07 18:43:00,0,0,0,0,,NaN,,NaN,38.8888,-77.3546,38.8888,-77.3546,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","A tree was down on power lines near the intersection of Vale Road and Cobb Hill Lane." +118456,712244,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-07 18:43:00,EST-5,2017-07-07 18:43:00,0,0,0,0,,NaN,,NaN,38.9115,-77.3266,38.9115,-77.3266,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","A tree was down along Justin Knoll Road near Stuart Mill Road." +118456,712245,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-07 18:47:00,EST-5,2017-07-07 18:47:00,0,0,0,0,,NaN,,NaN,38.8954,-77.2714,38.8954,-77.2714,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","A large tree limb eight inches in diameter was snapped and it fell into a roadway near the intersection of Wade Hampton Drive Southwest and Glen Avenue Southwest." +118456,712246,VIRGINIA,2017,July,Thunderstorm Wind,"ALEXANDRIA (C)",2017-07-07 19:02:00,EST-5,2017-07-07 19:02:00,0,0,0,0,,NaN,,NaN,38.8303,-77.1326,38.8303,-77.1326,"A cold front passed through the area. There was enough instability for some storms associated with the front to become severe.","Some branches and small trees were down along Dora Kelly Trail." +118560,712247,VIRGINIA,2017,July,Thunderstorm Wind,"WINCHESTER (C)",2017-07-11 15:50:00,EST-5,2017-07-11 15:50:00,0,0,0,0,,NaN,,NaN,39.1745,-78.175,39.1745,-78.175,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","Trees were down along Woodstock Lane, Gray Avenue and Liberty Avenue." +118560,712249,VIRGINIA,2017,July,Thunderstorm Wind,"CLARKE",2017-07-11 16:10:00,EST-5,2017-07-11 16:10:00,0,0,0,0,,NaN,,NaN,39.15,-78.07,39.15,-78.07,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","A tree was down along Senseny Road near the intersection of Salem Church Road." +118465,713453,VIRGINIA,2017,July,Thunderstorm Wind,"ALBEMARLE",2017-07-22 21:35:00,EST-5,2017-07-22 21:35:00,0,0,0,0,,NaN,,NaN,37.9489,-78.4619,37.9489,-78.4619,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 3000 Block of Rolling Road." +118465,713454,VIRGINIA,2017,July,Thunderstorm Wind,"ALBEMARLE",2017-07-22 21:42:00,EST-5,2017-07-22 21:42:00,0,0,0,0,,NaN,,NaN,37.9676,-78.4059,37.9676,-78.4059,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 2500 Block of Buck Island Road." +118466,713455,WEST VIRGINIA,2017,July,Thunderstorm Wind,"PENDLETON",2017-07-22 19:05:00,EST-5,2017-07-22 19:05:00,0,0,0,0,,NaN,,NaN,38.62,-79.53,38.62,-79.53,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Two trees were uprooted in Circleville." +118467,713456,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-23 13:47:00,EST-5,2017-07-23 13:47:00,0,0,0,0,,NaN,,NaN,39.714,-76.273,39.714,-76.273,"A couple storms produced damaging wind gusts due to an unstable atmosphere.","Twenty trees were damaged or uprooted on property." +118467,713457,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-23 14:44:00,EST-5,2017-07-23 14:44:00,0,0,0,0,,NaN,,NaN,39.6102,-76.2149,39.6102,-76.2149,"A couple storms produced damaging wind gusts due to an unstable atmosphere.","A tree was down blocking the roadway at Harmony Church Road." +118468,713458,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-23 23:26:00,EST-5,2017-07-23 23:26:00,0,0,0,0,,NaN,,NaN,38.9791,-76.834,38.9791,-76.834,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down along the intersection of Lanham Severn Road and Louise Street." +118468,713459,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-23 23:58:00,EST-5,2017-07-23 23:58:00,0,0,0,0,,NaN,,NaN,38.9976,-76.5003,38.9976,-76.5003,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the intersection of Giddings Avenue and Tolson Street." +118468,713460,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:01:00,EST-5,2017-07-24 00:01:00,0,0,0,0,,NaN,,NaN,38.9807,-76.5061,38.9807,-76.5061,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the intersection of Cedar Park Road and Taylor Avenue." +118468,713461,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:02:00,EST-5,2017-07-24 00:02:00,0,0,0,0,,NaN,,NaN,38.9609,-76.4965,38.9609,-76.4965,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down on Hilltop Lane outside Salvation Army." +119537,717317,WEST VIRGINIA,2017,July,Heat,"BERKELEY",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 100 degrees were reported." +119537,717318,WEST VIRGINIA,2017,July,Heat,"MORGAN",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 100 degrees were reported." +119537,717319,WEST VIRGINIA,2017,July,Heat,"JEFFERSON",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 100 degrees were reported." +119536,717320,MARYLAND,2017,July,Heat,"SOUTHERN BALTIMORE",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717321,MARYLAND,2017,July,Heat,"PRINCE GEORGES",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717322,MARYLAND,2017,July,Heat,"CHARLES",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717323,MARYLAND,2017,July,Heat,"ST. MARY'S",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717324,MARYLAND,2017,July,Heat,"CALVERT",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717325,MARYLAND,2017,July,Heat,"WASHINGTON",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119536,717326,MARYLAND,2017,July,Heat,"CENTRAL AND EASTERN ALLEGANY",2017-07-20 11:00:00,EST-5,2017-07-20 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119539,717327,MARYLAND,2017,July,Heat,"CHARLES",2017-07-21 11:00:00,EST-5,2017-07-21 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported." +119532,717335,MARYLAND,2017,July,Heat,"CENTRAL AND SOUTHEAST HOWARD",2017-07-14 11:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure both at the surface and aloft caused hot conditions. A southerly flow caused high humidity, which led to high heat indices.","Heat indices around 105 degrees were reported at observations nearby." +116349,699638,SOUTH CAROLINA,2017,July,Hail,"ORANGEBURG",2017-07-08 18:23:00,EST-5,2017-07-08 18:25:00,0,0,0,0,0.10K,100,0.10K,100,33.55,-80.92,33.55,-80.92,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Pea size hail reported along US Hwy 178." +116349,699628,SOUTH CAROLINA,2017,July,Flood,"ORANGEBURG",2017-07-08 19:41:00,EST-5,2017-07-08 19:44:00,0,0,0,0,0.10K,100,0.10K,100,33.5571,-80.9359,33.4935,-80.9831,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Heavy rain led to ponding of water on US Hwy 178, Shillings Bridge Rd, and Hwy 4. Portions of Shillings Bridge Rd were nearly impassable." +116347,699617,SOUTH CAROLINA,2017,July,Hail,"AIKEN",2017-07-07 18:00:00,EST-5,2017-07-07 18:05:00,0,0,0,0,,NaN,,NaN,33.5,-81.46,33.5,-81.46,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Public reported dime to quarter size hail near the intersection of Centerwood Rd and Windsor Rd." +116264,699006,KENTUCKY,2017,July,Thunderstorm Wind,"WAYNE",2017-07-06 16:23:00,EST-5,2017-07-06 16:23:00,0,0,0,0,,NaN,,NaN,36.8418,-84.8523,36.8418,-84.8523,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch reported multiple trees down on Eads Street in Monticello." +116264,699007,KENTUCKY,2017,July,Thunderstorm Wind,"PULASKI",2017-07-06 16:24:00,EST-5,2017-07-06 16:24:00,0,0,0,0,10.00K,10000,,NaN,36.9747,-84.6225,36.9747,-84.6225,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","A trained spotter reported a roof blown off of a trailer on Jacksboro Road in Bronston." +116366,699723,TEXAS,2017,July,Thunderstorm Wind,"CROSBY",2017-07-03 19:50:00,CST-6,2017-07-03 19:50:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-101.17,33.53,-101.17,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Measured by a Texas Tech University West Texas mesonet near White River Lake." +116366,699724,TEXAS,2017,July,Thunderstorm Wind,"DICKENS",2017-07-03 20:15:00,CST-6,2017-07-03 20:25:00,0,0,0,0,0.00K,0,0.00K,0,33.48,-100.88,33.48,-100.88,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","Severe thunderstorm wind gusts occurred for 10 minutes as measured by a Texas Tech University West Texas mesonet near Spur." +116850,703119,WEST VIRGINIA,2017,July,Thunderstorm Wind,"LEWIS",2017-07-22 17:40:00,EST-5,2017-07-22 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,39.04,-80.47,39.04,-80.47,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees fell in Weston." +116850,703120,WEST VIRGINIA,2017,July,Thunderstorm Wind,"GILMER",2017-07-22 17:45:00,EST-5,2017-07-22 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,38.94,-80.83,38.94,-80.83,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were blown down by thunderstorm winds in Glenville." +116850,703122,WEST VIRGINIA,2017,July,Thunderstorm Wind,"UPSHUR",2017-07-22 18:04:00,EST-5,2017-07-22 18:04:00,0,0,0,0,2.00K,2000,0.00K,0,38.89,-80.3,38.89,-80.3,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Trees and power lines were downed in French Creek." +116850,703123,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-22 18:35:00,EST-5,2017-07-22 18:35:00,0,0,0,0,3.00K,3000,0.00K,0,38.71,-79.98,38.71,-79.98,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees fell on a power line." +116850,703124,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WEBSTER",2017-07-22 20:00:00,EST-5,2017-07-22 20:00:00,0,0,0,0,4.00K,4000,0.00K,0,38.65,-80.38,38.65,-80.38,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Multiple trees were blown down, some fell onto power lines." +116850,703125,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WEBSTER",2017-07-22 20:40:00,EST-5,2017-07-22 20:40:00,0,0,0,0,2.00K,2000,0.00K,0,38.48,-80.41,38.48,-80.41,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were blown down near Webster Springs." +116850,703126,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CABELL",2017-07-22 21:55:00,EST-5,2017-07-22 21:55:00,0,0,0,0,2.00K,2000,0.00K,0,38.41,-82.43,38.41,-82.43,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were blown down in Huntington." +116648,701631,NEW JERSEY,2017,July,Hail,"ATLANTIC",2017-07-14 14:46:00,EST-5,2017-07-14 14:46:00,0,0,0,0,,NaN,,NaN,39.54,-74.88,39.54,-74.88,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","One inch hail with a peak 41 mph gust from thunderstorms." +116648,701632,NEW JERSEY,2017,July,Hail,"ATLANTIC",2017-07-14 15:07:00,EST-5,2017-07-14 15:07:00,0,0,0,0,,NaN,,NaN,39.5,-74.75,39.5,-74.75,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","One inch hail." +116648,701633,NEW JERSEY,2017,July,Hail,"ATLANTIC",2017-07-14 15:15:00,EST-5,2017-07-14 15:15:00,0,0,0,0,,NaN,,NaN,39.45,-74.72,39.45,-74.72,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Measured nickel size hail from a thunderstorm." +116648,701634,NEW JERSEY,2017,July,Hail,"ATLANTIC",2017-07-14 15:19:00,EST-5,2017-07-14 15:19:00,0,0,0,0,,NaN,,NaN,39.36,-74.64,39.36,-74.64,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Estimated hail of three quarters of an inch in diameter." +116648,701636,NEW JERSEY,2017,July,Hail,"GLOUCESTER",2017-07-17 15:15:00,EST-5,2017-07-17 15:15:00,0,0,0,0,,NaN,,NaN,39.74,-75.22,39.74,-75.22,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Measured hail three quarters of an inch in diameter." +116648,701637,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-13 17:21:00,EST-5,2017-07-13 17:21:00,0,0,0,0,,NaN,,NaN,40.12,-74.35,40.12,-74.35,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several inches of rain fell within 30 minutes." +116648,701639,NEW JERSEY,2017,July,Thunderstorm Wind,"MONMOUTH",2017-07-13 16:55:00,EST-5,2017-07-13 16:55:00,0,0,0,0,,NaN,,NaN,40.22,-74.18,40.22,-74.18,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorm winds took down a utility pole on route 33." +117047,704275,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 17:00:00,EST-5,2017-07-22 17:00:00,0,0,0,0,,NaN,,NaN,40.12,-75.34,40.12,-75.34,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Thunderstorm winds took down wires at Dekalb and Fornance streets." +117047,704276,PENNSYLVANIA,2017,July,Thunderstorm Wind,"PHILADELPHIA",2017-07-22 17:20:00,EST-5,2017-07-22 17:20:00,0,0,0,0,,NaN,,NaN,39.95,-75.16,39.95,-75.16,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A tree was taken down due to thunderstorm winds at Ridge Ave and huntingdon street." +117047,704278,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-24 17:10:00,EST-5,2017-07-24 17:10:00,0,0,0,0,,NaN,,NaN,40.64,-75.85,40.64,-75.85,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Trees downed in several locations along with damage to a baseball fence and nursing home due to thunderstorm winds." +117047,704279,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-24 17:22:00,EST-5,2017-07-24 17:22:00,0,0,0,0,,NaN,,NaN,40.56,-75.57,40.56,-75.57,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several trees down due to thunderstorm winds." +117047,704280,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-24 17:29:00,EST-5,2017-07-24 17:29:00,0,0,0,0,,NaN,,NaN,40.58,-75.62,40.58,-75.62,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several trees were uprooted due to thunderstorm winds." +117047,704281,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-24 17:30:00,EST-5,2017-07-24 17:30:00,0,0,0,0,,NaN,,NaN,40.5,-75.65,40.5,-75.65,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Several trees downed due to thunderstorm winds." +117047,704283,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-24 17:30:00,EST-5,2017-07-24 17:30:00,0,0,0,0,,NaN,,NaN,40.56,-75.49,40.56,-75.49,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Thunderstorm winds took down a large maple tree which damaged a home." +117047,704285,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-24 18:40:00,EST-5,2017-07-24 18:40:00,0,0,0,0,,NaN,,NaN,40.13,-75.38,40.13,-75.38,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","Thunderstorm winds took down trees and wires." +117048,704546,ATLANTIC NORTH,2017,July,Waterspout,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-23 15:05:00,EST-5,2017-07-23 15:06:00,0,0,0,0,,NaN,,NaN,39.2378,-75.1732,39.2378,-75.1726,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Three people were rescued from an approaching waterspout. The waterspout lasted one minute and no one was injured. Time estimated." +116345,699594,OHIO,2017,July,Tornado,"MEIGS",2017-07-10 18:35:00,EST-5,2017-07-10 18:36:00,0,0,0,0,15.00K,15000,0.00K,0,39.0769,-81.945,39.0709,-81.942,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","The NWS Survey team found damage consistent with an EF-0 tornado. The tornado touched down along Pomeroy Pike just to the southwest of Chester. One small tin shed was lifted from its foundation and destroyed. A tree fell onto a home causing slight damage. In addition, several trees were uprooted, and numerous tree limbs were snapped in the same area. Near the end of the path, along Lakewood Road, several additional trees were knocked down." +116345,699595,OHIO,2017,July,Flash Flood,"PERRY",2017-07-10 17:30:00,EST-5,2017-07-10 19:30:00,0,0,0,0,2.00K,2000,0.00K,0,39.6721,-82.3631,39.6034,-82.3698,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced large hail, heavy rain, damaging winds and one weak tornado.","Several of the small tributaries to Monday Creek rose out of their banks. Dutch Ridge Road and Route 312 were both closed due to flooding. Radar estimates indicated 2-3 inches of rain fell ." +116851,702976,OHIO,2017,July,Flash Flood,"PERRY",2017-07-13 10:40:00,EST-5,2017-07-13 15:00:00,0,0,0,0,30.00K,30000,0.00K,0,39.9218,-82.4189,39.9057,-82.2062,"In a high moisture atmosphere, heavy rain fell across parts of southeastern Ohio on the morning of the 13th as a convective complex crossed. Three to four inches of rain fell, resulting in flash flooding in Perry County.","Multiple creeks across northern Perry County flooded following heavy rain. The majority of the flooding was along Jonathan Creek, Honey Creek, Bowling Green Creek and their smaller tributaries. Many roads were closed due to high water, including Route 204 and 668 between Thornville and Mount Perry. Zartman Road was closed west of Thornville, and Blackbird Lane was closed north east of Thornville. Honey Creek Road was also closed just west of Thornport. Township Roads 21 and 390B both had sections washed out. A vehicle drove into high water along Boundries Road and the driver had to be rescued by the fire department." +116849,703022,OHIO,2017,July,Flash Flood,"PERRY",2017-07-22 12:15:00,EST-5,2017-07-22 17:45:00,0,0,0,0,4.00K,4000,0.00K,0,39.7223,-82.2277,39.7269,-82.1923,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","Rush Creek through New Lexington came out of its banks. This caused flooding on portions of State Routes 13 and 37 in New Lexington." +116849,703091,OHIO,2017,July,Thunderstorm Wind,"ATHENS",2017-07-22 15:43:00,EST-5,2017-07-22 15:43:00,0,0,0,0,2.00K,2000,0.00K,0,39.48,-82.08,39.48,-82.08,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","Several trees were blown down in Jacksonville." +117309,705529,NEW MEXICO,2017,July,Flood,"UNION",2017-07-30 22:30:00,MST-7,2017-07-31 06:25:00,0,0,0,0,0.00K,0,0.00K,0,36.9245,-103.0044,36.945,-103.1019,"A widespread surge of deep monsoon moisture continued to shift northward over New Mexico toward the end of July. Slow-moving showers and thunderstorms developed over the high terrain during the late morning hours then pushed into nearby highlands and valleys through the afternoon. Several of these storms produced torrential rainfall rates over two inches per hour. Numerous reports of minor flooding were received over central and western New Mexico. The most significant flooding occurred around Gallup as runoff from heavy rainfall flooded state road 118 between Church Rock and Wingate. The road was closed for more than a day. Another storm developed over Glenwood and produced nearly two inches of rainfall in around one hour. This rain fell on already saturated grounds from recent heavy rains. Whitewater Creek overflowed its banks along the road to the Catwalk. The rush of water produced a flash flood in Glenwood over U.S. Highway 180. The heaviest rainfall occurred along the Dry Cimarron in northern Union County as a back door cold front approached from Colorado. Radar derived rainfall amounts indicated between three and five inches of rain fell in this area, producing a 17 feet rise on the river in just four hours at the Kenton, Oklahoma gauge. Ranchers across northern Union County were not able to get home due to flooded roads along the river. The peak water level of 22.31 feet was just 0.01 feet from the all-time record of 22.32 feet set in 1965. Torrential rainfall also occurred later in the night around Curry and Roosevelt counties. Portales reported between three and four inches of rainfall. No major flooding occurred, however this rainfall led to saturated grounds and set the stage for serious flooding over the coming days.","The Dry Cimarron River experienced a near record flood event from torrential rainfall that fell over the watershed for several hours on the evening of July 30, 2017. The gauge at Kenton, Oklahoma peaked at 22.31 feet. This was just 0.01 feet shy of the all-time record of 22.32 feet set in 1965. Ranchers were unable to get home due to flood waters along the river." +117321,705605,NORTH DAKOTA,2017,July,Heavy Rain,"TOWNER",2017-07-29 16:00:00,CST-6,2017-07-29 19:00:00,0,0,0,0,,NaN,,NaN,48.77,-99.49,48.77,-99.49,"With the lack of much upper level support, most thunderstorms on the evening of July 29th were pretty weak. However, one thunderstorm over southern Towner County managed to get stronger than the others, and produced large hail near Cando. These thunderstorms also trained across western Towner County, producing up to 2.50 inches of rain over a small area near Perth.","" +117303,705638,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 14:13:00,EST-5,2017-07-20 14:13:00,0,0,0,0,10.00K,10000,0.00K,0,41.9919,-77.1321,41.9919,-77.1321,"Storms developed head of an approaching cold front in a moderate CAPE / high shear environment, producing sporadic wind damage across Tioga County during the afternoon of July 20, 2017.","A severe thunderstorm producing winds estimated near 60 mph tore a portion of a roof off of a house on Ryon Circle in Lawrenceville." +117303,705639,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 14:15:00,EST-5,2017-07-20 14:15:00,0,0,0,0,4.00K,4000,0.00K,0,41.9524,-77.1056,41.9524,-77.1056,"Storms developed head of an approaching cold front in a moderate CAPE / high shear environment, producing sporadic wind damage across Tioga County during the afternoon of July 20, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires across Route 287 at School Road." +117458,706592,ILLINOIS,2017,July,Flash Flood,"WHITE",2017-07-13 20:15:00,CST-6,2017-07-13 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.129,-88.33,38.1512,-88.265,"Ahead of a weak cold front that extended from Michigan southwest across the St. Louis metro area, loosely organized clusters of thunderstorms moved south across southern Illinois. A few storms produced localized tree damage, especially on the north side of Marion. Winds aloft were very weak due to a ridge of high pressure aloft, limiting severe activity to pulse-type damaging wind events. The slow movement of the storms contributed to isolated flooding problems on roads.","Water was reported over Highway 14 west of Carmi, as well as U.S. Highway 45 north of Enfield." +117458,706595,ILLINOIS,2017,July,Flood,"WILLIAMSON",2017-07-13 20:25:00,CST-6,2017-07-13 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.8116,-89.0373,37.7958,-89.0385,"Ahead of a weak cold front that extended from Michigan southwest across the St. Louis metro area, loosely organized clusters of thunderstorms moved south across southern Illinois. A few storms produced localized tree damage, especially on the north side of Marion. Winds aloft were very weak due to a ridge of high pressure aloft, limiting severe activity to pulse-type damaging wind events. The slow movement of the storms contributed to isolated flooding problems on roads.","Near the Herrin city hall, Highway 148 was flooded at the intersection with a city street. Local authorities reported this is an intersection that typically floods during heavy rain." +117464,706602,INDIANA,2017,July,Flood,"VANDERBURGH",2017-07-23 05:00:00,CST-6,2017-07-23 06:45:00,0,0,0,0,0.00K,0,0.00K,0,38.009,-87.55,37.98,-87.5867,"A squall line of thunderstorms moved quickly east-southeast across southwest Indiana, producing pockets of wind damage along and north of Interstate 64. The environment over southwest Indiana was characterized by moderately strong instability, with most-unstable layer cape values around 2000 j/kg. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. Once it was initiated, the storm complex accompanied a cold front aloft at 850 mb. This elevated cold front was preceded by a southwest wind flow near 30 knots. Locally heavy rain occurred, causing minor flooding of some roads.","Several roads were covered by water." +117499,706634,OHIO,2017,July,Flood,"MERCER",2017-07-22 03:30:00,EST-5,2017-07-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,40.6817,-84.5233,40.6675,-84.5261,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","High water was reported in parts of the Mendon area." +117499,706635,OHIO,2017,July,Thunderstorm Wind,"CLARK",2017-07-22 05:07:00,EST-5,2017-07-22 05:09:00,0,0,0,0,2.00K,2000,0.00K,0,39.952,-83.8201,39.952,-83.8201,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","Several trees were downed near Northridge Drive." +117499,706636,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-22 05:32:00,EST-5,2017-07-22 05:34:00,0,0,0,0,3.00K,3000,0.00K,0,40.4065,-83.0743,40.4065,-83.0743,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","A semi truck trailer was blown over on US Route 23 south of State Route 229." +116242,698876,CALIFORNIA,2017,July,Wildfire,"CENTRAL SACRAMENTO VALLEY",2017-07-07 00:00:00,PST-8,2017-07-08 10:00:00,0,6,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"High pressure brought high temperatures and very low humidity, further drying fuels and increasing fire danger.","Governor Brown declared a State of Emergency for the Wall Fire, which burned 6033 acres and threatened thousands of homes. There were 6 injuries reported. The number of structures destroyed or damaged by the fire was 101. Cal Fire reported 41 homes were destroyed, and three were damaged. Forty-eight minor structures were destroyed. Seven were damaged. Two commercial structures were also destroyed. There were 4000 mandatory evacuations ordered, with 7400 under an evacuation warning.||Butte County opened a local assistance center at the Oroville Municipal Auditorium for those evacuated. ||At the height of the fire, more than 800 customers lost power due to fire damage or lines PG&E de-energized for firefighter safety. About 50 power poles burned. Crews removed 670 fire-damaged trees that posed a threat to power lines or public safety." +117557,706975,OHIO,2017,July,Thunderstorm Wind,"MIAMI",2017-07-23 17:37:00,EST-5,2017-07-23 17:39:00,0,0,0,0,2.00K,2000,0.00K,0,40.15,-84.22,40.15,-84.22,"Scattered thuderstorms developed through the afternoon hours ahead of a slow moving frontal boundary.","An elevated fast food sign was blown over." +117555,706967,INDIANA,2017,July,Flood,"GIBSON",2017-07-17 09:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,0.00K,0,10.00K,10000,38.4911,-87.504,38.4896,-87.5305,"Minor flooding occurred along the White River. With soils wet from rains on the 6th and 7th, very heavy rains of 3 to 7 inches fell on the 11th in parts of central and northern Indiana. This heavy rainfall eventually drained down the White River into southwest Indiana.","Minor flooding occurred along the White River. Floodwaters covered low-lying farm fields. Low-lying oil fields and a few low rural roads were flooded. High water isolated Pottstown, a river cabin community. Crops damaged by the flooding could not be replanted because of the lateness of the season." +117555,706969,INDIANA,2017,July,Flood,"PIKE",2017-07-16 09:00:00,EST-5,2017-07-20 19:00:00,0,0,0,0,0.00K,0,10.00K,10000,38.5,-87.28,38.523,-87.1587,"Minor flooding occurred along the White River. With soils wet from rains on the 6th and 7th, very heavy rains of 3 to 7 inches fell on the 11th in parts of central and northern Indiana. This heavy rainfall eventually drained down the White River into southwest Indiana.","Minor flooding occurred along the White River. Low agricultural fields were flooded, along with some low oil wells. Lowland flooding affected about a dozen county roads, including 600N, 1000E, 250W, 400W, and 675N. Crops damaged by the flooding could not be replanted because of the lateness of the season." +117455,706401,MISSOURI,2017,July,Thunderstorm Wind,"NEW MADRID",2017-07-07 22:05:00,CST-6,2017-07-07 22:14:00,0,0,0,0,5.00K,5000,0.00K,0,36.62,-89.838,36.62,-89.72,"A cluster of thunderstorms over southeast Missouri organized into a single large severe thunderstorm as it tracked southward toward the Bootheel area. The activity occurred on the southern periphery of a band of stronger northwest winds aloft. These stronger winds were associated with a strong 500 mb shortwave over the Great Lakes region. The storms occurred along a surface cold front that extended from Lake Erie southwest across the lower Wabash Valley to southeast Missouri.","Numerous power outages occurred in central and west sections of the county, associated with locally damaging winds." +117466,706465,KENTUCKY,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 03:10:00,CST-6,2017-07-23 03:15:00,0,0,0,0,5.00K,5000,0.00K,0,37.8,-87.68,37.8155,-87.58,"Along the southern periphery of a thunderstorm complex, a thunderstorm intensified to severe levels over the Henderson area. The complex of thunderstorms originated over Missouri, then tracked east-southeast across the Wabash Valley and parts of the Ohio Valley. A strong 500 mb shortwave moved southeast from the upper Mississippi Valley into the western Great Lakes region, likely helping to initiate the storm complex over Missouri. The storms then accompanied a cold front at 850 mb, which was preceded by a southwest wind flow near 30 knots.","A storage shed was blown over on the south side of Henderson. Numerous tree limbs from one to two inches in diameter were blown down. The peak wind gust at the Henderson airport was 70 mph." +116922,703182,MISSOURI,2017,July,Thunderstorm Wind,"DOUGLAS",2017-07-25 17:21:00,CST-6,2017-07-25 17:21:00,0,0,0,0,1.00K,1000,0.00K,0,36.97,-92.22,36.97,-92.22,"Isolated severe thunderstorms produced wind damage.","There was roof damage to a barn near Highway EE and County Road 246 east of Vanzant." +116924,703184,MISSOURI,2017,July,Thunderstorm Wind,"PULASKI",2017-07-13 19:30:00,CST-6,2017-07-13 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.8,-92.21,37.8,-92.21,"Isolated severe thunderstorms produced wind damage.","There were pictures on social media of large tree limbs blown down just southwest of Waynesville. A personal weather station measured a 50 mph wind gusts before losing power." +116369,699730,MONTANA,2017,July,Hail,"PETROLEUM",2017-07-10 14:10:00,MST-7,2017-07-10 14:10:00,0,0,0,0,0.00K,0,0.00K,0,46.82,-108.37,46.82,-108.37,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A trained spotter reported penny sized hail in addition to heavy rainfall and wind gusts up to approximately 50 mph." +116369,700195,MONTANA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-10 18:10:00,MST-7,2017-07-10 18:10:00,0,0,0,0,0.00K,0,0.00K,0,47.1003,-104.7072,47.1003,-104.7072,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","Thunderstorm winds uprooted a tree in the yard of a home in Glendive. The report was received via social media. Based on the photograph, the tree appeared to be approximately 18 inches in diameter at the base with a relatively shallow root system. The estimated wind speed is 60 mph." +116369,699732,MONTANA,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-10 14:45:00,MST-7,2017-07-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,47.98,-108.31,47.98,-108.31,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","The Malta South US-191 DOT site measured a 59 mph wind gust." +117310,705516,NEW MEXICO,2017,July,Hail,"BERNALILLO",2017-07-30 12:55:00,MST-7,2017-07-30 12:57:00,0,0,0,0,0.00K,0,0.00K,0,35.17,-106.36,35.17,-106.36,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Hail up to the size of nickels along with intense cloud to ground lightning." +117310,705517,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-30 14:49:00,MST-7,2017-07-30 14:54:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-103.31,34.39,-103.31,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Cannon Air Force Base peak wind gust to 71 mph." +117916,708617,ARIZONA,2017,July,Thunderstorm Wind,"GILA",2017-07-17 23:00:00,MST-7,2017-07-17 23:00:00,0,0,0,0,6.00K,6000,0.00K,0,33.38,-110.77,33.38,-110.77,"Strong monsoon thunderstorms developed during the late evening hours across portions of southern Gila County and they affected the areas around Globe and Miami. The primary weather hazards that developed were very heavy rainfall, flash flooding, and gusty damaging winds. By 2300MST, over one inch of rain had fallen near the Pinal Fire Burn Scar and this was more than sufficient to create an episode of flash flooding from Globe south towards the scar. Heavy debris and water washed over the bridge in Upper Ice House Canyon at 2300MST and by midnight waters were rapidly rising in Pinal Creek near the Gila County RV Park in Globe. Strong gusty outflow winds also blew down trees approximately 1 mile southeast of Globe. A Flash Flood Warning was issued at 2304MST for the area between the Pinal Fire Burn Scar and Globe.","Strong thunderstorms developed near Globe during the late evening hours on July 17th. They produced strong, gusty outflow winds estimated to be as high as 60 mph. According to local law enforcement, at 2300MST the winds blew down a number of trees approximately 1 mile southeast of the town of Globe. A Severe Thunderstorm Warning had been issued for the area at 2237MST and it was in effect through 2300MST." +117916,708619,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-17 22:30:00,MST-7,2017-07-18 02:00:00,0,0,0,0,25.00K,25000,0.00K,0,33.3162,-110.7889,33.3277,-110.8287,"Strong monsoon thunderstorms developed during the late evening hours across portions of southern Gila County and they affected the areas around Globe and Miami. The primary weather hazards that developed were very heavy rainfall, flash flooding, and gusty damaging winds. By 2300MST, over one inch of rain had fallen near the Pinal Fire Burn Scar and this was more than sufficient to create an episode of flash flooding from Globe south towards the scar. Heavy debris and water washed over the bridge in Upper Ice House Canyon at 2300MST and by midnight waters were rapidly rising in Pinal Creek near the Gila County RV Park in Globe. Strong gusty outflow winds also blew down trees approximately 1 mile southeast of Globe. A Flash Flood Warning was issued at 2304MST for the area between the Pinal Fire Burn Scar and Globe.","Thunderstorms with very heavy rain developed across portions of southern Gila County during the late evening hours on July 17th and they primarily impacted areas from the town of Globe south past the Pinal Fire burn scar. At 2306MST a mesonet weather station 5 miles southeast of Globe measured 1.32 inches of rain in a one hour period. This rain fell very close to the Pinal Fire burn scar and resulted in an episode of flash flooding downstream from the scar. Local law enforcement reported that at 2300MST heavy debris and water were washing over the bridge in Upper Ice House Canyon near 9758 Ice House Canyon Road. A Flash Flood Warning was issued for the area beginning at 2304MST and continuing through 0200MST the following day. No injuries were reported as a result of the flash flooding." +118139,709992,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 13:26:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.6463,-70.3128,41.6833,-70.2875,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","Between 125 PM and 250 PM EST, numerous locations in Barnstable experienced flooding. A section of West Main Street was closed with cars stuck in flood waters. Prince Hinckley Road was impassable from flooding with a car stuck in the flood waters. Another car was stuck on Independence Drive at Breeds Hill Road with water up to the car windows. Flooding closed Centerboard Lane at Daybreak Lane, Nathans Way at East Osterville Road, and Acres Hill Road at Braggs Lane. Rainfall of 4.40 inches was measured." +118139,710008,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 13:38:00,EST-5,2017-07-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.574,-70.4737,41.5732,-70.4752,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 138 PM EST, 12 inches of standing water were reported on the Mallway in Mashpee. Rainfall of 4 inches was measured in Mashpee." +118139,710024,MASSACHUSETTS,2017,July,Flood,"BARNSTABLE",2017-07-07 15:37:00,EST-5,2017-07-07 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.6575,-70.2827,41.6519,-70.287,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 2 PM EST, Center Street in Hyannis was reported flooded and impassable. AT 337 PM EST, the Duck Inn Pub in Hyannis reported several feet of water in the pub. At Automated Surface Observation System (ASOS) at Barnstable Municipal Airport reported rainfall of 3.09 inches." +118139,710020,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 14:03:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.7132,-70.215,41.7127,-70.214,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","Between 2 PM EST and 245 PM EST, Wildflower Lane at Kings Circuit in Yarmouth was flooded and impassable with a car stuck in the flood waters. Also, at 243 PM EST, Willow Street was closed due to flooding. Rainfall of 3.39 inches was reported in Yarmouth." +118179,710204,MASSACHUSETTS,2017,July,Flood,"NORFOLK",2017-07-12 15:33:00,EST-5,2017-07-12 18:30:00,0,0,0,0,0.00K,0,0.00K,0,42.2405,-71.0064,42.2409,-71.0073,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 333 PM EST, multiple cars were trapped in flood waters on Water Street in Quincy." +116976,705003,WEST VIRGINIA,2017,July,Flash Flood,"DODDRIDGE",2017-07-29 02:00:00,EST-5,2017-07-29 04:00:00,0,0,0,0,60.00K,60000,0.00K,0,39.4209,-80.6738,39.4037,-80.5639,"A cold front, with a low pressure system moving along it, crossed the middle Ohio River Valley on the 28th. A mid level disturbance also crossed during the afternoon. In abnormally high atmospheric moisture showers and thunderstorms were very efficient rainfall producers with 1 to 2 inches falling in under 30 minutes in the strongest storms. The heaviest rain fell along and north of the US 50 corridor where 2 to 4 inches were measured from late on the 28th into early on the 29th. This resulted in serious flash flooding, leading to an emergency declaration by West Virginia Governor Jim Justice for multiple counties in northern West Virginia. The area also received a major disaster declaration by the federal government. See FEMA DR-4331 for additional information.","Numerous roads were closed to high water and/or washouts. This included Garland Lane, Chipps Run, Canton Run, Pinch Gut and Knights Fork -- all of which were washed out." +118523,712099,MINNESOTA,2017,July,Thunderstorm Wind,"ITASCA",2017-07-06 03:52:00,CST-6,2017-07-06 03:52:00,0,0,0,0,,NaN,,NaN,47.74,-93.66,47.74,-93.66,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A home was damaged when a large uprooted spruce tree fell on it." +118523,712098,MINNESOTA,2017,July,Hail,"PINE",2017-07-06 03:45:00,CST-6,2017-07-06 03:45:00,0,0,0,0,,NaN,,NaN,46.02,-92.99,46.02,-92.99,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","" +119686,717866,COLORADO,2017,August,Thunderstorm Wind,"CHEYENNE",2017-08-02 17:24:00,MST-7,2017-08-02 17:24:00,0,0,0,0,1.00K,1000,0.00K,0,38.9026,-103.0194,38.9026,-103.0194,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","Two limbs of unknown size were broken off trees and a 60 year old dead tree was blown over." +118254,712564,MONTANA,2017,July,Drought,"SHERIDAN",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","The month of July began with Sheridan County already in a state of extreme (D3) drought. Dry conditions persisted and the drought worsened to exceptional (D4) by July 18th. Areas throughout the county received generally less than a quarter of an inch of rainfall, which is over 2 inches below average." +118254,712573,MONTANA,2017,July,Drought,"MCCONE",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","McCone County entered July already experiencing severe (D2) to extreme (D3) drought conditions. Dry weather continued throughout July, and the drought worsened to exceptional (D4) across the most heavily impacted areas of the county. Rainfall amounts were between a quarter and half an inch, which is one and a half and two inches below normal." +119686,717867,COLORADO,2017,August,Thunderstorm Wind,"CHEYENNE",2017-08-02 17:29:00,MST-7,2017-08-02 17:29:00,0,0,0,0,,NaN,0.00K,0,38.9382,-103.0094,38.9382,-103.0094,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","Tree branches were blown down in the yard. Anemometer measured 54 MPH before failing. No size or number of tree branches blown down were given." +117671,707605,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.378,-73.3207,43.3732,-73.3208,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Route 149 and Searles Road were closed due to flooding." +117671,707604,NEW YORK,2017,July,Flash Flood,"WASHINGTON",2017-07-01 17:00:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,43.282,-73.502,43.275,-73.504,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Mahaffey Road was closed at Hinds Road due to flooding. Tilford Road was also closed." +118702,713036,SOUTH DAKOTA,2017,July,Hail,"CLAY",2017-07-03 18:35:00,CST-6,2017-07-03 18:35:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-97.09,43.02,-97.09,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118705,713098,MICHIGAN,2017,July,Thunderstorm Wind,"MUSKEGON",2017-07-07 01:36:00,EST-5,2017-07-07 01:40:00,0,0,0,0,10.00K,10000,0.00K,0,43.15,-86.27,43.15,-86.27,"Severe thunderstorms developed and resulted in numerous reports of high winds and isolated reports of hail. Numerous trees and power lines fell in a 100 mile long and 30 mile wide swath from Grand Haven to northwest of Jackson. Grand Haven was hard hit by very strong winds coming off Lake Michigan. A man was killed when a large tree fell through his house in Grand Haven. A wind gust of 91 mph was recorded on the north Grand Haven breakwater. An unverified gust of at least 88 mph and possibly as high as 103 mph was recorded by a home weather station in the South Highland area, north of Rosy Mound. Wind gusts likely reached 60 to 80 mph across much of the rest of Ottawa county into Kent county. A gust to 88 mph was recorded on a rooftop at Grand Valley State University in Allendale.","Severe thunderstorm wind gusts brought down several trees and power lines near Muskegon. A measured wind gust to 61 mph was reported." +118705,713099,MICHIGAN,2017,July,Thunderstorm Wind,"OTTAWA",2017-07-07 01:50:00,EST-5,2017-07-07 02:05:00,0,0,1,0,250.00K,250000,0.00K,0,43.05,-86.24,43.05,-86.24,"Severe thunderstorms developed and resulted in numerous reports of high winds and isolated reports of hail. Numerous trees and power lines fell in a 100 mile long and 30 mile wide swath from Grand Haven to northwest of Jackson. Grand Haven was hard hit by very strong winds coming off Lake Michigan. A man was killed when a large tree fell through his house in Grand Haven. A wind gust of 91 mph was recorded on the north Grand Haven breakwater. An unverified gust of at least 88 mph and possibly as high as 103 mph was recorded by a home weather station in the South Highland area, north of Rosy Mound. Wind gusts likely reached 60 to 80 mph across much of the rest of Ottawa county into Kent county. A gust to 88 mph was recorded on a rooftop at Grand Valley State University in Allendale.","A large tree fell on a home in Grand Haven and killed a 72 year old man. An 88 mph measured wind gust was recorded at Grand Valley State University in Allendale. Numerous trees and power lines were blown down across Ottawa county." +118705,713100,MICHIGAN,2017,July,Thunderstorm Wind,"KENT",2017-07-07 02:18:00,EST-5,2017-07-07 02:33:00,0,0,0,0,100.00K,100000,0.00K,0,42.88,-85.76,42.88,-85.76,"Severe thunderstorms developed and resulted in numerous reports of high winds and isolated reports of hail. Numerous trees and power lines fell in a 100 mile long and 30 mile wide swath from Grand Haven to northwest of Jackson. Grand Haven was hard hit by very strong winds coming off Lake Michigan. A man was killed when a large tree fell through his house in Grand Haven. A wind gust of 91 mph was recorded on the north Grand Haven breakwater. An unverified gust of at least 88 mph and possibly as high as 103 mph was recorded by a home weather station in the South Highland area, north of Rosy Mound. Wind gusts likely reached 60 to 80 mph across much of the rest of Ottawa county into Kent county. A gust to 88 mph was recorded on a rooftop at Grand Valley State University in Allendale.","Numerous trees and power lines were blown down across southern Kent county." +116400,700147,NEBRASKA,2017,July,Hail,"FURNAS",2017-07-02 20:58:00,CST-6,2017-07-02 21:03:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-100.02,40.3,-99.9631,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118754,713338,TENNESSEE,2017,July,Flash Flood,"LAWRENCE",2017-07-28 06:10:00,CST-6,2017-07-28 07:10:00,0,0,0,0,0.00K,0,0.00K,0,35.4192,-87.2814,35.3894,-87.3065,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","One lane of Highway 43 near Summertown was flooded and impassable. Walker Road south of Summertown was also flooded, and several ditches across northern Lawrence County were at bankful." +118754,713341,TENNESSEE,2017,July,Flash Flood,"PERRY",2017-07-28 05:15:00,CST-6,2017-07-28 10:00:00,0,0,0,0,15.00K,15000,0.00K,0,35.7371,-87.9668,35.7369,-87.922,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","Perry County Emergency Management and WOPC radio reported major flash flooding across central portions of Perry County. Numerous roads in and around Linden were flooded and closed including Highway 412 and Buckfork Road. Other roads were flooded and closed across the county including Lower Brush Creek Road, several roads in Pineview, and Short Creek Road which was washed out. One home was flooded in Pineview and another home was flooded in Short Creek, and the Veterans Park in Linden was also flooded." +118754,713345,TENNESSEE,2017,July,Funnel Cloud,"LAWRENCE",2017-07-28 12:53:00,CST-6,2017-07-28 12:53:00,0,0,0,0,0.00K,0,0.00K,0,35.3496,-87.3203,35.3496,-87.3203,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","Lawrence County Emergency Management along with numerous Facebook and Twitter photos and videos reported a well-defined funnel cloud lasted for several minutes northwest of Ethridge. The location of the funnel cloud from radar, photos and video was determined to be just northwest of Brooks Hughes Road and McDowell Road intersection. The funnel cloud formed from a rotating thunderstorm with supercell characteristics including a wall cloud and rear flank downdraft, but never apparently touched down and there was no known damage." +118754,713352,TENNESSEE,2017,July,Flood,"LAWRENCE",2017-07-28 06:15:00,CST-6,2017-07-28 08:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2589,-87.3265,35.2587,-87.3238,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","One foot of water covered Old Military Road at Highway 43 and water also covered Geri Street in Lawrenceburg, both low lying areas that commonly flood in heavy rain per Lawrence County Emergency Management." +118736,713291,NEBRASKA,2017,July,Thunderstorm Wind,"LANCASTER",2017-07-03 15:05:00,CST-6,2017-07-04 15:05:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-96.64,40.76,-96.64,"Severe thunderstorms formed on a warm front that was lifting northeast during the afternoon across eastern Nebraska. The largest hail stone was ping-pong ball size that fell in Valley. Isolated wind damage occurred from a storm that went across the southeast part of Lincoln during the afternoon.","Trees and large branches were blown down by an isolated microburst ifrom a thunderstorm The damage was on the southeast part of Lincoln north of the intersection of Highway 2 and 56th Street." +118799,713813,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PENDER",2017-07-08 00:00:00,EST-5,2017-07-08 00:01:00,0,0,0,0,10.00K,10000,0.00K,0,34.4455,-78.0486,34.4447,-78.0486,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms to produce severe wind gusts.","Half the roof of a barn was reportedly blown off on Montague Rd. Several trees on the property were reported split or down. One tree was uprooted. Small hail was also reported. Radar data was used to confirm the time of the event." +118824,713817,NEBRASKA,2017,July,Hail,"MADISON",2017-07-10 22:55:00,CST-6,2017-07-10 22:55:00,0,0,0,0,,NaN,,NaN,42.03,-97.42,42.03,-97.42,"Severe thunderstorms formed along a warm front during the nighttime of July 10th over northeast Nebraska. One storm produced strong winds and wind driven hail that was as large as one inch in diameter in Norfolk in Madison County and spread into Stanton County.","One inch hail stones were wind driven and pounded sidings of homes in Norfolk." +118824,713820,NEBRASKA,2017,July,Hail,"STANTON",2017-07-10 23:04:00,CST-6,2017-07-10 23:04:00,0,0,0,0,,NaN,,NaN,42.08,-97.36,42.08,-97.36,"Severe thunderstorms formed along a warm front during the nighttime of July 10th over northeast Nebraska. One storm produced strong winds and wind driven hail that was as large as one inch in diameter in Norfolk in Madison County and spread into Stanton County.","" +118681,712963,GUAM,2017,July,Drought,"MARSHALL ISLANDS",2017-07-01 00:00:00,GST10,2017-07-31 23:59:00,0,0,0,0,0.00K,0,50.00K,50000,NaN,NaN,NaN,NaN,"Dry weather prevails across parts of Micronesia. The rainfall has been so light that drought conditions persist across many islands.","The Experimental Drought Assessment of the U.S. Drought Monitor showed that Utirik in the Northern Marshall Islands has worsened from short term extreme drought (Drought Level 3 of 4) to long-term exceptional drought (Drought Level 4 of 4)||Wotje remain severe drought (Drought Level 2 of 4).||Rainfall amounts illustrate the dry conditions as Utirik saw only 1.74 inches of rainfall during the month as opposed to the usual 4.83 inches.||Wotje continues to improve with 5.55 inches compared to the average July rainfall of 4.48 inches.||WFO Guam continued to issue bi-monthly Drought Information Statements for the Republic of the Marshall Islands." +118829,713887,OKLAHOMA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-03 18:50:00,CST-6,2017-07-03 18:50:00,0,0,0,0,10.00K,10000,0.00K,0,36.28,-98.03,36.28,-98.03,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Many utility poles were downed." +118909,714348,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-15 12:04:00,EST-5,2017-07-15 12:04:00,0,0,0,0,0.00K,0,0.00K,0,35.3,-82.48,35.3,-82.48,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported a few trees blown down in the Valley Hill area." +116820,703576,TEXAS,2017,June,Heavy Rain,"MIDLAND",2017-06-14 18:00:00,CST-6,2017-06-14 18:20:00,0,0,0,0,0.00K,0,0.00K,0,31.9834,-102.1273,31.9834,-102.1273,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Heavy rain fell three miles west southwest of Midland. The storm total rain was between 1.00 to 1.24 inches." +116820,703538,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:38:00,CST-6,2017-06-14 17:43:00,0,0,0,0,,NaN,,NaN,31.8394,-102.4426,31.8394,-102.4426,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +116366,699726,TEXAS,2017,July,Thunderstorm Wind,"HOCKLEY",2017-07-04 02:40:00,CST-6,2017-07-04 02:45:00,1,0,0,0,1.00M,1000000,,NaN,33.5947,-102.4144,33.5901,-102.3311,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","A significant downburst with winds estimated as high as 110 mph struck the northern half of the city of Levelland causing widespread damage to buildings, trees, utility poles, and even rolling two cars from the road. An NWS damage survey team determined the most intense winds were focused about 2.5 miles east of downtown Levelland. It was in this area that a pole barn's metal support beams were ripped from their anchors and a car along State Highway 114 was blown off the road and flipped over. The driver of the car was shaken, but not injured. Damage elsewhere was consistent with winds of 70 to 90 mph and was comprised of peeled back roofs on some buildings and mobile homes, some street signs bent flat to the ground, many large trees snapped at their base, and even a trampoline wrapped around a power pole. Three industrial buildings sustained substantial damage. Sections of streets were so cluttered with structural debris that front-end loaders were required to clear a safe path for travel. One man was injured as the awning he was grilling under collapsed and dragged him a short distance. Approximately 40 power poles were damaged leading to some residents being without power for 11 hours." +116820,703581,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-14 18:30:00,CST-6,2017-06-14 18:30:00,0,0,0,0,,NaN,,NaN,32.5005,-101.0543,32.5005,-101.0543,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Mitchell County and produced a 70 mph wind gust two miles northwest of Cuthbert." +117589,707352,NEW YORK,2017,July,Flash Flood,"ONONDAGA",2017-07-01 15:00:00,EST-5,2017-07-01 16:15:00,0,0,0,0,1.20M,1200000,0.00K,0,42.79,-76.08,42.79,-75.9,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the towns of Fabius and Pompey. Culverts and roads were washed out in several places. Some residences experienced flooding." +117589,707123,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 09:30:00,EST-5,2017-07-01 16:15:00,0,0,0,0,400.00K,400000,0.00K,0,42.78,-76.48,42.7,-76.46,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout Moravia. Many residents were evacuated from their homes in low lying areas. Culverts and roads were washed out in many locations. Public and private infrastructure damage was extensive." +117589,707125,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 09:45:00,EST-5,2017-07-01 16:15:00,0,0,0,0,725.00K,725000,0.00K,0,42.69,-76.62,42.69,-76.47,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Venice. Culverts and roads were washed out in several locations. Some residences and businesses experienced flooding." +119183,715775,NEVADA,2017,July,Funnel Cloud,"MINERAL",2017-07-25 12:30:00,PST-8,2017-07-25 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.6705,-118.2088,38.6705,-118.2088,"Low pressure near the northern California coast and daytime heating combined to bring strong to severe thunderstorms to the western Nevada Basin and Range on the 24th and 25th.","A funnel cloud was photographed in the Gabbs Valley Range east of Hawthorne, with the position an estimate based on observed terrain features. It is possible that there was a tornado touchdown; however, terrain obscured the base of the funnel and no additional evidence was available." +116820,703546,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:57:00,CST-6,2017-06-14 18:02:00,0,0,0,0,,NaN,,NaN,31.919,-102.2916,31.919,-102.2916,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119059,715929,INDIANA,2017,July,Thunderstorm Wind,"ELKHART",2017-07-07 03:50:00,EST-5,2017-07-07 03:51:00,0,0,0,0,0.00K,0,0.00K,0,41.69,-85.91,41.69,-85.91,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a one to two foot diameter tree, with some signs of rot, was blown down." +119059,715930,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-07 08:00:00,EST-5,2017-07-07 08:01:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-86.12,41.35,-86.12,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a two to three foot diameter tree was blown down onto a house, causing extensive siding damage." +119059,715931,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 08:15:00,EST-5,2017-07-07 08:16:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-86.04,41.35,-86.04,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A trained spotter reported large tree limbs down, ranging from eight to twelve inches in diameter, near the intersection of Indiana 19 and County Road 800 North." +119059,715934,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 08:20:00,EST-5,2017-07-07 08:21:00,0,0,0,0,0.00K,0,0.00K,0,41.26,-85.97,41.26,-85.97,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a tree was blown down." +119059,715936,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 08:20:00,EST-5,2017-07-07 08:21:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-85.93,41.28,-85.93,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a six inch and eight inch diameter tree branch down onto a fence, breaking it." +119059,715937,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 08:20:00,EST-5,2017-07-07 08:21:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-85.95,41.29,-85.95,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported three large, healthy trees, roughly two to three feet in diameter, uprooted at a residence. A few smaller trees and tree limbs were also blown down in the area." +116820,703550,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:02:00,CST-6,2017-06-14 18:07:00,0,0,0,0,,NaN,,NaN,32.0118,-102.1583,32.0118,-102.1583,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119107,715334,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-31 17:11:00,CST-6,2017-07-31 17:14:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-100.69,46.88,-100.69,"Thunderstorms developed along a cold front in an environment with enhanced instability and modest deep layer shear. Some thunderstorms became severe producing large hail.","" +119107,715335,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-31 17:35:00,CST-6,2017-07-31 17:38:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-100.74,46.84,-100.74,"Thunderstorms developed along a cold front in an environment with enhanced instability and modest deep layer shear. Some thunderstorms became severe producing large hail.","" +119104,715314,NORTH DAKOTA,2017,July,Thunderstorm Wind,"MCKENZIE",2017-07-29 13:49:00,MST-7,2017-07-29 13:52:00,0,0,0,0,0.00K,0,0.00K,0,47.66,-103.32,47.66,-103.32,"Thunderstorms formed along a weak frontal boundary in an environment of favorable deep layer shear and instability. A few storms became severe with large hail and strong wind gusts.","" +119104,715317,NORTH DAKOTA,2017,July,Hail,"MOUNTRAIL",2017-07-29 17:15:00,CST-6,2017-07-29 17:17:00,0,0,0,0,0.00K,0,0.00K,0,48.21,-102.62,48.21,-102.62,"Thunderstorms formed along a weak frontal boundary in an environment of favorable deep layer shear and instability. A few storms became severe with large hail and strong wind gusts.","" +119104,715315,NORTH DAKOTA,2017,July,Thunderstorm Wind,"RENVILLE",2017-07-29 15:36:00,CST-6,2017-07-29 15:39:00,0,0,0,0,1.00K,1000,0.00K,0,48.9,-101.92,48.9,-101.92,"Thunderstorms formed along a weak frontal boundary in an environment of favorable deep layer shear and instability. A few storms became severe with large hail and strong wind gusts.","A 12-inch diameter ash tree trunk split." +119103,715306,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-24 19:59:00,CST-6,2017-07-24 20:04:00,0,0,0,0,0.00K,0,0.00K,0,48.98,-101.28,48.98,-101.28,"Severe thunderstorms formed along a cold front that moved through northern portions of North Dakota in the late evening hours. Large hail was the result.","" +119103,715307,NORTH DAKOTA,2017,July,Hail,"WARD",2017-07-24 21:36:00,CST-6,2017-07-24 21:40:00,0,0,0,0,0.00K,0,0.00K,0,48.24,-101.3,48.24,-101.3,"Severe thunderstorms formed along a cold front that moved through northern portions of North Dakota in the late evening hours. Large hail was the result.","" +119103,715308,NORTH DAKOTA,2017,July,Hail,"WARD",2017-07-24 21:41:00,CST-6,2017-07-24 21:44:00,0,0,0,0,0.00K,0,0.00K,0,48.24,-101.3,48.24,-101.3,"Severe thunderstorms formed along a cold front that moved through northern portions of North Dakota in the late evening hours. Large hail was the result.","" +119103,715309,NORTH DAKOTA,2017,July,Hail,"WARD",2017-07-24 21:48:00,CST-6,2017-07-24 21:51:00,0,0,0,0,0.00K,0,0.00K,0,48.24,-101.3,48.24,-101.3,"Severe thunderstorms formed along a cold front that moved through northern portions of North Dakota in the late evening hours. Large hail was the result.","" +119103,715310,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-24 22:53:00,CST-6,2017-07-24 22:56:00,0,0,0,0,0.00K,0,0.00K,0,48.92,-100.56,48.92,-100.56,"Severe thunderstorms formed along a cold front that moved through northern portions of North Dakota in the late evening hours. Large hail was the result.","" +119096,715226,NORTH DAKOTA,2017,July,Thunderstorm Wind,"DUNN",2017-07-20 15:23:00,MST-7,2017-07-20 15:32:00,0,0,0,0,275.00K,275000,0.00K,0,47.36,-102.34,47.36,-102.34,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","Multiple power poles were snapped in and around the community of Halliday." +119096,715227,NORTH DAKOTA,2017,July,Thunderstorm Wind,"SLOPE",2017-07-20 15:26:00,MST-7,2017-07-20 15:32:00,0,0,0,0,90.00K,90000,0.00K,0,46.42,-103.4,46.42,-103.4,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","Two outbuildings on a farm were toppled. Windows on the home were broken." +119096,715228,NORTH DAKOTA,2017,July,Hail,"STARK",2017-07-20 15:26:00,MST-7,2017-07-20 15:29:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-102.83,46.88,-102.83,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715229,NORTH DAKOTA,2017,July,Thunderstorm Wind,"SLOPE",2017-07-20 15:34:00,MST-7,2017-07-20 15:40:00,0,0,0,0,80.00K,80000,0.00K,0,46.35,-103.43,46.35,-103.43,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","A barn collapsed at a ranch, and animals were trapped inside." +112801,681709,KANSAS,2017,March,Hail,"MONTGOMERY",2017-03-06 20:52:00,CST-6,2017-03-06 20:52:00,0,0,0,0,,NaN,,NaN,37,-95.93,37,-95.93,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +119221,715963,ALABAMA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-17 14:14:00,CST-6,2017-07-17 14:15:00,0,0,0,0,0.00K,0,0.00K,0,33.4415,-86.7922,33.4415,-86.7922,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted on Southridge Drive." +119221,715966,ALABAMA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-17 14:15:00,CST-6,2017-07-17 14:16:00,0,0,0,0,0.00K,0,0.00K,0,33.47,-86.75,33.47,-86.75,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted on Overton Road." +119221,715973,ALABAMA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-17 14:26:00,CST-6,2017-07-17 14:28:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-85.63,34.24,-85.63,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Power lines blown down on County Road 44, County Road 698, and County Road 102 near the town of Cedar Bluff." +119221,715984,ALABAMA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-17 14:43:00,CST-6,2017-07-17 14:44:00,0,0,0,0,0.00K,0,0.00K,0,34.21,-85.79,34.21,-85.79,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted near the intersection of County Road 70 and County Road 36." +119221,715986,ALABAMA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-17 14:43:00,CST-6,2017-07-17 14:44:00,0,0,0,0,0.00K,0,0.00K,0,34.25,-86.77,34.25,-86.77,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted and power lines downed on Sand Rock Avenue." +119221,715988,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-17 15:00:00,CST-6,2017-07-17 15:01:00,0,0,0,0,0.00K,0,0.00K,0,34.1314,-85.8466,34.1314,-85.8466,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted and blocking a lane on Highway 411." +119221,716006,ALABAMA,2017,July,Thunderstorm Wind,"TALLAPOOSA",2017-07-17 15:18:00,CST-6,2017-07-17 15:19:00,0,0,0,0,0.00K,0,0.00K,0,32.8992,-85.767,32.8992,-85.767,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted and blocking both lanes of traffic on Horseshoe Bend Road." +117584,707107,ALABAMA,2017,July,Thunderstorm Wind,"HENRY",2017-07-14 14:12:00,CST-6,2017-07-14 14:12:00,0,0,0,0,5.00K,5000,0.00K,0,31.56,-85.25,31.56,-85.25,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a residence with power lines down." +117584,707108,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-14 14:18:00,CST-6,2017-07-14 14:18:00,0,0,0,0,0.00K,0,0.00K,0,31.52,-85.75,31.52,-85.75,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on County Road 5." +117584,707109,ALABAMA,2017,July,Thunderstorm Wind,"DALE",2017-07-14 14:24:00,CST-6,2017-07-14 14:24:00,0,0,0,0,0.00K,0,0.00K,0,31.5789,-85.774,31.5789,-85.774,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on County Road 52." +117585,707110,ALABAMA,2017,July,Thunderstorm Wind,"GENEVA",2017-07-26 16:12:00,CST-6,2017-07-26 16:12:00,0,0,0,0,1.00K,1000,0.00K,0,31.1232,-85.5326,31.1232,-85.5326,"Scattered afternoon thunderstorms developed in a typical summer environment. One storm caused minor shingle damage to a residence.","Shingle damage occurred to a residence on H Merritt Road. There were also some tree limbs blown down in the area, but no trees were reported down." +117586,707111,ALABAMA,2017,July,Thunderstorm Wind,"HOUSTON",2017-07-21 14:56:00,CST-6,2017-07-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,31.29,-85.33,31.26,-85.28,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Several trees were blown down in the Kinsey and Webb areas." +117588,707122,GEORGIA,2017,July,Thunderstorm Wind,"LOWNDES",2017-07-13 15:47:00,EST-5,2017-07-13 15:47:00,0,0,0,0,0.00K,0,0.00K,0,30.7189,-83.3186,30.7189,-83.3186,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Madison Highway." +117588,707128,GEORGIA,2017,July,Thunderstorm Wind,"THOMAS",2017-07-13 16:30:00,EST-5,2017-07-13 16:45:00,0,0,0,0,3.00K,3000,0.00K,0,30.79,-83.78,30.83,-83.98,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees and power lines were blown down between Boston and Thomasville." +117588,707129,GEORGIA,2017,July,Thunderstorm Wind,"THOMAS",2017-07-13 16:45:00,EST-5,2017-07-13 16:45:00,0,0,0,0,0.00K,0,0.00K,0,30.8182,-83.9005,30.8182,-83.9005,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a power line on Crabapple Dr." +117588,707133,GEORGIA,2017,July,Thunderstorm Wind,"COOK",2017-07-13 16:50:00,EST-5,2017-07-13 16:50:00,0,0,0,0,1.00K,1000,0.00K,0,31.31,-83.48,31.31,-83.48,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down and resulted in a power outage along Sugar Hill Road." +117764,708040,FLORIDA,2017,July,Heavy Rain,"COLUMBIA",2017-07-22 13:05:00,EST-5,2017-07-22 13:50:00,0,0,0,0,0.00K,0,0.00K,0,30.24,-82.64,30.24,-82.64,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","A spotter measured 2.8 inches of rain in 45 minutes." +117764,708050,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-22 14:55:00,EST-5,2017-07-22 14:55:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-81.6,30.29,-81.6,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","Street flooding was reported along Beach Blvd and University Blvd with on lane flooded on Beach and northbound on University." +117764,708051,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-22 14:54:00,EST-5,2017-07-22 15:54:00,0,0,0,0,0.00K,0,0.00K,0,30.49,-81.69,30.49,-81.69,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","ASOS measured 2.54 inches in just over an hour." +117768,708055,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-22 14:00:00,EST-5,2017-07-22 14:00:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.63,30.34,-81.63,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","A wind gust of 48 mph was measured at the Terminal Channel in downtown JAX." +117195,704892,HAWAII,2017,July,Heavy Rain,"HONOLULU",2017-07-24 16:10:00,HST-10,2017-07-24 19:08:00,0,0,0,0,0.00K,0,0.00K,0,21.3919,-157.7719,21.5732,-158.1468,"An upper trough induced heavy showers and isolated thunderstorms as the remnants of former Tropical Cyclone Fernanda moved through the island chain. The isles mainly affected were Oahu and Maui. The rain produced small stream and drainage ditch flooding, and ponding on roadways. No serious injuries or property damage were reported.","" +117196,704893,HAWAII,2017,July,Wildfire,"OAHU SOUTH SHORE",2017-07-27 11:42:00,HST-10,2017-07-28 04:50:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A blaze charred around 400 acres of dry brush near Kunia in leeward Oahu. Firefighters were able to keep the flames from engulfing 20 nearby homes. There were no serious injuries or property damage. The cause of the fire was undetermined.","" +117197,704894,HAWAII,2017,July,Drought,"KOHALA",2017-07-01 00:00:00,HST-10,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Portions of Kohala in the leeward part of the Big Island of Hawaii remained in the D2 category of severe drought throughout July. The area received little to no rainfall in the month.","" +117198,704896,HAWAII,2017,July,Drought,"SOUTH BIG ISLAND",2017-07-18 02:00:00,HST-10,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A part of South Big Island near the coast deteriorated through the early portion of July and then fell into the D2 category of severe drought in the Drought Monitor.","" +117199,704897,HAWAII,2017,July,Drought,"BIG ISLAND NORTH AND EAST",2017-07-25 02:00:00,HST-10,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With a lack of sufficient rainfall, other portions of the Big Island of Hawaii became dry enough to be considered as suffering D2, or severe, drought, as categorized in the Drought Monitor. Those areas were in the North and East section of the isle, and the Interior section, which is adjacent to both the Kohala and North and East areas.","" +117199,704898,HAWAII,2017,July,Drought,"BIG ISLAND INTERIOR",2017-07-25 02:00:00,HST-10,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"With a lack of sufficient rainfall, other portions of the Big Island of Hawaii became dry enough to be considered as suffering D2, or severe, drought, as categorized in the Drought Monitor. Those areas were in the North and East section of the isle, and the Interior section, which is adjacent to both the Kohala and North and East areas.","" +118172,710170,MASSACHUSETTS,2017,July,Flood,"WORCESTER",2017-07-08 13:25:00,EST-5,2017-07-08 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.5206,-71.7552,42.521,-71.7554,"A cold front moved through New England on July 8, bringing thunderstorms with damaging wind and heavy downpours.","At 125 PM EST, a car was caught in flood waters in Leominster. The car was under an overpass on Lancaster Street near Graham Street." +118172,710180,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-08 13:05:00,EST-5,2017-07-08 13:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.5146,-71.7763,42.5146,-71.7763,"A cold front moved through New England on July 8, bringing thunderstorms with damaging wind and heavy downpours.","At 105 PM, a portion of a tree was down on Lowe Street at Appletree Lane." +118868,714167,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SANBORN",2017-07-25 19:32:00,CST-6,2017-07-25 19:32:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-98.24,43.91,-98.24,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Trees uprooted and large branches downed." +118868,714168,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-25 15:45:00,CST-6,2017-07-25 15:45:00,0,0,0,0,0.00K,0,0.00K,0,44.45,-96.51,44.45,-96.51,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Small trees downed." +118868,714169,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MINER",2017-07-25 16:00:00,CST-6,2017-07-25 16:00:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.85,44.01,-97.85,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Small branches downed." +118868,714170,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"DAVISON",2017-07-25 19:45:00,CST-6,2017-07-25 19:45:00,0,0,0,0,0.00K,0,0.00K,0,43.77,-98.04,43.77,-98.04,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","" +118868,714171,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SANBORN",2017-07-25 19:47:00,CST-6,2017-07-25 19:47:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-98.14,43.9,-98.14,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Small branches downed." +118868,714172,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SANBORN",2017-07-25 19:54:00,CST-6,2017-07-25 19:54:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-98.03,43.93,-98.03,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Small branches downed." +118868,714175,SOUTH DAKOTA,2017,July,Hail,"AURORA",2017-07-25 16:30:00,CST-6,2017-07-25 16:32:00,0,0,0,0,10.00K,10000,0.00K,0,43.7089,-98.517,43.7089,-98.517,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Hail, blown by 65 to 75 mph winds, caused considerable damage to vehicle windshields on Interstate 90." +118811,714180,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"GREGORY",2017-07-09 16:55:00,CST-6,2017-07-09 16:55:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-98.88,43.02,-98.88,"A few thunderstorms developed in the late afternoon in sections of south central South Dakota and produced a few severe weather events.","Four to six inch diameter tree branches downed." +118811,714181,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"GREGORY",2017-07-09 17:05:00,CST-6,2017-07-09 17:05:00,0,0,0,0,6.00K,6000,0.00K,0,43.03,-98.87,43.03,-98.87,"A few thunderstorms developed in the late afternoon in sections of south central South Dakota and produced a few severe weather events.","Grain bin damaged and outbuildings." +116427,700223,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-10 16:30:00,EST-5,2017-07-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0211,-82.8702,40.0258,-82.8482,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","High water was covering several neighborhood roads." +116427,700225,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-10 16:30:00,EST-5,2017-07-10 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9678,-82.8974,39.9673,-82.8955,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","A creek overflowed onto Robinwood Avenue." +116427,700228,OHIO,2017,July,Flood,"FRANKLIN",2017-07-10 17:15:00,EST-5,2017-07-10 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.0281,-82.9169,40.0266,-82.9181,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","High water was reported on Bridgestone Drive." +116427,700229,OHIO,2017,July,Flash Flood,"FAIRFIELD",2017-07-10 18:00:00,EST-5,2017-07-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.734,-82.613,39.7326,-82.6088,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","High water was reported on North Columbus Street." +116427,700656,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-10 14:20:00,EST-5,2017-07-10 14:22:00,0,0,0,0,0.00K,0,0.00K,0,40.01,-83.03,40.01,-83.03,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","An 18 inch diameter branch was downed on the OSU campus." +116427,700658,OHIO,2017,July,Flash Flood,"FAIRFIELD",2017-07-10 18:00:00,EST-5,2017-07-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.65,-82.72,39.6258,-82.7353,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","High water was reported in numerous locations along State Route 159." +116427,700660,OHIO,2017,July,Hail,"MERCER",2017-07-10 21:31:00,EST-5,2017-07-10 21:33:00,0,0,0,0,0.00K,0,0.00K,0,40.67,-84.52,40.67,-84.52,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","" +116427,700661,OHIO,2017,July,Flash Flood,"AUGLAIZE",2017-07-10 22:55:00,EST-5,2017-07-10 23:45:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-84.19,40.5729,-84.1933,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Some water rescues were needed in Wapakoneta due to rising water." +117426,706141,OHIO,2017,July,Flash Flood,"AUGLAIZE",2017-07-11 00:00:00,EST-5,2017-07-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6291,-84.1651,40.6292,-84.1645,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","High water was reported along Hauss Road." +117426,706142,OHIO,2017,July,Flash Flood,"AUGLAIZE",2017-07-11 00:00:00,EST-5,2017-07-11 01:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5906,-84.2035,40.5908,-84.2019,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","High water was reported at the intersection of State Route 501 and Infirmary Road." +117426,706145,OHIO,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-11 02:12:00,EST-5,2017-07-11 02:18:00,0,0,0,0,3.00K,3000,0.00K,0,39.6671,-83.549,39.6671,-83.549,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A few trees were downed in the Jeffersonville area." +118973,714614,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-19 14:42:00,EST-5,2017-07-19 14:44:00,0,0,0,0,,NaN,,NaN,33.91,-80.35,33.91,-80.35,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Sumter Co dispatch reported a tree down at McCray's Mill Rd and Guignard Rd. Time estimated based on radar." +118973,714616,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-19 14:49:00,EST-5,2017-07-19 14:52:00,0,0,0,0,,NaN,,NaN,33.93,-80.29,33.93,-80.29,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Sumter Co dispatch reported a tree down on Ott St. Time estimated based on radar." +118973,714617,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CLARENDON",2017-07-19 14:50:00,EST-5,2017-07-19 14:53:00,0,0,0,0,,NaN,,NaN,33.74,-80.37,33.74,-80.37,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","SCHP reported trees down on Paxville Hwy and Ethan Stone Rd. Time estimated based on radar." +118973,714618,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-19 14:50:00,EST-5,2017-07-19 14:53:00,0,0,0,0,,NaN,,NaN,33.9,-80.34,33.9,-80.34,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Sumter Co dispatch reported a tree down on Red Bay Rd at Lafayette Dr. Time estimated based on radar." +118973,714619,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CLARENDON",2017-07-19 15:00:00,EST-5,2017-07-19 15:03:00,0,0,0,0,,NaN,,NaN,33.72,-80.24,33.72,-80.24,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Clarendon Co dispatch reported a tree down on a house and power lines on Old Manning Rd. Time estimated based on radar." +118973,714620,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-19 15:40:00,EST-5,2017-07-19 15:43:00,0,0,0,0,,NaN,,NaN,33.97,-80.04,33.97,-80.04,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Sumter Co dispatch reported tree down on I-95 at mile marker 139 northbound. Time estimated based on radar." +118973,714621,SOUTH CAROLINA,2017,July,Hail,"BARNWELL",2017-07-19 13:56:00,EST-5,2017-07-19 13:58:00,0,0,0,0,0.10K,100,0.10K,100,33.2,-81.27,33.2,-81.27,"Daytime heating and an upper disturbance combined to produce scattered thunderstorms, some of which were severe and produced strong damaging wind gusts.","Public reported one half inch size hail on Henry Dr." +118977,714625,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-21 16:02:00,EST-5,2017-07-21 16:05:00,0,0,0,0,,NaN,,NaN,34.08,-81.04,34.08,-81.04,"Daytime heating contributed to an isolated severe thunderstorm developing.","Trees down on Blue Ridge Terrace, Blue Ridge Lane, and Monticello Rd." +118981,714653,SOUTH CAROLINA,2017,July,Flash Flood,"CHESTERFIELD",2017-07-23 16:30:00,EST-5,2017-07-23 16:35:00,0,0,0,0,0.10K,100,0.10K,100,34.6872,-80.2356,34.6866,-80.2351,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Chesterfield Co Sheriff reported a pond overflowed and washed out Gilmore Rd near Mount Croghan." +117834,708280,ARIZONA,2017,July,Dust Storm,"GREATER PHOENIX AREA",2017-07-14 17:00:00,MST-7,2017-07-14 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Thunderstorms developed during the afternoon hours across the greater Phoenix metropolitan area on July 14th and some of the stronger storms produced strong gusty outflow wind measured to be as high as 60 mph. The gusty winds were also responsible for generating areas of dense blowing dust; at about 1700MST dust storm conditions were reported at Luke Air Force Base in west Phoenix as visibility dropped to one quarter of a mile. Although Dust Storm Warnings were not issued, a Blowing Dust Advisory was issued for portions of the greater Phoenix area during the afternoon hours. The strong outflow winds did not produce any reported damage.","Strong thunderstorms developed across the far northern portions of the greater Phoenix area during the mid afternoon hours, and they produced strong gusty outflow winds as high as 60 mph. The gusty winds spread south into the greater Phoenix area and stirred up areas of dense blowing dust. According to a public report, visibility dropped to an estimated one quarter mile 2 miles northeast of Luke Air Force Base at 1706MST. Although Dust Storm conditions were observed at Luke, a Dust Storm Warning was not in effect. At 1712MST a Blowing Dust Advisory was issued for portions of the greater Phoenix area and it was in effect through 1900MST." +117857,708343,ARIZONA,2017,July,Dust Storm,"CENTRAL DESERTS",2017-07-15 17:30:00,MST-7,2017-07-15 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Afternoon thunderstorms developed to the southeast of Phoenix on July 15th and some of the stronger storms produced gusty outflow winds in excess of 40 mph. The strong winds moved across the lower deserts of northwest Pinal County and stirred up areas of dense blowing dust; visibilities fell to one quarter mile or lower in dust storm conditions. According to a NWS employee, at 1725MST visibility fell to one quarter mile in dust near Signal Butte and Ocotillo roads, about 2 miles northeast of Queen Creek. Additionally, at 1737MST a NWS employee reported visibility at 200 yards in the town of Eloy, 5 miles northeast of Arizona City. A Dust Storm Warning was issued for the area starting at 1739MST and it remained in effect until almost 2000MST." +118084,709696,ARIZONA,2017,July,Heavy Rain,"PINAL",2017-07-22 14:00:00,MST-7,2017-07-22 17:45:00,0,0,0,0,0.00K,0,0.00K,0,33.3,-111.1,33.3,-111.1,"Scattered monsoon thunderstorms developed to the east of Phoenix during the afternoon hours on July 22nd and some of the stronger storms were focused across the far east portions of the greater Phoenix area including some higher terrain locations such as Superior. Locally heavy rainfall was observed; a trained spotter near the town of Superior measured almost three quarters of an inch within a 20 minute period. The rain led to small stream flooding and necessitated the issuance of a Flood Advisory across communities such as Sunflower, Roosevelt, Four Peaks and Punkin Center. Flash Flooding was not observed however.","Scattered thunderstorms developed across the far eastern portion of the greater Phoenix area, including higher terrain locations of far northeast Maricopa County, during the afternoon hours on July 22nd. Locally heavy rain was observed in some locales, including the community of Superior. At 1615MST a trained spotter 1 mile northeast of Superior measured 0.74 inches of rain within a 20 minute period. Locally heavy rain such as this necessitated the issuance of a Small Stream Flood Advisory for areas near to and to the north of Superior. The advisory was issued at 1552MST and ran through 1745MST." +118105,709807,ARIZONA,2017,July,Flash Flood,"PINAL",2017-07-24 08:15:00,MST-7,2017-07-24 12:55:00,0,0,0,0,10.00K,10000,0.00K,0,33.3593,-111.6197,33.361,-111.5023,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Thunderstorms with locally heavy rainfall developed across the eastern portion of the greater Phoenix area during the morning hours and the intense rainfall eventually led to episodes of flash flooding which affected the community of Apache Junction. A trained spotter just southeast of Apache Junction reported heavy rain at 0612MST which had already caused minor street flooding. Intense rain continued in the area with peak rain rates approaching 2 inches per hour at times. A Flash Flood Warning was issued for areas including Apache Junction at 0719MST and at 0917, local broadcast media reported that a live swift water rescue was underway at 16th Avenue at Saguaro, approximately 1 mile southwest of Apache Junction. No injuries were reported due to this flash flooding." +117269,705353,NEBRASKA,2017,July,Thunderstorm Wind,"BOYD",2017-07-09 17:08:00,CST-6,2017-07-09 17:08:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-98.85,42.91,-98.85,"A cluster of supercells moved from South Dakota into far north central Nebraska during the late afternoon and evening of July 9. Severe wind gusts were reported in Boyd and Holt counties.","A trained weather spotter estimated 60 mph wind gusts in Butte." +117269,705354,NEBRASKA,2017,July,Thunderstorm Wind,"BOYD",2017-07-09 17:22:00,CST-6,2017-07-09 17:22:00,0,0,0,0,0.00K,0,0.00K,0,42.84,-98.74,42.84,-98.74,"A cluster of supercells moved from South Dakota into far north central Nebraska during the late afternoon and evening of July 9. Severe wind gusts were reported in Boyd and Holt counties.","Public reported a large tree branch down, estimating wind gusts to 60 mph near Spencer." +117269,705355,NEBRASKA,2017,July,Thunderstorm Wind,"HOLT",2017-07-09 18:32:00,CST-6,2017-07-09 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-98.65,42.46,-98.65,"A cluster of supercells moved from South Dakota into far north central Nebraska during the late afternoon and evening of July 9. Severe wind gusts were reported in Boyd and Holt counties.","Public estimated 60 mph wind gusts near O'Neill." +117286,705462,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-10 22:00:00,CST-6,2017-07-10 22:00:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-98.34,41.88,-98.34,"A couple supercells developed in the southern panhandle during the evening and rapidly grew into a broken line of cells stretching across the central Sandhills. Severe wind gusts were recorded in Deuel County and large hail in Wheeler County.","" +117286,705463,NEBRASKA,2017,July,Thunderstorm Wind,"DEUEL",2017-07-10 18:55:00,MST-7,2017-07-10 18:55:00,0,0,0,0,0.00K,0,0.00K,0,41.06,-102.15,41.06,-102.15,"A couple supercells developed in the southern panhandle during the evening and rapidly grew into a broken line of cells stretching across the central Sandhills. Severe wind gusts were recorded in Deuel County and large hail in Wheeler County.","" +117287,705464,NEBRASKA,2017,July,Hail,"LINCOLN",2017-07-12 09:11:00,CST-6,2017-07-12 09:11:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-100.66,41.21,-100.66,"A supercell was part of a group of thunderstorms moving southeast during the early and mid morning hours. The supercell produced large hail in northern Lincoln County.","" +117289,705468,NEBRASKA,2017,July,Flood,"FRONTIER",2017-07-17 19:46:00,CST-6,2017-07-17 19:46:00,0,0,0,0,0.00K,0,0.00K,0,40.6468,-100.2242,40.68,-100.2155,"Training thunderstorms produced rainfall amounts exceeding three inches in parts of Frontier County.","Law enforcement reported water over Road 408 south of Farnam. The road has been barricaded for the night." +117290,705469,NEBRASKA,2017,July,Hail,"CHASE",2017-07-18 17:27:00,MST-7,2017-07-18 17:27:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-101.95,40.55,-101.95,"A group of supercells moved east out of Colorado into Keith, Perkins, and Chase counties. Severe hail was reported in Chase County.","" +117290,705470,NEBRASKA,2017,July,Hail,"CHASE",2017-07-18 17:52:00,MST-7,2017-07-18 17:52:00,0,0,0,0,0.00K,0,0.00K,0,40.46,-101.84,40.46,-101.84,"A group of supercells moved east out of Colorado into Keith, Perkins, and Chase counties. Severe hail was reported in Chase County.","" +118026,709512,CALIFORNIA,2017,July,Wildfire,"TULARE CTY MTNS",2017-07-01 00:00:00,PST-8,2017-07-31 00:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Schaeffer Fire was started by lightning on June 24, 2017 in the footprint of the 2002 McNally Fire. The fire was initially allowed to burn for resources purposes, however, when the fire activity increased significantly, an Incident Command Team was assigned on July 3. The fire closed the Kern River and Western Divide ranger districts of the Sequoia National Forest for most of July. The fire burned 16,031 acres and was contained on July 31, 2017. Cost of containment was $13.1 Million.","" +118027,709513,CALIFORNIA,2017,July,Wildfire,"S SIERRA FOOTHILLS",2017-07-16 14:56:00,PST-8,2017-07-31 23:59:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"The Detwiler Fire began on July 16, 2017, 15 miles northwest of Mariposa, CA. It was human caused. It burned 81,826 acres, resulting in 63 residences, 67 minor structures and 1 commercial structure being destroyed with another 13 residences and 8 minor structures damaged. The fire forced the evacuation of several small rural communities for as long as 10 days and also the entire town of Mariposa (population 18,000) for 3 days. Parts of Highways 41, 49, and 140 were closed at times during the fire. The fire was 90 percent contained on July 31, 2017, but no additional growth occurred before it was completely contained on August 24, 2017. Cost of containment was $87 Million.","" +119180,715739,NEVADA,2017,July,Wildfire,"WESTERN NEVADA BASIN AND RANGE",2017-07-03 05:00:00,PST-8,2017-07-10 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A combination of lightning and human/unknown causes brought 5 separate wildfires to western and west-central Nevada between the 4th and 8th.","The Truckee Fire burned around 99,000 acres to the north and northeast of Fernley (and north of Interstate 80) between the 3rd and 10th. Extreme fire growth in grass and brush lead to the voluntary evacuation of 10 to 12 homes on Duffy Road northeast of Fernley on the 3rd; however, no homes were destroyed or damaged as fire fighters set up successful protection lines. Interstate 80 was closed between the evening of the 3rd and early morning on the 4th. The cost to fight the fire was in excess of $600K." +119180,715741,NEVADA,2017,July,Wildfire,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-07-03 12:45:00,PST-8,2017-07-10 06:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A combination of lightning and human/unknown causes brought 5 separate wildfires to western and west-central Nevada between the 4th and 8th.","The Earthstone Fire burned over 41,000 acres (mainly north of Interstate 80) as periods of extreme fire behavior allowed it to spread between the hills east of Sparks to several miles west of Wadsworth. Interstate 80 was closed, mainly between mile markers 22 and 43 from the evening of the 3rd into early morning on the 4th. The fire was suspected to be human-caused with no lightning or downed power lines in the area. The cost to fight the fire totaled at least $3.5M." +119180,715743,NEVADA,2017,July,Wildfire,"GREATER RENO/CARSON CITY/MINDEN AREA",2017-07-04 17:30:00,PST-8,2017-07-10 17:00:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"A combination of lightning and human/unknown causes brought 5 separate wildfires to western and west-central Nevada between the 4th and 8th.","The Winnemucca Ranch Fire east of Pyramid Highway and in Palomino Valley burned around 4800 acres. Although 58 structures were threatened at the onset of the fire, the fire only wound up destroying one mobile home and two outbuildings on Amy Road. The fire was human-caused." +118254,712579,MONTANA,2017,July,Drought,"WIBAUX",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Wibaux County entered July experiencing severe (D2) to extreme (D3) drought conditions. By the end of the month, the drought had worsened so that the entire county was experiencing extreme (D3) drought conditions. Rainfall amounts were between one half of an inch and one inch, which is one and a half to two inches below normal for the month." +118718,713219,LOUISIANA,2017,July,Flash Flood,"EAST FELICIANA",2017-07-08 07:50:00,CST-6,2017-07-08 09:00:00,0,0,0,0,0.00K,0,0.00K,0,30.96,-91.11,30.9739,-91.112,"A hot and unstable airmass aided the development of thunderstorms across southeast Louisiana during the afternoon hours both days.","Water briefly crossed Louisiana Highway 19 near Norwood, as well as other roads and streets in and around Norwood." +118718,713220,LOUISIANA,2017,July,Thunderstorm Wind,"ST. CHARLES",2017-07-09 13:25:00,CST-6,2017-07-09 13:25:00,0,0,0,0,0.00K,0,0.00K,0,29.95,-90.32,29.95,-90.32,"A hot and unstable airmass aided the development of thunderstorms across southeast Louisiana during the afternoon hours both days.","Several trees and power lines were reported blown down by thunderstorm winds in St. Rose. Event time was estimated based on radar." +119314,716422,KANSAS,2017,July,Flash Flood,"ELLIS",2017-07-02 04:00:00,CST-6,2017-07-02 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-99.17,38.9885,-99.1389,"Moisture and instability increased significantly as S/SE flow drew increasing dew points northward. Precipitable water climbed to near 1.5 inch by sunrise. Thunderstorms initiated on the mountains of northern New Mexico late in the afternoon on the 1st, and then propagated into the Texas panhandle by midnight as they grew upscale into an organized thunderstorm complex. This system caused flash flooding in Ellis and sub-severe hail in Ness.","Rainfall was 5.15 inches 3 miles northwest of Emmeram. Water was over many county roads in the area." +119314,716423,KANSAS,2017,July,Hail,"NESS",2017-07-02 06:02:00,CST-6,2017-07-02 06:02:00,0,0,0,0,,NaN,,NaN,38.45,-99.91,38.45,-99.91,"Moisture and instability increased significantly as S/SE flow drew increasing dew points northward. Precipitable water climbed to near 1.5 inch by sunrise. Thunderstorms initiated on the mountains of northern New Mexico late in the afternoon on the 1st, and then propagated into the Texas panhandle by midnight as they grew upscale into an organized thunderstorm complex. This system caused flash flooding in Ellis and sub-severe hail in Ness.","" +119462,716959,KANSAS,2017,July,Hail,"COMANCHE",2017-07-07 17:20:00,CST-6,2017-07-07 17:20:00,0,0,0,0,,NaN,,NaN,37.25,-99.4,37.25,-99.4,"A surface-850 mb frontal zone spreading southward allowed for boundary layer moisture pooling just ahead of it, mainly over south southern into west central counties. This became the favored area for isolated to a few strong to severe storms in the 23-02Z timeframe, aided by a shortwave exiting the |central Rockies very late evening and overnight. This system caused severe wind and heavy rain.","Most of the hail was pea sized." +119462,716960,KANSAS,2017,July,Heavy Rain,"GRAY",2017-07-07 23:00:00,CST-6,2017-07-08 01:00:00,0,0,0,0,0.00K,0,0.00K,0,37.63,-100.65,37.63,-100.65,"A surface-850 mb frontal zone spreading southward allowed for boundary layer moisture pooling just ahead of it, mainly over south southern into west central counties. This became the favored area for isolated to a few strong to severe storms in the 23-02Z timeframe, aided by a shortwave exiting the |central Rockies very late evening and overnight. This system caused severe wind and heavy rain.","Rainfall was 1.80 inches." +118497,711982,GEORGIA,2017,July,Thunderstorm Wind,"ELBERT",2017-07-04 15:40:00,EST-5,2017-07-04 15:40:00,0,0,0,0,0.00K,0,0.00K,0,34.27,-82.82,34.27,-82.82,"Scattered to numerous thunderstorms and clusters of storms moved across northeast Georgia during the afternoon. One cluster of storms produced brief damaging winds in the Piedmont.","County comms reported trees and power lines blown down on Rock Branch Rd." +118768,713499,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CALDWELL",2017-07-05 14:23:00,EST-5,2017-07-05 14:33:00,0,0,0,0,150.00K,150000,0.00K,0,35.812,-81.456,35.802,-81.426,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","County comms and spotters reported numerous trees blown down in the Granite Falls area, with two mobile homes destroyed by falling trees on Pibs Lane, damage to a garage in this same area, two houses damaged by trees on N Highland Ave, a tree on another mobile home on Providence St, and a tree down on Granite Falls Middle School." +118768,713500,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-05 14:51:00,EST-5,2017-07-05 15:12:00,0,0,0,0,5.00K,5000,0.00K,0,35.65,-81.953,35.664,-81.884,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","EM reported multiple trees and power lines blown down east and southeast of Marion, from Highway 226 to Deer Park Rd. One tree fell on a home off Deer Park Rd." +118768,713501,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-05 15:58:00,EST-5,2017-07-05 15:58:00,0,0,0,0,5.00K,5000,0.00K,0,35.86,-81.674,35.86,-81.674,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","County comms reported a tree blown down on a house at Piney Rd and Greenlee Dr." +118768,713502,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-05 15:32:00,EST-5,2017-07-05 15:32:00,0,0,0,0,0.00K,0,0.00K,0,35.752,-81.754,35.752,-81.754,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","Spotter reported numerous large tree limbs blown down near the intersection of Highway 126 and La Foret Dr." +118768,713503,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BUNCOMBE",2017-07-05 16:42:00,EST-5,2017-07-05 16:42:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-82.63,35.58,-82.63,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","Public reported a few trees and large limbs blown down west of Asheville." +118926,714421,TEXAS,2017,July,Flash Flood,"EL PASO",2017-07-15 12:36:00,MST-7,2017-07-15 15:00:00,0,0,0,0,50.00K,50000,0.00K,0,31.6622,-106.3229,31.6137,-106.2941,"Upper high was located over Great Basin with initial surge of monsoon moisture pushing in from the east. Storm motion was very slow which allowed for heavy rain to be produced from any thunderstorm. A storm developed over southeast El Paso county in a very flood prone area near Socorro and San Elizario which produced flash flooding.","Flooding was reported along Rio Vista, Coker and Thunder Roads in Socorro. Water threatened 17 homes with 15-20 people being forced to evacuate. A 4 inch gas line was exposed near Stockyard and Alyssa Roads due to washout." +118927,714424,NEW MEXICO,2017,July,Flash Flood,"DONA ANA",2017-07-18 00:15:00,MST-7,2017-07-18 02:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1937,-106.7555,32.1379,-106.7109,"A surge of monsoon moisture moved into the Rio Grande Valley overnight with a weak upper disturbance. These combined to produce slow moving thunderstorms with very heavy rain. Rainfall amounts totaled almost three and a half inches around Mesquite which lead to flash flooding.","Road crews were required to remove mud, rocks and other debris that were pushed onto roads around the Mesquite area after up to 3.45 inches of rain fell." +119161,715635,TEXAS,2017,July,Flash Flood,"EL PASO",2017-07-19 15:12:00,MST-7,2017-07-19 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,31.8759,-106.106,31.8392,-106.2433,"Easterly flow was setting up across the region bringing in deep moisture to the borderland. Some low level convergence was located along the Rio Grande valley with slow moving storms producing heavy rain and flash flooding over El Paso.","Widespread street flooding over parts of east El Paso and Montana Vista. Water was entering the home on Linda Rene St. in Montana Vista area." +119162,715636,NEW MEXICO,2017,July,Thunderstorm Wind,"LUNA",2017-07-19 16:43:00,MST-7,2017-07-19 16:47:00,0,0,0,0,3.00K,3000,0.00K,0,32.1595,-107.7539,32.1595,-107.7539,"Easterly flow was setting up across the region aloft with drier surface air still in place over southwest New Mexico allowed numerous storms to develop with severe winds in the area.","An amateur radio operator had his east facing windows blown out of his house, and in same area a tractor trailer was overturned on Highway 11." +119162,715637,NEW MEXICO,2017,July,Thunderstorm Wind,"LUNA",2017-07-19 16:49:00,MST-7,2017-07-19 16:49:00,0,0,0,0,0.00K,0,0.00K,0,32.0223,-107.8748,32.0223,-107.8748,"Easterly flow was setting up across the region aloft with drier surface air still in place over southwest New Mexico allowed numerous storms to develop with severe winds in the area.","The aerostat balloon site measured a 61 mph wind gust." +119167,715662,NEW MEXICO,2017,July,Flash Flood,"DONA ANA",2017-07-22 19:24:00,MST-7,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6721,-107.1605,32.6622,-107.1597,"Upper high over southeast Arizona and weak flow aloft trapped deep monsoon moisture over the region. A weak disturbance moved through the northeast flow aloft and triggered some strong, slow moving storms which produced flash flooding and strong wind gusts.","Flash flooding was reported in Hatch." +119167,715664,NEW MEXICO,2017,July,Thunderstorm Wind,"DONA ANA",2017-07-22 15:30:00,MST-7,2017-07-22 15:30:00,0,0,0,0,0.00K,0,0.00K,0,31.8722,-106.6968,31.8722,-106.6968,"Upper high over southeast Arizona and weak flow aloft trapped deep monsoon moisture over the region. A weak disturbance moved through the northeast flow aloft and triggered some strong, slow moving storms which produced flash flooding and strong wind gusts.","A 58 mph wind gust was reported at the Santa Teresa Airport." +116215,698688,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:50:00,CST-6,2017-07-06 15:50:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-93.98,32.57,-93.98,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +116215,698689,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:50:00,CST-6,2017-07-06 15:50:00,0,0,0,0,0.00K,0,0.00K,0,32.57,-93.9,32.57,-93.9,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +116215,698690,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:54:00,CST-6,2017-07-06 15:54:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-93.99,32.47,-93.99,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed north northwest of Greenwood, Louisiana." +116215,698691,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:54:00,CST-6,2017-07-06 15:54:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-93.97,32.45,-93.97,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed in Greenwood, Louisiana." +117033,703918,ARKANSAS,2017,July,Heat,"HOWARD",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703919,ARKANSAS,2017,July,Heat,"LITTLE RIVER",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117033,703920,ARKANSAS,2017,July,Heat,"SEVIER",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117034,703921,OKLAHOMA,2017,July,Heat,"MCCURTAIN",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Southeast Oklahoma. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117035,703923,TEXAS,2017,July,Heat,"BOWIE",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Northeast Texas. When combined with the high humidity, heat indices climbed to near 105 degrees each day.","" +117039,703947,LOUISIANA,2017,July,Heat,"CADDO",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703949,LOUISIANA,2017,July,Heat,"DE SOTO",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +116686,701710,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-01 20:31:00,MST-7,2017-07-01 20:35:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-103.31,34.39,-103.31,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Peak wind gust up to 58 mph at the Cannon AFB." +116721,701951,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-03 14:18:00,MST-7,2017-07-03 14:21:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-103.31,34.39,-103.31,"A cluster of thunderstorms that developed over eastern New Mexico during the late afternoon hours strengthened as it moved eastward into deeper moisture near the Texas state line. Several strong thunderstorms shifting east along the U.S. Highway 60 corridor produced heavy rainfall and strong winds. One of these storms became severe as it approached the Clovis area and produced a wind gust to 66 mph at Cannon Air Force Base and a brief tornado north of Clovis.","Peak wind gust up to 66 mph at Cannon AFB." +116723,701955,NEW MEXICO,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 14:25:00,MST-7,2017-07-05 14:29:00,0,0,0,0,0.00K,0,0.00K,0,33.45,-106.13,33.45,-106.13,"A thunderstorm that developed along the Sacramento Mountains moved west off the high terrain into the Tularosa Valley. A convective outflow cross the U.S. Highway 54 corridor and into the White Sands Missile Range. A mesonet site on the range reported a peak wind gust up to 61 mph as the boundary crossed the area.","Peak wind gust up to 61 mph at Phillips Hill." +116936,703275,NEW MEXICO,2017,July,Flash Flood,"MCKINLEY",2017-07-20 13:56:00,MST-7,2017-07-20 14:26:00,0,0,0,0,0.00K,0,0.00K,0,35.428,-108.7416,35.4335,-108.7472,"A slow-moving thunderstorm that developed near the higher terrain southeast of Gallup moved slowly westward and produced torrential rainfall along state road 602. Images captured by NMDOT showed the highway completely flooded out with significant erosion to the nearby arroyo. Large jersey barriers that were in place along the roadway were moved several feet. No injuries or other significant damage occurred.","Water surging four feet deep over state road 602 at mile marker 24. Jersey barriers along the roadway were pushed half way across the roadway. Highway was closed for several hours." +119083,715175,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-16 08:50:00,EST-5,2017-07-16 08:55:00,0,0,0,0,,NaN,0.00K,0,32.16,-80.57,32.16,-80.57,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","The Shore Beach Service on Hilton Head Island reported 3 more waterspouts off the entrance to Port Royal Sound. Report was received via Twitter." +119083,715176,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-16 08:57:00,EST-5,2017-07-16 09:02:00,0,0,0,0,,NaN,0.00K,0,32.31,-80.45,32.31,-80.45,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","The public reported a waterspout just offshore of the Fripp Island Resort. Report received via Twitter." +119083,715177,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-16 09:10:00,EST-5,2017-07-16 09:15:00,0,0,0,0,,NaN,0.00K,0,32.34,-80.43,32.34,-80.43,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","The public reported 2 waterspouts seen from Saint Helena Island looking east-southeast towards Fripp Island. The report and pictures were received via Twitter." +119083,715178,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-07-16 12:08:00,EST-5,2017-07-16 12:10:00,0,0,0,0,,NaN,0.00K,0,32.8028,-79.6236,32.8028,-79.6236,"In the morning hours, a combination of very light winds and a moist airmass resulted in conditions supportive of thunderstorms and waterspouts. Then by the afternoon thunderstorms became strong enough to produce strong wind gusts.","The CORMP buoy near Capers Island measured a 36 knot wind gust." +119084,715182,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"COLLETON",2017-07-16 19:43:00,EST-5,2017-07-16 19:44:00,0,0,0,0,0.50K,500,0.00K,0,32.8,-80.62,32.8,-80.62,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","South Carolina Highway Patrol reported a tree down on Bonnie Doone Road near the intersection with Ritter Road." +119084,715183,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DORCHESTER",2017-07-16 20:13:00,EST-5,2017-07-16 20:14:00,0,0,0,0,0.50K,500,0.00K,0,32.9,-80.14,32.9,-80.14,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","South Carolina Highway Patrol reported a tree down on Ashley River Road near Middleton Place." +118792,713601,KANSAS,2017,July,Thunderstorm Wind,"OSAGE",2017-07-13 17:05:00,CST-6,2017-07-13 17:06:00,0,0,0,0,,NaN,,NaN,38.71,-95.5,38.71,-95.5,"A complex of thunderstorms moved across the area during the afternoon and evening hours. Damaging wind gusts were the primary hazards with the thunderstorms.","Spotter observed the wind gust on a home weather station anemometer." +118792,713602,KANSAS,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-13 17:40:00,CST-6,2017-07-13 17:41:00,0,0,0,0,,NaN,,NaN,38.62,-95.27,38.62,-95.27,"A complex of thunderstorms moved across the area during the afternoon and evening hours. Damaging wind gusts were the primary hazards with the thunderstorms.","Numerous small trees and power lines are down throughout the city of Ottawa." +116283,699182,MINNESOTA,2017,July,Hail,"HUBBARD",2017-07-06 01:50:00,CST-6,2017-07-06 01:50:00,0,0,0,0,,NaN,,NaN,47.26,-95.14,47.26,-95.14,"Severe thunderstorms moved through Hubbard County, Minnesota, dropping large hail near Becida and Benedict during the early morning hours of July 6th.","" +116283,699183,MINNESOTA,2017,July,Hail,"HUBBARD",2017-07-06 01:55:00,CST-6,2017-07-06 01:55:00,0,0,0,0,,NaN,,NaN,47.25,-95.08,47.25,-95.08,"Severe thunderstorms moved through Hubbard County, Minnesota, dropping large hail near Becida and Benedict during the early morning hours of July 6th.","" +116283,699184,MINNESOTA,2017,July,Hail,"HUBBARD",2017-07-06 02:13:00,CST-6,2017-07-06 02:13:00,0,0,0,0,,NaN,,NaN,47.18,-94.67,47.18,-94.67,"Severe thunderstorms moved through Hubbard County, Minnesota, dropping large hail near Becida and Benedict during the early morning hours of July 6th.","Heavy rain and a lot of dime to quarter sized hail fell across east central Lakeport Township." +116547,700850,NORTH DAKOTA,2017,July,Hail,"PEMBINA",2017-07-11 18:35:00,CST-6,2017-07-11 18:35:00,0,0,0,0,,NaN,,NaN,48.95,-97.74,48.95,-97.74,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700854,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-11 18:50:00,CST-6,2017-07-11 18:53:00,0,0,0,0,,NaN,,NaN,47.46,-96.93,47.46,-96.93,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Large hail and strong winds were reported across eastern Caledonia Township." +116547,700855,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-11 18:56:00,CST-6,2017-07-11 18:56:00,0,0,0,0,,NaN,,NaN,47.5,-97.08,47.5,-97.08,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,700856,NORTH DAKOTA,2017,July,Thunderstorm Wind,"TRAILL",2017-07-11 19:00:00,CST-6,2017-07-11 19:00:00,0,0,0,0,,NaN,,NaN,47.33,-96.96,47.33,-96.96,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The wind gust was measured by a NDAWN sensor." +116898,702928,MINNESOTA,2017,July,Thunderstorm Wind,"CLEARWATER",2017-07-21 16:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,,NaN,,NaN,47.51,-95.4,47.51,-95.4,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Numerous trees were blown down." +116898,702929,MINNESOTA,2017,July,Hail,"CLEARWATER",2017-07-21 16:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,,NaN,,NaN,47.52,-95.4,47.52,-95.4,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail varied in size from pea to nickel." +119454,717091,MISSISSIPPI,2017,September,Thunderstorm Wind,"COVINGTON",2017-09-23 17:07:00,CST-6,2017-09-23 17:07:00,0,0,0,0,75.00K,75000,0.00K,0,31.5622,-89.4988,31.5622,-89.4988,"Scattered strong to severe thunderstorms developed across eastern portions of Mississippi on the afternoon of September 23. The strongest thunderstorms produced small hail and a few microbursts which caused damage to trees and buildings.","Microburst winds caused very localized damage in Seminary which included a peeled back portion of the post office roof, a few trees blown down near the post office, minor shingle damage on a nearby home, and an uprooted two to three foot diameter pine tree near the high school. Trees and debris were blown to the southwest, consistent with straight line wind damage." +118712,713163,ALABAMA,2017,July,Flash Flood,"JEFFERSON",2017-07-11 15:10:00,CST-6,2017-07-11 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4573,-86.7396,33.4646,-86.7403,"A nearly stationary complex of thunderstorms over southern Jefferson County produced localized flash flooding in the Cahaba Heights area.","Crosshaven Road flooded at the intersection of Green Valley Road. Water also entering several businesses in this area. Several homes flooded on Dolly Ridge Road." +116462,700411,OHIO,2017,July,Hail,"ALLEN",2017-07-10 21:45:00,EST-5,2017-07-10 21:46:00,0,0,0,0,0.00K,0,0.00K,0,40.71,-84.35,40.71,-84.35,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Thunderstorms trained over portions of northwestern Ohio, causing flooding issues.","Local media relayed pictures of hail slightly larger than the size of quarters." +116502,700606,OHIO,2017,July,Hail,"PUTNAM",2017-07-16 16:57:00,EST-5,2017-07-16 16:58:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-83.96,40.95,-83.96,"Isolated thunderstorms developed on a weak boundary moving south through portions of northwestern Ohio. Overall shear was weak (around 25 knots) but upwards of 2000 j/kg of MLCAPE was available. A few of the cells produced large hail and locally damaging winds in Allen county.","" +116502,700607,OHIO,2017,July,Hail,"ALLEN",2017-07-16 17:15:00,EST-5,2017-07-16 17:16:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-83.93,40.85,-83.93,"Isolated thunderstorms developed on a weak boundary moving south through portions of northwestern Ohio. Overall shear was weak (around 25 knots) but upwards of 2000 j/kg of MLCAPE was available. A few of the cells produced large hail and locally damaging winds in Allen county.","" +118633,712737,ARKANSAS,2017,July,Excessive Heat,"CRITTENDEN",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712740,ARKANSAS,2017,July,Heat,"CROSS",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118633,712741,ARKANSAS,2017,July,Heat,"CRITTENDEN",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118634,712757,MISSOURI,2017,July,Excessive Heat,"DUNKLIN",2017-07-25 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118634,712760,MISSOURI,2017,July,Heat,"DUNKLIN",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118634,712762,MISSOURI,2017,July,Heat,"PEMISCOT",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118634,712763,MISSOURI,2017,July,Excessive Heat,"PEMISCOT",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118634,712766,MISSOURI,2017,July,Heat,"PEMISCOT",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712778,MISSISSIPPI,2017,July,Heat,"DE SOTO",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712779,MISSISSIPPI,2017,July,Heat,"TUNICA",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118560,712251,VIRGINIA,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-11 16:14:00,EST-5,2017-07-11 16:14:00,0,0,0,0,,NaN,,NaN,39.177,-78.0983,39.177,-78.0983,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","Multiple trees were down at Valley Mille Road and Mill Race Road." +118560,712252,VIRGINIA,2017,July,Thunderstorm Wind,"CLARKE",2017-07-11 16:32:00,EST-5,2017-07-11 16:32:00,0,0,0,0,,NaN,,NaN,39.1496,-77.9814,39.1496,-77.9814,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","Two trees were down on Parshall Road." +118560,712254,VIRGINIA,2017,July,Thunderstorm Wind,"CLARKE",2017-07-11 16:37:00,EST-5,2017-07-11 16:37:00,0,0,0,0,,NaN,,NaN,39.106,-77.918,39.106,-77.918,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","A tree was down on River Road and a tree was down on Chilly Hollow Road." +118560,712255,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-11 17:00:00,EST-5,2017-07-11 17:00:00,0,0,0,0,,NaN,,NaN,38.9879,-77.8495,38.9879,-77.8495,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","A tree was down on US 50 at Willisville Road." +118560,712256,VIRGINIA,2017,July,Thunderstorm Wind,"LOUDOUN",2017-07-11 17:26:00,EST-5,2017-07-11 17:26:00,0,0,0,0,,NaN,,NaN,39.0061,-77.5891,39.0061,-77.5891,"A few storms became severe due to an unstable atmosphere associated with a hot and humid air mass.","A tree was down at Watson Road and Forest Glen Drive." +118458,712270,VIRGINIA,2017,July,Thunderstorm Wind,"FAUQUIER",2017-07-14 14:37:00,EST-5,2017-07-14 14:37:00,0,0,0,0,,NaN,,NaN,38.896,-77.912,38.896,-77.912,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down along the 3400 Block of Grove Lane, the 3000 Block of Rokeby Road and the 2700 Block of Rokeby Road." +118458,712271,VIRGINIA,2017,July,Thunderstorm Wind,"SHENANDOAH",2017-07-14 14:37:00,EST-5,2017-07-14 14:37:00,0,0,0,0,,NaN,,NaN,38.809,-78.589,38.809,-78.589,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Several trees were down and damage had taken place to roofing shingles." +118458,712273,VIRGINIA,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-14 15:05:00,EST-5,2017-07-14 15:05:00,0,0,0,0,,NaN,,NaN,38.26,-78.77,38.26,-78.77,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down on power lines near the intersection of Ore Bank Road and Browns Gap Road." +118458,712274,VIRGINIA,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-14 15:02:00,EST-5,2017-07-14 15:02:00,0,0,0,0,,NaN,,NaN,38.265,-78.821,38.265,-78.821,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree fell onto power lines along sevenths street." +118468,713462,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:02:00,EST-5,2017-07-24 00:02:00,0,0,0,0,,NaN,,NaN,38.975,-76.4974,38.975,-76.4974,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down on Southgate Avenue." +118468,713463,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:03:00,EST-5,2017-07-24 00:03:00,0,0,0,0,,NaN,,NaN,38.9597,-76.4911,38.9597,-76.4911,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the intersection of Ridge Avenue and Tyler Avenue." +118468,713464,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:04:00,EST-5,2017-07-24 00:04:00,0,0,0,0,,NaN,,NaN,38.9571,-76.4875,38.9571,-76.4875,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down at the intersection of Warren Drive and janice Drive." +118468,713465,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:04:00,EST-5,2017-07-24 00:04:00,0,0,0,0,,NaN,,NaN,38.9546,-76.4805,38.9546,-76.4805,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down along Blackwell Road." +118468,713466,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:04:00,EST-5,2017-07-24 00:04:00,0,0,0,0,,NaN,,NaN,38.9752,-76.4877,38.9752,-76.4877,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the intersection of Gloucester Street and Newman Street." +118468,713467,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:42:00,EST-5,2017-07-24 18:42:00,0,0,0,0,,NaN,,NaN,39.5949,-76.4074,39.5949,-76.4074,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down on power lines along the 2600 Block of Bailey Road." +118468,713468,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:48:00,EST-5,2017-07-24 18:48:00,0,0,0,0,,NaN,,NaN,39.5191,-76.4303,39.5191,-76.4303,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down between Fallston Road and Sweet Air Road." +118468,713469,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:48:00,EST-5,2017-07-24 18:48:00,0,0,0,0,,NaN,,NaN,39.5551,-76.3674,39.5551,-76.3674,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the interchange of Bel Air Bypass and Rock Spring Road." +116035,697359,PENNSYLVANIA,2017,July,Thunderstorm Wind,"ELK",2017-07-01 01:55:00,EST-5,2017-07-01 01:55:00,0,0,0,0,4.00K,4000,0.00K,0,41.4739,-78.4961,41.4739,-78.4961,"Showers and thunderstorm associated with an MCS affected northwestern Pennsylvania during the pre-dawn hours on Sunday, July 1. One of the cells within this system exhibited rotation as it crossed Elk County, and produced wind damage near Saint Mary's. A cold front crossed the commonwealth later in the day, generating a line of showers and storms that produced sporadic wind damage as it crossed central Pennsylvania during the afternoon hours.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees and wires near the intersection of West Creek Road and Little Bear Run Road near Saint Marys." +116035,697507,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MIFFLIN",2017-07-01 12:28:00,EST-5,2017-07-01 12:28:00,0,0,0,0,4.00K,4000,0.00K,0,40.6,-77.57,40.6,-77.57,"Showers and thunderstorm associated with an MCS affected northwestern Pennsylvania during the pre-dawn hours on Sunday, July 1. One of the cells within this system exhibited rotation as it crossed Elk County, and produced wind damage near Saint Mary's. A cold front crossed the commonwealth later in the day, generating a line of showers and storms that produced sporadic wind damage as it crossed central Pennsylvania during the afternoon hours.","A severe thunderstorm produced wind estimated near 60 mph and knocked down trees and wires in Lewistown." +116035,697509,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEBANON",2017-07-01 14:14:00,EST-5,2017-07-01 14:14:00,0,0,0,0,4.00K,4000,0.00K,0,40.4513,-76.4264,40.4513,-76.4264,"Showers and thunderstorm associated with an MCS affected northwestern Pennsylvania during the pre-dawn hours on Sunday, July 1. One of the cells within this system exhibited rotation as it crossed Elk County, and produced wind damage near Saint Mary's. A cold front crossed the commonwealth later in the day, generating a line of showers and storms that produced sporadic wind damage as it crossed central Pennsylvania during the afternoon hours.","A severe thunderstorm produced wind estimated near 60 mph and knocked down trees and wires in Bethel Township." +116074,697633,ARKANSAS,2017,July,Thunderstorm Wind,"NEVADA",2017-07-01 15:34:00,CST-6,2017-07-01 15:34:00,0,0,0,0,0.00K,0,0.00K,0,33.8,-93.3103,33.8,-93.3103,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","A measured gust of 62 mph was made by a storm spotter in Redland, Arkansas 4 miles east of Prescott, Arkansas." +116264,699008,KENTUCKY,2017,July,Thunderstorm Wind,"ROCKCASTLE",2017-07-06 16:40:00,EST-5,2017-07-06 16:45:00,0,0,0,0,,NaN,,NaN,37.3632,-84.3599,37.3369,-84.2847,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","A department of highways official reported trees down throughout Mount Vernon on multiple highways. These include U.S. Highway 25 and Kentucky Highways 1326 and 1004." +116264,699009,KENTUCKY,2017,July,Thunderstorm Wind,"KNOX",2017-07-06 16:58:00,EST-5,2017-07-06 16:58:00,0,0,0,0,,NaN,,NaN,36.94,-84.07,36.94,-84.07,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch relayed a report of a tree down east of Corbin." +116264,699010,KENTUCKY,2017,July,Thunderstorm Wind,"KNOX",2017-07-06 17:28:00,EST-5,2017-07-06 17:28:00,0,0,0,0,,NaN,,NaN,36.82,-83.77,36.82,-83.77,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch reported a tree blown down in Flat Lick." +116366,699725,TEXAS,2017,July,Thunderstorm Wind,"LUBBOCK",2017-07-04 01:20:00,CST-6,2017-07-04 01:20:00,0,0,0,0,0.00K,0,0.00K,0,33.46,-101.62,33.46,-101.62,"Late afternoon thunderstorms developed from Tucumcari to Clovis, NM and quickly congealed into a squall line while trekking southeast across the Texas South Plains through the evening. These storms produced several instances of severe wind gusts as they traversed the Texas South Plains, in addition to a wall of dust followed by heavy rains and minor flooding. As this squall line decayed after sunset, additional storms fired along its outflow from the southeast Texas Panhandle through the Rolling Plains. One of these storms east of Childress produced a dust storm that contributed to a fatal multi-vehicle accident near Kirkland. After midnight, a small line of showers and some thunderstorms redeveloped over the western South Plains and moved south. Although radar indicated very weak precipitation intensities with this line, a macroburst and possible heat burst developed shortly after 0230 CST on July 4th and proceeded to strike the north and east sides of Levelland with fierce straight-line winds of 80-110 mph. In addition to causing widespread wind damage, two vehicles were overturned by these winds.","A heat burst produced brief severe wind gusts as measured by a Texas Tech University West Texas mesonet near Slaton." +116544,700809,ARKANSAS,2017,July,Strong Wind,"UNION",2017-07-08 07:32:00,CST-6,2017-07-08 07:32:00,0,0,0,0,25.00K,25000,0.00K,0,NaN,NaN,NaN,NaN,"A complex of thunderstorms developed during the early morning hours of July 8th over Central Arkansas, in response to an upper level disturbance that moved southeast across the Mid-South region of Northeast Arkansas and Western Tennessee. These thunderstorms diminished by daybreak, but a strong outflow boundary consistent with 30-40 mph wind gusts shifted south into Southcentral Arkansas after 8 am, and produced a measured 32 mph wind gust at the South Arkansas Regional Airport west of El Dorado. This boundary resulted in a tree falling across a home in South El Dorado.","Strong winds estimated around 40 mph associated with a southward moving outflow boundary caused a tree to fall across a home in South El Dorado." +116546,700821,LOUISIANA,2017,July,Funnel Cloud,"SABINE",2017-07-08 15:37:00,CST-6,2017-07-08 15:37:00,0,0,0,0,0.00K,0,0.00K,0,31.4687,-93.4475,31.4687,-93.4475,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed mainly across East Texas. However, numerous videos and photos surfaced on social media of a funnel cloud that developed just east of Florien in Southern Sabine Parish from strong thunderstorms. However, this funnel cloud never touched down, and the storms diminished during the evening with the loss of heating and reduced instability.","Multiple videos and pictures were posted on Facebook of a funnel cloud just east of Florien in Southern Sabine Parish." +116850,703128,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CABELL",2017-07-22 22:02:00,EST-5,2017-07-22 22:02:00,0,0,0,0,2.00K,2000,0.00K,0,38.41,-82.32,38.41,-82.32,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were downed along the 5200 block of Route 60." +116850,703130,WEST VIRGINIA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-22 22:45:00,EST-5,2017-07-22 22:45:00,0,0,0,0,2.00K,2000,0.00K,0,38.23,-81.91,38.23,-81.91,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were downed on Sumerco Mountain." +116885,702776,TEXAS,2017,July,Thunderstorm Wind,"GARZA",2017-07-22 17:05:00,CST-6,2017-07-22 17:05:00,0,0,0,0,0.00K,0,0.00K,0,33.2,-101.37,33.2,-101.37,"Pulse-type severe thunderstorms produced two severe wind gusts in Garza County this evening. No wind damage occurred.","Measured by a Texas Tech University West Texas mesonet northeast of Post." +116885,702777,TEXAS,2017,July,Thunderstorm Wind,"GARZA",2017-07-22 17:20:00,CST-6,2017-07-22 17:20:00,0,0,0,0,0.00K,0,0.00K,0,33.08,-101.52,33.08,-101.52,"Pulse-type severe thunderstorms produced two severe wind gusts in Garza County this evening. No wind damage occurred.","Measured by a Texas Tech University West Texas mesonet near Graham." +116898,702924,MINNESOTA,2017,July,Thunderstorm Wind,"CLEARWATER",2017-07-21 15:50:00,CST-6,2017-07-21 15:50:00,0,0,0,0,,NaN,,NaN,47.51,-95.53,47.51,-95.53,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Numerous large pine, oak, and poplar trees and branches were blown down. The worst of the damage was across southern Popple and northern Falk townships." +116851,702989,OHIO,2017,July,Heavy Rain,"PERRY",2017-07-13 17:20:00,EST-5,2017-07-13 17:20:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-82.3,39.81,-82.3,"In a high moisture atmosphere, heavy rain fell across parts of southeastern Ohio on the morning of the 13th as a convective complex crossed. Three to four inches of rain fell, resulting in flash flooding in Perry County.","Three inches of rain were measured near Somerset. This was a total for the day." +116648,701641,NEW JERSEY,2017,July,Thunderstorm Wind,"MONMOUTH",2017-07-13 17:13:00,EST-5,2017-07-13 17:13:00,0,0,0,0,,NaN,,NaN,40.3,-73.99,40.3,-73.99,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorm winds took down Utility poles and wires in Long Branch." +116648,701642,NEW JERSEY,2017,July,Thunderstorm Wind,"MONMOUTH",2017-07-13 17:05:00,EST-5,2017-07-13 17:05:00,0,0,0,0,,NaN,,NaN,40.3,-74.03,40.3,-74.03,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorm winds knocked a tree onto the intersection of US 71 and 36." +116648,701643,NEW JERSEY,2017,July,Thunderstorm Wind,"HUNTERDON",2017-07-13 16:00:00,EST-5,2017-07-13 16:00:00,0,0,0,0,,NaN,,NaN,40.57,-74.8,40.57,-74.8,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several telephone polls taken down along route 202 from thunderstorm winds." +116648,701644,NEW JERSEY,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-14 15:33:00,EST-5,2017-07-14 15:33:00,0,0,0,0,,NaN,,NaN,39.37,-75.07,39.37,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Measured wind gust." +116648,701645,NEW JERSEY,2017,July,Thunderstorm Wind,"SALEM",2017-07-14 15:00:00,EST-5,2017-07-14 15:00:00,0,0,0,0,,NaN,,NaN,39.63,-75.26,39.63,-75.26,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorm winds knocked trees and wires onto US 40." +116648,701647,NEW JERSEY,2017,July,Heavy Rain,"CUMBERLAND",2017-07-14 16:23:00,EST-5,2017-07-14 16:23:00,0,0,0,0,,NaN,,NaN,39.37,-75.07,39.37,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Rain fell in a 28 minute window." +116648,701648,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-14 16:53:00,EST-5,2017-07-14 16:53:00,0,0,0,0,,NaN,,NaN,39.14,-74.85,39.14,-74.85,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several inches of rain fell in a quick duration." +116645,704631,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"SANDY HOOK TO MANASQUAN INLET NJ OUT 20NM",2017-07-13 17:15:00,EST-5,2017-07-13 17:15:00,0,0,0,0,,NaN,,NaN,40.1303,-74.0273,40.1303,-74.0273,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116643,704613,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-07-11 15:23:00,EST-5,2017-07-11 15:23:00,0,0,0,0,,NaN,,NaN,39.9393,-74.0904,39.9393,-74.0904,"Strong wind gusts occurred with thunderstorms on the ocean waters.","Measured gust." +117044,704043,NEW JERSEY,2017,July,Thunderstorm Wind,"GLOUCESTER",2017-07-23 22:34:00,EST-5,2017-07-23 22:34:00,0,0,0,0,0.01K,10,0.00K,0,39.76,-75.18,39.76,-75.18,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree was taken down by thunderstorm winds onto Jackson road." +117051,704054,NEW JERSEY,2017,July,Flash Flood,"CUMBERLAND",2017-07-29 00:15:00,EST-5,2017-07-29 01:15:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.05,39.4553,-75.1025,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Several water rescues occurred due to flooding." +117051,704055,NEW JERSEY,2017,July,Flood,"CUMBERLAND",2017-07-28 23:20:00,EST-5,2017-07-28 23:20:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.05,39.3902,-75.055,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","A basement was flooded." +117051,704056,NEW JERSEY,2017,July,Flood,"ATLANTIC",2017-07-29 00:00:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.46,-74.66,39.4585,-74.6514,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding closed the Jughandle at the intersection of 322 at Cologne Ave." +117051,704059,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 02:00:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-74.83,38.9893,-74.8317,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Rainfall and high tide led to flooding on NJ 47 and West Rio Grand Ave." +117051,704060,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 02:30:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.01,-74.87,39.0133,-74.8676,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding on NJ 47 at 5th street." +117051,704061,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 02:45:00,EST-5,2017-07-29 02:45:00,0,0,0,0,0.00K,0,0.00K,0,39.05,-74.76,39.0509,-74.7625,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Tides and rainfall led to street flooding in Stone Harbor." +116849,703095,OHIO,2017,July,Thunderstorm Wind,"MORGAN",2017-07-22 16:08:00,EST-5,2017-07-22 16:08:00,0,0,0,0,0.50K,500,0.00K,0,39.55,-81.72,39.55,-81.72,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","A large tree fell across State Route 266 near Stockport." +116849,703098,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-22 16:12:00,EST-5,2017-07-22 16:12:00,0,0,0,0,2.00K,2000,0.00K,0,39.4,-81.66,39.4,-81.66,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","Several trees were blown down along State Route 339 near Barlow." +116849,703100,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-22 16:22:00,EST-5,2017-07-22 16:22:00,0,0,0,0,0.50K,500,0.00K,0,39.43,-81.48,39.43,-81.48,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","One tree was downed along Groves Road near Marietta." +116849,703102,OHIO,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-22 16:28:00,EST-5,2017-07-22 16:28:00,0,0,0,0,0.50K,500,0.00K,0,39.36,-81.58,39.36,-81.58,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","A tree was blown down along Greenhill Road near Belpre." +116849,703104,OHIO,2017,July,Thunderstorm Wind,"ATHENS",2017-07-22 16:57:00,EST-5,2017-07-22 16:57:00,0,0,0,0,2.00K,2000,0.00K,0,39.22,-81.79,39.22,-81.79,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","A few trees were downed in Coolville." +116849,703106,OHIO,2017,July,Thunderstorm Wind,"VINTON",2017-07-22 17:48:00,EST-5,2017-07-22 17:48:00,0,0,0,0,4.00K,4000,0.00K,0,39.3,-82.52,39.3,-82.52,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","Numerous trees and power lines were downed along Locust Grove Road between Eggleston Road and King Road." +116849,703107,OHIO,2017,July,Thunderstorm Wind,"JACKSON",2017-07-22 19:00:00,EST-5,2017-07-22 19:00:00,0,0,0,0,0.50K,500,0.00K,0,39.07,-82.57,39.07,-82.57,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","A tree was blown down along Rice Road near Jackson." +117303,705640,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 14:15:00,EST-5,2017-07-20 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,41.9675,-77.1021,41.9675,-77.1021,"Storms developed head of an approaching cold front in a moderate CAPE / high shear environment, producing sporadic wind damage across Tioga County during the afternoon of July 20, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down wires across East Lawrence Road." +117303,705641,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 14:15:00,EST-5,2017-07-20 14:15:00,0,0,0,0,6.00K,6000,0.00K,0,41.9978,-77.1228,41.9978,-77.1228,"Storms developed head of an approaching cold front in a moderate CAPE / high shear environment, producing sporadic wind damage across Tioga County during the afternoon of July 20, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down numerous large trees in Lawrenceville." +117303,705642,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-20 15:13:00,EST-5,2017-07-20 15:13:00,0,0,0,0,8.00K,8000,0.00K,0,41.8093,-77.0771,41.8093,-77.0771,"Storms developed head of an approaching cold front in a moderate CAPE / high shear environment, producing sporadic wind damage across Tioga County during the afternoon of July 20, 2017.","A severe thunderstorm producing winds estimated near 60 mph knocked down multiple large trees and wires in Mansfield." +117330,705677,WYOMING,2017,July,Thunderstorm Wind,"NATRONA",2017-07-09 12:22:00,MST-7,2017-07-09 12:22:00,0,0,0,0,0.00K,0,0.00K,0,42.9,-106.47,42.9,-106.47,"Thunderstorms developed to the west of Casper on July 9th. A wind gust of 60 mph was reported at the Casper airport.","The ASOS at the Natrona County airport reported a wind gust of 60 mph." +116516,700682,PENNSYLVANIA,2017,July,Thunderstorm Wind,"YORK",2017-07-17 12:25:00,EST-5,2017-07-17 12:25:00,0,0,0,0,10.00K,10000,0.00K,0,39.9817,-76.7448,39.9817,-76.7448,"Slow-moving pulse storms developed the afternoon of July 17, 2017. These storms quickly developed across the Susquehanna Valley on a warm and very humid afternoon, and produced locally heavy rainfall. A couple of these storms were able to briefly develop significant cores aloft.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in the Fireside and Avenues neighborhoods of the city of York." +117300,705691,PENNSYLVANIA,2017,July,Thunderstorm Wind,"TIOGA",2017-07-23 14:50:00,EST-5,2017-07-23 14:50:00,0,0,0,0,0.00K,0,0.00K,0,41.5986,-77.3539,41.5986,-77.3539,"Scattered showers and thunderstorms developed along a warm front that was draped from north-central Pennsylvania into the Susquehanna Valley in a moderate CAPE and weak to moderate shear environment. One of these storms produced wind damage in Tioga County.","A severe thunderstorm producing winds estimated near 60 mph knocked down trees in Morris Township." +116934,703258,CALIFORNIA,2017,July,Wildfire,"MODOC COUNTY",2017-07-23 17:00:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"This wildfire was started by multiple lightning strikes on the afternoon and evening of 07/23/17. More fires were started by subsequent strikes. As of 04:30 PDT on 08/01/17, the complex consisted of three fires covering 44841 acres and was 40 percent contained. 10.2 million dollars were spent on firefighting efforts.","This wildfire was started by multiple lightning strikes on the afternoon and evening of 07/23/17. More fires were started by subsequent strikes. As of 04:30 PDT on 08/01/17, the complex consisted of three fires covering 44841 acres and was 40 percent contained. 10.2 million dollars were spent on firefighting efforts." +117499,706637,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-22 05:35:00,EST-5,2017-07-22 05:37:00,0,0,0,0,10.00K,10000,0.00K,0,40.3576,-83.0318,40.3576,-83.0318,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","Several trees and power poles were downed along Horseshoe Road. A tin garage roof was removed from a residence near the intersection of Horseshoe Road and Bishop Road." +117499,706638,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-22 05:43:00,EST-5,2017-07-22 05:45:00,0,0,0,0,10.00K,10000,0.00K,0,40.0299,-83.1572,40.0299,-83.1572,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","Several trees were downed in the Hilliard area. A chimney was also toppled and shingles were blown off of a residence." +117499,706639,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-22 06:15:00,EST-5,2017-07-22 06:20:00,0,0,0,0,3.00K,3000,0.00K,0,40.0783,-82.4606,40.0783,-82.4606,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","A few trees were downed in the Newark and Granville areas." +117499,706641,OHIO,2017,July,Flash Flood,"AUGLAIZE",2017-07-22 07:30:00,EST-5,2017-07-22 08:30:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-84.08,40.6104,-83.9555,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","High water forced a few roads to be closed in the Waynesfield area." +117499,706682,OHIO,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-22 05:33:00,EST-5,2017-07-22 05:35:00,3,0,0,0,5.00K,5000,0.00K,0,40.4,-83.06,40.4,-83.06,"Thunderstorms associated with an upper level disturbance moved across the area during the morning hours. The storms produced damaging winds and localized flash flooding.","A camper trailer was overturned at Delaware State Park. A tree also fell onto a tent of campers." +117500,706661,INDIANA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-22 03:54:00,EST-5,2017-07-22 03:56:00,0,0,0,0,3.00K,3000,0.00K,0,39.827,-85.0053,39.827,-85.0053,"Isolated thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees were downed along McMinn Road." +117506,706708,ILLINOIS,2017,July,Excessive Heat,"ALEXANDER",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117510,706738,KENTUCKY,2017,July,Excessive Heat,"BALLARD",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706739,KENTUCKY,2017,July,Excessive Heat,"CALDWELL",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706741,KENTUCKY,2017,July,Excessive Heat,"CALLOWAY",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +116369,699731,MONTANA,2017,July,Thunderstorm Wind,"PETROLEUM",2017-07-10 14:41:00,MST-7,2017-07-10 14:41:00,0,0,0,0,0.00K,0,0.00K,0,47.24,-108.36,47.24,-108.36,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","The Dry Blood Creek RAWS site reported a wind gust of 63 mph." +116369,699735,MONTANA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-10 15:08:00,MST-7,2017-07-10 15:08:00,0,0,0,0,0.00K,0,0.00K,0,47.56,-107.53,47.56,-107.53,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","The South Sawmill Creek RAWS site measured a 68 mph wind gust." +116369,699736,MONTANA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-10 15:42:00,MST-7,2017-07-10 15:42:00,0,0,0,0,0.00K,0,0.00K,0,47.32,-106.95,47.32,-106.95,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A 60 mph wind gust was measured at the Jordan ASOS site." +116369,699737,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-10 15:44:00,MST-7,2017-07-10 15:44:00,0,0,0,0,0.00K,0,0.00K,0,47.8,-107.02,47.8,-107.02,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","The King Coulee RAWS site measured a 66 mph wind gust." +116369,699741,MONTANA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-10 16:00:00,MST-7,2017-07-10 16:00:00,0,0,0,0,0.00K,0,0.00K,0,47.49,-106.32,47.49,-106.32,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A trained spotter reported sustained winds of approximately 40 mph with gusts to approximately 60 mph. Blowing dust was reducing visibility to less than 1/2 mile with the stronger gusts." +116369,699939,MONTANA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-10 16:08:00,MST-7,2017-07-10 16:08:00,0,0,0,0,0.00K,0,0.00K,0,47.56,-107.53,47.56,-107.53,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","The South Sawmill RAWS site measured a 58 mph wind gust." +117310,705518,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-30 15:07:00,MST-7,2017-07-30 15:10:00,0,0,0,0,0.00K,0,0.00K,0,34.41,-103.2,34.41,-103.2,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Peak wind gust up to 65 mph at the Clovis Fire Department." +117310,705519,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-30 15:10:00,MST-7,2017-07-30 15:12:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-103.23,34.42,-103.23,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Peak wind gusts between 50 and 60 mph." +117916,708623,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-17 22:30:00,MST-7,2017-07-18 02:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3923,-110.7806,33.395,-110.7913,"Strong monsoon thunderstorms developed during the late evening hours across portions of southern Gila County and they affected the areas around Globe and Miami. The primary weather hazards that developed were very heavy rainfall, flash flooding, and gusty damaging winds. By 2300MST, over one inch of rain had fallen near the Pinal Fire Burn Scar and this was more than sufficient to create an episode of flash flooding from Globe south towards the scar. Heavy debris and water washed over the bridge in Upper Ice House Canyon at 2300MST and by midnight waters were rapidly rising in Pinal Creek near the Gila County RV Park in Globe. Strong gusty outflow winds also blew down trees approximately 1 mile southeast of Globe. A Flash Flood Warning was issued at 2304MST for the area between the Pinal Fire Burn Scar and Globe.","Thunderstorms with very heavy rain developed across portions of southern Gila County during the late evening hours on July 17th and they affected the community of Globe. At about 2300MST a mesonet station 5 miles southeast of Globe measured 1.32 inches of rain within one hour, sufficient to cause flash flooding in the area. As reported by another federal agency, just after midnight a very rapid rise in water in Pinal Creek was noted; the rapidly rising water was in close proximity to the Gila County RV Park in Globe. Water remained within its banks but was flowing swiftly and approaching bank full. A Flash Flood Warning was in effect for the area at the time of the flooding; it had been issued at 2304MST and would remain in effect into the early morning hours the next day." +117918,708634,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-18 18:35:00,MST-7,2017-07-18 21:26:00,0,0,0,0,10.00K,10000,0.00K,0,34.0107,-112.8845,33.9527,-113.0521,"Scattered monsoon thunderstorms developed across much of south-central Arizona during the afternoon and evening hours on July 18th and they affected portions of the greater Phoenix area as well as areas around the community of Wickenburg. The storms brought many of the typical summer weather hazards; trees were downed by strong winds near the town of Goodyear, widespread flooding was reported in the early evening in Wickenburg and dense blowing dust was reported near the Ak-Chin Village at 1815MST. At 1835MST a trained spotter measured 1.75 inches of rain within one hour near Wickenburg, sufficient to cause significant flash flooding. No injuries were reported due to the hazardous weather.","Thunderstorms with intense rainfall developed over northwest Maricopa County during the late afternoon hours on July 18th and they affected the town of Wickenburg. Very heavy rain occurred; at 1835MST a trained spotter 2 miles west of Wickenburg measured 1.75 inches of rain within a one hour period, near Wickenburg Way. The heavy rain was sufficient to cause widespread flash flooding in the town of Wickenburg. At 1845MST a member of the public reported widespread flooding in Wickenburg including flash flooding in Sols Wash. Flash flooding closed the Vulture Mine Road at 1845MST. Fortunately no injuries were reported due to the flooding." +118139,709957,MASSACHUSETTS,2017,July,Flash Flood,"BARNSTABLE",2017-07-07 12:43:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,41.5605,-70.6187,41.5528,-70.6242,"Low pressure passed just south of New England on the afternoon of the 7th. This brought 1 to 5 inches of rain to Southeast Massachusetts. The highest amounts occurred on Cape Cod during thunderstorms with heavy downpours. There were numerous reports of significant street flooding, road closures, and road washouts in this area.","At 1248 PM EST, Main Street in Falmouth was closed due to significant street flooding. Water levels near Dunkin Donuts were up to vehicles' hoods. At 1257 PM EST, Palmer Avenue was also flooded and impassable. Rainfall of 3.75 inches was reported in East Falmouth." +118179,710206,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-12 16:29:00,EST-5,2017-07-12 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.1066,-72.5984,42.1044,-72.5949,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 355 PM EST, manhole covers on Main Street in Springfield were popping due to flooding. The area was near a McDonalds." +118179,710207,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-12 16:00:00,EST-5,2017-07-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.069,-72.6622,42.0695,-72.6603,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 5 PM EST, Mill Street in Agawam had a two foot depth of water between Henry Street and Poplar Street." +118179,710208,MASSACHUSETTS,2017,July,Flood,"WORCESTER",2017-07-12 16:30:00,EST-5,2017-07-12 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0505,-71.9296,42.0524,-71.922,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 430 PM EST, multiple streets in Dudley were flooded and impassable." +118179,710215,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 17:53:00,EST-5,2017-07-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3697,-71.195,42.3706,-71.2026,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 553 PM EST, flooding was reported on Acton Street in the Bemis section of Watertown with manhole covers being lifted." +118179,710216,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 18:04:00,EST-5,2017-07-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.3951,-71.2655,42.3961,-71.2636,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 604 PM EST, Second Avenue in Waltham was impassable due to flooding. Flooding was also reported on Sutton Avenue." +118254,712566,MONTANA,2017,July,Drought,"CENTRAL AND SOUTHERN VALLEY",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","July began with central and southern Valley County experiencing extreme (D3) drought conditions. By July 25th, conditions had worsened to exceptional (D4) levels. A little over a half an inch of rain fell across the area in general, which was one to one and a half inches below normal for the month." +118254,712567,MONTANA,2017,July,Drought,"NORTHERN VALLEY",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Northern Valley County started out July experiencing extreme (D3) drought conditions. Continued dry weather prompted a degradation to exceptional (D4) drought by July 25th, which persisted through the rest of the month. Average rainfall for the month is approximately between one and two inches, and while isolated areas did receive a little over an inch of rain, most received half an inch or less." +118254,712569,MONTANA,2017,July,Drought,"CENTRAL AND SE PHILLIPS",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Central and southeast Phillips County entered July already experiencing severe (D2) to extreme (D3) drought conditions. With continued dry weather, exceptional (D4) drought conditions were observed by July 25th. Monthly rainfall amounted to generally less than half an inch, which is approximately one inch below normal." +118627,712621,ARKANSAS,2017,July,Heat,"RANDOLPH",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +117671,709039,NEW YORK,2017,July,Flash Flood,"WARREN",2017-07-01 16:00:00,EST-5,2017-07-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3104,-73.6258,43.3102,-73.6245,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Route 32 was closed near the Haskell Avenue intersection due to high water." +117671,709051,NEW YORK,2017,July,Flash Flood,"RENSSELAER",2017-07-01 19:00:00,EST-5,2017-07-01 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.8081,-73.5849,42.8066,-73.5856,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","A creek flooded over Cooksboro Road." +118705,713101,MICHIGAN,2017,July,Thunderstorm Wind,"BARRY",2017-07-07 02:35:00,EST-5,2017-07-07 02:38:00,0,0,0,0,100.00K,100000,0.00K,0,42.71,-85.47,42.71,-85.47,"Severe thunderstorms developed and resulted in numerous reports of high winds and isolated reports of hail. Numerous trees and power lines fell in a 100 mile long and 30 mile wide swath from Grand Haven to northwest of Jackson. Grand Haven was hard hit by very strong winds coming off Lake Michigan. A man was killed when a large tree fell through his house in Grand Haven. A wind gust of 91 mph was recorded on the north Grand Haven breakwater. An unverified gust of at least 88 mph and possibly as high as 103 mph was recorded by a home weather station in the South Highland area, north of Rosy Mound. Wind gusts likely reached 60 to 80 mph across much of the rest of Ottawa county into Kent county. A gust to 88 mph was recorded on a rooftop at Grand Valley State University in Allendale.","Several trees and power lines were blown down across Barry county." +118705,713102,MICHIGAN,2017,July,Thunderstorm Wind,"EATON",2017-07-07 03:20:00,EST-5,2017-07-07 03:28:00,0,0,0,0,50.00K,50000,0.00K,0,42.51,-84.65,42.51,-84.65,"Severe thunderstorms developed and resulted in numerous reports of high winds and isolated reports of hail. Numerous trees and power lines fell in a 100 mile long and 30 mile wide swath from Grand Haven to northwest of Jackson. Grand Haven was hard hit by very strong winds coming off Lake Michigan. A man was killed when a large tree fell through his house in Grand Haven. A wind gust of 91 mph was recorded on the north Grand Haven breakwater. An unverified gust of at least 88 mph and possibly as high as 103 mph was recorded by a home weather station in the South Highland area, north of Rosy Mound. Wind gusts likely reached 60 to 80 mph across much of the rest of Ottawa county into Kent county. A gust to 88 mph was recorded on a rooftop at Grand Valley State University in Allendale.","Several trees were blown down in Eaton Rapids and across other portions of Eaton county." +118706,713103,MICHIGAN,2017,July,Thunderstorm Wind,"LAKE",2017-07-13 01:01:00,EST-5,2017-07-13 01:15:00,0,0,0,0,10.00K,10000,0.00K,0,44.13,-85.86,44.13,-85.86,"A few severe thunderstorms resulted in pockets of wind damage with downed trees and limbs and power lines across portions of central lower Michigan July 13th.","A few trees were blown down in portions of Lake county." +118706,713105,MICHIGAN,2017,July,Thunderstorm Wind,"OSCEOLA",2017-07-13 01:30:00,EST-5,2017-07-13 01:40:00,0,0,0,0,25.00K,25000,0.00K,0,44.03,-85.4,44.03,-85.4,"A few severe thunderstorms resulted in pockets of wind damage with downed trees and limbs and power lines across portions of central lower Michigan July 13th.","Several large trees were blown down and a barn collapsed at 160th avenue and 15 mile road." +118706,713106,MICHIGAN,2017,July,Thunderstorm Wind,"CLARE",2017-07-13 02:00:00,EST-5,2017-07-13 02:00:00,0,0,0,0,25.00K,25000,0.00K,0,44.12,-84.99,44.12,-84.99,"A few severe thunderstorms resulted in pockets of wind damage with downed trees and limbs and power lines across portions of central lower Michigan July 13th.","The Clare county road commission indicated numerous trees were blown down over roads, especially in Winterfield township." +116835,702572,TENNESSEE,2017,July,Thunderstorm Wind,"COFFEE",2017-07-01 11:30:00,CST-6,2017-07-01 11:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.5335,-86.107,35.5335,-86.107,"Scattered showers and thunderstorms developed across Middle Tennessee during the late morning and afternoon hours on July 1. A couple of storms produced wind damage and some minor flooding.","A tree was blown down on Lonnie Richardson Road at Fredonia Road." +116400,700150,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-02 21:03:00,CST-6,2017-07-02 21:03:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-99.9631,40.3,-99.9631,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +118754,713357,TENNESSEE,2017,July,Heavy Rain,"GILES",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-87.02,35.2,-87.02,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","The Pulaski COOP Observer measured a total rainfall of 4.24 inches for July 28." +118754,713356,TENNESSEE,2017,July,Flash Flood,"CANNON",2017-07-28 15:06:00,CST-6,2017-07-28 16:30:00,0,0,0,0,5.00K,5000,0.00K,0,35.8095,-86.1589,35.8033,-86.1567,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","Flash flooding affected much of southern Cannon County. Flood waters covered John Bragg Highway at Bradyville Road and Jim Cummings Highway at Iconion Road with the roadways closed. A car was stranded in flood waters in the 2700 block of Hollis Creek Road with one water rescue conducted." +118754,713358,TENNESSEE,2017,July,Heavy Rain,"LAWRENCE",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-87.35,35.2,-87.35,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","The Dunn COOP Observer measured a total rainfall of 6.81 inches for July 28." +118754,713360,TENNESSEE,2017,July,Heavy Rain,"LEWIS",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.51,-87.46,35.51,-87.46,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","The Meriwether Lewis COOP Observer measured a total rainfall of 6.42 inches for July 28." +118754,713361,TENNESSEE,2017,July,Heavy Rain,"LEWIS",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5509,-87.5536,35.5509,-87.5536,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","CoCoRaHS station Hohenwald 0.3 E measured a total rainfall of 8.12 inches for July 28." +118754,713362,TENNESSEE,2017,July,Heavy Rain,"LEWIS",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5681,-87.628,35.5681,-87.628,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","CoCoRaHS station Hohenwald 4.0 WNW measured a total rainfall of 7.65 inches for July 28." +118833,713918,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-22 16:02:00,EST-5,2017-07-22 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.2514,-80.4206,36.2514,-80.4206,"Isolated to scattered storms developed along a lee side surface trough during the late afternoon into the evening. A couple of these storms became severe and produced damaging winds.","Two trees were reported down across the road at 5000 Block of Spainhour Mill Road." +118833,713919,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-22 16:02:00,EST-5,2017-07-22 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.2487,-80.4321,36.2487,-80.4321,"Isolated to scattered storms developed along a lee side surface trough during the late afternoon into the evening. A couple of these storms became severe and produced damaging winds.","Two trees were reported down across Donnaha Road." +118833,713922,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-22 16:28:00,EST-5,2017-07-22 16:28:00,0,0,0,0,0.00K,0,0.00K,0,36.1357,-80.1668,36.1357,-80.1668,"Isolated to scattered storms developed along a lee side surface trough during the late afternoon into the evening. A couple of these storms became severe and produced damaging winds.","A tree was reported down across Stanley Park Road and Reidsville Road." +118833,713928,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-22 16:38:00,EST-5,2017-07-22 16:38:00,0,0,0,0,0.00K,0,0.00K,0,36.1053,-80.4205,36.1053,-80.4205,"Isolated to scattered storms developed along a lee side surface trough during the late afternoon into the evening. A couple of these storms became severe and produced damaging winds.","One tree was reported down at the intersection of Grape Wine Road and Sonata Road." +118833,713929,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-22 17:23:00,EST-5,2017-07-22 17:23:00,0,0,0,0,1.50K,1500,0.00K,0,36.1,-80.43,36.1,-80.43,"Isolated to scattered storms developed along a lee side surface trough during the late afternoon into the evening. A couple of these storms became severe and produced damaging winds.","One tree was reported down on a power line near Shallowford Road." +118639,712807,TEXAS,2017,July,Thunderstorm Wind,"TRAVIS",2017-07-08 15:35:00,CST-6,2017-07-08 15:35:00,0,0,0,0,,NaN,0.00K,0,30.31,-97.96,30.31,-97.96,"Isolated thunderstorms formed along an outflow boundary from convection in North Texas. One of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that damaged a large tree in Bee Cave." +118780,713565,TEXAS,2017,July,Thunderstorm Wind,"WILLIAMSON",2017-07-24 14:18:00,CST-6,2017-07-24 14:18:00,0,0,0,0,,NaN,0.00K,0,30.56,-97.84,30.56,-97.84,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that snapped large tree limbs in Leander." +118804,713990,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-07-08 02:13:00,EST-5,2017-07-08 02:14:00,0,0,0,0,0.00K,0,0.00K,0,33.917,-78.02,33.917,-78.02,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms.","Wind sensor 66 feet above the ground measured a 48 mph wind gust." +112919,722431,ILLINOIS,2017,February,Hail,"DE KALB",2017-02-28 16:39:00,CST-6,2017-02-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-88.75,41.93,-88.75,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Penny to nickel size hail was reported in DeKalb, including at the Northern Illinois University." +112919,722432,ILLINOIS,2017,February,Hail,"DE KALB",2017-02-28 16:35:00,CST-6,2017-02-28 16:36:00,0,0,0,0,0.00K,0,0.00K,0,41.98,-88.68,41.98,-88.68,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +118909,714349,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-15 12:10:00,EST-5,2017-07-15 12:10:00,0,0,0,0,0.00K,0,0.00K,0,35.195,-82.476,35.195,-82.476,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported a few trees blown down in the Green River area." +112919,722433,ILLINOIS,2017,February,Hail,"KANE",2017-02-28 16:56:00,CST-6,2017-02-28 16:56:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-88.42,42.07,-88.42,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +112919,722434,ILLINOIS,2017,February,Hail,"LA SALLE",2017-02-28 16:43:00,CST-6,2017-02-28 16:46:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-88.85,41.35,-88.85,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Hail was estimated to be the size of baseballs in Ottawa." +112919,722436,ILLINOIS,2017,February,Hail,"WINNEBAGO",2017-02-28 17:12:00,CST-6,2017-02-28 17:13:00,0,0,0,0,0.00K,0,0.00K,0,42.2384,-88.9995,42.2384,-88.9995,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","Nickel size hail was reported near Harrison Avenue and Mulford Road." +116820,723644,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,100.00M,100000000,,NaN,31.8942,-102.309,31.8942,-102.309,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Numerous reports of baseball and softball sized hail were reported by the public in Odessa. This hail broke windows on cars and homes. The cost of damage is a very rough estimate." +118491,711954,NEW JERSEY,2017,July,Flood,"PASSAIC",2017-07-01 18:30:00,EST-5,2017-07-01 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9576,-74.2252,40.9579,-74.2266,"Scattered showers and thunderstorms developed in a moist airmass. The combination of heavy rainfall and runoff resulted in flooding along the Preakness Brook in Wayne, NJ.","Flooding from Preakness Brook caused manhole covers to be lifted off at the intersection of Hamburg Turnpike and Valley Road in Wayne." +116820,703803,TEXAS,2017,June,Thunderstorm Wind,"BORDEN",2017-06-14 18:55:00,CST-6,2017-06-14 18:55:00,0,0,0,0,20.00K,20000,0.00K,0,32.6279,-101.1743,32.6279,-101.1743,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Borden County and produced wind damage north of Lake JB Thomas. Ten power poles were blown down north of Lake JB Thomas and west of Bull Creek Channel but the exact location is not known. The cost of damage is a very rough estimate." +116856,711829,KANSAS,2017,July,Hail,"OSBORNE",2017-07-22 15:00:00,CST-6,2017-07-22 15:00:00,0,0,0,0,50.00K,50000,150.00K,150000,39.5307,-98.5898,39.5307,-98.5898,"Severe hail fell in a few spots over north central Kansas on this Saturday afternoon. Around 230 pm CST, scattered slow-moving thunderstorms began forming along a line across Rooks and Osborne Counties. Around 330 pm CST, the storm over eastern Rooks County intensified and produced hail up to the size of half dollars. This storm probably remained severe until 4 pm CST as it sagged slowly south. However, no additional reports were received due to the sparsity of population. After 330 pm CST, numerous other storms smaller storms developed across north central Kansas, south of Highway 36. A couple of these storms briefly turned severe over Mitchell County, with 1 inch hail reported in Cawker City around 4 pm CST, and in Hunter around 5 pm CST. The storms generally weakened after 5 pm, leaving stratiform anvil rain, with strongest storms just east and south of this portion of north central Kansas. ||These storms formed along an extensive cool front that extended from Nevada to New Jersey. This front was stationary in some locations, with weak lows migrating east along it. Part of this front was sagging south through north central Kansas. In the upper-levels, the main band of Westerlies was along the U.S.-Canada border with the amplitude fairly low. However, during the day, a shortwave trough migrated from the Northern Rockies into the Dakota's and Nebraska and exhibited some amplification. Two subtropical highs were over the southern U.S. Just prior to thunderstorm initiation, temperatures were around 100 with dewpoints ranging from the upper 50s to lower 70s. Northeast winds behind the front were advecting rich dewpoints westward. MLCAPE ranged from 1000 to 3000 J/kg, with the lowest values associated with the lowest dewpoints, and the highest values associated with the highest dewpoints. Effective deep layer shear was approximately 20-25 kts.","" +116820,703850,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,,NaN,,NaN,31.8909,-102.3709,31.8909,-102.3709,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Odessa and produced tennis ball sized hail." +117589,707130,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 09:45:00,EST-5,2017-07-01 16:15:00,0,0,0,0,725.00K,725000,0.00K,0,42.78,-76.37,42.7,-76.37,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Sempronius. Culverts and roads were washed out in several places. Some residences and businesses experienced flooding." +118007,709423,NEW YORK,2017,July,Flash Flood,"TIOGA",2017-07-23 22:30:00,EST-5,2017-07-23 23:50:00,0,0,0,0,284.00K,284000,0.00K,0,42.0254,-76.38,42.0243,-76.3581,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Severe flooding occurred throughout the village of Nichols. Major State Route 17 was closed in both directions between Exit 62 and Exit 63 due to bridge erosion." +117589,707132,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 10:00:00,EST-5,2017-07-01 16:15:00,0,0,0,0,360.00K,360000,0.00K,0,42.69,-76.46,42.63,-76.45,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of most creeks and urbanized areas occurred throughout the town of Locke. Culverts and roads were washed out in several places. Some residences and businesses experienced flooding." +119118,715389,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-18 00:24:00,MST-7,2017-07-18 00:24:00,0,0,0,0,0.00K,0,0.00K,0,45.61,-101.06,45.61,-101.06,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","" +119118,715390,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-18 02:10:00,CST-6,2017-07-18 02:10:00,0,0,0,0,,NaN,0.00K,0,45.9,-100.29,45.9,-100.29,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","Some tree limbs were downed by estimated sixty mph winds." +119118,715391,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"WALWORTH",2017-07-18 02:19:00,CST-6,2017-07-18 02:19:00,0,0,0,0,0.00K,0,0.00K,0,45.55,-100.41,45.55,-100.41,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","" +119118,715392,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-18 02:57:00,CST-6,2017-07-18 02:57:00,0,0,0,0,0.00K,0,0.00K,0,45.77,-99.72,45.77,-99.72,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","Sixty mph winds were estimated." +119118,715393,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROWN",2017-07-18 04:30:00,CST-6,2017-07-18 04:30:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-98.62,45.47,-98.62,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","" +119118,715394,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"EDMUNDS",2017-07-18 05:10:00,CST-6,2017-07-18 05:10:00,0,0,0,0,0.00K,0,0.00K,0,45.51,-98.93,45.51,-98.93,"Severe thunderstorms developed along a surface frontal boundary extending from west to east along the North Dakota/South Dakota border. Severe wind gusts from 60 to nearly 70 mph occurred with these thunderstorms.","Sixty mph winds were estimated." +119122,715399,FLORIDA,2017,July,Lightning,"OKALOOSA",2017-07-10 18:05:00,CST-6,2017-07-10 18:05:00,0,0,1,0,0.00K,0,0.00K,0,30.8,-86.7843,30.8,-86.7843,"A lightning strike killed a camper in northwest Florida.","A lightning strike killed a camper at the Wilderness Landing campground along the Blackwater River." +118779,713558,TEXAS,2017,July,Thunderstorm Wind,"BLANCO",2017-07-23 14:52:00,CST-6,2017-07-23 14:52:00,0,0,0,0,,NaN,0.00K,0,30.28,-98.42,30.28,-98.42,"A weak upper level low over southeastern Texas interacted with a hot and humid airmass to generate scattered thunderstorms. One of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 70 mph that damaged a barn and fence in Johnson City." +118779,713559,TEXAS,2017,July,Hail,"BLANCO",2017-07-23 14:25:00,CST-6,2017-07-23 14:25:00,0,0,0,0,0.00K,0,0.00K,0,30.3733,-98.2372,30.3733,-98.2372,"A weak upper level low over southeastern Texas interacted with a hot and humid airmass to generate scattered thunderstorms. One of these storms produced damaging wind gusts.","A thunderstorm produced penny size hail north of Pedernales Falls State Park." +116565,703349,TEXAS,2017,June,Hail,"ECTOR",2017-06-12 17:15:00,CST-6,2017-06-12 17:20:00,0,0,0,0,0.50K,500,0.00K,0,31.85,-102.37,31.85,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Ector County and produced hail damage in Odessa. A back window was broken out of a car at a car dealership. The cost of damage is a very rough estimate." +116820,703559,TEXAS,2017,June,Hail,"MITCHELL",2017-06-14 18:35:00,CST-6,2017-06-14 18:40:00,0,0,0,0,,NaN,,NaN,32.5209,-101.0785,32.5209,-101.0785,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119059,715938,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-07 10:08:00,EST-5,2017-07-07 10:09:00,0,0,0,0,0.00K,0,0.00K,0,41.46,-86.44,41.46,-86.44,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A trained spotter reported a two foot diameter, apparently healthy tree was uprooted." +119059,715939,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-07 10:21:00,EST-5,2017-07-07 10:22:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-86.15,41.45,-86.15,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported several small branches and a few larger branches were blown down." +119059,715940,INDIANA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-07 10:30:00,EST-5,2017-07-07 10:31:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-84.92,40.82,-84.92,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a tree was uprooted near Bellmont." +119059,715941,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 10:45:00,EST-5,2017-07-07 10:46:00,0,0,0,0,0.00K,0,0.00K,0,41.24,-85.85,41.24,-85.85,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported a healthy, one foot diameter tree was blown down onto a garage." +119059,715942,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 10:45:00,EST-5,2017-07-07 10:46:00,0,0,0,0,0.00K,0,0.00K,0,41.25,-85.8,41.25,-85.8,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A trained spotter reported a large oak tree limb down near County Road 225 East and 100 North." +119059,715943,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 10:50:00,EST-5,2017-07-07 10:51:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-85.83,41.2,-85.83,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A off duty NWS employee reported a privacy fence was blown over, with four of the posts snapped and moved about six feet. One section was lifted over a small tree. Six tree limbs, ranging up to five inches in diameter were also blown down." +119278,716231,OKLAHOMA,2017,July,Excessive Heat,"WASHINGTON",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716230,OKLAHOMA,2017,July,Excessive Heat,"OSAGE",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716232,OKLAHOMA,2017,July,Excessive Heat,"NOWATA",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716233,OKLAHOMA,2017,July,Excessive Heat,"CRAIG",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716234,OKLAHOMA,2017,July,Excessive Heat,"OTTAWA",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119297,716360,KANSAS,2017,July,Tornado,"CHEYENNE",2017-07-21 16:52:00,CST-6,2017-07-21 17:10:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-101.45,39.9,-101.45,"Towering cumulus clouds developed along a stationary boundary in Cheyenne County. One of the cumulus clouds spawned a landspout north of Bird City. The landspout remained in open country resulting in no damage.","The landspout remained in open country north of Bird City and was nearly stationary. The landspout grew up to one quarter mile at times as reported by Emergency Management and Law Enforcement." +119100,715250,NORTH DAKOTA,2017,July,Thunderstorm Wind,"WELLS",2017-07-21 13:25:00,CST-6,2017-07-21 13:30:00,0,0,0,0,2.00K,2000,0.00K,0,47.45,-99.82,47.45,-99.82,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Several large branches were blown down in Chaseley." +119100,715251,NORTH DAKOTA,2017,July,Hail,"WELLS",2017-07-21 13:30:00,CST-6,2017-07-21 13:33:00,0,0,0,0,0.00K,0,0.00K,0,47.58,-99.41,47.58,-99.41,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119104,715318,NORTH DAKOTA,2017,July,Funnel Cloud,"WILLIAMS",2017-07-29 17:59:00,CST-6,2017-07-29 18:01:00,0,0,0,0,0.00K,0,0.00K,0,48.62,-103.94,48.62,-103.94,"Thunderstorms formed along a weak frontal boundary in an environment of favorable deep layer shear and instability. A few storms became severe with large hail and strong wind gusts.","A short-lived funnel cloud was reported." +119096,715230,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BOWMAN",2017-07-20 15:34:00,MST-7,2017-07-20 15:41:00,0,0,0,0,100.00K,100000,0.00K,0,46.19,-103.71,46.19,-103.71,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","A barn was destroyed with the debris completely removed from the original site." +119096,715231,NORTH DAKOTA,2017,July,Hail,"DUNN",2017-07-20 15:34:00,MST-7,2017-07-20 15:39:00,0,0,0,0,0.00K,0,0.00K,0,47.36,-102.34,47.36,-102.34,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715232,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BOWMAN",2017-07-20 15:39:00,MST-7,2017-07-20 15:44:00,0,0,0,0,2.00K,2000,0.00K,0,46.25,-103.75,46.25,-103.75,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","A motorcycle was knocked over and a flag was torn up." +119096,715233,NORTH DAKOTA,2017,July,Hail,"STARK",2017-07-20 15:42:00,MST-7,2017-07-20 15:45:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-102.79,46.88,-102.79,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +112801,681710,KANSAS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 20:54:00,CST-6,2017-03-06 20:54:00,0,0,0,0,,NaN,,NaN,37.23,-95.71,37.23,-95.71,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A trained spotter reported the gust." +112801,681711,KANSAS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 20:56:00,CST-6,2017-03-06 20:56:00,0,0,0,0,,NaN,,NaN,37.12,-95.71,37.12,-95.71,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","An amateur radio spotter reported the gust." +112801,681712,KANSAS,2017,March,Hail,"MONTGOMERY",2017-03-06 20:58:00,CST-6,2017-03-06 20:58:00,0,0,0,0,,NaN,,NaN,37,-95.92,37,-95.92,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +112801,681713,KANSAS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 20:59:00,CST-6,2017-03-06 20:59:00,0,0,0,0,,NaN,,NaN,37.27,-95.55,37.27,-95.55,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Law enforcement reported the gust. Quarter size hail was also reported." +119221,716020,ALABAMA,2017,July,Lightning,"TALLAPOOSA",2017-07-17 15:32:00,CST-6,2017-07-17 15:32:00,1,0,0,0,0.00K,0,0.00K,0,32.94,-85.85,32.94,-85.85,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Person struck by lightning and taken to to local hospital." +119221,716023,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-17 15:30:00,CST-6,2017-07-17 15:31:00,0,0,0,0,0.00K,0,0.00K,0,34.0711,-85.9101,34.0711,-85.9101,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","A large tree uprooted and power lines downed near the intersection of Ross Drive and Coates Bend Road." +119221,716024,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-17 15:42:00,CST-6,2017-07-17 15:43:00,0,0,0,0,0.00K,0,0.00K,0,34.0249,-86.0185,34.0249,-86.0185,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","A large tree uprooted and power lines downed on Tuscaloosa Avenue and Tyler Street in the city of Gadsden." +119221,716029,ALABAMA,2017,July,Thunderstorm Wind,"ST. CLAIR",2017-07-17 15:48:00,CST-6,2017-07-17 15:49:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-86.46,33.6,-86.46,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Several trees uprooted near the town of Moody." +119221,716030,ALABAMA,2017,July,Lightning,"BIBB",2017-07-17 16:24:00,CST-6,2017-07-17 16:24:00,1,0,0,0,0.00K,0,0.00K,0,32.95,-87.13,32.95,-87.13,"An east to west oriented mid level trough axis was located across south Alabama while a surface boundary was present across the far northern portions of central Alabama. Scattered to numerous thunderstorms developed during the afternoon heating, some producing wind damage.","Person struck by lightning near the city of Centreville." +119426,716716,ALABAMA,2017,July,Lightning,"JEFFERSON",2017-07-24 12:30:00,CST-6,2017-07-24 12:30:00,1,0,0,0,0.00K,0,0.00K,0,33.4828,-86.6692,33.4828,-86.6692,"A slow moving upper level trough pushed southward across Alabama on July 25-45, producing scattered to numerous thunderstorms each day. Precipitable water values were above two inches south of the trough axis, and some of the thunderstorms produced localized flash flooding.","A young male approximately 10-12 years old was struck by lightning while fishing at Lunkner Public Lake. He was transported to a local hospital and was said to be in stable condition." +113455,679204,MASSACHUSETTS,2017,February,Thunderstorm Wind,"HAMPSHIRE",2017-02-25 19:17:00,EST-5,2017-02-25 19:17:00,0,0,0,0,4.00K,4000,0.00K,0,42.4408,-72.7999,42.4408,-72.7999,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Multiple trees and wires down on Main Street in Goshen." +113455,679208,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:35:00,EST-5,2017-02-25 19:35:00,0,0,0,0,3.50K,3500,0.00K,0,42.5101,-72.7753,42.5101,-72.7753,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Tree down on Creamery Road in Ashfield. Tree down on a house on Conway Road in Ashfield. Also trees and wires down on Pfersick Road." +113455,679210,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:35:00,EST-5,2017-02-25 19:35:00,0,0,0,0,5.00K,5000,0.00K,0,42.5427,-72.5285,42.5427,-72.5285,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Tree down on wires on Swamp Road in Montague. Multiple trees down on North Leverett Road in Montague." +113455,679214,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:40:00,EST-5,2017-02-25 19:40:00,0,0,0,0,4.00K,4000,0.00K,0,42.5508,-72.6276,42.5508,-72.6276,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Tree and wires down across Upper Road in Deerfield. Tree and wires down across Old Main Street. Tree down blocking River Road." +113455,679215,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:40:00,EST-5,2017-02-25 19:40:00,0,0,0,0,3.00K,3000,0.00K,0,42.5885,-72.6011,42.5885,-72.6011,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Trees and wires down on Mountain Road in Greenfield." +117588,707134,GEORGIA,2017,July,Lightning,"COOK",2017-07-13 17:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,5.00K,5000,0.00K,0,31.09,-83.52,31.09,-83.52,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Damage occurred to Springhead Baptist Church due to lightning." +117588,707135,GEORGIA,2017,July,Thunderstorm Wind,"COLQUITT",2017-07-13 17:25:00,EST-5,2017-07-13 17:25:00,0,0,0,0,0.00K,0,0.00K,0,31.32,-83.82,31.32,-83.82,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A large tree was blown down in the northern part of the county." +117588,707136,GEORGIA,2017,July,Thunderstorm Wind,"WORTH",2017-07-13 17:32:00,EST-5,2017-07-13 17:32:00,0,0,0,0,0.00K,0,0.00K,0,31.42,-83.95,31.42,-83.95,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Highway 133 and 112." +117588,707137,GEORGIA,2017,July,Thunderstorm Wind,"DOUGHERTY",2017-07-13 18:00:00,EST-5,2017-07-13 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,31.46,-84.06,31.46,-84.06,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Tree limbs were blown down onto power lines." +117588,707146,GEORGIA,2017,July,Thunderstorm Wind,"DOUGHERTY",2017-07-13 18:06:00,EST-5,2017-07-13 18:06:00,0,0,0,0,1.00K,1000,0.00K,0,31.58,-84.06,31.58,-84.06,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Tree limbs were blown down onto power lines." +117588,707147,GEORGIA,2017,July,Thunderstorm Wind,"BERRIEN",2017-07-15 15:00:00,EST-5,2017-07-15 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.41,-83.32,31.41,-83.32,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down onto power lines near Enigma." +117588,707148,GEORGIA,2017,July,Thunderstorm Wind,"DECATUR",2017-07-15 15:00:00,EST-5,2017-07-15 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-84.59,30.87,-84.59,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto power lines south of Bainbridge." +117588,707149,GEORGIA,2017,July,Thunderstorm Wind,"DECATUR",2017-07-15 15:00:00,EST-5,2017-07-15 15:00:00,0,0,0,0,3.00K,3000,0.00K,0,30.9,-84.57,30.9,-84.57,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees and power lines were blown down throughout Bainbridge." +117588,707150,GEORGIA,2017,July,Thunderstorm Wind,"WORTH",2017-07-15 15:42:00,EST-5,2017-07-15 15:42:00,0,0,0,0,0.00K,0,0.00K,0,31.5784,-83.7897,31.5784,-83.7897,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down along Highway 112." +117588,707152,GEORGIA,2017,July,Thunderstorm Wind,"WORTH",2017-07-15 15:42:00,EST-5,2017-07-15 15:42:00,0,0,0,0,2.00K,2000,0.00K,0,31.5965,-83.8306,31.5965,-83.8306,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto power lines near Highway 33 and Old Mail Road." +117764,708052,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-22 14:00:00,EST-5,2017-07-22 16:37:00,0,0,0,0,0.00K,0,0.00K,0,30.46,-81.67,30.46,-81.67,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","Observer measured 3.10 inches. Heaviest rainfall occurred between 3 pm and 4 pm." +117764,708053,FLORIDA,2017,July,Thunderstorm Wind,"FLAGLER",2017-07-22 14:08:00,EST-5,2017-07-22 14:08:00,0,0,0,0,1.00K,1000,0.00K,0,29.6,-81.26,29.6,-81.26,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","Several trees were blown down over and a small tree was uprooted in the Mantanzas Woods Section of Palm Coast. The cost of damage was estimated for the inclusion of this event in Storm Data." +117764,708054,FLORIDA,2017,July,Thunderstorm Wind,"ST. JOHNS",2017-07-22 14:40:00,EST-5,2017-07-22 14:40:00,0,0,0,0,0.00K,0,0.00K,0,29.95,-81.57,29.95,-81.57,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","Trees were blown down near Colee Cove Road." +117768,708056,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"ST AUGUSTINE TO FLAGLER BEACH FL OUT 20NM",2017-07-22 14:08:00,EST-5,2017-07-22 14:08:00,0,0,0,0,0.00K,0,0.00K,0,29.6,-81.26,29.6,-81.26,"A weak surface trough was across the Gulf Coast region and Florida panhandle. Early morning convection near this trough pushed an outflow boundary east across the Suwannee River Valley during the morning hours. Rainfall increased in coverage and intensity as this boundary pressed toward the Atlantic coast and interacted with diurnal heating and instability. When this boundary intersected the east coast sea breeze near the Interstate 95 corridor, strong to severe storms developed and produced locally heavy rainfall.","A spotter estimated a wind gust of 40 mph in the Matanzas Wood area of Palm Coast." +117770,708058,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-23 09:11:00,EST-5,2017-07-23 09:11:00,0,0,0,0,0.00K,0,0.00K,0,29.89,-81.31,29.89,-81.31,"Elevated moisture and upper level forcing under a trough axis enhanced diurnally driven sea breeze and outflow boundary convection under SW steering flow.","The St. Augustine C-Man station measured a thunderstorm wind gust of 43 mph." +118172,710183,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-08 13:10:00,EST-5,2017-07-08 13:10:00,0,0,0,0,1.00K,1000,0.00K,0,42.4394,-71.6635,42.4394,-71.6635,"A cold front moved through New England on July 8, bringing thunderstorms with damaging wind and heavy downpours.","At 110 PM EST, a large tree was down blocking Bolton Station Road." +118180,712149,CONNECTICUT,2017,July,Hail,"HARTFORD",2017-07-12 12:00:00,EST-5,2017-07-12 12:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9416,-72.7264,41.9416,-72.7264,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At noon EST, broadcast media reported 1 inch diameter hail falling at East Granby." +118180,712153,CONNECTICUT,2017,July,Hail,"HARTFORD",2017-07-12 12:28:00,EST-5,2017-07-12 12:36:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-72.66,41.93,-72.66,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","Between 1228 PM and 1236 PM EST, trained spotters and amateur radio reported one inch diameter hail falling at Windsor Locks." +118180,712154,CONNECTICUT,2017,July,Lightning,"WINDHAM",2017-07-12 15:50:00,EST-5,2017-07-12 16:00:00,0,0,0,0,4.00K,4000,0.00K,0,41.68,-71.92,41.68,-71.92,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 550 PM EST, an amateur radio operator reported trees down due to lightning on Packerville Road in Plainfield. Wires were also brought down on a car on Packerville Road." +118180,712155,CONNECTICUT,2017,July,Thunderstorm Wind,"WINDHAM",2017-07-12 15:03:00,EST-5,2017-07-12 15:05:00,0,0,0,0,5.00K,5000,0.00K,0,41.7,-72.08,41.7,-72.08,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 304 PM EST, the Connecticut Department of Transportation and amateur radio operators reported multiple trees down on wires in Scotland, including at the junction of route 97 and route 14." +118181,712156,RHODE ISLAND,2017,July,Flood,"KENT",2017-07-12 15:55:00,EST-5,2017-07-12 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6468,-71.6921,41.645,-71.6905,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 355 PM EST, a trained spotter reported street flooding at the junction of state route 102 and Plain Meeting House Road." +118181,712157,RHODE ISLAND,2017,July,Thunderstorm Wind,"PROVIDENCE",2017-07-12 14:20:00,EST-5,2017-07-12 14:20:00,0,0,0,0,1.00K,1000,0.00K,0,41.888,-71.3567,41.888,-71.3567,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 220 PM EST, a tree was brought down on Bucklin Street in the Darlington section of Pawtucket." +118812,714182,MINNESOTA,2017,July,Thunderstorm Wind,"LYON",2017-07-09 20:57:00,CST-6,2017-07-09 20:57:00,0,0,0,0,0.00K,0,0.00K,0,44.61,-95.89,44.61,-95.89,"Isolated thunderstorms developed and produced localized severe weather events before decreasing in intensity.","Several large tree branches were downed." +118137,709950,OHIO,2017,July,Flood,"WYANDOT",2017-07-07 12:15:00,EST-5,2017-07-07 13:30:00,0,0,0,0,100.00K,100000,0.00K,0,40.8286,-83.1473,40.805,-83.1435,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","A cluster of thunderstorms in Indiana moved into central Ohio midday. These storms had high rainfall rates. The hardest hit community was Nevada in Wyandot County around 115 pm. Radar estimates of 3-5 inches fell. Several basements on Morrison Street were inundated due to widespread overland flooding up to a foot deep. State Route 231 was closed in and around town due to high water. Several County roads were closed across the county. There were numerous basements and roads flooded in the area." +118137,713519,OHIO,2017,July,Hail,"ERIE",2017-07-07 05:45:00,EST-5,2017-07-07 05:45:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-82.55,41.38,-82.55,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Penny sized hail was observed." +118137,713520,OHIO,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-07 06:40:00,EST-5,2017-07-07 06:40:00,0,0,0,0,15.00K,15000,0.00K,0,40.77,-82.52,40.77,-82.52,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a few trees across Richland County." +118137,713521,OHIO,2017,July,Thunderstorm Wind,"ASHLAND",2017-07-07 06:32:00,EST-5,2017-07-07 06:32:00,0,0,0,0,1.00K,1000,0.00K,0,41.03,-82.32,41.03,-82.32,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a tree." +117426,706146,OHIO,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-11 02:45:00,EST-5,2017-07-11 02:47:00,0,0,0,0,5.00K,5000,0.00K,0,39.59,-83.29,39.59,-83.29,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A barn was destroyed on Bloomingburg New Holland Road." +117426,706147,OHIO,2017,July,Flash Flood,"MADISON",2017-07-11 03:30:00,EST-5,2017-07-11 04:30:00,0,0,0,0,0.00K,0,0.00K,0,39.72,-83.28,39.722,-83.2789,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Water was covering Oday Harrison Road." +117426,706148,OHIO,2017,July,Hail,"GREENE",2017-07-11 08:55:00,EST-5,2017-07-11 08:57:00,0,0,0,0,0.00K,0,0.00K,0,39.64,-84.08,39.64,-84.08,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","" +117426,706150,OHIO,2017,July,Thunderstorm Wind,"BUTLER",2017-07-11 13:25:00,EST-5,2017-07-11 13:35:00,0,0,0,0,8.00K,8000,0.00K,0,39.51,-84.75,39.51,-84.75,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Numerous trees were downed in the Oxford area." +117426,706151,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-11 13:35:00,EST-5,2017-07-11 13:37:00,0,0,0,0,1.00K,1000,0.00K,0,39.75,-84.63,39.75,-84.63,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Numerous tree limbs were downed." +117426,706152,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-11 13:33:00,EST-5,2017-07-11 13:35:00,0,0,0,0,1.00K,1000,0.00K,0,39.8394,-84.7923,39.8394,-84.7923,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A tree was blown onto State Route 320." +117426,706154,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 13:45:00,EST-5,2017-07-11 14:05:00,0,0,0,0,50.00K,50000,0.00K,0,39.7732,-84.3269,39.7732,-84.3269,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Widespread tree and power line damage occurred across Montgomery County with the heaviest damage along and west of Interstate 75, especially in Perry Township. DP&L reported that around 25,000 customers were without power in Montgomery County after the storm." +117426,706155,OHIO,2017,July,Thunderstorm Wind,"PREBLE",2017-07-11 13:35:00,EST-5,2017-07-11 13:37:00,0,0,0,0,3.00K,3000,0.00K,0,39.84,-84.63,39.84,-84.63,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A semi-truck was blown over on US Route 127." +117426,706156,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 14:12:00,EST-5,2017-07-11 14:15:00,0,0,0,0,2.00K,2000,0.00K,0,39.6752,-84.2507,39.6752,-84.2507,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Several trees were downed near Burns Avenue." +117426,706157,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 14:10:00,EST-5,2017-07-11 14:12:00,0,0,0,0,2.00K,2000,0.00K,0,39.64,-84.27,39.64,-84.27,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Several large pieces of siding were stripped from a house." +118981,714654,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-23 18:29:00,EST-5,2017-07-23 18:34:00,0,0,0,0,0.10K,100,0.10K,100,34.0122,-81.0409,34.0122,-81.0416,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Report and photo, via social media, of flooded roadways at 1024 Elmwood Ave in Columbia, SC." +118981,714656,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTERFIELD",2017-07-23 15:35:00,EST-5,2017-07-23 15:40:00,0,0,0,0,,NaN,,NaN,34.77,-80.23,34.77,-80.23,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Chesterfield Co Sheriff reported trees down in Mt Croghan." +118981,714657,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-23 18:24:00,EST-5,2017-07-23 18:29:00,0,0,0,0,,NaN,,NaN,33.76,-81.84,33.76,-81.84,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Edgefield Co dispatch reported trees down on Hwy 121." +118981,714659,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-23 18:41:00,EST-5,2017-07-23 18:44:00,0,0,0,0,,NaN,,NaN,33.55,-81.42,33.55,-81.42,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","SCHP reported multiple trees down on Smyrna Church Rd near the intersection of Warbonnet Rd." +118981,714662,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MCCORMICK",2017-07-23 19:04:00,EST-5,2017-07-23 19:08:00,0,0,0,0,,NaN,,NaN,33.99,-82.5,33.99,-82.5,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Law enforcement reported two trees down on Hwy 81 and Smith Rd." +118981,714663,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-23 19:09:00,EST-5,2017-07-23 19:14:00,0,0,0,0,,NaN,,NaN,33.64,-81.91,33.64,-81.91,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Edgefield Co dispatch reported trees down at Community Rd. Time estimated based on radar." +118981,714664,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-23 19:19:00,EST-5,2017-07-23 19:23:00,0,0,0,0,,NaN,,NaN,33.66,-80.88,33.66,-80.88,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Calhoun Co dispatch reported trees down on power lines on Bridalwreath Dr. Time estimated based on radar." +117857,708347,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-15 17:30:00,MST-7,2017-07-15 17:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.55,-112.28,33.55,-112.28,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Thunderstorms developed across the western and northwest portions of the greater Phoenix area during the afternoon hours on July 15th. The stronger storms produced gusty and damaging outflow winds estimated as high as 60 mph. At 1730MST, a report from the public was received that a 15 inch diameter pine tree was blown down near 99th Avenue and Olive Avenue, about 3 miles southeast of Youngtown. 15 minutes later, a trained spotter only a few miles away reported that a 4 inch diameter tree fell on a house near 89th Avenue and Northern Avenue, about 2 miles southwest of Peoria." +117857,708351,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-15 17:45:00,MST-7,2017-07-15 17:45:00,0,0,0,0,4.00K,4000,0.00K,0,33.64,-112.34,33.64,-112.34,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Strong thunderstorms developed across the northwest portion of the greater Phoenix area during the afternoon hours on July 15th. They produced gusty and damaging outflow winds estimated to as high as 60 mph. At 1745MST a trained spotter 1 mile south of the town of Surprise reported that gusty winds damaged shingles on the roof of a home. The home was near the intersection of West Bell Road and North Dysart Road. A Severe Thunderstorm Warning was in effect at the time; it was issued at 1731MST and it was in effect through 1800MST." +118105,709813,ARIZONA,2017,July,Flash Flood,"PINAL",2017-07-24 07:30:00,MST-7,2017-07-24 10:15:00,0,0,0,0,20.00K,20000,0.00K,0,33.0986,-111.7406,33.0381,-111.7296,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Thunderstorms with locally heavy rainfall developed across much of the greater Phoenix area during the morning hours on July 24th, and with peak rain rates reaching 2 inches per hour at times, episodes of flash flooding developed as a result. One of the communities affected by flash flooding was the town of Sacaton, to the southeast of Phoenix. According to a report from the public, at 0900MST flash flooding occurred about 3 miles southeast of Sacaton; flood waters partially submerged a truck and they also washed away a number of palm trees located roughly at Sacaton and highway 87. A Flash Flood Warning was in effect at the time, but it was slightly north of the location of the flash flooding, over portions of Apache Junction and Queen Creek." +117291,705471,NEBRASKA,2017,July,Hail,"HOLT",2017-07-19 16:45:00,CST-6,2017-07-19 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-98.98,42.53,-98.98,"A cluster of thunderstorms in southern South Dakota merged into a quasi-linear system in north central Nebraska during the late afternoon and early evening hours. Large hail and severe winds were reported in Holt County.","" +117291,705472,NEBRASKA,2017,July,Hail,"HOLT",2017-07-19 17:47:00,CST-6,2017-07-19 17:47:00,0,0,0,0,0.00K,0,0.00K,0,42.44,-98.77,42.44,-98.77,"A cluster of thunderstorms in southern South Dakota merged into a quasi-linear system in north central Nebraska during the late afternoon and early evening hours. Large hail and severe winds were reported in Holt County.","" +117291,705473,NEBRASKA,2017,July,Hail,"HOLT",2017-07-19 18:14:00,CST-6,2017-07-19 18:14:00,0,0,0,0,0.00K,0,0.00K,0,42.37,-99.12,42.37,-99.12,"A cluster of thunderstorms in southern South Dakota merged into a quasi-linear system in north central Nebraska during the late afternoon and early evening hours. Large hail and severe winds were reported in Holt County.","" +117291,705474,NEBRASKA,2017,July,Hail,"HOLT",2017-07-19 18:26:00,CST-6,2017-07-19 18:26:00,0,0,0,0,0.00K,0,0.00K,0,42.35,-99.12,42.35,-99.12,"A cluster of thunderstorms in southern South Dakota merged into a quasi-linear system in north central Nebraska during the late afternoon and early evening hours. Large hail and severe winds were reported in Holt County.","" +117292,705478,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-21 17:30:00,CST-6,2017-07-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.55,41.78,-98.55,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +117292,705479,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-21 17:55:00,CST-6,2017-07-21 17:55:00,0,0,0,0,0.00K,0,0.00K,0,41.87,-98.55,41.87,-98.55,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +117292,705480,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-21 18:12:00,CST-6,2017-07-21 18:12:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.55,41.78,-98.55,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +117292,705481,NEBRASKA,2017,July,Hail,"WHEELER",2017-07-21 18:30:00,CST-6,2017-07-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-98.55,41.88,-98.55,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +117292,705482,NEBRASKA,2017,July,Hail,"GARFIELD",2017-07-21 18:33:00,CST-6,2017-07-21 18:33:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-98.99,41.82,-98.99,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +118707,713120,NEBRASKA,2017,July,Thunderstorm Wind,"RED WILLOW",2017-07-02 20:17:00,CST-6,2017-07-02 20:17:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-100.62,40.2,-100.62,"During the evening a line of southward moving thunderstorms produced a line of outflow winds. Along and behind the outflow, gusts up to 75 MPH were reported. The highest wind speed was measured near Indianola. The dispatch center in Stratton had numerous calls from around Hitchcock county of general wind damage from the thunderstorm winds. However no specific wind damage reports were received.","Estimated wind gusts of 60 MPH." +118707,713121,NEBRASKA,2017,July,Thunderstorm Wind,"HITCHCOCK",2017-07-02 20:36:00,CST-6,2017-07-02 20:36:00,0,0,0,0,0.00K,0,0.00K,0,40.1363,-100.7791,40.1363,-100.7791,"During the evening a line of southward moving thunderstorms produced a line of outflow winds. Along and behind the outflow, gusts up to 75 MPH were reported. The highest wind speed was measured near Indianola. The dispatch center in Stratton had numerous calls from around Hitchcock county of general wind damage from the thunderstorm winds. However no specific wind damage reports were received.","" +118707,713122,NEBRASKA,2017,July,Thunderstorm Wind,"RED WILLOW",2017-07-02 20:40:00,CST-6,2017-07-02 20:40:00,0,0,0,0,0.00K,0,0.00K,0,40.2596,-100.4207,40.2596,-100.4207,"During the evening a line of southward moving thunderstorms produced a line of outflow winds. Along and behind the outflow, gusts up to 75 MPH were reported. The highest wind speed was measured near Indianola. The dispatch center in Stratton had numerous calls from around Hitchcock county of general wind damage from the thunderstorm winds. However no specific wind damage reports were received.","" +118707,713123,NEBRASKA,2017,July,Thunderstorm Wind,"RED WILLOW",2017-07-02 20:43:00,CST-6,2017-07-02 20:43:00,0,0,0,0,0.00K,0,0.00K,0,40.1102,-100.2689,40.1102,-100.2689,"During the evening a line of southward moving thunderstorms produced a line of outflow winds. Along and behind the outflow, gusts up to 75 MPH were reported. The highest wind speed was measured near Indianola. The dispatch center in Stratton had numerous calls from around Hitchcock county of general wind damage from the thunderstorm winds. However no specific wind damage reports were received.","Estimated time of report from radar." +118707,713124,NEBRASKA,2017,July,Thunderstorm Wind,"DUNDY",2017-07-02 19:02:00,MST-7,2017-07-02 19:02:00,0,0,0,0,0.00K,0,0.00K,0,40.0461,-101.5375,40.0461,-101.5375,"During the evening a line of southward moving thunderstorms produced a line of outflow winds. Along and behind the outflow, gusts up to 75 MPH were reported. The highest wind speed was measured near Indianola. The dispatch center in Stratton had numerous calls from around Hitchcock county of general wind damage from the thunderstorm winds. However no specific wind damage reports were received.","" +118708,713125,KANSAS,2017,July,Thunderstorm Wind,"RAWLINS",2017-07-02 20:45:00,CST-6,2017-07-02 20:45:00,0,0,0,0,,NaN,0.00K,0,39.81,-101.04,39.81,-101.04,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","Trees, big limbs, and power lines blown down by the thunderstorm winds. No details on the number or trees, limbs, or power poles blown down were provided." +119462,716961,KANSAS,2017,July,Thunderstorm Wind,"GRANT",2017-07-07 22:16:00,CST-6,2017-07-07 22:16:00,0,0,0,0,,NaN,,NaN,37.6,-101.37,37.6,-101.37,"A surface-850 mb frontal zone spreading southward allowed for boundary layer moisture pooling just ahead of it, mainly over south southern into west central counties. This became the favored area for isolated to a few strong to severe storms in the 23-02Z timeframe, aided by a shortwave exiting the |central Rockies very late evening and overnight. This system caused severe wind and heavy rain.","" +119462,716962,KANSAS,2017,July,Thunderstorm Wind,"FINNEY",2017-07-07 23:13:00,CST-6,2017-07-07 23:13:00,0,0,0,0,0.00K,0,0.00K,0,37.89,-100.87,37.89,-100.87,"A surface-850 mb frontal zone spreading southward allowed for boundary layer moisture pooling just ahead of it, mainly over south southern into west central counties. This became the favored area for isolated to a few strong to severe storms in the 23-02Z timeframe, aided by a shortwave exiting the |central Rockies very late evening and overnight. This system caused severe wind and heavy rain.","Winds were estimated at 60 MPH." +119463,716963,KANSAS,2017,July,Flood,"SEWARD",2017-07-14 17:30:00,CST-6,2017-07-14 23:30:00,0,0,0,0,0.00K,0,0.00K,0,37.03,-100.93,37.0637,-100.8778,"Regardless of an extremely weak flow aloft across the Western High Plains during the period, showers and thunderstorms developed late in the afternoon/evening in the vicinity of a frontal boundary that remained near and along the vicinity of the Oklahoma border. Steep low/mid level lapse rates, sufficient instability, and increased forcing near the boundary created conditions favorable for isolated to widely scattered thunderstorm|development.","There was numerous street flooding reports." +119463,716964,KANSAS,2017,July,Hail,"SEWARD",2017-07-14 17:18:00,CST-6,2017-07-14 17:18:00,0,0,0,0,,NaN,,NaN,37.02,-100.93,37.02,-100.93,"Regardless of an extremely weak flow aloft across the Western High Plains during the period, showers and thunderstorms developed late in the afternoon/evening in the vicinity of a frontal boundary that remained near and along the vicinity of the Oklahoma border. Steep low/mid level lapse rates, sufficient instability, and increased forcing near the boundary created conditions favorable for isolated to widely scattered thunderstorm|development.","" +119463,716965,KANSAS,2017,July,Thunderstorm Wind,"SEWARD",2017-07-14 17:27:00,CST-6,2017-07-14 17:27:00,0,0,0,0,0.00K,0,0.00K,0,37.05,-100.96,37.05,-100.96,"Regardless of an extremely weak flow aloft across the Western High Plains during the period, showers and thunderstorms developed late in the afternoon/evening in the vicinity of a frontal boundary that remained near and along the vicinity of the Oklahoma border. Steep low/mid level lapse rates, sufficient instability, and increased forcing near the boundary created conditions favorable for isolated to widely scattered thunderstorm|development.","" +119465,716968,KANSAS,2017,July,Hail,"PRATT",2017-07-13 16:40:00,CST-6,2017-07-13 16:40:00,0,0,0,0,,NaN,,NaN,37.79,-98.74,37.79,-98.74,"An embedded H5 vorticity maxima remaining locked in across the high plains of eastern Colorado within a large scale upper level ridge. This set up another round of thunderstorms despite an extremely weak flow aloft. The upper level feature interacted with a nearly washed out frontal boundary setting the stage for thunderstorms as steep low/mid level lapse rates developed late in the afternoon.","" +118768,713505,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-05 16:29:00,EST-5,2017-07-05 16:38:00,0,0,0,0,0.00K,0,0.00K,0,35.312,-80.943,35.339,-80.877,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","Public and FD reported numerous trees and multiple power lines blown down across northwest Charlotte, including on Austin Ridge Ln, Beatties Ford Rd, and Mt. Holly-Huntersville Rd." +118768,713506,NORTH CAROLINA,2017,July,Thunderstorm Wind,"UNION",2017-07-05 18:09:00,EST-5,2017-07-05 18:09:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-80.37,34.99,-80.37,"Widely scattered thunderstorms developed during the afternoon across the mountains and foothills and moved east into the western Piedmont during the late afternoon and evening. A few of the storms produced brief damaging wind gusts, some of which were quite severe.","County comms reported multiple trees and power lines blown down in the Marshville area." +118770,713507,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-05 17:40:00,EST-5,2017-07-05 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,34.957,-82.268,34.957,-82.268,"Widely scattered thunderstorms and clusters of storms developed during the afternoon across the Upstate mountains and foothills during the late afternoon and moved southeast into the Piedmont during the evening. A few of the storms produced brief strong to damaging wind gusts.","Public reported a tree was blown down on and destroyed a shed on Cumberland Dr." +118770,713508,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-05 17:56:00,EST-5,2017-07-05 17:56:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-82.15,34.93,-82.15,"Widely scattered thunderstorms and clusters of storms developed during the afternoon across the Upstate mountains and foothills during the late afternoon and moved southeast into the Piedmont during the evening. A few of the storms produced brief strong to damaging wind gusts.","Media reported snapped trees and power outages near the intersection of South Spencer St and Woods Chapel Rd." +118770,713509,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-05 16:50:00,EST-5,2017-07-05 16:50:00,0,0,0,0,0.00K,0,0.00K,0,34.745,-83.035,34.745,-83.035,"Widely scattered thunderstorms and clusters of storms developed during the afternoon across the Upstate mountains and foothills during the late afternoon and moved southeast into the Piedmont during the evening. A few of the storms produced brief strong to damaging wind gusts.","Media reported multiple trees blown down on W Union Rd." +118771,713510,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-06 15:46:00,EST-5,2017-07-06 15:46:00,0,0,0,0,0.00K,0,0.00K,0,35.613,-81.983,35.613,-81.983,"Widely scattered thunderstorms developed across the foothills and Piedmont of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","EM reported trees and power lines blown down across Highway 221 S, causing the highway to be shut down for a while." +119225,715957,NEW MEXICO,2017,July,Thunderstorm Wind,"DONA ANA",2017-07-26 15:33:00,MST-7,2017-07-26 15:33:00,0,0,0,0,0.00K,0,0.00K,0,31.8699,-106.6946,31.8699,-106.6946,"Westerly surface winds started to dry low levels out with moist easterly upper level flow providing sufficient shear for severe thunderstorms with wind gusts to 77 mph recorded.","A wind gust to 73 mph was recorded at the NWS office during a wet microburst." +119228,715967,TEXAS,2017,July,Flash Flood,"EL PASO",2017-07-27 14:11:00,MST-7,2017-07-27 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.6061,-106.2261,31.5904,-106.1995,"A weak area of surface convergence setup near the Rio Grande Valley with strong 40-50 knot jet stream winds out of the east providing moisture and good wind shear over the region. A couple of areas just east of El Paso experienced flash flooding with severe hail reported in El Paso.","The main road into Clint from Interstate 10 was closed due to flooding. In addition, Darrington Road in Horizon City was also flooded due to the heavy rain." +119228,715971,TEXAS,2017,July,Hail,"EL PASO",2017-07-27 13:01:00,MST-7,2017-07-27 13:01:00,0,0,0,0,0.00K,0,0.00K,0,31.8812,-106.4204,31.8812,-106.4204,"A weak area of surface convergence setup near the Rio Grande Valley with strong 40-50 knot jet stream winds out of the east providing moisture and good wind shear over the region. A couple of areas just east of El Paso experienced flash flooding with severe hail reported in El Paso.","" +119228,715976,TEXAS,2017,July,Thunderstorm Wind,"HUDSPETH",2017-07-27 13:57:00,MST-7,2017-07-27 13:57:00,0,0,0,0,0.00K,0,0.00K,0,31.9022,-105.201,31.9022,-105.201,"A weak area of surface convergence setup near the Rio Grande Valley with strong 40-50 knot jet stream winds out of the east providing moisture and good wind shear over the region. A couple of areas just east of El Paso experienced flash flooding with severe hail reported in El Paso.","Dell City mesonet recorded a peak gust of 72 mph." +119229,715978,NEW MEXICO,2017,July,Flash Flood,"OTERO",2017-07-27 12:53:00,MST-7,2017-07-27 14:00:00,0,0,0,0,0.00K,0,0.00K,0,32.9333,-105.9707,32.8456,-105.9789,"A weak area of surface convergence setup near the Rio Grande Valley with strong 40-50 knot jet stream winds out of the east providing moisture and good wind shear over the region. Slow moving storms brought an inch to almost an inch and a half of rain to the Alamogordo area which lead to flash flooding.","An observer reported up to 1.42 inches of rain in Alamogordo with significant street flooding in the north part of Alamogordo." +118853,714064,MINNESOTA,2017,July,Hail,"BIG STONE",2017-07-09 19:36:00,CST-6,2017-07-09 19:36:00,0,0,0,0,0.00K,0,0.00K,0,45.36,-96.25,45.36,-96.25,"An isolated thunderstorm brought quarter size hail to part of Big Stone county.","" +118853,714066,MINNESOTA,2017,July,Hail,"BIG STONE",2017-07-09 20:05:00,CST-6,2017-07-09 20:05:00,0,0,0,0,0.00K,0,0.00K,0,45.22,-96.12,45.22,-96.12,"An isolated thunderstorm brought quarter size hail to part of Big Stone county.","" +119116,715381,SOUTH DAKOTA,2017,July,Hail,"CLARK",2017-07-17 16:03:00,CST-6,2017-07-17 16:03:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-97.58,44.89,-97.58,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","" +116215,698692,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:55:00,CST-6,2017-07-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-93.91,32.4,-93.91,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed southeast of Greenwood, Louisiana." +116215,698694,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:55:00,CST-6,2017-07-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.4,-93.9,32.4,-93.9,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed east southeast of Greenwood, Louisiana." +116215,698693,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:55:00,CST-6,2017-07-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-93.87,32.44,-93.87,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","Powerlines were downed west southwest of Shreveport, Louisiana." +116215,698695,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 15:55:00,CST-6,2017-07-06 15:55:00,0,0,0,0,0.00K,0,0.00K,0,32.56,-93.78,32.56,-93.78,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +117039,703948,LOUISIANA,2017,July,Heat,"BOSSIER",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703950,LOUISIANA,2017,July,Heat,"RED RIVER",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703951,LOUISIANA,2017,July,Heat,"BIENVILLE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703952,LOUISIANA,2017,July,Heat,"WEBSTER",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703953,LOUISIANA,2017,July,Heat,"CLAIBORNE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +116940,703303,NEW MEXICO,2017,July,Heat,"ROOSEVELT COUNTY",2017-07-17 13:00:00,MST-7,2017-07-17 14:30:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Authorities in Portales, New Mexico say two in-home day care workers who are mother and daughter have been arrested on suspicion of child abuse after two young children were left in a hot car for about 90 minutes following a trip to the park. One child is dead and the other is in critical condition. The high temperature in the Portales area was 95 degrees. Police say officers responded to a report that two children were having seizures at the home day care Tuesday afternoon discovered that the girls were not breathing and began lifesaving measures. Family members told a reporter with the Eastern New Mexico News that Maliyah Jones, who was 22 months old, died at Roosevelt General Hospital. According to court records, the newspaper reported on its website that Aubrianna Loya, whose age was listed as under 3, was transferred to a Lubbock hospital in critical condition.","An infant and a toddler were left in a hot car for nearly 90 minutes in Portales, NM while temperatures outside were in the middle 90s. The infant died at a nearby hospital and the other is in critical condition at a hospital in Lubbock, TX." +119084,715184,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHARLESTON",2017-07-16 20:13:00,EST-5,2017-07-16 20:14:00,0,0,0,0,0.50K,500,0.00K,0,32.87,-80.09,32.87,-80.09,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","South Carolina Highway Patrol reported a tree down on Ashley River Road near Magnolia Gardens." +119085,715185,GEORGIA,2017,July,Thunderstorm Wind,"CHATHAM",2017-07-16 13:22:00,EST-5,2017-07-16 13:23:00,0,0,0,0,0.50K,500,0.00K,0,32.03,-80.96,32.03,-80.96,"Thunderstorms developed within a typical summertime atmosphere. The thunderstorms in the early afternoon initiated along the sea breeze and a few became strong enough to produce strong wind gusts.","A tree was reported down on Johnny Mercer Boulevard near Highway 80." +119086,715186,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-17 08:37:00,EST-5,2017-07-17 08:40:00,0,0,0,0,,NaN,0.00K,0,32.3301,-80.4781,32.3301,-80.4781,"Thunderstorms developed in the morning hours along the southeast Georgia coast. These storms then moved into the Atlantic coastal waters and up the southeast South Carolina coast, producing strong wind gusts.","The Fiddlers Ridge public weather station on Fripp Island measured a 37 knot wind gust." +119087,715187,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:02:00,EST-5,2017-07-19 16:07:00,0,0,0,0,,NaN,0.00K,0,32.91,-80.01,32.91,-80.01,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A trained spotter reported quarter sized hail in the 1200 block of Hawthorne Circle." +119087,715188,SOUTH CAROLINA,2017,July,Hail,"CHARLESTON",2017-07-19 16:05:00,EST-5,2017-07-19 16:10:00,0,0,0,0,,NaN,0.00K,0,32.85,-79.88,32.85,-79.88,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","An off duty NWS employee reported hail up to the size of quarters on Interstate 526." +119087,715189,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:07:00,EST-5,2017-07-19 16:12:00,0,0,0,0,,NaN,0.00K,0,32.89,-79.96,32.89,-79.96,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A trained spotter reported penny sized hail on the Don Holt bridge." +119087,715190,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:07:00,EST-5,2017-07-19 16:12:00,0,0,0,0,,NaN,0.00K,0,32.93,-80,32.93,-80,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A Twitter user sent a picture of a hail stone larger than a quarter from 1000 Channel Marker Way." +119087,715191,SOUTH CAROLINA,2017,July,Hail,"CHARLESTON",2017-07-19 16:09:00,EST-5,2017-07-19 16:14:00,0,0,0,0,,NaN,0.00K,0,32.89,-79.97,32.89,-79.97,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","Dime to nickel sized hail was reported on Virginia Avenue near Interstate 526." +116287,699205,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-04 17:49:00,CST-6,2017-07-04 17:49:00,0,0,0,0,,NaN,,NaN,48.55,-96.82,48.55,-96.82,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699206,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-04 18:10:00,CST-6,2017-07-04 18:10:00,0,0,0,0,,NaN,,NaN,48.66,-96.6,48.66,-96.6,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699207,MINNESOTA,2017,July,Hail,"MARSHALL",2017-07-04 18:25:00,CST-6,2017-07-04 18:25:00,0,0,0,0,,NaN,,NaN,48.44,-96.63,48.44,-96.63,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699209,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 19:42:00,CST-6,2017-07-04 19:42:00,0,0,0,0,,NaN,,NaN,47.97,-96.64,47.97,-96.64,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699210,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 19:50:00,CST-6,2017-07-04 19:50:00,0,0,0,0,,NaN,,NaN,47.89,-96.61,47.89,-96.61,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116547,700857,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-11 19:03:00,CST-6,2017-07-11 19:03:00,0,0,0,0,,NaN,,NaN,47.42,-97.07,47.42,-97.07,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116547,701108,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRAND FORKS",2017-07-11 17:12:00,CST-6,2017-07-11 17:12:00,0,0,0,0,,NaN,,NaN,47.91,-97.63,47.91,-97.63,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Numerous large tree branches were blown down in shelterbelts across northeast Elm Grove Township." +116549,701109,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-11 17:32:00,CST-6,2017-07-11 17:32:00,0,0,0,0,,NaN,,NaN,48.85,-97.02,48.85,-97.02,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Dime to quarter sized hail fell." +116549,701111,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-11 17:45:00,CST-6,2017-07-11 17:55:00,0,0,0,0,,NaN,,NaN,48.95,-96.91,48.95,-96.91,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Hail of varying sizes fell." +116898,702932,MINNESOTA,2017,July,Thunderstorm Wind,"CLEARWATER",2017-07-21 16:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,,NaN,,NaN,47.52,-95.4,47.52,-95.4,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Numerous large pine, oak, and poplar trees and branches and power lines were blown down in the Bagley area. The worst damage was in southern Copley Township." +116898,702934,MINNESOTA,2017,July,Hail,"CLEARWATER",2017-07-21 16:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,,NaN,,NaN,47.5,-95.53,47.5,-95.53,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail was mostly dime to nickel size." +116502,700608,OHIO,2017,July,Hail,"ALLEN",2017-07-16 17:19:00,EST-5,2017-07-16 17:20:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-83.89,40.89,-83.89,"Isolated thunderstorms developed on a weak boundary moving south through portions of northwestern Ohio. Overall shear was weak (around 25 knots) but upwards of 2000 j/kg of MLCAPE was available. A few of the cells produced large hail and locally damaging winds in Allen county.","" +116502,700609,OHIO,2017,July,Hail,"ALLEN",2017-07-16 17:25:00,EST-5,2017-07-16 17:26:00,0,0,0,0,0.00K,0,0.00K,0,40.89,-83.89,40.89,-83.89,"Isolated thunderstorms developed on a weak boundary moving south through portions of northwestern Ohio. Overall shear was weak (around 25 knots) but upwards of 2000 j/kg of MLCAPE was available. A few of the cells produced large hail and locally damaging winds in Allen county.","Local media reported golf ball size hail." +116502,700610,OHIO,2017,July,Thunderstorm Wind,"ALLEN",2017-07-16 18:00:00,EST-5,2017-07-16 18:01:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-83.98,40.83,-83.98,"Isolated thunderstorms developed on a weak boundary moving south through portions of northwestern Ohio. Overall shear was weak (around 25 knots) but upwards of 2000 j/kg of MLCAPE was available. A few of the cells produced large hail and locally damaging winds in Allen county.","Local media reported a barn was blown down." +116461,714901,INDIANA,2017,July,Tornado,"CASS",2017-07-10 18:56:00,EST-5,2017-07-10 19:06:00,0,0,0,0,0.00K,0,0.00K,0,40.64,-86.37,40.64,-86.319,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","A NWS survey of the area confirmed the touchdown of a tornado in Carroll county, which tracked east into Cass county. Most of the damage was confined to crops along the path. However, several trees were blown down off of S County Road 125 E and 200 E. A poorly anchored smaller barn was destroyed with a nearby larger barn suffering metal roofing damage. A home in the area also suffered minor damage. Maximum winds were estimated at around 95 mph." +119054,714993,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-03 14:52:00,EST-5,2017-07-03 14:53:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-86.3,41.42,-86.3,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","Dispatch reported a tree was blown down on Maple Road, near Road 4A." +119054,714994,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-03 15:00:00,EST-5,2017-07-03 15:01:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-86.3,41.43,-86.3,"A diffuse frontal boundary and several outflow boundaries interacted to cause scattered thunderstorms. While the majority remained below severe limits one storm produced damaging winds.","Local media shared a picture and damage details of tree limb damage in the area of County Road 3A." +118635,712780,MISSISSIPPI,2017,July,Heat,"COAHOMA",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712781,MISSISSIPPI,2017,July,Heat,"MARSHALL",2017-07-26 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712782,MISSISSIPPI,2017,July,Heat,"TATE",2017-07-26 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712783,MISSISSIPPI,2017,July,Heat,"PANOLA",2017-07-26 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712784,MISSISSIPPI,2017,July,Heat,"QUITMAN",2017-07-26 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118635,712786,MISSISSIPPI,2017,July,Heat,"TALLAHATCHIE",2017-07-26 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712787,TENNESSEE,2017,July,Heat,"LAKE",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712788,TENNESSEE,2017,July,Heat,"OBION",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712789,TENNESSEE,2017,July,Heat,"WEAKLEY",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712791,TENNESSEE,2017,July,Heat,"CROCKETT",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118458,712275,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:11:00,EST-5,2017-07-14 15:11:00,0,0,0,0,,NaN,,NaN,38.882,-77.337,38.882,-77.337,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at the intersection of Fox Mill Road and Lake Edge Way." +118458,712276,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:14:00,EST-5,2017-07-14 15:14:00,0,0,0,0,,NaN,,NaN,38.998,-77.301,38.998,-77.301,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at Georgetown Pike and Ellsworth Avenue." +118458,712277,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:16:00,EST-5,2017-07-14 15:16:00,0,0,0,0,,NaN,,NaN,38.87,-77.28,38.87,-77.28,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at Five Oaks Road and Blake Lane." +118458,712279,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:16:00,EST-5,2017-07-14 15:16:00,0,0,0,0,,NaN,,NaN,38.957,-77.274,38.957,-77.274,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Trees were down on Beulah Road and Trotting Horse Lane." +118460,712282,WEST VIRGINIA,2017,July,Hail,"HAMPSHIRE",2017-07-14 13:18:00,EST-5,2017-07-14 13:18:00,0,0,0,0,,NaN,,NaN,39.21,-78.491,39.21,-78.491,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Quarter sized hail was reported at Camp Rim Rock." +118458,712809,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:18:00,EST-5,2017-07-14 15:18:00,0,0,0,0,,NaN,,NaN,38.872,-77.2615,38.872,-77.2615,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at the Pan AM Shopping Center." +118458,712810,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:19:00,EST-5,2017-07-14 15:19:00,0,0,0,0,,NaN,,NaN,38.873,-77.248,38.873,-77.248,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at the intersection off Maple Lane and Lee Highway." +118458,712811,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:20:00,EST-5,2017-07-14 15:20:00,0,0,0,0,,NaN,,NaN,38.8221,-77.261,38.8221,-77.261,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down at Guinea Road and Braeburn Drive." +118468,713470,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:48:00,EST-5,2017-07-24 18:48:00,0,0,0,0,,NaN,,NaN,39.5689,-76.3782,39.5689,-76.3782,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","Trees and wires were down along the 1900 Block of Rock Spring Road." +118468,713471,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:50:00,EST-5,2017-07-24 18:50:00,0,0,0,0,,NaN,,NaN,39.559,-76.3678,39.559,-76.3678,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down on wires on Persimmon Place." +118468,713472,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:51:00,EST-5,2017-07-24 18:51:00,0,0,0,0,,NaN,,NaN,39.5578,-76.3033,39.5578,-76.3033,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree and wires were down in the 600 Block of Prospect Mill Road." +118468,713473,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:55:00,EST-5,2017-07-24 18:55:00,0,0,0,0,,NaN,,NaN,39.6347,-76.1867,39.6347,-76.1867,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down in the roadway in the 1500 Block of Stafford Road." +118468,713474,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:56:00,EST-5,2017-07-24 18:56:00,0,0,0,0,,NaN,,NaN,39.5265,-76.3158,39.5265,-76.3158,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down in the roadway near the intersection Saint Andrews Way and East Macphail Road." +118468,713475,MARYLAND,2017,July,Thunderstorm Wind,"HARFORD",2017-07-24 18:58:00,EST-5,2017-07-24 18:58:00,0,0,0,0,,NaN,,NaN,39.5146,-76.328,39.5146,-76.328,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down on power lines." +118468,713476,MARYLAND,2017,July,Thunderstorm Wind,"HOWARD",2017-07-24 19:40:00,EST-5,2017-07-24 19:40:00,0,0,0,0,,NaN,,NaN,39.2902,-76.8197,39.2902,-76.8197,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree eight inches in diameter fell down in the 3000 Block of North Ridge Road." +118468,713477,MARYLAND,2017,July,Thunderstorm Wind,"HOWARD",2017-07-24 20:06:00,EST-5,2017-07-24 20:06:00,0,0,0,0,,NaN,,NaN,39.2116,-76.8418,39.2116,-76.8418,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree one foot in diameter was down near the intersection of Thunder Hill Road and White Acre Road." +116074,697626,ARKANSAS,2017,July,Thunderstorm Wind,"MILLER",2017-07-01 14:28:00,CST-6,2017-07-01 14:28:00,0,0,0,0,0.00K,0,0.00K,0,33.38,-93.96,33.38,-93.96,"Early during the morning of July 1st, a complex of strong to severe thunderstorms moved south of the Red River into North Central Texas. These storms weakened during the morning hours but a remnant outflow boundary across Northeast Texas combined with afternoon heating and moderate to high instability to produce additional severe thunderstorms across Northeast Texas. These storms propagated from west to east across Northeast Texas into portions of Northern Louisiana and Southern Arkansas producing pockets of wind damage along its path. These storms also produced excessive heavy rainfall with some flooding reports also reported.","Several trees were downed across the Genoa area in Arkansas." +116105,714183,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 13:06:00,CST-6,2017-07-03 13:06:00,0,0,0,0,0.50K,500,,NaN,34.93,-87.52,34.93,-87.52,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","A tree Was Blown Down at the Intersection of County Road 34 and HWY 64." +116105,714186,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 13:06:00,CST-6,2017-07-03 13:06:00,0,0,0,0,0.50K,500,,NaN,34.96,-87.64,34.96,-87.64,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","A tree was blown down along CR 8 near the railroad tracks." +116105,714187,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 13:06:00,CST-6,2017-07-03 13:06:00,0,0,0,0,0.50K,500,,NaN,34.99,-87.42,34.99,-87.42,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","A large oak tree was blown down on CR 496 in Lexington." +116105,714190,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-03 15:59:00,CST-6,2017-07-03 15:59:00,0,0,0,0,0.00K,0,0.00K,0,34.24,-85.84,34.24,-85.84,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Multiple trees reported down along hwy 68 and CR 6." +116105,714191,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-03 15:59:00,CST-6,2017-07-03 15:59:00,0,0,0,0,,NaN,,NaN,34.28,-85.88,34.28,-85.88,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Tree reported down on I-59 at mile marker 206." +116264,699011,KENTUCKY,2017,July,Thunderstorm Wind,"MCCREARY",2017-07-06 17:08:00,EST-5,2017-07-06 17:16:00,0,0,0,0,,NaN,,NaN,36.7089,-84.5034,36.6585,-84.4325,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch reported trees down from near Yamacraw southwest of Whitley City to Pine Knot along Kentucky Highway 92." +116264,699012,KENTUCKY,2017,July,Thunderstorm Wind,"WHITLEY",2017-07-06 17:25:00,EST-5,2017-07-06 17:25:00,0,0,0,0,,NaN,,NaN,36.75,-83.97,36.75,-83.97,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","A citizen reported trees uprooted in Gausdale." +116264,699013,KENTUCKY,2017,July,Flood,"ROCKCASTLE",2017-07-06 17:25:00,EST-5,2017-07-06 18:40:00,0,0,0,0,0.00K,0,0.00K,0,37.3352,-84.2584,37.3353,-84.2574,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","A trained spotter observed flood waters on Honeycomb Road in Mount Vernon, causing the road to be impassable. Other low lying areas were also flooded as heavy rain moved through." +116198,698536,FLORIDA,2017,July,Hail,"LAKE",2017-07-04 17:40:00,EST-5,2017-07-04 17:40:00,0,0,0,0,0.00K,0,0.00K,0,28.76,-81.88,28.76,-81.88,"Sea breeze collisions over the central Florida peninsula produced several severe thunderstorms in Orange and Lake counties during the late afternoon. Several reports of quarter sized hail and wind damage were received from the north Orlando suburbs. A nickel sized hail report was also received from Lake County.","A trained spotter reported was driving along US Highway 27 just south of Leesburg when he reported nickel sized hail. The spotter also reported that hail was becoming larger than nickel sized when he decided to turn around." +116559,700880,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-18 17:57:00,EST-5,2017-07-18 18:00:00,0,0,0,0,,NaN,,NaN,33.584,-81.256,33.584,-81.256,"An upper and surface trough combined with daytime heating to produce widely scattered thunderstorms in the late afternoon and evening, a few of which produced strong winds enhanced by dry air aloft.","SCHP reported trees down on Salley Rd at Williamson Johnson Rd." +116392,700328,MISSISSIPPI,2017,July,Flash Flood,"FRANKLIN",2017-07-15 17:18:00,CST-6,2017-07-15 17:58:00,0,0,0,0,3.00K,3000,0.00K,0,31.4583,-90.8538,31.4588,-90.8521,"Storms developed during the afternoon and evening hours in association with daytime heating and a very moist airmass in place.","Water covered parts of Highway 184 E." +116642,701384,GULF OF MEXICO,2017,July,Waterspout,"COASTAL WATERS FROM OCHLOCKONEE RIVER TO APALACHICOLA FL OUT TO 20 NM",2017-07-15 10:27:00,EST-5,2017-07-15 10:40:00,0,0,0,0,0.00K,0,0.00K,0,29.65,-84.86,29.65,-84.86,"Several waterspouts were reported due to morning convection associated with the land breeze.","A picture of a third waterspout just offshore of St George Island was posted on social media." +116651,701692,MARYLAND,2017,July,Hail,"QUEEN ANNE'S",2017-07-17 17:32:00,EST-5,2017-07-17 17:32:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"A few pulse type summertime thunderstorms formed and one of them became severe.","Dime size hail was measured." +116651,701693,MARYLAND,2017,July,Hail,"QUEEN ANNE'S",2017-07-17 17:45:00,EST-5,2017-07-17 17:45:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"A few pulse type summertime thunderstorms formed and one of them became severe.","One inch hail measured." +116651,701695,MARYLAND,2017,July,Hail,"QUEEN ANNE'S",2017-07-17 17:52:00,EST-5,2017-07-17 17:52:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"A few pulse type summertime thunderstorms formed and one of them became severe.","Hail measured under an inch with over two inches of rain." +116651,701696,MARYLAND,2017,July,Heavy Rain,"QUEEN ANNE'S",2017-07-17 18:21:00,EST-5,2017-07-17 18:21:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"A few pulse type summertime thunderstorms formed and one of them became severe.","A few inches of rain in a short period." +116651,701697,MARYLAND,2017,July,Heavy Rain,"QUEEN ANNE'S",2017-07-17 18:44:00,EST-5,2017-07-17 18:44:00,0,0,0,0,,NaN,,NaN,39.05,-76.07,39.05,-76.07,"A few pulse type summertime thunderstorms formed and one of them became severe.","A few inches of rain in a short period." +116650,701685,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-17 12:48:00,EST-5,2017-07-17 13:48:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-76.33,40.4916,-76.2925,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Portions of route 501 closed and a basement flooded." +116851,702996,OHIO,2017,July,Flood,"PERRY",2017-07-13 15:00:00,EST-5,2017-07-14 20:45:00,0,0,0,0,100.00K,100000,0.00K,0,39.9056,-82.3413,39.9021,-82.2925,"In a high moisture atmosphere, heavy rain fell across parts of southeastern Ohio on the morning of the 13th as a convective complex crossed. Three to four inches of rain fell, resulting in flash flooding in Perry County.","Heavy rainfall on the morning of the 13th lead to flash flooding across northern Perry County. As runoff from this rain worked its way through the water system, Jonathan Creek remained out of its banks into the afternoon of the 14th. Some residents were evacuated due to the high water. About a dozen homes and outbuildings were surrounded by water on South Main Street. High water marks indicated 6 to 9 inches of water made it into the first floors of some homes. A 100-barrel oil storage facility was also damaged by the water. Some oil spilled into the flood waters." +116767,707377,PENNSYLVANIA,2017,July,Flash Flood,"YORK",2017-07-23 17:45:00,EST-5,2017-07-23 19:45:00,0,0,0,0,0.00K,0,0.00K,0,40.0172,-76.8961,39.9667,-76.8878,"A frontal system moved into a warm and humid airmass and widespread showers and thunderstorms developed. Locally heavy rain brought flash flooding to several areas.","Numerous roads were flooded and impassible in Dover and West Manchester Township." +116767,713028,PENNSYLVANIA,2017,July,Flash Flood,"TIOGA",2017-07-23 23:20:00,EST-5,2017-07-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,41.75,-77.25,41.6884,-77.2435,"A frontal system moved into a warm and humid airmass and widespread showers and thunderstorms developed. Locally heavy rain brought flash flooding to several areas.","Route flooded." +116852,703005,WEST VIRGINIA,2017,July,Flash Flood,"MINGO",2017-07-14 19:02:00,EST-5,2017-07-14 21:45:00,0,0,0,0,2.00K,2000,0.00K,0,37.6549,-82.1668,37.6787,-82.1452,"In a very high moisture atmosphere, heavy rainfall occurred in a area of thunderstorms moving across southern West Virginia on the 14th. Two to three inches of rain fell, resulting in localized flash flooding.","Pigeon Creek and some of its smaller tributaries flooded in the Taylorville and Varney areas. This lead to high water along Murphy's Branch Road and Route 52 near Bills Drive." +116918,703127,ALABAMA,2017,July,Lightning,"HOUSTON",2017-07-26 15:30:00,CST-6,2017-07-26 15:30:00,0,0,1,0,0.00K,0,0.00K,0,31.103,-85.3434,31.103,-85.3434,"Scattered afternoon thunderstorms developed across the area with one person being struck by lightning.","A 16 years old boy was standing on the porch of his home when a nearby tree was struck by lightning off Willie Varnum Road. The lightning then jumped from the tree to the boy, killing him." +116931,703248,NEW MEXICO,2017,July,Lightning,"SOCORRO",2017-07-15 16:00:00,MST-7,2017-07-15 16:05:00,0,0,0,1,0.00K,0,0.00K,0,34.0524,-106.9058,34.0524,-106.9058,"A thunderstorm that developed near Socorro shortly before 5 pm produced an intense lightning strike that resulted in an indirect fatality of an elderly woman. The preliminary investigation into the tragedy suggests a lightning strike on Molina Hill near Socorro caused a chain reaction. Investigators believe that the lightning struck a pole nearly 200 feet from the century-old house. They say that caused a surge in the living room of the old adobe home. It is believed that the lightning strike triggered a fire that killed 93-year-old Frances Molina in her home. Molina, who lived in her home for 80 years, apparently died from smoke inhalation.","A 93-year old woman died from a lightning caused fire at her home of 80 years. She died from smoke inhalation." +116648,701650,NEW JERSEY,2017,July,Lightning,"OCEAN",2017-07-14 16:28:00,EST-5,2017-07-14 16:28:00,0,0,0,0,0.01K,10,,NaN,39.95,-74.2,39.95,-74.2,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A Gas line was struck by lightning." +116648,701651,NEW JERSEY,2017,July,Thunderstorm Wind,"GLOUCESTER",2017-07-14 15:21:00,EST-5,2017-07-14 15:21:00,0,0,0,0,,NaN,,NaN,39.57,-75.05,39.57,-75.05,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Trees were taken down from thunderstorm winds near route 322." +116648,701652,NEW JERSEY,2017,July,Heavy Rain,"SALEM",2017-07-14 17:15:00,EST-5,2017-07-14 17:15:00,0,0,0,0,,NaN,,NaN,39.6,-75.36,39.6,-75.36,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several inches of rain fell in a quick duration." +116648,701653,NEW JERSEY,2017,July,Thunderstorm Wind,"SALEM",2017-07-14 14:47:00,EST-5,2017-07-14 14:47:00,0,0,0,0,,NaN,,NaN,39.56,-75.36,39.56,-75.36,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorm wind damage occurred but details were limited." +116648,701655,NEW JERSEY,2017,July,Lightning,"GLOUCESTER",2017-07-14 15:15:00,EST-5,2017-07-14 15:15:00,0,0,0,0,0.01K,10,,NaN,39.62,-75.08,39.62,-75.08,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A transformer was struck by lightning." +116648,701656,NEW JERSEY,2017,July,Lightning,"CAPE MAY",2017-07-14 19:10:00,EST-5,2017-07-14 19:10:00,0,0,0,0,0.01K,10,,NaN,39.09,-74.74,39.09,-74.74,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Lightning struck a car that caught on fire." +116648,701658,NEW JERSEY,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-14 15:33:00,EST-5,2017-07-14 15:33:00,0,0,0,0,,NaN,,NaN,39.38,-75.03,39.38,-75.03,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Thunderstorms took down trees and power lines along route 47." +117051,704063,NEW JERSEY,2017,July,Flood,"ATLANTIC",2017-07-29 03:27:00,EST-5,2017-07-29 04:27:00,0,0,0,0,0.00K,0,0.00K,0,39.3249,-74.5163,39.3257,-74.5124,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Street flooding at the intersection of Ventor and Washington." +117051,704064,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 04:12:00,EST-5,2017-07-29 04:12:00,0,0,0,0,0.00K,0,0.00K,0,39.0894,-74.7282,39.0904,-74.7314,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Street flooding on Ocean Drive." +117051,704065,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 04:22:00,EST-5,2017-07-29 04:22:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-74.82,38.988,-74.815,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","NJ 47 at CR 624 closed due to flooding." +117051,704066,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 04:22:00,EST-5,2017-07-29 04:22:00,0,0,0,0,0.00K,0,0.00K,0,39,-74.8,39.0075,-74.7925,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","NJ 147 closed in both directions due to flooding." +117051,704067,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 04:29:00,EST-5,2017-07-29 04:29:00,0,0,0,0,0.00K,0,0.00K,0,38.9949,-74.8134,38.9954,-74.8175,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Parts of Hudson Ave were flooded." +117051,704069,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 04:30:00,EST-5,2017-07-29 04:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1588,-74.6931,39.1591,-74.7018,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Street flooding near the Inlet in Sea Isle City." +117051,704070,NEW JERSEY,2017,July,Flood,"ATLANTIC",2017-07-29 05:02:00,EST-5,2017-07-29 05:02:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-74.48,39.3348,-74.4911,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding on the boardwalk." +117051,704072,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.002,-74.8061,39.0005,-74.8107,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Street flooding at 17th and New York." +117051,704074,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1093,-74.7276,39.105,-74.7146,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Several inches of water was reported on roads." +117051,704076,NEW JERSEY,2017,July,Flood,"CAPE MAY",2017-07-29 08:30:00,EST-5,2017-07-29 08:30:00,0,0,0,0,0.00K,0,0.00K,0,39.27,-74.6,39.2594,-74.6116,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Water on roads from 24th to 33rd and on Haven Ave." +116849,704963,OHIO,2017,July,Tornado,"VINTON",2017-07-22 17:48:00,EST-5,2017-07-22 17:50:00,0,0,0,0,25.00K,25000,0.00K,0,39.3022,-82.5248,39.2986,-82.5107,"A warm front lifted across the middle Ohio River Valley on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall, with totals of 1 to 3 inches.","A National Weather Service survey team found damage consistent with an EF-1 tornado with estimated winds speeds up to 105 mph. The tornado touched down along Locust Grove Road northwest of McArthur, then paralleled Locust Grove for just under a mile. Hundreds of trees were blown down or snapped. One tree fell on a van. A metal barn had most of its metal roofing ripped off, and thrown about 50 feet away." +116220,698738,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-07 14:39:00,EST-5,2017-07-07 14:39:00,0,0,0,0,2.00K,2000,0.00K,0,39.2496,-81.5477,39.2496,-81.5477,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were blown down at the City Park in South Parkersburg." +116220,698739,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-07 14:39:00,EST-5,2017-07-07 14:39:00,0,0,0,0,2.00K,2000,0.00K,0,39.32,-81.54,39.32,-81.54,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Numerous trees were blown down by thunderstorm winds." +116220,698740,WEST VIRGINIA,2017,July,Thunderstorm Wind,"TYLER",2017-07-07 15:00:00,EST-5,2017-07-07 15:00:00,0,0,0,0,5.00K,5000,0.00K,0,39.5581,-80.9988,39.5581,-80.9988,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees downed in Sistersville, one fell on a building." +116220,698741,WEST VIRGINIA,2017,July,Thunderstorm Wind,"PLEASANTS",2017-07-07 14:46:00,EST-5,2017-07-07 14:46:00,0,0,0,0,2.00K,2000,0.00K,0,39.4365,-81.1184,39.4365,-81.1184,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were blown down along Mount Carmel Ridge." +116220,698742,WEST VIRGINIA,2017,July,Thunderstorm Wind,"PLEASANTS",2017-07-07 14:47:00,EST-5,2017-07-07 14:47:00,0,0,0,0,2.00K,2000,0.00K,0,39.3884,-81.2008,39.3884,-81.2008,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Several trees were blown down along Morgan Avenue in St. Marys." +117346,705700,OREGON,2017,July,Wildfire,"SOUTH CENTRAL OREGON CASCADES",2017-07-25 04:58:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17. As of 0430 PDT on 08/01/17, the fire covered 916 acres and was 7 percent contained. 3.5 million dollars had been spent on firefighting efforts.","The Blanket Creek Wildfire was started by lightning at 0558 PDT on 07/25/17. As of 0430 PDT on 08/01/17, the fire covered 916 acres and was 7 percent contained. 3.5 million dollars had been spent on firefighting efforts." +117369,705839,TEXAS,2017,July,Thunderstorm Wind,"DICKENS",2017-07-29 14:20:00,CST-6,2017-07-29 14:20:00,0,0,0,0,0.00K,0,0.00K,0,33.6968,-100.8795,33.6968,-100.8795,"Early this afternoon, a pulse thunderstorm produced a downburst about seven miles northwest of Dickens (Dickens County). Minor damage was observed to a couple small ranch outbuildings.","A USDA employee forwarded photos of damage to a few small outbuildings at a ranch northwest of Dickens. The roof of a small pole barn was blown a short distance, while another roof had a small section peeled off. The damage was deemed consistent with wind speeds of 70 to 80 mph." +117337,705834,FLORIDA,2017,July,Tropical Storm,"COASTAL CHARLOTTE",2017-07-31 14:00:00,EST-5,2017-07-31 20:00:00,0,0,0,0,150.00K,150000,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||In Coastal Charlotte County, rainfall of 2 to 4 inches was observed from the outer bands of Tropical Storm Emily. Some gusty winds were associated with these band features and the strongest wind gust observed across Charlotte County was 38 knots." +116406,699993,WYOMING,2017,July,Hail,"WESTON",2017-07-02 15:35:00,MST-7,2017-07-02 15:35:00,0,0,0,0,0.00K,0,0.00K,0,43.6,-104.595,43.6,-104.595,"A thunderstorm produced penny sized hail from west of Upton to south of Clareton.","" +117506,706709,ILLINOIS,2017,July,Excessive Heat,"EDWARDS",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706710,ILLINOIS,2017,July,Excessive Heat,"FRANKLIN",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706711,ILLINOIS,2017,July,Excessive Heat,"GALLATIN",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706712,ILLINOIS,2017,July,Excessive Heat,"HAMILTON",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117510,706742,KENTUCKY,2017,July,Excessive Heat,"CARLISLE",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706743,KENTUCKY,2017,July,Excessive Heat,"CHRISTIAN",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706744,KENTUCKY,2017,July,Excessive Heat,"CRITTENDEN",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +116369,699739,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-10 16:10:00,MST-7,2017-07-10 16:10:00,0,0,0,0,0.00K,0,0.00K,0,48.2,-106.68,48.2,-106.68,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A NWS employee reported 3/4 inch diameter tree branches down due to thunderstorm outflow winds. Time is estimated based on radar." +116369,699740,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-10 16:22:00,MST-7,2017-07-10 16:22:00,0,0,0,0,0.00K,0,0.00K,0,48.21,-106.64,48.21,-106.64,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A 59 mph wind gust was measured at the Glasgow International Airport ASOS site." +116369,699940,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-10 16:27:00,MST-7,2017-07-10 16:27:00,0,0,0,0,0.00K,0,0.00K,0,48.2,-106.68,48.2,-106.68,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A Mesonet station in West Glasgow measured sustained winds of 56 mph, with a wind gust of 70 mph." +116369,699738,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-10 16:44:00,MST-7,2017-07-10 16:44:00,0,0,0,0,0.00K,0,0.00K,0,47.8,-107.02,47.8,-107.02,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A 65 mph wind gust was measured at the King Coulee RAWS site." +116369,699734,MONTANA,2017,July,Thunderstorm Wind,"WIBAUX",2017-07-10 18:45:00,MST-7,2017-07-10 18:45:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-104.19,46.84,-104.19,"An upper-level ridge of hot temperatures and a lee surface trough brought scattered, mainly-dry thunderstorms to the area, some of which produced severe downburst winds and stronger gusts as it moved eastward across northeast Montana. As this gust front approached the Montana/North Dakota border, it met more unstable air, and strengthened into a line of severe thunderstorms.","A motorist reported wind gusts of approximately 60 mph on Montana Highway 7 approximately 10 miles south of Wibaux. The report was received via social media." +117310,705520,NEW MEXICO,2017,July,Flash Flood,"MCKINLEY",2017-07-30 17:00:00,MST-7,2017-07-30 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.53,-108.55,35.5324,-108.5553,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","Flash flooding with 10 feet of water and mud reported over state road 118." +117310,705521,NEW MEXICO,2017,July,Funnel Cloud,"UNION",2017-07-30 18:28:00,MST-7,2017-07-30 18:31:00,0,0,0,0,0.00K,0,0.00K,0,36.45,-103.15,36.45,-103.15,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","The ABC7 webcam in Clayton showed a funnel cloud looming over town." +117923,708697,WASHINGTON,2017,July,Wildfire,"YAKIMA VALLEY",2017-07-23 10:30:00,PST-8,2017-07-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A grass and brush fire burned in urban/rural interface are north of Selah Washington in late July.","The Selah Fire Department responded to a reported fire on the LT Murray State Wildlife area near Sheep Company Road. Upon arrival emergency responders observed active fire behavior fueled by grass and brush with 10 mile per hour wind pushing the fire to the south. Early morning hours of July 24 saw the winds calm which aided in the successful construction of hand and dozer line that curtailed the spread of the fire keeping it north of Huntzinger Road and east of Sheep Company Road. 20 to 30 homes were initially threatened and residents were advised to evacuate. No homes were damaged; residents have returned to their homes and evacuation levels are now level 1. Fire was 75 percent contained by early morning on the 25th with 1,771 acres burned. No more updates on fire were available after the 25th and estimated fire contained by the 26th." +119597,717514,CONNECTICUT,2017,July,Thunderstorm Wind,"NEW HAVEN",2017-07-13 12:56:00,EST-5,2017-07-13 12:56:00,0,0,0,0,5.00K,5000,,NaN,41.3546,-73.0708,41.3568,-73.0674,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","Multiple trees and wires were reported down along Prospect and Beaver Streets in Ansonia." +119597,717515,CONNECTICUT,2017,July,Thunderstorm Wind,"NEW HAVEN",2017-07-13 13:02:00,EST-5,2017-07-13 13:02:00,0,0,0,0,1.00K,1000,,NaN,41.3591,-73.0298,41.3591,-73.0298,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","A tree was reported down along Hickory Lane northwest of Woodbridge." +119597,717527,CONNECTICUT,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-13 14:26:00,EST-5,2017-07-13 14:26:00,0,0,0,0,5.00K,5000,,NaN,41.2265,-73.3935,41.2265,-73.3935,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","A tree was reported down on a house on September Lane near Cannondale." +119597,717521,CONNECTICUT,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-13 14:28:00,EST-5,2017-07-13 14:28:00,0,0,0,0,5.00K,5000,,NaN,41.2,-73.38,41.2,-73.38,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","Multiple trees and wires were reported down throughout the town of Weston." +117637,709140,NEW YORK,2017,July,Flash Flood,"YATES",2017-07-13 10:55:00,EST-5,2017-07-13 13:00:00,0,0,0,0,8.00K,8000,0.00K,0,42.6048,-77.1609,42.609,-77.1468,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Flash flooding had caused debris to collect on several roads in the area." +118179,710223,MASSACHUSETTS,2017,July,Hail,"BRISTOL",2017-07-12 15:05:00,EST-5,2017-07-12 15:05:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-71.12,41.82,-71.12,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 305 PM EST, dime size hail was reported in Dighton." +118179,710224,MASSACHUSETTS,2017,July,Hail,"BRISTOL",2017-07-12 15:15:00,EST-5,2017-07-12 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-71.05,41.82,-71.05,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 315 PM EST, dime size hail was reported at Freetown." +118179,710228,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-12 11:47:00,EST-5,2017-07-12 11:47:00,0,0,0,0,1.00K,1000,0.00K,0,42.212,-71.6709,42.212,-71.6709,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1147 AM EST, a tree was brought down on Merriam Road in Grafton." +118179,710231,MASSACHUSETTS,2017,July,Thunderstorm Wind,"HAMPDEN",2017-07-12 12:18:00,EST-5,2017-07-12 12:20:00,0,0,0,0,1.50K,1500,0.00K,0,42.1233,-72.7513,42.1233,-72.7513,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1218 PM EST, trees were brought down on Arnold Street in Westfield. At 1220 PM EST, power lines were brought down on Washington Street." +118179,710234,MASSACHUSETTS,2017,July,Thunderstorm Wind,"HAMPDEN",2017-07-12 12:40:00,EST-5,2017-07-12 12:40:00,0,0,0,0,1.00K,1000,0.00K,0,42.0828,-72.6792,42.0828,-72.6792,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1240 PM EST, a tree was brought down on North Westfield Street in Agawam." +118179,710236,MASSACHUSETTS,2017,July,Thunderstorm Wind,"BRISTOL",2017-07-12 13:07:00,EST-5,2017-07-12 13:07:00,0,0,0,0,1.00K,1000,0.00K,0,42.02,-71.22,42.02,-71.22,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 107 PM EST, a tree was brought down on wires on West Street in Mansfield." +118179,710247,MASSACHUSETTS,2017,July,Thunderstorm Wind,"BRISTOL",2017-07-12 15:04:00,EST-5,2017-07-12 15:04:00,0,0,0,0,1.50K,1500,0.00K,0,41.8637,-71.1343,41.8637,-71.1343,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 304 PM EST, a tree was brought down on wires on Prospect Street in Dighton." +118523,712103,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-06 04:40:00,CST-6,2017-07-06 04:40:00,0,0,0,0,,NaN,,NaN,46.81,-92.06,46.81,-92.06,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A tree was blown down and took down a power line." +118523,712102,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-06 04:37:00,CST-6,2017-07-06 04:37:00,0,0,0,0,,NaN,,NaN,46.81,-92.09,46.81,-92.09,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A large tree was snapped off at its base on North 13th Avenue East." +118254,712570,MONTANA,2017,July,Drought,"NORTHERN PHILLIPS",2017-07-01 00:00:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"As the summer season came into full swing, the dominant ridge of high pressure over the western states persisted and perpetuated severe to exceptional drought conditions across all of northeast Montana. Any storms were simply too few and far between to offer any significant relief. Widespread D2 - severe drought conditions to start the month were eventually replaced by widespread D3 - extreme drought conditions with D4 - exceptional drought conditions in place generally near and north of the Missouri River Valley.","Northern Phillips County entered July already experiencing severe (D2) drought conditions. With continued dry weather, extreme (D3) drought conditions were observed by July 11th, which persisted throughout the rest of the month. Monthly rainfall amounted to generally one half of an inch to just over one inch, which is approximately one half of an inch to one inch below normal." +118627,712622,ARKANSAS,2017,July,Heat,"LAWRENCE",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712623,ARKANSAS,2017,July,Heat,"CLAY",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712624,ARKANSAS,2017,July,Heat,"GREENE",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712625,ARKANSAS,2017,July,Heat,"CRAIGHEAD",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712631,ARKANSAS,2017,July,Heat,"PHILLIPS",2017-07-20 12:00:00,CST-6,2017-07-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712632,ARKANSAS,2017,July,Heat,"LEE",2017-07-20 12:00:00,CST-6,2017-07-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712635,ARKANSAS,2017,July,Excessive Heat,"RANDOLPH",2017-07-20 12:00:00,CST-6,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +117671,709054,NEW YORK,2017,July,Flash Flood,"RENSSELAER",2017-07-01 20:50:00,EST-5,2017-07-01 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.8431,-73.3786,42.8382,-73.3785,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","One lane of Route 7 was washed out in two places between the Hoosick River and Potter Hill. The shoulder was washed out in places as well. This resulted in a 20-mile road closure from Brunswick to the Vermont state line. Portions of County Routes 95 and 103 were also closed in the Town of Hoosick." +117671,711434,NEW YORK,2017,July,Flood,"WASHINGTON",2017-07-02 03:30:00,EST-5,2017-07-02 08:00:00,0,0,0,0,0.00K,0,0.00K,0,43.5291,-73.3893,43.529,-73.3834,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Heavy rainfall caused rapid rises on the Mettawee River near Granville. The river crested at 9.95 feet, just below major flood stage. At 3:30 am EST, the river began to flood low-lying fields adjacent to the river bank. At 4:30 am EST, Upper Turnpike Road was covered in water on both sides of the bridge over the Mettawee, and Grey Lane had washed out. The water receded later that morning." +117733,707910,ARKANSAS,2017,July,Tornado,"CRAIGHEAD",2017-07-03 05:28:00,CST-6,2017-07-03 05:29:00,0,0,0,0,750.00K,750000,0.00K,0,35.8333,-90.701,35.8337,-90.6995,"A passing upper level disturbance generated thunderstorms with one lone severe storm that produced both wind damage and a weak tornado across portions of northeast Arkansas during the early morning hours of July 3rd.","A brief EF1 tornado with maximum speeds of 100 to 105 mph touched down approximately one half mile south southeast of downtown Jonesboro with a highly localized area of damage between Citizens Street and the intersection of Rains street and East Oak Avenue. An apartment complex sustained roof damage and several windows were blown out. In addition, fence and siding debris were lofted and scattered about the area." +116835,702573,TENNESSEE,2017,July,Thunderstorm Wind,"COFFEE",2017-07-01 11:37:00,CST-6,2017-07-01 11:37:00,0,0,0,0,3.00K,3000,0.00K,0,35.5101,-85.9931,35.5101,-85.9931,"Scattered showers and thunderstorms developed across Middle Tennessee during the late morning and afternoon hours on July 1. A couple of storms produced wind damage and some minor flooding.","Received a picture via Facebook of trees and powerlines blown down on Ragsdale Road." +116835,702574,TENNESSEE,2017,July,Thunderstorm Wind,"CLAY",2017-07-01 14:42:00,CST-6,2017-07-01 14:42:00,0,0,0,0,2.00K,2000,0.00K,0,36.55,-85.5,36.55,-85.5,"Scattered showers and thunderstorms developed across Middle Tennessee during the late morning and afternoon hours on July 1. A couple of storms produced wind damage and some minor flooding.","A couple of trees were blown down in Celina." +116835,702577,TENNESSEE,2017,July,Thunderstorm Wind,"CLAY",2017-07-01 14:56:00,CST-6,2017-07-01 14:56:00,0,0,0,0,1.00K,1000,0.00K,0,36.5203,-85.5548,36.5203,-85.5548,"Scattered showers and thunderstorms developed across Middle Tennessee during the late morning and afternoon hours on July 1. A couple of storms produced wind damage and some minor flooding.","A tree was blown down in Arcott." +116835,702578,TENNESSEE,2017,July,Flood,"CLAY",2017-07-01 15:45:00,CST-6,2017-07-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.5512,-85.5092,36.5436,-85.5097,"Scattered showers and thunderstorms developed across Middle Tennessee during the late morning and afternoon hours on July 1. A couple of storms produced wind damage and some minor flooding.","Mitchell Street in Celina was closed due to flooding." +116840,702789,TENNESSEE,2017,July,Lightning,"SUMNER",2017-07-14 09:40:00,CST-6,2017-07-14 09:40:00,0,0,0,0,2.00K,2000,0.00K,0,36.3723,-86.4125,36.3723,-86.4125,"Scattered showers and thunderstorms developed across Middle Tennessee during the morning and afternoon hours on July 14. One storm produced a damaging lightning strike in Sumner County.","Lightning struck the Servpro building and destroyed the weather station on the roof." +116836,702612,TENNESSEE,2017,July,Flood,"DAVIDSON",2017-07-02 14:30:00,CST-6,2017-07-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,36.146,-86.8727,36.145,-86.8709,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on July 2. A few reports of wind damage and flash flooding were received.","A tSpotter Twitter video showed high water covering Charlotte Pike at American Road which commonly floods in heavy rainfall." +116400,700154,NEBRASKA,2017,July,Thunderstorm Wind,"GOSPER",2017-07-02 20:30:00,CST-6,2017-07-02 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.4842,-99.85,40.4842,-99.85,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","Wind gusts were estimated to be near 60 MPH. Some small tree limbs were downed." +118754,713364,TENNESSEE,2017,July,Heavy Rain,"WAYNE",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.4276,-87.7793,35.4276,-87.7793,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","CoCoRaHS station Waynesboro 7.3 N measured a total rainfall of 5.08 inches for July 28." +118754,713365,TENNESSEE,2017,July,Heavy Rain,"LAWRENCE",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2546,-87.3845,35.2546,-87.3845,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","CoCoRaHS station Lawrenceburg 8.8 SE measured a total rainfall of 5.62 inches for July 28." +118754,713366,TENNESSEE,2017,July,Heavy Rain,"LEWIS",2017-07-28 00:00:00,CST-6,2017-07-28 23:00:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-87.57,35.55,-87.57,"Scattered showers and thunderstorms developed throughout the day on July 28. During the morning hours, thunderstorms repeatedly developed and moved across areas of Perry, Lewis, and Lawrence Counties, resulting in significant flash flooding. Additional thunderstorms in the afternoon caused flash flooding in Cannon County.","The Hohenwald COOP observer measured a total rainfall of 7.08 inches for July 28." +118013,713383,WEST VIRGINIA,2017,July,Flash Flood,"BERKELEY",2017-07-28 22:00:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.427,-77.9885,39.4273,-77.9853,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Water in yards and approaching homes in the 12400 block of Winchester Avenue due to torrential rainfall." +118014,713390,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-29 01:00:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.333,-76.4293,39.3279,-76.4259,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Wilson Point Road flooded and closed near Eastern Boulevard due to torrential rainfall." +118015,709533,DISTRICT OF COLUMBIA,2017,July,Flash Flood,"DISTRICT OF COLUMBIA",2017-07-28 13:21:00,EST-5,2017-07-28 17:45:00,0,0,0,0,0.00K,0,0.00K,0,38.9695,-77.0477,38.9703,-77.0439,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Rock Creek at Rock Creek/Sherrill Drive exceeded the flood stage of 7 feet. It peaked at 8.36 feet at 23:30 EST. Water reached several portions of the Valley Trail between Picnic Areas 7 and 10 in Rock Creek Park." +118847,713994,PENNSYLVANIA,2017,July,Flash Flood,"BEDFORD",2017-07-28 18:55:00,EST-5,2017-07-28 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.2042,-78.566,40.1834,-78.5612,"A low pressure system brought heavy rain to southwest Pennsylvania. Flash flooding was reported in Bedford and Franklin Counties Friday evening.","Houses along Sarah Furnace Road were flooded." +118847,714007,PENNSYLVANIA,2017,July,Flash Flood,"FRANKLIN",2017-07-28 22:15:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.79,-77.96,39.832,-77.6404,"A low pressure system brought heavy rain to southwest Pennsylvania. Flash flooding was reported in Bedford and Franklin Counties Friday evening.","The intersection of Shimpstown Road and Blairs Valley Road was closed due to flooding and debris from an earth slide. Flash flooding closed Commerce Avenue north of downtown in Chambersburg." +118849,714017,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DARLINGTON",2017-07-15 16:20:00,EST-5,2017-07-15 16:21:00,0,0,0,0,1.00K,1000,0.00K,0,34.2961,-80.1086,34.2961,-80.1086,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down near the railroad tracks on Wesley Chapel Rd. The time was estimated based on radar data." +118849,714018,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DARLINGTON",2017-07-15 15:50:00,EST-5,2017-07-15 15:51:00,0,0,0,0,1.00K,1000,0.00K,0,34.2799,-80.1167,34.2799,-80.1167,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on U.S. 15. The time was estimated based on radar data." +118861,714118,LAKE ST CLAIR,2017,July,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-07-01 13:28:00,EST-5,2017-07-01 13:28:00,0,0,0,0,0.00K,0,0.00K,0,42.61,-82.83,42.61,-82.83,"Thunderstorms moving through Lake St. Clair produced wind gusts to 46 mph.","" +118487,711943,MICHIGAN,2017,July,Thunderstorm Wind,"GENESEE",2017-07-07 00:24:00,EST-5,2017-07-07 00:24:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-83.53,42.94,-83.53,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","A tree was reported down." +112919,722437,ILLINOIS,2017,February,Hail,"LEE",2017-02-28 17:12:00,CST-6,2017-02-28 17:14:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-89.48,41.83,-89.48,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","" +120786,723381,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"NEW YORK HARBOR",2017-07-20 19:42:00,EST-5,2017-07-20 19:42:00,0,0,0,0,,NaN,,NaN,40.5,-74.28,40.5,-74.28,"A passing trough of low pressure triggered a strong thunderstorm that impacted New York Harbor.","A wind gust of 43 knots was measured at the Perth Amboy mesonet location." +118909,714350,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROWAN",2017-07-15 12:44:00,EST-5,2017-07-15 12:44:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-80.558,35.55,-80.558,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Law enforcement reported trees blown down at Arant Rd and Pine Ridge Rd." +120787,723385,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-07-13 16:12:00,EST-5,2017-07-13 16:12:00,0,0,0,0,,NaN,,NaN,41.002,-73.571,41.002,-73.571,"A cold front pushing south through the Tri-State area triggered isolated strong thunderstorms over Long Island Sound.","A gust of 37 knots was measured at the Greenwich Point mesonet location." +120787,723386,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-07-13 16:18:00,EST-5,2017-07-13 16:18:00,0,0,0,0,,NaN,,NaN,41.2833,-72.9077,41.2833,-72.9077,"A cold front pushing south through the Tri-State area triggered isolated strong thunderstorms over Long Island Sound.","A gust of 36 knots was measured at the New Haven mesonet location." +120787,723388,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"LONG ISLAND SOUND E OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-07-13 16:55:00,EST-5,2017-07-13 16:55:00,0,0,0,0,,NaN,,NaN,40.9745,-72.7147,40.9745,-72.7147,"A cold front pushing south through the Tri-State area triggered isolated strong thunderstorms over Long Island Sound.","A gust of 37 knots was measured at the Baiting Hollow mesonet location." +120787,723383,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"LONG ISLAND SOUND W OF NEW HAVEN CT TO PORT JEFFERSON NY",2017-07-13 14:52:00,EST-5,2017-07-13 14:52:00,0,0,0,0,,NaN,,NaN,41.17,-73.13,41.17,-73.13,"A cold front pushing south through the Tri-State area triggered isolated strong thunderstorms over Long Island Sound.","The ASOS wind system at Sikorsky Airport in Bridgeport measured a gust to 42 knots." +112859,713841,NEW JERSEY,2017,March,Coastal Flood,"EASTERN MONMOUTH",2017-03-14 08:00:00,EST-5,2017-03-14 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Low pressure systems across the Ohio Valley and Carolinas phased. This led to a rapidly developing storm which tracked just offshore. Wind, coastal flooding, heavy rain and snow all occurred. Heavy rainfall in Southeast New Jersey ranged from 1-3 inches.","Widespread roadway flooding accompanied the morning high tide with numerous road closures. The communities that were most affected were Sea Bright, Little Silver, Neptune, Belmar and Manasquan. A few businesses in Sea Bright sustained minor damage. ||Keansburg reached 8.46 ft, moderate flooding starts at 8.2 ft. |Sandy Hook reached 7.88 ft, moderate flooding begins at 7.7 feet. |Sea Bright reached 6.84 feet, moderate flooding begins at 6.2 feet. |Belmar reached 7.72 feet, moderate flooding begins at 7.2 feet. |Manasquan reached 6.65, moderate flooding begins at 6.5 feet." +118480,711916,NEW JERSEY,2017,July,Flood,"BERGEN",2017-07-07 14:45:00,EST-5,2017-07-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,40.9923,-74.021,40.9927,-74.0216,"Developing low pressure passing near the region in a high precipitable water environment (2.27 on the 12Z 7/7 OKX sounding) resulted in heavy rainfall across much of the region that led to river flooding in Bergen County, New Jersey. ||Rainfall amounts in Bergen County ranged from 1-3, with a trained spotter in Oakland reporting 2.56 of rain. This resulted in the Pascack Brook at Westwood, NJ rising above flood stage at 3:45pm EDT, crested at a height of 5.11 ft. at 4:30pm EDT, and falling back below flood stage by 5:00pm EDT.","Pascack Brook at Westwood, NJ rose above its flood stage of 5 feet at 3:45pm EDT on July 7, crested at 5.11 feet at 4:30pm EDT, and fell back below flood stage by 5:00pm EDT." +118334,711070,NEW MEXICO,2017,July,Thunderstorm Wind,"EDDY",2017-07-29 20:18:00,MST-7,2017-07-29 20:18:00,0,0,0,0,,NaN,,NaN,32.3791,-104.2785,32.3791,-104.2785,"There was an upper level ridge over the region. Hot and moist conditions were across the area and aided to produce thunderstorms with strong and gusty winds.","A thunderstorm moved across Eddy County and produced a 68 mph wind gust near Carlsbad." +118481,711925,NEW YORK,2017,July,Flash Flood,"WESTCHESTER",2017-07-07 10:15:00,EST-5,2017-07-07 10:45:00,0,0,0,0,0.00K,0,0.00K,0,41.0339,-73.7771,41.0342,-73.7764,"Developing low pressure passing near the region in a high precipitable water environment (2.27 on the 12Z 7/7 OKX sounding) resulted in heavy rainfall across much of the region that led to isolated flash flooding and river flooding across parts of the Lower Hudson Valley. ||Rainfall amounts ranged from 1-2.5 across the area, with reports of 2.16 of rain in Nanuet from an IFLOWS gauge and 1.96 in Armonk from CoCoRaHS. This resulted in isolated flash flooding in Westchester County and the Mahwah River near Suffern, NY rising above its flood stage of 4.0 feet for several hours.","The Bronx River Parkway was closed southbound between the Westchester County Center and Chatterton Avenue in White Plains." +118959,714584,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-07-23 15:50:00,EST-5,2017-07-23 15:50:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-83.26,41.7,-83.26,"Thunderstorms moved across Lake Erie and produced gusty winds.","A buoy reported a 41 knot or 47 mph thunderstorm wind gust." +118137,713528,OHIO,2017,July,Thunderstorm Wind,"SUMMIT",2017-07-07 07:02:00,EST-5,2017-07-07 07:02:00,0,0,0,0,1.00K,1000,0.00K,0,41.23,-81.63,41.23,-81.63,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a couple of trees near Richfield along Columbia Road." +118920,714582,OHIO,2017,July,Thunderstorm Wind,"KNOX",2017-07-22 06:20:00,EST-5,2017-07-22 06:20:00,1,0,0,0,75.00K,75000,0.00K,0,40.3556,-82.3614,40.3556,-82.3614,"A warm front lifted into northern Ohio during the predawn hours of July 22nd causing a large area of showers and thunderstorms to develop. At least one of the thunderstorms became severe.","Thunderstorm winds downed a large tree on Grove Church Road east of Gambier. The tree landed on a house causing extensive damage and injuring an 83 year old woman inside. The woman was transported to a hospital for treatment." +116400,700134,NEBRASKA,2017,July,Hail,"VALLEY",2017-07-02 16:06:00,CST-6,2017-07-02 16:06:00,0,0,0,0,25.00K,25000,150.00K,150000,41.6302,-99.1811,41.6302,-99.1811,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +116820,703560,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-14 18:38:00,CST-6,2017-06-14 18:38:00,0,0,0,0,6.00K,6000,,NaN,32.0371,-102.1,32.0371,-102.1,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Midland County and produced a 58 mph wind gust at the Midland Airpark. The wind resulted in roof damage at the Greenhill Terrace Pool. The cost of damage is a very rough estimate." +116565,700956,TEXAS,2017,June,Hail,"ECTOR",2017-06-12 17:21:00,CST-6,2017-06-12 17:26:00,0,0,0,0,,NaN,,NaN,31.8934,-102.37,31.8934,-102.37,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +116565,700957,TEXAS,2017,June,Hail,"MIDLAND",2017-06-12 17:23:00,CST-6,2017-06-12 17:28:00,0,0,0,0,,NaN,,NaN,31.85,-102.2,31.85,-102.2,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +118007,709424,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-23 23:06:00,EST-5,2017-07-23 23:50:00,0,0,0,0,30.00K,30000,0.00K,0,42.0962,-75.8077,42.0045,-75.7356,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Flash flooding caused the closure of Route 11 due to high water." +118007,709430,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-24 01:59:00,EST-5,2017-07-24 03:30:00,0,0,0,0,130.00K,130000,0.00K,0,42.0003,-75.996,42.0209,-76.0024,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Flood waters from Choconut Creek encroached on 11 homes along Richards Ave. Residents were evacuated." +118007,714042,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-24 02:34:00,EST-5,2017-07-24 03:30:00,0,0,0,0,150.00K,150000,0.00K,0,42.0002,-76.0081,42.0407,-76.0357,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Flood waters from Choconut Creek spread into areas around West Hill Road in Vestal Center." +118007,714043,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-24 02:40:00,EST-5,2017-07-24 03:35:00,0,0,0,0,130.00K,130000,0.00K,0,42.03,-76.02,42.0361,-76.0079,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Flooding along Choconut Creek continued to spread across roads and into more homes. Two residences were evacuated around this time." +118779,713965,TEXAS,2017,July,Lightning,"TRAVIS",2017-07-23 14:30:00,CST-6,2017-07-23 14:30:00,0,0,0,0,200.00K,200000,0.00K,0,30.4568,-97.7736,30.4568,-97.7736,"A weak upper level low over southeastern Texas interacted with a hot and humid airmass to generate scattered thunderstorms. One of these storms produced damaging wind gusts.","Lightning struck a house causing a fire in the attic. The fire was controlled within 20 minutes." +118777,713551,TEXAS,2017,July,Thunderstorm Wind,"TRAVIS",2017-07-15 15:57:00,CST-6,2017-07-15 15:57:00,0,0,0,0,,NaN,0.00K,0,30.42,-97.75,30.42,-97.75,"An upper level trough moved into Texas from the Gulf of Mexico and generated thunderstorms. Some of these storms produced damaging wind gusts and an isolated tornado.","A thunderstorm produced wind gusts estimated at 60 mph that damaged trees near Hwy 183 and Duval Rd. in northwestern Austin." +118777,713554,TEXAS,2017,July,Thunderstorm Wind,"DE WITT",2017-07-15 17:15:00,CST-6,2017-07-15 17:15:00,0,0,0,0,,NaN,0.00K,0,29.3053,-97.3316,29.3053,-97.3316,"An upper level trough moved into Texas from the Gulf of Mexico and generated thunderstorms. Some of these storms produced damaging wind gusts and an isolated tornado.","A thunderstorm produced wind gusts estimated at 60 mph that downed tree limbs and power lines along FM 766 just south of Rivercrest Ln. west of Hochheim." +118777,715433,TEXAS,2017,July,Tornado,"WILLIAMSON",2017-07-15 15:15:00,CST-6,2017-07-15 15:16:00,0,0,0,0,100.00K,100000,0.00K,0,30.5768,-97.6632,30.5757,-97.6643,"An upper level trough moved into Texas from the Gulf of Mexico and generated thunderstorms. Some of these storms produced damaging wind gusts and an isolated tornado.","NWS survey along with eyewitnesses conclude that a weak EF0 tornado developed and produced minor damage to 6-8 homes off Teravista Club Drive as well as Caldwell Palm Circle. A few small sections of roof were peeled off a couple of residences as well as a trampoline tossed from a backyard onto the street. It appears that the tornado may have formed along a gust front boundary. Roof damage was limited to a few houses." +119129,715438,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-23 11:59:00,EST-5,2017-07-23 12:07:00,0,0,0,0,0.00K,0,0.00K,0,35.851,-81.696,35.828,-81.64,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Media reported numerous trees and power lines blown down along Pax Hill Road and additional trees down at Highway 18 and Antioch Rd." +116565,703350,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-12 17:30:00,CST-6,2017-06-12 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,32,-102.08,32,-102.08,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Midland County and produced wind damage in the City of Midland. The damage includes a tree that fell on top of some vehicles at an apartment complex, a tree fell on top of some power lines, a trampoline was blown into some powerlines, the foul pole at the local baseball stadium was damaged, and a power pole was blown down on top of a house. The cost of damage is a very rough estimate." +116769,703353,TEXAS,2017,June,Hail,"DAWSON",2017-06-13 18:40:00,CST-6,2017-06-13 18:45:00,0,0,0,0,,NaN,,NaN,32.6728,-101.78,32.6728,-101.78,"A dryline was set up along the New Mexico and Texas state line. To the east of the dryline, there was ample moisture which increased instability. The wind shear over the area was enough to support organized severe storms, and intense afternoon heating aided severe thunderstorm development. These storms produced large hail across parts of the Permian Basin and some isolated severe wind gusts.","" +119059,715944,INDIANA,2017,July,Thunderstorm Wind,"KOSCIUSKO",2017-07-07 10:50:00,EST-5,2017-07-07 10:51:00,0,0,0,0,0.00K,0,0.00K,0,41.35,-85.75,41.35,-85.75,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A large tree was blown down onto County Road North 800 West." +119059,715945,INDIANA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-07 11:09:00,EST-5,2017-07-07 11:10:00,0,0,0,0,0.00K,0,0.00K,0,41.39,-86.31,41.39,-86.31,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","Emergency management officials reported several trees down across the road, with at least one onto powerlines." +119059,715947,INDIANA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-07 10:32:00,EST-5,2017-07-07 10:33:00,0,0,0,0,0.00K,0,0.00K,0,40.82,-84.95,40.82,-84.95,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","A trained spotter estimated wind gusts to 60 mph." +119060,715908,OHIO,2017,July,Hail,"HENRY",2017-07-07 05:15:00,EST-5,2017-07-07 05:16:00,0,0,0,0,0.00K,0,0.00K,0,41.37,-83.94,41.37,-83.94,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119060,715909,OHIO,2017,July,Hail,"HENRY",2017-07-07 09:51:00,EST-5,2017-07-07 09:52:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-83.9,41.21,-83.9,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119061,715904,MICHIGAN,2017,July,Hail,"BERRIEN",2017-07-07 06:05:00,EST-5,2017-07-07 06:06:00,0,0,0,0,0.00K,0,0.00K,0,41.94,-86.56,41.94,-86.56,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","" +119061,715905,MICHIGAN,2017,July,Hail,"BERRIEN",2017-07-07 06:19:00,EST-5,2017-07-07 06:20:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-86.57,41.9,-86.57,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","The public reported dime to quarter size hail at the intersection of Snow and Browntown Road." +119278,716235,OKLAHOMA,2017,July,Excessive Heat,"PAWNEE",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716236,OKLAHOMA,2017,July,Excessive Heat,"TULSA",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,11,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716237,OKLAHOMA,2017,July,Excessive Heat,"ROGERS",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716238,OKLAHOMA,2017,July,Excessive Heat,"MAYES",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716239,OKLAHOMA,2017,July,Excessive Heat,"CREEK",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119100,715255,NORTH DAKOTA,2017,July,Thunderstorm Wind,"FOSTER",2017-07-21 14:18:00,CST-6,2017-07-21 14:23:00,0,0,0,0,150.00K,150000,100.00K,100000,47.5,-98.68,47.5,-98.68,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Measured wind gusts to 74 mph combined with quarter size hail to cause widespread damage in the Juanita area. One foot diameter trees were broken down. Wind driven hail caused damage to windows, vehicles, and siding. A grain truck was knocked over, and a door was torn off a quonset hut. Crops were damaged, with some corn flattened. Other reports of wind included estimates as high as 85 mph." +119100,715257,NORTH DAKOTA,2017,July,Thunderstorm Wind,"FOSTER",2017-07-21 14:22:00,CST-6,2017-07-21 14:26:00,0,0,0,0,75.00K,75000,20.00K,20000,47.46,-98.57,47.46,-98.57,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Multiple power lines and trees were down. A tractor-trailer truck was blown over." +119096,715234,NORTH DAKOTA,2017,July,Thunderstorm Wind,"SLOPE",2017-07-20 16:07:00,MST-7,2017-07-20 16:12:00,0,0,0,0,75.00K,75000,0.00K,0,46.31,-103.13,46.31,-103.13,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","Four grain grain bins were damaged by the thunderstorm winds." +119096,715235,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BOWMAN",2017-07-20 16:07:00,MST-7,2017-07-20 16:12:00,0,0,0,0,250.00K,250000,0.00K,0,46.22,-103.54,46.22,-103.54,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","Power lines were down near Griffin." +119096,715236,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BOWMAN",2017-07-20 16:20:00,MST-7,2017-07-20 16:24:00,0,0,0,0,0.00K,0,0.00K,0,46.17,-103.3,46.17,-103.3,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119096,715237,NORTH DAKOTA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-20 16:53:00,MST-7,2017-07-20 16:55:00,0,0,0,0,0.00K,0,0.00K,0,46.02,-102.65,46.02,-102.65,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","" +119426,716750,ALABAMA,2017,July,Flash Flood,"JEFFERSON",2017-07-24 13:45:00,CST-6,2017-07-24 16:30:00,0,0,0,0,0.00K,0,0.00K,0,33.55,-86.78,33.59,-86.77,"A slow moving upper level trough pushed southward across Alabama on July 25-45, producing scattered to numerous thunderstorms each day. Precipitable water values were above two inches south of the trough axis, and some of the thunderstorms produced localized flash flooding.","Several roads flooded in the Birmingham Metropolitan area. Water rescues for stranded vehicles were performed on Tallapoosa Street near the intersection of Interstate 20 and Montevallo Road near the intersection of Oporto Madrid Boulevard." +119426,716754,ALABAMA,2017,July,Flash Flood,"BLOUNT",2017-07-24 13:37:00,CST-6,2017-07-24 15:00:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-86.47,33.9474,-86.4652,"A slow moving upper level trough pushed southward across Alabama on July 25-45, producing scattered to numerous thunderstorms each day. Precipitable water values were above two inches south of the trough axis, and some of the thunderstorms produced localized flash flooding.","Several streets flooded in downtown Oneonta." +116243,699019,INDIANA,2017,July,Hail,"SCOTT",2017-07-07 18:39:00,EST-5,2017-07-07 18:39:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-85.74,38.77,-85.74,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","" +116243,699022,INDIANA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 18:29:00,EST-5,2017-07-07 18:29:00,0,0,0,0,20.00K,20000,0.00K,0,38.72,-85.47,38.72,-85.47,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","The public reported downed trees on some homes." +117588,707153,GEORGIA,2017,July,Thunderstorm Wind,"LEE",2017-07-16 13:32:00,EST-5,2017-07-16 13:32:00,0,0,0,0,0.00K,0,0.00K,0,31.65,-84.09,31.65,-84.09,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Graves Springs Road and Philema Road." +117588,707156,GEORGIA,2017,July,Thunderstorm Wind,"TERRELL",2017-07-16 13:45:00,EST-5,2017-07-16 13:45:00,0,0,0,0,0.00K,0,0.00K,0,31.8053,-84.407,31.8053,-84.407,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down northeast of Dawson on Highway 118." +117588,707157,GEORGIA,2017,July,Thunderstorm Wind,"LEE",2017-07-16 14:10:00,EST-5,2017-07-16 14:10:00,0,0,0,0,0.00K,0,0.00K,0,31.9,-84.25,31.9,-84.25,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","The public reported via social media that a 40 ft tree blew over in Smithville." +117590,707160,GEORGIA,2017,July,Thunderstorm Wind,"DECATUR",2017-07-21 13:45:00,EST-5,2017-07-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,30.7247,-84.4292,30.7247,-84.4292,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Highway 27 near Amsterdam." +117590,707161,GEORGIA,2017,July,Thunderstorm Wind,"GRADY",2017-07-21 13:45:00,EST-5,2017-07-21 13:45:00,0,0,0,0,0.00K,0,0.00K,0,30.7203,-84.3469,30.7203,-84.3469,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down along Highway 111 near Calvary." +117590,707162,GEORGIA,2017,July,Thunderstorm Wind,"BROOKS",2017-07-21 16:30:00,EST-5,2017-07-21 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.81,-83.5,30.81,-83.5,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Multiple trees were blown down along Highway 84 near Patrick Road." +117590,707163,GEORGIA,2017,July,Thunderstorm Wind,"LOWNDES",2017-07-25 17:54:00,EST-5,2017-07-25 17:54:00,0,0,0,0,0.00K,0,0.00K,0,30.68,-83.23,30.68,-83.23,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on Loch Laurel Road." +117590,707170,GEORGIA,2017,July,Thunderstorm Wind,"LOWNDES",2017-07-25 18:06:00,EST-5,2017-07-25 18:06:00,0,0,0,0,10.00K,10000,0.00K,0,30.68,-83.17,30.68,-83.17,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a home on Oak St." +117602,707216,FLORIDA,2017,July,Thunderstorm Wind,"LAFAYETTE",2017-07-05 16:00:00,EST-5,2017-07-05 16:00:00,0,0,0,0,1.00K,1000,0.00K,0,30.13,-83.29,30.13,-83.29,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A couple of trees and power lines were blown down along Highway 53." +117602,707217,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-05 17:00:00,EST-5,2017-07-05 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,30.38,-84.13,30.38,-84.13,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A power line was blown down at 5144 Louvinia Dr." +117772,708062,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-07-25 20:55:00,EST-5,2017-07-25 20:55:00,0,0,0,0,0.00K,0,0.00K,0,31.05,-81.41,31.05,-81.41,"High moisture content and diurnal heating supported a few strong storms over southeast Georgia.","The Weather Flow anemometer measured a gust of 45 mph on Jekyll Island." +117773,708066,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-26 16:42:00,EST-5,2017-07-26 17:02:00,0,0,0,0,0.00K,0,0.00K,0,30.35,-81.51,30.35,-81.51,"A slightly drier airmass and high daytime instability with sea breeze forcing supported a severe storm across Duval County with locally heavy rainfall and damaging winds.","Within 20 minutes, 1-1.25 inches of rainfall occurred." +117773,708100,FLORIDA,2017,July,Lightning,"DUVAL",2017-07-26 17:22:00,EST-5,2017-07-26 17:22:00,0,0,0,0,2.00K,2000,0.00K,0,30.3,-81.7,30.3,-81.7,"A slightly drier airmass and high daytime instability with sea breeze forcing supported a severe storm across Duval County with locally heavy rainfall and damaging winds.","A lightning fire at 3600 block of Riverside Avenue burned a transformer. The cost of damage was estimated." +117773,708101,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-26 17:11:00,EST-5,2017-07-26 17:11:00,0,0,0,0,0.00K,0,0.00K,0,30.34,-81.54,30.34,-81.54,"A slightly drier airmass and high daytime instability with sea breeze forcing supported a severe storm across Duval County with locally heavy rainfall and damaging winds.","Power lines were blown down across I-295 at Monument Road. Heavy traffic delays occurred. Time of damage was based on radar." +117773,708103,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-26 17:05:00,EST-5,2017-07-26 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.53,30.39,-81.53,"A slightly drier airmass and high daytime instability with sea breeze forcing supported a severe storm across Duval County with locally heavy rainfall and damaging winds.","An off duty NWS Employee reported wind gusts of 50-60 mph in Fort Caroline." +117785,708115,FLORIDA,2017,July,Tornado,"DUVAL",2017-07-27 12:38:00,EST-5,2017-07-27 12:41:00,0,0,0,0,,NaN,,NaN,30.4055,-81.4039,30.4071,-81.4037,"A late season cold front was over SE GA under a mid level low. This feature combined with daytime heating and high moisture spawned a line of strong to severe storms over NE Florida that neared the Atlantic coast of Duval county during the early afternoon. A weak and brief tornado touched down near Mayport.","A line of strong thunderstorms approached Mayport and straight line winds produced minor damage. This damage preceded a tornado over the mouth of the St. Johns River that touched down briefly as an EF0 tornado on Huguenot Beach Park. A lifeguard stand was rolled several times, a truck was damaged, and trash and debris were scattered throughout the beach/park. The tornado moved offshore over the Atlantic Ocean. Maximum sustained winds were near 65 mph." +117785,708117,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-27 12:32:00,EST-5,2017-07-27 12:32:00,0,0,0,0,5.00K,5000,0.00K,0,30.37,-81.42,30.37,-81.42,"A late season cold front was over SE GA under a mid level low. This feature combined with daytime heating and high moisture spawned a line of strong to severe storms over NE Florida that neared the Atlantic coast of Duval county during the early afternoon. A weak and brief tornado touched down near Mayport.","A tree was blown down onto a homne along Wonderwood Drive. The cost of damage was estimated so the event could be included in Storm Data." +118181,712158,RHODE ISLAND,2017,July,Thunderstorm Wind,"PROVIDENCE",2017-07-12 14:45:00,EST-5,2017-07-12 14:45:00,0,0,0,0,1.00K,1000,0.00K,0,41.8338,-71.4104,41.8338,-71.4104,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 245 PM EST, a tree was brought down on North Main Street in Providence." +118540,712164,RHODE ISLAND,2017,July,Flash Flood,"WASHINGTON",2017-07-13 14:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.5207,-71.6855,41.5207,-71.6836,"An east-west aligned cold front slowly moved south through Southern New England. This along with an extremely humid air mass brought heavy afternoon downpours to Connecticut and Rhode Island.","At 2 PM EST, an amateur radio operator reported Stilson Road in Richmond flooded." +118541,712165,CONNECTICUT,2017,July,Hail,"HARTFORD",2017-07-12 12:36:00,EST-5,2017-07-13 12:36:00,0,0,0,0,0.00K,0,0.00K,0,41.9243,-72.6444,41.9243,-72.6444,"An east-west aligned cold front slowly moved south through Southern New England. This along with an extremely humid air mass brought heavy afternoon downpours to Connecticut and Rhode Island.","At 1236 Pm EST, an amateur radio operator reported one inch diameter hail in Windsor Locks." +118541,712166,CONNECTICUT,2017,July,Lightning,"HARTFORD",2017-07-13 14:41:00,EST-5,2017-07-13 14:41:00,0,0,0,0,1.00K,1000,0.00K,0,41.9452,-72.8351,41.9452,-72.8351,"An east-west aligned cold front slowly moved south through Southern New England. This along with an extremely humid air mass brought heavy afternoon downpours to Connecticut and Rhode Island.","At 241 PM EST, an amateur radio operator reported a tree down by lightning and blocking Simsbury Road in Granby." +118544,712176,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-18 18:29:00,EST-5,2017-07-18 21:30:00,0,0,0,0,1.00K,1000,0.00K,0,42.1633,-72.6147,42.1772,-72.6148,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 629 PM EST, an amateur radio operator reported Meadow Street in Chicopee was flooded and impassable." +118544,712177,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-18 18:45:00,EST-5,2017-07-18 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.1087,-72.6166,42.1072,-72.6152,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 645 PM EST, an amateur radio operator reported that the southbound U.S. Route 5 tunnel in West Springfield was flooded and impassable." +118544,712179,MASSACHUSETTS,2017,July,Flood,"HAMPDEN",2017-07-18 19:18:00,EST-5,2017-07-18 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.1211,-72.4925,42.1206,-72.4977,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 718 PM EST, broadcast media reported street flooding on Groton Street, on the eastern side of Springfield." +118137,713523,OHIO,2017,July,Thunderstorm Wind,"ASHLAND",2017-07-07 06:50:00,EST-5,2017-07-07 06:50:00,0,0,0,0,1.00K,1000,0.00K,0,40.7361,-82.3621,40.7361,-82.3621,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a tree south of Mifflin along State Route 603." +118137,713524,OHIO,2017,July,Thunderstorm Wind,"CUYAHOGA",2017-07-07 06:50:00,EST-5,2017-07-07 06:50:00,0,0,0,0,0.00K,0,0.00K,0,41.3795,-81.6927,41.3795,-81.6927,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","A trained spotter measured a 60 mph thunderstorm wind gust." +118137,713526,OHIO,2017,July,Thunderstorm Wind,"MEDINA",2017-07-07 07:00:00,EST-5,2017-07-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-81.87,41.13,-81.87,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed several trees across Medina County." +118137,713527,OHIO,2017,July,Thunderstorm Wind,"SUMMIT",2017-07-07 07:04:00,EST-5,2017-07-07 07:04:00,0,0,0,0,1.00K,1000,0.00K,0,41.18,-81.62,41.18,-81.62,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a tree along Granger Road." +118137,713529,OHIO,2017,July,Thunderstorm Wind,"LORAIN",2017-07-07 06:18:00,EST-5,2017-07-07 06:30:00,0,0,0,0,35.00K,35000,0.00K,0,41.37,-82.1,41.37,-82.1,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed several trees across Lorain County. A couple roads in the Elyria area were blocked by fallen trees." +118137,713530,OHIO,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-07 06:40:00,EST-5,2017-07-07 06:40:00,0,0,0,0,1.00K,1000,0.00K,0,40.6495,-82.607,40.6495,-82.607,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a large tree near Lexington." +117426,706158,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 14:10:00,EST-5,2017-07-11 14:12:00,0,0,0,0,2.00K,2000,0.00K,0,39.64,-84.27,39.64,-84.27,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Several large pieces of siding were stripped from a house." +117426,706159,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 14:35:00,EST-5,2017-07-11 14:37:00,0,0,0,0,1.00K,1000,0.00K,0,39.72,-84.17,39.72,-84.17,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","A tree was downed." +117426,706160,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-11 13:59:00,EST-5,2017-07-11 14:00:00,0,0,0,0,0.00K,0,0.00K,0,39.84,-84.48,39.84,-84.48,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Measured on an ODOT wind sensor. Another 58 mph gust was measured at 1405 EST." +117427,706161,INDIANA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-11 12:48:00,EST-5,2017-07-11 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,39.82,-85,39.82,-85,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms.","Numerous trees and power lines were downed across Wayne County. Tree damage was reported in Milton, Centerville, Cambridge City and especially Richmond." +117427,706162,INDIANA,2017,July,Thunderstorm Wind,"DEARBORN",2017-07-11 13:19:00,EST-5,2017-07-11 13:21:00,0,0,0,0,1.00K,1000,0.00K,0,39.1708,-84.9087,39.1708,-84.9087,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms.","A tree was downed on State Route 1." +117427,706163,INDIANA,2017,July,Thunderstorm Wind,"DEARBORN",2017-07-11 13:18:00,EST-5,2017-07-11 13:20:00,0,0,0,0,2.00K,2000,0.00K,0,39.24,-84.95,39.24,-84.95,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms.","Several trees were downed." +117429,706166,OHIO,2017,July,Flood,"HARDIN",2017-07-13 03:15:00,EST-5,2017-07-13 03:45:00,0,0,0,0,0.00K,0,0.00K,0,40.778,-83.8199,40.7758,-83.8204,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","High water was reported on State Route 81." +117429,706169,OHIO,2017,July,Flood,"BUTLER",2017-07-13 08:45:00,EST-5,2017-07-13 09:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4,-84.41,39.3993,-84.4083,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","A street in Liberty Township was covered by several inches of standing water." +117429,706171,OHIO,2017,July,Flash Flood,"BUTLER",2017-07-13 09:15:00,EST-5,2017-07-13 10:15:00,0,0,0,0,0.00K,0,0.00K,0,39.4141,-84.4855,39.4144,-84.4828,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Greenlawn Road was closed near the intersection of State Route 4 due to high water." +117429,706173,OHIO,2017,July,Flash Flood,"LICKING",2017-07-13 11:00:00,EST-5,2017-07-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9325,-82.4775,39.9373,-82.4774,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Water was flowing over several roads in the Buckeye Lake area, including a portion of State Route 79." +118981,714665,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTERFIELD",2017-07-23 15:11:00,EST-5,2017-07-23 15:13:00,0,0,0,0,,NaN,,NaN,34.73,-80.22,34.73,-80.22,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Trees in roadway at Walter Gulledge Rd and SC Hwy 265 near Ruby." +118981,714666,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-23 16:27:00,EST-5,2017-07-23 16:30:00,0,0,0,0,,NaN,,NaN,34.35,-80.84,34.35,-80.84,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Pecan Tree reported down." +118981,714667,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"NEWBERRY",2017-07-23 16:37:00,EST-5,2017-07-23 16:40:00,0,0,0,0,,NaN,,NaN,34.31,-81.84,34.31,-81.84,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Tree down at SC Hwy 56 and Belfast Rd." +118981,714669,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"KERSHAW",2017-07-23 16:27:00,EST-5,2017-07-23 16:30:00,0,0,0,0,,NaN,,NaN,34.51,-80.49,34.51,-80.49,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Multiple trees down at Mt. Pisgah Rd and SC Hwy 341." +118981,714673,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SALUDA",2017-07-23 17:19:00,EST-5,2017-07-23 17:23:00,0,0,0,0,,NaN,,NaN,34.12,-81.72,34.12,-81.72,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","SCHP reported trees down at Brushy Fork Rd at Ebbie Long Rd." +118981,714674,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-23 17:49:00,EST-5,2017-07-23 17:51:00,0,0,0,0,,NaN,,NaN,33.9948,-81.0066,33.9948,-81.0066,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Report and photo, via social media, of a tree down at Hand Middle School." +118981,714675,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-23 17:55:00,EST-5,2017-07-23 17:59:00,0,0,0,0,,NaN,,NaN,34.0371,-81.0908,34.0371,-81.0908,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","SCHP reported trees down on Longcreek Dr and Broad River Rd." +118981,714676,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-23 18:00:00,EST-5,2017-07-23 18:03:00,0,0,0,0,,NaN,,NaN,33.9479,-80.9653,33.9479,-80.9653,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","SCHP reported trees down on Atlas Rd and Shop Rd." +117857,708352,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-15 18:10:00,MST-7,2017-07-15 18:10:00,0,0,0,0,5.00K,5000,0.00K,0,33.97,-112.74,33.97,-112.74,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Strong thunderstorms developed near the town of Wickenburg during the late afternoon hours on July 15th. The storms produced gusty and damaging outflow winds, estimated to be as high as 60 mph. According to a trained weather spotter, at 1810MST the strong winds downed a 40 foot tall tree, which then fell over and blocked highway 60. No injuries were reported. A Severe Thunderstorm Warning was in effect for Wickenburg at the time; it was issued at 1755MST and was in effect through 1830MST." +117857,708354,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-15 19:58:00,MST-7,2017-07-15 19:58:00,0,0,0,0,0.00K,0,0.00K,0,32.88,-112.72,32.88,-112.72,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Strong thunderstorms developed in the vicinity of Gila Bend during the evening hours on July 15, and some of the stronger storms generated strong outflow winds. At 1958MST, the official ASOS weather station located 5 miles of Gila Bend measured a wind gust of 58 mph. No damage was reported in Gila Bend due to the gusty winds." +117259,705289,NEBRASKA,2017,July,Hail,"HOOKER",2017-07-02 14:35:00,MST-7,2017-07-02 14:35:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-101.24,42.04,-101.24,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118105,709823,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-24 09:00:00,MST-7,2017-07-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,33.4464,-112.4588,33.4469,-112.3956,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Thunderstorms with locally heavy rainfall developed across much of the greater Phoenix area, including the western communities such as Goodyear, during the morning hours on July 24th. Peak rain rates reached to at least 2 inches per hour with some of heavier showers and this intense rainfall resulted in episodes of flooding and flash flooding during the morning hours. According to local law enforcement, at 1030MST flash flooding occurred about 2 miles northwest of Goodyear. Cotton Lane near McDowell Road was closed due to the flash flooding. No injuries were reported however. A Flash Flood Warning was in effect at the time of the flash flooding." +117292,705483,NEBRASKA,2017,July,Hail,"GARFIELD",2017-07-21 19:14:00,CST-6,2017-07-21 19:14:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.94,41.78,-98.94,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","" +117292,705485,NEBRASKA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-21 19:15:00,CST-6,2017-07-21 19:15:00,0,0,0,0,0.00K,0,0.00K,0,41.78,-98.82,41.78,-98.82,"A few supercells slowly traveled southeast across north central Nebraska. Hail up to baseball size was reported in Wheeler County, while severe winds were reported in Garfield County.","Public reported downed trees and 60 mph winds." +117298,705491,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-28 21:15:00,CST-6,2017-07-28 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.81,41.13,-100.81,"Supercells developed in the southern Sandhills and moved south toward the Interstate 80 corridor. Strong winds downed trees and knocked out power in parts of Lincoln County.","Multiple trees were downed on the west side of North Platte." +117298,705492,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-28 21:30:00,CST-6,2017-07-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.77,41.13,-100.77,"Supercells developed in the southern Sandhills and moved south toward the Interstate 80 corridor. Strong winds downed trees and knocked out power in parts of Lincoln County.","An 8 inch tree limb was downed in central North Platte." +117298,705493,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-28 21:40:00,CST-6,2017-07-28 21:40:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-100.8,41.11,-100.8,"Supercells developed in the southern Sandhills and moved south toward the Interstate 80 corridor. Strong winds downed trees and knocked out power in parts of Lincoln County.","A trained weather spotter estimated 60 mph wind gusts southwest of North Platte." +117298,705494,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-28 21:47:00,CST-6,2017-07-28 21:47:00,0,0,0,0,0.00K,0,0.00K,0,41.09,-100.83,41.09,-100.83,"Supercells developed in the southern Sandhills and moved south toward the Interstate 80 corridor. Strong winds downed trees and knocked out power in parts of Lincoln County.","An NWS employee reported 60 mph winds and a power outage south of North Platte." +117304,705495,NEBRASKA,2017,July,Thunderstorm Wind,"BROWN",2017-07-30 16:10:00,CST-6,2017-07-30 16:10:00,0,0,0,0,0.00K,0,0.00K,0,42.57,-100.02,42.57,-100.02,"Thunderstorms moved east across much of western and north central Nebraska during the afternoon and early evening. One of the stronger storms produced severe winds in Brown County.","Public estimated 60 mph wind gusts near Johnstown." +117305,705496,NEBRASKA,2017,July,Drought,"EASTERN CHERRY",2017-07-25 00:00:00,CST-6,2017-07-31 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very dry June and sparse rainfall through much of July led to worsening drought conditions across north central Nebraska. As of the July 25, 2017, drought monitor update, severe drought (D2) covered eastern Cherry, western Keya Paha, and most of Brown counties.","Severe drought (D2) covered generally the eastern third of Cherry County, as of the July 25, 2017, drought monitor update." +118708,713128,KANSAS,2017,July,Thunderstorm Wind,"RAWLINS",2017-07-02 20:49:00,CST-6,2017-07-02 20:49:00,0,0,0,0,3.00K,3000,0.00K,0,39.8025,-101.0347,39.8025,-101.0347,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","Carport blown into neighbors fence, taking out 50 ft. of the fence." +118708,713129,KANSAS,2017,July,Thunderstorm Wind,"DECATUR",2017-07-02 21:16:00,CST-6,2017-07-02 21:16:00,0,0,0,0,,NaN,0.00K,0,39.6241,-100.4221,39.6241,-100.4221,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","Many branches from healthy trees were snapped. Some large branches up to four inches in diameter were broken." +118708,713130,KANSAS,2017,July,Thunderstorm Wind,"NORTON",2017-07-02 21:59:00,CST-6,2017-07-02 21:59:00,0,0,0,0,,NaN,0.00K,0,39.84,-99.89,39.84,-99.89,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","Small limbs were blown down in town. Spotters across the county estimated 55-65 MPH wind gusts." +118708,713131,KANSAS,2017,July,Thunderstorm Wind,"RAWLINS",2017-07-02 20:45:00,CST-6,2017-07-02 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.8401,-101.0449,39.8401,-101.0449,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +118708,713133,KANSAS,2017,July,Thunderstorm Wind,"DECATUR",2017-07-02 20:59:00,CST-6,2017-07-02 20:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8294,-100.5378,39.8294,-100.5378,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +119465,716969,KANSAS,2017,July,Hail,"CLARK",2017-07-15 12:45:00,CST-6,2017-07-15 12:45:00,0,0,0,0,,NaN,,NaN,37.44,-100.01,37.44,-100.01,"An embedded H5 vorticity maxima remaining locked in across the high plains of eastern Colorado within a large scale upper level ridge. This set up another round of thunderstorms despite an extremely weak flow aloft. The upper level feature interacted with a nearly washed out frontal boundary setting the stage for thunderstorms as steep low/mid level lapse rates developed late in the afternoon.","" +119465,716970,KANSAS,2017,July,Hail,"FINNEY",2017-07-15 14:58:00,CST-6,2017-07-15 14:58:00,0,0,0,0,,NaN,,NaN,38.1,-100.47,38.1,-100.47,"An embedded H5 vorticity maxima remaining locked in across the high plains of eastern Colorado within a large scale upper level ridge. This set up another round of thunderstorms despite an extremely weak flow aloft. The upper level feature interacted with a nearly washed out frontal boundary setting the stage for thunderstorms as steep low/mid level lapse rates developed late in the afternoon.","" +119466,716972,KANSAS,2017,July,Thunderstorm Wind,"TREGO",2017-07-22 16:27:00,CST-6,2017-07-22 16:27:00,0,0,0,0,,NaN,,NaN,39.02,-99.68,39.02,-99.68,"An upper level shortwave trough slid southeast across the Upper Midwest, sending an attendant frontal boundary further southward across southwest and central Kansas. Although weak flow aloft and a lack of organized shear prevailed, enough instability was |present to support isolated thunderstorms in a band of increased convergence associated with the frontal boundary.","Winds were estimated at around 60 MPH." +119468,716977,KANSAS,2017,July,Flash Flood,"STANTON",2017-07-30 17:45:00,CST-6,2017-07-30 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.57,-101.79,37.5738,-101.7932,"A cluster of showers and a few embedded thunderstorms in southeast Colorado propagated slowly into western Kansas. The showers and thunderstorms weakened as they encountered drier air in central Kansas later in the day. Another area of thunderstorms develop in eastern Colorado later in the afternoon and moved into southwest Kansas that evening.","Water was over the pavement near Road 12 and Old Highway 160." +119468,716978,KANSAS,2017,July,Flash Flood,"STANTON",2017-07-30 17:45:00,CST-6,2017-07-30 21:45:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-101.75,37.6485,-101.7533,"A cluster of showers and a few embedded thunderstorms in southeast Colorado propagated slowly into western Kansas. The showers and thunderstorms weakened as they encountered drier air in central Kansas later in the day. Another area of thunderstorms develop in eastern Colorado later in the afternoon and moved into southwest Kansas that evening.","Water was over the surface near mile marker 53 on Highway 27." +119468,716979,KANSAS,2017,July,Heavy Rain,"KEARNY",2017-07-30 15:00:00,CST-6,2017-07-30 17:00:00,0,0,0,0,0.00K,0,0.00K,0,37.87,-101.35,37.87,-101.35,"A cluster of showers and a few embedded thunderstorms in southeast Colorado propagated slowly into western Kansas. The showers and thunderstorms weakened as they encountered drier air in central Kansas later in the day. Another area of thunderstorms develop in eastern Colorado later in the afternoon and moved into southwest Kansas that evening.","Rainfall was 2.06 inches." +118771,713511,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-06 15:45:00,EST-5,2017-07-06 15:45:00,0,0,0,0,0.00K,0,0.00K,0,35.728,-81.923,35.728,-81.923,"Widely scattered thunderstorms developed across the foothills and Piedmont of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","EM reported trees blown down on power lines on Wildlife Rd at Highway 126." +118771,713512,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-06 16:22:00,EST-5,2017-07-06 16:22:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-81.56,35.73,-81.56,"Widely scattered thunderstorms developed across the foothills and Piedmont of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","Public reported (via Social Media) multiple trees blown down and blocking I-40 in the Valdese area." +118771,713513,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-06 16:08:00,EST-5,2017-07-06 16:25:00,0,0,0,0,2.00K,2000,0.00K,0,35.401,-80.921,35.39,-80.794,"Widely scattered thunderstorms developed across the foothills and Piedmont of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather in the form of damaging winds.","Spotters, Fd, and Ham radio operators reported multiple trees blown down across the north Charlotte/Huntersville area, from around Beatties Ford Rd to near Asbury Chapel Rd. Public also reported (via Social Media) roof damage to a home on Reese Blvd. Outflow from this storm caused a couple of other trees to fall closer to Uptown." +118773,713532,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-06 14:34:00,EST-5,2017-07-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.734,-82.551,34.792,-82.493,"Isolated thunderstorms and storm clusters developed across Upstate South Carolina during the afternoon. One storm produced brief, but significant wind damage across Anderson County.","County comms and public reported numerous trees blown down in the south Easley and Powdersville area, from Wren Crossing Ln to near the Greenville County line." +118774,713538,GEORGIA,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-06 14:34:00,EST-5,2017-07-06 14:34:00,0,0,0,0,0.00K,0,0.00K,0,34.272,-83.179,34.285,-83.145,"Isolated thunderstorms and storm clusters developed across northeast Georgia during the afternoon. A couple of the storms produced brief severe weather in the form of damaging winds.","County comms reported a tree blown down On River Bend Circle and a couple of trees and power lines blown down in Franklin Springs." +118774,713545,GEORGIA,2017,July,Thunderstorm Wind,"HART",2017-07-06 14:58:00,EST-5,2017-07-06 14:59:00,0,0,0,0,0.00K,0,0.00K,0,34.377,-82.905,34.383,-82.872,"Isolated thunderstorms and storm clusters developed across northeast Georgia during the afternoon. A couple of the storms produced brief severe weather in the form of damaging winds.","Public reported numerous trees blown down along Ridge Road and Haven Drive." +118776,713546,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENWOOD",2017-07-07 13:11:00,EST-5,2017-07-07 13:24:00,0,0,0,0,2.00K,2000,0.00K,0,34.197,-82.15,34.214,-81.979,"Isolated to widely scattered thunderstorms developed across the Piedmont during the afternoon. Several storms briefly formed into a cluster and produced damaging winds across portions of the Lakelands.","County comms and FD reported multiple trees and power lines blown down from the city of Greenwood east to near Lake Greenwood. Large limbs fell on a vehicle in the city." +119116,715382,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-17 16:38:00,CST-6,2017-07-17 16:38:00,0,0,0,0,0.00K,0,0.00K,0,44.12,-100.29,44.12,-100.29,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","" +119116,715383,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-17 17:10:00,CST-6,2017-07-17 17:10:00,0,0,0,0,,NaN,,NaN,44.09,-99.86,44.09,-99.86,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","Seventy mph winds were estimated." +119116,715384,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CLARK",2017-07-17 17:15:00,CST-6,2017-07-17 17:15:00,0,0,0,0,0.00K,0,0.00K,0,44.75,-97.8,44.75,-97.8,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","Sixty mph winds were estimated." +119116,715385,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-17 17:47:00,CST-6,2017-07-17 17:47:00,0,0,0,0,0.00K,0,0.00K,0,43.91,-100.06,43.91,-100.06,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","" +119116,715387,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"LYMAN",2017-07-17 18:28:00,CST-6,2017-07-17 18:28:00,0,0,0,0,0.00K,0,0.00K,0,43.8,-99.38,43.8,-99.38,"High based thunderstorms developed along a weak surface trough during the late afternoon and early evening across parts of central and northeast South Dakota. With very dry lower levels, severe wind gusts up to over 70 mph occurred with some of the storms.","Sixty-five mph winds were estimated." +119136,715495,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-20 18:15:00,MST-7,2017-07-20 18:15:00,0,0,0,0,0.00K,0,0.00K,0,45.69,-101.81,45.69,-101.81,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","Sixty mph winds were estimated." +119136,715496,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-20 19:00:00,MST-7,2017-07-20 19:00:00,0,0,0,0,,NaN,0.00K,0,45.47,-101.43,45.47,-101.43,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","Estimated seventy mph winds brought down several large branches." +119136,715498,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-20 19:06:00,MST-7,2017-07-20 19:06:00,0,0,0,0,0.00K,0,0.00K,0,45.61,-101.06,45.61,-101.06,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","" +119136,715499,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-20 19:15:00,MST-7,2017-07-20 19:15:00,0,0,0,0,,NaN,0.00K,0,45.61,-101.06,45.61,-101.06,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","" +119136,715501,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CORSON",2017-07-20 19:45:00,MST-7,2017-07-20 19:45:00,0,0,0,0,0.00K,0,0.00K,0,45.74,-100.66,45.74,-100.66,"Severe thunderstorms brought winds to nearly seventy-five mph across parts of north central South Dakota.","" +116215,698696,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:04:00,CST-6,2017-07-06 16:04:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-93.85,32.47,-93.85,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed west of Shreveport, Louisiana." +116215,698698,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:09:00,CST-6,2017-07-06 16:09:00,0,0,0,0,0.00K,0,0.00K,0,32.49,-93.78,32.49,-93.78,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +116215,698699,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:10:00,CST-6,2017-07-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-93.78,32.48,-93.78,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +116215,698700,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:10:00,CST-6,2017-07-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,32.5,-93.79,32.5,-93.79,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed." +117039,703954,LOUISIANA,2017,July,Heat,"LINCOLN",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703955,LOUISIANA,2017,July,Heat,"JACKSON",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703956,LOUISIANA,2017,July,Heat,"UNION",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703957,LOUISIANA,2017,July,Heat,"OUACHITA",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703958,LOUISIANA,2017,July,Heat,"CALDWELL",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +119087,715192,SOUTH CAROLINA,2017,July,Hail,"CHARLESTON",2017-07-19 16:09:00,EST-5,2017-07-19 16:14:00,0,0,0,0,,NaN,0.00K,0,32.9,-79.99,32.9,-79.99,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A trained spotter reported quarter sized hail falling near the intersection of North Rhett Avenue and Remount Road." +119087,715193,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:12:00,EST-5,2017-07-19 16:17:00,0,0,0,0,,NaN,0.00K,0,32.94,-80,32.94,-80,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A trained spotter reported nickel sized hail at the corner of Rivers Avenue and Ashley Phosphate Road." +119087,715194,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:12:00,EST-5,2017-07-19 16:17:00,0,0,0,0,,NaN,0.00K,0,32.97,-80.01,32.97,-80.01,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","A trained spotter reported hail up to the size of nickels on Harbour Lake Drive." +119087,715195,SOUTH CAROLINA,2017,July,Hail,"BERKELEY",2017-07-19 16:14:00,EST-5,2017-07-19 16:19:00,0,0,0,0,,NaN,0.00K,0,32.92,-80,32.92,-80,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","The public reported pea to half dollar sized hail in Hanahan. The report was relayed by the NWS office in Greer, SC." +119087,715196,SOUTH CAROLINA,2017,July,Lightning,"CHARLESTON",2017-07-19 17:00:00,EST-5,2017-07-19 17:30:00,0,0,0,0,400.00K,400000,0.00K,0,32.74,-80.07,32.74,-80.07,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","St. Johns Fire and Rescue reported a house fire started by lightning in the 800 block of Brownswood Road. The home sustained major damage to the entire structure with nearly the entire 2nd floor destroyed." +119087,715197,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BERKELEY",2017-07-19 16:10:00,EST-5,2017-07-19 16:11:00,0,0,0,0,,NaN,0.00K,0,33.03,-80.02,33.03,-80.02,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","The public reported trees and large tree limbs down on Evergreen Magnolia Avenue." +119087,715198,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BERKELEY",2017-07-19 16:20:00,EST-5,2017-07-19 16:21:00,0,0,0,0,,NaN,0.00K,0,33.06,-80.04,33.06,-80.04,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina.","South Carolina Highway Patrol reported a tree down on Highway 52 near the Strawberry area." +119088,715199,GEORGIA,2017,July,Hail,"EFFINGHAM",2017-07-19 18:50:00,EST-5,2017-07-19 18:55:00,0,0,0,0,,NaN,0.00K,0,32.21,-81.34,32.21,-81.34,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina. These thunderstorms produced outflow boundaries that eventually initiated additional thunderstorms across portions of southeast Georgia.","A trained spotter reported hail up to the size of pennies in the 700 block of Zittrouer Road." +116287,699212,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 20:30:00,CST-6,2017-07-04 20:30:00,0,0,0,0,,NaN,,NaN,47.97,-96.73,47.97,-96.73,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699213,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 21:18:00,CST-6,2017-07-04 21:18:00,0,0,0,0,,NaN,,NaN,47.58,-96.83,47.58,-96.83,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail was soft and was accompanied by very heavy rain." +116287,699214,MINNESOTA,2017,July,Hail,"LAKE OF THE WOODS",2017-07-04 21:30:00,CST-6,2017-07-04 21:30:00,0,0,0,0,,NaN,,NaN,48.51,-94.67,48.51,-94.67,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","Dime to quarter sized hail fell with very heavy rain." +116287,699743,MINNESOTA,2017,July,Hail,"CLAY",2017-07-04 23:25:00,CST-6,2017-07-04 23:25:00,0,0,0,0,,NaN,,NaN,46.78,-96.24,46.78,-96.24,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116549,701110,MINNESOTA,2017,July,Hail,"KITTSON",2017-07-11 17:40:00,CST-6,2017-07-11 17:40:00,0,0,0,0,,NaN,,NaN,48.94,-96.95,48.94,-96.95,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The large hail shredded corn and bean fields." +116549,701114,MINNESOTA,2017,July,Hail,"POLK",2017-07-11 18:23:00,CST-6,2017-07-11 18:23:00,0,0,0,0,,NaN,,NaN,48.11,-96.86,48.11,-96.86,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The large hail fell across northwest Tabor Township." +116549,701115,MINNESOTA,2017,July,Funnel Cloud,"POLK",2017-07-11 18:54:00,CST-6,2017-07-11 18:54:00,0,0,0,0,0.00K,0,0.00K,0,48.01,-96.58,48.01,-96.58,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A persistent wall cloud with funnel was reported." +116549,701117,MINNESOTA,2017,July,Thunderstorm Wind,"NORMAN",2017-07-11 19:05:00,CST-6,2017-07-11 19:05:00,0,0,0,0,,NaN,,NaN,47.35,-96.82,47.35,-96.82,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A shed was destroyed and numerous trees were uprooted." +116898,702937,MINNESOTA,2017,July,Thunderstorm Wind,"CLEARWATER",2017-07-21 16:01:00,CST-6,2017-07-21 16:01:00,0,0,0,0,,NaN,,NaN,47.47,-95.37,47.47,-95.37,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The strong winds blew out a window on a house and broke down numerous large tree branches. Pine, oak, and poplar trees were snapped or uprooted across Nora Township. Downed pine trees were left lying across highway 92 for about six miles of its north-south length." +116898,702938,MINNESOTA,2017,July,Hail,"CLEARWATER",2017-07-21 16:04:00,CST-6,2017-07-21 16:04:00,0,0,0,0,,NaN,,NaN,47.47,-95.37,47.47,-95.37,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","" +116461,714992,INDIANA,2017,July,Tornado,"MIAMI",2017-07-10 18:58:00,EST-5,2017-07-10 19:06:00,0,0,0,0,0.00K,0,0.00K,0,40.8819,-86.0083,40.8982,-85.956,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","A NWS survey of damage indicated a tornado touched down northeast of Denver, near the intersection of N Warsaw Trail and E County Road 800 N. The tornado remained over open fields for part of its time, doing crop damage along its path. Some trees were either snapped or uprooted. A poorly anchored, older barn was destroyed near the intersection of N County Road 600 East and E County Road 900 N. The tornado lifted shortly after crossing 900 N. Maximum winds were estimated at around 90 mph." +116461,716032,INDIANA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-10 18:55:00,EST-5,2017-07-10 18:56:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-84.94,40.83,-84.94,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","Trees were blown down in the area." +116461,716033,INDIANA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-10 19:00:00,EST-5,2017-07-10 19:01:00,0,0,0,0,0.00K,0,0.00K,0,40.76,-85.03,40.76,-85.03,"Synoptic quasi-stationary boundary was located across the forecast area, initially across northern parts during the morning and then sagging south as an upper level wave moved into the region during the late afternoon and evening hours. A morning complex of storms caused sporadic wind damage as well as some areal flooding. Subsidence behind the system kept any further development of storms limited until the approach of the wave. This wave, combined with the front and instability advected in from central Illinois all set the stage for increasing thunderstorm development. Several supercells developed, producing long lived wall clouds and two confirmed tornadoes. IN addition, training of convection caused flash flooding in some parts of Indiana and Ohio.","Emergency management officials reported tree limbs down in the area." +116246,698882,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-01 16:10:00,EST-5,2017-07-01 16:10:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-75.58,40.52,-75.58,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Two and a quarter inches of rain fell in under 30 minutes." +118636,712792,TENNESSEE,2017,July,Heat,"HAYWOOD",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712793,TENNESSEE,2017,July,Heat,"MADISON",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712795,TENNESSEE,2017,July,Heat,"DYER",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712796,TENNESSEE,2017,July,Heat,"SHELBY",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712797,TENNESSEE,2017,July,Heat,"TIPTON",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712798,TENNESSEE,2017,July,Heat,"LAUDERDALE",2017-07-25 12:00:00,CST-6,2017-07-26 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712799,TENNESSEE,2017,July,Excessive Heat,"SHELBY",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118636,712800,TENNESSEE,2017,July,Excessive Heat,"TIPTON",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118636,712801,TENNESSEE,2017,July,Excessive Heat,"LAUDERDALE",2017-07-26 12:00:00,CST-6,2017-07-26 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118636,712803,TENNESSEE,2017,July,Heat,"SHELBY",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118458,712812,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:20:00,EST-5,2017-07-14 15:20:00,0,0,0,0,,NaN,,NaN,38.883,-77.227,38.883,-77.227,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree fell onto a Metro Car." +118458,712813,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 15:24:00,EST-5,2017-07-14 15:24:00,0,0,0,0,,NaN,,NaN,38.9385,-77.177,38.9385,-77.177,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Trees were down along Bridal Patch Lane, Gallant Green Drive, and Jones Branch Drive." +118458,712815,VIRGINIA,2017,July,Thunderstorm Wind,"ARLINGTON",2017-07-14 15:36:00,EST-5,2017-07-14 15:36:00,0,0,0,0,,NaN,,NaN,38.8809,-77.1021,38.8809,-77.1021,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree fell onto a car along 8th Street and North Monroe Street." +118458,712816,VIRGINIA,2017,July,Thunderstorm Wind,"ALEXANDRIA (C)",2017-07-14 15:37:00,EST-5,2017-07-14 15:37:00,0,0,0,0,,NaN,,NaN,38.8157,-77.0938,38.8157,-77.0938,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree fell onto a house along Saylor Place." +118458,712817,VIRGINIA,2017,July,Thunderstorm Wind,"FAIRFAX",2017-07-14 16:05:00,EST-5,2017-07-14 16:05:00,0,0,0,0,,NaN,,NaN,38.7539,-77.1491,38.7539,-77.1491,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down in the Alexandria area." +118458,712818,VIRGINIA,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-14 16:33:00,EST-5,2017-07-14 16:33:00,0,0,0,0,,NaN,,NaN,38.2848,-77.4871,38.2848,-77.4871,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A wind gust of 59 mph was measured. Two trees were also down as well." +118643,712820,DISTRICT OF COLUMBIA,2017,July,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-07-14 15:16:00,EST-5,2017-07-14 15:16:00,0,0,0,0,,NaN,,NaN,38.959,-77.065,38.959,-77.065,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down along Jocelyn Street Northwest and another tree fell onto a house in the 5300 Block of 32nd Street Northwest." +118643,712821,DISTRICT OF COLUMBIA,2017,July,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-07-14 15:46:00,EST-5,2017-07-14 15:46:00,0,0,0,0,,NaN,,NaN,38.854,-76.996,38.854,-76.996,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Numerous trees were down along MLK JR. Boulevard SE and West Street SE." +118468,713479,MARYLAND,2017,July,Thunderstorm Wind,"ANNE ARUNDEL",2017-07-24 00:02:00,EST-5,2017-07-24 00:02:00,0,0,0,0,,NaN,,NaN,38.9609,-76.4965,38.9609,-76.4965,"A boundary remained over Maryland near and east of Interstate 95. The boundary triggered showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms becoming severe.","A tree was down near the intersection of Hilltop Lane and Tyler Avenue." +118454,713480,WEST VIRGINIA,2017,July,Tornado,"JEFFERSON",2017-07-05 21:14:00,EST-5,2017-07-05 21:15:00,0,0,0,0,,NaN,,NaN,39.297,-77.844,39.3,-77.847,"A boundary passed through the area during the evening hours. Winds aloft changed direction with height and also increased near the boundary. A storm developed along the boundary and the rotation from the changing winds aloft caused an isolated tornado to develop.","The National Weather Service in Baltimore MD/Washington DC has|confirmed a weak tornado near Charles Town in Jefferson County WV on|July 05 2017.||A small tornado touched down at the entrance to the Jefferson|Crossing Shopping Center on Flowing Springs Road just north of |U.S. 340. The tornado damaged the sign at the entrance.||The tornado crossed Flowing Springs Road and damaged the roofing |of three barns and the door to a fourth barn located at Hollywood|Casino at Charles Town Races. One barn lost a section of roof|completely, leaving seven stalls exposed. Debris from the roof of|one barn was thrown into power lines, snapping a telephone pole.|Fencing was also damaged by debris from the roof. Projectile |impacts were also noted in nearby barn roofs from two- by-four |pieces of wood that were lofted by the tornado.||The tornado lifted as it crossed East Fifth Avenue near the|vehicle entrance to the barn area.||The tornado was captured on security camera footage at the|Hollywood Casino at Charles Town Races. The footage showed|sections of barn roof being lifted and spun into the air.||Velocity data from the FAA Terminal Doppler Radar located near|Leesburg, VA that serves Washington Dulles International Airport |corroborated these impacts with a brief, weak shear signature |from 2014 to 2015 UTC." +119062,715012,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-01 15:09:00,EST-5,2017-07-01 15:09:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust in excess of 30 knots was reported." +119062,715013,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"PATAPSCO RIVER INCLUDING BALTIMORE HARBOR",2017-07-01 15:24:00,EST-5,2017-07-01 15:24:00,0,0,0,0,,NaN,,NaN,39.22,-76.53,39.22,-76.53,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust in excess of 30 knots was reported." +119062,715014,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-01 15:35:00,EST-5,2017-07-01 15:35:00,0,0,0,0,,NaN,,NaN,39.33,-76.42,39.33,-76.42,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 38 knots was reported at Martin State." +116105,714192,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-03 16:02:00,CST-6,2017-07-03 16:02:00,3,0,0,0,0.50K,500,,NaN,34.61,-85.66,34.61,-85.66,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Thunderstorm winds blew down a tree on hwy 40 and county road 117. Reports indicate that multiple vehicles struck the downed tree with injuries sustained." +116105,714198,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 16:15:00,CST-6,2017-07-03 16:15:00,0,0,0,0,,NaN,,NaN,34.88,-87.89,34.88,-87.89,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Tree reported down along the Natchez trace parkway and CR 14." +116105,714200,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 16:35:00,CST-6,2017-07-03 16:35:00,0,0,0,0,0.50K,500,,NaN,34.91,-87.59,34.91,-87.59,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Tree reported down along CR 47 and the old happy hollow bridge." +116105,714201,ALABAMA,2017,July,Thunderstorm Wind,"LAUDERDALE",2017-07-03 16:35:00,CST-6,2017-07-03 16:35:00,0,0,0,0,0.50K,500,,NaN,34.92,-87.63,34.92,-87.63,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","Tree reported down along CR 61 and mt zion road." +116105,714204,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-03 15:57:00,CST-6,2017-07-03 15:57:00,0,0,0,0,,NaN,,NaN,34.3,-85.99,34.3,-85.99,"A weak upper level shortwave moving east into the Tennessee Valley utilized a very moist and unstable air mass to produce scattered strong to severe thunderstorms during the afternoon and early evening hours. There were a few reports of trees being knocked down. One tree was knocked down onto a vehicle in DeKalb County injuring 3 people.","A report of a 60 mph wind gust measured and dime size hail from Spotter." +116088,697738,KENTUCKY,2017,July,Flash Flood,"JACKSON",2017-07-03 15:19:00,EST-5,2017-07-03 16:04:00,0,0,0,0,0.00K,0,0.00K,0,37.32,-83.97,37.3184,-83.9675,"Numerous thunderstorms developed this afternoon in a warm and humid airmass. Several of these propagated over portions of Rockcastle County into southern Jackson County, particularly near the town of Annville. A couple of roads were reported as having at least half of a foot of water flowing over them.","Local law enforcement reported flowing water over Kentucky Highways 290 and 3630 in Annville." +116264,699014,KENTUCKY,2017,July,Thunderstorm Wind,"CLAY",2017-07-06 17:32:00,EST-5,2017-07-06 17:32:00,0,0,0,0,,NaN,,NaN,37.02,-83.5325,37.02,-83.5325,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch relayed a report of a tree blown down on Kentucky Highway 66 west of Roark." +116264,699015,KENTUCKY,2017,July,Thunderstorm Wind,"LESLIE",2017-07-06 17:42:00,EST-5,2017-07-06 17:44:00,0,0,0,0,,NaN,,NaN,37.0439,-83.4019,37.0749,-83.3962,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch reported trees blown down onto U.S. Highway 421 at the intersection with Middle Fork Road near Asher and just south of Hoskinston." +116264,699016,KENTUCKY,2017,July,Thunderstorm Wind,"PERRY",2017-07-06 17:45:00,EST-5,2017-07-06 17:45:00,0,0,0,0,,NaN,,NaN,37.3183,-83.1549,37.3183,-83.1549,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch relayed a report of a utility pole and lines blown down along Kentucky Highway 476 near Godsey Hollow Road northeast of Hazard." +116650,701686,PENNSYLVANIA,2017,July,Hail,"NORTHAMPTON",2017-07-17 15:47:00,EST-5,2017-07-17 15:47:00,0,0,0,0,,NaN,,NaN,40.73,-75.22,40.73,-75.22,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Measured hail a little under an inch." +116650,701687,PENNSYLVANIA,2017,July,Heavy Rain,"BERKS",2017-07-17 15:06:00,EST-5,2017-07-17 15:06:00,0,0,0,0,,NaN,,NaN,40.45,-76.34,40.45,-76.34,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Two a quarter inches of rain fell in less than 45 minutes." +116650,701689,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-17 16:10:00,EST-5,2017-07-17 16:10:00,0,0,0,0,,NaN,,NaN,40.69,-75.26,40.69,-75.26,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Just over one and half inches of rain in an hour." +116650,701690,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-17 16:36:00,EST-5,2017-07-17 16:36:00,0,0,0,0,,NaN,,NaN,40.73,-75.22,40.73,-75.22,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Around two inches of rain fell in an hour." +116650,701691,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-17 15:40:00,EST-5,2017-07-17 15:40:00,0,0,0,0,,NaN,,NaN,40.69,-75.22,40.69,-75.22,"A few pulse type summertime pop up thunderstorms formed and became locally severe.","Trees and wires downed due to thunderstorm winds." +116666,701494,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-05 18:22:00,EST-5,2017-07-05 18:22:00,0,0,0,0,0.00K,0,0.00K,0,27.943,-82.4459,27.943,-82.4459,"Scattered thunderstorms developed over the Florida Peninsula and pushed west towards the coast under easterly winds. Several of these storms caused marine wind gusts along the coast.","The PORTS site at Tampa Cruise Terminal 2 measured a 40 knot thunderstorm wind gust." +116676,701496,FLORIDA,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-05 18:35:00,EST-5,2017-07-05 18:35:00,2,0,0,0,5.00K,5000,0.00K,0,27.97,-82.46,27.97,-82.46,"Scattered thunderstorms developed over the Florida Peninsula and pushed west towards the coast under easterly winds. One of these storms produced damaging wind gusts over Tampa.","A large tree fell onto a van, temporarily trapping one person inside, and injuring 2 people." +116676,701497,FLORIDA,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-05 18:40:00,EST-5,2017-07-05 18:40:00,0,0,0,0,6.00K,6000,0.00K,0,27.936,-82.4815,27.936,-82.4815,"Scattered thunderstorms developed over the Florida Peninsula and pushed west towards the coast under easterly winds. One of these storms produced damaging wind gusts over Tampa.","Broadcast media relayed a photo of a light pole in a grocery store parking lot that was knocked down onto an SUV, damaging the vehicle." +116677,701515,FLORIDA,2017,July,Hail,"VOLUSIA",2017-07-20 15:50:00,EST-5,2017-07-20 15:50:00,0,0,0,0,0.00K,0,0.00K,0,28.87,-81.27,28.87,-81.27,"A collision of the east and west coast sea breezes over the interior of Central Florida produced two severe thunderstorms that resulted in quarter-sized hail in Orange and Volusia Counties. A funnel cloud was also reported in Osceola County.","A trained spotter reported dime to quarter-sized hail in Enterprise as a severe thunderstorm moved over the town." +116931,703251,NEW MEXICO,2017,July,Thunderstorm Wind,"SOCORRO",2017-07-15 16:35:00,MST-7,2017-07-15 16:37:00,0,0,0,0,0.00K,0,0.00K,0,34.02,-106.9,34.02,-106.9,"A thunderstorm that developed near Socorro shortly before 5 pm produced an intense lightning strike that resulted in an indirect fatality of an elderly woman. The preliminary investigation into the tragedy suggests a lightning strike on Molina Hill near Socorro caused a chain reaction. Investigators believe that the lightning struck a pole nearly 200 feet from the century-old house. They say that caused a surge in the living room of the old adobe home. It is believed that the lightning strike triggered a fire that killed 93-year-old Frances Molina in her home. Molina, who lived in her home for 80 years, apparently died from smoke inhalation.","Socorro airport." +116722,701953,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-04 16:58:00,MST-7,2017-07-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,34.43,-103.07,34.43,-103.07,"A line of thunderstorms that developed along the Interstate 40 corridor between Santa Rosa and Tucumcari during the afternoon of July 4th moved southeast into the Clovis area by the early evening hours. Winds gusted as high as 60 mph between Cannon Air Force Base and Clovis as these storms passed through the area. No damage occurred.","Peak wind gust to 58 mph at the Clovis airport." +116722,701954,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-04 17:30:00,MST-7,2017-07-04 17:33:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-103.23,34.42,-103.23,"A line of thunderstorms that developed along the Interstate 40 corridor between Santa Rosa and Tucumcari during the afternoon of July 4th moved southeast into the Clovis area by the early evening hours. Winds gusted as high as 60 mph between Cannon Air Force Base and Clovis as these storms passed through the area. No damage occurred.","Peak wind gust up to 60 mph near Cannon AFB." +116933,703257,NEW MEXICO,2017,July,Flash Flood,"BERNALILLO",2017-07-17 16:50:00,MST-7,2017-07-17 17:20:00,0,0,0,0,0.00K,0,0.00K,0,35.15,-106.53,35.1581,-106.5308,"An intense, slow-moving thunderstorm developed over the northeast heights during the afternoon of July 17th and produced a flash flood in the area along Academy Road. Streets turned to rivers across the area as a localized two inches of rain fell. A woman was stranded in flood waters near Tanoan. A brief, but impressive dust devil or gustnado, was spotted along an outflow boundary crossing Interstate 25 near Lomas.","A vehicle was stranded in flood waters along Academy Road near Tanoan." +116933,703261,NEW MEXICO,2017,July,Dust Devil,"BERNALILLO",2017-07-17 17:00:00,MST-7,2017-07-17 17:02:00,0,0,0,0,0.00K,0,0.00K,0,35.0942,-106.6309,35.0942,-106.6309,"An intense, slow-moving thunderstorm developed over the northeast heights during the afternoon of July 17th and produced a flash flood in the area along Academy Road. Streets turned to rivers across the area as a localized two inches of rain fell. A woman was stranded in flood waters near Tanoan. A brief, but impressive dust devil or gustnado, was spotted along an outflow boundary crossing Interstate 25 near Lomas.","Video was captured of what appeared to be a dust devil or gustnado spinning up along an outflow boundary moving across Interstate 25 near the Embassy Suites on Lomas." +116648,701660,NEW JERSEY,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-14 15:33:00,EST-5,2017-07-14 15:33:00,0,0,0,0,,NaN,,NaN,39.43,-75.04,39.43,-75.04,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Wires were taken down due to thunderstorms at the intersection of US 55 and 47." +116648,701661,NEW JERSEY,2017,July,Thunderstorm Wind,"SALEM",2017-07-14 14:45:00,EST-5,2017-07-14 14:45:00,0,0,0,0,,NaN,,NaN,39.55,-75.14,39.55,-75.14,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Trees and wires were taken down due to thunderstorm winds in Alloway and Carneys Point." +116648,701663,NEW JERSEY,2017,July,Lightning,"CAPE MAY",2017-07-14 16:50:00,EST-5,2017-07-14 16:50:00,0,0,0,0,0.01K,10,0.00K,0,39.05,-74.76,39.05,-74.76,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Lightning struck a building, no additional information." +116648,704703,NEW JERSEY,2017,July,Flash Flood,"MONMOUTH",2017-07-13 17:30:00,EST-5,2017-07-13 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2651,-74.0116,40.2693,-74.0118,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Several vehicles trapped in water on Lincoln Ave." +116648,704706,NEW JERSEY,2017,July,Flash Flood,"CAPE MAY",2017-07-14 16:50:00,EST-5,2017-07-14 16:50:00,0,0,0,0,0.00K,0,0.00K,0,39.1301,-74.7097,39.1305,-74.7091,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","Flooding at 79th and Landis." +116251,703999,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-06 15:15:00,EST-5,2017-07-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4435,-75.7133,39.4541,-75.7109,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Flooding reported at the intersection of 299 and 301. Several vehicles were stuck in high water along Main and Wood Streets in Middletown." +117051,704080,NEW JERSEY,2017,July,Heavy Rain,"CUMBERLAND",2017-07-29 00:47:00,EST-5,2017-07-29 00:47:00,0,0,0,0,,NaN,,NaN,39.5,-75.01,39.5,-75.01,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two inches of rain fell in six hours." +117051,704081,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 00:54:00,EST-5,2017-07-29 00:54:00,0,0,0,0,,NaN,,NaN,39.46,-74.58,39.46,-74.58,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over 2 inches of rain fell in six hours." +117051,704082,NEW JERSEY,2017,July,Heavy Rain,"CUMBERLAND",2017-07-29 05:40:00,EST-5,2017-07-29 05:40:00,0,0,0,0,,NaN,,NaN,39.46,-75,39.46,-75,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four inches of rain fell." +117051,704083,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 06:00:00,EST-5,2017-07-29 06:00:00,0,0,0,0,,NaN,,NaN,39.08,-74.82,39.08,-74.82,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704084,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 06:20:00,EST-5,2017-07-29 06:20:00,0,0,0,0,,NaN,,NaN,38.95,-74.89,38.95,-74.89,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704086,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 06:45:00,EST-5,2017-07-29 06:45:00,0,0,0,0,,NaN,,NaN,39.35,-74.77,39.35,-74.77,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two and a half inches was measured." +117051,704087,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 06:50:00,EST-5,2017-07-29 06:50:00,0,0,0,0,,NaN,,NaN,38.97,-74.84,38.97,-74.84,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over five inches of rain fell." +117051,704088,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 06:56:00,EST-5,2017-07-29 06:56:00,0,0,0,0,,NaN,,NaN,39.49,-74.87,39.49,-74.87,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Five and a half inches of rain was measured." +117051,704089,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 06:59:00,EST-5,2017-07-29 06:59:00,0,0,0,0,,NaN,,NaN,39.16,-74.69,39.16,-74.69,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell in twelve hours." +117051,704090,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.39,-74.62,39.39,-74.62,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell in 24 hours." +116220,698743,WEST VIRGINIA,2017,July,Thunderstorm Wind,"PLEASANTS",2017-07-07 15:00:00,EST-5,2017-07-07 15:00:00,0,0,0,0,2.00K,2000,0.00K,0,39.36,-81.02,39.36,-81.02,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Thunderstorm winds blew down several trees near Hebron." +116220,698744,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RITCHIE",2017-07-07 15:05:00,EST-5,2017-07-07 15:05:00,0,0,0,0,2.00K,2000,0.00K,0,39.21,-81.05,39.21,-81.05,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were downed in Harrisville." +116220,698745,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-07 15:45:00,EST-5,2017-07-07 15:45:00,0,0,0,0,15.00K,15000,0.00K,0,39.4145,-80.312,39.4145,-80.312,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","The automated weather station at Clarksburg Benedum Airport measured a 52 mph gust. Nearby in Pine Bluff and Enterprise, multiple trees were blown down. One oak tree landed on a house and damaged the roof. Saturated soils from recent rain likely contributed to the number of downed trees." +116220,698980,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-07 19:44:00,EST-5,2017-07-07 19:44:00,0,0,0,0,0.50K,500,0.00K,0,38.3991,-82.5638,38.3991,-82.5638,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Thunderstorm winds downed a tree along A Street in Ceredo." +116220,698981,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-07 19:50:00,EST-5,2017-07-07 19:50:00,0,0,0,0,0.50K,500,0.00K,0,38.34,-82.57,38.34,-82.57,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","A tree fell down along Docks Creek Road, south of the Tri-State Airport." +116220,698982,WEST VIRGINIA,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-07 20:14:00,EST-5,2017-07-07 20:14:00,0,0,0,0,2.00K,2000,0.00K,0,38.39,-82.02,38.39,-82.02,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were blown down along Charleys Creek Road." +117337,705837,FLORIDA,2017,July,Tropical Storm,"COASTAL SARASOTA",2017-07-31 12:00:00,EST-5,2017-07-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb.||In coastal Sarasota county, Emily's impacts were limited to areas of downed trees and limbs. The highest wind gust reported was 37 knots at a Weatherflow station ENE of Sarasota. Home weather stations along and near the coast reported 3 to 5 inches of rain." +116407,699996,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PERKINS",2017-07-04 14:23:00,MST-7,2017-07-04 14:23:00,0,0,0,0,0.00K,0,0.00K,0,45.4364,-102.1647,45.4364,-102.1647,"A severe thunderstorm tracked southeast across eastern Perkins County, producing wind gusts over 60 mph along South Dakota Highway 73.","" +116406,705862,WYOMING,2017,July,Hail,"WESTON",2017-07-02 15:25:00,MST-7,2017-07-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,44.1092,-104.8768,44.1092,-104.8768,"A thunderstorm produced penny sized hail from west of Upton to south of Clareton.","" +116407,699994,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PERKINS",2017-07-04 14:01:00,MST-7,2017-07-04 14:01:00,0,0,0,0,0.00K,0,0.00K,0,45.67,-102.17,45.67,-102.17,"A severe thunderstorm tracked southeast across eastern Perkins County, producing wind gusts over 60 mph along South Dakota Highway 73.","" +116408,700004,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-05 21:15:00,CST-6,2017-07-05 21:15:00,0,0,0,0,,NaN,0.00K,0,43.66,-99.67,43.66,-99.67,"A long-lived severe thunderstorm tracked southeast through northern Tripp County before weakening. The storm produced wind gusts around 70 mph.","Strong wind gusts caused minor damage to a shed." +116409,700009,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-07 17:50:00,MST-7,2017-07-07 18:00:00,0,0,0,0,,NaN,0.00K,0,44.2901,-102.1868,44.2901,-102.1868,"A severe thunderstorm tracked southeast across northeastern Pennington County, western Haakon County, and northern Jackson County, producing wind gusts around 70 mph.","A 24 foot horse trailer was flipped over and a large livestock trailer was pushed into a power pole by the wind." +117506,706714,ILLINOIS,2017,July,Excessive Heat,"JACKSON",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706713,ILLINOIS,2017,July,Excessive Heat,"HARDIN",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706715,ILLINOIS,2017,July,Excessive Heat,"JEFFERSON",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706716,ILLINOIS,2017,July,Excessive Heat,"JOHNSON",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117510,706745,KENTUCKY,2017,July,Excessive Heat,"DAVIESS",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706746,KENTUCKY,2017,July,Excessive Heat,"FULTON",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706748,KENTUCKY,2017,July,Excessive Heat,"GRAVES",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117584,707104,ALABAMA,2017,July,Thunderstorm Wind,"HOUSTON",2017-07-13 18:32:00,CST-6,2017-07-13 18:32:00,0,0,0,0,2.00K,2000,0.00K,0,31.1,-85.31,31.1,-85.31,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Power lines and a tree were blown down around South County Road 33." +117587,707112,GEORGIA,2017,July,Thunderstorm Wind,"TERRELL",2017-07-08 15:43:00,EST-5,2017-07-08 15:43:00,0,0,0,0,1.00K,1000,0.00K,0,31.77,-84.44,31.77,-84.44,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a power line on Center Street." +117587,707114,GEORGIA,2017,July,Thunderstorm Wind,"TERRELL",2017-07-08 15:54:00,EST-5,2017-07-08 15:54:00,0,0,0,0,2.00K,2000,0.00K,0,31.69,-84.44,31.69,-84.44,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down onto power lines around Herod Road." +117587,707115,GEORGIA,2017,July,Thunderstorm Wind,"LEE",2017-07-08 16:05:00,EST-5,2017-07-08 16:05:00,0,0,0,0,0.00K,0,0.00K,0,31.7334,-84.2626,31.7334,-84.2626,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A few trees and power lines were blown down along Highway 32." +117587,707116,GEORGIA,2017,July,Thunderstorm Wind,"CLAY",2017-07-08 16:30:00,EST-5,2017-07-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,31.51,-84.87,31.51,-84.87,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down near Bluffton." +117587,707117,GEORGIA,2017,July,Thunderstorm Wind,"WORTH",2017-07-08 17:00:00,EST-5,2017-07-08 17:00:00,0,0,0,0,0.00K,0,0.00K,0,31.71,-83.94,31.71,-83.94,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Egypt and Fiveash Roads." +117310,705522,NEW MEXICO,2017,July,Flash Flood,"SAN JUAN",2017-07-30 20:00:00,MST-7,2017-07-30 21:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7256,-107.8294,36.7231,-107.833,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","U.S. Highway 64 completely flooded at mile marker 74. Roadway closed." +117310,705523,NEW MEXICO,2017,July,Thunderstorm Wind,"DE BACA",2017-07-31 00:45:00,MST-7,2017-07-31 00:47:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-104.2,34.48,-104.2,"A very moist back door cold front that entered northeastern New Mexico late on the 29th provided a reinforcing surge of low level moisture through the 30th. This front also acted as a focus mechanism for a couple strong to severe thunderstorms across parts of eastern New Mexico. Slow-moving showers and thunderstorms with torrential rainfall produced numerous reports of minor flooding. Some of the more significant storms impacted the area along the Sandia Mountains where pea to nickel size hail accompanied torrential rainfall amounts of two to three inches. Flash flooding was reported along Las Huertas Creek in Placitas. A wet microburst in south central Curry County produced a wind gust to 71 mph at the Cannon Air Force Base and 65 mph at the Clovis Fire Department. A stationary thunderstorm east of Church Rock produced another round of flash flooding along state road 118. Another storm moving slowly southeast out of southwest Colorado produced flash flooding along U.S. Highway 64 east of Bloomfield around sunset. Clayton set a new daily rainfall record of 1.52 inches, breaking the previous record of 1.23 inches from 2015. Outflow from a wet microburst during the early morning hours east of Fort Sumner produced a 71 mph wind gust at the Columbia Scientific Balloon Facility.","A peak wind gust to 71 mph was reported at the Columbia Scientific Balloon Facility." +119597,717526,CONNECTICUT,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-13 14:40:00,EST-5,2017-07-13 14:40:00,0,0,0,0,1.00K,1000,,NaN,41.2046,-73.3066,41.2046,-73.3066,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","A tree was reported down near the intersection of Congress Street and Longmeadow Road near Aspetuck." +119597,717522,CONNECTICUT,2017,July,Thunderstorm Wind,"NEW HAVEN",2017-07-13 16:15:00,EST-5,2017-07-13 16:15:00,0,0,0,0,2.00K,2000,,NaN,41.394,-72.8762,41.394,-72.8762,"A cold front pushing south through the state triggered multiple severe thunderstorms across Fairfield and New Haven Counties.","Two trees were reported down at the intersection of Colonial Drive and Hartford Turnpike northwest of North Haven." +119686,717861,COLORADO,2017,August,Hail,"KIT CARSON",2017-08-02 15:46:00,MST-7,2017-08-02 15:46:00,0,0,0,0,0.00K,0,0.00K,0,39.491,-102.8473,39.491,-102.8473,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","" +119834,718478,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:58:00,CST-6,2017-08-10 12:58:00,0,0,0,0,,NaN,0.00K,0,39.2587,-100.2259,39.2587,-100.2259,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The FFA VLR tower had the top antenna ripped off." +119834,718479,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:35:00,CST-6,2017-08-10 13:06:00,0,0,0,0,,NaN,0.00K,0,39.3546,-100.4272,39.28,-100.24,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Trees and power lines were blown down along this path. Other damage included windows broken out on a house, outbuildings blown down, roofs and antennas blown off of buildings and grain bins destroyed. No other specific information was given." +118179,710249,MASSACHUSETTS,2017,July,Thunderstorm Wind,"BRISTOL",2017-07-12 15:08:00,EST-5,2017-07-12 15:09:00,0,0,0,0,7.00K,7000,0.00K,0,41.7975,-71.074,41.7975,-71.074,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 308 PM EST, trees were brought down on wires on Water Street and Jeffrey Lane in Freetown. Multiple trees were brought down on Main Street." +118179,711112,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-12 11:50:00,EST-5,2017-07-12 11:50:00,0,0,0,0,4.00K,4000,0.00K,0,42.181,-71.6297,42.181,-71.6297,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1150 AM EST, multiple trees and wires were down on Fowler Street in Upton." +118179,711114,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-12 16:30:00,EST-5,2017-07-12 16:30:00,0,0,0,0,2.00K,2000,0.00K,0,42.0521,-71.9574,42.0521,-71.9574,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 430 PM EST, two large trees were down on Lempicki Road in Dudley." +118179,711365,MASSACHUSETTS,2017,July,Thunderstorm Wind,"MIDDLESEX",2017-07-12 17:47:00,EST-5,2017-07-12 18:05:00,0,0,0,0,15.00K,15000,0.00K,0,42.3635,-71.2155,42.3292,-71.2016,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 647 PM EST, trees were reported down on Lake Avenue in Newton. A tree was also reported down on wires on Lowell Avenue, and a tree was down on a car at Anthony Circle. Trees and wires were down on Fordham Road. A tree was blocking the road near 73 Blake Street." +118179,711366,MASSACHUSETTS,2017,July,Thunderstorm Wind,"SUFFOLK",2017-07-12 18:05:00,EST-5,2017-07-12 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,42.3324,-71.159,42.3324,-71.159,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 605 PM EST, a tree was reported down on Beacon Street in Boston." +118179,711367,MASSACHUSETTS,2017,July,Thunderstorm Wind,"MIDDLESEX",2017-07-12 18:06:00,EST-5,2017-07-12 18:06:00,0,0,0,0,3.00K,3000,0.00K,0,42.3754,-71.1934,42.3754,-71.1934,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 606 PM EST, the intersection of Lexington Street and Warren Street was blocked by downed trees." +118179,710198,MASSACHUSETTS,2017,July,Flood,"NORFOLK",2017-07-12 12:55:00,EST-5,2017-07-12 16:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0659,-71.3112,42.0662,-71.3101,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1255 PM EST, Thurston Street in Wrentham was closed due to street flooding. At 119 PM EST, one lane of East Street was closed due to street flooding." +118406,711592,NEW YORK,2017,July,Hail,"HAMILTON",2017-07-17 12:10:00,EST-5,2017-07-17 12:10:00,0,0,0,0,,NaN,,NaN,43.6,-74.42,43.6,-74.42,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Quarter-size hail was reported." +118406,711593,NEW YORK,2017,July,Thunderstorm Wind,"FULTON",2017-07-17 13:42:00,EST-5,2017-07-17 13:42:00,0,0,0,0,,NaN,,NaN,43.14,-74.48,43.14,-74.48,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was downed by thunderstorm winds." +118406,711594,NEW YORK,2017,July,Thunderstorm Wind,"FULTON",2017-07-17 14:16:00,EST-5,2017-07-17 14:16:00,0,0,0,0,,NaN,,NaN,43.22,-74.17,43.22,-74.17,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was downed, resulting in a power outage." +118406,711595,NEW YORK,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-17 15:01:00,EST-5,2017-07-17 15:01:00,0,0,0,0,,NaN,,NaN,42.94,-74.19,42.94,-74.19,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Two trees were downed in Amsterdam due to thunderstorm winds." +118406,711596,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:19:00,EST-5,2017-07-17 15:19:00,0,0,0,0,,NaN,,NaN,42.93,-73.97,42.93,-73.97,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Wires were downed due to thunderstorm winds." +118627,712637,ARKANSAS,2017,July,Excessive Heat,"LAWRENCE",2017-07-20 12:00:00,CST-6,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712650,ARKANSAS,2017,July,Heat,"CROSS",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712651,ARKANSAS,2017,July,Heat,"CRITTENDEN",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712652,ARKANSAS,2017,July,Heat,"ST. FRANCIS",2017-07-20 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712653,ARKANSAS,2017,July,Excessive Heat,"CLAY",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712654,ARKANSAS,2017,July,Excessive Heat,"LAWRENCE",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712655,ARKANSAS,2017,July,Excessive Heat,"CRAIGHEAD",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712656,ARKANSAS,2017,July,Excessive Heat,"MISSISSIPPI",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712657,ARKANSAS,2017,July,Excessive Heat,"POINSETT",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712658,ARKANSAS,2017,July,Excessive Heat,"CRITTENDEN",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +117671,709057,NEW YORK,2017,July,Flash Flood,"RENSSELAER",2017-07-01 20:50:00,EST-5,2017-07-01 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.8259,-73.4755,42.8254,-73.4845,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Tamarac Road was closed with water running over the road." +117671,711571,NEW YORK,2017,July,Flash Flood,"WARREN",2017-07-01 16:00:00,EST-5,2017-07-01 18:30:00,0,0,0,0,0.00K,0,0.00K,0,43.3058,-73.7697,43.3028,-73.7668,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Clendon Brook Road in Queensbury and Bear Town Road in Lake Luzerne were washed out due to heavy rains." +116836,702613,TENNESSEE,2017,July,Thunderstorm Wind,"DAVIDSON",2017-07-02 14:55:00,CST-6,2017-07-02 14:55:00,0,0,0,0,3.00K,3000,0.00K,0,36.0889,-87.0051,36.0889,-87.0051,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on July 2. A few reports of wind damage and flash flooding were received.","Several tSpotter Twitter reports and photos showed several large trees blowm down in the Riverwalk area. Several reports also indicated pea size hail." +116836,702616,TENNESSEE,2017,July,Flash Flood,"CHEATHAM",2017-07-02 15:45:00,CST-6,2017-07-02 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.2198,-87.0529,36.2023,-87.0435,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on July 2. A few reports of wind damage and flash flooding were received.","A tSpotter Twitter video showed flooding along Sams Creek Road with Sams Creek out of its banks." +116836,702617,TENNESSEE,2017,July,Flash Flood,"SMITH",2017-07-02 17:00:00,CST-6,2017-07-02 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.3386,-85.9194,36.319,-85.9197,"Scattered showers and thunderstorms developed across Middle Tennessee during the afternoon hours on July 2. A few reports of wind damage and flash flooding were received.","Tspotter Twitter reports indicated that some roads were flooded in the Defeated Community with one road and several driveways washed out." +116838,702580,TENNESSEE,2017,July,Thunderstorm Wind,"HUMPHREYS",2017-07-05 19:34:00,CST-6,2017-07-05 19:34:00,0,0,0,0,4.00K,4000,0.00K,0,36.08,-87.8,36.08,-87.8,"A quasi-linear convective system (QLCS) developed across West Tennessee and moved east into Middle Tennessee during the evening hours on July 5. The QLCS produced one EF0 tornado and one report of wind damage in Humphreys County.","Four trees were blown down in Waverly." +116838,702587,TENNESSEE,2017,July,Tornado,"HUMPHREYS",2017-07-05 19:58:00,CST-6,2017-07-05 20:09:00,0,0,0,0,10.00K,10000,0.00K,0,36.16,-87.68,36.19,-87.62,"A quasi-linear convective system (QLCS) developed across West Tennessee and moved east into Middle Tennessee during the evening hours on July 5. The QLCS produced one EF0 tornado and one report of wind damage in Humphreys County.","A weak EF0 tornado touched down in far northeast Humphreys County 4.6 miles northwest of McEwen, then moved northeast before lifting just south of the Houston County line. Damage began on Dry Hollow Road near Mt Zion Road where a shed was overturned and several trees were snapped and uprooted in a convergent pattern, with a few trees falling onto a home. More trees were blown down on Highway 231 and Peach Creek Road. A home lost several shingles, the door was blown off an outbuilding, and more trees were snapped on Tom Brown Road before the tornado lifted east of Smith Branch Road. This is the first tornado on record in Humphreys County in the month of July since official NWS records began in 1950." +118709,713144,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-01 18:15:00,CST-6,2017-07-01 18:16:00,0,0,0,0,0.00K,0,0.00K,0,32.4144,-87.1005,32.4144,-87.1005,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted along Moores Ferry Road." +116400,700156,NEBRASKA,2017,July,Thunderstorm Wind,"ADAMS",2017-07-03 00:09:00,CST-6,2017-07-03 00:09:00,0,0,0,0,0.00K,0,0.00K,0,40.5591,-98.3831,40.5591,-98.3831,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","A number of tree limbs at least 3 inches in diameter were downed." +117258,705257,MONTANA,2017,July,Thunderstorm Wind,"RAVALLI",2017-07-15 15:27:00,MST-7,2017-07-15 15:29:00,0,0,0,0,10.00K,10000,0.00K,0,46.63,-114.08,46.5409,-114.0205,"An upper level wave tracked up from the Clearwater Mountains of Idaho towards the Seeley Lake area and initiated thunderstorms thanks to warmer than normal temperatures in the region. As these storms tracked over the Bitterroot and Clark Fork Valleys, they produced damaging winds and power outages. Also, a thunderstorm produced torrential rain and subsequent flash-flooding to Anaconda in southwestern Montana.","Multiple trees fell due to the severe wind in the Florence area with up to 6 inch diameter bases. One large tree fell onto a house and broke the sky light. Another tree hit a power line on Ambrose Creek causing a fire. Over three thousand customers were without power for four hours after the thunderstorm went through." +118783,714327,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"PICKENS",2017-07-08 15:11:00,EST-5,2017-07-08 15:11:00,0,0,0,0,0.00K,0,0.00K,0,35.02,-82.65,35.02,-82.65,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","FD reported trees blown down, with some on power lines just north of Pumpkintown." +117258,705261,MONTANA,2017,July,Thunderstorm Wind,"MISSOULA",2017-07-15 16:40:00,MST-7,2017-07-15 16:45:00,0,0,0,0,0.00K,0,0.00K,0,46.8005,-113.7599,46.8005,-113.7599,"An upper level wave tracked up from the Clearwater Mountains of Idaho towards the Seeley Lake area and initiated thunderstorms thanks to warmer than normal temperatures in the region. As these storms tracked over the Bitterroot and Clark Fork Valleys, they produced damaging winds and power outages. Also, a thunderstorm produced torrential rain and subsequent flash-flooding to Anaconda in southwestern Montana.","A trained spotter estimated 60 mph winds knocking out power for portions of east and southern Missoula County." +118783,714328,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"PICKENS",2017-07-08 15:42:00,EST-5,2017-07-08 15:42:00,0,0,0,0,0.00K,0,0.00K,0,34.935,-82.559,34.908,-82.551,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Public reported a few trees blown down in the Dacusville area and points south." +118783,714329,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"PICKENS",2017-07-08 15:38:00,EST-5,2017-07-08 15:38:00,0,0,0,0,0.00K,0,0.00K,0,34.741,-82.758,34.741,-82.758,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Media reported 3 trees blown down along Highway 123 between Clemson and Liberty." +118783,714330,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-08 16:23:00,EST-5,2017-07-08 16:23:00,0,0,0,0,0.00K,0,0.00K,0,34.921,-81.989,34.921,-81.989,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Public reported the tops blown out of a few trees near the intersection of I-26 and Highway 296." +118487,711944,MICHIGAN,2017,July,Thunderstorm Wind,"LAPEER",2017-07-07 00:32:00,EST-5,2017-07-07 00:32:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-83.25,42.94,-83.25,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","A tree was reported blown down." +118487,711934,MICHIGAN,2017,July,Hail,"GENESEE",2017-07-07 15:30:00,EST-5,2017-07-07 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.12,-83.7,43.12,-83.7,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118487,711949,MICHIGAN,2017,July,Thunderstorm Wind,"LAPEER",2017-07-07 16:20:00,EST-5,2017-07-07 16:20:00,0,0,0,0,0.00K,0,0.00K,0,42.95,-83.4,42.95,-83.4,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Trees reported down in Hadley." +118487,711950,MICHIGAN,2017,July,Thunderstorm Wind,"MACOMB",2017-07-07 17:05:00,EST-5,2017-07-07 17:05:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-83.04,42.72,-83.04,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Trees reported snapped or uprooted." +118487,711937,MICHIGAN,2017,July,Hail,"MACOMB",2017-07-07 17:25:00,EST-5,2017-07-07 17:25:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-82.82,42.68,-82.82,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118487,711938,MICHIGAN,2017,July,Hail,"WASHTENAW",2017-07-07 18:40:00,EST-5,2017-07-07 18:40:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-83.84,42.31,-83.84,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118487,711940,MICHIGAN,2017,July,Hail,"WAYNE",2017-07-07 19:05:00,EST-5,2017-07-07 19:05:00,0,0,0,0,0.00K,0,0.00K,0,42.31,-83.21,42.31,-83.21,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118864,714135,LAKE ST CLAIR,2017,July,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-07-07 01:39:00,EST-5,2017-07-07 01:39:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.9,42.36,-82.9,"Thunderstorms moving through Lake St. Clair during the early morning hours of July 7th, and during the early evening hours produced wind gusts to 42 mph.","" +120148,719865,KANSAS,2017,August,Thunderstorm Wind,"WICHITA",2017-08-17 20:08:00,CST-6,2017-08-17 20:08:00,0,0,0,0,0.00K,0,0.00K,0,38.4774,-101.3581,38.4774,-101.3581,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","" +118909,714351,NORTH CAROLINA,2017,July,Thunderstorm Wind,"GASTON",2017-07-15 13:13:00,EST-5,2017-07-15 13:24:00,0,0,0,0,0.00K,0,0.00K,0,35.26,-81.132,35.246,-81.077,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported multiple trees blown down on in the East Gastonia/McAdenville/Cramerton/Lowell area." +120148,719867,KANSAS,2017,August,Hail,"GREELEY",2017-08-17 18:40:00,MST-7,2017-08-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,38.5329,-101.7522,38.5329,-101.7522,"During the evening two groups of thunderstorm activity moved east-southeast across Northwest Kansas. The storm activity that had produced hail up to quarter size in Benkelman only produced hail up to dime size in Kansas based on spotter reports. The size hail was reported with the storm activity to the south. The largest hail for the day was reported near Tribune.","The hail occurred with estimated 60 MPH wind gusts." +118523,712091,MINNESOTA,2017,July,Hail,"CARLTON",2017-07-06 00:00:00,CST-6,2017-07-06 00:00:00,0,0,0,0,,NaN,,NaN,46.46,-92.82,46.46,-92.82,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","" +127724,766040,IOWA,2017,October,Drought,"WAPELLO",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe drought conditions persisted across northern Wapello county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766041,IOWA,2017,October,Drought,"RINGGOLD",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe drought conditions persisted across far northeast Ringgold county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766042,IOWA,2017,October,Drought,"DECATUR",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe drought conditions persisted across northern Decatur county in early October but generous rainfall ended the dry conditions by mid-month." +127724,766043,IOWA,2017,October,Drought,"WAYNE",2017-10-01 00:00:00,CST-6,2017-10-10 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Severe to Extreme Drought conditions persisted into early October in portions of southern Iowa. However, generous rainfall in mid to late October improved conditions dramatically across the drought area.","Severe to extreme drought conditions persisted across much of central and northern Wayne county in early October but generous rainfall ended the dry conditions by mid-month." +116400,700158,NEBRASKA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-02 19:40:00,CST-6,2017-07-02 19:40:00,0,0,0,0,3.00K,3000,0.00K,0,40.7043,-100.2147,40.7043,-100.2147,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","Minor damage occurred to a home in Farnam." +118984,714681,GEORGIA,2017,July,Thunderstorm Wind,"MCDUFFIE",2017-07-23 19:50:00,EST-5,2017-07-23 19:55:00,0,0,0,0,,NaN,,NaN,33.63,-82.47,33.63,-82.47,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage.","Tree in roadway on Lincolnton Hwy at the McDuffie and Lincoln County line." +118997,714781,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LANCASTER",2017-07-28 15:41:00,EST-5,2017-07-28 15:44:00,0,0,0,0,,NaN,,NaN,34.76,-80.76,34.76,-80.76,"Daytime heating, a surface trough, and upper level forcing contributed to thunderstorm development, a few of which produced strong damaging wind gusts.","Lancaster County SC Sheriff's Dept reported a couple of trees down on the north side of Lancaster City, along Hwy 200 and Robin Dr." +116565,700958,TEXAS,2017,June,Hail,"MIDLAND",2017-06-12 17:25:00,CST-6,2017-06-12 17:30:00,0,0,0,0,,NaN,,NaN,31.9043,-102.2741,31.9043,-102.2741,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +116565,702147,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-12 17:31:00,CST-6,2017-06-12 17:31:00,0,0,0,0,,NaN,,NaN,31.9392,-102.1989,31.9392,-102.1989,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Midland County and produced a 66 mph wind gust at the ASOS site." +116565,702150,TEXAS,2017,June,Hail,"MIDLAND",2017-06-12 17:35:00,CST-6,2017-06-12 17:40:00,0,0,0,0,,NaN,,NaN,31.9424,-102.189,31.9424,-102.189,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","" +116565,702151,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-12 17:36:00,CST-6,2017-06-12 17:36:00,0,0,0,0,0.20K,200,0.00K,0,31.9423,-102.1888,31.9423,-102.1888,"A dryline was set up against across the higher terrain before moving eastward through the afternoon. Upper air disturbances moved across the region providing upper level lift. Instability was high with good moisture in place, and enough wind shear was present to sustain organized thunderstorms that produced large damaging hail and damaging winds.","A thunderstorm moved across Midland County and produced wind damage. A tree branch approximately 18 inches in diameter was blown down. The cost of damage is a very rough estimate." +118007,714049,NEW YORK,2017,July,Flash Flood,"TOMPKINS",2017-07-24 12:26:00,EST-5,2017-07-24 13:25:00,0,0,0,0,75.00K,75000,0.00K,0,42.49,-76.49,42.504,-76.2983,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","Several roads were flooded by torrential thunderstorm rainfall from Lansing to Dryden." +118007,714051,NEW YORK,2017,July,Flood,"BROOME",2017-07-24 04:01:00,EST-5,2017-07-24 08:00:00,0,0,0,0,130.00K,130000,0.00K,0,42.0902,-76.0573,42.0878,-76.0666,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours. Rapid rises of area streams and creeks resulted in severe flash flooding for the Nichols, NY and Vestal, NY areas.","The crest of the flood wave along Choconut Creek had reached the Town of Vestal with flooding of structures occurring along Main Street." +117638,709343,NEW YORK,2017,July,Flash Flood,"TIOGA",2017-07-14 17:20:00,EST-5,2017-07-14 18:10:00,0,0,0,0,50.00K,50000,0.00K,0,42.35,-76.2,42.3378,-76.0714,"A warm front began advancing across Central New York by early in the afternoon. This feature triggered numerous rounds of heavy rain producing thunderstorms from the southern Finger Lakes through the Southern Tier of NY. Localized rainfall amounts were estimated to exceed 3 inches across southern Cortland county. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Water from small streams and culverts was flooding over several portions of Route 79 between Richford and Center Lisle. Deep ponding of water was reported on streets in nearby towns and village centers." +117638,709175,NEW YORK,2017,July,Flash Flood,"CORTLAND",2017-07-14 16:00:00,EST-5,2017-07-14 17:45:00,0,0,0,0,450.00K,450000,0.00K,0,42.52,-76.18,42.4957,-76.1795,"A warm front began advancing across Central New York by early in the afternoon. This feature triggered numerous rounds of heavy rain producing thunderstorms from the southern Finger Lakes through the Southern Tier of NY. Localized rainfall amounts were estimated to exceed 3 inches across southern Cortland county. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Severe flash flooding led to multiple reports of road closures and swift water rescues in and near the Village of Virgil. Route 392 was impassable. Four people were trapped in a residence on County Road." +116820,703541,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:46:00,CST-6,2017-06-14 17:51:00,0,0,0,0,,NaN,,NaN,31.8523,-102.3691,31.8523,-102.3691,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +116820,703544,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:53:00,CST-6,2017-06-14 17:58:00,0,0,0,0,1.00M,1000000,,NaN,31.9058,-102.2828,31.9058,-102.2828,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced four inch hail in east Odessa. The hail left dents in cars and broke windshields. It also caused damage to house shingles and windows. The cost of damage is a very rough estimate." +119061,715906,MICHIGAN,2017,July,Thunderstorm Wind,"HILLSDALE",2017-07-07 04:00:00,EST-5,2017-07-07 04:01:00,0,0,0,0,0.00K,0,0.00K,0,41.93,-84.64,41.93,-84.64,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","Emergency management officials reported several trees were blown down around the county, some onto power lines." +119060,715911,OHIO,2017,July,Thunderstorm Wind,"HENRY",2017-07-07 05:00:00,EST-5,2017-07-07 05:01:00,0,0,0,0,0.00K,0,0.00K,0,41.3559,-84.1197,41.3559,-84.1197,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","Emergency management officials reported six utility poles were snapped along State Route 108 and County Road N." +119224,715951,TEXAS,2017,July,Thunderstorm Wind,"BROWN",2017-07-09 16:35:00,CST-6,2017-07-09 16:35:00,0,0,0,0,0.00K,0,0.00K,0,31.71,-98.99,31.71,-98.99,"A strong thunderstorm in the City of Brownwood resulted in a thunderstorm microburst that caused some damage in the city to trees and power lines.","Strong thunderstorms in the City of Brownwood produced a thunderstorm microburst that knocked down power lines and some trees in the city." +119226,715958,TEXAS,2017,July,Thunderstorm Wind,"CROCKETT",2017-07-24 19:25:00,CST-6,2017-07-24 19:25:00,0,0,0,0,0.00K,0,0.00K,0,30.71,-101.49,30.71,-101.49,"A thunderstorm resulted in a microburst west of Ozona on Interstate 10.","Crockett County Sheriff's Office relayed an estimated 60 mph thunderstorm wind gust reported from the Ozona Volunteer Fire Department about 17 miles west of Ozona along Interstate 10." +119222,715948,TEXAS,2017,July,Thunderstorm Wind,"TOM GREEN",2017-07-04 17:50:00,CST-6,2017-07-04 17:50:00,0,0,0,0,0.00K,0,0.00K,0,31.49,-100.45,31.49,-100.45,"Scattered thunderstorms resulted in a few damaging thunderstorm microbursts across the Concho Valley and the Big Country.","The public estimated a damaging thunderstorm wind gust of 60 mph." +119222,715949,TEXAS,2017,July,Thunderstorm Wind,"TOM GREEN",2017-07-04 17:53:00,CST-6,2017-07-04 17:53:00,0,0,0,0,0.00K,0,0.00K,0,31.47,-100.44,31.47,-100.44,"Scattered thunderstorms resulted in a few damaging thunderstorm microbursts across the Concho Valley and the Big Country.","Damaging thunderstorm winds knocked down several 3 to 4 inch tree limbs." +119222,715950,TEXAS,2017,July,Thunderstorm Wind,"TOM GREEN",2017-07-04 17:59:00,CST-6,2017-07-04 17:59:00,0,0,0,0,0.00K,0,0.00K,0,31.42,-100.51,31.42,-100.51,"Scattered thunderstorms resulted in a few damaging thunderstorm microbursts across the Concho Valley and the Big Country.","A National Weather Service Employee estimated a thunderstorm wind gust at 60 mph." +119222,715961,TEXAS,2017,July,Thunderstorm Wind,"HASKELL",2017-07-01 01:44:00,CST-6,2017-07-01 01:44:00,0,0,0,0,0.00K,0,0.00K,0,33.34,-99.67,33.34,-99.67,"Scattered thunderstorms resulted in a few damaging thunderstorm microbursts across the Concho Valley and the Big Country.","Texas Tech West Texas Mesonet measured a 64 mph wind gust from a thunderstorm." +119278,716240,OKLAHOMA,2017,July,Excessive Heat,"OKFUSKEE",2017-07-21 14:00:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716241,OKLAHOMA,2017,July,Excessive Heat,"OKMULGEE",2017-07-21 14:00:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716242,OKLAHOMA,2017,July,Excessive Heat,"WAGONER",2017-07-21 14:00:00,CST-6,2017-07-22 21:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716243,OKLAHOMA,2017,July,Excessive Heat,"MUSKOGEE",2017-07-21 14:00:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716244,OKLAHOMA,2017,July,Excessive Heat,"MCINTOSH",2017-07-21 14:00:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119100,715258,NORTH DAKOTA,2017,July,Hail,"GRANT",2017-07-21 17:00:00,MST-7,2017-07-21 17:03:00,0,0,0,0,0.00K,0,0.00K,0,46.18,-101.33,46.18,-101.33,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715259,NORTH DAKOTA,2017,July,Hail,"BURKE",2017-07-21 18:18:00,CST-6,2017-07-21 18:22:00,0,0,0,0,0.00K,0,0.00K,0,49,-102.28,49,-102.28,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715260,NORTH DAKOTA,2017,July,Hail,"EMMONS",2017-07-21 18:30:00,CST-6,2017-07-21 18:35:00,0,0,0,0,0.00K,0,0.00K,0,46.13,-100.01,46.13,-100.01,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119096,715238,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRANT",2017-07-20 17:30:00,MST-7,2017-07-20 17:33:00,0,0,0,0,0.00K,0,0.00K,0,46.38,-101.94,46.38,-101.94,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","A trained spotter estimated 60 mph thunderstorm wind gusts." +119096,715239,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRANT",2017-07-20 17:35:00,MST-7,2017-07-20 17:42:00,0,0,0,0,75.00K,75000,0.00K,0,46.41,-101.85,46.41,-101.85,"A surface low deepened over southeastern Montana which led to moisture increasing over the Dakotas. Strong instability developed in conjunction with enhanced deep layer shear. Initial storms developed as a short wave slid into the area in the afternoon, with storms continuing well into the evening as a low level jet strengthened over the region. One notable complex of supercell thunderstorms moved through southwest into far south central North Dakota in the evening producing a swath of damage from strong winds estimated as high as 95 mph. Electric Cooperatives in western North Dakota reported in excess of 60 poles damaged, along with transmission lines. Damage was around $1.5 million.","Shingles were blown off about one-quarter of a roof on a home. Some plywood was also stripped from the roof. Multiple branches were down around the city of Elgin." +118951,714567,NORTH DAKOTA,2017,July,Tornado,"ROLETTE",2017-07-19 08:35:00,CST-6,2017-07-19 08:36:00,0,0,0,0,0.00K,0,0.00K,0,48.6605,-99.7982,48.6578,-99.7944,"A strong low level jet combined with strong instability and shear to produce severe thunderstorms during the morning hours. Two distinct areas of thunderstorms developed with the first one tracking over southern North Dakota, and the second one over far north central North Dakota. The main threat from the southern storms was large hail, while the northern storms produced golf ball sized hail along with a short lived tornado in Rolette County.","A Rolette County Deputy witnessed a tornado touching down approximately one mile east of the city of Rolette. The tornado lasted about one minute and caused no damage. It was rated EF0." +118861,714119,LAKE ST CLAIR,2017,July,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-07-01 13:49:00,EST-5,2017-07-01 13:49:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.91,42.36,-82.91,"Thunderstorms moving through Lake St. Clair produced wind gusts to 46 mph.","" +119147,715547,LAKE ST CLAIR,2017,July,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-07-12 12:14:00,EST-5,2017-07-12 12:14:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-82.91,42.36,-82.91,"A thunderstorm moving through Lake St. Clair produced a 47 mph wind gust.","" +119201,715840,LAKE HURON,2017,July,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-23 16:30:00,EST-5,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-83.27,43.94,-83.27,"Strong to severe thunderstorms tracked through Saginaw Bay.","A thunderstorm which brought down power lines in Caseville moved from Outer Saginaw Bay." +116243,699021,INDIANA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 18:08:00,EST-5,2017-07-07 18:08:00,0,0,0,0,,NaN,0.00K,0,38.8,-85.65,38.8,-85.65,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Local law enforcement reported large trees blocking the roadway." +116243,699023,INDIANA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-07 18:36:00,EST-5,2017-07-07 18:36:00,0,0,0,0,,NaN,0.00K,0,38.77,-85.75,38.77,-85.75,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","The Scott County Emergency Manager reported several downed trees blocking Harrod Road." +116243,699024,INDIANA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-07 19:39:00,EST-5,2017-07-07 19:39:00,0,0,0,0,,NaN,0.00K,0,38.31,-85.83,38.31,-85.83,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Local broadcast media reported trees down in the area." +116243,699025,INDIANA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 20:08:00,EST-5,2017-07-07 20:08:00,0,0,0,0,,NaN,0.00K,0,38.6012,-86.0857,38.6012,-86.0857,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Washington County Emergency Manager reported downed trees blocking Fairview Road." +116863,702652,ILLINOIS,2017,July,Thunderstorm Wind,"TAZEWELL",2017-07-10 19:01:00,CST-6,2017-07-10 19:06:00,0,0,0,0,12.00K,12000,0.00K,0,40.5,-89.65,40.5,-89.65,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","A 2-foot diameter tree was blown onto a car." +113455,679216,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:52:00,EST-5,2017-02-25 19:52:00,0,0,0,0,4.00K,4000,0.00K,0,42.623,-72.535,42.623,-72.535,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Trees and wires down on South Cross Road in Gill. Tree down on Route 2." +113455,679217,MASSACHUSETTS,2017,February,Thunderstorm Wind,"FRANKLIN",2017-02-25 19:57:00,EST-5,2017-02-25 19:57:00,0,0,0,0,4.00K,4000,0.00K,0,42.7,-72.62,42.7,-72.62,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","Multiple trees and wires down in Northfield." +113455,679203,MASSACHUSETTS,2017,February,Tornado,"FRANKLIN",2017-02-25 19:23:00,EST-5,2017-02-25 19:27:00,1,0,0,0,400.00K,400000,0.00K,0,42.485,-72.7528,42.5124,-72.6696,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","The second phase of this tornado touched down at 723 pm EST on Main Poland Road in western Conway Massachusetts. The path width started at 50 yards, with a sharp gradient evident of damage versus no damage. Large sections of forest had thick pine trees snapped at mid-tree. Numerous power lines were downed along the path into downtown Conway. The path width grew, reaching a maximum width of 200 yards near the town hall. Several houses were severely damaged on Whately Road, southeast of the town hall. Roofs were blown off, and in one case the side walls of a house were missing with the interior of the house exposed. On Hill View Road a large barn collapsed. One injury occurred when a tree landed on a house on South Deerfield Road east of town. That was where the visible damage path ended." +117602,707218,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-05 17:05:00,EST-5,2017-07-05 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.52,-84.27,30.52,-84.27,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near the intersection of Maclay Road and Bobbin Mill Road." +117602,707219,FLORIDA,2017,July,Thunderstorm Wind,"WALTON",2017-07-07 13:37:00,CST-6,2017-07-07 13:37:00,0,0,0,0,0.00K,0,0.00K,0,30.94,-86.28,30.94,-86.28,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Highway 331 N." +117602,707220,FLORIDA,2017,July,Thunderstorm Wind,"WAKULLA",2017-07-07 14:15:00,EST-5,2017-07-07 14:15:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-84.36,30.16,-84.36,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Hines Street." +117602,707221,FLORIDA,2017,July,Thunderstorm Wind,"WAKULLA",2017-07-07 14:15:00,EST-5,2017-07-07 14:15:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-84.36,30.28,-84.36,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Thornwood Rd." +117602,707223,FLORIDA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 16:06:00,EST-5,2017-07-07 16:06:00,0,0,0,0,0.00K,0,0.00K,0,30.59,-83.64,30.59,-83.64,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto Highway 221 N." +117602,707224,FLORIDA,2017,July,Thunderstorm Wind,"MADISON",2017-07-07 16:30:00,EST-5,2017-07-07 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.59,-83.3,30.59,-83.3,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was reported down east of Pinetta." +117602,707423,FLORIDA,2017,July,Thunderstorm Wind,"BAY",2017-07-09 14:10:00,CST-6,2017-07-09 14:10:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-85.42,30.47,-85.42,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down in the backyard of a homeowner." +117639,707424,FLORIDA,2017,July,Thunderstorm Wind,"MADISON",2017-07-13 15:28:00,EST-5,2017-07-13 15:28:00,0,0,0,0,0.00K,0,0.00K,0,30.47,-83.39,30.47,-83.39,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down and partially blocked the westbound lane near the intersection of Highway 90 and NE Country Kitchen Road." +117639,707425,FLORIDA,2017,July,Thunderstorm Wind,"MADISON",2017-07-13 15:28:00,EST-5,2017-07-13 16:00:00,0,0,0,0,3.00K,3000,0.00K,0,30.46,-83.41,30.47,-83.63,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Several trees and power lines were blown down across Madison county." +117639,707426,FLORIDA,2017,July,Thunderstorm Wind,"TAYLOR",2017-07-13 15:55:00,EST-5,2017-07-13 15:55:00,0,0,0,0,2.00K,2000,0.00K,0,30.14,-83.77,30.14,-83.77,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A power line was blown down near Highway 90." +117785,708119,FLORIDA,2017,July,Thunderstorm Wind,"DUVAL",2017-07-27 12:35:00,EST-5,2017-07-27 12:35:00,0,0,0,0,50.00K,50000,0.00K,0,30.39,-81.41,30.39,-81.41,"A late season cold front was over SE GA under a mid level low. This feature combined with daytime heating and high moisture spawned a line of strong to severe storms over NE Florida that neared the Atlantic coast of Duval county during the early afternoon. A weak and brief tornado touched down near Mayport.","Thunderstorms damaged a gold course just south of Mayport. A tractor trailer was toppled in addition to roof damage and damage occurred to cars from construction debris. The time of the damage was based on radar. The cost of damage was unknown, but it was estimated so the event could be included in Storm Data." +117813,708214,GEORGIA,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-29 14:45:00,EST-5,2017-07-29 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.02,-81.72,31.02,-81.72,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A tree was blown down north of Woodbine. The time of damage was based on radar." +117813,708215,GEORGIA,2017,July,Thunderstorm Wind,"GLYNN",2017-07-29 14:45:00,EST-5,2017-07-29 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.31,-81.64,31.31,-81.64,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A tree was blown down onto a power line along Highway 32. The time of damage was based on radar." +117814,708216,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-29 12:20:00,EST-5,2017-07-29 12:20:00,0,0,0,0,0.00K,0,0.00K,0,29.94,-81.3,29.94,-81.3,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A gust to 43 mph was measured at Vilano Beach." +117814,708217,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-29 15:20:00,EST-5,2017-07-29 15:20:00,0,0,0,0,0.00K,0,0.00K,0,29.93,-81.3,29.93,-81.3,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A thunderstorm gust of 49 mph was measured northeast of St. Augustine." +117814,708218,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-29 15:50:00,EST-5,2017-07-29 15:50:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-81.48,30.39,-81.48,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A thunderstorm wind gust of 46 mph was measured west of Mayport." +118544,712181,MASSACHUSETTS,2017,July,Lightning,"HAMPDEN",2017-07-18 18:54:00,EST-5,2017-07-18 18:54:00,0,0,0,0,2.50K,2500,0.00K,0,42.0817,-72.572,42.0817,-72.572,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 654 PM EST, amateur radio reported a house on Magnolia Terrace in Springfield was struck by lightning. The house had a smell of smoke." +118544,712186,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-18 18:31:00,EST-5,2017-07-18 21:30:00,0,0,0,0,0.00K,0,0.00K,0,42.4014,-71.0455,42.4018,-71.0442,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 631 PM EST, an amateur radio operator reported a car stuck in flood waters on Vale Street in Everett. Two people were rescued from the car." +118544,712190,MASSACHUSETTS,2017,July,Flood,"ESSEX",2017-07-18 16:09:00,EST-5,2017-07-18 19:00:00,0,0,0,0,0.00K,0,0.00K,0,42.7364,-71.0343,42.7375,-71.0356,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 409 PM EST, an amateur radio operator reported street flooding on Route 97 in Groveland. Salem Street was also heavily flooded." +118544,712191,MASSACHUSETTS,2017,July,Flood,"NORFOLK",2017-07-18 17:11:00,EST-5,2017-07-18 20:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.2369,-71.0144,42.2367,-71.0141,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 511 PM EST, an amateur radio operator reported Vernon Street flooded and impassable, with cars stuck in the flooding." +118137,713531,OHIO,2017,July,Thunderstorm Wind,"CUYAHOGA",2017-07-07 06:50:00,EST-5,2017-07-07 06:50:00,0,0,0,0,1.00K,1000,0.00K,0,41.32,-81.73,41.32,-81.73,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a tree on Apollo Drive." +118137,713534,OHIO,2017,July,Hail,"HANCOCK",2017-07-07 09:37:00,EST-5,2017-07-07 09:37:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-83.48,40.98,-83.48,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Penny to quarter sized hail was observed." +118137,713535,OHIO,2017,July,Hail,"HANCOCK",2017-07-07 10:04:00,EST-5,2017-07-07 10:04:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-83.65,41.13,-83.65,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Nickel sized hail was observed." +118137,713539,OHIO,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-07 11:21:00,EST-5,2017-07-07 11:21:00,0,0,0,0,15.00K,15000,0.00K,0,40.7386,-83.0611,40.7386,-83.0611,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed some trees and power lines over the southwestern portion of Crawford County." +118137,713540,OHIO,2017,July,Thunderstorm Wind,"MARION",2017-07-07 11:35:00,EST-5,2017-07-07 11:35:00,0,0,0,0,15.00K,15000,0.00K,0,40.63,-82.97,40.63,-82.97,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed several trees and large limbs in the Caledonia area." +118137,713541,OHIO,2017,July,Thunderstorm Wind,"WYANDOT",2017-07-07 11:00:00,EST-5,2017-07-07 11:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.82,-83.13,40.82,-83.13,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds snapped a large tree." +117429,706175,OHIO,2017,July,Flash Flood,"FAIRFIELD",2017-07-13 11:15:00,EST-5,2017-07-13 12:15:00,0,0,0,0,0.00K,0,0.00K,0,39.8545,-82.716,39.8556,-82.7153,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","The creek at Busey Road, east of Allen Road, was flowing out of its bank and was nearing the road." +117429,706176,OHIO,2017,July,Flash Flood,"LICKING",2017-07-13 11:30:00,EST-5,2017-07-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,40.03,-82.44,40.0314,-82.4371,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Water was flowing across the intersection of Andover Road and Hebron Road." +117429,706178,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-13 11:45:00,EST-5,2017-07-13 12:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0072,-82.7896,40.0069,-82.7889,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Rapidly rising water was reported on Powers Ridge Road, making it nearly impassable." +117429,706179,OHIO,2017,July,Flash Flood,"LICKING",2017-07-13 12:00:00,EST-5,2017-07-13 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-82.68,39.9621,-82.6705,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Sycamore Creek near Etna was reported out of its bank." +117429,706180,OHIO,2017,July,Flood,"LICKING",2017-07-13 12:15:00,EST-5,2017-07-13 13:15:00,0,0,0,0,0.00K,0,0.00K,0,40.0932,-82.7517,40.0924,-82.7519,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Water was covering a portion of Smith's Mill Road near Beech Road." +117429,706182,OHIO,2017,July,Flash Flood,"FAIRFIELD",2017-07-13 13:00:00,EST-5,2017-07-13 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8831,-82.7464,39.886,-82.7464,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Rushing water was reported over State Route 256 near Willard Drive, making it nearly impassable." +117429,706183,OHIO,2017,July,Flood,"FRANKLIN",2017-07-13 13:00:00,EST-5,2017-07-13 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.01,-82.91,40.0073,-82.9101,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Deep water was over the underpass along Stelzer Road near Interstate 670." +117429,706186,OHIO,2017,July,Flood,"FRANKLIN",2017-07-13 14:15:00,EST-5,2017-07-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.96,-82.8,39.9586,-82.7968,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Four families were evacuated from an apartment complex due to lingering high water." +117429,706187,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-13 17:43:00,EST-5,2017-07-13 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-82.73,40.05,-82.73,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Several trees were downed." +117429,706189,OHIO,2017,July,Flood,"SHELBY",2017-07-13 18:00:00,EST-5,2017-07-13 18:30:00,0,0,0,0,0.00K,0,0.00K,0,40.333,-84.0851,40.332,-84.084,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","A few inches of water was reported over State Route 47." +118981,714677,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SALUDA",2017-07-23 18:04:00,EST-5,2017-07-23 18:06:00,0,0,0,0,,NaN,,NaN,33.9378,-81.711,33.9378,-81.711,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","SCHP reported trees down at Duncan Rd and Ridge Spring Hwy." +118981,714678,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-23 19:09:00,EST-5,2017-07-23 19:13:00,0,0,0,0,,NaN,,NaN,33.64,-81.91,33.64,-81.91,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Edgefield Co dispatch reported trees down on US Hwy 25." +118981,714679,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-23 18:10:00,EST-5,2017-07-23 18:15:00,0,0,0,0,0.10K,100,0.10K,100,33.9881,-81.0284,33.9873,-81.0287,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Flash flooding observed on USGS webcam at the intersection of Main and Whaley St. Car partially submerged." +118981,714680,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-23 18:23:00,EST-5,2017-07-23 18:30:00,0,0,0,0,0.10K,100,0.10K,100,33.9881,-81.0283,33.9872,-81.0288,"A band of thunderstorms developed along an outflow boundary that pushed south into the region from an earlier decaying MCS well to the north. Some of the storms produced wind damage along with locally heavy rainfall and flooding.","Columbia, SC Fire Dept reported one person trapped and rescued from a flooded vehicle at the intersection of Main and Whaley St. No injuries." +118985,714689,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 15:24:00,EST-5,2017-07-24 15:30:00,0,0,0,0,0.10K,100,0.10K,100,33.9976,-81.0145,33.9973,-81.0145,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Columbia SC PD reported that the intersection of Hilton and Blossom St flooded and impassable." +118985,714690,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 15:30:00,EST-5,2017-07-24 15:35:00,0,0,0,0,0.10K,100,0.10K,100,34.0033,-81.0218,34.0031,-81.0218,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Columbia SC PD reported car stuck in water on Senate St." +118985,714691,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 15:32:00,EST-5,2017-07-24 15:40:00,0,0,0,0,0.10K,100,0.10K,100,34.0041,-81.012,34.0017,-81.0161,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Columbia SC PD reported flooding in and around MLK Park." +117857,708358,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-15 18:30:00,MST-7,2017-07-15 21:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.9702,-112.7884,33.9679,-112.7517,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Strong thunderstorms developed in the Wickenburg area during the late afternoon hours and some of them generated locally heavy rainfall with peak rain rates in excess of one inch per hour. The extreme rainfall near Wickenburg resulted in an episode of flash flooding; at 1830MST the Wickenburg Fire Department and Rescue reported that flash flooding had closed the Sols Wash at Vulture Mine Road. A Flash Flood Warning had already been issued for the area, beginning at 1813MST and continuing past 2100MST. Fortunately there were no accidents or injuries caused by motorists driving into the flooded wash." +117857,708360,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-15 21:20:00,MST-7,2017-07-15 23:00:00,0,0,0,0,10.00K,10000,0.00K,0,32.9536,-112.467,33.041,-112.4945,"Scattered monsoon thunderstorms developed during the afternoon hours across portions of south-central Arizona, and they persisted into the evening hours bringing typical convective weather hazards to the lower deserts. Some locations, such as the west Phoenix, received damaging winds over 50 mph, blowing down trees in communities such as Peoria and Youngtown. A large tree blown down in Wickenburg fell across and blocked a roadway. Wind gusts to 60 mph damaged shingles in the town of Surprise. The gusty outflow winds created dust storm conditions southeast of Phoenix, as visibility dropped to near 200 yards near the town of Eloy during the late afternoon hours. Additionally, some storms produced heavy rain which led to evening flash flooding near Wickenburg; the Sols Wash was closed at the Vulture Mine Road due to flash flooding. Numerous products were issued, such as Dust Storm, Flash Flood, and Severe Thunderstorm warnings as a result of the active convective weather.","Isolated strong thunderstorms developed over portions of southwest Maricopa County as well as northwest Pinal County during the evening hours on July 15th and some of them produced locally heavy rainfall with peak rain rates in excess of one inch per hour. The rain led to some flash flooding along Highway 238 between the towns of Maricopa and Gila Bend. Highway 238 is very vulnerable to even modest amounts of rain near the highway as numerous washes cross the road and are easily flooded. According to the Arizona Department of Highways, at 2120MST Highway 238 was flooded at several wash crossings between milepost 40 and milepost 24. This resulted in the road being closed. Rainfall had mostly ended by late evening, however the road remained closed into the morning hours the next day when road crews were able to clean off the mud and debris over the road." +118105,709832,ARIZONA,2017,July,Flood,"PINAL",2017-07-24 13:00:00,MST-7,2017-07-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,33.0872,-111.9672,33.2388,-111.9891,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Thunderstorms with locally heavy rainfall developed over much of the east and southeast portions of the greater Phoenix area during the morning hours on July 24th; peak rain rates as high as 2 inches per hour were observed and this led to episodes of flash flooding which continued into the early afternoon. One of the areas affected by the heavy rain was the community of Santan, to the southeast of Phoenix. After the initial, flash flood producing rains had subsided, considerable water was left behind, inundating roads and leading to episodes of areal flooding. At 1358MST an Emergency Manager reported that many roads in the area around Santan were flooded and closed. Additionally, a Maricopa County stream gage around 3 miles northwest of Santan indicated that flood stage had been exceeded. Flooding continued into the afternoon hours before the water subsided." +117305,705497,NEBRASKA,2017,July,Drought,"KEYA PAHA",2017-07-25 00:00:00,CST-6,2017-07-31 00:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A very dry June and sparse rainfall through much of July led to worsening drought conditions across north central Nebraska. As of the July 25, 2017, drought monitor update, severe drought (D2) covered eastern Cherry, western Keya Paha, and most of Brown counties.","Severe drought (D2) covered about the western half of Keya Paha County as of the July 25, 2017, drought monitor update." +117305,705498,NEBRASKA,2017,July,Drought,"BROWN",2017-07-25 00:00:00,CST-6,2017-07-31 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A very dry June and sparse rainfall through much of July led to worsening drought conditions across north central Nebraska. As of the July 25, 2017, drought monitor update, severe drought (D2) covered eastern Cherry, western Keya Paha, and most of Brown counties.","Severe drought (D2) covered most of Brown County, excluding the southeast corner, as of the July 25, 2017, drought monitor update." +116891,702824,OREGON,2017,July,Wildfire,"CENTRAL & EASTERN LAKE COUNTY",2017-07-06 12:00:00,PST-8,2017-07-10 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Willow Fire was first reported on 07/06/17. As of the last report on 07/10/17, the fire was at 346 acres and was 80 percent contained. 500,000 dollars had been spent on firefighting efforts.","The Willow Fire was first reported on 07/06/17. As of the last report on 07/10/17, the fire was at 346 acres and was 80 percent contained. 500,000 dollars had been spent on firefighting efforts." +116893,702831,CALIFORNIA,2017,July,Wildfire,"WESTERN SISKIYOU COUNTY",2017-07-05 11:00:00,PST-8,2017-07-12 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Fay Wildfire started around 11 AM PDT on 07/05/17. As of the last report on 07/21/17, the fire was at 469 acres and was 100% contained. 2.4 million dollars had been spent on firefighting efforts.","The Fay Wildfire started around 11 AM PDT on 07/05/17. As of the last report on 07/21/17, the fire was at 469 acres and was 100% contained. 2.4 million dollars had been spent on firefighting efforts." +116895,702841,OREGON,2017,July,Wildfire,"CENTRAL & EASTERN LAKE COUNTY",2017-07-08 18:00:00,PST-8,2017-07-15 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Ana Wildfire started on the evening of 07/08/17. It was determined to be caused by humans. As of the last report on 07/15/17, the fire covered 5874 acres and was 100% contained. 2.9 million dollars had been spent on firefighting efforts.","The Ana Wildfire started on the evening of 07/08/17. It was determined to be caused by humans. As of the last report on 07/15/17, the fire covered 5874 acres and was 100% contained. 2.9 million dollars had been spent on firefighting efforts." +116896,702863,CALIFORNIA,2017,July,Wildfire,"MODOC COUNTY",2017-07-13 14:00:00,PST-8,2017-07-17 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Dobe Wildfire started around 1500 PDT on 07/13/17. The cause is under investigation. As of the last report on 07/17/17, the fire covered 410 acres and was 100% contained. 750000 dollars had been spent on firefighting efforts.","The Dobe Wildfire started around 1500 PDT on 07/13/17. The cause is under investigation. As of the last report on 07/17/17, the fire covered 410 acres and was 100% contained. 750000 dollars had been spent on firefighting efforts." +118708,713134,KANSAS,2017,July,Thunderstorm Wind,"SHERIDAN",2017-07-02 21:16:00,CST-6,2017-07-02 21:16:00,0,0,0,0,0.00K,0,0.00K,0,39.54,-100.57,39.54,-100.57,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +118708,713136,KANSAS,2017,July,Thunderstorm Wind,"NORTON",2017-07-02 21:59:00,CST-6,2017-07-02 22:14:00,0,0,0,0,0.00K,0,0.00K,0,39.8497,-99.8915,39.8497,-99.8915,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +118708,713137,KANSAS,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-02 20:35:00,CST-6,2017-07-02 20:35:00,0,0,0,0,0.00K,0,0.00K,0,39.9653,-102.0231,39.9653,-102.0231,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +118708,713141,KANSAS,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-02 21:13:00,CST-6,2017-07-02 21:13:00,0,0,0,0,0.00K,0,0.00K,0,39.67,-101.4236,39.67,-101.4236,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +118708,713142,KANSAS,2017,July,Thunderstorm Wind,"THOMAS",2017-07-02 21:30:00,CST-6,2017-07-02 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4001,-101.0131,39.4001,-101.0131,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +119468,716980,KANSAS,2017,July,Heavy Rain,"HAMILTON",2017-07-30 05:00:00,MST-7,2017-07-31 05:00:00,0,0,0,0,0.00K,0,0.00K,0,37.99,-101.75,37.99,-101.75,"A cluster of showers and a few embedded thunderstorms in southeast Colorado propagated slowly into western Kansas. The showers and thunderstorms weakened as they encountered drier air in central Kansas later in the day. Another area of thunderstorms develop in eastern Colorado later in the afternoon and moved into southwest Kansas that evening.","Rainfall was 5.40 inches." +119121,715398,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-07-08 11:50:00,CST-6,2017-07-08 11:52:00,0,0,0,0,0.00K,0,0.00K,0,30.4368,-88.0131,30.4368,-88.0131,"Thunderstorms moved across the marine area and produced high winds.","" +119123,715400,ALABAMA,2017,July,Thunderstorm Wind,"COVINGTON",2017-07-13 16:00:00,CST-6,2017-07-13 16:02:00,0,0,0,0,3.00K,3000,0.00K,0,31.2945,-86.25,31.2945,-86.25,"Thunderstorms developed across southwest Alabama and produced wind damage.","Winds estimated at 60 mph downed trees along Highway 331." +119391,716587,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-07-21 07:48:00,CST-6,2017-07-21 07:50:00,0,0,0,0,0.00K,0,0.00K,0,30.44,-88.01,30.44,-88.01,"A strong gust front moved across Mobile Bay and produced high winds.","" +119398,716609,GULF OF MEXICO,2017,July,Waterspout,"COASTAL WATERS FROM PENSACOLA FL TO PASCAGOULA MS OUT 20 NM",2017-07-23 09:08:00,CST-6,2017-07-23 09:10:00,0,0,0,0,0.00K,0,0.00K,0,29.9316,-87.69,29.9316,-87.69,"Strong thunderstorms moved over the marine area and produced water spouts.","" +119403,716629,MISSISSIPPI,2017,July,Flash Flood,"STONE",2017-07-24 07:00:00,CST-6,2017-07-24 14:30:00,0,0,0,0,100.00K,100000,0.00K,0,30.8776,-89.1376,30.762,-89.1032,"Heavy rain caused flooding in southeast Mississippi.","Slow moving thunderstorms produced heavy rain that produced widespread flooding across portions of Stone County. Several roads were closed across the western half of the county due to the heavy rain." +119450,716840,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOCTAWHATCHEE BAY",2017-07-26 16:13:00,CST-6,2017-07-26 16:15:00,0,0,0,0,0.00K,0,0.00K,0,30.39,-86.5671,30.39,-86.5671,"Strong thunderstorms moved south across the marine area and produced high winds.","Measured by a Weatherflow site at Fort Walton Beach." +119450,716847,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-07-26 16:20:00,CST-6,2017-07-26 16:22:00,0,0,0,0,0.00K,0,0.00K,0,30.3921,-86.5931,30.3921,-86.5931,"Strong thunderstorms moved south across the marine area and produced high winds.","Measured by a Weatherflow site at Okaloosa Island Fishing Pier." +119450,716853,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"PERDIDO BAY AREA",2017-07-26 17:07:00,CST-6,2017-07-26 17:09:00,0,0,0,0,0.00K,0,0.00K,0,30.3077,-87.5349,30.3077,-87.5349,"Strong thunderstorms moved south across the marine area and produced high winds.","Measured by a Weatherflow site at Mill Point." +119450,716856,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-07-26 19:37:00,CST-6,2017-07-26 19:39:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.22,30.38,-87.22,"Strong thunderstorms moved south across the marine area and produced high winds.","Measured by a Weatherflow site at Fair Point Light in Pensacola Bay." +119450,716877,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-07-26 21:24:00,CST-6,2017-07-26 21:26:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-88.0765,30.25,-88.0765,"Strong thunderstorms moved south across the marine area and produced high winds.","" +118778,713553,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-08 15:35:00,EST-5,2017-07-08 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-81.85,35.57,-81.85,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","Media reported trees blown down at Highways 64 and 226." +118778,713560,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CATAWBA",2017-07-08 15:32:00,EST-5,2017-07-08 15:39:00,0,0,0,0,0.00K,0,0.00K,0,35.579,-81.491,35.581,-81.463,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","EM reported trees blown down on Mull Rd and on Cooksville Rd." +118778,713561,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CATAWBA",2017-07-08 16:10:00,EST-5,2017-07-08 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-81.25,35.57,-81.25,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","EM reported multiple trees blown down on Highway 321." +118778,713562,NORTH CAROLINA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-08 16:06:00,EST-5,2017-07-08 16:06:00,0,0,0,0,0.00K,0,0.00K,0,35.555,-81.331,35.555,-81.331,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","Public reported multiple trees blown down on Wyant Rd." +118778,713563,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-08 16:48:00,EST-5,2017-07-08 16:58:00,0,0,0,0,0.00K,0,0.00K,0,35.48,-80.87,35.461,-80.809,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","FD reported multiple trees blown down in the Cornelius area, while the city of Davidson reported a tree blown down on Davidson-Concord Rd." +118778,713564,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-08 17:10:00,EST-5,2017-07-08 17:10:00,0,0,0,0,1.00K,1000,0.00K,0,35.374,-80.877,35.374,-80.877,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","FD reported a falling tree brought power lines down on an occupied vehicle on Kerns Road." +118778,713566,NORTH CAROLINA,2017,July,Hail,"MECKLENBURG",2017-07-08 16:53:00,EST-5,2017-07-08 16:53:00,0,0,0,0,,NaN,,NaN,35.475,-80.854,35.475,-80.854,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","NWS employee reported 3/4 inch hail along south Main Street." +119151,715602,MINNESOTA,2017,July,Thunderstorm Wind,"TRAVERSE",2017-07-21 18:40:00,CST-6,2017-07-21 18:40:00,0,0,0,0,,NaN,0.00K,0,45.59,-96.83,45.59,-96.83,"A thunderstorm brought sixty mph winds or higher to Browns Valley.","Sixty mph winds downed some large tree branches in Browns Valley." +119153,715606,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-29 16:35:00,MST-7,2017-07-29 16:35:00,0,0,0,0,,NaN,0.00K,0,44.86,-100.75,44.86,-100.75,"An isolated thunderstorm brought severe winds to part of Dewey county.","Seventy mph winds were estimated." +118365,711318,ARKANSAS,2017,July,Thunderstorm Wind,"BENTON",2017-07-04 13:10:00,CST-6,2017-07-04 13:10:00,0,0,0,0,25.00K,25000,0.00K,0,36.4288,-93.8564,36.4288,-93.8564,"Strong thunderstorms developed over northwestern Arkansas during the early afternoon hours of July 4th, as an upper level disturbance translated across the Ozarks region. The strongest storms produced damaging wind gusts.","Strong thunderstorm wind overturned five boat docks on Beaver Lake." +118368,711332,ARKANSAS,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-08 05:45:00,CST-6,2017-07-08 05:45:00,0,0,0,0,0.00K,0,0.00K,0,35.4945,-94.23,35.4945,-94.23,"Strong to severe thunderstorms developed along and ahead of a cold front that moved into northwestern Arkansas during the early morning hours of July 8th. The strongest storms produced damaging wind gusts.","Strong thunderstorm wind blew down multiple trees just north of town." +118368,711334,ARKANSAS,2017,July,Thunderstorm Wind,"BENTON",2017-07-08 05:55:00,CST-6,2017-07-08 05:55:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-94.1301,36.37,-94.1301,"Strong to severe thunderstorms developed along and ahead of a cold front that moved into northwestern Arkansas during the early morning hours of July 8th. The strongest storms produced damaging wind gusts.","Strong thunderstorm wind blew down numerous trees in Little Flock." +118369,711344,OKLAHOMA,2017,July,Thunderstorm Wind,"CHOCTAW",2017-07-23 19:04:00,CST-6,2017-07-23 19:04:00,0,0,0,0,0.00K,0,0.00K,0,34.0308,-95.5401,34.0308,-95.5401,"Strong to severe thunderstorms developed along a weak stationary frontal boundary over central and east central Oklahoma during the afternoon hours of July 23rd. The storms developed into southern Oklahoma during the evening hours. The strongest storms produced damaging wind gusts.","The Oklahoma Mesonet station northwest of Hugo measured 63 mph thunderstorm wind gusts." +118363,713074,ARKANSAS,2017,July,Hail,"BENTON",2017-07-02 17:45:00,CST-6,2017-07-02 17:45:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-94.12,36.33,-94.12,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into northwestern Arkansas during the evening. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","" +118363,713075,ARKANSAS,2017,July,Hail,"BENTON",2017-07-02 17:50:00,CST-6,2017-07-02 17:50:00,0,0,0,0,0.00K,0,0.00K,0,36.33,-94.102,36.33,-94.102,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into northwestern Arkansas during the evening. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","" +116215,698702,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:10:00,CST-6,2017-07-06 16:10:00,0,0,0,0,0.00K,0,0.00K,0,32.44,-93.75,32.44,-93.75,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","Powerlines were downed southeast of Shreveport, Louisiana." +116215,698704,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:15:00,CST-6,2017-07-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-93.78,32.42,-93.78,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed on the southeast side of Shreveport, Louisiana." +116215,698703,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:12:00,CST-6,2017-07-06 16:12:00,0,0,0,0,0.00K,0,0.00K,0,32.48,-93.76,32.48,-93.76,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed on the east side of Shreveport, Louisiana." +116215,698705,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:15:00,CST-6,2017-07-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,32.45,-93.74,32.45,-93.74,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed on the east side of Shreveport, Louisiana." +117039,703959,LOUISIANA,2017,July,Heat,"LA SALLE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703960,LOUISIANA,2017,July,Heat,"GRANT",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703961,LOUISIANA,2017,July,Heat,"WINN",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703962,LOUISIANA,2017,July,Heat,"NATCHITOCHES",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117039,703963,LOUISIANA,2017,July,Heat,"SABINE",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across North Louisiana. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +119088,715200,GEORGIA,2017,July,Hail,"EFFINGHAM",2017-07-19 19:11:00,EST-5,2017-07-19 19:16:00,0,0,0,0,,NaN,0.00K,0,32.16,-81.39,32.16,-81.39,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina. These thunderstorms produced outflow boundaries that eventually initiated additional thunderstorms across portions of southeast Georgia.","A Twitter user reported hail slightly larger than quarter sized in the Stonegate subdivision." +119088,715201,GEORGIA,2017,July,Thunderstorm Wind,"EFFINGHAM",2017-07-19 18:34:00,EST-5,2017-07-19 18:35:00,0,0,0,0,0.50K,500,0.00K,0,32.28,-81.39,32.28,-81.39,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina. These thunderstorms produced outflow boundaries that eventually initiated additional thunderstorms across portions of southeast Georgia.","Effingham County dispatch reported a tree down on Midland road near Highway 17." +119088,715202,GEORGIA,2017,July,Thunderstorm Wind,"EFFINGHAM",2017-07-19 18:45:00,EST-5,2017-07-19 18:46:00,0,0,0,0,0.50K,500,0.00K,0,32.29,-81.21,32.29,-81.21,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina. These thunderstorms produced outflow boundaries that eventually initiated additional thunderstorms across portions of southeast Georgia.","Local media relayed a report of multiple trees down in the Dashers Landing subdivision near Rincon. Report was received via Twitter." +119088,715203,GEORGIA,2017,July,Thunderstorm Wind,"BRYAN",2017-07-19 19:10:00,EST-5,2017-07-19 19:11:00,0,0,0,0,0.50K,500,0.00K,0,32.14,-81.5,32.14,-81.5,"A large cluster of thunderstorms developed along the sea breeze boundary in the mid afternoon and produced large hail and damaging winds across portions of southeast South Carolina. These thunderstorms produced outflow boundaries that eventually initiated additional thunderstorms across portions of southeast Georgia.","Bryan County dispatch reported a large tree branch down on Toni Branch Road." +119089,715204,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-07-19 17:04:00,EST-5,2017-07-19 17:07:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A cluster of thunderstorms developed along the sea breeze in the mid afternoon hours and produced large hail and damaging wind gusts over land. The thunderstorms then moved to the coast and the Atlantic coastal waters in the evening and produced strong wind gusts.","The Weatherflow site at the Folly Beach pier measured a 34 knot wind gust." +119089,715205,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-07-19 17:08:00,EST-5,2017-07-19 17:11:00,0,0,0,0,,NaN,0.00K,0,32.8028,-79.6236,32.8028,-79.6236,"A cluster of thunderstorms developed along the sea breeze in the mid afternoon hours and produced large hail and damaging wind gusts over land. The thunderstorms then moved to the coast and the Atlantic coastal waters in the evening and produced strong wind gusts.","The CORMP buoy near Capers Island measured a 37 knot wind gust." +119090,715207,SOUTH CAROLINA,2017,July,Hail,"BEAUFORT",2017-07-20 13:56:00,EST-5,2017-07-20 14:01:00,0,0,0,0,,NaN,0.00K,0,32.24,-80.97,32.24,-80.97,"Scattered to numerous thunderstorms developed within an inland trough in the afternoon hours. A few of these thunderstorms because strong enough to produce damaging wind gusts.","Penny to nickel sized hail fell on May River Road in Bluffton." +116287,699215,MINNESOTA,2017,July,Hail,"POLK",2017-07-04 21:45:00,CST-6,2017-07-04 21:45:00,0,0,0,0,,NaN,,NaN,47.65,-96.67,47.65,-96.67,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699744,MINNESOTA,2017,July,Hail,"WILKIN",2017-07-05 00:02:00,CST-6,2017-07-05 00:02:00,0,0,0,0,,NaN,,NaN,46.53,-96.48,46.53,-96.48,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116287,699746,MINNESOTA,2017,July,Thunderstorm Wind,"OTTER TAIL",2017-07-05 00:30:00,CST-6,2017-07-05 00:30:00,0,0,0,0,,NaN,,NaN,46.62,-95.76,46.62,-95.76,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","Large branches were broken down. Power outages were reported between Vergas and Big McDonald Lake." +116286,699749,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-04 18:20:00,CST-6,2017-07-04 18:20:00,0,0,0,0,,NaN,,NaN,47.31,-98.27,47.31,-98.27,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail broke several windows." +116549,701118,MINNESOTA,2017,July,Hail,"RED LAKE",2017-07-11 19:15:00,CST-6,2017-07-11 19:15:00,0,0,0,0,,NaN,,NaN,47.95,-96.42,47.95,-96.42,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701119,MINNESOTA,2017,July,Hail,"PENNINGTON",2017-07-11 19:25:00,CST-6,2017-07-11 19:25:00,0,0,0,0,,NaN,,NaN,48.01,-96.32,48.01,-96.32,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701129,MINNESOTA,2017,July,Hail,"NORMAN",2017-07-11 19:47:00,CST-6,2017-07-11 19:47:00,0,0,0,0,,NaN,,NaN,47.21,-96.8,47.21,-96.8,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Dime to quarter sized hail was reported." +116549,701130,MINNESOTA,2017,July,Thunderstorm Wind,"CLAY",2017-07-11 19:48:00,CST-6,2017-07-11 19:48:00,0,0,0,0,,NaN,,NaN,47.08,-96.53,47.08,-96.53,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A shelf cloud and strong winds were reported." +116898,702940,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:16:00,CST-6,2017-07-21 16:16:00,0,0,0,0,,NaN,,NaN,47.43,-95.13,47.43,-95.13,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","A few trees were snapped with branches scattered about." +116898,702942,MINNESOTA,2017,July,Thunderstorm Wind,"HUBBARD",2017-07-21 16:22:00,CST-6,2017-07-21 16:22:00,0,0,0,0,,NaN,,NaN,47.35,-95.02,47.35,-95.02,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Metal roofing panels were torn off a barn." +116246,698883,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-01 16:15:00,EST-5,2017-07-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-75.72,40.57,-75.72,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Just under two and a half inches of rain fell in 30 minutes." +116246,698884,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-01 15:30:00,EST-5,2017-07-01 15:30:00,0,0,0,0,,NaN,,NaN,40.26,-75.81,40.26,-75.81,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Several trees downed due to thunderstorm winds." +116246,698885,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-01 15:51:00,EST-5,2017-07-01 15:51:00,0,0,0,0,,NaN,,NaN,40.65,-75.44,40.65,-75.44,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Measured at the Lehigh Valley Intl Airport." +116246,698886,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-01 15:46:00,EST-5,2017-07-01 15:46:00,0,0,0,0,,NaN,,NaN,40.59,-75.48,40.59,-75.48,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Measure gust in South Allentown with small branches on the roadways." +116246,698888,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-01 15:30:00,EST-5,2017-07-01 15:30:00,0,0,0,0,,NaN,,NaN,40.5,-75.7,40.5,-75.7,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Tree fell onto a railroad track in Topton." +116246,698889,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-01 15:35:00,EST-5,2017-07-01 15:35:00,0,0,0,0,,NaN,,NaN,40.51,-75.67,40.51,-75.67,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A tree was downed by thunderstorm winds." +116246,698890,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-01 15:47:00,EST-5,2017-07-01 15:47:00,0,0,0,0,,NaN,,NaN,40.66,-75.47,40.66,-75.47,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Multiple trees and power lines downed due to thunderstorm winds in North Catasauqua." +116246,698893,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-01 15:37:00,EST-5,2017-07-01 15:37:00,0,0,0,0,,NaN,,NaN,40.55,-75.55,40.55,-75.55,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Donwed Trees and wires on several roads." +118636,712804,TENNESSEE,2017,July,Heat,"TIPTON",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712805,TENNESSEE,2017,July,Heat,"LAUDERDALE",2017-07-26 17:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119636,717734,MICHIGAN,2017,July,Thunderstorm Wind,"WEXFORD",2017-07-12 23:54:00,EST-5,2017-07-12 23:54:00,0,0,0,0,1.00K,1000,0.00K,0,44.28,-85.48,44.28,-85.48,"Strong thunderstorms crossed central lower Michigan, with one storm reaching severe levels.","A tree was downed across Boon Road near M-115." +119636,717735,MICHIGAN,2017,July,Thunderstorm Wind,"MISSAUKEE",2017-07-13 01:15:00,EST-5,2017-07-13 01:15:00,0,0,0,0,4.00K,4000,0.00K,0,44.27,-85.23,44.27,-85.23,"Strong thunderstorms crossed central lower Michigan, with one storm reaching severe levels.","Several trees and large limbs were downed." +119637,717736,MICHIGAN,2017,July,Hail,"GRAND TRAVERSE",2017-07-31 14:10:00,EST-5,2017-07-31 14:10:00,0,0,0,0,0.00K,0,0.00K,0,44.62,-85.76,44.62,-85.76,"Slow-moving thunderstorms in the afternoon produced mostly just some locally heavy rain, but one storm reached severe levels.","" +119638,717752,MICHIGAN,2017,July,Flash Flood,"ALCONA",2017-07-10 18:00:00,EST-5,2017-07-10 19:45:00,0,0,0,0,40.00K,40000,0.00K,0,44.671,-83.3739,44.7112,-83.367,"Thunderstorms continually redeveloped over a portion of northeast lower Michigan, resulting in flash flooding.","Two separate rain gauges in the Lincoln area measured around seven inches of rain in a three-hour period. Numerous roads in the Lincoln area were inundated and closed for part of the evening, including Gehres and Barlow Roads. A number of basements were flooded." +119650,717753,LAKE SUPERIOR,2017,July,Marine Thunderstorm Wind,"ST MARYS RIVER FROM POINT IROQUOIS TO E POTAGANNISSING BAY",2017-07-06 13:09:00,EST-5,2017-07-06 13:15:00,0,0,0,0,0.00K,0,0.00K,0,46.5003,-84.3819,46.4998,-84.3311,"Strong to severe thunderstorms moved across the Sault Ste Marie area.","Large tree limbs were downed in Sault Ste Marie. The airport measured a 49 mph gust." +119651,717755,LAKE HURON,2017,July,Marine Thunderstorm Wind,"PRESQUE ISLE LIGHT TO STURGEON POINT MI INC THUNDER BAY NATIONAL MARINE SANCTUARY",2017-07-06 15:15:00,EST-5,2017-07-06 15:15:00,0,0,0,0,0.00K,0,0.00K,0,44.9265,-83.402,44.9265,-83.402,"Strong thunderstorms crossed northern Lake Huron.","" +119652,717756,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"SLEEPING BEAR POINT TO GRAND TRAVERSE LIGHT MI",2017-07-18 20:18:00,EST-5,2017-07-18 20:18:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-85.78,45.02,-85.78,"Stronger thunderstorms impacted portions of the northwest lower Michigan coastline.","" +118643,712822,DISTRICT OF COLUMBIA,2017,July,Thunderstorm Wind,"DISTRICT OF COLUMBIA",2017-07-14 15:50:00,EST-5,2017-07-14 15:50:00,0,0,0,0,,NaN,,NaN,38.862,-76.962,38.862,-76.962,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","Numerous trees were down including Naylor Road SE, Alabama Avenue SE, and Branch Avenue SE." +118645,712827,MARYLAND,2017,July,Hail,"MONTGOMERY",2017-07-17 14:30:00,EST-5,2017-07-17 14:30:00,0,0,0,0,,NaN,,NaN,39.2112,-77.1414,39.2112,-77.1414,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","Quarter sized hail was reported." +118645,712828,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-17 14:34:00,EST-5,2017-07-17 14:34:00,0,0,0,0,,NaN,,NaN,39.2278,-77.1777,39.2278,-77.1777,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","A tree was down along Woodfield Road at Rocky Road." +118645,712829,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-17 14:37:00,EST-5,2017-07-17 14:37:00,0,0,0,0,,NaN,,NaN,39.216,-77.1734,39.216,-77.1734,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","A tree was down along Woodfield Road at Churchill Downs Road." +118645,712830,MARYLAND,2017,July,Thunderstorm Wind,"BALTIMORE",2017-07-17 14:58:00,EST-5,2017-07-17 14:58:00,0,0,0,0,,NaN,,NaN,39.4882,-76.8641,39.4882,-76.8641,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","A tree was down near Route 140 and Glen Falls Road." +118462,712832,WEST VIRGINIA,2017,July,Hail,"MINERAL",2017-07-17 17:20:00,EST-5,2017-07-17 17:20:00,0,0,0,0,,NaN,,NaN,39.4206,-79.005,39.4206,-79.005,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","Quarter sized hail was reported." +118462,712833,WEST VIRGINIA,2017,July,Hail,"MINERAL",2017-07-17 17:30:00,EST-5,2017-07-17 17:30:00,0,0,0,0,,NaN,,NaN,39.4433,-78.9878,39.4433,-78.9878,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","Quarter sized hail was reported." +118462,712834,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MINERAL",2017-07-17 17:30:00,EST-5,2017-07-17 17:30:00,0,0,0,0,,NaN,,NaN,39.4433,-78.9878,39.4433,-78.9878,"A pressure trough triggered some showers and thunderstorms. Some storms became severe due to hot and humid conditions leading to an unstable atmosphere.","A large Walnut tree was down due to thunderstorm winds." +118122,713186,VIRGINIA,2017,July,Flood,"GREENE",2017-07-05 12:50:00,EST-5,2017-07-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2922,-78.3747,38.291,-78.3763,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Dundee Road closed due to flooding of South River over the roadway." +119062,715015,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-01 15:48:00,EST-5,2017-07-01 16:00:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts up to 35 knots were reported at Tolchester Beach." +119062,715016,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-01 15:40:00,EST-5,2017-07-01 15:40:00,0,0,0,0,,NaN,,NaN,39.96,-76.45,39.96,-76.45,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts in excess of 30 knots were reported." +119062,715017,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-01 15:53:00,EST-5,2017-07-01 15:53:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts in excess of 30 knots were reported." +119062,715018,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-01 15:50:00,EST-5,2017-07-01 15:50:00,0,0,0,0,,NaN,,NaN,38.98,-76.33,38.98,-76.33,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 37 knots was reported." +119062,715019,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-01 17:24:00,EST-5,2017-07-01 17:24:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gusts in excess of 30 knots was reported at Cove Point." +119062,715020,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-01 18:30:00,EST-5,2017-07-01 18:30:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gusts in excess of 30 knots was reported at Bishops Head." +119062,715022,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-01 17:55:00,EST-5,2017-07-01 17:55:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gusts in excess of 30 knots was reported at Baber Point." +119062,715023,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-01 17:55:00,EST-5,2017-07-01 18:05:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 40 knots was reported at Pylons." +116088,697874,KENTUCKY,2017,July,Flash Flood,"ROCKCASTLE",2017-07-03 16:30:00,EST-5,2017-07-03 17:30:00,0,0,0,0,0.00K,0,0.00K,0,37.4058,-84.3523,37.4052,-84.3509,"Numerous thunderstorms developed this afternoon in a warm and humid airmass. Several of these propagated over portions of Rockcastle County into southern Jackson County, particularly near the town of Annville. A couple of roads were reported as having at least half of a foot of water flowing over them.","A citizen reported deep water flowing over Mt. Zion Church Road north of Mount Vernon, making the road impassable." +116170,698201,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-04 20:27:00,EST-5,2017-07-04 20:30:00,0,0,0,0,,NaN,,NaN,33.418,-80.636,33.418,-80.636,"Scattered thunderstorms developed during the afternoon and evening of July 4th, a few of which reached severe limits.","Trees downed at Landsdowne Rd and Cascade Dr." +116190,698403,COLORADO,2017,July,Thunderstorm Wind,"WELD",2017-07-06 14:35:00,MST-7,2017-07-06 14:35:00,0,0,0,0,0.00K,0,0.00K,0,40.7,-104.77,40.7,-104.77,"Intense thunderstorm winds produced extensive blowing dust but no damage.","" +116188,698398,COLORADO,2017,July,Hail,"LINCOLN",2017-07-01 19:40:00,MST-7,2017-07-01 19:40:00,0,0,0,0,0.00K,0,0.00K,0,38.66,-103.62,38.66,-103.62,"A severe thunderstorm produced hail up to half dollar size.","" +116199,714632,ALABAMA,2017,July,Flash Flood,"MADISON",2017-07-04 04:25:00,CST-6,2017-07-04 10:00:00,0,0,0,0,0.00K,0,0.00K,0,34.79,-86.49,34.7916,-86.4959,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Flash Flooding ongoing on Homer Nance Road. Road is currently barricaded." +116199,714634,ALABAMA,2017,July,Flash Flood,"JACKSON",2017-07-04 06:00:00,CST-6,2017-07-04 12:00:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-86.25,34.8055,-86.2557,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Approximately 12 inches of water on Highway 65 around Mile Marker 11. Reported by a local resident." +116199,714636,ALABAMA,2017,July,Flash Flood,"MADISON",2017-07-04 07:48:00,CST-6,2017-07-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.67,-86.49,34.6669,-86.4894,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Caldwell Road closed in Owens Cross Roads due to flash flooding. Creek overflowed its bank onto roadway." +116264,699017,KENTUCKY,2017,July,Thunderstorm Wind,"HARLAN",2017-07-06 18:06:00,EST-5,2017-07-06 18:06:00,0,0,0,0,,NaN,,NaN,36.87,-83.2,36.87,-83.2,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","Dispatch reported a tree blown down onto power lines in Evarts." +116264,699018,KENTUCKY,2017,July,Thunderstorm Wind,"LAUREL",2017-07-06 16:48:00,EST-5,2017-07-06 16:59:00,0,0,0,0,10.00K,10000,0.00K,0,37,-84.17,37.2344,-83.9999,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","An amateur radio operator and dispatch reported wind damage from Keavy through London and up to McWhorter. A roof barn was damaged in Keavy as a tree was split in half. In McWhorter, a large tree was blown down at the intersection of Kentucky Highways 638 and 578, while power poles were blown down along Harris Karr Road in London." +116264,699729,KENTUCKY,2017,July,Thunderstorm Wind,"LAUREL",2017-07-06 16:45:00,EST-5,2017-07-06 16:46:00,0,0,0,0,,NaN,,NaN,36.9995,-84.2844,36.9995,-84.2801,"An intense line of thunderstorms developed late this afternoon across south-central Kentucky as daytime heating and increasing instability combined with a passing upper level disturbance. Numerous reports of wind damage were reported across the Lake Cumberland region and along the Interstate 75 corridor. This included multiple trees and power poles/lines being knocked down, as well as a couple of roofs being significantly damaged. This line of storms initially produced sub-severe hail, signifying its intensity in a rather warm summertime environment. One instance of flooding was reported in Mount Vernon as several days of moderate to heavy rainfall preceded heavy rain moving through this evening. Additional wind damage took place throughout southeastern Kentucky as this line raced east, resulting in additional downed trees and utility equipment.","An NWS Storm Survey revealed a roughly 1500 foot swath of snapped and uprooted trees paralleling Kentucky Highway 192 near the intersection with Kentucky Highway 1193 west of Keavy." +116677,701521,FLORIDA,2017,July,Hail,"ORANGE",2017-07-20 16:19:00,EST-5,2017-07-20 16:19:00,0,0,0,0,0.00K,0,0.00K,0,28.45,-81.41,28.45,-81.41,"A collision of the east and west coast sea breezes over the interior of Central Florida produced two severe thunderstorms that resulted in quarter-sized hail in Orange and Volusia Counties. A funnel cloud was also reported in Osceola County.","Broadcast media relayed a report of a viewer-submitted photo of quarter-sized hail near the West Sand Lake Road (State Road 482) area. The location was approximated to be between the Florida Turnpike and South Orange Blossom Trail (U.S. Highway 441)." +116198,698532,FLORIDA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-04 16:05:00,EST-5,2017-07-04 16:05:00,0,0,0,0,0.00K,0,0.00K,0,28.6,-81.34,28.6,-81.34,"Sea breeze collisions over the central Florida peninsula produced several severe thunderstorms in Orange and Lake counties during the late afternoon. Several reports of quarter sized hail and wind damage were received from the north Orlando suburbs. A nickel sized hail report was also received from Lake County.","Broadcast Media relayed several images and a video on Twitter of several large downed trees in the Winter Park area. Several pictures showed large downed trees blocking Lee Road and Edwin Boulevard." +116198,698533,FLORIDA,2017,July,Hail,"ORANGE",2017-07-04 16:15:00,EST-5,2017-07-04 16:15:00,0,0,0,0,0.00K,0,0.00K,0,28.61,-81.39,28.61,-81.39,"Sea breeze collisions over the central Florida peninsula produced several severe thunderstorms in Orange and Lake counties during the late afternoon. Several reports of quarter sized hail and wind damage were received from the north Orlando suburbs. A nickel sized hail report was also received from Lake County.","Broadcast Media relayed video of nickel sized hail in a suburban area near the intersection of State Road 423 and Interstate 4." +116198,698535,FLORIDA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-04 16:35:00,EST-5,2017-07-04 16:35:00,0,0,0,0,0.00K,0,0.00K,0,28.6602,-81.5114,28.6602,-81.5114,"Sea breeze collisions over the central Florida peninsula produced several severe thunderstorms in Orange and Lake counties during the late afternoon. Several reports of quarter sized hail and wind damage were received from the north Orlando suburbs. A nickel sized hail report was also received from Lake County.","Broadcast Media relayed reports via Twitter of a downed tree and downed power lines in South Apopka. The power lines were downed across 15th street and Central Avenue, while the downed tree was on Chisholm Street." +116198,698534,FLORIDA,2017,July,Hail,"ORANGE",2017-07-04 16:20:00,EST-5,2017-07-04 16:20:00,0,0,0,0,0.00K,0,0.00K,0,28.63,-81.37,28.63,-81.37,"Sea breeze collisions over the central Florida peninsula produced several severe thunderstorms in Orange and Lake counties during the late afternoon. Several reports of quarter sized hail and wind damage were received from the north Orlando suburbs. A nickel sized hail report was also received from Lake County.","Broadcast Media relayed a report via Twitter of quarter sized hail in Maitland." +116937,703299,NEW MEXICO,2017,July,Thunderstorm Wind,"ROOSEVELT",2017-07-22 17:10:00,MST-7,2017-07-22 17:13:00,0,0,0,0,0.00K,0,0.00K,0,34.44,-103.85,34.44,-103.85,"Abundant moisture and instability in place over eastern New Mexico set the stage for numerous showers and thunderstorm to develop across the region. Several clusters of thunderstorms moved slowly southwest through the eastern plains. One particularly strong area of storms near Clovis produced outflow wind gusts up to 60 mph from the Clovis airport westward to Cannon AFB and Melrose around 6 pm. Another cluster of storms that moved through the area later in the evening produced a peak wind gust to 70 mph at the Fort Sumner Columbia Scientific Balloon Facility. Minor tree damage was reported with the storms that pushed across U.S. Highway 60 near Melrose.","Peak wind gust up to 60 mph near Tolar. A couple tree limbs between three and four inches in diameter were broken." +116937,703300,NEW MEXICO,2017,July,Thunderstorm Wind,"DE BACA",2017-07-22 22:45:00,MST-7,2017-07-22 22:48:00,0,0,0,0,0.00K,0,0.00K,0,34.48,-104.22,34.48,-104.22,"Abundant moisture and instability in place over eastern New Mexico set the stage for numerous showers and thunderstorm to develop across the region. Several clusters of thunderstorms moved slowly southwest through the eastern plains. One particularly strong area of storms near Clovis produced outflow wind gusts up to 60 mph from the Clovis airport westward to Cannon AFB and Melrose around 6 pm. Another cluster of storms that moved through the area later in the evening produced a peak wind gust to 70 mph at the Fort Sumner Columbia Scientific Balloon Facility. Minor tree damage was reported with the storms that pushed across U.S. Highway 60 near Melrose.","Fort Sumner CSBF peak wind gust up to 70 mph." +116937,703297,NEW MEXICO,2017,July,Thunderstorm Wind,"CURRY",2017-07-22 16:15:00,MST-7,2017-07-22 16:20:00,0,0,0,0,0.00K,0,0.00K,0,34.39,-103.31,34.39,-103.31,"Abundant moisture and instability in place over eastern New Mexico set the stage for numerous showers and thunderstorm to develop across the region. Several clusters of thunderstorms moved slowly southwest through the eastern plains. One particularly strong area of storms near Clovis produced outflow wind gusts up to 60 mph from the Clovis airport westward to Cannon AFB and Melrose around 6 pm. Another cluster of storms that moved through the area later in the evening produced a peak wind gust to 70 mph at the Fort Sumner Columbia Scientific Balloon Facility. Minor tree damage was reported with the storms that pushed across U.S. Highway 60 near Melrose.","Cannon AFB peak wind gust to 58 mph." +116994,703690,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-28 16:50:00,EST-5,2017-07-28 16:50:00,0,0,0,0,0.00K,0,0.00K,0,28.5158,-80.64,28.5158,-80.64,"Several thunderstorms developed along the sea breeze in Brevard and St. Lucie counties. These storms produced strong winds along the intracoastal waters as they moved offshore.","US Air Force wind tower 506 measured a peak wind gust of 34 knots from the south." +116994,703691,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-07-28 16:54:00,EST-5,2017-07-28 16:54:00,0,0,0,0,0.00K,0,0.00K,0,27.5,-80.338,27.5,-80.338,"Several thunderstorms developed along the sea breeze in Brevard and St. Lucie counties. These storms produced strong winds along the intracoastal waters as they moved offshore.","The ASOS at the Treasure Coast International airport (KFPR) measured a peak wind gust of 42 knots from the west-northwest as a severe thunderstorm affected the area." +117045,704156,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 20:10:00,EST-5,2017-07-23 21:10:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-75.57,39.8178,-75.567,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Thompson Bridge Road closed due to flooding." +117045,704157,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 20:15:00,EST-5,2017-07-23 21:15:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-75.62,39.7504,-75.6043,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","A swiftwater rescue took place on Faulkin road." +117045,704159,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 20:15:00,EST-5,2017-07-23 21:15:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-75.61,39.7748,-75.5878,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","A rescue occurred on Kennet pike." +117045,704161,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 21:40:00,EST-5,2017-07-23 22:40:00,0,0,0,0,0.00K,0,0.00K,0,39.7145,-75.6486,39.7158,-75.6409,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Red Clay creek at Stanton rose nine and a half feet in three and a half hours." +117045,704163,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-24 01:55:00,EST-5,2017-07-24 01:55:00,0,0,0,0,0.00K,0,0.00K,0,39.64,-75.73,39.6444,-75.7352,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","The Christina river rose four feet in 45 minutes." +117045,704165,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 19:35:00,EST-5,2017-07-23 19:35:00,0,0,0,0,,NaN,,NaN,39.77,-75.61,39.77,-75.61,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Just over three inches of rain fell at a CWOP." +117045,704166,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 19:42:00,EST-5,2017-07-23 19:42:00,0,0,0,0,,NaN,,NaN,39.77,-75.57,39.77,-75.57,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Just over four inches of rain fell." +117045,704168,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 21:11:00,EST-5,2017-07-23 21:11:00,0,0,0,0,,NaN,,NaN,39.82,-75.62,39.82,-75.62,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Just over two inches of rain fell." +117045,704169,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 21:20:00,EST-5,2017-07-23 21:20:00,0,0,0,0,,NaN,,NaN,39.71,-75.64,39.71,-75.64,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Two inches of fell with almost all of it in a three hour period." +117045,704170,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-23 22:10:00,EST-5,2017-07-23 22:10:00,0,0,0,0,,NaN,,NaN,39.8,-75.6,39.8,-75.6,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Just under six inches of rain fell at this DEOS sensor with half an inch in five minutes." +117051,704091,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.46,-74.58,39.46,-74.58,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","A little over two inches of rain fell." +117051,704092,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.52,-74.68,39.52,-74.68,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost six inches of rain fell in 12 hours." +117051,704094,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.01,-74.91,39.01,-74.91,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704095,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.13,-74.71,39.13,-74.71,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Over four inches of rain fell." +117051,704096,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.18,-74.75,39.18,-74.75,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704097,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,39.6,-74.34,39.6,-74.34,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three and a half inches of rain fell in 12 hours." +117051,704098,NEW JERSEY,2017,July,Heavy Rain,"CUMBERLAND",2017-07-29 07:01:00,EST-5,2017-07-29 07:01:00,0,0,0,0,,NaN,,NaN,39.5,-75.01,39.5,-75.01,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost three inches of rain fell in 12 hours." +117051,704099,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:08:00,EST-5,2017-07-29 07:08:00,0,0,0,0,,NaN,,NaN,38.97,-74.84,38.97,-74.84,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over five inches of rain fell." +117051,704100,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:12:00,EST-5,2017-07-29 07:12:00,0,0,0,0,,NaN,,NaN,39.49,-74.51,39.49,-74.51,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost four inches of rain fell." +117051,704101,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:20:00,EST-5,2017-07-29 07:20:00,0,0,0,0,,NaN,,NaN,38.94,-74.9,38.94,-74.9,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Four inches of rain was measured." +116220,698983,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CABELL",2017-07-07 19:55:00,EST-5,2017-07-07 19:55:00,0,0,0,0,2.00K,2000,0.00K,0,38.45,-82.26,38.45,-82.26,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were downed along Blue Sulphur Road." +116220,698984,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CABELL",2017-07-07 20:00:00,EST-5,2017-07-07 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,38.49,-82.17,38.49,-82.17,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Several trees were blown down along Cooper Ridge Road." +116220,698985,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CABELL",2017-07-07 20:05:00,EST-5,2017-07-07 20:05:00,0,0,0,0,2.00K,2000,0.00K,0,38.45,-82.13,38.45,-82.13,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Thunderstorm winds blew down multiple trees along Glenwood Road." +116220,698986,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MASON",2017-07-07 19:38:00,EST-5,2017-07-07 19:38:00,0,0,0,0,0.50K,500,0.00K,0,38.8332,-82.1369,38.8332,-82.1369,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","A tree was blown down along Chestnut Street in Henderson." +116220,698987,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MASON",2017-07-07 19:43:00,EST-5,2017-07-07 19:43:00,0,0,0,0,0.50K,500,0.00K,0,38.8397,-82.0868,38.8397,-82.0868,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Thunderstorm winds blew a tree down along Route 2 east of Point Pleasant." +116220,698988,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MASON",2017-07-07 19:44:00,EST-5,2017-07-07 19:44:00,0,0,0,0,0.50K,500,0.00K,0,38.9868,-81.974,38.9868,-81.974,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","A tree was downed along 5th Street in New Haven." +116220,698989,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-07 17:07:00,EST-5,2017-07-07 17:07:00,0,0,0,0,0.50K,500,0.00K,0,38.72,-79.98,38.72,-79.98,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Thunderstorm winds blew a tree down along Route 250 near Huttonsville." +117337,705841,FLORIDA,2017,July,Tropical Storm,"PINELLAS",2017-07-31 12:00:00,EST-5,2017-07-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb.||In Pinellas county, the strongest winds were limited to the extreme southern portion of the county near the mouth of Tampa Bay. A weatherflow station along the Sunshine Skyway Bridge measured a 49 knot wind gust. These high winds forced the closure of the Skyway Bridge and in Indian Rocks Beach, a crane was toppled over by high winds.|Rainfall was in the 3-5 inch range across the southern portion of the county." +116409,700012,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HAAKON",2017-07-07 18:34:00,MST-7,2017-07-07 18:34:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-101.93,44.02,-101.93,"A severe thunderstorm tracked southeast across northeastern Pennington County, western Haakon County, and northern Jackson County, producing wind gusts around 70 mph.","Wind gusts were estimated at 60 mph." +116409,700017,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-07 18:35:00,MST-7,2017-07-07 18:35:00,0,0,0,0,0.00K,0,0.00K,0,43.96,-101.96,43.96,-101.96,"A severe thunderstorm tracked southeast across northeastern Pennington County, western Haakon County, and northern Jackson County, producing wind gusts around 70 mph.","Small tree branches were downed by the wind." +116409,700020,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-07 19:10:00,MST-7,2017-07-07 19:10:00,0,0,0,0,,NaN,0.00K,0,43.83,-101.8198,43.83,-101.8198,"A severe thunderstorm tracked southeast across northeastern Pennington County, western Haakon County, and northern Jackson County, producing wind gusts around 70 mph.","" +116409,700023,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-07 18:18:00,MST-7,2017-07-07 18:38:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-102.04,44.18,-102.04,"A severe thunderstorm tracked southeast across northeastern Pennington County, western Haakon County, and northern Jackson County, producing wind gusts around 70 mph.","Wind gusts were estimated at 60 mph." +117506,706718,ILLINOIS,2017,July,Excessive Heat,"PERRY",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706717,ILLINOIS,2017,July,Excessive Heat,"MASSAC",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706719,ILLINOIS,2017,July,Excessive Heat,"POPE",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706720,ILLINOIS,2017,July,Excessive Heat,"PULASKI",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117510,706749,KENTUCKY,2017,July,Excessive Heat,"HENDERSON",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706750,KENTUCKY,2017,July,Excessive Heat,"HICKMAN",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706751,KENTUCKY,2017,July,Excessive Heat,"HOPKINS",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117587,707118,GEORGIA,2017,July,Thunderstorm Wind,"THOMAS",2017-07-09 17:05:00,EST-5,2017-07-09 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.88,-84.05,30.88,-84.05,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on Cairo Road near Highway 84." +117587,707119,GEORGIA,2017,July,Thunderstorm Wind,"THOMAS",2017-07-09 17:05:00,EST-5,2017-07-09 17:05:00,0,0,0,0,0.00K,0,0.00K,0,30.86,-83.98,30.86,-83.98,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Two trees were blown down near Glenwood and Bluebird." +117587,707120,GEORGIA,2017,July,Thunderstorm Wind,"IRWIN",2017-07-10 14:45:00,EST-5,2017-07-10 14:45:00,0,0,0,0,0.00K,0,0.00K,0,31.59,-83.25,31.59,-83.25,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Power lines were blown down in Ocilla." +116721,701952,NEW MEXICO,2017,July,Tornado,"CURRY",2017-07-03 14:30:00,MST-7,2017-07-03 14:45:00,0,0,0,0,0.00K,0,0.00K,0,34.73,-103.21,34.7309,-103.1956,"A cluster of thunderstorms that developed over eastern New Mexico during the late afternoon hours strengthened as it moved eastward into deeper moisture near the Texas state line. Several strong thunderstorms shifting east along the U.S. Highway 60 corridor produced heavy rainfall and strong winds. One of these storms became severe as it approached the Clovis area and produced a wind gust to 66 mph at Cannon Air Force Base and a brief tornado north of Clovis.","A well developed landspout tornado touched down near SR-209 and C.R. 32 and remained on the ground for 15 minutes. No damage occurred." +117590,707164,GEORGIA,2017,July,Thunderstorm Wind,"LOWNDES",2017-07-25 18:03:00,EST-5,2017-07-25 18:03:00,0,0,0,0,15.00K,15000,0.00K,0,30.68,-83.18,30.68,-83.18,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down onto a car on Zeigler Road." +117359,707184,NEBRASKA,2017,July,Thunderstorm Wind,"SIOUX",2017-07-27 16:00:00,MST-7,2017-07-27 16:02:00,0,0,0,0,0.00K,0,0.00K,0,42.8906,-103.9932,42.8906,-103.9932,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated wind gusts of 60 mph were observed." +116227,698838,MISSOURI,2017,July,Thunderstorm Wind,"BARRY",2017-07-07 18:15:00,CST-6,2017-07-07 18:15:00,0,0,0,0,1.00K,1000,0.00K,0,36.82,-93.92,36.82,-93.92,"A cold front moved through the Missouri Ozarks with a few severe thunderstorms and large hail.","A large tent was damaged at a high school. There was some tree damage as well." +117358,707207,WYOMING,2017,July,Thunderstorm Wind,"GOSHEN",2017-07-27 21:15:00,MST-7,2017-07-27 21:16:00,0,0,0,0,0.00K,0,0.00K,0,42.21,-104.52,42.21,-104.52,"Thunderstorms produced damaging wind gusts estimated between 75 and 90 mph at Fort Laramie and south of Torrington in Goshen County.","Estimated 75 mph wind gusts blew down utility poles at Fort Laramie." +117311,705524,NEW MEXICO,2017,July,Flash Flood,"TAOS",2017-07-31 13:00:00,MST-7,2017-07-31 14:00:00,0,0,0,0,0.00K,0,0.00K,0,36.7034,-105.4677,36.7057,-105.4603,"Abundant moisture and instability in place over New Mexico on the final day of July 2017 resulted in more flash flashing. Several days of heavy rainfall set the stage for saturated soils and rapid runoff. Very weak steering flow led to nearly stationary thunderstorms with impressive rainfall rates near three inches per hour. Heavy rainfall on very steep terrain west of Red River produced flash flooding across state highway 138 near mile marker nine. The highway was closed for around four hours. Torrential rainfall near Mariano Lake produced flash flooding on reservation routes 49 and 11. A deluge of rainfall on a ranch near Clines Corners produced 1.5 inches in just 35 minutes. A strong thunderstorm with frequent lightning strikes moved across the Albuquerque metro and destroyed a large tree outside a home in Four Hills. Showers and thunderstorms across eastern New Mexico congealed into a large area of heavy rainfall around Portales. This second round of very heavy rainfall on top of saturated soils resulted in serious flooding within Roosevelt County. Vehicles were stranded on U.S. Highway 70 and state police reported a lake covering miles of the highway. State road 267 was also washed out. The Roswell airport set a new daily rainfall record of 1.03 inches, breaking the previous record of 0.84 inches from 1997.","Large mudslide over state highway 138 at mile marker 9. Large boulders covered the highway. Road closed for nearly four hours." +117311,705525,NEW MEXICO,2017,July,Flash Flood,"MCKINLEY",2017-07-31 13:39:00,MST-7,2017-07-31 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.5706,-108.2942,35.5782,-108.3161,"Abundant moisture and instability in place over New Mexico on the final day of July 2017 resulted in more flash flashing. Several days of heavy rainfall set the stage for saturated soils and rapid runoff. Very weak steering flow led to nearly stationary thunderstorms with impressive rainfall rates near three inches per hour. Heavy rainfall on very steep terrain west of Red River produced flash flooding across state highway 138 near mile marker nine. The highway was closed for around four hours. Torrential rainfall near Mariano Lake produced flash flooding on reservation routes 49 and 11. A deluge of rainfall on a ranch near Clines Corners produced 1.5 inches in just 35 minutes. A strong thunderstorm with frequent lightning strikes moved across the Albuquerque metro and destroyed a large tree outside a home in Four Hills. Showers and thunderstorms across eastern New Mexico congealed into a large area of heavy rainfall around Portales. This second round of very heavy rainfall on top of saturated soils resulted in serious flooding within Roosevelt County. Vehicles were stranded on U.S. Highway 70 and state police reported a lake covering miles of the highway. State road 267 was also washed out. The Roswell airport set a new daily rainfall record of 1.03 inches, breaking the previous record of 0.84 inches from 1997.","Flash flood covering reservation route 49 east of Mariano Lake." +119834,718480,KANSAS,2017,August,Thunderstorm Wind,"GOVE",2017-08-10 13:10:00,CST-6,2017-08-10 13:10:00,0,0,0,0,1.00K,1000,0.00K,0,39.0735,-100.1864,39.0735,-100.1864,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","A large tree was split in two." +119834,718482,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:34:00,CST-6,2017-08-10 12:40:00,0,0,0,0,0.00K,0,0.00K,0,39.379,-100.4239,39.379,-100.4239,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Estimated the wind gust to be 60-70 MPH." +120539,722130,KANSAS,2017,January,Ice Storm,"WOODSON",2017-01-13 13:00:00,CST-6,2017-01-15 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county varied between 0.2 inches in the northern sections to near 0.3 inches across the far southern sections." +120539,722132,KANSAS,2017,January,Ice Storm,"MCPHERSON",2017-01-14 19:00:00,CST-6,2017-01-15 19:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county were up to 0.25 inches." +118179,710209,MASSACHUSETTS,2017,July,Flood,"WORCESTER",2017-07-12 17:38:00,EST-5,2017-07-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.0274,-71.9661,42.0338,-71.9685,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 538 PM EST, West Main Street in Dudley was flooded and impassable near the Connecticut State Line. Also, Southbridge Road near near the Connecticut State Line was also flooded and impassable. Also, at 626 PM EST Center Road was flooded and impassable." +118179,710217,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 18:04:00,EST-5,2017-07-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.424,-71.2331,42.4422,-71.1934,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 604 PM EST, cars were disabled due to flooding in Lexington on Waltham Street at Route 2. At 645 PM EST, Lowell Street in Lexington was flooded and impassable between Bryant Road and Fairlawn Lane." +118179,710220,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 18:47:00,EST-5,2017-07-12 21:45:00,0,0,0,0,0.00K,0,0.00K,0,42.3983,-71.127,42.4013,-71.1227,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 647 PM EST, Goreham Street in West Somerville was flooded and impassable. Simpson Avenue was also flooded and impassable. At 715 PM EST, a car was reported stuck in flood waters at Holland and Wallace Streets." +118179,710219,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 18:47:00,EST-5,2017-07-12 21:45:00,0,0,0,0,0.00K,0,0.00K,0,42.3748,-71.0893,42.3805,-71.0905,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 647 PM EST, Medford Street in East Somerville was flooded and impassable at the underpass beneath the railroad tracks. At 709 PM EST, Washington Street was flooded and impassable beneath the Route 28 overpass." +118179,710221,MASSACHUSETTS,2017,July,Flood,"SUFFOLK",2017-07-12 19:17:00,EST-5,2017-07-12 22:15:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-71.04,42.4084,-71.0244,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 717 PM EST, Carter Street in Chelsea was under a foot and a half of water between Addison Street and Beech Street. At 724 PM, the Revere Beach Parkway eastbound near Webster Avenue was closed due to flooding." +118179,710222,MASSACHUSETTS,2017,July,Hail,"WORCESTER",2017-07-12 11:57:00,EST-5,2017-07-12 12:02:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-71.52,42.15,-71.52,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At Noon EST, one and one-quarter inch diameter hail fell at Milford. One-inch diameter hail fell at Milford at 1157 AM." +118406,711611,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:30:00,EST-5,2017-07-17 15:30:00,0,0,0,0,,NaN,,NaN,43.05,-73.99,43.05,-73.99,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was downed across Jockey Street due to thunderstorm winds." +118406,711597,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:31:00,EST-5,2017-07-17 15:31:00,0,0,0,0,,NaN,,NaN,42.96,-73.86,42.96,-73.86,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was downed due to thunderstorm winds." +118406,711598,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:32:00,EST-5,2017-07-17 15:32:00,0,0,0,0,,NaN,,NaN,42.98,-73.86,42.98,-73.86,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was snapped off 20 feet above the ground." +118406,711602,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:33:00,EST-5,2017-07-17 15:33:00,0,0,0,0,,NaN,,NaN,42.99,-73.83,42.99,-73.83,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Several reports of trees down across Eastline Road between Route 67 and East High Street." +118406,711603,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:33:00,EST-5,2017-07-17 15:33:00,0,0,0,0,,NaN,,NaN,43.2,-73.62,43.2,-73.62,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Wires down across Jewell Road near Kobor Road." +118406,711604,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:40:00,EST-5,2017-07-17 15:40:00,0,0,0,0,,NaN,,NaN,43.1126,-73.7717,43.1126,-73.7717,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Trees and wires were downed across Daniels Road near Route 9." +118627,712659,ARKANSAS,2017,July,Excessive Heat,"CROSS",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712660,ARKANSAS,2017,July,Excessive Heat,"ST. FRANCIS",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118627,712626,ARKANSAS,2017,July,Heat,"MISSISSIPPI",2017-07-19 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712627,ARKANSAS,2017,July,Heat,"POINSETT",2017-07-19 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +117803,708182,MISSISSIPPI,2017,July,Flash Flood,"LINCOLN",2017-07-24 11:40:00,CST-6,2017-07-24 13:00:00,0,0,0,0,15.00K,15000,0.00K,0,31.7107,-90.4154,31.5902,-90.4569,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Parts of Lipsey Street was covered in water, and yards were also covered in water. Water was on Highway 51 in the northeast part of the county, and was across Old Malcum Road." +118627,712633,ARKANSAS,2017,July,Heat,"RANDOLPH",2017-07-20 17:00:00,CST-6,2017-07-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118627,712634,ARKANSAS,2017,July,Heat,"LAWRENCE",2017-07-20 17:00:00,CST-6,2017-07-23 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +117803,708183,MISSISSIPPI,2017,July,Flash Flood,"RANKIN",2017-07-24 11:50:00,CST-6,2017-07-24 13:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.363,-90.036,32.3668,-90.0368,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Flooding occurred on Farmington Station Blvd." +117671,713195,NEW YORK,2017,July,Flood,"HERKIMER",2017-07-01 15:30:00,EST-5,2017-07-02 00:15:00,0,0,0,0,500.00K,500000,0.00K,0,43.0276,-75.0085,43.0478,-74.9748,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","High water due to flash flooding from earlier in the day continued to cause impassable roadways into the evening hours on Saturday, July 1st throughout the village of Herkimer. Runoff from flash flooding caused the West Canada Creek at Kast Bridge to exceed moderate flood stage at 3:40 PM EST, crest at 4:30 PM EST and fall below flood stage by 7:12 PM EST." +118642,712819,MONTANA,2017,July,Wildfire,"GARFIELD",2017-07-10 11:10:00,MST-7,2017-07-17 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Record drought conditions, along with human activity and dry lightning, ignited a handful of wildfires throughout the month of July, one of which was the Blue Ridge Complex Fire, which was burning for approximately one week.","A grassland/wildfire was ignited on the morning of July 10th due to unknown causes. This fire burned until the morning of July 17th with a total of 3,034 acres burned." +118644,712826,MONTANA,2017,July,Wildfire,"PETROLEUM",2017-07-19 12:15:00,MST-7,2017-07-26 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Record drought conditions, along with human activity and dry lightning, ignited a handful of wildfires throughout the month of July, one of which was the Crying Fire.","Located in Petroleum County west of the Musselshell River and about 50 miles north of Winnett, Montana, the Crying Fire was reported mid-day July 19th and burned in grass, sage and timber on BLM, Private, State and Charles M. Russell National Wildlife Refuge lands. The fire was lightning caused. Crews responded from the U.S. Bureau of Land Management, U.S. Fish & Wildlife Service, U.S. Forest Service, Montana Department of Natural Resources and Petroleum County. No accidents or injuries occurred, although two outbuildings were lost. The fire burned 7,925 acres." +117996,709329,ARKANSAS,2017,July,Flash Flood,"CRAIGHEAD",2017-07-25 15:30:00,CST-6,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8239,-90.6629,35.8176,-90.6624,"A nearly stationary thunderstorm with very high rain rates produced flash flooding across portions of northeast Arkansas during the late afternoon hours of July 25th.","Flash flooding reported on 1800 block of East Highland Drive in Jonesboro." +118709,713145,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-01 18:15:00,CST-6,2017-07-01 18:16:00,0,0,0,0,0.00K,0,0.00K,0,32.4072,-87.1231,32.4072,-87.1231,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted along Highway 219." +118709,713146,ALABAMA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-03 16:22:00,CST-6,2017-07-03 16:23:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-85.75,34.18,-85.75,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted near the town of Leesburg." +118709,713150,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-05 13:55:00,CST-6,2017-07-05 13:57:00,0,0,0,0,0.00K,0,0.00K,0,33.97,-86.08,33.97,-86.08,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Numerous trees uprooted in the city of Gadsden." +118709,713151,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-05 14:00:00,CST-6,2017-07-05 14:02:00,0,0,0,0,0.00K,0,0.00K,0,33.95,-85.93,33.95,-85.93,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted in the city of Glencoe." +118709,713152,ALABAMA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-05 14:03:00,CST-6,2017-07-05 14:04:00,0,0,0,0,0.00K,0,0.00K,0,33.5752,-86.702,33.5752,-86.702,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted at Rutherford Circle in the city of Birmingham." +118709,713153,ALABAMA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-06 14:59:00,CST-6,2017-07-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,33.78,-86.02,33.78,-86.02,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted in the town of Ohatchee." +116401,700121,KANSAS,2017,July,Thunderstorm Wind,"OSBORNE",2017-07-02 23:25:00,CST-6,2017-07-02 23:25:00,0,0,0,0,0.00K,0,0.00K,0,39.4434,-98.7072,39.4434,-98.7072,"Thunderstorms produced severe wind in some parts of north central Kansas late on this Sunday evening, even with a stabilized boundary layer. During the evening hours, thunderstorms over southwest Nebraska developed into a small squall line. This line of storms surged across Phillips, Rooks, and Osborne Counties, as well as parts of Smith and Mitchell Counties, between 10 pm and 12:30 am CST. Severe winds were measured at several stations in Phillips and Osborne Counties, with the highest gust 71 mph at Logan. No reports of damage were received.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal and located over the northern United States. A broad trough was over the Great Lakes. A weak shortwave trough was migrating across the Central Plains. Despite temperatures in the middle to upper 70s, the cold pool associated with this squall line was deep enough to continue initiating strong updrafts. Mid-level lapse rates were steep (7-7.5 C/km), resulting in MUCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +116401,700124,KANSAS,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-02 22:36:00,CST-6,2017-07-02 22:45:00,0,0,0,0,0.00K,0,0.00K,0,39.73,-99.32,39.67,-99.1952,"Thunderstorms produced severe wind in some parts of north central Kansas late on this Sunday evening, even with a stabilized boundary layer. During the evening hours, thunderstorms over southwest Nebraska developed into a small squall line. This line of storms surged across Phillips, Rooks, and Osborne Counties, as well as parts of Smith and Mitchell Counties, between 10 pm and 12:30 am CST. Severe winds were measured at several stations in Phillips and Osborne Counties, with the highest gust 71 mph at Logan. No reports of damage were received.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal and located over the northern United States. A broad trough was over the Great Lakes. A weak shortwave trough was migrating across the Central Plains. Despite temperatures in the middle to upper 70s, the cold pool associated with this squall line was deep enough to continue initiating strong updrafts. Mid-level lapse rates were steep (7-7.5 C/km), resulting in MUCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","The AWOS at the Phillipsburg Airport measured wind gusts of 64 MPH at 11:42 p.m., 62 MPH at 11:39 p.m. and 61 MPH at 11:36 p.m. CDT. A mesonet station located 4 miles west of Kirwin measured a gust of 60 MPH at 11:45 p.m. CDT." +116574,701036,NEBRASKA,2017,July,Heavy Rain,"FRANKLIN",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-99.17,40.28,-99.17,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.90 inches was measured." +116574,701037,NEBRASKA,2017,July,Heavy Rain,"WEBSTER",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2791,-98.6337,40.2791,-98.6337,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.82 inches was measured." +118783,714331,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-08 16:39:00,EST-5,2017-07-08 16:39:00,0,0,0,0,0.00K,0,0.00K,0,34.985,-81.826,35.023,-81.804,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Highway Patrol reported trees blown down at River St and Cherry Hill Rd and at Clifton Glendale Rd and Goldmine Rd southwest of Cowpens, and on Battleground Rd in Cowpens." +118783,714332,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SPARTANBURG",2017-07-08 16:18:00,EST-5,2017-07-08 16:18:00,0,0,0,0,0.00K,0,0.00K,0,35.095,-82.004,35.159,-81.919,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Highway patrol reported a tree blown down at River Oak Rd and Mud Creek Rd and another tree down at Highway 11 and Parris Bridge Rd." +118783,714333,SOUTH CAROLINA,2017,July,Hail,"PICKENS",2017-07-08 15:57:00,EST-5,2017-07-08 15:57:00,0,0,0,0,,NaN,,NaN,34.83,-82.58,34.83,-82.58,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Media reported 3/4 inch hail in the Easley area." +118783,713571,SOUTH CAROLINA,2017,July,Hail,"PICKENS",2017-07-08 15:30:00,EST-5,2017-07-08 15:30:00,0,0,0,0,,NaN,,NaN,35.019,-82.692,35.001,-82.652,"Numerous thunderstorms and clusters of storms developed across Upstate South Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some hail.","Trained spotters reported nickel size hail at Lake Oolenoy, with dime to penny size hail in and around Pumpkintown." +118782,713572,TEXAS,2017,July,Thunderstorm Wind,"COMAL",2017-07-30 15:54:00,CST-6,2017-07-30 15:54:00,0,0,0,0,,NaN,0.00K,0,29.84,-98.26,29.84,-98.26,"A weak frontal boundary moved into South Central Texas and generated thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that broke tree limbs and damaged the roof of a hardware store in Startzville." +118782,713573,TEXAS,2017,July,Thunderstorm Wind,"COMAL",2017-07-30 15:54:00,CST-6,2017-07-30 15:54:00,0,0,0,0,,NaN,0.00K,0,29.84,-98.27,29.8415,-98.2739,"A weak frontal boundary moved into South Central Texas and generated thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that blew down numerous large trees over a quarter mile area between Startz Rd. and FM 3159 near Startzville." +118784,713575,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-04 17:13:00,CST-6,2017-07-04 17:13:00,0,0,0,0,0.00K,0,0.00K,0,34.89,-102.99,34.89,-102.99,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","" +118864,714138,LAKE ST CLAIR,2017,July,Marine Thunderstorm Wind,"LAKE ST CLAIR (U.S. PORTION)",2017-07-07 17:31:00,EST-5,2017-07-07 17:31:00,0,0,0,0,0.00K,0,0.00K,0,42.6105,-82.8318,42.6105,-82.8318,"Thunderstorms moving through Lake St. Clair during the early morning hours of July 7th, and during the early evening hours produced wind gusts to 42 mph.","" +118487,711935,MICHIGAN,2017,July,Hail,"GENESEE",2017-07-07 15:35:00,EST-5,2017-07-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,43.11,-83.66,43.11,-83.66,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118865,714140,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-07-07 04:59:00,EST-5,2017-07-07 04:59:00,0,0,0,0,0.00K,0,0.00K,0,42,-83.14,42,-83.14,"Thunderstorms moving through Lake Erie during the early morning hours produced wind gusts to 69 mph.","" +118849,714028,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DILLON",2017-07-15 17:18:00,EST-5,2017-07-15 17:19:00,0,0,0,0,1.00K,1000,0.00K,0,34.4026,-79.3192,34.4026,-79.3192,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on Highway 9. The time was estimated based on radar data." +118863,714137,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"HORRY",2017-07-23 16:33:00,EST-5,2017-07-23 16:34:00,0,0,0,0,1.00K,1000,0.00K,0,34.1072,-79.1291,34.1072,-79.1291,"Thunderstorms developed along the seabreeze and Piedmont Trough during the afternoon and early evening.","A tree was reported down on Highway 917." +118863,714161,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MARLBORO",2017-07-23 17:10:00,EST-5,2017-07-23 17:11:00,0,0,0,0,1.00K,1000,0.00K,0,34.5106,-79.6415,34.5106,-79.6415,"Thunderstorms developed along the seabreeze and Piedmont Trough during the afternoon and early evening.","A tree was reported down on the roadway. The time was estimated based on radar data." +118868,714166,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"AURORA",2017-07-25 16:30:00,CST-6,2017-07-25 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,43.71,-98.52,43.71,-98.52,"Thunderstorms once again developed over eastern South Dakota and became severe. Strong winds and large hail were quite common with the storms as they moved east.","Broken windshields causing by wind blown hail along Interstate 90 between mile markers 305 and 308." +118863,714184,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FLORENCE",2017-07-23 18:10:00,EST-5,2017-07-23 18:11:00,0,0,0,0,3.00K,3000,0.00K,0,34.1705,-79.6864,34.1705,-79.6864,"Thunderstorms developed along the seabreeze and Piedmont Trough during the afternoon and early evening.","Trees were reported down on Old Wallace Gregg Rd. near E National Cemetery Rd." +118846,713992,NORTH CAROLINA,2017,July,Flash Flood,"COLUMBUS",2017-07-09 18:20:00,EST-5,2017-07-09 21:00:00,0,0,0,0,7.00K,7000,0.00K,0,34.1691,-78.87,34.1711,-78.8702,"Thunderstorms developed in a moist and moderately unstable environment. Outflow boundaries organized thunderstorms into back-building clusters which produced 2 to 5 inches of rain.","Water was reportedly rushing across Old Stake Rd. just to the north of Tabor City. Some water entered a car that was driving through the flood waters." +120152,719887,SOUTH DAKOTA,2017,August,Hail,"BRULE",2017-08-25 16:45:00,CST-6,2017-08-25 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.69,-99.31,43.69,-99.31,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","" +120152,719888,SOUTH DAKOTA,2017,August,Hail,"BRULE",2017-08-25 16:50:00,CST-6,2017-08-25 16:50:00,0,0,0,0,0.00K,0,0.00K,0,43.64,-99.27,43.64,-99.27,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","" +120152,719889,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"MINER",2017-08-25 18:20:00,CST-6,2017-08-25 18:20:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.52,44.01,-97.52,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","Tree limbs downed across the entire town." +120152,719890,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"LAKE",2017-08-25 18:50:00,CST-6,2017-08-25 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.17,44.01,-97.17,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","Numerous tents, porta potties, and trash cans were blown over at Prairie Village." +120152,719891,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"BRULE",2017-08-25 17:05:00,CST-6,2017-08-25 17:05:00,0,0,0,0,0.00K,0,0.00K,0,43.6,-99.27,43.6,-99.27,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","A few branches were downed." +120152,719892,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"LAKE",2017-08-25 18:30:00,CST-6,2017-08-25 18:30:00,0,0,0,0,0.00K,0,0.00K,0,44,-97.37,44,-97.37,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","Tree branches were downed." +120152,719893,SOUTH DAKOTA,2017,August,Thunderstorm Wind,"LAKE",2017-08-25 18:50:00,CST-6,2017-08-25 18:50:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-97.17,44.01,-97.17,"Hail and strong winds impacted a portion of east central South Dakota as a complex of severe thunderstorms moved through the area.","Tree branches downed." +116820,703577,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:48:00,CST-6,2017-06-14 17:53:00,0,0,0,0,,NaN,,NaN,31.8797,-102.3548,31.8797,-102.3548,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +114896,689226,NEW JERSEY,2017,May,Hail,"CUMBERLAND",2017-05-25 16:55:00,EST-5,2017-05-25 16:55:00,0,0,0,0,,NaN,,NaN,39.46,-75.3,39.46,-75.3,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Measured." +116400,700142,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-02 20:07:00,CST-6,2017-07-02 20:07:00,0,0,0,0,10.00K,10000,0.00K,0,40.3107,-100.1298,40.3107,-100.1298,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","Wind gusts were estimated to be near 70 MPH. Tree limbs of 4 to 6 inches were downed." +119070,715095,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-22 13:34:00,EST-5,2017-07-22 13:39:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 36 knots were measured at Nationals Park." +119070,715096,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-22 13:35:00,EST-5,2017-07-22 13:38:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts of 36 to 42 knots were reported at Reagan National." +119070,715097,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-22 13:36:00,EST-5,2017-07-22 13:42:00,0,0,0,0,,NaN,,NaN,38.87,-77.02,38.87,-77.02,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 37 knots were reported." +119070,715098,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:03:00,EST-5,2017-07-22 14:18:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 44 knots were reported at Herring Bay." +119070,715100,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:11:00,EST-5,2017-07-22 14:16:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 40 knots was reported at Tolly Point." +119070,715101,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:15:00,EST-5,2017-07-22 14:20:00,0,0,0,0,,NaN,,NaN,38.92,-76.36,38.92,-76.36,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts of 37 to 43 knots were reported at Kent Island." +117638,709342,NEW YORK,2017,July,Flash Flood,"CORTLAND",2017-07-14 16:30:00,EST-5,2017-07-14 17:45:00,0,0,0,0,20.00K,20000,0.00K,0,42.4721,-76.1243,42.4884,-76,"A warm front began advancing across Central New York by early in the afternoon. This feature triggered numerous rounds of heavy rain producing thunderstorms from the southern Finger Lakes through the Southern Tier of NY. Localized rainfall amounts were estimated to exceed 3 inches across southern Cortland county. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Severe flash flooding led to multiple reports of road closures and swift water rescues in and near the Village of Marathon." +118008,714062,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 22:58:00,EST-5,2017-07-23 23:50:00,0,0,0,0,125.00K,125000,0.00K,0,41.9953,-76.3694,41.9963,-76.3001,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Extensive flash flooding within Windham Township along Wappasening Creek, and other small streams, created the need for evacuations and multiple water rescues." +117589,707357,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-01 15:30:00,EST-5,2017-07-01 16:20:00,0,0,0,0,200.00K,200000,0.00K,0,42.78,-76.48,42.7,-76.46,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding continued along most creeks and urbanized areas throughout Moravia. Many residents were evacuated from their homes in low lying areas. Culverts and roads were washed out in many locations. The Owasco Lake Inlet exceeded its major flood stage." +118008,714086,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 23:00:00,EST-5,2017-07-24 01:25:00,0,0,0,0,10.00K,10000,0.00K,0,41.9396,-76.377,41.9445,-76.3165,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Colton Hollow Road was washed out near Route 187." +116820,723642,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,1.00M,1000000,,NaN,31.8942,-102.309,31.8942,-102.309,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Numerous reports of baseball sized hail were reported by the public in Odessa. This hail broke windows on cars and homes. The cost of damage is a very rough estimate." +116820,703556,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:24:00,CST-6,2017-06-14 18:29:00,0,0,0,0,,NaN,,NaN,32.0157,-102.1413,32.0157,-102.1413,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +116938,703316,TEXAS,2017,June,Hail,"HOWARD",2017-06-15 19:15:00,CST-6,2017-06-15 19:20:00,0,0,0,0,,NaN,,NaN,32.2855,-101.3,32.2855,-101.3,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +119062,715808,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 18:26:00,EST-5,2017-07-01 18:26:00,0,0,0,0,,NaN,,NaN,38.2751,-76.8439,38.2751,-76.8439,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts around 50 knots were estimated based on thunderstorm wind damage nearby." +116820,703547,TEXAS,2017,June,Thunderstorm Wind,"ECTOR",2017-06-14 17:58:00,CST-6,2017-06-14 17:58:00,0,0,0,0,,NaN,,NaN,31.9221,-102.3939,31.9221,-102.3939,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Ector County and produced a 64 mph wind gust at the Odessa Airport." +112801,673958,KANSAS,2017,March,Thunderstorm Wind,"ALLEN",2017-03-06 20:12:00,CST-6,2017-03-06 20:40:00,0,0,0,0,100.00K,100000,,NaN,37.8802,-95.4717,37.8787,-95.1766,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A large swath of wind damage occurred from just south of Iola, Kansas to just south of Moran, Kansas. A measured wind gust of 72 mph was recorded at the Iola airport, located south of Iola. There were also several locations that received damage from the strong winds. A mobile home was rolled over and destroyed. A metal barn was blown apart and downed with metal strewn across the area. A garage had it's doors blown in and the roof blown off due to the increase in pressure." +119222,715962,TEXAS,2017,July,Thunderstorm Wind,"TAYLOR",2017-07-01 04:27:00,CST-6,2017-07-01 04:27:00,0,0,0,0,0.00K,0,0.00K,0,32.43,-99.68,32.43,-99.68,"Scattered thunderstorms resulted in a few damaging thunderstorm microbursts across the Concho Valley and the Big Country.","The Abilene ASOS measured a 60 mph thunderstorm wind gust." +118911,714365,TEXAS,2017,July,Thunderstorm Wind,"HOUSTON",2017-07-06 17:15:00,CST-6,2017-07-06 17:15:00,0,0,0,0,0.00K,0,0.00K,0,31.3089,-95.4287,31.3089,-95.4287,"A thunderstorm passing across the northern forecast area produced downburst wind damage.","Trees and power lines were downed around Crockett and the surrounding communities. There was a report of minor deck damage to a residence off of Highway 7." +117177,704823,TEXAS,2017,July,Lightning,"MONTGOMERY",2017-07-15 13:00:00,CST-6,2017-07-15 13:00:00,1,0,0,0,0.00K,0,0.00K,0,30.2381,-95.3007,30.2381,-95.3007,"There was one injury from an afternoon lightning strike.","A lightning strike injured a male near the intersection of FM 1485 and FM 3083 near Grangerland." +118647,712836,TEXAS,2017,July,Lightning,"HARRIS",2017-07-09 19:30:00,CST-6,2017-07-09 19:30:00,0,0,0,0,10.00K,10000,0.00K,0,29.89,-95.66,29.89,-95.66,"Northwestern Houston thunderstorms created heavy rainfall that lead to flooding. These area thunderstorms also generated multiple lightning strikes that caused a couple of fires.","A house fire was caused by a lightning strike." +118647,712837,TEXAS,2017,July,Lightning,"HARRIS",2017-07-09 20:00:00,CST-6,2017-07-09 20:00:00,0,0,0,0,15.00K,15000,0.00K,0,29.99,-95.51,29.99,-95.51,"Northwestern Houston thunderstorms created heavy rainfall that lead to flooding. These area thunderstorms also generated multiple lightning strikes that caused a couple of fires.","An apartment fire was caused by a lightning strike." +118647,714368,TEXAS,2017,July,Flash Flood,"HARRIS",2017-07-09 20:30:00,CST-6,2017-07-09 22:30:00,0,0,0,0,0.00K,0,0.00K,0,29.9191,-95.6141,29.8819,-95.6178,"Northwestern Houston thunderstorms created heavy rainfall that lead to flooding. These area thunderstorms also generated multiple lightning strikes that caused a couple of fires.","High water inundated the frontage roads along Highway 290 at both the Jones Road and Eldridge Parkway intersections making them impassable." +118912,714366,TEXAS,2017,July,Thunderstorm Wind,"HOUSTON",2017-07-08 17:32:00,CST-6,2017-07-08 17:42:00,0,0,0,0,0.00K,0,0.00K,0,31.4184,-95.1608,31.4184,-95.1608,"Clustered thunderstorm cells passed across the northeastern forecast area and produced winds that downed numerous trees.","Trees were downed within the Davy Crockett National Forest along FM 227 between Highway 21 and Highway 7." +118912,714367,TEXAS,2017,July,Thunderstorm Wind,"LIBERTY",2017-07-08 19:59:00,CST-6,2017-07-08 20:09:00,0,0,0,0,0.00K,0,0.00K,0,30.4523,-94.7689,30.4523,-94.7689,"Clustered thunderstorm cells passed across the northeastern forecast area and produced winds that downed numerous trees.","Trees were blown down along FM 146 near the town of Rye." +118913,714369,TEXAS,2017,July,Tornado,"POLK",2017-07-15 14:27:00,CST-6,2017-07-15 14:30:00,0,0,0,0,40.00K,40000,0.00K,0,30.7418,-94.9982,30.7367,-95.0006,"A severe thunderstorm spawned a tornado outside of the town of Livingston.","The tornado was spotted off of Highway 190 west of Livingston. The tornado was reported to damage some storage facility roofs." +119278,716245,OKLAHOMA,2017,July,Excessive Heat,"PITTSBURG",2017-07-21 14:00:00,CST-6,2017-07-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716246,OKLAHOMA,2017,July,Excessive Heat,"HASKELL",2017-07-21 14:00:00,CST-6,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716247,OKLAHOMA,2017,July,Excessive Heat,"LATIMER",2017-07-21 14:00:00,CST-6,2017-07-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716248,OKLAHOMA,2017,July,Excessive Heat,"PUSHMATAHA",2017-07-23 11:00:00,CST-6,2017-07-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119278,716249,OKLAHOMA,2017,July,Excessive Heat,"CHOCTAW",2017-07-23 11:00:00,CST-6,2017-07-23 18:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure over the south central United States resulted in a period of unseasonably hot weather over the area in late July. Temperatures on the 21st and 22nd climbed to near 100 degrees across much of eastern Oklahoma. This heat, combined with high humidity, resulted in afternoon heat index values in the 110 to 115 degree range. This heat continued through the afternoon of the 23rd in portions of southeastern Oklahoma. At least eleven people were treated for heat-related illness in Tulsa on those dates, most of which were transported to local hospitals.","" +119100,715263,NORTH DAKOTA,2017,July,Hail,"RENVILLE",2017-07-21 19:00:00,CST-6,2017-07-21 19:05:00,0,0,0,0,0.00K,0,0.00K,0,48.89,-101.63,48.89,-101.63,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715265,NORTH DAKOTA,2017,July,Hail,"RENVILLE",2017-07-21 19:05:00,CST-6,2017-07-21 19:08:00,0,0,0,0,0.00K,0,0.00K,0,48.87,-101.57,48.87,-101.57,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715266,NORTH DAKOTA,2017,July,Hail,"MCLEAN",2017-07-21 19:07:00,CST-6,2017-07-21 19:10:00,0,0,0,0,0.00K,0,0.00K,0,47.81,-101.3,47.81,-101.3,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715275,NORTH DAKOTA,2017,July,Tornado,"OLIVER",2017-07-21 19:50:00,CST-6,2017-07-21 19:55:00,0,0,0,0,0.00K,0,0.00K,0,47.15,-101.07,47.1481,-101.0678,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","There were numerous reports of this tornado over a rural area of eastern Oliver County. It was visible from Bismarck and Mandan. No damage occurred and so the tornado was rated EF0." +119200,715826,MICHIGAN,2017,July,Thunderstorm Wind,"MONROE",2017-07-23 14:45:00,EST-5,2017-07-23 14:45:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-83.57,41.9,-83.57,"Dime sized hail and several reports of trees down east of U.S. 23.","Trees and tree limbs reported down." +119200,715828,MICHIGAN,2017,July,Thunderstorm Wind,"HURON",2017-07-23 16:30:00,EST-5,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-83.27,43.94,-83.27,"Dime sized hail and several reports of trees down east of U.S. 23.","Numerous trees blown down." +119200,715829,MICHIGAN,2017,July,Thunderstorm Wind,"MONROE",2017-07-23 15:12:00,EST-5,2017-07-23 15:12:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-83.41,41.84,-83.41,"Dime sized hail and several reports of trees down east of U.S. 23.","Numerous trees blown down." +119200,715830,MICHIGAN,2017,July,Thunderstorm Wind,"HURON",2017-07-23 16:30:00,EST-5,2017-07-23 16:30:00,0,0,0,0,3.00K,3000,0.00K,0,43.94,-83.27,43.94,-83.27,"Dime sized hail and several reports of trees down east of U.S. 23.","Power lines reported down." +119200,715832,MICHIGAN,2017,July,Thunderstorm Wind,"TUSCOLA",2017-07-23 17:35:00,EST-5,2017-07-23 17:35:00,0,0,0,0,0.00K,0,0.00K,0,43.58,-83.19,43.58,-83.19,"Dime sized hail and several reports of trees down east of U.S. 23.","Trees reported down." +119200,715833,MICHIGAN,2017,July,Thunderstorm Wind,"TUSCOLA",2017-07-23 17:48:00,EST-5,2017-07-23 17:48:00,0,0,0,0,0.00K,0,0.00K,0,43.45,-83.37,43.45,-83.37,"Dime sized hail and several reports of trees down east of U.S. 23.","Trees reported down." +119200,715834,MICHIGAN,2017,July,Thunderstorm Wind,"LAPEER",2017-07-23 18:00:00,EST-5,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,43.16,-83.41,43.16,-83.41,"Dime sized hail and several reports of trees down east of U.S. 23.","Trees and power lines reported down." +119200,715835,MICHIGAN,2017,July,Thunderstorm Wind,"WAYNE",2017-07-23 19:02:00,EST-5,2017-07-23 19:02:00,0,0,0,0,0.00K,0,0.00K,0,42.23,-83.5,42.23,-83.5,"Dime sized hail and several reports of trees down east of U.S. 23.","" +119200,715836,MICHIGAN,2017,July,Hail,"HURON",2017-07-23 16:30:00,EST-5,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-83.27,43.94,-83.27,"Dime sized hail and several reports of trees down east of U.S. 23.","" +116243,699028,INDIANA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-07 20:18:00,EST-5,2017-07-07 20:18:00,0,0,0,0,,NaN,0.00K,0,38.3061,-86.3478,38.306,-86.344,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Local law enforcement reported downed trees blocking Pilot Knob Road." +116243,699026,INDIANA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 20:08:00,EST-5,2017-07-07 20:08:00,0,0,0,0,0.00K,0,0.00K,0,38.6609,-86.0892,38.661,-86.0855,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","The Washington County Emergency Manager reported several downed trees on Delaney Park Road." +116243,699027,INDIANA,2017,July,Thunderstorm Wind,"CLARK",2017-07-07 20:25:00,EST-5,2017-07-07 20:25:00,0,0,0,0,3.00K,3000,0.00K,0,38.47,-85.95,38.47,-85.95,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Local media reported that a tree fell onto and damaged a back porch of a home." +116243,699029,INDIANA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-07 20:58:00,EST-5,2017-07-07 20:58:00,0,0,0,0,,NaN,0.00K,0,38.33,-86.57,38.33,-86.57,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","State officials reported multiple trees down across Crawford County." +116863,702654,ILLINOIS,2017,July,Thunderstorm Wind,"LOGAN",2017-07-10 19:14:00,CST-6,2017-07-10 19:19:00,0,0,0,0,300.00K,300000,0.00K,0,40.15,-89.37,40.15,-89.37,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Numerous trees, power poles and power lines were blown down across Lincoln...creating power outages that lasted for over 12 hours in some cases." +116863,702655,ILLINOIS,2017,July,Thunderstorm Wind,"LOGAN",2017-07-10 19:15:00,CST-6,2017-07-10 19:20:00,0,0,0,0,65.00K,65000,0.00K,0,40.27,-89.2869,40.27,-89.2869,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Several trees were blown down, including two that fell onto cars." +116863,702657,ILLINOIS,2017,July,Thunderstorm Wind,"SANGAMON",2017-07-10 21:04:00,CST-6,2017-07-10 21:09:00,0,0,0,0,40.00K,40000,0.00K,0,39.8,-89.65,39.8,-89.65,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Power lines were blown down." +116863,702659,ILLINOIS,2017,July,Thunderstorm Wind,"CHRISTIAN",2017-07-10 21:30:00,CST-6,2017-07-10 21:35:00,0,0,0,0,15.00K,15000,0.00K,0,39.63,-89.2,39.63,-89.2,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Numerous large tree branches were blown down, including one that fell on a garage." +116863,702660,ILLINOIS,2017,July,Thunderstorm Wind,"CHRISTIAN",2017-07-10 21:40:00,CST-6,2017-07-10 21:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.38,-89.17,39.38,-89.17,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Trees were blown down on several properties in Rosamond. An awning was blown down as well." +117880,708404,ILLINOIS,2017,July,Thunderstorm Wind,"LOGAN",2017-07-11 08:10:00,CST-6,2017-07-11 08:15:00,0,0,0,0,100.00K,100000,0.00K,0,40.15,-89.37,40.15,-89.37,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Numerous trees and power lines were blown down across Lincoln." +117880,708419,ILLINOIS,2017,July,Thunderstorm Wind,"DE WITT",2017-07-11 08:10:00,CST-6,2017-07-11 08:15:00,0,0,0,0,50.00K,50000,0.00K,0,40.15,-88.95,40.15,-88.95,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Several trees and power lines were blown down across Clinton." +117880,708405,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 08:55:00,CST-6,2017-07-11 09:00:00,0,0,0,0,60.00K,60000,0.00K,0,39.98,-88.25,39.98,-88.25,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Multiple trees and power lines were blown down across Tolono." +117880,708408,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 08:58:00,CST-6,2017-07-11 09:03:00,0,0,0,0,175.00K,175000,0.00K,0,40.01,-88.2475,40.0109,-88.2194,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Twenty five power poles were blown down near county roads 1200E and 900N about 4 miles west of Philo." +117880,708409,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 09:00:00,CST-6,2017-07-11 09:05:00,0,0,0,0,60.00K,60000,0.00K,0,40.0066,-88.25,40.0066,-88.25,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Several power poles were snapped." +117639,707431,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-13 17:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-84.19,30.54,-84.19,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down at Jamaica Ct and Pimlico Dr." +117639,707432,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-13 17:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.56,-84.21,30.56,-84.21,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down at Velda Dairy Road and Velda Dairy Drive." +117639,707433,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-13 17:00:00,EST-5,2017-07-13 17:00:00,0,0,0,0,0.00K,0,0.00K,0,30.56,-84.21,30.56,-84.21,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down at Velda Dairy Road and Velda Dairy Drive." +117639,707434,FLORIDA,2017,July,Thunderstorm Wind,"GADSDEN",2017-07-13 17:42:00,EST-5,2017-07-13 17:42:00,0,0,0,0,0.00K,0,0.00K,0,30.57,-84.43,30.57,-84.43,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Scotland." +117639,707435,FLORIDA,2017,July,Thunderstorm Wind,"GADSDEN",2017-07-13 17:47:00,EST-5,2017-07-13 17:47:00,0,0,0,0,0.00K,0,0.00K,0,30.66,-84.56,30.66,-84.56,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Attapulgus Highway." +117639,707436,FLORIDA,2017,July,Thunderstorm Wind,"GADSDEN",2017-07-13 17:47:00,EST-5,2017-07-13 17:47:00,0,0,0,0,0.00K,0,0.00K,0,30.62,-84.41,30.62,-84.41,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down near Havana." +117639,707437,FLORIDA,2017,July,Thunderstorm Wind,"GADSDEN",2017-07-13 17:47:00,EST-5,2017-07-13 17:47:00,0,0,0,0,0.00K,0,0.00K,0,30.63,-84.51,30.63,-84.51,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down on Milligan Road." +117639,707438,FLORIDA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-13 18:00:00,CST-6,2017-07-13 18:00:00,0,0,0,0,0.00K,0,0.00K,0,30.9575,-85.1571,30.9575,-85.1571,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees were blown down on SR2 near Malone." +117639,707439,FLORIDA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-13 18:36:00,CST-6,2017-07-13 18:36:00,0,0,0,0,2.00K,2000,0.00K,0,30.79,-85.42,30.79,-85.42,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees and power lines were blown down on Highway 90." +117639,707440,FLORIDA,2017,July,Lightning,"WALTON",2017-07-14 11:45:00,CST-6,2017-07-14 11:45:00,0,0,0,0,2.00K,2000,0.00K,0,30.66,-86.07,30.66,-86.07,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A house was struck by lightning on East Indian Creek Ranch Road." +117814,708219,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-07-29 15:50:00,EST-5,2017-07-29 15:50:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-81.41,30.42,-81.41,"A surface front across SE GA combined with diurnal heating, high moisture (PWATs over 2 inches), and upper level short wave trough energy as well as bulk shear near 25-30 kts fueled strong to severe storms over southeast Georgia and over the adjacent coastal waters.","A thunderstorm gust of 43 mph was measured north of Mayport." +117817,708228,FLORIDA,2017,July,Flash Flood,"DUVAL",2017-07-30 07:00:00,EST-5,2017-07-30 09:55:00,0,0,0,0,0.00K,0,0.00K,0,30.37,-81.67,30.2888,-81.6531,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","At 800 am, broadcast media reported parking lot flooding in downtown Jacksonville. At 8:45 am, broadcast media reported 1-2 feet of standing water downtown along North Laura Street. A car was stuck in the flood water. At 9:25 am, the broadcast media relayed a report that a sub-division near Spring Glenn Area south of downtown had standing water about 1 foot deep. At 10:05 am, the Duval County Emergency Management Team reported a car was stuck in high water in downtown Jacksonvile along Beaver Street. The water was at least 2 feet deep. At 10:50 am, broadcast media reported standing water along Golfair near the I-95 exit. Water was about 1-2 ft deep. At 10:55 am, broadcast media reported standing water in Springfield about 1-2 ft deep." +117817,708229,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-29 23:00:00,EST-5,2017-07-30 07:00:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.61,30.28,-81.61,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","The public measured 4.5 inches near Barnes Road and Kennerly Road." +117817,708230,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-30 02:58:00,EST-5,2017-07-30 07:58:00,0,0,0,0,0.00K,0,0.00K,0,30.26,-81.7,30.26,-81.7,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","The public measured 3.94 inches of rainfall in Ortega in the last 6 hours." +117817,708231,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-29 23:00:00,EST-5,2017-07-30 09:45:00,0,0,0,0,0.00K,0,0.00K,0,30.31,-81.6,30.31,-81.6,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","An observer measured 4.65 inches since midnight south of downtown near Glynlea." +118137,713542,OHIO,2017,July,Thunderstorm Wind,"KNOX",2017-07-07 12:20:00,EST-5,2017-07-07 12:30:00,0,0,0,0,8.00K,8000,0.00K,0,40.4,-82.48,40.4,-82.48,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed a few trees in the Mt. Vernon area." +118137,713543,OHIO,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-07 12:10:00,EST-5,2017-07-07 12:15:00,0,0,0,0,40.00K,40000,0.00K,0,40.58,-82.42,40.58,-82.42,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Thunderstorm winds downed several trees and a couple utility poles in Worthington Township at the southeast end of Richland County. Scattered power outages were reported in the area." +118137,713544,OHIO,2017,July,Hail,"HANCOCK",2017-07-07 10:05:00,EST-5,2017-07-07 10:05:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-83.65,41.13,-83.65,"A cold front approaching the area from Michigan triggered some convection over central Ohio during the midday of the 7th. Dew points were in the 60s and increasing shear supported developing storms. A severe thunderstorm watch was in effect from 10 am through 5 pm. Numerous severe thunderstorm warnings and flood warnings were issued.","Hail as large as quarters was reported." +118775,713547,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"MAUMEE BAY TO RENO BEACH OH",2017-07-07 05:10:00,EST-5,2017-07-07 05:10:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-83.28,41.73,-83.28,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","A buoy measured a 37 knot or 43 mph thunderstorm wind gust." +118775,713548,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"THE ISLANDS TO VERMILION OH",2017-07-07 06:00:00,EST-5,2017-07-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-82.4,41.6,-82.4,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","A bouy measured a 43 knot or 49 mph thunderstorm wind gust." +118775,713549,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-07-07 06:45:00,EST-5,2017-07-07 06:45:00,0,0,0,0,0.00K,0,0.00K,0,41.5184,-81.6801,41.5184,-81.6801,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","An automated sensor near Lake Erie measured a 37 knot or 43 mph thunderstorm wind gust." +118775,713552,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"RENO BEACH TO THE ISLANDS OH",2017-07-07 05:10:00,EST-5,2017-07-07 05:10:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-83.26,41.7,-83.26,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","A buoy measured a 37 knot or 43 mph thunderstorm wind gust." +118775,713555,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-07-07 06:40:00,EST-5,2017-07-07 06:40:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-81.82,41.62,-81.82,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","A buoy measured a 39 knot or 45 mph thunderstorm wind gust." +118775,713557,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"AVON POINT TO WILLOWICK OH",2017-07-07 07:00:00,EST-5,2017-07-07 07:00:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-81.29,41.77,-81.29,"A line of strong thunderstorms moved across Lake Erie producing strong winds.","A 38 knot or 44 mph thunderstorm wind gust was measured at the Fairport Harbor Lighthouse." +117429,706190,OHIO,2017,July,Flood,"LOGAN",2017-07-13 18:00:00,EST-5,2017-07-13 19:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3341,-83.8051,40.3822,-83.7941,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Several roads were closed throughout Logan County due to high water." +117429,706191,OHIO,2017,July,Hail,"LICKING",2017-07-13 17:43:00,EST-5,2017-07-13 17:45:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-82.72,40.05,-82.72,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","" +117471,706483,OHIO,2017,July,Thunderstorm Wind,"DARKE",2017-07-21 06:14:00,EST-5,2017-07-21 06:16:00,0,0,0,0,4.00K,4000,0.00K,0,39.99,-84.56,39.99,-84.56,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree fell onto a house in the 300 block of West North Street." +117471,706484,OHIO,2017,July,Thunderstorm Wind,"DARKE",2017-07-21 06:27:00,EST-5,2017-07-21 06:29:00,0,0,0,0,4.00K,4000,0.00K,0,40.2736,-84.5558,40.2736,-84.5558,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees and wires were downed across the roadway near the intersection of Greenville Saint Marys Road and Goubeaux Road." +117471,706485,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-21 06:26:00,EST-5,2017-07-21 06:27:00,0,0,0,0,0.00K,0,0.00K,0,39.9,-84.22,39.9,-84.22,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","" +117471,706486,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-21 06:28:00,EST-5,2017-07-21 06:30:00,0,0,0,0,4.00K,4000,0.00K,0,39.8619,-84.3114,39.8619,-84.3114,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees and power poles were downed across the roadway near the intersection of Union Boulevard and Wenger Road." +117471,706596,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-21 06:30:00,EST-5,2017-07-21 06:32:00,0,0,0,0,1.00K,1000,0.00K,0,39.8643,-84.1667,39.8643,-84.1667,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed along Rip Rap Road at Taylorsville Road." +117471,706597,OHIO,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-21 06:33:00,EST-5,2017-07-21 06:35:00,0,0,0,0,1.00K,1000,0.00K,0,39.7315,-84.1965,39.7315,-84.1965,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed near the intersection of South Patterson Boulevard and Carillon Boulevard." +117471,706598,OHIO,2017,July,Thunderstorm Wind,"MIAMI",2017-07-21 06:35:00,EST-5,2017-07-21 06:37:00,0,0,0,0,1.00K,1000,0.00K,0,40.1385,-84.2519,40.1385,-84.2519,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A large limb fell onto a garage on Cottage Avenue." +117471,706599,OHIO,2017,July,Thunderstorm Wind,"GREENE",2017-07-21 06:43:00,EST-5,2017-07-21 06:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.73,-84.04,39.73,-84.04,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree fell onto power lines and a fence." +118985,714692,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 15:40:00,EST-5,2017-07-24 15:45:00,0,0,0,0,0.10K,100,0.10K,100,33.9881,-81.0282,33.9872,-81.0288,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Intersection of Main and Whaley St impassable due to flooding." +118985,714693,SOUTH CAROLINA,2017,July,Flash Flood,"RICHLAND",2017-07-24 16:12:00,EST-5,2017-07-24 16:17:00,0,0,0,0,0.10K,100,0.10K,100,33.9646,-80.9844,33.9588,-80.9856,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","S Beltline Blvd near Shop Rd impassable due to flooding. Report and photos provided via social media." +118985,714694,SOUTH CAROLINA,2017,July,Heavy Rain,"LEXINGTON",2017-07-24 14:14:00,EST-5,2017-07-24 15:14:00,0,0,0,0,0.10K,100,0.10K,100,33.94,-81.3,33.94,-81.3,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Rainfall amount of 2.71 inches fell in one hour." +118985,714695,SOUTH CAROLINA,2017,July,Heavy Rain,"RICHLAND",2017-07-24 14:45:00,EST-5,2017-07-24 15:25:00,0,0,0,0,0.10K,100,0.10K,100,33.9911,-81.0243,33.9911,-81.0243,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","An automated rain gage, at the University of SC near Bull and Whaley St, measured 1.55 inches of rain in the 40 minute period ending at 4:25 pm EDT (1525 EST)." +118985,714697,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-24 14:50:00,EST-5,2017-07-24 14:55:00,0,0,0,0,,NaN,,NaN,33.97,-81.03,33.97,-81.03,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Partial damage to a roof of a business on Brookwood Dr. Time estimated." +118985,714698,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-24 14:50:00,EST-5,2017-07-24 14:55:00,0,0,0,0,,NaN,,NaN,33.98,-81.03,33.98,-81.03,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","Broadcast media relayed a photo, via social media, of a large tree that fell on a house on Dover St in Columbia. Time estimated." +118985,714699,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-24 14:52:00,EST-5,2017-07-24 14:53:00,0,0,0,0,0.10K,100,0.10K,100,33.972,-80.9946,33.972,-80.9946,"Daytime heating and an upper level disturbance combined to produce scattered shower and thunderstorms activity, some of which produced locally heavy rainfall, flooding, and some wind damage.","ASOS at Hamilton Owens Field in Columbia measured at 42 knot (48 MPH) wind gust in a thunderstorm at 3:52 pm EDT (1452 EST)." +117860,708365,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 22:10:00,MST-7,2017-07-16 22:10:00,0,0,0,0,0.00K,0,0.00K,0,33.43,-112.01,33.43,-112.01,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed over central portions of the greater Phoenix area during the late evening hours and some of them produced strong and gusty outflow winds. A wind gust of 61 mph was measured at the Phoenix Sky Harbor ASOS at 2210MST. This is the official weather station for Phoenix." +117860,708366,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 22:25:00,MST-7,2017-07-16 22:25:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-112.38,33.53,-112.38,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed over the central and western portion of the greater Phoenix area during the late evening hours on July 16th and some of them produced strong gusty outflow winds. At 2225MST the AWOS weather station at Luke Air Force Base measured a wind gust of 59 mph. This was one of several gusts to at least 60 mph measured in the greater Phoenix area during the evening hours." +118105,709833,ARIZONA,2017,July,Flood,"MARICOPA",2017-07-24 13:00:00,MST-7,2017-07-24 16:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3616,-111.6431,33.3916,-111.6403,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Thunderstorms with heavy rain developed across the eastern portion of the greater Phoenix area during the morning hours on July 24th, affecting communities such as Mesa and Apache Junction. Peak rain rates with the stronger storms reached 2 inches per hour and this resulted in episodes of morning flash flooding. After the initial flash flood producing rains subsided, there was significant water remaining which resulted in lingering flooding over portions of Mesa. According to local law enforcement, at 1430MST multiple lanes of an intersection were closed due to high water, approximately 5 miles southeast of East Mesa. Areal flood warnings were not in effect at the time." +117345,705697,CALIFORNIA,2017,July,Wildfire,"WESTERN SISKIYOU COUNTY",2017-07-25 11:45:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Clear Wildfire was started by lightning at 1245 PDT on 07/25/17. As of 0430 PDT on 08/01/17, the fire covered 2450 acres and was 10 percent contained. 2.0 million dollars had been spend on firefighting efforts.","The Clear Wildfire was started by lightning at 1245 PDT on 07/25/17. As of 0430 PDT on 08/01/17, the fire covered 2450 acres and was 10 percent contained. 2.0 million dollars had been spend on firefighting efforts." +117347,705701,OREGON,2017,July,Wildfire,"SOUTH CENTRAL OREGON CASCADES",2017-07-29 14:45:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Spruce Lake Wildfire was started by lightning at around 1545 PDT on 07/29/17. As of 0430 PDT on 08/01/17, the fire covered 130 acres and was 0 percent contained. 300000 dollars had been spent on firefighting efforts.","The Spruce Lake Wildfire was started by lightning at around 1545 PDT on 07/29/17. As of 0430 PDT on 08/01/17, the fire covered 130 acres and was 0 percent contained. 300000 dollars had been spent on firefighting efforts." +117348,705703,OREGON,2017,July,Wildfire,"NORTHERN & EASTERN KLAMATH COUNTY & WESTERN LAKE COUNTY",2017-07-31 14:00:00,PST-8,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Devils Lake Wildfire was started by lightning at around 1500 PDT on 07/31/17. As of 0430 PDT on 08/01/17, the fire covered 400 acres and was 0 percent contained. 100000 dollars had been spent on firefighting efforts.","The Devils Lake Wildfire was started by lightning at around 1500 PDT on 07/31/17. As of 0430 PDT on 08/01/17, the fire covered 400 acres and was 0 percent contained. 100000 dollars had been spent on firefighting efforts." +117253,705218,MONTANA,2017,July,Thunderstorm Wind,"FLATHEAD",2017-07-07 18:05:00,MST-7,2017-07-07 18:10:00,0,0,0,0,0.00K,0,0.00K,0,48.1889,-114.2799,48.1889,-114.2799,"The combination of very dry atmosphere and a weak thunderstorm produced a severe microburst in the Kalispell area causing tree damage and a power outage.","Multiple reports of tree damage and a localized power outage occurred southeast of Kalispell and Evergreen according to a call to the NWS office and via Twitter reports." +117254,705219,MONTANA,2017,July,Hail,"SILVER BOW",2017-07-10 13:07:00,MST-7,2017-07-10 13:12:00,0,0,0,0,0.00K,0,0.00K,0,45.7363,-112.2651,45.7363,-112.2651,"An organized upper level wave triggered thunderstorms that brought damaging hail to Silver Bow County.","A person from the public reported nickel to quarter size hail along Highway 41 on Twitter." +117254,705220,MONTANA,2017,July,Hail,"SILVER BOW",2017-07-10 14:29:00,MST-7,2017-07-10 14:29:00,0,0,0,0,0.00K,0,0.00K,0,45.8386,-112.4118,45.8386,-112.4118,"An organized upper level wave triggered thunderstorms that brought damaging hail to Silver Bow County.","A resident on Z Bar T Road estimated hail smaller than golf balls but larger than quarters which caused tree branches to break and dented a camper." +117254,705221,MONTANA,2017,July,Hail,"SILVER BOW",2017-07-10 15:30:00,MST-7,2017-07-10 15:30:00,0,0,0,0,0.00K,0,0.00K,0,45.8995,-112.5494,45.8995,-112.5494,"An organized upper level wave triggered thunderstorms that brought damaging hail to Silver Bow County.","Nickel to quarter size hail fell causing Aspen tree leaves to tear off and destroyed a bird feeder." +118708,713143,KANSAS,2017,July,Thunderstorm Wind,"THOMAS",2017-07-02 21:30:00,CST-6,2017-07-02 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4472,-101.3706,39.4472,-101.3706,"During the evening the line of outflow winds ahead of severe thunderstorms in Southwest Nebraska moved into Northwest Kansas. The strongest reported wind gust was an estimated 70 MPH wind gust in northwest Sherman County, and a measured 70 MPH wind gust in Selden. The thunderstorm wind gusts also caused damage, with Atwood reporting trees, large limbs, and power lines being blown down. Selden also reported large tree limbs being blown down, some up to four inches in diameter.","" +119207,715870,NEBRASKA,2017,July,Hail,"DUNDY",2017-07-15 12:20:00,MST-7,2017-07-15 12:20:00,0,0,0,0,0.00K,0,0.00K,0,40.0175,-101.4146,40.0175,-101.4146,"During the afternoon a thunderstorm produced large hail up to half dollar size south of Max.","The hail ranged from quarter to half dollar in size." +119208,715871,KANSAS,2017,July,Flash Flood,"WICHITA",2017-07-15 16:45:00,CST-6,2017-07-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,38.6993,-101.3681,38.6992,-101.3681,"During the afternoon a thunderstorm south of Halford produced hail up to quarter size. Later in the afternoon heavy rainfall from slow moving thunderstorms produced flash flooding over Highway 25 near the Wichita and Logan County line.","Water from Chalk Creek flooded Highway 25, reaching a maximum depth of a foot deep." +119208,715872,KANSAS,2017,July,Hail,"THOMAS",2017-07-15 15:25:00,CST-6,2017-07-15 15:25:00,0,0,0,0,0.00K,0,0.00K,0,39.293,-100.8658,39.293,-100.8658,"During the afternoon a thunderstorm south of Halford produced hail up to quarter size. Later in the afternoon heavy rainfall from slow moving thunderstorms produced flash flooding over Highway 25 near the Wichita and Logan County line.","" +119210,715875,COLORADO,2017,July,Hail,"YUMA",2017-07-18 16:05:00,MST-7,2017-07-18 16:05:00,0,0,0,0,0.00K,0,0.00K,0,40.12,-102.72,40.12,-102.72,"Quarter size hail was reported in Yuma from a severe thunderstorm.","" +119211,715876,NEBRASKA,2017,July,Hail,"DUNDY",2017-07-18 17:35:00,MST-7,2017-07-18 17:35:00,0,0,0,0,0.00K,0,0.00K,0,40.1396,-101.8621,40.1396,-101.8621,"During the evening a couple severe thunderstorms produced large hail in Dundy County. The largest hail reported was golf ball size.","Most of the hail stones were dime size, but some were golf ball size." +119211,715877,NEBRASKA,2017,July,Hail,"DUNDY",2017-07-18 18:05:00,MST-7,2017-07-18 18:05:00,0,0,0,0,0.00K,0,0.00K,0,40.2062,-101.7881,40.2062,-101.7881,"During the evening a couple severe thunderstorms produced large hail in Dundy County. The largest hail reported was golf ball size.","The hailstones ranged from quarter to half dollar in size. There was not much hail on the ground either." +119213,715878,KANSAS,2017,July,Hail,"CHEYENNE",2017-07-18 18:18:00,CST-6,2017-07-18 18:18:00,0,0,0,0,0.00K,0,0.00K,0,39.873,-101.9237,39.873,-101.9237,"Quarter size hail was reported from two different thunderstorms in Cheyenne County during the evening.","The hailstones ranged from pea to quarter size." +119213,715879,KANSAS,2017,July,Hail,"CHEYENNE",2017-07-18 18:50:00,CST-6,2017-07-18 18:50:00,0,0,0,0,0.00K,0,0.00K,0,39.6815,-102.0095,39.6815,-102.0095,"Quarter size hail was reported from two different thunderstorms in Cheyenne County during the evening.","The size of the hail was estimated by looking out a window. The hail made a loud boom on the roof, so it may have been larger than reported." +119450,716886,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"SOUTH MOBILE BAY",2017-07-26 21:24:00,CST-6,2017-07-26 21:26:00,0,0,0,0,0.00K,0,0.00K,0,30.23,-88.02,30.23,-88.02,"Strong thunderstorms moved south across the marine area and produced high winds.","" +119452,716924,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"PENSACOLA BAY AREA INCLUDING SANTA ROSA SOUND",2017-07-27 17:42:00,CST-6,2017-07-27 17:44:00,0,0,0,0,0.00K,0,0.00K,0,30.38,-87.22,30.38,-87.22,"Thunderstorms moved across the marine area and produced high winds.","Recorded at the Weatherflow site on Pensacola bay." +119453,716928,ALABAMA,2017,July,Thunderstorm Wind,"BALDWIN",2017-07-26 17:12:00,CST-6,2017-07-26 17:14:00,0,0,0,0,10.00K,10000,0.00K,0,30.289,-87.6702,30.289,-87.6702,"Strong thunderstorms developed across the area and produced high winds which caused some damage in southwest Alabama.","Winds estimated around 60 mph flipped over a Helicopter at Jack Edwards Airport." +119450,716929,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM DESTIN FL TO PENSACOLA FL OUT 20 NM",2017-07-26 15:56:00,CST-6,2017-07-26 15:58:00,0,0,0,0,0.00K,0,0.00K,0,30.4168,-86.5565,30.4168,-86.5565,"Strong thunderstorms moved south across the marine area and produced high winds.","" +119450,716930,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHOCTAWHATCHEE BAY",2017-07-26 16:16:00,CST-6,2017-07-26 16:18:00,0,0,0,0,0.00K,0,0.00K,0,30.42,-86.62,30.42,-86.62,"Strong thunderstorms moved south across the marine area and produced high winds.","" +116449,700325,ILLINOIS,2017,July,Hail,"MCLEAN",2017-07-04 11:13:00,CST-6,2017-07-04 11:18:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-88.92,40.48,-88.92,"Isolated thunderstorms developed near a stationary frontal boundary draped across north-central Illinois during the early afternoon of July 4th. One cell produced nickel-sized hail at the Bloomington Airport, while another dropped nickel hail in Normal.","" +116861,702634,ILLINOIS,2017,July,Thunderstorm Wind,"KNOX",2017-07-10 04:20:00,CST-6,2017-07-10 04:25:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-90.37,40.95,-90.37,"A stationary frontal boundary extending from southern Michigan westward into Iowa interacted with a warm and unstable airmass to trigger scattered strong thunderstorms across north-central Illinois during the early morning hours of July 10th. A few of the cells produced wind gusts of around 60mph and minor wind damage across portions of Knox and Peoria counties.","A large tree was blown over in Galesburg." +116861,702635,ILLINOIS,2017,July,Thunderstorm Wind,"PEORIA",2017-07-10 05:00:00,CST-6,2017-07-10 05:05:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-89.65,40.78,-89.65,"A stationary frontal boundary extending from southern Michigan westward into Iowa interacted with a warm and unstable airmass to trigger scattered strong thunderstorms across north-central Illinois during the early morning hours of July 10th. A few of the cells produced wind gusts of around 60mph and minor wind damage across portions of Knox and Peoria counties.","A few 6 to 8-inch diameter tree branches were blown down." +118778,713568,NORTH CAROLINA,2017,July,Hail,"HENDERSON",2017-07-08 15:17:00,EST-5,2017-07-08 15:17:00,0,0,0,0,,NaN,,NaN,35.312,-82.486,35.312,-82.486,"Numerous thunderstorms and clusters of storms developed across western North Carolina during the afternoon and evening ahead of a cold front. Several of the storms produced locally damaging winds and even some large hail.","Public reported up to golf ball size hail." +118904,714334,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-13 15:46:00,EST-5,2017-07-13 15:56:00,0,0,0,0,0.00K,0,0.00K,0,35.766,-81.784,35.794,-81.771,"Isolated thunderstorms developed across the mountains and foothills of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather, mainly in the form of damaging winds, although one large hail report was received from the foothills.","County comms reported multiple trees and utility poles blown down near the intersection of Highway 126 and Silvers St. Media reported additional trees down on Perkins Ave." +118904,714335,NORTH CAROLINA,2017,July,Thunderstorm Wind,"IREDELL",2017-07-13 15:31:00,EST-5,2017-07-13 15:31:00,0,0,0,0,0.00K,0,0.00K,0,35.959,-80.974,35.959,-80.974,"Isolated thunderstorms developed across the mountains and foothills of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather, mainly in the form of damaging winds, although one large hail report was received from the foothills.","Spotter reported multiple trees blown down along Mountain View Rd." +118904,714336,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-13 16:34:00,EST-5,2017-07-13 16:34:00,0,0,0,0,0.00K,0,0.00K,0,35.756,-81.966,35.699,-81.98,"Isolated thunderstorms developed across the mountains and foothills of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather, mainly in the form of damaging winds, although one large hail report was received from the foothills.","EM reported trees blown down on power lines on Lake James Rd and additional trees down on Highway 70." +118904,714337,NORTH CAROLINA,2017,July,Hail,"BURKE",2017-07-13 17:15:00,EST-5,2017-07-13 17:15:00,0,0,0,0,,NaN,,NaN,35.72,-81.48,35.72,-81.48,"Isolated thunderstorms developed across the mountains and foothills of western North Carolina during the afternoon and evening. A few of the storms produced brief severe weather, mainly in the form of damaging winds, although one large hail report was received from the foothills.","Media reported quarter size hail along I-40 between exits 118 and 113." +118905,714338,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENWOOD",2017-07-13 19:20:00,EST-5,2017-07-13 19:20:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-82.02,34.14,-82.02,"Isolated thunderstorms developed over the Upstate Piedmont during the evening. One of the storms produced brief damaging winds in Greenwood County.","County comms reported several large tree limbs blown down across Ninety Six National Historic Site." +118906,714339,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BUNCOMBE",2017-07-14 15:12:00,EST-5,2017-07-14 15:12:00,0,0,0,0,0.00K,0,0.00K,0,35.56,-82.5,35.56,-82.5,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","Public reported multiple trees, large limbs, and power lines blown down. Highway 74A was closed for a while due to debris over the road." +118364,713078,OKLAHOMA,2017,July,Hail,"OSAGE",2017-07-03 19:05:00,CST-6,2017-07-03 19:05:00,0,0,0,0,0.00K,0,0.00K,0,36.415,-96.3923,36.415,-96.3923,"Strong to severe thunderstorms developed along a weakening warm front across northern Oklahoma during the early evening hours of July 3rd. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","" +118362,717037,OKLAHOMA,2017,July,Thunderstorm Wind,"TULSA",2017-07-02 16:25:00,CST-6,2017-07-02 16:25:00,0,0,0,0,0.00K,0,0.00K,0,36.0561,-95.8685,36.0561,-95.8685,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind blew down a large tree." +118796,713614,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DARLINGTON",2017-07-05 16:10:00,EST-5,2017-07-05 16:11:00,0,0,0,0,1.00K,1000,0.00K,0,34.2682,-79.7869,34.2682,-79.7869,"Strong afternoon heating combined with strong instability to intensify thunderstorms. A couple of these thunderstorms did result in wind damage.","A tree was reportedly down and blocking the intersection of S Charleston Rd. and Piano Rd." +118796,713615,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"HORRY",2017-07-05 15:00:00,EST-5,2017-07-05 15:01:00,0,0,0,0,15.00K,15000,0.00K,0,33.878,-79.227,33.878,-79.2264,"Strong afternoon heating combined with strong instability to intensify thunderstorms. A couple of these thunderstorms did result in wind damage.","Three horse stalls and an 8x10 shed were reportedly destroyed. Roof shingles were torn off a house on the same property." +118798,713617,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"HORRY",2017-07-07 22:28:00,EST-5,2017-07-07 22:29:00,0,0,0,0,1.00K,1000,0.00K,0,34.0656,-79.1451,34.0656,-79.1451,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance evening thunderstorms to produce severe wind gusts.","A tree was reported down on Hardwick Loop near the intersection with S Nichols Hwy." +118804,713636,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM CAPE FEAR NC TO LITTLE RIVER INLET SC OUT 20 NM",2017-07-08 02:11:00,EST-5,2017-07-08 02:12:00,0,0,0,0,0.00K,0,0.00K,0,33.9103,-78.1167,33.9103,-78.1167,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms.","A WeatherFlow sensor measured a 40 mph wind gust at Oak Island." +118844,713985,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"WILLIAMSBURG",2017-07-08 19:47:00,EST-5,2017-07-08 19:48:00,0,0,0,0,2.00K,2000,0.00K,0,33.7653,-79.8949,33.7653,-79.8949,"Showers and thunderstorms moved into the area ahead of a cold front and mid-level impulse. Downdraft CAPE values remained rather high through the evening.","Two trees were reportedly down on Hebron Rd. just south of the intersection with Delos Rd. The time was estimated based on radar data." +116215,698706,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:20:00,CST-6,2017-07-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-93.71,32.42,-93.71,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","Trees were downed southeast of Shreveport, Louisiana." +116215,698707,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 16:20:00,CST-6,2017-07-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,32.42,-93.7,32.42,-93.7,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed on the southeast side of town." +116215,698708,LOUISIANA,2017,July,Thunderstorm Wind,"DE SOTO",2017-07-06 16:50:00,CST-6,2017-07-06 16:50:00,0,0,0,0,0.00K,0,0.00K,0,31.98,-94,31.98,-94,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","Trees and powerlines were downed in Logansport, Louisiana." +116215,698709,LOUISIANA,2017,July,Thunderstorm Wind,"CADDO",2017-07-06 17:05:00,CST-6,2017-07-06 17:05:00,0,0,0,0,0.00K,0,0.00K,0,32.46,-93.72,32.46,-93.72,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","A tree was downed by AC Sterre Elementary School in Shreveport, Louisiana." +119502,717140,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-07-06 19:59:00,EST-5,2017-07-06 19:59:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"Widely separated showers and a few thunderstorms along an outflow boundary moved southwest off the Florida mainland, producing isolated gale-force wind gusts north of Key West.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +119503,717141,GULF OF MEXICO,2017,July,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-07 14:30:00,EST-5,2017-07-07 14:40:00,0,0,0,0,0.00K,0,0.00K,0,24.5965,-81.8351,24.5965,-81.8351,"An isolated waterspout was observed northwest of Key West in association with an isolated rain shower.","A waterspout was observed about two miles northwest of Key West." +119504,717143,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-10 21:55:00,EST-5,2017-07-10 21:55:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 35 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +119090,715208,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-20 14:35:00,EST-5,2017-07-20 14:36:00,0,0,0,0,0.50K,500,0.00K,0,32.39,-81.02,32.39,-81.02,"Scattered to numerous thunderstorms developed within an inland trough in the afternoon hours. A few of these thunderstorms because strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down along Interstate 95 southbound at mile marker 12." +119090,715210,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-20 14:48:00,EST-5,2017-07-20 14:49:00,0,0,0,0,0.50K,500,0.00K,0,32.5,-80.97,32.5,-80.97,"Scattered to numerous thunderstorms developed within an inland trough in the afternoon hours. A few of these thunderstorms because strong enough to produce damaging wind gusts.","South Carolina Highway Patrol reported a tree down along Interstate 95 southbound at mile marker 22." +119091,715211,GEORGIA,2017,July,Lightning,"EFFINGHAM",2017-07-20 15:45:00,EST-5,2017-07-20 16:15:00,0,0,0,0,5.00K,5000,0.00K,0,32.48,-81.35,32.48,-81.35,"Scattered to numerous thunderstorms developed within an inland trough in the afternoon hours. These thunderstorms produced frequent cloud to ground lightning strikes, including a house fire.","A lightning strike caused a minor structure fire in the 200 block of Douglas Road." +119092,715212,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-26 07:25:00,EST-5,2017-07-26 07:32:00,0,0,0,0,,NaN,0.00K,0,32.14,-80.73,32.14,-80.73,"With light winds and a very moist airmass, conditions were supportive of the development of waterspouts along the southeast South Carolina coast. One waterspout developed off the Hilton Head Island coast.","A lifeguard reported a waterspout off of Hilton Head Island that lasted for about 7 minutes." +119093,715213,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-07-29 15:07:00,EST-5,2017-07-29 15:10:00,0,0,0,0,,NaN,0.00K,0,31.9869,-80.8519,31.9869,-80.8519,"A strong line of thunderstorms developed ahead of an advancing cold front in the afternoon hours. These thunderstorms produced strong wind gusts along the coast and the adjacent coastal waters.","The Weatherflow site at the south end of Tybee Island measured a 37 knot wind gust." +119093,715214,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SAVANNAH GA TO ALTAMAHA SD GA OUT 20NM",2017-07-29 15:47:00,EST-5,2017-07-29 15:50:00,0,0,0,0,,NaN,0.00K,0,31.4,-80.868,31.4,-80.868,"A strong line of thunderstorms developed ahead of an advancing cold front in the afternoon hours. These thunderstorms produced strong wind gusts along the coast and the adjacent coastal waters.","NDBC buoy 41008 measured a 37 knot wind gust." +119093,715215,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-07-29 16:19:00,EST-5,2017-07-29 16:22:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A strong line of thunderstorms developed ahead of an advancing cold front in the afternoon hours. These thunderstorms produced strong wind gusts along the coast and the adjacent coastal waters.","The Weatherflow site at the Folly Beach pier measured a 39 knot wind gust." +119094,715216,GEORGIA,2017,July,Rip Current,"COASTAL CHATHAM",2017-07-31 10:33:00,EST-5,2017-07-31 11:33:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Enhanced swell energy and breezy winds along the coast combined to result in an elevated risk of rip currents along the southeast Georgia coast.","Tybee Island lifeguards reported several rescues due to rip currents and a strong longshore current." +116287,699747,MINNESOTA,2017,July,Funnel Cloud,"MARSHALL",2017-07-04 19:15:00,CST-6,2017-07-04 19:17:00,0,0,0,0,0.00K,0,0.00K,0,48.27,-96.48,48.27,-96.48,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","A thin ropey funnel was reported and photographed as it stretched across the updraft base of a thunderstorm. It persisted at the updraft base for a few minutes, but never descended toward the ground." +116286,699748,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-04 18:20:00,CST-6,2017-07-04 18:20:00,0,0,0,0,,NaN,,NaN,47.3,-98.25,47.3,-98.25,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699750,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-04 18:35:00,CST-6,2017-07-04 18:35:00,0,0,0,0,,NaN,,NaN,47.92,-97.07,47.92,-97.07,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","Pea to dime sized hail fell." +116286,699751,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-04 18:56:00,CST-6,2017-07-04 18:56:00,0,0,0,0,,NaN,,NaN,47.79,-97.12,47.79,-97.12,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116549,701132,MINNESOTA,2017,July,Hail,"GRANT",2017-07-11 20:25:00,CST-6,2017-07-11 20:25:00,0,0,0,0,,NaN,,NaN,45.96,-96.2,45.96,-96.2,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701135,MINNESOTA,2017,July,Hail,"BECKER",2017-07-11 20:39:00,CST-6,2017-07-11 20:41:00,0,0,0,0,,NaN,,NaN,46.98,-95.91,46.98,-95.91,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701136,MINNESOTA,2017,July,Hail,"GRANT",2017-07-11 20:40:00,CST-6,2017-07-11 20:40:00,0,0,0,0,,NaN,,NaN,45.99,-95.98,45.99,-95.98,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701137,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 20:45:00,CST-6,2017-07-11 20:50:00,0,0,0,0,,NaN,,NaN,46.28,-96.07,46.28,-96.07,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The hail ranged in size from 1.50 to 2.00 inches." +116898,702944,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:27:00,CST-6,2017-07-21 16:27:00,0,0,0,0,,NaN,,NaN,47.52,-94.99,47.52,-94.99,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Numerous large tree branches were blown down across southern Eckles Township." +116898,702945,MINNESOTA,2017,July,Tornado,"CLAY",2017-07-21 16:34:00,CST-6,2017-07-21 16:35:00,0,0,0,0,,NaN,,NaN,46.81,-96.58,46.81,-96.58,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","A weak tornado was observed over largely open farmland just north of Interstate 94 in extreme southeast Glyndon Township. Peak winds were estimated at 75 mph." +116246,698894,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BUCKS",2017-07-01 16:04:00,EST-5,2017-07-01 16:04:00,0,0,0,0,,NaN,,NaN,40.39,-75.42,40.39,-75.42,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A downed tree on Trumbauersville and carvers hill road." +116246,698896,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-01 15:35:00,EST-5,2017-07-01 15:35:00,0,0,0,0,,NaN,,NaN,40.39,-75.53,40.39,-75.53,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Several large branches down." +116246,698897,PENNSYLVANIA,2017,July,Thunderstorm Wind,"LEHIGH",2017-07-01 15:40:00,EST-5,2017-07-01 15:40:00,0,0,0,0,,NaN,,NaN,40.57,-75.61,40.57,-75.61,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","Winds led to a partial roof collapse on Schantz rd." +116248,698899,NEW JERSEY,2017,July,Thunderstorm Wind,"HUNTERDON",2017-07-01 16:40:00,EST-5,2017-07-01 16:40:00,0,0,0,0,,NaN,,NaN,40.45,-74.96,40.45,-74.96,"Strong to severe thunderstorms ahead of a cold front decayed as they moved east into New Jersey. Still some wind damage from thunderstorms occurred near Trenton.","Several trees and wires blown down in Delaware, East Amwell and West Amwell townships." +116248,698900,NEW JERSEY,2017,July,Thunderstorm Wind,"MERCER",2017-07-01 17:08:00,EST-5,2017-07-01 17:08:00,0,0,0,0,,NaN,,NaN,40.19,-74.72,40.19,-74.72,"Strong to severe thunderstorms ahead of a cold front decayed as they moved east into New Jersey. Still some wind damage from thunderstorms occurred near Trenton.","A large tree fell onto Lake ave which damaged two cars and a pair of jet skis." +116644,701594,NEW JERSEY,2017,July,Thunderstorm Wind,"OCEAN",2017-07-11 15:00:00,EST-5,2017-07-11 15:00:00,0,0,0,0,,NaN,,NaN,39.72,-74.29,39.72,-74.29,"A couple of thunderstorms in eastern New Jersey became strong to severe causing a tree to fall onto a house in ocean county.","Thunderstorm winds blew a tree down onto a house." +116646,701596,DELAWARE,2017,July,Thunderstorm Wind,"SUSSEX",2017-07-14 17:40:00,EST-5,2017-07-14 17:40:00,0,0,0,0,,NaN,,NaN,38.64,-75.69,38.64,-75.69,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Trees and wires taken down from thunderstorm winds on route 20 at North Oak Grove Road." +116646,701599,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-14 14:55:00,EST-5,2017-07-14 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6935,-75.5933,39.6644,-75.5798,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Several roads were impassable and flooded in new Castle. These included US 13 and 40 along with Airport and Church roads." +119800,718359,ATLANTIC SOUTH,2017,September,Marine Thunderstorm Wind,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-09-02 02:44:00,EST-5,2017-09-02 03:00:00,0,0,0,0,,NaN,0.00K,0,32.6528,-79.9384,32.6528,-79.9384,"A cluster of strong thunderstorms developed in the early morning hours just off the southeast Georgia coast. These thunderstorms tracked to the northeast along the southeast Georgia and southeast South Carolina coast and produced strong wind gusts.","The Weatherflow site at the Folly Beach pier measured a 46 knot wind gust. The peak wind gust of 54 knots occurred 15 minutes later." +119920,718748,MASSACHUSETTS,2017,September,Thunderstorm Wind,"SUFFOLK",2017-09-14 17:46:00,EST-5,2017-09-14 17:48:00,0,0,0,0,25.00K,25000,0.00K,0,42.3185,-71.0656,42.3172,-71.0569,"The remnants of Hurricane Irma moved across Southern New England on Thursday the 14th, bringing scattered showers and a few thunderstorms. A few showers and thunderstorms brought damaging winds and heavy downpours.","At 546 PM EST, an amateur radio operator reported two trees down on Belden Street in the Upham's Corner section of Boston. Also, two trees were down on Hamlet Street including one down on three cars. A tree was down on Willis Street. A tree was down on wires on Taft Street." +119126,720348,FLORIDA,2017,September,Thunderstorm Wind,"NASSAU",2017-09-01 22:15:00,EST-5,2017-09-01 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.58,-81.57,30.58,-81.57,"Strong SW steering flow pushed the dominant west coast sea breeze across the region through the day. The sea breezes converged along toward the Atlantic in the afternoon, with a few strong to severe storms that produced wind damage and localized heavy rainfall.","Trees were blown down along Wilson Neck. Roads were blocked by fallen debris and at least one home had a tree fall onto it. The time of damage was based on radar." +120284,720724,MINNESOTA,2017,September,Thunderstorm Wind,"ROCK",2017-09-19 22:55:00,CST-6,2017-09-19 22:55:00,0,0,0,0,0.00K,0,0.00K,0,43.61,-96.38,43.61,-96.38,"Widespread thunderstorms first developed in central South Dakota and moved into the west central portion of Minnesota during the late evening hours and produced strong winds. The strong winds caused localized damage to trees.","Remote Minnesota DOT sensor at Beaver Creek." +120320,720934,SOUTH DAKOTA,2017,September,Hail,"LAKE",2017-09-23 11:49:00,CST-6,2017-09-23 11:49:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-97.11,44.06,-97.11,"Scattered thunderstorms developed in east central South Dakota and produced severe-sized hail in localized areas.","" +118122,713187,VIRGINIA,2017,July,Flood,"GREENE",2017-07-05 12:50:00,EST-5,2017-07-05 15:00:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-78.45,38.2197,-78.447,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Welsh Run Road was flooded and closed due to overbank flooding of Welsh Run." +118122,713188,VIRGINIA,2017,July,Flash Flood,"ALBEMARLE",2017-07-05 12:00:00,EST-5,2017-07-05 13:00:00,0,0,0,0,0.00K,0,0.00K,0,38.2025,-78.451,38.201,-78.4518,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Durrett Ridge Road flooded and closed due to Swift Run being out of its banks." +118000,713190,VIRGINIA,2017,July,Flood,"FAUQUIER",2017-07-06 05:30:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7514,-77.7479,38.751,-77.7472,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Baldwin Street was closed just east of Lee Highway due to flooding of Mill Run." +118000,713191,VIRGINIA,2017,July,Flood,"FAUQUIER",2017-07-06 05:30:00,EST-5,2017-07-06 06:45:00,0,0,0,0,0.00K,0,0.00K,0,38.7326,-77.775,38.7318,-77.7734,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Lee Highway flooded and closed between Comfort Inn Drive and Dumfries Road in Warrenton due to flooding." +118000,713193,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4844,-77.542,38.4824,-77.5394,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Dunbar Drive closed near Rock Hill Church Road due to stream flooding." +118000,713194,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4552,-77.477,38.4555,-77.4765,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Shelton Shop Road closed at the Accokeek Creek bridge near Courthouse Road due to flooding." +118000,713196,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4745,-77.3953,38.4756,-77.3936,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Route 1 flooded and closed near Aquia Creek and Telegraph Road." +118000,713197,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4889,-77.5785,38.4884,-77.5785,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Flooding reported at the intersection of Poplar Drive and Heflin Road." +119062,715024,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-01 18:07:00,EST-5,2017-07-01 18:12:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts of 38 to 51 knots were reported at Cuckold Creek." +119062,715025,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-01 18:13:00,EST-5,2017-07-01 18:13:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 35 knots was reported at Monroe Creek." +119062,715026,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 18:19:00,EST-5,2017-07-01 18:19:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust in excess of 30 knots was reported at Cobb Point." +119062,715027,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 19:00:00,EST-5,2017-07-01 19:12:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gust of 42 knots was reported at Piney Point." +119062,715028,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 19:36:00,EST-5,2017-07-01 19:36:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","A wind gusts in excess of 30 knots was reported at Lewisetta." +119062,715030,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 20:00:00,EST-5,2017-07-01 20:06:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts up to 34 knots were reported at Lewisetta." +119062,715031,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-01 20:00:00,EST-5,2017-07-01 20:06:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts in excess of 30 knots were reported at Lewisetta." +119062,715032,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-01 19:09:00,EST-5,2017-07-01 19:09:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts in excess of 30 knots were reported at Raccoon Point." +116199,714648,ALABAMA,2017,July,Heavy Rain,"JACKSON",2017-07-04 06:00:00,CST-6,2017-07-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.69,-86.09,34.69,-86.09,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Reported at WWIC-Radio Station in Scottsboro." +116199,714649,ALABAMA,2017,July,Heavy Rain,"JACKSON",2017-07-04 06:14:00,CST-6,2017-07-04 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.8,-86.25,34.8,-86.25,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Holly Tree Coop Observer reported a 24-hour rainfall total of 4.05 inches." +116199,714651,ALABAMA,2017,July,Flood,"FRANKLIN",2017-07-04 15:53:00,CST-6,2017-07-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,34.5,-87.73,34.5013,-87.734,"Clusters of showers and thunderstorms took advantage of a very moist atmosphere to produce very heavy rain in some areas. Rainfall of 2 to 4 inches occurred in the span of just a couple of hours in local areas of Madison and Jackson Counties leading to rapid runoff and flash flooding in a few locations. A couple of vehicles were swept off the road in the Hampton Cove area and along Slaughter Road in west Huntsville. A couple of roads were temporarily closed due to flash flooding in Madison County.","Brief floodwaters at the intersection of Washington Avenue and Tuscaloosa Street, or Town Branch, caused part of the road to break away. The intersection was closed while repairs were made to the road." +116251,699094,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-06 16:00:00,EST-5,2017-07-06 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.4393,-75.7473,39.4353,-75.7543,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Patriot Drive flooded." +116381,699845,MONTANA,2017,July,Thunderstorm Wind,"MUSSELSHELL",2017-07-06 16:30:00,MST-7,2017-07-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,46.25,-108.46,46.25,-108.46,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","" +116381,699846,MONTANA,2017,July,Thunderstorm Wind,"YELLOWSTONE",2017-07-06 16:27:00,MST-7,2017-07-06 16:27:00,0,0,0,0,0.00K,0,0.00K,0,45.84,-108.49,45.84,-108.49,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","" +116381,699847,MONTANA,2017,July,Thunderstorm Wind,"YELLOWSTONE",2017-07-06 16:25:00,MST-7,2017-07-06 16:25:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-108.54,45.78,-108.54,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","A tree branch fell on a car." +116381,699849,MONTANA,2017,July,Thunderstorm Wind,"YELLOWSTONE",2017-07-06 16:20:00,MST-7,2017-07-06 16:20:00,0,0,0,0,0.00K,0,0.00K,0,45.73,-108.4,45.73,-108.4,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","" +116383,699851,MONTANA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-10 17:29:00,MST-7,2017-07-10 17:29:00,0,0,0,0,0.00K,0,0.00K,0,45.98,-105.39,45.98,-105.39,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","Winds estimated at 70 mph resulted in power outages southwest of Mizpah." +116383,699853,MONTANA,2017,July,Thunderstorm Wind,"ROSEBUD",2017-07-10 17:00:00,MST-7,2017-07-10 17:00:00,0,0,0,0,0.00K,0,0.00K,0,46.83,-106.27,46.83,-106.27,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116512,700662,FLORIDA,2017,July,Hail,"OSCEOLA",2017-07-17 16:55:00,EST-5,2017-07-17 16:55:00,0,0,0,0,0.00K,0,0.00K,0,28.25,-81.26,28.25,-81.26,"Several reports of funnel clouds were reported along the Treasure Coast as the east coast sea breeze developed and moved inland early in the afternoon. A late afternoon collision of the east and west coast sea breezes along with other outflow boundaries led to the development of severe thunderstorms along the Interstate 4 corridor. These storms produced large hail and downed several trees near Mount Plymouth in Lake County and St. Cloud in Osceola County along with another report of a funnel cloud near Central Winds Park in Sanford.","Quarter sized hail was reported near US-192 in St. Cloud via both social media and a storm spotter." +116512,700664,FLORIDA,2017,July,Hail,"LAKE",2017-07-17 15:48:00,EST-5,2017-07-17 15:48:00,0,0,0,0,0.00K,0,0.00K,0,28.8,-81.53,28.8,-81.53,"Several reports of funnel clouds were reported along the Treasure Coast as the east coast sea breeze developed and moved inland early in the afternoon. A late afternoon collision of the east and west coast sea breezes along with other outflow boundaries led to the development of severe thunderstorms along the Interstate 4 corridor. These storms produced large hail and downed several trees near Mount Plymouth in Lake County and St. Cloud in Osceola County along with another report of a funnel cloud near Central Winds Park in Sanford.","A public report of quarter sized hail was received from a resident in Mount Plymouth near Chevy Chase Road. The report was relayed by local media." +116512,700860,FLORIDA,2017,July,Funnel Cloud,"MARTIN",2017-07-17 13:05:00,EST-5,2017-07-17 13:05:00,0,0,0,0,0.00K,0,0.00K,0,27.05,-80.23,27.05,-80.23,"Several reports of funnel clouds were reported along the Treasure Coast as the east coast sea breeze developed and moved inland early in the afternoon. A late afternoon collision of the east and west coast sea breezes along with other outflow boundaries led to the development of severe thunderstorms along the Interstate 4 corridor. These storms produced large hail and downed several trees near Mount Plymouth in Lake County and St. Cloud in Osceola County along with another report of a funnel cloud near Central Winds Park in Sanford.","Local media relayed a report of a funnel cloud in the vicinity of Interstate 95 and SE Bridge Road near Hobe Sound." +116512,700861,FLORIDA,2017,July,Funnel Cloud,"ST. LUCIE",2017-07-17 13:50:00,EST-5,2017-07-17 13:50:00,0,0,0,0,0.00K,0,0.00K,0,27.3684,-80.4853,27.3684,-80.4853,"Several reports of funnel clouds were reported along the Treasure Coast as the east coast sea breeze developed and moved inland early in the afternoon. A late afternoon collision of the east and west coast sea breezes along with other outflow boundaries led to the development of severe thunderstorms along the Interstate 4 corridor. These storms produced large hail and downed several trees near Mount Plymouth in Lake County and St. Cloud in Osceola County along with another report of a funnel cloud near Central Winds Park in Sanford.","St. Lucie County Emergency Management reported a funnel cloud over the County Fairgrounds." +116894,702849,NORTH DAKOTA,2017,July,Funnel Cloud,"BENSON",2017-07-21 22:25:00,CST-6,2017-07-21 22:25:00,0,0,0,0,0.00K,0,0.00K,0,48.12,-99.33,48.12,-99.33,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The funnel was viewed from about five miles north of Minnewauken, looking west." +117027,703864,OKLAHOMA,2017,July,Heat,"MCCURTAIN",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across McCurtain County Oklahoma. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117030,703887,TEXAS,2017,July,Heat,"BOWIE",2017-07-19 20:15:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117030,703889,TEXAS,2017,July,Heat,"CASS",2017-07-19 20:15:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117030,703890,TEXAS,2017,July,Heat,"GREGG",2017-07-19 20:15:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703871,TEXAS,2017,July,Heat,"MARION",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117045,704172,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-24 03:00:00,EST-5,2017-07-24 03:00:00,0,0,0,0,,NaN,,NaN,39.8,-75.6,39.8,-75.6,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Almost seven and a half inches of rain fell at this DEOS site." +117045,704173,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-24 03:03:00,EST-5,2017-07-24 03:03:00,0,0,0,0,,NaN,,NaN,39.8,-75.62,39.8,-75.62,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Almost five inches of rain fell at this DEOS site." +117045,704174,DELAWARE,2017,July,Lightning,"SUSSEX",2017-07-22 14:30:00,EST-5,2017-07-22 14:30:00,0,0,0,0,0.01K,10,0.00K,0,38.55,-75.11,38.55,-75.11,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","A lightning strike took down some wires. Time estimated." +117045,704541,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-23 20:00:00,EST-5,2017-07-23 23:59:00,0,0,0,0,0.00K,0,0.00K,0,39.8181,-75.5681,39.8023,-75.4665,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Numerous roads closed due to flooding." +117049,704178,DELAWARE,2017,July,Flood,"SUSSEX",2017-07-28 15:00:00,EST-5,2017-07-28 16:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5578,-75.5676,38.5572,-75.5741,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding reported on Front and Poplar streets." +117049,704180,DELAWARE,2017,July,Flood,"KENT",2017-07-28 22:30:00,EST-5,2017-07-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2654,-75.746,39.2708,-75.725,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding reported on Blackiston church road at Millington road." +117049,704182,DELAWARE,2017,July,Flood,"SUSSEX",2017-07-29 04:00:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,38.84,-75.32,38.8417,-75.3109,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Route 1 flooded at Clifton road." +117049,704184,DELAWARE,2017,July,Flood,"SUSSEX",2017-07-29 04:30:00,EST-5,2017-07-29 04:30:00,0,0,0,0,0.00K,0,0.00K,0,38.81,-75.42,38.7758,-75.3827,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Reynolds Pond road from routes 16 to 30 flooded." +117049,704185,DELAWARE,2017,July,Flood,"SUSSEX",2017-07-29 05:20:00,EST-5,2017-07-29 06:20:00,0,0,0,0,0.00K,0,0.00K,0,38.8454,-75.3727,38.859,-75.3748,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Flooding was reported between Slaughter Neck, Neal Road and Route 30." +117049,704187,DELAWARE,2017,July,Flood,"SUSSEX",2017-07-29 05:54:00,EST-5,2017-07-29 06:54:00,0,0,0,0,0.00K,0,0.00K,0,38.7437,-75.5801,38.7538,-75.5808,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","High water was reported on Redden road." +117051,704102,NEW JERSEY,2017,July,Heavy Rain,"CUMBERLAND",2017-07-29 07:25:00,EST-5,2017-07-29 07:25:00,0,0,0,0,,NaN,,NaN,39.37,-75.07,39.37,-75.07,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost two and a half inches of rain fell." +117051,704103,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:33:00,EST-5,2017-07-29 07:33:00,0,0,0,0,,NaN,,NaN,39.6,-74.67,39.6,-74.67,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","A little over two inches of rain fell." +117051,704104,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 07:37:00,EST-5,2017-07-29 07:37:00,0,0,0,0,,NaN,,NaN,39.38,-74.43,39.38,-74.43,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Two and a half inches of rain fell at the Marina." +117051,704105,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:39:00,EST-5,2017-07-29 07:39:00,0,0,0,0,,NaN,,NaN,39.08,-74.82,39.08,-74.82,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704106,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:39:00,EST-5,2017-07-29 07:39:00,0,0,0,0,,NaN,,NaN,39.23,-74.81,39.23,-74.81,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two inches of rain was measured." +117051,704107,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 07:40:00,EST-5,2017-07-29 07:40:00,0,0,0,0,,NaN,,NaN,38.94,-74.92,38.94,-74.92,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost four inches of rain fell." +117051,704108,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 08:03:00,EST-5,2017-07-29 08:03:00,0,0,0,0,,NaN,,NaN,39.14,-74.85,39.14,-74.85,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost three inches of rain fell." +117051,704110,NEW JERSEY,2017,July,Heavy Rain,"CAPE MAY",2017-07-29 08:20:00,EST-5,2017-07-29 08:20:00,0,0,0,0,,NaN,,NaN,39.21,-74.7,39.21,-74.7,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost three and a half inches of rain was measured." +117051,704111,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-29 09:43:00,EST-5,2017-07-29 09:43:00,0,0,0,0,,NaN,,NaN,39.47,-74.55,39.47,-74.55,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","A spotter estimated four inches of rain." +117051,704112,NEW JERSEY,2017,July,Lightning,"ATLANTIC",2017-07-29 00:00:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.01K,10,0.00K,0,39.49,-74.46,39.49,-74.46,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Lightning hit a tree branch which fell onto a yard. Time estimated." +116220,698990,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RANDOLPH",2017-07-07 17:08:00,EST-5,2017-07-07 17:08:00,0,0,0,0,2.00K,2000,0.00K,0,38.91,-79.7,38.91,-79.7,"Showers and thunderstorms developed across Ohio and Indiana during the afternoon of the 7th. In a very unstable atmosphere, this activity strengthened through the afternoon, moving through the middle Ohio River Valley and Central Appalachians during the late afternoon and evening, producing damaging winds gusts.","Multiple trees were blown down along Old Route 33 in Bowden." +116346,699597,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-10 17:37:00,EST-5,2017-07-10 17:37:00,0,0,0,0,2.00K,2000,0.00K,0,39.21,-81.71,39.21,-81.71,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple large hardwood trees were blown down." +116346,699598,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-10 17:40:00,EST-5,2017-07-10 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,39.24,-81.67,39.24,-81.67,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple trees were snapped or uprooted in the Washington area." +116346,699599,WEST VIRGINIA,2017,July,Thunderstorm Wind,"WOOD",2017-07-10 17:50:00,EST-5,2017-07-10 17:50:00,0,0,0,0,5.00K,5000,0.00K,0,39.26,-81.56,39.26,-81.56,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Severe trees were blown down. There were also isolated power outages due to downed lines." +116346,699600,WEST VIRGINIA,2017,July,Thunderstorm Wind,"ROANE",2017-07-10 19:02:00,EST-5,2017-07-10 19:02:00,0,0,0,0,0.50K,500,0.00K,0,38.82,-81.36,38.82,-81.36,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Nancy Road was blocked by a tree that was blown down by thunderstorm winds." +116346,699601,WEST VIRGINIA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-10 18:35:00,EST-5,2017-07-10 18:35:00,0,0,0,0,0.50K,500,0.00K,0,38.93,-81.09,38.93,-81.09,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","The top of a pine tree was snapped off by gusty outflow winds." +116346,699602,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RITCHIE",2017-07-10 18:14:00,EST-5,2017-07-10 18:14:00,0,0,0,0,5.00K,5000,0.00K,0,39.28,-81.04,39.28,-81.04,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple trees and wires were downed along Highland Road." +116411,700029,SOUTH DAKOTA,2017,July,Hail,"MEADE",2017-07-11 13:43:00,MST-7,2017-07-11 13:43:00,0,0,0,0,,NaN,0.00K,0,44.1901,-103.2868,44.1901,-103.2868,"A thunderstorm briefly became severe as it tracked eastward from the Black Hawk area to near Ellsworth Air Force Base, dropping hail to around half dollar size.","" +116411,700030,SOUTH DAKOTA,2017,July,Hail,"PENNINGTON",2017-07-11 14:16:00,MST-7,2017-07-11 14:16:00,0,0,0,0,0.00K,0,0.00K,0,44.1351,-103.0617,44.1351,-103.0617,"A thunderstorm briefly became severe as it tracked eastward from the Black Hawk area to near Ellsworth Air Force Base, dropping hail to around half dollar size.","" +116411,700031,SOUTH DAKOTA,2017,July,Hail,"PENNINGTON",2017-07-11 14:10:00,MST-7,2017-07-11 14:10:00,0,0,0,0,0.00K,0,0.00K,0,44.135,-103.063,44.135,-103.063,"A thunderstorm briefly became severe as it tracked eastward from the Black Hawk area to near Ellsworth Air Force Base, dropping hail to around half dollar size.","" +116413,700033,SOUTH DAKOTA,2017,July,Hail,"CUSTER",2017-07-11 14:49:00,MST-7,2017-07-11 14:49:00,0,0,0,0,0.00K,0,0.00K,0,43.796,-102.804,43.796,-102.804,"A severe thunderstorm developed southeast of Rapid City and tracked southeastward across northeastern Custer County, southeastern Pennington County, and northern Oglala Lakota County. Wind gusts to 70 mph and small hail accompanied the storm.","" +116413,700034,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-11 14:49:00,MST-7,2017-07-11 14:49:00,0,0,0,0,,NaN,0.00K,0,43.796,-102.804,43.796,-102.804,"A severe thunderstorm developed southeast of Rapid City and tracked southeastward across northeastern Custer County, southeastern Pennington County, and northern Oglala Lakota County. Wind gusts to 70 mph and small hail accompanied the storm.","The spotter estimated wind gusts near 70 mph." +116413,700035,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-11 15:00:00,MST-7,2017-07-11 15:00:00,0,0,0,0,,NaN,0.00K,0,43.78,-102.55,43.78,-102.55,"A severe thunderstorm developed southeast of Rapid City and tracked southeastward across northeastern Custer County, southeastern Pennington County, and northern Oglala Lakota County. Wind gusts to 70 mph and small hail accompanied the storm.","Wind gusts were estimated at 70 mph." +116413,700036,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-11 15:00:00,MST-7,2017-07-11 15:00:00,0,0,0,0,0.00K,0,0.00K,0,43.78,-102.6302,43.78,-102.6302,"A severe thunderstorm developed southeast of Rapid City and tracked southeastward across northeastern Custer County, southeastern Pennington County, and northern Oglala Lakota County. Wind gusts to 70 mph and small hail accompanied the storm.","Wind gusts were estimated at 60 mph." +116413,700037,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"OGLALA LAKOTA",2017-07-11 15:50:00,MST-7,2017-07-11 15:50:00,0,0,0,0,,NaN,0.00K,0,43.6382,-102.2822,43.6382,-102.2822,"A severe thunderstorm developed southeast of Rapid City and tracked southeastward across northeastern Custer County, southeastern Pennington County, and northern Oglala Lakota County. Wind gusts to 70 mph and small hail accompanied the storm.","The public estimated wind gusts at 70 mph." +116414,700039,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-11 21:13:00,MST-7,2017-07-11 21:13:00,0,0,0,0,0.00K,0,0.00K,0,44.15,-103.12,44.15,-103.12,"A line of thunderstorms moved southeast through the Rapid City area, producing wind gusts near 60 mph.","" +117506,706722,ILLINOIS,2017,July,Excessive Heat,"UNION",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706721,ILLINOIS,2017,July,Excessive Heat,"SALINE",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706723,ILLINOIS,2017,July,Excessive Heat,"WABASH",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706724,ILLINOIS,2017,July,Excessive Heat,"WAYNE",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117510,706752,KENTUCKY,2017,July,Excessive Heat,"LIVINGSTON",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706753,KENTUCKY,2017,July,Excessive Heat,"LYON",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706754,KENTUCKY,2017,July,Excessive Heat,"MARSHALL",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +116516,702268,PENNSYLVANIA,2017,July,Flash Flood,"YORK",2017-07-17 14:00:00,EST-5,2017-07-17 15:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9445,-76.7835,39.9361,-76.7306,"Slow-moving pulse storms developed the afternoon of July 17, 2017. These storms quickly developed across the Susquehanna Valley on a warm and very humid afternoon, and produced locally heavy rainfall. A couple of these storms were able to briefly develop significant cores aloft.","Numerous roads were flooded requiring some five water rescues. See: http://www.ydr.com/videos/news/2017/07/23/flash-flooding-traps-drivers-springettsbury-township/103786156/ ." +116488,707308,PENNSYLVANIA,2017,July,Flash Flood,"CLEARFIELD",2017-07-14 09:30:00,EST-5,2017-07-14 12:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7358,-78.5258,40.7682,-78.4232,"Showers and thunderstorms with locally heavy rain produced flash flooding across northern Cambria and southern Clearfield County during the morning of July 14, 2017. Declarations of disaster were issued for Westover and Coalport Borough, as well as Beccaria Township. At least 35 structures sustained minor damage, with two structures experiencing major damage.","Heavy rainfall /over 4 radar estimated/ brought flash flooding to southern Clearfield County. Two boroughs, Westover and Coalport issued disaster declarations. A mudslide along Main Street in Coalport forced several residents to the second level of their homes. A building was reported to have collapsed in Westover. There were numerous water rescues." +116767,702229,PENNSYLVANIA,2017,July,Flash Flood,"YORK",2017-07-23 18:00:00,EST-5,2017-07-23 19:45:00,0,0,0,0,0.00K,0,0.00K,0,39.7827,-76.7011,39.755,-76.7199,"A frontal system moved into a warm and humid airmass and widespread showers and thunderstorms developed. Locally heavy rain brought flash flooding to several areas.","Water rose 18 inches in 10 minutes into the Shrewsbury Beer and Soda eventually reaching waste deep with a strong current in the store. See http://www.ydr.com/videos/news/2017/07/24/beer-distributor-flooded-southern-york-county/103950472/ .||Major flooding on Route 851 in Railroad Borough and Shrewsbury Township." +116767,707386,PENNSYLVANIA,2017,July,Flash Flood,"DAUPHIN",2017-07-23 17:50:00,EST-5,2017-07-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2225,-76.8308,40.2817,-76.8919,"A frontal system moved into a warm and humid airmass and widespread showers and thunderstorms developed. Locally heavy rain brought flash flooding to several areas.","Heavy rainfall brought flash flooding to Dauphin County. Harrisburg International Airport had an epic rainfall event with 4.27��� in one hour and 4.71��� for the day making it the 5th wettest day in history. ||Many roads were flooded and impassible during the event. Many water rescues were performed, both in cars and residences. ||Residents of the 44 unit Woodlayne Courth Apartments at 149 Wilson Street in Middletown Borough were evacuated due to five feet of water in the basement requiring the utilities to be shut off. Two shelters were opened at the community center at 56 West Emmaus Street and the Main Street Gym in Middletown, but not utilized. Fifteen evacuees were lodged in local hotels by the Red Cross.||Another evacuation occurred at the Lisa Lake mobile Home Park located at 2100 West Harrisburg Pike in Lower Swatara Township. A total of twenty-eight residents were displaced from the retirement living community." +117311,705526,NEW MEXICO,2017,July,Flash Flood,"TORRANCE",2017-07-31 14:55:00,MST-7,2017-07-31 16:00:00,0,0,0,0,0.00K,0,0.00K,0,35.0377,-105.6787,35.032,-105.6757,"Abundant moisture and instability in place over New Mexico on the final day of July 2017 resulted in more flash flashing. Several days of heavy rainfall set the stage for saturated soils and rapid runoff. Very weak steering flow led to nearly stationary thunderstorms with impressive rainfall rates near three inches per hour. Heavy rainfall on very steep terrain west of Red River produced flash flooding across state highway 138 near mile marker nine. The highway was closed for around four hours. Torrential rainfall near Mariano Lake produced flash flooding on reservation routes 49 and 11. A deluge of rainfall on a ranch near Clines Corners produced 1.5 inches in just 35 minutes. A strong thunderstorm with frequent lightning strikes moved across the Albuquerque metro and destroyed a large tree outside a home in Four Hills. Showers and thunderstorms across eastern New Mexico congealed into a large area of heavy rainfall around Portales. This second round of very heavy rainfall on top of saturated soils resulted in serious flooding within Roosevelt County. Vehicles were stranded on U.S. Highway 70 and state police reported a lake covering miles of the highway. State road 267 was also washed out. The Roswell airport set a new daily rainfall record of 1.03 inches, breaking the previous record of 0.84 inches from 1997.","All arroyos and draws flooding on ranch near Clines Corners from 1.5 inches of rainfall in 35 minutes." +117311,705527,NEW MEXICO,2017,July,Lightning,"BERNALILLO",2017-07-31 15:30:00,MST-7,2017-07-31 15:31:00,0,0,0,0,0.50K,500,0.00K,0,35.0549,-106.4948,35.0549,-106.4948,"Abundant moisture and instability in place over New Mexico on the final day of July 2017 resulted in more flash flashing. Several days of heavy rainfall set the stage for saturated soils and rapid runoff. Very weak steering flow led to nearly stationary thunderstorms with impressive rainfall rates near three inches per hour. Heavy rainfall on very steep terrain west of Red River produced flash flooding across state highway 138 near mile marker nine. The highway was closed for around four hours. Torrential rainfall near Mariano Lake produced flash flooding on reservation routes 49 and 11. A deluge of rainfall on a ranch near Clines Corners produced 1.5 inches in just 35 minutes. A strong thunderstorm with frequent lightning strikes moved across the Albuquerque metro and destroyed a large tree outside a home in Four Hills. Showers and thunderstorms across eastern New Mexico congealed into a large area of heavy rainfall around Portales. This second round of very heavy rainfall on top of saturated soils resulted in serious flooding within Roosevelt County. Vehicles were stranded on U.S. Highway 70 and state police reported a lake covering miles of the highway. State road 267 was also washed out. The Roswell airport set a new daily rainfall record of 1.03 inches, breaking the previous record of 0.84 inches from 1997.","Lightning destroyed a large oak tree in Four Hills. Large branches fell onto the property and side swiped part of the house and a wall. No damage was noted in the photo however some minor damage may have occurred." +120539,722135,KANSAS,2017,January,Ice Storm,"BARTON",2017-01-14 22:56:00,CST-6,2017-01-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county ranged from 0.5 inches up to 0.75 inches. The greatest accumulations were across the western sections of the county. Widespread reports for trees and tree limbs falling were received along with several power outages." +117637,709144,NEW YORK,2017,July,Flash Flood,"CORTLAND",2017-07-13 12:03:00,EST-5,2017-07-13 13:15:00,0,0,0,0,15.00K,15000,0.00K,0,42.6269,-76.1497,42.6401,-76.377,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Flood waters were flowing over several streets in Cortland, and rural areas in the western portion of the county." +117637,709141,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-13 12:20:00,EST-5,2017-07-13 13:30:00,0,0,0,0,20.00K,20000,0.00K,0,42.72,-76.33,42.723,-76.3035,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Multiple roads in and around Sempronious were damaged and closed due to flooding." +117637,709142,NEW YORK,2017,July,Flash Flood,"CAYUGA",2017-07-13 13:00:00,EST-5,2017-07-13 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,42.7213,-76.4381,42.6898,-76.4418,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Numerous roads were flooded throughout Moravia." +117995,709326,TENNESSEE,2017,July,Hail,"FAYETTE",2017-07-23 16:39:00,CST-6,2017-07-23 16:45:00,0,0,0,0,,NaN,,NaN,35.38,-89.58,35.3808,-89.563,"A weak cold front triggered a few severe thunderstorms that were capable of producing damaging winds and near severe sized hail across portions of west Tennessee during the late afternoon hours of July 23rd.","Numerous amounts of nickel-sized hail fell just inside the Braden city limits." +118179,710227,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-12 11:42:00,EST-5,2017-07-12 11:50:00,0,0,0,0,6.00K,6000,0.00K,0,42.1755,-71.6153,42.1755,-71.6153,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1142 AM EST, a tree was knocked down on Warren Street in Upton. At 1150 AM EST, multiple trees and wires were brought down on Fowler Street in Upton." +117201,704911,KENTUCKY,2017,July,Flash Flood,"MORGAN",2017-07-28 14:55:00,EST-5,2017-07-28 16:20:00,0,0,0,0,1.00K,1000,0.00K,0,37.76,-83.3,37.7458,-83.3032,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","Highway 134 and Camp Branch Road were both impassable due to flash flooding in the Adele community. At least one structure was inundated." +117201,704919,KENTUCKY,2017,July,Flash Flood,"JOHNSON",2017-07-28 16:30:00,EST-5,2017-07-28 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,37.81,-82.94,37.8022,-82.9346,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","Two roads were closed due to flash flooding near the Oil Springs Fire Department." +118406,711610,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:55:00,EST-5,2017-07-17 15:55:00,0,0,0,0,,NaN,,NaN,43.1365,-73.6819,43.1365,-73.6819,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","A tree was downed on King Road due to thunderstorms." +118406,711609,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:51:00,EST-5,2017-07-17 15:51:00,0,0,0,0,,NaN,,NaN,42.85,-73.81,42.85,-73.81,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Trees were downed in Clifton Park due to thunderstorm winds." +118406,711605,NEW YORK,2017,July,Thunderstorm Wind,"SARATOGA",2017-07-17 15:44:00,EST-5,2017-07-17 15:44:00,0,0,0,0,,NaN,,NaN,43.1184,-73.7546,43.1184,-73.7546,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Trees were reported down across Lewis Road and Jones Road, prompting a road closure." +118450,711795,MARYLAND,2017,July,Flash Flood,"HARFORD",2017-07-23 17:02:00,EST-5,2017-07-23 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.5209,-76.1703,39.5232,-76.1699,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","A vehicle was reported trapped in high water near the intersection of Aberdeen Throughway and Paradise Road. Aberdeen Throughway was subsequently closed in this area." +117803,708184,MISSISSIPPI,2017,July,Flash Flood,"FORREST",2017-07-24 11:50:00,CST-6,2017-07-24 13:00:00,0,0,0,0,7.00K,7000,0.00K,0,30.98,-89.32,30.9867,-89.3098,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Entrekin Road was flooded in multiple spots near Havard Road." +117803,709097,MISSISSIPPI,2017,July,Flash Flood,"RANKIN",2017-07-24 12:00:00,CST-6,2017-07-24 13:00:00,0,0,0,0,5.00K,5000,0.00K,0,32.3,-89.95,32.302,-89.9465,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water was over Stratford Road." +119630,717714,NEW YORK,2017,July,Heat,"NORTHERN QUEENS",2017-07-20 15:00:00,EST-5,2017-07-20 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Bermuda high pressure system ushered in hot and humid weather across the east coast.","The heat index at LaGuardia Airport reached as high as 102 degrees around 5 pm." +119630,717715,NEW YORK,2017,July,Heat,"SOUTHERN QUEENS",2017-07-20 12:00:00,EST-5,2017-07-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Bermuda high pressure system ushered in hot and humid weather across the east coast.","The heat index at JFK International Airport reached as high as 103 degrees around 1 pm." +119834,718483,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:45:00,CST-6,2017-08-10 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.3578,-100.4543,39.3578,-100.4543,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","" +119834,718485,KANSAS,2017,August,Hail,"SHERIDAN",2017-08-10 12:56:00,CST-6,2017-08-10 12:56:00,0,0,0,0,0.00K,0,0.00K,0,39.3526,-100.3353,39.3526,-100.3353,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The hail ranged from 0.50-0.75, covering the ground." +117671,709049,NEW YORK,2017,July,Flash Flood,"RENSSELAER",2017-07-01 18:30:00,EST-5,2017-07-01 23:30:00,0,0,0,0,300.00K,300000,0.00K,0,42.897,-73.3485,42.9,-73.3508,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Severe flooding occurred in the village of Hoosick Falls as heavy rain resulted in a partial collapse of the Woods Brook flood protection system. A nearby rain gauge reported 1.63 inches of rain in an hour, and an additional 1.23 inches in the next two hours. The brook spilled out of its banks and coursed through the village, causing water and debris to rush into yards and residences. Numerous houses reported basement flooding, with a few reporting flooding on the first floor, leading to evacuations. Three sinkholes developed, one the size of two tractor trailers. Several roads remained closed well into the following day, and flood waters washed out a portion of the train tracks that pass through the village. A local state of emergency was declared." +117841,708298,TENNESSEE,2017,July,Tornado,"CARROLL",2017-07-05 17:58:00,CST-6,2017-07-05 18:02:00,0,0,0,0,750.00K,750000,,NaN,35.8664,-88.5524,35.8832,-88.5344,"A passing upper level disturbance generated a line of severe thunderstorms that were capable of producing damaging winds and a brief weak tornado across portions of west Tennessee during the early evening hours of July 5th.","A brief EF-1 tornado of 100 to 105 mph winds occurred in southwest Carroll County Wednesday evening between the communities of Cedar Grove and Huntingdon. This tornado produced widespread tree damage, mainly along and east of Highway 70 from Highway 424 northeast to Water Tower Road. In addition to the tree damage, several homes and single wide mobile homes sustained damage, primarily to roof structures. Overall approximately 15-20 buildings and outbuildings were damaged by this tornado." +117996,709330,ARKANSAS,2017,July,Flash Flood,"CRAIGHEAD",2017-07-25 15:30:00,CST-6,2017-07-25 17:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8394,-90.7294,35.8362,-90.7306,"A nearly stationary thunderstorm with very high rain rates produced flash flooding across portions of northeast Arkansas during the late afternoon hours of July 25th.","Over six inches of water on roadway at the 400 block of West Washington in Jonesboro." +118709,713154,ALABAMA,2017,July,Thunderstorm Wind,"ETOWAH",2017-07-06 14:54:00,CST-6,2017-07-06 14:55:00,0,0,0,0,0.00K,0,0.00K,0,33.9505,-85.9248,33.9505,-85.9248,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted on Davis Street in the the city of Glencoe." +118709,713155,ALABAMA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-06 15:24:00,CST-6,2017-07-06 15:25:00,0,0,0,0,0.00K,0,0.00K,0,33.92,-85.6,33.92,-85.6,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted and power lines downed in the city of Piedmont." +118709,713156,ALABAMA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-06 15:33:00,CST-6,2017-07-06 15:34:00,0,0,0,0,0.00K,0,0.00K,0,33.7924,-87.5461,33.7924,-87.5461,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted along Highway 102." +118709,713158,ALABAMA,2017,July,Thunderstorm Wind,"TALLADEGA",2017-07-06 15:30:00,CST-6,2017-07-06 15:31:00,0,0,0,0,0.00K,0,0.00K,0,33.5622,-85.8261,33.5622,-85.8261,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted near the intersection of McIntosh Road and Mary drive." +118709,713160,ALABAMA,2017,July,Thunderstorm Wind,"ST. CLAIR",2017-07-06 15:48:00,CST-6,2017-07-06 15:49:00,0,0,0,0,0.00K,0,0.00K,0,33.5244,-86.2549,33.5244,-86.2549,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted and roof damage to a home on Allen Road." +118709,713161,ALABAMA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-06 16:30:00,CST-6,2017-07-06 16:31:00,0,0,0,0,0.00K,0,0.00K,0,33.6204,-85.8404,33.6204,-85.8404,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Power lines downed at the intersection of Martin Luther King Drive and Washington Street." +116402,700067,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-06 18:32:00,CST-6,2017-07-06 18:32:00,0,0,0,0,0.00K,0,0.00K,0,40.28,-100.17,40.28,-100.17,"Severe outflow winds occurred early on this Thursday evening over northwest Furnas County. During the mid to late afternoon hours, several thunderstorms formed over southwest Nebraska, near Imperial. These storms quickly congealed into a multicell cluster and moved southeast toward the Kansas state line. Between 5 and 6 pm, these storms significantly weakened leaving an area of stratiform rain. However, around 630 PM CST, the associated outflow appeared to trigger a new thunderstorm over southeast Frontier County, near the leading edge of the stratiform rain. This storm briefly moved southeast into Furnas County around 640 PM CST, and by 710 PM it dissipated. Severe wind gusts of 61 and 66 mph were measured in the outflow ahead of this storm.||These storms formed in the hot, deeply-mixed air near a surface trough oriented from southwest to northeast across Nebraska, and east of the lee trough. In the upper-levels, the flow was highly amplified with a large subtropical high over the Intermountain West and a trough over the Great Lakes and Ohio Valley. The flow over the plains was anticyclonic from the north. Before the storms moved into Furnas County, temperatures were in the upper 90s with dewpoints in the 40s. Mid-level lapse rates were near 8 deg C/km, but with such dry air below the cloud bases, SBCAPE was only 1000-1500 J/kg. Effective deep layer shear was around 30 kts.","Wind gust was measured by a hand held anemometer." +116402,700068,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-06 18:46:00,CST-6,2017-07-06 18:46:00,0,0,0,0,0.00K,0,0.00K,0,40.3067,-100.1555,40.3067,-100.1555,"Severe outflow winds occurred early on this Thursday evening over northwest Furnas County. During the mid to late afternoon hours, several thunderstorms formed over southwest Nebraska, near Imperial. These storms quickly congealed into a multicell cluster and moved southeast toward the Kansas state line. Between 5 and 6 pm, these storms significantly weakened leaving an area of stratiform rain. However, around 630 PM CST, the associated outflow appeared to trigger a new thunderstorm over southeast Frontier County, near the leading edge of the stratiform rain. This storm briefly moved southeast into Furnas County around 640 PM CST, and by 710 PM it dissipated. Severe wind gusts of 61 and 66 mph were measured in the outflow ahead of this storm.||These storms formed in the hot, deeply-mixed air near a surface trough oriented from southwest to northeast across Nebraska, and east of the lee trough. In the upper-levels, the flow was highly amplified with a large subtropical high over the Intermountain West and a trough over the Great Lakes and Ohio Valley. The flow over the plains was anticyclonic from the north. Before the storms moved into Furnas County, temperatures were in the upper 90s with dewpoints in the 40s. Mid-level lapse rates were near 8 deg C/km, but with such dry air below the cloud bases, SBCAPE was only 1000-1500 J/kg. Effective deep layer shear was around 30 kts.","" +116574,701038,NEBRASKA,2017,July,Heavy Rain,"HARLAN",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-99.3559,40.32,-99.3559,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.61 inches was measured." +118784,713576,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-04 17:40:00,CST-6,2017-07-04 17:40:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-102.87,34.83,-102.87,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","Winds estimated at 60 MPH by trained spotter." +118784,713577,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-04 18:15:00,CST-6,2017-07-04 18:15:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-102.42,34.84,-102.42,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","" +118784,713578,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-04 18:21:00,CST-6,2017-07-04 18:21:00,0,0,0,0,0.00K,0,0.00K,0,34.82,-102.4,34.82,-102.4,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","Trained spotter and sheriff deputy on the west side of Hereford reported 55 to 60 mph winds with tree limbs broken off." +118784,713579,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-04 18:30:00,CST-6,2017-07-04 18:30:00,0,0,0,0,0.00K,0,0.00K,0,34.84,-102.42,34.84,-102.42,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","" +118846,713993,NORTH CAROLINA,2017,July,Flood,"COLUMBUS",2017-07-09 18:25:00,EST-5,2017-07-09 20:00:00,0,0,0,0,4.00K,4000,0.00K,0,34.1931,-78.6737,34.1861,-78.6691,"Thunderstorms developed in a moist and moderately unstable environment. Outflow boundaries organized thunderstorms into back-building clusters which produced 2 to 5 inches of rain.","High water was reported on 7 Creeks Hwy. near the Southern Bloom Nursery. A tree was also reported down in the flooded area." +114896,689549,NEW JERSEY,2017,May,Coastal Flood,"MIDDLESEX",2017-05-25 18:00:00,EST-5,2017-05-25 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Moderate coastal flooding occurred with the evening high tide which impacted communities along the Raritan Bay. The Perth Amboy gauge reached 8.22 feet MLLW just above the moderate threshold." +114889,689218,NEW JERSEY,2017,May,Hail,"MIDDLESEX",2017-05-14 17:13:00,EST-5,2017-05-14 17:13:00,0,0,0,0,,NaN,,NaN,40.39,-74.39,40.39,-74.39,"A couple of thunderstorms produced sub-severe hail just under an inch in north central New Jersey.","Estimated." +116052,697506,TEXAS,2017,June,Hail,"PECOS",2017-06-01 15:07:00,CST-6,2017-06-01 15:12:00,0,0,0,0,,NaN,,NaN,30.6207,-102.9422,30.6207,-102.9422,"An upper level disturbance was exiting the region with weak upper ridging developing across the area through the early afternoon hours. An upper trough was over Northern Mexico later in the day and began to move east. There was a lot of moisture and decent instability across West Texas. These conditions lead to the development of storms with large hail.","" +118481,711930,NEW YORK,2017,July,Flood,"ROCKLAND",2017-07-07 11:00:00,EST-5,2017-07-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1408,-74.1158,41.1412,-74.1161,"Developing low pressure passing near the region in a high precipitable water environment (2.27 on the 12Z 7/7 OKX sounding) resulted in heavy rainfall across much of the region that led to isolated flash flooding and river flooding across parts of the Lower Hudson Valley. ||Rainfall amounts ranged from 1-2.5 across the area, with reports of 2.16 of rain in Nanuet from an IFLOWS gauge and 1.96 in Armonk from CoCoRaHS. This resulted in isolated flash flooding in Westchester County and the Mahwah River near Suffern, NY rising above its flood stage of 4.0 feet for several hours.","The Mahwah River near Suffern, NY rose above its flood stage of 4.0 feet at 12:00pm EDT on July 7th, crested at a height of 5.16 feet at 1:45pm, and fell back below flood stage by 5:00pm EDT." +118523,712092,MINNESOTA,2017,July,Hail,"AITKIN",2017-07-06 00:30:00,CST-6,2017-07-06 00:30:00,0,0,0,0,8.00K,8000,,NaN,46.21,-93.25,46.21,-93.25,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A car was so damaged by the hail that it was declared totaled." +116400,700143,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-02 20:18:00,CST-6,2017-07-02 20:30:00,0,0,0,0,10.00K,10000,0.00K,0,40.3067,-100.1555,40.28,-100.151,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","A mesonet station 2 miles north-northeast of Cambridge measured a wind gust of 72 MPH at 9:18 p.m. CDT. Wind gusts 1 mile east of Cambridge were estimated to be near 65 MPH. Tree limbs ranging from 4 to 16 inches in diameter were downed in the area." +119070,715102,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:20:00,EST-5,2017-07-22 14:20:00,0,0,0,0,,NaN,,NaN,39.96,-76.45,39.96,-76.45,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 37 knots was reported at the Annapolis Buoy." +119070,715103,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 14:25:00,EST-5,2017-07-22 14:25:00,0,0,0,0,,NaN,,NaN,38.98,-76.33,38.98,-76.33,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 35 knots was reported at the Bay Bridge." +119070,715104,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 15:00:00,EST-5,2017-07-22 15:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 49 knots was reported at Thomas Point Lighthouse." +119070,715106,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 14:30:00,EST-5,2017-07-22 14:40:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts of 37 to 43 knots were reported at Gooses Reef." +119070,715107,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-22 15:19:00,EST-5,2017-07-22 15:19:00,0,0,0,0,,NaN,,NaN,38.26,-76.18,38.26,-76.18,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Hooper Island." +119070,715108,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 17:40:00,EST-5,2017-07-22 17:40:00,0,0,0,0,,NaN,,NaN,38.69,-76.53,38.69,-76.53,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 37 knots was reported." +119070,715109,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 17:48:00,EST-5,2017-07-22 17:48:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 35 knots was reported at Herring Bay." +118008,714126,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-23 23:31:00,EST-5,2017-07-23 23:55:00,0,0,0,0,100.00K,100000,0.00K,0,41.9882,-76.3687,41.9074,-76.3577,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Route 187 was flooded and impassable in multiple locations up to the NY State Line. Emergency operations were underway to rescue residents and motorists from flooding." +118008,714133,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-24 00:42:00,EST-5,2017-07-24 01:25:00,0,0,0,0,40.00K,40000,0.00K,0,41.9364,-76.2458,41.9308,-76.2367,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Six people were rescued from a residence along Sugar Cabin Road." +118008,714141,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-24 01:12:00,EST-5,2017-07-24 01:25:00,0,0,0,0,125.00K,125000,0.00K,0,41.86,-76.34,41.8582,-76.3354,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Flooding was surrounding mobile homes at the 7 Hills Mobile Home Court in Rome." +116820,703555,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:20:00,CST-6,2017-06-14 18:25:00,0,0,0,0,,NaN,,NaN,31.9693,-102.1162,31.9693,-102.1162,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +118903,714324,CALIFORNIA,2017,July,Rip Current,"ORANGE COUNTY COASTAL",2017-07-08 06:00:00,PST-8,2017-07-09 20:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Eugene produced a southerly swell that brought elevated surf to the region between the 8th and 13th. The surf peaked on the 11th and 12th with with sets of 8-10 ft in Orange County and Northern San Diego County.","Huntington Beach Lifeguards rescued 200 plus people from rip currents over the weekend. Strong rip currents continued into the workweek, but rescue numbers are unavailable." +118903,714325,CALIFORNIA,2017,July,High Surf,"ORANGE COUNTY COASTAL",2017-07-09 06:00:00,PST-8,2017-07-13 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Eugene produced a southerly swell that brought elevated surf to the region between the 8th and 13th. The surf peaked on the 11th and 12th with with sets of 8-10 ft in Orange County and Northern San Diego County.","South facing beaches were impacted by elevated surf over a period of 5 days. Huntington Beach Lifeguards reported sets to 7 ft over the 5 day period. Surf peaked on the 12th with 10 ft sets. Newport Beach also reported sets to 7 ft." +116938,703317,TEXAS,2017,June,Hail,"BORDEN",2017-06-15 19:40:00,CST-6,2017-06-15 19:45:00,0,0,0,0,0.00K,0,0.00K,0,32.54,-101.42,32.54,-101.42,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +118854,714082,NORTH CAROLINA,2017,July,Tornado,"PENDER",2017-07-19 10:23:00,EST-5,2017-07-19 10:25:00,0,0,0,0,10.00K,10000,0.00K,0,34.4181,-77.5553,34.42,-77.5566,"A large upper low was in the process of cutting off and drifting south. This created relatively steep lapse rates in an environment characterized by increasing heat and instability. The calculated waterspout risk was moderate.","A storm survey conducted by the National Weather Service confirmed a waterspout moved onshore with tornadic winds up to 70 mph that resulted in minor damage. The EF-0 tornado tossed patio furniture and caused minor damage to wooden patio fencing at one residence on S Shore Dr. The tornado quickly moved across S Shore Dr. and caused minor roof damage to a home at the intersection of Seahorse Ave. and S Shore Dr. The tornado caused more roof damage to a home on the north side of Seahorse Ave. as well as a town house before lifting. There was considerable video evidence of the waterspout and tornado. The path length was less than two tenths of a mile." +116938,703320,TEXAS,2017,June,Hail,"GLASSCOCK",2017-06-15 20:10:00,CST-6,2017-06-15 20:15:00,0,0,0,0,,NaN,,NaN,31.8802,-101.5121,31.8802,-101.5121,"An upper ridge was over the southcentral part of the country with westerly winds aloft. A dryline set up across the area with very moist air across the eastern Permian Basin and Lower Trans Pecos. High Instability and wind shear were in place, which meant that conditions were favorable for thunderstorms to develop. The storms that developed became severe and produced large hail and severe wind gusts across parts of the Permian Basin and Trans Pecos.","" +116820,703562,TEXAS,2017,June,Thunderstorm Wind,"MARTIN",2017-06-14 18:41:00,CST-6,2017-06-14 18:41:00,0,0,0,0,,NaN,,NaN,32.3111,-102.0016,32.3111,-102.0016,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Martin County and produced a 69 mph wind gust at the mesonet site near Tarzan." +118914,714370,TEXAS,2017,July,Flash Flood,"HOUSTON",2017-07-24 06:30:00,CST-6,2017-07-24 09:00:00,0,0,0,0,0.00K,0,0.00K,0,31.5663,-95.3249,31.5297,-95.3219,"Scattered thunderstorms slowly moving across Houston County put down high enough rainfall rates to induce localized flash flooding.","Heavy rain caused FM 227 and FM 3016 to become impassable due to flooding just east of Augusta." +118828,713861,OKLAHOMA,2017,July,Thunderstorm Wind,"HUGHES",2017-07-02 16:25:00,CST-6,2017-07-02 16:25:00,0,0,0,0,15.00K,15000,0.00K,0,35.08,-96.4,35.08,-96.4,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","A roof was blown off of the Masonic lodge. A few signs were destroyed. Significant tree damage was also observed." +118828,713869,OKLAHOMA,2017,July,Thunderstorm Wind,"BRYAN",2017-07-02 21:09:00,CST-6,2017-07-02 21:09:00,0,0,0,0,0.00K,0,0.00K,0,34,-96.39,34,-96.39,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Wind gust measured at the EOC in Durant." +119059,716022,INDIANA,2017,July,Flash Flood,"KOSCIUSKO",2017-07-07 12:38:00,EST-5,2017-07-07 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.2881,-86.0565,41.1884,-85.6538,"An area of convergence, combined with 35 to 40 knots of shear, over 2000 J/KG of CAPE and plenty of moisture all set the stage for thunderstorms to develop over southern Lake Michigan and work southeast. Pockets of wind damage were reported, along with some hail and flooding due to already wet conditions.","Training thunderstorms over much of southwestern Kosciusko county dropped between 4 and 6 inches of rain in the span of a few hours, causing widespread flooding and areas of flash flooding. At least a dozen roads were closed at one point due to water flowing over them. South Bruner Street, just northeast of Palestine, was washed away over Magee Robbins Ditch when the water flow exceeded the drainage pipe limits. This resulted in residents on the other side being stranded for several hours until the water receded and temporary repairs could be made." +119183,715773,NEVADA,2017,July,Thunderstorm Wind,"LYON",2017-07-24 16:45:00,PST-8,2017-07-24 16:55:00,0,0,0,0,,NaN,0.00K,0,39.5811,-119.1833,39.6229,-119.2157,"Low pressure near the northern California coast and daytime heating combined to bring strong to severe thunderstorms to the western Nevada Basin and Range on the 24th and 25th.","Eighteen power poles were snapped along Farm District Road, with short dry grass completely stripped from a nearby field. The wind gust was an estimate based on a utility company foreman's experience, who stated that it usually takes around 100 mph to snap power poles cleanly. Minor damage was reported to 4 homes and numerous billboards along Interstate 80 near mile marker 48, with moderate damage to 3 trucks and 2 outbuildings. Radar and damage patterns (examined by a NWS employee) did not indicate any rotation so straight-line winds are the most probable cause." +119284,716278,NORTH CAROLINA,2017,July,Lightning,"ORANGE",2017-07-05 20:35:00,EST-5,2017-07-05 20:35:00,0,0,0,0,10.00K,10000,0.00K,0,36.0662,-79.0801,36.0662,-79.0801,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","Lightning struck a home, causing a fire on Quincy Cottage Road. Property damage was estimated." +119284,716281,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STANLY",2017-07-05 17:39:00,EST-5,2017-07-05 17:39:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-80.33,35.18,-80.33,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","A couple of trees were blown down on Old Sandbar Road." +119284,716284,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ANSON",2017-07-05 17:47:00,EST-5,2017-07-05 17:47:00,0,0,0,0,0.00K,0,0.00K,0,35.1617,-80.2757,35.1617,-80.2757,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","A couple of trees were blown down on Thomas Road in Polkton." +119284,716285,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-05 18:45:00,EST-5,2017-07-05 18:45:00,0,0,0,0,0.00K,0,0.00K,0,35.02,-79.82,35.02,-79.82,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","A couple of trees were blown down." +119284,716287,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-05 18:50:00,EST-5,2017-07-05 18:50:00,0,0,0,0,0.00K,0,0.00K,0,34.99,-79.78,34.99,-79.78,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","A couple of trees were blown down at NC Highway 220 and Crestview Drive." +119284,716289,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALAMANCE",2017-07-05 19:32:00,EST-5,2017-07-05 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.17,-79.41,36.2,-79.4,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","Trees were blown down along a swath on Union Ridge and Ridge Roads." +119284,716293,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-05 20:20:00,EST-5,2017-07-05 20:20:00,0,0,0,0,0.00K,0,0.00K,0,36.0315,-79.1369,36.0315,-79.1369,"Scattered severe storms, aided by propagation along cold pools and enhanced by any mergers of outflow produced scattered wind damage during the late afternoon and evening hours.","One tree down near the intersection of Orange Grove Road and Dimmicks Mill Road." +119291,716303,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MOORE",2017-07-01 17:30:00,EST-5,2017-07-01 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-79.49,35.23,-79.49,"A weak and broad surface trough extending north-south across North Carolina coupled with a very moist air mass supported isolated strong to severe convection.","Several trees were blown down across the road at Murdocksville Road and Rogers Trail." +119100,715267,NORTH DAKOTA,2017,July,Hail,"RENVILLE",2017-07-21 19:08:00,CST-6,2017-07-21 19:12:00,0,0,0,0,0.00K,0,0.00K,0,48.86,-101.55,48.86,-101.55,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715268,NORTH DAKOTA,2017,July,Hail,"LOGAN",2017-07-21 19:32:00,CST-6,2017-07-21 19:35:00,0,0,0,0,0.00K,0,0.00K,0,46.46,-99.35,46.46,-99.35,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715269,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 19:37:00,CST-6,2017-07-21 19:40:00,0,0,0,0,0.00K,0,0.00K,0,48.77,-101.29,48.77,-101.29,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119200,715837,MICHIGAN,2017,July,Hail,"LIVINGSTON",2017-07-23 17:45:00,EST-5,2017-07-23 17:45:00,0,0,0,0,0.00K,0,0.00K,0,42.53,-83.98,42.53,-83.98,"Dime sized hail and several reports of trees down east of U.S. 23.","" +118850,714054,WISCONSIN,2017,July,Hail,"OUTAGAMIE",2017-07-06 22:35:00,CST-6,2017-07-06 22:35:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-88.27,44.28,-88.27,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Nickel size hail fell at Little Chute." +119347,716478,PENNSYLVANIA,2017,July,Excessive Heat,"PHILADELPHIA",2017-07-13 00:00:00,EST-5,2017-07-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices at the Philadelphia ASOS on July 13th reached 101 degrees." +119348,716481,NEW JERSEY,2017,July,Excessive Heat,"CUMBERLAND",2017-07-13 00:00:00,EST-5,2017-07-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices at the Millville ASOS on July 13th reached 105 degrees." +119349,716482,DELAWARE,2017,July,Excessive Heat,"NEW CASTLE",2017-07-13 00:00:00,EST-5,2017-07-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices at the Wilmington ASOS on July 13th reached 103 degrees." +119350,716483,MARYLAND,2017,July,Excessive Heat,"CECIL",2017-07-13 00:00:00,EST-5,2017-07-13 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices across portions of Cecil County on July 13th were around 105 degrees." +119351,716484,DELAWARE,2017,July,Excessive Heat,"NEW CASTLE",2017-07-20 00:00:00,EST-5,2017-07-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices at the Wilmington ASOS on July 20th reached 103 degrees." +119352,716486,MARYLAND,2017,July,Excessive Heat,"CECIL",2017-07-20 00:00:00,EST-5,2017-07-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices in portions of Cecil County on July 20th were around 105 degrees." +119353,716485,NEW JERSEY,2017,July,Excessive Heat,"CUMBERLAND",2017-07-20 00:00:00,EST-5,2017-07-20 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The combination of temperature and humidity lead to excessive heat across the region.","Heat Indices at the Millville ASOS on July 20th reached 105 degrees." +119020,715171,ATLANTIC SOUTH,2017,July,Waterspout,"S SANTEE R TO EDISTO BEACH SC OUT 20NM",2017-07-10 09:10:00,EST-5,2017-07-10 09:15:00,0,0,0,0,,NaN,0.00K,0,32.5408,-80.1328,32.5408,-80.1328,"Light winds and a humid airmass created conditions that were supportive of waterspouts in the early to mid morning hours. A couple of waterspouts developed off the South Carolina coast.","A waterspout was observed south of Beachwalker County Park on Kiawah Island. The waterspout was estimated to have been on the surface for about 5 minutes." +116629,701286,VIRGINIA,2017,July,Hail,"BUCKINGHAM",2017-07-18 14:30:00,EST-5,2017-07-18 14:30:00,0,0,0,0,0.00K,0,0.00K,0,37.6222,-78.5345,37.6222,-78.5345,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701287,VIRGINIA,2017,July,Hail,"GALAX (C)",2017-07-18 14:34:00,EST-5,2017-07-18 14:34:00,0,0,0,0,0.00K,0,0.00K,0,36.67,-80.9204,36.67,-80.9204,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701289,VIRGINIA,2017,July,Hail,"CARROLL",2017-07-18 14:35:00,EST-5,2017-07-18 14:35:00,0,0,0,0,0.00K,0,0.00K,0,36.6905,-80.8698,36.6905,-80.8698,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701290,VIRGINIA,2017,July,Hail,"PULASKI",2017-07-18 15:25:00,EST-5,2017-07-18 15:25:00,0,0,0,0,0.00K,0,0.00K,0,36.9944,-80.7876,36.9944,-80.7876,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +117880,708410,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 09:00:00,CST-6,2017-07-11 09:05:00,0,0,0,0,90.00K,90000,0.00K,0,40.12,-88.25,40.12,-88.25,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Numerous trees were snapped or uprooted." +117880,708411,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 09:05:00,CST-6,2017-07-11 09:10:00,0,0,0,0,40.00K,40000,0.00K,0,40.02,-88.07,40.02,-88.07,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Tree damage and power outages were reported in Sidney." +117880,708412,ILLINOIS,2017,July,Thunderstorm Wind,"VERMILION",2017-07-11 09:15:00,CST-6,2017-07-11 09:20:00,0,0,0,0,80.00K,80000,0.00K,0,39.92,-87.85,39.92,-87.85,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Power poles were blown down on buildings." +117880,708414,ILLINOIS,2017,July,Thunderstorm Wind,"VERMILION",2017-07-11 09:30:00,CST-6,2017-07-11 09:35:00,0,0,0,0,10.00K,10000,0.00K,0,39.98,-87.63,39.98,-87.63,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Trees were blown down on Route 1 blocking the road into Georgetown." +117880,708415,ILLINOIS,2017,July,Thunderstorm Wind,"VERMILION",2017-07-11 09:30:00,CST-6,2017-07-11 09:35:00,0,0,0,0,12.00K,12000,0.00K,0,40.07,-87.7,40.07,-87.7,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","A tree was blown onto a car on the 600 block of South Paris Street." +117880,708416,ILLINOIS,2017,July,Thunderstorm Wind,"VERMILION",2017-07-11 09:30:00,CST-6,2017-07-11 09:35:00,0,0,0,0,10.00K,10000,0.00K,0,40.1,-87.63,40.1,-87.63,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Trees were blown down onto Route 1 and 14th Street in Tilton." +117880,708417,ILLINOIS,2017,July,Thunderstorm Wind,"VERMILION",2017-07-11 09:30:00,CST-6,2017-07-11 09:35:00,0,0,0,0,40.00K,40000,0.00K,0,40.13,-87.62,40.13,-87.62,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Several trees were snapped or uprooted across Danville." +118511,712040,ILLINOIS,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-23 04:32:00,CST-6,2017-07-23 04:37:00,0,0,0,0,60.00K,60000,0.00K,0,38.73,-88.08,38.73,-88.08,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Several trees and power lines were blown down across Olney." +118511,712046,ILLINOIS,2017,July,Thunderstorm Wind,"JASPER",2017-07-23 04:39:00,CST-6,2017-07-23 04:44:00,0,0,0,0,110.00K,110000,0.00K,0,38.98,-88.17,38.98,-88.17,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Numerous trees and power lines were blown down across Newton. One large tree fell onto a house." +118511,712051,ILLINOIS,2017,July,Thunderstorm Wind,"LAWRENCE",2017-07-23 04:39:00,CST-6,2017-07-23 04:44:00,0,0,0,0,60.00K,60000,0.00K,0,38.72,-87.85,38.72,-87.85,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Numerous trees and power lines were blown down in Sumner." +118511,712054,ILLINOIS,2017,July,Thunderstorm Wind,"LAWRENCE",2017-07-23 04:55:00,CST-6,2017-07-23 05:00:00,0,0,0,0,75.00K,75000,0.00K,0,38.72,-87.67,38.72,-87.67,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Numerous trees and power lines were blown down across Lawrenceville." +117639,707441,FLORIDA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-14 11:45:00,CST-6,2017-07-14 11:45:00,0,0,0,0,0.00K,0,0.00K,0,30.6721,-85.6864,30.6721,-85.6864,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Part of a tree was blown down into the roadway near Johnson Road and Highway 79." +117639,707442,FLORIDA,2017,July,Thunderstorm Wind,"MADISON",2017-07-17 10:30:00,EST-5,2017-07-17 10:30:00,0,0,0,0,2.00K,2000,0.00K,0,30.47,-83.66,30.47,-83.66,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A few trees were down on power lines causing sporadic power outages in the area." +117640,707444,FLORIDA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-21 13:10:00,CST-6,2017-07-21 13:10:00,0,0,0,0,0.00K,0,0.00K,0,30.3133,-85.232,30.3133,-85.232,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Several large trees were blown down on Highway 73 south of the Juniper Creek Bridge." +117640,707445,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-21 14:35:00,EST-5,2017-07-21 14:35:00,0,0,0,0,0.00K,0,0.00K,0,30.5,-84.35,30.5,-84.35,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","A tree was blown down and blocked Fred George Road near Springwood Elementary School." +117640,707447,FLORIDA,2017,July,Thunderstorm Wind,"LEON",2017-07-21 14:35:00,EST-5,2017-07-21 14:35:00,0,0,0,0,3.00K,3000,0.00K,0,30.51,-84.25,30.51,-84.25,"Scattered afternoon thunderstorms developed in a typical summer environment with a few becoming marginally severe with impacts to trees and power lines.","Trees and power lines were blown down in Killearn Center." +117826,708262,KANSAS,2017,July,Thunderstorm Wind,"SEDGWICK",2017-07-26 15:22:00,CST-6,2017-07-26 15:25:00,0,0,0,0,1.00K,1000,0.00K,0,37.69,-97.29,37.69,-97.29,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","Limbs were blown down at the intersection of Douglas and Edgemoor. Traffic lights at this intersection were knocked out as well." +117826,708263,KANSAS,2017,July,Thunderstorm Wind,"SEDGWICK",2017-07-26 15:29:00,CST-6,2017-07-26 15:32:00,0,0,0,0,0.00K,0,0.00K,0,37.68,-97.26,37.68,-97.26,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","Several limbs ranging from 2 to 5 inches in diameter were blown down in East Wichita." +117817,708232,FLORIDA,2017,July,Heavy Rain,"COLUMBIA",2017-07-30 08:45:00,EST-5,2017-07-30 10:45:00,0,0,0,0,0.00K,0,0.00K,0,30.27,-82.64,30.27,-82.64,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","An observer measured 7 inches of rainfall since 9 am." +117817,708233,FLORIDA,2017,July,Heavy Rain,"CLAY",2017-07-29 23:00:00,EST-5,2017-07-30 13:35:00,0,0,0,0,0.00K,0,0.00K,0,30.15,-81.76,30.15,-81.76,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","The public measured 4.62 inches just west of Orange Park. The heaviest rainfall occurred before 11 am." +117817,708235,FLORIDA,2017,July,Heavy Rain,"DUVAL",2017-07-29 23:00:00,EST-5,2017-07-30 13:35:00,0,0,0,0,0.00K,0,0.00K,0,30.25,-81.76,30.25,-81.76,"A broad surface low moved across northeast Florida through the day with waves of showers and thunderstorms. Very high moisture content with PWATs 2.3 inches and upper level forcing from an approaching upper level short wave trough fueled very heavy rainfall near the surface low as it tracked east along a front shifting southward across SE Georgia.","An observer measured 4.52 inches as of 10 am Sunday." +117838,708291,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-14 16:00:00,EST-5,2017-07-14 16:00:00,0,0,0,0,0.00K,0,0.00K,0,29.05,-82.26,29.05,-82.26,"Prevailing SE steering flow focused the afternoon and evening sea breeze west of Highway 301. A severe storm in Marion county produced wind damage.","Power lines were blown down near SW 116th Lane Road. The time of the event was based on radar." +117838,708292,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-14 16:35:00,EST-5,2017-07-14 16:35:00,0,0,0,0,0.00K,0,0.00K,0,29.2,-82.31,29.2,-82.31,"Prevailing SE steering flow focused the afternoon and evening sea breeze west of Highway 301. A severe storm in Marion county produced wind damage.","Power lines were blown down on 113th Avenue. The time of damage was based on radar." +117839,708293,GEORGIA,2017,July,Thunderstorm Wind,"JEFF DAVIS",2017-07-15 16:25:00,EST-5,2017-07-15 16:25:00,0,0,0,0,0.50K,500,0.00K,0,31.85,-82.65,31.85,-82.65,"An approaching surface trough triggered a strong storm over inland SE Georgia during the afternoon. Dry air likely enhanced down drafts.","Power lines were blown down along John Long Road. The time of damage was estimated and the coast was estimated for inclusion of the event in Storm Data." +117652,708294,FLORIDA,2017,July,Heavy Rain,"BRADFORD",2017-07-11 10:25:00,EST-5,2017-07-11 17:00:00,0,0,0,0,0.00K,0,0.00K,0,29.9193,-82.2039,29.9193,-82.2039,"A moist airmass with PWATs near 2 inches continued across the area. Storms formed along the sea breezes, with a severe storm causing wind damage in Fort White.","Heavy rainfall led to certain private roads becoming impassable. Some roads have large holes and water within them, and it would be difficult for emergency vehicles to make access to residences along them. Affected roads included SW 136th Street, SW 137th Street, and SW 83rd Avenue in Starke." +118129,714254,OHIO,2017,July,Flood,"HANCOCK",2017-07-13 06:00:00,EST-5,2017-07-15 23:00:00,0,0,0,0,12.00M,12000000,1.50M,1500000,41.02,-83.68,40.9292,-83.6787,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","Major flooding occurred in Hancock county starting on July 13 and lasting through the 15th. Three to locally five inches of rain fell during the early morning hours of July 13th producing widespread overland flooding, localized flash flooding, and shortly thereafter significant river flooding on the Blanchard River and tributaries Eagle and Lye Creeks. |The week prior to this event had been wetter than normal with a minor flooding event on the Eagle Creek near Findlay. Rainfall over the prior few days saturated the top soil with standing water in many locations across northern and northwest Ohio, rivers and creeks remained above normal. The environment for the 13th were supportive of heavy rain. The WFO CLE issued a Flash Flood Watch for the area on Wednesday July 12 at 3 pm in effect for that night through the morning of July 14. Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A pre-frontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The warm cloud depth at times reached over 13,000 feet, anomalously high even for July. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favor a high risk of flash flooding with concerns for subsequent river flooding.|The Blanchard River reached it���s fifth highest level on record at a stage of 16.5 feet midday on the 14th. Both the Eagle and Lye Creeks produced major flooding as well. In all damages exceeded $10 million mostly in Findlay; 5 homes destroyed, 21 with major damage, 114 with minor damage, and 285 affected properties. |Access in and around Findlay was significantly hampered. Elsewhere in Hancock County over 3 dozen roads were closed due to flooding. No reports of damages to bridges or washouts of roads. Some stormwater drainage issues caused or exasperated the flooding in some areas, but the majority of the impacts were from the Blanchard River or the Eagle and Lye Creeks. ||Hancock County lands are predominantly used for agricultural purposes. Standing flood waters produced widespread damage to crops. Most notably impacted were the soy bean fields." +118129,714255,OHIO,2017,July,Flood,"WYANDOT",2017-07-13 10:00:00,EST-5,2017-07-14 09:45:00,0,0,0,0,650.00K,650000,0.00K,0,40.9627,-83.3637,40.9281,-83.3577,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","Heavy rainfall on the morning of July 13th caused the Spring Run to over-top it���s levees around 1045 am. By 11 am State Route 103 and 23 north were shut down. By 1140 am water started to inundate downtown Carey. Major flooding into homes and businesses in Carey occurred around 5 pm when water was at it���s deepest up to 6��� deep. Sixty homes were affected, many from backups of storm drainage. Six to seven homes had water on West Ogg Street mainly from Spring Run. Dozens of businesses directly impacted, mostly with basement flooding. The water receded by 3 am Friday morning. The Tymochee Creek washed out some cross roads near ST RT 103 and RT 106. The waste water plant measured 3.8 in the southeast part of town, while unofficial reports of 5.5 in northern part of town. Radar estimates rainfall amounts between 4 and 6 inches of rain fell between 4 and 7 inches of rainfall during the same time period." +118895,714278,LAKE ERIE,2017,July,Waterspout,"VERMILION TO AVON POINT OH",2017-07-08 14:25:00,EST-5,2017-07-08 14:25:00,0,0,0,0,0.00K,0,0.00K,0,41.5271,-82.2052,41.5271,-82.2052,"Waterspouts were reported on Lake Erie.","Waterspouts were reported on Lake Erie offshore from Lorain and Vermilion." +118896,714279,OHIO,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-03 16:38:00,EST-5,2017-07-03 16:38:00,0,0,0,0,0.00K,0,0.00K,0,41.02,-83.68,41.02,-83.68,"A warm front lifted into northern Ohio causing showers and thunderstorms to develop. A couple of the stronger storms became severe.","An automated sensor at the Findlay Airport measured a 58 mph thunderstorm wind gust." +117471,706600,OHIO,2017,July,Thunderstorm Wind,"GREENE",2017-07-21 06:45:00,EST-5,2017-07-21 06:47:00,0,0,0,0,1.00K,1000,0.00K,0,39.7568,-84.0793,39.7568,-84.0793,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed near the intersection of Kemp Road and Grange Hall Road." +117471,706601,OHIO,2017,July,Thunderstorm Wind,"MIAMI",2017-07-21 06:44:00,EST-5,2017-07-21 06:46:00,0,0,0,0,1.00K,1000,0.00K,0,40.14,-84.11,40.14,-84.11,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A very large tree was downed in the Fletcher area." +117471,706608,OHIO,2017,July,Thunderstorm Wind,"CLARK",2017-07-21 06:50:00,EST-5,2017-07-21 06:52:00,0,0,0,0,1.00K,1000,0.00K,0,39.86,-83.92,39.86,-83.92,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed on Fowler Road." +117471,706611,OHIO,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-21 06:58:00,EST-5,2017-07-21 07:00:00,0,0,0,0,3.00K,3000,0.00K,0,40.13,-83.96,40.13,-83.96,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees were downed in the St. Paris area." +117471,706616,OHIO,2017,July,Thunderstorm Wind,"CLARK",2017-07-21 07:00:00,EST-5,2017-07-21 07:02:00,0,0,0,0,1.00K,1000,0.00K,0,39.8825,-83.8398,39.8825,-83.8398,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed near the intersection of Fairfield Pike and Springfield Xenia Road." +117471,706618,OHIO,2017,July,Thunderstorm Wind,"CLARK",2017-07-21 07:01:00,EST-5,2017-07-21 07:03:00,0,0,0,0,1.00K,1000,0.00K,0,39.94,-83.82,39.94,-83.82,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A large tree was downed near the intersection of St. Paris Pike and W 2nd Street." +117471,706621,OHIO,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-21 07:11:00,EST-5,2017-07-21 07:13:00,0,0,0,0,5.00K,5000,0.00K,0,40.0238,-83.75,40.0238,-83.75,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree fell onto a car in the 2600 block of E County Line Road." +117471,706622,OHIO,2017,July,Thunderstorm Wind,"CLARK",2017-07-21 07:11:00,EST-5,2017-07-21 07:13:00,0,0,0,0,3.00K,3000,0.00K,0,40.02,-83.68,40.02,-83.68,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees were downed in the vicinity of County Line Road and State Route 4." +117471,706623,OHIO,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-21 07:14:00,EST-5,2017-07-21 07:16:00,0,0,0,0,3.00K,3000,0.00K,0,40.1046,-83.7515,40.1046,-83.7515,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","Several trees and power lines were downed along a portion of Reynolds Street." +117471,706625,OHIO,2017,July,Thunderstorm Wind,"MADISON",2017-07-21 07:22:00,EST-5,2017-07-21 07:24:00,0,0,0,0,1.00K,1000,0.00K,0,39.9473,-83.5091,39.9473,-83.5091,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A large tree was downed onto Old Columbus Road." +118986,714700,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-25 17:39:00,EST-5,2017-07-25 17:43:00,0,0,0,0,,NaN,,NaN,33.7,-81.19,33.7,-81.19,"Daytime heating and an upper level disturbance combined to produce scattered thunderstorms, some of which produced wind damage.","SCHP reported trees down on Johnson King Rd and Pooles Valley Rd." +118986,714701,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-25 18:08:00,EST-5,2017-07-25 18:12:00,0,0,0,0,,NaN,,NaN,33.61,-81.61,33.61,-81.61,"Daytime heating and an upper level disturbance combined to produce scattered thunderstorms, some of which produced wind damage.","SCHP reported trees down on SC Hwy 39 on New Holland Rd and Wagener Rd." +118988,714705,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-26 14:23:00,EST-5,2017-07-26 14:25:00,0,0,0,0,,NaN,,NaN,33.5,-81.91,33.5,-81.91,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","SCHP reported trees down on Cherokee Dr near US Hwy 78 near Clearwater." +118988,714706,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-26 14:32:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.49,-81.99,33.49,-81.99,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Broadcast media relayed a public report of trees down blocking the roadway on Hammonds Ferry Rd in North Augusta, SC." +118988,714709,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-26 14:35:00,EST-5,2017-07-26 14:39:00,0,0,0,0,,NaN,,NaN,33.5,-81.98,33.5,-81.98,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","A large tree down blocking the road on W Buena Vista Ave near Georgetown Dr." +118988,714731,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-26 14:35:00,EST-5,2017-07-26 14:40:00,0,0,0,0,,NaN,,NaN,33.5,-81.99,33.5,-81.99,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Several large trees down on the N Augusta Greeneway at the Riverview Park Activities Center." +118987,714750,GEORGIA,2017,July,Flash Flood,"COLUMBIA",2017-07-26 15:30:00,EST-5,2017-07-26 15:35:00,0,0,0,0,0.10K,100,0.10K,100,33.5454,-82.0826,33.5365,-82.106,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported Harden St in Martinez was impassable due to flooding. Water lifted a vehicle and pushed it into a home, causing property damage. Several other flooding reports from the same area including Reed Creek Park." +117860,708367,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 22:20:00,MST-7,2017-07-16 22:30:00,0,0,0,0,100.00K,100000,0.00K,0,33.32,-111.98,33.32,-111.98,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed across the southeast portion of the greater Phoenix area during the late evening hours on July 16th; some of them affected the community of Guadalupe. The storms produced strong, gusty and damaging outflow winds estimated to be in excess of 60 mph. According to local broadcast media, at 2220MST gusty winds uprooted a tree which fell and damaged a parked vehicle at the Arizona Mills Mall, about 1 mile north of Guadalupe. Shortly thereafter, at 2230MST, a very large tree was uprooted and it fell on several cars as well as a parking structure located about 3 miles southwest of Guadalupe. This was also reported by local media." +117860,708369,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 21:05:00,MST-7,2017-07-16 21:05:00,0,0,0,0,0.00K,0,0.00K,0,33.98,-111.71,33.98,-111.71,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed across the higher terrain to the northeast of Phoenix during the evening hours on July 16th, and some of them produced strong gusty outflow winds in excess of 60 mph. According to a mesonet weather station at the Horseshoe Reservoir, at 2105MST a wind gust was measured at 69 mph. This was one of the highest gusts recorded across south-central Arizona during the evening hours." +117259,705290,NEBRASKA,2017,July,Hail,"CHERRY",2017-07-02 15:51:00,CST-6,2017-07-02 15:51:00,0,0,0,0,0.00K,0,0.00K,0,42.14,-100.9,42.14,-100.9,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118112,709836,ARIZONA,2017,July,Flash Flood,"LA PAZ",2017-07-24 12:30:00,MST-7,2017-07-24 18:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.8296,-113.3624,33.7862,-113.5492,"Scattered monsoon thunderstorms developed across portions of La Paz County during the early afternoon hours on July 24th, and some of them produced intense rainfall with peak rain rates in excess of one inch per hour. The locally heavy rain led to an episode of flash flooding across the east-central portion of the county; emergency managers reported that flash flooding resulted in the closure of Salome Road between the town of Salome and Interstate 10. The road closure occurred roughly around 1300MST. A Flash Flood Warning was issued due to the heavy rain and flooding and remained in effect through 1815MST in the late afternoon.","Strong thunderstorms with locally heavy rain developed across portions of La Paz County during the early afternoon hours on July 24th; peak rain rates were in excess of one inch per hour and were sufficient to cause some flash flooding over the east-central portion of the county. According to La Paz County emergency managment, as of 1309MST flash flooding resulted in the closure of Salome Road between the town of Salome and Interstate 10. Salome Road was underwater and impassible. This was about 9 miles northwest of the town of Centennial. A Flash Flood Warning was issued for the area at 1222MST and it remained in effect for the rest of the afternoon." +118115,709845,ARIZONA,2017,July,Funnel Cloud,"PINAL",2017-07-25 13:10:00,MST-7,2017-07-25 13:10:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-111.35,33.18,-111.35,"Isolated thunderstorms developed to the southeast of the greater Phoenix metropolitan area during the early afternoon hours on July 25th. The storms did not produce damaging winds or significant flooding, however one of the stronger storms did produce a funnel cloud about 6 miles southeast of the town of Florence Junction. The funnel cloud did not touch ground but it was seen by many of the public; broadcast media also shared photos and videos of this funnel cloud.","Isolated thunderstorms developed around the community of Florence Junction during the early afternoon hours on July 25th. The storms were not damaging and did not produce flooding however one of the stronger storms did produce a funnel cloud. At 1310MST an emergency manager sent a picture of the funnel cloud which was located about 6 miles south of the town of Florence Junction. The public and various broadcast media also shared similar photos and videos of this funnel cloud, which did not touch the ground." +118427,711665,TEXAS,2017,July,Thunderstorm Wind,"FANNIN",2017-07-02 23:15:00,CST-6,2017-07-02 23:15:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-96.18,33.59,-96.18,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","A 58 MPH wind gust was measured at the Bonham, Texas AWOS." +118427,711666,TEXAS,2017,July,Thunderstorm Wind,"MONTAGUE",2017-07-03 23:15:00,CST-6,2017-07-03 23:15:00,0,0,0,0,0.00K,0,0.00K,0,33.59,-97.87,33.59,-97.87,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","A 51 knot wind gust was reported at the Bowie ASOS." +118427,711668,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-05 17:06:00,CST-6,2017-07-05 17:06:00,0,0,0,0,0.00K,0,0.00K,0,32.8,-97.37,32.8,-97.37,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","The Fort Worth Meacham ASOS reported a wind gust of 50 knots." +118427,711807,TEXAS,2017,July,Flash Flood,"LAMAR",2017-07-03 04:33:00,CST-6,2017-07-03 05:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6816,-95.5749,33.6398,-95.5934,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Lamar County Sheriff's Department reported that multiple high water rescues took place and some well traveled roads had to be closed." +118427,711821,TEXAS,2017,July,Flash Flood,"TARRANT",2017-07-05 17:34:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8566,-97.3325,32.8499,-97.3322,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Emergency management reported a high water rescue on Melanie Dr in Fort Worth, TX with water halfway up the car doors." +118427,711841,TEXAS,2017,July,Flash Flood,"TARRANT",2017-07-05 17:38:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8263,-97.3439,32.8235,-97.3445,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Emergency management reported a high water rescue near the intersection of Meacham Blvd and Blue Mound Rd in Fort Worth, TX." +118427,711842,TEXAS,2017,July,Flash Flood,"TARRANT",2017-07-05 17:44:00,CST-6,2017-07-05 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8194,-97.355,32.8029,-97.3542,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Emergency management reported ongoing water rescues including near the intersections of Terminal St and Blue Mound Rd; and East Long Ave at North Calhoun St." +119299,716367,KANSAS,2017,July,Thunderstorm Wind,"GRAHAM",2017-07-22 15:29:00,CST-6,2017-07-22 15:29:00,0,0,0,0,0.00K,0,0.00K,0,39.1322,-99.8682,39.1322,-99.8682,"Strong to severe thunderstorms developed along a southward moving cold front in southern Graham County. One of the storms produced wind gusts that were estimated at 75 MPH.","Pea size hail and heavy rainfall also occurred with this thunderstorm." +118487,711936,MICHIGAN,2017,July,Hail,"MACOMB",2017-07-07 17:11:00,EST-5,2017-07-07 17:11:00,0,0,0,0,0.00K,0,0.00K,0,42.73,-82.9,42.73,-82.9,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118487,711939,MICHIGAN,2017,July,Hail,"WASHTENAW",2017-07-07 18:41:00,EST-5,2017-07-07 18:41:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-83.73,42.28,-83.73,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","" +118487,711942,MICHIGAN,2017,July,Thunderstorm Wind,"GENESEE",2017-07-07 00:20:00,EST-5,2017-07-07 00:20:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-83.77,42.91,-83.77,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","A maple tree was reported down." +118487,711947,MICHIGAN,2017,July,Thunderstorm Wind,"GENESEE",2017-07-07 16:00:00,EST-5,2017-07-07 16:00:00,0,0,0,0,0.00K,0,0.00K,0,43.03,-83.52,43.03,-83.52,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Multiple trees and power lines reported down." +118487,711951,MICHIGAN,2017,July,Thunderstorm Wind,"MACOMB",2017-07-07 17:25:00,EST-5,2017-07-07 17:25:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-82.82,42.68,-82.82,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Large tree limbs down, along with a fence damaged." +118487,714127,MICHIGAN,2017,July,Thunderstorm Wind,"MACOMB",2017-07-07 01:04:00,EST-5,2017-07-07 01:04:00,0,0,0,0,0.00K,0,0.00K,0,42.72,-83.03,42.72,-83.03,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Power outage reported due to tree damage." +118487,714131,MICHIGAN,2017,July,Thunderstorm Wind,"LAPEER",2017-07-07 16:40:00,EST-5,2017-07-07 16:40:00,0,0,0,0,0.00K,0,0.00K,0,42.92,-83.04,42.92,-83.04,"Two rounds of severe weather impacted southeast Michigan, one during the early morning hours of July 7th and the second round occurring during the evening.","Trees reported down in Almont." +118865,714142,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-07-07 04:53:00,EST-5,2017-07-07 04:53:00,0,0,0,0,0.00K,0,0.00K,0,42.1068,-83.1643,42.1068,-83.1643,"Thunderstorms moving through Lake Erie during the early morning hours produced wind gusts to 69 mph.","" +118866,714143,LAKE HURON,2017,July,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-07 18:30:00,EST-5,2017-07-07 18:30:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-83.54,44.02,-83.54,"Thunderstorms moving through Outer Saginaw Bay produced wind gusts to 44 mph.","" +118866,714144,LAKE HURON,2017,July,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-07 19:01:00,EST-5,2017-07-07 19:01:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-83.27,43.93,-83.27,"Thunderstorms moving through Outer Saginaw Bay produced wind gusts to 44 mph.","" +116429,700744,VIRGINIA,2017,July,Thunderstorm Wind,"GRAYSON",2017-07-12 15:20:00,EST-5,2017-07-12 15:20:00,0,0,0,0,0.30K,300,0.00K,0,36.6713,-81.032,36.6713,-81.032,"An isolated severe thunderstorm was able to develop during the afternoon of July 12th as convergence across the higher terrain of Grayson County was able to overcome the stability of a relatively dry and stable atmosphere.","Thunderstorm winds caused a six-inch diameter limb to fall in a homeowner���s backyard." +116429,700745,VIRGINIA,2017,July,Hail,"GRAYSON",2017-07-12 15:20:00,EST-5,2017-07-12 15:20:00,0,0,0,0,0.00K,0,0.00K,0,36.6713,-81.0321,36.6713,-81.0321,"An isolated severe thunderstorm was able to develop during the afternoon of July 12th as convergence across the higher terrain of Grayson County was able to overcome the stability of a relatively dry and stable atmosphere.","" +116431,700748,NORTH CAROLINA,2017,July,Hail,"CASWELL",2017-07-13 16:50:00,EST-5,2017-07-13 16:50:00,0,0,0,0,0.00K,0,0.00K,0,36.483,-79.1723,36.483,-79.1723,"An isolated severe thunderstorm was able to develop during the late afternoon of July 13th. Despite weak shear aloft, strong surface heating provided the instability to cause one thunderstorm to intensify to severe levels for a brief period of time.","" +116863,702638,ILLINOIS,2017,July,Tornado,"PEORIA",2017-07-10 16:45:00,CST-6,2017-07-10 16:53:00,0,0,0,0,0.00K,0,0.00K,0,40.8863,-89.7398,40.8837,-89.7093,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","A tornado briefly touched down in a field 3.1 miles SSE of Princeville at 5:45 PM CDT. The tornado tracked ENE and quickly dissipated 2.2 miles NW of Dunlap at 5:53 PM CDT. No damage was reported." +116863,702639,ILLINOIS,2017,July,Hail,"PEORIA",2017-07-10 17:21:00,CST-6,2017-07-10 17:26:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-89.88,40.83,-89.88,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702641,ILLINOIS,2017,July,Hail,"PEORIA",2017-07-10 17:38:00,CST-6,2017-07-10 17:43:00,0,0,0,0,0.00K,0,0.00K,0,40.7993,-89.8394,40.7993,-89.8394,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702642,ILLINOIS,2017,July,Hail,"PEORIA",2017-07-10 17:54:00,CST-6,2017-07-10 17:59:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-89.8,40.68,-89.8,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +118906,714340,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BUNCOMBE",2017-07-14 15:33:00,EST-5,2017-07-14 15:33:00,0,0,0,0,0.00K,0,0.00K,0,35.523,-82.429,35.523,-82.429,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported several trees blown down along Emmas Grove Rd near Old Gap Creek Rd." +118906,714341,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-14 15:28:00,EST-5,2017-07-14 15:28:00,0,0,0,0,0.00K,0,0.00K,0,35.819,-82.041,35.833,-81.996,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","EM reported a tree blown down on and blocking Highway 226 and additional trees down on Linville Rd." +118906,714342,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-14 16:08:00,EST-5,2017-07-14 16:08:00,0,0,0,0,0.00K,0,0.00K,0,35.644,-82.07,35.679,-82.006,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","Em reported trees blown down along Lytle Mountain Rd and other trees down along S. Main St in Marion." +118906,714343,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BUNCOMBE",2017-07-14 16:10:00,EST-5,2017-07-14 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.569,-82.598,35.569,-82.598,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","Media reported two trees blown down on Talmadge St near Talmadge Ct." +118906,714344,NORTH CAROLINA,2017,July,Hail,"BUNCOMBE",2017-07-14 15:12:00,EST-5,2017-07-14 15:12:00,0,0,0,0,,NaN,,NaN,35.56,-82.5,35.56,-82.5,"Scattered thunderstorms developed along and west of the Blue Ridge during early and mid afternoon. A few of the storms produced brief severe weather, mainly in the form of damaging winds.","Public reported 3/4 inch hail." +118908,714345,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"OCONEE",2017-07-14 19:34:00,EST-5,2017-07-14 19:34:00,0,0,0,0,0.00K,0,0.00K,0,34.796,-83.278,34.814,-83.244,"Scattered clusters of thunderstorms developed across the foothills during the evening. A few of these clusters produced brief severe weather, mainly in the form of damaging winds.","County comms reported a tree and power line blown down at the intersection of Woodall Shoals Rd and Orchard Rd and another tree and power lines down at Academy Rd and Chattooga Ridge Rd." +118908,714346,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-14 20:08:00,EST-5,2017-07-14 20:08:00,0,0,0,0,0.00K,0,0.00K,0,34.869,-82.313,34.85,-82.27,"Scattered clusters of thunderstorms developed across the foothills during the evening. A few of these clusters produced brief severe weather, mainly in the form of damaging winds.","County comms reported a tree blown down at Hudson Rd and Shady Ln and another tree down on Shannon Lake Circle." +118908,714347,SOUTH CAROLINA,2017,July,Lightning,"OCONEE",2017-07-14 20:00:00,EST-5,2017-07-14 20:00:00,0,0,0,0,70.00K,70000,0.00K,0,34.667,-83.098,34.667,-83.098,"Scattered clusters of thunderstorms developed across the foothills during the evening. A few of these clusters produced brief severe weather, mainly in the form of damaging winds.","Radio station reported lightning struck and disabled two public works water pumps." +118844,713986,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FLORENCE",2017-07-08 19:54:00,EST-5,2017-07-08 19:55:00,0,0,0,0,1.00K,1000,0.00K,0,33.83,-79.6994,33.83,-79.6994,"Showers and thunderstorms moved into the area ahead of a cold front and mid-level impulse. Downdraft CAPE values remained rather high through the evening.","A tree was down near the intersection of S Indiantown Rd. and Broadway Rd. The time was estimated based on radar data." +118844,713987,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"WILLIAMSBURG",2017-07-08 19:45:00,EST-5,2017-07-08 19:46:00,0,0,0,0,2.00K,2000,0.00K,0,33.7565,-79.5764,33.7565,-79.5764,"Showers and thunderstorms moved into the area ahead of a cold front and mid-level impulse. Downdraft CAPE values remained rather high through the evening.","Two trees were reportedly down and blocking Old Georgetown Rd. near St Marys Unity Church. The time was estimated based on radar data." +118845,713991,SOUTH CAROLINA,2017,July,Flash Flood,"HORRY",2017-07-09 18:58:00,EST-5,2017-07-09 21:00:00,0,0,0,0,15.00K,15000,0.00K,0,34.1298,-78.9717,34.1328,-78.9674,"Thunderstorms developed in a moist and moderately unstable environment. Outflow boundaries organized thunderstorms into back-building clusters which produced 2 to 5 inches of rain.","Eighteen inches of water was reportedly flowing across Green Sea Rd. near the intersection with Fair Bluff Hwy. This stretch of roadway was reported impassable." +118848,714001,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROBESON",2017-07-10 16:09:00,EST-5,2017-07-10 16:10:00,0,0,0,0,1.00K,1000,0.00K,0,34.9185,-79.0603,34.9185,-79.0603,"A weak and slowly dissipating cold front and channeled mid-level vorticity in an environment characterized by sufficient downdraft CAPE resulted in isolated tree damage.","A tree was reported down on Chason Rd. The time was estimated based on radar data." +118848,714002,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROBESON",2017-07-10 16:57:00,EST-5,2017-07-10 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,34.678,-78.9204,34.678,-78.9204,"A weak and slowly dissipating cold front and channeled mid-level vorticity in an environment characterized by sufficient downdraft CAPE resulted in isolated tree damage.","A tree was reported down in the 1400 block of Ivey Rd. near the intersection with Regan Church Rd. The time was estimated based on radar data." +118849,714014,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DARLINGTON",2017-07-15 16:14:00,EST-5,2017-07-15 16:15:00,0,0,0,0,1.00K,1000,0.00K,0,34.3681,-80.1381,34.3681,-80.1381,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on Westover Dr. The time was estimated based on radar data." +118849,714016,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"DARLINGTON",2017-07-15 16:15:00,EST-5,2017-07-15 16:16:00,0,0,0,0,1.00K,1000,0.00K,0,34.2911,-80.1046,34.2911,-80.1046,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down near the intersection of W Lydia Hwy. and Wesley Chapel Rd. The time was estimated based on radar data." +116215,698711,LOUISIANA,2017,July,Thunderstorm Wind,"DE SOTO",2017-07-06 17:10:00,CST-6,2017-07-06 17:10:00,0,0,0,0,0.00K,0,0.00K,0,32.09,-93.81,32.09,-93.81,"Afternoon heating and moderate to high instability across the Lower Mississippi Valley resulted in widely scattered strong to severe thunderstorms across Northwest Louisiana during the late afternoon and early evening hours of July 6th. As these storms decayed, they produced outflow boundaries for additional convection to develop on. One of these storms produced a destructive cold pool boundary that moved directly over Shreveport, Louisiana. The result was numerous trees and powerlines downed across the city. The storms continued to move south and east into the early evening hours downing additional trees in DeSoto Parish.","Trees and powerlines were downed in Grand Cane, Louisiana." +116545,700812,TEXAS,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-08 13:30:00,CST-6,2017-07-08 13:30:00,0,0,0,0,0.00K,0,0.00K,0,33.1843,-95.2298,33.1843,-95.2298,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","Power lines were downed across Mount Vernon." +116545,700813,TEXAS,2017,July,Thunderstorm Wind,"HARRISON",2017-07-08 15:18:00,CST-6,2017-07-08 15:18:00,0,0,0,0,0.00K,0,0.00K,0,32.6682,-94.345,32.6682,-94.345,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","A tree was blown down in the Woodlawn community." +116545,700814,TEXAS,2017,July,Hail,"RUSK",2017-07-08 15:59:00,CST-6,2017-07-08 15:59:00,0,0,0,0,0.00K,0,0.00K,0,32.2694,-94.8617,32.2694,-94.8617,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","Quarter size hail fell at the intersection of Highway 259 and Farm to Market Road 850." +119504,717144,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-10 22:49:00,EST-5,2017-07-10 22:49:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +119504,717145,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-10 22:07:00,EST-5,2017-07-10 22:07:00,0,0,0,0,0.00K,0,0.00K,0,25.3509,-80.2629,25.3509,-80.2629,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 35 knots was measured at an automated WeatherSTEM station on Broad Key." +119504,717146,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-07-10 23:00:00,EST-5,2017-07-10 23:00:00,0,0,0,0,0.00K,0,0.00K,0,24.8558,-80.7318,24.8558,-80.7318,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 40 knots was measured at an automated Citizen Weather Observing Program station hosted by the Florida Keys Mosquito Control on Lower Matecumbe Key." +119504,717147,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-07-10 23:01:00,EST-5,2017-07-10 23:01:00,0,0,0,0,0.00K,0,0.00K,0,24.8398,-80.7916,24.8398,-80.7916,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 34 knots was measured at an automated Citizen Weather Observing Program station at the Florida Keys Aqueduct Authority Pump Station on Long Key." +119504,717148,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-07-10 23:18:00,EST-5,2017-07-10 23:18:00,0,0,0,0,0.00K,0,0.00K,0,24.7436,-80.9786,24.7436,-80.9786,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 36 knots was measured at an automated WeatherFlow station on Crawl Key." +118523,712096,MINNESOTA,2017,July,Thunderstorm Wind,"ITASCA",2017-07-06 03:30:00,CST-6,2017-07-06 03:30:00,0,0,0,0,,NaN,,NaN,47.22,-93.53,47.22,-93.53,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A six inch diameter tree was blown down." +119094,715217,GEORGIA,2017,July,Rip Current,"COASTAL CHATHAM",2017-07-31 13:33:00,EST-5,2017-07-31 14:33:00,0,0,0,0,,NaN,0.00K,0,NaN,NaN,NaN,NaN,"Enhanced swell energy and breezy winds along the coast combined to result in an elevated risk of rip currents along the southeast Georgia coast.","Tybee Island lifeguards reported rip currents that were 50 feet wide and extended 100 feet out beyond the surf zone. The lifeguards had performed 10 rescues due to rip currents." +119256,716066,ATLANTIC SOUTH,2017,July,Waterspout,"LAKE OKEECHOBEE",2017-07-17 11:35:00,EST-5,2017-07-17 11:35:00,0,0,0,0,0.00K,0,0.00K,0,26.92,-80.62,26.92,-80.62,"A tropical wave produced widespread showers and storms across the area. One of these storms produced a waterspout over Lake Okeechobee.","A member of the public reported a waterspout over Lake Okeechobee." +119262,716074,GULF OF MEXICO,2017,July,Waterspout,"CHOKOLOSKEE TO BONITA BEACH FL OUT 20NM",2017-07-18 18:04:00,EST-5,2017-07-18 18:04:00,0,0,0,0,0.00K,0,0.00K,0,26.21,-81.86,26.21,-81.86,"A very moist air mass with SSW flow allowed widespread thunderstorm development across the area. One of these storms produced a large waterspout offshore Collier County.","A trained spotter reported a large waterspout offshore Naples directly west of Pine Ridge Road." +119324,716433,ATLANTIC SOUTH,2017,July,Waterspout,"LAKE OKEECHOBEE",2017-07-19 14:28:00,EST-5,2017-07-19 14:28:00,0,0,0,0,0.00K,0,0.00K,0,26.82,-80.8,26.82,-80.8,"A tropical wave moving across the region produced widespread showers and thunderstorms across all of South Florida. One of these storms produced a waterspout over Lake Okeechobee.","A member of the public posted a rope waterspout in western Lake Okeechobee near the town of Clewiston." +119326,716435,FLORIDA,2017,July,Hail,"BROWARD",2017-07-20 15:23:00,EST-5,2017-07-20 15:23:00,0,0,0,0,0.00K,0,0.00K,0,26.15,-80.27,26.15,-80.27,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a hail in Broward County.","A trained spotter called to report penny size hail associated with a thunderstorm near the intersection of Sunrise Blvd and Pine Island Drive. Other reports of smaller hail in the area." +119336,716449,ATLANTIC SOUTH,2017,July,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-21 09:27:00,EST-5,2017-07-21 09:27:00,0,0,0,0,0.00K,0,0.00K,0,26.1,-79.98,26.1,-79.98,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","WPLG Sky 10 reported multiple waterspouts offshore Port Everglades." +119336,716450,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-21 11:57:00,EST-5,2017-07-21 11:57:00,0,0,0,0,0.00K,0,0.00K,0,25.75,-80.1,25.75,-80.1,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A marine thunderstorm wind gust of 40 mph / 35 knots was reported by the WxFlow mesonet site XGVT with an anemometer height of 72 feet." +116286,699752,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-04 19:05:00,CST-6,2017-07-04 19:05:00,0,0,0,0,,NaN,,NaN,47.6,-97.48,47.6,-97.48,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail fell across southeast Newburgh Township." +116286,699753,NORTH DAKOTA,2017,July,Hail,"GRIGGS",2017-07-04 19:20:00,CST-6,2017-07-04 19:20:00,0,0,0,0,,NaN,,NaN,47.3,-97.97,47.3,-97.97,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699754,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-04 19:25:00,CST-6,2017-07-04 19:25:00,0,0,0,0,,NaN,,NaN,47.78,-97.02,47.78,-97.02,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail fell in the vicinity of the Walle church." +116286,699755,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-04 19:42:00,CST-6,2017-07-04 19:46:00,0,0,0,0,,NaN,,NaN,47.53,-97.31,47.53,-97.31,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116549,701139,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 20:46:00,CST-6,2017-07-11 20:46:00,0,0,0,0,,NaN,,NaN,46.28,-96.07,46.28,-96.07,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The hail varied in size." +116549,701142,MINNESOTA,2017,July,Hail,"BECKER",2017-07-11 20:58:00,CST-6,2017-07-11 20:58:00,0,0,0,0,,NaN,,NaN,46.89,-95.61,46.89,-95.61,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Large hail and strong winds occurred between Rochert and Height of Land Lake. Trees were blown down in many locations." +116549,701143,MINNESOTA,2017,July,Thunderstorm Wind,"BECKER",2017-07-11 21:00:00,CST-6,2017-07-11 21:00:00,0,0,0,0,,NaN,,NaN,46.74,-95.76,46.74,-95.76,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Numerous large trees were blown down, blocking lanes of U. S. Highway 10 between Detroit Lakes and Frazee." +116549,701144,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 21:04:00,CST-6,2017-07-11 21:04:00,0,0,0,0,,NaN,,NaN,46.2,-96.02,46.2,-96.02,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116898,702946,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:37:00,CST-6,2017-07-21 16:37:00,0,0,0,0,,NaN,,NaN,47.5,-94.94,47.5,-94.94,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The wind gust was measured at the Bemidji RAWS station." +116898,702947,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:40:00,CST-6,2017-07-21 16:40:00,0,0,0,0,,NaN,,NaN,47.55,-94.88,47.55,-94.88,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Large tree branches were blown down and the power was out." +116646,701605,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-14 14:50:00,EST-5,2017-07-14 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.6993,-75.714,39.7015,-75.7051,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Several cars were trapped in flood waters around Red Mile road and Capital trail." +116647,701668,MARYLAND,2017,July,Funnel Cloud,"QUEEN ANNE'S",2017-07-15 10:40:00,EST-5,2017-07-15 10:40:00,0,0,0,0,,NaN,,NaN,38.98,-76.31,38.98,-76.31,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","A waterspout was reported over Chesapeake bay which then lifted as it reached the Eastern shore. Several reports came in of the funnel cloud." +116647,701669,MARYLAND,2017,July,Thunderstorm Wind,"QUEEN ANNE'S",2017-07-14 16:41:00,EST-5,2017-07-14 16:41:00,0,0,0,0,,NaN,,NaN,39.04,-76.07,39.04,-76.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Thunderstorm winds blew a tree onto a building on Clark road." +116649,701672,PENNSYLVANIA,2017,July,Flood,"CHESTER",2017-07-14 14:20:00,EST-5,2017-07-14 15:20:00,0,0,0,0,0.00K,0,0.00K,0,39.81,-75.99,39.8104,-75.9536,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Several roads were closed in lower Oxford township." +116649,701674,PENNSYLVANIA,2017,July,Hail,"MONTGOMERY",2017-07-13 17:26:00,EST-5,2017-07-13 17:26:00,0,0,0,0,0.00K,0,0.00K,0,40.25,-75.64,40.25,-75.64,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Hail size estimated under an inch." +116649,701676,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BERKS",2017-07-13 16:42:00,EST-5,2017-07-13 16:42:00,0,0,0,0,,NaN,,NaN,40.32,-75.74,40.32,-75.74,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Trees were snapped and uprooted due to thunderstorm winds." +116649,701677,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-14 13:45:00,EST-5,2017-07-14 13:45:00,0,0,0,0,,NaN,,NaN,39.96,-75.61,39.96,-75.61,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Thunderstorm winds damaged car windows." +116649,701680,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-14 13:45:00,EST-5,2017-07-14 13:45:00,0,0,0,0,,NaN,,NaN,39.77,-75.95,39.77,-75.95,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","A tree was taken down from thunderstorm winds that blocked Hickory Hill road." +120539,722128,KANSAS,2017,January,Ice Storm,"WILSON",2017-01-13 10:00:00,CST-6,2017-01-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county were up to 0.25 inches." +112310,722840,PENNSYLVANIA,2017,February,Winter Storm,"LOWER BUCKS",2017-02-09 04:00:00,EST-5,2017-02-09 11:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow quickly across northern portions of PA resulting in several inches of accumulation. Areas further south saw less in the way of snow due to a delayed changeover. Gusty winds also occurred as the low departed the region. Snowfall amounts up to 4.6 inches were measured in Lower Makefield Township on the morning of Feb 9." +112308,722833,NEW JERSEY,2017,February,Winter Storm,"SUSSEX",2017-02-09 02:00:00,EST-5,2017-02-09 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region.","A strong cold front moved through the region with a temperature drop from the 50's and 60's all the way down close to freezing. Low pressure developed along the front with precipitation northwest of the boundary. The precipitation changed to snow across most of the state. Northern locations had all snow with higher totals. Further south the precipitation was mainly rain for an extended period resulting in much lower accumulations. Gusty winds also occurred as the low departed the region. Some higher snowfall amounts include 11.1 inches in Highland Lakes, 10.3 inches in Wantage, 10.0 inches in Vernon, and 9.0 inches in Stockholm." +118000,713198,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4974,-77.5639,38.4962,-77.5626,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Flooding reported at the intersection of Barrington Woods Boulevard and Tacketts Mill Road near Heflin." +118000,713199,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 06:15:00,EST-5,2017-07-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.446,-77.4895,38.4452,-77.4897,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Flooding reported at the intersection of Stefaniga Road and Mountain View Road." +118000,713201,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-06 05:00:00,EST-5,2017-07-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.5341,-77.3469,38.5362,-77.345,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Route 1 flooded and closed near Locust Shade Park adjacent to Quantico." +118000,713202,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-06 09:45:00,EST-5,2017-07-06 10:45:00,0,0,0,0,0.00K,0,0.00K,0,38.7845,-77.5804,38.7828,-77.5779,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Wellington Road flooded and closed at a stream crossing near Rollins Ford Road." +118000,713204,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-06 09:48:00,EST-5,2017-07-06 11:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8239,-77.5796,38.823,-77.5717,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Both Pageland Road and Artemus Road were flooded and closed where Little Bull Run crosses due to the stream being out of its banks." +118000,713206,VIRGINIA,2017,July,Flood,"FAIRFAX",2017-07-06 10:00:00,EST-5,2017-07-06 14:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8484,-77.2368,38.846,-77.2392,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Woodburn Road was flooded and closed at Accotink Creek." +118000,713207,VIRGINIA,2017,July,Flood,"FAIRFAX",2017-07-06 11:34:00,EST-5,2017-07-06 15:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7882,-77.2661,38.7878,-77.2657,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Burke Road flooded and closed near Mill Cove Court." +118002,713209,MARYLAND,2017,July,Flood,"ST. MARY'S",2017-07-06 13:30:00,EST-5,2017-07-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3507,-76.6425,38.3487,-76.6382,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","More than six inches of water flowing over Jones Road near Mechanicsville due to earlier heavy rainfall pushing streams out of their banks." +119063,715034,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-06 21:42:00,EST-5,2017-07-06 21:42:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A backdoor boundary triggered storms over the region. There was enough instability on the warm side of the boundary to trigger some gusty thunderstorms.","A wind gust of 35 knots was reported at Piney Point." +119064,715035,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-07 02:30:00,EST-5,2017-07-07 02:30:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"A cold front passed through the area. There was enough instability for some storms associated with the front to produce gusty winds.","Wind gusts in excess of 30 knots were reported at Point Lookout." +119064,715036,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-07 20:30:00,EST-5,2017-07-07 20:40:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A cold front passed through the area. There was enough instability for some storms associated with the front to produce gusty winds.","Wind gusts up to 35 knots were reported at Gooses Reef." +119064,715037,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-07 20:31:00,EST-5,2017-07-07 20:31:00,0,0,0,0,,NaN,,NaN,38.677,-76.334,38.677,-76.334,"A cold front passed through the area. There was enough instability for some storms associated with the front to produce gusty winds.","A wind gust in excess of 30 knots was reported at Blackwalnut Harbor." +119065,715038,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-08 17:55:00,EST-5,2017-07-08 17:55:00,0,0,0,0,,NaN,,NaN,37.98,-75.86,37.98,-75.86,"An unstable atmosphere led to a few gusty thunderstorms.","A wind gust of 34 knots was reported at Chrisfield." +119065,715040,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-08 19:13:00,EST-5,2017-07-08 19:13:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"An unstable atmosphere led to a few gusty thunderstorms.","A wind gust of 36 knots was reported at Hart Miller Island." +119066,715042,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-13 23:06:00,EST-5,2017-07-14 00:00:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"An unstable atmosphere led to a few gusty thunderstorms.","Wind gusts up to 47 knots were reported at Bishops Head." +119066,715043,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-13 23:29:00,EST-5,2017-07-13 23:34:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"An unstable atmosphere led to a few gusty thunderstorms.","Wind gusts up to 36 knots was reported at Raccoon Point." +119066,715044,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-14 00:12:00,EST-5,2017-07-14 00:12:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"An unstable atmosphere led to a few gusty thunderstorms.","A wind gust of 36 knots was reported at Cove Point." +119067,715045,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-14 15:08:00,EST-5,2017-07-14 15:08:00,0,0,0,0,,NaN,,NaN,39.25,-76.37,39.25,-76.37,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust in excess of 30 knots was reported at Hart Miller Island." +116251,699095,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-06 16:35:00,EST-5,2017-07-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-75.69,39.3845,-75.6852,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Several fields in low-lying areas were flooded." +116251,699096,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-06 17:40:00,EST-5,2017-07-06 17:40:00,0,0,0,0,0.00K,0,0.00K,0,39.3776,-75.7313,39.3715,-75.7325,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Caldwell Corner Road was flooded." +116251,699097,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.3,-75.61,39.3,-75.61,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","" +116251,699098,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-07 04:00:00,EST-5,2017-07-07 04:00:00,0,0,0,0,0.00K,0,0.00K,0,39.44,-75.71,39.44,-75.71,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","The majority of this rain occurred on 7/6." +116251,699099,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-07 06:52:00,EST-5,2017-07-07 06:52:00,0,0,0,0,0.00K,0,0.00K,0,38.54,-75.07,38.54,-75.07,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","The majority of this rain fell on 7/6." +116251,701606,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-06 14:40:00,EST-5,2017-07-06 15:10:00,0,0,0,0,0.00K,0,0.00K,0,39.3914,-75.6757,39.4012,-75.68,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","A daycare was flooded due to high water along with several vehicles being stuck as well." +116383,699854,MONTANA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-10 16:53:00,MST-7,2017-07-10 16:53:00,0,0,0,0,0.00K,0,0.00K,0,46.57,-105.71,46.57,-105.71,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","The winds created a severe dust storm." +116383,699858,MONTANA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-10 16:41:00,MST-7,2017-07-10 16:41:00,0,0,0,0,0.00K,0,0.00K,0,46.41,-105.85,46.41,-105.85,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time." +116383,699860,MONTANA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-10 16:36:00,MST-7,2017-07-10 16:36:00,0,0,0,0,0.00K,0,0.00K,0,46.43,-105.89,46.43,-105.89,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116383,699861,MONTANA,2017,July,Thunderstorm Wind,"ROSEBUD",2017-07-10 15:56:00,MST-7,2017-07-10 15:56:00,0,0,0,0,0.00K,0,0.00K,0,46.27,-106.67,46.27,-106.67,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116512,700864,FLORIDA,2017,July,Funnel Cloud,"SEMINOLE",2017-07-17 16:40:00,EST-5,2017-07-17 16:40:00,0,0,0,0,0.00K,0,0.00K,0,28.7068,-81.2703,28.7068,-81.2703,"Several reports of funnel clouds were reported along the Treasure Coast as the east coast sea breeze developed and moved inland early in the afternoon. A late afternoon collision of the east and west coast sea breezes along with other outflow boundaries led to the development of severe thunderstorms along the Interstate 4 corridor. These storms produced large hail and downed several trees near Mount Plymouth in Lake County and St. Cloud in Osceola County along with another report of a funnel cloud near Central Winds Park in Sanford.","Local media relayed video via social media of a funnel cloud near Central Winds Park in Winter Springs." +116555,701311,FLORIDA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-18 16:55:00,EST-5,2017-07-18 16:55:00,0,0,0,0,10.00K,10000,0.00K,0,28.53,-81.37,28.53,-81.37,"Thunderstorms rapidly developed along the collision of the east and west coast sea breezes near Orlando. One thunderstorm became severe as it moved from south to north over the Orlando Metro area resulting in numerous reports of damage to trees and property.","Pictures were received via social media showing that large tree branches had fallen on and caused damage to several cars. Nearby, other reports were received of numerous downed trees, with one building sustaining damage as a result of a tree falling on it." +116686,701698,NEW MEXICO,2017,July,Hail,"SAN MIGUEL",2017-07-01 14:55:00,MST-7,2017-07-01 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.77,-105.35,35.77,-105.35,"Severe thunderstorms that impacted eastern New Mexico on June 30th helped force low level moisture westward through gaps in the central mountain chain on July 1st. This moisture along with strong afternoon heating set the stage for showers and thunderstorms to erupt over the higher terrain during the early afternoon hours. Several clusters of thunderstorms that developed over the central high terrain moved slowly east and produced quarter to ping pong ball size hail along the adjacent east slopes through late afternoon. These storms shifted east into the plains by the evening hours and produced strong outflow wind gusts around Curry County.","Hail up to the size of half dollars in San Ignacio. Minor damage reported to trees." +116645,704634,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-07-13 17:21:00,EST-5,2017-07-13 17:21:00,0,0,0,0,,NaN,,NaN,40.0089,-74.0574,40.0089,-74.0574,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704637,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-14 16:18:00,EST-5,2017-07-14 16:18:00,0,0,0,0,,NaN,,NaN,39.0365,-75.0998,39.0365,-75.0998,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +117028,703874,TEXAS,2017,July,Heat,"HARRISON",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703875,TEXAS,2017,July,Heat,"PANOLA",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703876,TEXAS,2017,July,Heat,"RUSK",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703880,TEXAS,2017,July,Heat,"NACOGDOCHES",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703881,TEXAS,2017,July,Heat,"SHELBY",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703883,TEXAS,2017,July,Heat,"SABINE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703884,TEXAS,2017,July,Heat,"SAN AUGUSTINE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117028,703885,TEXAS,2017,July,Heat,"ANGELINA",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across East Texas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117049,704188,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-28 16:00:00,EST-5,2017-07-28 16:00:00,0,0,0,0,,NaN,,NaN,38.55,-75.57,38.55,-75.57,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four inches of rain fell." +117049,704189,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-28 16:00:00,EST-5,2017-07-28 16:00:00,0,0,0,0,,NaN,,NaN,38.57,-75.62,38.57,-75.62,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117049,704191,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,38.91,-75.46,38.91,-75.46,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four inches of rain fell." +117049,704192,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,0.00K,0,0.00K,0,39.25,-75.6,39.25,-75.6,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Two and a half inches of rain fell in 12 hours." +117049,704193,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,38.65,-75.63,38.65,-75.63,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three and a half inches of rain fell in 12 hours." +117049,704194,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,38.66,-75.57,38.66,-75.57,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Around three inches fell in 12 hours." +117049,704195,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,38.69,-75.36,38.69,-75.36,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Around three inches of rain fell." +117049,704196,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:00:00,EST-5,2017-07-29 07:00:00,0,0,0,0,,NaN,,NaN,38.75,-75.13,38.75,-75.13,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four and a half inches of rain fell." +117049,704197,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:01:00,EST-5,2017-07-29 07:01:00,0,0,0,0,,NaN,,NaN,38.7,-75.1,38.7,-75.1,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell in 12 hours." +117049,704198,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:01:00,EST-5,2017-07-29 07:01:00,0,0,0,0,,NaN,,NaN,38.83,-75.33,38.83,-75.33,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Two and a half inches of rain fell in 12 hours." +117049,704199,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:26:00,EST-5,2017-07-29 07:26:00,0,0,0,0,,NaN,,NaN,38.69,-75.36,38.69,-75.36,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell." +117051,704698,NEW JERSEY,2017,July,Rip Current,"EASTERN CAPE MAY",2017-07-28 18:00:00,EST-5,2017-07-28 18:00:00,4,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Five people pulled from rip currents with four of them suffering injuries." +117051,705310,NEW JERSEY,2017,July,Flash Flood,"ATLANTIC",2017-07-29 02:00:00,EST-5,2017-07-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.45,-74.73,39.4458,-74.7081,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Several roads were impassable including Old Egg harbor road and Pinehurst drive." +116251,699093,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-06 14:40:00,EST-5,2017-07-06 15:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4038,-75.7047,39.4039,-75.7041,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Flash flooding on Wiggins Mill Rd near Wiggins Mill Pond." +117045,704154,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 18:40:00,EST-5,2017-07-23 19:30:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-75.64,39.7722,-75.6261,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Three people trapped in a vehicle and rescued along Barley Mills Road near Hoops reservoir." +117045,704155,DELAWARE,2017,July,Flash Flood,"NEW CASTLE",2017-07-23 19:15:00,EST-5,2017-07-23 20:42:00,0,0,0,0,0.00K,0,0.00K,0,39.77,-75.64,39.8037,-75.6162,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Red Clay Creek exceeded flood stage for 70 minutes with a four foot rise in 70 minutes. Several roads closed." +117047,704235,PENNSYLVANIA,2017,July,Flash Flood,"CHESTER",2017-07-23 19:30:00,EST-5,2017-07-23 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8433,-75.6786,39.847,-75.6607,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Over 8,000 people lost power.","A vehicle was stuck in high water near the intersection of Bayard and Rosedale." +117044,704006,NEW JERSEY,2017,July,Flash Flood,"CAMDEN",2017-07-24 03:20:00,EST-5,2017-07-24 04:20:00,0,0,0,0,0.00K,0,0.00K,0,39.9248,-75.1204,39.9256,-75.1048,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A sedan was stuck in high water at the intersection of Tulip and Masters streets. Riverline service was suspended." +116648,701747,NEW JERSEY,2017,July,Rip Current,"EASTERN MONMOUTH",2017-07-17 04:00:00,EST-5,2017-07-17 04:00:00,0,0,1,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days. 2,800 people lost power in Ocean county.","A girl was caught in a rip current the afternoon of the 16th and died the morning of the 17th." +116346,699603,WEST VIRGINIA,2017,July,Thunderstorm Wind,"TYLER",2017-07-10 17:37:00,EST-5,2017-07-10 17:37:00,0,0,0,0,0.50K,500,0.00K,0,39.35,-80.84,39.35,-80.84,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A large tree was blown down along Route 18 near the Tyler/Doddridge County line." +116346,699604,WEST VIRGINIA,2017,July,Thunderstorm Wind,"DODDRIDGE",2017-07-10 17:45:00,EST-5,2017-07-10 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.31,-80.75,39.31,-80.75,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A large tree fell down along Rock Run Road. It also took a down a power line as it fell." +116346,699605,WEST VIRGINIA,2017,July,Thunderstorm Wind,"DODDRIDGE",2017-07-10 17:45:00,EST-5,2017-07-10 17:45:00,0,0,0,0,2.00K,2000,0.00K,0,39.41,-80.61,39.41,-80.61,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A large oak tree was snapped. Numerous other trees were also brought down in the area." +116346,699606,WEST VIRGINIA,2017,July,Thunderstorm Wind,"DODDRIDGE",2017-07-10 17:47:00,EST-5,2017-07-10 17:47:00,0,0,0,0,2.00K,2000,0.00K,0,39.4,-80.65,39.4,-80.65,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Several trees were blown down along Route 23 west of Center Point." +116346,699607,WEST VIRGINIA,2017,July,Thunderstorm Wind,"DODDRIDGE",2017-07-10 18:03:00,EST-5,2017-07-10 18:03:00,0,0,0,0,0.50K,500,0.00K,0,39.23,-80.59,39.23,-80.59,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A tree was blown down by thunderstorm winds in Miletus." +116346,699608,WEST VIRGINIA,2017,July,Thunderstorm Wind,"RITCHIE",2017-07-10 17:40:00,EST-5,2017-07-10 17:40:00,0,0,0,0,4.00K,4000,0.00K,0,39.33,-80.91,39.33,-80.91,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A tree and power line was blown down on Burton Run Road. Another tree and power line was downed along Mountain Drive." +116346,699609,WEST VIRGINIA,2017,July,Thunderstorm Wind,"LEWIS",2017-07-10 19:13:00,EST-5,2017-07-10 19:13:00,0,0,0,0,1.00K,1000,0.00K,0,39.1,-80.47,39.1,-80.47,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple limbs were littering the roads near Jackson." +116414,700040,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-11 21:18:00,MST-7,2017-07-11 21:18:00,0,0,0,0,0.00K,0,0.00K,0,44.05,-103.05,44.05,-103.05,"A line of thunderstorms moved southeast through the Rapid City area, producing wind gusts near 60 mph.","" +116410,700025,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-11 19:02:00,MST-7,2017-07-11 19:02:00,0,0,0,0,0.00K,0,0.00K,0,44.61,-104.99,44.61,-104.99,"A severe thunderstorm tracked across southern Crook County, producing strong winds and small hail.","Wind gusts were estimated at 60 mph." +116410,700028,WYOMING,2017,July,Hail,"CROOK",2017-07-11 19:40:00,MST-7,2017-07-11 19:40:00,0,0,0,0,,NaN,0.00K,0,44.413,-104.342,44.413,-104.342,"A severe thunderstorm tracked across southern Crook County, producing strong winds and small hail.","" +116410,700027,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-11 19:40:00,MST-7,2017-07-11 19:40:00,0,0,0,0,0.00K,0,0.00K,0,44.413,-104.342,44.413,-104.342,"A severe thunderstorm tracked across southern Crook County, producing strong winds and small hail.","The spotter estimated wind gusts at 65 mph." +116415,700041,WYOMING,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-12 18:20:00,MST-7,2017-07-12 18:20:00,0,0,0,0,0.00K,0,0.00K,0,43.55,-105.09,43.55,-105.09,"A thunderstorm produced wind gusts near 60 mph across the Rochelle Hills in far southeastern Campbell County.","" +116855,702622,MONTANA,2017,July,Hail,"FALLON",2017-07-19 03:40:00,MST-7,2017-07-19 03:40:00,0,0,0,0,0.00K,0,0.00K,0,46.59,-104.09,46.59,-104.09,"An isolated thunderstorm produced mostly pea-size hail but some one inch diameter hail was reported northeast of Baker.","" +116911,703067,MONTANA,2017,July,Thunderstorm Wind,"CARTER",2017-07-18 16:49:00,MST-7,2017-07-18 16:49:00,0,0,0,0,0.00K,0,0.00K,0,45.31,-104.47,45.31,-104.47,"A thunderstorm developed over Custer County and quickly became a supercell after it moved southeast into Carter County. Large hail and very strong winds resulted in extensive crop damage. One home sustained broken windows due to wind driven hail.","" +116911,704970,MONTANA,2017,July,Thunderstorm Wind,"CARTER",2017-07-18 16:30:00,MST-7,2017-07-18 16:30:00,0,0,0,0,0.00K,0,0.00K,0,45.27,-104.43,45.27,-104.43,"A thunderstorm developed over Custer County and quickly became a supercell after it moved southeast into Carter County. Large hail and very strong winds resulted in extensive crop damage. One home sustained broken windows due to wind driven hail.","" +116911,704971,MONTANA,2017,July,Thunderstorm Wind,"CARTER",2017-07-18 16:28:00,MST-7,2017-07-18 16:28:00,0,0,0,0,,NaN,,NaN,45.39,-104.54,45.39,-104.54,"A thunderstorm developed over Custer County and quickly became a supercell after it moved southeast into Carter County. Large hail and very strong winds resulted in extensive crop damage. One home sustained broken windows due to wind driven hail.","Very strong wind gusts combined with half dollar size hail resulted in extensive crop damage, as well as broken windows to a home." +116911,704972,MONTANA,2017,July,Hail,"CARTER",2017-07-18 16:28:00,MST-7,2017-07-18 16:28:00,0,0,0,0,,NaN,,NaN,45.39,-104.54,45.39,-104.54,"A thunderstorm developed over Custer County and quickly became a supercell after it moved southeast into Carter County. Large hail and very strong winds resulted in extensive crop damage. One home sustained broken windows due to wind driven hail.","Very strong wind gusts combined with half dollar size hail resulted in extensive crop damage, as well as broken windows to a home." +117506,706726,ILLINOIS,2017,July,Excessive Heat,"WILLIAMSON",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117506,706725,ILLINOIS,2017,July,Excessive Heat,"WHITE",2017-07-19 12:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Carbondale during the heat wave were 108 degrees on the 19th and 20th, 111 degrees on the 21st, and 106 degrees on the 22nd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were in the mid 70's.","" +117507,706727,INDIANA,2017,July,Excessive Heat,"GIBSON",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117507,706728,INDIANA,2017,July,Excessive Heat,"PIKE",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117510,706755,KENTUCKY,2017,July,Excessive Heat,"MCCRACKEN",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706756,KENTUCKY,2017,July,Excessive Heat,"MCLEAN",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706757,KENTUCKY,2017,July,Excessive Heat,"MUHLENBERG",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117630,714071,MAINE,2017,July,Thunderstorm Wind,"AROOSTOOK",2017-07-06 15:06:00,EST-5,2017-07-06 15:06:00,0,0,0,0,,NaN,,NaN,46.77,-67.83,46.77,-67.83,"Thunderstorms developed during the afternoon of the 6th with diurnal heating and an upper level disturbance crossing the region. An isolated severe thunderstorm produced damaging winds in the Fort Fairfield area.","Two large spruce trees were toppled on Russell Road by wind gusts estimated at 60 mph." +117634,714092,MAINE,2017,July,Thunderstorm Wind,"PENOBSCOT",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,,NaN,,NaN,44.92,-69.26,44.92,-69.26,"Thunderstorms developed during the late afternoon and evening of the 20th along a nearly stationary frontal boundary and in advance of an approaching upper level disturbance. An isolated severe thunderstorm produced damaging wind and large hail across portions of southwest Penobscot county.","Numerous trees were toppled between Corinna and Etna by wind gusts estimated at 65 mph. The time is estimated." +117634,714095,MAINE,2017,July,Hail,"PISCATAQUIS",2017-07-20 18:30:00,EST-5,2017-07-20 18:30:00,0,0,0,0,,NaN,,NaN,45.27,-69.12,45.27,-69.12,"Thunderstorms developed during the late afternoon and evening of the 20th along a nearly stationary frontal boundary and in advance of an approaching upper level disturbance. An isolated severe thunderstorm produced damaging wind and large hail across portions of southwest Penobscot county.","Hail ranged from pea size to quarter size." +117634,714102,MAINE,2017,July,Thunderstorm Wind,"PENOBSCOT",2017-07-20 18:42:00,EST-5,2017-07-20 18:42:00,0,0,0,0,,NaN,,NaN,44.88,-69.13,44.88,-69.13,"Thunderstorms developed during the late afternoon and evening of the 20th along a nearly stationary frontal boundary and in advance of an approaching upper level disturbance. An isolated severe thunderstorm produced damaging wind and large hail across portions of southwest Penobscot county.","Trees were toppled by wind gusts estimated at 60 mph. The time is estimated." +117634,714109,MAINE,2017,July,Thunderstorm Wind,"PENOBSCOT",2017-07-20 18:55:00,EST-5,2017-07-20 18:55:00,0,0,0,0,,NaN,,NaN,44.87,-68.92,44.87,-68.92,"Thunderstorms developed during the late afternoon and evening of the 20th along a nearly stationary frontal boundary and in advance of an approaching upper level disturbance. An isolated severe thunderstorm produced damaging wind and large hail across portions of southwest Penobscot county.","Power lines were toppled by wind gusts estimated at 60 mph. The time is estimated." +117637,709147,NEW YORK,2017,July,Flash Flood,"CORTLAND",2017-07-13 12:33:00,EST-5,2017-07-13 13:30:00,0,0,0,0,12.00K,12000,0.00K,0,42.6189,-76.2115,42.687,-76.1971,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Water was flowing over several streets in and around Homer, including Cold Brook Road, Stevens Road and Hewitt Road." +117311,705528,NEW MEXICO,2017,July,Flood,"ROOSEVELT",2017-07-31 21:45:00,MST-7,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,34.2085,-103.5475,34.2484,-103.266,"Abundant moisture and instability in place over New Mexico on the final day of July 2017 resulted in more flash flashing. Several days of heavy rainfall set the stage for saturated soils and rapid runoff. Very weak steering flow led to nearly stationary thunderstorms with impressive rainfall rates near three inches per hour. Heavy rainfall on very steep terrain west of Red River produced flash flooding across state highway 138 near mile marker nine. The highway was closed for around four hours. Torrential rainfall near Mariano Lake produced flash flooding on reservation routes 49 and 11. A deluge of rainfall on a ranch near Clines Corners produced 1.5 inches in just 35 minutes. A strong thunderstorm with frequent lightning strikes moved across the Albuquerque metro and destroyed a large tree outside a home in Four Hills. Showers and thunderstorms across eastern New Mexico congealed into a large area of heavy rainfall around Portales. This second round of very heavy rainfall on top of saturated soils resulted in serious flooding within Roosevelt County. Vehicles were stranded on U.S. Highway 70 and state police reported a lake covering miles of the highway. State road 267 was also washed out. The Roswell airport set a new daily rainfall record of 1.03 inches, breaking the previous record of 0.84 inches from 1997.","Numerous vehicles were stranded along U.S. Highway 70. State police characterized the area as a large lake. State road 267 was also washed out between Floyd and Portales. Over a foot of water was reported on roadways in downtown Portales." +117824,708256,CALIFORNIA,2017,July,Heat,"E CENTRAL S.J. VALLEY",2017-07-08 10:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 105 and 110 degrees at several locations on July 8 and and July 9." +117824,708257,CALIFORNIA,2017,July,Heat,"SW S.J. VALLEY",2017-07-08 10:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 105 and 110 degrees at several locations on July 8 and and July 9." +117638,709345,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-14 18:20:00,EST-5,2017-07-14 19:05:00,0,0,0,0,10.00K,10000,0.00K,0,42.0812,-76.0807,42.1339,-75.9512,"A warm front began advancing across Central New York by early in the afternoon. This feature triggered numerous rounds of heavy rain producing thunderstorms from the southern Finger Lakes through the Southern Tier of NY. Localized rainfall amounts were estimated to exceed 3 inches across southern Cortland county. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Numerous roads were flooded by deep water, stranding several people in their vehicles throughout the Town of Vestal and the Village of Johnson City." +118004,709402,NEW YORK,2017,July,Flash Flood,"SCHUYLER",2017-07-20 14:30:00,EST-5,2017-07-20 15:20:00,0,0,0,0,10.00K,10000,0.00K,0,42.3856,-76.884,42.3847,-76.864,"A warm and humid summertime airmass was present across the region. The remnants of a small scale complex of thunderstorms moved across central New York during the peak heating of the afternoon. This feature regenerated storms in the Finger Lakes Region and Southern Tier of New York, where some locations experienced localized flooding of urban areas and small streams.","Flash flooding spilled across several streets in the Village of Watkins Glen and nearby county roads. There was a report of 2 feet of water in one intersection." +117381,705892,NEVADA,2017,July,Wildfire,"SOUTHWESTERN ELKO",2017-07-17 12:30:00,PST-8,2017-07-21 10:00:00,0,0,0,0,800.00K,800000,0.00K,0,NaN,NaN,NaN,NaN,"The Oil Well wildfire that started in the Kittridge Canyon area on the northeast side of Elko quickly spread eastward to the Osino area by gusty winds. The fire destroyed 7 homes, 5 outbuildings, and 16 vehicles. Smoke from the fire also closed down Interstate 80 for a couple of hours due to low visibility in smoke. The fire consumed a total of 7400 acres.","The Oil Well wildfire that started in the Kittridge Canyon area on the northeast side of Elko quickly spread eastward to the Osino area by gusty winds. The fire destroyed 7 homes, 5 outbuildings, and 16 vehicles. Smoke from the fire also closed down Interstate 80 for a couple of hours during the late afternoon hours of July 17 due to low visibility in smoke. The fire consumed a total of 7400 acres. Damages are estimated." +118038,709582,NORTH CAROLINA,2017,July,Thunderstorm Wind,"LENOIR",2017-07-08 21:02:00,EST-5,2017-07-08 21:02:00,0,0,0,0,0.00K,0,0.00K,0,35.28,-77.59,35.28,-77.59,"A few thunderstorms developed and became severe, producing some wind damage.","Trees were felled on powerlines." +118039,709585,NORTH CAROLINA,2017,July,Thunderstorm Wind,"TYRRELL",2017-07-14 18:12:00,EST-5,2017-07-14 18:12:00,0,0,0,0,,NaN,,NaN,35.8893,-76.2121,35.8893,-76.2121,"A thunderstorm became severe and produced some minor structural damage due to strong winds.","Damage was reported near the intersection of Jerry Post Office Road and Swain Road. Minor structural damage occurred to 2 or 3 homes, along with a power line that was downed." +117201,704913,KENTUCKY,2017,July,Flash Flood,"MORGAN",2017-07-28 14:55:00,EST-5,2017-07-28 16:25:00,0,0,0,0,1.00K,1000,0.00K,0,37.79,-83.28,37.7884,-83.264,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","Water rescues took place and structures were inundated on Railroad Fork and Prater Road in Cannel City. Highway 191 was impassable due to flooding." +117201,704914,KENTUCKY,2017,July,Flash Flood,"MAGOFFIN",2017-07-28 15:02:00,EST-5,2017-07-28 17:10:00,0,0,0,0,10.00K,10000,0.00K,0,37.75,-83.07,37.7591,-83.0963,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","Emergency management and local broadcast media reported several instances of flowing water and corresponding road closures in and around Salyersville. Flowing water of nearly 6 inches was observed flowing across roads in town, while Kentucky Highway 2019 was closed as 8 to 10 inches of water ran over it. Kentucky Highway 30 was also inundated with flowing water along with numerous other low lying areas near streams." +117201,704918,KENTUCKY,2017,July,Flash Flood,"JOHNSON",2017-07-28 16:30:00,EST-5,2017-07-28 18:05:00,0,0,0,0,1.00K,1000,0.00K,0,37.78,-82.86,37.7714,-82.8634,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","A motorist was rescued from a vehicle near Denver that had become stranded in flood waters." +117201,704917,KENTUCKY,2017,July,Flash Flood,"MAGOFFIN",2017-07-28 16:00:00,EST-5,2017-07-28 17:30:00,0,0,0,0,3.00K,3000,0.00K,0,37.75,-83.24,37.7314,-83.1948,"Thunderstorms produced heavy rainfall that caused flash flooding across Johnson, Magoffin, and Morgan counties during the late afternoon and early evening hours of July 28th, 2017. The hardest hit areas were Cannel City and Adele in Morgan County where multiple roads were flooded, several water rescues occurred, and structures were inundated.","Flooding of low lying areas occurred along Johnson Creek near Netty and Johnson Fork near Epson. There were also a few inches of water observed flowing over the Mountain Parkway." +117469,706477,INDIANA,2017,July,Flood,"WAYNE",2017-07-16 22:45:00,EST-5,2017-07-16 23:45:00,0,0,0,0,0.00K,0,0.00K,0,39.82,-84.91,39.8201,-84.9096,"Scattered thunderstorms produced localized flooding and isolated large hail during the late evening hours of July 16th and the early morning hours of July 17th.","High water was over the tires of parked cars near the intersection of College Avenue and SW G Street." +118450,711797,MARYLAND,2017,July,Flash Flood,"HARFORD",2017-07-23 17:43:00,EST-5,2017-07-23 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.516,-76.1611,39.5132,-76.1565,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","A vehicle was reported stranded in high water at 504 North Philadelphia Boulevard in Aberdeen with a swift water rescue ongoing. The road was subsequently closed due to the flooding." +118014,709552,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 12:01:00,EST-5,2017-07-28 12:28:00,0,0,0,0,0.00K,0,0.00K,0,38.9891,-77.0055,38.9892,-77.0069,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Sligo Creek at Takoma Park exceeded the flood stage of 5.5 feet. It peaked at 5.83 feet at 12:15 EST. Sligo Creek Parkway began to flood near the gauge location, just north of Maple Avenue." +118014,709553,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 23:06:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9891,-77.0049,38.9912,-77.0056,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Sligo Creek at Takoma Park exceeded the flood stage of 5.5 feet. It peaked at 6.12 feet at 23:45 EST. Sligo Creek Parkway began to flood near the gauge location, just north of Maple Avenue." +118014,709540,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-28 23:37:00,EST-5,2017-07-29 00:03:00,0,0,0,0,0.00K,0,0.00K,0,39.2397,-76.6934,39.2398,-76.692,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on East Branch Herbert Run at Arbutus exceeded the flood stage of 7 feet. It peaked at 7.68 feet at 23:50 EST. Water covered yards near Tom Day Boulevard." +118014,709554,MARYLAND,2017,July,Flood,"PRINCE GEORGE'S",2017-07-29 01:40:00,EST-5,2017-07-29 01:55:00,0,0,0,0,0.00K,0,0.00K,0,38.8199,-76.7453,38.815,-76.7446,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Western Branch at Upper Marlboro exceeded the flood stage of 11 feet. It peaked at 13.39 feet at 10:45 EST. Much of Race Track Road flooded between Marlboro Pike and the community center." +118014,709536,MARYLAND,2017,July,Flood,"MONTGOMERY",2017-07-29 02:07:00,EST-5,2017-07-29 05:23:00,0,0,0,0,0.00K,0,0.00K,0,39.0623,-77.0258,39.062,-77.027,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Northwest Branch Anacostia River at Colesville exceeded the flood stage of 9 feet. It peaked at 9.89 feet at 4:15 EST. Backyards of homes on Kemps Mill Road just south of Randolph Road are flooded." +119834,718484,KANSAS,2017,August,Thunderstorm Wind,"RAWLINS",2017-08-10 11:28:00,CST-6,2017-08-10 11:33:00,0,0,0,0,145.00K,145000,0.00K,0,39.6888,-101.0002,39.6799,-101.0003,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Fourteen power lines were broken off along CR 23 southeast of Atwood." +120282,720695,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-31 13:35:00,PST-8,2017-08-31 14:00:00,0,0,0,0,50.00K,50000,,NaN,33.6047,-117.2651,33.6282,-117.3242,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","Severe downburst winds toppled multiple large trees and downed seveal strings of power poles in Wildomar." +120282,720696,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-31 14:20:00,PST-8,2017-08-31 14:50:00,0,0,0,0,,NaN,,NaN,33.7858,-117.4588,33.8116,-117.5316,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","A downburst from a severe thunderstorm over Temescal Valley produced a 65 mph wind gust at a RAWS station." +120539,722136,KANSAS,2017,January,Ice Storm,"ELLSWORTH",2017-01-15 02:00:00,CST-6,2017-01-16 07:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county were up to 0.5 inches." +117737,707947,TENNESSEE,2017,July,Tornado,"DYER",2017-07-03 16:20:00,CST-6,2017-07-03 16:21:00,0,0,0,0,,NaN,,NaN,36.1163,-89.2843,36.119,-89.2798,"A passing upper level disturbance caused a lone severe thunderstorm to spawn a weak tornado across a portion of northwest Tennessee during the late afternoon hours of July 3rd.","Video confirmation of a brief tornado near the community of Newbern. No damage was reported. Rated an EF-0 with wind speeds of 65 kts." +118677,712957,TEXAS,2017,July,Thunderstorm Wind,"DALLAM",2017-07-02 17:40:00,CST-6,2017-07-02 17:40:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-102.79,36.14,-102.79,"Diurnal convection that developed in the high terrain of NM/CO advected southeast into the western TX Panhandle. With good 500 hPa flow of around 20 kts, storms had enough mid level motion to move into an environment of MUCAPE/SBCAPE of 1000-2000 J/Kg. With effective shear of around 30 kts, singular cells eventually moved south into a linear complex with a gusty winds and hail threat into the late afternoon hours on the 2nd. Thunderstorm dissipated as the outflow raced ahead and provided no support for storms that already initiated and storms dissipated by evening hours.","Late report of thunderstorm wind gusts estimated up to 60 MPH." +118677,712958,TEXAS,2017,July,Hail,"POTTER",2017-07-02 21:44:00,CST-6,2017-07-02 21:44:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-102.06,35.19,-102.06,"Diurnal convection that developed in the high terrain of NM/CO advected southeast into the western TX Panhandle. With good 500 hPa flow of around 20 kts, storms had enough mid level motion to move into an environment of MUCAPE/SBCAPE of 1000-2000 J/Kg. With effective shear of around 30 kts, singular cells eventually moved south into a linear complex with a gusty winds and hail threat into the late afternoon hours on the 2nd. Thunderstorm dissipated as the outflow raced ahead and provided no support for storms that already initiated and storms dissipated by evening hours.","Accumulating hail." +118677,712959,TEXAS,2017,July,Hail,"POTTER",2017-07-02 21:46:00,CST-6,2017-07-02 21:46:00,0,0,0,0,0.00K,0,0.00K,0,35.19,-102.06,35.19,-102.06,"Diurnal convection that developed in the high terrain of NM/CO advected southeast into the western TX Panhandle. With good 500 hPa flow of around 20 kts, storms had enough mid level motion to move into an environment of MUCAPE/SBCAPE of 1000-2000 J/Kg. With effective shear of around 30 kts, singular cells eventually moved south into a linear complex with a gusty winds and hail threat into the late afternoon hours on the 2nd. Thunderstorm dissipated as the outflow raced ahead and provided no support for storms that already initiated and storms dissipated by evening hours.","Some quarter size hail with the accumulating hail." +118677,712960,TEXAS,2017,July,Hail,"RANDALL",2017-07-02 21:52:00,CST-6,2017-07-02 21:52:00,0,0,0,0,0.00K,0,0.00K,0,35.1,-101.91,35.1,-101.91,"Diurnal convection that developed in the high terrain of NM/CO advected southeast into the western TX Panhandle. With good 500 hPa flow of around 20 kts, storms had enough mid level motion to move into an environment of MUCAPE/SBCAPE of 1000-2000 J/Kg. With effective shear of around 30 kts, singular cells eventually moved south into a linear complex with a gusty winds and hail threat into the late afternoon hours on the 2nd. Thunderstorm dissipated as the outflow raced ahead and provided no support for storms that already initiated and storms dissipated by evening hours.","Some accumulating hail on I 27 south at Sundown exit." +118709,713162,ALABAMA,2017,July,Thunderstorm Wind,"CALHOUN",2017-07-06 16:30:00,CST-6,2017-07-06 16:31:00,0,0,0,0,0.00K,0,0.00K,0,33.6109,-85.834,33.6109,-85.834,"The eastern half of the United States remained under a persistent upper flow pattern with a upper trough over the Middle Mississippi Valley Region and an upper ridge over the northern Gulf of Mexico. North Alabama was close enough to the southern edge of the trough axis for daily afternoon convective activity with isolated severe storms.","Several trees uprooted and power lines downed along Luttrell Street in the city of Oxford." +116839,702591,TENNESSEE,2017,July,Thunderstorm Wind,"CLAY",2017-07-06 15:27:00,CST-6,2017-07-06 15:27:00,0,0,0,0,2.00K,2000,0.00K,0,36.534,-85.4129,36.534,-85.4129,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","Trees were blown down on Swan Ridge Road." +116839,702593,TENNESSEE,2017,July,Thunderstorm Wind,"OVERTON",2017-07-06 16:02:00,CST-6,2017-07-06 16:05:00,0,0,0,0,2.00K,2000,0.00K,0,36.391,-85.3345,36.3773,-85.3058,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","A tree was blown down on Cross Avenue and a power line was blown down at 517 Rock Crusher Road in Livingston." +116839,702594,TENNESSEE,2017,July,Thunderstorm Wind,"OVERTON",2017-07-06 16:21:00,CST-6,2017-07-06 16:21:00,0,0,0,0,1.00K,1000,0.00K,0,36.3134,-85.1813,36.3134,-85.1813,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","A tree was blown down at 1727 Wilder Highway southeast of Livingston." +116839,702598,TENNESSEE,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-06 17:25:00,CST-6,2017-07-06 17:25:00,0,0,0,0,2.00K,2000,0.00K,0,36.1716,-85.5007,36.1716,-85.5007,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","Trees were blown down on 7th Street and North Jefferson Avenue in Cookeville." +116839,713164,TENNESSEE,2017,July,Flood,"PUTNAM",2017-07-06 17:30:00,CST-6,2017-07-06 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,36.1784,-85.496,36.1812,-85.488,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","Putnam County Emergency Management reported flooding in parts of Cookeville which typically flood in heavy rainfall. One person was rescued from a stranded vehicle in high water on Neal Street, and one to two feet of water covered Walton Lane at East 12th Street." +116839,713166,TENNESSEE,2017,July,Thunderstorm Wind,"JACKSON",2017-07-06 15:29:00,CST-6,2017-07-06 15:29:00,0,0,0,0,1.00K,1000,0.00K,0,36.2992,-85.8212,36.2992,-85.8212,"Numerous showers and thunderstorms spread across Middle Tennessee during the afternoon and evening hours on July 6. Several reports of wind damage and one report of flooding were received.","A tSpotter Twitter report indicated a power pole was snapped at Brooks Bend Lane at Cook Lane." +116404,700072,NEBRASKA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-11 23:55:00,CST-6,2017-07-11 23:55:00,0,0,0,0,0.00K,0,0.00K,0,40.95,-99.5775,40.95,-99.5775,"Isolated pockets of severe winds occurred over Dawson County near the end of the day on this Tuesday. Throughout the evening, a few isolated very high-based showers (around 12,000 ft) tried to develop, but quickly dissipated. However, around 10 pm CST, an area composed of several small thunderstorms developed roughly along Highway 183. The greatest number and strongest thunderstorms developed along the border of Dawson and Buffalo Counties. As these storms exited Dawson County into Buffalo County, other storms formed to the west over Dawson County. Subcloud evaporation resulted in small wet microbursts which blew over an irrigation pivot and damaged crops northeast of the town of Cozad, and a measured gust of 63 mph near Sumner. These storms rapidly weakened after producing the severe winds, but other non-severe high-based storms continue to develop nearby.||During the day, a cool front sagged south through Nebraska and into Kansas. High pressure was over the Northern Plains and was building in behind it. In the upper-levels, Nebraska was at the southern fringe of the Westerlies which were low in amplitude across the northern States. There was a modest shortwave trough exiting the Dakota's into Minnesota, but it is unlikely these storms were associated with that trough. Just prior to thunderstorm initiation, temperatures were near 70 with dewpoints near 60. MUCAPE was around 500 J/kg. Deep layer shear was less clear given the high cloud bases, but was estimated to be near 25 kts.","" +116574,701039,NEBRASKA,2017,July,Heavy Rain,"HALL",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41,-98.6,41,-98.6,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.55 inches was measured." +116574,701040,NEBRASKA,2017,July,Heavy Rain,"FRANKLIN",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.33,-99.03,40.33,-99.03,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.40 inches was measured." +116574,701042,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.199,-97.97,40.199,-97.97,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.30 inches was measured." +116574,701043,NEBRASKA,2017,July,Heavy Rain,"ADAMS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3621,-98.35,40.3621,-98.35,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.10 inches was measured." +116574,701045,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2868,-98.07,40.2868,-98.07,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.16 inches was measured." +116574,701047,NEBRASKA,2017,July,Heavy Rain,"WEBSTER",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-98.33,40.08,-98.33,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.22 inches was measured." +116574,701049,NEBRASKA,2017,July,Heavy Rain,"PHELPS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-99.33,40.45,-99.33,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.28 inches was measured." +116574,701050,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1165,-97.941,40.1165,-97.941,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.34 inches was measured." +118784,713581,TEXAS,2017,July,Thunderstorm Wind,"HUTCHINSON",2017-07-04 20:20:00,CST-6,2017-07-04 20:20:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-101.58,35.64,-101.58,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","Late report of strong winds behind outflow along with blowing dust." +118784,713580,TEXAS,2017,July,Hail,"MOORE",2017-07-04 19:23:00,CST-6,2017-07-04 19:23:00,0,0,0,0,0.00K,0,0.00K,0,35.85,-101.97,35.85,-101.97,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","" +118784,713582,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-04 21:08:00,CST-6,2017-07-04 21:08:00,0,0,0,0,0.00K,0,0.00K,0,35.22,-101.98,35.22,-101.98,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","Instrument was cwop mesonet." +118784,713583,TEXAS,2017,July,Thunderstorm Wind,"RANDALL",2017-07-04 21:13:00,CST-6,2017-07-04 21:13:00,0,0,0,0,0.00K,0,0.00K,0,35.11,-101.8,35.11,-101.8,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","" +119686,717959,COLORADO,2017,August,Flash Flood,"CHEYENNE",2017-08-02 18:00:00,MST-7,2017-08-02 21:00:00,0,0,0,0,75.00K,75000,0.00K,0,38.7712,-102.8991,38.7712,-102.8984,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","Heavy rainfall fell so fast that the water flowed into a house. The water was so extensive it had to be diverted from the house by county personnel. The water damage was so severe the resident could not live in the house for a month while repairs were being done." +119686,717878,COLORADO,2017,August,Flash Flood,"CHEYENNE",2017-08-02 18:00:00,MST-7,2017-08-02 21:00:00,0,0,0,0,150.00K,150000,0.00K,0,38.8208,-102.9942,38.8044,-102.9692,"A southward moving thunderstorm produced hail up to ping-pong size, blew limbs down, and caused flash flooding near Wild Horse. The flash flood waters flowed into a house near Wild Horse. The flood waters also washed out some of the railroad track that ran parallel to the Big Sandy for five miles.","An official for the railroad that runs by Wild Horse reported portions of track had been washed out along a five mile stretch from roughly CR R to CR 14. There were also public reports of water running over Highway 287/40 between CR R and CR 14. Rainfall estimates close to 2.50 occurred in this area in less than an hour time frame. Total amount of washed out track was not given; best guess is around 400 ft." +119631,717716,NEW JERSEY,2017,July,Heat,"EASTERN UNION",2017-07-20 12:00:00,EST-5,2017-07-20 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A Bermuda high pressure system ushered in hot and humid weather across the east coast.","The heat index at Newark International Airport reached as high as 100 degrees around 2 pm." +119641,717739,NEW YORK,2017,July,Rip Current,"SOUTHEAST SUFFOLK",2017-07-30 17:00:00,EST-5,2017-07-30 18:00:00,1,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong low pressure system tracking to the south and east of Long Island Saturday July 29th to Sunday July 30th, created an east to west sweep of 3 to 5 foot surf across Eastern Long Island beaches on Sunday July 30th. This resulted in moderate to strong long shore currents and localized rip currents.","The body of a missing swimmer was found by park rangers and the US Coast Guard in the area of Smith Point Park. According to Suffolk County officials, the teenager and his girlfriend were swimming on Sunday after lifeguards went home for the evening, and the man became caught in a rip current. The girlfriend was rescued from the water but the teenager was not found until the next morning." +119896,718696,KANSAS,2017,August,Hail,"WALLACE",2017-08-13 18:06:00,MST-7,2017-08-13 18:06:00,0,0,0,0,0.00K,0,0.00K,0,38.89,-101.75,38.89,-101.75,"During the early evening hail up to quarter size was reported from a southeast moving thunderstorm in Sharon Springs.","The hail ranged from pea to quarter size." +116820,703553,TEXAS,2017,June,Hail,"MIDLAND",2017-06-14 18:08:00,CST-6,2017-06-14 18:13:00,0,0,0,0,,NaN,,NaN,31.9425,-102.1889,31.9425,-102.1889,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +118481,711927,NEW YORK,2017,July,Flash Flood,"WESTCHESTER",2017-07-07 10:15:00,EST-5,2017-07-07 10:45:00,0,0,0,0,0.00K,0,0.00K,0,41.1235,-73.784,41.1241,-73.7847,"Developing low pressure passing near the region in a high precipitable water environment (2.27 on the 12Z 7/7 OKX sounding) resulted in heavy rainfall across much of the region that led to isolated flash flooding and river flooding across parts of the Lower Hudson Valley. ||Rainfall amounts ranged from 1-2.5 across the area, with reports of 2.16 of rain in Nanuet from an IFLOWS gauge and 1.96 in Armonk from CoCoRaHS. This resulted in isolated flash flooding in Westchester County and the Mahwah River near Suffern, NY rising above its flood stage of 4.0 feet for several hours.","The Saw Mill Parkway was closed northbound at Marble Avenue in Pleasantville." +118488,711945,NEW JERSEY,2017,July,Flash Flood,"PASSAIC",2017-07-17 18:22:00,EST-5,2017-07-17 18:52:00,0,0,0,0,0.00K,0,0.00K,0,41.0074,-74.2721,41.0072,-74.2715,"Isolated convection developed across parts of northeast New Jersey in the afternoon in response to an upper level shortwave passing north of the area. Light flow aloft resulted in slow storm motions, which resulted in isolated flash flooding.","Route 202 was flooded with a vehicle disabled in the road at 555 Terhune Drive in Wayne." +119271,716165,MISSOURI,2017,July,Heat,"JEFFERSON",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th. St. Louis County Health Department reported 30 heat related illnesses.","" +119271,716166,MISSOURI,2017,July,Heat,"ST. CHARLES",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th. St. Louis County Health Department reported 30 heat related illnesses.","" +119271,716168,MISSOURI,2017,July,Heat,"ST. LOUIS (C)",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th. St. Louis County Health Department reported 30 heat related illnesses.","" +118975,714624,GEORGIA,2017,July,Thunderstorm Wind,"BURKE",2017-07-20 22:05:00,EST-5,2017-07-20 22:06:00,0,0,0,0,,NaN,,NaN,33.23,-82.23,33.23,-82.23,"Daytime heating allowed isolated severe thunderstorms to develop.","Reports of tree limbs down, ranging in size from small to large, in Keysville and vicinity." +118976,714622,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-20 15:58:00,EST-5,2017-07-20 16:00:00,0,0,0,0,,NaN,,NaN,33.54,-81.04,33.54,-81.04,"Daytime heating allowed isolated severe thunderstorms to develop.","Public reported 2 trees down and very strong winds." +118523,712093,MINNESOTA,2017,July,Hail,"CARLTON",2017-07-06 00:30:00,CST-6,2017-07-06 00:30:00,0,0,0,0,,NaN,,NaN,46.45,-92.77,46.45,-92.77,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","" +118523,712094,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-06 03:04:00,CST-6,2017-07-06 03:04:00,0,0,0,0,,NaN,,NaN,47.07,-93.89,47.07,-93.89,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","An eight inch diameter tree was blown down on Highway 6." +116400,700153,NEBRASKA,2017,July,Thunderstorm Wind,"FURNAS",2017-07-02 21:00:00,CST-6,2017-07-02 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.15,-99.83,40.15,-99.83,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","Wind gusts were estimated to be near 75 MPH." +119070,715110,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 17:50:00,EST-5,2017-07-22 18:00:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 35 knots were reported at Gooses Reef." +119070,715113,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-22 18:00:00,EST-5,2017-07-22 18:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gusts in excess of 30 knots was reported at Thomas Point Lighthouse." +119070,715114,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 18:00:00,EST-5,2017-07-22 18:18:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts of 34 to 46 knots were reported at Cove Point." +119070,715115,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 17:54:00,EST-5,2017-07-22 18:09:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 34 knots were reported at Cobb Point." +119070,715116,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-07-22 18:06:00,EST-5,2017-07-22 18:06:00,0,0,0,0,,NaN,,NaN,38.29,-76.41,38.29,-76.41,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gusts in excess of 30 knots was reported at Patuxent River (KNHK)." +119070,715117,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-22 19:28:00,EST-5,2017-07-22 19:28:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gusts in excess of 30 knots was reported at Crisfield." +119070,715118,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 21:40:00,EST-5,2017-07-22 21:40:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Gooses Reef." +118008,714139,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-24 00:50:00,EST-5,2017-07-24 01:25:00,0,0,0,0,175.00K,175000,0.00K,0,41.9352,-76.1871,41.9275,-76.171,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","One bridge was reported as washed away, with a second bridge heavily damaged on Warren Center Road." +118008,714149,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-24 13:50:00,EST-5,2017-07-24 16:10:00,0,0,0,0,50.00K,50000,0.00K,0,41.995,-76.2173,41.9106,-76.1765,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Thunderstorm rains contributed to several flooded roads in the area. These roads were also hit by serious flash flooding on the previous night." +119084,715180,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BEAUFORT",2017-07-16 13:30:00,EST-5,2017-07-16 13:31:00,0,0,0,0,0.50K,500,0.00K,0,32.22,-80.77,32.22,-80.77,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","Beaufort County dispatch reported a tree down on Highway 278." +119084,715181,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"JASPER",2017-07-16 13:41:00,EST-5,2017-07-16 13:42:00,0,0,0,0,0.50K,500,0.00K,0,32.11,-81.08,32.11,-81.08,"Thunderstorms developed throughout the day within a typical summertime atmosphere. The thunderstorms in the morning initiated along the sea breeze and then more thunderstorms moved through in the evening producing strong wind gusts that caused a few trees to fall.","Jasper County dispatch reported a tree down near Hutchinson Island." +118903,714326,CALIFORNIA,2017,July,High Surf,"SAN DIEGO COUNTY COASTAL AREAS",2017-07-11 06:00:00,PST-8,2017-07-13 18:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Eugene produced a southerly swell that brought elevated surf to the region between the 8th and 13th. The surf peaked on the 11th and 12th with with sets of 8-10 ft in Orange County and Northern San Diego County.","Northern San Diego County saw high surf along south facing beaches, sets to 8 ft were reported at Trestles." +118929,714470,CALIFORNIA,2017,July,Excessive Heat,"COACHELLA VALLEY",2017-07-07 12:00:00,PST-8,2017-07-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure built over the region between the 6th and 9th of July, bringing a heat wave to the valleys, deserts, and mountains. The heat wave peaked on the 7th with temperatures of 105-110 degrees in the Inland Empire and 118-122 degrees in the Coachella Valley.","Palm Springs recorded an afternoon high of 122 degrees, one degree shy of the cities all-time record. Thermal and Indio reported high temperatures of 121 and 119 degrees respectively." +118929,714471,CALIFORNIA,2017,July,Excessive Heat,"SAN DIEGO COUNTY DESERTS",2017-07-07 12:00:00,PST-8,2017-07-07 17:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure built over the region between the 6th and 9th of July, bringing a heat wave to the valleys, deserts, and mountains. The heat wave peaked on the 7th with temperatures of 105-110 degrees in the Inland Empire and 118-122 degrees in the Coachella Valley.","The high temperature in Anza Borrego State Park reached 121 degrees, just one degree shy of the all-time record." +118929,714473,CALIFORNIA,2017,July,Heat,"SAN DIEGO COUNTY VALLEYS",2017-07-07 00:00:00,PST-8,2017-07-08 00:00:00,12,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"A strong ridge of high pressure built over the region between the 6th and 9th of July, bringing a heat wave to the valleys, deserts, and mountains. The heat wave peaked on the 7th with temperatures of 105-110 degrees in the Inland Empire and 118-122 degrees in the Coachella Valley.","Three Sisters Trail in San Diego County was closed due to heat on the 7th and 8th. The trail reopened on the 9th, and four hikers with heat related illnesses were rescued. The high temperature in the nearby town of Ramona was 96 degrees on the 9th. EMS reported 8 calls for heat related illnesses on the 7th and 8th, with 4 hospitalizations." +119148,715558,MICHIGAN,2017,July,Flash Flood,"GENESEE",2017-07-13 05:30:00,EST-5,2017-07-13 06:30:00,0,0,0,0,0.00K,0,0.00K,0,43.0519,-83.469,43.0832,-83.4662,"Localized heavy rain up to 3 inches produced flash flooding in Lapeer and Gensess counties.","Richfield Road was washed out." +119148,715559,MICHIGAN,2017,July,Flash Flood,"LAPEER",2017-07-13 05:45:00,EST-5,2017-07-13 07:15:00,0,0,0,0,0.00K,0,0.00K,0,42.9211,-83.4,42.8911,-83.03,"Localized heavy rain up to 3 inches produced flash flooding in Lapeer and Gensess counties.","Many back roads were closed throughout the county due to flooding. Flooding in the farm fields, with local streams over their banks." +119148,715556,MICHIGAN,2017,July,Flash Flood,"GENESEE",2017-07-13 04:30:00,EST-5,2017-07-13 05:30:00,0,0,0,0,0.00K,0,0.00K,0,43.1281,-83.7653,43.0027,-83.7309,"Localized heavy rain up to 3 inches produced flash flooding in Lapeer and Gensess counties.","Mt. Morris police reported water 2 to 3 feet deep on I-475." +116769,702253,TEXAS,2017,June,Hail,"PECOS",2017-06-13 18:30:00,CST-6,2017-06-13 18:35:00,0,0,0,0,,NaN,,NaN,30.78,-103.0369,30.78,-103.0369,"A dryline was set up along the New Mexico and Texas state line. To the east of the dryline, there was ample moisture which increased instability. The wind shear over the area was enough to support organized severe storms, and intense afternoon heating aided severe thunderstorm development. These storms produced large hail across parts of the Permian Basin and some isolated severe wind gusts.","" +116769,702254,TEXAS,2017,June,Hail,"DAWSON",2017-06-13 18:40:00,CST-6,2017-06-13 18:45:00,0,0,0,0,,NaN,,NaN,32.6802,-101.807,32.6802,-101.807,"A dryline was set up along the New Mexico and Texas state line. To the east of the dryline, there was ample moisture which increased instability. The wind shear over the area was enough to support organized severe storms, and intense afternoon heating aided severe thunderstorm development. These storms produced large hail across parts of the Permian Basin and some isolated severe wind gusts.","" +116769,702255,TEXAS,2017,June,Thunderstorm Wind,"DAWSON",2017-06-13 18:45:00,CST-6,2017-06-13 18:45:00,0,0,0,0,0.00K,0,0.00K,0,32.7095,-101.9257,32.7095,-101.9257,"A dryline was set up along the New Mexico and Texas state line. To the east of the dryline, there was ample moisture which increased instability. The wind shear over the area was enough to support organized severe storms, and intense afternoon heating aided severe thunderstorm development. These storms produced large hail across parts of the Permian Basin and some isolated severe wind gusts.","A thunderstorm moved over Lamesa and produced a wind gust of 63 mph at the West Texas Mesonet two miles southeast of Lamesa." +117224,705112,TEXAS,2017,June,Hail,"MIDLAND",2017-06-23 16:50:00,CST-6,2017-06-23 16:59:00,0,0,0,0,,NaN,,NaN,32,-102.08,32,-102.08,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","" +119252,716063,ALABAMA,2017,July,Lightning,"LEE",2017-07-21 19:13:00,CST-6,2017-07-21 19:13:00,0,0,1,0,0.00K,0,0.00K,0,32.6846,-85.1149,32.6846,-85.1149,"A narrow band of thunderstorms developed along an outflow boundary over eastern Lee County.","A 34 year old male died when he was struck by lightning while boating on Lake Harding." +119250,716048,FLORIDA,2017,July,Funnel Cloud,"PALM BEACH",2017-07-16 12:50:00,EST-5,2017-07-16 12:50:00,0,0,0,0,0.00K,0,0.00K,0,26.71,-80.71,26.71,-80.71,"A tropical wave moved across the area producing showers and thunderstorms. Heavy rainfall produced some minor flooding that caused a highway road closure in Collier County. Also, a few of these storms produced funnel clouds over parts of interior South Florida.","A pilot reported a funnel cloud 40 miles west of West Palm Beach International Airport." +119250,716067,FLORIDA,2017,July,Flood,"COLLIER",2017-07-16 18:20:00,EST-5,2017-07-16 18:20:00,0,0,0,0,0.00K,0,0.00K,0,26.13,-81.77,26.1293,-81.7701,"A tropical wave moved across the area producing showers and thunderstorms. Heavy rainfall produced some minor flooding that caused a highway road closure in Collier County. Also, a few of these storms produced funnel clouds over parts of interior South Florida.","Collier County Sheriff Office reported that Highway US 41 in Collier County at the intersection of Airport Pulling Road had been closed due to flooding." +116820,703565,TEXAS,2017,June,Hail,"MITCHELL",2017-06-14 19:00:00,CST-6,2017-06-14 19:05:00,0,0,0,0,,NaN,,NaN,32.4224,-101.02,32.4224,-101.02,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119036,714914,KANSAS,2017,July,Hail,"RAWLINS",2017-07-07 18:17:00,CST-6,2017-07-07 18:17:00,0,0,0,0,0.00K,0,0.00K,0,39.7847,-101.37,39.7847,-101.37,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","" +119036,714915,KANSAS,2017,July,Hail,"THOMAS",2017-07-07 19:05:00,CST-6,2017-07-07 19:05:00,0,0,0,0,0.00K,0,0.00K,0,39.5408,-101.2971,39.5408,-101.2971,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","" +119036,714916,KANSAS,2017,July,Hail,"THOMAS",2017-07-07 19:46:00,CST-6,2017-07-07 19:46:00,0,0,0,0,0.00K,0,0.00K,0,39.3368,-101.3714,39.3368,-101.3714,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","" +119036,714917,KANSAS,2017,July,Hail,"SHERMAN",2017-07-07 18:47:00,MST-7,2017-07-07 18:47:00,0,0,0,0,0.00K,0,0.00K,0,39.348,-101.3913,39.348,-101.3913,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","" +119036,714918,KANSAS,2017,July,Hail,"LOGAN",2017-07-07 20:40:00,CST-6,2017-07-07 20:40:00,0,0,0,0,10.00K,10000,0.00K,0,38.9014,-101.4634,38.9014,-101.4634,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","Hail broke all the windows on the east side of the house." +119036,714919,KANSAS,2017,July,Hail,"LOGAN",2017-07-07 20:32:00,CST-6,2017-07-07 20:32:00,0,0,0,0,0.00K,0,0.00K,0,39.0115,-101.3626,39.0115,-101.3626,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","Hail covered the highway causing vehicle slide offs." +119036,714920,KANSAS,2017,July,Thunderstorm Wind,"SHERMAN",2017-07-07 18:47:00,MST-7,2017-07-07 18:47:00,0,0,0,0,0.00K,0,0.00K,0,39.3479,-101.3914,39.3479,-101.3914,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","Spotter estimated the wind gusts to be at least 60 MPH." +119100,715270,NORTH DAKOTA,2017,July,Hail,"MCLEAN",2017-07-21 19:38:00,CST-6,2017-07-21 19:42:00,0,0,0,0,0.00K,0,0.00K,0,47.29,-101.03,47.29,-101.03,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715271,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 19:40:00,CST-6,2017-07-21 19:43:00,0,0,0,0,0.00K,0,0.00K,0,48.8,-101.14,48.8,-101.14,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715272,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 19:48:00,CST-6,2017-07-21 19:51:00,0,0,0,0,0.00K,0,0.00K,0,48.73,-101.14,48.73,-101.14,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119020,715172,ATLANTIC SOUTH,2017,July,Waterspout,"EDISTO BEACH SC TO SAVANNAH GA OUT 20NM",2017-07-10 10:38:00,EST-5,2017-07-10 10:41:00,0,0,0,0,,NaN,0.00K,0,32.4488,-80.3345,32.4488,-80.3345,"Light winds and a humid airmass created conditions that were supportive of waterspouts in the early to mid morning hours. A couple of waterspouts developed off the South Carolina coast.","A report of a waterspout off the southern end of Edisto Island was received via Twitter." +112801,681716,KANSAS,2017,March,Thunderstorm Wind,"LABETTE",2017-03-06 21:25:00,CST-6,2017-03-06 21:25:00,0,0,0,0,3.00K,3000,,NaN,37.06,-95.49,37.06,-95.49,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","The emergency manager reported a tree down blocking the road." +112801,681715,KANSAS,2017,March,Hail,"MONTGOMERY",2017-03-06 21:00:00,CST-6,2017-03-06 21:00:00,0,0,0,0,,NaN,,NaN,37.27,-95.55,37.27,-95.55,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","Wind gusts to 65 mph were also reported." +112801,681717,KANSAS,2017,March,Thunderstorm Wind,"LABETTE",2017-03-06 21:27:00,CST-6,2017-03-06 21:27:00,0,0,0,0,20.00K,20000,0.00K,0,37.23,-95.18,37.23,-95.18,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","A house had a partially collapsed roof, with the roof blown off of a machine shed. Also, numerous trees were reported down." +118867,714145,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:21:00,CST-6,2017-07-07 16:21:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-87.92,44.06,-87.92,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Walnut size hail fell west of Valders." +116629,701291,VIRGINIA,2017,July,Hail,"BEDFORD",2017-07-18 15:36:00,EST-5,2017-07-18 15:36:00,0,0,0,0,0.00K,0,0.00K,0,37.2919,-79.7696,37.2919,-79.7696,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701292,VIRGINIA,2017,July,Hail,"PULASKI",2017-07-18 15:36:00,EST-5,2017-07-18 15:36:00,0,0,0,0,0.00K,0,0.00K,0,36.98,-80.8272,36.98,-80.8272,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701294,VIRGINIA,2017,July,Hail,"PATRICK",2017-07-18 13:18:00,EST-5,2017-07-18 13:18:00,0,0,0,0,0.00K,0,0.00K,0,36.7207,-80.1812,36.7207,-80.1812,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116629,701297,VIRGINIA,2017,July,Hail,"PATRICK",2017-07-18 13:27:00,EST-5,2017-07-18 13:27:00,0,0,0,0,0.00K,0,0.00K,0,36.7214,-80.1309,36.7214,-80.1309,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Hail ranging from penny to quarter-size in diameter was observed falling on Egg Farm Road." +116629,701299,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-18 16:00:00,EST-5,2017-07-18 16:00:00,0,0,0,0,2.00K,2000,0.00K,0,36.9547,-79.3717,36.9547,-79.3717,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Multiple trees were blown down by thunderstorm winds in the community of Gretna." +116629,701301,VIRGINIA,2017,July,Hail,"ROCKBRIDGE",2017-07-18 18:12:00,EST-5,2017-07-18 18:12:00,0,0,0,0,0.00K,0,0.00K,0,37.8502,-79.4895,37.8502,-79.4895,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116276,699149,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-08 14:15:00,EST-5,2017-07-08 14:15:00,0,0,0,0,0.00K,0,0.00K,0,28.6056,-80.8248,28.6056,-80.8248,"A thunderstorm with strong winds exited the mainland at Titusville and continued to the Indian River.","USAF wind tower 1012, located just inland from the coast in Titusville, reported peak winds to 43 knots as a strong thunderstorm exited the mainland and continued southeast to the Indian River." +116554,700868,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-17 18:00:00,EST-5,2017-07-17 18:00:00,0,0,0,0,0.00K,0,0.00K,0,28.7755,-80.8043,28.7755,-80.8043,"Thunderstorms developed along the Interstate 4 corridor after the collision of the west and east coast sea breezes, some of which pushed back to the coast and produced strong wind gusts over northern Brevard County as they moved offshore.","USAF tower 0421 recorded a peak wind gust of 39 knots from the northwest as thunderstorms moved from the mainland and over the Indian River. Nearby USAF tower 0022 recorded a peak wind gust of 48 knots out of the northwest at 1805EST." +116554,700869,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-17 18:20:00,EST-5,2017-07-17 18:20:00,0,0,0,0,0.00K,0,0.00K,0,28.7055,-80.7265,28.7055,-80.7265,"Thunderstorms developed along the Interstate 4 corridor after the collision of the west and east coast sea breezes, some of which pushed back to the coast and produced strong wind gusts over northern Brevard County as they moved offshore.","USAF tower 0418 recorded a peak wind gust of 34 knots out of the northwest as thunderstorms pushed offshore north of Cape Canaveral. Nearby USAF tower 0019 recorded a peak wind gust of 39 knots out of the northwest at 1835EST." +116554,700870,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-17 18:40:00,EST-5,2017-07-17 18:40:00,0,0,0,0,0.00K,0,0.00K,0,28.5697,-80.5864,28.5697,-80.5864,"Thunderstorms developed along the Interstate 4 corridor after the collision of the west and east coast sea breezes, some of which pushed back to the coast and produced strong wind gusts over northern Brevard County as they moved offshore.","USAF tower 0110 measured a 34 knot wind gust out of the northwest as storms pushed offshore Cape Canaveral. Nearby USAF tower 0019 recorded a peak wind gust of 35 knots out of the northwest at 1850EST." +116714,701906,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-21 13:02:00,EST-5,2017-07-21 13:02:00,0,0,0,0,0.00K,0,0.00K,0,27.96,-80.53,27.96,-80.53,"Several thunderstorms moved seaward from the central Florida interior and continued across the coast of southern Brevard and Indian River Counties with strong winds.","Mesonet site XIND at the Indian River east of Valkaria measured a peak wind gust of 34 knots from the east-southeast as a strong thunderstorm moved off the mainland and across the intracoastal waters." +116714,701908,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-07-21 13:09:00,EST-5,2017-07-21 13:09:00,0,0,0,0,0.00K,0,0.00K,0,27.656,-80.376,27.656,-80.376,"Several thunderstorms moved seaward from the central Florida interior and continued across the coast of southern Brevard and Indian River Counties with strong winds.","The ASOS at Vero Beach International Airport (KVRB) measured a peak wind gust of 37 knots from the west-southwest as a strong thunderstorm moved off the mainland and across the intracoastal waters." +117826,708264,KANSAS,2017,July,Thunderstorm Wind,"SEDGWICK",2017-07-26 15:31:00,CST-6,2017-07-26 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-97.26,37.75,-97.26,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","A tree with a 15-foot diameter trunk was split and uprooted over and onto 37th Street about halfway between Rock and Webb Roads. A sign was also blown down." +117826,708265,KANSAS,2017,July,Thunderstorm Wind,"SEDGWICK",2017-07-26 15:06:00,CST-6,2017-07-26 15:07:00,0,0,0,0,0.00K,0,0.00K,0,37.66,-97.58,37.66,-97.58,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","There were no reports of damage." +117826,708266,KANSAS,2017,July,Thunderstorm Wind,"SEDGWICK",2017-07-26 15:33:00,CST-6,2017-07-26 15:35:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-97.22,37.75,-97.22,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","There were no reports of damage to aircraft or to airport property." +117826,708267,KANSAS,2017,July,Thunderstorm Wind,"BUTLER",2017-07-26 16:02:00,CST-6,2017-07-26 16:05:00,0,0,0,0,0.00K,0,0.00K,0,37.82,-96.86,37.82,-96.86,"A couple of isolated thunderstorms that developed over Kingman County quickly became severe as they crossed Sedgwick and Butler Counties. The severe thunderstorms quickly accelerated from 25 mph at 405 PM to 45 mph by 430 PM. There can be little, if any, doubt that this rapid acceleration caused winds to increase dramatically from around 50 mph to around 65 mph in about 25 minutes. Based on the sizes of trees that were damaged, and in a couple cases uprooted, that speeds were much stronger, as one tree that had a 15-inch diameter trunk was split and uprooted 6 miles northeast of Wichita.","The speeds were estimated by a storm chaser." +117840,708295,GEORGIA,2017,July,Flash Flood,"GLYNN",2017-07-27 08:30:00,EST-5,2017-07-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,31.143,-81.3881,31.214,-81.3606,"A late season cold front was over SE GA under a mid level low. This feature combined with daytime heating and high moisture fueled heavy rainfall across the area. The area was under a wet pattern for several days which resulted in saturated grounds.","About 3-5 inches of rainfall occurred over flood prone Brunswick during the morning. A three day rainfall total near 5 inches across much of the county, leading up to saturated grounds. Significant street flooding, in some areas 1-2 ft deep, impacted urban areas of Brunswick and St. Simons Island." +116866,702662,NEBRASKA,2017,July,Flash Flood,"CHEYENNE",2017-07-19 19:02:00,MST-7,2017-07-19 20:45:00,0,0,0,0,0.00K,0,0.00K,0,41.4284,-102.9817,41.2913,-102.9707,"Torrential rainfall from thunderstorms led to flash flooding in portions of northeast Cheyenne County in western Nebraska.","Two and a quarter inches of rain in 90 minutes caused flash flooding northeast of Sidney. Basements, window wells and outbuildings were flooded three miles east of Gurley. A few county roads were washed out." +116867,702663,NEBRASKA,2017,July,Hail,"SIOUX",2017-07-18 17:30:00,MST-7,2017-07-18 17:32:00,0,0,0,0,0.00K,0,0.00K,0,42.27,-104.02,42.27,-104.02,"A thunderstorm produced large hail in southwest Sioux County of western Nebraska.","Quarter size hail was observed 15 miles southwest of Agate bed National Monument." +116868,702664,WYOMING,2017,July,Thunderstorm Wind,"NIOBRARA",2017-07-12 20:11:00,MST-7,2017-07-12 20:13:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-104.29,43.24,-104.29,"A thunderstorm produced strong winds in northeast Niobrara County.","A spotter estimated wind gusts of 60 mph at Redbird." +116869,702665,NEBRASKA,2017,July,Thunderstorm Wind,"SIOUX",2017-07-12 20:30:00,MST-7,2017-07-12 20:32:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-103.95,42.85,-103.95,"A thunderstorm produced strong winds in northwest Sioux County of western Nebraska.","A spotter 15 miles northwest of Harrison estimated wind gusts of 60 mph." +116870,702667,NEBRASKA,2017,July,Hail,"CHEYENNE",2017-07-10 18:25:00,MST-7,2017-07-10 18:27:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-102.6208,41.15,-102.6208,"A thunderstorm produced large hail in southeast Cheyenne County of western Nebraska.","Quarter size hail was observed a mile east of Lodgepole." +116871,702669,NEBRASKA,2017,July,Thunderstorm Wind,"DAWES",2017-07-06 21:35:00,MST-7,2017-07-06 21:36:00,0,0,0,0,0.00K,0,0.00K,0,42.68,-103,42.68,-103,"A thunderstorm produced strong winds south of Chadron in Dawes County.","Wind gusts were estimated between 55 and 60 mph at Chadron State Park." +116872,702671,WYOMING,2017,July,Thunderstorm Wind,"LARAMIE",2017-07-07 15:35:00,MST-7,2017-07-07 15:38:00,0,0,0,0,0.00K,0,0.00K,0,41.15,-104.86,41.15,-104.86,"A thunderstorm produced strong winds across southwest Laramie County.","The wind sensor at FE Warren AFB measured peak wind gusts of 60 mph." +116872,702673,WYOMING,2017,July,Thunderstorm Wind,"LARAMIE",2017-07-07 15:15:00,MST-7,2017-07-07 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-105.06,41.1,-105.06,"A thunderstorm produced strong winds across southwest Laramie County.","The WYDOT sensor near Otto Road measured a peak wind gust of 58 mph." +116872,702674,WYOMING,2017,July,Thunderstorm Wind,"LARAMIE",2017-07-07 15:35:00,MST-7,2017-07-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,41.05,-104.89,41.05,-104.89,"A thunderstorm produced strong winds across southwest Laramie County.","The WYDOT sensor at Wyoming Hill measured a peak wind gust of 58 mph." +118129,714257,OHIO,2017,July,Flood,"SENECA",2017-07-13 05:00:00,EST-5,2017-07-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-83.4,41.0111,-83.3464,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","On the morning of July 13 heavy rain produced some overland flooding in Seneca County. Fostoria measured 3.20��� between 4-6 am. Road flooding was common across the area including US 224-west of Tiffin and SR53 south of Tiffin. Numerous local road closures occured across the county." +118129,714269,OHIO,2017,July,Flood,"WOOD",2017-07-13 11:00:00,EST-5,2017-07-14 03:00:00,0,0,0,0,50.00K,50000,0.00K,0,41.2893,-83.4357,41.1622,-83.7,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","Heavy rainfall fell over Wood County on the morning of July 13. NWS has no official records of rainfall amounts over the hardest hit areas, however unofficial observations from farmers in the area report as much as 6 to 8 inches near Pemberville. Most of the rain fell between 4 and 6 am. The most notable issues were in Wayne where multiple homes saw basement flooding. At the peak people drove through a foot of water on South Street. In North Baltimore a 12 year old boy had to be rescued as a tributary to the Portage River overflowed it's banks into the park where the child was playing. In Fostoria several roads were closed due to flooding with several vehicles stranded." +118896,714280,OHIO,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-03 16:40:00,EST-5,2017-07-03 16:40:00,0,0,0,0,25.00K,25000,0.00K,0,41.0289,-83.6523,41.0289,-83.6523,"A warm front lifted into northern Ohio causing showers and thunderstorms to develop. A couple of the stronger storms became severe.","Thunderstorm wind gusts downed some power poles and lines near JC Donnell Stadium on the south side of Findlay." +118896,714281,OHIO,2017,July,Hail,"HANCOCK",2017-07-03 16:25:00,EST-5,2017-07-03 16:25:00,0,0,0,0,0.00K,0,0.00K,0,41.03,-83.8419,41.03,-83.8419,"A warm front lifted into northern Ohio causing showers and thunderstorms to develop. A couple of the stronger storms became severe.","Nickel sized hail was reported." +117471,706627,OHIO,2017,July,Thunderstorm Wind,"MADISON",2017-07-21 07:26:00,EST-5,2017-07-21 07:28:00,0,0,0,0,1.00K,1000,0.00K,0,39.96,-83.46,39.96,-83.46,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","A tree was downed near the intersection of Arbuckle Road and Green Lane." +117471,706628,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-21 08:23:00,EST-5,2017-07-21 08:24:00,0,0,0,0,0.00K,0,0.00K,0,40.08,-83.07,40.08,-83.07,"A complex of thunderstorms associated with an upper level disturbance moved across the area during the morning hours.","" +117429,706976,OHIO,2017,July,Flash Flood,"LICKING",2017-07-13 14:15:00,EST-5,2017-07-13 15:15:00,0,0,0,0,0.00K,0,0.00K,0,39.9659,-82.4809,39.9672,-82.4769,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Rapidly rising water prompted evacuations in the Greenbrier Village Mobile Home Park." +117429,706977,OHIO,2017,July,Flash Flood,"LICKING",2017-07-13 14:15:00,EST-5,2017-07-13 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.992,-82.669,39.9866,-82.667,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Rapidly rising water forced the evacuation of a mobile home park." +116167,698177,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LANCASTER",2017-07-01 18:26:00,EST-5,2017-07-01 18:30:00,0,0,0,0,,NaN,,NaN,34.7987,-80.6335,34.7987,-80.6335,"Sufficient atmospheric instability and moisture, allowed scattered showers and thunderstorms to develop and move across the region in the evening, some of which reached severe limits.","Lancaster County dispatch reported trees down blocking the roadway near the intersection of N Rocky River Rd and Camp Creek Rd." +116167,698178,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-01 20:35:00,EST-5,2017-07-01 20:40:00,0,0,0,0,,NaN,,NaN,33.87,-82,33.87,-82,"Sufficient atmospheric instability and moisture, allowed scattered showers and thunderstorms to develop and move across the region in the evening, some of which reached severe limits.","Edgefield County Sheriffs Office reported trees and power lines down on Hwy 25." +116167,698180,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"NEWBERRY",2017-07-01 21:17:00,EST-5,2017-07-01 21:22:00,0,0,0,0,,NaN,,NaN,34.2789,-81.5224,34.2789,-81.5224,"Sufficient atmospheric instability and moisture, allowed scattered showers and thunderstorms to develop and move across the region in the evening, some of which reached severe limits.","A tree was downed on Interstate 26 westbound near mile marker 78." +116167,698181,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"NEWBERRY",2017-07-01 21:23:00,EST-5,2017-07-01 21:28:00,0,0,0,0,,NaN,,NaN,34.36,-81.46,34.36,-81.46,"Sufficient atmospheric instability and moisture, allowed scattered showers and thunderstorms to develop and move across the region in the evening, some of which reached severe limits.","Tree down at SC Hwy 34 and Ringer Rd." +116169,698183,GEORGIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-02 16:03:00,EST-5,2017-07-02 16:05:00,0,0,0,0,,NaN,,NaN,33.3,-81.95,33.3,-81.95,"Sufficient atmospheric moisture and instability allowed scattered thunderstorms to move east into the Central Savannah River Area. An isolated storm reached severe limits.","A 25 foot tall aluminum flagpole, anchored in the ground, was broken and downed on Hwy 56 near Mechanic Hill." +118987,714756,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:32:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.49,-82.11,33.49,-82.11,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Broadcast media relayed public reports of multiple trees down on Flowing Wells Rd north of I-20." +118987,714768,GEORGIA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-26 14:33:00,EST-5,2017-07-26 14:34:00,0,0,0,0,0.10K,100,0.10K,100,33.47,-82.03,33.47,-82.03,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Augusta GA Daniel Field ASOS unit measured a peak wind gust of 39 MPH at 1933Z (3:33 pm EDT / 1433 EST)." +118997,714780,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-28 15:23:00,EST-5,2017-07-28 15:25:00,0,0,0,0,,NaN,,NaN,34,-81.47,34,-81.47,"Daytime heating, a surface trough, and upper level forcing contributed to thunderstorm development, a few of which produced strong damaging wind gusts.","SCHP reported a tree down near the intersection of Ridge Rd and Cedar Grove Rd." +118785,713585,TEXAS,2017,July,Thunderstorm Wind,"HUTCHINSON",2017-07-24 15:57:00,CST-6,2017-07-24 15:57:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-101.4,35.7,-101.4,"CAPE values of 1500-2500 J/kg along with a low shear environment with weak steering flow and residual boundaries generated diurnal convection across the TX Panhandle. In that weak steering flow, storms developed and moved in multiple directions with several severe wind reports.","" +118785,713586,TEXAS,2017,July,Thunderstorm Wind,"HUTCHINSON",2017-07-24 16:10:00,CST-6,2017-07-24 16:10:00,0,0,0,0,0.00K,0,0.00K,0,35.65,-101.39,35.65,-101.39,"CAPE values of 1500-2500 J/kg along with a low shear environment with weak steering flow and residual boundaries generated diurnal convection across the TX Panhandle. In that weak steering flow, storms developed and moved in multiple directions with several severe wind reports.","Tree down on highway 152 in Borger and several traffic lights are out of service." +118785,713587,TEXAS,2017,July,Thunderstorm Wind,"HUTCHINSON",2017-07-24 16:19:00,CST-6,2017-07-24 16:19:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-101.4,35.7,-101.4,"CAPE values of 1500-2500 J/kg along with a low shear environment with weak steering flow and residual boundaries generated diurnal convection across the TX Panhandle. In that weak steering flow, storms developed and moved in multiple directions with several severe wind reports.","" +118785,713588,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-24 17:15:00,CST-6,2017-07-24 17:15:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-102.33,34.86,-102.33,"CAPE values of 1500-2500 J/kg along with a low shear environment with weak steering flow and residual boundaries generated diurnal convection across the TX Panhandle. In that weak steering flow, storms developed and moved in multiple directions with several severe wind reports.","The emergency manager also reported a snapped power pole at the local airport associated with this wind gust." +117860,708372,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 16:55:00,MST-7,2017-07-16 16:55:00,0,0,0,0,0.00K,0,0.00K,0,33.6,-111.72,33.6,-111.72,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed near Fountain Hills during the afternoon hours and some of them produced strong outflow winds. According to a report from a local CO-OP observer, at 1655MST a wind gust of 60 mph was measured at the station which was located 2 miles east of Fountain Hills. Damage was not reported." +117860,708373,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 22:15:00,MST-7,2017-07-16 22:15:00,0,0,0,0,0.00K,0,0.00K,0,33.42,-112.15,33.42,-112.15,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed over the central and southern portion of the greater Phoenix area during the late evening hours on July 16th. Some of the storms produced strong outflow winds. According to a mesonet weather station report, a wind gust to 61 mph was measured 5 miles southwest of central Phoenix." +118121,709861,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 16:56:00,MST-7,2017-07-29 16:56:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-112.38,33.53,-112.38,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Scattered thunderstorms affected portions of the greater Phoenix area during the evening hours on July 29th, bringing strong, gusty and damaging winds to communities such as Luke. At 1656MST, the official AWOS weather station at Luke Air Force Base measured a gust to 83 mph. This was the strongest wind gust measured in the Phoenix area on this day. A Severe Thunderstorm Warning was not issued for this storm, rather a Significant Weather Advisory instead." +118121,709862,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 17:00:00,MST-7,2017-07-29 17:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.54,-112.36,33.54,-112.36,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Thunderstorms with very strong winds developed across the western portion of the greater Phoenix metropolitan area during the late afternoon hours on July 29th and one particularly strong storm affected Luke Air Force Base. At about 1700MST the storm generated an outflow wind measured at 83 mph by the official AWOS weather station at the base. According to federal officials, the strong winds downed several trees and caused a variety of minor damage to the air force base. No injuries were reported however." +118427,711844,TEXAS,2017,July,Flash Flood,"COLLIN",2017-07-05 19:50:00,CST-6,2017-07-05 21:15:00,0,0,0,0,0.00K,0,0.00K,0,33.2828,-96.7877,33.2762,-96.7867,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Collin County Sheriff's Department reported that Preston Rd at Ownsby Pkwy was flooded in Celina, TX." +118427,711845,TEXAS,2017,July,Flash Flood,"COLLIN",2017-07-05 19:56:00,CST-6,2017-07-05 21:15:00,0,0,0,0,0.00K,0,0.00K,0,33.3035,-96.593,33.3012,-96.5949,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","A trained spotter reported water covering the road on Hwy 75 near mile marker 47 in the city of Melissa, TX." +118582,712366,TEXAS,2017,July,Hail,"DALLAS",2017-07-08 15:29:00,CST-6,2017-07-08 15:29:00,0,0,0,0,0.00K,0,0.00K,0,32.92,-96.63,32.92,-96.63,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A trained spotter reported quarter-sized hail in the city of Garland, TX." +118582,712367,TEXAS,2017,July,Hail,"TARRANT",2017-07-08 17:35:00,CST-6,2017-07-08 17:35:00,0,0,0,0,0.00K,0,0.00K,0,32.7817,-97.3208,32.7817,-97.3208,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Broadcast media reported quarter-sized hail near the intersection of Northside Dr and Interstate 35W." +118582,713344,TEXAS,2017,July,Thunderstorm Wind,"COLLIN",2017-07-08 14:40:00,CST-6,2017-07-08 14:40:00,0,0,0,0,10.00K,10000,0.00K,0,33.1,-96.68,33.1,-96.68,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Allen Fire and Rescue reported that multiple large trees were uprooted and large branches were blown down in the city of Allen, TX." +118582,713346,TEXAS,2017,July,Thunderstorm Wind,"NAVARRO",2017-07-09 14:40:00,CST-6,2017-07-09 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,32.1,-96.47,32.1,-96.47,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported roof damage to a couple of homes west and southwest of the city of Corsicana, TX." +118582,713347,TEXAS,2017,July,Thunderstorm Wind,"NAVARRO",2017-07-09 15:30:00,CST-6,2017-07-09 15:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.02,-96.53,32.02,-96.53,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A social media report indicated that multiple trees were blown down near the city of Corbet, TX." +119201,715838,LAKE HURON,2017,July,Marine Hail,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-23 16:30:00,EST-5,2017-07-23 16:30:00,0,0,0,0,0.00K,0,0.00K,0,43.94,-83.27,43.94,-83.27,"Strong to severe thunderstorms tracked through Saginaw Bay.","" +119201,715841,LAKE HURON,2017,July,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-23 15:56:00,EST-5,2017-07-23 15:56:00,0,0,0,0,0.00K,0,0.00K,0,44.02,-83.54,44.02,-83.54,"Strong to severe thunderstorms tracked through Saginaw Bay.","" +119201,715842,LAKE HURON,2017,July,Marine Thunderstorm Wind,"OUTER SAGINAW BAY SW OF ALABASTER TO PORT AUSTIN MI TO INNER SAGINAW BAY",2017-07-23 16:26:00,EST-5,2017-07-23 16:26:00,0,0,0,0,0.00K,0,0.00K,0,43.9402,-83.2842,43.9402,-83.2842,"Strong to severe thunderstorms tracked through Saginaw Bay.","" +119202,715843,LAKE ERIE,2017,July,Marine Thunderstorm Wind,"MICHIGAN WATERS OF LAKE ERIE FROM DETROIT RIVER TO NORTH CAPE MI",2017-07-23 15:12:00,EST-5,2017-07-23 15:12:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-83.41,41.84,-83.41,"A severe thunderstorm moved into western Lake Erie.","A thunderstorm which brought down trees near Luna Pier moved into Lake Erie." +116294,699219,COLORADO,2017,July,Hail,"EL PASO",2017-07-01 18:37:00,MST-7,2017-07-01 18:42:00,0,0,0,0,0.00K,0,0.00K,0,38.79,-104.73,38.79,-104.73,"A strong storm produced hail up to the size of pennies.","" +116295,699220,COLORADO,2017,July,Thunderstorm Wind,"EL PASO",2017-07-02 14:07:00,MST-7,2017-07-02 14:08:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-104.79,38.77,-104.79,"Numerous storms produced gusty winds, but one caused wind gusts in excess of 60 mph.","" +116293,699222,COLORADO,2017,July,Hail,"EL PASO",2017-07-07 12:59:00,MST-7,2017-07-07 13:10:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-104.39,38.97,-104.39,"A severe storm produced hail up to the size of quarters.","" +116293,699223,COLORADO,2017,July,Hail,"EL PASO",2017-07-07 13:33:00,MST-7,2017-07-07 13:43:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-104.38,38.95,-104.38,"A severe storm produced hail up to the size of quarters.","" +116293,699224,COLORADO,2017,July,Hail,"EL PASO",2017-07-07 13:45:00,MST-7,2017-07-07 13:55:00,0,0,0,0,0.00K,0,0.00K,0,38.95,-104.34,38.95,-104.34,"A severe storm produced hail up to the size of quarters.","" +116801,702340,COLORADO,2017,July,Thunderstorm Wind,"EL PASO",2017-07-12 15:32:00,MST-7,2017-07-12 15:36:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-104.81,38.97,-104.81,"Strong to severe storms moved from Teller County into the Colorado Springs area, causing brief heavy rain and one severe wind gust.","" +117218,704960,COLORADO,2017,July,Flash Flood,"KIOWA",2017-07-15 17:15:00,MST-7,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5052,-102.8114,38.4655,-102.8183,"Numerous strong storms produced flash flooding from the Upper Arkansas Valley to the southeast plains. A significant flash flood occurred on the Hayden Pass burn scar, which prompted the evacuation of a camping resort and residents. There were no injuries.","Th underpass at US Highway 287 and State Highway 96 was flooded with over 2 feet of water. County Road 40 was also flooded." +117218,704961,COLORADO,2017,July,Flash Flood,"CHAFFEE",2017-07-15 19:10:00,MST-7,2017-07-15 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.8,-106.11,38.8006,-106.1191,"Numerous strong storms produced flash flooding from the Upper Arkansas Valley to the southeast plains. A significant flash flood occurred on the Hayden Pass burn scar, which prompted the evacuation of a camping resort and residents. There were no injuries.","A flash flood and mud flow on US Highway 285 near Johnson Village made the road impassible for a time." +115406,692938,MISSOURI,2017,April,Hail,"NODAWAY",2017-04-15 19:40:00,CST-6,2017-04-15 19:40:00,0,0,0,0,,NaN,,NaN,40.55,-94.82,40.55,-94.82,"A storm in Atchison County Missouri produced sub-severe hail and a weak and brief tornado.","" +118523,712095,MINNESOTA,2017,July,Thunderstorm Wind,"AITKIN",2017-07-06 03:23:00,CST-6,2017-07-06 03:23:00,0,0,0,0,,NaN,,NaN,47,-93.54,47,-93.54,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A tree was blown down on Highway 200." +118523,712097,MINNESOTA,2017,July,Hail,"PINE",2017-07-06 03:32:00,CST-6,2017-07-06 03:32:00,0,0,0,0,,NaN,,NaN,46.23,-93.04,46.23,-93.04,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","" +116863,702643,ILLINOIS,2017,July,Hail,"PEORIA",2017-07-10 18:02:00,CST-6,2017-07-10 18:07:00,0,0,0,0,0.00K,0,0.00K,0,40.68,-89.7237,40.68,-89.7237,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702644,ILLINOIS,2017,July,Hail,"PEORIA",2017-07-10 18:09:00,CST-6,2017-07-10 18:14:00,0,0,0,0,0.00K,0,0.00K,0,40.6366,-89.8,40.6366,-89.8,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702646,ILLINOIS,2017,July,Hail,"FULTON",2017-07-10 18:15:00,CST-6,2017-07-10 18:20:00,0,0,0,0,0.00K,0,0.00K,0,40.72,-90.1745,40.72,-90.1745,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702647,ILLINOIS,2017,July,Hail,"FULTON",2017-07-10 18:20:00,CST-6,2017-07-10 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-90.17,40.63,-90.17,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +118910,714360,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-15 14:40:00,EST-5,2017-07-15 14:40:00,0,0,0,0,0.00K,0,0.00K,0,35.164,-81.452,35.145,-81.452,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","DOT reported a tree blown down on I-85 at mile marker 106. Media reported another tree down on Ballfield Rd." +118910,714361,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTER",2017-07-15 15:49:00,EST-5,2017-07-15 15:49:00,0,0,0,0,0.00K,0,0.00K,0,34.575,-81.159,34.66,-81.102,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported trees blown down on Rambo Road and additional trees down on Firetower Rd." +118910,714363,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"GREENVILLE",2017-07-15 13:19:00,EST-5,2017-07-15 13:19:00,0,0,0,0,0.00K,0,0.00K,0,34.958,-82.385,34.976,-82.361,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Highway Patrol reported a tree blown down on State Park Rd and another tree down at Jackson Grove Rd and Walker Rd." +118910,714364,SOUTH CAROLINA,2017,July,Hail,"CHESTER",2017-07-15 16:10:00,EST-5,2017-07-15 16:10:00,0,0,0,0,,NaN,,NaN,34.57,-80.9,34.57,-80.9,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","FD reported up to 3/4 inch diameter hail." +118942,714536,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-16 18:57:00,EST-5,2017-07-16 18:57:00,0,0,0,0,0.00K,0,0.00K,0,34.72,-82.62,34.72,-82.62,"Scattered thunderstorms developed during the evening in the vicinity of a nearly stationary front across Upstate South Carolina. A couple of the storms produced hail while one storm produced brief damaging wind gusts.","Public reported several large tree limbs blown down off of Hamlin Road." +118942,714537,SOUTH CAROLINA,2017,July,Hail,"ANDERSON",2017-07-16 18:56:00,EST-5,2017-07-16 18:56:00,0,0,0,0,,NaN,,NaN,34.73,-82.59,34.73,-82.59,"Scattered thunderstorms developed during the evening in the vicinity of a nearly stationary front across Upstate South Carolina. A couple of the storms produced hail while one storm produced brief damaging wind gusts.","Media reported nickel size hail." +118942,714538,SOUTH CAROLINA,2017,July,Hail,"GREENVILLE",2017-07-16 20:00:00,EST-5,2017-07-16 20:00:00,0,0,0,0,,NaN,,NaN,34.853,-82.372,34.853,-82.372,"Scattered thunderstorms developed during the evening in the vicinity of a nearly stationary front across Upstate South Carolina. A couple of the storms produced hail while one storm produced brief damaging wind gusts.","Media reported 3/4 inch hail near Greenville Downtown." +118849,714020,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MARLBORO",2017-07-15 16:55:00,EST-5,2017-07-15 16:56:00,0,0,0,0,0.00K,0,0.00K,0,34.6227,-79.7349,34.6227,-79.7349,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","AWOS equipment at Marlboro County Jetport measured a wind gust to 58 mph." +118849,714025,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MARION",2017-07-15 17:15:00,EST-5,2017-07-15 17:16:00,0,0,0,0,1.00K,1000,0.00K,0,34.2833,-79.4732,34.2833,-79.4732,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on U.S. 301. The time was estimated based on radar data." +118849,714030,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MARLBORO",2017-07-15 17:15:00,EST-5,2017-07-15 17:16:00,0,0,0,0,1.00K,1000,0.00K,0,34.5779,-79.6301,34.5779,-79.6301,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on Bounty Acres Rd. E near the intersection with Shady Grove Church Rd. The time was estimated based on radar data." +118849,714031,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MARION",2017-07-15 17:29:00,EST-5,2017-07-15 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,34.2952,-79.4095,34.2952,-79.4095,"Numerous to widespread slow moving thunderstorms developed ahead of a cold front. The thunderstorms organized to generate a cold pool which allowed the thunderstorms to accelerate for a time.","A tree was reported down on Old Ebenezer Rd. The time was estimated based on radar data." +118859,714116,ATLANTIC SOUTH,2017,July,Waterspout,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-07-19 10:22:00,EST-5,2017-07-19 10:23:00,0,0,0,0,0.00K,0,0.00K,0,34.4178,-77.5552,34.4181,-77.5553,"A large upper low was in the process of cutting off and drifting south. This created relatively steep lapse rates in an environment characterized by increasing heat and instability. The calculated waterspout risk was moderate.","A waterspout was observed. This waterspout moved onshore and caused minor damage before dissipating." +118870,714177,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROBESON",2017-07-23 17:15:00,EST-5,2017-07-23 17:16:00,0,0,0,0,3.00K,3000,0.00K,0,34.4992,-79.1189,34.4992,-79.1189,"Thunderstorms developed along the Piedmont Trough during the afternoon and early evening.","Trees were reported down." +119319,716427,NORTH CAROLINA,2017,July,Rip Current,"COASTAL BRUNSWICK",2017-07-09 14:30:00,EST-5,2017-07-09 14:30:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A rip current caused a fatality at Holden Beach.","A rip current caused a fatality at Holden Beach. The incident occurred at low tide near 315 Ocean Blvd." +119321,716429,SOUTH CAROLINA,2017,July,Flood,"FLORENCE",2017-07-18 06:37:00,EST-5,2017-07-18 08:30:00,0,0,0,0,0.00K,0,0.00K,0,34.14,-79.78,34.1362,-79.7786,"Heavy rain occurred at Muldrows Mill.","Residential flooding was reported." +119322,716431,NORTH CAROLINA,2017,July,Flood,"PENDER",2017-07-18 07:40:00,EST-5,2017-07-18 09:30:00,0,0,0,0,0.00K,0,0.00K,0,34.36,-77.91,34.3559,-77.9092,"A stationary front produced heavy rain.","Over three and a half inches of rain was recorded in Castle Hayne." +116545,700815,TEXAS,2017,July,Thunderstorm Wind,"RUSK",2017-07-08 16:30:00,CST-6,2017-07-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2193,-94.7967,32.2193,-94.7967,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","Several trees were blown down north of Henderson, Pea size hail also fell." +116545,700817,TEXAS,2017,July,Thunderstorm Wind,"SHELBY",2017-07-08 16:53:00,CST-6,2017-07-08 16:53:00,0,0,0,0,0.00K,0,0.00K,0,31.7649,-94.0503,31.7649,-94.0503,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","A tree was blown down on Farm to Market Road 2694 near the historic Welcome Hall home near Shelbyville." +116545,700818,TEXAS,2017,July,Thunderstorm Wind,"SHELBY",2017-07-08 17:12:00,CST-6,2017-07-08 17:12:00,0,0,0,0,0.00K,0,0.00K,0,31.9617,-94.0403,31.9617,-94.0403,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","A tree was blown down on Highway 84 East in Joaquin. Power lines were also downed on Highway 7 East in Joaquin." +116545,700819,TEXAS,2017,July,Thunderstorm Wind,"ANGELINA",2017-07-08 17:22:00,CST-6,2017-07-08 17:22:00,0,0,0,0,0.00K,0,0.00K,0,31.4189,-94.9414,31.4189,-94.9414,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","Trees were blown down on Farm to Market Road 1819 near the Angelina/Cherokee County line." +119504,717149,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-07-10 23:28:00,EST-5,2017-07-10 23:28:00,0,0,0,0,0.00K,0,0.00K,0,24.7037,-81.0778,24.7037,-81.0778,"Thunderstorms developing along lee convergence lines west of Andros Island of the Bahamas were possibly assisted by a remnant mid-altitude convectively-induced cyclonic circulation over the Florida Keys. The thunderstorms became robust late in the evening of July 10th and produced widespread gale-force wind gusts in the Upper and Middle Florida Keys coastal waters.","A wind gust of 37 knots was measured at an automated WeatherSTEM station at Marathon High School." +119506,717150,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-11 17:54:00,EST-5,2017-07-11 17:54:00,0,0,0,0,0.00K,0,0.00K,0,24.4841,-81.6758,24.4841,-81.6758,"A brief waterspout was observed along a cumulus cloud line near the Lower Florida Keys.","A waterspout was observed as a funnel cloud extending halfway down from cloud base approximately 5 miles south of the Naval Air Station Key West Boca Chica airfield." +119507,717154,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 10:50:00,EST-5,2017-07-12 10:53:00,0,0,0,0,0.00K,0,0.00K,0,24.5103,-81.89,24.5103,-81.89,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A waterspout was observed about 5 miles to the west southwest of Fort Zachary Taylor State Park in Key West. The funnel cloud was observed to extend one quarter down from close base, with no spray ring visible." +119507,717155,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 11:40:00,EST-5,2017-07-12 11:45:00,0,0,0,0,0.00K,0,0.00K,0,24.5041,-81.7802,24.5041,-81.7802,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A waterspout was observed approximately 3 miles south of Key West. The waterspout was observed as a narrow funnel cloud extending one eighth the distance from cloud base." +119507,717156,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 12:04:00,EST-5,2017-07-12 12:06:00,0,0,0,0,0.00K,0,0.00K,0,24.51,-81.76,24.51,-81.76,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","Multiple reports were received of a short-duration waterspout approximately 3 miles south of Key West. The waterspout was observed as a very narrow funnel cloud extending a short distance down from cloud base." +119336,716455,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"LAKE OKEECHOBEE",2017-07-21 11:45:00,EST-5,2017-07-21 11:45:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-80.94,26.96,-80.94,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A marine thunderstorm wind gust of 42 mph / 37 knots was reported by the SFWMD mesonet site L005 located over the western end of Lake Okeechobee." +119336,716458,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"JUPITER INLET TO DEERFIELD BEACH FL OUT 20NM",2017-07-21 12:12:00,EST-5,2017-07-21 12:12:00,0,0,0,0,0.00K,0,0.00K,0,26.61,-80.03,26.61,-80.03,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A marine thunderstorm wind gust of 39 mph / 34 knots was reported by the C-MAN station LKWF1 located in Lake Worth." +119834,718477,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:56:00,CST-6,2017-08-10 12:56:00,0,0,0,0,2.00K,2000,0.00K,0,39.3526,-100.3352,39.3526,-100.3352,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","The antenna was torn from the house." +119834,718481,KANSAS,2017,August,Thunderstorm Wind,"SHERIDAN",2017-08-10 12:30:00,CST-6,2017-08-10 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4232,-100.5097,39.4232,-100.5097,"Late morning through mid afternoon a couple intense thunderstorms moved southeast ahead of a cold front. The longest lived storm produced a path of wind damage, with estimated wind speeds up to 120 MPH, which destroyed grain bins and outbuildings, and snapped power poles and trees from Thomas to Sheridan and into Gove counties. This same storm also produced wind driven hail up to softball size near St. Peter. The torrential rainfall at Rexford caused a semi to tip over on Highway 83 after the storm had passed through.","Also received 1.90 inches of rainfall in 30 minutes." +120539,722123,KANSAS,2017,January,Ice Storm,"ELK",2017-01-13 14:00:00,CST-6,2017-01-15 05:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across the county ranged from 0.2 inches to near 0.4 inches in the southwest corner." +116286,699756,NORTH DAKOTA,2017,July,Hail,"BARNES",2017-07-04 20:25:00,CST-6,2017-07-04 20:25:00,0,0,0,0,,NaN,,NaN,47.13,-98.33,47.13,-98.33,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699757,NORTH DAKOTA,2017,July,Hail,"BARNES",2017-07-04 20:40:00,CST-6,2017-07-04 20:40:00,0,0,0,0,,NaN,,NaN,47.16,-98,47.16,-98,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail fell near the west end of Lake Astabula and Sibley crossing." +116286,699759,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-04 21:00:00,CST-6,2017-07-04 21:00:00,0,0,0,0,,NaN,,NaN,47.6,-96.99,47.6,-96.99,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699758,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-04 20:45:00,CST-6,2017-07-04 20:45:00,0,0,0,0,,NaN,,NaN,47.59,-97.04,47.59,-97.04,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699761,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-04 21:32:00,CST-6,2017-07-04 21:32:00,0,0,0,0,,NaN,,NaN,47.49,-97.78,47.49,-97.78,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116549,701145,MINNESOTA,2017,July,Hail,"BECKER",2017-07-11 21:15:00,CST-6,2017-07-11 21:15:00,0,0,0,0,,NaN,,NaN,46.76,-95.45,46.76,-95.45,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","There may have been some stones even larger, but it was getting dark." +116549,701146,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 21:16:00,CST-6,2017-07-11 21:16:00,0,0,0,0,,NaN,,NaN,46.43,-95.56,46.43,-95.56,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701147,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 21:35:00,CST-6,2017-07-11 21:35:00,0,0,0,0,,NaN,,NaN,46.61,-95.23,46.61,-95.23,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116549,701148,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 21:45:00,CST-6,2017-07-11 21:45:00,0,0,0,0,,NaN,,NaN,46.65,-96.13,46.65,-96.13,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","" +116898,702949,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:40:00,CST-6,2017-07-21 16:40:00,0,0,0,0,,NaN,,NaN,47.59,-94.76,47.59,-94.76,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Several trees and numerous branches were blown down." +116898,702950,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:40:00,CST-6,2017-07-21 16:40:00,0,0,0,0,,NaN,,NaN,47.58,-94.88,47.58,-94.88,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Several trees were blown down. Some docks, boats, and boat lifts were flipped on Lake Movil." +116690,701713,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CARBON",2017-07-20 17:05:00,EST-5,2017-07-20 17:05:00,0,0,0,0,,NaN,,NaN,41.04,-75.59,41.04,-75.59,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Trees and powerlines downed from thunderstorm winds." +116690,701714,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CARBON",2017-07-20 17:32:00,EST-5,2017-07-20 17:32:00,0,0,0,0,,NaN,,NaN,40.82,-75.67,40.82,-75.67,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Trees and powerlines were taken down from thunderstorm winds." +116690,701715,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-20 17:55:00,EST-5,2017-07-20 17:55:00,0,0,0,0,,NaN,,NaN,40.73,-75.39,40.73,-75.39,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Trees were taken down due to thunderstorm winds." +116690,701716,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-20 18:01:00,EST-5,2017-07-20 18:01:00,0,0,0,0,,NaN,,NaN,40.9,-75.11,40.9,-75.11,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Thunderstorm winds took down trees and wires in Bethel township." +116690,701717,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-20 18:10:00,EST-5,2017-07-20 18:10:00,0,0,0,0,,NaN,,NaN,40.63,-75.37,40.63,-75.37,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Trees and wires downed due to thunderstorm winds in Bethlehem and Hellertown." +116690,701719,PENNSYLVANIA,2017,July,Thunderstorm Wind,"MONROE",2017-07-20 17:15:00,EST-5,2017-07-20 17:15:00,0,0,0,0,,NaN,,NaN,41.09,-75.59,41.09,-75.59,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Several trees downed from thunderstorm winds from Blakeslee westward to Mossey Wood Road." +116690,701720,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CARBON",2017-07-20 17:26:00,EST-5,2017-07-20 17:26:00,0,0,0,0,,NaN,,NaN,41.03,-75.7,41.03,-75.7,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Several trees taken down from thunderstorm winds along route 534 in Hickory run state park." +116690,701729,PENNSYLVANIA,2017,July,Thunderstorm Wind,"NORTHAMPTON",2017-07-20 18:07:00,EST-5,2017-07-20 18:07:00,0,0,0,0,,NaN,,NaN,40.69,-75.22,40.69,-75.22,"A thunderstorm complex moved southeast through the Poconos and Lehigh valley producing damaging winds in several locations.","Thunderstorm winds blew down trees and wires in Easton." +116246,701744,PENNSYLVANIA,2017,July,Flash Flood,"LEHIGH",2017-07-01 15:53:00,EST-5,2017-07-01 16:53:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-75.48,40.6202,-75.4766,"Strong to severe thunderstorms developed in the afternoon and evening hours of the 1st ahead of a cold front. Several of the storms produced damaging winds. Heavy rains from the storms did result in some localized flooding.","A minivan was trapped in high water at the intersection of Macarthur and Mickley roads." +117046,704120,MARYLAND,2017,July,Flood,"CECIL",2017-07-24 05:45:00,EST-5,2017-07-24 06:45:00,0,0,0,0,0.00K,0,0.00K,0,39.6077,-75.8245,39.6111,-75.8118,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Portions of Delaware Ave closed due to flooding." +118002,709396,MARYLAND,2017,July,Flood,"ST. MARY'S",2017-07-06 14:03:00,EST-5,2017-07-06 17:56:00,0,0,0,0,0.00K,0,0.00K,0,38.24,-76.5,38.2355,-76.4948,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","The stream gauge on St Marys River at Great Mills reached their flood stage of 6 feet. It peaked at 6.77 feet at 16:00 EST. Flat Iron Road began to flood with water in some yards in Great Mills." +118013,709531,WEST VIRGINIA,2017,July,Flood,"BERKELEY",2017-07-29 02:58:00,EST-5,2017-07-29 04:49:00,0,0,0,0,0.00K,0,0.00K,0,39.3388,-78.0536,39.3368,-78.0538,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Mill Creek at Bunker Hill reached their flood stage of 4.3 feet. It peaked at 4.54 feet at 3:45 EST. Henshaw Road was flooded under Interstate 81." +118013,709532,WEST VIRGINIA,2017,July,Flood,"BERKELEY",2017-07-29 07:30:00,EST-5,2017-07-29 23:02:00,0,0,0,0,0.00K,0,0.00K,0,39.4482,-77.9263,39.4235,-77.9269,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Opequon Creek at Martinsburg reached their flood stage of 10 feet. It peaked at 13.3 feet at 17:00 EST. The creek was well out of its banks with lowlands nearby flooded. Golf Course Road/County Road 36 is flooded and some residents may need to move items to higher ground. Several other roads are flooded, including Grapevine Road, Douglas Grove Road, and Paynes Ford Road. Backwater flooding is occurring on small tributaries, including Tuscarora Creek." +118013,709555,WEST VIRGINIA,2017,July,Flood,"MINERAL",2017-07-28 22:23:00,EST-5,2017-07-29 00:35:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-79.18,39.3898,-79.191,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on North Branch Potomac River at Kitzmiller reached their flood stage 9 feet. It peaked at 9.35 feet at 23:00 EST. Low lying areas near the river around Kitzmiller began to flood." +118463,713367,VIRGINIA,2017,July,Thunderstorm Wind,"HARRISONBURG (C)",2017-07-21 14:11:00,EST-5,2017-07-21 14:11:00,0,0,0,0,,NaN,,NaN,38.4367,-78.874,38.4367,-78.874,"A couple storms produced locally damaging wind gusts due to an unstable atmosphere.","Several large tree limbs were down blocking Burgess Road near East Market Street." +118463,713368,VIRGINIA,2017,July,Thunderstorm Wind,"SHENANDOAH",2017-07-21 14:23:00,EST-5,2017-07-21 14:23:00,0,0,0,0,,NaN,,NaN,38.7115,-78.6475,38.7115,-78.6475,"A couple storms produced locally damaging wind gusts due to an unstable atmosphere.","A tree was down near the intersection of Old Valley Pike and Moreland Gap Road." +118450,713374,MARYLAND,2017,July,Flood,"PRINCE GEORGE'S",2017-07-24 00:00:00,EST-5,2017-07-24 01:30:00,0,0,0,0,0.00K,0,0.00K,0,38.9801,-76.9385,38.98,-76.9376,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","Flooding was reported on Route 1 in College Park near Knox Road." +118014,713375,MARYLAND,2017,July,Flood,"MONTGOMERY",2017-07-28 13:16:00,EST-5,2017-07-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2522,-77.2294,39.2533,-77.2275,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Kings Valley Road closed at Ridge Road due to high water." +118014,713376,MARYLAND,2017,July,Flood,"MONTGOMERY",2017-07-28 13:16:00,EST-5,2017-07-28 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1833,-77.0656,39.1812,-77.0675,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Brookeville Road flooded and closed at Georgia Avenue due to flooding of Reddy Branch." +118014,713377,MARYLAND,2017,July,Flood,"MONTGOMERY",2017-07-28 17:03:00,EST-5,2017-07-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,38.99,-77.06,38.9873,-77.0528,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Car stranded in one to two feet of flowing water on Beach Drive." +118014,713378,MARYLAND,2017,July,Flood,"PRINCE GEORGE'S",2017-07-28 22:03:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,39.02,-76.93,39.0208,-76.9339,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Two left lanes on Capital Beltway Outer Loop blocked by standing water just west of Route 1." +118016,713380,VIRGINIA,2017,July,Flood,"HARRISONBURG (C)",2017-07-28 15:48:00,EST-5,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.4245,-78.8565,38.4229,-78.8554,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Reservoir Street flooded and closed at Lucy Drive due to high water." +119067,715046,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-14 15:24:00,EST-5,2017-07-14 15:24:00,0,0,0,0,,NaN,,NaN,39.32,-76.25,39.32,-76.25,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust in excess of 46 knots was reported at Tolchester Beach." +119067,715047,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-14 16:29:00,EST-5,2017-07-14 16:29:00,0,0,0,0,,NaN,,NaN,38.97,-76.46,38.97,-76.46,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 38 knots was reported at Greenberry Point." +119067,715048,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-14 16:30:00,EST-5,2017-07-14 16:30:00,0,0,0,0,,NaN,,NaN,39.96,-76.45,39.96,-76.45,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 37 knots was reported at the Annapolis Buoy." +119067,715049,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:35:00,EST-5,2017-07-14 15:49:00,0,0,0,0,,NaN,,NaN,38.83,-77.07,38.83,-77.07,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 35 to 37 knots were reported." +119067,715050,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:36:00,EST-5,2017-07-14 15:54:00,0,0,0,0,,NaN,,NaN,38.86,-77.03,38.86,-77.03,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 37 to 42 knots were reported at Reagan National." +119067,715051,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:39:00,EST-5,2017-07-14 15:39:00,0,0,0,0,,NaN,,NaN,38.83,-77.07,38.83,-77.07,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gusts in excess of 30 knots was reported." +119067,715052,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:40:00,EST-5,2017-07-14 15:45:00,0,0,0,0,,NaN,,NaN,38.8614,-77.0719,38.8614,-77.0719,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 37 to 46 knots were measured." +119067,715053,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:42:00,EST-5,2017-07-14 15:48:00,0,0,0,0,,NaN,,NaN,38.87,-77.02,38.87,-77.02,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported." +116251,701609,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-06 17:00:00,EST-5,2017-07-06 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.38,-75.71,39.379,-75.6961,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Dexter Corner road and Levels road flooded." +116251,701610,DELAWARE,2017,July,Flood,"NEW CASTLE",2017-07-06 18:00:00,EST-5,2017-07-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,39.38,-75.77,39.3841,-75.7694,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Portions of Green Giant Road washed out." +116251,701611,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-06 16:00:00,EST-5,2017-07-06 16:00:00,0,0,0,0,,NaN,,NaN,39.3,-75.61,39.3,-75.61,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Several inches of rain fell in a quick time-span." +116251,701612,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-06 16:04:00,EST-5,2017-07-06 16:04:00,0,0,0,0,,NaN,,NaN,39.45,-75.71,39.45,-75.71,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Several inches of rain fell in a quick time-span." +116251,701613,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,,NaN,,NaN,39.45,-75.71,39.45,-75.71,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Several inches of rain fell in a quick time-span." +116252,699100,MARYLAND,2017,July,Heavy Rain,"CECIL",2017-07-06 16:03:00,EST-5,2017-07-06 16:03:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-75.78,39.42,-75.78,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","Rainfall rates of up to 4 inches per hour." +116383,699863,MONTANA,2017,July,Thunderstorm Wind,"ROSEBUD",2017-07-10 15:54:00,MST-7,2017-07-10 15:54:00,0,0,0,0,0.00K,0,0.00K,0,46.3,-106.7,46.3,-106.7,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116383,699864,MONTANA,2017,July,Thunderstorm Wind,"TREASURE",2017-07-10 15:45:00,MST-7,2017-07-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,46.16,-107.31,46.16,-107.31,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116383,699866,MONTANA,2017,July,Hail,"PARK",2017-07-10 13:31:00,MST-7,2017-07-10 13:31:00,0,0,0,0,0.00K,0,0.00K,0,45.48,-110.57,45.48,-110.57,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","The hail size ranged from pea to ping pong ball size over a 30 minute period. The observer is located at approximately 5000 feet elevation." +116383,699867,MONTANA,2017,July,Hail,"PARK",2017-07-10 12:00:00,MST-7,2017-07-10 12:00:00,0,0,0,0,0.00K,0,0.00K,0,45.02,-109.97,45.02,-109.97,"A strong Pacific cold front swept across the Billings Forecast area during the afternoon and early evening of the 10th. Thunderstorms developed ahead of and along the front. Temperatures ahead of the front were very hot with low dewpoints. As a result, these thunderstorms produced very strong and damaging wind gusts. Although many areas reported strong wind gusts, the only location that reported damage was Miles City in Custer County.||The very strong winds downed power lines across the Miles City area which sparked some grass fires. Power lines fell on one house causing it to catch fire. The house was reported to be totally destroyed. Most of Miles City was without power for a period of time.","" +116645,704638,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"GREAT EGG INLET TO CP MAY NJ OUT 20NM",2017-07-14 16:44:00,EST-5,2017-07-14 16:44:00,0,0,0,0,,NaN,,NaN,38.9945,-74.82,38.9945,-74.82,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","At the south dock Marina." +116645,704639,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-14 16:45:00,EST-5,2017-07-14 16:45:00,0,0,0,0,,NaN,,NaN,38.77,-75.15,38.77,-75.15,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704640,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-14 17:10:00,EST-5,2017-07-14 17:10:00,0,0,0,0,,NaN,,NaN,38.7,-75.07,38.7,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704652,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-14 17:10:00,EST-5,2017-07-14 17:10:00,0,0,0,0,,NaN,,NaN,38.7,-75.07,38.7,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704653,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-14 17:10:00,EST-5,2017-07-14 17:10:00,0,0,0,0,,NaN,,NaN,38.7,-75.07,38.7,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704654,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-14 17:10:00,EST-5,2017-07-14 17:10:00,0,0,0,0,,NaN,,NaN,38.7,-75.07,38.7,-75.07,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Measured gust." +116645,704683,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-14 19:54:00,EST-5,2017-07-14 19:54:00,0,0,0,0,,NaN,,NaN,39.2539,-75.3278,39.2539,-75.3278,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Exceeded 34 knots at 8:48 pm." +116645,704689,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-14 17:15:00,EST-5,2017-07-14 17:15:00,0,0,0,0,,NaN,,NaN,39.0237,-75.3113,39.0237,-75.3113,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast over Delaware Bay and the offshore waters. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Near Brandywine." +117024,703849,ARKANSAS,2017,July,Heat,"LITTLE RIVER",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117024,703851,ARKANSAS,2017,July,Heat,"SEVIER",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117024,703852,ARKANSAS,2017,July,Heat,"HOWARD",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117024,703854,ARKANSAS,2017,July,Heat,"HEMPSTEAD",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117024,703858,ARKANSAS,2017,July,Heat,"NEVADA",2017-07-19 20:15:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-23rd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-109 degrees each day.","" +117023,703848,ARKANSAS,2017,July,Heat,"MILLER",2017-07-19 20:15:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 20th-22nd, resulting in high temperatures each day climbing into the mid 90s across Miller County Arkansas. When combined with the high humidity, heat indices climbed to near 105 degrees each day.","" +117022,703845,ARKANSAS,2017,July,Heat,"LAFAYETTE",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117049,704201,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-29 07:50:00,EST-5,2017-07-29 07:50:00,0,0,0,0,,NaN,,NaN,39.39,-75.69,39.39,-75.69,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two and a half inches of rain fell." +117049,704203,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:51:00,EST-5,2017-07-29 07:51:00,0,0,0,0,,NaN,,NaN,38.65,-75.62,38.65,-75.62,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Almost five inches of rain fell at this DEOS site." +117049,704204,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:52:00,EST-5,2017-07-29 07:52:00,0,0,0,0,,NaN,,NaN,38.72,-75.28,38.72,-75.28,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Three and a half inches of rain fell at this DEOS site." +117049,704205,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:52:00,EST-5,2017-07-29 07:52:00,0,0,0,0,,NaN,,NaN,38.74,-75.6,38.74,-75.6,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four inches of rain fell at this DEOS site." +117049,704206,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:52:00,EST-5,2017-07-29 07:52:00,0,0,0,0,,NaN,,NaN,38.81,-75.42,38.81,-75.42,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over four and a half inches of rain fell at this DEOS site." +117049,704207,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:53:00,EST-5,2017-07-29 07:53:00,0,0,0,0,,NaN,,NaN,38.72,-75.08,38.72,-75.08,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just under four inches of rain fell at this DEOS site." +117049,704208,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:53:00,EST-5,2017-07-29 07:53:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-75.15,38.78,-75.15,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just under four inches of rain fell at this DEOS site." +117049,704210,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:54:00,EST-5,2017-07-29 07:54:00,0,0,0,0,,NaN,,NaN,38.54,-75.07,38.54,-75.07,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell at this DEOS site." +117049,704211,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:54:00,EST-5,2017-07-29 07:54:00,0,0,0,0,,NaN,,NaN,38.64,-75.34,38.64,-75.34,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over three inches of rain fell at this DEOS site." +117049,704213,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 07:58:00,EST-5,2017-07-29 07:58:00,0,0,0,0,0.00K,0,0.00K,0,38.92,-75.57,38.92,-75.57,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just under five inches of rain fell at this DEOS." +116649,703994,PENNSYLVANIA,2017,July,Flood,"BERKS",2017-07-13 18:45:00,EST-5,2017-07-14 20:25:00,0,0,0,0,0.00K,0,0.00K,0,40.3699,-75.9212,40.3703,-75.9192,"A hot and humid airmass was present ahead of a frontal boundary which slowly moved southeast toward and then through the state. Several rounds of thunderstorms moved through the region ahead of this front over the course of a few days.","Part of the intersection of Madison and Jefferson was flooded." +117046,704123,MARYLAND,2017,July,Tornado,"QUEEN ANNE'S",2017-07-24 00:23:00,EST-5,2017-07-24 00:27:00,1,0,0,0,,NaN,,NaN,38.9637,-76.3485,38.9778,-76.3104,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","A waterspout developed over the Chesapeake Bay between Annapolis|and Stevensville, Maryland just south of the Chesapeake Bay|Bridge as estimated by radar velocity from the Baltimore-|Washington Airport Terminal Doppler Weather Radar. The waterspout |moved ashore at 129 AM in the Bay City Area of Kent Island and |then traveled northeast toward Stevensville, Maryland where it |lifted at 133 AM after being on the ground for about 2 miles.||Maximum winds were estimated at 125 mph which makes this an EF2|tornado. Several wood framed townhomes had the upper floors |entirely lifted off along with the roof; several other homes had |either roofs lifted off and tossed or received other damage. One |business was destroyed. There was one injury to a person who was |punctured by debris. In addition, there were trees and power|lines down and some gas leaks were reported along with a |structure fire to a home.||The damage path began on Bayside Drive near Bay City and Stafford|roads in Bay City. A boat was lifted inland from shore and several|trees were snapped or downed from the tornado. Additional trees|were uprooted and torn apart on Buckingham and MC Kay roads. The|tornado make a S like motion back to the northwest completely |destroying a home at the intersection of Zaidee and Chenowith |drives. A large amount of debris was thrown southeast of the |tornado path. The tornado then resumed a northeast movement and |damaged a roof and snapped trees at the intersection of Victoria |Drive and Irene way. Further northwest on route 8, a produce |stand was destroyed.|||The tornado briefly lifted before impacting a series of townhomes|near Kent Manor drive and Ellendale Blvd. Several townhomes were|destroyed entirely. Also, Several of the townhomes had sides of|the structures blown out. The tornado skipped again then damaged|some roofs near Creekside Commons CT and Butterworth CT. A roof|was torn off of a church along Thompson Creek Rd in addition to |destroying a warehouse. Trees were also downed and uprooted at |this location as well. The tornado skipped one last time across |route 50 and made a final touchdown in the Stevensville Cemetery.|Several trees were downed along with wires down. Metal power |poles were also blown off their foundations on route 18." +117142,704719,NEW MEXICO,2017,July,Thunderstorm Wind,"UNION",2017-07-26 16:40:00,MST-7,2017-07-26 16:42:00,0,0,0,0,0.00K,0,0.00K,0,36.27,-103.33,36.27,-103.33,"Upper level high pressure over the Four Corners region generated northwest flow aloft across eastern New Mexico. Deep low level southeasterly flow into the east slopes of the Sangre de Cristo Mountains and afternoon heating allowed showers and thunderstorms to develop then move southeast into the high plains. An isolated thunderstorm moving across Union County produced strong outflow wind gusts on it's leading edge. A spotter in the area between Clayton and Sedan reported a peak wind gust to 58 mph. No damage occurred.","A peak wind gust up to 58 mph was reported 14 miles northwest of Sedan. No damage occurred." +116195,698529,GULF OF MEXICO,2017,July,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-01 08:58:00,EST-5,2017-07-01 09:03:00,0,0,0,0,0.00K,0,0.00K,0,27.253,-82.755,27.276,-82.754,"Morning showers and thunderstorms formed over the eastern Gulf of Mexico under deep moisture. One of these showers developed a waterspout that was spotted off of Siesta Key.","A spotter reported a waterspout off Siesta Key." +116693,701746,GULF OF MEXICO,2017,July,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-08 08:02:00,EST-5,2017-07-08 08:05:00,0,0,0,0,0.00K,0,0.00K,0,27.44,-82.71,27.44,-82.71,"Early morning showers and thunderstorms developed over the waters of the eastern Gulf of Mexico. A brief waterspout developed in associated with the convective activity.","A local TV station relayed a report they received of a waterspout off of Longboat Key." +116346,699610,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-10 18:07:00,EST-5,2017-07-10 18:07:00,0,0,0,0,0.50K,500,0.00K,0,39.38,-80.35,39.38,-80.35,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A large chestnut tree was blown down." +116346,699611,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-10 18:18:00,EST-5,2017-07-10 18:18:00,0,0,0,0,2.00K,2000,0.00K,0,39.41,-80.3,39.41,-80.3,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple trees were uprooted along Matson Run Road between Shinnston and Pine Bluff." +116346,699612,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-10 18:04:00,EST-5,2017-07-10 18:04:00,0,0,0,0,8.00K,8000,0.00K,0,39.29,-80.44,39.29,-80.44,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Multiple trees fell down in Reynoldsville. One fell onto a car." +116346,699613,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-10 18:19:00,EST-5,2017-07-10 18:19:00,0,0,0,0,2.00K,2000,0.00K,0,39.32,-80.21,39.32,-80.21,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","A tree was blown down and took down power lines along Corbin Branch Road." +116346,699614,WEST VIRGINIA,2017,July,Thunderstorm Wind,"HARRISON",2017-07-10 17:45:00,EST-5,2017-07-10 17:45:00,0,0,0,0,4.00K,4000,0.00K,0,39.21,-80.4,39.21,-80.4,"Showers and thunderstorms formed along a warm front lifting through the middle Ohio River Valley and Central Appalachians on the 10th. A turn in the low level winds along the front lead to rotating thunderstorms which produced several swaths of damaging winds along the US 50 corridor.","Several trees, limbs and power lines were downed." +116850,703116,WEST VIRGINIA,2017,July,Thunderstorm Wind,"LEWIS",2017-07-22 16:27:00,EST-5,2017-07-22 16:27:00,0,0,0,0,2.00K,2000,0.00K,0,39.04,-80.65,39.04,-80.65,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","A few trees were blown down in Weston." +116850,703108,WEST VIRGINIA,2017,July,Thunderstorm Wind,"UPSHUR",2017-07-22 18:15:00,EST-5,2017-07-22 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,38.84,-80.29,38.84,-80.29,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Power also went out as the thunderstorm passed." +116911,704974,MONTANA,2017,July,Hail,"CARTER",2017-07-18 16:23:00,MST-7,2017-07-18 16:23:00,0,0,0,0,0.00K,0,0.00K,0,45.48,-104.49,45.48,-104.49,"A thunderstorm developed over Custer County and quickly became a supercell after it moved southeast into Carter County. Large hail and very strong winds resulted in extensive crop damage. One home sustained broken windows due to wind driven hail.","" +116905,703007,MONTANA,2017,July,Thunderstorm Wind,"PARK",2017-07-16 19:00:00,MST-7,2017-07-16 19:00:00,0,0,0,0,0.00K,0,0.00K,0,45.69,-110.5,45.69,-110.5,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703008,MONTANA,2017,July,Thunderstorm Wind,"PARK",2017-07-16 18:55:00,MST-7,2017-07-16 18:55:00,0,0,0,0,0.00K,0,0.00K,0,45.7,-110.45,45.7,-110.45,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703011,MONTANA,2017,July,Thunderstorm Wind,"CARTER",2017-07-16 18:53:00,MST-7,2017-07-16 18:53:00,0,0,0,0,0.00K,0,0.00K,0,45.88,-104.09,45.88,-104.09,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703013,MONTANA,2017,July,Thunderstorm Wind,"ROSEBUD",2017-07-16 17:15:00,MST-7,2017-07-16 17:15:00,0,0,0,0,0.00K,0,0.00K,0,46.83,-106.27,46.83,-106.27,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703016,MONTANA,2017,July,Thunderstorm Wind,"YELLOWSTONE",2017-07-16 14:06:00,MST-7,2017-07-16 14:06:00,0,0,0,0,0.00K,0,0.00K,0,45.8,-108.54,45.8,-108.54,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703021,MONTANA,2017,July,Thunderstorm Wind,"STILLWATER",2017-07-16 13:35:00,MST-7,2017-07-16 13:35:00,0,0,0,0,0.00K,0,0.00K,0,45.78,-108.97,45.78,-108.97,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +116905,703023,MONTANA,2017,July,Hail,"PARK",2017-07-16 13:11:00,MST-7,2017-07-16 13:11:00,0,0,0,0,0.00K,0,0.00K,0,45.28,-110.51,45.28,-110.51,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","" +117507,706729,INDIANA,2017,July,Excessive Heat,"POSEY",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117507,706731,INDIANA,2017,July,Excessive Heat,"VANDERBURGH",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117507,706730,INDIANA,2017,July,Excessive Heat,"SPENCER",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117507,706732,INDIANA,2017,July,Excessive Heat,"WARRICK",2017-07-19 12:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 19th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices during the heat wave were near 105 degrees on the 19th and 20th, near 110 degrees on the 21st, and 105 to 110 degrees on the 22nd. Actual air temperatures reached the mid to upper 90's each afternoon. Overnight lows were mostly in the mid 70's.","" +117510,706758,KENTUCKY,2017,July,Excessive Heat,"TODD",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706760,KENTUCKY,2017,July,Excessive Heat,"TRIGG",2017-07-21 11:00:00,CST-6,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117510,706761,KENTUCKY,2017,July,Excessive Heat,"UNION",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117637,709152,NEW YORK,2017,July,Flash Flood,"TOMPKINS",2017-07-13 12:55:00,EST-5,2017-07-13 13:30:00,0,0,0,0,10.00K,10000,0.00K,0,42.633,-76.311,42.632,-76.219,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Flooding damaged and closed portions of Route 41 and 41A." +117638,709348,NEW YORK,2017,July,Flash Flood,"BROOME",2017-07-14 17:55:00,EST-5,2017-07-14 19:05:00,0,0,0,0,25.00K,25000,0.00K,0,42.1154,-75.9399,42.1095,-75.8898,"A warm front began advancing across Central New York by early in the afternoon. This feature triggered numerous rounds of heavy rain producing thunderstorms from the southern Finger Lakes through the Southern Tier of NY. Localized rainfall amounts were estimated to exceed 3 inches across southern Cortland county. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Flash flooding led to deep flooding on numerous roads and streets within the City and Town of Binghamton. Water was waist deep on Vestal Ave, stranding several people in their vehicles." +117637,709161,NEW YORK,2017,July,Flash Flood,"CORTLAND",2017-07-13 13:04:00,EST-5,2017-07-13 13:40:00,0,0,0,0,6.00K,6000,0.00K,0,42.7295,-76.1612,42.7274,-76.1248,"A stationary front along the southern periphery of the polar jet stream remained resident across Central New York for much of the day. This feature triggered numerous rounds of heavy rain producing thunderstorms across the region. Rainfall amounts totaled between 1 to 3 inches with isolated areas nearing 4 inches. Several storms moved over the same locations, contributing to areas of urban and small stream flash flooding.","Water was rapidly flowing across the intersection of Preble Road and U.S. Route 11. Minor flooding was elsewhere in, and near, the Village of Preble." +117641,707449,FLORIDA,2017,July,Heavy Rain,"FLAGLER",2017-07-01 13:00:00,EST-5,2017-07-01 13:30:00,0,0,0,0,0.00K,0,0.00K,0,29.57,-81.21,29.57,-81.21,"Slow SW storm motion and a highly saturated airmass with PWAT values near 2 inches created very heavy rainfall in afternoon showers and storms that formed along the sea breezes and outflows.","In 30 minutes, a spotter measured 2.4 inches of rainfall." +117648,707460,FLORIDA,2017,July,Lightning,"DUVAL",2017-07-07 18:30:00,EST-5,2017-07-07 18:30:00,0,0,0,0,100.00K,100000,0.00K,0,30.18,-81.6,30.18,-81.6,"Limited moisture continued slightly lower than normal rain chances. Sea breezes storms produced a lightning strike over Marion county that caused a structure fire.","Lightning caused a house fire along Rocky Garden Lane in Mandarin. Both occupants escaped. There was extensive damage inside the home; the cost was unknown but estimated so the event could be included in Storm Data." +117170,704786,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-18 16:25:00,MST-7,2017-07-18 16:25:00,0,0,0,0,0.00K,0,0.00K,0,44.1379,-103.57,44.1379,-103.57,"A severe thunderstorm over the central Black Hills produced wind gusts to 60 mph north of Silver City.","The spotter estimated wind gusts at 60 mph." +117824,708258,CALIFORNIA,2017,July,Heat,"SE S.J. VALLEY",2017-07-08 10:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 105 and 110 degrees at several locations on July 8 and and July 9." +117824,708260,CALIFORNIA,2017,July,Heat,"SE KERN CTY DESERT",2017-07-07 12:00:00,PST-8,2017-07-09 22:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large area of high pressure centered over the Great Basin provided the area with much warmer than normal temperatures between July 7 and July 9. Highs topped 105 degrees across much of the San Joaquin Valley during this period and were between 110 and 115 degrees across the Kern County Deserts. Several locations in these area remained above 80 degrees on the morning of July 8. A Heat Advisory was posted for the central and south San Joaquin Valley for July 7 which was upgraded to an Excessive Heat Warning for July 8 and 9. An Excessive Heat Warning was also in effect for the Kern County Deserts from July 7 through July 9.","High temperatures were between 110 and 115 degrees at several locations from July 7 through July 9." +117796,708143,ARIZONA,2017,July,Thunderstorm Wind,"LA PAZ",2017-07-08 21:00:00,MST-7,2017-07-08 21:00:00,0,0,0,0,10.00K,10000,0.00K,0,33.74,-113.75,33.74,-113.75,"Isolated thunderstorms developed over portions of the southwest Arizona deserts during the afternoon and evening hours on July 7th and due to a favorable combination of extreme solar heating, mid level moisture and instability, some of them were able to generate gusty and damaging outflow winds. Stronger gusts were estimated in excess of 50 mph and while damage from these storms was not excessive, winds were sufficient to blow down a car port roof in the La Paz community of Vicksburg.","Thunderstorms developed over portions of La Paz County during the evening hours on July 8th and some of the stronger storms developed gusty outflow winds estimated to be as high as 60 mph. According to a trained weather spotter located just south of Vicksburg, outflow winds blew down and destroyed a car port roof at about 2100MST. A Severe Thunderstorm Warning was in effect for the area at the time and it was issued at 2057MST." +116497,700588,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BEAUFORT",2017-07-06 20:05:00,EST-5,2017-07-06 20:05:00,0,0,0,0,0.00K,0,0.00K,0,35.6095,-77.0448,35.6095,-77.0448,"A mid-level disturbance crossing North Carolina from west to east, combined with a weak surface thermal trough and a very moist and unstable atmosphere, led to a few severe thunderstorms across Eastern NC.","Beaufort County DOT reported a tree down across Calf Branch Road." +118040,709587,NORTH CAROLINA,2017,July,Thunderstorm Wind,"DUPLIN",2017-07-15 18:45:00,EST-5,2017-07-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-77.8,34.83,-77.8,"A few thunderstorms became severe and produced localized flash flooding and wind damage.","A 90 foot tall live pine tree was snapped off 20 feet above the ground." +118040,709588,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ONSLOW",2017-07-15 17:22:00,EST-5,2017-07-15 17:22:00,0,0,0,0,0.00K,0,0.00K,0,34.81,-77.35,34.81,-77.35,"A few thunderstorms became severe and produced localized flash flooding and wind damage.","Estimated 60 mile per hour wind gusts and nickel size hail were reported in Kellum on Highway 17." +118086,709713,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-23 19:45:00,MST-7,2017-07-23 19:45:00,0,0,0,0,50.00K,50000,0.00K,0,33.47,-111.97,33.47,-111.97,"Thunderstorms with heavy rain developed across much of south-central Arizona during the evening hours on July 23rd and many of them affected the greater Phoenix metropolitan area, especially the eastern and southeast portion. Heavy rain led to episodes of both urban flooding and flash flooding, impacting communities such as San Tan, Apache Junction, Queen Creek and Casa Grande. Peak rain rates, as observed by a number of trained weather spotters, reached or exceeded 1.5 inches per hour. The heavy rain led to the issuance of multiple Flood Advisory and Flash Flood Warning products for the south-central deserts. Fortunately, no injuries resulted from the more significant flooding episodes. Additionally, one of the storms in the Phoenix area generated gusty damaging microburst winds which blew a tower onto a house just to the northeast of Phoenix Sky Harbor Airport.","Strong thunderstorms developed over portions of the greater Phoenix area during the evening hours on July 23rd and although heavy rain was the primary weather threat, one of the storms did produce strong gusty and damaging outflow winds in the heart of downtown Phoenix. At 1945MST, an amateur radio operator reported that gusty microburst winds, estimated to be as high as 65 mph, blew down a tower. The tower then fell upon a house. This occurred about 3 miles northeast of Phoenix Sky Harbor airport. No injuries were reported." +117428,706165,KENTUCKY,2017,July,Thunderstorm Wind,"BOONE",2017-07-11 13:50:00,EST-5,2017-07-11 13:52:00,0,0,0,0,1.00K,1000,0.00K,0,39.0023,-84.6258,39.0023,-84.6258,"A slow moving frontal boundary combined with a moist environment to produce isolated severe thunderstorms.","A tree fell onto Main Street." +117502,706669,KENTUCKY,2017,July,Thunderstorm Wind,"MASON",2017-07-22 20:36:00,EST-5,2017-07-22 20:38:00,0,0,0,0,1.00K,1000,0.00K,0,38.64,-83.75,38.64,-83.75,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","A tree was downed." +117502,706970,KENTUCKY,2017,July,Flash Flood,"BRACKEN",2017-07-22 23:00:00,EST-5,2017-07-23 02:00:00,0,0,1,0,250.00K,250000,0.00K,0,38.7761,-83.9932,38.7463,-83.9994,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","Five to seven inches of rain produced widespread flash flooding across Bracken County. Two homes were washed away off of Augusta-Minerva Road, killing one man (M82MH). Several other homes in the area sustained damage due to the high water. About 20 boats broke from their moorings on Bracken Creek and were washed into the Ohio River. Several roads across the area also sustained damage due to the rushing water." +116181,698367,OHIO,2017,July,Flood,"ADAMS",2017-07-06 12:25:00,EST-5,2017-07-06 13:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.0203,-83.4401,39.0257,-83.4367,"A low pressure system moved slowly east across the Ohio Valley and produced thunderstorms with locally heavy rainfall during the late morning and afternoon hours.","Several cars were stranded on State Route 73 due to high water." +116292,699364,OHIO,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-07 17:23:00,EST-5,2017-07-07 17:24:00,0,0,0,0,0.00K,0,0.00K,0,39.16,-84.39,39.16,-84.39,"Showers and thunderstorms developed during the day as a cold front moved through the region.","" +116427,700206,OHIO,2017,July,Thunderstorm Wind,"LICKING",2017-07-10 14:43:00,EST-5,2017-07-10 14:45:00,0,0,0,0,2.00K,2000,0.00K,0,40.1,-82.48,40.1,-82.48,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Trees were downed on Welsh Hills Road." +117429,706168,OHIO,2017,July,Flash Flood,"HARDIN",2017-07-13 05:15:00,EST-5,2017-07-13 05:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.72,-83.56,40.7211,-83.5594,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","A vehicle was stranded on State Route 53 between Kenton and Patterson due to high water." +117429,706172,OHIO,2017,July,Flood,"LICKING",2017-07-13 10:45:00,EST-5,2017-07-13 11:15:00,0,0,0,0,0.00K,0,0.00K,0,40.11,-82.7,40.1132,-82.7078,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","High water was reported in several locations along Mink Road." +117429,706170,OHIO,2017,July,Flash Flood,"BUTLER",2017-07-13 08:45:00,EST-5,2017-07-13 09:45:00,0,0,0,0,1.00K,1000,0.00K,0,39.4279,-84.3552,39.4374,-84.3716,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","High water was reported flowing across Mason Avenue and a vehicle was stranded in high water on Bridle Creek Drive." +118016,709526,VIRGINIA,2017,July,Flash Flood,"ALEXANDRIA (C)",2017-07-28 15:01:00,EST-5,2017-07-28 16:27:00,0,0,0,0,0.00K,0,0.00K,0,38.8064,-77.1142,38.8018,-77.0847,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Cameron Run at Alexandria/Eisenhower exceeded the flood stage of 8 feet. It peaked at 8.25 feet at 16:23 EST. Water overflowed the banks on both sides of Cameron Run upstream of the railroad culverts." +118016,709527,VIRGINIA,2017,July,Flash Flood,"ALEXANDRIA (C)",2017-07-29 00:27:00,EST-5,2017-07-29 01:01:00,0,0,0,0,0.00K,0,0.00K,0,38.8077,-77.1132,38.8037,-77.1081,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Cameron Run at Alexandria/Eisenhower exceeded the flood stage of 8 feet. It peaked at 8.20 feet at 01:01 EST. Water overflowed the banks on both sides of Cameron Run upstream of the railroad culverts." +118016,709530,VIRGINIA,2017,July,Flood,"LOUDOUN",2017-07-29 06:30:00,EST-5,2017-07-29 10:28:00,0,0,0,0,0.00K,0,0.00K,0,39.19,-77.62,39.1839,-77.6266,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on South Fork Catoctin Creek at Waterford exceeded the flood stage of 8 feet. It peaked at 8.44 feet at 09:00 EST. Lowland fields near the creek flooded." +118015,711814,DISTRICT OF COLUMBIA,2017,July,Flash Flood,"DISTRICT OF COLUMBIA",2017-07-28 11:45:00,EST-5,2017-07-28 14:45:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-77.04,38.9597,-77.0415,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Beach Drive was closed in the vicinity of Military Road due to flash flooding of Rock Creek. Joyce Road was also flooded in the same area." +118015,709534,DISTRICT OF COLUMBIA,2017,July,Flood,"DISTRICT OF COLUMBIA",2017-07-28 17:45:00,EST-5,2017-07-29 07:40:00,0,0,0,0,0.00K,0,0.00K,0,38.97,-77.04,38.9574,-77.0392,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Rock Creek at Rock Creek/Sherrill Drive exceeded the flood stage of 7 feet. It peaked at 8.36 feet at 23:30 EST. Water reached several portions of the Valley Trail between Picnic Areas 7 and 10 in Rock Creek Park." +118014,709548,MARYLAND,2017,July,Flood,"HOWARD",2017-07-29 00:59:00,EST-5,2017-07-29 06:24:00,0,0,0,0,0.00K,0,0.00K,0,39.13,-76.82,39.1217,-76.8016,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Little Patuxent River at Savage exceeded the flood stage of 10 feet. It peaked at 13.56 feet at 03:15 EST. Riverside trails began to flood. Water also approached fields off Bald Eagle Drive and approached Brock Bridge Road." +120539,722140,KANSAS,2017,January,Ice Storm,"LINCOLN",2017-01-15 08:00:00,CST-6,2017-01-16 10:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations around the county were up to 0.5 inches." +117803,709094,MISSISSIPPI,2017,July,Flash Flood,"LAMAR",2017-07-24 14:00:00,CST-6,2017-07-24 16:00:00,0,0,0,0,4.00K,4000,0.00K,0,31.104,-89.514,31.0926,-89.5156,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water was over Entrekin Road." +117803,709096,MISSISSIPPI,2017,July,Flash Flood,"FORREST",2017-07-24 14:00:00,CST-6,2017-07-24 16:00:00,0,0,0,0,7.00K,7000,0.00K,0,30.8999,-89.2694,30.9192,-89.3128,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water was over Red Creek and Mary Sollie roads." +117803,708185,MISSISSIPPI,2017,July,Funnel Cloud,"SUNFLOWER",2017-07-24 15:14:00,CST-6,2017-07-24 15:14:00,0,0,0,0,0.00K,0,0.00K,0,33.68,-90.63,33.68,-90.63,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","There were multiple pictures of a funnel cloud." +118636,712790,TENNESSEE,2017,July,Heat,"GIBSON",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118636,712794,TENNESSEE,2017,July,Heat,"FAYETTE",2017-07-25 12:00:00,CST-6,2017-07-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118682,712965,TEXAS,2017,July,Hail,"LIPSCOMB",2017-07-03 16:02:00,CST-6,2017-07-03 16:02:00,0,0,0,0,0.00K,0,0.00K,0,36.4,-100.38,36.4,-100.38,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +118682,712966,TEXAS,2017,July,Hail,"DEAF SMITH",2017-07-03 16:21:00,CST-6,2017-07-03 16:21:00,0,0,0,0,0.00K,0,0.00K,0,34.83,-102.81,34.83,-102.81,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +118682,712967,TEXAS,2017,July,Thunderstorm Wind,"LIPSCOMB",2017-07-03 16:40:00,CST-6,2017-07-03 16:40:00,0,0,0,0,0.00K,0,0.00K,0,36.23,-100.27,36.23,-100.27,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Estimated 60 MPH wind gust." +118682,712969,TEXAS,2017,July,Hail,"OCHILTREE",2017-07-03 17:16:00,CST-6,2017-07-03 17:16:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-100.56,36.1,-100.56,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Facebook report of golf ball size hail." +116842,702798,TENNESSEE,2017,July,Hail,"WILSON",2017-07-23 17:49:00,CST-6,2017-07-23 17:49:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-86.13,36.1,-86.13,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","Facebook photos showed hail up to quarter size fell in Watertown." +116842,702800,TENNESSEE,2017,July,Thunderstorm Wind,"SMITH",2017-07-23 17:13:00,CST-6,2017-07-23 17:13:00,0,0,0,0,3.00K,3000,0.00K,0,36.254,-86.0427,36.254,-86.0427,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","A tSpotter Twitter report indicated trees were blown down with power outages in Popes Hill." +116842,702801,TENNESSEE,2017,July,Thunderstorm Wind,"DAVIDSON",2017-07-23 16:41:00,CST-6,2017-07-23 16:41:00,0,0,0,0,1.00K,1000,0.00K,0,36.0731,-86.9463,36.0731,-86.9463,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","A tSpotter Twitter report indicated a tree was blown down and blocked Sawyer Brown Road in Bellevue." +116842,702802,TENNESSEE,2017,July,Thunderstorm Wind,"SMITH",2017-07-23 17:28:00,CST-6,2017-07-23 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.19,-85.95,36.1678,-85.9416,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","Facebook and tSpotter Twitter reports indicated a downburst caused wind damage across Gordonsville. A power pole was knocked down on Gordonsville Highway about a half mile north of I-40. Trees were blown down on Main Street and at Ivy Agee Park on Agee Drive, and a tree fell onto a car in the Ivy Agee neighborhood." +116842,702803,TENNESSEE,2017,July,Thunderstorm Wind,"SMITH",2017-07-23 17:05:00,CST-6,2017-07-23 17:05:00,0,0,0,0,1.00K,1000,0.00K,0,36.27,-86.07,36.27,-86.07,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","A tSpotter Twitter report indicated a large tree was blown down across Highway 70 in Rome." +116842,702805,TENNESSEE,2017,July,Thunderstorm Wind,"SMITH",2017-07-23 17:34:00,CST-6,2017-07-23 17:34:00,0,0,0,0,2.00K,2000,0.00K,0,36.15,-85.93,36.15,-85.93,"Scattered strong to severe thunderstorms developed in northern Middle Tennessee during the afternoon hours on July 23, then moved southeast into the evening. Several reports of wind damage and one report of large hail were received.","A Facebook report indicated trees were blown down across a roadway in Hickman." +116837,702604,TENNESSEE,2017,July,Thunderstorm Wind,"WILSON",2017-07-03 11:11:00,CST-6,2017-07-03 11:11:00,0,0,0,0,2.00K,2000,0.00K,0,36.2036,-86.5726,36.2036,-86.5726,"Numerous showers and thunderstorms spread across Middle Tennessee during the late morning and afternoon hours on July 3. A few reports of wind damage and flooding were received.","A tree and a power line were blown down on Dunedin Drive at Dunn Court." +116574,701051,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2064,-98.2192,40.2064,-98.2192,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.35 inches was measured." +116574,701052,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.29,-98.1,40.29,-98.1,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.41 inches was measured." +116574,701053,NEBRASKA,2017,July,Heavy Rain,"DAWSON",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.78,-99.77,40.78,-99.77,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.45 inches was measured." +116574,701054,NEBRASKA,2017,July,Heavy Rain,"FRANKLIN",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-98.73,40.3,-98.73,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.46 inches was measured." +116574,701055,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2,-98.07,40.2,-98.07,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.83 inches was measured." +116574,701056,NEBRASKA,2017,July,Heavy Rain,"KEARNEY",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.36,-98.95,40.36,-98.95,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 3.91 inches was measured." +116574,701057,NEBRASKA,2017,July,Heavy Rain,"NUCKOLLS",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-97.87,40.15,-97.87,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.00 inches was measured." +118122,709865,VIRGINIA,2017,July,Flash Flood,"GREENE",2017-07-05 09:58:00,EST-5,2017-07-05 12:29:00,0,0,0,0,0.00K,0,0.00K,0,38.3332,-78.4469,38.3329,-78.4462,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","The bridge on Route 637 over South River was underwater." +118406,711588,NEW YORK,2017,July,Flash Flood,"SARATOGA",2017-07-17 17:35:00,EST-5,2017-07-17 22:00:00,0,0,0,0,0.00K,0,0.00K,0,42.9255,-73.7529,42.9231,-73.7272,"A slow-moving upper level trough brought several rounds of showers and thunderstorms to portions of eastern New York on July 17. Over 4,000 people lost power in Saratoga County due to strong winds and lightning. Road closures due to flash flooding also occurred in Saratoga County where two to four inches of rain occurred. Large hail was reported in Hamilton County.","Route 67 was closed between Farley Road and Sawmill Hill Road due to flooding." +118000,709386,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-06 12:18:00,EST-5,2017-07-06 22:00:00,0,0,0,0,0.00K,0,0.00K,0,38.725,-77.5231,38.7479,-77.5383,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","The stream gauge on Broad Run at Bristow exceeded flood stage. It peaked at 12.06 feet at 18:00 EST. Piper Lane was flooded near Manassas Airport. Trails near the stream were also flooded." +118788,713592,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-26 18:00:00,CST-6,2017-07-26 18:00:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-101.99,35.27,-101.99,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","Estimated 60 MPH gust." +118784,713584,TEXAS,2017,July,Thunderstorm Wind,"RANDALL",2017-07-04 21:33:00,CST-6,2017-07-04 21:33:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-101.88,34.94,-101.88,"A series of residual boundaries were across the Panhandles due to a series of convection over the past 48 hours leading up to this event. Upper levels indicated a trough moving SE out of the high terrain to the west with good omega values along the upper level perturbations as they ejected into the Panhandles region. With a high CAPE, low shear environment with storm motion parallel to the flow, multi-cell complex were the main storm development with damaging winds the main threat as generated from the outflow of storms and the down-burst within the embedded cells.. Diurnally driven storms diminished in coverage late on the 4th.","Late report of 60 to 70 MPH winds. Time estimated by radar." +118788,713593,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-26 18:26:00,CST-6,2017-07-26 18:26:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.83,35.2,-101.83,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","" +118788,713594,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-26 18:30:00,CST-6,2017-07-26 18:30:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-101.84,35.2,-101.84,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","Four trees blown down at this location in downtown Amarillo." +118787,713589,OKLAHOMA,2017,July,Thunderstorm Wind,"BEAVER",2017-07-26 16:30:00,CST-6,2017-07-26 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.54,-100.25,36.54,-100.25,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","Ten power poles blown down and a center pivot irrigation system was overturned." +119930,718756,PUERTO RICO,2017,August,Rip Current,"NORTHWEST",2017-08-03 19:00:00,AST-4,2017-08-04 22:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A tropical wave moving across the region created hazardous marine conditions as well as a high rip current risk.","A 19 year old male swept away by rip currents and corpse found at Pozo Teodoro Isabela. Information confirmed by OMME Isabela." +120282,720697,CALIFORNIA,2017,August,Thunderstorm Wind,"RIVERSIDE",2017-08-31 14:40:00,PST-8,2017-08-31 15:10:00,0,0,0,0,20.00K,20000,,NaN,33.8241,-117.4594,33.9065,-117.4929,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","Strong downburst winds damages roofs and a deck at a mobile home park in Home Gardens." +120282,720727,CALIFORNIA,2017,August,Lightning,"SAN BERNARDINO",2017-08-31 18:00:00,PST-8,2017-08-31 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,34.0728,-117.3143,34.0728,-117.3143,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","A lightning strike damaged a critical power transformer in Colton, cutting power to 95% of the city. An estimated 50,000 customers lost power. Area schools closed due to a lack of power that lingered into the following day." +120282,720733,CALIFORNIA,2017,August,Flash Flood,"RIVERSIDE",2017-08-31 15:30:00,PST-8,2017-08-31 16:30:00,0,0,0,0,20.00K,20000,0.00K,0,34.0051,-117.3734,34.0083,-117.3555,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","Multiple vehicle stalled on Interstate 215 and Highway 60 due to flooding of lanes." +120282,720734,CALIFORNIA,2017,August,Flood,"RIVERSIDE",2017-08-31 15:30:00,PST-8,2017-08-31 16:30:00,0,0,0,0,0.00K,0,0.00K,0,34.0233,-117.5162,34.0127,-117.5107,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","Lanes #3 and #4 of Highway 60 flooded with 1 foot of water." +116820,703572,TEXAS,2017,June,Hail,"HOWARD",2017-06-14 19:20:00,CST-6,2017-06-14 19:25:00,0,0,0,0,,NaN,,NaN,32.424,-101.5396,32.424,-101.5396,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +118976,714623,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"BARNWELL",2017-07-20 16:44:00,EST-5,2017-07-20 16:45:00,0,0,0,0,,NaN,,NaN,33.32,-81.26,33.32,-81.26,"Daytime heating allowed isolated severe thunderstorms to develop.","Barnwell Co dispatch reported trees down on power lines on Hwy 304 outside of Blackville." +118979,714637,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 08:25:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.58,-86.95,34.5867,-86.9501,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","At least 8 inches of water was reported over the road on 11th Street." +118979,714639,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 08:25:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-86.95,34.5862,-86.9539,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","At least 8 inches of water reported over the road on 8th Street." +118979,714641,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 08:32:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-86.96,34.5732,-86.9729,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","At least 6 inches of water reported over portions of Stratford Road SE. Portions of the road barricaded." +118979,714643,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 08:32:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.58,-86.95,34.5803,-86.952,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","At least 6 inches of water over the roadway and portions of Dogwood Lane SE and Elliott Streets Barricaded." +118979,714644,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 08:32:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-86.98,34.6085,-86.9816,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","More than 6 inches of water and barricaded roads reported on Church Street and 6th Avenue." +118979,714646,ALABAMA,2017,July,Flash Flood,"MORGAN",2017-07-28 09:05:00,CST-6,2017-07-28 14:00:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-86.98,34.5656,-86.9804,"Slow-moving thunderstorms repeatedly trained over the same locations in Decatur. Several reports all along 6th Avenue and other parts of downtown Decatur indicated about a foot or more of water inundating the road and intersections in a few locations.","Up to a foot of water reported over portions of Knight Street." +116404,700069,NEBRASKA,2017,July,Thunderstorm Wind,"DAWSON",2017-07-12 00:00:00,CST-6,2017-07-12 00:00:00,0,0,0,0,75.00K,75000,250.00K,250000,40.9032,-99.8639,40.9032,-99.8639,"Isolated pockets of severe winds occurred over Dawson County near the end of the day on this Tuesday. Throughout the evening, a few isolated very high-based showers (around 12,000 ft) tried to develop, but quickly dissipated. However, around 10 pm CST, an area composed of several small thunderstorms developed roughly along Highway 183. The greatest number and strongest thunderstorms developed along the border of Dawson and Buffalo Counties. As these storms exited Dawson County into Buffalo County, other storms formed to the west over Dawson County. Subcloud evaporation resulted in small wet microbursts which blew over an irrigation pivot and damaged crops northeast of the town of Cozad, and a measured gust of 63 mph near Sumner. These storms rapidly weakened after producing the severe winds, but other non-severe high-based storms continue to develop nearby.||During the day, a cool front sagged south through Nebraska and into Kansas. High pressure was over the Northern Plains and was building in behind it. In the upper-levels, Nebraska was at the southern fringe of the Westerlies which were low in amplitude across the northern States. There was a modest shortwave trough exiting the Dakota's into Minnesota, but it is unlikely these storms were associated with that trough. Just prior to thunderstorm initiation, temperatures were near 70 with dewpoints near 60. MUCAPE was around 500 J/kg. Deep layer shear was less clear given the high cloud bases, but was estimated to be near 25 kts.","One irrigation pivot was overturned and a couple nearby fields sustained some crop damage." +118850,714041,WISCONSIN,2017,July,Hail,"WAUPACA",2017-07-06 16:30:00,CST-6,2017-07-06 16:30:00,0,0,0,0,0.00K,0,0.00K,0,44.34,-89.06,44.34,-89.06,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Walnut size hail fell at Waupaca." +118850,714050,WISCONSIN,2017,July,Hail,"FLORENCE",2017-07-06 18:45:00,CST-6,2017-07-06 18:45:00,0,0,0,0,0.00K,0,0.00K,0,45.9,-88.13,45.9,-88.13,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Nickel size hail fell north of Spread Eagle." +118850,714052,WISCONSIN,2017,July,Hail,"WAUSHARA",2017-07-06 19:00:00,CST-6,2017-07-06 19:00:00,0,0,0,0,0.00K,0,0.00K,0,44.1116,-89.4461,44.1116,-89.4461,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Walnut size hail fell at the intersection of County Roads B and C." +119070,715119,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-22 21:42:00,EST-5,2017-07-22 21:42:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 34 knots was reported at Cove Point." +119070,715120,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 22:19:00,EST-5,2017-07-22 22:24:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts of 40 to 42 knots were reported at Cobb Point." +119070,715121,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 22:42:00,EST-5,2017-07-22 22:42:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Piney Point." +119070,715122,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 22:54:00,EST-5,2017-07-22 22:54:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported Lewisetta." +119070,715123,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-07-22 22:52:00,EST-5,2017-07-22 22:52:00,0,0,0,0,,NaN,,NaN,38.29,-76.41,38.29,-76.41,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Patuxent River (KNHK)." +119070,715125,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-22 23:30:00,EST-5,2017-07-22 23:40:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 40 knots were reported at Point Lookout." +119070,715126,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-22 23:53:00,EST-5,2017-07-23 00:03:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Crisfield." +117589,715206,NEW YORK,2017,July,Flood,"ONEIDA",2017-07-01 16:13:00,EST-5,2017-07-02 06:25:00,0,0,0,0,100.00K,100000,0.00K,0,43.109,-75.6618,43.081,-75.6471,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Rapid rises along the Oneida Creek caused a crest above the Major flood stage. The river crested at 15.76 feet on the morning of July 2nd. Widespread, serious flooding occurred around the City of Oneida and surrounding areas, as well as upstream from the gauge. This crest is the second highest crest on record." +116117,699036,VIRGINIA,2017,July,Thunderstorm Wind,"FLOYD",2017-07-04 17:00:00,EST-5,2017-07-04 17:00:00,0,0,0,0,0.50K,500,0.00K,0,36.7977,-80.3909,36.7977,-80.3909,"A stationary front was draped north of the Ohio River, causing deep moisture from the Gulf of Mexico to pool across the central Appalachians and the Mid-Atlantic region. Scattered showers were observed passing across the region beginning shortly after sunrise, with a few thunderstorms developing during the afternoon as heating increased. A few storms intensified to severe levels during early evening for brief periods of time. Widespread cloud cover limited instability, with surface-based CAPE in the 800-1200 J/Kg range. Steering winds were light, resulting in slow moving cells which produced locally heavy rainfall.","A large tree was blown down along Black Ridge Road." +116117,699037,VIRGINIA,2017,July,Thunderstorm Wind,"PATRICK",2017-07-04 17:18:00,EST-5,2017-07-04 17:18:00,0,0,0,0,0.50K,500,0.00K,0,36.8103,-80.3165,36.8103,-80.3165,"A stationary front was draped north of the Ohio River, causing deep moisture from the Gulf of Mexico to pool across the central Appalachians and the Mid-Atlantic region. Scattered showers were observed passing across the region beginning shortly after sunrise, with a few thunderstorms developing during the afternoon as heating increased. A few storms intensified to severe levels during early evening for brief periods of time. Widespread cloud cover limited instability, with surface-based CAPE in the 800-1200 J/Kg range. Steering winds were light, resulting in slow moving cells which produced locally heavy rainfall.","One tree was blown down on Woolwine Highway over Rock Castle Creek." +116117,699038,VIRGINIA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-04 18:27:00,EST-5,2017-07-04 18:27:00,0,0,0,0,1.00K,1000,0.50K,500,37.2065,-79.0097,37.2044,-79.0101,"A stationary front was draped north of the Ohio River, causing deep moisture from the Gulf of Mexico to pool across the central Appalachians and the Mid-Atlantic region. Scattered showers were observed passing across the region beginning shortly after sunrise, with a few thunderstorms developing during the afternoon as heating increased. A few storms intensified to severe levels during early evening for brief periods of time. Widespread cloud cover limited instability, with surface-based CAPE in the 800-1200 J/Kg range. Steering winds were light, resulting in slow moving cells which produced locally heavy rainfall.","Two trees were blown down and a crop of corn damaged along Bear Creek Road." +113455,679200,MASSACHUSETTS,2017,February,Tornado,"HAMPSHIRE",2017-02-25 19:18:00,EST-5,2017-02-25 19:21:00,0,0,0,0,250.00K,250000,0.00K,0,42.4086,-72.797,42.4508,-72.7937,"Low pressure moving through Eastern Canada dragged a cold front through New England during the night of the 25th. Showers and thunderstorms ahead of the cold front moved through Western Massachusetts, then dissipated as they moved farther east.","A tornado touched down in Goshen at Pine Road, just to the east of Hammond Pond. Several pine trees were snapped mid-way and two homes were damaged by trees falling onto them. A portion of Route 9 was closed between the Fire Station and the intersection with Route 112. There was significant tree damage on the southwest shore of Highland Lake, with numerous trees snapped half-way up from their bases and many uprooted. The tornado crossed Highland Lake and imagery received after-the-fact from town officials also indicated significant tree damage on the northeast side of Highland Lake from Camp Howe southward along Headquarters Road into the Daughters of the American Revolution (DAR) State Forest. The damage was consistent with 90 mph wind gusts, with a rating of EF-1 on the Enhanced Fujita Scale.|The tornado was on the ground for 2.9 miles with a maximum width of 100 yards. It lasted from 718-721 PM before lifting up briefly and then touching down again in Conway, MA." +119145,715573,VIRGINIA,2017,July,Thunderstorm Wind,"SUFFOLK (C)",2017-07-14 18:56:00,EST-5,2017-07-14 18:56:00,0,0,0,0,1.00K,1000,0.00K,0,36.79,-76.65,36.79,-76.65,"Scattered severe thunderstorms in advance of a cold front produced damaging winds and heavy rain across portions of eastern Virginia.","Large pine tree limbs were downed at Pruden Center for Industry and Technology." +116820,703545,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:54:00,CST-6,2017-06-14 17:59:00,0,0,0,0,,NaN,,NaN,31.9014,-102.2733,31.9014,-102.2733,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +118363,713076,ARKANSAS,2017,July,Thunderstorm Wind,"BENTON",2017-07-02 18:00:00,CST-6,2017-07-02 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.4024,-94.0715,36.4024,-94.0715,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into northwestern Arkansas during the evening. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Strong thunderstorm wind blew down large tree limbs, and damaged the shingles of a home." +119036,714921,KANSAS,2017,July,Thunderstorm Wind,"WICHITA",2017-07-07 22:01:00,CST-6,2017-07-07 22:01:00,0,0,0,0,0.00K,0,0.00K,0,38.48,-101.36,38.48,-101.36,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","" +119036,714922,KANSAS,2017,July,Hail,"THOMAS",2017-07-07 20:38:00,CST-6,2017-07-07 20:38:00,0,0,0,0,0.00K,0,0.00K,0,39.3636,-101.3777,39.3636,-101.3777,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","The hail ranged from one to two inches." +119036,714923,KANSAS,2017,July,Thunderstorm Wind,"LOGAN",2017-07-07 20:40:00,CST-6,2017-07-07 20:40:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-101.41,38.93,-101.41,"During the evening a thunderstorm producing hail up to tennis ball size moved south from McDonald to Leoti. The largest hail size was reported near Brewster. The highest wind gust from this thunderstorm was 63 MPH at Leoti.","Thunderstorm winds caused damage to corn crop." +119206,715868,KANSAS,2017,July,Flash Flood,"LOGAN",2017-07-12 21:15:00,CST-6,2017-07-13 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,38.9463,-101.296,38.946,-101.296,"During the evening thunderstorms producing heavy rainfall moved through Logan County. The storms caused a portion of CR 200, which crosses the North Fork of the Smokey Hill River, to be washed out.","CR 200 just south of the CR 200 and CR Rawhide intersection was washed out causing the road to be closed." +119209,715874,KANSAS,2017,July,Hail,"NORTON",2017-07-17 22:55:00,CST-6,2017-07-17 22:55:00,0,0,0,0,0.00K,0,0.00K,0,39.7468,-99.8506,39.7468,-99.8506,"Quarter size hail was reported from a thunderstorm south-southeast of Norton during the late evening.","" +119301,716387,ALASKA,2017,July,High Surf,"ERN NORTON SOUND NULATO HILLS",2017-07-22 12:36:00,AKST-9,2017-07-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front moving east across the west coast and Bering strait and also into Norton Sound brought south-southwest winds around 30 mph over Norton Sound on Saturday July 22nd into Monday of the 24th. The resulting high surf produced erosion around Cape Darby to Unalakleet and near Nome. Waves breaking offshore around 6 to 8 feet and a storm surge of 4 to 5 feet produced minor beach erosion.","" +119301,716388,ALASKA,2017,July,High Surf,"SRN SEWARD PENINSULA COAST",2017-07-22 12:00:00,AKST-9,2017-07-24 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front moving east across the west coast and Bering strait and also into Norton Sound brought south-southwest winds around 30 mph over Norton Sound on Saturday July 22nd into Monday of the 24th. The resulting high surf produced erosion around Cape Darby to Unalakleet and near Nome. Waves breaking offshore around 6 to 8 feet and a storm surge of 4 to 5 feet produced minor beach erosion.","" +119100,715276,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 20:00:00,CST-6,2017-07-21 20:03:00,0,0,0,0,0.00K,0,0.00K,0,48.71,-100.91,48.71,-100.91,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715277,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 20:24:00,CST-6,2017-07-21 20:27:00,0,0,0,0,0.00K,0,0.00K,0,48.69,-100.71,48.69,-100.71,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715279,NORTH DAKOTA,2017,July,Hail,"BOTTINEAU",2017-07-21 20:27:00,CST-6,2017-07-21 20:30:00,0,0,0,0,0.00K,0,0.00K,0,48.69,-100.7,48.69,-100.7,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +118867,714147,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:36:00,CST-6,2017-07-07 16:36:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-87.9,43.95,-87.9,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Half dollar size hail fell at School Hill." +118867,714146,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:27:00,CST-6,2017-07-07 16:31:00,0,0,0,0,5.00K,5000,10.00K,10000,44,-87.91,44,-87.91,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Golf ball size hail damaged crops, stripped leaves from numerous trees and broke windows of several buildings in St. Nazianz." +118867,714150,WISCONSIN,2017,July,Thunderstorm Wind,"CALUMET",2017-07-07 15:55:00,CST-6,2017-07-07 15:55:00,0,0,0,0,0.00K,0,0.00K,0,44.18,-88.06,44.18,-88.06,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Thunderstorm winds downed power lines east of Brillion." +118867,714151,WISCONSIN,2017,July,Thunderstorm Wind,"MANITOWOC",2017-07-07 16:12:00,CST-6,2017-07-07 16:12:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-87.96,44.16,-87.96,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Thunderstorm winds downed power lines and uprooted trees in Reedsville." +118867,714157,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:10:00,CST-6,2017-07-07 16:10:00,0,0,0,0,0.00K,0,0.00K,0,44.16,-87.96,44.16,-87.96,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Quarter size hail fell near Reedsville." +116629,701304,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-18 18:00:00,EST-5,2017-07-18 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.6061,-79.2226,36.6057,-79.2216,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Two pine trees were blown down by thunderstorm winds along Rocksprings Road." +116629,701306,VIRGINIA,2017,July,Thunderstorm Wind,"CHARLOTTE",2017-07-18 16:06:00,EST-5,2017-07-18 16:15:00,0,0,0,0,1.00K,1000,0.00K,0,37.0801,-78.7489,37.1148,-78.7325,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","One tree was blown down by thunderstorm winds along Dickerson Road, while another was blown down along Main Street." +116629,701309,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-18 17:18:00,EST-5,2017-07-18 17:18:00,0,0,0,0,0.50K,500,0.00K,0,36.7185,-78.881,36.7185,-78.881,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","A large tree was blown down by thunderstorm winds along Cage Trail." +116629,701314,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-18 17:06:00,EST-5,2017-07-18 17:06:00,0,0,0,0,10.00K,10000,0.00K,0,36.7578,-78.9554,36.7669,-78.9291,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","One tree fell along Howard P. Anderson Road, a second fell along Maple Avenue which landed on top of a house, and a third tree fell along Mountain Road." +116629,701325,VIRGINIA,2017,July,Thunderstorm Wind,"BEDFORD",2017-07-18 16:53:00,EST-5,2017-07-18 16:53:00,0,0,0,0,3.00K,3000,0.00K,0,37.0633,-79.4985,37.0633,-79.4985,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Multiple trees were blown down by thunderstorm winds along Tolers Ferry Road." +116243,699020,INDIANA,2017,July,Hail,"SCOTT",2017-07-07 18:46:00,EST-5,2017-07-07 18:46:00,0,0,0,0,,NaN,0.00K,0,38.74,-85.72,38.74,-85.72,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","" +116243,699030,INDIANA,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-07 21:00:00,EST-5,2017-07-07 21:00:00,0,0,0,0,,NaN,0.00K,0,38.33,-86.46,38.33,-86.46,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into southern Indiana. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines, along with some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Several trees were reported down in the English area." +116244,699035,KENTUCKY,2017,July,Thunderstorm Wind,"SCOTT",2017-07-07 19:52:00,EST-5,2017-07-07 19:52:00,0,0,0,0,0.00K,0,0.00K,0,38.22,-84.61,38.22,-84.61,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","A tree across KY 227." +116244,699046,KENTUCKY,2017,July,Thunderstorm Wind,"TRIMBLE",2017-07-07 18:38:00,EST-5,2017-07-07 18:38:00,0,0,0,0,,NaN,0.00K,0,38.71,-85.37,38.71,-85.37,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","Local fire department reported multiple trees down on Milton Hill." +116761,702157,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-23 11:55:00,EST-5,2017-07-23 11:55:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"A cluster of thunderstorms formed over the mainland, then moved east across the intracoastal waters, Merritt Island and Cape Canaveral, then exited into the Atlantic. Strong wind gusts accompanied the storms.","USAF wind tower 1007 measured a peak wind gust of 34 knots from the southwest as a strong thunderstorm exited the mainland and continued across the Indian River to Merritt Island." +116761,702158,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-23 12:05:00,EST-5,2017-07-23 12:05:00,0,0,0,0,0.00K,0,0.00K,0,28.53,-80.77,28.53,-80.77,"A cluster of thunderstorms formed over the mainland, then moved east across the intracoastal waters, Merritt Island and Cape Canaveral, then exited into the Atlantic. Strong wind gusts accompanied the storms.","USAF wind tower 1007 measured a peak wind gust of 37 knots from the southwest as a strong thunderstorm exited the mainland and continued across the Indian River to Merritt Island." +116761,702160,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-23 12:30:00,EST-5,2017-07-23 12:30:00,0,0,0,0,0.00K,0,0.00K,0,28.46,-80.59,28.46,-80.59,"A cluster of thunderstorms formed over the mainland, then moved east across the intracoastal waters, Merritt Island and Cape Canaveral, then exited into the Atlantic. Strong wind gusts accompanied the storms.","USAF wind tower 0403 measured a peak wind gust of 38 knots from the west as a strong thunderstorm crossed Cape Canaveral and exited into the Atlantic." +117285,705460,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-30 13:34:00,EST-5,2017-07-30 13:34:00,0,0,0,0,0.00K,0,0.00K,0,27.49,-80.36,27.49,-80.36,"Two strong thunderstorms exited the mainland of Brevard County and spread across intracoastal and nearshore Atlantic waters with strong winds.","The ASOS at the Treasure Coast International Airport (KFPR) recorded a peak wind of 35 knots from the west as a strong thunderstorm spread from the mainland to the Indian River." +117285,705461,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-30 14:55:00,EST-5,2017-07-30 14:55:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"Two strong thunderstorms exited the mainland of Brevard County and spread across intracoastal and nearshore Atlantic waters with strong winds.","USAF wind tower 0300 over the Banana River, along Highway A1A, recorded a peak wind of 34 knots as a strong thunderstorm moved quickly east across the intracoastal waters." +116665,701462,FLORIDA,2017,July,Thunderstorm Wind,"PINELLAS",2017-07-04 18:06:00,EST-5,2017-07-04 18:06:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Scattered thunderstorms developed under strong surface heating and easterly winds. One of these storms produce a severe wind gust in Pinellas County.","The ASOS at Albert Whitted Airport measured a 50 knot thunderstorm wind gust." +117642,707452,FLORIDA,2017,July,Thunderstorm Wind,"ST. JOHNS",2017-07-03 18:12:00,EST-5,2017-07-03 18:12:00,0,0,0,0,0.00K,0,0.00K,0,29.81,-81.32,29.81,-81.32,"A broad mean layer trough was across the local area. A strongest westerly flow focused the afternoon and evening sea breeze and outflow collision along and east of the St. Johns River basin in the evening where isolated severe storms formed and produced wet downbursts.","Small trees were blown down and numerous medium sized branches were snapped off of trees." +117642,707453,FLORIDA,2017,July,Thunderstorm Wind,"ST. JOHNS",2017-07-03 19:00:00,EST-5,2017-07-03 19:00:00,0,0,0,0,0.00K,0,0.00K,0,29.78,-81.43,29.78,-81.43,"A broad mean layer trough was across the local area. A strongest westerly flow focused the afternoon and evening sea breeze and outflow collision along and east of the St. Johns River basin in the evening where isolated severe storms formed and produced wet downbursts.","A power company truck was damaged by a tree limb that was blown down." +117643,707454,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-03 16:05:00,EST-5,2017-07-03 16:05:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.44,30.28,-81.44,"A broad mean layer trough was across the local area. A strongest westerly flow focused the afternoon and evening sea breeze and outflow collision along and east of the St. Johns River basin in the evening where isolated severe storms formed and produced wet downbursts.","A wind gust of 43 mph was measured at the Jacksonville Beach Pier." +117643,707455,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"FERNANDINA BEACH TO ST AUGUSTINE FL OUT 20NM",2017-07-03 21:12:00,EST-5,2017-07-03 21:12:00,0,0,0,0,0.00K,0,0.00K,0,30.28,-81.39,30.28,-81.39,"A broad mean layer trough was across the local area. A strongest westerly flow focused the afternoon and evening sea breeze and outflow collision along and east of the St. Johns River basin in the evening where isolated severe storms formed and produced wet downbursts.","" +117644,707456,FLORIDA,2017,July,Thunderstorm Wind,"BRADFORD",2017-07-05 15:40:00,EST-5,2017-07-05 15:40:00,0,0,0,0,1.00K,1000,0.00K,0,29.86,-82.15,29.86,-82.15,"A deep layer ridge axis was across the forecast which limited convective development compared to recent days. A couple of isolated strong storms developed during the late afternoon and early evening which produced strong wind gusts.","Several trees were blown down near County Road 18 along both sides of U.S. Highway 301 in Hampton. A few trees feel onto power lines. The cost of damage was estimated." +117646,707458,GEORGIA,2017,July,Thunderstorm Wind,"BRANTLEY",2017-07-05 18:30:00,EST-5,2017-07-05 18:30:00,0,0,0,0,0.00K,0,0.00K,0,31.23,-81.92,31.23,-81.92,"A deep layer ridge axis was across the forecast which limited convective development compared to recent days. A couple of isolated strong storms developed during the late afternoon and early evening which produced strong wind gusts.","Several trees were blown down east of Nahunta. The time of damage was based on radar." +117647,707459,FLORIDA,2017,July,Thunderstorm Wind,"MARION",2017-07-06 14:45:00,EST-5,2017-07-06 14:45:00,0,0,0,0,0.00K,0,0.00K,0,29.09,-82.48,29.09,-82.48,"Drier air enhanced wet downbursts across the area along sea breeze storms.","A large tree was blown down at the intersection of SW 102nd Street Road and SW 214 Court." +116873,702676,NEBRASKA,2017,July,Hail,"SIOUX",2017-07-02 17:01:00,MST-7,2017-07-02 17:04:00,0,0,0,0,0.00K,0,0.00K,0,42.7821,-103.7546,42.7821,-103.7546,"Thunderstorms produced large hail and strong winds across portions of western Nebraska.","Quarter to half dollar size hail was observed northeast of Harrison." +116873,702677,NEBRASKA,2017,July,Hail,"CHEYENNE",2017-07-02 17:28:00,MST-7,2017-07-02 17:33:00,0,0,0,0,0.00K,0,0.00K,0,41.2302,-103.0242,41.2302,-103.0242,"Thunderstorms produced large hail and strong winds across portions of western Nebraska.","Nickel to quarter size hail was observed north of Sidney." +116873,702678,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-02 18:46:00,MST-7,2017-07-02 18:46:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-102.8,42.06,-102.8,"Thunderstorms produced large hail and strong winds across portions of western Nebraska.","The wind sensor at the Alliance Airport measured a peak gust of 61 mph." +116875,702689,WYOMING,2017,July,Hail,"NIOBRARA",2017-07-02 16:15:00,MST-7,2017-07-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,43.0159,-104.1008,43.0159,-104.1008,"Thunderstorms produced large hail over portions of Goshen and Niobrara counties.","Quarter to ping pong ball size hail was observed northeast of Lusk." +116875,702691,WYOMING,2017,July,Hail,"GOSHEN",2017-07-02 19:35:00,MST-7,2017-07-02 19:40:00,0,0,0,0,0.00K,0,0.00K,0,42.0157,-104.324,42.0157,-104.324,"Thunderstorms produced large hail over portions of Goshen and Niobrara counties.","Marble to quarter size hail was observed west of Torrington." +116877,702693,NEBRASKA,2017,July,Hail,"CHEYENNE",2017-07-03 15:53:00,MST-7,2017-07-03 15:56:00,0,0,0,0,0.00K,0,0.00K,0,41.2319,-102.8712,41.2319,-102.8712,"Thunderstorms produced large hail and heavy rainfall over eastern portions of Morrill and Cheyenne counties of western Nebraska.","Quarter size hail was observed northeast of Sidney." +116877,702695,NEBRASKA,2017,July,Hail,"MORRILL",2017-07-03 16:30:00,MST-7,2017-07-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,41.7,-102.95,41.7,-102.95,"Thunderstorms produced large hail and heavy rainfall over eastern portions of Morrill and Cheyenne counties of western Nebraska.","Quarter size hail was observed northeast of Bridgeport." +117359,707175,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-27 15:45:00,MST-7,2017-07-27 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.4286,-103.07,42.4286,-103.07,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Several trees were blown down north of Hemingford." +117359,707176,NEBRASKA,2017,July,Hail,"DAWES",2017-07-27 14:15:00,MST-7,2017-07-27 14:18:00,0,0,0,0,0.00K,0,0.00K,0,42.83,-103.296,42.83,-103.296,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Quarter size hail was observed near Whitney Lake." +117359,707181,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-27 16:00:00,MST-7,2017-07-27 16:02:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-103.07,42.32,-103.07,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated wind gusts of 55 to 60 mph were observed at Hemingford." +117358,707183,WYOMING,2017,July,Thunderstorm Wind,"GOSHEN",2017-07-27 16:02:00,MST-7,2017-07-27 16:05:00,0,0,0,0,0.00K,0,0.00K,0,41.9587,-104.18,41.9587,-104.18,"Thunderstorms produced damaging wind gusts estimated between 75 and 90 mph at Fort Laramie and south of Torrington in Goshen County.","Estimated wind gusts of 75 to 90 mph caused extensive roof damage to buildings and overturned irrigation pivots south of Torrington and east of Veteran." +118703,713037,NEBRASKA,2017,July,Hail,"DIXON",2017-07-03 16:35:00,CST-6,2017-07-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,42.61,-96.93,42.61,-96.93,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118802,713619,IOWA,2017,July,Hail,"IDA",2017-07-04 16:45:00,CST-6,2017-07-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,42.28,-95.35,42.28,-95.35,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118802,713620,IOWA,2017,July,Hail,"O'BRIEN",2017-07-04 17:29:00,CST-6,2017-07-04 17:29:00,0,0,0,0,0.00K,0,0.00K,0,42.98,-95.49,42.98,-95.49,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118803,713622,MINNESOTA,2017,July,Hail,"JACKSON",2017-07-04 19:12:00,CST-6,2017-07-04 19:12:00,0,0,0,0,0.00K,0,0.00K,0,43.51,-95.39,43.51,-95.39,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118803,713623,MINNESOTA,2017,July,Hail,"JACKSON",2017-07-04 20:00:00,CST-6,2017-07-04 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-95.03,43.73,-95.03,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118803,713625,MINNESOTA,2017,July,Hail,"JACKSON",2017-07-04 20:05:00,CST-6,2017-07-04 20:05:00,0,0,0,0,0.00K,0,0.00K,0,43.74,-94.99,43.74,-94.99,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118803,713626,MINNESOTA,2017,July,Hail,"JACKSON",2017-07-04 20:20:00,CST-6,2017-07-04 20:20:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-94.98,43.73,-94.98,"A cluster of storms developed in the Tri-State late in the afternoon and continued into the early evening hours. Some of the storms produced severe-sized hail as they moved across the area.","" +118810,713669,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"SANBORN",2017-07-05 21:27:00,CST-6,2017-07-05 21:27:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-98.27,44.06,-98.27,"Before dissipating thunderstorms produced severe wind gusts in portions of the area.","A few tree limbs downed." +118810,713670,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"AURORA",2017-07-05 21:55:00,CST-6,2017-07-05 21:55:00,0,0,0,0,0.00K,0,0.00K,0,43.73,-98.69,43.73,-98.69,"Before dissipating thunderstorms produced severe wind gusts in portions of the area.","Measured at SDSU mesonet site." +118129,714270,OHIO,2017,July,Flood,"SANDUSKY",2017-07-13 10:00:00,EST-5,2017-07-15 11:00:00,0,0,0,0,0.00K,0,0.00K,0,41.4521,-83.3862,41.445,-83.15,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","Heavy rain fell over Sandusky County on the morning of the 13th. The heavy rain fell onto already saturated ground conditions from previously heavy rainfall during the week. Most small stream and creeks overflowed their banks across the County. Flooding caused extensive road closures across the county, but no inundation of homes or businesses. A few of the road closures: County Roads 164, 146,153 flooded. SR 19 closed near Muddy Creek in Kingsway." +118896,714282,OHIO,2017,July,Thunderstorm Wind,"WAYNE",2017-07-03 15:49:00,EST-5,2017-07-03 15:49:00,0,0,0,0,1.00K,1000,0.00K,0,40.8,-81.6618,40.8,-81.6618,"A warm front lifted into northern Ohio causing showers and thunderstorms to develop. A couple of the stronger storms became severe.","Thunderstorm winds downed a few large tree limbs along U.S. Highway 30 near the Stark County line." +118897,714283,OHIO,2017,July,Thunderstorm Wind,"WAYNE",2017-07-11 14:37:00,EST-5,2017-07-11 14:40:00,0,0,0,0,25.00K,25000,0.00K,0,40.8,-81.93,40.7818,-81.9305,"A line of showers and thunderstorms developed in advance of a front moving across the area. At least one segment of the line became severe.","Thunderstorm winds downed several trees across the central and southern portions of Wooster." +118897,714284,OHIO,2017,July,Thunderstorm Wind,"WAYNE",2017-07-11 14:51:00,EST-5,2017-07-11 14:51:00,0,0,0,0,8.00K,8000,0.00K,0,40.7717,-81.6933,40.7717,-81.6933,"A line of showers and thunderstorms developed in advance of a front moving across the area. At least one segment of the line became severe.","Thunderstorm winds downed a few trees south of Dalton near State Route 94." +118897,714285,OHIO,2017,July,Thunderstorm Wind,"WAYNE",2017-07-11 14:53:00,EST-5,2017-07-11 14:53:00,0,0,0,0,5.00K,5000,0.00K,0,40.83,-81.77,40.83,-81.77,"A line of showers and thunderstorms developed in advance of a front moving across the area. At least one segment of the line became severe.","Thunderstorm winds downed a few trees in Orrville." +118918,714379,OHIO,2017,July,Hail,"HANCOCK",2017-07-16 16:22:00,EST-5,2017-07-16 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.1,-83.78,41.1,-83.78,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of quarters was observed." +118918,714381,OHIO,2017,July,Hail,"ERIE",2017-07-16 16:40:00,EST-5,2017-07-16 16:40:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-82.83,41.47,-82.83,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of quarters was observed." +116170,698193,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"KERSHAW",2017-07-04 16:35:00,EST-5,2017-07-04 16:40:00,0,0,0,0,,NaN,,NaN,34.44,-80.83,34.44,-80.83,"Scattered thunderstorms developed during the afternoon and evening of July 4th, a few of which reached severe limits.","A live tree was downed on Singleton Creek Rd near Lake Wateree." +116170,698198,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-04 18:07:00,EST-5,2017-07-04 18:10:00,0,0,0,0,,NaN,,NaN,34.15,-81.19,34.15,-81.19,"Scattered thunderstorms developed during the afternoon and evening of July 4th, a few of which reached severe limits.","A tree was downed in the roadway at Koon Rd and Connie Wright Rd. Another tree was downed at Sam Bradshaw Rd at Kennerly Rd. Time estimated." +116327,699532,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CHESTERFIELD",2017-07-05 16:43:00,EST-5,2017-07-05 16:45:00,0,0,0,0,,NaN,,NaN,34.62,-80.34,34.62,-80.34,"An upper disturbance interacted with a surface boundary to our north to produce thunderstorm activity which affected the Northern Midlands of SC.","Thunderstorm winds blew over a half dozen chicken pens, downed large tree limbs, damaged a roof of a horse barn, damaged a small outbuilding, uprooted a tree, and blew a pontoon boat over. This occurred along Johnson Rd, between Eubanks Rd and Angelus Rd." +116328,699542,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"EDGEFIELD",2017-07-06 16:06:00,EST-5,2017-07-06 16:10:00,0,0,0,0,,NaN,,NaN,33.6053,-82.0203,33.6053,-82.0203,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down on Cherry Tree Lane." +116328,699544,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-06 16:26:00,EST-5,2017-07-06 16:30:00,0,0,0,0,,NaN,,NaN,33.5179,-81.6971,33.5179,-81.6971,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Thunderstorm winds downed 2 trees at Powderhouse Rd and Woodwardia Glen in SE Aiken." +116328,699545,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"NEWBERRY",2017-07-06 17:00:00,EST-5,2017-07-06 17:05:00,0,0,0,0,,NaN,,NaN,34.38,-81.68,34.38,-81.68,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree downed a power line and blocked Jalapa Rd near Interstate 26." +116328,699546,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MCCORMICK",2017-07-06 17:11:00,EST-5,2017-07-06 17:15:00,0,0,0,0,,NaN,,NaN,33.8506,-82.3675,33.8506,-82.3675,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","McCormick dispatch reported power lines down on Holiday Rd. Time estimated." +116328,699549,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"MCCORMICK",2017-07-06 17:26:00,EST-5,2017-07-06 17:30:00,0,0,0,0,,NaN,,NaN,33.91,-82.3,33.91,-82.3,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","McCormick dispatch reported a very large oak tree was downed on Railroad Ave in the town of McCormick. Time estimated." +116386,700049,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BEDFORD",2017-07-04 12:55:00,EST-5,2017-07-04 12:55:00,0,0,0,0,3.00K,3000,0.00K,0,40.2185,-78.2535,40.2185,-78.2535,"Widely scattered showers and thunderstorms developed over southern Pennsylvania during the afternoon of July 4, 2017. One of these storms produced wind damage near Saxton in Bedford County.","A severe thunderstorm produced winds estimated near 60 mph and knocked down trees and wires near the intersection of Saxton Road and 16th Street." +116609,705499,PENNSYLVANIA,2017,July,Thunderstorm Wind,"PERRY",2017-07-19 17:50:00,EST-5,2017-07-19 17:50:00,0,0,0,0,10.00K,10000,0.00K,0,40.34,-76.93,40.34,-76.93,"Pulse storms developed during the afternoon of July 19 in a very warm and humid airmass over south-central Pennsylvania. A couple of the storms produced wind damage in the Lower Susquehanna Valley, and one storm produced sub-severe hail.","A severe thunderstorm produced winds estimated near 60 mph, knocking down approximately 30 trees in Marysville borough, as well as Rye and Penn Townships." +116609,705500,PENNSYLVANIA,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-19 18:21:00,EST-5,2017-07-19 18:21:00,0,0,0,0,4.00K,4000,0.00K,0,40.24,-76.93,40.24,-76.93,"Pulse storms developed during the afternoon of July 19 in a very warm and humid airmass over south-central Pennsylvania. A couple of the storms produced wind damage in the Lower Susquehanna Valley, and one storm produced sub-severe hail.","A severe thunderstorm produced winds estimated near 60 mph, knocking down trees and wires near Camp Hill." +119018,714819,TEXAS,2017,July,Rip Current,"KLEBERG",2017-07-01 14:00:00,CST-6,2017-07-01 14:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rip currents were prevalent along the Middle Texas coast from the weekend into Independence Day. Two women drowned in rip currents, one near Malaquite Beach and the other near Bob Hall Pier.","The body of a 59 year old woman from San Antonio was found on the beach at Malaquite Beach on the Padre Island National Seashore." +119018,714820,TEXAS,2017,July,Rip Current,"NUECES",2017-07-04 12:00:00,CST-6,2017-07-04 12:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Rip currents were prevalent along the Middle Texas coast from the weekend into Independence Day. Two women drowned in rip currents, one near Malaquite Beach and the other near Bob Hall Pier.","A 34 year old woman from Garland Texas along with a 16 year old boy were pulled from the water after being found face down near Bob Hall Pier. The woman received CPR but was unresponsive. She passed away at a local hospital." +119022,714831,GULF OF MEXICO,2017,July,Waterspout,"PT O'CONNOR TO ARANSAS PASS",2017-07-17 08:30:00,CST-6,2017-07-17 08:31:00,0,0,0,0,0.00K,0,0.00K,0,28.0261,-97.0156,28.0308,-97.0146,"A waterspout occurred east of Rockport during the morning of the 17th.","Pictures received through social media showed a waterspout, viewed from Rockport Beach, over Aransas Bay." +119046,714947,MONTANA,2017,July,Thunderstorm Wind,"GALLATIN",2017-07-05 15:56:00,MST-7,2017-07-05 15:56:00,0,0,0,0,0.00K,0,0.00K,0,45.79,-111.16,45.79,-111.16,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","Peak wind gusts at the Bozeman Airport (KBZN)." +117860,708375,ARIZONA,2017,July,Heavy Rain,"MARICOPA",2017-07-16 22:00:00,MST-7,2017-07-16 23:30:00,0,0,0,0,0.00K,0,0.00K,0,33.65,-112.03,33.65,-112.03,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Scattered thunderstorms developed across the northern portions of the greater Phoenix area during the evening hours and some of them affected the community of Deer Valley. Locally heavy rainfall occurred in the area with rain rates measured in excess of one inch per hour. At 2248MST a trained spotter 6 miles southeast of Deer Valley measured 0.53 inches of rain within a 30 minute period and it resulted in curb-to-curb flooding. at 2315MST another trained spotter nearby measured 0.86 inches of rain. The urban street flooding resulted in hazardous driving conditions for area motorists." +118121,709863,ARIZONA,2017,July,Dust Storm,"CENTRAL DESERTS",2017-07-29 18:00:00,MST-7,2017-07-29 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Scattered thunderstorms developed across the greater Phoenix metropolitan area during the late afternoon hours on July 29th and some of the stronger storms generated gusty outflow winds that reached to around 50 mph. The winds were sufficiently strong as to stir up areas of dense blowing dust and create dust storm conditions; some of the especially dense dust affected the town of Maricopa located to the southeast of Phoenix. According to a trained weather spotter, at 1812MST a dust storm was present 4 miles to the northeast of Maricopa; dense blowing dust reduced visibility to 30 feet, creating very hazardous driving conditions. A Dust Storm Warning was issued at 1815MST as a result and remained in effect through 1900MST. Fortunately, no accidents or injuries resulted from the sharply reduced visibility." +118121,709867,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 17:20:00,MST-7,2017-07-29 17:40:00,0,0,0,0,8.00K,8000,0.00K,0,33.45,-112.41,33.45,-112.41,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Scattered thunderstorms developed across the western portion of the greater Phoenix area during the late afternoon hours on July 29th and they affected communities such as Litchfield Park and Goodyear. The stronger storms produced gusty and damaging outflow winds estimated to be as high as 60 mph. At 1740MST a public report indicated that strong winds downed several trees and tree branches 3 miles to the southwest of Litchfield Park. About 10 minutes earlier, a trained spotter not far away, about 3 miles north of Goodyear, reported that strong winds blew down a tree with a diameter of 7 inches." +117259,705293,NEBRASKA,2017,July,Hail,"HOOKER",2017-07-02 15:15:00,MST-7,2017-07-02 15:15:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-101.04,41.84,-101.04,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118582,713348,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-09 17:23:00,CST-6,2017-07-09 17:23:00,0,0,0,0,5.00K,5000,0.00K,0,32.706,-97.3803,32.706,-97.3803,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported multiple trees down in the Tanglewood area of Fort Worth, TX." +118582,713350,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-09 17:25:00,CST-6,2017-07-09 17:25:00,0,0,0,0,5.00K,5000,0.00K,0,32.68,-97.45,32.68,-97.45,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A National Weather Service employee reported several trees down in the Benbrook area." +118582,713351,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-09 17:30:00,CST-6,2017-07-09 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.7201,-97.4178,32.7201,-97.4178,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A National Weather Service Employee reported large branches blown down and several medium sized trees uprooted in the Ridglea Country Club Estates area of Fort Worth, TX." +118582,713353,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-09 17:40:00,CST-6,2017-07-09 17:40:00,0,0,0,0,10.00K,10000,0.00K,0,32.7174,-97.3724,32.7174,-97.3724,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A local newspaper reported that a large pecan tree estimated to be at least 130 years old was blown down in the Colonial Country Club area of Fort Worth, TX." +118582,713354,TEXAS,2017,July,Thunderstorm Wind,"COLLIN",2017-07-08 14:10:00,CST-6,2017-07-08 14:10:00,0,0,0,0,0.00K,0,0.00K,0,33.1817,-96.5899,33.1817,-96.5899,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A 54 knot wind gust was reported by the McKinney, TX Automated Surface Observation System." +118582,713359,TEXAS,2017,July,Hail,"TARRANT",2017-07-09 17:35:00,CST-6,2017-07-09 17:35:00,0,0,0,0,0.00K,0,0.00K,0,32.7365,-97.3878,32.7365,-97.3878,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A public report indicated quarter-sized hail in the Arlington Heights area of Fort Worth, TX." +117219,704967,COLORADO,2017,July,Flash Flood,"CHAFFEE",2017-07-19 15:45:00,MST-7,2017-07-19 17:30:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-106.17,38.7407,-106.1932,"A slow moving strong thunderstorm caused flooding at and near the Chalk Cliffs on County Road 162.","County Road 162 was closed when over a foot of water and mud flowed through the low water crossing." +117233,705023,COLORADO,2017,July,Flash Flood,"BENT",2017-07-28 21:00:00,MST-7,2017-07-28 22:30:00,0,0,0,0,0.00K,0,0.00K,0,38.0763,-103.2591,38.0439,-103.2591,"A few severe storms produced flash flooding and damaging wind gusts.","Very heavy rain from a thunderstorm produced water in excess of 6 inches on streets in Las Animas and briefly flooded county roads near and south of John Martin Reservoir." +117233,705024,COLORADO,2017,July,Thunderstorm Wind,"BENT",2017-07-28 20:25:00,MST-7,2017-07-28 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-103.23,38.07,-103.23,"A few severe storms produced flash flooding and damaging wind gusts.","A few trees and many tree limbs were downed in Las Animas." +117233,705026,COLORADO,2017,July,Flash Flood,"EL PASO",2017-07-28 16:15:00,MST-7,2017-07-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0182,-104.469,38.9712,-104.4594,"A few severe storms produced flash flooding and damaging wind gusts.","A strong storm produced heavy rain that flooded county roads south of Peyton and Calhan. No major road damage was reported." +117235,705034,COLORADO,2017,July,Thunderstorm Wind,"PUEBLO",2017-07-04 13:40:00,MST-7,2017-07-04 13:42:00,0,0,0,0,30.00K,30000,0.00K,0,38.2721,-104.7679,38.2721,-104.7679,"A microburst occurred at the Pueblo Reservoir, causing damage to a marina.","A shower that fell into relatively dry air, created a damaging microburst that struck the North Shore Marina on the Pueblo Reservoir. Damage was done to several docks and minor damage occurred to boats." +118781,713569,NORTH CAROLINA,2017,July,Hail,"WAKE",2017-07-28 17:30:00,EST-5,2017-07-28 17:30:00,0,0,0,0,0.00K,0,0.00K,0,35.88,-78.51,35.88,-78.51,"Showers and thunderstorms developed ahead of a cold front approaching from the northwest. A couple of storms became severe and resulted in wind damage and large hail.","" +118781,713570,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STANLY",2017-07-28 17:10:00,EST-5,2017-07-28 17:10:00,0,0,0,0,0.00K,0,0.00K,0,35.45,-80.21,35.45,-80.21,"Showers and thunderstorms developed ahead of a cold front approaching from the northwest. A couple of storms became severe and resulted in wind damage and large hail.","One tree was blown down near the intersection of NC-740 and Woodhurst Road." +118827,713847,NORTH CAROLINA,2017,July,Flash Flood,"MOORE",2017-07-23 16:00:00,EST-5,2017-07-23 16:20:00,0,0,0,0,5.00K,5000,0.00K,0,35.162,-79.441,35.124,-79.441,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Heavy rain resulted in flash flooding in the town of Aberdeen. Several cars became stranded in flood waters and one driver became trapped in their vehicle." +118828,713848,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-02 13:25:00,CST-6,2017-07-02 13:25:00,0,0,0,0,10.00K,10000,0.00K,0,35.5371,-97.3898,35.5371,-97.3898,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Several utility poles were snapped along 63rd st." +118828,713850,OKLAHOMA,2017,July,Hail,"LINCOLN",2017-07-02 13:40:00,CST-6,2017-07-02 13:40:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-97.06,35.7,-97.06,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","" +118828,713852,OKLAHOMA,2017,July,Thunderstorm Wind,"PAYNE",2017-07-02 14:24:00,CST-6,2017-07-02 14:24:00,0,0,0,0,0.00K,0,0.00K,0,35.98,-97.22,35.98,-97.22,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","No damage reported." +118828,713853,OKLAHOMA,2017,July,Thunderstorm Wind,"PAYNE",2017-07-02 14:30:00,CST-6,2017-07-02 14:30:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-97.06,36.12,-97.06,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","A 12-inch diameter tree was downed." +118828,713854,OKLAHOMA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-02 14:56:00,CST-6,2017-07-02 14:56:00,0,0,0,0,0.00K,0,0.00K,0,35.66,-96.66,35.66,-96.66,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","No damage reported." +118828,713855,OKLAHOMA,2017,July,Thunderstorm Wind,"MCCLAIN",2017-07-02 15:10:00,CST-6,2017-07-02 15:10:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-97,34.86,-97,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","" +118828,713856,OKLAHOMA,2017,July,Thunderstorm Wind,"MCCLAIN",2017-07-02 15:15:00,CST-6,2017-07-02 15:15:00,0,0,0,0,0.00K,0,0.00K,0,34.86,-97,34.86,-97,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","" +118828,713857,OKLAHOMA,2017,July,Flash Flood,"SEMINOLE",2017-07-02 15:35:00,CST-6,2017-07-02 18:35:00,0,0,0,0,0.00K,0,0.00K,0,35.13,-96.76,35.1286,-96.7454,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Water was coming over the county road which was beginning to wash out." +118828,713859,OKLAHOMA,2017,July,Thunderstorm Wind,"PONTOTOC",2017-07-02 15:35:00,CST-6,2017-07-02 15:35:00,0,0,0,0,0.00K,0,0.00K,0,34.7568,-96.6583,34.7568,-96.6583,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","A large tree was downed across the road near Pine st." +116863,702649,ILLINOIS,2017,July,Hail,"TAZEWELL",2017-07-10 18:23:00,CST-6,2017-07-10 18:28:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-89.63,40.57,-89.63,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702648,ILLINOIS,2017,July,Hail,"FULTON",2017-07-10 18:20:00,CST-6,2017-07-10 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.6734,-90.17,40.6734,-90.17,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702650,ILLINOIS,2017,July,Hail,"FULTON",2017-07-10 18:27:00,CST-6,2017-07-10 18:32:00,0,0,0,0,0.00K,0,0.00K,0,40.6889,-90.0353,40.6889,-90.0353,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","" +116863,702653,ILLINOIS,2017,July,Thunderstorm Wind,"LOGAN",2017-07-10 19:10:00,CST-6,2017-07-10 19:15:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-89.37,40.15,-89.37,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Two 15 to 20-inch diameter trees were snapped on the 400th block of 10th Street in Lincoln." +118944,714540,NORTH CAROLINA,2017,July,Hail,"ALEXANDER",2017-07-17 16:12:00,EST-5,2017-07-17 16:12:00,0,0,0,0,,NaN,,NaN,35.94,-81.2,35.94,-81.2,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","FD reported nickel size hail." +118944,714541,NORTH CAROLINA,2017,July,Hail,"BURKE",2017-07-17 16:05:00,EST-5,2017-07-17 16:05:00,0,0,0,0,,NaN,,NaN,35.74,-81.68,35.75,-81.64,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Media reported 3/4 inch hail on the east side of Morganton." +118944,714543,NORTH CAROLINA,2017,July,Hail,"CALDWELL",2017-07-17 16:45:00,EST-5,2017-07-17 16:45:00,0,0,0,0,,NaN,,NaN,35.92,-81.54,35.92,-81.54,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Spotter reported nickel size hail." +118944,714544,NORTH CAROLINA,2017,July,Hail,"CATAWBA",2017-07-17 17:00:00,EST-5,2017-07-17 17:00:00,0,0,0,0,,NaN,,NaN,35.78,-81.34,35.78,-81.34,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Public reported nickel to quarter sized hail on the north side of Hickory." +118944,714546,NORTH CAROLINA,2017,July,Hail,"BURKE",2017-07-17 17:26:00,EST-5,2017-07-17 17:26:00,0,0,0,0,,NaN,,NaN,35.77,-81.43,35.76,-81.43,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Public and spotter reported up to quarter size hail." +118944,714547,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALEXANDER",2017-07-17 16:14:00,EST-5,2017-07-17 16:22:00,0,0,0,0,0.00K,0,0.00K,0,35.923,-81.178,35.899,-81.199,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","County comms reported numerous trees blown down in and around Taylorsville." +118944,714548,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALEXANDER",2017-07-17 16:50:00,EST-5,2017-07-17 16:50:00,0,0,0,0,0.00K,0,0.00K,0,35.81,-81.29,35.81,-81.29,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Media reported multiple trees blown down across the western part of the county." +118944,714549,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CALDWELL",2017-07-17 16:52:00,EST-5,2017-07-17 16:52:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-81.55,35.91,-81.55,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","FD reported multiple trees blown down, some onto power lines." +119422,716708,SOUTH CAROLINA,2017,July,Lightning,"FLORENCE",2017-07-23 18:30:00,EST-5,2017-07-23 18:30:00,0,0,0,0,40.00K,40000,0.00K,0,34.167,-79.82,34.167,-79.82,"Lightning struck a home in Florence.","Lightning struck a home on Jefferson Drive in Florence. The flames were coming up through the roof off the garage. The fire was contained fairly quickly and the damage was limited to where the lightning struck. No injuries." +119423,716710,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-07-15 19:48:00,EST-5,2017-07-15 19:50:00,0,0,0,0,0.00K,0,0.00K,0,34.2139,-77.7884,34.2139,-77.7884,"Strong winds at Johnny Mercer Pier.","A 39 kt gust was recorded at the Johnny Mercer Pier." +119423,716711,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-07-15 20:08:00,EST-5,2017-07-15 20:10:00,0,0,0,0,0.00K,0,0.00K,0,34.142,-77.719,34.142,-77.719,"Strong winds at Johnny Mercer Pier.","A 50 mph wind gust was recorded." +119424,716713,SOUTH CAROLINA,2017,July,Flood,"WILLIAMSBURG",2017-07-16 15:45:00,EST-5,2017-07-16 17:30:00,0,0,0,0,0.00K,0,0.00K,0,33.81,-79.86,33.8089,-79.861,"A frontal boundary produced heavy rain.","An observer recorded 3.4 inches of rain in an hour." +119425,716715,NORTH CAROLINA,2017,July,Flood,"PENDER",2017-07-03 18:55:00,EST-5,2017-07-03 21:10:00,0,0,0,0,0.00K,0,0.00K,0,34.6744,-77.6733,34.6621,-77.7001,"Heavy rain caused flooding in Pender County.","Flooding on Hwy 50 near Hwy 53." +116545,700820,TEXAS,2017,July,Thunderstorm Wind,"HARRISON",2017-07-08 15:27:00,CST-6,2017-07-08 15:27:00,0,0,0,0,0.00K,0,0.00K,0,32.6757,-94.575,32.6757,-94.575,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","A tree was blown down in Harleton." +116545,700822,TEXAS,2017,July,Lightning,"MORRIS",2017-07-08 15:10:00,CST-6,2017-07-08 15:10:00,0,0,0,0,30.00K,30000,0.00K,0,33.0091,-94.6939,33.0091,-94.6939,"An outflow boundary from a decayed complex of showers and thunderstorms over Central Arkansas during the early morning hours of July 8th stalled out over Northeast Texas and North Louisiana, with low level moisture and afternoon heating contributed to an unstable air mass ahead of an upper level disturbance that shifted southeast across the region. This resulted in the development of scattered strong to severe thunderstorms across East Texas and Western Louisiana, with damaging wind gusts and isolated large hail observed. These storms diminished during the evening with the loss of heating and reduced instability.","Lightning struck a cluster of trees at Daingerfield State Park from a thunderstorm that moved near the park. At least five trees showed signs of lightning damage, with the strike causing the main underground water and sewer lines to explode. It also blew the phone box off of the pump station and smoked all of the outlets in the Big Pine Bathhouse. Pieces of the concrete sidewalk blew at several joints leading to the bathhouse. The extent of this damage caused the closure of the park until repairs could be made." +116551,700858,TEXAS,2017,July,Thunderstorm Wind,"SMITH",2017-07-09 14:11:00,CST-6,2017-07-09 14:11:00,0,0,0,0,0.00K,0,0.00K,0,32.3997,-95.2606,32.3997,-95.2606,"Scattered showers and thunderstorms developed during the afternoon hours on July 9th, along an old outflow boundary that propagated southeast from an earlier cluster of showers and thunderstorms that developed during the early morning hours over the Red River Valley of Southern Oklahoma and North Texas ahead of an upper level disturbance. Strong heating and the rich low level moisture in place contributed to increased instability during the afternoon, such that a few of these storms became severe across Smith County Texas, resulting in damaging winds which downed a tree northeast of Tyler. These storms diminished during the evening with the loss of heating and reduced instability.","A tree was blown down on County Road 381 off of County Road 382." +116552,700859,LOUISIANA,2017,July,Thunderstorm Wind,"WEBSTER",2017-07-13 18:15:00,CST-6,2017-07-13 18:15:00,0,0,0,0,0.00K,0,0.00K,0,32.9432,-93.2956,32.9432,-93.2956,"An isolated severe thunderstorm developed along a residual upper level shear axis that extended west to east across the Arkansas/Louisiana border. The atmosphere was moderately unstable during the late afternoon and early evening hours of July 13th and one severe thunderstorm across northern Webster Parish developed along a residual surface outflow boundary from earlier convection across South Central Arkansas. This storm uprooted several trees in and near the community of Shongaloo, Louisiana.","Numerous trees and power lines were blown down in Shongaloo." +119507,717158,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 12:49:00,EST-5,2017-07-12 12:59:00,0,0,0,0,0.00K,0,0.00K,0,24.5206,-81.7901,24.5206,-81.7901,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A waterspout was observed about two miles south southwest of Key West. The waterspout was observed as a thick funnel cloud with attendant spray ring moving toward the west southwest around 5 knots." +119507,717159,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 15:30:00,EST-5,2017-07-12 15:40:00,0,0,0,0,0.00K,0,0.00K,0,24.67,-81.21,24.67,-81.21,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A waterspout was observed and reported via social media south of the Seven Mile Bridge. A spray ring was visible." +119507,717161,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 16:30:00,EST-5,2017-07-12 16:40:00,0,0,0,0,0.00K,0,0.00K,0,24.6567,-81.3785,24.6567,-81.3785,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A waterspout was observed and reported via social media over North Pine Channel about one mile east southeast of Little Torch Key. The waterspout had a spray ring." +119507,717163,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"GULF OF MEXICO FROM EAST CAPE SABLE TO CHOKOLOSKEE 20 TO 60 NM OUT AND BEYOND 5 FATHOMS",2017-07-12 18:15:00,EST-5,2017-07-12 18:15:00,0,0,0,0,0.00K,0,0.00K,0,24.72,-81.92,24.72,-81.92,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 34 knots was measured at an automated WeatherFlow station at Smith Shoal Light." +119507,717164,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO THE REEF",2017-07-12 18:50:00,EST-5,2017-07-12 18:50:00,0,0,0,0,0.00K,0,0.00K,0,24.456,-81.877,24.456,-81.877,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 39 knots was measured at the new Sand Key Light." +118523,712100,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-06 04:23:00,CST-6,2017-07-06 04:23:00,0,0,0,0,,NaN,,NaN,46.88,-92.4,46.88,-92.4,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","A large tree that was blown down was blocking a road." +120539,722125,KANSAS,2017,January,Ice Storm,"GREENWOOD",2017-01-14 02:00:00,CST-6,2017-01-15 03:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","The far southwestern sections of the county had ice accumulations near 0.3 inches. Most other locations were around 0.2 inches." +120539,722124,KANSAS,2017,January,Ice Storm,"BUTLER",2017-01-13 17:55:00,CST-6,2017-01-15 05:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Most locations had ice accumulations around 0.1 to 0.2 inches. However, the far southeast corner near Latham and south of Beaumont recorded 0.3 inches of ice." +120539,722127,KANSAS,2017,January,Ice Storm,"ALLEN",2017-01-13 12:00:00,CST-6,2017-01-15 12:35:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations ranged from 0.25 inches in the far southeastern sections to near 0.4 inches along the northern county line." +118029,709514,TEXAS,2017,July,Thunderstorm Wind,"JEFF DAVIS",2017-07-01 17:35:00,CST-6,2017-07-01 17:35:00,0,0,0,0,,NaN,,NaN,30.6958,-103.88,30.6958,-103.88,"A weakened upper ridge was over the region. There was a cold front/outflow boundary across the area along with a couple of other outflow boundaries which provided a focus for thunderstorm development. Southeast winds resulted in upslope flow along the higher terrain in West Texas and southeast New Mexico. These southeast winds also resulted in moisture being transported into the area, and daytime heating aiding in lift which created an unstable atmosphere. There was also an area of intense low-level winds, known as a low-level jet, which helped storms continue into the overnight hours. The storms produced severe wind gusts across West Texas and southeast New Mexico.","A thunderstorm moved across Jeff Davis County and produced a 65 mph wind gust at McDonald Observatory." +116286,699760,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-04 21:10:00,CST-6,2017-07-04 21:10:00,0,0,0,0,,NaN,,NaN,47.41,-97.6,47.41,-97.6,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","Large hail and heavy rain fell across northern Elendale Township." +116286,699762,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-04 21:37:00,CST-6,2017-07-04 21:37:00,0,0,0,0,,NaN,,NaN,47.39,-97.68,47.39,-97.68,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699763,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-04 22:10:00,CST-6,2017-07-04 22:10:00,0,0,0,0,,NaN,,NaN,47.08,-96.99,47.08,-96.99,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","" +116286,699764,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-04 22:15:00,CST-6,2017-07-04 22:18:00,0,0,0,0,,NaN,,NaN,47.05,-96.94,47.05,-96.94,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","The hail was mostly dime sized." +116549,701149,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 21:54:00,CST-6,2017-07-11 21:54:00,0,0,0,0,,NaN,,NaN,46.63,-95.17,46.63,-95.17,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","Pea size hail fell in Sebeka. It was slightly larger to the west." +116549,701150,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 22:00:00,CST-6,2017-07-11 22:00:00,0,0,0,0,,NaN,,NaN,46.56,-96.05,46.56,-96.05,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The hail fell between Pelican Rapids and Lake Lida." +116549,701151,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-11 22:15:00,CST-6,2017-07-11 22:15:00,0,0,0,0,,NaN,,NaN,46.53,-95.81,46.53,-95.81,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","The large hail was accompanied by very heavy rain and strong wind." +117321,705604,NORTH DAKOTA,2017,July,Hail,"TOWNER",2017-07-29 17:50:00,CST-6,2017-07-29 17:50:00,0,0,0,0,,NaN,,NaN,48.53,-99.34,48.53,-99.34,"With the lack of much upper level support, most thunderstorms on the evening of July 29th were pretty weak. However, one thunderstorm over southern Towner County managed to get stronger than the others, and produced large hail near Cando. These thunderstorms also trained across western Towner County, producing up to 2.50 inches of rain over a small area near Perth.","" +116898,702951,MINNESOTA,2017,July,Thunderstorm Wind,"HUBBARD",2017-07-21 16:42:00,CST-6,2017-07-21 16:42:00,0,0,0,0,,NaN,,NaN,47.24,-94.74,47.24,-94.74,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","A few large trees were blown down around Garfield Lake." +116898,702952,MINNESOTA,2017,July,Hail,"BECKER",2017-07-21 16:45:00,CST-6,2017-07-21 16:45:00,0,0,0,0,,NaN,,NaN,47,-95.85,47,-95.85,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail was accompanied by very heavy rain." +117046,704121,MARYLAND,2017,July,Lightning,"TALBOT",2017-07-22 14:40:00,EST-5,2017-07-22 14:40:00,0,0,0,0,0.01K,10,0.00K,0,38.79,-76.23,38.79,-76.23,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Several lightning strikes, leading to over 1,100 people without power." +117046,704124,MARYLAND,2017,July,Thunderstorm Wind,"TALBOT",2017-07-22 14:43:00,EST-5,2017-07-22 14:43:00,0,0,0,0,,NaN,,NaN,38.77,-76.08,38.77,-76.08,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","A tree was downed due to thunderstorm winds." +117046,704126,MARYLAND,2017,July,Thunderstorm Wind,"TALBOT",2017-07-22 14:56:00,EST-5,2017-07-22 14:56:00,0,0,0,0,,NaN,,NaN,38.66,-76.06,38.66,-76.06,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Several trees were taken down due to thunderstorm winds that blocked a road." +117046,704127,MARYLAND,2017,July,Thunderstorm Wind,"TALBOT",2017-07-22 15:00:00,EST-5,2017-07-22 15:00:00,0,0,0,0,,NaN,,NaN,38.66,-76.06,38.66,-76.06,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Trees downed due to thunderstorm winds, a roof was also damaged." +117046,704128,MARYLAND,2017,July,Thunderstorm Wind,"QUEEN ANNE'S",2017-07-22 14:18:00,EST-5,2017-07-22 14:18:00,0,0,0,0,,NaN,,NaN,38.91,-76.36,38.91,-76.36,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Measured gust." +117046,704129,MARYLAND,2017,July,Thunderstorm Wind,"CECIL",2017-07-24 19:13:00,EST-5,2017-07-24 19:13:00,0,0,0,0,,NaN,,NaN,39.6,-75.94,39.6,-75.94,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Measured gust." +117050,704130,MARYLAND,2017,July,Heavy Rain,"QUEEN ANNE'S",2017-07-29 00:44:00,EST-5,2017-07-29 00:44:00,0,0,0,0,,NaN,,NaN,38.9,-76.2,38.9,-76.2,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Almost three inches of rain fell in six hours." +117050,704131,MARYLAND,2017,July,Heavy Rain,"TALBOT",2017-07-29 00:47:00,EST-5,2017-07-29 00:47:00,0,0,0,0,,NaN,,NaN,38.78,-76.25,38.78,-76.25,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Just over two inches of rain fell in six hours." +117050,704132,MARYLAND,2017,July,Heavy Rain,"QUEEN ANNE'S",2017-07-29 06:49:00,EST-5,2017-07-29 06:49:00,0,0,0,0,0.00K,0,0.00K,0,38.96,-76.31,38.96,-76.31,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Two and two thirds inches of rain was measured." +117050,704133,MARYLAND,2017,July,Heavy Rain,"TALBOT",2017-07-29 06:55:00,EST-5,2017-07-29 06:55:00,0,0,0,0,,NaN,,NaN,38.77,-76.08,38.77,-76.08,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Five and two thirds inches of rain was measured." +117050,704134,MARYLAND,2017,July,Heavy Rain,"QUEEN ANNE'S",2017-07-29 06:59:00,EST-5,2017-07-29 06:59:00,0,0,0,0,,NaN,,NaN,38.9,-76.2,38.9,-76.2,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Just over three and a half inches of rain fell." +117050,704135,MARYLAND,2017,July,Heavy Rain,"TALBOT",2017-07-29 07:02:00,EST-5,2017-07-29 07:02:00,0,0,0,0,,NaN,,NaN,38.78,-76.25,38.78,-76.25,"A rare summertime Nor'easter tracked just offshore producing heavy rain and wind.","Almost four inches of rain fell in 12 hours." +118013,709556,WEST VIRGINIA,2017,July,Flood,"MINERAL",2017-07-29 08:42:00,EST-5,2017-07-29 16:15:00,0,0,0,0,0.00K,0,0.00K,0,39.3949,-79.1838,39.3909,-79.1901,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on North Branch Potomac River at Kitzmiller reached their flood stage 9 feet. It peaked at 10.71 feet at 11:45 EST. Low lying areas near the river around Kitzmiller began to flood." +118013,709557,WEST VIRGINIA,2017,July,Flood,"GRANT",2017-07-29 07:36:00,EST-5,2017-07-29 14:56:00,0,0,0,0,0.00K,0,0.00K,0,39.2832,-79.3495,39.2851,-79.3527,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on North Branch Potomac River at Steyer reached their flood stage 9 feet. It peaked at 11.12 feet at 10:15 EST. Water began to cover a portion of Althouse Mill Road near Bayard." +118122,709866,VIRGINIA,2017,July,Flash Flood,"GREENE",2017-07-05 10:40:00,EST-5,2017-07-05 12:29:00,0,0,0,0,0.00K,0,0.00K,0,38.3005,-78.4858,38.3003,-78.4895,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Mutton Hollow Road was closed due to high water near Dyke Road." +118122,709871,VIRGINIA,2017,July,Flash Flood,"GREENE",2017-07-05 11:37:00,EST-5,2017-07-05 12:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2087,-78.3607,38.2082,-78.359,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Preddy Creek was out of its banks leading to water flowing across Preddy Creek Road near Walnut Way. Carpenters Mill Road was also closed due to high water near Matthew Mill Road." +118122,709872,VIRGINIA,2017,July,Flash Flood,"GREENE",2017-07-05 12:00:00,EST-5,2017-07-05 12:30:00,0,0,0,0,0.00K,0,0.00K,0,38.2519,-78.4322,38.2518,-78.4328,"A cold front stalled out across the Mid-Atlantic region and showers developed across the region. High moisture content and slow storm motion led to high rainfall rates and flooding especially across the Central Foothills of Virginia.","Goldenrod Road was closed due to high water near East Daffodil Road." +118002,709891,MARYLAND,2017,July,Flash Flood,"CHARLES",2017-07-06 08:00:00,EST-5,2017-07-06 12:30:00,0,0,0,0,0.00K,0,0.00K,0,38.5029,-76.9622,38.5017,-76.9615,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","There was high water flowing across the roadway near the intersection of Glen Albin Road and Spring Hill-Newtown Road." +118002,709892,MARYLAND,2017,July,Flash Flood,"ST. MARY'S",2017-07-06 10:02:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.3616,-76.646,38.363,-76.648,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Friendship School Road washed out at the Culvert between Maypole Road and Jones Road. The road was closed." +118014,713386,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 23:20:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.1855,-77.0873,39.1835,-77.0628,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Brookeville Road was flooded and closed between Zion Road and Georgia Avenue due to flooding of Reddy Branch due to torrential rainfall." +118014,713387,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 23:40:00,EST-5,2017-07-29 01:40:00,0,0,0,0,0.00K,0,0.00K,0,39.159,-77.2363,39.1598,-77.2323,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Game Preserve Road was flooded and closed due to torrential rain." +118014,713388,MARYLAND,2017,July,Flood,"PRINCE GEORGE'S",2017-07-29 00:30:00,EST-5,2017-07-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,39.0011,-76.9836,39.0014,-76.9825,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Piney Branch Road flooded and closed near New Hampshire Avenue." +118014,713389,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-29 01:00:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.3429,-76.3964,39.3492,-76.3869,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Eastern Avenue flooded and closed due to torrential rain near Bowleys Quarters." +118014,713391,MARYLAND,2017,July,Flash Flood,"ANNE ARUNDEL",2017-07-29 01:00:00,EST-5,2017-07-29 01:45:00,0,0,0,0,0.00K,0,0.00K,0,39.211,-76.7048,39.2085,-76.7027,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Furnace Avenue closed at Ridge Road due to flash flooding of Deep Run." +118014,713392,MARYLAND,2017,July,Flood,"ANNE ARUNDEL",2017-07-29 01:45:00,EST-5,2017-07-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-76.7,39.2089,-76.7045,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Furnace Avenue remained closed at Ridge Road due to flooding of Deep Run." +118015,713394,DISTRICT OF COLUMBIA,2017,July,Flood,"DISTRICT OF COLUMBIA",2017-07-29 02:00:00,EST-5,2017-07-29 02:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8645,-76.9526,38.864,-76.9524,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Water damage from heavy rain caused a wall to collapse at an apartment building in the 3800 block of V Street Southeast." +119067,715054,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:44:00,EST-5,2017-07-14 15:59:00,0,0,0,0,,NaN,,NaN,38.87,-77.01,38.87,-77.01,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 37 to 40 knots were reported at Nationals Park." +119067,715055,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:48:00,EST-5,2017-07-14 15:48:00,0,0,0,0,,NaN,,NaN,38.79,-77.04,38.79,-77.04,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust in excess of 30 knots was reported at the Upper Potomac Buoy." +119067,715056,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-14 15:54:00,EST-5,2017-07-14 15:54:00,0,0,0,0,,NaN,,NaN,38.84,-77.06,38.84,-77.06,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gusts of 36 knots was reported." +119067,715057,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:20:00,EST-5,2017-07-14 16:20:00,0,0,0,0,,NaN,,NaN,38.3089,-77.0019,38.3089,-77.0019,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gusts of 39 knots was reported at Pylons." +119067,715058,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:29:00,EST-5,2017-07-14 16:29:00,0,0,0,0,,NaN,,NaN,38.23,-76.98,38.23,-76.98,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported." +119067,715059,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:37:00,EST-5,2017-07-14 16:42:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 36 to 39 knots were reported at Cuckold Creek." +119067,715060,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:38:00,EST-5,2017-07-14 16:43:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 36 to 40 knots were reported at Monroe Creek." +119067,715061,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-14 16:31:00,EST-5,2017-07-14 16:36:00,0,0,0,0,,NaN,,NaN,38.94,-76.44,38.94,-76.44,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 36 to 37 knots were reported at Tolly Point." +116251,701725,DELAWARE,2017,July,Heavy Rain,"NEW CASTLE",2017-07-07 06:00:00,EST-5,2017-07-07 06:00:00,0,0,0,0,,NaN,,NaN,39.5,-75.75,39.5,-75.75,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches. This lead to flooding and flash flooding in New Castle County.","Twenty four hour rainfall from the 6th over 3 inches." +116252,699102,MARYLAND,2017,July,Heavy Rain,"CECIL",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.42,-75.78,39.42,-75.78,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","" +116252,699103,MARYLAND,2017,July,Heavy Rain,"KENT",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-75.88,39.34,-75.88,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","" +116252,701722,MARYLAND,2017,July,Heavy Rain,"CECIL",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,,NaN,,NaN,39.59,-75.83,39.59,-75.83,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","Two to four inches of rain was measured." +116252,701723,MARYLAND,2017,July,Heavy Rain,"CECIL",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,,NaN,,NaN,39.6,-75.82,39.6,-75.82,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","Two to four inches of rain was measured." +116252,701724,MARYLAND,2017,July,Heavy Rain,"CECIL",2017-07-06 21:00:00,EST-5,2017-07-06 21:00:00,0,0,0,0,,NaN,,NaN,39.6,-75.94,39.6,-75.94,"A stationary frontal boundary draped across the Delmarva lead to a period of heavy rainfall during the afternoon and evening of July 6th, particularly over northern Delaware and northeast Maryland. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 6 to 8 inches.","Two to four inches of rain was measured." +116253,699104,NEW JERSEY,2017,July,Flood,"WARREN",2017-07-07 07:18:00,EST-5,2017-07-07 07:18:00,0,0,0,0,0.00K,0,0.00K,0,40.85,-74.83,40.8519,-74.8254,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","Several roads flooded, including Route 46." +116385,700050,PENNSYLVANIA,2017,July,Thunderstorm Wind,"SNYDER",2017-07-13 13:46:00,EST-5,2017-07-13 13:46:00,0,0,0,0,0.00K,0,0.00K,0,40.7334,-77.2759,40.7334,-77.2759,"A mesoscale convective vortex (MCV) traversed central Pennsylvania during the late afternoon of July 13, 2017, generating showers and thunderstorms. One of these storms developed into a long-lived supercell that eventually produced wind damage in southwestern Snyder County.","A severe thunderstorm producing winds estimated near 60 mph knocked down and snapped trees along Ridge Road between McClure and Beaver Springs." +116367,699692,TEXAS,2017,July,Thunderstorm Wind,"PARMER",2017-07-04 18:00:00,CST-6,2017-07-04 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.65,-102.69,34.65,-102.69,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Friona." +116367,699693,TEXAS,2017,July,Hail,"KENT",2017-07-04 18:23:00,CST-6,2017-07-04 18:37:00,0,0,0,0,0.00K,0,0.00K,0,33.2446,-100.579,33.25,-100.57,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Hail from pea to dime size fell near the Kent County Sheriff's Office, with half dollar size hail falling a few blocks distant at a NWS COOP observer's house. No damage was reported." +116367,699694,TEXAS,2017,July,Thunderstorm Wind,"CASTRO",2017-07-04 18:35:00,CST-6,2017-07-04 18:45:00,0,0,0,0,0.00K,0,0.00K,0,34.57,-102.29,34.57,-102.29,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","A Texas Tech University West Texas mesonet near Dimmitt measured gusts to 70 mph at 1835 CST and 60 mph at 1845 CST." +116196,701450,FLORIDA,2017,July,Lightning,"PINELLAS",2017-07-03 12:00:00,EST-5,2017-07-03 12:00:00,0,3,0,0,,NaN,0.00K,0,28.0038,-82.7639,28.0038,-82.7639,"Scattered thunderstorms developed over the Florida Peninsula during the afternoon. A lightning strike from one of these storms caused a structure fire in Pinellas county. Additionally, a gustnado caused wind damage to some manufactured homes.","Pinellas County 911 reported that a lightning strike caused a fire in the attic of an apartment complex in Dunedin, severely damaging two of the units. Three fire fighters were injured while attempting to put out the fire." +116196,701830,FLORIDA,2017,July,Thunderstorm Wind,"PINELLAS",2017-07-03 12:00:00,EST-5,2017-07-03 12:00:00,0,0,0,0,20.00K,20000,0.00K,0,27.8992,-82.7177,27.8992,-82.7177,"Scattered thunderstorms developed over the Florida Peninsula during the afternoon. A lightning strike from one of these storms caused a structure fire in Pinellas county. Additionally, a gustnado caused wind damage to some manufactured homes.","State emergency management and broadcast media reported damage to manufactured homes from a gustnado. Cell phone video showed brief swirling winds but no condensation funnel. The winds snapped wooden sign posts and pulled vinyl skirting and siding off of some of the homes, although nearby tree branches appeared unaffected." +116710,701839,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-11 18:21:00,EST-5,2017-07-11 18:21:00,0,0,0,0,0.00K,0,0.00K,0,27.95,-82.46,27.95,-82.46,"Scattered thunderstorms developed over the Florida Peninsula, mainly along sea breeze boundaries. Under easterly flow, these storms pushed west towards the Gulf Coast during the afternoon and early evening hours, producing marine wind gusts.","A home weather station (D3253) recorded a 35 knot marine wind gust." +116710,701840,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-07-11 15:12:00,EST-5,2017-07-11 15:12:00,0,0,0,0,0.00K,0,0.00K,0,26.9,-82.31,26.9,-82.31,"Scattered thunderstorms developed over the Florida Peninsula, mainly along sea breeze boundaries. Under easterly flow, these storms pushed west towards the Gulf Coast during the afternoon and early evening hours, producing marine wind gusts.","A WeatherFlow station (XGRV) recorded a 34 knot marine wind gust." +116715,701927,FLORIDA,2017,July,Thunderstorm Wind,"LAKE",2017-07-21 13:40:00,EST-5,2017-07-21 13:40:00,0,0,0,0,25.00K,25000,0.00K,0,28.6278,-81.8029,28.6278,-81.8029,"A thunderstorm quickly became locally severe and produced a microburst which significantly damaged several buildings at the Florida Flying Gators Ultralight Airport.","An Orlando TV station relayed a report and photos from a resident of wind damage at the Florida Flying Gators Ultralight Airport in Groveland. A thunderstorm quickly became locally severe and produced a microburst which significantly damaged several buildings at the airport. Several small buildings had their roofs removed and several ultralight aircraft were overturned and damaged. Examination of the damage photos suggested peak winds were between 60 and 70 mph." +116711,701931,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-12 15:49:00,EST-5,2017-07-12 15:49:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6257,27.7685,-82.6257,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","The Albert Whitted Airport ASOS in St. Petersburg measured a wind gust of 39 knots, 45 mph." +117022,703846,ARKANSAS,2017,July,Heat,"COLUMBIA",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117022,703847,ARKANSAS,2017,July,Heat,"UNION",2017-07-19 09:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built in across portions of the Southern Plains and Lower Mississippi Valley between July 19th-22nd, resulting in high temperatures each day climbing into the mid 90s across Southwest Arkansas. When combined with the high humidity, heat indices ranged from 105-108 degrees each day.","" +117035,703922,TEXAS,2017,July,Heat,"RED RIVER",2017-07-26 12:00:00,CST-6,2017-07-27 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-27th, resulting in high temperatures each day climbing into the mid 90s across Northeast Texas. When combined with the high humidity, heat indices climbed to near 105 degrees each day.","" +117037,703928,TEXAS,2017,July,Heat,"FRANKLIN",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703929,TEXAS,2017,July,Heat,"TITUS",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703930,TEXAS,2017,July,Heat,"CAMP",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117049,704214,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:58:00,EST-5,2017-07-29 07:58:00,0,0,0,0,,NaN,,NaN,38.46,-75.58,38.46,-75.58,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just under four inches of rain fell at this DEOS." +117049,704216,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 07:59:00,EST-5,2017-07-29 07:59:00,0,0,0,0,,NaN,,NaN,39.01,-75.46,39.01,-75.46,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two inches of rain fell at this DEOS." +117049,704218,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 07:59:00,EST-5,2017-07-29 07:59:00,0,0,0,0,,NaN,,NaN,38.81,-75.59,38.81,-75.59,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","About four and a half inches of rain fell at this DEOS." +117049,704219,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 08:00:00,EST-5,2017-07-29 08:00:00,0,0,0,0,,NaN,,NaN,39.23,-75.67,39.23,-75.67,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Just over two inches of rain fell at this DEOS." +117049,704220,DELAWARE,2017,July,Heavy Rain,"KENT",2017-07-29 08:00:00,EST-5,2017-07-29 08:00:00,0,0,0,0,,NaN,,NaN,39.3,-75.61,39.3,-75.61,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Around three and a half inches of rain fell at this DEOS." +117049,704221,DELAWARE,2017,July,Heavy Rain,"SUSSEX",2017-07-29 08:01:00,EST-5,2017-07-29 08:01:00,0,0,0,0,,NaN,,NaN,38.46,-75.22,38.46,-75.22,"A rare summertime Nor'easter tracked just offshore producing heavy rain, thunderstorms and wind. Coastal flooding and beach erosion also occurred.","Three inches of rain was measured." +117044,704007,NEW JERSEY,2017,July,Flash Flood,"GLOUCESTER",2017-07-24 03:30:00,EST-5,2017-07-24 03:30:00,0,0,0,0,0.01K,10,0.00K,0,39.718,-75.1267,39.7165,-75.1121,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Dorms at Rowan University were evacuated due to flash flooding." +117044,704009,NEW JERSEY,2017,July,Flood,"SOMERSET",2017-07-22 23:17:00,EST-5,2017-07-23 00:17:00,0,0,0,0,0.00K,0,0.00K,0,40.5358,-74.556,40.5535,-74.659,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Minor street flooding." +117044,704010,NEW JERSEY,2017,July,Flood,"CUMBERLAND",2017-07-24 17:15:00,EST-5,2017-07-24 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.4817,-75.2021,39.4789,-75.2395,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Parts of Silver Lake road closed." +117044,704011,NEW JERSEY,2017,July,Heavy Rain,"SALEM",2017-07-23 10:59:00,EST-5,2017-07-23 10:59:00,0,0,0,0,,NaN,,NaN,39.63,-75.36,39.63,-75.36,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A little over 3 inches of rain fell and almost all of it in one hour." +116698,701769,FLORIDA,2017,July,Hail,"HILLSBOROUGH",2017-07-10 15:18:00,EST-5,2017-07-10 15:18:00,0,0,0,0,0.00K,0,0.00K,0,28.12,-82.37,28.12,-82.37,"A line of strong to severe thunderstorms developed along the I-75 corridor and pushed west towards the Gulf Coast during the late afternoon. Widespread heavy rain, gusty winds, and some hail were observed across portions of Hillsborough and Pasco Counties.","Local broadcast media shared a picture of quarter to half dollar size hail." +116698,701832,FLORIDA,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-10 16:25:00,EST-5,2017-07-10 16:25:00,0,0,0,0,20.00K,20000,0.00K,0,27.9589,-82.4205,27.9589,-82.4205,"A line of strong to severe thunderstorms developed along the I-75 corridor and pushed west towards the Gulf Coast during the late afternoon. Widespread heavy rain, gusty winds, and some hail were observed across portions of Hillsborough and Pasco Counties.","A 25 foot by 60 foot section of aluminium roof was reported to have been peeled back from a warehouse building in Tampa." +116698,701833,FLORIDA,2017,July,Thunderstorm Wind,"HILLSBOROUGH",2017-07-10 15:45:00,EST-5,2017-07-10 15:45:00,0,0,0,0,5.00K,5000,0.00K,0,27.9963,-82.3935,27.9963,-82.3935,"A line of strong to severe thunderstorms developed along the I-75 corridor and pushed west towards the Gulf Coast during the late afternoon. Widespread heavy rain, gusty winds, and some hail were observed across portions of Hillsborough and Pasco Counties.","A large tree fell onto a SUV in a parking lot while a man waited inside the vehicle for the storm to subside. The man was not injured. The tree also pulled down powerlines." +116698,701771,FLORIDA,2017,July,Thunderstorm Wind,"PASCO",2017-07-10 16:45:00,EST-5,2017-07-10 16:45:00,0,0,0,0,4.00K,4000,0.00K,0,28.2,-82.38,28.2,-82.38,"A line of strong to severe thunderstorms developed along the I-75 corridor and pushed west towards the Gulf Coast during the late afternoon. Widespread heavy rain, gusty winds, and some hail were observed across portions of Hillsborough and Pasco Counties.","A trained spotter reported a large tree down along with numerous branches near I-75 and State Road 54." +116705,701930,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:18:00,EST-5,2017-07-10 16:18:00,0,0,0,0,0.00K,0,0.00K,0,27.933,-82.433,27.933,-82.433,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The PORTS station near the Tampa Cruise Terminal measured a wind gust to 35 knots, 40 mph." +116705,701929,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-10 16:31:00,EST-5,2017-07-10 16:31:00,0,0,0,0,0.00K,0,0.00K,0,27.6134,-82.7648,27.6134,-82.7648,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The WeatherFlow station near Egmont Key measured a wind gust to 35 knots, 40 mph." +116705,701781,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:32:00,EST-5,2017-07-10 16:32:00,0,0,0,0,0.00K,0,0.00K,0,27.75,-82.56,27.75,-82.56,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The Middle Tampa Bay PORTS site measured a wind gust to 51 knots, 59 mph." +116850,703129,WEST VIRGINIA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-22 22:25:00,EST-5,2017-07-22 22:25:00,0,0,0,0,12.00K,12000,0.00K,0,38.28,-82.1,38.28,-82.1,"A warm front lifted across the middle Ohio River Valley and Central Appalachians on July 22nd. A wave of low pressure moved along the front during the afternoon, causing increased coverage of showers and thunderstorms. Some of these were strong to severe, and also contained heavy rainfall with totals of 1 to 3 inches.","Several trees were blown down in Hamlin. One fell on a house, damaging the home's rain gutter. Several blocks away a tree fell onto a car, which was totaled." +117255,705231,MONTANA,2017,July,Thunderstorm Wind,"MISSOULA",2017-07-14 19:02:00,MST-7,2017-07-14 19:10:00,0,0,0,0,60.00K,60000,0.00K,0,47.3216,-113.5819,47.3216,-113.5819,"Monsoon moisture triggered thunderstorms over west-central Montana on a very hot and dry day in mid-July. One of the thunderstorms weakened considerably over the Lake Alva campground causing a damaging microburst to occur.","Multiple trees of varying thicknesses were either blown over or snapped in the Lake Alva campground. One spruce tree larger than 20 inches in diameter fell lengthwise onto a camper, totaling the trailer but sparing an infant in a bassinet. Another camper was also damaged as a tree fell lengthwise onto it but no one was injured. Property damage of both campers was estimated to be sixty thousand dollars." +116907,703024,PENNSYLVANIA,2017,July,Tornado,"LEBANON",2017-07-22 18:40:00,EST-5,2017-07-22 18:41:00,0,0,0,0,0.00K,0,0.00K,0,40.334,-76.389,40.3347,-76.3874,"An EF0 tornado briefly touched down in Lebanon County during the evening of July 22, 2017.","A brief tornado touched down near Avon in Lebanon County during the evening of July 22, 2017. Damage was extremely limited, with only 1 large tree and several smaller limbs from nearby trees being broken. A few loose yard objects indicated a convergent wind pattern. Determination was based on several eyewitness reports, along with several video clips of the tornado. Winds were estimated at 65 mph, making this a weak EF0. There were no injuries or deaths. Time on the ground was less than 1 minute." +116939,703298,PENNSYLVANIA,2017,July,Tornado,"NORTHUMBERLAND",2017-07-24 14:57:00,EST-5,2017-07-24 14:58:00,0,0,0,0,0.00K,0,0.00K,0,40.9171,-76.6692,40.9145,-76.6637,"An isolated supercell produced a brief EF0 tornado in Northumberland County in the afternoon of July 24, 2017.","A brief EF0 touched down near Klines Grove in Northumberland County during the afternoon of July 24, 2017. The tornado was witnessed by a police officer, and was supported by a path of damage in vegetation in a farm field. There was no other visible damage. The tornado was on the ground for less than a minute. No injuries or deaths were reported." +117259,705311,NEBRASKA,2017,July,Thunderstorm Wind,"HAYES",2017-07-02 20:15:00,CST-6,2017-07-02 20:15:00,0,0,0,0,,NaN,,NaN,40.37,-101.13,40.37,-101.13,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","A roof was blown off a house east of Hamlet. A large tree was also downed in the area." +116905,703033,MONTANA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-16 00:38:00,MST-7,2017-07-16 00:38:00,0,0,0,0,,NaN,,NaN,46.4,-105.86,46.4,-105.86,"A few thunderstorms developed across the Billings Forecast Area during the afternoon and early evening of the 16th. Due to large temperature-dewpoint spreads, the main impact from these thunderstorms was very strong wind gusts which resulted in some isolated damage.","Wind damage occurred in the vicinity of Garry Owen/Spotted Eagle Roads, including a downed power line and downed trees. A few sheds were blown apart and a roof was blown off a shed." +117166,704768,SOUTH DAKOTA,2017,July,Hail,"CUSTER",2017-07-17 13:07:00,MST-7,2017-07-17 13:07:00,0,0,0,0,,NaN,0.00K,0,43.5768,-103.31,43.5768,-103.31,"Large hail fell with a severe thunderstorm that tracked southeastward across eastern Custer and Oglala Lakota Counties.","A car windshield was cracked by the large hail." +117166,704770,SOUTH DAKOTA,2017,July,Hail,"OGLALA LAKOTA",2017-07-17 15:08:00,MST-7,2017-07-17 15:08:00,0,0,0,0,0.00K,0,0.00K,0,43.3308,-102.7132,43.3308,-102.7132,"Large hail fell with a severe thunderstorm that tracked southeastward across eastern Custer and Oglala Lakota Counties.","" +117167,704771,SOUTH DAKOTA,2017,July,Hail,"CUSTER",2017-07-17 17:50:00,MST-7,2017-07-17 17:50:00,0,0,0,0,0.00K,0,0.00K,0,43.5066,-103.48,43.5066,-103.48,"A severe thunderstorm moved southeast across southwestern South Dakota, producing hail and gusty winds from the southern Black Hills to Oglala Lakota County.","" +117167,704772,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"OGLALA LAKOTA",2017-07-17 19:24:00,MST-7,2017-07-17 19:24:00,0,0,0,0,0.00K,0,0.00K,0,43.1655,-102.75,43.1655,-102.75,"A severe thunderstorm moved southeast across southwestern South Dakota, producing hail and gusty winds from the southern Black Hills to Oglala Lakota County.","Wind gusts were estimated at 60 mph." +117168,704776,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-17 17:50:00,MST-7,2017-07-17 17:50:00,0,0,0,0,0.00K,0,0.00K,0,44.0265,-103.2508,44.0265,-103.2508,"A line of thunderstorms produced wind gusts to 60 mph across the Rapid City area and the adjacent plains to the east.","Wind gusts were estimated about 60 mph." +117168,704778,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"PENNINGTON",2017-07-17 18:05:00,MST-7,2017-07-17 18:05:00,0,0,0,0,0.00K,0,0.00K,0,44.09,-102.84,44.09,-102.84,"A line of thunderstorms produced wind gusts to 60 mph across the Rapid City area and the adjacent plains to the east.","The spotter estimated wind gusts at 60 mph." +117163,704763,WYOMING,2017,July,Thunderstorm Wind,"WESTON",2017-07-17 15:45:00,MST-7,2017-07-17 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.7788,-104.6591,43.7788,-104.6591,"A short-lived severe thunderstorm produced wind gusts to 60 mph north of Clareton.","Wind gusts were estimated at 60 mph." +117165,704765,WYOMING,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-17 19:38:00,MST-7,2017-07-17 19:38:00,0,0,0,0,0.00K,0,0.00K,0,44.7168,-105.4118,44.7168,-105.4118,"A severe thunderstorm produced wind gusts around 60 mph across portions of northeastern Campbell and western Crook Counties.","Wind gusts were estimated at 60 mph." +117165,704767,WYOMING,2017,July,Thunderstorm Wind,"CROOK",2017-07-17 20:50:00,MST-7,2017-07-17 20:50:00,0,0,0,0,0.00K,0,0.00K,0,44.6855,-104.6188,44.6855,-104.6188,"A severe thunderstorm produced wind gusts around 60 mph across portions of northeastern Campbell and western Crook Counties.","The spotter estimated wind gusts at 60 mph." +117514,706818,KENTUCKY,2017,July,Heat,"BALLARD",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706819,KENTUCKY,2017,July,Heat,"CALDWELL",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706820,KENTUCKY,2017,July,Heat,"CALLOWAY",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706821,KENTUCKY,2017,July,Heat,"CARLISLE",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706822,KENTUCKY,2017,July,Heat,"CHRISTIAN",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706823,KENTUCKY,2017,July,Heat,"CRITTENDEN",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117510,706763,KENTUCKY,2017,July,Excessive Heat,"WEBSTER",2017-07-21 11:00:00,CST-6,2017-07-22 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in two to three days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for a few days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at Paducah during the hot weather were 109 degrees on the 21st and 107 degrees on the 22nd. At Hopkinsville, the peak heat index was 106 on the 21st, 107 on the 22nd, and about 105 on the 23rd. A number of Kentucky mesonet sites and automated airport sites reported peak heat indices from 110 to 115 on the 21st and 22nd. Actual air temperatures reached the mid to upper 90's both afternoons. Overnight lows were in the mid to upper 70's. Cooling centers were opened in Marshall County to accomodate residents needing help.","" +117511,706770,MISSOURI,2017,July,Excessive Heat,"BOLLINGER",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706771,MISSOURI,2017,July,Excessive Heat,"BUTLER",2017-07-20 11:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117171,704792,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HARDING",2017-07-18 17:10:00,MST-7,2017-07-18 17:10:00,0,0,0,0,0.00K,0,0.00K,0,45.33,-103.98,45.33,-103.98,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Wind gusts were estimated at 60 mph." +117171,704794,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 17:35:00,MST-7,2017-07-18 17:35:00,0,0,0,0,,NaN,0.00K,0,45.08,-104,45.08,-104,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704796,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-18 17:35:00,MST-7,2017-07-18 17:35:00,0,0,0,0,,NaN,0.00K,0,45.08,-104,45.08,-104,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Wind gusts were estimated at 60 mph." +117171,704799,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 17:57:00,MST-7,2017-07-18 17:57:00,0,0,0,0,,NaN,0.00K,0,45.03,-103.77,45.03,-103.77,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704800,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-18 17:57:00,MST-7,2017-07-18 17:57:00,0,0,0,0,,NaN,0.00K,0,45.03,-103.77,45.03,-103.77,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Wind gusts were estimated at 60 mph." +117171,704807,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:25:00,MST-7,2017-07-18 18:25:00,0,0,0,0,0.00K,0,0.00K,0,44.77,-103.53,44.77,-103.53,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704810,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-18 18:25:00,MST-7,2017-07-18 18:25:00,0,0,0,0,,NaN,0.00K,0,44.77,-103.53,44.77,-103.53,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","The spotter estimated wind gusts at 60 mph." +117827,708269,ARIZONA,2017,July,Dust Storm,"CENTRAL DESERTS",2017-07-09 18:55:00,MST-7,2017-07-09 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Scattered thunderstorms developed in the area around Tucson during the afternoon hours on July 9th and the storms generated strong gusty outflow winds in excess of 40 mph. The winds moved to the north and spread over the central deserts, resulting in areas of dense blowing dust; one of the communities that was most affected by the dense blowing dust was Casa Grande. Dust storm conditions were reported at the Casa Grande Municipal Airport as visibilities lowered to one eighth of a mile shortly after 1900MST. No injuries or accidents were reported as a result of the dust storm despite the very hazardous driving conditions that were produced by the sharply restricted visibilities.","Strong thunderstorms developed in the Tucson area during the late afternoon on July 9th and they produced gusty outflow winds in excess of 40 mph which spread northward and into the central deserts during the evening hours. The gusty winds resulted in dust storm conditions in the Casa Grande area and a Dust Storm Warning was issued for the area at 1854MST. The warning remained in effect through 2000MST. At 1912MST, the AWOS weather station at the Casa Grande Municipal Airport measured visibility at 1/8 of a mile due to dense blowing dust. Additionally, at 1914MST a trained spotter 7 miles north of Casa Grande reported a dust storm with visibility down to 1/4 of a mile in blowing dust. Fortunately, no accidents or injuries were reported due to the severely restricted visibilities." +117382,708297,COLORADO,2017,July,Flash Flood,"LOGAN",2017-07-27 22:15:00,MST-7,2017-07-28 01:45:00,0,0,0,0,20.00K,20000,10.00K,10000,40.44,-103.19,40.62,-103.32,"Heavy rain produced localized flash flooding southwest of Sterling and near Merino. Numerous reports of low-land flooding occurred in and around Merino. Water flooded, basements, businesses and a post office with around one inch of standing water. Rural dirt county roads were reportedly damaged by the runoff.","Doppler radar estimated at least 3 inches of rain had fallen southwest of Sterling. |There were numerous reports of low-land flooding in and around Merino. Water flooded, basements, businesses and the post office with around one inch of standing water. |Several rural county roads were damaged by the runoff from flooded fields." +117845,708303,TENNESSEE,2017,July,Flash Flood,"SHELBY",2017-07-14 18:07:00,CST-6,2017-07-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.0644,-89.88,35.0474,-89.8831,"Slow moving thunderstorms produced flash flooding across portions of southwest Tennessee during the early evening hours of July 14th.","Heavy ponding on roadways and water overflowing gutters on Knight Arnold and Winchester Roads in southeast Memphis." +116396,699945,MONTANA,2017,July,Thunderstorm Wind,"MCCONE",2017-07-11 17:35:00,MST-7,2017-07-11 17:35:00,0,0,0,0,0.00K,0,0.00K,0,48.01,-106.4,48.01,-106.4,"Thunderstorms, associated with an upper low pressure system over southern Saskatchewan, developed over northeast Montana, some of which produced hail and strong to severe wind gusts.","The Fort Peck Dam mesonet site measured a 59 mph wind gust. Time estimated from radar." +118086,709714,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-23 19:30:00,MST-7,2017-07-23 22:15:00,0,0,0,0,5.00K,5000,0.00K,0,33.0376,-112.2089,33.0956,-112.2219,"Thunderstorms with heavy rain developed across much of south-central Arizona during the evening hours on July 23rd and many of them affected the greater Phoenix metropolitan area, especially the eastern and southeast portion. Heavy rain led to episodes of both urban flooding and flash flooding, impacting communities such as San Tan, Apache Junction, Queen Creek and Casa Grande. Peak rain rates, as observed by a number of trained weather spotters, reached or exceeded 1.5 inches per hour. The heavy rain led to the issuance of multiple Flood Advisory and Flash Flood Warning products for the south-central deserts. Fortunately, no injuries resulted from the more significant flooding episodes. Additionally, one of the storms in the Phoenix area generated gusty damaging microburst winds which blew a tower onto a house just to the northeast of Phoenix Sky Harbor Airport.","Thunderstorms with heavy rain developed across the far southern portion of the greater Phoenix area during the evening hours on July 23rd; locally heavy rains with rain rates well in excess of one inch per hour led to episodes of flooding as well as flash flooding. One of the more vulnerable areas was highway 238 between the town of Maricopa and Gila Bend, especially near the town of Mobile. Many washes run across the highway and are prone to flash flooding during heavy rains. According to the Arizona Department of Highways, at 1955MST flooding was occurring along Highway 238 near the town of Mobile and the road was closed. A Flash Flood Warning was in effect at the time of the flooding, and the warning remained in effect through 2215MST. Although rains and associated flash flooding threats had largely ended by 2215MST, mud and debris would likely remain on the road into the morning hours the next day before crews would be able to re-open the highway." +117502,706670,KENTUCKY,2017,July,Thunderstorm Wind,"MASON",2017-07-22 20:47:00,EST-5,2017-07-22 20:49:00,0,0,0,0,4.00K,4000,0.00K,0,38.5233,-83.8387,38.5233,-83.8387,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","Several trees and power lines were downed along Laytham Pike." +117502,706950,KENTUCKY,2017,July,Flash Flood,"MASON",2017-07-22 23:00:00,EST-5,2017-07-23 03:00:00,0,0,0,0,750.00K,750000,0.00K,0,38.64,-83.75,38.6341,-83.7062,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","Five to seven inches of rain produced widespread flash flooding across Mason County. Several homes were damaged by rushing water, including one home that was washed off its foundation along State Route 11 east of Maysville. About 60 vehicles were washed away from an auto sales lot in Maysville. Numerous roads across the area also sustained damaged due to the rushing water." +118129,709944,OHIO,2017,July,Flash Flood,"HANCOCK",2017-07-13 04:35:00,EST-5,2017-07-13 09:00:00,0,0,0,0,575.00K,575000,0.00K,0,41.0608,-83.779,40.9877,-83.6705,"Dew points across the region during the morning of the event were in the lower 70s with high moisture content throughout the air column. A prefrontal trough moved southward into the region during the morning hours of the 13th, triggering convection. The environment supported very high rainfall rates of 4 inches an hour or greater in strong storms. All combined conditions favored a high risk of heavy rain and flooding. A Flash Flood Watch was issued for the area on Wednesday July 12 in effect through the morning of July 14. ||Major flooding occurred in Hancock county where 3 to locally 6 inches of rain fell during the early morning hours of July 13th 2017. Significant river flooding occurred on the Blanchard River. Overland flooding also occurred in Wood, Seneca, Sandusky, and Wyandot counties. The Portage River reached moderate flood stage, and the Sandusky River reached minor flood stage.","Rain moved into Hancock County shortly after 2 am on July 13th. Between 3 and 4 am 2.60��� of rain fell near the reservoir east of Findlay, with an additional 1.46��� between 4 and 5 am with a storm total of 4.61���. A cocorahs observer measured 4.66��� in Findlay, with unofficial reports of 5��� or greater in the county. ||Several roads flooded, up to 2' of water in spots. Intersection of Westmoor Rd. and Sweetwater in the northwest corner of Findlay had 2' to 3' of water. At 6 am several cars were reported stranded in town. The flooding destroyed a home on U.S. 224 West of Findlay as McKinnis Run rose pushing 2-3 foot of water into the house. Three other houses just to the north of the destroyed home had 3-5 and upwards of 8-10 inches of water in their homes. In all 25 homes were flooded, most with basement flooding." +118014,711816,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-28 23:44:00,EST-5,2017-07-29 01:30:00,0,0,0,0,0.00K,0,0.00K,0,39.24,-76.61,39.2376,-76.6099,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Multiple vehicles reported trapped in high water along West Patapsco Street near Brooklyn Park in the area of Potee Street." +118459,712823,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-14 15:50:00,EST-5,2017-07-14 15:50:00,0,0,0,0,,NaN,,NaN,38.769,-76.927,38.769,-76.927,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down along the 8600 Block of Temple Hill Road." +118459,712824,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-14 16:06:00,EST-5,2017-07-14 16:06:00,0,0,0,0,,NaN,,NaN,38.7798,-76.9089,38.7798,-76.9089,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A tree was down along 7909 Pinewood Drive." +118459,712825,MARYLAND,2017,July,Thunderstorm Wind,"PRINCE GEORGE'S",2017-07-14 15:55:00,EST-5,2017-07-14 15:55:00,0,0,0,0,,NaN,,NaN,38.91,-76.889,38.91,-76.889,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for severe thunderstorms to develop.","A wind gust of 58 mph was reported." +118427,711843,TEXAS,2017,July,Flash Flood,"COLLIN",2017-07-05 19:50:00,CST-6,2017-07-05 21:15:00,0,0,0,0,0.00K,0,0.00K,0,33.1899,-96.5393,33.185,-96.5404,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Collin County Sheriff's Department reported that Monte Carlo Blvd at U.S. 380 was flooded in the city of Princeton, TX." +118427,711848,TEXAS,2017,July,Lightning,"COLLIN",2017-07-05 20:00:00,CST-6,2017-07-05 20:00:00,0,0,0,0,1.00M,1000000,0.00K,0,33.1249,-96.8185,33.1249,-96.8185,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","Collin County Emergency Management reported substantial fire damage to a multi-family dwelling due to a lightning strike in the city of Frisco, TX." +118427,711849,TEXAS,2017,July,Lightning,"TARRANT",2017-07-05 18:00:00,CST-6,2017-07-05 18:00:00,0,0,0,0,500.00K,500000,0.00K,0,32.9184,-97.136,32.9184,-97.136,"Multiple convective complexes which developed in the Central and Southern Plains brought a few strong to severe storms and localized flash flooding as they rolled southeast through the region during the week of July 4th.","According to news sources, a fire sparked by a lightning strike caused major damage to a home near Timarron Country Club in the city of Southlake, TX." +116189,698399,COLORADO,2017,July,Hail,"WASHINGTON",2017-07-03 15:39:00,MST-7,2017-07-03 15:39:00,0,0,0,0,,NaN,,NaN,40.15,-102.96,40.15,-102.96,"A severe thunderstorm produced large hail up to ping pong ball size in Washington County.","" +117803,709104,MISSISSIPPI,2017,July,Flash Flood,"COPIAH",2017-07-25 07:45:00,CST-6,2017-07-25 09:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.79,-90.54,31.7904,-90.5381,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Antioch Road was flooded and impassable." +117803,709107,MISSISSIPPI,2017,July,Flash Flood,"CLAIBORNE",2017-07-25 08:00:00,CST-6,2017-07-25 09:00:00,0,0,0,0,20.00K,20000,0.00K,0,31.89,-90.89,31.8912,-90.885,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water surrounded some mobile homes around Pattison." +117803,709103,MISSISSIPPI,2017,July,Flash Flood,"LINCOLN",2017-07-25 09:15:00,CST-6,2017-07-25 10:15:00,0,0,0,0,10.00K,10000,0.00K,0,31.4908,-90.4527,31.5015,-90.4424,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water was on Hogchain Road near Bogue Chitto." +117803,709115,MISSISSIPPI,2017,July,Flash Flood,"LAWRENCE",2017-07-25 10:15:00,CST-6,2017-07-25 14:45:00,0,0,0,0,1.00M,1000000,0.00K,0,31.7002,-90.0158,31.7028,-89.9777,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Flooding occurred on Cherry Street Extension and Ferguson Mill Road. Numerous roads in downtown New Hebron were flooded, including Highways 42 and 43 North and South. Water entered homes around Cherry Avenue and Highway 43. Highway 43 between Silver Creek and Highway 478 was closed by MDOT due to flooding. Highway 42 between New Hebron and Joe Buckley Road was closed due to flooding. The Hamburger House had 10 to 12 inches of water inside." +117803,709125,MISSISSIPPI,2017,July,Thunderstorm Wind,"JEFFERSON DAVIS",2017-07-25 11:00:00,CST-6,2017-07-25 11:00:00,0,0,0,0,2.00K,2000,0.00K,0,31.7214,-89.9545,31.7214,-89.9545,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","A tree was blown down on Rodeo Road." +118682,712968,TEXAS,2017,July,Thunderstorm Wind,"DEAF SMITH",2017-07-03 17:01:00,CST-6,2017-07-03 17:01:00,0,0,0,0,0.00K,0,0.00K,0,34.93,-102.45,34.93,-102.45,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Storm spotter estimated thunderstorm wind gusts around 60 mph." +118682,712971,TEXAS,2017,July,Thunderstorm Wind,"HEMPHILL",2017-07-03 17:29:00,CST-6,2017-07-03 17:29:00,0,0,0,0,0.00K,0,0.00K,0,35.91,-100.38,35.91,-100.38,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Thunderstorm wind gust up to 60 MPH." +118682,712973,TEXAS,2017,July,Thunderstorm Wind,"HEMPHILL",2017-07-03 17:43:00,CST-6,2017-07-03 17:43:00,0,0,0,0,0.00K,0,0.00K,0,35.96,-100.45,35.96,-100.45,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Wind speed up to 70 MPH." +116837,702606,TENNESSEE,2017,July,Thunderstorm Wind,"DAVIDSON",2017-07-03 11:45:00,CST-6,2017-07-03 11:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.0523,-86.5651,36.0523,-86.5651,"Numerous showers and thunderstorms spread across Middle Tennessee during the late morning and afternoon hours on July 3. A few reports of wind damage and flooding were received.","A tSpotter Twitter report indicated Dock E was damaged and another pedestrian dock fell apart at Four Corners Marina." +116837,702608,TENNESSEE,2017,July,Flood,"DAVIDSON",2017-07-03 11:45:00,CST-6,2017-07-03 12:15:00,0,0,0,0,0.00K,0,0.00K,0,36.12,-86.8824,36.1224,-86.8892,"Numerous showers and thunderstorms spread across Middle Tennessee during the late morning and afternoon hours on July 3. A few reports of wind damage and flooding were received.","A tSpotter Twitter video showed flood waters covering Davidson Road at Brook Hollow Road." +116837,702609,TENNESSEE,2017,July,Flood,"LAWRENCE",2017-07-03 12:45:00,CST-6,2017-07-03 13:45:00,0,0,0,0,5.00K,5000,0.00K,0,35.2642,-87.3244,35.2505,-87.3311,"Numerous showers and thunderstorms spread across Middle Tennessee during the late morning and afternoon hours on July 3. A few reports of wind damage and flooding were received.","Lawrence County Emergency Management reported street flooding on Old Military Avenue at Weekly Creek Road, Geri Street, and 1st Avenue at 8th Street in Lawrenceburg. Two vehicles slid off roads and became partially submerged." +116841,702790,TENNESSEE,2017,July,Flash Flood,"WILSON",2017-07-15 07:00:00,CST-6,2017-07-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,36.2295,-86.2885,36.2224,-86.2894,"A line of showers and thunderstorms developed across northern Middle Tennessee during the morning hours on July 15, and continued to redevelop and move over the same areas for several hours. A few reports of flash flooding and lightning damage were received.","Flood waters surrounded a house on Carthage Highway at Big Springs Road east of Lebanon, and flood waters covered yards of several homes in the Sam Houston neighborhood in Lebanon." +116841,702793,TENNESSEE,2017,July,Flash Flood,"SMITH",2017-07-15 07:30:00,CST-6,2017-07-15 07:30:00,0,0,0,0,0.00K,0,0.00K,0,36.159,-85.8605,36.1576,-85.8595,"A line of showers and thunderstorms developed across northern Middle Tennessee during the morning hours on July 15, and continued to redevelop and move over the same areas for several hours. A few reports of flash flooding and lightning damage were received.","A tSpotter Twitter report indicated flood waters covered a roadway in Club Springs." +116841,702795,TENNESSEE,2017,July,Flash Flood,"DAVIDSON",2017-07-15 08:30:00,CST-6,2017-07-15 10:30:00,0,0,0,0,0.00K,0,0.00K,0,36.1457,-86.8132,36.1437,-86.8112,"A line of showers and thunderstorms developed across northern Middle Tennessee during the morning hours on July 15, and continued to redevelop and move over the same areas for several hours. A few reports of flash flooding and lightning damage were received.","Several tSpotter Twitter reports and photos showed West End Avenue near Centennial Park was flooded and impassable, and other reports showed Mufreesboro Road was flooded and closed between Thompson Lane and Briley Parkway." +116856,702620,KANSAS,2017,July,Hail,"ROOKS",2017-07-22 15:36:00,CST-6,2017-07-22 15:58:00,0,0,0,0,0.00K,0,0.00K,0,39.3158,-99.18,39.3158,-99.18,"Severe hail fell in a few spots over north central Kansas on this Saturday afternoon. Around 230 pm CST, scattered slow-moving thunderstorms began forming along a line across Rooks and Osborne Counties. Around 330 pm CST, the storm over eastern Rooks County intensified and produced hail up to the size of half dollars. This storm probably remained severe until 4 pm CST as it sagged slowly south. However, no additional reports were received due to the sparsity of population. After 330 pm CST, numerous other storms smaller storms developed across north central Kansas, south of Highway 36. A couple of these storms briefly turned severe over Mitchell County, with 1 inch hail reported in Cawker City around 4 pm CST, and in Hunter around 5 pm CST. The storms generally weakened after 5 pm, leaving stratiform anvil rain, with strongest storms just east and south of this portion of north central Kansas. ||These storms formed along an extensive cool front that extended from Nevada to New Jersey. This front was stationary in some locations, with weak lows migrating east along it. Part of this front was sagging south through north central Kansas. In the upper-levels, the main band of Westerlies was along the U.S.-Canada border with the amplitude fairly low. However, during the day, a shortwave trough migrated from the Northern Rockies into the Dakota's and Nebraska and exhibited some amplification. Two subtropical highs were over the southern U.S. Just prior to thunderstorm initiation, temperatures were around 100 with dewpoints ranging from the upper 50s to lower 70s. Northeast winds behind the front were advecting rich dewpoints westward. MLCAPE ranged from 1000 to 3000 J/kg, with the lowest values associated with the lowest dewpoints, and the highest values associated with the highest dewpoints. Effective deep layer shear was approximately 20-25 kts.","" +118000,713189,VIRGINIA,2017,July,Flood,"FAUQUIER",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7578,-77.8346,38.7569,-77.8349,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Flooding reported near the intersection of Keith Road and Cannonball Gate Road." +118000,713192,VIRGINIA,2017,July,Flood,"STAFFORD",2017-07-06 05:00:00,EST-5,2017-07-06 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.3789,-77.4508,38.3762,-77.4528,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","The 3500 block of Route 1 closed near Potomac Creek due to flooding." +118000,713200,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-06 06:25:00,EST-5,2017-07-06 09:00:00,0,0,0,0,0.00K,0,0.00K,0,38.81,-77.61,38.8096,-77.6105,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Flooding reported at the intersection of Catharpin Road and Heathcote Boulevard." +118721,713228,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"LAKE PONCHARTRAIN AND LAKE MAUREPAS",2017-07-24 13:28:00,CST-6,2017-07-24 13:28:00,0,0,0,0,0.00K,0,0.00K,0,30.05,-90.03,30.05,-90.03,"A very unstable airmass aided the development of numerous thunderstorms. Some of the storms produced 50 to 60 mph winds.","" +118787,713590,OKLAHOMA,2017,July,Thunderstorm Wind,"BEAVER",2017-07-26 16:20:00,CST-6,2017-07-26 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.6,-100.26,36.6,-100.26,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","" +118787,713591,OKLAHOMA,2017,July,Thunderstorm Wind,"BEAVER",2017-07-26 16:30:00,CST-6,2017-07-26 16:30:00,0,0,0,0,0.00K,0,0.00K,0,36.5,-100.31,36.5,-100.31,"A perturbation in the mean weak flow aloft rounding the eastern side of the anti-cyclonic flow centered over eastern New Mexico provided the lift for diurnal thunderstorms. In a moderate CAPE and weak shear environment, forcing for ascent for convection came with residual outflow boundaries followed by a cold front moving south into the Panhandles the evening of the 26th. Fragmented linear convection lines with embedded cells developed with several reports of damaging property with strong wind gusts.","Estimated 60 MPH wind gust." +118789,713595,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-29 15:54:00,CST-6,2017-07-29 15:54:00,0,0,0,0,0.00K,0,0.00K,0,35.23,-101.71,35.23,-101.71,"An upper level high was centered just south of the Texas Panhandle, with a weak stationary frontal boundary still in place across the western Texas & Oklahoma Panhandles. Showers and thunderstorms developed along this boundary, with the boundary making forward progression eastward through the day. MUCAPE values between 1000 to 2000 J/kg, SBCAPE around 300 J/Kg with very weak shear across the central Panhandles had storms quickly collapsing after forming. With all the CAPE available with a deep mixed sounding, damaging wind gusts weer the primary threat and resulted in a handful of wind reports.","East side of old airport terminal collapsed���both airport doors blown out due to microburst winds." +118789,713596,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-29 14:15:00,CST-6,2017-07-29 14:15:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-101.93,35.42,-101.93,"An upper level high was centered just south of the Texas Panhandle, with a weak stationary frontal boundary still in place across the western Texas & Oklahoma Panhandles. Showers and thunderstorms developed along this boundary, with the boundary making forward progression eastward through the day. MUCAPE values between 1000 to 2000 J/kg, SBCAPE around 300 J/Kg with very weak shear across the central Panhandles had storms quickly collapsing after forming. With all the CAPE available with a deep mixed sounding, damaging wind gusts weer the primary threat and resulted in a handful of wind reports.","" +118789,713597,TEXAS,2017,July,Thunderstorm Wind,"POTTER",2017-07-29 14:54:00,CST-6,2017-07-29 14:54:00,0,0,0,0,0.00K,0,0.00K,0,35.42,-101.93,35.42,-101.93,"An upper level high was centered just south of the Texas Panhandle, with a weak stationary frontal boundary still in place across the western Texas & Oklahoma Panhandles. Showers and thunderstorms developed along this boundary, with the boundary making forward progression eastward through the day. MUCAPE values between 1000 to 2000 J/kg, SBCAPE around 300 J/Kg with very weak shear across the central Panhandles had storms quickly collapsing after forming. With all the CAPE available with a deep mixed sounding, damaging wind gusts weer the primary threat and resulted in a handful of wind reports.","" +120282,720736,CALIFORNIA,2017,August,Flood,"RIVERSIDE",2017-08-31 15:10:00,PST-8,2017-08-31 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,33.8001,-117.4835,33.7824,-117.5103,"A large upper level ridge of warm air over the Great Basin brought persistent east to southeast flow over the region in late August. Strong flow and limited instability largely kept the convection below severe levels. However, weakening of the ridge on the 31st increased instability. This helped severe convection develop over the Inland Empire. Downburst wind intensity was aided by dry air in the low levels and record high temperatures.","Significant street flooding reported by CHP in the Temescal Valley. One vehicle stalled after trying to cross a flooded roadway." +120539,722122,KANSAS,2017,January,Ice Storm,"RENO",2017-01-14 14:50:00,CST-6,2017-01-15 21:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across the county varied from 0.25 inches in the east to near 0.5 inches in the western sections." +112919,674612,ILLINOIS,2017,February,Tornado,"LA SALLE",2017-02-28 16:27:00,CST-6,2017-02-28 16:30:00,0,0,0,0,,NaN,,NaN,41.2785,-89.1627,41.2795,-89.1294,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The location and time of this tornado were estimated from spotter photos and videos from the area. No damage was identified, so the intensity is estimated. (Tornado #1 of 7)." +120539,722116,KANSAS,2017,January,Ice Storm,"NEOSHO",2017-01-13 10:00:00,CST-6,2017-01-15 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A significant ice storm impacted much of Kansas over the weekend of January 13-16th, 2017. This storm brought as much as 0.75 of ice in Great Bend which led to damage to trees and power lines. Approximately 4,000 homes were without power in Barton, Harper, Kingman and Rice counties. Roads become slick with the freezing rain causing several accidents. South central and southeast Kansas had closer to 0.25 ice accumulations which was confined mainly to elevated surfaces.","Ice accumulations across the county reached up to 0.25 inches. Snapped tree branches were reported along with slick roads. Numerous accidents were also reported." +118909,714352,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROWAN",2017-07-15 13:15:00,EST-5,2017-07-15 13:15:00,0,0,0,0,0.00K,0,0.00K,0,35.58,-80.36,35.58,-80.36,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Spotter reported multiple trees blown down." +118909,714353,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RUTHERFORD",2017-07-15 14:00:00,EST-5,2017-07-15 14:00:00,0,0,0,0,0.00K,0,0.00K,0,35.34,-81.76,35.34,-81.76,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported a couple of trees blown down in the Ellenboro area." +118909,714354,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-15 14:25:00,EST-5,2017-07-15 14:25:00,0,0,0,0,0.00K,0,0.00K,0,35.71,-81.77,35.71,-81.77,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported a cluster of trees down on I-40 near mile marker 99." +116820,703578,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:52:00,CST-6,2017-06-14 17:57:00,0,0,0,0,,NaN,,NaN,31.861,-102.3458,31.861,-102.3458,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +118910,714362,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-15 16:04:00,EST-5,2017-07-15 16:04:00,0,0,0,0,0.00K,0,0.00K,0,34.473,-82.578,34.494,-82.485,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front Upstate South Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Highway Patrol reported a tree blown down at Lakeside Dr and Shirley Store Rd. Public reported another tree down just south of Belton." +118008,714154,PENNSYLVANIA,2017,July,Flash Flood,"SUSQUEHANNA",2017-07-24 14:30:00,EST-5,2017-07-24 16:10:00,0,0,0,0,467.00K,467000,0.00K,0,41.9975,-76.1579,41.9818,-76.1509,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Torrential downpours caused several bridge washovers in the area." +118008,714162,PENNSYLVANIA,2017,July,Flash Flood,"SUSQUEHANNA",2017-07-24 15:25:00,EST-5,2017-07-24 16:25:00,0,0,0,0,467.00K,467000,0.00K,0,41.92,-76.05,41.9031,-76.059,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Flash flooding covered the intersection of PA 267 and the Milford-Owego turnpike." +118008,714160,PENNSYLVANIA,2017,July,Flash Flood,"SUSQUEHANNA",2017-07-24 15:00:00,EST-5,2017-07-24 16:25:00,0,0,0,0,467.00K,467000,0.00K,0,41.9978,-76.0132,41.9567,-76.0223,"A stationary front poised in the vicinity of central New York and northeast Pennsylvania was the focus for very warm and moist atmospheric conditions across the region. Heavy rain producing thunderstorms developed during the late afternoon and evening hours as an upper level jet stream punched into the area. Widespread thunderstorms produced swaths of 3 to 4 inches of rain in just a few hours time during the late evening and overnight hours across the Endless Mountains of Northeast Pennsylvania. Rapid rises of area streams and creeks resulted in severe flash flooding in parts of Bradford and Susquehanna counties. Estimated damages to public infrastructure totalled approximately $3 Million dollars.","Several roads were washed out by flash flooding, including portions of Route 267." +118005,709404,PENNSYLVANIA,2017,July,Flash Flood,"BRADFORD",2017-07-20 15:17:00,EST-5,2017-07-20 15:55:00,0,0,0,0,15.00K,15000,0.00K,0,41.9687,-76.4944,41.9733,-76.5431,"A warm and humid summertime airmass was present across the region. The remnants of a small scale complex of thunderstorms moved into northeast Pennsylvania during the peak heating of the afternoon. This feature regenerated storms in southern New York and the northern tier counties of Pennsylvania where some locations experienced localized flooding of urban areas and small streams.","A significant amount of water was crossing several roads in the Borough of Athens, and Athens Township." +118850,714055,WISCONSIN,2017,July,Hail,"OUTAGAMIE",2017-07-06 22:38:00,CST-6,2017-07-06 22:38:00,0,0,0,0,0.00K,0,0.00K,0,44.28,-88.27,44.28,-88.27,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Dime to nickel size hail fell at Little Chute." +118850,714058,WISCONSIN,2017,July,Thunderstorm Wind,"DOOR",2017-07-06 20:36:00,CST-6,2017-07-06 20:36:00,0,0,0,0,0.00K,0,0.00K,0,45.2539,-87.0733,45.2539,-87.0733,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Thunderstorm winds downed trees across the road on Highway 42 and Mink River Road, in Ellison Bay. The time of this report was estimated based on radar data." +118850,714059,WISCONSIN,2017,July,Thunderstorm Wind,"DOOR",2017-07-06 20:37:00,CST-6,2017-07-06 20:37:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-87.28,45.04,-87.28,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Thunderstorm winds downed trees and power lines in Egg Harbor. There were also sporadic reports of trees and power lines down throughout Door County. The time of this report was estimated based on radar data." +118850,714060,WISCONSIN,2017,July,Thunderstorm Wind,"DOOR",2017-07-06 20:43:00,CST-6,2017-07-06 20:43:00,0,0,0,0,0.00K,0,0.00K,0,44.98,-87.18,44.98,-87.18,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Thunderstorm winds downed trees and power lines in Jacksonport. The time of this report was estimated based on radar data." +118850,714063,WISCONSIN,2017,July,Thunderstorm Wind,"FLORENCE",2017-07-06 18:45:00,CST-6,2017-07-06 18:45:00,0,0,0,0,0.00K,0,0.00K,0,45.9,-88.13,45.9,-88.13,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Thunderstorm winds tore dead branches from trees near Spread Eagle." +119070,715128,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-23 13:33:00,EST-5,2017-07-23 13:33:00,0,0,0,0,,NaN,,NaN,38.73,-76.54,38.73,-76.54,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust of 35 knots was reported at Herring Bay." +119070,715129,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-23 14:00:00,EST-5,2017-07-23 14:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","A wind gust in excess of 30 knots was reported at Thomas Point Lighthouse." +119070,715130,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-07-23 14:01:00,EST-5,2017-07-23 14:06:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts up to 41 knots were reported at Black Walnut Harbor." +119070,715131,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC KEY BRIDGE TO INDIAN HD MD",2017-07-23 17:24:00,EST-5,2017-07-23 17:24:00,0,0,0,0,,NaN,,NaN,38.8614,-77.0719,38.8614,-77.0719,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to produce gusty winds.","Wind gusts in excess of 30 knots were reported." +116267,699042,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CASWELL",2017-07-05 20:11:00,EST-5,2017-07-05 20:11:00,0,0,0,0,1.00K,1000,0.00K,0,36.5393,-79.3041,36.4865,-79.39,"Showers and thunderstorms developed during the afternoon and evening of July 5th, supported by increased low level convergence ahead of a cold front approaching from the north and supported aloft by a weak upper level disturbance. Strong daytime heating pushed afternoon temperatures into the upper 80s and low 90s, with CAPE values rising into the 1500 to 2000 J/Kg range. This resulted a couple of severe thunderstorms producing damaging winds.","One tree was blown down along Mountain Hill Road and another along Park Spring Road." +116267,699043,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CASWELL",2017-07-05 20:20:00,EST-5,2017-07-05 20:20:00,0,0,0,0,0.50K,500,0.00K,0,36.5181,-79.2292,36.5181,-79.2292,"Showers and thunderstorms developed during the afternoon and evening of July 5th, supported by increased low level convergence ahead of a cold front approaching from the north and supported aloft by a weak upper level disturbance. Strong daytime heating pushed afternoon temperatures into the upper 80s and low 90s, with CAPE values rising into the 1500 to 2000 J/Kg range. This resulted a couple of severe thunderstorms producing damaging winds.","A tree was blown down along Culver Road near the intersection with Highway 62." +116268,699091,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-06 16:15:00,EST-5,2017-07-06 16:15:00,0,0,0,0,0.50K,500,0.00K,0,36.7255,-79.0974,36.7255,-79.0974,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","Thunderstorm winds blew down a tree near the intersection of Deer Ridge Trail and Oak Level Road just west of the city of South Boston." +116268,699118,VIRGINIA,2017,July,Lightning,"LYNCHBURG (C)",2017-07-06 16:52:00,EST-5,2017-07-06 16:52:00,0,0,0,0,10.00K,10000,0.00K,0,37.3711,-79.188,37.3711,-79.188,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","Lightning struck a tree, causing it to fall onto a car along Edgewood Avenue." +116820,703558,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-14 18:30:00,CST-6,2017-06-14 18:30:00,0,0,0,0,13.00K,13000,0.00K,0,32.48,-101.0472,32.48,-101.0472,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Mitchell County and produced wind damage near Cuthbert. A barn was blown down from the thunderstorm winds. The cost of damage is a very rough estimate." +116820,703548,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:58:00,CST-6,2017-06-14 18:03:00,0,0,0,0,,NaN,,NaN,31.879,-102.37,31.879,-102.37,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119259,716072,FLORIDA,2017,July,Hail,"BROWARD",2017-07-17 12:50:00,EST-5,2017-07-17 12:50:00,0,0,0,0,0.00K,0,0.00K,0,26.14,-80.22,26.14,-80.22,"A tropical wave produced widespread showers and storms across the area. Some of these storms produced hail and frequent lightning. One lightning strike caused an indirect injury to a man in Palm Beach County.","A trained spotter reported 3/4 inch hail near the Florida Turnpike and Sunrise Boulevard. Many other reports of smaller sized hail also in the area." +118363,713077,ARKANSAS,2017,July,Flash Flood,"BENTON",2017-07-02 19:20:00,CST-6,2017-07-02 23:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4563,-94.1333,36.4421,-94.1311,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into northwestern Arkansas during the evening. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Several streets were flooded by heavy rainfall in Pea Ridge." +118362,713062,OKLAHOMA,2017,July,Thunderstorm Wind,"CREEK",2017-07-02 15:30:00,CST-6,2017-07-02 15:30:00,0,0,0,0,0.00K,0,0.00K,0,35.8304,-96.3928,35.8304,-96.3928,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind blew down a large tree." +118362,713063,OKLAHOMA,2017,July,Thunderstorm Wind,"TULSA",2017-07-02 15:55:00,CST-6,2017-07-02 15:55:00,0,0,0,0,0.00K,0,0.00K,0,36.1404,-96.1131,36.1404,-96.1131,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Thunderstorm wind gusts were estimated to 60 mph." +118362,713064,OKLAHOMA,2017,July,Thunderstorm Wind,"TULSA",2017-07-02 16:15:00,CST-6,2017-07-02 16:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1326,-95.9598,36.1326,-95.9598,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind blew down a large tree in midtown." +118362,713065,OKLAHOMA,2017,July,Thunderstorm Wind,"TULSA",2017-07-02 16:20:00,CST-6,2017-07-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.115,-95.9759,36.115,-95.9759,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs near E 33rd Street and S Peoria Avenue." +119325,716434,ATLANTIC SOUTH,2017,July,Waterspout,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-20 09:37:00,EST-5,2017-07-20 09:37:00,0,0,0,0,0.00K,0,0.00K,0,25.95,-80.11,25.95,-80.11,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspout in the Atlantic waters.","A photo of a waterspout located offshore Sunny Isles Beach was reported by a member of the public via twitter." +119300,716384,ALASKA,2017,July,High Wind,"DELTANA AND TANANA",2017-07-08 18:36:00,AKST-9,2017-07-08 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An unusually strong bow echo signature cluster of thunderstorms produced strong winds for portions of the southern Interior centralized around the Delta Junction Area, Fort Greely and Quartz Lake. Straight-line winds from the east peaked at 50 to 60 mph with heavy rain and numerous lightning strikes during the early evening of July 8th. |The quick moving storms produced significant damage to power lines and cellular towers. 12 transformers needed repairing due to downed trees. Power outages lasted 24 hours for some residents. ||Zone 223: U.S. Army Fort Greely mesonet reported 58 mph (51 kt).","" +119243,716049,WISCONSIN,2017,July,Strong Wind,"PORTAGE",2017-07-19 19:00:00,CST-6,2017-07-19 19:00:00,0,0,0,0,0.50K,500,0.00K,0,NaN,NaN,NaN,NaN,"Wake low winds behind a departing thunderstorm complex downed trees in Portage County, Waushara County, and Calumet County where power was knocked out to the 911 call center. The strong winds damaged docks and a boat lift on Lake Poygan (Winnebago Co.).","Strong winds downed a maple tree in Amherst." +119243,716058,WISCONSIN,2017,July,Strong Wind,"WINNEBAGO",2017-07-19 19:40:00,CST-6,2017-07-19 19:40:00,0,0,0,0,4.00K,4000,0.00K,0,NaN,NaN,NaN,NaN,"Wake low winds behind a departing thunderstorm complex downed trees in Portage County, Waushara County, and Calumet County where power was knocked out to the 911 call center. The strong winds damaged docks and a boat lift on Lake Poygan (Winnebago Co.).","Strong winds damaged a couple of docks and a boat lift on Lake Poygan." +119243,716060,WISCONSIN,2017,July,Strong Wind,"WAUSHARA",2017-07-19 19:50:00,CST-6,2017-07-19 19:50:00,0,0,0,0,1.50K,1500,0.00K,0,NaN,NaN,NaN,NaN,"Wake low winds behind a departing thunderstorm complex downed trees in Portage County, Waushara County, and Calumet County where power was knocked out to the 911 call center. The strong winds damaged docks and a boat lift on Lake Poygan (Winnebago Co.).","Strong winds knocked a trees onto roads in Hancock, Mount Morris, and Coloma." +119243,716064,WISCONSIN,2017,July,Strong Wind,"CALUMET",2017-07-19 20:15:00,CST-6,2017-07-19 20:17:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"Wake low winds behind a departing thunderstorm complex downed trees in Portage County, Waushara County, and Calumet County where power was knocked out to the 911 call center. The strong winds damaged docks and a boat lift on Lake Poygan (Winnebago Co.).","Strong winds downed trees near Stockbridge and in Chilton, and knocked out power to the Calumet County 911 call center." +118883,714231,WISCONSIN,2017,July,Thunderstorm Wind,"OCONTO",2017-07-22 18:15:00,CST-6,2017-07-22 18:15:00,0,0,0,0,0.00K,0,0.00K,0,44.89,-88.31,44.89,-88.31,"Scattered thunderstorms that formed ahead of an approaching cold front brought high winds that downed trees and heavily damaged a farm building in Oconto County, and produced torrential rainfall that flooded intersections in Green Bay (Brown Co.).","Thunderstorm winds estimated near 60 mph downed a couple of trees down in Gillett." +119100,715281,NORTH DAKOTA,2017,July,Thunderstorm Wind,"DICKEY",2017-07-21 20:55:00,CST-6,2017-07-21 20:59:00,0,0,0,0,0.00K,0,0.00K,0,46.18,-98.76,46.18,-98.76,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Thunderstorm wind gusts were estimated by the public." +119100,715283,NORTH DAKOTA,2017,July,Hail,"DICKEY",2017-07-21 21:00:00,CST-6,2017-07-21 21:04:00,0,0,0,0,0.00K,0,0.00K,0,46.21,-98.78,46.21,-98.78,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715285,NORTH DAKOTA,2017,July,Hail,"DICKEY",2017-07-21 21:00:00,CST-6,2017-07-21 21:03:00,0,0,0,0,0.00K,0,0.00K,0,46.16,-98.74,46.16,-98.74,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +118867,714159,WISCONSIN,2017,July,Thunderstorm Wind,"MANITOWOC",2017-07-07 16:21:00,CST-6,2017-07-07 16:21:00,0,0,0,0,0.00K,0,0.00K,0,44.06,-87.92,44.06,-87.92,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","The thunderstorm that dropped large hail also produced wind gusts to 60 mph west of Valders." +118867,714165,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:45:00,CST-6,2017-07-07 16:45:00,0,0,0,0,0.00K,0,0.00K,0,43.93,-87.83,43.93,-87.83,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Golf ball size hail fell at Spring Valley." +118867,714174,WISCONSIN,2017,July,Hail,"MANITOWOC",2017-07-07 16:17:00,CST-6,2017-07-07 16:17:00,0,0,0,0,10.00K,10000,0.00K,0,44.08,-87.98,44.08,-87.98,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","Walnut size hail and strong winds from a thunderstorm combined to dent the metal siding of a fire station in Collins." +118867,714946,WISCONSIN,2017,July,Funnel Cloud,"MANITOWOC",2017-07-07 16:37:00,CST-6,2017-07-07 16:37:00,0,0,0,0,0.00K,0,0.00K,0,44.01,-87.89,44.01,-87.89,"An upper level disturbance combined with an increasingly unstable atmosphere to produce thunderstorms across central and east central Wisconsin. A storm that developed ahead of a larger area of showers and storms produced a funnel cloud and damaging winds that downed trees and power lines. The storm also dropped half dollar to golf ball size hail at several locations across the southern half of Manitowoc County.","A funnel cloud was observed near St. Nazianz. The time of this report was estimated based on radar data." +119430,716791,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-26 14:12:00,CST-6,2017-07-26 14:13:00,0,0,0,0,0.00K,0,0.00K,0,32.47,-87.05,32.47,-87.05,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted along Huggins Road." +116629,701327,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-18 16:42:00,EST-5,2017-07-18 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,36.8348,-79.032,36.8066,-79.0234,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Thunderstorm winds blew done one tree near the intersection of Meadville Road at Chatham Road, and another tree was blown down on Asbury Road near the intersection with Meadville Road." +116629,701330,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-18 17:48:00,EST-5,2017-07-18 17:48:00,0,0,0,0,1.00K,1000,0.00K,0,36.65,-79.16,36.6323,-79.1761,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","Thunderstorm winds blew down one tree near the intersection of Kerns Mill Road at Bluebell Lane, and another was blown down along Block Melon Road." +116612,701264,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MONROE",2017-07-18 18:15:00,EST-5,2017-07-18 18:15:00,0,0,0,0,2.00K,2000,0.00K,0,37.6666,-80.6249,37.6666,-80.6249,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of an isolated severe thunderstorm in Monroe County that produced damaging winds.","Multiple trees were blown down by thunderstorm winds along Route 3." +116611,701249,NORTH CAROLINA,2017,July,Hail,"ALLEGHANY",2017-07-18 13:38:00,EST-5,2017-07-18 13:38:00,0,0,0,0,0.00K,0,0.00K,0,36.5501,-80.9394,36.5501,-80.9394,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116611,701250,NORTH CAROLINA,2017,July,Hail,"ROCKINGHAM",2017-07-18 16:17:00,EST-5,2017-07-18 16:17:00,0,0,0,0,0.00K,0,0.00K,0,36.3212,-79.6913,36.3212,-79.6913,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116244,699032,KENTUCKY,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 19:43:00,EST-5,2017-07-07 19:43:00,0,0,0,0,,NaN,0.00K,0,38.26,-85.59,38.26,-85.59,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","An off duty NWS employee reported a large tree down with wind gusts estimated at 60 mph." +116244,699034,KENTUCKY,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 19:43:00,EST-5,2017-07-07 19:43:00,0,0,0,0,25.00K,25000,0.00K,0,38.24,-85.57,38.24,-85.57,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","A large tree fell onto a home in Plainview area. Part of the roof caved in as a result." +116244,699033,KENTUCKY,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-07 19:40:00,EST-5,2017-07-07 19:40:00,0,0,0,0,,NaN,0.00K,0,38.27,-85.67,38.27,-85.67,"A powerful cold front pushed through the lower Ohio Valley during the evening hours on July 7. Ahead of this front, unseasonably warm and humid conditions prevailed with high temperatures in the lower 90s and dewpoints in the low to mid 70s. This provided plenty of instability. Several lines of thunderstorms developed across central Indiana and then moved south into central Kentucky. Some large hail up to golf ball size in diameter was reported but the main impact was damaging wind gusts which brought down many trees and power lines with caused some structural damage as well. The storms were also noted for being prolific in-cloud and cloud-to-ground lightning producers.","A large tree was down due to severe thunderstorm winds." +116666,701495,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-05 18:15:00,EST-5,2017-07-05 18:15:00,0,0,0,0,0.00K,0,0.00K,0,27.9152,-82.4518,27.9152,-82.4518,"Scattered thunderstorms developed over the Florida Peninsula and pushed west towards the coast under easterly winds. Several of these storms caused marine wind gusts along the coast.","The AWOS at Peter O. Knight measured a 45 knot thunderstorm wind gust." +116688,701706,FLORIDA,2017,July,Thunderstorm Wind,"PINELLAS",2017-07-06 20:00:00,EST-5,2017-07-06 20:00:00,0,0,0,0,0.00K,0,0.00K,0,27.7684,-82.6244,27.7684,-82.6244,"Late evening sea breeze thunderstorms developed along the I-75 corridor. A strong thunderstorm near Punta Gorda produced areas of sub-severe damage to a mobile home park.","The St. Petersburg Albert Whitted Airport ASOS recorded a wind gust of 50 knots, 58 mph." +116709,701836,FLORIDA,2017,July,Hail,"SARASOTA",2017-07-11 15:25:00,EST-5,2017-07-11 15:30:00,0,0,0,0,0.00K,0,0.00K,0,26.96,-82.35,26.96,-82.35,"Scattered afternoon thunderstorms developed along sea breeze boundaries across the Florida Peninsula. One of these storms produced nickel sized hail in Sarasota County.","" +116711,701868,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-07-12 13:55:00,EST-5,2017-07-12 13:55:00,0,0,0,0,0.00K,0,0.00K,0,26.55,-82,26.55,-82,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","The WeatherFlow site XTRP reported a wind gust of 42 knots." +116711,701932,GULF OF MEXICO,2017,July,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-07-12 15:50:00,EST-5,2017-07-12 15:50:00,0,0,0,0,0.00K,0,0.00K,0,28.434,-82.7049,28.434,-82.7049,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","Numerous trained spotters reported two waterspouts off of the coast of Aripeka." +116711,701933,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-12 16:06:00,EST-5,2017-07-12 16:06:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","A Weatherflow station located near Egmont Key measured a wind gust of 36 knots, 42 mph." +116711,701934,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM BONITA BEACH TO ENGLEWOOD FL OUT 20 NM",2017-07-12 13:48:00,EST-5,2017-07-12 13:48:00,0,0,0,0,0.00K,0,0.00K,0,26.65,-81.87,26.65,-81.87,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","NOS Buoy FMRF1, near Fort Myers, measured a wind gust of 39 knots, 45 mph." +116711,701935,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-12 15:20:00,EST-5,2017-07-12 15:20:00,0,0,0,0,0.00K,0,0.00K,0,27.34,-82.56,27.34,-82.56,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","The Weatherflow station in Sarasota Bay measured a wind gust of 36 knots, 41 mph." +117649,707461,GEORGIA,2017,July,Thunderstorm Wind,"COFFEE",2017-07-08 15:45:00,EST-5,2017-07-08 15:45:00,0,0,0,0,15.00K,15000,0.00K,0,31.51,-82.85,31.51,-82.85,"A surface trough axis was north of the region with a moist and unstable airmass across the local area. Late afternoon storms produced wind damage across parts of SE GA where a more unstable airmass resided under 500 mb temperatures of -8 to -9 degrees C.","A roof was blown off of a building on South Peterson Avenue and several traffic lights were blown down off of the line. The cost of damage was unknown, but it was estimated for inclusion of this event in Storm Data." +117650,707462,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"ALTAMAHA SD TO FERNANDINA BEACH FL OUT 20NM",2017-07-08 16:30:00,EST-5,2017-07-08 16:30:00,0,0,0,0,0.00K,0,0.00K,0,30.87,-81.72,30.87,-81.72,"A surface trough axis was north of the region with a moist and unstable airmass across the local area. Late afternoon storms produced wind damage across parts of SE GA where a more unstable airmass resided under 500 mb temperatures of -8 to -9 degrees C.","" +117651,707464,FLORIDA,2017,July,Hail,"PUTNAM",2017-07-10 16:42:00,EST-5,2017-07-10 16:42:00,0,0,0,0,0.00K,0,0.00K,0,29.65,-81.67,29.65,-81.67,"Prevailing SW steering flow and a moist and unstable airmass fueled a lone severe storm across Putnam county that formed along sea breeze and outflow mergers.","A gas station employee reported quarter size hail." +117651,707465,FLORIDA,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-10 16:45:00,EST-5,2017-07-10 16:45:00,0,0,0,0,0.00K,0,0.00K,0,29.65,-81.66,29.65,-81.66,"Prevailing SW steering flow and a moist and unstable airmass fueled a lone severe storm across Putnam county that formed along sea breeze and outflow mergers.","Multiple trees were blown down across roads." +117652,707466,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-11 15:55:00,EST-5,2017-07-11 15:55:00,0,0,0,0,0.00K,0,0.00K,0,29.92,-82.71,29.92,-82.71,"A moist airmass with PWATs near 2 inches continued across the area. Storms formed along the sea breezes, with a severe storm causing wind damage in Fort White.","Dispatch reported several trees were blown down in Fort White. The time of damage was based on radar." +117653,707467,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 13:58:00,EST-5,2017-07-13 13:58:00,0,0,0,0,0.00K,0,0.00K,0,30.07,-82.64,30.07,-82.64,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","Trees were blown down along the road near Tustenuggee Avenue and County Road 240." +117653,707468,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 14:05:00,EST-5,2017-07-13 14:05:00,0,0,0,0,0.00K,0,0.00K,0,30.08,-82.68,30.08,-82.68,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","The county public works reported trees and power lines were blown along Walter Avenue. The time was based on radar." +117359,707187,NEBRASKA,2017,July,Hail,"BOX BUTTE",2017-07-27 16:48:00,MST-7,2017-07-27 16:52:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-102.87,42.1,-102.87,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Golf ball size hail was observed at Alliance." +117359,707188,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-27 16:48:00,MST-7,2017-07-27 16:52:00,0,0,0,0,0.00K,0,0.00K,0,42.1,-102.87,42.1,-102.87,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated 80 mph wind gusts were observed at Alliance." +117359,707192,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-27 16:59:00,MST-7,2017-07-27 16:59:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-102.8,42.06,-102.8,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","The wind sensor at the Alliance Airport measured a peak gust of 79 mph." +117359,707194,NEBRASKA,2017,July,Hail,"SCOTTS BLUFF",2017-07-27 16:45:00,MST-7,2017-07-27 16:48:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-103.7765,41.83,-103.7765,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Quarter size hail was observed west of Gering." +117359,707195,NEBRASKA,2017,July,Thunderstorm Wind,"SCOTTS BLUFF",2017-07-27 16:45:00,MST-7,2017-07-27 16:48:00,0,0,0,0,0.00K,0,0.00K,0,41.83,-103.7765,41.83,-103.7765,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated wind gusts of 70 mph were observed west of Gering." +117359,707196,NEBRASKA,2017,July,Thunderstorm Wind,"DAWES",2017-07-27 17:00:00,MST-7,2017-07-27 17:02:00,0,0,0,0,0.00K,0,0.00K,0,42.7076,-103.25,42.7076,-103.25,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated wind gusts of 60 mph were observed south of Whitney." +117359,707199,NEBRASKA,2017,July,Hail,"DAWES",2017-07-27 17:35:00,MST-7,2017-07-27 17:38:00,0,0,0,0,0.00K,0,0.00K,0,42.5463,-103.3247,42.5463,-103.3247,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Half dollar size hail was observed." +117359,707201,NEBRASKA,2017,July,Thunderstorm Wind,"BOX BUTTE",2017-07-27 18:22:00,MST-7,2017-07-27 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-103.07,42.32,-103.07,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated wind gusts of 60 mph were observed at Hemingford." +117359,707202,NEBRASKA,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-27 19:18:00,MST-7,2017-07-27 19:21:00,0,0,0,0,0.00K,0,0.00K,0,41.3647,-103.32,41.3647,-103.32,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated 60 mph wind gusts were observed north of Potter." +117359,707204,NEBRASKA,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-27 19:00:00,MST-7,2017-07-27 19:02:00,0,0,0,0,0.00K,0,0.00K,0,41.3035,-103.1841,41.3035,-103.1841,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated 60 mph wind gusts were observed northwest of Sidney." +117359,707206,NEBRASKA,2017,July,Thunderstorm Wind,"CHEYENNE",2017-07-27 19:15:00,MST-7,2017-07-27 19:18:00,0,0,0,0,0.00K,0,0.00K,0,41.32,-102.97,41.32,-102.97,"Thunderstorms produced large hail and damaging winds across much of the western Nebraska Panhandle.","Estimated 60 mph winds were observed at Gurley." +118810,713671,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"AURORA",2017-07-05 22:14:00,CST-6,2017-07-05 22:14:00,0,0,0,0,0.00K,0,0.00K,0,43.72,-98.54,43.72,-98.54,"Before dissipating thunderstorms produced severe wind gusts in portions of the area.","A few tree limbs downed." +118811,713679,SOUTH DAKOTA,2017,July,Hail,"CHARLES MIX",2017-07-09 15:38:00,CST-6,2017-07-09 15:38:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-98.88,43.4,-98.88,"A few thunderstorms developed in the late afternoon in sections of south central South Dakota and produced a few severe weather events.","" +118811,713681,SOUTH DAKOTA,2017,July,Hail,"CHARLES MIX",2017-07-09 15:40:00,CST-6,2017-07-09 15:40:00,0,0,0,0,0.00K,0,0.00K,0,43.38,-98.85,43.38,-98.85,"A few thunderstorms developed in the late afternoon in sections of south central South Dakota and produced a few severe weather events.","" +118811,713682,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"GREGORY",2017-07-09 16:52:00,CST-6,2017-07-09 16:52:00,0,0,0,0,0.00K,0,0.00K,0,43.02,-98.9,43.02,-98.9,"A few thunderstorms developed in the late afternoon in sections of south central South Dakota and produced a few severe weather events.","Measured at CWOP station E7290." +118812,713683,MINNESOTA,2017,July,Hail,"LYON",2017-07-09 21:05:00,CST-6,2017-07-09 21:05:00,0,0,0,0,0.00K,0,0.00K,0,44.59,-95.8,44.59,-95.8,"Isolated thunderstorms developed and produced localized severe weather events before decreasing in intensity.","" +118812,713684,MINNESOTA,2017,July,Hail,"LYON",2017-07-09 21:08:00,CST-6,2017-07-09 21:08:00,0,0,0,0,0.00K,0,0.00K,0,44.53,-95.76,44.53,-95.76,"Isolated thunderstorms developed and produced localized severe weather events before decreasing in intensity.","" +118812,713685,MINNESOTA,2017,July,Hail,"LYON",2017-07-09 21:16:00,CST-6,2017-07-09 21:16:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-95.67,44.55,-95.67,"Isolated thunderstorms developed and produced localized severe weather events before decreasing in intensity.","" +118812,713686,MINNESOTA,2017,July,Hail,"LYON",2017-07-09 21:16:00,CST-6,2017-07-09 21:16:00,0,0,0,0,0.00K,0,0.00K,0,44.55,-95.71,44.55,-95.71,"Isolated thunderstorms developed and produced localized severe weather events before decreasing in intensity.","Social Media report." +118816,713700,SOUTH DAKOTA,2017,July,Hail,"DAVISON",2017-07-11 19:13:00,CST-6,2017-07-11 19:13:00,0,0,0,0,0.00K,0,0.00K,0,43.78,-98.3,43.78,-98.3,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Hail was covering the ground." +118816,713701,SOUTH DAKOTA,2017,July,Hail,"DAVISON",2017-07-11 19:23:00,CST-6,2017-07-11 19:23:00,0,0,0,0,0.00K,0,0.00K,0,43.71,-98.26,43.71,-98.26,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","" +118816,713702,SOUTH DAKOTA,2017,July,Hail,"SANBORN",2017-07-11 19:38:00,CST-6,2017-07-11 19:38:00,0,0,0,0,0.00K,0,0.00K,0,43.95,-97.92,43.95,-97.92,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","" +118918,714382,OHIO,2017,July,Thunderstorm Wind,"ERIE",2017-07-16 18:00:00,EST-5,2017-07-16 18:00:00,0,0,0,0,1.00K,1000,0.00K,0,41.47,-82.83,41.47,-82.83,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Thunderstorm winds downed a few large tree limbs." +118918,714384,OHIO,2017,July,Hail,"HURON",2017-07-16 18:22:00,EST-5,2017-07-16 18:22:00,0,0,0,0,0.00K,0,0.00K,0,41.2688,-82.8215,41.2688,-82.8215,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Penny sized hail was observed." +118918,714386,OHIO,2017,July,Hail,"HURON",2017-07-16 19:35:00,EST-5,2017-07-16 19:35:00,0,0,0,0,0.00K,0,0.00K,0,41.08,-82.4,41.08,-82.4,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Penny sized hail was observed." +118918,714387,OHIO,2017,July,Hail,"HANCOCK",2017-07-16 16:12:00,EST-5,2017-07-16 16:12:00,0,0,0,0,25.00K,25000,0.00K,0,41.1307,-83.8208,41.1307,-83.8208,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of ping pong balls was observed." +118918,714388,OHIO,2017,July,Hail,"ERIE",2017-07-16 17:08:00,EST-5,2017-07-16 17:08:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-82.72,41.45,-82.72,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Penny sized hail was observed." +118918,714390,OHIO,2017,July,Hail,"ERIE",2017-07-16 17:24:00,EST-5,2017-07-16 17:24:00,0,0,0,0,0.00K,0,0.00K,0,41.45,-82.72,41.45,-82.72,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Quarter sized hail was observed." +118918,714392,OHIO,2017,July,Hail,"SANDUSKY",2017-07-16 18:00:00,EST-5,2017-07-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.28,-82.85,41.28,-82.85,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Quarter sized hail was observed." +118918,714393,OHIO,2017,July,Hail,"LORAIN",2017-07-16 18:00:00,EST-5,2017-07-16 18:00:00,0,0,0,0,0.00K,0,0.00K,0,41.1301,-82.2107,41.1301,-82.2107,"A cold front moved across the Upper Ohio Valley causing scattered showers and thunderstorms to develop. A few of the stronger storms became severe.","Hail the size of quarters was reported at Findlay State Park." +118920,714580,OHIO,2017,July,Thunderstorm Wind,"MORROW",2017-07-22 07:11:00,EST-5,2017-07-22 07:11:00,0,0,0,0,1.00K,1000,0.00K,0,40.5338,-82.7161,40.5338,-82.7161,"A warm front lifted into northern Ohio during the predawn hours of July 22nd causing a large area of showers and thunderstorms to develop. At least one of the thunderstorms became severe.","Thunderstorm winds downed a tree." +116328,699550,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-06 17:39:00,EST-5,2017-07-06 17:44:00,0,0,0,0,,NaN,,NaN,34.13,-81.24,34.13,-81.24,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down on power lines on Bickley Rd across from Ballentine Elementary School." +116328,699551,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-06 17:55:00,EST-5,2017-07-06 17:59:00,0,0,0,0,,NaN,,NaN,34.24,-81.16,34.24,-81.16,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down near the intersection of Hwy 269 and Landis Rd. Time estimated." +116328,699552,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"FAIRFIELD",2017-07-06 18:04:00,EST-5,2017-07-06 18:09:00,0,0,0,0,,NaN,,NaN,34.24,-81,34.24,-81,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Trees down along Interstate 77 near the Richland/Fairfield Co line." +116328,699553,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-06 18:04:00,EST-5,2017-07-06 18:09:00,0,0,0,0,,NaN,,NaN,33.58,-81.04,33.58,-81.04,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","SCHP reported tree in roadway at Slab Landing Rd and Woodhaven St." +116328,699554,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"KERSHAW",2017-07-06 18:29:00,EST-5,2017-07-06 18:30:00,0,0,0,0,,NaN,,NaN,34.31,-80.72,34.31,-80.72,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down along Wateree Dam Rd." +116328,699555,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-06 19:08:00,EST-5,2017-07-06 19:13:00,0,0,0,0,,NaN,,NaN,34.04,-80.43,34.04,-80.43,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Trees down along Black River Rd. A downed tree was blocking Crestview Rd near Black River Rd. A power line was down near Dorsey Dr." +116328,699556,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-06 19:18:00,EST-5,2017-07-06 19:23:00,0,0,0,0,,NaN,,NaN,34.07,-80.32,34.07,-80.32,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down on Biddle Rd near US Hwy 15." +116328,699557,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEE",2017-07-06 19:22:00,EST-5,2017-07-06 19:27:00,0,0,0,0,,NaN,,NaN,34.15,-80.19,34.15,-80.19,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Trees and power lines down south of Bishopville on Wisacky Hwy." +116328,699558,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-06 19:49:00,EST-5,2017-07-06 19:54:00,0,0,0,0,,NaN,,NaN,34.03,-79.99,34.03,-79.99,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Tree down along the southbound lane of Interstate 95 near exit 146." +119046,714948,MONTANA,2017,July,Thunderstorm Wind,"GALLATIN",2017-07-05 16:11:00,MST-7,2017-07-05 16:11:00,0,0,0,0,0.00K,0,0.00K,0,45.58,-111.04,45.58,-111.04,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","KBZK reported tree and property damage in the Four Corners area south of Bozeman from thunderstorm wind/outflow. Northwestern Energy reported power outages. The strong winds may have been caused or enhanced by a strong cold pool that developed in the wake of earlier convection. Time estimated." +119046,714949,MONTANA,2017,July,Thunderstorm Wind,"GALLATIN",2017-07-05 16:11:00,MST-7,2017-07-05 16:11:00,0,0,0,0,0.00K,0,0.00K,0,45.75,-111.15,45.75,-111.15,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","KBZK reported an irrigation wheel line blew into traffic and caused vehicle damage on Valley Center west of Bozeman. Time estimated." +119046,714950,MONTANA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-05 16:36:00,MST-7,2017-07-05 16:36:00,0,0,0,0,0.00K,0,0.00K,0,46.27,-112.26,46.27,-112.26,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","KTVM relayed a report of a tree down in the Basin area. The tree landed on a truck and damaged a carport. Time estimated from radar." +119046,714951,MONTANA,2017,July,Thunderstorm Wind,"BROADWATER",2017-07-05 18:00:00,MST-7,2017-07-05 18:00:00,0,0,0,0,0.00K,0,0.00K,0,46.32,-111.52,46.32,-111.52,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","Thunderstorm outflow winds caused branches to be knocked off trees near the town of Townsend...which fell on nearby power lines...knocking them down. No hail reported...but there was a significant rain shower nearby at the time." +119047,714954,MONTANA,2017,July,Thunderstorm Wind,"LEWIS AND CLARK",2017-07-09 17:33:00,MST-7,2017-07-09 17:33:00,0,0,0,0,0.00K,0,0.00K,0,46.64,-112.18,46.64,-112.18,"An upper level low moved through southern Canada, causing a brief breakdown of the upper ridge over Montana. This led to the development of showers and thunderstorms, a couple of which produced severe wind gusts.","Trained spotter estimated wind gusts over 60 mph." +119050,714956,MONTANA,2017,July,Thunderstorm Wind,"FERGUS",2017-07-10 13:52:00,MST-7,2017-07-10 13:52:00,0,0,0,0,0.00K,0,0.00K,0,47.22,-109.22,47.22,-109.22,"Several disturbances brought scattered to numerous shower and thunderstorms to the entire forecast area, some of which were severe.","Peak wind gust recorded at the Judith Peak RAWS." +119050,714958,MONTANA,2017,July,Hail,"BEAVERHEAD",2017-07-10 14:06:00,MST-7,2017-07-10 14:06:00,0,0,0,0,0.00K,0,0.00K,0,45.48,-112.71,45.48,-112.71,"Several disturbances brought scattered to numerous shower and thunderstorms to the entire forecast area, some of which were severe.","Quarter sized hail reported just west of Glen on Interstate 15." +117860,708592,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-16 22:00:00,MST-7,2017-07-17 01:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.4453,-112.1045,33.4461,-112.043,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Scattered thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th, and some of the stronger storms produced locally heavy rain which fell across central portions of Phoenix including the downtown area. Rain rates between one and two inches per hour occurred and this led to flash flooding in downtown Phoenix. Heavy rain had already fallen by 2200MST and at 2229MST a Flash Flood Warning was issued for much central Phoenix. At 2246MST a trained spotter 2 miles north of central Phoenix measured 0.71 inches within 21 minutes. According to the Department of Highways, at 2237MST flash flooding occurred 1 mile northeast of Phoenix in the central downtown area; the 7th Street exit off of Interstate 10 was flooded by the torrential rains. The Flash Flood Warning remained in effect until the early morning hours on the next day." +118437,711707,NEW YORK,2017,July,Thunderstorm Wind,"OTSEGO",2017-07-24 18:40:00,EST-5,2017-07-24 18:50:00,0,0,0,0,5.00K,5000,0.00K,0,42.7,-75.23,42.7,-75.23,"A surface low pressure system moved across the state of New York and pushed a frontal boundary into the state of New York and Pennsylvania. Showers and thunderstorms developed along this boundary as an upper level storm system moved across the northeast Monday afternoon. As the storms moved to the east, some of these storms became severe and produced damaging winds.","A thunderstorm moved across the region and became severe. This thunderstorm produced severe winds and knocked over trees." +118121,709874,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 16:45:00,MST-7,2017-07-29 16:45:00,0,0,0,0,20.00K,20000,0.00K,0,33.63,-112.36,33.63,-112.36,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Strong thunderstorms developed across the western portion of the greater Phoenix area during the afternoon hours on July 29th and some of the stronger storms affected the community of Surprise. One of the storms produced strong outflow winds estimated to be as high as 70 mph. According to a report from the public, at 1645MST those strong winds blew over a trailer and a picture of the trailer was posted on social media. The trailer was located about 2 miles southwest of Surprise. No injuries were reported fortunately." +118121,709886,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 17:10:00,MST-7,2017-07-29 17:10:00,0,0,0,0,5.00K,5000,0.00K,0,33.59,-112.32,33.59,-112.32,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Scattered thunderstorms developed across the western portion of the greater Phoenix metropolitan area during the afternoon hours on July 29th and some of the stronger storms produced gusty and damaging outflow winds which affected communities such as El Mirage. According to local broadcast media, at 1710MST gusty winds estimated to be 60 mph knocked down a tree and snapped a light pole." +118582,713363,TEXAS,2017,July,Thunderstorm Wind,"TARRANT",2017-07-09 17:23:00,CST-6,2017-07-09 17:23:00,0,0,0,0,50.00K,50000,0.00K,0,32.7081,-97.3773,32.7081,-97.3773,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported a large tree blown down on a house in the Overton Park area of Fort Worth, TX. Trees were also blown onto power lines in the same area." +118582,713370,TEXAS,2017,July,Hail,"PARKER",2017-07-09 15:30:00,CST-6,2017-07-09 15:30:00,0,0,0,0,0.00K,0,0.00K,0,32.61,-97.8,32.61,-97.8,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A trained storm spotter reported hail up to quarter-sized and a wind gust around 40 MPH approximately 11 miles south of the city of Weatherford, TX." +118582,713372,TEXAS,2017,July,Hail,"DENTON",2017-07-09 17:48:00,CST-6,2017-07-09 17:48:00,0,0,0,0,0.00K,0,0.00K,0,33.1921,-96.8862,33.1921,-96.8862,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported quarter-sized hail near the intersection of FM 423 and Panther Creek Parkway in the city of Little Elm, TX." +118582,713603,TEXAS,2017,July,Flood,"DENTON",2017-07-09 20:20:00,CST-6,2017-07-09 21:00:00,0,0,1,0,0.00K,0,0.00K,0,33.2359,-97.1667,33.234,-97.1684,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A news report indicated that 3 homeless men were swept away by flood waters. Two of the men made it out of the water, but the body of the third man was found in a retention pond behind the Walmart at Rayzor Ranch Marketplace." +118582,714400,TEXAS,2017,July,Flood,"TARRANT",2017-07-09 17:30:00,CST-6,2017-07-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.7127,-97.4086,32.7122,-97.411,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A newspaper report indicated flooding at the 5700 block of Vickery Blvd in Fort Worth, TX." +118582,714401,TEXAS,2017,July,Flood,"TARRANT",2017-07-09 17:50:00,CST-6,2017-07-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.7341,-97.3658,32.7317,-97.3661,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported a vehicle stuck in high water at the 3300 block of West Freeway westbound in the city of Fort Worth, TX." +118827,713849,NORTH CAROLINA,2017,July,Flash Flood,"RICHMOND",2017-07-23 16:45:00,EST-5,2017-07-23 18:40:00,0,0,0,0,0.00K,0,0.00K,0,34.957,-79.824,34.835,-79.8136,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Heavy rain caused flash flooding across Richmond County. Numerous roads were closed due to flooding, including the intersection of US Highways 74 and 220 in Rockingham." +118827,713851,NORTH CAROLINA,2017,July,Hail,"CUMBERLAND",2017-07-23 15:35:00,EST-5,2017-07-23 15:35:00,0,0,0,0,0.00K,0,0.00K,0,35.07,-79.02,35.07,-79.02,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","" +118827,713858,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-23 15:00:00,EST-5,2017-07-23 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,34.96,-79.79,34.96,-79.79,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Two trees were blown down near the 2900 block of US 220 North in Ellerbe." +118827,713862,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MOORE",2017-07-23 15:15:00,EST-5,2017-07-23 15:15:00,0,0,0,0,10.00K,10000,0.00K,0,35.16,-79.42,35.16,-79.42,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Several trees were blown down in the Aberdeen area. One tree was blown down onto a home and an unoccupied vehicle on John McQueen Road." +118827,713870,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-23 15:41:00,EST-5,2017-07-23 16:15:00,0,0,0,0,20.00K,20000,0.00K,0,36.24,-80.36,36.17,-80.1,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Numerous trees were blown down along a swath from 4 miles west of Rural Hall to 3 miles east of Walkertown. One of the trees was blown down onto power lines, resulting in power outages. A second tree was blown down onto a home and another was blown down onto a vehicle." +118827,713899,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-23 16:10:00,EST-5,2017-07-23 16:15:00,0,0,0,0,2.00K,2000,0.00K,0,35.02,-78.91,35.02,-78.91,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Multiple trees were blown down approximately 4 miles south of Fayetteville. A gust of 55 mph was also reported as the Fayetteville Regional Airport." +120969,724099,KANSAS,2017,May,High Wind,"RUSSELL",2017-05-16 01:57:00,CST-6,2017-05-16 02:05:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Collapsing thunderstorms produced damaging winds as they moved into Central Kansas. Winds gusted as high as 61 mph as the outflow from the dying storms moved into Russell.","A mesonet two miles west of Bunker Hill in Russell county reported the gust." +120969,724101,KANSAS,2017,May,High Wind,"ELLSWORTH",2017-05-16 01:57:00,CST-6,2017-05-16 02:04:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Collapsing thunderstorms produced damaging winds as they moved into Central Kansas. Winds gusted as high as 61 mph as the outflow from the dying storms moved into Russell.","A mesonet three miles east-southeast of Ellsworth measured the gust." +118828,713860,OKLAHOMA,2017,July,Hail,"LOVE",2017-07-02 16:10:00,CST-6,2017-07-02 16:10:00,0,0,0,0,0.00K,0,0.00K,0,33.94,-97.51,33.94,-97.51,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","" +118828,713864,OKLAHOMA,2017,July,Thunderstorm Wind,"CARTER",2017-07-02 17:18:00,CST-6,2017-07-02 17:18:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.26,34.18,-97.26,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","No damage reported." +118828,713865,OKLAHOMA,2017,July,Hail,"CARTER",2017-07-02 17:21:00,CST-6,2017-07-02 17:21:00,0,0,0,0,0.00K,0,0.00K,0,34.18,-97.26,34.18,-97.26,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","" +118828,713866,OKLAHOMA,2017,July,Flash Flood,"COAL",2017-07-02 18:01:00,CST-6,2017-07-02 21:01:00,0,0,0,0,0.00K,0,0.00K,0,34.61,-96.42,34.6036,-96.4117,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Street was closed off near the high school. Also, there were reports of additional flooding in town." +118828,713867,OKLAHOMA,2017,July,Flash Flood,"COAL",2017-07-02 19:59:00,CST-6,2017-07-02 22:59:00,0,0,0,0,0.00K,0,0.00K,0,34.46,-96.26,34.4643,-96.261,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Water was over the road on city road 1760." +118828,713868,OKLAHOMA,2017,July,Thunderstorm Wind,"MARSHALL",2017-07-02 20:55:00,CST-6,2017-07-02 20:55:00,0,0,0,0,5.00K,5000,0.00K,0,34.1,-96.93,34.1,-96.93,"Showers and storms developed during the afternoon and evening of the 2nd along and behind a northward moving warm front.","Numerous utility poles were downed and across the road." +118829,713871,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 15:54:00,CST-6,2017-07-03 15:54:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-99.57,36.58,-99.57,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713872,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:00:00,CST-6,2017-07-03 16:00:00,0,0,0,0,0.00K,0,0.00K,0,36.57,-99.57,36.57,-99.57,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Large tree limbs downed." +118829,713873,OKLAHOMA,2017,July,Hail,"HARPER",2017-07-03 16:14:00,CST-6,2017-07-03 16:14:00,0,0,0,0,0.00K,0,0.00K,0,36.81,-99.49,36.81,-99.49,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713874,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:19:00,CST-6,2017-07-03 16:19:00,0,0,0,0,0.00K,0,0.00K,0,36.55,-99.57,36.55,-99.57,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713875,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:20:00,CST-6,2017-07-03 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.49,-99.45,36.49,-99.45,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +116863,702658,ILLINOIS,2017,July,Thunderstorm Wind,"SANGAMON",2017-07-10 21:25:00,CST-6,2017-07-10 21:30:00,0,0,0,0,0.00K,0,0.00K,0,39.75,-89.53,39.75,-89.53,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","A 4-inch diameter tree branch was blown down." +116863,702656,ILLINOIS,2017,July,Thunderstorm Wind,"SANGAMON",2017-07-10 21:00:00,CST-6,2017-07-10 21:05:00,0,0,0,0,0.00K,0,0.00K,0,39.88,-89.6,39.88,-89.6,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","Numerous 4 to 5-inch diameter tree branches were blown down in the Flaggland Subdivision. A tree was blown over on Williamsburg Road." +116863,702661,ILLINOIS,2017,July,Thunderstorm Wind,"MASON",2017-07-10 20:00:00,CST-6,2017-07-10 20:05:00,0,0,0,0,0.00K,0,0.00K,0,40.3,-90.07,40.3,-90.07,"A nearly stationary frontal boundary extending from southern Lake Michigan southwestward to the Iowa/Missouri border triggered a round of severe thunderstorms across portions of west-central Illinois during the late afternoon and evening of July 10th. Most of the storms were confined to areas along and west of the I-55 corridor. Due to increasing amounts of low-level wind shear ahead of an approaching disturbance, several of the storms began rotating...with one cell spawning a brief tornado just south of Princeville in Peoria County. Other storms produced 60 to 70mph wind gusts and hail as large as tennis balls in Fairview in Fulton County.","A flag pole was snapped." +117880,708413,ILLINOIS,2017,July,Thunderstorm Wind,"CHAMPAIGN",2017-07-11 09:16:00,CST-6,2017-07-11 09:21:00,0,0,0,0,0.00K,0,0.00K,0,40.0607,-88.0101,40.0607,-88.0101,"A stationary frontal boundary draped across north-central Illinois triggered scattered severe thunderstorms during the morning of July 11th. Some of the storms produced wind gusts of 60-70 mph and localized damage, particularly across portions of Logan, DeWitt, Champaign, and Vermilion counties.","Tree damage was reported northwest of Homer." +117883,708426,ILLINOIS,2017,July,Hail,"MOULTRIE",2017-07-16 18:30:00,CST-6,2017-07-16 18:35:00,0,0,0,0,0.00K,0,0.00K,0,39.6145,-88.62,39.6145,-88.62,"A weak cold front interacted with a highly unstable and weakly sheared environment to trigger scattered strong to severe thunderstorms across central Illinois during the late afternoon and early evening of July 16th. One cell produced golfball-sized hail near Sullivan in Moultrie County while another downed a few tree branches near Sigel in Shelby County.","" +118944,714553,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-17 17:26:00,EST-5,2017-07-17 17:35:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-81.495,35.711,-81.471,"Scattered thunderstorms developed across western North Carolina during the afternoon and evening. A few of the storms produced penny to quarter size hail and brief damaging wind gusts.","Media reported trees blown down on Berea Church Road, on I-40 near mile marker 115, a power pole snapped on Highway 70 near Burke Blvd, and multiple trees down on Robinson St." +118947,714554,SOUTH CAROLINA,2017,July,Hail,"GREENVILLE",2017-07-17 19:56:00,EST-5,2017-07-17 19:56:00,0,0,0,0,,NaN,,NaN,35.08,-82.32,35.08,-82.32,"An isolated thunderstorm developed over the South Carolina foothills during the evening, and became briefly severe over northern Greenville County.","Public reported quarter size hail in the Highland community." +118955,714573,NORTH CAROLINA,2017,July,Hail,"CALDWELL",2017-07-18 15:30:00,EST-5,2017-07-18 15:30:00,0,0,0,0,,NaN,,NaN,35.916,-81.53,35.889,-81.57,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","Spotter and media reported quarter to ping pong ball size hail in the Lenoir area." +118955,714843,NORTH CAROLINA,2017,July,Hail,"HENDERSON",2017-07-18 17:00:00,EST-5,2017-07-18 17:00:00,0,0,0,0,,NaN,,NaN,35.303,-82.563,35.303,-82.563,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","Public reported quarter size hail off Cummings Rd." +118955,714845,NORTH CAROLINA,2017,July,Hail,"MECKLENBURG",2017-07-18 19:44:00,EST-5,2017-07-18 19:44:00,0,0,0,0,,NaN,,NaN,35.23,-80.87,35.23,-80.87,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","Public reported quarter size hail in the Wesley Heights neighborhood." +118955,715150,NORTH CAROLINA,2017,July,Thunderstorm Wind,"GASTON",2017-07-18 20:12:00,EST-5,2017-07-18 20:12:00,0,0,0,0,0.00K,0,0.00K,0,35.331,-81.1,35.31,-81.07,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","FD reported three trees blown down between Stanley and Mount Holly." +118955,715152,NORTH CAROLINA,2017,July,Hail,"LINCOLN",2017-07-18 20:30:00,EST-5,2017-07-18 20:30:00,0,0,0,0,,NaN,,NaN,35.53,-81.26,35.53,-81.26,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","Spotter reported penny size hail." +118955,715153,NORTH CAROLINA,2017,July,Hail,"CLEVELAND",2017-07-18 21:40:00,EST-5,2017-07-18 21:40:00,0,0,0,0,,NaN,,NaN,35.251,-81.436,35.251,-81.436,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","Public reported quarter size hail on Autumn Woods Drive." +116553,700862,LOUISIANA,2017,July,Thunderstorm Wind,"CLAIBORNE",2017-07-14 15:15:00,CST-6,2017-07-14 15:15:00,0,0,0,0,0.00K,0,0.00K,0,32.663,-92.9702,32.663,-92.9702,"A moist and unstable atmosphere prevailed across Northern Louisiana during the afternoon and evening hours of July 17th. During the late morning hours, scattered showers and thunderstorms developed across portions of Central Arkansas along a weak disturbance aloft. This disturbance moved southward during the day and continued to produce additional showers and thunderstorms along its southward trek. Some of these storms became strong to severe across Northern Louisiana and produced downed trees and power lines. The storms weakened during the late evening hours before dissipating during the overnight hours.","Several trees were blown down." +116553,700863,LOUISIANA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-14 15:45:00,CST-6,2017-07-14 15:45:00,0,0,0,0,0.00K,0,0.00K,0,32.5319,-92.7501,32.5319,-92.7501,"A moist and unstable atmosphere prevailed across Northern Louisiana during the afternoon and evening hours of July 17th. During the late morning hours, scattered showers and thunderstorms developed across portions of Central Arkansas along a weak disturbance aloft. This disturbance moved southward during the day and continued to produce additional showers and thunderstorms along its southward trek. Some of these storms became strong to severe across Northern Louisiana and produced downed trees and power lines. The storms weakened during the late evening hours before dissipating during the overnight hours.","Several trees were blown down." +116553,700865,LOUISIANA,2017,July,Thunderstorm Wind,"BIENVILLE",2017-07-14 16:10:00,CST-6,2017-07-14 16:10:00,0,0,0,0,0.00K,0,0.00K,0,32.4215,-93.1107,32.4215,-93.1107,"A moist and unstable atmosphere prevailed across Northern Louisiana during the afternoon and evening hours of July 17th. During the late morning hours, scattered showers and thunderstorms developed across portions of Central Arkansas along a weak disturbance aloft. This disturbance moved southward during the day and continued to produce additional showers and thunderstorms along its southward trek. Some of these storms became strong to severe across Northern Louisiana and produced downed trees and power lines. The storms weakened during the late evening hours before dissipating during the overnight hours.","Several trees were blown down." +116553,700866,LOUISIANA,2017,July,Thunderstorm Wind,"RED RIVER",2017-07-14 17:00:00,CST-6,2017-07-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.08,-93.32,32.08,-93.32,"A moist and unstable atmosphere prevailed across Northern Louisiana during the afternoon and evening hours of July 17th. During the late morning hours, scattered showers and thunderstorms developed across portions of Central Arkansas along a weak disturbance aloft. This disturbance moved southward during the day and continued to produce additional showers and thunderstorms along its southward trek. Some of these storms became strong to severe across Northern Louisiana and produced downed trees and power lines. The storms weakened during the late evening hours before dissipating during the overnight hours.","Several trees were blown down." +119507,717165,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-12 21:54:00,EST-5,2017-07-12 21:54:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 37 knots was measured at Molasses Reef Light." +119507,717167,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-12 22:32:00,EST-5,2017-07-12 22:32:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 35 knots was measured at Molasses Reef Light." +119507,717168,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-12 23:03:00,EST-5,2017-07-12 23:03:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 38 knots was measured at Molasses Reef Light." +119507,717170,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-13 00:10:00,EST-5,2017-07-13 00:10:00,0,0,0,0,0.00K,0,0.00K,0,25.01,-80.38,25.01,-80.38,"A weak tropical wave passing east to west through the Florida Keys provided an environment with favorable backing wind flow for waterspouts the afternoon and evening of July 12th. The convective mode changed to favor isolated gale-force wind gusts as the tropical wave axis passed west of the Florida Keys during the late evening hours of July 12th into the early morning hours of July 13th.","A wind gust of 34 knots was measured at Molasses Reef Light." +119508,717172,GULF OF MEXICO,2017,July,Waterspout,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-07-16 17:49:00,EST-5,2017-07-16 17:55:00,0,0,0,0,0.00K,0,0.00K,0,24.78,-81.15,24.78,-81.15,"A waterspout was observed north of Pigeon Key in association with an isolated thunderstorm.","A waterspout was observed and reported by social media about 5 miles north of Pigeon Key. The funnel cloud was observed to extend about halfway down from cloud base, and there was a spray ring sighted." +119509,717173,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-17 18:20:00,EST-5,2017-07-17 18:20:00,0,0,0,0,0.00K,0,0.00K,0,24.9114,-80.6263,24.9114,-80.6263,"A waterspout was observed oceanside near Islamorada in association with an isolated thunderstorm.","A waterspout was observed and relayed through social media oceanside near Islamorada, extending about one quarter down from cloud base. The waterspout dissipated as it approached the shore." +118523,712101,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-06 04:37:00,CST-6,2017-07-06 04:37:00,0,0,0,0,,NaN,,NaN,46.8,-92.1,46.8,-92.1,"Severe thunderstorms that rolled across Minnesota produced damaging winds and hail across multiple counties. Several trees were blown down, damaging power lines and in one case, a home. The storms also contained hail, with the largest the size of golf balls.||One thunderstorm that developed in Ontario produced a long-tracked tornado that tracked from near McEwen Lake in the wilderness of Quetico Provincial Park for about 7.6 miles and another 0.9 miles into the Boundary Waters Canoe Wilderness Area of northern Minnesota before dissipating. Not only is there satellite evidence of the tornado's path through the wilderness, but Environment Canada conducted a storm survey of the damage. The Canadians rated the damage as high as EF-2 in Canada, and the damage on the short segment into Minnesota as EF-1. The tornado lasted about 17 minutes from its beginning to Canada to its end in Minnesota.","Several trees were blown down on East 9th street and 9th Avenue." +118030,709515,NEW MEXICO,2017,July,Thunderstorm Wind,"LEA",2017-07-01 22:05:00,MST-7,2017-07-01 22:05:00,0,0,0,0,,NaN,,NaN,33.2295,-103.3445,33.2295,-103.3445,"A weakened upper ridge was over the region. There was a cold front/outflow boundary across the area along with a couple of other outflow boundaries which provided a focus for thunderstorm development. Southeast winds resulted in upslope flow along the higher terrain in West Texas and southeast New Mexico. These southeast winds also resulted in moisture being transported into the area, and daytime heating aiding in lift which created an unstable atmosphere. There was also an area of intense low-level winds, known as a low-level jet, which helped storms continue into the overnight hours. The storms produced severe wind gusts across West Texas and southeast New Mexico.","A thunderstorm moved across Lea County and produced a 69 mph wind gust near Tatum." +118069,709642,TEXAS,2017,July,Hail,"HOWARD",2017-07-04 15:30:00,CST-6,2017-07-04 15:35:00,0,0,0,0,,NaN,,NaN,32.3,-101.3,32.3,-101.3,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","" +118069,709644,TEXAS,2017,July,Hail,"HOWARD",2017-07-04 16:05:00,CST-6,2017-07-04 16:10:00,0,0,0,0,,NaN,,NaN,32.2398,-101.4579,32.2398,-101.4579,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","" +118069,709646,TEXAS,2017,July,Thunderstorm Wind,"UPTON",2017-07-04 19:52:00,CST-6,2017-07-04 19:52:00,0,0,0,0,,NaN,,NaN,31.1166,-102.2365,31.1166,-102.2365,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","A thunderstorm moved across Upton County and produced a 59 mph wind gust near McCamey." +118069,709658,TEXAS,2017,July,Thunderstorm Wind,"GAINES",2017-07-04 21:05:00,CST-6,2017-07-04 21:05:00,0,0,0,0,,NaN,,NaN,32.7467,-102.6368,32.7467,-102.6368,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","A thunderstorm moved across Gaines County and produced a 61 mph wind gust near Seminole." +118069,709663,TEXAS,2017,July,Thunderstorm Wind,"WINKLER",2017-07-04 22:07:00,CST-6,2017-07-04 22:07:00,0,0,0,0,,NaN,,NaN,31.7807,-103.1861,31.7807,-103.1861,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","A thunderstorm moved across Winkler County and produced a 62 mph wind gust near Wink." +116286,699765,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-04 22:25:00,CST-6,2017-07-04 22:25:00,0,0,0,0,,NaN,,NaN,47.02,-96.88,47.02,-96.88,"During the afternoon of July 4th, temperatures over eastern North Dakota and the northwest quarter of Minnesota peaked in the upper 80s to lower 90s. Right in the Red River Valley, some dew point values rose into the lower 70s. As a boundary moved into the northern Red River Valley during the early evening, it helped to set off severe thunderstorms. As the evening progressed, the storms built to the south-southeast, eventually moving into east central North Dakota and northwest and west central Minnesota. The storms primarily produced large hail, but there were also a few reports of strong winds.","Heavy rain accompanied the large hail, which was very soft." +116540,700790,MINNESOTA,2017,July,Hail,"BELTRAMI",2017-07-18 00:38:00,CST-6,2017-07-18 00:38:00,0,0,0,0,,NaN,,NaN,47.51,-94.97,47.51,-94.97,"A little after midnight, strong storms developed between Mahnomen and Bemidji, and produced several reports of hail. These storms tracked slowly to the east.","Nickel to quarter sized hail fell between Wilton and Bemidji." +116540,700791,MINNESOTA,2017,July,Hail,"BELTRAMI",2017-07-18 00:42:00,CST-6,2017-07-18 00:42:00,0,0,0,0,,NaN,,NaN,47.5,-94.88,47.5,-94.88,"A little after midnight, strong storms developed between Mahnomen and Bemidji, and produced several reports of hail. These storms tracked slowly to the east.","Dime to nickel sized hail was reported." +116541,700792,NORTH DAKOTA,2017,July,Hail,"RICHLAND",2017-07-17 14:39:00,CST-6,2017-07-17 14:39:00,0,0,0,0,,NaN,,NaN,46.26,-96.6,46.26,-96.6,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","" +116542,700795,MINNESOTA,2017,July,Thunderstorm Wind,"OTTER TAIL",2017-07-17 14:55:00,CST-6,2017-07-17 14:55:00,0,0,0,0,,NaN,,NaN,46.54,-95.45,46.54,-95.45,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","A semi truck and trailer combination was blown over on U. S. Highway 10." +116894,702834,NORTH DAKOTA,2017,July,Hail,"CAVALIER",2017-07-21 09:05:00,CST-6,2017-07-21 09:05:00,0,0,0,0,,NaN,,NaN,48.99,-98.69,48.99,-98.69,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","" +116894,702836,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRIGGS",2017-07-21 14:42:00,CST-6,2017-07-21 14:42:00,0,0,0,0,,NaN,,NaN,47.44,-98.23,47.44,-98.23,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","A corn field was shredded by hail and strong winds." +116898,702953,MINNESOTA,2017,July,Hail,"HUBBARD",2017-07-21 16:50:00,CST-6,2017-07-21 16:50:00,0,0,0,0,,NaN,,NaN,47.14,-94.69,47.14,-94.69,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail was accompanied by very strong winds. This also resulted in large branches being blown down around Benedict Lake." +116898,702954,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 17:00:00,CST-6,2017-07-21 17:00:00,0,0,0,0,0.00K,0,0.00K,0,47.44,-94.72,47.44,-94.72,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Large oak tree was blown over onto a house near Lake Andrusia." +116692,704656,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"SANDY HOOK TO MANASQUAN INLET NJ OUT 20NM",2017-07-20 20:59:00,EST-5,2017-07-20 20:59:00,0,0,0,0,,NaN,,NaN,40.201,-74.0049,40.201,-74.0049,"A complex of thunderstorms moved over the coastal waters north of Atlantic city. Gusty winds were recorded in several locations.","Measured gust." +117048,704658,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-23 15:36:00,EST-5,2017-07-23 15:36:00,0,0,0,0,,NaN,,NaN,39.156,-75.3278,39.156,-75.3278,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Measured gust at Ship John Buoy." +117048,704659,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS N OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-24 02:06:00,EST-5,2017-07-24 02:06:00,0,0,0,0,,NaN,,NaN,39.226,-75.336,39.226,-75.336,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Measured at Ship John NOS extra words." +117048,704661,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-24 23:06:00,EST-5,2017-07-24 23:06:00,0,0,0,0,,NaN,,NaN,39.3026,-75.3992,39.3026,-75.3992,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Measured at Brandywine NOS." +117048,704663,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CP HENLOPEN TO FENWICK IS DE OUT 20NM",2017-07-24 23:51:00,EST-5,2017-07-24 23:51:00,0,0,0,0,,NaN,,NaN,38.6898,-75.0569,38.6898,-75.0569,"A stalled frontal boundary led to several rounds of thunderstorms which produced high winds offshore and in Delaware Bay.","Measured gust." +117052,704667,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-29 03:42:00,EST-5,2017-07-29 03:42:00,0,0,0,0,,NaN,,NaN,39.3812,-75.4761,39.3812,-75.4761,"A Nor'easter tracked through the ocean waters resulting in gusty winds in Delaware Bay and offshore.","Two measured gusts of 41 and 43 mph at Brandywine NOS." +117052,704672,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-29 04:18:00,EST-5,2017-07-29 04:18:00,0,0,0,0,,NaN,,NaN,39.063,-75.1122,39.063,-75.1122,"A Nor'easter tracked through the ocean waters resulting in gusty winds in Delaware Bay and offshore.","Measured gust at the Brandywine NOS." +117052,704675,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-07-29 04:18:00,EST-5,2017-07-29 04:18:00,0,0,0,0,,NaN,,NaN,38.7928,-75.1328,38.7928,-75.1328,"A Nor'easter tracked through the ocean waters resulting in gusty winds in Delaware Bay and offshore.","Measured gust at the Lewes NOS Buoy." +116643,704677,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-07-11 15:10:00,EST-5,2017-07-11 15:10:00,0,0,0,0,,NaN,,NaN,39.7836,-74.1083,39.7836,-74.1083,"Strong wind gusts occurred with thunderstorms on the ocean waters.","Measured gust at Kite Island." +116643,704678,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-07-11 15:15:00,EST-5,2017-07-11 15:15:00,0,0,0,0,,NaN,,NaN,39.7705,-74.2466,39.7705,-74.2466,"Strong wind gusts occurred with thunderstorms on the ocean waters.","Measured gust at Sedge Island." +116643,704679,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"MANASQUAN INLET TO LITTLE EGG INLET NJ OUT 20NM",2017-07-13 16:01:00,EST-5,2017-07-13 16:01:00,0,0,0,0,,NaN,,NaN,40.0519,-74.0767,40.0519,-74.0767,"Strong wind gusts occurred with thunderstorms on the ocean waters.","Measured gust." +118002,709893,MARYLAND,2017,July,Flash Flood,"CALVERT",2017-07-06 10:05:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.3618,-76.4297,38.3611,-76.4291,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","Water inundated and flooded a garage in the 11800 Block of Spruce Street." +118002,709894,MARYLAND,2017,July,Flash Flood,"ST. MARY'S",2017-07-06 10:05:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.3643,-76.5639,38.3624,-76.561,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","A stream was out of its banks causing water to flow over Vista Road near Hollywood." +118002,709896,MARYLAND,2017,July,Flash Flood,"ST. MARY'S",2017-07-06 11:40:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.3484,-76.6421,38.3495,-76.6396,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","There was more than six inches of water flowing over Jones Road between Mcintosh Road and Friendship School Road." +118002,709897,MARYLAND,2017,July,Flash Flood,"ST. MARY'S",2017-07-06 12:00:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.2591,-76.6211,38.261,-76.6199,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","There was six inches of water flowing across Medleys Neck Road." +118002,709898,MARYLAND,2017,July,Flash Flood,"ST. MARY'S",2017-07-06 12:30:00,EST-5,2017-07-06 13:09:00,0,0,0,0,0.00K,0,0.00K,0,38.3947,-76.6994,38.3975,-76.7005,"A stationary boundary persisted across the Mid-Atlantic region. High moisture content led to high rainfall rates and due to multiple rounds of heavy rain flooding occurred across the region.","There were more than six inches of water flowing over Morganza Turner Road near Morganza." +118133,709908,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-17 14:59:00,EST-5,2017-07-17 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.4379,-76.8037,39.4394,-76.8022,"An upper level trough approached while warm and moist conditions across the Mid-Atlantic region. Sufficient instability led to showers and thunderstorms that moved slowly and led to high rainfall rates mainly across north-central Maryland.","There was about a foot of water moving quickly at the intersection of Reisterstown and High Falcon Road." +118133,709909,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-17 15:15:00,EST-5,2017-07-17 18:15:00,0,0,0,0,0.00K,0,0.00K,0,39.1903,-77.1844,39.1877,-77.1861,"An upper level trough approached while warm and moist conditions across the Mid-Atlantic region. Sufficient instability led to showers and thunderstorms that moved slowly and led to high rainfall rates mainly across north-central Maryland.","Goshen Road and East Village Road were closed due to flooding." +118133,709910,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-17 15:17:00,EST-5,2017-07-17 18:15:00,0,0,0,0,0.50K,500,0.00K,0,39.2044,-77.1685,39.2065,-77.1654,"An upper level trough approached while warm and moist conditions across the Mid-Atlantic region. Sufficient instability led to showers and thunderstorms that moved slowly and led to high rainfall rates mainly across north-central Maryland.","There was high moving water near 21200 Block of Woodfield Road and the road was closed in both directions. The water is believed to have partially uprooted a Pepco Pole." +118014,713395,MARYLAND,2017,July,Flood,"HOWARD",2017-07-29 05:57:00,EST-5,2017-07-29 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.2164,-76.7086,39.216,-76.7077,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Water rescue on Furnace Avenue near Main Street." +118014,713396,MARYLAND,2017,July,Flood,"ANNE ARUNDEL",2017-07-29 06:44:00,EST-5,2017-07-29 08:00:00,0,0,0,0,0.00K,0,0.00K,0,38.9943,-76.6597,38.9918,-76.6595,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Defense Highway flooded and closed near Huntwood Drive." +118013,713397,WEST VIRGINIA,2017,July,Flood,"GRANT",2017-07-29 07:30:00,EST-5,2017-07-29 11:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.2673,-79.3678,39.2678,-79.3657,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Levee breached on Buffalo Creek, pushing it out of its banks, flooding nearby areas." +118014,713398,MARYLAND,2017,July,Flood,"PRINCE GEORGE'S",2017-07-29 07:44:00,EST-5,2017-07-29 10:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8108,-76.7135,38.8118,-76.7135,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Route 4 flooded and closed near Upper Marlboro." +118016,713399,VIRGINIA,2017,July,Flood,"PRINCE WILLIAM",2017-07-29 12:36:00,EST-5,2017-07-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-77.53,38.7287,-77.534,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Piper Lane flooded and closed near the railroad trestle due to the flooding of Broad Run." +118466,713402,WEST VIRGINIA,2017,July,Thunderstorm Wind,"BERKELEY",2017-07-22 11:52:00,EST-5,2017-07-22 11:52:00,0,0,0,0,,NaN,,NaN,39.4232,-78.1148,39.4232,-78.1148,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down blocking the roadway near the intersection of Jenkins Road and Buck Hill Road." +118466,713403,WEST VIRGINIA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-22 12:12:00,EST-5,2017-07-22 12:12:00,0,0,0,0,,NaN,,NaN,39.3042,-77.8412,39.3042,-77.8412,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","Three large trees were down on Route 9 near Flowing Springs Road." +118466,713404,WEST VIRGINIA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-22 12:19:00,EST-5,2017-07-22 12:19:00,0,0,0,0,,NaN,,NaN,39.3126,-77.7446,39.3126,-77.7446,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 4100 Block of Chestnut Hill Road." +119067,715063,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-14 17:00:00,EST-5,2017-07-14 17:00:00,0,0,0,0,,NaN,,NaN,38.9,-76.44,38.9,-76.44,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 41 knots was measured at Thomas Point." +119067,715064,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHOPTANK RIVER TO CAMBRIDGE MD AND THE LITTLE CHOPTANK RIVER",2017-07-14 17:01:00,EST-5,2017-07-14 17:01:00,0,0,0,0,,NaN,,NaN,38.68,-76.33,38.68,-76.33,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported." +119067,715065,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-14 17:36:00,EST-5,2017-07-14 17:48:00,0,0,0,0,,NaN,,NaN,38.432,-76.387,38.432,-76.387,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 42 knots were measured Cove Point." +119067,715068,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:48:00,EST-5,2017-07-14 17:13:00,0,0,0,0,,NaN,,NaN,38.23,-76.95,38.23,-76.95,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 36 knots were reported at Monroe Creek." +119067,715069,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 16:48:00,EST-5,2017-07-14 16:58:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 35 knots were reported at Potomac Light." +119067,715071,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 17:05:00,EST-5,2017-07-14 17:05:00,0,0,0,0,,NaN,,NaN,38.31,-77.03,38.31,-77.03,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported at Baber Point." +119067,715072,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-14 17:12:00,EST-5,2017-07-14 17:12:00,0,0,0,0,,NaN,,NaN,38.31,-76.93,38.31,-76.93,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts in excess of 30 knots were reported at Cuckold Creek." +119067,715074,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY POOLES IS TO SANDY PT MD",2017-07-14 16:40:00,EST-5,2017-07-14 16:40:00,0,0,0,0,,NaN,,NaN,39.15,-76.39,39.15,-76.39,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 37 knots was reported." +116253,701726,NEW JERSEY,2017,July,Heavy Rain,"WARREN",2017-07-07 06:48:00,EST-5,2017-07-07 06:48:00,0,0,0,0,,NaN,,NaN,40.83,-75.08,40.83,-75.08,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","Total rainfall of 2-3 inches mainly on the 6th." +116253,701727,NEW JERSEY,2017,July,Heavy Rain,"WARREN",2017-07-07 06:49:00,EST-5,2017-07-07 06:49:00,0,0,0,0,0.00K,0,0.00K,0,40.75,-75.13,40.75,-75.13,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 5 inches in Warren County, which lead to flooding.","Total rainfall of 2-3 inches mainly on the 6th." +116254,699109,PENNSYLVANIA,2017,July,Flood,"NORTHAMPTON",2017-07-07 06:48:00,EST-5,2017-07-07 06:48:00,0,0,0,0,0.00K,0,0.00K,0,40.6797,-75.5406,40.6794,-75.54,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Flooding occurred on Highway 329 near Quarry Street, Weaversville Road, and the intersection of Airport Road and Orchard Lane." +116254,699110,PENNSYLVANIA,2017,July,Flood,"NORTHAMPTON",2017-07-07 07:55:00,EST-5,2017-07-07 07:55:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-75.22,40.7277,-75.2184,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Vehicle stuck on a flooded roadway with one person trapped inside." +116254,699111,PENNSYLVANIA,2017,July,Heavy Rain,"CARBON",2017-07-07 06:00:00,EST-5,2017-07-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-75.77,40.81,-75.77,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Rainfall occurred during a 24-hour period." +116254,699112,PENNSYLVANIA,2017,July,Heavy Rain,"BERKS",2017-07-07 06:00:00,EST-5,2017-07-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-75.99,40.57,-75.99,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Rainfall occurred during a 24-hour period." +116254,699113,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 06:49:00,EST-5,2017-07-07 06:49:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-75.37,40.8,-75.37,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","" +116367,699696,TEXAS,2017,July,Thunderstorm Wind,"LAMB",2017-07-04 18:41:00,CST-6,2017-07-04 18:41:00,0,0,0,0,10.00K,10000,0.00K,0,34.23,-102.31,34.23,-102.31,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Broadcast media relayed reports of a wall of dust with damaging winds in Springlake. Damage was mostly light and confined to small tree limbs and fencing." +116367,699698,TEXAS,2017,July,Thunderstorm Wind,"CASTRO",2017-07-04 18:50:00,CST-6,2017-07-04 18:50:00,0,0,0,0,0.00K,0,0.00K,0,34.42,-102.11,34.42,-102.11,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Hart." +116367,699699,TEXAS,2017,July,Thunderstorm Wind,"LAMB",2017-07-04 19:14:00,CST-6,2017-07-04 19:35:00,0,0,0,0,15.00K,15000,0.00K,0,34.09,-102.12,34.0302,-102.4077,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","A series of downbursts tracked south through portions of Lamb County accompanied by a wall of dust. These winds overturned a few center pivots along Highway 385 between Springlake and Littlefield. Winds were measured as high as 64 mph at 1920 CST by a Texas Tech University West Texas mesonet near Amherst. Another mesonet near Olton measured wind gusts to 62 mph and 59 mph at 1914 CST and 1935 CST, respectively." +116724,701956,NEW MEXICO,2017,July,Tornado,"SANDOVAL",2017-07-06 14:30:00,MST-7,2017-07-06 14:32:00,0,0,0,0,0.00K,0,0.00K,0,35.4284,-106.3902,35.4283,-106.3904,"A weak shower developing near San Felipe Pueblo shortly after 3 pm interacted with a strong dust devil that developed near Interstate 25 to produce a brief landspout tornado. A motorist traveling along Interstate 25 captured photos of the landspout just west of the highway. No damage occurred.","Brief landspout tornado developed just west of Interstate 25 north of the drainage that runs through San Felipe Pueblo. No damage occurred." +116705,701778,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:10:00,EST-5,2017-07-10 16:10:00,0,0,0,0,0.00K,0,0.00K,0,27.85,-82.52,27.85,-82.52,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The AWOS at MacDill Air Force Base measured a wind gust to 36 knots, 41 mph." +116705,701779,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:28:00,EST-5,2017-07-10 16:28:00,0,0,0,0,0.00K,0,0.00K,0,27.8578,-82.5527,27.8578,-82.5527,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The PORTS site at Old Port Tampa measured a wind gust to 37 knots, 43 mph." +116705,701780,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:31:00,EST-5,2017-07-10 16:31:00,0,0,0,0,0.00K,0,0.00K,0,27.767,-82.6252,27.767,-82.6252,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The ASOS at St Petersburg Albert Whitted Airport measured a wind gust to 46 knots, 53 mph." +116705,701783,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-10 16:44:00,EST-5,2017-07-10 16:44:00,0,0,0,0,0.00K,0,0.00K,0,27.92,-82.69,27.92,-82.69,"A line of strong thunderstorms developed along the I-75 corridor during the afternoon hours and gradually pushed towards the coast. Widespread gusty winds were observed all around Tampa Bay and the nearby Gulf waters.","The St. Petersburg / Clearwater International Airport ASOS measured a wind gust to 40 knots, 46 mph." +116727,701963,GULF OF MEXICO,2017,July,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-21 11:05:00,EST-5,2017-07-21 11:10:00,0,0,0,0,0.00K,0,0.00K,0,27.928,-83.032,27.943,-83.028,"Scattered showers and thunderstorms developed over the Gulf of Mexico during the morning and early afternoon hours. A waterspout in one of the showers was photographed from the beach.","A photo was received from the public of a waterspout off the coast of Indian Shores." +116728,701964,FLORIDA,2017,July,Hail,"POLK",2017-07-21 12:40:00,EST-5,2017-07-21 12:45:00,0,0,0,0,0.00K,0,0.00K,0,28.04,-81.91,28.04,-81.91,"Scattered morning thunderstorms developed over the Gulf of Mexico and pushed inland through the afternoon. One of these storms produced nickel sized hail, and lightning from another caused a house fire.","Multiple trained spotters reported pea to nickel size hail near Lacoochee." +117037,703931,TEXAS,2017,July,Heat,"MORRIS",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703932,TEXAS,2017,July,Heat,"WOOD",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703933,TEXAS,2017,July,Heat,"UPSHUR",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703934,TEXAS,2017,July,Heat,"SMITH",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117036,703925,TEXAS,2017,July,Heat,"MARION",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117044,704012,NEW JERSEY,2017,July,Heavy Rain,"GLOUCESTER",2017-07-23 22:55:00,EST-5,2017-07-23 22:55:00,0,0,0,0,,NaN,,NaN,39.68,-75.1,39.68,-75.1,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Just over three inches of rain fell with almost half an inch in five minutes." +117044,704013,NEW JERSEY,2017,July,Heavy Rain,"GLOUCESTER",2017-07-23 23:29:00,EST-5,2017-07-23 23:29:00,0,0,0,0,,NaN,,NaN,39.72,-75.06,39.72,-75.06,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","CWOP station in Washington twp recorded just over four inches of rain." +117044,704014,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-24 01:22:00,EST-5,2017-07-24 01:22:00,0,0,0,0,,NaN,,NaN,39.68,-74.24,39.68,-74.24,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A little over two inches of rain fell." +117044,704015,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-24 01:43:00,EST-5,2017-07-24 01:43:00,0,0,0,0,,NaN,,NaN,39.58,-74.23,39.58,-74.23,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Three and a half inches of rain fell at a CWOP station." +117044,704016,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-24 01:55:00,EST-5,2017-07-24 01:55:00,0,0,0,0,,NaN,,NaN,39.64,-74.18,39.64,-74.18,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Almost four and a half inches of rain fell with an inch and a half in an hour." +117044,704019,NEW JERSEY,2017,July,Heavy Rain,"OCEAN",2017-07-24 02:33:00,EST-5,2017-07-24 02:33:00,0,0,0,0,,NaN,,NaN,39.7,-74.14,39.7,-74.14,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Just over three inches of rain fell." +117044,704020,NEW JERSEY,2017,July,Heavy Rain,"GLOUCESTER",2017-07-24 03:45:00,EST-5,2017-07-24 03:45:00,0,0,0,0,,NaN,,NaN,39.75,-75.07,39.75,-75.07,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Almost five inches of rain fell." +117044,704021,NEW JERSEY,2017,July,Heavy Rain,"BURLINGTON",2017-07-24 06:00:00,EST-5,2017-07-24 06:00:00,0,0,0,0,,NaN,,NaN,39.72,-74.51,39.72,-74.51,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Two and a half inches of rain fell at the ONJSC mesonet." +117044,704022,NEW JERSEY,2017,July,Heavy Rain,"CAMDEN",2017-07-24 06:00:00,EST-5,2017-07-24 06:00:00,0,0,0,0,,NaN,,NaN,39.76,-74.98,39.76,-74.98,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Just over four inches of rain fell." +116707,701835,GULF OF MEXICO,2017,July,Waterspout,"CHARLOTTE HARBOR AND PINE ISLAND SOUND",2017-07-06 17:45:00,EST-5,2017-07-06 17:50:00,0,0,0,0,0.00K,0,0.00K,0,26.9501,-82.0458,26.9584,-82.0537,"Late evening sea breeze thunderstorms developed along the I-75 corridor. A waterspout was photographed over Charlotte Harbor as one of the storms passed through.","Broadcast media forwarded a picture of a funnel cloud with sea spray beneath it over Charlotte Harbor." +116726,701958,FLORIDA,2017,July,Thunderstorm Wind,"PASCO",2017-07-18 12:00:00,EST-5,2017-07-18 12:00:00,0,0,0,0,30.00K,30000,0.00K,0,28.1829,-82.3089,28.1846,-82.304,"Thunderstorms developed over the eastern Gulf during the early morning hours and pushed into the Florida Peninsula under weak westerly flow. One of these storms produced damaging wind gusts in Pasco County.","Wind damage was reported to a neighborhood in Wesley Chapel with downed fences, tree limbs, and minor roof damage." +116754,702127,GULF OF MEXICO,2017,July,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-07-22 08:00:00,EST-5,2017-07-22 08:00:00,0,0,0,0,0.00K,0,0.00K,0,28.2503,-82.8204,28.2503,-82.8204,"Persistent southwest flow over the warm waters of the Gulf of Mexico allowed for showers and thunderstorms to develop in the early morning hours. Two waterspouts developed along the Florida Gulf Coast.","A picture of a waterspout off of the coast of New Port Richey posted on social media. The photographer spotted three waterspouts over the course of the morning. Time was estimated by radar." +116888,702784,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-07-25 22:31:00,CST-6,2017-07-25 22:31:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"Late evening thunderstorms generated a marine thunderstorm wind gust.","Wind gust was measured at Matagorda Bay WeatherFlow site XMGB." +116755,702129,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-23 05:36:00,EST-5,2017-07-23 05:36:00,0,0,0,0,0.00K,0,0.00K,0,27.61,-82.76,27.61,-82.76,"Southwesterly flow across the Gulf of Mexico sparked early morning showers and thunderstorms. One thunderstorm produced gusty winds while moving across southern Tampa Bay.","The WeatherFlow station near Egmont Key recorded a wind gust of 41 knots, 47 mph." +117176,704821,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-07-15 16:41:00,CST-6,2017-07-15 16:41:00,0,0,0,0,0.00K,0,0.00K,0,28.93,-95.29,28.93,-95.29,"Marine thunderstorm wind gusts were observed.","Marine thunderstorm wind gust was measure at WeatherFlow site XSRF." +117014,703798,GULF OF MEXICO,2017,July,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-07-28 14:26:00,EST-5,2017-07-28 14:31:00,0,0,0,0,0.00K,0,0.00K,0,28.5675,-82.8494,28.5788,-82.8352,"Isolated storms moved northeast over the eastern Gulf of Mexico through the afternoon. A waterspout was photographed in one of these storms.","A broadcast media station relayed a picture of a waterspout southwest of Homosassa." +117015,703802,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-29 14:17:00,EST-5,2017-07-29 14:17:00,0,0,0,0,0.00K,0,0.00K,0,27.94,-82.81,27.94,-82.81,"Isolated thunderstorms developed over the eastern Gulf of Mexico and pushed east into the coast. A couple of these storms produced marine wind gusts as they came onshore.","A home weather station in Belleair (E6508) recorded a 37 knot thunderstorm wind gust." +117259,705313,NEBRASKA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-02 18:35:00,CST-6,2017-07-02 18:35:00,0,0,0,0,0.00K,0,0.00K,0,41.13,-100.77,41.13,-100.77,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","Public estimated 60 mph winds and also reported dime size hail in North Platte." +117266,705341,NEBRASKA,2017,July,Thunderstorm Wind,"ROCK",2017-07-05 23:30:00,CST-6,2017-07-05 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.56,-99.51,42.56,-99.51,"A cluster or quasi-linear system of cells moved southeast across portions of north central Nebraska during the late night of July 5 and early morning of July 6. Severe winds and small hail were reported in Rock and Holt counties.","Public reported small tree branches downed and estimated 60 mph wind gusts, along with marble size hail." +117266,705342,NEBRASKA,2017,July,Thunderstorm Wind,"HOLT",2017-07-05 23:40:00,CST-6,2017-07-05 23:40:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-98.65,42.46,-98.65,"A cluster or quasi-linear system of cells moved southeast across portions of north central Nebraska during the late night of July 5 and early morning of July 6. Severe winds and small hail were reported in Rock and Holt counties.","" +116904,702969,FLORIDA,2017,July,Heat,"ST. LUCIE",2017-07-25 10:00:00,EST-5,2017-07-25 16:00:00,3,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep layer high pressure remained over central Florida with a low-level ridge axis positioned over Lake Okeechobee, and a mid-level ridge axis across central Florida. The resulting subsidence kept shower and thunderstorm development to a minimum and allowed temperatures to climb into the lower to mid 90s. As the sea breeze pushed inland dew points rose into the upper 70s creating heat index values around 105, and as high as 108 sporadically.","Three St. Lucie County residents were taken to local hospitals after complaining of heat-related illnesses while being outdoors. A Port St. Lucie woman in her 20s was transported to a local hospital after she felt dizzy and nauseous after walking for two hours around noon. A Fort Pierce man in his 30s became ill after performing work outdoors and was transported to a local hospital. A teenager was also transported to a local hospital after suffering abdominal pains and sweats after having mowed lawns during the afternoon." +116904,702971,FLORIDA,2017,July,Heat,"MARTIN",2017-07-25 10:00:00,EST-5,2017-07-25 16:00:00,3,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Deep layer high pressure remained over central Florida with a low-level ridge axis positioned over Lake Okeechobee, and a mid-level ridge axis across central Florida. The resulting subsidence kept shower and thunderstorm development to a minimum and allowed temperatures to climb into the lower to mid 90s. As the sea breeze pushed inland dew points rose into the upper 70s creating heat index values around 105, and as high as 108 sporadically.","Martin County Fire Rescue reported transporting three Martin County residents to local hospitals after they suffered from heat-related illnesses from being outdoors." +116381,699850,MONTANA,2017,July,Thunderstorm Wind,"MUSSELSHELL",2017-07-06 16:15:00,MST-7,2017-07-06 16:15:00,0,0,0,0,0.00K,0,0.00K,0,46.27,-108.55,46.27,-108.55,"An upper level disturbance along with an unstable atmosphere and large temperature/dewpoint spreads resulted in the development of severe thunderstorms producing strong wind gusts across portions of the Billings Forecast Area.","" +117322,705606,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-31 17:46:00,CST-6,2017-07-31 17:46:00,0,0,0,0,,NaN,,NaN,47.91,-97.63,47.91,-97.63,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117322,705607,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-31 17:58:00,CST-6,2017-07-31 17:58:00,0,0,0,0,,NaN,,NaN,47.82,-97.53,47.82,-97.53,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Dime to ping pong ball sized hail fell, but not a lot of rain." +117514,706824,KENTUCKY,2017,July,Heat,"DAVIESS",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706825,KENTUCKY,2017,July,Heat,"FULTON",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706826,KENTUCKY,2017,July,Heat,"GRAVES",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706827,KENTUCKY,2017,July,Heat,"HENDERSON",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706828,KENTUCKY,2017,July,Heat,"HICKMAN",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706829,KENTUCKY,2017,July,Heat,"HOPKINS",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117511,706772,MISSOURI,2017,July,Excessive Heat,"CAPE GIRARDEAU",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706773,MISSOURI,2017,July,Excessive Heat,"CARTER",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706775,MISSOURI,2017,July,Excessive Heat,"MISSISSIPPI",2017-07-20 11:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117171,704811,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:30:00,MST-7,2017-07-18 18:30:00,0,0,0,0,,NaN,0.00K,0,44.71,-103.42,44.71,-103.42,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704818,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:30:00,MST-7,2017-07-18 18:35:00,0,0,0,0,,NaN,,NaN,44.71,-103.42,44.71,-103.42,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","The combination of hail to baseball size and strong wind gusts damaged automobiles, houses, signs, and other property in town." +117171,704819,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-18 18:35:00,MST-7,2017-07-18 18:50:00,0,0,0,0,,NaN,,NaN,44.71,-103.42,44.71,-103.42,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704824,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:32:00,MST-7,2017-07-18 18:32:00,0,0,0,0,,NaN,0.00K,0,44.67,-103.47,44.67,-103.47,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","The spotter also reported 50 mph wind gusts." +117171,704825,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:35:00,MST-7,2017-07-18 18:35:00,0,0,0,0,,NaN,0.00K,0,44.6666,-103.42,44.6666,-103.42,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704826,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BUTTE",2017-07-18 18:35:00,MST-7,2017-07-18 18:35:00,0,0,0,0,,NaN,0.00K,0,44.6666,-103.42,44.6666,-103.42,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Ten inch diameter tree limbs were broken off trees." +117171,704827,SOUTH DAKOTA,2017,July,Hail,"BUTTE",2017-07-18 18:51:00,MST-7,2017-07-18 18:51:00,0,0,0,0,0.00K,0,0.00K,0,44.62,-103.3797,44.62,-103.3797,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117834,708336,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-14 16:30:00,MST-7,2017-07-14 16:30:00,0,0,0,0,25.00K,25000,0.00K,0,33.86,-112.28,33.86,-112.28,"Thunderstorms developed during the afternoon hours across the greater Phoenix metropolitan area on July 14th and some of the stronger storms produced strong gusty outflow wind measured to be as high as 60 mph. The gusty winds were also responsible for generating areas of dense blowing dust; at about 1700MST dust storm conditions were reported at Luke Air Force Base in west Phoenix as visibility dropped to one quarter of a mile. Although Dust Storm Warnings were not issued, a Blowing Dust Advisory was issued for portions of the greater Phoenix area during the afternoon hours. The strong outflow winds did not produce any reported damage.","A very strong thunderstorm developed over Lake Pleasant during the middle of the afternoon on July 14th and this storm generated strong and gusty outflow winds estimated to be as high as 60 mph. The strong winds caused havoc at the lake and according to local broadcast media, the winds capsized several boats and caused damage to the docks on the lakefront. In addition, numerous water rescues were needed on the lake. No injuries were reported due to the strong winds or in association with the rescues. A Severe Thunderstorm Warning was in effect at the time of the damage; it was issued for the lake at 1623MST and was in effect through 1700MST." +117860,708363,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-16 21:36:00,MST-7,2017-07-16 21:36:00,0,0,0,0,15.00K,15000,0.00K,0,33.63,-111.91,33.63,-111.91,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Strong thunderstorms developed over portions of Scottsdale during the late evening hours on July 16th and they generated strong gusty outflow winds estimated to be in excess of 60 mph. According to a trained weather spotter, at 2136MST wind gusts estimated at 65 mph blew down 8 to 10 trees which were 5 to 8 inches in diameter. The trees were located just north of the Scottsdale airport near Frank Lloyd Wright Boulevard. In addition, the winds downed street signs in northeast Scottsdale. A Severe Thunderstorm Warning was issued for the area at 2135MST and it remained in effect through 2200MST." +118086,709706,ARIZONA,2017,July,Flash Flood,"PINAL",2017-07-23 18:30:00,MST-7,2017-07-23 22:45:00,0,0,0,0,0.00K,0,0.00K,0,33.0987,-111.7612,33.0872,-111.4591,"Thunderstorms with heavy rain developed across much of south-central Arizona during the evening hours on July 23rd and many of them affected the greater Phoenix metropolitan area, especially the eastern and southeast portion. Heavy rain led to episodes of both urban flooding and flash flooding, impacting communities such as San Tan, Apache Junction, Queen Creek and Casa Grande. Peak rain rates, as observed by a number of trained weather spotters, reached or exceeded 1.5 inches per hour. The heavy rain led to the issuance of multiple Flood Advisory and Flash Flood Warning products for the south-central deserts. Fortunately, no injuries resulted from the more significant flooding episodes. Additionally, one of the storms in the Phoenix area generated gusty damaging microburst winds which blew a tower onto a house just to the northeast of Phoenix Sky Harbor Airport.","Thunderstorms with heavy rain developed across much of the eastern and southeastern portions of the greater Phoenix area during the evening hours on July 23rd. The heavy rain led to episodes of urban flooding as well as flash flooding, affecting communities such as San Tan Valley and Queen Creek. At 1905MST, a trained spotter 9 miles southeast of Queen Creek measured 0.88 inches of rain within 30 minutes along the Hunt Highway in San Tan Valley. This intense rainfall led to flash flooding; at about the same time another trained spotter 5 miles southeast of Queen Creek reported that very heavy rains caused low water crossings in San Tan Valley to become flooded. Additionally, at 2002MST another trained spotter 7 miles southeast of Queen Creek measured nearly 1.5 inches of rain in one hour, further illustrating the intense nature of the evening rainfall. He also reported flash flooding at 2043MST, at the intersection of West Judd Road and North Brenner Pass Road. As of 2039MST, public reports indicated that parts of Empire Road and Riggs Road were closed due to the flash flooding. Fortunately, no injuries were reported due to the flash flooding." +117502,706951,KENTUCKY,2017,July,Flash Flood,"BRACKEN",2017-07-22 23:00:00,EST-5,2017-07-23 01:00:00,0,0,0,0,0.00K,0,0.00K,0,38.77,-84,38.7756,-83.9989,"Thunderstorms developed during the evening hours along a stalled frontal boundary located along the Ohio River. The storms continued into the early morning hours, producing heavy rain and flash flooding. A few of the storms also produced damaging winds.","High water closed several streets in Augusta." +116181,698338,OHIO,2017,July,Flash Flood,"CLARK",2017-07-06 10:30:00,EST-5,2017-07-06 11:00:00,0,0,0,0,0.00K,0,0.00K,0,39.8918,-83.9959,39.8967,-83.9834,"A low pressure system moved slowly east across the Ohio Valley and produced thunderstorms with locally heavy rainfall during the late morning and afternoon hours.","Eight inches of water was reported running across a 100 foot stretch of Lower Valley Pike, about 1.5 miles east of Medway." +116181,698360,OHIO,2017,July,Flash Flood,"DARKE",2017-07-06 11:45:00,EST-5,2017-07-06 12:45:00,0,0,0,0,0.00K,0,0.00K,0,40,-84.71,40.0008,-84.5954,"A low pressure system moved slowly east across the Ohio Valley and produced thunderstorms with locally heavy rainfall during the late morning and afternoon hours.","Several roads were closed across southern Darke County due to high water." +118179,711111,MASSACHUSETTS,2017,July,Thunderstorm Wind,"WORCESTER",2017-07-12 11:50:00,EST-5,2017-07-12 11:50:00,0,0,0,0,3.00K,3000,0.00K,0,42.0994,-71.5029,42.0994,-71.5029,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 1150 AM EST, a tree was down on a car on route 140 in Mendon near Gasco Fuel." +116189,698400,COLORADO,2017,July,Hail,"WASHINGTON",2017-07-03 15:41:00,MST-7,2017-07-03 15:41:00,0,0,0,0,,NaN,,NaN,40.14,-102.96,40.14,-102.96,"A severe thunderstorm produced large hail up to ping pong ball size in Washington County.","" +116191,698405,COLORADO,2017,July,Hail,"PHILLIPS",2017-07-04 14:29:00,MST-7,2017-07-04 14:29:00,0,0,0,0,,NaN,,NaN,40.74,-102.46,40.74,-102.46,"Isolated thunderstorms produced hail up to quarter size and intense outflow winds to around 60 mph.","" +116191,698406,COLORADO,2017,July,Thunderstorm Wind,"DENVER",2017-07-04 15:35:00,MST-7,2017-07-04 15:35:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-104.67,39.87,-104.67,"Isolated thunderstorms produced hail up to quarter size and intense outflow winds to around 60 mph.","" +116738,702101,COLORADO,2017,July,Thunderstorm Wind,"ELBERT",2017-07-12 13:44:00,MST-7,2017-07-12 13:44:00,0,0,0,0,0.00K,0,0.00K,0,39.34,-103.78,39.34,-103.78,"A severe thunderstorm produced wind gusts to 64 mph around Limon.","" +116738,702102,COLORADO,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-12 14:05:00,MST-7,2017-07-12 14:05:00,0,0,0,0,,NaN,,NaN,39.27,-103.67,39.27,-103.67,"A severe thunderstorm produced wind gusts to 64 mph around Limon.","" +116743,702108,COLORADO,2017,July,Hail,"PHILLIPS",2017-07-18 16:48:00,MST-7,2017-07-18 16:48:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-102.1,40.73,-102.1,"A severe thunderstorm produced hail up to quarter size.","" +116746,702113,COLORADO,2017,July,Hail,"ELBERT",2017-07-20 15:48:00,MST-7,2017-07-20 15:48:00,0,0,0,0,,NaN,,NaN,39.44,-104.61,39.44,-104.61,"A severe thunderstorm north of Elizabeth produced hail up to quarter size. The hail completely covered the ground.","" +118511,712032,ILLINOIS,2017,July,Lightning,"CLARK",2017-07-22 21:45:00,CST-6,2017-07-22 22:46:00,0,0,0,0,20.00K,20000,0.00K,0,39.38,-87.7,39.38,-87.7,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Lightning struck and damaged an Assisted Living Center in Marshall." +118535,712133,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-06 19:50:00,CST-6,2017-07-06 19:54:00,0,0,0,0,10.00K,10000,0.00K,0,45.69,-87.59,45.69,-87.59,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","The Delta County Dispatch reported that a tree had fallen on a van on French Town Road near Hermansville." +118535,712134,MICHIGAN,2017,July,Thunderstorm Wind,"MENOMINEE",2017-07-06 20:10:00,CST-6,2017-07-06 20:17:00,0,0,0,0,2.00K,2000,0.00K,0,45.46,-87.66,45.46,-87.66,"A cold front approaching a moist and unstable air mass generated isolated severe thunderstorms over portions of west and central Upper Michigan on the 6th.","Several large trees were snapped or uprooted just west of Daggett. One of the large trees was two to three feet in diameter." +117803,709132,MISSISSIPPI,2017,July,Flash Flood,"SIMPSON",2017-07-25 11:40:00,CST-6,2017-07-25 12:45:00,0,0,0,0,5.00K,5000,0.00K,0,31.8,-89.99,31.7819,-89.9935,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Flooding occurred on Highway 43 near Shivers." +117803,709128,MISSISSIPPI,2017,July,Flood,"LINCOLN",2017-07-25 11:50:00,CST-6,2017-07-25 12:50:00,0,0,0,0,200.00K,200000,0.00K,0,31.58,-90.46,31.6372,-90.2719,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Several roads were flooded across the county." +117803,709127,MISSISSIPPI,2017,July,Flash Flood,"FRANKLIN",2017-07-25 10:54:00,CST-6,2017-07-25 12:45:00,0,0,0,0,15.00K,15000,0.00K,0,31.4572,-90.7427,31.458,-90.749,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Water ran over the bridge from the Homochitto River at Pleasant Valley and Low Water Bridge roads." +117803,709129,MISSISSIPPI,2017,July,Thunderstorm Wind,"LAWRENCE",2017-07-25 12:50:00,CST-6,2017-07-25 12:50:00,0,0,0,0,2.00K,2000,0.00K,0,31.6817,-89.9929,31.6817,-89.9929,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","A tree was blown down on Highway 43 near Grange Road." +117803,709130,MISSISSIPPI,2017,July,Flash Flood,"JEFFERSON DAVIS",2017-07-25 11:50:00,CST-6,2017-07-25 15:15:00,0,0,0,0,5.00K,5000,0.00K,0,31.4354,-89.85,31.4458,-89.8893,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Stowey Parkman Road was flooded." +118682,712972,TEXAS,2017,July,Hail,"OLDHAM",2017-07-03 17:35:00,CST-6,2017-07-03 17:35:00,0,0,0,0,0.00K,0,0.00K,0,35.2,-102.19,35.2,-102.19,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Estimated dime to quarter size hail falling at time of the report." +118682,712974,TEXAS,2017,July,Thunderstorm Wind,"HEMPHILL",2017-07-03 17:44:00,CST-6,2017-07-03 17:44:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-100.28,35.92,-100.28,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +118682,712977,TEXAS,2017,July,Hail,"RANDALL",2017-07-03 17:59:00,CST-6,2017-07-03 17:59:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-102.06,35.18,-102.06,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +116841,702796,TENNESSEE,2017,July,Lightning,"DAVIDSON",2017-07-15 08:30:00,CST-6,2017-07-15 08:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.1527,-86.6279,36.1527,-86.6279,"A line of showers and thunderstorms developed across northern Middle Tennessee during the morning hours on July 15, and continued to redevelop and move over the same areas for several hours. A few reports of flash flooding and lightning damage were received.","Several tSpotter Twitter reports, photos and video showed lightning struck a Comfort Suites hotel on Stewarts Ferry Pike near I-40 causing a fire in the tower of the building." +118713,713171,ALABAMA,2017,July,Flash Flood,"MONTGOMERY",2017-07-15 20:35:00,CST-6,2017-07-15 22:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3913,-86.2801,32.4075,-86.231,"An east to west upper level trough axis was stationary across central Alabama. Slow moving thunderstorms during the afternoon and evening and produced localized flash flooding.","Several roads flooded in the city of Montgomery." +118713,713174,ALABAMA,2017,July,Flood,"JEFFERSON",2017-07-16 07:30:00,CST-6,2017-07-16 09:00:00,0,0,0,0,0.00K,0,0.00K,0,33.4216,-86.9896,33.4842,-86.93,"An east to west upper level trough axis was stationary across central Alabama. Slow moving thunderstorms during the afternoon and evening and produced localized flash flooding.","Heavy rainfall produced flooding across portions of southern Jefferson County. Significant flooding occurred along the Mississippi Avenue in Hueytown where water has entered several homes. Water rescues reported in the city of Birmingham at 24th Street and Wesley Road." +118713,713176,ALABAMA,2017,July,Flood,"SHELBY",2017-07-16 08:05:00,CST-6,2017-07-16 10:00:00,0,0,0,0,0.00K,0,0.00K,0,33.3602,-86.7747,33.366,-86.7657,"An east to west upper level trough axis was stationary across central Alabama. Slow moving thunderstorms during the afternoon and evening and produced localized flash flooding.","Several flooded roads in northern Shelby County. Valleydale Road near the intersection of Interstate 65 was flooded with at least one foot of water. Water over roadway at Highway 119 at Indian Ridge Road. Both roads closed and impassable." +118713,713173,ALABAMA,2017,July,Flash Flood,"SHELBY",2017-07-15 16:50:00,CST-6,2017-07-15 18:30:00,0,0,0,0,0.00K,0,0.00K,0,33.31,-86.81,33.3109,-86.7958,"An east to west upper level trough axis was stationary across central Alabama. Slow moving thunderstorms during the afternoon and evening and produced localized flash flooding.","Several reports of flooded roadways in the city of Pelham. Rainfall reports were in the 3-5 inch range for this event." +116574,700993,NEBRASKA,2017,July,Hail,"KEARNEY",2017-07-17 15:41:00,CST-6,2017-07-17 15:41:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-99.23,40.37,-99.23,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","" +116574,700999,NEBRASKA,2017,July,Thunderstorm Wind,"WEBSTER",2017-07-17 19:37:00,CST-6,2017-07-17 19:39:00,0,0,0,0,0.00K,0,0.00K,0,40.1493,-98.4902,40.1493,-98.4902,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","" +116574,701034,NEBRASKA,2017,July,Heavy Rain,"KEARNEY",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.37,-99.23,40.37,-99.23,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 5.55 inches was measured." +116574,701035,NEBRASKA,2017,July,Heavy Rain,"FRANKLIN",2017-07-17 06:00:00,CST-6,2017-07-18 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2631,-98.9937,40.2631,-98.9937,"A large area of 3 to 5 inches of rain occurred south of Highway 6 on this Monday afternoon and night, along with a couple isolated reports of severe weather. Scattered multicell thunderstorms began forming early, just after noon CST, north of McCook. As these storms moved northeast, they were rapidly joined by numerous other storms. By 5 PM CST, scattered thunderstorms covered south central Nebraska, south of Interstate 80 between Highways 283 and 281. Over time, the most potent cells were the newest ones forming on the southwest edge of the expanding rain shield. By 6 PM CST, cell mergers there resulted in a short northeast-southwest oriented line segment of storms along the Furnas-Harlan County border. This line moved southeast into northern Kansas. As this occurred, and through the evening, more scattered storms continued to form to the west and southwest of the departing rain shield. By 1200 AM CST, the southwest edge of the precipitation area began moving northeast across the rest of south central Nebraska, with the strongest storms eventually becoming focused only on the southwest edge once again. By 4 AM CST, a multicellular line had formed from just east of Kearney to Hastings to Nelson, with a large shield of stratiform rain downstream. This line collapsed from northwest to southeast, weakened, and exited south central Nebraska around 7 AM CST Tuesday. Repeated cell development resulted in heavy rainfall amounts with 2 inch amounts common along Interstate 80 from Lexington to Grand Island. The heaviest amounts were south of Highway 6, especially along and just north of Highway 136, across Furnas, Harlan, Franklin, Webster, and Nuckolls Counties, where 3 to 5 inches fell. The highest amount was 5.55 inches in the town of Wilcox. Flood warnings were issued and minor flooding did occur along parts of the Republican River near Guide Rock. Flooding also occurred along Thompson Creek, with the gauge at Riverton briefly rising to moderate flood stage. It is likely that parts of Riverton did experience some flooding, but no impacts were received. A couple storms produced isolated severe weather, with 58 mph winds measured near Red Cloud, and hail the size of nickels in Wilcox.||These storms all formed in the warm sector of a deep low pressure system which was over central Canada. Its slow-moving cool front was over the Dakota's and the northern Rockies, while its warm front was east of the region, over Minnesota and Iowa. In the upper-levels, a subtropical high was over Oklahoma and encompassed the middle of the Country. The westerlies extended from the Pacific Northwest to Hudson Bay, with a weak trough over the eastern U.S. As the initial thunderstorms developed, temperatures were in the lower 90s, with dewpoints in the 60s. Mid-level lapse rates were low, resulting in MLCAPE generally between 1000 and 1900 J/kg. Effective deep layer shear was around 20 kts. The persistent thunderstorm development, particularly in the evening and overnight hours was associated with a 45 kt low-level jet. Nighttime MUCAPE levels were between 500 and 1000 J/kg.","A storm total rainfall amount of 4.94 inches was measured." +116856,702623,KANSAS,2017,July,Hail,"MITCHELL",2017-07-22 16:03:00,CST-6,2017-07-22 16:03:00,0,0,0,0,0.00K,0,0.00K,0,39.52,-98.43,39.52,-98.43,"Severe hail fell in a few spots over north central Kansas on this Saturday afternoon. Around 230 pm CST, scattered slow-moving thunderstorms began forming along a line across Rooks and Osborne Counties. Around 330 pm CST, the storm over eastern Rooks County intensified and produced hail up to the size of half dollars. This storm probably remained severe until 4 pm CST as it sagged slowly south. However, no additional reports were received due to the sparsity of population. After 330 pm CST, numerous other storms smaller storms developed across north central Kansas, south of Highway 36. A couple of these storms briefly turned severe over Mitchell County, with 1 inch hail reported in Cawker City around 4 pm CST, and in Hunter around 5 pm CST. The storms generally weakened after 5 pm, leaving stratiform anvil rain, with strongest storms just east and south of this portion of north central Kansas. ||These storms formed along an extensive cool front that extended from Nevada to New Jersey. This front was stationary in some locations, with weak lows migrating east along it. Part of this front was sagging south through north central Kansas. In the upper-levels, the main band of Westerlies was along the U.S.-Canada border with the amplitude fairly low. However, during the day, a shortwave trough migrated from the Northern Rockies into the Dakota's and Nebraska and exhibited some amplification. Two subtropical highs were over the southern U.S. Just prior to thunderstorm initiation, temperatures were around 100 with dewpoints ranging from the upper 50s to lower 70s. Northeast winds behind the front were advecting rich dewpoints westward. MLCAPE ranged from 1000 to 3000 J/kg, with the lowest values associated with the lowest dewpoints, and the highest values associated with the highest dewpoints. Effective deep layer shear was approximately 20-25 kts.","" +118794,713604,KANSAS,2017,July,Thunderstorm Wind,"POTTAWATOMIE",2017-07-22 16:06:00,CST-6,2017-07-22 16:07:00,0,0,0,0,,NaN,,NaN,39.5,-96.4,39.5,-96.4,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Observer reported 6 to 7 inch diameter tree limbs down on his property. Time was determined by radar." +118794,713605,KANSAS,2017,July,Hail,"POTTAWATOMIE",2017-07-22 16:30:00,CST-6,2017-07-22 16:31:00,0,0,0,0,,NaN,,NaN,39.42,-96.07,39.42,-96.07,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Report received via social media." +118794,713606,KANSAS,2017,July,Hail,"POTTAWATOMIE",2017-07-22 16:33:00,CST-6,2017-07-22 16:34:00,0,0,0,0,,NaN,,NaN,39.39,-96.41,39.39,-96.41,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","" +118794,713607,KANSAS,2017,July,Hail,"JACKSON",2017-07-22 17:37:00,CST-6,2017-07-22 17:38:00,0,0,0,0,,NaN,,NaN,39.31,-95.94,39.31,-95.94,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","" +118794,713608,KANSAS,2017,July,Thunderstorm Wind,"SHAWNEE",2017-07-22 18:29:00,CST-6,2017-07-22 18:30:00,0,0,0,0,,NaN,,NaN,39.07,-95.63,39.07,-95.63,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Measured at the Billard Airport ASOS." +118794,713609,KANSAS,2017,July,Thunderstorm Wind,"MORRIS",2017-07-22 18:35:00,CST-6,2017-07-22 18:36:00,0,0,0,0,,NaN,,NaN,38.76,-96.5,38.76,-96.5,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Delayed report; extensive damage to several farmsteads. One home lost a portion of its roof and suffered structural damage to its second story. A second home had a tree fall through the living room. Multiple outbuildings were completely destroyed and dozens of trees were heavily damaged or uprooted. Time was estimated from radar." +112919,674617,ILLINOIS,2017,February,Tornado,"LA SALLE",2017-02-28 16:58:00,CST-6,2017-02-28 17:02:00,0,0,0,0,,NaN,,NaN,41.3648,-88.7066,41.3701,-88.6531,"The late afternoon into the evening of Tuesday, February 28 brought a favorable setup for severe weather, including strong tornadoes across much of the Mid-Mississippi Valley and Lower Great Lakes regions. There were seven tornadoes confirmed in the NWS Chicago county warning area. Large hail was reported in numerous areas.","The tornado moved along N 30th Road south of Interstate 80 and produced damage at two farmsteads, both on the north side of the road, and to a tower on the south side of the road. Videos of this tornado suggested the condensation funnel possibly was wider than documented by the survey, but the path width was estimated based on the areas of damage. (Tornado #3 of 7)." +113261,677685,MISSISSIPPI,2017,January,Drought,"CHICKASAW",2017-01-01 00:00:00,CST-6,2017-01-24 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into much of January for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the end of the month.","Severe (D2) drought conditions improved by the end of the month." +113261,677686,MISSISSIPPI,2017,January,Drought,"ITAWAMBA",2017-01-01 00:00:00,CST-6,2017-01-24 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into much of January for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the end of the month.","Severe (D2) drought conditions improved by the end of the month." +118909,714355,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CATAWBA",2017-07-15 15:00:00,EST-5,2017-07-15 15:11:00,0,0,0,0,0.00K,0,0.00K,0,35.73,-81.335,35.707,-81.22,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","County comms reported multiple trees blown down in the Hickory area and power lines down in Conover." +118909,714356,NORTH CAROLINA,2017,July,Thunderstorm Wind,"UNION",2017-07-15 14:48:00,EST-5,2017-07-15 14:57:00,0,0,0,0,100.00K,100000,0.00K,0,35.087,-80.517,35.084,-80.494,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Public reported numerous trees blown down, several houses with roof damage and multiple chicken houses heavily damaged or destroyed in and around Unionville." +118909,714357,NORTH CAROLINA,2017,July,Thunderstorm Wind,"IREDELL",2017-07-15 15:42:00,EST-5,2017-07-15 15:53:00,0,0,0,0,0.00K,0,0.00K,0,35.771,-80.854,35.771,-80.854,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Spotter reported multiple trees blown down on Old Salisbury Rd. County comms reported numerous trees down in the area around mile marker 47 on I-77." +118909,714358,NORTH CAROLINA,2017,July,Thunderstorm Wind,"IREDELL",2017-07-15 16:15:00,EST-5,2017-07-15 16:15:00,0,0,0,0,0.00K,0,0.00K,0,35.548,-80.851,35.548,-80.851,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Spotter reported multiple trees blown down on Fairview Rd." +118909,714359,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROWAN",2017-07-15 16:44:00,EST-5,2017-07-15 16:44:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-80.498,35.68,-80.498,"Scattered to numerous thunderstorms and storm clusters developed along and near a nearly stationary front across the mountains, foothills, and western Piedmont of North Carolina throughout the afternoon. A few of the storms produced brief damaging winds and hail.","Spotter reported multiple trees and power lines blown down in the Salisbury area." +118014,709544,MARYLAND,2017,July,Flash Flood,"HOWARD",2017-07-29 01:00:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2083,-76.8561,39.2096,-76.8578,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Little Patuxent River at Guilford exceeded the flood stage of 11 feet. It peaked at 12.05 feet at 02:00 EST. Water began to overflow and cover South Entrance Road near the Columbia Mall." +116820,723645,TEXAS,2017,June,Hail,"ECTOR",2017-06-14 17:55:00,CST-6,2017-06-14 18:00:00,0,0,0,0,100.00M,100000000,,NaN,31.8942,-102.309,31.8942,-102.309,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","Numerous reports of baseball and softball sized hail were reported by the public in Odessa. This hail broke windows on cars and homes. The cost of damage is a very rough estimate." +114896,689551,NEW JERSEY,2017,May,Coastal Flood,"WESTERN MONMOUTH",2017-05-25 18:00:00,EST-5,2017-05-25 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Communities along the Raritan Bay were flooded with the evening high tide. The gauge at Keansburg reached 7.79 feet just above the minor threshold which is 7.7 feet." +118005,709406,PENNSYLVANIA,2017,July,Flash Flood,"LUZERNE",2017-07-20 16:42:00,EST-5,2017-07-20 17:24:00,0,0,0,0,20.00K,20000,0.00K,0,41.25,-75.88,41.2734,-75.8606,"A warm and humid summertime airmass was present across the region. The remnants of a small scale complex of thunderstorms moved into northeast Pennsylvania during the peak heating of the afternoon. This feature regenerated storms in southern New York and the northern tier counties of Pennsylvania where some locations experienced localized flooding of urban areas and small streams.","Locally heavy rainfall overwhelmed small urban streams and storm drains leading to widespread street flooding in downtown Wilkes-Barre." +118986,714702,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-25 18:22:00,EST-5,2017-07-25 18:25:00,0,0,0,0,,NaN,,NaN,33.71,-81.21,33.71,-81.21,"Daytime heating and an upper level disturbance combined to produce scattered thunderstorms, some of which produced wind damage.","Trees down at Clay Bottom Rd and Tindal Rd. Time estimated based on radar." +118986,714703,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-25 18:25:00,EST-5,2017-07-25 18:30:00,0,0,0,0,,NaN,,NaN,33.67,-81.67,33.67,-81.67,"Daytime heating and an upper level disturbance combined to produce scattered thunderstorms, some of which produced wind damage.","Power lines down at Old Camp Rd and Columbia Hwy N. Time estimated based on radar." +118850,714065,WISCONSIN,2017,July,Thunderstorm Wind,"OUTAGAMIE",2017-07-06 22:15:00,CST-6,2017-07-06 22:15:00,0,0,0,0,0.00K,0,0.00K,0,44.51,-88.33,44.51,-88.33,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Thunderstorm winds estimated at 60 mph downed tree limbs and branches knocking out electrical service to about 3,400 customers." +118850,714077,WISCONSIN,2017,July,Hail,"WAUPACA",2017-07-06 16:35:00,CST-6,2017-07-06 16:35:00,0,0,0,0,0.00K,0,0.00K,0,44.3685,-89.0963,44.3685,-89.0963,"A warm, humid and unstable air mass combined with a weak cold front to trigger scattered thunderstorms during the evening hours of July 6th. A few of the storms became severe with large hail and damaging winds. Hail up to walnut size fell at Waupaca (Waupaca Co.) and near Hancock (Waushara Co.). Wind gusts, estimated as high as 65 mph, downed numerous trees and power lines. Power was knocked out to approximately 3,400 customers in the Seymour are (Outagamie Co.).","Penny size hail fell on Honey Bear Court, near Highway 49 northwest of Waupaca." +118862,714128,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"GREEN BAY SOUTH FROM CEDAR RIVER MI TO ROCK ISLAND PASSAGE AND NORTH FROM OCONTO WI TO LITTLE STURGEON BAY WI",2017-07-06 20:35:00,CST-6,2017-07-06 20:35:00,0,0,0,0,0.00K,0,0.00K,0,45.26,-87.09,45.26,-87.09,"Thunderstorms with large hail and damaging winds that moved through eastern Wisconsin continued to produce wind gusts of 50 knots or more over the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms produced a wind gust to 55 knots as they passed over the waters of Green Bay." +118862,714130,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"ROCK ISLAND PASSAGE TO STURGEON BAY WI",2017-07-06 20:50:00,CST-6,2017-07-06 20:50:00,0,0,0,0,0.00K,0,0.00K,0,44.98,-87.18,44.98,-87.18,"Thunderstorms with large hail and damaging winds that moved through eastern Wisconsin continued to produce wind gusts of 50 knots or more over the waters of Green Bay and the nearshore waters of Lake Michigan.","Thunderstorms produced a wind gust to 50 knots over the nearshore waters of Lake Michigan east of Door County." +117430,706193,OHIO,2017,July,Flood,"PICKAWAY",2017-07-14 06:00:00,EST-5,2017-07-14 09:00:00,0,0,0,0,0.00K,0,0.00K,0,39.667,-82.9682,39.667,-82.9741,"Scattered thunderstorms produced locally heavy rainfall across the region.","North Island Road was closed due to high water." +118869,714176,LAKE MICHIGAN,2017,July,Marine Hail,"TWO RIVERS TO SHEBOYGAN WI",2017-07-07 16:55:00,CST-6,2017-07-07 16:55:00,0,0,0,0,0.00K,0,0.00K,0,43.9,-87.72,43.9,-87.72,"Thunderstorms that produced large hail and isolated wind damage across eastern Wisconsin also dropped large hail over the nearshore waters of Lake Michigan.","Large hail fell over the nearshore waters of Lake Michigan southeast of Cleveland." +117173,704815,GULF OF MEXICO,2017,July,Waterspout,"GALVESTON BAY",2017-07-10 11:50:00,CST-6,2017-07-10 11:55:00,0,0,0,0,0.00K,0,0.00K,0,29.32,-94.86,29.32,-94.86,"A waterspout was sighted near the Galveston Causeway.","A waterspout was sighted between Pelican Cut and the Galveston Causeway." +117962,709133,TEXAS,2017,July,Wildfire,"HUTCHINSON",2017-07-22 14:33:00,CST-6,2017-07-23 01:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Combination of a recent dry spell and lightning led to a large wildfire in about seventeen miles north northeast of Skellytown in Hutchinson County.","" +117589,707398,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 09:22:00,EST-5,2017-07-01 16:20:00,0,0,0,0,500.00K,500000,0.00K,0,43.08,-75.29,43.07,-75.21,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread urban flash flooding occurred throughout the City of Utica. Several roads were flooded and cars were stranded in areas of deep water within underpasses and parking lots. Motorists were forced to abandon vehicles in several areas, and some residences were flooded." +117589,707376,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 10:18:00,EST-5,2017-07-01 16:15:00,0,0,0,0,1.00M,1000000,0.00K,0,43.1,-75.34,43.09,-75.36,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas occurred throughout the town of New Hartford. Culverts and roads were washed out in several locations. Several residences and businesses experienced flooding." +117589,707384,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 11:45:00,EST-5,2017-07-01 16:15:00,0,0,0,0,700.00K,700000,0.00K,0,43.09,-75.64,43.05,-75.6,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas occurred throughout the towns of Sherrill and Vernon. Culverts and roads were washed out in several locations. Several residences and businesses experienced flooding." +116268,699092,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-06 15:33:00,EST-5,2017-07-06 15:40:00,0,0,0,0,1.00K,1000,0.00K,0,36.799,-79.4894,36.775,-79.4617,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorm winds across Bearskin Road and another was blown down along Banister Road." +116268,699089,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-06 15:41:00,EST-5,2017-07-06 15:41:00,0,0,0,0,2.00K,2000,0.00K,0,36.83,-79.3997,36.83,-79.3997,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","Power lines were blown down by thunderstorm winds on Military Drive." +116268,699115,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-06 15:44:00,EST-5,2017-07-06 15:51:00,0,0,0,0,2.50K,2500,0.00K,0,36.7466,-79.4656,36.7492,-79.3807,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorms winds across Dry Fork Road and powerlines were blown down along Highway 29." +116268,699090,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-06 16:07:00,EST-5,2017-07-06 16:07:00,0,0,0,0,0.50K,500,0.00K,0,36.6896,-79.2107,36.6896,-79.2107,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorm winds across Reeves Mill Road." +118860,714093,SOUTH DAKOTA,2017,July,Hail,"DAY",2017-07-11 17:20:00,CST-6,2017-07-11 17:20:00,0,0,0,0,0.00K,0,0.00K,0,45.44,-97.33,45.44,-97.33,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714094,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 17:44:00,CST-6,2017-07-11 17:44:00,0,0,0,0,0.00K,0,0.00K,0,44.76,-97.38,44.76,-97.38,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714096,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:07:00,CST-6,2017-07-11 18:07:00,0,0,0,0,,NaN,,NaN,44.82,-97.18,44.82,-97.18,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714097,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:21:00,CST-6,2017-07-11 18:21:00,0,0,0,0,0.00K,0,0.00K,0,44.9,-97.1,44.9,-97.1,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +116820,703564,TEXAS,2017,June,Thunderstorm Wind,"MITCHELL",2017-06-14 19:00:00,CST-6,2017-06-14 19:00:00,0,0,0,0,,NaN,,NaN,32.4224,-101.02,32.4224,-101.02,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","A thunderstorm moved across Mitchell County and produced a 70 mph wind gust five miles north of Westbrook." +112801,681714,KANSAS,2017,March,Thunderstorm Wind,"MONTGOMERY",2017-03-06 21:05:00,CST-6,2017-03-06 21:05:00,0,0,0,0,,NaN,,NaN,37.0941,-95.5717,37.0941,-95.5717,"A strong cold front and dry line intersected over areas of the Kansas Turnpike late in the afternoon and early evening of March 6th, 2017. A broken line of showers and thunderstorms developed along this front and moved across the Flint Hills, with reports of quarter size and damaging wind gusts to 75 mph. Some of the worst wind damage occurred across Allen, County, Kansas where a swath of wind damage moved across areas from just south of Iola, Kansas to La Harpe, Kansas.","" +118362,713066,OKLAHOMA,2017,July,Thunderstorm Wind,"TULSA",2017-07-02 16:20:00,CST-6,2017-07-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,36.1223,-95.8672,36.1223,-95.8672,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Thunderstorm wind gusts were measured to 61 mph." +118362,713067,OKLAHOMA,2017,July,Thunderstorm Wind,"WAGONER",2017-07-02 16:36:00,CST-6,2017-07-02 16:36:00,0,0,0,0,1.00K,1000,0.00K,0,36.0779,-95.72,36.0779,-95.72,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind gusts snapped large tree limbs, and blew shingles off the roof of a home." +118362,713069,OKLAHOMA,2017,July,Thunderstorm Wind,"OSAGE",2017-07-02 16:40:00,CST-6,2017-07-02 16:40:00,0,0,0,0,0.00K,0,0.00K,0,36.713,-96.1349,36.713,-96.1349,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Thunderstorm wind gusts were measured to 80 mph, near Highway 123 and County Road 2495, west of Bartlesville." +118362,713070,OKLAHOMA,2017,July,Flash Flood,"TULSA",2017-07-02 16:45:00,CST-6,2017-07-02 19:15:00,0,0,0,0,0.00K,0,0.00K,0,36.1059,-95.9058,36.1041,-95.9057,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","The roadway was flooded in and around the intersection of E 41st Street and S Sheridan Road. Several cars were driven into the water, where they stalled." +118362,713071,OKLAHOMA,2017,July,Thunderstorm Wind,"MAYES",2017-07-02 17:05:00,CST-6,2017-07-02 17:05:00,0,0,0,0,0.00K,0,0.00K,0,36.1073,-95.3634,36.1073,-95.3634,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Strong thunderstorm wind snapped large tree limbs." +118883,714232,WISCONSIN,2017,July,Thunderstorm Wind,"OCONTO",2017-07-22 21:45:00,CST-6,2017-07-22 21:45:00,0,0,0,0,25.00K,25000,0.00K,0,44.68,-88.14,44.68,-88.14,"Scattered thunderstorms that formed ahead of an approaching cold front brought high winds that downed trees and heavily damaged a farm building in Oconto County, and produced torrential rainfall that flooded intersections in Green Bay (Brown Co.).","A farm building was heavily damaged and several trees were snapped or uprooted on property about two miles south of Chase. The damage was caused by thunderstorm winds estimated at least 70 mph in a wet microburst." +118883,716436,WISCONSIN,2017,July,Flood,"BROWN",2017-07-22 22:45:00,CST-6,2017-07-22 23:15:00,0,0,0,0,0.50K,500,0.00K,0,44.4904,-87.9747,44.49,-87.9743,"Scattered thunderstorms that formed ahead of an approaching cold front brought high winds that downed trees and heavily damaged a farm building in Oconto County, and produced torrential rainfall that flooded intersections in Green Bay (Brown Co.).","Torrential rainfall from thunderstorms caused flooding at the intersection of Mason Street and Main Street in Green Bay, stranding 2 vehicles." +119336,716453,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"DEERFIELD BEACH TO OCEAN REEF FL",2017-07-21 12:00:00,EST-5,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,25.59,-80.1,25.59,-80.1,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Showers and thunderstorms produced a waterspouts and gusty winds in the Atlantic waters and Lake Okeechobee.","A marine thunderstorm wind gust of 40 mph / 35 knots was reported by the C-MAN station FWYF1 Fowey Rocks at an elevation of 144 ft." +119337,716461,FLORIDA,2017,July,Flood,"MIAMI-DADE",2017-07-21 11:50:00,EST-5,2017-07-21 11:50:00,0,0,0,0,0.00K,0,0.00K,0,25.9,-80.32,25.8998,-80.3209,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Heavy rainfall led to to some flooding of roadways. Some storms were strong enough to cause tree damage in Palm Beach County.","Heavy rainfall caused flooding closing the ramp connecting the Palmetto Expressway at SR 826 and Interstate 75." +119337,716463,FLORIDA,2017,July,Thunderstorm Wind,"PALM BEACH",2017-07-21 12:17:00,EST-5,2017-07-21 12:17:00,0,0,0,0,0.00K,0,0.00K,0,26.63,-80.12,26.63,-80.12,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Heavy rainfall led to to some flooding of roadways. Some storms were strong enough to cause tree damage in Palm Beach County.","Broadcast media reported a large tree blown over in Greenacres due to strong winds." +119337,716465,FLORIDA,2017,July,Thunderstorm Wind,"PALM BEACH",2017-07-21 11:55:00,EST-5,2017-07-21 11:55:00,0,0,0,0,0.00K,0,0.00K,0,26.45,-80.15,26.45,-80.15,"A deep trough moving across the eastern seaboard with southerly flow brought abundant tropical moisture to South Florida from the Caribbean. Heavy rainfall led to to some flooding of roadways. Some storms were strong enough to cause tree damage in Palm Beach County.","Large tree limbs snapped by strong winds near the intersection of Jog Road and West Atlantic Avenue." +119100,715287,NORTH DAKOTA,2017,July,Hail,"MORTON",2017-07-21 21:10:00,CST-6,2017-07-21 21:25:00,0,0,0,0,250.00K,250000,0.00K,0,46.83,-100.89,46.83,-100.89,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","Large hail fell over a broad swath of the city of Mandan, with the largest hail reported near the baseball field on 3rd Street SW." +119100,715288,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-21 21:16:00,CST-6,2017-07-21 21:19:00,0,0,0,0,0.00K,0,0.00K,0,48.37,-100.37,48.37,-100.37,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +116820,703567,TEXAS,2017,June,Hail,"HOWARD",2017-06-14 19:04:00,CST-6,2017-06-14 19:09:00,0,0,0,0,,NaN,,NaN,32.4018,-101.6431,32.4018,-101.6431,"During the early evening of June 14, 2017 severe thunderstorms developed along a dryline and moved across Odessa and into Midland, Texas. An upper low was over North Dakota while upper ridging was over northern Mexico. A shortwave passing over the northern part of the ridge put West Texas in westerly winds aloft and provided some upper level support for thunderstorms. Good moisture east of the dryline, strong heating at the surface with temperatures in the upper 90s to 100s, and high lapse rates lead to very strong instability. Those parameters in combination with wind shear attributed to organized thunderstorm development. These thunderstorms were not supercells, instead they were extremely strong multicellular thunderstorms with tops exceeding 60,000 feet. These severe storms produced very large hail and damaging winds as they moved across parts of the Permian Basin, impacting the highly populated cities of Midland and Odessa. Odessa received the largest hail and strongest winds. ||The thunderstorms began to weaken as they moved into the City of Midland. The storm survey noted damage across a wide area of Odessa and West Odessa. There were reports of power poles snapped. There were numerous reports of baseball size or larger hail and the storm survey found evidence of hail possibly larger than softball size. Numerous homes and businesses had roof damage, windows broken and exterior siding damaged. Numerous trees were uprooted by the strong winds and thousands of cars were damaged by the large hail. This was likely caused by a microburst with estimated wind speeds of 100 mph. The damage estimate for the storms this day and on June 12th totaled to $480 million.","" +119430,716793,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-26 14:34:00,CST-6,2017-07-26 14:35:00,0,0,0,0,0.00K,0,0.00K,0,32.4063,-87.0467,32.4063,-87.0467,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted on Dallas Avenue in the city of Selma." +119430,716795,ALABAMA,2017,July,Thunderstorm Wind,"DALLAS",2017-07-26 14:41:00,CST-6,2017-07-26 14:42:00,0,0,0,0,0.00K,0,0.00K,0,32.32,-87.22,32.32,-87.22,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted along Highway 22." +119430,716796,ALABAMA,2017,July,Thunderstorm Wind,"ELMORE",2017-07-27 14:17:00,CST-6,2017-07-27 14:18:00,0,0,0,0,0.00K,0,0.00K,0,32.6768,-85.9445,32.6768,-85.9445,"Central Alabama was located on the eastern periphery of an upper ridge. Several upper level disturbances tracking southward down the eastern side of the ridge provided a trigger for afternoon convection. The combination of high precipitable water values and CAPE values near 4000 J/KG produced isolated severe thunderstorms with damaging winds and very heavy rainfall.","Several trees uprooted near the intersection of East Cotton Road and Red Hill Road." +118878,714211,WISCONSIN,2017,July,Hail,"OCONTO",2017-07-15 18:17:00,CST-6,2017-07-15 18:17:00,0,0,0,0,0.00K,0,0.00K,0,44.95,-88.05,44.95,-88.05,"Thunderstorms developed along a cold front passing from north to south. Hail as large as penny size fell and the storms produced damaging winds that downed trees and tree limbs. A wind gust to 64 mph was measured near Green Bay.","Penny size hail fell in Lena." +118878,714212,WISCONSIN,2017,July,Thunderstorm Wind,"OCONTO",2017-07-15 17:35:00,CST-6,2017-07-15 17:35:00,0,0,0,0,0.00K,0,0.00K,0,45.14,-88.21,45.14,-88.21,"Thunderstorms developed along a cold front passing from north to south. Hail as large as penny size fell and the storms produced damaging winds that downed trees and tree limbs. A wind gust to 64 mph was measured near Green Bay.","Thunderstorm winds downed trees near White Potato Lake. The time of this report was estimated based on radar data." +118878,714213,WISCONSIN,2017,July,Thunderstorm Wind,"SHAWANO",2017-07-15 18:45:00,CST-6,2017-07-15 18:45:00,0,0,0,0,0.00K,0,0.00K,0,44.72,-88.26,44.72,-88.26,"Thunderstorms developed along a cold front passing from north to south. Hail as large as penny size fell and the storms produced damaging winds that downed trees and tree limbs. A wind gust to 64 mph was measured near Green Bay.","Thunderstorm winds estimated near 60 mph downed several large tree branches south of Krakow. The time of this report was estimated based on radar data." +118878,714214,WISCONSIN,2017,July,Thunderstorm Wind,"BROWN",2017-07-15 19:00:00,CST-6,2017-07-15 19:00:00,0,0,0,0,0.00K,0,0.00K,0,44.63,-88.16,44.63,-88.16,"Thunderstorms developed along a cold front passing from north to south. Hail as large as penny size fell and the storms produced damaging winds that downed trees and tree limbs. A wind gust to 64 mph was measured near Green Bay.","Thunderstorm winds downed tree branches near Anston." +116611,701251,NORTH CAROLINA,2017,July,Hail,"ROCKINGHAM",2017-07-18 16:30:00,EST-5,2017-07-18 16:33:00,0,0,0,0,0.00K,0,0.00K,0,36.2897,-79.7291,36.2897,-79.7291,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","" +116611,701261,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROCKINGHAM",2017-07-18 16:32:00,EST-5,2017-07-18 16:32:00,0,0,0,0,0.30K,300,0.00K,0,36.3932,-79.6948,36.3932,-79.6948,"Instability associated with the combination of a nearby upper level low pressure system and strong daytime heating triggered scattered thunderstorms that would intensify quickly in a weakly-capped atmosphere. Downdraft CAPE values were in the range of 800 to 1100 J/Kg across the region. These conditions allowed for the development of severe thunderstorms that produced large hail and damaging winds.","A couple of branches, 3 to 4 inches in diameter, were blown down by thunderstorm winds." +119343,716474,NORTH CAROLINA,2017,July,Thunderstorm Wind,"SURRY",2017-07-22 14:45:00,EST-5,2017-07-22 14:45:00,0,0,0,0,1.50K,1500,0.00K,0,36.4902,-80.5575,36.4902,-80.5575,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered thunderstorms. One of the storms intensified to severe levels during the afternoon east of the Blue Ridge in northern North Carolina, producing locally damaging wind gusts.","A few trees, one to two feet in diameter, were snapped in half by thunderstorms winds." +119343,716473,NORTH CAROLINA,2017,July,Thunderstorm Wind,"STOKES",2017-07-22 15:28:00,EST-5,2017-07-22 15:30:00,0,0,0,0,8.00K,8000,0.00K,0,36.4057,-80.3328,36.39,-80.32,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered thunderstorms. One of the storms intensified to severe levels during the afternoon east of the Blue Ridge in northern North Carolina, producing locally damaging wind gusts.","Several trees were blown down by thunderstorm winds in the vicinity of Highway 66 from near Taylor Road to Moores Spring Road." +119344,716513,VIRGINIA,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-22 14:18:00,EST-5,2017-07-22 14:18:00,0,0,0,0,0.50K,500,0.00K,0,36.9776,-79.6208,36.9776,-79.6208,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","A tree was blown down by thunderstorm winds along Snow Creek Road near the Old Franklin Turnpike." +116711,701936,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-12 15:53:00,EST-5,2017-07-12 15:53:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"Scattered thunderstorms developed over the Florida Peninsula mainly along sea breeze boundaries and worked west towards the Gulf of Mexico. A few of these storms produced marine wind gusts along the coast.","The Weatherflow station along the Skyway Bridge in Tampa Bay measured a wind gust of 35 knots, 40 mph." +116716,701937,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-15 22:02:00,EST-5,2017-07-15 22:02:00,0,0,0,0,0.00K,0,0.00K,0,27.7685,-82.6256,27.7685,-82.6256,"A thunderstorm developed across southern Hillsborough County during the late evening hours and slowly moved across Tampa Bay.","The St. Petersburg Albert Whitted Airport ASOS measured a wind gust to 34 knots, 39 mph." +116725,701957,GULF OF MEXICO,2017,July,Waterspout,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-18 08:50:00,EST-5,2017-07-18 08:50:00,0,0,0,0,0.00K,0,0.00K,0,27.34,-82.68,27.3402,-82.6798,"Early morning showers and thunderstorms developed over the nearshore Gulf Waters, one of which produced a brief waterspout off of Lido Key.","A local TV station relayed a waterspout report they received from a local mariner. The waterspout lasted about 5 minutes and was spotted about 6 miles west of Lido Key." +116728,701966,FLORIDA,2017,July,Lightning,"HILLSBOROUGH",2017-07-21 13:40:00,EST-5,2017-07-21 13:40:00,0,0,0,0,20.00K,20000,0.00K,0,27.7199,-82.362,27.7199,-82.362,"Scattered morning thunderstorms developed over the Gulf of Mexico and pushed inland through the afternoon. One of these storms produced nickel sized hail, and lightning from another caused a house fire.","Hillsborough County Fire/Rescue reported a lightning strike caused a house fire in the 1400 block of Jacobson Circle in Sun City Center." +116731,701969,FLORIDA,2017,July,Lightning,"LEE",2017-07-22 11:00:00,EST-5,2017-07-22 11:00:00,1,0,0,0,0.00K,0,0.00K,0,26.53,-81.76,26.53,-81.76,"Scattered thunderstorms developed over the Gulf of Mexico and moved east into the Florida Peninsula. A lightning strike from one of these storms injured a person in Lee County.","Broadcast media reported that lightning struck an airplane at Southwest Florida International Airport, injuring a person standing nearby." +117337,705836,FLORIDA,2017,July,Tornado,"MANATEE",2017-07-31 14:55:00,EST-5,2017-07-31 14:57:00,0,0,0,0,96.00K,96000,0.00K,0,27.51,-82.66,27.5,-82.66,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily came ashore in the area with a broad area of toppled trees and numerous branches downed. An NWS Storm Survey team found a narrow area of enhanced damage, likely associated with a brief tornado. Two barns were destroyed along with multiple greenhouses and a engineered wall was found toppled." +117653,707469,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 14:10:00,EST-5,2017-07-13 14:10:00,0,0,0,0,0.00K,0,0.00K,0,30.16,-82.65,30.16,-82.65,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","Trees were blown down across central Columbia county." +117653,707470,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 14:15:00,EST-5,2017-07-13 14:15:00,0,0,0,0,0.00K,0,0.00K,0,30.18,-82.7,30.18,-82.7,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down across the road at County Road 252 and U.S. Highway 90." +117653,707471,FLORIDA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-13 14:18:00,EST-5,2017-07-13 14:18:00,0,0,0,0,0.00K,0,0.00K,0,30.14,-82.61,30.14,-82.61,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","Trees were blown down near Hanover Place and County Club Road." +117653,707472,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 14:30:00,EST-5,2017-07-13 14:30:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-83.01,30.3,-83.01,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down on Goldkist Blvd." +117653,707473,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 14:35:00,EST-5,2017-07-13 14:35:00,0,0,0,0,0.00K,0,0.00K,0,30.29,-82.85,30.29,-82.85,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down near the I-10 overpass on Hogan Road." +117653,707474,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 14:40:00,EST-5,2017-07-13 14:40:00,0,0,0,0,0.00K,0,0.00K,0,30.12,-83.16,30.12,-83.16,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down across 180th Street." +117715,707848,IDAHO,2017,July,Thunderstorm Wind,"TWIN FALLS",2017-07-15 15:15:00,MST-7,2017-07-15 15:45:00,0,0,0,0,0.00K,0,0.00K,0,42.22,-114.58,42.599,-114.47,"Monsoon moisture streamed northward across southern Idaho and with the combination of daytime heating and a weak upper trough moving through the region, isolated severe thunderstorms developed over the Magic Valley in the late afternoon.","The local newspaper and a trained spotter reported large pine trees down and a large section of a motel roof was peeled off." +117821,708239,TEXAS,2017,July,Tornado,"CAMERON",2017-07-07 11:30:00,CST-6,2017-07-07 11:31:00,0,0,0,0,0.00K,0,0.00K,0,25.9715,-97.3691,25.9715,-97.3691,"The combination of outflow boundaries from thunderstorms and a weak seabreeze resulted in the formation of a weak landspout near the Port of Brownsville.","Landspout reported on Highway 48 near Keppel Amfels, lasting 1 minute. No damage reported." +116805,702356,KENTUCKY,2017,July,Thunderstorm Wind,"WAYNE",2017-07-23 18:30:00,EST-5,2017-07-23 18:30:00,0,0,0,0,5.00K,5000,0.00K,0,36.83,-84.83,36.83,-84.83,"Isolated to scattered thunderstorms developed late this afternoon and evening along a moisture gradient and remnant outflow boundary from earlier day storms. One of these storms became strong enough to produce high enough winds to break a couple of large tree limbs off of a tree. These landed on a nearby storage building, causing it to collapse.","A citizen reported a couple of large tree limbs being snapped, and subsequently falling onto a nearby storage building, causing it to collapse." +117376,705883,NEVADA,2017,July,Thunderstorm Wind,"ELKO",2017-07-06 13:42:00,PST-8,2017-07-06 13:45:00,0,0,0,0,0.00K,0,0.00K,0,40.44,-114.81,40.44,-114.81,"Thunderstorms produced wind gusts up to 68 mph across portions of eastern and central Nevada.","" +117376,705884,NEVADA,2017,July,Thunderstorm Wind,"LANDER",2017-07-06 16:35:00,PST-8,2017-07-06 16:40:00,0,0,0,0,0.00K,0,0.00K,0,39.23,-117.3,39.23,-117.3,"Thunderstorms produced wind gusts up to 68 mph across portions of eastern and central Nevada.","" +117377,705885,NEVADA,2017,July,Thunderstorm Wind,"EUREKA",2017-07-08 12:39:00,PST-8,2017-07-08 12:45:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-116.17,39.39,-116.17,"Thunderstorms produced wind gusts up to 64 mph across portions of central and northwest Nevada.","" +117377,705886,NEVADA,2017,July,Thunderstorm Wind,"HUMBOLDT",2017-07-08 18:37:00,PST-8,2017-07-08 18:43:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-117.55,41.44,-117.55,"Thunderstorms produced wind gusts up to 64 mph across portions of central and northwest Nevada.","" +117377,705887,NEVADA,2017,July,Thunderstorm Wind,"HUMBOLDT",2017-07-08 20:47:00,PST-8,2017-07-08 20:53:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-118.04,41.65,-118.04,"Thunderstorms produced wind gusts up to 64 mph across portions of central and northwest Nevada.","" +117378,705888,NEVADA,2017,July,Thunderstorm Wind,"ELKO",2017-07-22 19:40:00,PST-8,2017-07-22 19:45:00,0,0,0,0,1.00K,1000,0.00K,0,40.71,-115.54,40.71,-115.54,"Thunderstorms wind gusts estimated up to 60 mph caused damage to a fence near Lamoille.","Thunderstorm winds estimated up to 60 mph caused damage to a fence. Damages are estimated." +118816,713703,SOUTH DAKOTA,2017,July,Hail,"DAVISON",2017-07-11 19:57:00,CST-6,2017-07-11 19:57:00,0,0,0,0,0.00K,0,0.00K,0,43.68,-98.06,43.68,-98.06,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","" +118816,713704,SOUTH DAKOTA,2017,July,Hail,"DAVISON",2017-07-11 20:08:00,CST-6,2017-07-11 20:08:00,0,0,0,0,0.00K,0,0.00K,0,43.62,-98.08,43.62,-98.08,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Report from social media." +118816,713705,SOUTH DAKOTA,2017,July,Hail,"BROOKINGS",2017-07-11 20:30:00,CST-6,2017-07-11 20:30:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-96.74,44.42,-96.74,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","" +118816,713706,SOUTH DAKOTA,2017,July,Hail,"BROOKINGS",2017-07-11 20:55:00,CST-6,2017-07-11 20:55:00,0,0,0,0,0.00K,0,0.00K,0,44.48,-96.95,44.48,-96.95,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","" +118816,713707,SOUTH DAKOTA,2017,July,Hail,"BROOKINGS",2017-07-11 21:08:00,CST-6,2017-07-11 21:08:00,0,0,0,0,0.00K,0,0.00K,0,44.42,-96.63,44.42,-96.63,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Dime size hail as well." +118816,713708,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"GREGORY",2017-07-11 18:52:00,CST-6,2017-07-11 18:52:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-99.03,43.14,-99.03,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Three to four inch diameter branches were downed." +118816,713709,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HANSON",2017-07-11 20:12:00,CST-6,2017-07-11 20:12:00,0,0,0,0,0.00K,0,0.00K,0,43.56,-97.95,43.56,-97.95,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Nickel size hail as well." +118816,713710,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"HUTCHINSON",2017-07-11 20:40:00,CST-6,2017-07-11 20:40:00,0,0,0,0,0.00K,0,0.00K,0,43.47,-97.7,43.47,-97.7,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","A few branches were downed." +118920,714583,OHIO,2017,July,Thunderstorm Wind,"KNOX",2017-07-22 06:29:00,EST-5,2017-07-22 06:29:00,0,0,0,0,2.00K,2000,0.00K,0,40.3698,-82.2264,40.3698,-82.2264,"A warm front lifted into northern Ohio during the predawn hours of July 22nd causing a large area of showers and thunderstorms to develop. At least one of the thunderstorms became severe.","Thunderstorm winds downed a large tree across U.S. Highway 36 just west of the county line." +118960,714585,OHIO,2017,July,Thunderstorm Wind,"HURON",2017-07-28 17:48:00,EST-5,2017-07-28 17:48:00,0,0,0,0,25.00K,25000,0.00K,0,41.215,-82.7416,41.215,-82.7416,"An isolated thunderstorm caused some damage near Monroeville.","A thunderstorm downburst caused some damage along Everingin Road southwest of Monroeville. Several trees and a couple of utility poles were downed in the area." +116202,714293,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-06 10:48:00,CST-6,2017-07-06 10:48:00,0,0,0,0,,NaN,,NaN,34.45,-85.9,34.45,-85.9,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","Several trees were knocked down along Highway 75 from Fyffe to Rainsville." +116202,714294,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-06 10:58:00,CST-6,2017-07-06 10:58:00,0,0,0,0,,NaN,,NaN,34.45,-85.9,34.45,-85.9,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","A few trees and power lines were knocked down between Fort Payne and Fyffe along Highway 75 and CR 866." +116202,714295,ALABAMA,2017,July,Thunderstorm Wind,"DEKALB",2017-07-06 11:10:00,CST-6,2017-07-06 11:10:00,0,0,0,0,0.00K,0,0.00K,0,34.41,-85.69,34.41,-85.69,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","Multiple trees were knocked down near the intersection of CR 255 and CR 256 between Fort Payne and Adamsburg." +116202,714296,ALABAMA,2017,July,Thunderstorm Wind,"CULLMAN",2017-07-06 11:48:00,CST-6,2017-07-06 11:48:00,0,0,0,0,0.50K,500,0.00K,0,34.08,-86.88,34.08,-86.88,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","A tree was knocked down blocking the road at the 2000 block of CR 216." +116202,714297,ALABAMA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-06 13:43:00,CST-6,2017-07-06 13:43:00,0,0,0,0,,NaN,,NaN,34.85,-86.24,34.85,-86.24,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","Trees were knocked down onto CR 3." +116328,699560,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-06 18:17:00,EST-5,2017-07-06 18:22:00,0,0,0,0,,NaN,,NaN,33.98,-81.07,33.98,-81.07,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Photos provided by the public via social media indicated at least one tree trunk snapped, as well as numerous large tree limbs downed, on K Avenue. Time estimated." +116328,699562,SOUTH CAROLINA,2017,July,Heavy Rain,"AIKEN",2017-07-06 17:00:00,EST-5,2017-07-06 17:30:00,0,0,0,0,0.10K,100,0.10K,100,33.4793,-81.7444,33.4793,-81.7444,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Significant weather report submitted by a CoCoRaHS observer, about 4 miles SSW of Aiken, of 0.99 inches of rain that fell in a 30 minute period ending at 6:30 pm EDT (5:30 pm EST)." +116333,699563,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-06 15:52:00,EST-5,2017-07-06 15:57:00,0,0,0,0,,NaN,,NaN,33.55,-82.09,33.55,-82.09,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Trees down along Furys Ferry Rd, Point Comfort Rd, Gibbs Rd and Riverwatch Pkwy." +116333,699564,GEORGIA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-06 16:53:00,EST-5,2017-07-06 16:58:00,0,0,0,0,,NaN,,NaN,33.91,-82.6,33.91,-82.6,"Strong daytime heating, along with a surface trough and dry air aloft, all combined to produce scattered severe thunderstorms in the late afternoon and evening.","Lincoln Co GA EM reported ten power poles snapped, and lines down, near the intersection of Graball Rd and Hwy 79." +116347,699615,SOUTH CAROLINA,2017,July,Hail,"SUMTER",2017-07-07 17:33:00,EST-5,2017-07-07 17:38:00,0,0,0,0,,NaN,,NaN,33.66,-80.51,33.66,-80.51,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Hail up to golf ball size reported by the public near Pack's Landing on Lake Marion near Rimini." +116347,699616,SOUTH CAROLINA,2017,July,Hail,"AIKEN",2017-07-07 17:38:00,EST-5,2017-07-07 17:40:00,0,0,0,0,0.10K,100,0.10K,100,33.51,-81.71,33.51,-81.71,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Public reported dime to penny size hail at the Aiken Mall." +116347,699618,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"NEWBERRY",2017-07-07 13:40:00,EST-5,2017-07-07 13:44:00,0,0,0,0,,NaN,,NaN,34.18,-81.86,34.18,-81.86,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Sheriff's Dept reported several trees down across NW Newberry Co, including a couple of large trees down near Chappells." +116347,699619,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-07 14:55:00,EST-5,2017-07-07 14:59:00,0,0,0,0,,NaN,,NaN,33.75,-81.64,33.75,-81.64,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","A couple of trees were downed in the far northern portion of Aiken Co, along with numerous small limbs and debris on roadway near US Hwy 1 and Keys Pond Rd." +119050,714959,MONTANA,2017,July,Hail,"JEFFERSON",2017-07-10 14:29:00,MST-7,2017-07-10 14:29:00,0,0,0,0,0.00K,0,0.00K,0,45.84,-112.41,45.84,-112.41,"Several disturbances brought scattered to numerous shower and thunderstorms to the entire forecast area, some of which were severe.","Resident on Z Bar T Road reported hail smaller than golf balls, but larger than quarters. Damage included tree branches down and dents over the surface of camper. Wind was not overly strong." +119050,714960,MONTANA,2017,July,Hail,"GLACIER",2017-07-10 20:30:00,MST-7,2017-07-10 20:30:00,0,0,0,0,0.00K,0,0.00K,0,48.92,-112.33,48.92,-112.33,"Several disturbances brought scattered to numerous shower and thunderstorms to the entire forecast area, some of which were severe.","Hail size estimated." +119050,714961,MONTANA,2017,July,Hail,"BLAINE",2017-07-10 23:30:00,MST-7,2017-07-10 23:30:00,0,0,0,0,0.00K,0,0.00K,0,48.79,-109.41,48.79,-109.41,"Several disturbances brought scattered to numerous shower and thunderstorms to the entire forecast area, some of which were severe.","Hail lasted a duration of around 20 minutes, with some crop damage." +119051,714965,MONTANA,2017,July,Thunderstorm Wind,"LEWIS AND CLARK",2017-07-15 17:50:00,MST-7,2017-07-15 17:50:00,0,0,0,0,0.00K,0,0.00K,0,46.6,-112.02,46.6,-112.02,"A strong shortwave combined with a lee-side surface trough provided lift for thunderstorm development across central Montana. Storms formed in an environment characterized by hot temperatures and steep lapse rates with mostly unidirectional shear aloft, promoting damaging winds.","Facebook photos were submitted during an outdoor event, showing mangled and destroyed tents along with porta-potties blown over. A stage also suffered minor damage. Time estimated." +119051,714967,MONTANA,2017,July,Thunderstorm Wind,"LEWIS AND CLARK",2017-07-15 18:03:00,MST-7,2017-07-15 18:03:00,0,0,0,0,0.00K,0,0.00K,0,46.82,-112.27,46.82,-112.27,"A strong shortwave combined with a lee-side surface trough provided lift for thunderstorm development across central Montana. Storms formed in an environment characterized by hot temperatures and steep lapse rates with mostly unidirectional shear aloft, promoting damaging winds.","Peak wind gust measured by a spotter near Canyon Creek." +119051,714968,MONTANA,2017,July,Thunderstorm Wind,"BLAINE",2017-07-15 19:00:00,MST-7,2017-07-15 19:00:00,0,0,0,0,0.00K,0,0.00K,0,48.3,-108.72,48.3,-108.72,"A strong shortwave combined with a lee-side surface trough provided lift for thunderstorm development across central Montana. Storms formed in an environment characterized by hot temperatures and steep lapse rates with mostly unidirectional shear aloft, promoting damaging winds.","Peak wind gust measured at a RAWS site south of Fort Belknap. Gust was from thunderstorm outflow." +119046,714970,MONTANA,2017,July,Thunderstorm Wind,"LEWIS AND CLARK",2017-07-06 17:05:00,MST-7,2017-07-06 17:05:00,0,0,0,0,0.00K,0,0.00K,0,46.64,-112.14,46.64,-112.14,"A 40 to 50 kt mid level jet moved through the area and combined with weak instability and a southward-advancing cold front to produce scattered strong to severe thunderstorms across parts of Southwest Montana.","A metal barn made of 2 by 4s and railroad ties was destroyed. Debris blown 70 feet away. Event time and location estimated." +117860,708594,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-16 22:00:00,MST-7,2017-07-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,33.5809,-112.3922,33.5855,-112.3249,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Scattered thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and some of the stronger storms produced locally heavy rainfall with peak rain rates between one and two inches per hour. Heavy rain fell across the western portion of the Phoenix area and resulted in minor flash flooding near Luke Air Force Base during the late evening hours. The heavy rains led to the issuance of a Flash Flood Warning as early as 2230MST and this warning persisted into the early morning hours the next day. At midnight, trained weather spotters 1 mile northeast of Luke Air Force Base reported flash flooding; Olive and Litchfield Roads near Luke AFB were inundated with water resulting in curb to curb flooding. Additionally, the Litchfield/Northern underpass was flooded." +118121,710130,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 17:15:00,MST-7,2017-07-29 17:15:00,0,0,0,0,10.00K,10000,0.00K,0,33.62,-112.35,33.62,-112.35,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Strong thunderstorms developed across the western portion of the greater Phoenix area during the afternoon hours on July 29th and some of the stronger storms affected areas around the town of Surprise and El Mirage. The storms generated gusty and damaging outflow winds estimated to be as high as 60 mph. According to a report from the public which included pictures, strong winds downed a number of trees as well as power lines just to the southeast of Surprise. The damage was southeast of the intersection of Litchfield Road and West Greenway Road." +118121,710131,ARIZONA,2017,July,Thunderstorm Wind,"MARICOPA",2017-07-29 17:30:00,MST-7,2017-07-29 17:30:00,0,0,0,0,2.00K,2000,0.00K,0,33.46,-112.27,33.46,-112.27,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Thunderstorms developed across the western portion of the greater Phoenix area during the afternoon hours on July 29th and some of the stronger storms produced gusty and damaging outflow winds that impacted the community of Tolleson. At 1730MST, gusty winds estimated to be nearly 70 mph in strength snapped a palm tree in half, nearly three quarters of the way from the top of the tree. The snapped tree was reported by a local emergency manager and was located near the intersection of Interstate 10 and the loop 101 freeway, just north of the town of Tolleson." +118582,714402,TEXAS,2017,July,Flood,"TARRANT",2017-07-09 17:55:00,CST-6,2017-07-09 17:55:00,0,0,0,0,0.00K,0,0.00K,0,32.75,-97.36,32.7503,-97.3607,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","Emergency management reported high water of 3 to 4 feet deep near the intersection of Norwood Street and Morton Street in the city of Fort Worth, TX." +118582,714403,TEXAS,2017,July,Flood,"TARRANT",2017-07-09 18:00:00,CST-6,2017-07-09 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.7322,-97.3919,32.7284,-97.3918,"An upper level disturbance provided enough lift to generate scattered showers and thunderstorms during the afternoons of July 8th and 9th. Damaging wind was the primary severe weather occurrence, but a few storms also produced quarter sized hail and caused localized flash flooding.","A newspaper reported that vehicles were trapped in high water near the 3000 block of Hulen Street in the city of Fort Worth, TX." +118922,715067,TEXAS,2017,July,Thunderstorm Wind,"COLLIN",2017-07-23 20:40:00,CST-6,2017-07-23 20:40:00,0,0,0,0,0.00K,0,0.00K,0,33.18,-96.5,33.18,-96.5,"A weak upper level disturbance kicked off a round of Summer thunderstorms during the afternoon and evening hours of Sunday July 23. Damaging downburst winds accompanied a few of these storms.","A public report indicated that multiple large trees were blown down in the city of Princeton, TX." +118922,715078,TEXAS,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 16:35:00,CST-6,2017-07-23 16:35:00,0,0,0,0,5.00K,5000,0.00K,0,32.09,-95.55,32.09,-95.55,"A weak upper level disturbance kicked off a round of Summer thunderstorms during the afternoon and evening hours of Sunday July 23. Damaging downburst winds accompanied a few of these storms.","A trained spotter reported that a 3-inch diameter tree and a few power poles were blown down in the city of Poyner, TX." +118922,715083,TEXAS,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 16:30:00,CST-6,2017-07-23 16:30:00,0,0,0,0,10.00K,10000,0.00K,0,32.13,-95.48,32.13,-95.48,"A weak upper level disturbance kicked off a round of Summer thunderstorms during the afternoon and evening hours of Sunday July 23. Damaging downburst winds accompanied a few of these storms.","Broadcast media reported an oak tree blown onto a home and a porch roof blown onto a neighbor's lawn." +118922,715086,TEXAS,2017,July,Thunderstorm Wind,"LAMAR",2017-07-23 19:56:00,CST-6,2017-07-23 19:56:00,0,0,0,0,0.00K,0,0.00K,0,33.6356,-95.4568,33.6356,-95.4568,"A weak upper level disturbance kicked off a round of Summer thunderstorms during the afternoon and evening hours of Sunday July 23. Damaging downburst winds accompanied a few of these storms.","A 54 knot wind gust was reported by the ASOS at Cox Field in the city of Paris, TX." +118922,715093,TEXAS,2017,July,Thunderstorm Wind,"FANNIN",2017-07-23 19:48:00,CST-6,2017-07-23 19:48:00,0,0,0,0,0.00K,0,0.00K,0,33.7131,-95.8075,33.7131,-95.8075,"A weak upper level disturbance kicked off a round of Summer thunderstorms during the afternoon and evening hours of Sunday July 23. Damaging downburst winds accompanied a few of these storms.","An amateur radio report estimated thunderstorm wind gusts of 65 MPH in the city the Tigertown, TX." +118827,713913,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RICHMOND",2017-07-23 16:10:00,EST-5,2017-07-23 16:10:00,0,0,0,0,2.00K,2000,0.00K,0,34.93,-79.76,34.884,-79.6924,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Multiple trees were blown down along a swath from Rockingham to Hamlet." +118827,713915,NORTH CAROLINA,2017,July,Thunderstorm Wind,"GUILFORD",2017-07-23 16:30:00,EST-5,2017-07-23 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,36.02,-79.86,36.07,-79.79,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Numerous trees were blown down along a swath from 4 miles southwest of Greensboro to 2 miles southeast of Greensboro, including several across Vandalia Road." +118827,713916,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGE",2017-07-23 16:45:00,EST-5,2017-07-23 16:45:00,0,0,0,0,3.00K,3000,0.00K,0,35.91,-79.08,35.91,-79.08,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Several trees were blown down across southern Orange County, mainly south of Interstate 40." +118827,713917,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-23 17:15:00,EST-5,2017-07-23 17:40:00,0,0,0,0,2.00K,2000,0.00K,0,36.01,-78.44,35.97,-78.38,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Several trees were blown down along a swath from Youngsville to Rolesville, including one large tree blown down across Highway 98 just northeast of Rolesville." +118827,713920,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WAKE",2017-07-23 17:20:00,EST-5,2017-07-23 18:20:00,0,0,0,0,8.00K,8000,0.00K,0,35.92,-78.74,35.7,-78.66,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Several trees were blown down along a swath from 4 miles northeast of the Raleigh-Durham International Airport to 2 miles northwest of Garner. Many of the trees fell across roadways, while one tree was blown down onto a fence." +118827,713925,NORTH CAROLINA,2017,July,Thunderstorm Wind,"EDGECOMBE",2017-07-23 18:30:00,EST-5,2017-07-23 18:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.79,-77.64,35.79,-77.64,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Two trees and power lines were blown down in Pinetops." +118829,713876,OKLAHOMA,2017,July,Thunderstorm Wind,"ELLIS",2017-07-03 16:25:00,CST-6,2017-07-03 16:25:00,0,0,0,0,0.00K,0,0.00K,0,36.32,-99.76,36.32,-99.76,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713878,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:35:00,CST-6,2017-07-03 16:35:00,0,0,0,0,0.00K,0,0.00K,0,36.43,-99.39,36.43,-99.39,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Media report over Twitter. No damage reported." +118829,713879,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:45:00,CST-6,2017-07-03 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-99.42,36.42,-99.42,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713880,OKLAHOMA,2017,July,Thunderstorm Wind,"WOODWARD",2017-07-03 16:45:00,CST-6,2017-07-03 16:45:00,0,0,0,0,0.00K,0,0.00K,0,36.73,-99.13,36.73,-99.13,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713881,OKLAHOMA,2017,July,Thunderstorm Wind,"MAJOR",2017-07-03 17:00:00,CST-6,2017-07-03 17:00:00,0,0,0,0,0.00K,0,0.00K,0,36.44,-98.88,36.44,-98.88,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713882,OKLAHOMA,2017,July,Hail,"WOODS",2017-07-03 17:05:00,CST-6,2017-07-03 17:05:00,0,0,0,0,0.00K,0,0.00K,0,36.58,-98.74,36.58,-98.74,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713883,OKLAHOMA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-03 17:09:00,CST-6,2017-07-03 17:09:00,0,0,0,0,0.00K,0,0.00K,0,36.14,-99.13,36.14,-99.13,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713884,OKLAHOMA,2017,July,Thunderstorm Wind,"DEWEY",2017-07-03 17:45:00,CST-6,2017-07-03 17:45:00,0,0,0,0,0.00K,0,0.00K,0,35.9,-98.97,35.9,-98.97,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713886,OKLAHOMA,2017,July,Thunderstorm Wind,"ALFALFA",2017-07-03 18:44:00,CST-6,2017-07-03 18:44:00,0,0,0,0,0.00K,0,0.00K,0,36.76,-98.36,36.76,-98.36,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Small tree were branches downed." +118829,713888,OKLAHOMA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-03 18:55:00,CST-6,2017-07-03 18:55:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-98.67,35.55,-98.67,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713889,OKLAHOMA,2017,July,Thunderstorm Wind,"WASHITA",2017-07-03 19:05:00,CST-6,2017-07-03 19:05:00,0,0,0,0,0.00K,0,0.00K,0,35.41,-99.05,35.41,-99.05,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +117883,708427,ILLINOIS,2017,July,Thunderstorm Wind,"SHELBY",2017-07-16 17:03:00,CST-6,2017-07-16 17:08:00,0,0,0,0,0.00K,0,0.00K,0,39.2345,-88.5,39.2345,-88.5,"A weak cold front interacted with a highly unstable and weakly sheared environment to trigger scattered strong to severe thunderstorms across central Illinois during the late afternoon and early evening of July 16th. One cell produced golfball-sized hail near Sullivan in Moultrie County while another downed a few tree branches near Sigel in Shelby County.","Numerous 4 to 6-inch diameter tree branches were blown down." +118511,712034,ILLINOIS,2017,July,Thunderstorm Wind,"RICHLAND",2017-07-22 23:05:00,CST-6,2017-07-22 23:10:00,0,0,0,0,0.00K,0,0.00K,0,38.73,-88.08,38.73,-88.08,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","A tree was snapped in Olney." +118511,712037,ILLINOIS,2017,July,Thunderstorm Wind,"CLAY",2017-07-23 03:52:00,CST-6,2017-07-23 03:57:00,0,0,0,0,0.00K,0,0.00K,0,38.63,-88.63,38.63,-88.63,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Multiple tree limbs were blown down. One mid-sized tree was snapped about halfway up." +118511,712053,ILLINOIS,2017,July,Thunderstorm Wind,"LAWRENCE",2017-07-23 04:55:00,CST-6,2017-07-23 05:00:00,0,0,0,0,0.00K,0,0.00K,0,38.83,-87.67,38.83,-87.67,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Numerous trees and power lines were blown down in Sumner." +118511,712061,ILLINOIS,2017,July,Thunderstorm Wind,"CRAWFORD",2017-07-23 05:09:00,CST-6,2017-07-23 05:14:00,0,0,0,0,0.00K,0,0.00K,0,39,-87.92,39,-87.92,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","A large tree and numerous tree branches were blown down in Olney. Power was knocked out across town." +118955,715151,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MECKLENBURG",2017-07-18 19:38:00,EST-5,2017-07-18 19:54:00,0,0,0,0,200.00K,200000,0.00K,0,35.241,-80.811,35.175,-80.848,"Isolated to scattered thunderstorms developed throughout the late afternoon and evening across western North Carolina. A few of the storms produced large hail and brief damaging wind gusts.","County comms reported multiple trees blown down from the Uptown area to just south and southeast of Uptown. One tree was blown down on a house on Yadkin Avenue. Another tree fell on and caused extensive damage to a home at Central Ave and Morningside Dr. Another tree fell across power lines and vehicles on Union St and on Louise Dr. Other streets and highways were blocked by falling trees and other obstructions, including I-77 and John Belk Freeway, I-277 near Panthers Stadium, and Westfield Rd." +119079,715154,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ANDERSON",2017-07-18 20:07:00,EST-5,2017-07-18 20:07:00,0,0,0,0,0.00K,0,0.00K,0,34.59,-82.47,34.59,-82.47,"An isolated thunderstorm developed across Upstate South Carolina during the evening hours. The storm briefly became severe across eastern Anderson County, producing a small area of damaging wind gusts.","FD reported a few trees blown down." +119080,715155,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ROWAN",2017-07-19 16:54:00,EST-5,2017-07-19 16:54:00,0,0,0,0,5.00K,5000,0.00K,0,35.769,-80.544,35.761,-80.546,"An isolated thunderstorm develop over the northwest Piedmont of North Carolina during the late afternoon. A small area of damaging winds was reported with the storm over northern Rowan County.","Spotter reported roof damage to a home on Spring Meadow Drive, with trees blown down nearby on Sassafras Lane and Potneck Road." +119081,715156,GEORGIA,2017,July,Thunderstorm Wind,"STEPHENS",2017-07-19 18:00:00,EST-5,2017-07-19 18:00:00,0,0,0,0,0.00K,0,0.00K,0,34.558,-83.351,34.558,-83.351,"An isolated thunderstorm developed across northeast Georgia during the evening and produced brief damaging winds in the Toccoa area.","County comms reported trees and power lines blown down on West Currahee Street." +119082,715157,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"YORK",2017-07-19 17:45:00,EST-5,2017-07-19 17:45:00,0,0,0,0,0.00K,0,0.00K,0,34.94,-81.03,34.94,-81.03,"A few isolated thunderstorms developed across the South Carolina Piedmont during the evening. One of the storms produced brief damaging winds in the Rock Hill area.","County comms reported trees and power lines blown down in the Rock Hill area." +119128,715434,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-22 16:17:00,EST-5,2017-07-22 16:17:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-82.01,35.68,-82.01,"Isolated thunderstorms developed over western North Carolina throughout the afternoon and early evening. A couple of the storms produced brief severe weather, mainly in the form of damaging winds.","EM reported multiple trees blown down across several streets in Marion." +119128,715435,NORTH CAROLINA,2017,July,Thunderstorm Wind,"DAVIE",2017-07-22 17:40:00,EST-5,2017-07-22 17:40:00,0,0,0,0,0.00K,0,0.00K,0,36,-80.5,36,-80.5,"Isolated thunderstorms developed over western North Carolina throughout the afternoon and early evening. A couple of the storms produced brief severe weather, mainly in the form of damaging winds.","Public reported a large tree blown down on Rainbow Road with several large limbs also down in the area." +116587,701112,OKLAHOMA,2017,July,Flash Flood,"MCCURTAIN",2017-07-05 05:10:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,34.0039,-95.1004,34.003,-95.1005,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Highway 70 in Valliant was covered in several inches of water." +116587,701121,OKLAHOMA,2017,July,Flash Flood,"MCCURTAIN",2017-07-05 05:50:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,34.0124,-95.1052,33.9742,-94.8587,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Several reports of water over roadways were received across the western and southern sections of McCurtain County." +116587,701116,OKLAHOMA,2017,July,Thunderstorm Wind,"MCCURTAIN",2017-07-05 05:12:00,CST-6,2017-07-05 05:12:00,0,0,0,0,0.00K,0,0.00K,0,33.736,-94.5195,33.736,-94.5195,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","A tree was blown down along the westbound lane of Highway 3. The ground was saturated from the flooding rains." +119510,717174,GULF OF MEXICO,2017,July,Waterspout,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-07-18 19:10:00,EST-5,2017-07-18 19:15:00,0,0,0,0,0.00K,0,0.00K,0,25.12,-80.53,25.12,-80.53,"A waterspout was observed and reported on Florida Bay via social media in association with an isolated rain shower.","A waterspout was observed and reported via social media about 6 miles west of Key Largo in Florida Bay. The waterspout was in the mature stage with a spray ring visible." +119511,717175,GULF OF MEXICO,2017,July,Waterspout,"HAWK CHANNEL FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE OUT TO THE REEF",2017-07-24 07:35:00,EST-5,2017-07-24 07:35:00,0,0,0,0,0.00K,0,0.00K,0,24.81,-80.78,24.81,-80.78,"A waterspout was observed near Long Key in association with an isolated rain shower.","A waterspout was observed about two miles south southwest of Craig Key." +119512,717176,GULF OF MEXICO,2017,July,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-25 13:47:00,EST-5,2017-07-25 13:51:00,0,0,0,0,0.00K,0,0.00K,0,24.6,-81.78,24.6,-81.78,"A waterspout was observed northwest of Key West in association with an isolated rain shower.","A waterspout was observed just north of Sigsbee Park." +119513,717177,GULF OF MEXICO,2017,July,Waterspout,"GULF OF MEXICO FROM WEST END OF SEVEN MILE BRIDGE TO HALFMOON SHOAL OUT TO 5 FATHOMS",2017-07-26 08:37:00,EST-5,2017-07-26 08:39:00,0,0,0,0,0.00K,0,0.00K,0,24.67,-81.32,24.67,-81.32,"A waterspout was observed in association with a cluster of showers and thunderstorms along an outflow boundary near No Name Key.","A mature waterspout was observed near No Name Key and Big Mangrove Key." +119514,717178,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-29 20:35:00,EST-5,2017-07-29 20:35:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Isolated gale-force wind gusts associated with thunderstorms occurred along a boundary from Elliott Key through the Reef offshore Key Largo.","A wind gust of 37 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +119515,717180,GULF OF MEXICO,2017,July,Waterspout,"BAYSIDE AND GULFSIDE FROM CRAIG KEY TO WEST END OF SEVEN MILE BRIDGE",2017-07-30 13:05:00,EST-5,2017-07-30 13:12:00,0,0,0,0,0.00K,0,0.00K,0,24.79,-80.96,24.8261,-80.9329,"A few waterspouts and isolated gale-force wind gusts associated with scattered thunderstorms occurred near the Middle and Upper Florida Keys. Deep southwest flow allowed long convective convergence lines to develop in the lee of the Lower and Middle Florida Keys.","A very narrow waterspout was observed about two miles north of Grassy Key. No spray ring was visible." +119515,717181,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-30 18:55:00,EST-5,2017-07-30 18:55:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"A few waterspouts and isolated gale-force wind gusts associated with scattered thunderstorms occurred near the Middle and Upper Florida Keys. Deep southwest flow allowed long convective convergence lines to develop in the lee of the Lower and Middle Florida Keys.","A wind gust of 42 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +118069,709669,TEXAS,2017,July,Thunderstorm Wind,"DAWSON",2017-07-04 21:02:00,CST-6,2017-07-04 21:02:00,0,0,0,0,,NaN,,NaN,32.92,-102.13,32.92,-102.13,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","A thunderstorm moved across Dawson County and produced a 58 mph wind gust in Welch." +118069,709672,TEXAS,2017,July,Thunderstorm Wind,"SCURRY",2017-07-04 22:30:00,CST-6,2017-07-04 22:30:00,0,0,0,0,,NaN,,NaN,32.72,-100.8484,32.72,-100.8484,"An upper ridge was over the southwest part of the country with an upper low over northeast Oklahoma/southwest Missouri. Good moisture, instability, upper lift, and remaining outflow boundaries were across West Texas. These conditions resulted in thunderstorms with large hail and strong winds developing across West Texas.","A thunderstorm moved across Scurry County and produced a 67 mph wind gust near Snyder." +118103,709798,TEXAS,2017,July,Thunderstorm Wind,"PECOS",2017-07-16 17:03:00,CST-6,2017-07-16 17:03:00,0,0,0,0,,NaN,,NaN,31.199,-103,31.199,-103,"There was an upper ridge over the southwest part of the country and the Central Plains. Plentiful moisture, daytime heating, and numerous outflow boundaries were across West Texas. These conditions resulted in thunderstorms with strong winds across the area.","A thunderstorm moved across Pecos County and produced a 61 mph wind gust near Coyanosa." +118104,709799,TEXAS,2017,July,Flash Flood,"GAINES",2017-07-21 17:52:00,CST-6,2017-07-21 20:00:00,0,0,0,0,2.00K,2000,0.00K,0,32.8649,-102.6394,32.8649,-102.6413,"An upper ridge was over the southern half of the country. There was good moisture across West Texas. The moisture and hot temperatures allowed for thunderstorms with heavy rainfall and flash flooding to develop across the area.","Heavy rain moved across Gaines County and produced flash flooding about ten miles north of Seminole. There was water over Highway 385/62 near McAdoo Curve. A couple of stalled vehicles were reported. The cost of damage is a very rough estimate." +118104,709800,TEXAS,2017,July,Flash Flood,"GAINES",2017-07-21 18:04:00,CST-6,2017-07-21 20:00:00,0,0,0,0,0.00K,0,0.00K,0,32.6411,-102.7414,32.6441,-102.7378,"An upper ridge was over the southern half of the country. There was good moisture across West Texas. The moisture and hot temperatures allowed for thunderstorms with heavy rainfall and flash flooding to develop across the area.","Heavy rain moved across Gaines County and produced flash flooding about eight miles southwest of Seminole. There was water over the roadways near Highway 181 and Ranch Road 2885." +118110,709825,TEXAS,2017,July,Thunderstorm Wind,"CRANE",2017-07-22 17:25:00,CST-6,2017-07-22 17:26:00,0,0,0,0,7.00K,7000,0.00K,0,31.3958,-102.357,31.3958,-102.357,"There was a weak upper low over east-central New Mexico and a wind shear axis over the western Permian Basin. This shear axis aided in drawing moisture across the area and helped to produce thunderstorms with strong winds. There were weak upper level winds over the area which contributed to slow storm movement and flash flooding.","A thunderstorm moved across Crane County and produced wind damage in the City of Crane. There were downed powerlines at W. 6th Street and Katherine Street. The cost of damage is a very rough estimate." +116541,700793,NORTH DAKOTA,2017,July,Hail,"RICHLAND",2017-07-17 14:40:00,CST-6,2017-07-17 14:40:00,0,0,0,0,,NaN,,NaN,46.27,-96.61,46.27,-96.61,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","Lots of nickel to quarter sized hail was reported." +116542,700796,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-17 15:05:00,CST-6,2017-07-17 15:07:00,0,0,0,0,,NaN,,NaN,46.21,-96.17,46.21,-96.17,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","The large hail fell across southern Orwell Township." +116542,700797,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-17 15:10:00,CST-6,2017-07-17 15:10:00,0,0,0,0,,NaN,,NaN,46.5,-95.25,46.5,-95.25,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","Quarter to half dollar sized hail fell." +116542,700799,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-17 15:42:00,CST-6,2017-07-17 15:45:00,0,0,0,0,,NaN,,NaN,46.18,-95.23,46.18,-95.23,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","Quarter to golf ball sized hail fell, covering the highway." +116894,702839,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GRIGGS",2017-07-21 14:51:00,CST-6,2017-07-21 14:51:00,0,0,0,0,,NaN,,NaN,47.44,-98.19,47.44,-98.19,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The wind gust was measured by a NDAWN station." +116894,702843,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-21 16:00:00,CST-6,2017-07-21 16:00:00,0,0,0,0,,NaN,,NaN,46.9,-97.21,46.9,-97.21,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Dime to nickel sized hail fell." +116898,702955,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-21 18:10:00,CST-6,2017-07-21 18:10:00,0,0,0,0,,NaN,,NaN,46.44,-96.24,46.44,-96.24,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Quarter to half dollar sized hail fell with very heavy rain." +116898,702956,MINNESOTA,2017,July,Thunderstorm Wind,"BELTRAMI",2017-07-21 16:45:00,CST-6,2017-07-21 16:45:00,0,0,0,0,,NaN,,NaN,47.55,-94.77,47.55,-94.77,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Several large trees were snapped or uprooted." +117046,704707,MARYLAND,2017,July,Flash Flood,"CECIL",2017-07-23 18:00:00,EST-5,2017-07-23 18:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5611,-76.0766,39.5633,-76.0699,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots.","Flooding at the MARC station." +117261,705321,PENNSYLVANIA,2017,July,Flash Flood,"BERKS",2017-07-28 20:30:00,EST-5,2017-07-28 21:30:00,0,0,0,0,0.00K,0,0.00K,0,40.3441,-75.9403,40.36,-75.9344,"A Vehicle was trapped in flood waters from localized heavy rain on Spring street in Reading.","A vehicle was trapped in flood waters on Spring street." +117736,707926,MISSISSIPPI,2017,July,Thunderstorm Wind,"PRENTISS",2017-07-03 15:10:00,CST-6,2017-07-03 15:15:00,0,0,0,0,10.00K,10000,0.00K,0,34.7058,-88.7218,34.7109,-88.6923,"A passing upper level disturbance generated a few severe thunderstorms capable of damaging winds across portions of northeast Mississippi during the mid afternoon hours of July 3rd.","Roofing ripped off a moblie home along the Tippah and Prentiss County line two miles west of Jumpertown." +117738,707949,TENNESSEE,2017,July,Hail,"SHELBY",2017-07-04 16:50:00,CST-6,2017-07-04 16:55:00,0,0,0,0,,NaN,,NaN,35.1809,-89.6748,35.1809,-89.6748,"A passing upper level disturbance generated a few thunderstorms during the afternoon hours of July 4th. One storm produced marginally severe hail across portions of southwest Tennessee.","One inch hail fell near Eads at Latting road and Reid-Hooker." +117841,708300,TENNESSEE,2017,July,Thunderstorm Wind,"CARROLL",2017-07-05 18:15:00,CST-6,2017-07-05 18:20:00,0,0,0,0,15.00K,15000,0.00K,0,36,-88.42,36.0101,-88.4006,"A passing upper level disturbance generated a line of severe thunderstorms that were capable of producing damaging winds and a brief weak tornado across portions of west Tennessee during the early evening hours of July 5th.","The awning of the Sonic fast food drive was partially torn off." +117843,708301,TENNESSEE,2017,July,Thunderstorm Wind,"SHELBY",2017-07-08 00:28:00,CST-6,2017-07-08 00:35:00,0,0,0,0,1.00K,1000,0.00K,0,35.2606,-90.0752,35.2379,-90.049,"An upper level disturbance spawned one lone severe thunderstorm across portions of southwest Tennessee during the overnight hours of July 8th.","A large tree was down on Benjestown Road." +117845,708304,TENNESSEE,2017,July,Flash Flood,"TIPTON",2017-07-14 18:20:00,CST-6,2017-07-14 21:30:00,0,0,0,0,0.00K,0,0.00K,0,35.4185,-89.668,35.391,-89.6869,"Slow moving thunderstorms produced flash flooding across portions of southwest Tennessee during the early evening hours of July 14th.","Water covering roads in Kelly Corner Subdivision east of Highway 14 in Tipton County." +117845,708305,TENNESSEE,2017,July,Flash Flood,"SHELBY",2017-07-14 18:25:00,CST-6,2017-07-14 22:00:00,0,0,0,0,0.00K,0,0.00K,0,35.1261,-89.93,35.1108,-89.9355,"Slow moving thunderstorms produced flash flooding across portions of southwest Tennessee during the early evening hours of July 14th.","High water covering roads in East Memphis." +117995,709327,TENNESSEE,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 16:50:00,CST-6,2017-07-23 16:55:00,0,0,0,0,2.00K,2000,0.00K,0,35.65,-88.5069,35.6696,-88.4338,"A weak cold front triggered a few severe thunderstorms that were capable of producing damaging winds and near severe sized hail across portions of west Tennessee during the late afternoon hours of July 23rd.","Trees snapped or uprooted. Winds estimated at 60 mph." +118133,709911,MARYLAND,2017,July,Flash Flood,"BALTIMORE",2017-07-17 15:00:00,EST-5,2017-07-17 17:45:00,0,0,0,0,10.00K,10000,0.00K,0,39.4195,-76.7805,39.4207,-76.7799,"An upper level trough approached while warm and moist conditions across the Mid-Atlantic region. Sufficient instability led to showers and thunderstorms that moved slowly and led to high rainfall rates mainly across north-central Maryland.","There was over three feet of flowing water at 10435 Reisterstown Road. Water inundated an auto shop which included numerous cars." +118135,709927,VIRGINIA,2017,July,Flash Flood,"HARRISONBURG (C)",2017-07-18 18:20:00,EST-5,2017-07-18 21:15:00,0,0,0,0,0.00K,0,0.00K,0,38.4597,-78.8774,38.46,-78.8785,"Warm and moist conditions continue across the Mid-Atlantic region and showers and thunderstorms formed in the afternoon and evening. Weak storm motion led to slow moving thunderstorms that produced isolated flooding.","Waterman Drive was closed due to high water." +118450,711796,MARYLAND,2017,July,Flash Flood,"HARFORD",2017-07-23 17:22:00,EST-5,2017-07-23 19:15:00,0,0,0,0,0.00K,0,0.00K,0,39.532,-76.1698,39.5294,-76.1706,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","A vehicle was stranded in high water near the intersection of Windemere Drive and Pleasantwind Drive in Aberdeen." +118450,711798,MARYLAND,2017,July,Flash Flood,"HARFORD",2017-07-23 18:45:00,EST-5,2017-07-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5578,-76.104,39.5406,-76.1033,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","Several roads were closed on the west side of downtown Havre de Grace due to torrential rainfall. These included Revolution Street between Lewis Lane and South Juniata Street; Girard Street; Juniata Street at Otsego Street; and Juniata Street at Superior Street." +118450,711799,MARYLAND,2017,July,Flash Flood,"HARFORD",2017-07-23 18:45:00,EST-5,2017-07-23 21:00:00,0,0,0,0,0.00K,0,0.00K,0,39.5577,-76.1086,39.5595,-76.105,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","The 800 block of Tydings Road in Havre de Grace was closed due to flooding from torrential rainfall." +118450,711800,MARYLAND,2017,July,Flood,"HARFORD",2017-07-23 19:58:00,EST-5,2017-07-24 00:05:00,0,0,0,0,0.00K,0,0.00K,0,39.5181,-76.1682,39.5142,-76.1483,"Heavy rain developed along a boundary affecting mainly Harford County, Maryland during the afternoon and evening of July 23rd. Some of the flooding continued into the morning of the 24th.","Roads remained flooded and closed in the Aberdeen and Havre de Grace areas due to earlier heavy rains." +118014,711801,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 10:07:00,EST-5,2017-07-28 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0537,-77.0801,39.0479,-77.0795,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Multiple vehicles trapped in high water, requiring water rescues near the intersection of Connecticut Avenue and Veirs Mill Road near Wheaton." +118466,713405,WEST VIRGINIA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-22 12:20:00,EST-5,2017-07-22 12:20:00,0,0,0,0,,NaN,,NaN,39.3571,-77.7511,39.3571,-77.7511,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on a house near the intersection of Allens Wonderland Lane and Bakerton Road." +118466,713406,WEST VIRGINIA,2017,July,Thunderstorm Wind,"GRANT",2017-07-22 15:25:00,EST-5,2017-07-22 15:25:00,0,0,0,0,,NaN,,NaN,39.2739,-79.3585,39.2739,-79.3585,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along Route 90." +118464,713407,MARYLAND,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-22 12:23:00,EST-5,2017-07-22 12:23:00,1,0,0,0,,NaN,,NaN,39.3256,-77.7068,39.3256,-77.7068,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree fell onto a car along Route 340 at Potomac River Crossing. An injury occurred due to the fallen tree." +118464,713408,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:30:00,EST-5,2017-07-22 12:30:00,0,0,0,0,,NaN,,NaN,39.3106,-77.6185,39.3106,-77.6185,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 600 Block of East Potomac Street." +118464,713409,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:30:00,EST-5,2017-07-22 12:30:00,0,0,0,0,,NaN,,NaN,39.3166,-77.6248,39.3166,-77.6248,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree fell down on East Street." +118464,713410,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:31:00,EST-5,2017-07-22 12:31:00,0,0,0,0,,NaN,,NaN,39.3148,-77.615,39.3148,-77.615,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down along the 100 Block of Gum Spring Road." +118464,713411,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:31:00,EST-5,2017-07-22 12:31:00,0,0,0,0,,NaN,,NaN,39.3293,-77.6221,39.3293,-77.6221,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on power lines near the intersection of Petersville Road and Rosemont Drive." +118464,713412,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:35:00,EST-5,2017-07-22 12:35:00,0,0,0,0,,NaN,,NaN,39.3276,-77.5829,39.3276,-77.5829,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Point of Rocks Road and West Boss Arnold Road." +119067,715075,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 16:49:00,EST-5,2017-07-14 17:34:00,0,0,0,0,,NaN,,NaN,38.24,-76.83,38.24,-76.83,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 35 knots were reported at Cobb Point." +119067,715076,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 17:42:00,EST-5,2017-07-14 18:00:00,0,0,0,0,,NaN,,NaN,38.13,-76.53,38.13,-76.53,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 34 to 44 knots were reported at Piney Point." +119067,715077,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 17:54:00,EST-5,2017-07-14 18:24:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 42 knots were reported at Lewisetta." +119067,715079,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 17:54:00,EST-5,2017-07-14 18:24:00,0,0,0,0,,NaN,,NaN,38,-76.47,38,-76.47,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 42 knots were reported at Lewisetta." +119067,715080,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 17:55:00,EST-5,2017-07-14 17:55:00,0,0,0,0,,NaN,,NaN,38.13,-76.42,38.13,-76.42,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gusts of 38 knots was reported at St. Inigoes." +119067,715082,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-14 18:00:00,EST-5,2017-07-14 18:25:00,0,0,0,0,,NaN,,NaN,38.04,-76.32,38.04,-76.32,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 49 knots were reported at Point Lookout." +119067,715084,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY DRUM PT TO SMITH PT VA",2017-07-14 17:43:00,EST-5,2017-07-14 17:47:00,0,0,0,0,,NaN,,NaN,38.29,-76.41,38.29,-76.41,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts of 37 to 42 knots were reported at Patuxent River (KNHK)." +119067,715085,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-14 18:16:00,EST-5,2017-07-14 18:26:00,0,0,0,0,,NaN,,NaN,38.258,-76.179,38.258,-76.179,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 38 knots were reported at Hooper Island." +116254,699114,PENNSYLVANIA,2017,July,Flood,"CARBON",2017-07-07 09:21:00,EST-5,2017-07-07 09:21:00,0,0,0,0,0.00K,0,0.00K,0,40.7713,-75.741,40.7704,-75.7406,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","SR 895 at Germans Road Closed." +116254,701730,PENNSYLVANIA,2017,July,Flood,"NORTHAMPTON",2017-07-07 08:07:00,EST-5,2017-07-07 09:07:00,0,0,0,0,0.00K,0,0.00K,0,40.63,-75.37,40.6234,-75.3777,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Spotty flooding on route 378." +116254,701731,PENNSYLVANIA,2017,July,Flood,"NORTHAMPTON",2017-07-07 08:39:00,EST-5,2017-07-07 08:39:00,0,0,0,0,0.00K,0,0.00K,0,40.6726,-75.222,40.6732,-75.2191,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Center, Valley and Line streets flooded." +116254,701732,PENNSYLVANIA,2017,July,Heavy Rain,"CARBON",2017-07-07 05:22:00,EST-5,2017-07-07 05:22:00,0,0,0,0,,NaN,,NaN,40.83,-75.72,40.83,-75.72,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period." +116254,701733,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 05:26:00,EST-5,2017-07-07 05:26:00,0,0,0,0,,NaN,,NaN,40.75,-75.54,40.75,-75.54,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701734,PENNSYLVANIA,2017,July,Heavy Rain,"MONROE",2017-07-07 06:41:00,EST-5,2017-07-07 06:41:00,0,0,0,0,0.00K,0,0.00K,0,40.92,-75.4,40.92,-75.4,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701735,PENNSYLVANIA,2017,July,Heavy Rain,"MONROE",2017-07-07 06:47:00,EST-5,2017-07-07 06:47:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-75.32,40.9,-75.32,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116367,699702,TEXAS,2017,July,Thunderstorm Wind,"COCHRAN",2017-07-04 19:30:00,CST-6,2017-07-04 19:30:00,0,0,0,0,0.00K,0,0.00K,0,33.73,-102.74,33.73,-102.74,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Morton." +116367,699705,TEXAS,2017,July,Thunderstorm Wind,"HOCKLEY",2017-07-04 20:05:00,CST-6,2017-07-04 20:05:00,0,0,0,0,0.00K,0,0.00K,0,33.53,-102.36,33.53,-102.36,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Levelland." +116367,699704,TEXAS,2017,July,Thunderstorm Wind,"COCHRAN",2017-07-04 20:05:00,CST-6,2017-07-04 20:05:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-102.61,33.39,-102.61,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Sundown." +116367,699706,TEXAS,2017,July,Thunderstorm Wind,"LUBBOCK",2017-07-04 20:11:00,CST-6,2017-07-04 20:35:00,0,0,0,0,0.00K,0,0.00K,0,33.67,-101.82,33.4198,-102.0598,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Downburst winds of 58 mph were recorded at the Lubbock ASOS at 2011 CST, and also at a Texas Tech University West Texas mesonet near Wolfforth at 2035 CST. A wall of dust ahead of these winds briefly dropped visibility to near zero across rural areas of Lubbock County." +116739,702107,COLORADO,2017,July,Hail,"DENVER",2017-07-08 14:36:00,MST-7,2017-07-08 14:36:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-104.98,39.68,-104.98,"A strong thunderstorm produced hail up to nickel size.","" +116744,702109,COLORADO,2017,July,Thunderstorm Wind,"MORGAN",2017-07-21 17:35:00,MST-7,2017-07-21 17:35:00,0,0,0,0,,NaN,,NaN,40.27,-103.79,40.27,-103.79,"A severe thunderstorm produced a wind gust to 64 mph near Fort Morgan.","" +116745,702111,COLORADO,2017,July,Hail,"LINCOLN",2017-07-07 15:35:00,MST-7,2017-07-07 15:35:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-103.5,39.28,-103.5,"A severe thunderstorm produced large hail up to golfball size near Genoa.","" +116745,702112,COLORADO,2017,July,Hail,"LINCOLN",2017-07-07 15:49:00,MST-7,2017-07-07 15:49:00,0,0,0,0,0.00K,0,0.00K,0,39.28,-103.48,39.28,-103.48,"A severe thunderstorm produced large hail up to golfball size near Genoa.","" +116754,702128,GULF OF MEXICO,2017,July,Waterspout,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-07-22 06:52:00,EST-5,2017-07-22 06:52:00,0,0,0,0,0.00K,0,0.00K,0,29.1332,-83.0328,29.1332,-83.0328,"Persistent southwest flow over the warm waters of the Gulf of Mexico allowed for showers and thunderstorms to develop in the early morning hours. Two waterspouts developed along the Florida Gulf Coast.","A picture of a waterspout was relayed to the office from a local television station." +117037,703939,TEXAS,2017,July,Heat,"CHEROKEE",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703940,TEXAS,2017,July,Heat,"RUSK",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703941,TEXAS,2017,July,Heat,"NACOGDOCHES",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117037,703942,TEXAS,2017,July,Heat,"ANGELINA",2017-07-28 02:49:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley on July 28th, with compressional warming occurring ahead of a weak surface front as it moved slowly south across Eastern Oklahoma and Central Arkansas. This resulted in high temperatures climbing into the upper 90s to near 100 degrees across East Texas. Low level moisture pooled north ahead of the front over East Texas, Southeast Oklahoma, Southwest Arkansas, and North Louisiana, with these temperatures, combined with the high humidity, resulting in heat indices between 105-109 degrees across much of Northeast Texas.","" +117044,704024,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-24 07:00:00,EST-5,2017-07-24 07:00:00,0,0,0,0,,NaN,,NaN,39.45,-74.75,39.45,-74.75,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Twenty four hour total just over two and a half inches." +117044,704025,NEW JERSEY,2017,July,Heavy Rain,"ATLANTIC",2017-07-24 07:00:00,EST-5,2017-07-24 07:00:00,0,0,0,0,,NaN,,NaN,39.64,-74.81,39.64,-74.81,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Just over two and a half inches of rain fell." +117044,704026,NEW JERSEY,2017,July,Heavy Rain,"SALEM",2017-07-24 07:30:00,EST-5,2017-07-24 07:30:00,0,0,0,0,,NaN,,NaN,39.66,-75.27,39.66,-75.27,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Six hour rainfall total of almost three inches." +117044,704027,NEW JERSEY,2017,July,Heavy Rain,"GLOUCESTER",2017-07-24 23:00:00,EST-5,2017-07-24 23:00:00,0,0,0,0,,NaN,,NaN,39.57,-75.05,39.57,-75.05,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Rainfall total from last night of almost three inches." +117044,704033,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-22 17:32:00,EST-5,2017-07-22 17:32:00,0,0,0,0,,NaN,,NaN,39.94,-75.11,39.94,-75.11,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Trees taken down due to thunderstorm winds." +117044,704034,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-22 17:35:00,EST-5,2017-07-22 17:35:00,0,0,0,0,,NaN,,NaN,39.9,-75.08,39.9,-75.08,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Trees down due to thunderstorm winds." +117044,704036,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-22 17:35:00,EST-5,2017-07-22 17:35:00,0,0,0,0,,NaN,,NaN,39.92,-75.08,39.92,-75.08,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree fell onto a car." +117044,704037,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-22 17:35:00,EST-5,2017-07-22 17:35:00,0,0,0,0,,NaN,,NaN,39.92,-75.1,39.92,-75.1,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree fell onto a trailer on Mount Ephraim Ave due to thunderstorm winds." +117044,704038,NEW JERSEY,2017,July,Thunderstorm Wind,"BURLINGTON",2017-07-22 18:05:00,EST-5,2017-07-22 18:05:00,0,0,0,0,,NaN,,NaN,39.9,-74.82,39.9,-74.82,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Wires downed due to thunderstorm winds on Pine Blvd." +117015,703804,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-29 14:30:00,EST-5,2017-07-29 14:30:00,0,0,0,0,0.00K,0,0.00K,0,27.76,-82.57,27.76,-82.57,"Isolated thunderstorms developed over the eastern Gulf of Mexico and pushed east into the coast. A couple of these storms produced marine wind gusts as they came onshore.","A WeatherFlow station in the Tampa Bay (XTAM) recorded a 42 knot thunderstorm wind gust." +117070,704318,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TARPON SPRINGS TO SUWANNEE RIVER FL OUT 20NM",2017-07-30 11:00:00,EST-5,2017-07-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,29.1338,-83.0309,29.1338,-83.0309,"A frontal boundary stalled across the Florida Peninsula, setting up deep moisture and numerous showers and a few thunderstorms.","The NOS NWLON station at Cedar Key (CKYF1) measured a 36 knot thunderstorm wind gust." +117070,704321,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-30 11:13:00,EST-5,2017-07-30 11:13:00,0,0,0,0,0.00K,0,0.00K,0,27.6,-82.65,27.6,-82.65,"A frontal boundary stalled across the Florida Peninsula, setting up deep moisture and numerous showers and a few thunderstorms.","The WeatherFlow station near the Skyway Bridge (XSKY) recorded a 42 knot thunderstorm wind gust." +117070,704326,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"TAMPA BAY",2017-07-30 12:07:00,EST-5,2017-07-30 12:07:00,0,0,0,0,0.00K,0,0.00K,0,27.8407,-82.5315,27.8407,-82.5315,"A frontal boundary stalled across the Florida Peninsula, setting up deep moisture and numerous showers and a few thunderstorms.","The AWOS at MacDill Air Force Base (KMCF) measured a 35 knot thunderstorm wind gust." +117070,704327,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"ENGLEWOOD TO TARPON SPRINGS FL OUT 20NM",2017-07-30 12:30:00,EST-5,2017-07-30 12:30:00,0,0,0,0,0.00K,0,0.00K,0,27.17,-83.93,27.17,-83.93,"A frontal boundary stalled across the Florida Peninsula, setting up deep moisture and numerous showers and a few thunderstorms.","The COMPS buoy 42013 measured a 35 knot thunderstorm wind gust." +117072,704329,FLORIDA,2017,July,Thunderstorm Wind,"LEVY",2017-07-30 07:52:00,EST-5,2017-07-30 07:52:00,0,0,0,0,1.00K,1000,0.00K,0,29.18,-83.02,29.18,-83.02,"A stalled frontal boundary across northern Florida set up deep moisture with numerous showers and a few thunderstorms. A couple of these storms caused wind damage in Levy County.","Levy County Fire Rescue reported a tree knocked down, blocking CR 347 near Cedar Key. Time estimated by radar." +117072,704330,FLORIDA,2017,July,Thunderstorm Wind,"LEVY",2017-07-30 07:08:00,EST-5,2017-07-30 07:08:00,0,0,0,0,1.00K,1000,0.00K,0,29.58,-82.92,29.58,-82.92,"A stalled frontal boundary across northern Florida set up deep moisture with numerous showers and a few thunderstorms. A couple of these storms caused wind damage in Levy County.","Levy County Fire Rescue reported powerlines down around Fanning Springs. Time estimated by radar." +117202,704934,ALABAMA,2017,July,Funnel Cloud,"LAWRENCE",2017-07-24 14:00:00,CST-6,2017-07-24 14:02:00,0,0,0,0,0.00K,0,0.00K,0,34.6821,-87.4642,34.6821,-87.4642,"A funnel cloud was photographed in Lawrence County during an afternoon thunderstorm.","The public photographed a funnel cloud from a thunderstorm along Highway 72 between Town Creek and Leighton. The funnel dissipated shortly after the photo was taken. Time and location are estimated." +116996,703697,FLORIDA,2017,July,Lightning,"BREVARD",2017-07-28 16:23:00,EST-5,2017-07-28 16:23:00,1,0,1,0,0.00K,0,0.00K,0,28.2006,-80.5951,28.2006,-80.5951,"A thunderstorm developed along the sea breeze near the southern Brevard County coast. As the storm moved offshore it produced a lightning strike which struck two beachgoers, killing one of them.","Broadcast media reported that a group of three men were visiting the SPRA park in Satellite Beach when lighting struck two of the men. An off-duty life guard and another bystander gave CPR to one of the victims who was unconscious until Fire Rescue arrived, then both men were transported to a local hospital. One victim, a 35-year-old man from Philadelphia, Pennsylvania later died due to his injuries. The second man was only stunned by the lighting strike and had non-life threatening injuries." +117054,704028,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-29 11:30:00,EST-5,2017-07-29 11:30:00,0,0,0,0,0.00K,0,0.00K,0,28.57,-80.59,28.57,-80.59,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","US Air Force wind tower 1102 measured a peak wind gust of 35 knots from the southwest." +117054,704029,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-29 12:50:00,EST-5,2017-07-29 12:50:00,0,0,0,0,0.00K,0,0.00K,0,28.87,-80.8,28.87,-80.8,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","US Air Force wind tower 0421 measured a peak wind gust of 35 knots from the west." +117054,704031,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-07-29 13:26:00,EST-5,2017-07-29 13:26:00,0,0,0,0,0.00K,0,0.00K,0,27.656,-80.376,27.656,-80.376,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","The ASOS at Vero Beach International Airport measured a peak wind gust of 41 knots from the south-southwest." +117322,705608,NORTH DAKOTA,2017,July,Hail,"GRAND FORKS",2017-07-31 18:30:00,CST-6,2017-07-31 18:33:00,0,0,0,0,,NaN,,NaN,47.76,-97.49,47.76,-97.49,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","The hail was accompanied by heavy rain." +117322,705609,NORTH DAKOTA,2017,July,Funnel Cloud,"TRAILL",2017-07-31 19:02:00,CST-6,2017-07-31 19:02:00,0,0,0,0,0.00K,0,0.00K,0,47.57,-97.33,47.57,-97.33,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","A persistent wall cloud with a very brief funnel passed from eastern Garfield Township into northwest Lindaas Township before dissipating." +117322,705610,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-31 19:05:00,CST-6,2017-07-31 19:05:00,0,0,0,0,,NaN,,NaN,47.59,-97.46,47.59,-97.46,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117322,705611,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-31 19:06:00,CST-6,2017-07-31 19:06:00,0,0,0,0,,NaN,,NaN,47.6,-97.19,47.6,-97.19,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Fifty mph wind gusts accompanied the hail." +117322,705612,NORTH DAKOTA,2017,July,Hail,"TRAILL",2017-07-31 19:15:00,CST-6,2017-07-31 19:15:00,0,0,0,0,,NaN,,NaN,47.5,-97.33,47.5,-97.33,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Wind gusts to 50 mph accompanied the hail." +117514,706830,KENTUCKY,2017,July,Heat,"LIVINGSTON",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706831,KENTUCKY,2017,July,Heat,"LYON",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706832,KENTUCKY,2017,July,Heat,"MARSHALL",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706833,KENTUCKY,2017,July,Heat,"MCCRACKEN",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706834,KENTUCKY,2017,July,Heat,"MCLEAN",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706835,KENTUCKY,2017,July,Heat,"MUHLENBERG",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117511,706776,MISSOURI,2017,July,Excessive Heat,"NEW MADRID",2017-07-20 11:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706777,MISSOURI,2017,July,Excessive Heat,"PERRY",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706778,MISSOURI,2017,July,Excessive Heat,"RIPLEY",2017-07-20 11:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117171,704828,SOUTH DAKOTA,2017,July,Hail,"MEADE",2017-07-18 19:08:00,MST-7,2017-07-18 19:08:00,0,0,0,0,0.00K,0,0.00K,0,44.56,-103.1,44.56,-103.1,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704829,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-18 19:08:00,MST-7,2017-07-18 19:08:00,0,0,0,0,,NaN,0.00K,0,44.56,-103.1,44.56,-103.1,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Wind gusts were estimated at 70 mph." +117171,704830,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-18 19:25:00,MST-7,2017-07-18 19:25:00,0,0,0,0,,NaN,0.00K,0,44.56,-102.7309,44.56,-102.7309,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","" +117171,704831,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-18 19:30:00,MST-7,2017-07-18 19:30:00,0,0,0,0,,NaN,0.00K,0,44.4702,-102.9165,44.4702,-102.9165,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","The spotter estimated wind gusts at 70 mph." +117171,704834,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-18 19:35:00,MST-7,2017-07-18 19:35:00,0,0,0,0,,NaN,0.00K,0,44.4045,-102.87,44.4045,-102.87,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","Wind gusts were estimated at 60 mph." +117171,704835,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"MEADE",2017-07-18 20:00:00,MST-7,2017-07-18 20:00:00,0,0,0,0,0.00K,0,0.00K,0,44.27,-102.44,44.27,-102.44,"A long-lived supercell thunderstorm tracked from Montana across Butte and Meade Counties. The storm produced large hail and strong wind gusts, especially over southeastern Butte County. Widespread property damage occurred in Newell, where hail to baseball size and wind gusts to 90 mph were observed.","The spotter estimated wind gusts at 65 mph." +116396,699968,MONTANA,2017,July,Thunderstorm Wind,"ROOSEVELT",2017-07-11 05:11:00,MST-7,2017-07-11 05:16:00,0,0,0,0,0.00K,0,0.00K,0,48.43,-105.44,48.43,-105.44,"Thunderstorms, associated with an upper low pressure system over southern Saskatchewan, developed over northeast Montana, some of which produced hail and strong to severe wind gusts.","A few 60 mph wind gusts were measured at the McDonalds MT-13 DOT site." +117864,708667,GEORGIA,2017,July,Lightning,"FORSYTH",2017-07-06 12:51:00,EST-5,2017-07-06 12:51:00,0,0,0,0,20.00K,20000,,NaN,34.1087,-84.1143,34.1087,-84.1143,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Forsyth County Emergency Manager reported a house fire started by a lightning strike on Watermill Way." +117864,708668,GEORGIA,2017,July,Lightning,"FORSYTH",2017-07-06 15:24:00,EST-5,2017-07-06 15:24:00,0,0,0,0,5.00K,5000,,NaN,34.26,-84.11,34.26,-84.11,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Forsyth County Emergency Manager reported a brush fire caused by a lightning strike near the intersection of Dahlonega Highway and Spot Road." +117864,708671,GEORGIA,2017,July,Thunderstorm Wind,"GILMER",2017-07-06 14:08:00,EST-5,2017-07-06 14:20:00,0,0,0,0,9.00K,9000,,NaN,34.6381,-84.5216,34.702,-84.3366,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","The Gilmer County 911 center reported trees and power lines blown down from southwest through east of Ellijay. Locations include Snow Mountain Lane, White Path Springs Road, Roy Road at Southern Road, and Big Creek Road at Holt Bridge Road." +117864,708676,GEORGIA,2017,July,Thunderstorm Wind,"WILKES",2017-07-06 16:40:00,EST-5,2017-07-06 16:45:00,0,0,0,0,1.00K,1000,,NaN,33.87,-82.65,33.87,-82.65,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","A report was received on social media of a tree blown down on Danburg Road near the intersection with Bradford Road." +117864,708679,GEORGIA,2017,July,Thunderstorm Wind,"HALL",2017-07-06 13:24:00,EST-5,2017-07-06 13:24:00,0,0,0,0,,NaN,,NaN,34.2738,-83.8302,34.2738,-83.8302,"A deepening upper-level trough over the eastern U.S. combined with a very moist and unstable atmosphere across north Georgia to produce scattered severe thunderstorms.","A wind gust of 60 MPH was recorded by the ASOS at the Lee Gilmer Memorial Airport in Gainesville (KGVL)." +117867,708712,GEORGIA,2017,July,Lightning,"FORSYTH",2017-07-13 16:47:00,EST-5,2017-07-13 16:47:00,0,0,0,0,20.00K,20000,,NaN,34.0974,-84.2016,34.0974,-84.2016,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Forsyth County Emergency Manager reported an attic fire caused by a lightning strike at a home on Longpointe Pass." +117867,708713,GEORGIA,2017,July,Lightning,"FORSYTH",2017-07-13 17:06:00,EST-5,2017-07-13 17:06:00,0,0,0,0,1.00K,1000,,NaN,34.223,-84.0319,34.223,-84.0319,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Forsyth County Emergency Manager reported a home struck by lightning on Flowery Branch Road. No fire was found." +118105,709830,ARIZONA,2017,July,Flash Flood,"MARICOPA",2017-07-24 11:50:00,MST-7,2017-07-24 17:45:00,0,0,0,0,5.00K,5000,0.00K,0,33.4248,-113.1702,33.3491,-112.7692,"Scattered to numerous showers and thunderstorms developed across much of south-central Arizona, including the greater Phoenix metropolitan area, during the morning hours on July 24th. Many of the storms produced locally heavy rainfall with peak rain rates in excess of two inches per hour, and this led to episodes of flooding and flash flooding across the lower deserts. At 0938MST a mesonet weather station 5 miles west of the Ahwatukee Foothills measured 2.09 inches of rain within one hour. Flash flooding occurred in Apache Junction; the Weekes wash experienced flash flooding due to very high flow, and a live swift water rescue occurred at 0917MST about 1 mile southwest of Apache Junction. Flash flooding in Sacaton partially submerged a truck and washed away several palm trees. Flooding persisted into the early afternoon hours across the east and southeast portions of the Phoenix area; at about 1400MST many roads near Santan were flooded and closed and shortly afterwards, multiple lanes of an intersection were closed due to flooding 5 miles east of East Mesa. Flash Flooding also occurred over far west Phoenix in the towns of Tonopah and Wintersburg; washes such as the Delaney Wash were impassable due to high water shortly after noon.","Scattered to numerous showers and thunderstorms developed across much of the greater Phoenix area during the morning hours on July 24th, and some of the heavier rainfall affected the far western portions including the towns of Tonopah and Wintersburg. During the late morning hours, rain gauges in the area reported amounts of up to around two inches and this resulted in episodes of flash flooding as area washes ran heavily and flowed across area roads making them impassible. As of 1150MST, stream gages reported significant flow in both the Waterman Wash and the Delaney Wash. At 1228MST flash flooding was observed 3 miles south of Tonopah; according to a Maricopa County Flood Control stream gage the Delaney Wash at 411th Avenue was impassible due to flood waters. At about 1300MST another stream gage reported that the Delaney Wash 3 miles northwest of Wintersburg was flooding and impassible at the Salome Highway. A Flash Flood Warning was in effect for the area at the time of the flooding; it was issued at 1152MST and remained in effect through 1445MST. Due to continued flow in the area washes, the Flash Flood Warning was re-issued for the same area and remained in effect through 1745MST." +116181,698363,OHIO,2017,July,Flash Flood,"MONTGOMERY",2017-07-06 12:00:00,EST-5,2017-07-06 13:00:00,0,0,0,0,0.00K,0,0.00K,0,39.86,-84.11,39.8515,-84.1139,"A low pressure system moved slowly east across the Ohio Valley and produced thunderstorms with locally heavy rainfall during the late morning and afternoon hours.","A couple of roads were closed across northeast Montgomery County due to high water." +116427,700203,OHIO,2017,July,Hail,"FRANKLIN",2017-07-10 14:12:00,EST-5,2017-07-10 14:16:00,0,0,0,0,0.00K,0,0.00K,0,40.01,-83.2,40.01,-83.2,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","There were several reports of 1.00 inch diameter hail on the south side of Hilliard." +118179,710242,MASSACHUSETTS,2017,July,Thunderstorm Wind,"BRISTOL",2017-07-12 14:50:00,EST-5,2017-07-12 15:10:00,0,0,0,0,15.00K,15000,0.00K,0,41.8384,-71.2189,41.8384,-71.2189,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 250 PM EST, trees were brought down on Route 44 in Rehoboth. Trees were also brought down on Cedar Street, River Street, and Bay State Road between 250 PM and 310 PM EST. Multiple trees and wires were brought down on Elm Street and County Street." +118179,711115,MASSACHUSETTS,2017,July,Thunderstorm Wind,"MIDDLESEX",2017-07-12 17:44:00,EST-5,2017-07-12 17:44:00,0,0,0,0,1.00K,1000,0.00K,0,42.3612,-71.1806,42.3612,-71.1806,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 544 PM EST, a tree was downed in Watertown on Charles River Road at Irving Street. Multiple trees and wires were also downed on Pleasant Street." +118179,710212,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 17:03:00,EST-5,2017-07-12 20:00:00,0,0,0,0,0.00K,0,0.00K,0,42.598,-71.3447,42.5954,-71.3238,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 503 PM EST, in Chelmsford, Billerica Road near Turnpike Road was impassable due to flooding." +116808,702373,KENTUCKY,2017,July,Flash Flood,"FLEMING",2017-07-23 00:07:00,EST-5,2017-07-23 02:40:00,0,0,0,0,120.00K,120000,0.00K,0,38.4443,-83.7439,38.4402,-83.7484,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Dispatch relayed a plethora of reports of flash flooding throughout Flemingsburg. High water entered several businesses and residences, while blocking numerous roadways. A bridge over Town Branch on St. Anthony Drive was severely damaged." +118367,711324,OKLAHOMA,2017,July,Hail,"CRAIG",2017-07-07 16:20:00,CST-6,2017-07-07 16:20:00,0,0,0,0,10.00K,10000,0.00K,0,36.8,-95.07,36.8,-95.07,"Strong to severe thunderstorms developed along and ahead of a cold front that moved into northeastern Oklahoma during the evening hours of July 7th. The strongest storms produced large hail.","" +118543,712171,MASSACHUSETTS,2017,July,Hail,"FRANKLIN",2017-07-17 19:07:00,EST-5,2017-07-17 19:11:00,0,0,0,0,0.00K,0,0.00K,0,42.7,-72.9,42.7,-72.9,"A dying cold front approaching from the west brought hail and heavy downpours to Western Massachusetts in the afternoon and evening.","At 711 PM EST, an amateur radio operator in Rowe reported quarter-size hail, or 1-inch diameter. Preceding that, from 707 PM and 711 PM EST, there were two reports of nickel-size hail." +118544,712183,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-18 15:40:00,EST-5,2017-07-18 18:00:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-71.3523,42.6009,-71.3492,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 340 PM EST, an amateur radio operator reported flooding on Fletcher Street in Chelmsford." +118544,712189,MASSACHUSETTS,2017,July,Flood,"SUFFOLK",2017-07-18 18:21:00,EST-5,2017-07-18 21:30:00,0,0,0,0,0.00K,0,0.00K,0,42.386,-71.0479,42.4016,-71.0103,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 621 PM EST, an emergency manager reported widespread flooding through the city of Chelsea, resulting in manhole covers popping off. At 631 PM EST, amateur radio operators reported Second Street, Shurtleff Street, and Vale Street were all flooded and impassable." +118544,712182,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-18 15:27:00,EST-5,2017-07-18 17:30:00,0,0,0,0,0.00K,0,0.00K,0,42.6396,-71.3115,42.6377,-71.3084,"A cold front lay stalled across Massachusetts. Several heavy downpours moved across the state near the front. Western Massachusetts and the Merrimack Valley were most affected.","At 353 PM EST, the intersection of Moore and Gorham Street in Lowell was under two feet of water. There was also street flooding in the area of 131 South Street. At 411 PM EST, the intersection of South and Summer Streets was flooded and impassable. At 327 PM EST, sections of the VFW Parkway were reported flooded and impassable." +118569,712294,ARKANSAS,2017,July,Flood,"WOODRUFF",2017-07-05 12:50:00,CST-6,2017-07-11 20:22:00,0,0,0,0,0.00K,0,0.00K,0,35.2945,-91.4038,35.2759,-91.4124,"Heavy rain led to some flooding in the first part of July 2017. Twenty four hour rainfall through 700 am CDT on the 5th included 3.52 inches at Gamaliel (Baxter County), 2.68 inches at Murfreesboro (Pike County), 2,42 inches at Mountain View (Stone County), 2.36 inches at Georgetown (White County), and 2.27 inches at Hardy (Sharp County) and Salem (Fulton County).","Heavy rain caused flooding on the White River at Augusta July 5." +118569,712293,ARKANSAS,2017,July,Flood,"WOODRUFF",2017-07-07 23:08:00,CST-6,2017-07-12 21:00:00,0,0,0,0,0.00K,0,0.00K,0,35.2727,-91.2414,35.265,-91.2436,"Heavy rain led to some flooding in the first part of July 2017. Twenty four hour rainfall through 700 am CDT on the 5th included 3.52 inches at Gamaliel (Baxter County), 2.68 inches at Murfreesboro (Pike County), 2,42 inches at Mountain View (Stone County), 2.36 inches at Georgetown (White County), and 2.27 inches at Hardy (Sharp County) and Salem (Fulton County).","Heavy rain brought flooding to the Cache River at Patterson on July 7." +117803,709131,MISSISSIPPI,2017,July,Flash Flood,"JEFFERSON DAVIS",2017-07-25 13:04:00,CST-6,2017-07-25 14:45:00,0,0,0,0,50.00K,50000,0.00K,0,31.74,-89.97,31.76,-89.9758,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Ned Riley and Jones Ford roads were closed with the bridges submerged in water." +117803,709135,MISSISSIPPI,2017,July,Flood,"LAWRENCE",2017-07-25 15:26:00,CST-6,2017-07-25 16:26:00,0,0,0,0,10.00K,10000,0.00K,0,31.76,-89.98,31.7564,-89.9708,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Flooding occurred on MS Highway 43 between New Hebron and the Simpson County line." +118596,712462,MISSISSIPPI,2017,July,Flash Flood,"MADISON",2017-07-29 07:45:00,CST-6,2017-07-29 09:30:00,0,0,0,0,15.00K,15000,0.00K,0,32.5477,-89.9379,32.5682,-89.9422,"Showers and thunderstorms developed in association with a cold front moving through the region. Some of these storms produced flash flooding.","Flash flooding occurred near the Sharon and Rankin roads intersection. Creeks and ditches overflowed, with debris from runoff along Sharon Road south to the Natchez Trace." +117671,707557,NEW YORK,2017,July,Thunderstorm Wind,"WARREN",2017-07-01 08:06:00,EST-5,2017-07-01 08:06:00,0,0,0,0,,NaN,,NaN,43.35,-73.64,43.35,-73.64,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","A trained spotter reported a large maple tree limb 4.5 inches in diameter and 12 feet long snapped." +118682,712976,TEXAS,2017,July,Hail,"RANDALL",2017-07-03 17:59:00,CST-6,2017-07-03 17:59:00,0,0,0,0,0.00K,0,0.00K,0,35.18,-102.05,35.18,-102.05,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Late report of half dollar size hail reported via Twitter." +118682,712978,TEXAS,2017,July,Thunderstorm Wind,"RANDALL",2017-07-03 18:12:00,CST-6,2017-07-03 18:12:00,0,0,0,0,0.00K,0,0.00K,0,34.98,-101.87,34.98,-101.87,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Thunderstorm winds up to 60 MPH reported." +118682,712979,TEXAS,2017,July,Hail,"RANDALL",2017-07-03 18:18:00,CST-6,2017-07-03 18:18:00,0,0,0,0,0.00K,0,0.00K,0,35.16,-101.93,35.16,-101.93,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Dime to penny size hail." +118682,712981,TEXAS,2017,July,Hail,"ROBERTS",2017-07-03 19:00:00,CST-6,2017-07-03 19:00:00,0,0,0,0,0.00K,0,0.00K,0,35.68,-100.76,35.68,-100.76,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +116400,700132,NEBRASKA,2017,July,Hail,"ADAMS",2017-07-03 00:03:00,CST-6,2017-07-03 00:03:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-98.39,40.6,-98.39,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +116401,700120,KANSAS,2017,July,Thunderstorm Wind,"PHILLIPS",2017-07-02 22:24:00,CST-6,2017-07-02 22:24:00,0,0,0,0,0.00K,0,0.00K,0,39.67,-99.5888,39.67,-99.5888,"Thunderstorms produced severe wind in some parts of north central Kansas late on this Sunday evening, even with a stabilized boundary layer. During the evening hours, thunderstorms over southwest Nebraska developed into a small squall line. This line of storms surged across Phillips, Rooks, and Osborne Counties, as well as parts of Smith and Mitchell Counties, between 10 pm and 12:30 am CST. Severe winds were measured at several stations in Phillips and Osborne Counties, with the highest gust 71 mph at Logan. No reports of damage were received.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal and located over the northern United States. A broad trough was over the Great Lakes. A weak shortwave trough was migrating across the Central Plains. Despite temperatures in the middle to upper 70s, the cold pool associated with this squall line was deep enough to continue initiating strong updrafts. Mid-level lapse rates were steep (7-7.5 C/km), resulting in MUCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +116856,702624,KANSAS,2017,July,Hail,"MITCHELL",2017-07-22 17:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,39.2434,-98.3929,39.2434,-98.3929,"Severe hail fell in a few spots over north central Kansas on this Saturday afternoon. Around 230 pm CST, scattered slow-moving thunderstorms began forming along a line across Rooks and Osborne Counties. Around 330 pm CST, the storm over eastern Rooks County intensified and produced hail up to the size of half dollars. This storm probably remained severe until 4 pm CST as it sagged slowly south. However, no additional reports were received due to the sparsity of population. After 330 pm CST, numerous other storms smaller storms developed across north central Kansas, south of Highway 36. A couple of these storms briefly turned severe over Mitchell County, with 1 inch hail reported in Cawker City around 4 pm CST, and in Hunter around 5 pm CST. The storms generally weakened after 5 pm, leaving stratiform anvil rain, with strongest storms just east and south of this portion of north central Kansas. ||These storms formed along an extensive cool front that extended from Nevada to New Jersey. This front was stationary in some locations, with weak lows migrating east along it. Part of this front was sagging south through north central Kansas. In the upper-levels, the main band of Westerlies was along the U.S.-Canada border with the amplitude fairly low. However, during the day, a shortwave trough migrated from the Northern Rockies into the Dakota's and Nebraska and exhibited some amplification. Two subtropical highs were over the southern U.S. Just prior to thunderstorm initiation, temperatures were around 100 with dewpoints ranging from the upper 50s to lower 70s. Northeast winds behind the front were advecting rich dewpoints westward. MLCAPE ranged from 1000 to 3000 J/kg, with the lowest values associated with the lowest dewpoints, and the highest values associated with the highest dewpoints. Effective deep layer shear was approximately 20-25 kts.","" +118794,713610,KANSAS,2017,July,Thunderstorm Wind,"CLOUD",2017-07-22 18:48:00,CST-6,2017-07-22 18:49:00,0,0,0,0,,NaN,,NaN,39.55,-97.65,39.55,-97.65,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Wind gust reported at the Concordia Airport ASOS." +118794,713611,KANSAS,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-22 19:00:00,CST-6,2017-07-22 19:01:00,0,0,0,0,,NaN,,NaN,39.37,-95.57,39.37,-95.57,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Power lines were reported down. Time was estimated from radar." +118794,713612,KANSAS,2017,July,Thunderstorm Wind,"DICKINSON",2017-07-26 02:50:00,CST-6,2017-07-26 02:51:00,0,0,0,0,,NaN,,NaN,38.91,-97.12,38.91,-97.12,"Discrete, supercell thunderstorms developed during the late afternoon hours of July 22nd. Hail to the size of 3 inches in diameter was reported across Pottawatomie County. Scattered thunderstorms also developed during the early morning hours of July 26th, producing a damaging wind report in Dickinson County.","Report of 2 inch diameter limbs were down." +118799,713618,NORTH CAROLINA,2017,July,Thunderstorm Wind,"COLUMBUS",2017-07-07 19:45:00,EST-5,2017-07-07 19:46:00,0,0,0,0,3.00K,3000,0.00K,0,34.1429,-78.8715,34.1429,-78.8715,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms to produce severe wind gusts.","A tree reportedly fell onto a power line on Floyd St. and caught fire. The time was estimated based on radar data." +118799,713621,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PENDER",2017-07-08 00:15:00,EST-5,2017-07-08 00:16:00,0,0,0,0,2.00K,2000,0.00K,0,34.4843,-78.0304,34.4843,-78.0304,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms to produce severe wind gusts.","A couple of trees were reported down on Herrings Chapel Rd." +118804,713631,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"COASTAL WATERS FROM SURF CITY TO CAPE FEAR NC OUT 20 NM",2017-07-08 02:25:00,EST-5,2017-07-08 02:26:00,0,0,0,0,0.00K,0,0.00K,0,33.9624,-77.9437,33.9624,-77.9437,"A mid and upper level trough moved into a very warm and humid airmass and helped to enhance nocturnal thunderstorms.","A WeatherFlow sensor measured a 39 mph wind gust at Federal Point." +113261,677687,MISSISSIPPI,2017,January,Drought,"MONROE",2017-01-01 00:00:00,CST-6,2017-01-24 06:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions continued into much of January for a few counties in North Mississippi. The drought caused river and lake levels to be at low levels. Rainfall alleviated severe drought conditions by the end of the month.","Severe (D2) drought conditions improved by the end of the month." +113880,682001,MISSISSIPPI,2017,February,Drought,"LEE",2017-02-21 06:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions returned to portions of Northeast Mississippi at the end of February. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +113880,682002,MISSISSIPPI,2017,February,Drought,"ITAWAMBA",2017-02-21 06:00:00,CST-6,2017-02-28 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Severe (D2) drought conditions returned to portions of Northeast Mississippi at the end of February. The drought caused river and lake levels to be at low levels.","Severe (D2) drought conditions occurred." +119955,718924,PUERTO RICO,2017,August,Funnel Cloud,"GUAYNABO",2017-08-11 14:15:00,AST-4,2017-08-11 15:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4103,-66.1365,18.4135,-66.1056,"A tropical wave moving across the region combined with strong daytime heating produced strong thunderstorm activity across the northern half of PR during the afternoon hours.","Funnel cloud reported via Social media in the area of Fort Buchanan." +119955,718925,PUERTO RICO,2017,August,Funnel Cloud,"SAN JUAN",2017-08-11 15:00:00,AST-4,2017-08-11 15:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4218,-66.0756,18.4276,-66.0591,"A tropical wave moving across the region combined with strong daytime heating produced strong thunderstorm activity across the northern half of PR during the afternoon hours.","Funnel Cloud reported via social media in Hato Rey." +119955,718930,PUERTO RICO,2017,August,Funnel Cloud,"SAN JUAN",2017-08-11 15:00:00,AST-4,2017-08-11 15:15:00,0,0,0,0,0.00K,0,0.00K,0,18.4159,-66.0343,18.414,-66.0294,"A tropical wave moving across the region combined with strong daytime heating produced strong thunderstorm activity across the northern half of PR during the afternoon hours.","Funnel cloud reported near Manuel A Perez apartment complex." +119955,718934,PUERTO RICO,2017,August,Thunderstorm Wind,"BAYAMON",2017-08-11 15:00:00,AST-4,2017-08-11 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,18.3748,-66.1774,18.3792,-66.1719,"A tropical wave moving across the region combined with strong daytime heating produced strong thunderstorm activity across the northern half of PR during the afternoon hours.","Tree fallen at Carretera 167 in Barrio Aldea." +120055,719423,MINNESOTA,2017,August,Tornado,"NOBLES",2017-08-18 18:26:00,CST-6,2017-08-18 18:35:00,0,0,0,0,500.00K,500000,75.00K,75000,43.65,-95.84,43.6387,-95.8283,"One lone thunderstorm developed in west central Minnesota and quickly became severe and produced hail, wind, and even the strongest tornado of the year in our area.","EF-1 tornado hit a hog confinement building before the storm crossed Interstate 90. 20 to 30 hogs were killed." +118014,709549,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-29 00:34:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,39.1758,-77.0323,39.1841,-77.0396,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Hawlings River at Sandy Spring exceeded the flood stage of 6.5 feet. It peaked at 7.35 feet at 02:00 EST. Brighton Dam Road flooded at the Hawlings River." +118016,709529,VIRGINIA,2017,July,Flash Flood,"FAIRFAX",2017-07-29 00:11:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.7962,-77.0726,38.7985,-77.0712,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Cameron Run at Huntington exceeded the flood stage of 6.5 feet. It peaked at 8.38 feet at 01:15 EST. A foot and a half of water covered the end of Fenwick Drive. Lesser amounts covered the road further south down to the area in front of house number 5706. Several homes on Fenwick are surrounded by water but the houses themselves were not threatened above ground. Water also began to cover both ends of Arlington Terrace. Backwater on Quander Brook may begin to flood a service road near Fort Hunt Road." +118016,709446,VIRGINIA,2017,July,Flash Flood,"FAIRFAX",2017-07-29 00:06:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,38.8472,-77.2354,38.8477,-77.2367,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Accotink Creek at Annandale exceeded the flood stage of 9.5 feet. It peaked at 10.69 feet at 4:30 EST. Woodburn Road was flooded at Accotink Creek." +118016,709528,VIRGINIA,2017,July,Flash Flood,"FAIRFAX",2017-07-28 15:15:00,EST-5,2017-07-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.798,-77.0732,38.7988,-77.0722,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The stream gauge on Cameron Run at Huntington exceeded the flood stage of 6.5 feet. It peaked at 7.86 feet at 16:45 EST. Six inches of water covered the end of Fenwick Drive. Lesser amounts of water reached up the street to in front of house number 5652." +118014,711806,MARYLAND,2017,July,Flash Flood,"PRINCE GEORGE'S",2017-07-28 12:24:00,EST-5,2017-07-28 13:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0018,-76.9839,39.0014,-76.9834,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Piney Branch Road was flooded and closed due to flash flooding of a portion of the Northwest Branch near New Hampshire Avenue." +114896,689554,NEW JERSEY,2017,May,Coastal Flood,"EASTERN ATLANTIC",2017-05-25 18:00:00,EST-5,2017-05-25 22:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Several clusters of showers and thunderstorms moved through the state in the afternoon and evening hours producing a few strong but sub-severe wind gusts and hail near severe limits. Heavy rainfall also fell across most of the state with several locations in central New Jersey seeing over 2 inches of rain also extending into Bucks county PA. Moderate coastal flooding also occurred with the evening high tide.","Moderate coastal flooding occurred with the evening high tide at several gauge locations. These included the Atlantic city Marina and Steel Pier along with Margate. The barrier islands saw the most impacts from this event." +119273,716197,MISSOURI,2017,July,Excessive Heat,"LINCOLN",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +116201,714305,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:08:00,CST-6,2017-07-05 13:08:00,0,0,0,0,,NaN,,NaN,35.18,-86.47,35.18,-86.47,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Numerous trees were knocked down on Kelso-Mulberry Road and Providence Road." +119273,716198,MISSOURI,2017,July,Excessive Heat,"MARION",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716199,MISSOURI,2017,July,Excessive Heat,"MONITEAU",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716200,MISSOURI,2017,July,Excessive Heat,"MONROE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119271,716167,MISSOURI,2017,July,Heat,"ST. LOUIS",2017-07-09 12:00:00,CST-6,2017-07-13 20:00:00,30,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first heat wave of the summer hit the St. Louis Metro area. The official temperature at St. Louis Lambert International Airport topped 100 degrees on the 10th - 12th. The Heat Index across the area ranged from 100 - 110 the 9th - 13th. St. Louis County Health Department reported 30 heat related illnesses.","" +118986,714704,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-25 18:26:00,EST-5,2017-07-25 18:30:00,0,0,0,0,,NaN,,NaN,33.68,-81.43,33.68,-81.43,"Daytime heating and an upper level disturbance combined to produce scattered thunderstorms, some of which produced wind damage.","Trees down at Old Ninety Six Indian Trail and Winding Rd. Time estimated based on radar." +117258,705265,MONTANA,2017,July,Flash Flood,"DEER LODGE",2017-07-15 16:25:00,MST-7,2017-07-15 18:10:00,0,0,0,0,685.00K,685000,0.00K,0,46.1278,-112.956,46.1205,-112.9364,"An upper level wave tracked up from the Clearwater Mountains of Idaho towards the Seeley Lake area and initiated thunderstorms thanks to warmer than normal temperatures in the region. As these storms tracked over the Bitterroot and Clark Fork Valleys, they produced damaging winds and power outages. Also, a thunderstorm produced torrential rain and subsequent flash-flooding to Anaconda in southwestern Montana.","There were several reports of very heavy rainfall including one that came from the NWS COOP observer at the golf course: 0.75 of rain in 20 to 25 minutes. Multiple homes experienced flooded basements, man hole covers were lifted off and floated down roads, and Westhill Park road was flooded with a depth of up to 4 feet. The Old Works Golf Course in Anaconda reported the cost to repair flood damage to be $660,000." +118987,714752,GEORGIA,2017,July,Thunderstorm Wind,"COLUMBIA",2017-07-26 14:31:00,EST-5,2017-07-26 14:35:00,0,0,0,0,,NaN,,NaN,33.51,-82.11,33.51,-82.11,"A back door frontal boundary combined with daytime heating and an upper level disturbance, in a moist atmosphere, to produce scattered thunderstorms, mainly across the Central Savannah River Area of GA and the Southern Midlands of SC. Some of the storms produced wind damage and locally heavy rainfall and flooding.","Columbia Co GA Sheriff's Dept reported trees down blocking the roadway on Stonington Dr in Martinez." +119273,716190,MISSOURI,2017,July,Excessive Heat,"AUDRAIN",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +119273,716191,MISSOURI,2017,July,Excessive Heat,"BOONE",2017-07-18 12:00:00,CST-6,2017-07-23 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An excessive heat wave high central through east central Missouri July 18 - 23. high temperatures ranged from the upper 90s to a high in St. Louis on July 22 of 108 degrees. The heat index ranged from 105 to around 110. The St. Louis County Health Department reported 51 heat related illnesses.","" +116405,699991,WISCONSIN,2017,July,Tornado,"PORTAGE",2017-07-12 19:30:00,CST-6,2017-07-12 19:32:00,0,0,0,0,5.00K,5000,0.00K,0,44.4884,-89.4276,44.4819,-89.4158,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","A weak tornado produced minor crop damage and damaged the roof of an outbuilding (DI 1, DOD 2) which resulted in the building losing a wall." +116405,714194,WISCONSIN,2017,July,Hail,"VILAS",2017-07-12 16:25:00,CST-6,2017-07-12 16:25:00,0,0,0,0,0.00K,0,0.00K,0,45.99,-89.31,45.99,-89.31,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","Half dollar size hail fell northwest of Eagle River." +116405,714197,WISCONSIN,2017,July,Hail,"FLORENCE",2017-07-12 17:40:00,CST-6,2017-07-12 17:40:00,0,0,0,0,0.00K,0,0.00K,0,45.85,-88.65,45.85,-88.65,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","Half dollar size hail fell near Long Lake and winds from the storms downed a few trees." +116405,714209,WISCONSIN,2017,July,Thunderstorm Wind,"DOOR",2017-07-12 20:45:00,CST-6,2017-07-12 20:45:00,0,0,0,0,0.00K,0,0.00K,0,45.04,-87.25,45.04,-87.25,"Scattered thunderstorms developed ahead of a cold front and moved across northern and central Wisconsin. A few of the storms became severe, with large hail, damaging winds, a funnel cloud, and even a tornado. Hail as large as half dollar size fell northwest of Eagle River (Vilas Co.) and near Long Lake (Florence Co.). High winds from the storms downed trees and power lines near Goodman (Marinette Co.) and near Egg Harbor (Door Co.).||The most significant damage occurred in Portage County, where a tornado caused minor damage to crops and damaged an outbuilding, and a wet microburst uprooted several trees and damaged several others.","Thunderstorm winds estimated at 65 mph uprooted about 10 trees east of Egg Harbor." +117589,707385,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 11:50:00,EST-5,2017-07-01 16:15:00,0,0,0,0,2.60M,2600000,0.00K,0,43.1,-75.38,43.07,-75.34,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas continued, and became more severe, throughout the town of Kirkland. Culverts and roads were washed out in several locations. Several residences and businesses experienced significant flooding." +117589,707380,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 12:15:00,EST-5,2017-07-01 16:20:00,0,0,0,0,350.00K,350000,0.00K,0,43.12,-75.51,43.07,-75.46,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding of small streams and urbanized areas occurred throughout the town of Westmoreland. Culverts and roads were washed out in several locations. Several residences and businesses experienced significant flooding." +117589,707397,NEW YORK,2017,July,Flash Flood,"ONEIDA",2017-07-01 15:30:00,EST-5,2017-07-01 16:20:00,0,0,0,0,1.00M,1000000,0.00K,0,43.1,-75.34,43.09,-75.36,"A tropical moisture laden air mass produced numerous showers and thunderstorms which traveled repeatedly over the same areas of the Finger Lakes Region and Upper Mohawk Valley. Widespread flash and urban flooding developed in portions of Cayuga, Onondaga, Madison and Oneida counties. Hardest hit areas were the villages and towns of Moravia, Chittenango, Oneida, and Utica to name a few. Total rainfall amounts along a narrow corridor from Moravia to Utica generally ranged from 2.5 to 5 inches, most of which fell in less than 1 to 2 hours. Total damages from this event range from $10-$15 million dollars.","Widespread flash flooding continued across the town of New Hartford, particularly along the reach of Sauqoit Creek where roads were flooded, and homes and businesses experienced significant flood damage. Evacuations and water rescues occurred along the creek and in other parts of the town." +116268,699087,VIRGINIA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-06 16:54:00,EST-5,2017-07-06 16:58:00,0,0,0,0,1.00K,1000,0.00K,0,37.338,-79.1469,37.3191,-79.1156,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorm winds along Beaver Creek Crossing and another was blown down along Camp Hydaway Road." +116268,699117,VIRGINIA,2017,July,Thunderstorm Wind,"HALIFAX",2017-07-06 16:36:00,EST-5,2017-07-06 16:37:00,0,0,0,0,3.00K,3000,0.00K,0,36.7254,-79.0974,36.6976,-78.8722,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","Thunderstorm winds downed at least four healthy trees within the city of South Boston. In addition, a tree was blown down near the intersection of Deer Ridge Trail and Oak Level Road and another down at the intersection of Philpott Road and Maplewood Drive." +116268,699080,VIRGINIA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-06 16:45:00,EST-5,2017-07-06 16:45:00,0,0,0,0,0.50K,500,0.00K,0,37.3175,-79.2605,37.3175,-79.2605,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorm winds along Timberlake Drive." +116268,699083,VIRGINIA,2017,July,Thunderstorm Wind,"CAMPBELL",2017-07-06 17:08:00,EST-5,2017-07-06 17:08:00,0,0,0,0,0.50K,500,0.00K,0,37.3175,-78.9892,37.3175,-78.9892,"Widely scattered severe thunderstorms developed during the afternoon and evening of July 6th when weak upper level disturbances passed across the Mid-Atlantic region, supported by strong surface heating. Deep southerly moisture helped push precipitable water values into the 1.5 to 1.8 inch range, while surface-based CAPE values rose into the 1000-2500 J/Kg range by late afternoon. Convection initiated in the form of disorganized pulse-variety cells, but became modestly organized at maximum intensity before waning toward sunset with the loss of daytime heating.","One tree was blown down by thunderstorm winds along Toll Gate Road." +118860,714098,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 18:23:00,CST-6,2017-07-11 18:23:00,0,0,0,0,0.00K,0,0.00K,0,44.66,-97.29,44.66,-97.29,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714099,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 18:30:00,CST-6,2017-07-11 18:30:00,0,0,0,0,,NaN,,NaN,44.62,-97.17,44.62,-97.17,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714100,SOUTH DAKOTA,2017,July,Hail,"HAMLIN",2017-07-11 18:37:00,CST-6,2017-07-11 18:37:00,0,0,0,0,0.00K,0,0.00K,0,44.66,-97.22,44.66,-97.22,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714103,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:47:00,CST-6,2017-07-11 18:47:00,0,0,0,0,,NaN,,NaN,44.92,-97.09,44.92,-97.09,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714104,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:47:00,CST-6,2017-07-11 18:47:00,0,0,0,0,,NaN,,NaN,44.92,-97.11,44.92,-97.11,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +118860,714105,SOUTH DAKOTA,2017,July,Hail,"CODINGTON",2017-07-11 18:48:00,CST-6,2017-07-11 18:48:00,0,0,0,0,,NaN,,NaN,44.92,-97.08,44.92,-97.08,"Severe thunderstorms developed along a surface cool frontal boundary extending across northeast South Dakota bringing very large hail greater than the size of baseballs. The baseball hail in Watertown left many parts of the town covered with tree debris with many cars covered in dents along with the siding and roofs damaged on several homes. Some windows were also broken and crops damaged.","" +117223,704993,NEW MEXICO,2017,June,Thunderstorm Wind,"LEA",2017-06-23 13:50:00,MST-7,2017-06-23 13:50:00,0,0,0,0,26.00K,26000,0.00K,0,32.7,-103.13,32.7,-103.13,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Lea County and produced wind damage in Hobbs. A horse barn was blown into a solar panel array at the New Mexico Junior College. There was wind damage at the Albertsons Grocery Store near West Bender Boulevard. Pieces of the HVAC equipment were lifted off the roof of the Albertsons. The time was estimated from radar. The cost of damage is a very rough estimate." +117224,705110,TEXAS,2017,June,Thunderstorm Wind,"MIDLAND",2017-06-23 16:35:00,CST-6,2017-06-23 16:35:00,0,0,0,0,5.00K,5000,,NaN,32.0358,-102.1046,32.0358,-102.1046,"There was an upper ridge over the southwest part of the country with a cold front that moved into West Texas and southeast New Mexico during the late afternoon and evening hours. A lot of heat and plentiful low-level moisture were across the area which aided in instability, and there was a surface low in the vicinity of the western Permian Basin. There was an upper level disturbance that moved over the area and intense low level winds that developed that evening and night which brought in more moisture. These conditions, along with good wind shear, allowed for thunderstorms to develop across West Texas and southeast New Mexico. These storms produced large hail, damaging winds, and flash flooding.","A thunderstorm moved across Midland County and produced a 74 mph wind gust at Midland Airpark in Midland. A single engine private plane was ripped from its tie down and rolled an estimated 50 yards. The cost of damage is a very rough estimate." +119062,715021,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC INDIAN HD TO COBB IS MD",2017-07-01 17:33:00,EST-5,2017-07-01 18:03:00,0,0,0,0,,NaN,,NaN,38.34,-76.99,38.34,-76.99,"A cold front moved into the area triggering showers and thunderstorms. Hot and humid air ahead of the boundary caused an unstable air mass, which led to gusty winds with some thunderstorms.","Wind gusts up to 44 knots were reported at Potomac Light." +118362,713072,OKLAHOMA,2017,July,Thunderstorm Wind,"WAGONER",2017-07-02 17:18:00,CST-6,2017-07-02 17:18:00,0,0,0,0,0.00K,0,0.00K,0,36.03,-95.37,36.03,-95.37,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Thunderstorm wind gusts were estimated to near 65 mph north of Wagoner." +118362,713073,OKLAHOMA,2017,July,Flash Flood,"WASHINGTON",2017-07-02 17:20:00,CST-6,2017-07-02 20:30:00,0,0,0,0,0.00K,0,0.00K,0,36.7542,-95.993,36.7428,-95.9914,"Strong to severe thunderstorms developed across central Oklahoma along and near a warm front during the early afternoon hours of July 2nd, as an upper level disturbance translated into the area from the west. The storms developed into eastern Oklahoma during the late afternoon and early evening. The strongest storms produced damaging wind gusts and locally heavy rainfall.","Portions of numerous streets were flooded in Bartlesville." +119257,716069,LAKE MICHIGAN,2017,July,Marine Thunderstorm Wind,"TWO RIVERS TO SHEBOYGAN WI",2017-07-19 20:00:00,CST-6,2017-07-19 20:00:00,0,0,0,0,0.00K,0,0.00K,0,43.8932,-87.7314,43.8932,-87.7314,"A thunderstorms produced a wind gust to 42 knots as it moved offshore, onto the waters of Lake Michigan.","A thunderstorm produced an estimated wind gust to 42 knots along the lakeshore in southeast Manitowoc County." +118364,713079,OKLAHOMA,2017,July,Flash Flood,"OSAGE",2017-07-03 20:38:00,CST-6,2017-07-04 03:30:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-96.4,36.4206,-96.3866,"Strong to severe thunderstorms developed along a weakening warm front across northern Oklahoma during the early evening hours of July 3rd. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Portions of numerous streets were flooded in Hominy." +118364,713080,OKLAHOMA,2017,July,Thunderstorm Wind,"PAWNEE",2017-07-03 21:07:00,CST-6,2017-07-03 21:07:00,0,0,0,0,0.00K,0,0.00K,0,36.3119,-96.4698,36.3119,-96.4698,"Strong to severe thunderstorms developed along a weakening warm front across northern Oklahoma during the early evening hours of July 3rd. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Thunderstorm wind gusts were measured to 70 mph." +118364,713081,OKLAHOMA,2017,July,Flash Flood,"OSAGE",2017-07-03 21:15:00,CST-6,2017-07-04 03:30:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-96.4,36.413,-96.399,"Strong to severe thunderstorms developed along a weakening warm front across northern Oklahoma during the early evening hours of July 3rd. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Flood water was waist deep in parts of Hominy." +118364,713082,OKLAHOMA,2017,July,Flash Flood,"OSAGE",2017-07-03 21:47:00,CST-6,2017-07-04 03:30:00,0,0,0,0,0.00K,0,0.00K,0,36.42,-96.4,36.4008,-96.401,"Strong to severe thunderstorms developed along a weakening warm front across northern Oklahoma during the early evening hours of July 3rd. The strongest storms produced hail up to quarter size, damaging wind gusts, and locally heavy rainfall.","Several roads were flooded and closed in and around town. Several vehicles were driven into the flood waters, where they stalled." +117957,709088,NORTH DAKOTA,2017,July,Thunderstorm Wind,"GOLDEN VALLEY",2017-07-02 16:34:00,MST-7,2017-07-02 16:44:00,0,0,0,0,0.00K,0,0.00K,0,46.93,-103.98,46.93,-103.98,"Thunderstorms developed over western North Dakota and western Montana in the late afternoon and early evening in an area of modest instability and marginal shear. One storm became severe as it entered Golden Valley County from Montana, and produced 60 mph wind gusts.","" +117958,709098,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-04 16:39:00,CST-6,2017-07-04 16:42:00,0,0,0,0,0.00K,0,0.00K,0,46.88,-100.81,46.88,-100.81,"A weak warm front lifted through the area and interacted with strong instability over south central North Dakota. Isolated severe weather developed, with reported hail up to one inch in diameter and thunderstorm wind gusts up to 58 mph.","" +117958,709099,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-04 16:42:00,CST-6,2017-07-04 16:45:00,0,0,0,0,0.00K,0,0.00K,0,46.89,-100.73,46.89,-100.73,"A weak warm front lifted through the area and interacted with strong instability over south central North Dakota. Isolated severe weather developed, with reported hail up to one inch in diameter and thunderstorm wind gusts up to 58 mph.","" +117958,709100,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-04 17:10:00,CST-6,2017-07-04 17:13:00,0,0,0,0,0.00K,0,0.00K,0,46.86,-100.77,46.86,-100.77,"A weak warm front lifted through the area and interacted with strong instability over south central North Dakota. Isolated severe weather developed, with reported hail up to one inch in diameter and thunderstorm wind gusts up to 58 mph.","" +117958,709101,NORTH DAKOTA,2017,July,Thunderstorm Wind,"BURLEIGH",2017-07-04 17:41:00,CST-6,2017-07-04 17:43:00,0,0,0,0,0.00K,0,0.00K,0,46.84,-100.25,46.84,-100.25,"A weak warm front lifted through the area and interacted with strong instability over south central North Dakota. Isolated severe weather developed, with reported hail up to one inch in diameter and thunderstorm wind gusts up to 58 mph.","" +117960,709105,NORTH DAKOTA,2017,July,Hail,"HETTINGER",2017-07-05 14:30:00,MST-7,2017-07-05 14:34:00,0,0,0,0,0.00K,0,0.00K,0,46.37,-102.33,46.37,-102.33,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +117960,709106,NORTH DAKOTA,2017,July,Hail,"ADAMS",2017-07-05 14:50:00,MST-7,2017-07-05 14:53:00,0,0,0,0,0.00K,0,0.00K,0,46.13,-102.26,46.13,-102.26,"Thunderstorms developed over southwest North Dakota as a surface boundary interacted with elevated instability, with some storms becoming severe. As the storms moved and developed east, greater instability was encountered causing a shift to primarily large hail over central North Dakota. The strongest reported thunderstorm wind gusts of around 60 mph occurred in Grant and Emmons counties. The largest reported hail was golf ball size, and fell in Bottineau County.","" +119100,715289,NORTH DAKOTA,2017,July,Hail,"MCHENRY",2017-07-21 21:16:00,CST-6,2017-07-21 21:19:00,0,0,0,0,0.00K,0,0.00K,0,48.35,-100.41,48.35,-100.41,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715291,NORTH DAKOTA,2017,July,Hail,"BURLEIGH",2017-07-21 21:25:00,CST-6,2017-07-21 21:29:00,0,0,0,0,0.00K,0,0.00K,0,46.82,-100.79,46.82,-100.79,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","" +119100,715292,NORTH DAKOTA,2017,July,Funnel Cloud,"PIERCE",2017-07-21 21:30:00,CST-6,2017-07-21 21:33:00,0,0,0,0,0.00K,0,0.00K,0,48.33,-100.06,48.33,-100.06,"A humid air mass lifted into the area ahead of surface low pressure that was situated over far western North Dakota in the morning into the early afternoon. Two rounds of severe weather developed. The first round, in the early to mid-afternoon, occurred as an upper level short wave trough passed through the area, with severe thunderstorms developing over the upper James River Valley. Damaging wind gusts were the primary concern with these storms. Later in the afternoon a surface trough affiliated with the surface low served as the focus for thunderstorm development, gradually moving east in the evening. The strongest wind gusts, estimated around 90 mph, occurred in Foster County, while the largest hail was reported to be baseball size and fell in Renville and Morton counties. A tornado also developed in Oliver County but produced no damage, though was visible from far distances, including the Bismarck area, due to the higher base of the thunderstorm.","A brief funnel cloud was reported." +118878,714215,WISCONSIN,2017,July,Thunderstorm Wind,"BROWN",2017-07-15 19:22:00,CST-6,2017-07-15 19:22:00,0,0,0,0,1.00K,1000,0.00K,0,44.4834,-88.1316,44.4834,-88.1316,"Thunderstorms developed along a cold front passing from north to south. Hail as large as penny size fell and the storms produced damaging winds that downed trees and tree limbs. A wind gust to 64 mph was measured near Green Bay.","A wind gust to 64 mph was measured at Green Bay Austin Straubel International Airport. Minor roof damage occurred at an airport hangar." +118880,714219,WISCONSIN,2017,July,Thunderstorm Wind,"BROWN",2017-07-18 16:55:00,CST-6,2017-07-18 16:55:00,0,0,0,0,0.00K,0,0.00K,0,44.66,-88.23,44.66,-88.23,"A cold front combined with an unstable air mass and an upper level disturbance to produce thunderstorms across the area during the afternoon and evening hours of the 18th. The storms caused isolated wind damage across a couple counties.","Thunderstorm winds downed several large tree branches and uprooted two trees." +118880,714220,WISCONSIN,2017,July,Thunderstorm Wind,"MARINETTE",2017-07-18 17:25:00,CST-6,2017-07-18 17:25:00,0,0,0,0,0.00K,0,0.00K,0,45.16,-87.82,45.16,-87.82,"A cold front combined with an unstable air mass and an upper level disturbance to produce thunderstorms across the area during the afternoon and evening hours of the 18th. The storms caused isolated wind damage across a couple counties.","Thunderstorm winds downed scattered trees and power lines over the southern portion of Marinette County." +116050,697485,KENTUCKY,2017,July,Hail,"WARREN",2017-07-01 12:38:00,CST-6,2017-07-01 12:38:00,0,0,0,0,,NaN,0.00K,0,36.95,-86.61,36.95,-86.61,"The combination of warm, unstable air and an old boundary from previous thunderstorms resulted in a line of storms across south central Kentucky during the afternoon hours on July 1. The strongest storms produced 60-65 mph wind gusts and brought down numerous trees, some of which blocked roadways. The roof of an old barn was blown off and there was also some isolated instances of 1 inch diameter hail.","" +116050,697486,KENTUCKY,2017,July,Thunderstorm Wind,"WARREN",2017-07-01 12:38:00,CST-6,2017-07-01 12:38:00,0,0,0,0,5.00K,5000,0.00K,0,36.95,-86.61,36.95,-86.61,"The combination of warm, unstable air and an old boundary from previous thunderstorms resulted in a line of storms across south central Kentucky during the afternoon hours on July 1. The strongest storms produced 60-65 mph wind gusts and brought down numerous trees, some of which blocked roadways. The roof of an old barn was blown off and there was also some isolated instances of 1 inch diameter hail.","Local law enforcement reported roof damage to a barn due to severe thunderstorm winds." +116050,697487,KENTUCKY,2017,July,Thunderstorm Wind,"WARREN",2017-07-01 13:03:00,CST-6,2017-07-01 13:03:00,0,0,0,0,,NaN,0.00K,0,36.88,-86.45,36.88,-86.45,"The combination of warm, unstable air and an old boundary from previous thunderstorms resulted in a line of storms across south central Kentucky during the afternoon hours on July 1. The strongest storms produced 60-65 mph wind gusts and brought down numerous trees, some of which blocked roadways. The roof of an old barn was blown off and there was also some isolated instances of 1 inch diameter hail.","Local media reported several trees and large limbs down in the area due to severe thunderstorm winds." +119344,716515,VIRGINIA,2017,July,Thunderstorm Wind,"PITTSYLVANIA",2017-07-22 14:20:00,EST-5,2017-07-22 14:20:00,0,0,0,0,0.50K,500,0.00K,0,36.9675,-79.5879,36.9675,-79.5879,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","A tree was blown down by thunderstorm winds along Smith Mountain Road near West Gretna Road." +119344,716479,VIRGINIA,2017,July,Thunderstorm Wind,"BEDFORD",2017-07-22 22:01:00,EST-5,2017-07-22 22:01:00,0,0,0,0,3.00K,3000,0.00K,0,37.3655,-79.3927,37.3655,-79.3927,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","Thunderstorm winds blew a tree down onto a power line near the intersection of Goode Station Road and Forest Road." +119344,716475,VIRGINIA,2017,July,Thunderstorm Wind,"LYNCHBURG (C)",2017-07-22 22:10:00,EST-5,2017-07-22 22:10:00,0,0,0,0,0.50K,500,0.00K,0,37.3466,-79.2223,37.3466,-79.2223,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","One tree was blown down by thunderstorm winds along the 200 block of Buckingham Road in the Timberlake area." +119344,716476,VIRGINIA,2017,July,Thunderstorm Wind,"LYNCHBURG (C)",2017-07-22 22:10:00,EST-5,2017-07-22 22:10:00,0,0,0,0,1.00K,1000,0.00K,0,37.4212,-79.2451,37.4212,-79.2451,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","Two large trees were blown down by thunderstorm winds near the intersection of Wigginton and Chadwick Roads." +119344,716516,VIRGINIA,2017,July,Thunderstorm Wind,"LYNCHBURG (C)",2017-07-22 22:12:00,EST-5,2017-07-22 22:12:00,0,0,0,0,1.00K,1000,0.00K,0,37.4362,-79.2137,37.4397,-79.1933,"Instability associated with the combination of passing upper level disturbances and strong daytime heating triggered widely scattered showers and thunderstorms. A few of the storms intensified to severe levels during the afternoon, producing locally damaging wind gusts.","Thunderstorm winds blew a tree down near the intersection of Link Road and Boonsboro Road. Another tree was blown down along the 2200 block of Taylor Farm Road." +117337,705843,FLORIDA,2017,July,Tropical Storm,"INLAND HILLSBOROUGH",2017-07-31 14:00:00,EST-5,2017-07-31 19:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb.||Across interior Hillsborough County, there were a few reports of downed limbs and trees. Rainfall was the biggest impact with widespread 3 to 5 inch rainfall totals reported from home weather stations and CoCoRaHS observers across southern and central areas of the county." +117337,705851,FLORIDA,2017,July,Tropical Storm,"POLK",2017-07-31 14:00:00,EST-5,2017-07-31 20:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||Emily was a small system and it's effects were very localized across the region. It produced one tornado along the Manatee county coast and wind gusts were observed in the 40 to 65 mph range across Pinellas, Manatee and Sarasota Counties. Emily produced areas of 4-6 inches of rain across portions of west central Florida.","Tropical Storm Emily formed on the tail-end of a slow moving frontal boundary that was draped across the northeastern Gulf of Mexico. A weak area of low pressure developed on the 30th and slowly drifted southeast towards the Florida peninsula. Early in the morning on the 31st, satellite and radar data indicated that a tropical depression had formed about 65 miles west of Tampa Bay. The system became a tropical storm shortly before landfall just a few hours later. Emily made landfall on Anna Maria Island at 10:45 AM with maximum sustained winds of 45 mph and a minimum central pressure of 1005 mb. ||In Polk County, heavy rain caused flooding and the closure of multiple streets and intersections across Lakeland. Some homeowners voluntarily evacuated as flood waters got higher. Rainfall totals were in the 3 to 5 inch range across western Polk County." +117653,707475,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 14:40:00,EST-5,2017-07-13 14:40:00,0,0,0,0,0.00K,0,0.00K,0,30.3,-82.82,30.3,-82.82,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down near County Road 137." +117653,707477,FLORIDA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-13 15:05:00,EST-5,2017-07-13 15:05:00,0,0,0,0,0.00K,0,0.00K,0,30.6,-83.1,30.6,-83.1,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down in Jennings. The time of damage was based on radar." +117653,707478,FLORIDA,2017,July,Thunderstorm Wind,"HAMILTON",2017-07-13 15:10:00,EST-5,2017-07-13 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.6,-83.11,30.6,-83.11,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down by winds along Hamilton Avenue in Jennings. The time of damage was based on radar." +117653,707479,FLORIDA,2017,July,Thunderstorm Wind,"SUWANNEE",2017-07-13 15:10:00,EST-5,2017-07-13 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.21,-83.09,30.21,-83.09,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down near State Road 51 and 165th Road." +117654,707480,GEORGIA,2017,July,Thunderstorm Wind,"CLINCH",2017-07-13 15:15:00,EST-5,2017-07-13 15:15:00,0,0,0,0,0.00K,0,0.00K,0,31.04,-82.74,31.04,-82.74,"A surge of moisture from the SE and a coastal trough along the Atlantic coast focused the highest potential for afternoon strong to severe storms across inland NE Florida. These convective ingredients under a retrograding short wave trough axis enhanced diurnally driven sea breeze storms across inland NE Floirda, with wet downbursts causing wind damage.","A tree was blown down across Highway 84 in Homerville. The time of damage was based on radar." +117675,707635,FLORIDA,2017,July,Flood,"DUVAL",2017-07-17 15:30:00,EST-5,2017-07-17 15:30:00,0,0,0,0,0.00K,0,0.00K,0,30.3268,-81.6918,30.3283,-81.6916,"A weak upper level trough combined with high moisture content and daytime instability formed severe storms along the sea breezes and resultant outflow boundaries.","Six inches of water was over McCoys Creek Blvd and Nixon Street." +117379,705889,NEVADA,2017,July,Thunderstorm Wind,"EUREKA",2017-07-23 17:39:00,PST-8,2017-07-23 17:45:00,0,0,0,0,0.00K,0,0.00K,0,39.39,-116.18,39.39,-116.18,"A thunderstorm produced downburst winds gusting up to 86 mph about 14 miles west of Pinto Summit along Highway 50 in central Nevada.","" +117380,705890,NEVADA,2017,July,Thunderstorm Wind,"LANDER",2017-07-24 16:39:00,PST-8,2017-07-24 16:45:00,0,0,0,0,0.00K,0,0.00K,0,39.99,-117.32,39.99,-117.32,"A thunderstorm produced downburst winds up to 79 mph at the Red Butte RAWS site in central Nevada.","" +116854,703010,OHIO,2017,July,Flash Flood,"PERRY",2017-07-21 10:30:00,EST-5,2017-07-21 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,39.7248,-82.2328,39.7257,-82.2216,"In a high moisture atmosphere, an area of heavy rainfall moved through the middle Ohio River Valley on the morning of the 21st. Two to three inches of rain fell, resulting in flash flooding.","Up to one foot of water collected on the midway at the Perry County Fairgrounds due to flooding on Rush Creek. The amusement rides were shut down for the afternoon, but reopened in time for the evening events." +118388,711435,VERMONT,2017,July,Thunderstorm Wind,"WINDHAM",2017-07-01 17:50:00,EST-5,2017-07-01 17:50:00,0,0,0,0,,NaN,,NaN,43.23,-72.81,43.23,-72.81,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating thunderstorms across the region. These storms resulted in torrential rainfall in portions of Southern Vermont. The airport at Bennington recorded 3.47 inches of rain in four hours during the evening. This rainfall resulted in river flooding along the Walloomsac. A storm also produced a microburst in Bennington County with maximum wind speeds of 100 mph estimated.","The public reported trees down due to thunderstorm winds." +118388,711436,VERMONT,2017,July,Thunderstorm Wind,"BENNINGTON",2017-07-01 17:28:00,EST-5,2017-07-01 17:28:00,0,0,0,0,,NaN,,NaN,43.16,-73.19,43.16,-73.17,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating thunderstorms across the region. These storms resulted in torrential rainfall in portions of Southern Vermont. The airport at Bennington recorded 3.47 inches of rain in four hours during the evening. This rainfall resulted in river flooding along the Walloomsac. A storm also produced a microburst in Bennington County with maximum wind speeds of 100 mph estimated.","A National Weather Service survey team confirmed a microburst in Sandgate. The team observed many snapped and uprooted trees within the microburst path. Based on the degree of damage, peak winds associated with the microburst were estimated at 100 mph." +118388,711572,VERMONT,2017,July,Flood,"BENNINGTON",2017-07-01 22:00:00,EST-5,2017-07-02 02:00:00,0,0,0,0,0.00K,0,0.00K,0,42.914,-73.2364,42.9134,-73.232,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating thunderstorms across the region. These storms resulted in torrential rainfall in portions of Southern Vermont. The airport at Bennington recorded 3.47 inches of rain in four hours during the evening. This rainfall resulted in river flooding along the Walloomsac. A storm also produced a microburst in Bennington County with maximum wind speeds of 100 mph estimated.","Heavy rainfall caused the Walloomsac River to reach moderate flood stage. Flooding was reported in Paper Mill Village near Bennington." +118816,713711,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-11 21:10:00,CST-6,2017-07-11 21:10:00,0,0,0,0,0.00K,0,0.00K,0,44.44,-96.93,44.44,-96.93,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Very small trees were split." +118816,713715,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-11 21:40:00,CST-6,2017-07-11 21:40:00,0,0,0,0,0.00K,0,0.00K,0,44.4632,-96.7624,44.4632,-96.7624,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Large tree branches downed." +118817,713725,MINNESOTA,2017,July,Hail,"MURRAY",2017-07-11 23:20:00,CST-6,2017-07-11 23:20:00,0,0,0,0,0.00K,0,0.00K,0,43.99,-96.02,43.99,-96.02,"Thunderstorms responsible for widespread severe weather in portions of east central South Dakota moved into extreme areas of west central Minnesota and continued to produce wind and hail damage.","" +118817,713729,MINNESOTA,2017,July,Hail,"MURRAY",2017-07-11 23:39:00,CST-6,2017-07-11 23:39:00,0,0,0,0,0.00K,0,0.00K,0,43.89,-95.82,43.89,-95.82,"Thunderstorms responsible for widespread severe weather in portions of east central South Dakota moved into extreme areas of west central Minnesota and continued to produce wind and hail damage.","" +118817,713733,MINNESOTA,2017,July,Thunderstorm Wind,"PIPESTONE",2017-07-11 22:19:00,CST-6,2017-07-11 22:19:00,0,0,0,0,0.00K,0,0.00K,0,44.14,-96.45,44.14,-96.45,"Thunderstorms responsible for widespread severe weather in portions of east central South Dakota moved into extreme areas of west central Minnesota and continued to produce wind and hail damage.","Older barn and corn crib blown down." +118817,713738,MINNESOTA,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-11 22:40:00,CST-6,2017-07-11 22:40:00,0,0,0,0,0.00K,0,0.00K,0,44.26,-96.3,44.26,-96.3,"Thunderstorms responsible for widespread severe weather in portions of east central South Dakota moved into extreme areas of west central Minnesota and continued to produce wind and hail damage.","Large evergreen was snapped off at the ground." +118816,713741,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-11 21:57:00,CST-6,2017-07-11 21:57:00,0,0,0,0,0.00K,0,0.00K,0,44.33,-96.63,44.33,-96.63,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Multiple trees downed." +118816,713743,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"BROOKINGS",2017-07-11 21:40:00,CST-6,2017-07-11 21:40:00,0,0,0,0,0.00K,0,0.00K,0,44.41,-96.77,44.41,-96.77,"Thunderstorms first developed in central South Dakota late in the afternoon and traveled northeast during the evening hours. These storms were responsible for widespread severe weather across much of central and east central South Dakota.","Large tree branches were downed." +116202,714298,ALABAMA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-06 14:18:00,CST-6,2017-07-06 14:18:00,0,0,0,0,,NaN,,NaN,34.84,-85.82,34.84,-85.82,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","Trees were knocked down onto CR 287 near AL Highway 117. Also, one oak tree was uprooted and fell onto a house. Time estimated by radar." +116202,714300,ALABAMA,2017,July,Thunderstorm Wind,"JACKSON",2017-07-06 14:30:00,CST-6,2017-07-06 14:30:00,0,0,0,0,0.50K,500,0.00K,0,34.97,-85.73,34.97,-85.73,"Scattered to numerous thunderstorms developed during the late morning into the afternoon hours. These thunderstorms exhibited mini-supercellular traits at times with a couple of wall clouds and photos of meso-cyclones submitted to the National Weather Service. A few of the thunderstorms produced wind damage.","A tree was knocked down across AL Highway 277 off of U.S. Highway 72. Time estimed by radar." +116201,714301,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:05:00,CST-6,2017-07-05 13:05:00,0,0,0,0,0.50K,500,0.00K,0,35.17,-86.56,35.17,-86.56,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","A tree was knocked down onto Morton Drive." +116201,714302,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:06:00,CST-6,2017-07-05 13:06:00,0,0,0,0,,NaN,,NaN,35.13,-86.44,35.13,-86.44,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Trees were knocked down onto Kelso-Smithland Road." +116201,714304,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:08:00,CST-6,2017-07-05 13:08:00,0,0,0,0,,NaN,,NaN,35.17,-86.47,35.17,-86.47,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","At this location on Kelso-Mulberry Road, an old house was heavily damaged. Winds ripped numerous shingles off of the house. Also, winds snapped porch columns and blew windows out. Power poles were also snapped." +116201,714306,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:10:00,CST-6,2017-07-05 13:10:00,0,0,0,0,,NaN,,NaN,35.13,-86.53,35.13,-86.53,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","Power lines were knocked down in the Twin Oaks subdivision." +116201,714307,TENNESSEE,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-05 13:12:00,CST-6,2017-07-05 13:12:00,0,0,0,0,0.50K,500,0.00K,0,35.19,-86.43,35.19,-86.43,"Clusters of thunderstorms, some of which became strong to severe, developed rapidly during the midday into the afternoon hours. A few of these storms produced damaging winds across southern middle Tennessee.","A tree was knocked down onto Cooper Branch Road." +116347,699620,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-07 18:00:00,EST-5,2017-07-07 18:05:00,0,0,0,0,,NaN,,NaN,33.5,-81.46,33.5,-81.46,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Public reported a tree down, along with several large branches, near the intersection of Centerwood Rd and Windsor Rd." +116347,699621,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-07 18:40:00,EST-5,2017-07-07 18:44:00,0,0,0,0,,NaN,,NaN,33.57,-81.71,33.57,-81.71,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","A couple of trees were downed in the city of Aiken." +116347,699622,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"LEXINGTON",2017-07-07 19:49:00,EST-5,2017-07-07 19:54:00,0,0,0,0,,NaN,,NaN,33.99,-81.31,33.99,-81.31,"Daytime heating, combined with a surface trough, moderately strong deep layer shear and instability, and dry air aloft, to produce scattered severe thunderstorms.","Trees down near the intersection of St. Peters Church Rd and US Hwy 378." +116349,699629,SOUTH CAROLINA,2017,July,Flood,"BARNWELL",2017-07-08 20:25:00,EST-5,2017-07-08 20:29:00,0,0,0,0,0.10K,100,0.10K,100,33.4462,-81.2835,33.4434,-81.2842,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Heavy rain led to street flooding, with 3 to 6 inches of water on Gardenia Rd just east of SC Hwy 3. The road was still passable." +116349,699630,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"SUMTER",2017-07-08 18:33:00,EST-5,2017-07-08 18:38:00,0,0,0,0,,NaN,,NaN,33.95,-80.63,33.95,-80.63,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Trees and debris in roadway on US Hwy 378 eastbound just east of the Wateree River bridge." +116349,699631,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"ORANGEBURG",2017-07-08 19:00:00,EST-5,2017-07-08 19:05:00,0,0,0,0,,NaN,,NaN,33.49,-80.92,33.49,-80.92,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Multiple trees downed near Neeses Hwy and Norway Rd." +116349,699632,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"AIKEN",2017-07-08 19:05:00,EST-5,2017-07-08 19:10:00,0,0,0,0,,NaN,,NaN,33.34,-81.79,33.34,-81.79,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Tree and limbs down on power lines." +116349,699633,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CLARENDON",2017-07-08 19:57:00,EST-5,2017-07-08 19:59:00,0,0,0,0,,NaN,,NaN,33.82,-80.05,33.82,-80.05,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Power lines down on Walker Gamble Rd. Tree limbs down throughout the area." +116349,699634,SOUTH CAROLINA,2017,July,Thunderstorm Wind,"CLARENDON",2017-07-08 19:57:00,EST-5,2017-07-08 19:59:00,0,0,0,0,,NaN,,NaN,33.89,-80.02,33.89,-80.02,"Daytime heating and a surface trough, along with an approaching weak cold front, produced scattered severe thunderstorms during the late day and evening hours.","Power lines down on Smith St in Turbeville. Tree limbs down throughout the area." +118780,713567,TEXAS,2017,July,Hail,"WILLIAMSON",2017-07-24 14:19:00,CST-6,2017-07-24 14:19:00,0,0,0,0,0.00K,0,0.00K,0,30.54,-97.84,30.54,-97.84,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","" +118782,713574,TEXAS,2017,July,Thunderstorm Wind,"BEXAR",2017-07-30 17:16:00,CST-6,2017-07-30 17:16:00,0,0,0,0,,NaN,0.00K,0,29.54,-98.32,29.54,-98.32,"A weak frontal boundary moved into South Central Texas and generated thunderstorms. Some of these storms produced damaging wind gusts.","A thunderstorm produced wind gusts estimated at 65 mph that blew a large tree down onto a house in Converse." +118780,713968,TEXAS,2017,July,Lightning,"WILLIAMSON",2017-07-24 14:16:00,CST-6,2017-07-24 14:16:00,0,0,0,0,100.00K,100000,0.00K,0,30.5255,-97.7872,30.5255,-97.7872,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","Lightning struck a house on Paden Dr. causing a fire in Cedar Park." +118780,713971,TEXAS,2017,July,Lightning,"WILLIAMSON",2017-07-24 14:20:00,CST-6,2017-07-24 14:20:00,0,0,0,0,225.00K,225000,0.00K,0,30.5785,-97.7736,30.5785,-97.7736,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","Lightning struck a house on Monahans Dr. causing a fire in Leander." +118780,713975,TEXAS,2017,July,Lightning,"WILLIAMSON",2017-07-24 14:21:00,CST-6,2017-07-24 14:21:00,0,0,0,0,270.00K,270000,0.00K,0,30.5326,-97.8726,30.5326,-97.8726,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","Lightning struck a house on Lookout Knoll Dr. causing a fire in Leander." +118780,713977,TEXAS,2017,July,Lightning,"WILLIAMSON",2017-07-24 14:22:00,CST-6,2017-07-24 14:22:00,0,0,0,0,600.00K,600000,0.00K,0,30.5336,-97.8868,30.5336,-97.8868,"Thunderstorms developed along an outflow boundary that was generated by convection over North Texas. One of these storms produced damaging wind gusts.","Lightning struck a house on Goodnight Tr. causing a fire in Leander." +116675,701481,WYOMING,2017,July,Hail,"TETON",2017-07-20 13:30:00,MST-7,2017-07-20 13:30:00,0,0,0,0,0.00K,0,0.00K,0,43.7537,-110.83,43.7537,-110.83,"Strong thunderstorms formed over eastern Idaho ahead of an advancing cold front and moved into Teton County. Some contained hail. The largest hail reported was nickel size 12 miles north of Teton Village.","A trained spotter reported nickel size hail north of Teton Village." +117860,708604,ARIZONA,2017,July,Heavy Rain,"MARICOPA",2017-07-16 22:00:00,MST-7,2017-07-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,33.35,-111.85,33.35,-111.85,"Scattered monsoon thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th and they generated a number of the typical seasonal weather hazards. Strong gusty outflow winds in excess of 50 mph were produced by some of the storms which led to tree and street sign damage in north Scottsdale as well as tree damage in Guadalupe. Uprooted trees in Guadalupe fell and damaged cars at Arizona Mills Mall. At 2210MST a wind gust to 61 mph was measured at Phoenix Sky Harbor airport, one of several gusts measured at over 60 mph in the area. Heavy rain was common with many of the storms, with rain rates in excess of one inch per hour leading to urban street flooding in central Phoenix, Deer Valley and Gilbert. Isolated episodes of flash flooding were also observed including downtown Phoenix where excessive rain flooded the 7th street exit at Interstate 10.","Scattered thunderstorms developed across much of the greater Phoenix area during the evening hours on July 16th; the stronger storms produced locally heavy rain with peak rain rates between one and two inches per hour. The heavy rain led to episodes of urban as well as flash flooding, primarily over central and western portions of the greater Phoenix area such as downtown Phoenix. Still, heavy rain fell over portions of the southeast valley as well including the community of Gilbert; this produced urban flooding but no flash flash flooding. According to a trained spotter 3 miles west of Gilbert, heavy rains resulted in curb to curb flooding near the intersection of Arizona Avenue and Elliot Road." +117915,708614,ARIZONA,2017,July,Flash Flood,"GILA",2017-07-16 23:15:00,MST-7,2017-07-17 02:30:00,0,0,0,0,0.00K,0,0.00K,0,33.4048,-110.8311,33.4055,-110.8112,"Thunderstorms with heavy rain developed over southern Gila County during the late evening hours on July 16th, and some of the stronger storms produced intense rain in the Globe and Miami areas. The heavy rains resulted in flash flooding between the towns of Globe and Miami which began around midnight and continued into the early morning hours. A Flash Flood Warning was in effect at the time of the flooding.","Thunderstorms with heavy rain developed over portions of southern Gila County during the late evening hours on July 16th and some of them affected the communities of Globe and Miami. According to a report from the public, at about midnight, flash flooding developed just southeast of Claypool and between the towns of Globe and Miami. A low water crossing was closed near the Cobre Valley Community Hospital due to significant flow. The depth of the flow in Russell Gulch at the low water crossing was one foot, and the width was 100 feet. A Flash Flood Watch had been issued at 2325MST the previous day and the watch remained in effect through 0230MST; however the location of the flooding appeared to be just north of the warning area." +117259,705291,NEBRASKA,2017,July,Hail,"SHERIDAN",2017-07-02 15:00:00,MST-7,2017-07-02 15:00:00,0,0,0,0,0.00K,0,0.00K,0,42.06,-102.11,42.06,-102.11,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118121,710132,ARIZONA,2017,July,Heavy Rain,"MARICOPA",2017-07-29 16:48:00,MST-7,2017-07-29 18:45:00,0,0,0,0,0.00K,0,0.00K,0,33.54,-112.42,33.54,-112.42,"Scattered monsoon thunderstorms developed across portions of the greater Phoenix metropolitan area during the evening hours on July 29th and these storms primarily generated strong gusty and damaging winds as opposed to heavy rain and flooding. A brief episode of dense blowing dust also occurred near the town of Maricopa, to the southeast of Phoenix. For the most part, peak wind gusts reached to around 60 mph and they were responsible for downing a number of trees in addition to snapping a light pole in El Mirage. However, one very strong gust was measured at 83 mph at Luke Air Force Base at 1656MST.","Thunderstorms with locally heavy rain developed over the far western portions of the greater Phoenix area during the afternoon hours on July 29th, and some of the stronger storms affected the area around Luke Air Force Base. At 1725MST a Maricopa County flood control gage measured 0.71 inches within 30 minutes. The gage was located west of the base at the intersection of West Camelback Road and North Citrus Road. Heavy rain of this magnitude led resulted in urban flooding to the west of the air force base: at 1710MST a report from the public was received indicating that streets were flooded curb to curb and local basins and canals were above capacity. The flooding was just west of the loop 303, near West Glendale Avenue. An Urban and Small Stream Flood Advisory was issued for the area at 1648MST due to the heavy rain and it remained in effect through 1845MST." +118162,710134,CALIFORNIA,2017,July,Flash Flood,"SAN BERNARDINO",2017-07-29 14:04:00,PST-8,2017-07-29 17:00:00,0,0,0,0,25.00K,25000,0.00K,0,34.0596,-116.2518,34.1193,-116.2573,"Scattered monsoon thunderstorms developed across portions of Joshua Tree National Park during the afternoon hours on July 29th and some of the stronger storms produced locally heavy, flash-flood producing rains that primarily affected the northern portions of the park. Reports from park rangers indicated flash flooding along area roads such as Indian Cove Road and the flooding left considerable debris behind on roads between Twentynine Palms and Joshua Tree. A Flash Flood Warning was issued for the northern portions of Joshua Tree National Park. Fortunately, there were no reports of injuries due to the flash flooding.","Scattered thunderstorms developed across portions of Joshua Tree National Park during the afternoon hours on July 29th, and some of them produced intense, flash flood producing rains across northern portions of the park. According to reports from Joshua Tree park rangers, flash flooding was observed along Indian Cove Road at 1404PST. The road drains to the north towards California highway 62 but it originates within the park. Park rangers and dispatch also indicated flash flooding on area roads between Twentynine Palms and Joshua Tree; there was significant debris left behind on the roads due to the excessive runoff. Fortunately there were no reports of accidents or injuries due to the flash flooding. A Flash Flood Warning was in effect at the time of the flooding." +117259,705294,NEBRASKA,2017,July,Hail,"CUSTER",2017-07-02 16:20:00,CST-6,2017-07-02 16:20:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-99.24,41.56,-99.24,"A broken line of supercells developed across the northern Sandhills during the afternoon, producing up to golf ball size hail. The supercells merged as they traveled south toward Keith, Lincoln, and Custer counties. Severe wind gusts to 70 mph were reported, along with a roof being blown off a house in Hayes County.","" +118827,713927,NORTH CAROLINA,2017,July,Thunderstorm Wind,"WILSON",2017-07-23 18:50:00,EST-5,2017-07-23 19:15:00,0,0,0,0,10.00K,10000,0.00K,0,35.8,-77.97,35.72,-77.9,"Numerous showers and thunderstorms developed along differential heating boundaries in an abnormally hot and moderately unstable environment. Many of the thunderstorms became severe, producing widespread wind damage and isolated flash flooding.","Multiple trees were blown down along a swath from just west of Wilson to just southeast of Wilson. One tree was blown down onto a residence on Hornes Church Road in Wilson. Large limbs also brought down power lines at the 1500 block of Nash Street and the 900 block of Granger Street, resulting in power outages." +118839,713943,NORTH CAROLINA,2017,July,Hail,"FORSYTH",2017-07-18 15:40:00,EST-5,2017-07-18 15:40:00,0,0,0,0,0.00K,0,0.00K,0,36.0478,-80.2399,36.0478,-80.2399,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Quarter size hail was reported along Clemmonsville Road." +118839,713947,NORTH CAROLINA,2017,July,Lightning,"LEE",2017-07-18 17:35:00,EST-5,2017-07-18 17:35:00,0,0,1,0,0.00K,0,0.00K,0,35.47,-79.18,35.47,-79.18,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","A 39 year old male was struck and killed by a lightning strike while taking cover from the storm under a tree in Sanford, North Carolina." +118839,713951,NORTH CAROLINA,2017,July,Thunderstorm Wind,"FORSYTH",2017-07-18 15:46:00,EST-5,2017-07-18 15:46:00,0,0,0,0,10.00K,10000,0.00K,0,36.0828,-80.2703,36.0828,-80.2703,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","A large tree was reported down on a home near Hawthorne Road." +118839,713957,NORTH CAROLINA,2017,July,Thunderstorm Wind,"ALAMANCE",2017-07-18 15:59:00,EST-5,2017-07-18 15:59:00,0,0,0,0,0.00K,0,0.00K,0,36.2,-79.33,36.2,-79.33,"An upper level low located across the Piedmont of central North Carolina coupled with a warm moist boundary layer to produce scattered to numerous storms during the afternoon into the evening across the Western Piedmont of North Carolina. Some of these storms became severe and produce severe hail and damaging winds, along with one report of flash flooding.","Two trees were reported in Pleasant Grove." +118829,713890,OKLAHOMA,2017,July,Thunderstorm Wind,"CADDO",2017-07-03 19:10:00,CST-6,2017-07-03 19:10:00,0,0,0,0,0.00K,0,0.00K,0,35.46,-98.47,35.46,-98.47,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713891,OKLAHOMA,2017,July,Thunderstorm Wind,"GARFIELD",2017-07-03 19:12:00,CST-6,2017-07-03 19:12:00,0,0,0,0,0.00K,0,0.00K,0,36.41,-97.88,36.41,-97.88,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118829,713892,OKLAHOMA,2017,July,Thunderstorm Wind,"GRANT",2017-07-03 19:25:00,CST-6,2017-07-03 19:25:00,0,0,0,0,0.00K,0,0.00K,0,36.8,-97.75,36.8,-97.75,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713893,OKLAHOMA,2017,July,Thunderstorm Wind,"LOGAN",2017-07-03 19:35:00,CST-6,2017-07-03 19:35:00,0,0,0,0,0.00K,0,0.00K,0,36.1,-97.6,36.1,-97.6,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713894,OKLAHOMA,2017,July,Thunderstorm Wind,"CUSTER",2017-07-03 19:45:00,CST-6,2017-07-03 19:45:00,0,0,0,0,0.00K,0,0.00K,0,35.59,-99.25,35.59,-99.25,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713895,OKLAHOMA,2017,July,Thunderstorm Wind,"BECKHAM",2017-07-03 19:50:00,CST-6,2017-07-03 19:50:00,0,0,0,0,0.00K,0,0.00K,0,35.35,-99.42,35.35,-99.42,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713896,OKLAHOMA,2017,July,Hail,"LOGAN",2017-07-03 19:56:00,CST-6,2017-07-03 19:56:00,0,0,0,0,0.00K,0,0.00K,0,35.89,-97.51,35.89,-97.51,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713897,OKLAHOMA,2017,July,Thunderstorm Wind,"NOBLE",2017-07-03 20:00:00,CST-6,2017-07-03 20:00:00,0,0,0,0,0.00K,0,0.00K,0,36.4625,-97.3255,36.4625,-97.3255,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","Measured by I-35." +118829,713898,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-03 20:05:00,CST-6,2017-07-03 20:05:00,0,0,0,0,0.00K,0,0.00K,0,35.64,-97.51,35.64,-97.51,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713900,OKLAHOMA,2017,July,Thunderstorm Wind,"NOBLE",2017-07-03 20:10:00,CST-6,2017-07-03 20:10:00,0,0,0,0,0.00K,0,0.00K,0,36.37,-97.13,36.37,-97.13,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","" +118829,713901,OKLAHOMA,2017,July,Thunderstorm Wind,"OKLAHOMA",2017-07-03 20:16:00,CST-6,2017-07-03 20:16:00,0,0,0,0,0.00K,0,0.00K,0,35.52,-97.4,35.52,-97.4,"An area of storms formed during the evening of the 3rd in the vicinity of a warm front across northern Oklahoma, before traversing the state southeastward.","No damage reported." +118516,712068,ILLINOIS,2017,July,Hail,"SCOTT",2017-07-23 15:20:00,CST-6,2017-07-23 15:25:00,0,0,0,0,0.00K,0,0.00K,0,39.5402,-90.3167,39.5402,-90.3167,"Scattered strong to severe thunderstorms developed in advance of a slow-moving cold front during the afternoon and evening of July 23rd. Most of the storms were concentrated near the I-72 corridor from Scott County northeastward to Vermilion County. Hail as large as quarters and wind gusts of around 60mph were reported with some of the cells.","" +118516,712069,ILLINOIS,2017,July,Hail,"SANGAMON",2017-07-23 15:45:00,CST-6,2017-07-23 15:50:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-89.75,39.58,-89.75,"Scattered strong to severe thunderstorms developed in advance of a slow-moving cold front during the afternoon and evening of July 23rd. Most of the storms were concentrated near the I-72 corridor from Scott County northeastward to Vermilion County. Hail as large as quarters and wind gusts of around 60mph were reported with some of the cells.","" +118516,712070,ILLINOIS,2017,July,Hail,"SANGAMON",2017-07-23 15:59:00,CST-6,2017-07-23 16:04:00,0,0,0,0,0.00K,0,0.00K,0,39.57,-89.67,39.57,-89.67,"Scattered strong to severe thunderstorms developed in advance of a slow-moving cold front during the afternoon and evening of July 23rd. Most of the storms were concentrated near the I-72 corridor from Scott County northeastward to Vermilion County. Hail as large as quarters and wind gusts of around 60mph were reported with some of the cells.","" +118516,712071,ILLINOIS,2017,July,Thunderstorm Wind,"EDGAR",2017-07-23 20:40:00,CST-6,2017-07-23 20:45:00,0,0,0,0,0.00K,0,0.00K,0,39.62,-87.7,39.62,-87.7,"Scattered strong to severe thunderstorms developed in advance of a slow-moving cold front during the afternoon and evening of July 23rd. Most of the storms were concentrated near the I-72 corridor from Scott County northeastward to Vermilion County. Hail as large as quarters and wind gusts of around 60mph were reported with some of the cells.","A large tree limb was blown down at Cherry Point and Maple Avenue in Paris." +118516,712073,ILLINOIS,2017,July,Hail,"SANGAMON",2017-07-23 15:45:00,CST-6,2017-07-23 15:50:00,0,0,0,0,0.00K,0,0.00K,0,39.58,-89.75,39.58,-89.75,"Scattered strong to severe thunderstorms developed in advance of a slow-moving cold front during the afternoon and evening of July 23rd. Most of the storms were concentrated near the I-72 corridor from Scott County northeastward to Vermilion County. Hail as large as quarters and wind gusts of around 60mph were reported with some of the cells.","" +118511,712075,ILLINOIS,2017,July,Thunderstorm Wind,"JASPER",2017-07-23 04:45:00,CST-6,2017-07-23 04:50:00,0,0,0,0,0.00K,0,0.00K,0,38.93,-88.02,38.93,-88.02,"Isolated strong thunderstorms developed across southeast Illinois during the late evening of July 22nd...with one cell producing 60mph wind gusts near Olney in Richland County. Meanwhile, a large cluster of severe thunderstorms developed much further west along a stationary frontal boundary near Kansas City. These storms tracked eastward into southeast Illinois during the pre-dawn hours of July 23rd, producing 60-70mph wind gusts and sporadic wind damage south of the I-70 corridor.","Tree limbs were blown down in Ste. Marie." +118531,712114,ARKANSAS,2017,July,Thunderstorm Wind,"CLARK",2017-07-01 16:15:00,CST-6,2017-07-01 16:15:00,0,0,0,0,0.00K,0,0.00K,0,34.12,-93.05,34.12,-93.05,"Several thunderstorms brought mainly strong and damaging winds to central and south Arkansas.","Numerous trees were reported down in Arkadelphia as well as around the county." +119128,715436,NORTH CAROLINA,2017,July,Thunderstorm Wind,"CALDWELL",2017-07-22 14:09:00,EST-5,2017-07-22 14:09:00,0,0,0,0,0.00K,0,0.00K,0,35.907,-81.726,35.92,-81.68,"Isolated thunderstorms developed over western North Carolina throughout the afternoon and early evening. A couple of the storms produced brief severe weather, mainly in the form of damaging winds.","Public reported several trees blown down at Brown Mountain Beach Campground. County comms reported another tree down in the same general area." +119129,715439,NORTH CAROLINA,2017,July,Thunderstorm Wind,"BURKE",2017-07-23 12:28:00,EST-5,2017-07-23 12:41:00,0,0,0,0,0.00K,0,0.00K,0,35.734,-81.545,35.759,-81.435,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","Media reported multiple trees blown down from the east side of Valdese, across Connelly Springs, to north of Icard. One tree fell on a house on Hauss Ridge Road, which caused a fire." +119129,715440,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-23 12:37:00,EST-5,2017-07-23 12:47:00,0,0,0,0,0.00K,0,0.00K,0,35.644,-82.158,35.606,-82.171,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","EM reported numerous trees and large limbs blown down in the Old Fort area, including on Parker Padgett Rd, Greenlee Rd, Ebenezer Rd, Lackey Town Rd, and in the Moffitt Hill community." +119129,715441,NORTH CAROLINA,2017,July,Thunderstorm Wind,"MCDOWELL",2017-07-23 12:29:00,EST-5,2017-07-23 12:29:00,0,0,0,0,0.00K,0,0.00K,0,35.706,-81.94,35.706,-81.94,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","EM reported multiple trees blown down at Stacy Hill Rd and Highway 70." +119129,715442,NORTH CAROLINA,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 12:45:00,EST-5,2017-07-23 12:45:00,0,0,0,0,0.00K,0,0.00K,0,35.43,-82.47,35.43,-82.47,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","FD reported multiple trees blown down east of Fletcher." +119129,715443,NORTH CAROLINA,2017,July,Thunderstorm Wind,"RUTHERFORD",2017-07-23 13:20:00,EST-5,2017-07-23 13:35:00,0,0,0,0,10.00K,10000,0.00K,0,35.462,-82.159,35.42,-82.007,"Scattered thunderstorms developed near the Blue Ridge during the early afternoon, organizing into clusters as they moved east/southeast. Multiple storms and clusters of storms produced brief severe weather, mainly in the form of damaging winds.","County comms reported numerous trees and power lines blown down from the Lake Lure area, across Shingle Hollow, to near Rutherfordton. A tree was blown down on a house near Rutherfordton." +116587,701122,OKLAHOMA,2017,July,Flash Flood,"MCCURTAIN",2017-07-05 07:00:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,34.0217,-95.0815,34.0095,-94.9239,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Several secondary roadways were closed between Valliant and Garvin due to flooded roadways." +116587,701124,OKLAHOMA,2017,July,Flash Flood,"MCCURTAIN",2017-07-05 07:24:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.8526,-94.6583,33.8526,-94.6478,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Roads were flooded in and near Haworth." +116589,701183,ARKANSAS,2017,July,Flash Flood,"LITTLE RIVER",2017-07-05 05:35:00,CST-6,2017-07-05 09:45:00,0,0,0,0,0.00K,0,0.00K,0,33.6924,-94.4318,33.7003,-94.4192,"Scattered strong thunderstorms developed during the early morning hours on July 5th, near a weak surface front and south of a closed upper level low pressure system over Eastern Oklahoma that drifted northeast along the Arkansas/Missouri border. These storms continued to develop and move east southeast across Southern McCurtain County Oklahoma into extreme Southwest Arkansas and Northeast Texas, producing very heavy rainfall as storms moved repeatedly over the same areas. Total rainfall amounts through 12 pm that day ranged from 2-6+ inches over these areas, with the greatest totals falling over Central and Southern McCurtain County Oklahoma, as well as Southern Sevier, Southern Howard, and much of Little River Counties in Southwest Arkansas. The thunderstorms diminished by early afternoon over these areas before developing farther south across Northeast Texas, Southwest Arkansas, and Northern Louisiana along remnant outflow boundaries originating from the earlier cluster of storms.","Highway 108 near Foreman was flooded." +119515,717182,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-07-30 18:52:00,EST-5,2017-07-30 18:52:00,0,0,0,0,0.00K,0,0.00K,0,24.9537,-80.5867,24.9537,-80.5867,"A few waterspouts and isolated gale-force wind gusts associated with scattered thunderstorms occurred near the Middle and Upper Florida Keys. Deep southwest flow allowed long convective convergence lines to develop in the lee of the Lower and Middle Florida Keys.","A wind gust of 36 knots was measured at the U.S. Coast Guard Station Islamorada on Plantation Key." +119516,717184,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-31 12:00:00,EST-5,2017-07-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 36 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +119516,717185,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-31 12:04:00,EST-5,2017-07-31 12:04:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 37 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +119516,717186,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-31 12:25:00,EST-5,2017-07-31 12:25:00,0,0,0,0,0.00K,0,0.00K,0,25.22,-80.21,25.22,-80.21,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 40 knots was measured at an automated WeatherFlow station at Carysfort Reef Light." +119516,717187,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"HAWK CHANNEL FROM OCEAN REEF TO CRAIG KEY OUT TO THE REEF",2017-07-31 13:04:00,EST-5,2017-07-31 13:04:00,0,0,0,0,0.00K,0,0.00K,0,24.85,-80.62,24.85,-80.62,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 38 knots was measured at an automated WeatherFlow station at Alligator Reef Light." +119516,717188,GULF OF MEXICO,2017,July,Marine Thunderstorm Wind,"FLORIDA BAY INCLUDING BARNES SOUND, BLACKWATER SOUND, AND BUTTONWOOD SOUND",2017-07-31 14:06:00,EST-5,2017-07-31 14:06:00,0,0,0,0,0.00K,0,0.00K,0,24.9189,-80.6351,24.9189,-80.6351,"Numerous showers and thunderstorms developed southeast of a stationary front across Central Florida, and assisted by a unseasonably deep upper mid-latitude trough across the Gulf of Mexico and Southeast United States.","A wind gust of 35 knots was measured at an automated WeatherFlow station on Upper Matecumbe Key." +118110,709829,TEXAS,2017,July,Flash Flood,"CRANE",2017-07-22 18:15:00,CST-6,2017-07-22 20:15:00,0,0,0,0,0.00K,0,0.00K,0,31.525,-102.3569,31.595,-102.339,"There was a weak upper low over east-central New Mexico and a wind shear axis over the western Permian Basin. This shear axis aided in drawing moisture across the area and helped to produce thunderstorms with strong winds. There were weak upper level winds over the area which contributed to slow storm movement and flash flooding.","Heavy rain produced flash flooding about twelve miles north of Crane. Water was over US Highway 385 between Ranch Road 1233 and Caprock Road roughly ten to fourteen miles north of Crane." +118110,709834,TEXAS,2017,July,Thunderstorm Wind,"MIDLAND",2017-07-22 16:18:00,CST-6,2017-07-22 16:18:00,0,0,0,0,,NaN,,NaN,31.9396,-102.2002,31.9396,-102.2002,"There was a weak upper low over east-central New Mexico and a wind shear axis over the western Permian Basin. This shear axis aided in drawing moisture across the area and helped to produce thunderstorms with strong winds. There were weak upper level winds over the area which contributed to slow storm movement and flash flooding.","A thunderstorm moved across Midland County and produced a 66 mph wind gust at Midland International Air and Space Port." +118110,709837,TEXAS,2017,July,Flash Flood,"MIDLAND",2017-07-22 16:18:00,CST-6,2017-07-22 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,31.9746,-102.0578,31.9785,-102.0591,"There was a weak upper low over east-central New Mexico and a wind shear axis over the western Permian Basin. This shear axis aided in drawing moisture across the area and helped to produce thunderstorms with strong winds. There were weak upper level winds over the area which contributed to slow storm movement and flash flooding.","Heavy rain fell across Midland County and produced flash flooding two miles south of Midland. There was a stalled vehicle on Lamesa Road off of I-20. The cost of damage is a very rough estimate." +118110,711017,TEXAS,2017,July,Flash Flood,"MIDLAND",2017-07-22 16:30:00,CST-6,2017-07-22 17:40:00,0,0,0,0,20.00K,20000,0.00K,0,32.0227,-102.1399,31.9802,-102.1248,"There was a weak upper low over east-central New Mexico and a wind shear axis over the western Permian Basin. This shear axis aided in drawing moisture across the area and helped to produce thunderstorms with strong winds. There were weak upper level winds over the area which contributed to slow storm movement and flash flooding.","Heavy rain fell across Midland County and produced flash flooding across the City of Midland. There were at least 14 high water rescues reported by law enforcement and emergency management. The cost of damage is a very rough estimate." +118329,711045,NEW MEXICO,2017,July,Thunderstorm Wind,"LEA",2017-07-26 14:20:00,MST-7,2017-07-26 14:20:00,0,0,0,0,,NaN,,NaN,33.2295,-103.3445,33.2295,-103.3445,"There was an upper level ridge over the region with temperatures slightly above normal. A weak surface trough was across southeast New Mexico which provided lift across the area. These conditions allowed for storms to develop with strong and gusty winds.","A thunderstorm moved across Lea County and produced a 66 mph wind gust near Tatum." +116542,700800,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-17 15:50:00,CST-6,2017-07-17 15:50:00,0,0,0,0,,NaN,,NaN,46.21,-95.59,46.21,-95.59,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","" +116542,700801,MINNESOTA,2017,July,Hail,"OTTER TAIL",2017-07-17 15:55:00,CST-6,2017-07-17 15:55:00,0,0,0,0,,NaN,,NaN,46.12,-96.07,46.12,-96.07,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","Quarter to golf ball sized hail and strong winds were reported across southern Aastad Township." +116542,700802,MINNESOTA,2017,July,Hail,"GRANT",2017-07-17 16:15:00,CST-6,2017-07-17 16:15:00,0,0,0,0,,NaN,,NaN,46.07,-95.85,46.07,-95.85,"Monday July 17th was another hot and humid day, especially across southeast North Dakota and west central Minnesota. In Minnesota, temperatures peaked at 96 at Park Rapids and 93 at Elbow Lake, in North Dakota, it was 95 near McLeod, 94 at Fargo, and 93 at Gwinner, and in northeast South Dakota, Aberdeen hit 104 and Sisseton 101. Severe thunderstorms formed right near the Wahpeton-Breckenridge area, on eastward into the Perham, Minnesota, area. These storms produced large hail and very heavy rain. As the early evening progressed, the storms gradually sunk south-southeast into central Minnesota.","Quarter to ping pong ball sized hail fell near Interstate 94 in western Pelican Lake Township." +116547,700823,NORTH DAKOTA,2017,July,Funnel Cloud,"TOWNER",2017-07-11 15:55:00,CST-6,2017-07-11 15:55:00,0,0,0,0,0.00K,0,0.00K,0,48.87,-99.37,48.87,-99.37,"After morning showers moved through eastern North Dakota and northwest Minnesota, clouds decreased and allowed for some decent afternoon warming. Highs warmed into the low 90s over all of east central and southeast North Dakota, along with dew point values in the lower 70s. Thunderstorms formed a little later than initially thought, partly due to the morning clouds. The storms initially formed over northeast North Dakota during the late afternoon, but expanded east and southeast throughout the evening. These storms produced large hail, strong winds, and multiple tornadoes. One of the tornadoes had a particularly long track, taking it from just north of the Mayville radar site to just northeast of Hillsboro.","A photo of the funnel cloud was posted to social media." +116894,702844,NORTH DAKOTA,2017,July,Hail,"RICHLAND",2017-07-21 17:10:00,CST-6,2017-07-21 17:10:00,0,0,0,0,,NaN,,NaN,45.96,-97.06,45.96,-97.06,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","The hail was mostly pea to dime sized." +116894,702847,NORTH DAKOTA,2017,July,Hail,"BENSON",2017-07-21 22:00:00,CST-6,2017-07-21 22:00:00,0,0,0,0,,NaN,,NaN,48.27,-99.8,48.27,-99.8,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","" +116898,702958,MINNESOTA,2017,July,Hail,"CLAY",2017-07-21 16:53:00,CST-6,2017-07-21 16:53:00,0,0,0,0,,NaN,,NaN,46.75,-96.47,46.75,-96.47,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Hail covered the road east of Downer." +116898,702959,MINNESOTA,2017,July,Thunderstorm Wind,"OTTER TAIL",2017-07-22 03:20:00,CST-6,2017-07-22 03:20:00,0,0,0,0,,NaN,,NaN,46.57,-96,46.57,-96,"On the morning of July 21st, a thunderstorm just north of the Canadian border moved southeast into Cavalier County, North Dakota, where it dropped large hail. This storm weakened for a few hours, but remained intact. The same storm re-intensified by mid afternoon over eastern Marshall County, Minnesota, and remained very strong until it reached the town of Saum, in Beltrami County, Minnesota. Meanwhile, temperatures by the afternoon of the 21st rose into the lower 90s, with dew points in the mid 60s to lower 70s. More strong thunderstorms moved into the Cooperstown, North Dakota, area, and tracked to the east-southeast. Then, during the early evening, a line of strong storms consolidated from near Bemidji to just east of Moorhead, Minnesota. This line of storms held together as it moved to the east-southeast. By late evening, more strong storms moved into the Devils Lake region, still tracking to the east-southeast. This area of storms continued to hold together, flaring up near Hunter, North Dakota, and near Pelican Rapids, Minnesota, where it produced several reports of strong winds.","Large branches were blown down at Lida Greens Golf Course." +117995,709328,TENNESSEE,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-23 16:50:00,CST-6,2017-07-23 16:55:00,0,0,0,0,0.00K,0,0.00K,0,35.7,-88.58,35.701,-88.5623,"A weak cold front triggered a few severe thunderstorms that were capable of producing damaging winds and near severe sized hail across portions of west Tennessee during the late afternoon hours of July 23rd.","Mid sized tree down across Highway 412 near Blue Goose." +118628,712629,MISSOURI,2017,July,Heat,"DUNKLIN",2017-07-19 12:00:00,CST-6,2017-07-20 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118628,712630,MISSOURI,2017,July,Heat,"PEMISCOT",2017-07-19 12:00:00,CST-6,2017-07-21 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118628,712661,MISSOURI,2017,July,Excessive Heat,"DUNKLIN",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118628,712662,MISSOURI,2017,July,Excessive Heat,"PEMISCOT",2017-07-21 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 110 degrees." +118629,712664,MISSISSIPPI,2017,July,Heat,"COAHOMA",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712665,MISSISSIPPI,2017,July,Heat,"TUNICA",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712666,MISSISSIPPI,2017,July,Heat,"QUITMAN",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712667,MISSISSIPPI,2017,July,Heat,"TATE",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118629,712668,MISSISSIPPI,2017,July,Heat,"PANOLA",2017-07-20 12:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118014,711802,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 10:11:00,EST-5,2017-07-28 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.0551,-77.093,39.052,-77.0921,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Swift water rescue in the vicinity of Rock Creek. Vehicle trapped in high water on Randolph Road near Dewey Road." +118014,711803,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 10:41:00,EST-5,2017-07-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0501,-77.0739,39.0493,-77.0711,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Viers Mill Road flooded and closed between Centerhill Street and Valleywood Drive in Wheaton due to torrential rainfall with water flowing across the road from a nearby creek." +118014,711804,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 11:09:00,EST-5,2017-07-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.0097,-77.0783,39.0084,-77.0783,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Beach Drive was flooded and closed due to Rock Creek going out of its banks at Kensington Parkway." +118014,711805,MARYLAND,2017,July,Flash Flood,"MONTGOMERY",2017-07-28 12:11:00,EST-5,2017-07-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,39.1439,-77.2216,39.1414,-77.2226,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Quince Orchard Road was flooded by torrential rain running off into Long Draught Branch and therefore had to be closed." +118016,711808,VIRGINIA,2017,July,Flash Flood,"FAIRFAX",2017-07-28 15:26:00,EST-5,2017-07-28 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.8083,-77.1606,38.8067,-77.1609,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Cherokee Avenue was flooded and closed due to torrential rain which brought Indian Run out of its banks and over the road." +118016,711809,VIRGINIA,2017,July,Flash Flood,"WINCHESTER (C)",2017-07-28 21:30:00,EST-5,2017-07-28 23:30:00,0,0,0,0,0.00K,0,0.00K,0,39.177,-78.1648,39.1761,-78.1652,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","The 300 block of Pall Mall Street was flooded due to overflow from a creek caused by torrential rainfall, and was reported to be closed as a result of the high water." +118016,711810,VIRGINIA,2017,July,Flash Flood,"CLARKE",2017-07-28 23:00:00,EST-5,2017-07-29 01:00:00,0,0,0,0,0.00K,0,0.00K,0,39.15,-78.07,39.1503,-78.0736,"A strong upper level low interacted with a frontal boundary near the Mid-Atlantic region and low pressure formed along the boundary. High moisture content and thunderstorms led to widespread flooding across the Mid-Atlantic region.","Torrential rains caused rapid flooding on Senseny Road near Salem Church Road. The road was closed." +118464,713413,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:36:00,EST-5,2017-07-22 12:36:00,0,0,0,0,,NaN,,NaN,39.3069,-77.5442,39.3069,-77.5442,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down blocking one lane in the 3600 Block of Point of Rocks Road." +118464,713414,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:38:00,EST-5,2017-07-22 12:38:00,0,0,0,0,,NaN,,NaN,39.3145,-77.5421,39.3145,-77.5421,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down in the roadway along the 2900 Block of Fry Road." +118464,713415,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 12:47:00,EST-5,2017-07-22 12:47:00,0,0,0,0,,NaN,,NaN,39.1793,-77.4129,39.1793,-77.4129,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Darnestown Road and Beallsville Road." +118464,713416,MARYLAND,2017,July,Thunderstorm Wind,"FREDERICK",2017-07-22 12:50:00,EST-5,2017-07-22 12:50:00,0,0,0,0,,NaN,,NaN,39.304,-77.3881,39.304,-77.3881,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down near the intersection of Peters Road and Roderick Road." +118464,713417,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 12:58:00,EST-5,2017-07-22 12:58:00,0,0,0,0,,NaN,,NaN,39.1287,-77.2707,39.1287,-77.2707,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A downed tree was blocking both directions of travel on Riffleford Road between MD-28 and MD-118." +118464,713418,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 12:59:00,EST-5,2017-07-22 12:59:00,0,0,0,0,,NaN,,NaN,39.1412,-77.2946,39.1412,-77.2946,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down blocking the southbound Germantown Road just south of Black Road." +118464,713419,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 13:03:00,EST-5,2017-07-22 13:03:00,0,0,0,0,,NaN,,NaN,39.0601,-77.2815,39.0601,-77.2815,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down blocking the right side of River Road east of Travilah Road." +118464,713420,MARYLAND,2017,July,Thunderstorm Wind,"MONTGOMERY",2017-07-22 13:14:00,EST-5,2017-07-22 13:14:00,0,0,0,0,,NaN,,NaN,39.0449,-77.0544,39.0449,-77.0544,"A weak boundary moved into the area, but hot and humid conditions led to moderate to high amounts of instability. An upper-level trough increased winds aloft which caused storms associated with the boundary to become severe.","A tree was down on a car along Elnora Street between Galt Avenue and Grandview Avenue." +119067,715087,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N BEACH TO DRUM PT MD",2017-07-14 18:20:00,EST-5,2017-07-14 18:20:00,0,0,0,0,,NaN,,NaN,38.56,-76.41,38.56,-76.41,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 37 knots was reported at Gooses Reef." +119067,715088,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-14 18:29:00,EST-5,2017-07-14 18:29:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gust of 34 knots was reported at Raccoon Point." +119067,715089,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-14 18:30:00,EST-5,2017-07-14 18:30:00,0,0,0,0,,NaN,,NaN,38.22,-76.04,38.22,-76.04,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","A wind gusts in excess of 30 knots was reported at Bishops Head." +119067,715090,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-14 18:39:00,EST-5,2017-07-14 18:54:00,0,0,0,0,,NaN,,NaN,38.14,-75.79,38.14,-75.79,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 42 knots were reported at Raccoon Point." +119067,715091,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TANGIER SOUND AND THE INLAND WATERS SURROUNDING BLOODSWORTH ISLAND",2017-07-14 18:41:00,EST-5,2017-07-14 18:46:00,0,0,0,0,,NaN,,NaN,37.97,-75.88,37.97,-75.88,"A cold front passed through the area. At the same time, an upper-level trough passed through increasing the winds aloft. There was enough shear to combine with an unstable atmosphere for gusty thunderstorms to develop.","Wind gusts up to 41 knots were reported at Crisfield." +119068,715092,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY N OF POOLES IS MD",2017-07-17 15:20:00,EST-5,2017-07-17 15:30:00,0,0,0,0,,NaN,,NaN,39.54,-76.07,39.54,-76.07,"An unstable atmosphere led to gusty winds in an isolated thunderstorms.","Wind gusts up to 35 knots were reported at the Susquehanna Buoy." +119069,715094,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"TIDAL POTOMAC COBB IS MD TO SMITH PT VA",2017-07-20 15:40:00,EST-5,2017-07-20 15:40:00,0,0,0,0,,NaN,,NaN,38.03,-76.34,38.03,-76.34,"An unstable atmosphere led to an isolated thunderstorm with gusty winds.","Wind gusts in excess of 30 knots were reported at Point Lookout." +119071,715133,ATLANTIC NORTH,2017,July,Marine Thunderstorm Wind,"CHESAPEAKE BAY SANDY PT TO N BEACH MD",2017-07-24 00:10:00,EST-5,2017-07-24 00:10:00,0,0,0,0,,NaN,,NaN,38.98,-76.49,38.98,-76.49,"A boundary remained over the waters, triggering showers and thunderstorms. Moderate to high amounts of instability along with stronger winds aloft led to some storms producing gusty winds.","A wind gust of 42 knots was measured." +116254,701736,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 06:47:00,EST-5,2017-07-07 06:47:00,0,0,0,0,0.00K,0,0.00K,0,40.9,-75.11,40.9,-75.11,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701737,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 06:50:00,EST-5,2017-07-07 06:50:00,0,0,0,0,,NaN,,NaN,40.74,-75.42,40.74,-75.42,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701738,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-07 06:51:00,EST-5,2017-07-07 06:51:00,0,0,0,0,,NaN,,NaN,40.63,-75.58,40.63,-75.58,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701739,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-07 06:51:00,EST-5,2017-07-07 06:51:00,0,0,0,0,,NaN,,NaN,40.59,-75.5,40.59,-75.5,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701740,PENNSYLVANIA,2017,July,Heavy Rain,"LEHIGH",2017-07-07 07:22:00,EST-5,2017-07-07 07:22:00,0,0,0,0,,NaN,,NaN,40.74,-75.66,40.74,-75.66,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701741,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 07:43:00,EST-5,2017-07-07 07:43:00,0,0,0,0,,NaN,,NaN,40.78,-75.19,40.78,-75.19,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a short period, mainly on the 6th." +116254,701742,PENNSYLVANIA,2017,July,Heavy Rain,"NORTHAMPTON",2017-07-07 09:26:00,EST-5,2017-07-07 09:26:00,0,0,0,0,,NaN,,NaN,40.73,-75.22,40.73,-75.22,"A stationary frontal boundary draped across the Delaware Valley lead to a period of heavy rainfall during the morning of July 7th. Widespread rainfall amounts over 2 inches occurred, with isolated amounts upwards of 4 to 6 inches in Carbon and Northampton Counties, which lead to flooding.","Two to three inches of rain fell in a two hour period." +116367,699707,TEXAS,2017,July,Thunderstorm Wind,"HALE",2017-07-04 20:15:00,CST-6,2017-07-04 20:15:00,0,0,0,0,0.00K,0,0.00K,0,34.13,-101.57,34.13,-101.57,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Aiken." +116367,699709,TEXAS,2017,July,Thunderstorm Wind,"LYNN",2017-07-04 20:52:00,CST-6,2017-07-04 20:52:00,0,0,0,0,0.00K,0,0.00K,0,33.21,-101.78,33.21,-101.78,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Measured by a Texas Tech University West Texas mesonet near Tahoka." +116367,699712,TEXAS,2017,July,Flood,"LUBBOCK",2017-07-04 21:00:00,CST-6,2017-07-04 23:00:00,0,0,0,0,0.00K,0,0.00K,0,33.554,-101.9586,33.6044,-101.8872,"Unfortunate for many Fourth of July revelers, yet another large squall line developed this evening in the southwest Texas Panhandle and proceeded to overspread all of the Caprock and portions of the Rolling Plains through the night. Numerous severe wind gusts, widespread blowing dust and torrential downpours accompanied this squall line at times. Sporadic wind damage was most concentrated in parts of Lamb County. These storms forced many city and private individuals to cancel or reschedule their fireworks festivities, with Lubbock unable to perform their festival show until July 16.","Moderate to heavy rain for about 20 minutes fell across west and southwest areas of Lubbock and resulted in widespread street flooding. Some intersections remained flooded the following morning with a few inches of standing water." +116425,700167,VIRGINIA,2017,July,Hail,"HALIFAX",2017-07-08 17:51:00,EST-5,2017-07-08 18:00:00,0,0,0,0,0.00K,0,0.00K,0,36.5505,-78.8989,36.5505,-78.8989,"An unusually strong cold front moved across the central Appalachians on July 8th, aiding to trigger a few severe thunderstorms across the Southside of Virginia. Strong afternoon heating ahead of the front promoted surface-based CAPE values in the 1000-1500 J/Kg range, while deep moisture across the mid-Atlantic aided in producing water-loaded downdrafts.","" +116450,700327,ILLINOIS,2017,July,Hail,"CLARK",2017-07-07 17:00:00,CST-6,2017-07-07 17:05:00,0,0,0,0,0.00K,0,0.00K,0,39.4266,-87.6,39.4266,-87.6,"A cold front interacted with a highly unstable but weakly sheared environment to trigger a severe MCS from northeast Illinois into Indiana. While this system missed central Illinois to the northeast, a few strong cells developed east of I-55 during the afternoon of July 7th. One cell dropped nickel-sized hail in Clark County.","" +116797,702335,NORTH CAROLINA,2017,July,Rip Current,"CARTERET",2017-07-11 14:04:00,EST-5,2017-07-11 14:04:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A 59 year old male drowned due to a rip current at Fort Macon.","A 59 year old male swimming just west of the guarded beach at Fort Macon State Park was caught in a rip current and drowned. His 24 year old son tried to rescue him and nearly drowned, but is OK." +116802,702341,COLORADO,2017,July,Hail,"PUEBLO",2017-07-16 17:20:00,MST-7,2017-07-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,38.07,-104.98,38.07,-104.98,"A severe storm produced heavy rain on a near the Junkins burn scar, but no flooding. It did produce hail up to the size of quarters in Beulah. Another storm produced hail up to the size of pennies in eastern Bent County.","" +116802,702342,COLORADO,2017,July,Hail,"PUEBLO",2017-07-16 17:20:00,MST-7,2017-07-16 17:25:00,0,0,0,0,0.00K,0,0.00K,0,38.08,-104.99,38.08,-104.99,"A severe storm produced heavy rain on a near the Junkins burn scar, but no flooding. It did produce hail up to the size of quarters in Beulah. Another storm produced hail up to the size of pennies in eastern Bent County.","" +116802,702343,COLORADO,2017,July,Hail,"BENT",2017-07-16 17:28:00,MST-7,2017-07-16 17:33:00,0,0,0,0,0.00K,0,0.00K,0,38.11,-102.84,38.11,-102.84,"A severe storm produced heavy rain on a near the Junkins burn scar, but no flooding. It did produce hail up to the size of quarters in Beulah. Another storm produced hail up to the size of pennies in eastern Bent County.","" +116808,702371,KENTUCKY,2017,July,Hail,"FLEMING",2017-07-22 23:22:00,EST-5,2017-07-22 23:22:00,0,0,0,0,0.00K,0,0.00K,0,38.4138,-83.749,38.4138,-83.749,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","A trained spotter observed half dollar sized hail just southwest of Flemingsburg." +117036,703924,TEXAS,2017,July,Heat,"CASS",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117036,703926,TEXAS,2017,July,Heat,"HARRISON",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117036,703927,TEXAS,2017,July,Heat,"GREGG",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117036,703943,TEXAS,2017,July,Heat,"PANOLA",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117036,703944,TEXAS,2017,July,Heat,"SHELBY",2017-07-26 12:00:00,CST-6,2017-07-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An upper level ridge of high pressure built back in across portions of the Southern Plains and Lower Mississippi Valley between July 26th-28th. In addition, a weak surface front slowly drifted south across Eastern Oklahoma and Central Arkansas July 28th, allowing for compressional heating to occur ahead of the front. This resulted in afternoon temperatures climbing into the upper 90s to near 100 degrees across East Texas. Meanwhile, low level moisture pooled north ahead of the surface front, resulting in high humidity with heat indices ranging from 105-109 degrees.","" +117044,704040,NEW JERSEY,2017,July,Thunderstorm Wind,"BURLINGTON",2017-07-22 18:08:00,EST-5,2017-07-22 18:08:00,0,0,0,0,,NaN,,NaN,39.9,-74.82,39.9,-74.82,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Trees downed due to wind on Gottlieb Field road." +117044,704042,NEW JERSEY,2017,July,Thunderstorm Wind,"SALEM",2017-07-23 21:30:00,EST-5,2017-07-23 21:30:00,0,0,0,0,,NaN,,NaN,39.65,-75.52,39.65,-75.52,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Wires downed due to thunderstorm winds in several locations." +117044,704044,NEW JERSEY,2017,July,Thunderstorm Wind,"GLOUCESTER",2017-07-24 01:55:00,EST-5,2017-07-24 01:55:00,0,0,0,0,,NaN,,NaN,39.75,-75.28,39.75,-75.28,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Thunderstorm winds took down trees on Back Creek rd." +117044,704045,NEW JERSEY,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-24 02:00:00,EST-5,2017-07-24 02:00:00,0,0,0,0,,NaN,,NaN,39.48,-75.21,39.48,-75.21,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Trees were taken down due to thunderstorm winds." +117044,704046,NEW JERSEY,2017,July,Thunderstorm Wind,"SALEM",2017-07-24 02:12:00,EST-5,2017-07-24 02:12:00,0,0,0,0,,NaN,,NaN,39.53,-75.17,39.53,-75.17,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree fell onto a car due to thunderstorm winds." +117044,704047,NEW JERSEY,2017,July,Thunderstorm Wind,"CUMBERLAND",2017-07-24 02:15:00,EST-5,2017-07-24 02:15:00,0,0,0,0,,NaN,,NaN,39.46,-75,39.46,-75,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree was taken down due to thunderstorm winds." +117044,704049,NEW JERSEY,2017,July,Thunderstorm Wind,"CAMDEN",2017-07-24 02:30:00,EST-5,2017-07-24 02:30:00,0,0,0,0,,NaN,,NaN,39.82,-75.07,39.82,-75.07,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","Thunderstorm winds knocked down a utility pole on the Black Horse Pike." +117044,704050,NEW JERSEY,2017,July,Thunderstorm Wind,"WARREN",2017-07-24 02:32:00,EST-5,2017-07-24 02:32:00,0,0,0,0,,NaN,,NaN,40.85,-74.83,40.85,-74.83,"A stalled frontal boundary was the focus for several rounds of thunderstorms that produced damaging winds and flooding in spots. Several thousand people lost power throughout the state.","A tree fell down onto the NJ Transit rail line in Hackettstown due to thunderstorm winds. This suspended service." +117220,704968,COLORADO,2017,July,Thunderstorm Wind,"EL PASO",2017-07-26 14:32:00,MST-7,2017-07-26 14:37:00,0,0,0,0,0.00K,0,0.00K,0,38.9397,-104.6575,38.9397,-104.6575,"A few severe storms produced damaging wind gusts and flash floods.","Severe wet microbursts uprooted trees. No major damage was reported to structures or power lines." +117220,704982,COLORADO,2017,July,Flash Flood,"TELLER",2017-07-26 16:30:00,MST-7,2017-07-26 17:15:00,0,0,0,0,0.00K,0,0.00K,0,38.82,-105.26,38.8317,-105.3033,"A few severe storms produced damaging wind gusts and flash floods.","Heavy rain caused flash flooding of County Road 11 and properties in the vicinity. The road sustained only minor damage and was quickly repaired." +117220,704983,COLORADO,2017,July,Hail,"OTERO",2017-07-26 19:36:00,MST-7,2017-07-26 19:41:00,0,0,0,0,0.00K,0,0.00K,0,37.75,-103.48,37.75,-103.48,"A few severe storms produced damaging wind gusts and flash floods.","Wind driven, large hail broke windows and destroyed crops in and around Higbee." +117220,704984,COLORADO,2017,July,Thunderstorm Wind,"PROWERS",2017-07-25 15:35:00,MST-7,2017-07-25 15:40:00,0,0,0,0,0.00K,0,0.00K,0,38.05,-102.61,38.05,-102.61,"A few severe storms produced damaging wind gusts and flash floods.","A few trees were snapped off and uprooted." +117220,705022,COLORADO,2017,July,Flash Flood,"TELLER",2017-07-26 22:50:00,MST-7,2017-07-26 23:50:00,0,0,0,0,0.00K,0,0.00K,0,38.8202,-105.282,38.8285,-105.2511,"A few severe storms produced damaging wind gusts and flash floods.","Another round of rain caused flash flooding northwest of Cripple Creek on County Road 11. No major road damage was reported." +117234,705028,COLORADO,2017,July,Flash Flood,"PUEBLO",2017-07-29 17:28:00,MST-7,2017-07-29 18:00:00,0,0,0,0,0.00K,0,0.00K,0,38.26,-104.58,38.2613,-104.5962,"Slow moving storms produced flash flooding in Fremont, Custer, Pueblo, and Las Animas Counties. A significant flash flood occurred on the Junkins burn scar.","A strong storm produced heavy rain that flooded city streets and county roads to depths in excess of 6 inches from southeast Pueblo into Blende." +117234,705029,COLORADO,2017,July,Flash Flood,"CUSTER",2017-07-29 17:45:00,MST-7,2017-07-29 20:30:00,0,0,0,0,0.00K,0,0.00K,0,38.0879,-105.1756,38.1837,-105.1179,"Slow moving storms produced flash flooding in Fremont, Custer, Pueblo, and Las Animas Counties. A significant flash flood occurred on the Junkins burn scar.","A significant flash flood occurred on the Junkins burn scar when a small, but intense storm moved down the South Hardscrabble watershed. Rainfall estimates of 1.5 to 2 inches caused major erosion in the canyon and piled tree and rock debris on County Road 386. The wave of water and debris moved into Greenwood and Wetmore. Remarkably, only a few outbuildings and barns were affected by water and mud as the dangerous flood waters moved through that area. County Roads remained mainly intact." +117234,705033,COLORADO,2017,July,Flash Flood,"LAS ANIMAS",2017-07-29 22:20:00,MST-7,2017-07-29 23:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0437,-104.55,36.9966,-104.5596,"Slow moving storms produced flash flooding in Fremont, Custer, Pueblo, and Las Animas Counties. A significant flash flood occurred on the Junkins burn scar.","A strong storm produced flash flooding of county roads south of Starkville, with more than 6 inches of rushing water causing minor erosion." +117054,704032,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-29 15:09:00,EST-5,2017-07-29 15:09:00,0,0,0,0,0.00K,0,0.00K,0,28.31,-80.63,28.31,-80.63,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","Mesonet site XCOA near the Cocoa Beach Club measured a peak wind gust of 36 knots from the southwest." +117054,704035,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"VOLUSIA-BREVARD COUNTY LINE TO SEBASTIAN INLET 0-20NM",2017-07-29 15:20:00,EST-5,2017-07-29 15:20:00,0,0,0,0,0.00K,0,0.00K,0,28.4,-80.65,28.4,-80.65,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","US Air Force wind tower 0300 measured a peak wind gust of 37 knots from the southwest." +117054,704041,ATLANTIC SOUTH,2017,July,Marine Thunderstorm Wind,"SEBASTIAN INLET TO JUPITER INLET 0-20NM",2017-07-29 17:02:00,EST-5,2017-07-29 17:02:00,0,0,0,0,0.00K,0,0.00K,0,27.79,-80.42,27.79,-80.42,"A frontal boundary pushed southward through the southeast United States and towards northern Florida during the afternoon and evening of July 29. The ridge axis stayed well south of east central Florida, with offshore flow increasing in strength. Low-level westerly winds increased throughout they day, which prevented the east coast sea breeze from developing. Showers and storms, aided by synoptic forcing, moved from west to east across the peninsula into east central Florida with an average forward speed of 25 knots. Some storms produced strong winds along the intracoastal and near shore waters of Brevard and Indian River counties.","Weather Underground site measured a peak wind gust of 49 knots." +117291,705477,NEBRASKA,2017,July,Thunderstorm Wind,"HOLT",2017-07-19 17:00:00,CST-6,2017-07-19 17:00:00,0,0,0,0,,NaN,,NaN,42.53,-98.98,42.53,-98.98,"A cluster of thunderstorms in southern South Dakota merged into a quasi-linear system in north central Nebraska during the late afternoon and early evening hours. Large hail and severe winds were reported in Holt County.","Downed trees and power lines and minor building damage were reported in Atkinson." +117288,705465,NEBRASKA,2017,July,Hail,"SHERIDAN",2017-07-17 20:02:00,MST-7,2017-07-17 20:02:00,0,0,0,0,0.00K,0,0.00K,0,42.94,-102.39,42.94,-102.39,"Isolated supercells moved southeast off the Pine Ridge and produced severe wind gusts and hail in northern Sheridan County.","" +117322,705613,NORTH DAKOTA,2017,July,Hail,"STEELE",2017-07-31 19:20:00,CST-6,2017-07-31 19:20:00,0,0,0,0,,NaN,,NaN,47.31,-97.76,47.31,-97.76,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117322,705614,NORTH DAKOTA,2017,July,Hail,"BARNES",2017-07-31 19:55:00,CST-6,2017-07-31 19:55:00,0,0,0,0,,NaN,,NaN,47.19,-97.77,47.19,-97.77,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","The hail was accompanied by heavy rain." +117322,705615,NORTH DAKOTA,2017,July,Hail,"CASS",2017-07-31 19:59:00,CST-6,2017-07-31 19:59:00,0,0,0,0,,NaN,,NaN,47.24,-97.04,47.24,-97.04,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","" +117322,705616,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-31 20:20:00,CST-6,2017-07-31 20:20:00,0,0,0,0,,NaN,,NaN,47.09,-97.04,47.09,-97.04,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Numerous large tree branches were broken down in farmstead shelterbelts across southern Gardner and Gunkel townships." +117322,705617,NORTH DAKOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-31 20:25:00,CST-6,2017-07-31 20:25:00,0,0,0,0,,NaN,,NaN,47.05,-97.05,47.05,-97.05,"By late in the afternoon of the 31st, a cold front stretched from Devils Lake, North Dakota, to near Hallock, Minnesota. Ahead of the front, temperatures ranged in the middle 80s to lower 90s, with dew points in the mid 60s. Scattered thunderstorms formed along the front, but initially the strongest storm was over the northern Red River Valley. Eventually, a second strong storm formed over western Grand Forks County in North Dakota, and this storm tracked to the south-southeast toward Fargo.","Numerous large tree branches were blown down in shelterbelts across northern Rush River and Berlin townships." +117514,706836,KENTUCKY,2017,July,Heat,"TODD",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706837,KENTUCKY,2017,July,Heat,"TRIGG",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706838,KENTUCKY,2017,July,Heat,"UNION",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117514,706839,KENTUCKY,2017,July,Heat,"WEBSTER",2017-07-26 09:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the late morning and afternoon hours peaked between 105 and 110 degrees at most sites. The highest heat indices at some of the larger cities included 105 degrees at Hopkinsville and Paducah, and 110 at Owensboro and Henderson. Actual high temperatures were in the mid 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117513,706812,INDIANA,2017,July,Heat,"GIBSON",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117513,706813,INDIANA,2017,July,Heat,"PIKE",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117513,706814,INDIANA,2017,July,Heat,"POSEY",2017-07-26 11:00:00,CST-6,2017-07-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Heat indices during the afternoon hours peaked around 105 degrees. The highest heat index at the Evansville airport was 105 degrees. Actual high temperatures were in the mid to upper 90's. A southwest wind flow of hot and very humid air developed between low pressure over the central Plains and high pressure near the U.S. East Coast.","" +117511,706780,MISSOURI,2017,July,Excessive Heat,"SCOTT",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706781,MISSOURI,2017,July,Excessive Heat,"STODDARD",2017-07-20 11:00:00,CST-6,2017-07-23 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +117511,706782,MISSOURI,2017,July,Excessive Heat,"WAYNE",2017-07-20 11:00:00,CST-6,2017-07-22 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A large upper-level high resulted in three to four consecutive days of dangerously high heat indices from 105 to 115 degrees. The large high in the upper levels of the atmosphere expanded over much of the southern two-thirds of the United States for several days. The center of the high gradually shifted east from the southern Plains on the 20th to the middle Mississippi Valley on the 22nd. The high then weakened and shrank on the 23rd. The daily peak heat indices at the Poplar Bluff airport during the heat wave were 109 degrees on the 20th, 110 degrees on the 21st, 109 degrees on the 22nd, and 105 on the 23rd. Actual air temperatures reached the mid 90's each afternoon. Overnight lows were mainly in the mid 70's. About a dozen cooling centers were opened to accomodate residents needing help. These cooling centers were mainly in the Poplar Bluff area. The outdoor Farmer's Market in Cape Girardeau closed early due to the heat.","" +116396,699944,MONTANA,2017,July,Thunderstorm Wind,"VALLEY",2017-07-11 17:17:00,MST-7,2017-07-11 17:17:00,0,0,0,0,0.00K,0,0.00K,0,48.2,-106.64,48.2,-106.64,"Thunderstorms, associated with an upper low pressure system over southern Saskatchewan, developed over northeast Montana, some of which produced hail and strong to severe wind gusts.","A wind gust of 62 mph was measured at the Glasgow International Airport ASOS site." +116396,699942,MONTANA,2017,July,Hail,"MCCONE",2017-07-11 19:05:00,MST-7,2017-07-11 19:05:00,0,0,0,0,0.00K,0,0.00K,0,47.47,-105.57,47.47,-105.57,"Thunderstorms, associated with an upper low pressure system over southern Saskatchewan, developed over northeast Montana, some of which produced hail and strong to severe wind gusts.","McCone County Emergency Manager estimated quarter size hail." +117676,707641,GEORGIA,2017,July,Thunderstorm Wind,"WAYNE",2017-07-19 20:10:00,EST-5,2017-07-19 20:10:00,0,0,0,0,0.00K,0,0.00K,0,31.67,-82.03,31.67,-82.03,"Passing upper level trough energy combined with daytime instability and high moisture spawned heavy rainfall and strong wind gusts along sea breeze thunderstorms.","A couple of trees were blown down in Odum. The time of damage was based on radar." +117710,707834,IDAHO,2017,July,Thunderstorm Wind,"CANYON",2017-07-08 23:10:00,MST-7,2017-07-08 23:45:00,0,0,0,0,0.00K,0,0.00K,0,43.67,-117,43.7655,-116.95,"A weak upper level trough situated in northern Nevada moved slowly into Southwest Idaho ad Southeast Oregon kicking off isolated severe thunderstorms across the area.","A trained spotter just west of Wilder reported large tree branches down due to thunderstorm outflow winds." +117711,707839,OREGON,2017,July,Thunderstorm Wind,"MALHEUR",2017-07-08 23:00:00,MST-7,2017-07-08 23:30:00,0,0,0,0,0.00K,0,0.00K,0,43.6277,-117.2115,43.73,-117.07,"A weak upper level trough situated in northern Nevada moved slowly into Southwest Idaho ad Southeast Oregon kicking off isolated severe thunderstorms across the area.","A post on Facebook reported that a 25 feet tall Russian olive tree was downed by thunderstorm outflow winds. The tree had a 2 part trunk with the larger being about 34 inches in diameter." +117736,707940,MISSISSIPPI,2017,July,Thunderstorm Wind,"PRENTISS",2017-07-03 15:15:00,CST-6,2017-07-03 15:20:00,0,0,0,0,50.00K,50000,0.00K,0,34.6841,-88.615,34.7281,-88.558,"A passing upper level disturbance generated a few severe thunderstorms capable of damaging winds across portions of northeast Mississippi during the mid afternoon hours of July 3rd.","Trees and power lines down along with damage to a mobile home at Highway 145 and County Road 8061. Trees and roof damage was also noted to a home at Highway 4 and County Road 7100." +117733,707911,ARKANSAS,2017,July,Thunderstorm Wind,"CRAIGHEAD",2017-07-03 05:25:00,CST-6,2017-07-03 05:30:00,0,0,0,0,2.00K,2000,0.00K,0,35.8495,-90.8178,35.8585,-90.7866,"A passing upper level disturbance generated thunderstorms with one lone severe storm that produced both wind damage and a weak tornado across portions of northeast Arkansas during the early morning hours of July 3rd.","Trees blocking Highway 91 near Westside school." +117179,704843,SOUTH DAKOTA,2017,July,Thunderstorm Wind,"TRIPP",2017-07-19 14:35:00,CST-6,2017-07-19 14:35:00,0,0,0,0,,NaN,0.00K,0,43.19,-99.72,43.19,-99.72,"A severe thunderstorm developed over southern Tripp County, producing hail and wind gusts to 60 mph.","Wind gusts were estimated at 70 mph." +117867,708715,GEORGIA,2017,July,Lightning,"GWINNETT",2017-07-14 18:40:00,EST-5,2017-07-14 18:40:00,0,0,0,0,1.00K,1000,,NaN,33.9836,-84.2175,33.9836,-84.2175,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Gwinnett County Emergency Manager reported a house struck by lightning on Yarrow Bluff. No fire was found." +117867,708719,GEORGIA,2017,July,Lightning,"CHEROKEE",2017-07-14 18:52:00,EST-5,2017-07-14 18:52:00,0,0,0,0,1.00K,1000,,NaN,34.1298,-84.5645,34.1298,-84.5645,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Cherokee County Emergency Manager reported a home struck by lightning on Golf Crest Lane. No fire was found." +117867,708720,GEORGIA,2017,July,Lightning,"CHEROKEE",2017-07-14 19:32:00,EST-5,2017-07-14 19:32:00,0,0,0,0,20.00K,20000,,NaN,34.2379,-84.4242,34.2379,-84.4242,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Cherokee County Emergency Manager reported a home struck by lightning on Forest Creek Lane causing a fire." +117867,708722,GEORGIA,2017,July,Thunderstorm Wind,"CHEROKEE",2017-07-14 19:11:00,EST-5,2017-07-14 19:21:00,0,0,0,0,5.00K,5000,,NaN,34.2454,-84.4942,34.2454,-84.4942,"Strong daytime heating and ample deep moisture produced isolated to scattered strong thunderstorms each afternoon and evening. These thunderstorms produced prodigious amounts of lightning and gusty winds. Several homes were struck by lightning resulting in damage and a few fires.","The Cherokee County Emergency Manager reported a tree blown down onto a building near the intersection of Shoal Creek Road and Waleska Road." +117868,717193,GEORGIA,2017,July,Hail,"WHEELER",2017-07-15 16:00:00,EST-5,2017-07-15 16:10:00,0,0,0,0,,NaN,,NaN,32.2748,-82.7132,32.2748,-82.7132,"Afternoon and evening thunderstorms resulted in isolated reports of damaging wind gusts and large hail.","The Wheeler County Emergency Manager reported hail up to the size of quarters across the northern end of the county. Hail covered the ground around the intersection of Highways 19 and 46." +117868,717194,GEORGIA,2017,July,Thunderstorm Wind,"WALKER",2017-07-15 12:16:00,EST-5,2017-07-15 12:26:00,0,0,0,0,1.00K,1000,,NaN,34.8028,-85.3487,34.8028,-85.3487,"Afternoon and evening thunderstorms resulted in isolated reports of damaging wind gusts and large hail.","The Walker County 911 center reported a tree blown down near the intersection of Highway 136 and Kensington Road." +116427,700204,OHIO,2017,July,Thunderstorm Wind,"FRANKLIN",2017-07-10 14:32:00,EST-5,2017-07-10 14:34:00,0,0,0,0,0.50K,500,0.00K,0,39.9859,-83.0052,39.9859,-83.0052,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","A six inch branch was downed at the intersection of 4th Avenue and North High Street." +116427,700212,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-10 15:15:00,EST-5,2017-07-10 15:45:00,0,0,0,0,0.00K,0,0.00K,0,40.04,-83.1,40.049,-83.1069,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","Portions of Dublin Road were flooded and impassable between Fishinger and Davidson Roads." +116427,700657,OHIO,2017,July,Flash Flood,"HOCKING",2017-07-10 18:05:00,EST-5,2017-07-10 18:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5904,-82.3469,39.5915,-82.3446,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","State Route 93 was closed in both directions due to high water between State Routes 312 and 668." +116427,700659,OHIO,2017,July,Tornado,"MERCER",2017-07-10 19:14:00,EST-5,2017-07-10 19:31:00,0,0,0,0,10.00K,10000,,NaN,40.7126,-84.7948,40.6974,-84.6752,"A series of upper level disturbances moving across the region brought several rounds of severe storms through the day.","The tornado touched down near Winkler Road just west of State Route 49. As the tornado moved east, damage was observed at a residence on the southwest corner of Winkler Road and Short Road. The tornado damaged the roof of a home and several nearby trees were also damaged.||As the tornado continued east, it caused damage to the roof of a house west of Wabash Road, along with damage to trees on the property.||The tornado moved east-southeast across Hill Road, crossing Winkler Road and damaging crops and trees along its path. Rotational scarring was noted in the corn fields adjacent to Winkler Road and Jordan Road.||The tornado crossed Jordan Road, moving east-southeast to near the intersection of Lee Road and Erastus-Durbin Road. At a property on the southeast corner of this intersection, one outbuilding was destroyed, with its debris scattered into the field to the east.||The tornado damaged another area of trees along Township Line Road and then continued east-southeast into open fields north of Rockford West Road before it dissipated." +117426,706149,OHIO,2017,July,Thunderstorm Wind,"GREENE",2017-07-11 09:43:00,EST-5,2017-07-11 09:47:00,0,0,0,0,3.00K,3000,0.00K,0,39.6547,-83.744,39.6547,-83.744,"A slow moving frontal boundary combined with a moist environment to produce scattered severe storms and localized flash flooding.","Several trees were downed at a property on Jamestown Road." +117429,706174,OHIO,2017,July,Flash Flood,"FRANKLIN",2017-07-13 11:15:00,EST-5,2017-07-13 11:45:00,0,0,0,0,0.00K,0,0.00K,0,39.9815,-82.8425,39.9796,-82.843,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","Water was flowing over a portion of Taylor Station Road near the Mount Carmel Hospital parking lot." +117429,706177,OHIO,2017,July,Flood,"FRANKLIN",2017-07-13 11:45:00,EST-5,2017-07-13 12:45:00,0,0,0,0,0.00K,0,0.00K,0,40.05,-82.84,40.0505,-82.8544,"Thunderstorms developed along a slow moving cold front. Some of the storms produce locally heavy rain and flash flooding.","High water was reported on numerous roads in northeast Franklin County, including a portion of Morse Road at US Route 62." +116808,702376,KENTUCKY,2017,July,Flood,"ROWAN",2017-07-23 03:30:00,EST-5,2017-07-23 06:10:00,0,0,0,0,75.00K,75000,0.00K,0,38.2418,-83.3406,38.2328,-83.3361,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Law enforcement reported the continuation of numerous water rescues and stranded motorists as heavy rains came to an end. Water also continued to infiltrate homes prior to the flood waters receding later in the night." +116808,702375,KENTUCKY,2017,July,Flood,"FLEMING",2017-07-23 02:40:00,EST-5,2017-07-23 04:30:00,0,0,0,0,2.00M,2000000,0.00K,0,38.4269,-83.742,38.4271,-83.7347,"A prolonged line of thunderstorms developed on the evening of July 22nd near the Ohio River, slowly propagating southward late in the evening and after midnight into the 23rd. These made it south into Fleming and Rowan Counties, leading to numerous instances of wind damage and flash flooding. ||Several structures were damaged due to high winds in Flemingsburg, including one house being completely destroyed. Over 1,100 power outages were reported throughout the county. Numerous homes, roads, and drainage systems suffered water damage from flash flooding, while an automobile dealership sustained damage to nearly 200 vehicles. One observer reported a rainfall total of 6.66 inches. A state of emergency was verbally declared for the county.||Flooding damage was also abundant in Rowan County, particularly in and around Morehead. More than 30 water rescues were performed as motorists became stranded by flood waters blocking roadways. More than 10 homes experienced significant water damage, while major road damage was also noted.","Law enforcement reported flooded streets throughout Flemingsburg several hours after heavy rainfall had ended. A local automobile dealership sustained damage to an estimated 200 vehicles on their lot." +116403,700083,NEBRASKA,2017,July,Thunderstorm Wind,"GREELEY",2017-07-08 17:11:00,CST-6,2017-07-08 17:11:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-98.4,41.4,-98.4,"A few isolated storms developed in the late afternoon and early evening hours on this Saturday. The first storms formed in a southwest-northeast oriented line roughly from McCook to Broken Bow to O'Neill around 2 PM CST. Most of these storms were weak, not lasting long. The most potent and persistent storms affected portions of Greeley, Howard, and Sherman Counties. However, even these storms did not last long, only affecting these counties between 4 and 730 PM CST. These storms did exhibit some supercell characteristics as they drifted slowly south while all other storms to the southwest moved southeast with the mean wind. One of these storms dropped south through eastern Greeley County and was responsible for producing estimated winds of 60 to 70 mph, with downed power lines in one known location. Another storm formed over the southwest part of the County and produced hail the size of half dollars near Scotia. The last severe thunderstorm formed over northern Howard County. This storm propagated due south across the County, producing significant severe hail. Hail up to the size of baseballs was reported in Loup City. One observer indicated that hail lasted around 20 minutes on the north side of town where the largest hail was the size of ping pong balls.||During the early morning hours on the previous day, a weak cool front dropped south across Nebraska with its western edge banked up against the Rockies. A weak low tracked southeast down the stalled portion of the front from Montana, eventually forcing the front eastward as it moved into South Dakota during the morning on this Saturday. As the day progressed, the front and weak low dropped into western and central Nebraska. The flow aloft was moderately amplified with a subtropical high over the Intermountain West and a trough over the Appalachians. Northwest flow was over the Central Plains. Just prior to the storms moving in, temperatures were in the lower 90s with dewpoints in the upper 50s and lower 60s. Mid-level lapse rates were poor, resulting in MLCAPE between 1000 and 1900 J/kg. Effective deep layer shear was 30 to 35 kts with 0-3 km SRH around 100 m2/s2.","Wind gusts were estimated to be near 60 MPH and were accompanied by pea sized hail." +116403,700085,NEBRASKA,2017,July,Hail,"GREELEY",2017-07-08 17:40:00,CST-6,2017-07-08 17:40:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-98.7007,41.47,-98.7007,"A few isolated storms developed in the late afternoon and early evening hours on this Saturday. The first storms formed in a southwest-northeast oriented line roughly from McCook to Broken Bow to O'Neill around 2 PM CST. Most of these storms were weak, not lasting long. The most potent and persistent storms affected portions of Greeley, Howard, and Sherman Counties. However, even these storms did not last long, only affecting these counties between 4 and 730 PM CST. These storms did exhibit some supercell characteristics as they drifted slowly south while all other storms to the southwest moved southeast with the mean wind. One of these storms dropped south through eastern Greeley County and was responsible for producing estimated winds of 60 to 70 mph, with downed power lines in one known location. Another storm formed over the southwest part of the County and produced hail the size of half dollars near Scotia. The last severe thunderstorm formed over northern Howard County. This storm propagated due south across the County, producing significant severe hail. Hail up to the size of baseballs was reported in Loup City. One observer indicated that hail lasted around 20 minutes on the north side of town where the largest hail was the size of ping pong balls.||During the early morning hours on the previous day, a weak cool front dropped south across Nebraska with its western edge banked up against the Rockies. A weak low tracked southeast down the stalled portion of the front from Montana, eventually forcing the front eastward as it moved into South Dakota during the morning on this Saturday. As the day progressed, the front and weak low dropped into western and central Nebraska. The flow aloft was moderately amplified with a subtropical high over the Intermountain West and a trough over the Appalachians. Northwest flow was over the Central Plains. Just prior to the storms moving in, temperatures were in the lower 90s with dewpoints in the upper 50s and lower 60s. Mid-level lapse rates were poor, resulting in MLCAPE between 1000 and 1900 J/kg. Effective deep layer shear was 30 to 35 kts with 0-3 km SRH around 100 m2/s2.","" +116247,698892,MISSISSIPPI,2017,July,Thunderstorm Wind,"FORREST",2017-07-07 16:10:00,CST-6,2017-07-07 16:10:00,0,0,0,0,5.00K,5000,0.00K,0,30.96,-89.19,30.96,-89.19,"Showers and thunderstorms developed during the afternoon on the 7th and brought some strong winds to the region. In addition, a complex of storms that moved through the Ozarks overnight on July 8th, affected the ArkLaMiss region early on the 8th. This complex of storms produced an outflow boundary that moved through the region during the same afternoon. Some of these storms were strong to severe and contained some damaging winds.","A couple of trees were blown down and blocked Highway 49." +116247,698887,MISSISSIPPI,2017,July,Thunderstorm Wind,"HUMPHREYS",2017-07-08 08:28:00,CST-6,2017-07-08 08:28:00,0,0,0,0,5.00K,5000,0.00K,0,33.17,-90.5,33.17,-90.5,"Showers and thunderstorms developed during the afternoon on the 7th and brought some strong winds to the region. In addition, a complex of storms that moved through the Ozarks overnight on July 8th, affected the ArkLaMiss region early on the 8th. This complex of storms produced an outflow boundary that moved through the region during the same afternoon. Some of these storms were strong to severe and contained some damaging winds.","A power line was blown down on Wiley Street." +117803,708175,MISSISSIPPI,2017,July,Flash Flood,"FORREST",2017-07-24 07:02:00,CST-6,2017-07-24 09:15:00,0,0,0,0,5.00K,5000,0.00K,0,30.92,-89.29,30.9237,-89.3015,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","The road at 342 Red Creek Road was covered with water." +117803,708177,MISSISSIPPI,2017,July,Thunderstorm Wind,"COPIAH",2017-07-24 09:40:00,CST-6,2017-07-24 09:47:00,0,0,0,0,8.00K,8000,0.00K,0,31.84,-90.41,31.89,-90.4,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","A tree was blown down on County Farm Road near I-55. A tree was blown down on Damascus Road and another was blown down on I-55 near mile marker 57." +117803,708181,MISSISSIPPI,2017,July,Thunderstorm Wind,"LINCOLN",2017-07-24 10:18:00,CST-6,2017-07-24 10:18:00,0,0,0,0,5.00K,5000,0.00K,0,31.6173,-90.5096,31.6173,-90.5096,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","A tree was blown down on a power line on Noah Trail NW." +117671,707558,NEW YORK,2017,July,Flash Flood,"HERKIMER",2017-07-01 12:00:00,EST-5,2017-07-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.1644,-75.0016,43.1645,-75.0068,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","A mudslide was reported along Route 28 near Newport." +117671,707559,NEW YORK,2017,July,Flash Flood,"HERKIMER",2017-07-01 15:00:00,EST-5,2017-07-01 15:30:00,0,0,0,0,0.00K,0,0.00K,0,43.11,-74.98,43.1115,-74.9886,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Route 28 was closed due to flooding in Middleville." +118682,712980,TEXAS,2017,July,Thunderstorm Wind,"HEMPHILL",2017-07-03 18:24:00,CST-6,2017-07-03 18:24:00,0,0,0,0,0.00K,0,0.00K,0,35.92,-100.28,35.92,-100.28,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Thunderstorm wind gust measured up to 62 MPH with storm." +118682,712982,TEXAS,2017,July,Hail,"CARSON",2017-07-03 19:05:00,CST-6,2017-07-03 19:05:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-101.17,35.57,-101.17,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","Hen egg to tennis ball sized hail reported following at this time." +118682,712983,TEXAS,2017,July,Hail,"GRAY",2017-07-03 19:43:00,CST-6,2017-07-03 19:43:00,0,0,0,0,0.00K,0,0.00K,0,35.55,-100.96,35.55,-100.96,"Two separate areas of convection developed which eventually moved parallel across the southern TX Panhandle by evening hours. The first area of convection developed diurnally across eastern NM and moved southeast across parts of the central and western TX Panhandle along a pronounced 850-700 moisture axis with good SBCAPE of 1000-2000 J/Kg. A second area of convection developed across the northeastern Panhandles associated with a southeastward propagating 500 hPa trough. Across the second region of storm development, better effective shear supported supercells with large hail at first before storms congealed into a line and became more of a wind threat. Both complexes of storms produced many wind and large hail reports before exiting the region the evening of the 3rd.","" +118179,712168,MASSACHUSETTS,2017,July,Flood,"MIDDLESEX",2017-07-12 17:00:00,EST-5,2017-07-12 22:00:00,0,0,0,0,1.00M,1000000,0.00K,0,42.4637,-71.2925,42.4636,-71.2904,"A cold front slid across Southern New England, led by a shortwave trough. High moisture content to the airmass allowed for heavy downpours, while breaks of sunshine generated sufficient instability for damaging thunderstorms.","At 505 PM EST, heavy rain from a thunderstorm flooded the terminal building at Hanscom Field in Bedford. Flood waters reached a depth of nearly two feet." +116400,700133,NEBRASKA,2017,July,Hail,"VALLEY",2017-07-02 15:20:00,CST-6,2017-07-02 15:20:00,0,0,0,0,0.00K,0,0.00K,0,41.6277,-98.8406,41.6277,-98.8406,"Thunderstorms produced severe hail and wind mainly west of Highway 183 on this Sunday afternoon and evening. A broken line of thunderstorms developed from northwest to southeast across the state of Nebraska during late in the afternoon hours. In the portion affecting central and south central portions of the state, a couple storms over the eastern portion of this line briefly turned severe, producing hail up to 1.5 inches in diameter in parts of Valley County. This portion of the line then dissipated, but storms from Custer County westward continued to increase and organize. By 7 pm CST, a cluster of severe storms had developed over southwest Custer and Lincoln Counties. This cluster became a small-scale squall line and, between 7 and 11 pm CST, it advanced to the south-southeast, affecting parts of Dawson, Gosper, and Furnas Counties before it exited into Kansas. This squall line produced mostly 1 inch hail in several locations. Damaging winds also occurred with the highest measured gust 72 mph at the Cambridge airport. Tree limbs were also snapped off just east of Cambridge, and some of them were very large. Around 1045 pm CST, some other storms initiated over Kearney and Franklin Counties, and they moved into Adams and Webster Counties. One of these storms produced some marginally severe hail with some small tree limbs snapped off.||These storms formed in an areas of relatively high surface pressure. A slow-moving cool front was north of the initiation area, extending from the Great Lakes across Iowa and then northwest across the Dakota's. In the upper-levels, the Westerlies were fairly zonal, but contained multiple low-amplitude shortwave troughs. One was over Nebraska and Kansas. When the storm first developed, temperatures were in the lower 90s with dewpoints in the lower to middle 60s. Mid-level lapse rates were steep (7.5 C/km), resulting in MLCAPE of 2000 to 2500 J/kg. Deep layer shear was around 25 kts and supportive of multicell storms.","" +117671,707562,NEW YORK,2017,July,Flash Flood,"HERKIMER",2017-07-01 15:10:00,EST-5,2017-07-01 15:30:00,0,0,0,0,1.00M,1000000,1.00K,1000,43.1083,-75.1561,43.083,-75.1884,"An upper-level disturbance interacted with a very moist atmosphere on July 1, generating several rounds of thunderstorms across areas mainly along and north of I-90. These storms resulted in torrential rainfall and flash flooding in portions of Herkimer, Fulton, Warren, Washington, and Rensselaer Counties. It was the second straight day of heavy rainfall for some of these areas. The village of Hoosick Falls was hit particularly hard by flash flooding, with many residences experiencing basement and first-floor flooding and several roads washed out as Woods Brook overwhelmed its flood protection system and coursed through the town. A state of emergency was declared for the village, where an estimated $300,000 in damage occurred. Across Rensselaer County, flooding resulted in an estimated $3.6 million in damage. Rainfall amounts up to 4 were recorded in Washington County where several roads were washed out. Neighboring Warren County estimated $1 million in flood damage. In Herkimer County, a mudslide closed a state highway, and people had to be evacuated from locations in the villages of Herkimer and Frankfort due to rising water. Several area rivers reached minor and moderate flood stage, including the Mettawee River at Granville which crested just below major flood stage. Finally, a few of the storms resulted in isolated wind damage.","Several flooding reports were received in the Mohawk Valley. A person was trapped in their house in the Town of Schuyler due to flooding off Route 5S. That route was closed in the Village of Frankfort, along with Route 171 and West Main Street. Route 5 was closed from the Town of Schuyler to Little Falls with portions of the roadway under water. The Wal-Mart in Herkimer had to be evacuated due to flooding concerns." +118723,713233,MISSISSIPPI,2017,July,Thunderstorm Wind,"JACKSON",2017-07-25 12:00:00,CST-6,2017-07-25 12:00:00,0,0,0,0,0.00K,0,0.00K,0,30.371,-88.7567,30.371,-88.7567,"A very unstable airmass aided the development of numerous thunderstorms. Some of the storms produced 50 to 60 mph winds and very heavy rain.","A report was received of awnings and metal carports being damaged or destroyed by estimated 50 to 60 mph winds on Elm Avenue. The damage included a metal shed at a fire station." +117803,709102,MISSISSIPPI,2017,July,Flash Flood,"LINCOLN",2017-07-25 07:27:00,CST-6,2017-07-25 09:15:00,0,0,0,0,650.00K,650000,0.00K,0,31.6087,-90.4256,31.5932,-90.4168,"Showers and thunderstorms occurred in a warm and very moist air mass. Very heavy rainfall resulted in a significant localized flooding event, with some locations receiving over 6 inches of rain in a short period of time. Numerous roads were covered in several inches of water, with waist deep water in some homes. Strong gusty winds with some of these storms resulted in some downed trees due to rain saturated ground.","Significant flash flooding occurred in Brookhaven, which resulted in six to ten inches of water on 10 to 12 streets in downtown Brookhaven. Brookhaven police blocked off Industrial Park Road due to flooding. Water entered some homes in Brookhaven, where three families needed to be rescued from their home, where the water was waist deep. Turpin Road washed out where a culvert ran underneath." +118797,713616,NORTH CAROLINA,2017,July,Thunderstorm Wind,"PENDER",2017-07-06 13:30:00,EST-5,2017-07-06 13:31:00,0,0,0,0,5.00K,5000,0.00K,0,34.4283,-77.6802,34.4286,-77.6803,"Strong afternoon heating combined with strong instability to intensify thunderstorms. A couple of these thunderstorms did result in wind damage.","Trees were reportedly down, a flag pole was snapped and outdoor furniture was blown around on one property on Pinnacle Pkwy." +118818,713749,SOUTH DAKOTA,2017,July,Hail,"CORSON",2017-07-05 16:20:00,MST-7,2017-07-05 16:20:00,0,0,0,0,0.00K,0,0.00K,0,45.65,-100.44,45.65,-100.44,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713751,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 17:21:00,CST-6,2017-07-05 17:21:00,0,0,0,0,,NaN,,NaN,45.49,-98.52,45.49,-98.52,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713759,SOUTH DAKOTA,2017,July,Hail,"CORSON",2017-07-05 16:23:00,MST-7,2017-07-05 16:23:00,0,0,0,0,,NaN,,NaN,45.48,-101.42,45.48,-101.42,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","Ping pong sized hail damaged or destroyed some crops." +118818,713761,SOUTH DAKOTA,2017,July,Hail,"EDMUNDS",2017-07-05 17:26:00,CST-6,2017-07-05 17:26:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-98.75,45.47,-98.75,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713764,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 17:48:00,CST-6,2017-07-05 17:48:00,0,0,0,0,0.00K,0,0.00K,0,45.47,-98.32,45.47,-98.32,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +118818,713765,SOUTH DAKOTA,2017,July,Hail,"BROWN",2017-07-05 17:48:00,CST-6,2017-07-05 17:48:00,0,0,0,0,,NaN,,NaN,45.49,-98.32,45.49,-98.32,"Severe thunderstorms developed across parts of central and northeast South Dakota during the late afternoon and evening hours. Large hail up to the size of golf balls along with damaging winds up to 80 mph brought some structural and tree damage to the region.","" +120083,719530,IOWA,2017,August,Hail,"CLAY",2017-08-21 01:05:00,CST-6,2017-08-21 01:05:00,0,0,0,0,0.00K,0,0.00K,0,43.14,-94.97,43.14,-94.97,"Storms developed during the overnight hours with a few of those storms producing wind and hail. Then late in the morning of the same day, storms moved out of southeast South Dakota into northwest Iowa and also produced hail and wind that damaged trees.","" +120083,719531,IOWA,2017,August,Hail,"LYON",2017-08-21 10:48:00,CST-6,2017-08-21 10:48:00,0,0,0,0,0.00K,0,0.00K,0,43.43,-96.17,43.43,-96.17,"Storms developed during the overnight hours with a few of those storms producing wind and hail. Then late in the morning of the same day, storms moved out of southeast South Dakota into northwest Iowa and also produced hail and wind that damaged trees.","" +120083,719533,IOWA,2017,August,Hail,"OSCEOLA",2017-08-21 10:57:00,CST-6,2017-08-21 10:57:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-95.73,43.4,-95.73,"Storms developed during the overnight hours with a few of those storms producing wind and hail. Then late in the morning of the same day, storms moved out of southeast South Dakota into northwest Iowa and also produced hail and wind that damaged trees.","Reported by the Emergency Manager." +120278,720673,CALIFORNIA,2017,August,Thunderstorm Wind,"SAN DIEGO",2017-08-12 16:25:00,PST-8,2017-08-12 16:35:00,0,0,0,0,15.00K,15000,0.00K,0,32.9156,-116.2443,32.9008,-116.239,"A weak monsoon pattern that had persisted for several days produced 2 separate isolated supercell thunderstorms over the San Diego County desert late in the afternoon on the 12th. The storm was fueled by a surge in low level moisture late in the day. Storm tops exceeded 60,000 ft and storm top divergence was near 100 kt.","A trained spotter in Canebrake reported two car ports destroyed, numerous large tree limbs down and a roof folded over on a home." +120278,720675,CALIFORNIA,2017,August,Flash Flood,"SAN DIEGO",2017-08-12 16:30:00,PST-8,2017-08-12 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,32.9181,-116.254,32.8959,-116.2528,"A weak monsoon pattern that had persisted for several days produced 2 separate isolated supercell thunderstorms over the San Diego County desert late in the afternoon on the 12th. The storm was fueled by a surge in low level moisture late in the day. Storm tops exceeded 60,000 ft and storm top divergence was near 100 kt.","Several roads were washed out in Canebrake, while rocks and debris covered a section of the S2. Plows were required to clear roads in Canebrake." +120278,720679,CALIFORNIA,2017,August,Flash Flood,"SAN DIEGO",2017-08-12 16:10:00,PST-8,2017-08-12 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,33.0425,-116.1047,32.9962,-116.2308,"A weak monsoon pattern that had persisted for several days produced 2 separate isolated supercell thunderstorms over the San Diego County desert late in the afternoon on the 12th. The storm was fueled by a surge in low level moisture late in the day. Storm tops exceeded 60,000 ft and storm top divergence was near 100 kt.","Rain rates exceeding 1 inch per hour produced major flooding in the Fish Creek Wash. Flow filled the slot canyon, and deposited several feet of mud and debris at the mouth of the canyon. Several hikers were stranded, but no injuries occurred." +127721,765992,IOWA,2017,July,Drought,"LUCAS",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Relatively longer term dry conditions combined with acute short term precipitation deficits led to drought conditions in southern Iowa.","Acute short term dryness has led to severe drought conditions across the county." +127721,765994,IOWA,2017,July,Drought,"WAYNE",2017-07-25 00:00:00,CST-6,2017-07-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Relatively longer term dry conditions combined with acute short term precipitation deficits led to drought conditions in southern Iowa.","Acute short term dryness has led to severe drought conditions across portions of the county." +127722,765996,IOWA,2017,August,Drought,"POCAHONTAS",2017-08-01 00:00:00,CST-6,2017-08-21 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Dryness led to severe drought conditions for a couple of weeks across much of Pocahontas county." +127722,765997,IOWA,2017,August,Drought,"CALHOUN",2017-08-01 00:00:00,CST-6,2017-08-21 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Lack of precipitation led to severe drought conditions across portions of Calhoun county in the middle of August." +120511,723236,IOWA,2017,October,Flood,"EMMET",2017-10-06 23:30:00,CST-6,2017-10-19 20:00:00,0,0,0,0,80.00K,80000,0.00K,0,43.26,-94.83,43.26,-94.71,"River flooding occurred on the Des Moines River at Estherville in late October.","The West Fork of the Des Moines River at Estherville crested at 9.85 feet on 12 October 2017 at 06:45 UTC." +118841,713958,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 00:35:00,CST-6,2017-07-22 12:35:00,0,0,0,0,100.00K,100000,0.00K,0,42.8601,-92.1114,42.8452,-92.1113,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Law enforcement reported several houses with water flooding into basement along with numerous roads covered with water up to 1 foot in places. At least one person reported as being evacuated from their home." +118841,713961,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 04:41:00,CST-6,2017-07-22 12:35:00,0,0,0,0,0.00K,0,0.00K,0,42.8536,-92.2265,42.8516,-92.085,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Iowa DOT reports Highway 93 between county road V48 and county road V68 is blocked due to flooding." +120997,724246,IOWA,2017,October,Frost/Freeze,"WORTH",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +118395,711476,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-10 01:03:00,CST-6,2017-07-10 01:03:00,0,0,0,0,0.00K,0,0.00K,0,42.91,-93.43,42.91,-93.43,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Trained spotter reported 4 large trees downed from the winds. This is a delayed report and time estimated from radar." +118398,711485,IOWA,2017,July,Funnel Cloud,"CERRO GORDO",2017-07-18 14:15:00,CST-6,2017-07-18 14:15:00,0,0,0,0,0.00K,0,0.00K,0,43.23,-93.47,43.23,-93.47,"A weak boundary found itself situated across parts of northern Iowa during the afternoon and initiated a number of storms during the afternoon and evening hours. The environment, while unstable with 2000-3000 J/kg MUCAPE, was generally unsupportive for severe storm development. An initial storm along the front was able to experience enough low level spin and stretching to produce a funnel cloud report in Cerro Gordo County.","Law enforcement reported a funnel cloud." +118841,713960,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 03:00:00,CST-6,2017-07-22 12:35:00,0,0,0,0,50.00K,50000,0.00K,0,42.86,-92.11,42.8596,-92.0859,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Emergency manager reported up to a dozen evacuations from high water around the Sumner area. Multiple road closures as well." +118510,712107,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 17:10:00,CST-6,2017-07-17 17:10:00,0,0,0,0,,NaN,,NaN,46.5467,-94.2639,46.5467,-94.2639,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A six inch diameter tree was blown down." +118473,711850,MINNESOTA,2017,July,Thunderstorm Wind,"ITASCA",2017-07-21 16:43:00,CST-6,2017-07-21 16:43:00,0,0,0,0,,NaN,,NaN,47.32,-93.27,47.32,-93.27,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","A 2 foot diameter oak tree was blown down onto a trailer." +118473,711858,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-21 17:47:00,CST-6,2017-07-21 17:47:00,0,0,0,0,,NaN,,NaN,47.04,-92.47,47.04,-92.47,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Several large trees were blown down." +118473,711859,MINNESOTA,2017,July,Thunderstorm Wind,"AITKIN",2017-07-21 17:54:00,CST-6,2017-07-21 17:54:00,0,0,0,0,,NaN,,NaN,46.99,-93.6,46.99,-93.6,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Several trees were blown down." +118473,711860,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-21 20:05:00,CST-6,2017-07-21 20:05:00,0,0,0,0,,NaN,,NaN,46.91,-92.11,46.91,-92.11,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Numerous trees were blown down." +118471,711847,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-22 19:10:00,CST-6,2017-07-22 19:18:00,0,0,0,0,,NaN,,NaN,45.9,-91.03,45.9,-91.03,"A severe thunderstorm produced golf-ball sized hail northwest of the town of Winter.","" +117787,708124,WISCONSIN,2017,July,Hail,"DOUGLAS",2017-07-25 21:20:00,CST-6,2017-07-25 21:20:00,0,0,0,0,,NaN,,NaN,46.19,-91.88,46.19,-91.88,"A severe thunderstorm produced one inch hail near the town of Wascott.","" +119557,717408,IOWA,2017,September,Heavy Rain,"ADAIR",2017-09-16 21:45:00,CST-6,2017-09-17 01:00:00,0,0,0,0,0.00K,0,0.00K,0,41.3,-94.57,41.3,-94.57,"A fairly typical cold frontal passage moved through Iowa during the evening of the 16th and into the 17th of September. The antecedent conditions were generally temperatures in the mid to upper 70s, dew points in the upper 60s, resulting in MUCAPE values in the 1000-2000 J/kg range, and effective bulk shear values under 30 kts. The setup called for and resulted in relatively progressive storms with the cold front ushering them through, but with flow parallel to the front, storms were able to train over areas for a short while. No severe weather was reported, but heavy rainfall did occur.","Public reported heavy rainfall of 3.30 inches storm total." +119753,720865,TEXAS,2017,August,Flash Flood,"BRAZORIA",2017-08-26 21:35:00,CST-6,2017-08-29 22:00:00,0,0,0,0,2.00B,2000000000,100.00K,100000,29.5927,-95.4067,29.3236,-95.8049,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and around Pearland and south into Manvel, or east of Highway 288 along Highway 6, were flooded and therefore closed for long time periods. Major record flooding of the Brazos, San Bernard and Oyster Creek caused the flooding of hundreds to thousands of vicinity homes, vehicles and businesses. Numerous Roads and homes were inundated with flood waters on east side of Oyster Creek including the Columbia Lakes, Mallard Lakes, Great Lakes, Riverside Estates and Bar X subdivisions as well as homes along CR 39. Other county roads that became impassable due to high flood waters include, but are not limited to, FM 1462, Highways 35 and 90, FM 950, CR 25, 380A, CR 42 and FM 521. The Phillips refinery outside of the town of Sweeny took on water from the west near Little Linville Bayou. Hanson Riverside County Park along the San Bernard River southwest of West Columbia was inundated and water over-topped the Phillips Terminal. Areas around Alvin also flooded." +119827,718621,ARKANSAS,2017,August,Tornado,"PHILLIPS",2017-08-31 07:19:00,CST-6,2017-08-31 07:22:00,0,0,0,0,15.00K,15000,0.00K,0,34.4751,-90.6242,34.4967,-90.6388,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","A weak tornado touched down south of Helena-West Helena and caused some minor damage to a house. Peak winds were estimated at 75 mph." +119831,718456,MISSOURI,2017,August,Flash Flood,"DUNKLIN",2017-08-31 11:11:00,CST-6,2017-08-31 12:11:00,0,0,0,0,20.00K,20000,0.00K,0,36.2457,-90.0296,36.2412,-90.0305,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","A restaurant closed due to flash flooding." +119832,718461,TENNESSEE,2017,August,Flash Flood,"SHELBY",2017-08-31 17:46:00,CST-6,2017-08-31 18:46:00,0,0,0,0,0.00K,0,0.00K,0,35.1614,-89.7294,35.1616,-89.7257,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","The intersection of Houston Levee Road and Macon Road was flooded." +119832,718463,TENNESSEE,2017,August,Flash Flood,"HARDEMAN",2017-08-31 18:52:00,CST-6,2017-08-31 19:52:00,0,0,0,0,0.00K,0,0.00K,0,35.27,-89,35.2765,-88.9233,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Six county roads were closed due to flooding." +119832,718464,TENNESSEE,2017,August,Flash Flood,"BENTON",2017-08-31 21:15:00,CST-6,2017-08-31 22:15:00,0,0,0,0,25.00K,25000,0.00K,0,35.9379,-88.0691,35.9266,-88.0796,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Hatley Road flooded. Service truck stuck in flood. Culvert damaged." +119832,718738,TENNESSEE,2017,August,Tornado,"HARDIN",2017-08-31 14:07:00,CST-6,2017-08-31 14:09:00,0,0,0,0,10.00K,10000,0.00K,0,35.2294,-88.3411,35.2457,-88.3508,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","A weak tornado damaged irrigation equipment near Crump. Peak winds estimated at 60 mph." +119832,718739,TENNESSEE,2017,August,Tornado,"HARDIN",2017-08-31 16:03:00,CST-6,2017-08-31 16:04:00,0,0,0,0,10.00K,10000,0.00K,0,35.2669,-88.0316,35.2755,-88.0397,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","A weak tornado touched down near Olive Hill damaging carports, sheds and trees. Peak winds estimated at 75 mph." +119832,718891,TENNESSEE,2017,August,Strong Wind,"HARDIN",2017-08-31 14:30:00,CST-6,2017-08-31 14:35:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Strong winds destroyed a shed along Coffee Landing Road." +119832,719345,TENNESSEE,2017,August,Strong Wind,"CARROLL",2017-08-31 22:45:00,CST-6,2017-08-31 23:45:00,0,0,0,0,5.00K,5000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Strong winds knocked down power lines on Cedar Springs Road." +119833,718457,MISSISSIPPI,2017,August,Flash Flood,"MARSHALL",2017-08-31 14:00:00,CST-6,2017-08-31 15:00:00,0,0,0,0,0.00K,0,0.00K,0,34.9908,-89.6884,34.9891,-89.6886,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Singing Trees Road flooded with almost a foot of water." +118390,711448,IOWA,2017,July,Thunderstorm Wind,"WAPELLO",2017-07-03 17:24:00,CST-6,2017-07-03 17:24:00,0,0,0,0,5.00K,5000,0.00K,0,41,-92.41,41,-92.41,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Public reported the roof blown off of a garage. The is a delayed report." +118399,711506,IOWA,2017,July,Thunderstorm Wind,"KOSSUTH",2017-07-19 14:55:00,CST-6,2017-07-19 14:55:00,0,0,0,0,0.00K,0,0.00K,0,43.4,-94.38,43.4,-94.38,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Trained spotter estimated winds at 60 to 65 mph. Also report lots of small tree branches down." +118399,711508,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:01:00,CST-6,2017-07-19 15:01:00,0,0,0,0,20.00K,20000,0.00K,0,43.48,-93.92,43.48,-93.92,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported trees and power lines down. This is a delayed report and times is estimated from radar." +118399,711509,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:07:00,CST-6,2017-07-19 15:07:00,0,0,0,0,15.00K,15000,0.00K,0,43.39,-93.94,43.39,-93.94,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported multiple trees down and power line damage in town. This is a delayed report and time estimated from radar." +119753,720336,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-26 00:00:00,CST-6,2017-08-26 02:00:00,0,0,0,0,0.00K,0,0.00K,0,29.3763,-95.5028,29.3705,-95.4494,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There was water over roadways FM 655 and CR 521 near the town of Rosharon.||Major record level flooding of both the Brazos and San Bernard Rivers caused significant home flooding from Richmond to Rosharon. Massive flooding occurred in Tierra Grande subdivision along the San Bernard River in southwestern Fort Bend County. Home flooding occurred at Valley Lodge in Simonton, along Edgewood and Baudet Roads in Richmond, along Bar, Barker, Cumings, Sixth Street, Avenue B and Rio Brazos Roads in Rosenberg. Sections of FM 2759 as well as the Grand River, Rivers Edge and Pecan Estates in Thompsons flooded. Many countywide roads became inundated in flood waters including, but not limited to, Highway 90A, Pitts Road, FM 1489, FM 723, FM 1093, FM 359, SH 6 feeder roads, Sienna Parkway, Carrol Road, McKeever Road, Knights Court, Miller Road, river Oaks Road, Thompsons Ferry Road, Strange Drive, Greenwood Drive, Second Street and low lying roads in Quail Valley in Missouri City. Due to record pool levels in Barker Reservoir, homes in Cinco Ranch flooded. Big Creek flooding in Needville caused the flooding of homes on Ansel Road." +118835,713937,IOWA,2017,July,Thunderstorm Wind,"GUTHRIE",2017-07-20 19:37:00,CST-6,2017-07-20 19:37:00,0,0,0,0,0.00K,0,0.00K,0,41.85,-94.43,41.85,-94.43,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Local fire department reported 2 to 3 foot diameter tree down in Bagley. Time estimated from radar." +118510,712023,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-17 15:55:00,CST-6,2017-07-17 15:55:00,0,0,0,0,,NaN,,NaN,46.49,-94.64,46.49,-94.64,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","Trees were blown down across Highway 64." +118510,712024,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-17 16:05:00,CST-6,2017-07-17 16:05:00,0,0,0,0,,NaN,,NaN,47.05,-93.91,47.05,-93.91,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A box elder tree measuring 12 to 16 inches in diameter had a portion of its trunk snapped off about 8 to 10 feet off the ground." +118835,713944,IOWA,2017,July,Thunderstorm Wind,"BOONE",2017-07-20 20:32:00,CST-6,2017-07-20 20:32:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-93.82,41.88,-93.82,"A weak, relatively stationary boundary, was situated from west to east across Iowa throughout the day. Surface conditions reached a balmy mid to upper 90s south of the boundary with dew points well into the 70s, while north of the boundary conditions were not much better with dew points in the 70s and temperatures in the upper 80s to low 90s. The convective environment resulted in MUCAPE values exceeding 5000 J/kg across southern Iowa and at least 2000 J/kg available across far northern Iowa. Best effective shear values were located near and north of the boundary where 30 to 40 kts existed. Storms initially developed in Nebraska and propagated near/along the boundary eastward into Iowa. The primary results were damaging winds and borderline hail. In a few instances, storms initiated ahead of the main batch, allowing for some locations to experience extended periods of heavy rainfall to the tune of 2 to nearly 4 inches.","Emergency manager reported numerous small branches broken or down. Time estimated from radar." +118510,712027,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 16:18:00,CST-6,2017-07-17 16:18:00,0,0,0,0,,NaN,,NaN,46.59,-94.25,46.59,-94.25,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A few 6 inch diameter trees were snapped a couple feet off the ground." +118510,712028,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 16:23:00,CST-6,2017-07-17 16:23:00,0,0,0,0,,NaN,,NaN,46.4,-94.19,46.4,-94.19,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712029,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 16:30:00,CST-6,2017-07-17 16:30:00,0,0,0,0,,NaN,,NaN,46.42,-94.02,46.42,-94.02,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A few trees were blown down on Nelson and Tower Roads." +118510,712030,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-17 16:33:00,CST-6,2017-07-17 16:33:00,0,0,0,0,,NaN,,NaN,46.46,-94.35,46.46,-94.35,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A dock was damaged by when it was slammed by wind-whipped boats on the western end of Gull Lake." +118510,712035,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 16:37:00,CST-6,2017-07-17 16:37:00,0,0,0,0,,NaN,,NaN,46.49,-93.96,46.49,-93.96,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","Several trees were blown down in the town of Crosby." +118510,712058,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-17 18:59:00,CST-6,2017-07-17 18:59:00,0,0,0,0,,NaN,,NaN,47.33,-92.15,47.33,-92.15,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A few 6 inch diameter trees were blown down at the Whiteface Reservoir campground." +118395,711467,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-09 23:05:00,CST-6,2017-07-09 23:05:00,0,0,0,0,20.00K,20000,0.00K,0,43.35,-93.21,43.35,-93.21,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Law enforcement reported a tree blown down on a house in Kensett. This is a delayed report and time estimated from radar." +118395,711468,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-09 23:10:00,CST-6,2017-07-09 23:10:00,0,0,0,0,15.00K,15000,0.00K,0,43.28,-93.38,43.28,-93.38,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Emergency manager reported trees uprooted and a grain bin blown down in Hanlontown. This is a delayed report and time estimated by radar." +118536,712139,TENNESSEE,2017,August,Thunderstorm Wind,"SHELBY",2017-08-11 12:45:00,CST-6,2017-08-11 12:55:00,0,0,0,0,,NaN,0.00K,0,35.2138,-89.8202,35.2127,-89.8103,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","Large limbs split from tree at Yale Road and Brother Boulevard." +118536,712141,TENNESSEE,2017,August,Flash Flood,"SHELBY",2017-08-11 13:15:00,CST-6,2017-08-11 15:15:00,0,0,0,0,1.00K,1000,0.00K,0,35.1166,-90.0317,35.1147,-90.0324,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","Water on road at least 6-12 inches deep at the intersection of McLemore Avenue and College Street near Stax Museum." +118536,712143,TENNESSEE,2017,August,Flash Flood,"SHELBY",2017-08-11 13:35:00,CST-6,2017-08-11 15:35:00,0,0,0,0,1.00K,1000,0.00K,0,35.0849,-89.734,35.0723,-89.7348,"An upper level disturbance triggered a few severe thunderstorms capable of very heavy rain and wind damage across portions of west Tennessee during the early afternoon hours of August 11th.","Report of cars flooded at intersection of Houston Levee and Halle Park roads. Drains may be clogged." +118399,711519,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:39:00,CST-6,2017-07-19 15:39:00,0,0,0,0,25.00K,25000,0.00K,0,43.44,-93.22,43.44,-93.22,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported a transformer blown, power lines and power poles down, and tree damage. This is a delayed report and time estimated from radar." +118399,711520,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:40:00,CST-6,2017-07-19 15:40:00,0,0,0,0,0.00K,0,0.00K,0,43.35,-93.21,43.35,-93.21,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported significant tree damage in town. This is a delayed report and time estimated from radar." +118510,712036,MINNESOTA,2017,July,Thunderstorm Wind,"AITKIN",2017-07-17 17:09:00,CST-6,2017-07-17 17:09:00,0,0,0,0,,NaN,,NaN,46.78,-93.29,46.78,-93.29,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A few trees were blown down on the north end of Big Sandy Lake." +118510,712038,MINNESOTA,2017,July,Thunderstorm Wind,"CROW WING",2017-07-17 17:12:00,CST-6,2017-07-17 17:12:00,0,0,0,0,,NaN,,NaN,46.23,-93.92,46.23,-93.92,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712044,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-17 17:45:00,CST-6,2017-07-17 17:45:00,0,0,0,0,,NaN,,NaN,47.53,-92.34,47.53,-92.34,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712045,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-17 17:53:00,CST-6,2017-07-17 17:53:00,0,0,0,0,,NaN,,NaN,47.53,-92.35,47.53,-92.35,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712047,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-17 17:59:00,CST-6,2017-07-17 17:59:00,0,0,0,0,,NaN,,NaN,47.49,-92.3,47.49,-92.3,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712048,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-17 18:00:00,CST-6,2017-07-17 18:00:00,0,0,0,0,,NaN,,NaN,47.49,-92.29,47.49,-92.29,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712049,MINNESOTA,2017,July,Hail,"ST. LOUIS",2017-07-17 18:03:00,CST-6,2017-07-17 18:03:00,0,0,0,0,,NaN,,NaN,47.49,-92.88,47.49,-92.88,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712050,MINNESOTA,2017,July,Thunderstorm Wind,"CARLTON",2017-07-17 18:05:00,CST-6,2017-07-17 18:05:00,0,0,0,0,,NaN,,NaN,46.42,-92.77,46.42,-92.77,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118473,711851,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 16:45:00,CST-6,2017-07-21 16:45:00,0,0,0,0,,NaN,,NaN,47.38,-94.6,47.38,-94.6,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","The siding on the Palace Casino in Cass Lake was torn off by thunderstorm winds." +118473,711852,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 16:45:00,CST-6,2017-07-21 16:45:00,0,0,0,0,,NaN,,NaN,47.4,-94.54,47.4,-94.54,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Trees as large as eighteen inches in diameter were blown down. Some trees were also uprooted." +118473,711853,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 17:05:00,CST-6,2017-07-21 17:05:00,0,0,0,0,,NaN,,NaN,47.07,-94.49,47.07,-94.49,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","A couple trees were blown down." +118473,711854,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 17:10:00,CST-6,2017-07-21 17:10:00,0,0,0,0,,NaN,,NaN,47.37,-94.48,47.37,-94.48,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","" +118473,711855,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 17:25:00,CST-6,2017-07-21 17:25:00,0,0,0,0,,NaN,,NaN,46.99,-94.22,46.99,-94.22,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","A large tree was blown down." +118473,711856,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 17:29:00,CST-6,2017-07-21 17:29:00,0,0,0,0,,NaN,,NaN,47.39,-94.5,47.39,-94.5,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Trees were blown down on Tract 33." +118473,711857,MINNESOTA,2017,July,Flood,"ITASCA",2017-07-21 17:30:00,CST-6,2017-07-21 17:30:00,0,0,0,0,0.00K,0,0.00K,0,47.246,-93.4889,47.2462,-93.4864,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Highway 169 was flooded with four to five inches of standing water covering the road." +119833,718894,MISSISSIPPI,2017,August,Strong Wind,"LAFAYETTE",2017-08-31 21:25:00,CST-6,2017-08-31 21:30:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Strong winds knocked down a tree that fell on the electric meter of a church on County Road 435 southwest of Oxford. The resultant in a fire that destroyed the church." +119832,718892,TENNESSEE,2017,August,Strong Wind,"SHELBY",2017-08-31 17:00:00,CST-6,2017-08-31 18:00:00,0,0,0,0,15.00K,15000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Strong winds knocked down several trees and power lines in East Memphis." +119948,718896,ARKANSAS,2017,August,Heat,"CRAIGHEAD",2017-08-21 10:00:00,CST-6,2017-08-21 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +119833,718634,MISSISSIPPI,2017,August,Tornado,"PRENTISS",2017-08-31 12:43:00,CST-6,2017-08-31 12:44:00,0,0,0,0,50.00K,50000,0.00K,0,34.5998,-88.5679,34.6034,-88.5686,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","This brief tornado developed in a wooded area south of County Road 5131. It uprooted a few trees, damaged the roof and carport of an uninhabited home, and damaged the roof of a barn. The tornado dissipated just east of County Road 5031. Peak winds estimated at 70 mph." +118841,713953,IOWA,2017,July,Heavy Rain,"BREMER",2017-07-20 20:30:00,CST-6,2017-07-21 02:30:00,0,0,0,0,0.00K,0,0.00K,0,42.85,-92.1,42.85,-92.1,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Public reported heavy rainfall of 3.50 inches form morning rainfall and also reported road closures in town." +118841,713954,IOWA,2017,July,Flash Flood,"BREMER",2017-07-21 09:40:00,CST-6,2017-07-21 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.836,-92.1853,42.8306,-92.1855,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Law enforcement reported water over the road in the 2900 block of 150th st. This is a delayed report." +118841,713955,IOWA,2017,July,Flash Flood,"BREMER",2017-07-21 11:00:00,CST-6,2017-07-21 14:50:00,0,0,0,0,0.00K,0,0.00K,0,42.7834,-92.0895,42.7836,-92.0819,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Law enforcement reported road washed out at 180th st and Y ave." +127722,766000,IOWA,2017,August,Drought,"MADISON",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Extreme drought conditions developed in far southern Madison county in August with large rainfall deficits." +127722,766001,IOWA,2017,August,Drought,"WARREN",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Extreme drought conditions developed in far southern Warren county due to acute short term dryness." +127722,766002,IOWA,2017,August,Drought,"MARION",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed in Marion county due to acute short term dryness." +119563,717422,IOWA,2017,September,Heavy Rain,"MADISON",2017-09-25 15:00:00,CST-6,2017-09-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-93.81,41.29,-93.81,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported heavy rainfall of 2.00 inches." +119563,717423,IOWA,2017,September,Heavy Rain,"POLK",2017-09-25 14:15:00,CST-6,2017-09-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.73,-93.63,41.73,-93.63,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 2.50 inches on the west side of Ankeny." +121602,727805,TEXAS,2017,August,Heat,"HARRIS",2017-08-21 13:00:00,CST-6,2017-08-21 13:00:00,0,0,1,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A jogger succumbed to the heat within a Seabrook park.","A jogger died of heatstroke while jogging in a Seabrook park." +119753,720342,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 06:00:00,CST-6,2017-08-26 16:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8889,-95.5996,29.8904,-95.566,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of US 290 were closed due to flooding between the 610 Loop and FM 529 in Jersey Village." +118972,714605,IOWA,2017,August,Thunderstorm Wind,"FRANKLIN",2017-08-14 03:45:00,CST-6,2017-08-14 03:45:00,0,0,0,0,50.00K,50000,0.00K,0,42.89,-93.43,42.89,-93.43,"Elevated storms were the name of the game in the morning of the 14th before surface based convection later in the day. A surface low pressure center slowly made its way out of South Dakota and into parts of western and central Iowa. The morning round of elevated storms were strongest across northern Iowa within an environment of 500-1000 J/kg MUCAPE and effective bulk shear values around 30 to 40 kts. While most storms were sub-severe, a couple were able to produce damaging winds and hail. By the afternoon, much of the state found itself within the weak warm sector and was able to experience some weak surface based convection. As a result, no noteworthy storms developed, but a pair of funnel cloud reports were received.","Emergency manager reported a large machine shed partially destroyed, partial roof damage, a hog building with door damage and tin ripped up, and grain storage bins with damage to 2 doors. This is a delayed report and time estimated from radar." +118972,714606,IOWA,2017,August,Hail,"STORY",2017-08-14 05:30:00,CST-6,2017-08-14 05:30:00,0,0,0,0,0.00K,0,0.00K,0,42.02,-93.39,42.02,-93.39,"Elevated storms were the name of the game in the morning of the 14th before surface based convection later in the day. A surface low pressure center slowly made its way out of South Dakota and into parts of western and central Iowa. The morning round of elevated storms were strongest across northern Iowa within an environment of 500-1000 J/kg MUCAPE and effective bulk shear values around 30 to 40 kts. While most storms were sub-severe, a couple were able to produce damaging winds and hail. By the afternoon, much of the state found itself within the weak warm sector and was able to experience some weak surface based convection. As a result, no noteworthy storms developed, but a pair of funnel cloud reports were received.","Trained spotter reported brief pea to quarter sized hail between Nevada and Colo on Highway 30." +119906,718723,IOWA,2017,August,Funnel Cloud,"HUMBOLDT",2017-08-13 12:30:00,CST-6,2017-08-13 12:30:00,0,0,0,0,0.00K,0,0.00K,0,42.9026,-94.2273,42.9026,-94.2273,"A few showers were around and one produced a funnel cloud near St. Joseph.","A trained spotter reported a funnel cloud near US Hwy 169 just south of St. Joseph." +118471,711846,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-22 18:58:00,CST-6,2017-07-22 19:02:00,0,0,0,0,,NaN,,NaN,45.86,-91.07,45.86,-91.07,"A severe thunderstorm produced golf-ball sized hail northwest of the town of Winter.","" +119753,720815,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 13:15:00,CST-6,2017-08-26 14:30:00,0,0,0,0,0.00K,0,0.00K,0,29.3757,-94.7289,29.4971,-94.5058,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Low lying sections of Highway 87 on the Bolivar Peninsula were flooded due to rain." +119753,721133,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-29 11:58:00,CST-6,2017-08-30 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,29.3132,-94.7732,29.3146,-94.769,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Areas along Highway 87, or Ferry Drive south of Harborside Drive, were flooded and impassable." +119753,720805,TEXAS,2017,August,Flash Flood,"POLK",2017-08-26 12:15:00,CST-6,2017-08-26 14:30:00,0,0,0,0,300.00M,300000000,0.00K,0,30.8564,-95.1897,30.5365,-95.1416,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There was high flood water on roads FM 3126 and FM 356 along the eastern shore of Lake Livingston.||The lowest homes and businesses within close vicinity of the lake, Trinity River and Long King Creek flooded. Roads along the southern end of Lake Livingston such as FM 3278 were inaccessible, FM 3128 and FM 1988 near Long King Creek were flooded. Major lowland flooding occurred on the Trinity River near Goodrich." +119753,728401,TEXAS,2017,August,Flash Flood,"MONTGOMERY",2017-08-26 08:08:00,CST-6,2017-08-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,30.1642,-95.4726,30.4249,-95.5062,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Heavy rain from first rain band caused flash flooding on portions of Interstate 45 between The Woodlands and Conroe with several reports of roads impassable." +119833,718460,MISSISSIPPI,2017,August,Flash Flood,"TATE",2017-08-31 15:10:00,CST-6,2017-08-31 16:10:00,0,0,0,0,0.00K,0,0.00K,0,34.6187,-89.9784,34.6157,-89.9776,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Main Street was flooded with almost a foot of water impeding traffic." +119833,718462,MISSISSIPPI,2017,August,Flash Flood,"MARSHALL",2017-08-31 18:20:00,CST-6,2017-08-31 19:20:00,0,0,0,0,0.00K,0,0.00K,0,34.9814,-89.6866,34.9759,-89.6871,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Oakwood Drive flooded in the Barton community." +119833,718633,MISSISSIPPI,2017,August,Tornado,"ITAWAMBA",2017-08-31 12:23:00,CST-6,2017-08-31 12:27:00,0,0,0,0,150.00K,150000,0.00K,0,34.4294,-88.5135,34.4615,-88.5325,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","This tornado developed in a wooded area south of Houston-Palestine Road. As the tornado crossed Houston-Palestine Road, it damaged trees and two mobile homes. The tornado damaged trees along Natchez Trace Parkway and homes along Palestine Road. The most significant damage occurred along Highway 370 where a double-wide mobile home was carried 100 feet and a small commercial building suffered roof damage. The tornado dissipated north of Highway 370. Peak winds were estimated at 105 to 110 mph." +119833,718737,MISSISSIPPI,2017,August,Tornado,"LEE",2017-08-31 12:13:00,CST-6,2017-08-31 12:15:00,0,0,0,0,0.00K,0,0.00K,0,34.3144,-88.7272,34.3287,-88.7342,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","A weak tornado touched down in an open field west of Beech Springs. Peak winds were estimated at 60 mph." +119753,720852,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-26 18:40:00,CST-6,2017-08-29 20:00:00,0,0,3,0,8.00B,8000000000,50.00K,50000,29.4493,-96.0027,29.8075,-95.809,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous road closures around the Rosenberg and Richmond areas. Some of these roads included Highway 90 at Highway 36 and Lane Drive, Lane Drive at Mustang Road and I-69 at FM 762 and Reading Road. Major record level flooding of both the Brazos and San Bernard Rivers caused significant home flooding from Richmond to Rosharon. Massive flooding occurred in Tierra Grande subdivision along the San Bernard River in southwestern Fort Bend County. Home flooding occurred at Valley Lodge in Simonton, along Edgewood and Baudet Roads in Richmond, along Bar, Barker, Cumings, Sixth Street, Avenue B and Rio Brazos Roads in Rosenberg. Sections of FM 2759 as well as the Grand River, Rivers Edge and Pecan Estates in Thompsons flooded. Many countywide roads became inundated in flood waters including, but not limited to, Highway 90A, Pitts Road, FM 1489, FM 723, FM 1093, FM 359, SH 6 feeder roads, Sienna Parkway, Carrol Road, McKeever Road, Knights Court, Miller Road, river Oaks Road, Thompsons Ferry Road, Strange Drive, Greenwood Drive, Second Street and low lying roads in Quail Valley in Missouri City. Due to record pool levels in Barker Reservoir, homes in Cinco Ranch flooded. Big Creek flooding in Needville caused the flooding of homes on Ansel Road. Flooding being reported in or within homes in Missouri City with water rescues being conducted off of the Westpark Tollway in the Jeanetta Sharpstown area." +118510,712052,MINNESOTA,2017,July,Thunderstorm Wind,"PINE",2017-07-17 18:05:00,CST-6,2017-07-17 18:05:00,0,0,0,0,,NaN,,NaN,46.42,-92.77,46.42,-92.77,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118510,712057,MINNESOTA,2017,July,Thunderstorm Wind,"PINE",2017-07-17 18:25:00,CST-6,2017-07-17 18:25:00,0,0,0,0,,NaN,,NaN,46.01,-92.94,46.01,-92.94,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","A few trees were either blown down or their trunks were snapped aloft. The largest tree affected was a 26 inch diameter elm tree snapped 8 feet off the ground." +119753,723652,TEXAS,2017,August,Tropical Storm,"AUSTIN",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +118399,711512,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:23:00,CST-6,2017-07-19 15:23:00,0,0,0,0,10.00K,10000,0.00K,0,43.33,-93.64,43.33,-93.64,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported multiple trees down and power line damage in town. This is delayed report and time estimated from radar." +118399,711513,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:25:00,CST-6,2017-07-19 15:25:00,0,0,0,0,0.00K,0,0.00K,0,43.42,-93.53,43.42,-93.53,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported trees down in town. This is a delayed report and time estimated from radar." +118399,711524,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-19 15:46:00,CST-6,2017-07-19 15:46:00,0,0,0,0,10.00K,10000,0.00K,0,43.15,-93.2,43.15,-93.2,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Emergency manager reported multiple locations with trees down in Mason City. This is a delayed report and time estimated from radar." +118396,711480,IOWA,2017,July,Funnel Cloud,"HAMILTON",2017-07-12 14:15:00,CST-6,2017-07-12 14:15:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-93.5,42.32,-93.5,"A cold front found itself moving across Iowa from northwest to southeast during the day and was able to initiate a number of strong storms. With observations around 90 degrees for highs with dew points well into the 70s, MUCAPE values exceeded 3500 J/kg along with 25-35 kts of effective bulk shear. While indications are that there was not significant 0-1 km helicity, initial storms along the boundary generated a few funnel clouds before strengthening and eventually producing marginal severe hail and a few damaging wind reports.","Public shared images of a funnel cloud near Radcliffe off of Interstate 35." +120997,724247,IOWA,2017,October,Frost/Freeze,"CERRO GORDO",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724248,IOWA,2017,October,Frost/Freeze,"HANCOCK",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724249,IOWA,2017,October,Frost/Freeze,"FRANKLIN",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724250,IOWA,2017,October,Frost/Freeze,"WRIGHT",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724263,IOWA,2017,October,Frost/Freeze,"CASS",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724264,IOWA,2017,October,Frost/Freeze,"UNION",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724265,IOWA,2017,October,Frost/Freeze,"ADAMS",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724266,IOWA,2017,October,Frost/Freeze,"RINGGOLD",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +119753,720871,TEXAS,2017,August,Flash Flood,"GALVESTON",2017-08-26 22:00:00,CST-6,2017-08-30 00:00:00,0,0,3,3,10.00B,10000000000,10.00K,10000,29.4972,-94.9164,29.38,-94.8669,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues across western and central Galveston County. Flood waters completely inundated hundreds to thousands of homes and businesses in League City, Dickinson and Santa Fe. Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads. Approximately 7,000 homes and 125 businesses were impacted by flood waters across the county. Clear Creek measured record levels that lead to the widespread flooding throughout Friendswood and League City. Major flooding occurred along the Dickinson Bayou; from Cemetery Road to east of Highway 3 along FM 517. Flood waters inundated sections of Interstate 45, Bay Area Boulevard, FM 528, FM 518 and numerous primary and secondary county roads. There were numerous water rescues and flooded homes within the Friendswood, Pearland and Dickinson areas." +118841,713963,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 06:36:00,CST-6,2017-07-22 12:35:00,0,0,0,0,0.00K,0,0.00K,0,42.8091,-92.3431,42.8088,-92.3298,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Law enforcement reported water over portions of Highway 63 west of Tripoli. Depth was unknown, but noted water covering several locations of the highway." +119753,728395,TEXAS,2017,August,Flash Flood,"WALKER",2017-08-26 21:00:00,CST-6,2017-08-30 00:00:00,0,0,1,0,600.00M,600000000,10.00K,10000,30.5168,-95.3895,30.8414,-95.3449,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced torrential rains and moderate to major flooding over portions of Walker County. Areas along the Trinity River and Bedias Creek were among the areas impacted. There were numerous road closures including FM1375, SH75 at Bedias Creek, FM1791, FM2989, and FM3478. High water occurred on Interstate 45 but it remained passable." +118473,711861,MINNESOTA,2017,July,Thunderstorm Wind,"CASS",2017-07-21 18:10:00,CST-6,2017-07-21 18:10:00,0,0,0,0,,NaN,,NaN,46.49,-94.36,46.49,-94.36,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Power lines were blown down across Abby Way near the intersection with Interlachen Road." +118473,711862,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-21 18:10:00,CST-6,2017-07-21 18:10:00,0,0,0,0,,NaN,,NaN,46.97,-92.22,46.97,-92.22,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Several large trees were blown down and a few trees were uprooted. Some of the trees fell on a home." +118473,711863,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-21 18:24:00,CST-6,2017-07-21 18:24:00,0,0,0,0,,NaN,,NaN,46.94,-92.26,46.94,-92.26,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","A home was damaged when a 16 inch diameter tree was blown over by thunderstorm winds. A 20 inch diameter tree was snapped at the base of its trunk by the winds." +118473,711864,MINNESOTA,2017,July,Thunderstorm Wind,"AITKIN",2017-07-21 18:30:00,CST-6,2017-07-21 18:30:00,0,0,0,0,,NaN,,NaN,46.61,-93.31,46.61,-93.31,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Several trees were blown down." +118473,711865,MINNESOTA,2017,July,Hail,"AITKIN",2017-07-21 18:35:00,CST-6,2017-07-21 18:35:00,0,0,0,0,,NaN,,NaN,46.62,-93.54,46.62,-93.54,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","" +119563,717429,IOWA,2017,September,Heavy Rain,"POLK",2017-09-25 13:15:00,CST-6,2017-09-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-93.8,41.64,-93.8,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 3.50 inches near 128th and Meredith in Urbandale." +119563,717430,IOWA,2017,September,Heavy Rain,"BUTLER",2017-09-25 16:00:00,CST-6,2017-09-25 21:45:00,0,0,0,0,0.00K,0,0.00K,0,42.78,-92.67,42.78,-92.67,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 2.84 inches." +120512,722001,IOWA,2017,September,Thunderstorm Wind,"CRAWFORD",2017-09-15 05:35:00,CST-6,2017-09-15 05:35:00,0,0,0,0,20.00K,20000,0.00K,0,42.0091,-95.1499,42.0091,-95.1499,"A few storms occurred through the early morning hours on the 15th with one storm producing some wind damage to a farmstead in eastern Crawford County.","Damage was done to outbuildings and trees on the farmstead." +118841,713962,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 04:42:00,CST-6,2017-07-22 12:35:00,0,0,0,0,50.00K,50000,0.00K,0,42.8609,-92.0826,42.8409,-92.0847,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Emergency manager reported total evacuations in Sumner now. Numerous roads continue to be underwater. Electrical power in Sumner has been interrupted as well." +118841,713964,IOWA,2017,July,Flash Flood,"BREMER",2017-07-22 06:36:00,CST-6,2017-07-22 12:35:00,0,0,0,0,0.00K,0,0.00K,0,42.7223,-92.1832,42.7206,-92.1633,"A weak semi-stationary boundary remained draped across Iowa in the overnight hours of the 20th into the 21st, which acted as a focus for initial storm development. Storms early in the evening moved off to the southeast and was relatively quiet until the low level jet kicked in. The overall convective environment was modest with MUCAPE values around 1000-2000 J/kg and unsupportive effective shear and best supported widespread back building convection. While there were not many heavy rainfall reports, a report of 3.50 inches was made on the morning of the 21st. Radar estimates put many areas in excess of 5 inches, causing local river and flash flooding. Through the day and next evening, scattered storms and low level jet induced convection added another local 1 to 2 inches and exacerbated some localized flash flooding issues.","Law enforcement reported secondary roads just east-northeast of Readlyn covered with water and Highway 3 close to being inundated." +119753,720829,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 16:00:00,CST-6,2017-08-26 17:30:00,0,0,0,0,0.00K,0,0.00K,0,30.0044,-95.7397,30.0067,-95.6779,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flash flooding was reported in and around the town of Cypress." +119753,728390,TEXAS,2017,August,Flash Flood,"SAN JACINTO",2017-08-26 22:00:00,CST-6,2017-08-29 12:00:00,0,0,3,0,350.00M,350000000,10.00K,10000,30.3244,-95.2048,30.5222,-95.3545,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced very heavy rainfall and flooding over portions of San Jacinto County. Major lowland flooding occurred near the Trinity River and areas below Lake Livingston. There was a report of high water closing Marie Street in Shepherd with numerous reports of other flooded roadways around the county. Many roads and homes along the southern end of Lake Livingston were inundated. FM 3278 was inaccessible due to the inundation of flood waters. Major lowland flooding occurred on the Trinity River near Goodrich. Hundreds to thousands of homes received various levels of damage from flooding; from minor to being completely destroyed.There were 3 fatalities, all direct." +119753,728349,TEXAS,2017,August,Flash Flood,"MONTGOMERY",2017-08-27 20:00:00,CST-6,2017-08-30 00:00:00,0,0,3,1,7.00B,7000000000,10.00K,10000,30.0408,-95.2487,30.1168,-95.8557,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tropical Storm Harvey brought heavy rains and catastrophic flooding to portions of Montgomery County. There were 5 storm related fatalities, 3 direct. Major record flooding occurred along the San Jacinto River and tributaries. Water was reported over sections of I-45 northbound where TXDOT reported flooding at the FM 1097 intersection. Water was reported over sections of I-45 northbound where TXDOT reported flooding at the FM 1097 intersection. Record pool levels on Lake Conroe required downstream releases that flooded numerous downstream homes, businesses and vehicles. Major flooding occurred along the San Jacinto River and the east Fork of the San Jacinto and its tributaries inundated tens to hundreds of residential subdivisions. There were hundreds of flooded homes along Lake, Spring, Peach and Caney Creeks. There were impassable roads due to high water at Horseshoe Circle and Painted Blvd off the Grand Parkway, 19000 block of David Memorial from Sam's Club to Shenandoah Park, the 11000 block of River Oaks Drive, the 45 northbound lanes at Highway 242 and Hines Road in Willis. Flash flooding led to numerous road closures including FM149, FM1484, FM1485, FM1486, FM1774, FM2090 SH105 and others." +119753,721321,TEXAS,2017,August,Flash Flood,"JACKSON",2017-08-25 23:45:00,CST-6,2017-08-26 02:45:00,0,0,0,0,100.00K,100000,0.00K,0,29.1204,-96.8479,28.9542,-96.7566,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","County roads 283, 284, 401, and 127 north of the town of Edna were inundated with flood waters." +118399,711515,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:33:00,CST-6,2017-07-19 15:33:00,0,0,0,0,75.00K,75000,0.00K,0,43.2845,-93.3502,43.357,-93.3493,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported overturned semis along I-35 around mile markers 203, 205, 207, and 208. This is a delayed report and time estimated from radar." +118399,711517,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:37:00,CST-6,2017-07-19 15:37:00,0,0,0,0,25.00K,25000,0.00K,0,43.29,-93.35,43.29,-93.35,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Emergency manager reports semis blown over on I-35 near Highway 9. This is a delayed report and time estimated from radar." +119833,718890,MISSISSIPPI,2017,August,Strong Wind,"TIPPAH",2017-08-31 14:09:00,CST-6,2017-08-31 14:14:00,0,0,0,0,2.00K,2000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","High winds knocked down a couple of trees on state highway 2 east of ripley." +119833,718893,MISSISSIPPI,2017,August,Strong Wind,"DE SOTO",2017-08-31 15:30:00,CST-6,2017-08-31 17:30:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Widespread trees and power lines down across the county." +119833,718635,MISSISSIPPI,2017,August,Tornado,"BENTON",2017-08-31 10:57:00,CST-6,2017-08-31 10:58:00,0,0,0,0,25.00K,25000,0.00K,0,34.9455,-89.3006,34.9491,-89.3024,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","This brief tornado occurred just west of the intersection of Highway 7 and Highway 72 in northwest Benton County. The tornado uprooted a few trees and unroofed a metal barn. Peak winds estimated at 70 mph." +119833,718459,MISSISSIPPI,2017,August,Flash Flood,"TUNICA",2017-08-31 14:19:00,CST-6,2017-08-31 17:29:00,0,0,0,0,25.00K,25000,0.00K,0,34.6835,-90.406,34.6558,-90.4206,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Several roads closed across the county. Forestdale Road closed due to high water. A few houses had water inside." +119906,718727,IOWA,2017,August,Funnel Cloud,"HANCOCK",2017-08-13 13:21:00,CST-6,2017-08-13 13:21:00,0,0,0,0,0.00K,0,0.00K,0,43.1449,-93.9211,43.1449,-93.9211,"A few showers were around and one produced a funnel cloud near St. Joseph.","Public reported a funnel cloud via social media. This is a delayed report and time estimated from radar." +119827,718453,ARKANSAS,2017,August,Flash Flood,"POINSETT",2017-08-31 07:10:00,CST-6,2017-08-31 13:15:00,0,0,0,0,0.00K,0,0.00K,0,35.57,-90.6844,35.5705,-90.7287,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Heavy rain resulted in flash flooding in Harrisburg with several streets flooded including Highway 14 east of town and Griffin Street." +119827,718455,ARKANSAS,2017,August,Flash Flood,"MISSISSIPPI",2017-08-31 09:10:00,CST-6,2017-08-31 11:00:00,0,0,0,0,0.00K,0,0.00K,0,35.9388,-89.9113,35.9241,-89.9099,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Several roads were flooded near the Blytheville Elementary School." +118399,711521,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:40:00,CST-6,2017-07-19 15:40:00,0,0,0,0,0.00K,0,0.00K,0,43.28,-93.35,43.28,-93.35,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Iowa DOT RWIS in Hanlontown recorded a 60 mph wind gust." +118395,711471,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-10 00:35:00,CST-6,2017-07-10 00:45:00,0,0,0,0,25.00K,25000,100.00K,100000,43.07,-93.71,43.0067,-93.6207,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Emergency manager reported significant wind-driven hail damage to corn and bean fields between Britt and Klemme. Golf ball or larger hail and 70 to 80 mph winds pulverized 5 to 6 foot cornstalks to stubble. Trees and power lines also downed." +118395,711478,IOWA,2017,July,Thunderstorm Wind,"TAMA",2017-07-10 02:00:00,CST-6,2017-07-10 02:00:00,0,0,0,0,20.00K,20000,0.00K,0,42.26,-92.46,42.26,-92.46,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Iowa DOT reported power lines down along Highway 63 at mile marker 144. Time estimated from radar." +118399,711523,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-19 15:45:00,CST-6,2017-07-19 15:45:00,0,0,0,0,0.00K,0,0.00K,0,43.15,-93.34,43.15,-93.34,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Mason City Municipal Airport recorded a 63 mph wind gust." +118522,712083,WISCONSIN,2017,July,Hail,"BAYFIELD",2017-07-06 17:30:00,CST-6,2017-07-06 17:30:00,0,0,0,0,,NaN,,NaN,46.27,-91.28,46.27,-91.28,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712084,WISCONSIN,2017,July,Hail,"ASHLAND",2017-07-06 17:36:00,CST-6,2017-07-06 17:36:00,0,0,0,0,,NaN,,NaN,46.58,-90.87,46.58,-90.87,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712085,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-06 18:08:00,CST-6,2017-07-06 18:08:00,0,0,0,0,0.00K,0,0.00K,0,46.04,-91.45,46.04,-91.45,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712086,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-06 18:21:00,CST-6,2017-07-06 18:21:00,0,0,0,0,,NaN,,NaN,45.86,-91.07,45.86,-91.07,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712087,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-06 18:33:00,CST-6,2017-07-06 18:33:00,0,0,0,0,,NaN,,NaN,46.02,-91.36,46.02,-91.36,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +119753,721322,TEXAS,2017,August,Flash Flood,"JACKSON",2017-08-26 02:45:00,CST-6,2017-08-26 05:30:00,0,0,0,0,100.00K,100000,0.00K,0,29.0959,-96.9598,28.8869,-96.8486,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Numerous roads and bridges north of Highway 59 and west of FM 822 were inundated with flood waters." +118399,711510,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:15:00,CST-6,2017-07-19 15:15:00,0,0,0,0,0.00K,0,0.00K,0,43.37,-93.77,43.37,-93.77,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Trained spotter reported an evergreen tree uprooted in their yard. This is a delayed report and time estimated from radar." +118399,711511,IOWA,2017,July,Thunderstorm Wind,"WINNEBAGO",2017-07-19 15:23:00,CST-6,2017-07-19 15:23:00,0,0,0,0,25.00K,25000,0.00K,0,43.26,-93.64,43.26,-93.64,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported multiple broken windows, power lines down, and trees downed in town. Time estimated from radar and this is a delayed report." +120997,724267,IOWA,2017,October,Frost/Freeze,"TAYLOR",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +119949,718911,TENNESSEE,2017,August,Heat,"SHELBY",2017-08-20 10:00:00,CST-6,2017-08-20 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Upper level high pressure built over the Mid-South from mid to late July. High temperatures combined with high humidity to create dangerous conditions across much of the Mid-South.","Heat index values climbed above 105 degrees." +118399,711507,IOWA,2017,July,Thunderstorm Wind,"KOSSUTH",2017-07-19 14:57:00,CST-6,2017-07-19 14:57:00,0,0,0,0,2.00K,2000,0.00K,0,43.42,-94.16,43.42,-94.16,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Public relayed pictures via twitter of trees snapped and other tree damage in the Ledyard area. Time estimated by radar and this is a delayed report." +119832,718458,TENNESSEE,2017,August,Flash Flood,"SHELBY",2017-08-31 14:00:00,CST-6,2017-08-31 15:00:00,0,0,0,0,0.00K,0,0.00K,0,35.1134,-90.0294,35.1108,-90.03,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","The intersection of Trigg Avenue and College Street was flooded with more than a foot of water." +119832,718895,TENNESSEE,2017,August,Strong Wind,"BENTON",2017-08-31 21:40:00,CST-6,2017-08-31 23:50:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"The remnants of Harvey tracked across the Mid-South with heavy rain and gusty winds. There were several reports of flash flooding and a few tornadoes.","Several trees reported down across the county with scattered power outages. Trees were reported down across Highway 70 just west of the 641 bypass. Two large trees were knocked down, blocking Cedar Lakes Road." +118399,711516,IOWA,2017,July,Thunderstorm Wind,"HANCOCK",2017-07-19 15:35:00,CST-6,2017-07-19 15:35:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-93.62,43.24,-93.62,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Forest City Airport AWOS recorded a 66 mph wind gust." +118399,711518,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-19 15:39:00,CST-6,2017-07-19 15:39:00,0,0,0,0,10.00K,10000,0.00K,0,43.14,-93.37,43.14,-93.37,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Dispatch reported numerous trees down and power lines down. This is a delayed report and time estimated from radar." +118395,711479,IOWA,2017,July,Thunderstorm Wind,"TAMA",2017-07-10 02:19:00,CST-6,2017-07-10 02:19:00,0,0,0,0,20.00K,20000,0.00K,0,42.23,-92.47,42.23,-92.47,"During the evening of the 9th strong to severe storms initiated in parts of southern and western Minnesota near a surface low pressure center and attendant boundary and proceeded to move SE towards Iowa. Eventually, prior to their entry into northern Iowa, the storms generally congealed and formed an MCS and rode the MUCAPE gradient S/SE into northern Iowa and produced numerous damaging wind reports and a couple for severe hail in the hours after midnight/early morning on the 10th. The general environment was highly supportive for strong storms with MUCAPE values in excess of 2000 J/kg, and effective bulk shear in excess of 50 kts.","Law enforcement reported power lines blown down onto a semi trailer. This is a delayed report and time estimated from radar." +118390,711451,IOWA,2017,July,Hail,"GREENE",2017-07-03 21:15:00,CST-6,2017-07-03 21:15:00,0,0,0,0,0.00K,0,0.00K,0,42.17,-94.26,42.17,-94.26,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Trained spotter reported quarter sized hail." +119563,717421,IOWA,2017,September,Thunderstorm Wind,"HARDIN",2017-09-25 15:21:00,CST-6,2017-09-25 15:21:00,0,0,0,0,10.00K,10000,0.00K,0,42.52,-93.23,42.52,-93.23,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported wind damage in and near Iowa Falls, including tree branches and power pole damage. This is a delayed report. Time and location estimated based on radar." +118399,711526,IOWA,2017,July,Thunderstorm Wind,"BREMER",2017-07-19 16:45:00,CST-6,2017-07-19 16:45:00,0,0,0,0,5.00K,5000,0.00K,0,42.85,-92.1,42.85,-92.1,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","KWWL reported via twitter of trees and power lines down in Sumner. Time estimated from radar." +118399,711525,IOWA,2017,July,Thunderstorm Wind,"CERRO GORDO",2017-07-19 15:48:00,CST-6,2017-07-19 15:48:00,0,0,0,0,0.00K,0,0.00K,0,43.24,-93.12,43.24,-93.12,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Amateur radio operator reported trees down in Plymouth. Report came through social media. Time estimated from radar." +118390,711452,IOWA,2017,July,Thunderstorm Wind,"WARREN",2017-07-04 15:05:00,CST-6,2017-07-04 15:05:00,0,0,0,0,5.00K,5000,0.00K,0,41.47,-93.56,41.47,-93.56,"A weak frontal boundary floated around Iowa for a few days, acting as an area to initiate afternoon thunderstorms. In the vast majority of cases storms were sub-severe, but a few were near-severe to severe with regards to hail and wind within daily environments of 2000-3000 MUCAPE at times and effective bulk shear under 25 kts.","Emergency manager reported a power line down and tree limbs down. This is a delayed report." +118398,714595,IOWA,2017,July,Funnel Cloud,"WORTH",2017-07-18 18:40:00,CST-6,2017-07-18 18:40:00,0,0,0,0,0.00K,0,0.00K,0,43.2853,-93.2169,43.2853,-93.2169,"A weak boundary found itself situated across parts of northern Iowa during the afternoon and initiated a number of storms during the afternoon and evening hours. The environment, while unstable with 2000-3000 J/kg MUCAPE, was generally unsupportive for severe storm development. An initial storm along the front was able to experience enough low level spin and stretching to produce a funnel cloud report in Cerro Gordo County.","The public reported a funnel cloud near Manly." +118473,711866,MINNESOTA,2017,July,Thunderstorm Wind,"ST. LOUIS",2017-07-21 20:05:00,CST-6,2017-07-21 20:05:00,0,0,0,0,,NaN,,NaN,46.91,-92.11,46.91,-92.11,"Two storm systems, one to the north and the other to south, moved across most of northeastern Minnesota. The northern storm caused hail and sporadic wind damage until it moved to the north and northeast of Duluth where it blew down numerous trees in the Fredenberg and Island Lake areas. The southern storm system evolved into a bow echo that produced damaging winds.","Several trees were blown down across a road." +118522,712088,WISCONSIN,2017,July,Hail,"SAWYER",2017-07-06 18:37:00,CST-6,2017-07-06 18:37:00,0,0,0,0,,NaN,,NaN,45.85,-91.54,45.85,-91.54,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712089,WISCONSIN,2017,July,Hail,"WASHBURN",2017-07-06 19:02:00,CST-6,2017-07-06 19:02:00,0,0,0,0,,NaN,,NaN,45.82,-91.89,45.82,-91.89,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","" +118522,712090,WISCONSIN,2017,July,Thunderstorm Wind,"SAWYER",2017-07-06 17:45:00,CST-6,2017-07-06 17:45:00,0,0,0,0,,NaN,,NaN,46.01,-91.46,46.01,-91.46,"Several severe thunderstorms moved across northern Wisconsin and produced large hail and strong, gusty winds. Hail stones ranged in size from dime size up to a hen's egg size. The winds blew down several trees.","Several trees were blown down and some were uprooted. One fallen tree damaged a wooden fence. Another tree was struck by lightning." +118515,712063,WISCONSIN,2017,July,Thunderstorm Wind,"BURNETT",2017-07-17 19:25:00,CST-6,2017-07-17 19:25:00,0,0,0,0,,NaN,,NaN,45.95,-92.28,45.95,-92.28,"A bow-like thunderstorm moved across from Minnesota into Wisconsin producing strong winds that caused tree damage in Burnett County on the evening of July 17th. The winds knocked down a large tree that subsequently blocked a lane of traffic between Oakland and Jackson Township in Wisconsin.","A tree that was blown down on County Road T blocked a lane of traffic between Oakland and Jackson townships." +119563,717425,IOWA,2017,September,Heavy Rain,"DALLAS",2017-09-25 14:15:00,CST-6,2017-09-25 20:00:00,0,0,0,0,0.00K,0,0.00K,0,41.59,-93.83,41.59,-93.83,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Trained spotter reported storm total heavy rainfall of 2.10 inches." +119563,717426,IOWA,2017,September,Heavy Rain,"WEBSTER",2017-09-25 13:00:00,CST-6,2017-09-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,42.26,-94.07,42.26,-94.07,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 3.00 inches." +119563,717427,IOWA,2017,September,Heavy Rain,"DALLAS",2017-09-25 12:30:00,CST-6,2017-09-25 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.51,-94.06,41.51,-94.06,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 2.60 inches between Earlham and De Soto." +119563,717428,IOWA,2017,September,Heavy Rain,"POLK",2017-09-25 14:30:00,CST-6,2017-09-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.82,-93.61,41.82,-93.61,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 2.60 inches." +120868,723699,IOWA,2017,October,Thunderstorm Wind,"MAHASKA",2017-10-21 20:20:00,CST-6,2017-10-21 20:20:00,0,0,0,0,20.00K,20000,0.00K,0,41.2118,-92.4813,41.2118,-92.4813,"A strong cold front made its way across Iowa from west to east throughout the day and evening on October 21st. The progressive cold front triggered a line of storms that was able to utilize an environment with around 500 to 1000 J/kg of MUCAPE and effective shear north of 40 kts. Even so, only a lone severe report was received north of the city of Ottumwa, near Fremont. Otherwise, predominantly brief heavy rainfall and lighting were the main issues with the linear storms.","Law enforcement reported power lines down and a machine shed damaged near the intersection of Urbana Ave and Highway 23. The road was blocked due to downed power lines. This is a delayed report and time estimated from radar." +119753,728921,TEXAS,2017,August,Flash Flood,"AUSTIN",2017-08-27 04:57:00,CST-6,2017-08-29 16:00:00,0,0,0,0,100.00K,100000,50.00K,50000,29.62,-96.07,29.7705,-96.0439,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Numerous roads closed due to flooding including but not limited to FM109, FM 331, FM 2429, FM 1093 and SH 36. Moderate, yet record, flooding along the Brazos at San|Felipe caused several homes to flood along FM 1458. Inundation ranged from 4 to 7 feet of water. Minimal impacts were observed at Mill creek near Bellville. No impacts were observed from the minor flooding at the Brazos river near Hempstead." +119563,717424,IOWA,2017,September,Heavy Rain,"POLK",2017-09-25 13:30:00,CST-6,2017-09-25 19:30:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-93.72,41.77,-93.72,"A slow moving cold front worked its way across Iowa from northwest to southeast from the 24th through the 26th. With its slow moving nature, it was a decent setup for areas to see repeated rounds of rainfall. While the convective environment was not overly conducive for severe weather, a cluster of storms near Iowa Falls was able to produce damaging winds for a short period of time. Otherwise, the overall setup produced training storms and heavy rainfall thanks to the slow moving front, unstable air mass, and mean winds flowing parallel to the front. A number of locations received in excess of 3 inches of rainfall.","Public reported storm total heavy rainfall of 3.47 inches." +120216,720276,TEXAS,2017,August,Tropical Storm,"CALDWELL",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Winds gusted to well over 50 mph across Caldwell County bringing some minor damage to trees and buildings. Minor structural damage was noted. The highest rainfall totals recorded across Caldwell County were between 15-20 inches across mainly north and east sections of the County. A few people were evacuated downstream of a small dam. ||Heavy rain from Tropical Storm Harvey caused major flooding around the county. At one time, 140 roads were closed the most ever recorded. The emergency manager estimated that 75% of the county's roads were damaged by flooding. The cost of the damage to roads and dams was estimated at $10 million. There were 18 homes destroyed and another 198 damaged by flood water with a total cost of $2.85 million." +120216,720280,TEXAS,2017,August,Tropical Storm,"GUADALUPE",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,50.00K,50000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Winds frequently gusted to over 50 mph during the event, producing scattered power outages and tree damage. Some trees were uprooted. Much of the county received 8-12 inches of rain, producing flooding on some roads and low water crossings. The highest recorded rain total near 12 inches was near Kingsbury. Monetary losses are estimated." +120997,724258,IOWA,2017,October,Frost/Freeze,"BOONE",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724259,IOWA,2017,October,Frost/Freeze,"GREENE",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724260,IOWA,2017,October,Frost/Freeze,"GUTHRIE",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724261,IOWA,2017,October,Frost/Freeze,"AUDUBON",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724262,IOWA,2017,October,Frost/Freeze,"ADAIR",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120216,720275,TEXAS,2017,August,Tropical Storm,"BEXAR",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum recorded wind gust was 58 mph at Randolph AFB. Areas of Bexar County received as little as 1 inch of rain in the SW part of the County, to nearly 6 inches in the far NE sections of Bexar County. A few low water crossings were flooded. Tropical storm force winds with estimated gusts up to 60 mph caused some minor tree damage, uprooted trees, and knocked out power." +120216,720625,TEXAS,2017,August,Flood,"CALDWELL",2017-08-26 19:59:00,CST-6,2017-08-28 04:45:00,0,0,0,0,12.85M,12850000,0.00K,0,29.9623,-97.7069,29.9515,-97.549,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey caused major flooding around the county. At one time, 140 roads were closed the most ever recorded. The emergency manager estimated that 75% of the county's roads were damaged by flooding. The cost of the damage to roads and dams was estimated at $10 million. There were 18 homes destroyed and another 198 damaged by flood water with a total cost of $2.85 million." +118399,711522,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:41:00,CST-6,2017-07-19 15:41:00,0,0,0,0,0.00K,0,0.00K,0,43.29,-93.2,43.29,-93.2,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","Emergency manager reported trees down in Manly. This is a delayed report and time estimated from radar." +118399,711514,IOWA,2017,July,Thunderstorm Wind,"WORTH",2017-07-19 15:33:00,CST-6,2017-07-19 15:33:00,0,0,0,0,0.00K,0,0.00K,0,43.26,-93.42,43.26,-93.42,"Strong thunderstorms initiated well to the west of the area the previous night, primarily in western South Dakota, and proceeded to track east southeast through the morning towards northern Iowa. By the afternoon, instability had picked up to around 3000-4000 J/kg MUCAPE with 50+ kts of effective bulk shear. The result was a strong and damaging wind producing MCS that moved across north-central and northeast Iowa which produced a number of wind damage and wind gust reports.","County dispatch reported trees down and power outages in town. This is a delayed report and time estimated from radar." +127722,766013,IOWA,2017,August,Drought,"DAVIS",2017-08-01 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Acute short term dryness continued to lead to worsening drought conditions over portions of central Iowa during August 2017.","Severe drought conditions developed in much of Davis county due to acute short term dryness." +118510,712043,MINNESOTA,2017,July,Hail,"ITASCA",2017-07-17 17:40:00,CST-6,2017-07-17 17:40:00,0,0,0,0,,NaN,,NaN,47.4,-93.09,47.4,-93.09,"Severe thunderstorms moved across portions of northeast Minnesota. The storms' winds blew down many trees and produced hail stones that ranged from dime size to tennis ball size.","" +118318,710994,ARIZONA,2017,July,Wildfire,"EASTERN COCHISE COUNTY BELOW 5000 FEET",2017-07-01 00:00:00,MST-7,2017-07-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Lizard Fire ignited in the Dragoon Mountains on June 7th. The fire spread rapidly due to strong winds and merged with the Dragoon Fire. The fire consumed over 15,000 acres in the first few days but was not fully contained until July 19th.","The lightning caused Lizard Fire started in the Dragoon Mountains on June 7th and quickly spread due to strong winds. The fire merged with the Dragoon Fire which caused an increase in acreage to nearly 15,000 acres. The fire was not fully contained until July 19th but additional fire spread was minimal during July with a total of 15,230 acres consumed." +118318,710995,ARIZONA,2017,July,Wildfire,"DRAGOON/MULE/HUACHUCA AND SANTA RITA MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Lizard Fire ignited in the Dragoon Mountains on June 7th. The fire spread rapidly due to strong winds and merged with the Dragoon Fire. The fire consumed over 15,000 acres in the first few days but was not fully contained until July 19th.","The lightning caused Lizard Fire started in the Dragoon Mountains on June 7th and quickly spread due to strong winds. The fire merged with the Dragoon Fire which caused an increase in acreage to nearly 15,000 acres. The fire was not fully contained until July 19th but additional fire spread was minimal during July with a total of 15,230 acres consumed." +118321,711001,ARIZONA,2017,July,Wildfire,"CHIRICAHUA MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-10 15:48:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The Swisshelms Fire started on June 27th, possibly due to spotting from the smaller Saddle Fire which was ongoing to its south. The Swisshelms Fire quickly spread due to strong winds and was not fully contained until July 10th, after nearly 11,000 acres had been burned.","The Swisshelms Fire started on June 27th in the Swisshelms Mountains and spread quickly due to strong winds. By the end of June the fire had consumed 7250 acres. The fire was not fully contained until July 10th after a total of 10,950 acres burned." +121266,725981,COLORADO,2017,November,Winter Storm,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-11-17 04:00:00,MST-7,2017-11-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough moving across the region generated heavy snow and gusty winds. Some of the higher reported snow amounts with this event included eight inches near Leadville, 12 inches near Wolf Creek Pass and 13 inches of snow covering Monarch Pass.","" +121266,725982,COLORADO,2017,November,Winter Storm,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-11-17 04:00:00,MST-7,2017-11-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough moving across the region generated heavy snow and gusty winds. Some of the higher reported snow amounts with this event included eight inches near Leadville, 12 inches near Wolf Creek Pass and 13 inches of snow covering Monarch Pass.","" +121266,725983,COLORADO,2017,November,Winter Storm,"WESTERN CHAFFEE COUNTY BETWEEN 9000 & 11000 FT",2017-11-17 04:00:00,MST-7,2017-11-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough moving across the region generated heavy snow and gusty winds. Some of the higher reported snow amounts with this event included eight inches near Leadville, 12 inches near Wolf Creek Pass and 13 inches of snow covering Monarch Pass.","" +121266,725984,COLORADO,2017,November,Winter Storm,"EASTERN SAN JUAN MOUNTAINS ABOVE 10000 FT",2017-11-17 04:00:00,MST-7,2017-11-18 03:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong upper trough moving across the region generated heavy snow and gusty winds. Some of the higher reported snow amounts with this event included eight inches near Leadville, 12 inches near Wolf Creek Pass and 13 inches of snow covering Monarch Pass.","" +122027,730574,COLORADO,2017,December,Winter Weather,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-12-07 00:30:00,MST-7,2017-12-07 08:30:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing system produced six inches of snow near Rosita in Custer county.","" +119753,720471,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-25 23:52:00,CST-6,2017-08-25 23:53:00,0,0,0,0,500.00K,500000,0.00K,0,29.4475,-95.4599,29.455,-95.467,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","An EF-1 tornado touched down southeast of Juliff and tracked from Brazoria into Fort Bend County. Damage occurred to some roofs Several trees there were either snapped or downed. Damage path crossed county line from Brazoria to Fort Bend County. This entry is for the Fort Bend County segment." +119753,767027,TEXAS,2017,August,Tornado,"BRAZORIA",2017-08-25 23:50:00,CST-6,2017-08-25 23:52:00,0,0,0,0,500.00K,500000,0.00K,0,29.4379,-95.45,29.4475,-95.4599,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","An EF-1 tornado touched down southeast of Juliff and tracked from Brazoria into Fort Bend County. Damage occurred to some roofs Several trees there were either snapped or downed. Damage path crossed county line from Brazoria to Fort Bend County. This entry is for the Brazoria County segment." +118023,709509,ARIZONA,2017,July,Wildfire,"GALIURO AND PINALENO MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-20 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The lightning caused Frye Fire started June 7th and consumed 42,755 acres by the end of June. The fire burned over 48,000 acres before containment was achieved on July 20th.","The lightning caused Frye Fire ignited on June 7th. About 6,000 of the total 48,443 acres were burned during July before the fire was fully contained on July 20th." +119753,720676,TEXAS,2017,August,Tornado,"WALLER",2017-08-26 04:01:00,CST-6,2017-08-26 04:02:00,0,0,0,0,500.00K,500000,0.00K,0,29.78,-95.8466,29.787,-95.852,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tornado touched down near Trailer World RV and Boat Storage facility then crossed Interstate 10. It did minor damage to Bucees car wash area then ripped large air conditioning units off top of Pepperl-Fuchs building. Finally in damaged awnings near Builders First building before lifting. Tornado crossed from Fort Bend into Waller County. This entry documents Waller County segment." +120997,724251,IOWA,2017,October,Frost/Freeze,"HUMBOLDT",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724252,IOWA,2017,October,Frost/Freeze,"WEBSTER",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724253,IOWA,2017,October,Frost/Freeze,"CALHOUN",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724254,IOWA,2017,October,Frost/Freeze,"SAC",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724255,IOWA,2017,October,Frost/Freeze,"CRAWFORD",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724256,IOWA,2017,October,Frost/Freeze,"CARROLL",2017-10-27 02:00:00,CST-6,2017-10-27 08:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120997,724257,IOWA,2017,October,Frost/Freeze,"HAMILTON",2017-10-27 05:00:00,CST-6,2017-10-27 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The first cold air of the season pushed into the state and reached 32 degrees or less across western, northern, and parts of central Iowa.","" +120216,720274,TEXAS,2017,August,Tropical Storm,"BASTROP",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages. 100 People were evacuated in Bastrop County. Rainfall over the far western side of Bastrop County was about 12 inches, while the Smithville area had a 7 day rain total of nearly 24 inches. The Colorado River at Smithville crested near 32 feet on August 28, flooding about 60 homes in the Smithville area. There were about 150 low water crossings underwater and many roads were damaged. Overall estimates to damage in the county are about 1.5 million dollars, about a million of that coming from damage to roads and bridges." +120216,720281,TEXAS,2017,August,Tropical Storm,"HAYS",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||The eastern half of Hays County experienced tropical storm force winds with gusts as high as 50 mph during the storm. This produced some minor tree damage and knocked out power. 100 people were evacuated due to rising water on creeks and the threat of a small dam breach during the height of the event. A sinkhole developed on Highway 21 due to the heavy rain amounts. Across the county, rainfall totals averaged 8 to 12 inches along and east of Interstate 35. Monetary loss are estimates of road repair." +122791,735585,ALASKA,2017,November,Heavy Snow,"N. BROOKS RNG E OF COLVILLE R",2017-11-04 12:24:00,AKST-9,2017-11-05 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A low pressure trough developed over the Brooks range and dropped over a foot of snow in the passes around the Dalton Highway. Atigun Pass reported 12.3 inches of snow on the 5th of November.","" +117885,708456,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-10 19:05:00,MST-7,2017-07-10 19:14:00,0,0,0,0,30.00K,30000,0.00K,0,31.9148,-111.8565,31.91,-111.9,"Numerous thunderstorms moved southwest across southeast Arizona. One storm near Sells caused wind damage.","Thunderstorm winds blew roofs off a couple houses and collapsed another. Winds also knocked down several power lines. Sells RAWS measured a gust of 62 mph." +117885,708458,ARIZONA,2017,July,Heavy Rain,"PIMA",2017-07-10 17:50:00,MST-7,2017-07-10 18:00:00,0,0,0,0,5.00K,5000,0.00K,0,31.9004,-110.9854,31.9004,-110.9854,"Numerous thunderstorms moved southwest across southeast Arizona. One storm near Sells caused wind damage.","Heavy rain caused a rollover accident on Interstate 19 just south of the Duval Mine Road exit. No injuries were reported." +117885,708459,ARIZONA,2017,July,Lightning,"PIMA",2017-07-10 18:15:00,MST-7,2017-07-10 18:15:00,0,0,0,0,0.20K,200,0.00K,0,31.8613,-111.003,31.8613,-111.003,"Numerous thunderstorms moved southwest across southeast Arizona. One storm near Sells caused wind damage.","Lightning struck a tree in Green Valley and caught it on fire." +120216,720283,TEXAS,2017,August,Tropical Storm,"LAVACA",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||The area received sustained Tropical Storm force winds with many gusts well over 50 mph. Several trees were down across the county including some structural damage noted in Yoakum and Shiner. The Navidad River reached record heights at both Sublime and Speaks. The high water mainly affected floodplain and no structures were directly impacted. Some roads were closed due to high water in the river, but also from the high rain totals across the county. The highest rain total was 20 inches of rain near Shiner. Other areas to the south likely received 15 to 20 inches based on radar estimates." +118186,710229,ARIZONA,2017,July,Wildfire,"TUCSON METRO AREA",2017-07-01 00:00:00,MST-7,2017-07-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The human caused Burro Fire started in tall grass and brush in the foothills of Redington Pass on the southeast side of the Santa Catalina Mountains on June 30th. It was contained on July 19th after it consumed over 27,000 acres.","The Burro Fire started in the foothills of the southeast side of the Santa Catalina Mountains on June 30th, then quickly spread both northwest and southeast during July. Summerhaven and other residences on the mountain were evacuated for several days. Mt. Lemmon Highway and Redington Pass Road were both closed to traffic. The number of acres burned totaled 27,238 but no structures were lost." +118186,710230,ARIZONA,2017,July,Wildfire,"SANTA CATALINA AND RINCON MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-19 11:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"The human caused Burro Fire started in tall grass and brush in the foothills of Redington Pass on the southeast side of the Santa Catalina Mountains on June 30th. It was contained on July 19th after it consumed over 27,000 acres.","The Burro Fire started in the foothills of the southeast side of the Santa Catalina Mountains on June 30th, then quickly spread both northwest and southeast during July. Summerhaven and other residences on the mountain were evacuated for several days. Mt. Lemmon Highway and Redington Pass Road were both closed to traffic. The number of acres burned totaled 27,238 but no structures were lost." +120529,722061,OREGON,2017,September,Tornado,"LINN",2017-09-19 12:07:00,PST-8,2017-09-19 12:15:00,0,0,0,0,240.00K,240000,0.00K,0,44.5918,-122.7041,44.5917,-122.69,"Warm surface temperatures with a strong upper-level front bringing cold air in aloft generated enough instability for a few strong thunderstorms across the region September 19th. One of these storms produced a brief tornado.","Tornado touched down along Green Mountain Road. Although tornado appeared to not be on the ground the entire path, the damage path appears to be 0.69 mile long. The tornado damaged five open barns, damaged 5 to 10 plus additional sheds or barns, brought down two power poles, and snapped six trees 4-12 inches in diameter. There were no injuries." +120216,720284,TEXAS,2017,August,Tropical Storm,"LEE",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||The largest impact across Lee County was the rainfall where as much as 20 inches fell near Giddings. The southern half of the county experienced the worst flooding with 25 homes being impacted, many of those having experienced major damage. The tropical storm force winds did bring some trees down across the county." +120216,798844,TEXAS,2017,August,Flood,"LEE",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,250.00K,250000,0.00K,0,30.3153,-97.0564,30.3539,-96.8829,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","The largest impact across Lee County with Harvey was the rainfall where as much as 20 inches fell near Giddings. The southern half of the county experienced the worst flooding with 25 homes being impacted, many of those having experienced major damage. The tropical storm force winds did bring some trees down across the county. Damage from the flooding is estimated to be near 250K dollars." +119859,721355,TEXAS,2017,August,Tropical Storm,"KLEBERG",2017-08-25 18:00:00,CST-6,2017-08-26 15:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Tropical storm force winds occurred across Kleberg County associated with Hurricane Harvey. Only some minor damage to fences and signs were noted across the county. Wind gusts near hurricane force occurred in the extreme northeast part of the county on north Padre Island." +119859,721356,TEXAS,2017,August,Tropical Storm,"JIM WELLS",2017-08-25 18:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,1.00K,1000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Tropical storm force winds occurred across Jim Wells County associated with Hurricane Harvey. Only some minor damage to fences and signs were noted across the county." +115666,695027,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-21 15:50:00,EST-5,2017-06-21 15:50:00,0,0,0,0,,NaN,,NaN,39.92,-75.08,39.92,-75.08,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Large branch down on some wires. Time estimated from radar." +115666,695029,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 15:54:00,EST-5,2017-06-21 15:54:00,0,0,0,0,,NaN,,NaN,40.03,-74.96,40.03,-74.96,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Large tree limb snapped. Time estimated from radar." +115778,698642,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-06-23 06:54:00,EST-5,2017-06-23 06:54:00,0,0,0,0,0.00K,0,0.00K,0,39.0066,-75.1355,39.0066,-75.1355,"On the morning of the 23rd a band of convective showers moved over the bay and ocean waters.","Brandywine Nos buoy." +119753,723471,TEXAS,2017,August,Tropical Storm,"HARRIS",2017-08-26 00:00:00,CST-6,2017-08-30 00:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th then slowed and looped back tracking over SE Texas, back over the Gulf of Mexico then made a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. Catastrophic flooding occurred along nearly all bayous and rivers in Harris County. 36 fatalities occurred in Harris County alone with an estimated 10 billion dollars in damage." +119165,715654,UTAH,2017,July,Wildfire,"SOUTHERN MOUNTAINS",2017-07-01 00:00:00,MST-7,2017-07-28 12:00:00,0,0,0,0,2.00M,2000000,0.00K,0,NaN,NaN,NaN,NaN,"The Brianhead Fire in southern Utah began on June 17 and burned for over a month before becoming 100% contained. Note that this episode began in June.","The Brianhead Fire started on June 17, when a man used a weed torch at his Brian Head area cabin, and the fire became out of control. The fire burned 71,672 acres, with most of the growth in the first two weeks of the fire. The Brianhead Fire destroyed 13 homes and 13 minor structures. A priority sage grouse habitat was also impacted east of the fire perimeter in the Panguitch watershed area. Costs associated with the fire were approximately $36.6 million, with rehabilitation efforts projected to cost double or triple that amount. At the height of the fire, approximately 1,831 personnel were fighting to contain the wildfire, and 1,562 people were evacuated from 11 communities in Iron and Garfield counties. The fire was contained on July 28. Note that this event began in June." +119859,721357,TEXAS,2017,August,Tropical Storm,"LIVE OAK",2017-08-25 21:00:00,CST-6,2017-08-26 18:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Tropical storm force winds occurred across Live Oak County associated with Hurricane Harvey. Only some minor damage to fences and signs were noted mainly in the communities around Lake Corpus Christi." +119859,721358,TEXAS,2017,August,Tornado,"CALHOUN",2017-08-25 15:14:00,CST-6,2017-08-25 15:15:00,0,0,0,0,10.00K,10000,0.00K,0,28.4239,-96.6671,28.4229,-96.6696,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","A brief tornado touched down around 3 miles east-northeast of Seadrift. The tornado destroyed a shed and a carport." +119859,721359,TEXAS,2017,August,Flood,"REFUGIO",2017-08-26 01:00:00,CST-6,2017-08-26 15:00:00,0,0,0,0,0.00K,0,0.00K,0,28.3238,-96.9969,28.4302,-97.0491,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","USGS survey showed flood waters reached 2 to 3 feet across portions of eastern Refugio County. Floodwaters inundated portions of Highway 35 south of Tivoli. Radar data estimated 15 to 20 inches of rain occurred in this region." +119859,721360,TEXAS,2017,August,Flood,"VICTORIA",2017-08-27 18:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,20.00M,20000000,0.00K,0,28.9435,-97.1988,28.5968,-97.0093,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Major flooding occurred along the Guadalupe River in the Victoria area due to heavy rainfall from Hurricane Harvey. At least 100 homes were flooded in Victoria in the Green's Addition area. Fox, Smith, Pozzi, Fordyce, Parsifal, Lower Mission Valley, and Old River Roads were inundated. Guadalupe River at Victoria crested at 31.25 feet at 12:30 AM CDT August 31st. The major flood wave continued into first few days of September." +119859,721361,TEXAS,2017,August,Flood,"CALHOUN",2017-08-30 00:00:00,CST-6,2017-08-31 23:59:00,0,0,0,0,1.00M,1000000,0.00K,0,28.5048,-96.8874,28.4722,-96.8596,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Major flooding occurred along the Guadalupe River from Hurricane Harvey. Several homes were flooded in Calhoun County along River Road east of Tivoli. State Highway 35 was closed near Tivoli. Major flooding continued into the first few days of September." +119177,715693,UTAH,2017,July,Tornado,"WASHINGTON",2017-07-08 17:20:00,MST-7,2017-07-08 17:20:00,0,0,0,0,0.00K,0,0.00K,0,37.0755,-113.3219,37.0755,-113.3219,"A couple of tornadoes were spotted from a distance on July 8 and July 10 in southern Utah.","A member of the public observed and photographed a tornado east of St. George. No damage was reported or found." +119177,715687,UTAH,2017,July,Tornado,"GARFIELD",2017-07-10 11:00:00,MST-7,2017-07-10 11:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7042,-112.5552,37.7042,-112.5552,"A couple of tornadoes were spotted from a distance on July 8 and July 10 in southern Utah.","A member of the public spotted and took a picture of a tornado east of Panguitch Lake. No damage was reported or found." +115658,696246,DELAWARE,2017,June,Tornado,"SUSSEX",2017-06-19 18:15:00,EST-5,2017-06-19 18:16:00,0,0,0,0,,NaN,,NaN,38.79,-75.58,38.8,-75.57,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. A tornado was also on the ground in Greenwood,DE the evening of the 19th. 2,000 people lost power.","Radar data indicated a rotation |signature which intensified for a time as an outflow boundary |settled southeastward and interacted with this storm. The radar |was scanning within 600 feet above ground level, with even|evidence of a tornado debris signature in the dual-pol data. A |tornado touched down between Nanticoke River and the intersection |of Sugar Hill Road and St. Johnstown Road, and tracked |northeastward for about 0.6 miles before lifting. There was |significant damage to a farm, with a couple of small barns |destroyed with a lot of debris lofted and blown far across an |adjacent field. Several trees were snapped or blown over along |with damage to a few nearby power poles and wires. A large |unoccupied chicken coup, about 200 feet in length, was lifted and |moved several feet off its foundation with some metal roof panels |on the north end were twisted in a southerly direction. Across the|street from the farm on Sugar Hill Road, a couple sections of |large central pivot irrigation systems were lifted and tipped onto|their side. Each section of the irrigation weighs about 8800 pounds." +119753,720861,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 21:45:00,CST-6,2017-08-29 22:00:00,0,0,36,2,10.00B,10000000000,100.00K,100000,29.5688,-95.0139,29.6026,-95.3778,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within Houston and the surrounding suburbs. Flood waters completely inundated thousands of homes and businesses. Roads and highways in and around Houston were flooded and therefore closed for long time periods. Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River.|There were numerous water rescues within Houston and the surrounding suburbs. Roads and highways in and around Houston inundated and closed due to flash flooding. ||Some of the reported flooded roads in Pasadena were Vista Street, Shafer Street, Fairmont Drive and Strawberry Road." +120417,721483,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"CORPUS CHRISTI TO BAFFIN BAY",2017-08-25 18:00:00,CST-6,2017-08-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th as Harvey moved inland at San Jose Island north of Port Aransas. A gust to 72 knots was recorded by a mesonet site at Packery Channel. A gust to 69 knots was recorded at Port Aransas before data from the sensor was lost." +119859,720923,TEXAS,2017,August,Hurricane,"SAN PATRICIO",2017-08-25 18:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,500.00M,500000000,5.00M,5000000,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","The worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor." +115662,695023,PENNSYLVANIA,2017,June,Thunderstorm Wind,"BUCKS",2017-06-19 16:18:00,EST-5,2017-06-19 16:18:00,0,0,0,0,,NaN,,NaN,40.16,-74.83,40.16,-74.83,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Trees fell onto houses on Tall Pine and Blue Spruce Lanes." +115662,696247,PENNSYLVANIA,2017,June,Tornado,"BERKS",2017-06-19 13:36:00,EST-5,2017-06-19 13:38:00,0,0,0,0,,NaN,,NaN,40.51,-76.13,40.54,-76.11,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","A storm survey found a damage path of trees that were located on|private property behind Mountain Springs Campground on the |southern slope of Blue Mountain. The most concentrated damage |consisted of several large hardwood trees that were uprooted and |snapped at a private residence off of nearby Mountain Road. The |direction of the felled trees exhibited a rotational pattern |consistent with tornadic damage. ||Geo-located damage photos from a trained storm spotter was used to|help estimate the beginning location of the tornado since the|NWS storm surveyor were unable to access the property. The|trained spotter observed tree damage just north of Interstate 78|adjacent near Campsite Road, Northkill Road and Forge Dam Road.||Additional video evidence of the tornado that was posted |on the Mount Holly, NJ Facebook page help confirm the tornado and |the general storm motion." +115661,694994,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-19 16:06:00,EST-5,2017-06-19 16:06:00,0,0,0,0,,NaN,,NaN,39.9,-75.09,39.9,-75.09,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Trees blown down on Nightingale Road and Macarthur drive." +120216,720278,TEXAS,2017,August,Tropical Storm,"FAYETTE",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Tropical Storm force winds and winds gusts caused minor tree damage. A few trees were uprooted. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. Most locations in Fayette County received 20 or more inches of rain. Heavy rain and flooding caused the evacuation of about 400 residents as the Colorado River at LaGrange rose to 54.2 feet. This was the third highest crest ever. Much of the city below Waters Street was flooded. Schools in the Fayetteville Independent School District sustained $80,000 damage. There were roughly 400 impacted homes across the county, 200 had substantial flood damage, 150 moderate damage, and 50 minor damage. About 2 dozen businesses in and near LaGrange sustained major flood damage. Flooding was mainly along the Colorado River from Bastrop County all the way through Fayette County. Additional flooding and homes flooded along Buckners Creek in LaGrange and Cummins Creek near Round Top area. 5 to 6 homes flooded near Fayetteville. Infrastructure loss from roads and bridges across the county is about $500K. Insured/uninsured losses is unknown but is likely in the tens of millions." +120214,720264,TEXAS,2017,August,Hurricane,"DE WITT",2017-08-26 09:27:00,CST-6,2017-08-26 12:00:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. In DeWitt County, estimated hurricane force winds knocked down large trees across the county and damaged some buildings and houses. The maximum rainfall recorded in DeWitt County was 22.99 inches near Yoakum with multiple reports of 10-15 inches. This caused widespread flash flooding as well as river flooding on the Guadalupe River. As many as 100 houses were affected by high water in and around Cuero. The Guadalupe River at Cuero crested at 44.36 feet, it's second highest crest on record.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and a private weather station near Smiley. There is a lack of wind reporting stations in DeWitt County but winds are estimated to be over 60 mph with higher gusts near hurricane force. In DeWitt County, estimated hurricane force winds knocked down large trees across the county and damaged some buildings and houses. The maximum rainfall recorded in DeWitt County was 22.99 inches near Yoakum with multiple reports of 10-15 inches. This caused widespread flash flooding as well as river flooding on the Guadalupe River. As many as 100 houses were affected by high water in and around Cuero as well as south of Cuero near Thomaston. The Guadalupe River at Cuero crested at 44.36 feet, it's second highest crest on record. Several homes in the River Oaks, River Haven RV Park, and Cypress Valley neighborhoods that were not elevated, were significantly flooded. Overall damage values are an estimate as many of the flooded homes do not have flood insurance so overall monetary loss is unknown but an estimate of several million dollars is given based on Emergency Management input. Several roads and bridges near the Guadalupe river sustained major erosion, with long term fixes adding to the overall damage assessment number. Damage from wind is estimated to be 100 thousand dollars." +120417,721363,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"PT ARANSAS TO BAFFIN BAY TX 20 TO 60NM",2017-08-25 12:00:00,CST-6,2017-08-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th." +115660,694975,MARYLAND,2017,June,Thunderstorm Wind,"CAROLINE",2017-06-19 16:25:00,EST-5,2017-06-19 16:25:00,0,0,0,0,,NaN,,NaN,38.71,-75.91,38.71,-75.91,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Several trees and wires were blown down. Time estimated from radar." +119859,720925,TEXAS,2017,August,Hurricane,"NUECES",2017-08-25 17:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,1.00B,1000000000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","The most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas." +119859,720927,TEXAS,2017,August,Hurricane,"CALHOUN",2017-08-25 18:00:00,CST-6,2017-08-26 12:00:00,0,0,0,1,250.00M,250000000,20.00M,20000000,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift." +121015,724576,TENNESSEE,2017,November,Tornado,"WILSON",2017-11-18 16:58:00,CST-6,2017-11-18 17:06:00,0,0,0,0,50.00K,50000,0.00K,0,36.0875,-86.4955,36.1204,-86.3898,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An EF-1 tornado began in far southeast Davidson County where weak tree and roof damage (EF-0) was noted on Hampton Blvd in the Villages of Long Hunter subdivision of Antioch. The tornado then crossed Percy Priest Lake into far northwest Rutherford County where numerous trees were blown down and the roofs of a few homes suffered minor damage. Moving into Wilson County, the tornado intensified to EF-1, snapping or uprooting dozens of trees and destroying several outbuildings on Fellowship Road and Underwood Road. The worst damage was in Gladeville where a few homes suffered roof damage on Cobblestone Way and Stonefield Drive, several fences were blown down, and a few outbuildings were destroyed. The steeple of a church on McCreary Road collapsed into the sanctuary, and part of an exterior brick wall was blown down. An RV carport across the street from the church was also destroyed. Another outbuilding was destroyed on Odum Lane and several more trees were blown down before the tornado lifted in inaccessible areas south of Highway 265. The ending point, ending time, and path length of the Wilson County portion of this tornado were updated in July 2018 based on newly available high resolution satellite imagery in Google Earth, giving an updated total path length across Davidson, Rutherford, and Wilson Counties of 10.93 miles." +115778,698643,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-06-23 06:35:00,EST-5,2017-06-23 06:35:00,0,0,0,0,,NaN,,NaN,38.77,-75.15,38.77,-75.15,"On the morning of the 23rd a band of convective showers moved over the bay and ocean waters.","Lewes Weatherflow." +119753,721135,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-29 17:14:00,CST-6,2017-08-31 06:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7551,-94.5676,29.824,-94.582,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooding occurred over Texas Roads 61 and 65 just east of Anahuac." +119192,715774,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-28 13:15:00,MST-7,2017-07-28 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.4946,-112.213,37.58,-112.169,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","A large flash flood was reported southeast of Bryce Canyon, including along Sheep Creek, Yellow Creek, and Willis Creek." +119192,716802,UTAH,2017,July,Flash Flood,"KANE",2017-07-28 18:30:00,MST-7,2017-07-28 22:00:00,0,0,0,0,0.00K,0,0.00K,0,37.0958,-112.3448,37.3812,-112.3489,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","A large flash flood was reported in Johnson Canyon, particularly in the upper drainage portion of the canyon." +119438,716799,UTAH,2017,July,Flash Flood,"KANE",2017-07-29 15:00:00,MST-7,2017-07-29 19:00:00,3,0,0,0,0.00K,0,0.00K,0,37.2764,-112.0976,37.0116,-111.9507,"A moist air mass remained in place over southern Utah for July 29, and scattered thunderstorms across the area produced a couple of flash floods. An isolated thunderstorm also produced a severe wind gust in northern Utah on the morning of July 29.","Heavy rain caused a significant flash flood in Buckskin Gulch. This flood impacted a group of approximately 8 hikers who had set up camp along the gulch; most of the hikers put their tents above the gulch in a safe area, but two people set up their tent upstream in the gulch alone. Shortly after falling asleep, the flood waters reached their tent; while both adults were able to exit the tent, they were carried several hundred feet before coming to a stop on the bank. Another hiker tried to get down to the gulch to save the family members from the flood, and broke both feet in the process due to the rough terrain and drops into the gulch. Eventually the group was able to get assistance for the injured members of the party, and some of them were airlifted from the scene." +119438,716804,UTAH,2017,July,Thunderstorm Wind,"TOOELE",2017-07-29 06:20:00,MST-7,2017-07-29 06:20:00,0,0,0,0,0.00K,0,0.00K,0,39.8826,-113.3184,39.8826,-113.3184,"A moist air mass remained in place over southern Utah for July 29, and scattered thunderstorms across the area produced a couple of flash floods. An isolated thunderstorm also produced a severe wind gust in northern Utah on the morning of July 29.","The Fish Springs sensor in the U.S. Army Dugway Proving Ground mesonet recorded a peak wind gust of 58 mph." +119753,720873,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 23:30:00,CST-6,2017-08-30 00:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7216,-95.2927,29.7305,-95.1828,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues, with people being stranded within their attics and roofs, in south Houston and surrounding communities. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and around south Houston and Pasadena were flooded and therefore closed for long time periods.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119753,720882,TEXAS,2017,August,Flash Flood,"MATAGORDA",2017-08-27 02:00:00,CST-6,2017-08-27 05:15:00,0,0,0,0,0.00K,0,0.00K,0,29.193,-95.9209,29.1976,-95.906,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","High rainfall lead to the flash flooding and eventual closure of FM 1301 at FM 1728 in Pledger." +120216,720299,TEXAS,2017,August,Flash Flood,"CALDWELL",2017-08-26 20:01:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,29.72,-97.64,29.7168,-97.6649,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue just north of Luling." +119438,716801,UTAH,2017,July,Flash Flood,"WASHINGTON",2017-07-29 14:30:00,MST-7,2017-07-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,37.3504,-112.942,37.3109,-112.9419,"A moist air mass remained in place over southern Utah for July 29, and scattered thunderstorms across the area produced a couple of flash floods. An isolated thunderstorm also produced a severe wind gust in northern Utah on the morning of July 29.","Heavy rain led to a flash flood in the Narrows section of Zion National Park, which was observed and video taped by hikers in the park. Most of the floodwater appeared to be about 2-3 feet high, and carried typical debris of sticks, logs, and rocks. No injuries were reported due to the flooding." +119181,715744,UTAH,2017,July,Flash Flood,"UTAH",2017-07-19 15:00:00,MST-7,2017-07-19 17:00:00,0,2,0,0,125.00K,125000,0.00K,0,40.05,-111.67,40.0328,-111.6716,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Heavy rain caused widespread street and residential flooding in Salem, with 139 homes damaged. This damaged varied widely; most homes experienced only minor yard or basement flooding, while 3-5 homes experienced significant basement damage. One person sustained a major leg injury that required stitches, after a window was blown out and glass cut her leg. At least one other person sustained minor injuries related to the flooding." +119181,715732,UTAH,2017,July,Thunderstorm Wind,"TOOELE",2017-07-20 18:50:00,MST-7,2017-07-20 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-113.24,40.34,-113.24,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","The Salt Flats sensor in the U.S. Army Dugway Proving Ground mesonet recorded a maximum wind gust of 59 mph." +119181,715729,UTAH,2017,July,Thunderstorm Wind,"TOOELE",2017-07-17 15:05:00,MST-7,2017-07-17 15:50:00,0,0,0,0,0.00K,0,0.00K,0,40.73,-113.47,40.35,-113.08,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","A line of thunderstorms produced several severe wind gusts across Interstate 80 and the U.S. Army Dugway Proving Ground mesonet, with peak recorded gusts of 65 mph at the Interstate 80 sensor, 64 mph at the I-80 @ mp 29 sensor, 62 mph at the Salt Flats sensor, 60 mph at Wig Mountain, and 59 mph at Playa Station." +119181,715753,UTAH,2017,July,Flash Flood,"KANE",2017-07-21 14:15:00,MST-7,2017-07-21 16:15:00,0,0,0,0,10.00K,10000,0.00K,0,37.0072,-112.0853,37.3857,-112.1265,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Flash flooding was reported in several drainages, including Cottonwood Creek, the Paria River, Buckskin Gulch, and Wahweap Creek. Flood waters caused damage to House Rock Road and Cottonwood Road, temporarily stranding multiple groups of people." +119169,715677,UTAH,2017,July,Flash Flood,"IRON",2017-07-11 17:00:00,MST-7,2017-07-11 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.8795,-112.6991,37.8825,-112.7812,"Strong thunderstorms over southern Utah produced flash flooding during the second week of July. The most significant of this flooding hit the town of Kanab on July 9.","The Utah Department of Transportation reported a flash flood and debris flow in Paragonah after heavy rain fell over the Brianhead burn scar. The flood waters came down Red Creek Canyon and reached all the way down to Main Street/State Route 271 in Paragonah." +115659,698599,ATLANTIC NORTH,2017,June,Marine Thunderstorm Wind,"DE BAY WATERS S OF E PT NJ TO SLAUGHTER BEACH DE",2017-06-19 17:45:00,EST-5,2017-06-19 17:45:00,0,0,0,0,,NaN,,NaN,38.79,-75.16,38.79,-75.16,"Thunderstorms moved across Delaware Bay and the Coastal waters the evening of the 19th. These thunderstorms produced gusty winds.","Measured 51 mph gust at the Green Hill weatherflow." +115543,698619,NEW JERSEY,2017,June,Rip Current,"EASTERN CAPE MAY",2017-06-18 18:00:00,EST-5,2017-06-18 18:00:00,1,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Meteorological conditions were favorable for moderate to high rip current conditions from the 15th through the 18th. Unfortunately, four people died due to rip currents and one other person was injured.","A report of a man who suffered a knee injury was relayed to our office via our daily IDSS surf call. Time estimated." +115543,698616,NEW JERSEY,2017,June,Rip Current,"EASTERN MONMOUTH",2017-06-15 17:35:00,EST-5,2017-06-15 17:35:00,0,0,2,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Meteorological conditions were favorable for moderate to high rip current conditions from the 15th through the 18th. Unfortunately, four people died due to rip currents and one other person was injured.","Two girls died due to rip currents on the 15th. One girl died that night at a local hospital. The other girl was on live support for a few days before passing away." +119753,720868,TEXAS,2017,August,Flash Flood,"BRAZORIA",2017-08-26 22:30:00,CST-6,2017-08-29 22:30:00,0,0,0,0,0.00K,0,0.00K,0,29.4853,-95.5206,29.5079,-95.3462,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within the county; from Pearland down to the Angleton-Lake Jackson area. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and along the Highway 288 corridor were flooded and therefore closed for long time periods.||Major record flooding of the Brazos, San Bernard and Oyster Creek caused the flooding of hundreds to thousands of vicinity homes, vehicles and businesses. Numerous Roads and homes were inundated with flood waters on east side of Oyster Creek including the Columbia Lakes, Mallard Lakes, Great Lakes, Riverside Estates and Bar X subdivisions as well as homes along CR 39. Other county roads that became impassable due to high flood waters include, but are not limited to, FM 1462, Highways 35 and 90, FM 950, CR 25, 380A, CR 42 and FM 521. The Phillips refinery outside of the town of Sweeny took on water from the west near Little Linville Bayou. Hanson Riverside County Park along the San Bernard River southwest of West Columbia was inundated and water over-topped the Phillips Terminal." +119169,715673,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-12 13:00:00,MST-7,2017-07-12 15:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7076,-112.6598,37.7137,-112.682,"Strong thunderstorms over southern Utah produced flash flooding during the second week of July. The most significant of this flooding hit the town of Kanab on July 9.","Heavy rainfall on the Brianhead burn scar caused flash flooding near Panguitch Lake. The flooding was most significant along the Clear Creek drainage, with water overwhelming the culverts and side roads." +115543,698617,NEW JERSEY,2017,June,Rip Current,"EASTERN ATLANTIC",2017-06-15 18:00:00,EST-5,2017-06-15 18:00:00,0,0,2,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"Meteorological conditions were favorable for moderate to high rip current conditions from the 15th through the 18th. Unfortunately, four people died due to rip currents and one other person was injured.","Two teenagers died due to rip currents. They were deemed missing and presumed dead by local law enforcement." +115785,695844,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-24 05:23:00,EST-5,2017-06-24 05:23:00,0,0,0,0,,NaN,,NaN,39.89,-75.12,39.89,-75.12,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees were blown down including one into a home." +115785,695845,NEW JERSEY,2017,June,Thunderstorm Wind,"GLOUCESTER",2017-06-24 05:19:00,EST-5,2017-06-24 05:19:00,0,0,0,0,,NaN,,NaN,39.79,-75.25,39.79,-75.25,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees and wires were reported down." +115785,695846,NEW JERSEY,2017,June,Thunderstorm Wind,"GLOUCESTER",2017-06-24 05:27:00,EST-5,2017-06-24 05:27:00,0,0,0,0,,NaN,,NaN,39.82,-75.12,39.82,-75.12,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees and wires were reported down." +115785,695847,NEW JERSEY,2017,June,Thunderstorm Wind,"GLOUCESTER",2017-06-24 05:28:00,EST-5,2017-06-24 05:28:00,0,0,0,0,,NaN,,NaN,39.79,-75.15,39.79,-75.15,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees and wires were reported down." +120216,720447,TEXAS,2017,August,Flash Flood,"CALDWELL",2017-08-27 06:39:00,CST-6,2017-08-28 04:45:00,0,0,0,0,0.00K,0,0.00K,0,29.6896,-97.6015,29.6848,-97.6125,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a water rescue on FM 1322 outside of Luling." +121015,724574,TENNESSEE,2017,November,Tornado,"DAVIDSON",2017-11-18 16:53:00,CST-6,2017-11-18 16:56:00,0,0,0,0,5.00K,5000,0.00K,0,36.0676,-86.574,36.0818,-86.5197,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An EF-1 tornado began in far southeast Davidson County where weak tree and roof damage (EF-0) was noted on Hampton Blvd in the Villages of Long Hunter subdivision of Antioch. The tornado then crossed Percy Priest Lake into far northwest Rutherford County where numerous trees were blown down and the roofs of a few homes suffered minor damage. Moving into Wilson County, the tornado intensified to EF-1, snapping or uprooting dozens of trees and destroying several outbuildings on Fellowship Road and Underwood Road. The worst damage was in Gladeville where a few homes suffered roof damage on Cobblestone Way and Stonefield Drive, several fences were blown down, and a few outbuildings were destroyed. The steeple of a church on McCreary Road collapsed into the sanctuary, and part of an exterior brick wall was blown down. An RV carport across the street from the church was also destroyed. Another outbuilding was destroyed on Odum Lane and several more trees were blown down before the tornado lifted in inaccessible areas south of Highway 265. The ending point, ending time, and path length of the Wilson County portion of this tornado were updated in July 2018 based on newly available high resolution satellite imagery in Google Earth, giving an updated total path length across Davidson, Rutherford, and Wilson Counties of 10.93 miles." +121015,724569,TENNESSEE,2017,November,Tornado,"DAVIDSON",2017-11-18 16:30:00,CST-6,2017-11-18 16:32:00,0,0,0,0,50.00K,50000,0.00K,0,36.327,-86.8778,36.3246,-86.8358,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An EF-1 tornado started along Stagner Road just north of Interstate 24 around 1.2 miles northwest of Joelton, blowing down several trees as it moved eastward to Whites Creek Pike. More trees and power lines were blown down on Millken Drive and Margie Drive before the tornado intensified and caused significant roof damage to two homes on Gary Road just south of Union Hill Road. Several power poles were also snapped and trees uprooted in this area. The tornado continued eastward through inaccessible forests blowing down numerous trees before rapidly dissipating about one half mile north of the Clay Lick Road bridge over Interstate 24. The beginning point, start time, end point, and path length of this tornado were updated in July 2018 based on newly available high resolution satellite imagery in Google Earth." +119859,720926,TEXAS,2017,August,Storm Surge/Tide,"NUECES",2017-08-25 15:00:00,CST-6,2017-08-26 18:00:00,0,0,0,0,300.00M,300000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water." +119859,720932,TEXAS,2017,August,Storm Surge/Tide,"CALHOUN",2017-08-25 15:00:00,CST-6,2017-08-27 00:00:00,0,0,0,0,30.00M,30000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island." +121015,724575,TENNESSEE,2017,November,Tornado,"RUTHERFORD",2017-11-18 16:56:00,CST-6,2017-11-18 16:58:00,0,0,0,0,15.00K,15000,0.00K,0,36.0818,-86.5197,36.0875,-86.4955,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","An EF-1 tornado began in far southeast Davidson County where weak tree and roof damage (EF-0) was noted on Hampton Blvd in the Villages of Long Hunter subdivision of Antioch. The tornado then crossed Percy Priest Lake into far northwest Rutherford County where numerous trees were blown down and the roofs of a few homes suffered minor damage. Moving into Wilson County, the tornado intensified to EF-1, snapping or uprooting dozens of trees and destroying several outbuildings on Fellowship Road and Underwood Road. The worst damage was in Gladeville where a few homes suffered roof damage on Cobblestone Way and Stonefield Drive, several fences were blown down, and a few outbuildings were destroyed. The steeple of a church on McCreary Road collapsed into the sanctuary, and part of an exterior brick wall was blown down. An RV carport across the street from the church was also destroyed. Another outbuilding was destroyed on Odum Lane and several more trees were blown down before the tornado lifted in inaccessible areas south of Highway 265. The ending point, ending time, and path length of the Wilson County portion of this tornado were updated in July 2018 based on newly available high resolution satellite imagery in Google Earth, giving an updated total path length across Davidson, Rutherford, and Wilson Counties of 10.93 miles." +117315,705579,NEW JERSEY,2017,June,Thunderstorm Wind,"HUNTERDON",2017-06-23 17:45:00,EST-5,2017-06-23 17:45:00,0,0,0,0,,NaN,,NaN,40.63,-74.83,40.63,-74.83,"Several large trees were downed due to thunderstorm winds.","Enormous, 150+(?) year old black walnut, 4812 is a closer shot with an adult man standing next to the uprooted tree trunk which may give you a sense of the sheer size of the tree.||Parts of an entire array of 8 tall trees that all fell over like tin soldiers in a line with roots torn up... All fell at exactly the same angle. 4806 has a person in amongst the fallen trees, which may give an idea of the trees' size.||4818 & 4819 show some of the remaining 12-foot upright fence posts in the midst of the trees that took down other posts along with all of the fencing, and obliterated all the garden plantings they fell on.||Recap of the wind event description I sent earlier|Last night (6/23/17) a tornado or micro bursts skipped through my hillside neighborhood near the end of the heaviest part of the storm's rain fall.. around 6:45pmET. Several very large, very old trees, and lots of medium sized ones were absolutely flattened at the points were it touched down. I have pictures of the tree fall on my street and reports of similar from near neighbors. The points where the wind took the trees down are very small, very well defined areas. There are large, untouched stands of trees immediately around the confined area where concentrated groups of trees came down. The people in the houses at those sites report one very brief, momentary, horrific battering of the wind and immediate tree fall.||Addition: In conversations later in the day my neighbors mentioned that the wind and rain were going sideways.. and that people at the front and the back of the house saw the wind and rain coming from opposite directions, .. as though the house was in the center with wind circling around it." +120417,721481,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"MATAGORDA SHIP CHNL TO PT ARANSAS OUT 20NM",2017-08-25 15:00:00,CST-6,2017-08-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th. A gust to 115 knots occurred at the Aransas Pass Sentinel station near Port Aransas from the southwest during the evening hours of the 25th before communications was lost from the sensor." +115662,695021,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-19 14:39:00,EST-5,2017-06-19 14:39:00,0,0,0,0,,NaN,,NaN,40.33,-75.5,40.33,-75.5,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Two FT diameter trees and wires down on Snyder and Hauck Road." +115667,695060,PENNSYLVANIA,2017,June,Thunderstorm Wind,"MONTGOMERY",2017-06-21 15:14:00,EST-5,2017-06-21 15:14:00,0,0,0,0,0.00K,0,0.00K,0,40.31,-75.36,40.31,-75.36,"A cluster of thunderstorms developed over southeast Pennsylvania and became severe producing locally damaging wind gusts.","Two large limbs down. Time estimated from radar." +119859,720983,TEXAS,2017,August,Storm Surge/Tide,"REFUGIO",2017-08-25 21:00:00,CST-6,2017-08-27 00:00:00,0,0,0,0,20.00K,20000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county." +119192,715765,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-24 15:52:00,MST-7,2017-07-24 18:00:00,0,0,0,0,0.00K,0,0.00K,0,37.7224,-111.7801,37.755,-111.6561,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Flash flooding occurred along the headwaters of the Escalante River, including along Birch Creek and Upper Valley Creek." +121015,724540,TENNESSEE,2017,November,Thunderstorm Wind,"SMITH",2017-11-18 17:34:00,CST-6,2017-11-18 17:34:00,0,0,0,0,1.00K,1000,0.00K,0,36.121,-85.9943,36.121,-85.9943,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A tSpotter Twitter photo showed a tree was blown down that blocked Brush Creek Road." +119192,715763,UTAH,2017,July,Flash Flood,"IRON",2017-07-24 14:00:00,MST-7,2017-07-24 15:30:00,0,0,0,0,20.00K,20000,0.00K,0,37.6855,-112.6586,37.7002,-112.7239,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Heavy rain over the Brianhead Fire burn scar caused widespread flash flooding and debris flows. On the south side of the burn near Panguitch Lake, multiple roads were washed out along Clear Creek. On the north end of the burn scar, flooded roads were reported both east and west of the ridgeline." +119192,715766,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-24 17:30:00,MST-7,2017-07-24 19:30:00,0,0,0,0,0.00K,0,0.00K,0,37.4946,-112.213,37.58,-112.169,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Flash flooding was reported in Sheep Creek, Yellow Creek, and Willis Creek." +119192,715767,UTAH,2017,July,Flash Flood,"KANE",2017-07-25 11:46:00,MST-7,2017-07-25 13:30:00,0,0,0,0,0.00K,0,0.00K,0,37.0016,-112.0702,37.2874,-112.0386,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Flash flooding was reported along the Paria River and Buckskin Gulch." +119192,715768,UTAH,2017,July,Flash Flood,"KANE",2017-07-25 14:30:00,MST-7,2017-07-25 15:30:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-111.66,37.1029,-111.6232,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Minor flash flooding was reported along Wahweap Creek." +119192,715770,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-26 16:00:00,MST-7,2017-07-26 19:00:00,0,0,0,0,0.00K,0,0.00K,0,37.427,-110.9386,37.7827,-111.3718,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Flash flooding occurred along the Escalante River, with the river gauge on the Escalante rising from 0 cfs to 1549 cfs in one hour." +119192,715772,UTAH,2017,July,Flash Flood,"KANE",2017-07-27 22:00:00,MST-7,2017-07-27 23:30:00,0,0,0,0,0.00K,0,0.00K,0,37.07,-111.66,37.1029,-111.6232,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Flash flooding was reported along Wahweap Creek during the overnight hours." +115785,695848,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-24 05:51:00,EST-5,2017-06-24 05:51:00,0,0,0,0,,NaN,,NaN,39.9,-74.82,39.9,-74.82,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees and wires were reported down." +115785,695849,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-24 05:41:00,EST-5,2017-06-24 05:41:00,0,0,0,0,,NaN,,NaN,39.79,-74.99,39.79,-74.99,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Two large trees were reported down." +115785,695850,NEW JERSEY,2017,June,Thunderstorm Wind,"MERCER",2017-06-24 05:15:00,EST-5,2017-06-24 05:15:00,0,0,0,0,,NaN,,NaN,40.33,-74.79,40.33,-74.79,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Wires were reported down." +115785,695851,NEW JERSEY,2017,June,Thunderstorm Wind,"MERCER",2017-06-24 05:45:00,EST-5,2017-06-24 05:45:00,0,0,0,0,,NaN,,NaN,40.27,-74.53,40.27,-74.53,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Wires were reported down." +119753,723649,TEXAS,2017,August,Tropical Storm,"BRAZORIA",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,0,0,0.00K,0,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced torrential rains and catastrophic flooding. Several tornadoes touched down. Major to record flooding occurred along the Brazos and San Bernard Rivers and several other creeks and tributaries including Oyster Creek. Flooding caused an estimated $2 billion in damage. See Flash Flood event report for more details." +119192,716812,UTAH,2017,July,Flash Flood,"SALT LAKE",2017-07-26 03:00:00,MST-7,2017-07-26 07:00:00,0,0,0,0,8.75M,8750000,0.00K,0,40.8067,-111.9398,40.695,-111.9243,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Thunderstorms producing heavy rainfall moved into the Salt Lake Valley in the early morning hours of July 26 and generally persisted for 3-4 hours, producing widespread flash flooding. The highest reported rainfall totals included 2.40 inches in Sugarhouse near Parleys Way, and many locations on the east side of the Salt Lake Valley reported 1.00 to 1.60 rain. The most significant damage occurred at East High School, where flooding caused $2.5 million in damage, with the largest percentage of the damage impacting the athletics department. Flooding was also reported at other Salt Lake City schools including Highland High School, Emerson Elementary, and the Salt Lake Center of Science Education. Another building that was damaged significantly was the Sprague Library, where water poured into the library's basement, damaging books, computers, furniture, and walls. Damage to the Sprague Library totaled $1.5 million. The train track for the TRAX light rail was under a foot of water on 200 West at 1100 South, causing significant delays and forcing UTA to use a bus bridge between stops. Street flooding was also reported at several locations across the city, including major thoroughfares such as Foothill Drive and 3300 South. Temporary power outages impacted about 4,200 customers across the metro area. Damage was reported at 172 total homes across the area. These private damages were primarily minor basement flooding, but 26 homes experienced damage due to overflowing sewer lines, and 3 homes experienced major damage of approximately $35,000 at each of these 3 houses. In total, private damages were estimated to be $1.75 million, while public damages were estimated at $7 million." +119192,716806,UTAH,2017,July,Lightning,"BEAVER",2017-07-29 09:30:00,MST-7,2017-07-29 09:30:00,2,0,0,0,0.00K,0,0.00K,0,38.2894,-112.3677,38.2894,-112.3677,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Two girls, ages 8 and 16, were camping with relatives near Big Flat in the Beaver Mountains. The girls were by themselves, accompanied by a family dog, when they were both struck by lightning. The dog returned to camp to alert the rest of the family, and the family found the girls unconscious. Both girls were flown via helicopter to the hospital, and both survived, despite suffering significant injuries." +115785,695852,NEW JERSEY,2017,June,Thunderstorm Wind,"MONMOUTH",2017-06-24 06:20:00,EST-5,2017-06-24 06:20:00,0,0,0,0,,NaN,,NaN,40.17,-74.24,40.17,-74.24,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Several buildings were damage with multiple cars overturned." +115785,695854,NEW JERSEY,2017,June,Thunderstorm Wind,"CAMDEN",2017-06-24 05:29:00,EST-5,2017-06-24 05:29:00,0,0,0,0,,NaN,,NaN,39.92,-75.08,39.92,-75.08,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Wires were reported down." +115785,695855,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-24 05:57:00,EST-5,2017-06-24 05:57:00,0,0,0,0,,NaN,,NaN,39.96,-74.68,39.96,-74.68,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Nine poles were blown down. Numerous trees and wires were also blown down." +115785,695856,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-24 06:05:00,EST-5,2017-06-24 06:05:00,0,0,0,0,,NaN,,NaN,39.97,-74.58,39.97,-74.58,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees and wires were reported down. Several power poles down as well. A survey team determined the damage to have been caused by a microburst. A path of damage began on Crescent Drive with downed trees and wires then extended southeast onto Trenton road where multiple poles were downed. Damage extended onto Broadway and Pear roads and nearby Mirror Lake." +115666,695028,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 15:53:00,EST-5,2017-06-21 15:53:00,0,0,0,0,,NaN,,NaN,40,-74.99,40,-74.99,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Trees down, time was estimated." +119753,723656,TEXAS,2017,August,Tropical Storm,"WHARTON",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,0,0,200.00M,200000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced widespread catastrophic flooding across Wharton County. Major to record flooding occurred along the Colorado and San Bernard Rivers and several other creeks and tributaries. Two tornadoes were reported." +119753,720876,TEXAS,2017,August,Flash Flood,"GRIMES",2017-08-27 00:30:00,CST-6,2017-08-27 03:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3855,-96.0897,30.3964,-96.0593,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooding inundated roadways in Navasota. Road 515 at Highway 105 was covered with flood waters and impassable." +115785,695857,NEW JERSEY,2017,June,Thunderstorm Wind,"CUMBERLAND",2017-06-24 06:05:00,EST-5,2017-06-24 06:05:00,0,0,0,0,,NaN,,NaN,39.51,-74.99,39.51,-74.99,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Trees were blown down as well as a small truss ham radio tower." +115785,695858,NEW JERSEY,2017,June,Thunderstorm Wind,"MONMOUTH",2017-06-24 06:30:00,EST-5,2017-06-24 06:30:00,0,0,0,0,,NaN,,NaN,40.16,-74.05,40.16,-74.05,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Extensive tree damage was reported. Time is estimated from radar." +115785,696244,NEW JERSEY,2017,June,Tornado,"MONMOUTH",2017-06-24 07:21:00,EST-5,2017-06-24 07:23:00,0,0,0,0,,NaN,,NaN,40.187,-74.252,40.181,-74.247,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","A storm survey found several trees uprooted and snapped in The|Home Depot parking lot where the tornado had approximately |touched down. A video posted on social media captured the tornado |as it moved southeast through the Home Depot parking lot. In the |same shopping center, metal roofing from a Chase Bank was torn |and later found a half mile away. ||Numerous large hardwood trees were uprooted with others snapped |toward the top of the trunks at the southbound jug handle on Route|9 and West Farms Road as the tornado tracked to the southeast. |Numerous uprooted and snapped trees were found in Ideal Plaza. A |large metal container for clothing donations was knocked over. |Three cars that were parked in the shopping center parking lot at|the time the tornado moved through were pushed into each other. ||The storm then caused roofing and siding damage to the building|occupied by Ice Cream on 9. A fence and additional trees were|downed on the property as well. The cloth draping on a nearby |billboard sign was torn off. ||The tornado likely dissipated shortly after. Evidence from the |storm survey and radar indicated the tornado tracked to the|southeast adjacent to the south bound side of Route 9 for a half |mile and was on the ground for less than two minutes." +115785,696245,NEW JERSEY,2017,June,Tornado,"MONMOUTH",2017-06-24 07:27:00,EST-5,2017-06-24 07:28:00,0,0,0,0,,NaN,,NaN,40.172,-74.183,40.169,-74.181,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","This tornado tracked briefly |through Oak Glen Park. A large pine tree near a soccer field in|the park was snapped toward the base of the trunk and several |large metal trash cans were pushed over, with all of these damage |indicators facing to the southeast. On the other side of the |soccer field, numerous hardwood trees were uprooted, falling to|the northeast. There were additional downed trees in the park as|the storm moved southeast before quickly dissipating." +115661,694999,NEW JERSEY,2017,June,Thunderstorm Wind,"MIDDLESEX",2017-06-19 16:01:00,EST-5,2017-06-19 16:01:00,0,0,0,0,,NaN,,NaN,40.52,-74.41,40.52,-74.41,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","Tree blown down onto a car with power lines down." +119859,721354,TEXAS,2017,August,Hurricane,"BEE",2017-08-26 00:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,10.00K,10000,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","A few tree limbs were blown down in Beeville. Power lines were blown down across portions of the county that caused power outages. Some damage to fences occurred in the county." +119859,720951,TEXAS,2017,August,Hurricane,"REFUGIO",2017-08-25 20:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,500.00M,500000000,20.00M,20000000,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches and every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected." +119859,721002,TEXAS,2017,August,Hurricane,"GOLIAD",2017-08-26 00:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,1.00M,1000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured." +115785,696248,NEW JERSEY,2017,June,Funnel Cloud,"BURLINGTON",2017-06-24 07:02:00,EST-5,2017-06-24 07:02:00,0,0,0,0,0.00K,0,0.00K,0,40,-74.61,40,-74.61,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","A picture of a funnel cloud was sent into a newspaper. This was also observed by a few residents in Browns Mills." +120417,721484,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"PT O'CONNOR TO ARANSAS PASS",2017-08-25 18:00:00,CST-6,2017-08-26 10:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th as Harvey moved inland at San Jose Island north of Port Aransas. A gust to 102 knots was recorded by a mesonet site at Copano Bay East before data from the sensor was lost." +119753,720875,TEXAS,2017,August,Flash Flood,"COLORADO",2017-08-27 00:00:00,CST-6,2017-08-27 02:45:00,0,0,0,0,0.00K,0,0.00K,0,29.7337,-96.4371,29.7808,-96.3807,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flash flooding closed sections of FM 949 just off of Interstate 10." +120417,721482,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"PT ARANSAS TO BAFFIN BAY TX OUT 20NM",2017-08-25 15:00:00,CST-6,2017-08-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th. A gust to 108 knots occurred at the Port Aransas C-MAN station from the northwest during the evening hours of the 25th before communications was lost from the sensor." +115666,695032,NEW JERSEY,2017,June,Thunderstorm Wind,"BURLINGTON",2017-06-21 16:00:00,EST-5,2017-06-21 16:00:00,0,0,0,0,,NaN,,NaN,39.97,-74.94,39.97,-74.94,"A cluster of thunderstorms formed to the northwest and moved across central portions of the state. The thunderstorms became severe producing gusty and damaging winds. Damage was widespread across central parts of the state.","Trees and wires down. Time estimated from radar." +119859,721006,TEXAS,2017,August,Hurricane,"VICTORIA",2017-08-26 00:00:00,CST-6,2017-08-26 12:00:00,0,0,0,0,140.00M,140000000,20.00M,20000000,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county." +119181,715747,UTAH,2017,July,Flash Flood,"CARBON",2017-07-21 14:00:00,MST-7,2017-07-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.7891,-110.4991,39.7685,-110.5012,"Widespread thunderstorms developed across the state of Utah for several days in mid-July, producing both strong wind gusts and heavy rainfall.","Heavy rain caused multiple mudslides across Nine Mile Canyon Road, temporarily shutting down the roadway." +119169,715685,UTAH,2017,July,Flash Flood,"KANE",2017-07-09 20:30:00,MST-7,2017-07-09 21:30:00,0,0,0,0,200.00K,200000,0.00K,0,37.0557,-112.5475,37.0579,-112.4962,"Strong thunderstorms over southern Utah produced flash flooding during the second week of July. The most significant of this flooding hit the town of Kanab on July 9.","Heavy rain over Kanab produced widespread flash flooding across the town. Multiple businesses suffered flood damage and approximately 20 homes had some mud or water in their basements. Many roads were flooded, and one drainage canal suffered damage." +121015,726770,TENNESSEE,2017,November,Tornado,"DICKSON",2017-11-18 15:52:00,CST-6,2017-11-18 15:53:00,0,0,0,0,15.00K,15000,5.00K,5000,36.2997,-87.41,36.3074,-87.3967,"A line of strong to severe thunderstorms, known as a Quasi-Linear Convective System (or QLCS), moved rapidly across Middle Tennessee at 60 mph from west to east between 3 PM and 7 PM CST on Saturday, November 18, 2017. This line of storms produced widespread damaging winds in many counties generally along and north of the I-40 corridor. In addition to the damaging winds, the QLCS produced 4 confirmed tornadoes which damaged numerous homes and other buildings.","A small, brief EF-0 tornado touched down southwest of the intersection of Little Barton's Creek Road and Woods Valley Road northwest of Cumberland Furnace and moved northeast. A home suffered minor roof damage, a travel trailer was blown onto its side, and a carport was destroyed on Woods Valley Road. Just east of Woods Valley Road on Little Barton's Creek Road, one barn was destroyed, another barn was damaged, and an outbuilding was heavily damaged by a fallen tree. Another home and an adjacent barn further to the east suffered minor roof damage. Dozens of trees were snapped or uprooted in all directions along the path. Maximum winds were estimated at 80 mph." +119753,720869,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 22:30:00,CST-6,2017-08-29 22:30:00,0,0,0,0,0.00K,0,0.00K,0,30.0886,-95.993,29.6408,-95.9491,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within Houston and the surrounding western suburbs. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and around Houston were flooded and therefore closed for long time periods.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119753,721134,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-29 14:25:00,CST-6,2017-08-31 12:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8598,-94.5992,29.8598,-94.4179,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of Interstate 10 west of Winnie were inundated and closed due to high flood waters." +119859,718519,TEXAS,2017,August,Hurricane,"ARANSAS",2017-08-25 17:00:00,CST-6,2017-08-26 12:00:00,14,50,0,2,1.75B,1750000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. ||Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. ||Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage." +119859,718740,TEXAS,2017,August,Storm Surge/Tide,"ARANSAS",2017-08-25 15:00:00,CST-6,2017-08-26 21:00:00,0,0,0,0,200.00M,200000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island." +119859,720924,TEXAS,2017,August,Storm Surge/Tide,"SAN PATRICIO",2017-08-25 18:00:00,CST-6,2017-08-25 18:00:00,0,0,0,0,2.00M,2000000,,NaN,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Ingleside, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Corpus Christi, Seadrift, Woodsboro, Port Lavaca, Goliad, and Victoria.||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a tropical storm on the afternoon of the 26th. Tropical Storm Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th.||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots). In South Texas, the maximum recorded rainfall from Hurricane Harvey was 17.08 inches 4 miles northwest of Victoria. Radar estimates were close to 20 inches over eastern portions of Refugio County. The height of the storm tide, referenced to mean higher high water, ranged from 3 to 5 feet on northern Padre Island and around Port O'Connor to a maximum of 12.5 feet in northeast Aransas County in the Aransas National Wildlife Refuge near San Antonio Bay. Storm tide levels in the interior bays were generally from 5 to 8 feet with higher amounts near 10 feet on the south end of Copano Bay, the north end of Aransas Bay, and the north end of Lavaca Bay. ||There were no direct fatalities from Hurricane Harvey on the Middle Texas Coast. There were 2 indirect fatalities in Rockport and 1 near Bloomington. All of the associated affects from Hurricane Harvey in South Texas from August 25th to August 27th resulted in 14 injuries, $4.5 billion in property damage, and around $65 million in crop damage. Specifically in South Texas, Harvey's inland flooding resulted in $5 million in property damage. One tornado near Seadrift resulted in $10 thousand in property damage. The powerful winds resulted in 14 injuries, $4 billion in property damage, and $65 million in crop damage. The storm tide resulted in $530 million in property damage and a number of drowned livestock. Damage estimates to public property and infrastructure was $130 million in South Texas.||Hurricane Harvey blew down or damaged around 550 power transmission structures. American Electric Power (AEP) repaired or replaced around 5000 distribution poles that were blown down or damaged by Harvey. Almost four million total feet of transmission and distribution conductor were replaced, approximately 712 miles. Power was restored to around 200,000 customers within 2 weeks.||In Aransas County, widespread major damage occurred across the county with a few areas having catastrophic damage. Catastrophic damage was located across Copano Village, Holiday Beach, and Lamar with many homes, some elevated, with second stories completely collapsed. Nearly every structure was greatly impacted. A couple of brick homes were destroyed near Copano Village. Catastrophic damage occurred to homes in the Copano Ridge area. Nearly all the trees in the Holiday Beach, Lamar, and Goose Island State Park area were without leaves with many trees snapped or uprooted. Most of Rockport and Fulton experienced widespread major structural damage. Several homes in the Key Allegro subdivision collapsed. Exterior walls collapsed on the high school gymnasium, on several churches, and on several new hotels. Upper floors of several apartment buildings were removed. Mobile homes and recreational vehicles were demolished. Billboard signs were blown down. Numerous power poles were blown down or snapped. Six hangars were demolished at the Aransas County Airport along with many airplanes. The county remained without power for 2 to 3 weeks. A mesonet wind sensor at Aransas County Airport recorded sustained winds around 110 mph with a peak gust to 150 mph. Nearly 1500 homes were destroyed, almost 3800 homes suffered major damage, and 5350 homes suffered minor damage. There were 175 businesses with major damage. Storm surge greatly impacted Holiday Beach and Copano Village. The surge punched holes through walls and garage doors on the lower portions of most homes. The surge floated vehicles, recreational vehicles, and boats well inland. The surge approached and flowed across Egery Island Road and Farm to Market 136 in several locations south of Bayside in extreme western Aransas County. Numerous cattle were killed north of Holiday Beach. A large portion of Rattlesnake Point Road was eroded and washed away heading out to Redfish Lodge on Copano Bay. The pier south of the lodge was completely washed away. Storm surge of 4 to 5 feet was common across the county. The maximum storm surge of 12.5 feet occurred in the Aransas National Wildlife Refuge. There were 356 homes that received major damage from storm surge and there were 1126 homes that received minor damage from storm surge. There were 1200 homes that were affected by storm surge. From NOAA photos, there were 14 cuts formed on the southern end of San Jose Island.||In Nueces County, the most significant damage was in Port Aransas where widespread major damage occurred. There were 4170 homes that received major damage and 1036 homes destroyed. Most homes suffered major roof damage while some homes lost roofs and walls collapsed. There were 457 businesses with major damage and slightly more than 1100 homes with minor damage. Mobile homes and recreational vehicles were demolished. Numerous power poles were blown down or snapped. The roofs were damaged at the elementary, middle, and high schools for Port Aransas leading to water damage in the interior. In Corpus Christi, widespread minor property damage was common due to lost shingles and fences down. Some residences and businesses experienced moderate damage mainly across the northern part of the city. Taller buildings downtown suffered more significant damage and lost signs. A few highway signs were blown down. Minor roof damage was common to residences and business in North Padre Island with some areas with moderate damage. Peak wind gusts measured were around 130 mph in Port Aransas. Storm tides were from 6 to 8 feet in Port Aransas as the storm surge entered from the west from Corpus Christi and Redfish Bays. Numerous boats were damaged or destroyed and pushed out of their moorings onto high ground. A large drill boat broke loose, destroyed a pier, and became grounded along the jetty. Two tugs broke loose near the Gulf Intracoastal Waterway with one becoming grounded and the other sinking. Two ferries were damaged when they were pinned against the loading dock. The storm surge inundated Highway 361 along a 10 miles stretch from near the Mustang Island State Park to Port Aransas with the water several feet deep. A few boats became moored near Packery Channel. The Arnold Palmer designed golf course at Palmilla Beach south of Port Aransas was inundated by storm surge with water covering most of the course. Storm tide of 4 to 6 feet impacted residences and businesses in Padre Island from the Laguna Madre. Storm surge caused major damage to 520 homes and minor damage to 1327 homes. Storm surge affected an additional 2200 homes. The Port of Corpus Christi was shutdown for a record 6 days. Port Aransas Independent School District lost 8 buses due to damage from salt water.||In Calhoun County, minor to moderate property damage was common across the city of Port Lavaca with large areas of siding removed from a few well constructed homes. The tops of grain bins in Port Lavaca were peeled off. Numerous trees were blown down in the community of Seadrift. Many homes experienced minor to moderate roof and property damage. Some poorly constructed homes experienced major roof damage. In Port O'Connor, numerous trees were blown down with three quarters of the community experiencing minor roof damage. A few power poles were blown down. Minor to moderate roof damage occurred at Magnolia Beach, Alamo Beach, and Indianola. Over 2100 homes and 72 businesses received major damage while 421 homes were destroyed. There were 1865 homes with minor damage and 1575 homes affected. There was significant damage to the cotton crop in the county. Hundreds of acres unharvested cotton were ruined in the fields. Harvested cotton in modules and bales were damaged by the wind or blown into water filled ditches. The highest wind speed measured was 82 mph with gusts to 110 mph northwest of Seadrift. Storm tides averaged from 6 to 8 feet across Calhoun County with maximum tide levels around 10 feet recorded on the north end of Lavaca Bay while lower tides from 3 to 5 feet occurred from Port O'Connor to southeast of Seadrift next to Espiritu Santo Bay. In Port Lavaca, water from Chocolate Bay inundated the public boat ramp near Buren Road. The lower half of Buren Road was inundated. The entire marina along Lavaca Bay was strongly impacted with 16 boats declared a total loss with many of them sinking in the marina. Several boats were grounded next to the marina. The Bayfront Peninsula Park was inundated. Areas east of Broadway street were inundated with water reaching across Highway 35 in the area near Lighthouse Beach. Piers at Lighthouse Beach Park and Bayfront Peninsula Park were destroyed. Nearly the entire marina in Seadrift was inundated from storm surge with several boats grounded on the marina parking lot. Most of the wooden docks at the marina and a few wooden piers were destroyed. The storm surge reached Bay Avenue almost reaching the beachfront pavilion. Storm surge entered homes near the Bay Avenue and Orange Street intersection. In Magnolia Beach and Indianola, storm surge flooded nearly all of Magnolia Public Beach and crossed North Ocean Drive in a few spots. A few areas of South Ocean Drive near Indianola were inundated. Several older wooden docks and piers were destroyed. In Port O'Connor, storm surge from Matagorda Bay reached half of the way up Kingfisher Beach toward Park Street. The storm surge caused major damage to 56 homes, minor damage to 322 homes, and affected 446 homes across the county. A thousand foot cut was made through Matagorda Island.||In San Patricio County, the worst damage was confined to the eastern half of the county. Almost 8700 homes were affected by the hurricane. There were 155 homes destroyed, 425 homes with major damage, and slightly more than 3300 homes with minor damage. There were 72 businesses with major damage. The hardest hit areas were Aransas Pass and Ingleside where major damage occurred. Widespread roof damage and tree damage occurred in this area. Numerous large power poles were blown down across the eastern half of the county. The water tower in Aransas Pass was destroyed. Roof damage led to extensive interior damage to the Care Regional Medical Center in Aransas Pass. Power outage was widespread with some areas without power for over a week. There was widespread minor roof damage and fences blown down in Portland along with a few trees blown down. Minor roof damage occurred in Taft and a car wash was destroyed. A couple of grain silos at the Midway Gin near Taft were toppled over. Crop damage to cotton stored in modules occurred in the eastern part of the county. The peak wind recorded was in Aransas Pass with sustained wind speed of 100 mph with gusts to 135 mph at Conn Brown Harbor. Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge.||In Refugio County, widespread moderate structural damage with pockets of major structural damage occurred in Refugio. Most homes and businesses had roof damage, broken windows, and damaged garage doors. Two motels received significant damage to their roofs. Gas station canopies and many signs were destroyed. A few brick structures experienced moderate damage. Numerous trees and power poles were blown down. Roof damage occurred to several churches, every school building in the district except for the athletic facility. The school gymnasiums and auditorium lost portion of their roofs. Several trailer homes and storage buildings were destroyed. There was widespread tree damage with a few very large trees completely uprooted. Widespread moderate structural damage occurred in Bayside, Austwell, and Tivoli. Numerous trees and power poles were blown down including some high tension power poles. In Woodsboro, widespread minor to moderate damage occurred with a few poorly constructed homes with major damage. The elementary gymnasium and auditorium roofs were blown off. Numerous trees and a few power poles were blown down. The Bayside Richardson Coop Gin near Woodsboro sustained major damage and 30 thousand bales of cotton in storage modules were damaged. A sensor deployed by Texas Tech measured sustained winds of 106 mph with gusts to 125 mph just west of Mission Bay before the sensor was hit by debris. Another sensor showed wind speed of 102 mph with gusts to 129 mph north of the intersection of Highway 35 and Farm to Market Road 774 in eastern Refugio County. Around 440 homes were destroyed, around 1050 homes experienced major damage, and 66 businesses suffered major damage. Around 750 homes had minor damage with another 310 homes affected. Storm tide varied across the bay areas of the county. The higher storm tides affected the northeast part of the county as the storm surge pushed in from San Antonio Bay. Storm surge reached 10 feet east of Tivoli near the mouth of the Guadalupe River. Storm tides were lower on the west side of Copano Bay with storm surge only reaching 3 to 4 feet. Water covered Farm to Market Road 136 near the Copano Bay Bridge. Only 2 homes were affected by storm surge in the county.||In Goliad County, widespread minor roof damage occurred in the city of Goliad. Numerous trees and a few power poles were blown down across the county. The roof of the old high school gymnasium was peeled off. A hole was punched in the roof of the new wing of the school. Some class rooms along with the weight room and dressing room suffered water damage. Three families were displaced from homes when roofs and walls collapsed. There was some minor structural damage to some homes in Goliad. Several barns were blown down throughout the county. Some livestock were injured.||In Victoria County, Widespread minor to moderate roof damage occurred in the city of Bloomington. Several mobile homes were destroyed. All but three facilities within the Bloomington school district suffered wind and water damage. Widespread minor roof damage occurred in the city of Victoria. Several trees and a few power poles were blown down. Fences and street signs were blown down across the city. The maximum wind gust recorded in Victoria was 85 mph. Maximum wind gusts in the southern part of the county were around 110 mph. Twenty seven homes were destroyed. Around 75 percent of residential and commercial properties in the county were damaged. Hundreds of acres of unharvested cotton were damaged in the field. Harvested cotton in modules and bales were damaged also. A few barns and storage buildings were blown down across the county.","Survey from the United States Geologic Survey (USGS) indicated a storm tide of around 4 feet impacted the area from Ingleside On-the-Bay to Aransas Pass. Numerous wooden piers and docks were damaged or destroyed. A couple of boats were damaged in the Conn Brown Harbor in Aransas Pass. Major flooding was experienced in the low part of Aransas Pass adjacent to the levee. One home suffered major damage from storm surge while 40 homes had minor damage. Around 540 homes were affected by storm surge." +115785,696253,NEW JERSEY,2017,June,Flood,"SOMERSET",2017-06-24 07:20:00,EST-5,2017-06-24 07:20:00,0,0,0,0,0.00K,0,0.00K,0,40.6322,-74.4437,40.6289,-74.4432,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Roadway flooding on US Highway 22 near Somerset Avenue and Watchung Avenue." +115785,696254,NEW JERSEY,2017,June,Flood,"MERCER",2017-06-24 06:16:00,EST-5,2017-06-24 06:16:00,0,0,0,0,0.00K,0,0.00K,0,40.3699,-74.8135,40.3534,-74.8121,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Roadway flooding occurred on state highway 31 near county road 654." +115662,695006,PENNSYLVANIA,2017,June,Lightning,"CHESTER",2017-06-19 15:00:00,EST-5,2017-06-19 15:00:00,0,0,0,0,750.00K,750000,,NaN,39.77,-75.88,39.77,-75.88,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. Wind damage occurred in several locations from the thunderstorms.","House was struck by lightning." +115658,695026,DELAWARE,2017,June,Thunderstorm Wind,"SUSSEX",2017-06-19 19:40:00,EST-5,2017-06-19 19:40:00,0,0,0,0,0.00K,0,0.00K,0,38.78,-75.15,38.78,-75.15,"A complex of thunderstorms came through the region during the evening producing high winds and heavy rain. A tornado was also on the ground in Greenwood,DE the evening of the 19th. 2,000 people lost power.","" +119192,715769,UTAH,2017,July,Flash Flood,"GARFIELD",2017-07-25 15:00:00,MST-7,2017-07-25 16:30:00,0,0,0,0,0.00K,0,0.00K,0,37.7459,-111.4206,37.7166,-111.2778,"Thunderstorms continued across Utah for the last week of July, with many storms producing heavy rainfall. This led to flash flooding in many locations, including a particularly damaging flood in Salt Lake City. A lightning strike also led to two injuries on the morning of July 28.","Widespread flash flooding was reported in the upper drainages of the Escalante River." +120417,721362,GULF OF MEXICO,2017,August,Marine Hurricane/Typhoon,"MATAGORDA SHIP CHNL TO PT ARANSAS TX 20 TO 60NM",2017-08-25 12:00:00,CST-6,2017-08-26 09:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Major Hurricane Harvey impacted the Middle Texas coast on August 25th and 26th. Harvey was the first category 4 hurricane to strike Texas since Hurricane Carla in 1961. Harvey severely affected the cities of Rockport, Fulton, Port Aransas, Aransas Pass, Holiday Beach, and Refugio. Minor to moderate damage occurred in cities of Portland, Ingleside, Corpus Christi, Seadrift, Port Lavaca, Goliad, and Victoria. ||Harvey weakened to a tropical wave as the system moved across the Caribbean Sea and the Yucatan peninsula from August 18th until the 22nd. Harvey formed into a tropical depression over the southern Gulf of Mexico on the morning of August 23rd. Harvey rapidly intensified from a tropical depression to a major hurricane in 40 hours as it moved northwest toward the Texas coast. Harvey continued to intensify as it approached the Middle Texas coast on August 25th and made landfall as a Category 4 hurricane during the evening hours. Harvey was the first major hurricane to make landfall on the Middle Texas coast since Hurricane Celia in August of 1970. ||Hurricane Harvey slowed down after landfall and weakened into a Tropical Storm on the afternoon of the 26th. Harvey became nearly stationary west of Cuero from the evening of the 26th through the morning of the 27th. Harvey drifted southeastward across the Victoria Crossroads on the afternoon of the 27th. Harvey then moved into Matagorda Bay during the morning hours of the 28th and back into northwest Gulf of Mexico later that afternoon. Tropical storm conditions persisted near the northern portion of the Middle Texas coast into the early morning hours of the 29th. ||Hurricane Harvey moved inland in Aransas County on San Jose Island around 830 PM CDT August 25th. Harvey had a minimum central pressure of 938 millibars and produced a maximum storm surge of 12.5 feet. Maximum sustained winds were estimated at 130 mph (115 knots) with gusts to 160 mph (140 knots).","Satellite and radar data showed Hurricane Harvey moved across the coastal waters during the afternoon of the 25th until the early morning hours of the 26th. NOAA reconnaissance aircraft data indicated Harvey increased to a category 4 storm with maximum winds of 115 knots with gusts to 140 knots during the evening hours of the 25th." +115785,696256,NEW JERSEY,2017,June,Flood,"MIDDLESEX",2017-06-24 07:30:00,EST-5,2017-06-24 07:30:00,0,0,0,0,0.00K,0,0.00K,0,40.3768,-74.5685,40.3857,-74.5723,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Flooding occurred on us highway 1 southbound at Raymond road. Jughandle turn blocked." +115785,696257,NEW JERSEY,2017,June,Flood,"MORRIS",2017-06-24 08:20:00,EST-5,2017-06-24 08:20:00,0,0,0,0,0.00K,0,0.00K,0,40.8638,-74.3653,40.8642,-74.3707,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Roadway flooding occurred on us highway 46 approaching interstate 80." +115785,696258,NEW JERSEY,2017,June,Heavy Rain,"MERCER",2017-06-24 08:58:00,EST-5,2017-06-24 08:58:00,0,0,0,0,0.00K,0,0.00K,0,40.32,-74.62,40.32,-74.62,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","In Princeton Junction, 3.25 inches of fell." +115785,696259,NEW JERSEY,2017,June,Heavy Rain,"WARREN",2017-06-24 08:58:00,EST-5,2017-06-24 08:58:00,0,0,0,0,0.00K,0,0.00K,0,40.69,-75.11,40.69,-75.11,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","Inches of rain 2.68 fell in Stewartsville." +115785,698898,NEW JERSEY,2017,June,Flash Flood,"MIDDLESEX",2017-06-24 07:05:00,EST-5,2017-06-24 08:05:00,0,0,0,0,0.00K,0,0.00K,0,40.5545,-74.4925,40.5607,-74.4767,"A band of gusty convective showers moved through during the morning hours in association with the remnants of tropical storm Cindy. Several reports of damage were reported from the winds. Thousands lost power.","A section of interstate 287 near Possumtown flooded due to heavy rain. Unusual spot for flooding." +119753,721113,TEXAS,2017,August,Flash Flood,"BRAZORIA",2017-08-28 17:00:00,CST-6,2017-08-28 22:45:00,0,0,0,0,0.00K,0,0.00K,0,29.0661,-95.5958,29.0286,-95.5962,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Parts of SH 36 and FM 521 around the town of Brazoria were closed due to flooding.||Major record flooding of the Brazos, San Bernard and Oyster Creek caused the flooding of hundreds to thousands of vicinity homes, vehicles and businesses. Numerous Roads and homes were inundated with flood waters on east side of Oyster Creek including the Columbia Lakes, Mallard Lakes, Great Lakes, Riverside Estates and Bar X subdivisions as well as homes along CR 39. Other county roads that became impassable due to high flood waters include, but are not limited to, FM 1462, Highways 35 and 90, FM 950, CR 25, 380A, CR 42 and FM 521. The Phillips refinery outside of the town of Sweeny took on water from the west near Little Linville Bayou. Hanson Riverside County Park along the San Bernard River southwest of West Columbia was inundated and water over-topped the Phillips Terminal." +119753,721131,TEXAS,2017,August,Flash Flood,"LIBERTY",2017-08-29 10:39:00,CST-6,2017-08-30 08:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0513,-94.7959,30.0483,-94.7626,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Portions of FM 563 were covered with high water and had become impassable." +119753,720856,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-26 19:45:00,CST-6,2017-08-26 22:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7143,-95.5697,29.5342,-95.5618,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooding being reported in or within homes in Missouri City with water rescues being conducted off of the Westpark Tollway in the Jeanetta Sharpstown area." +120251,720501,TEXAS,2017,August,Thunderstorm Wind,"DE WITT",2017-08-04 19:12:00,CST-6,2017-08-04 19:12:00,0,0,0,0,10.00K,10000,0.00K,0,29,-97.19,29,-97.19,"An upper level shortwave trough moved through northwesterly flow and interacted with a conditionally unstable atmosphere to produce isolated thunderstorms one of which developed damaging wind gusts.","A thunderstorm produced wind gusts estimated at 60 mph that damaged the roof of a large barn near Thomaston." +120256,720535,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 06:20:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.44,-98.69,29.4328,-98.6903,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding around Stevens High School on the far west side of San Antonio." +120216,720279,TEXAS,2017,August,Tropical Storm,"GONZALES",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,100.00K,100000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Sustained tropical storm force winds were observed with gusts over 50 mph. Widespread wind damage was reported, but was confined to mainly trees and uprooted trees. Several creeks were well over their banks and led to significant flooding downstream. The widespread 10-15 inches of rain flooded out a couple of homes. The highest rainfall total recorded was nearly 20 inches of rain about 13 miles east of Gonzales." +119753,720459,TEXAS,2017,August,Tornado,"GALVESTON",2017-08-25 13:18:00,CST-6,2017-08-25 13:19:00,0,0,0,0,0.50K,500,,NaN,29.3104,-94.7699,29.3122,-94.77,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Funnel cloud sighting with fence damage near Ferry Road." +119753,720460,TEXAS,2017,August,Tornado,"BRAZORIA",2017-08-25 14:30:00,CST-6,2017-08-25 14:31:00,0,0,0,0,30.00K,30000,0.00K,0,28.9811,-95.483,28.9837,-95.4854,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Very brief tornado touched down near HWY 36 with numerous trees snapped or downed. Barn also damaged." +119753,720468,TEXAS,2017,August,Flash Flood,"MATAGORDA",2017-08-26 12:00:00,CST-6,2017-08-27 17:00:00,0,0,0,0,0.00K,0,0.00K,0,28.8874,-96.2293,28.9923,-96.0353,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of SH 35 were closed due to flash flooding." +119753,721090,TEXAS,2017,August,Flash Flood,"WASHINGTON",2017-08-27 13:45:00,CST-6,2017-08-28 00:15:00,0,0,0,0,0.00K,0,0.00K,0,30.2739,-96.7161,30.2034,-96.6495,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 2780 south of Lake Somerville and the town of Union Hill were closed due to flooding." +119753,721091,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-27 22:45:00,CST-6,2017-08-28 06:15:00,0,0,0,0,0.00K,0,0.00K,0,30.0375,-95.4187,30.0161,-95.4226,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooding was occurring at and around the FM 1960 and I-45 intersection as Cypress Creek topped banks.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +122030,774101,COLORADO,2017,December,High Wind,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-12-23 21:14:00,MST-7,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over portions of Chaffee and Lake counties. The highest reported wind gust with this event was 78 mph, measured near Monarch Pass during the evening of the 23rd.","" +119753,720857,TEXAS,2017,August,Flash Flood,"WALLER",2017-08-26 19:45:00,CST-6,2017-08-26 22:15:00,0,0,0,0,0.00K,0,0.00K,0,30.0858,-95.9618,30.0887,-95.9079,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Multiple lanes of Highway 290 at the FM 2920 intersection near the town of Waller were closed due to flooding.||In the southern part of the county, sections of FM 3318 near the Brazos River flooded and became inaccessible. There was significant countywide home flooding along the various creeks/bayous and their tributaries." +119753,720343,TEXAS,2017,August,Flash Flood,"MATAGORDA",2017-08-26 05:45:00,CST-6,2017-08-26 08:15:00,0,0,0,0,0.00K,0,0.00K,0,29.3896,-96.221,28.7826,-96.3171,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flooded and impassable roadways with sections of SH 60 from FM 2668 and FM 521 near Wadsworth. Portions of SH 35 near Bay City were flooded.||The El Dorado, Oak Grove, and Tres Palacios subdivisions along the Tres Palacios River flooded. Major flooding occurred in Bay City along the Colorado River as levees were over topped by two feet." +120408,721249,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 04:29:00,CST-6,2017-08-25 04:29:00,0,0,0,0,0.00K,0,0.00K,0,28.5911,-95.9826,28.5911,-95.9826,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721250,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"FREEPORT TO MATAGORDA SHIP CHNL OUT 20NM",2017-08-25 08:30:00,CST-6,2017-08-25 08:30:00,0,0,0,0,0.00K,0,0.00K,0,28.314,-95.62,28.314,-95.62,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721260,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GALVESTON BAY",2017-08-25 14:00:00,CST-6,2017-08-25 14:00:00,0,0,0,0,0.00K,0,0.00K,0,29.2971,-94.9251,29.2971,-94.9251,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +120408,721259,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"GALVESTON BAY",2017-08-25 13:30:00,CST-6,2017-08-25 13:30:00,0,0,0,0,0.00K,0,0.00K,0,29.4236,-94.8897,29.4236,-94.8897,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +119753,723657,TEXAS,2017,August,Tropical Storm,"WALLER",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,350.00M,350000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Waller County. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, and the San Bernard at East Bernard." +119753,723659,TEXAS,2017,August,Tropical Storm,"CHAMBERS",2017-08-25 12:00:00,CST-6,2017-08-30 12:00:00,0,0,0,0,1.00M,1000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced torrential rainfall across Liberty and Chambers Counties. Major to record flooding occurred along the Trinity River and along numerous creeks and tributaries." +117678,707653,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-09 15:00:00,MST-7,2017-07-09 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4014,-110.666,32.378,-110.6756,"Scattered thunderstorms moved slowly west across southeast Arizona. One storm produced flash flooding on the Burro Fire burn scar.","Between 1 and 1.5 inches of rain on the Burro Fire burn scar caused flash flooding near Rose Canyon and Scout Ranch." +119753,720867,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-26 22:00:00,CST-6,2017-08-29 22:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8599,-95.4273,29.4904,-95.1313,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous water rescues within Houston and the surrounding suburbs. Flash flood waters, from sheet flooding and bayous/creeks coming out of banks, completely inundated hundreds to thousands of homes and businesses. Roads and highways in and around Houston were flooded and therefore closed for long time periods.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119753,721089,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-27 13:00:00,CST-6,2017-08-28 03:15:00,0,0,0,0,0.00K,0,0.00K,0,29.8285,-94.8889,29.8371,-94.8477,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of Highway 99 the Grand Parkway were inundated with flood waters." +120408,721258,GULF OF MEXICO,2017,August,Marine Thunderstorm Wind,"HIGH IS TO FREEPORT TX OUT 20NM",2017-08-25 13:10:00,CST-6,2017-08-25 13:10:00,0,0,0,0,0.00K,0,0.00K,0,29.37,-94.73,29.37,-94.73,"Marine thunderstorm wind gusts were observed ahead of Harvey's landfall along the central Texas coast.","Wind gust was observed in the outer rain bands of Hurricane Harvey." +119753,723653,TEXAS,2017,August,Tropical Storm,"GRIMES",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,50.00M,50000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +119753,723654,TEXAS,2017,August,Tropical Storm,"WASHINGTON",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,150.00M,150000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +119753,720674,TEXAS,2017,August,Tornado,"HARRIS",2017-08-26 03:30:00,CST-6,2017-08-26 03:32:00,0,0,0,0,100.00K,100000,0.00K,0,29.9243,-95.1516,29.9347,-95.1704,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Report of tornado touchdown resulting in damage to trees, fences and roofs in Lakeshore and Summerwood subdivisions. Tornado initially sighted by the public over southern portions of Lake Houston." +119753,720678,TEXAS,2017,August,Tornado,"BRAZOS",2017-08-26 07:05:00,CST-6,2017-08-26 07:06:00,0,0,0,0,0.00K,0,0.00K,0,30.4803,-96.315,30.4823,-96.3165,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tree down at property on Olympia Buddy Road. A brief spin up." +118304,710965,ARIZONA,2017,July,Flash Flood,"COCHISE",2017-07-13 19:34:00,MST-7,2017-07-13 20:20:00,0,0,0,0,0.00K,0,0.00K,0,31.919,-110.2326,31.9215,-110.2269,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","Sybil Road at Dragoon Wash was impassable due to flash flooding." +119753,767338,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-26 04:00:00,CST-6,2017-08-26 04:01:00,0,0,0,0,800.00K,800000,0.00K,0,29.776,-95.844,29.78,-95.8466,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tornado touched down near Trailer World RV and Boat Storage facility then crossed Interstate 10. It did minor damage to Bucees car wash area then ripped large air conditioning units off top of Pepperl Fuchs buiding. Finally in damaged awnings near Builders First building. Tornado crossed from Fort Bend into Waller County. This entry documents Fort Bend County segment." +119753,720467,TEXAS,2017,August,Funnel Cloud,"BRAZORIA",2017-08-25 20:53:00,CST-6,2017-08-25 20:53:00,0,0,0,0,0.00K,0,0.00K,0,29,-95.32,29,-95.32,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","" +119753,723650,TEXAS,2017,August,Tropical Storm,"BRAZOS",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,15.00M,15000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +119753,723651,TEXAS,2017,August,Tropical Storm,"BURLESON",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,20.00M,20000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +119753,721097,TEXAS,2017,August,Flash Flood,"MADISON",2017-08-28 00:30:00,CST-6,2017-08-28 03:15:00,0,0,0,0,0.00K,0,0.00K,0,31.0306,-95.8042,30.8162,-95.6734,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 247 south of Midway between FM 1428 and FM 2989 were closed due to flooding.||There was major lowland flooding along Bedias Creek that caused some roads to become inaccessible." +119753,721101,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-28 09:20:00,CST-6,2017-08-29 01:15:00,0,0,0,0,0.00K,0,0.00K,0,30.0367,-95.4209,30.0162,-95.4176,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There was flooding through the neighborhoods between I-45 and the Hardy Tollway along FM 1960.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +120528,722050,OREGON,2017,September,Wildfire,"WESTERN COLUMBIA RIVER GORGE",2017-09-02 15:00:00,PST-8,2017-09-30 23:59:00,0,0,0,0,,NaN,,NaN,NaN,NaN,NaN,NaN,"After a very dry summer, a teen with fireworks started a wildfire on September 2nd in the Eagle Creek area of the Columbia River Gorge. East winds over the over the following days spread the fire westward rapidly and sent heavy smoke into the Portland and Vancouver metropolitan areas.","Eagle Creek Fire started September 2nd and grew rapidly over the next few days. Ultimately the fire burned 48,831 acres of forest in the Columbia River Gorge. The fire caused I-84 to close for 19 days from September 4th through September 23rd, and the Historic Columbia River Highway will likely remain closed for months in this area." +120530,722054,E PACIFIC,2017,September,Waterspout,"CAPE SHOALWATER TO CASCADE HEAD...OUT TO 10 NM",2017-09-01 09:45:00,PST-8,2017-09-01 09:55:00,0,0,0,0,0.00K,0,0.00K,0,45.4102,-124.0933,45.4361,-123.9684,"Warm surface temperatures with a strong upper-level front bringing cold air in aloft generated enough instability for a few strong thunderstorms across the region September 18th. One of these storms produced a waterspout off the coast near Happy Camp, OR.","Waterspout observed offshore, dissipated as it moved onshore near Happy Camp. No damage reported." +120532,722055,WASHINGTON,2017,September,Hail,"WAHKIAKUM",2017-09-18 16:05:00,PST-8,2017-09-18 16:10:00,0,0,0,0,,NaN,,NaN,46.33,-123.63,46.33,-123.63,"Warm surface temperatures with a strong upper-level front bringing cold air in aloft generated enough instability for a few strong thunderstorms across the region September 18th. With these storms there were a couple reports of 1.0 inch hail.","County official relayed a report of 1.0 inch hail from a resident in Rosburg." +119753,721080,TEXAS,2017,August,Flash Flood,"WALKER",2017-08-27 03:45:00,CST-6,2017-08-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,30.5162,-95.3078,30.5333,-95.7713,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Portions of FM 1791 southwest of Huntsville and FM 1375 west of New Waverly were closed due to flood waters inundating the roadway.||Moderate flooding occurred along the Trinity River. Roads in the Deep River Plantation and Green Rich Shores subdivisions along Highway 980 and FM 3478, with the lowest homes in the Green Rich Shores subdivision, flooded. There was major lowland flooding along Bedias Creek that caused some roads to become inaccessible." +119753,721082,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-27 03:45:00,CST-6,2017-08-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7388,-94.9528,29.7955,-94.7145,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of I-10, FM 565 at I-10 and SH 146 at Cherry Point Drive were all flooded and therefore closed across the county.||Major lowland flooding occurred along the Trinity River. Extensive flooding was observed in the Milam Bend subdivision (Baytown) along Cedar Bayou." +119753,721092,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-28 00:30:00,CST-6,2017-08-28 06:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8527,-94.9013,29.8074,-94.9136,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of Interstate 10 across Chambers County were closed due to flood water inundation." +119753,721096,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-28 00:30:00,CST-6,2017-08-28 06:30:00,0,0,0,0,0.00K,0,0.00K,0,29.6896,-95.2072,29.674,-95.5893,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Numerous roads and highways were still closed due to high flood waters including, but not limited to, the Loop 610 near Highway 225, SH 249 in northwestern Houston and FM 1960 near Highway 69.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +120216,720413,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-26 22:56:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30.0173,-97.1554,30.0064,-97.1435,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding that closed the eastbound lanes of Hwy 71 at Smithville." +119753,720477,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-25 23:56:00,CST-6,2017-08-25 23:59:00,0,0,0,0,500.00K,500000,,NaN,29.4873,-95.517,29.4978,-95.538,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tornado tracked across Sienna Plantation subdivision downing trees and damaging roofs on about 25 homes. Vieux Carre Ct and Steve Ct were hardest hit." +119753,720672,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-26 01:12:00,CST-6,2017-08-26 01:14:00,0,0,0,0,30.00K,30000,0.00K,0,29.7,-95.76,29.7011,-95.7613,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Roof damage to a home near Westpark Tollway and Grand Parkway." +119753,723655,TEXAS,2017,August,Tropical Storm,"MADISON",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,80.00M,80000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey brought heavy rains and flooding to portions of Brazos, Burleson, Austin, Grimes, Washington and Madison Counties. Moderate to major lowland flooding occurred along rivers and numerous creeks and tributaries. This includes the Brazos at San Felipe, Davison Creek, etc." +119753,720704,TEXAS,2017,August,Tornado,"FORT BEND",2017-08-26 19:15:00,CST-6,2017-08-26 19:23:00,0,0,0,0,2.00M,2000000,0.00K,0,29.5706,-95.5125,29.6476,-95.5503,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Damage to 28 homes in the Woodland West subdivision. Damage path extends from Stafford into Missouri City. The worst of the damage was high end EF1." +119753,720706,TEXAS,2017,August,Tornado,"HARRIS",2017-08-26 23:00:00,CST-6,2017-08-26 23:02:00,0,0,0,0,50.00K,50000,0.00K,0,29.55,-95.11,29.5504,-95.11,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Damage to awning at gas station. Funnel cloud sighted in the area at the time." +119753,723658,TEXAS,2017,August,Tropical Storm,"LIBERTY",2017-08-25 12:00:00,CST-6,2017-08-30 00:00:00,0,0,0,0,1.00B,1000000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Slow moving Tropical Storm Harvey produced torrential rainfall across Liberty and Chambers Counties. Major to record flooding occurred along the Trinity River and along numerous creeks and tributaries." +119753,720680,TEXAS,2017,August,Tornado,"HARRIS",2017-08-26 14:50:00,CST-6,2017-08-26 14:57:00,0,0,0,0,500.00K,500000,0.00K,0,29.907,-95.6872,29.9182,-95.696,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Trees downed and roof damage near Berry Center and Lone Oak Subdivision." +119753,721112,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-28 15:15:00,CST-6,2017-08-28 18:00:00,0,0,0,0,0.00K,0,0.00K,0,29.7102,-95.8708,29.6744,-95.8715,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 1463 and FM 359 between Fulshear and the Grand Parkway were closed due to flooding.||Major record level flooding of both the Brazos and San Bernard Rivers caused significant home flooding from Richmond to Rosharon. Massive flooding occurred in Tierra Grande subdivision along the San Bernard River in southwestern Fort Bend County. Home flooding occurred at Valley Lodge in Simonton, along Edgewood and Baudet Roads in Richmond, along Bar, Barker, Cumings, Sixth Street, Avenue B and Rio Brazos Roads in Rosenberg. Sections of FM 2759 as well as the Grand River, Rivers Edge and Pecan Estates in Thompsons flooded. Many countywide roads became inundated in flood waters including, but not limited to, Highway 90A, Pitts Road, FM 1489, FM 723, FM 1093, FM 359, SH 6 feeder roads, Sienna Parkway, Carrol Road, McKeever Road, Knights Court, Miller Road, river Oaks Road, Thompsons Ferry Road, Strange Drive, Greenwood Drive, Second Street and low lying roads in Quail Valley in Missouri City. Due to record pool levels in Barker Reservoir, homes in Cinco Ranch flooded. Big Creek flooding in Needville caused the flooding of homes on Ansel Road." +119753,720686,TEXAS,2017,August,Tornado,"HARRIS",2017-08-26 15:20:00,CST-6,2017-08-26 15:22:00,0,0,0,0,30.00K,30000,0.00K,0,29.9528,-95.6704,29.9593,-95.6748,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","A second tornado spotted near Hwy 290 and Barker Cypress." +119753,721102,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-28 10:45:00,CST-6,2017-08-28 13:30:00,0,0,0,0,0.00K,0,0.00K,0,29.8457,-94.5895,29.7835,-94.5799,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 1724 south of I-10 were closed due to flooding." +119753,720688,TEXAS,2017,August,Tornado,"WHARTON",2017-08-26 01:10:00,CST-6,2017-08-26 01:12:00,0,0,0,0,0.00K,0,0.00K,0,29.3421,-96.25,29.3616,-96.2591,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Brief touchdown. Tornado Damage Signature on radar." +119753,720699,TEXAS,2017,August,Tornado,"WHARTON",2017-08-26 16:23:00,CST-6,2017-08-26 16:26:00,0,0,0,0,50.00K,50000,0.00K,0,29.5438,-96.0845,29.55,-96.09,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Trees down along a southeast to northwest path. Horse trailer overturned. Tornado caught on video." +119753,721129,TEXAS,2017,August,Flash Flood,"LIBERTY",2017-08-28 22:20:00,CST-6,2017-08-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,30.3163,-94.9957,30.3053,-94.9921,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 163 in Tarkington Prairie were inundated with flood waters." +120216,720415,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-27 00:10:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30,-97.15,30.0085,-97.1676,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue in Smithville." +120216,720277,TEXAS,2017,August,Tropical Storm,"COMAL",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,1.00M,1000000,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Winds frequently gusted over 50 mph across the county, The maximum recorded wind gusts were 58 mph at New Braunfels Airport. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Comal County. Maximum rainfall totals were near 7 inches on the east side of the county. Several low water crossings were flooded for days. Wind driven rain led to water damage at the New Braunfels Police Department as well as the Christus Santa Rosa Hospital. Comal County hosted over 200 middle Texas coast evacuees." +119753,721105,TEXAS,2017,August,Flash Flood,"BRAZORIA",2017-08-28 11:30:00,CST-6,2017-08-28 15:15:00,0,0,0,0,0.00K,0,0.00K,0,29.2103,-95.4787,29.1675,-95.4709,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 523 near Highway 288 north of Angleton was closed due to flooding.||Major record flooding of the Brazos, San Bernard and Oyster Creek caused the flooding of hundreds to thousands of vicinity homes, vehicles and businesses. Numerous Roads and homes were inundated with flood waters on east side of Oyster Creek including the Columbia Lakes, Mallard Lakes, Great Lakes, Riverside Estates and Bar X subdivisions as well as homes along CR 39. Other county roads that became impassable due to high flood waters include, but are not limited to, FM 1462, Highways 35 and 90, FM 950, CR 25, 380A, CR 42 and FM 521. The Phillips refinery outside of the town of Sweeny took on water from the west near Little Linville Bayou. Hanson Riverside County Park along the San Bernard River southwest of West Columbia was inundated and water over-topped the Phillips Terminal." +119753,721108,TEXAS,2017,August,Flash Flood,"CHAMBERS",2017-08-28 12:15:00,CST-6,2017-08-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,29.77,-94.68,29.7951,-94.6283,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Parts of FM 562 south of Anahuac were closed due to flooding." +118323,711016,ARIZONA,2017,July,Flash Flood,"SANTA CRUZ",2017-07-17 05:30:00,MST-7,2017-07-17 06:05:00,0,0,0,0,0.00K,0,0.00K,0,31.3416,-110.9512,31.3415,-110.9508,"Two rounds of scattered thunderstorms moved northwest across southeast Arizona. The first round moved through in the early morning hours producing flash flooding in Nogales. The second round in the afternoon produced gusty winds in Safford and additional flash flooding in the Tucson Metro area.","Ephriam Wash overflowed its banks at Western Avenue bridge. Nearby rain gauge recorded 2.17 inches of rain in about an hour." +118323,711369,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-17 15:40:00,MST-7,2017-07-17 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.2189,-110.9849,32.2513,-111.0546,"Two rounds of scattered thunderstorms moved northwest across southeast Arizona. The first round moved through in the early morning hours producing flash flooding in Nogales. The second round in the afternoon produced gusty winds in Safford and additional flash flooding in the Tucson Metro area.","Heavy rain caused flash flooding of the Camino de Oeste Wash. This caused Silverbell Road to be closed between Sweetwater and Goret roads. Swift water rescue occurred where Camino de Oeste Wash crossed Lloyd Bush Drive. Stone Avenue underpass south of 6th Street flooded 7 feet deep." +119753,720461,TEXAS,2017,August,Tornado,"MATAGORDA",2017-08-25 15:08:00,CST-6,2017-08-25 15:14:00,0,0,0,0,500.00K,500000,0.00K,0,28.7699,-95.6255,28.7821,-95.6587,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","A brief yet strong tornado moved onshore along the coast in Sargent causing significant damage to one home and overturning a motor home. Numerous trees were snapped and/or downed along the path as well as minor roof damage to several homes and businesses." +119753,723646,TEXAS,2017,August,Tropical Storm,"MATAGORDA",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,500.00M,500000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th then slowed and looped back tracking over SE Texas, back over the Gulf of Mexico then making a second landfall along the Louisiana coast during the early morning hours of August 30th. Matagorda and Jackson counties experienced moderate storm surge along Matagorda Bay, Tropical Storm force winds and major lowland flooding along the Palacious and Navidad Rivers." +119753,723647,TEXAS,2017,August,Tropical Storm,"JACKSON",2017-08-25 12:00:00,CST-6,2017-08-29 12:00:00,0,0,0,0,500.00M,500000000,,NaN,NaN,NaN,NaN,NaN,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th then slowed and looped back tracking over SE Texas, back over the Gulf of Mexico then making a second landfall along the Louisiana coast during the early morning hours of August 30th. Matagorda and Jackson counties experienced moderate storm surge along Matagorda Bay, Tropical Storm force winds and major lowland flooding along the Palacious and Navidad Rivers." +119753,720470,TEXAS,2017,August,Tornado,"BRAZORIA",2017-08-25 23:28:00,CST-6,2017-08-25 23:37:00,0,0,0,0,50.00K,50000,0.00K,0,29.2987,-95.3045,29.3496,-95.3458,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","A tornado touched down just west of Liverpool. It took down 4 power poles on highway 35 along with several trees near the Gulf Coast Speedway. The tornado then traveled across generally open field before damaging some barns and outbuildings as well as trees on County Road 511." +119753,720707,TEXAS,2017,August,Tornado,"WHARTON",2017-08-27 00:43:00,CST-6,2017-08-27 00:47:00,0,0,0,0,300.00K,300000,0.00K,0,29.5246,-96.0669,29.548,-96.0934,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Tornado began as a weak EF0 in East Bernard then tracked NW across SH 90 where it strengthened to EF1 snapping the trunks of several large mature oak and pecan trees. A house suffered significant brick facade damage to one side of the home. Four apartments were damaged on college street." +119753,720709,TEXAS,2017,August,Tornado,"GALVESTON",2017-08-27 03:03:00,CST-6,2017-08-27 03:07:00,0,0,0,0,200.00K,200000,0.00K,0,29.5106,-95.0057,29.52,-95,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Trees down, minor roof damage in Bacliff. Fences down." +119753,720880,TEXAS,2017,August,Flash Flood,"WHARTON",2017-08-27 01:45:00,CST-6,2017-08-27 06:30:00,0,0,0,0,0.00K,0,0.00K,0,29.5915,-96.1949,29.2651,-96.3364,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 1164 near Highway 90 were closed due to inundating flood waters.||There widespread catastrophic flooding from both the Colorado and San Bernard Rivers. Highway 59 was closed due to the flooding of the Colorado River between Hungerford and El Campo. Major flooding occurred along the Colorado River in the town of Wharton with homes, businesses and vehicles being inundated along the River Reach, Hobben Oaks, Bear Bottom, Elm Grove, River Valley and Pecan Valley subdivisions. County wide flooding of roads include, but are not limited to, Sunset Street, Elm Street, FM 102, North Alabama Road, US 59, CR 135, CR 150, CR 166, CR 133, CR 153, CR 102, CR 232, CR 244, CR 228, CR 137, FM 249 and FM 640. There was significant home flooding in the towns of Glenflora, Peach Acres and Orchard. The San Bernard River flooding caused sections of roads Highway 90A, FM 2919, FM 442, CR 151, CR 1096 and CR 1010 to go under water." +119753,720885,TEXAS,2017,August,Flash Flood,"GRIMES",2017-08-27 03:00:00,CST-6,2017-08-27 05:30:00,0,0,0,0,0.00K,0,0.00K,0,30.2342,-95.7932,30.2333,-95.739,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flash flooding caused road closures around Magnolia. Roads FM 1784 and FM 1486 were inundated with flood waters and closed." +119753,721085,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-27 12:45:00,CST-6,2017-08-28 00:15:00,0,0,0,0,0.00K,0,0.00K,0,30.1431,-95.7622,30.131,-95.4135,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","There were numerous reports of flooded homes, businesses and vehicles from Tomball to Spring in northern Harris County. Streets in and around Butera Road southwest of Stagecoach were impassable due to flooding.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +120216,720285,TEXAS,2017,August,Tropical Storm,"WILSON",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Winds of 30 to 40 mph were persistent across the county while rainfall totals averaged near 8 inches near Stockdale to only a few inches to the southwest side of the County. Few overall problems were observed across Wilson County." +120216,720282,TEXAS,2017,August,Tropical Storm,"KARNES",2017-08-26 09:14:00,CST-6,2017-08-27 07:13:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. ||Across Karnes County, sustained tropical storm force winds brought some minor tree and branch damage but overall impact of the storm was limited to the far eastern sections of the County. Rainfall across the county averaged 3-6 inches." +119753,720466,TEXAS,2017,August,Tornado,"BRAZORIA",2017-08-25 21:44:00,CST-6,2017-08-25 21:52:00,0,0,0,0,100.00K,100000,,NaN,29.2216,-95.3505,29.2505,-95.4221,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","The tornado began in Danbury and damaged a barn along with several trees off of County Road 207. The tornado then crossed Hwy 35 and moved over an open field. The tornado then snapped and/or downed several trees along County Rd 45 before lifting at the Crocodile Encounter on County Rd 48." +119753,721110,TEXAS,2017,August,Flash Flood,"BRAZORIA",2017-08-28 13:00:00,CST-6,2017-08-28 16:45:00,0,0,0,0,0.00K,0,0.00K,0,29.46,-95.4993,29.4647,-95.454,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Sections of FM 521 near FM 1462 in the Rosharon area were closed due to flooding.||Major record flooding of the Brazos, San Bernard and Oyster Creek caused the flooding of hundreds to thousands of vicinity homes, vehicles and businesses. Numerous Roads and homes were inundated with flood waters on east side of Oyster Creek including the Columbia Lakes, Mallard Lakes, Great Lakes, Riverside Estates and Bar X subdivisions as well as homes along CR 39. Other county roads that became impassable due to high flood waters include, but are not limited to, FM 1462, Highways 35 and 90, FM 950, CR 25, 380A, CR 42 and FM 521. The Phillips refinery outside of the town of Sweeny took on water from the west near Little Linville Bayou. Hanson Riverside County Park along the San Bernard River southwest of West Columbia was inundated and water over-topped the Phillips Terminal." +119753,721084,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-27 10:00:00,CST-6,2017-08-28 10:00:00,0,0,0,0,0.00K,0,0.00K,0,29.8067,-95.4204,29.7525,-95.4228,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","The local media reported over 2,000 high water rescues within the warned area.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119753,728846,TEXAS,2017,August,Flash Flood,"FORT BEND",2017-08-26 09:56:00,CST-6,2017-08-27 12:00:00,0,0,0,0,0.00K,0,0.00K,0,29.6943,-95.7974,29.7016,-95.7977,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","FM 1093 closed east of FM 723 due to flooding." +119753,728933,TEXAS,2017,August,Flash Flood,"MONTGOMERY",2017-08-27 15:13:00,CST-6,2017-08-28 15:00:00,0,0,0,0,0.00K,0,0.00K,0,30.4357,-95.7023,30.4373,-95.6909,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Road closed due to flooding, FM 149 north of Montgomery." +119753,720463,TEXAS,2017,August,Tornado,"BRAZORIA",2017-08-25 17:11:00,CST-6,2017-08-25 17:20:00,0,0,0,0,100.00K,100000,,NaN,29.1464,-95.5448,29.1828,-95.5959,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","A high-end EF-0 tornado touched down east of West Columbia damaging numerous trees... roofs...and outbuildings in a neighborhood off of highway 35. A barn and several outbuildings were also destroyed on the east side of the Brazos River. Damage described by property owner. Property was flooded." +119753,721083,TEXAS,2017,August,Flash Flood,"LIBERTY",2017-08-27 03:45:00,CST-6,2017-08-27 11:00:00,0,0,0,0,0.00K,0,0.00K,0,29.9409,-94.6115,30.5482,-94.7543,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Roadways SH 321 at US 90, the exit ramp at FM 1010 from the SH 105 and US 59 southbound were closed due to flooding.||There was record level, major flooding along the Trinity River with numerous flooded roads near the river including FM 787. Many homes were flooded north of the town of Liberty. Major flooding was also observed on the east fork of the San Jacinto River that caused significant flooding in Cleveland, Williams and Plum Grove. Numerous homes and businesses along the Highway 59 feeder roads, various roads in the town of Liberty, Wallace Road off of Highway 146, FM 1725, FM 2090, CR 388, CR 381, CR 3880, CR 332, CR 3664, CR 361, CR 3610, CR 3611, CR 3661, CR 349, CR 3612 and CR 3600 were flooded." +119753,720710,TEXAS,2017,August,Tornado,"HARRIS",2017-08-27 09:15:00,CST-6,2017-08-27 09:16:00,0,0,0,0,50.00K,50000,0.00K,0,29.717,-95.4151,29.7174,-95.4164,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Windows blown out Torchy's Tacos." +119753,721136,TEXAS,2017,August,Flash Flood,"HARRIS",2017-08-29 18:04:00,CST-6,2017-08-31 06:00:00,0,0,0,0,0.00K,0,0.00K,0,30.0342,-95.4334,30.0174,-95.4331,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","FM 1960 at Interstate 45 and surrounding roadways within local neighborhoods were inundated with flood waters and impassable.||Catastrophic flooding occurred on nearly every one of the 22 watersheds in Harris County. 10 out of the 19 bayous in the county reached record crests and flooding. There was widespread flooding along Buffalo Bayou and upstream and downstream of both Addicks and Barkers Reservoirs due to record level pool elevations. There was major flooding of hundreds of homes within numerous neighboring subdivisions along the San Jacinto River and the East Fork of the San Jacinto River. Lake Conroe's releases and backwater flow from Lake Houston also contributed to the widespread flooding across the northern and northeastern sectors of the county." +119753,728554,TEXAS,2017,August,Flash Flood,"WALKER",2017-08-26 10:40:00,CST-6,2017-08-26 12:40:00,0,0,0,0,0.00K,0,0.00K,0,30.7347,-95.5467,30.5077,-95.397,"Harvey made landfall as a category 4 hurricane near Rockport, Texas during the evening of August 25th. The storm then weakened to a tropical storm and slowed, looping back and tracking over SE Texas then back over the Gulf of Mexico making a second landfall along the Louisiana coast during the early morning hours of August 30th. Over that 5 day period over Southeast Texas TS Harvey produced catastrophic flooding with a large area of 30 to 60 inches of rain, 23 tornadoes, tropical storm force winds and a moderate storm surge near Matagorda Bay. In some of the heavier bands rain fell at a rate of over 5 inches per hour. This copious record amount of rain over a led to catastrophic flooding. Thousands of homes, businesses, and roads were flooded due to flash flooding and sheet flow from long duration intense rain. Main stem rivers and adjoining tributaries, creeks and bayous reached full capacity and came out of their banks and this also contributed to the massive flooding across southeastern Texas.","Flash flooding from Huntsville to New Waverly. Road closures include Bowers, Bearkat, Cotton and Podraza Roads. Also FM 1374." +111748,673573,TEXAS,2017,January,Thunderstorm Wind,"COLLIN",2017-01-15 21:40:00,CST-6,2017-01-15 21:40:00,0,0,0,0,2.00K,2000,0.00K,0,33.15,-96.81,33.15,-96.81,"Tornadoes occurred. Read the title.","Amateur Radio reports 4-6 inch tree limbs and 6-8 feet tall fences down near El Dorado Parkway and FM 423." +120356,721848,PUERTO RICO,2017,September,Flash Flood,"HUMACAO",2017-09-06 14:55:00,AST-4,2017-09-07 00:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.1975,-65.817,18.1942,-65.7772,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rains associated with Hurricane Irma produced flooding." +118401,714828,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-22 18:50:00,MST-7,2017-07-22 19:30:00,0,0,0,0,0.00K,0,0.00K,0,32.2411,-110.9806,32.2418,-110.9706,"Isolated to scattered showers and thunderstorms formed throughout the afternoon in areas from Tucson east, with movement to the southwest. These storms caused flash flooding in Nogales, Tucson, and in the Frye Fire Burn Scar on Mt. Graham.","Heavy rain caused flash flooding near Oracle and Drachman." +118401,714832,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-22 18:58:00,MST-7,2017-07-22 18:58:00,0,0,0,0,0.20K,200,0.00K,0,32.2434,-110.8798,32.2434,-110.8798,"Isolated to scattered showers and thunderstorms formed throughout the afternoon in areas from Tucson east, with movement to the southwest. These storms caused flash flooding in Nogales, Tucson, and in the Frye Fire Burn Scar on Mt. Graham.","A mesquite tree was blown down near Pima and Beverly Streets." +118402,714839,ARIZONA,2017,July,Thunderstorm Wind,"GRAHAM",2017-07-23 16:23:00,MST-7,2017-07-23 16:23:00,0,0,0,0,0.00K,0,0.00K,0,32.8536,-109.6362,32.8536,-109.6362,"Isolated to scattered showers and thunderstorms formed over portions of Graham and eastern Pima Counties and produced heavy rain and flash flooding as they moved slowly west.","The Safford ASOS (KSAD) reported a wind gust of 67mph." +118402,714849,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-23 15:00:00,MST-7,2017-07-23 16:00:00,0,0,0,0,0.00K,0,0.00K,0,31.702,-110.3715,31.7144,-110.3696,"Isolated to scattered showers and thunderstorms formed over portions of Graham and eastern Pima Counties and produced heavy rain and flash flooding as they moved slowly west.","Flash flooding occurred along a portion of Sands Ranch Road in Whetstone causing the road to be temporarily shut down." +118402,714853,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-23 16:08:00,MST-7,2017-07-23 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,32.1445,-111.0186,32.1374,-111.0661,"Isolated to scattered showers and thunderstorms formed over portions of Graham and eastern Pima Counties and produced heavy rain and flash flooding as they moved slowly west.","Heavy rain caused widespread flash flooding in southwest Tucson. Mission Road at Valencia was impassable. Camino de la Tierra and Valencia was also closed, and portions of Camino De Oeste Road were closed. Several vehicles became stranded in the flood waters." +118402,714856,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-23 16:38:00,MST-7,2017-07-23 17:08:00,0,0,0,0,0.00K,0,0.00K,0,32.2774,-111.0333,32.2875,-111.0399,"Isolated to scattered showers and thunderstorms formed over portions of Graham and eastern Pima Counties and produced heavy rain and flash flooding as they moved slowly west.","Flash flooding caused Silverbell Road near Sweetwater Drive to become impassable." +118402,714860,ARIZONA,2017,July,Flash Flood,"GRAHAM",2017-07-23 16:55:00,MST-7,2017-07-23 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.8102,-109.6214,32.8076,-109.6563,"Isolated to scattered showers and thunderstorms formed over portions of Graham and eastern Pima Counties and produced heavy rain and flash flooding as they moved slowly west.","Near Solomon, AZ the San Jose Canal overflowed its banks." +113687,698686,LOUISIANA,2017,April,Tornado,"FRANKLIN",2017-04-02 15:19:00,CST-6,2017-04-02 15:21:00,0,0,0,0,20.00K,20000,0.00K,0,32.065,-91.9315,32.0788,-91.918,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, a severe weather outbreak occurred with many tornadoes impacting portions of Louisiana and Mississippi. In addition, multiple other thunderstorms produced damaging wind gusts, large hail, and significant flash flooding during the afternoon and overnight hours.","This tornado touched down just to the west in Caldwell Parish before crossing into western Franklin Parish. A tornadic debris signature (TDS) was noted from the KULM radar. The tornado was quite wide at this point, nearly 1200 yards or three-quarters of a mile. It crossed Highway 4, snapping numerous trees in the path and tearing tin off the roof of a home. The tornado continued north-northeast back into Caldwell Parish. Wooded area prevented further access to this region but damage was seen through the distance. The TDS was still noted from the KULM radar through this area. The tornado continued north-northeast, moving back into Richland Parish, crossing LR Hatton Road, before crossing into a wooded area and the Franklin-Richland Parish line. The tornado continued north-northeast over Maple Ridge Road, Sligo Road and Goldmine Road. Numerous large trees were snapped and uprooted all through this area. The tornado then crossed LA Highway 135, where a couple of trees were snapped, before lifting shortly after crossing the road. Maximum winds were 110 mph, and total path length was 13.23 miles." +120356,721846,PUERTO RICO,2017,September,Flash Flood,"GURABO",2017-09-06 14:55:00,AST-4,2017-09-07 00:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.294,-66.0114,18.3011,-65.9825,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721838,PUERTO RICO,2017,September,Flash Flood,"CIDRA",2017-09-06 15:16:00,AST-4,2017-09-07 00:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.1658,-66.102,18.1876,-66.1233,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721845,PUERTO RICO,2017,September,Flash Flood,"GUAYNABO",2017-09-06 15:16:00,AST-4,2017-09-07 00:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.4298,-66.1188,18.4265,-66.1068,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721837,PUERTO RICO,2017,September,Flash Flood,"CIALES",2017-09-06 15:10:00,AST-4,2017-09-06 23:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.3676,-66.4666,18.3403,-66.4632,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Rio Grande de Manati went out of its banks." +119037,714925,ARIZONA,2017,July,Flash Flood,"GRAHAM",2017-07-27 17:30:00,MST-7,2017-07-27 17:50:00,0,0,0,0,0.00K,0,0.00K,0,32.776,-110.0638,32.8982,-109.8592,"Numerous slow-moving thunderstorms drifted west across southeast Arizona. These storms caused flash flooding near the Frye Fire burn scar, as well as downstream of the Chiricahua Mountains in Cochise County.","Heavy rain over the Frye Fire burn scar caused a wall of water down Ash Creek that uprooted 18-inch diameter trees and rushed across Cluff Ranch Road. Also, the Wet Canyon channel topped Route 366." +119037,715141,ARIZONA,2017,July,Flash Flood,"COCHISE",2017-07-27 19:00:00,MST-7,2017-07-27 19:45:00,0,0,0,0,30.00K,30000,0.00K,0,31.9184,-109.3462,31.9091,-109.5447,"Numerous slow-moving thunderstorms drifted west across southeast Arizona. These storms caused flash flooding near the Frye Fire burn scar, as well as downstream of the Chiricahua Mountains in Cochise County.","Heavy rain caused Rock Creek and Turkey Creek to overflow their banks and caused road closures of Turkey Creek Road, Cross Creek Road and State Route 181. Some yards were flooded and some residents were cut off for several days due to washed out roads." +118933,714515,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-28 16:05:00,MST-7,2017-07-28 16:05:00,0,0,0,0,0.00K,0,0.00K,0,32.18,-110.94,32.18,-110.94,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","Thunderstorm winds uprooted a tree on Ajo Road near Kino Stadium." +118933,714514,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-28 15:27:00,MST-7,2017-07-28 15:27:00,0,0,0,0,0.20K,200,0.00K,0,32.21,-110.77,32.21,-110.77,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","Thunderstorm winds downed a large tree near Broadway Boulevard and Houghton Road." +118933,714524,ARIZONA,2017,July,Flash Flood,"COCHISE",2017-07-28 20:00:00,MST-7,2017-07-28 20:20:00,0,0,0,0,10.00K,10000,0.00K,0,32.382,-110.4397,32.381,-110.4433,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","Flash flooding caused a vehicle to be swept away on Cascabel Road. Driver was swept three-quarters of a mile downstream to the San Pedro River resulting in the need to be rescued." +114909,689395,MISSISSIPPI,2017,April,Hail,"HINDS",2017-04-26 20:32:00,CST-6,2017-04-26 20:53:00,0,0,0,0,0.00K,0,0.00K,0,32.25,-90.44,32.32,-90.16,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A swath of hail fell from near Raymond, through Clinton and into Jackson. Quarter sized hail occurred off Clinton Raymond, Williamson, and McRaven roads, as well as at WLBT Studios. The largest hail that fell in this swath was half-dollar sized, which occurred in northwest Clinton and in east Jackson." +116564,700902,NEW YORK,2017,May,Thunderstorm Wind,"SCHENECTADY",2017-05-31 15:20:00,EST-5,2017-05-31 15:20:00,0,0,0,0,,NaN,,NaN,42.8,-73.89,42.8,-73.89,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The Schenectady County emergency manager reported a tree was blown onto a house on East Country Club Drive." +116564,700912,NEW YORK,2017,May,Thunderstorm Wind,"SCHENECTADY",2017-05-31 15:30:00,EST-5,2017-05-31 15:30:00,0,0,0,0,,NaN,,NaN,42.78,-73.89,42.78,-73.89,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","The public reported trees and wires down on the road via Facebook." +118933,714528,ARIZONA,2017,July,Flash Flood,"GRAHAM",2017-07-28 20:30:00,MST-7,2017-07-28 21:30:00,0,0,0,0,20.00K,20000,0.00K,0,32.7382,-109.7141,32.7422,-109.7127,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","Heavy rain over the Fry Fire burn scar and south of Safford caused Marijilda and Swift Canyons to overflow their banks. A vehicle was swept off of W Concho Street, trapping the driver until rescuers arrived. A second vehicle was completely submerged on Stockton Road. Three teenagers were able to escape from the vehicle." +118400,713020,ARIZONA,2017,July,Flash Flood,"SANTA CRUZ",2017-07-20 14:09:00,MST-7,2017-07-20 14:40:00,0,0,0,0,250.00K,250000,0.00K,0,31.3382,-110.9455,31.372,-110.9334,"Isolated to scattered slow moving thunderstorms formed across southeast Arizona throughout the afternoon and evening. The storms caused flash flooding in Nogales as well as in Tucson, along with wind damage.","Heavy rain caused two homes were flooded on West and Oak Street, but no injuries were reported. Heavy rain in Nogales, Sonora caused Nogales wash to overflow its banks whch caused road closures at Doe Street, Calle Sonora, Hohokam Street and at the Baffert Drive Bridge. Damage to the Nogales Wash caused by the strong flows, and subsequently the International Outfall Interceptor, were discovered days later. Raw sewage from this line flowed into the wash. This ultimately led to a month long effort by local, state and federal officials to repair the wash and interceptor pipe. The flow was diverted to avoid contaminating water farther downstream, but some contamination of local groundwater likely occurred. The total repair project including labor, fuel, equipment and other resources totaled nearly $5 million." +118304,710948,ARIZONA,2017,July,Thunderstorm Wind,"COCHISE",2017-07-13 18:20:00,MST-7,2017-07-13 18:20:00,0,0,0,0,3.00K,3000,0.00K,0,31.48,-110.28,31.48,-110.28,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","Thunderstorm winds caused roof damage to one building south of Sierra Vista." +116564,700917,NEW YORK,2017,May,Thunderstorm Wind,"ALBANY",2017-05-31 15:35:00,EST-5,2017-05-31 15:35:00,0,0,0,0,,NaN,,NaN,42.71,-73.77,42.71,-73.77,"Severe thunderstorms impacted eastern New York on May 31, 2017 as a cold upper-level disturbance interacted with a moderately unstable airmass. Showers and thunderstorms began in the late morning across western and central New York, and rapidly intensified upon reaching the Capital District around 4 pm. With cold air and strong winds at mid-levels of the atmosphere and moist air near the surface, the environment was prime for large hail, with up to golf ball-size hail reported near Niskayuna. Strong winds also occurred with these storms, particularly in the Colonie area where a microburst (concentrated swath of severe wind damage) was confirmed. These storms weakened east of the Capital District. A second area of storms rapidly strengthened upon entering the Mid-Hudson Valley around 6:30 pm. Again, hail up to golf ball-size was reported in Poughkeepsie, as well as several reports of wind damage. This line of storms eventually merged with an isolated cell and resulted in a brief EF1 tornado in the town of Wappinger in Dutchess County. It was the first tornado of the year in New York State.","Law enforcement reported a tree down on Osborne Road." +120356,721842,PUERTO RICO,2017,September,Flash Flood,"DORAD",2017-09-06 20:16:00,AST-4,2017-09-06 23:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.4728,-66.3125,18.4647,-66.2345,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Rio de la Plata was out of its banks." +120256,720546,TEXAS,2017,August,Flash Flood,"BEXAR",2017-08-07 12:04:00,CST-6,2017-08-07 13:15:00,0,0,0,0,0.00K,0,0.00K,0,29.507,-98.3276,29.5259,-98.6435,"A line of thunderstorms formed ahead of a cold front in North Texas and moved southward. This line moved into a very moist airmass and produced heavy rain as it moved slowly across Llano County. It continued to move southward and convection was enhanced by interaction with an outflow boundary over Bexar County where additional heavy rain developed.","Thunderstorms produced heavy rain that led to flash flooding. At one point flooding closed 34 low water crossings around the county and 27 streets in the city." +120356,721840,PUERTO RICO,2017,September,Flash Flood,"COROZAL",2017-09-06 15:23:00,AST-4,2017-09-06 23:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.3566,-66.3306,18.3552,-66.3094,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rains associated with Hurricane Irma produced flooding." +120418,721938,VIRGIN ISLANDS,2017,September,Flash Flood,"ST. CROIX",2017-09-14 22:51:00,AST-4,2017-09-15 11:30:00,0,0,0,0,500.00K,500000,0.00K,0,17.7296,-64.7371,17.7345,-64.7399,"A moist southerly flow as a result of Hurricane Jose meandering well north of the local area resulted in shower and thunderstorm activity across the region.","Saint Croix police department reported serious flooding occurring from Mid Island all the way to the west with up to three feet of water on roadways near the Home Depot store." +120356,721942,PUERTO RICO,2017,September,Flash Flood,"CAGUAS",2017-09-07 07:41:00,AST-4,2017-09-07 09:03:00,0,0,0,0,250.00K,250000,0.00K,0,18.3041,-66.0662,18.3142,-66.0416,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across Caguas." +120356,721948,PUERTO RICO,2017,September,Flash Flood,"BARCELONETA",2017-09-06 15:23:00,AST-4,2017-09-06 23:15:00,0,0,0,0,250.00K,250000,0.00K,0,18.4816,-66.5888,18.4875,-66.5559,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding in Barceloneta." +118932,714502,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-29 15:45:00,MST-7,2017-07-29 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.1286,-110.623,32.1235,-110.6498,"Numerous thunderstorms moved southwest across southeast Arizona. Flash flooding occurred on the west slopes of the Rincon Mountains. Additionally, a brief landspout tornado was reported over open desert in Cochise County.","Heavy rain on the Rincon Mountains caused high flows on Tanque Verde Creek and Rincon Creek. Redington Pass Road was flooded and Rincon Creek at Rincon Gauge recorded a crest of 9.32 feet. This is the fourth highest on record for this site." +111748,666468,TEXAS,2017,January,Tornado,"DALLAS",2017-01-15 20:43:00,CST-6,2017-01-15 20:45:00,0,0,0,0,120.00K,120000,0.00K,0,32.69,-97.034,32.6922,-97.0295,"Tornadoes occurred. Read the title.","A National Weather Service storm survey crew found evidence of a brief tornado in the southern sections of Grand Prairie. About 20 homes suffered minor roof damage. In the neighborhood, most fences were blown down or destroyed, as were about 40 trees." +120356,721944,PUERTO RICO,2017,September,Flash Flood,"CATANO",2017-09-06 15:16:00,AST-4,2017-09-07 00:15:00,0,0,0,0,250.00K,250000,0.00K,0,18.4498,-66.1588,18.4479,-66.1641,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across Catano." +120356,721954,PUERTO RICO,2017,September,Flash Flood,"ARECIBO",2017-09-06 16:30:00,AST-4,2017-09-06 21:30:00,0,0,0,0,250.00K,250000,0.00K,0,18.4819,-66.7687,18.492,-66.6311,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across the area." +120356,721955,PUERTO RICO,2017,September,Flash Flood,"CAMUY",2017-09-06 16:30:00,AST-4,2017-09-06 21:30:00,0,0,0,0,250.00K,250000,0.00K,0,18.479,-66.9067,18.4907,-66.8614,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across the area." +120356,721843,PUERTO RICO,2017,September,Flash Flood,"FAJARDO",2017-09-06 16:18:00,AST-4,2017-09-07 00:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.2891,-65.6395,18.3259,-65.6371,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Rio Fajardo went out of its banks." +118932,714509,ARIZONA,2017,July,Tornado,"COCHISE",2017-07-29 16:00:00,MST-7,2017-07-29 16:02:00,0,0,0,0,0.00K,0,0.00K,0,31.81,-110.2,31.8092,-110.2018,"Numerous thunderstorms moved southwest across southeast Arizona. Flash flooding occurred on the west slopes of the Rincon Mountains. Additionally, a brief landspout tornado was reported over open desert in Cochise County.","A brief landspout tornado occurred over open country south of Saint David." +118890,714250,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-30 17:30:00,MST-7,2017-07-30 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3146,-110.8115,32.3097,-110.8118,"Numerous slow-moving thunderstorms drifted to the northwest across southeast Arizona creating flash flooding, including at Sabino Creek where 26 people had to be rescued and in the Ash Canyon area where homes were damaged downstream of the Frye Fire burn scar.","Sabino Creek at Sabino Dam spiked to 2.68 feet in 30 minutes. Twenty six hikers were trapped and had to be rescued due to flood waters over the bridge." +118890,714277,ARIZONA,2017,July,Flash Flood,"GRAHAM",2017-07-30 12:49:00,MST-7,2017-07-30 13:30:00,0,0,0,0,200.00K,200000,0.00K,0,32.6469,-109.7991,32.8502,-109.8152,"Numerous slow-moving thunderstorms drifted to the northwest across southeast Arizona creating flash flooding, including at Sabino Creek where 26 people had to be rescued and in the Ash Canyon area where homes were damaged downstream of the Frye Fire burn scar.","Flash flooding in Ash Canyon from Frye Fire burn scar damaged at least two homes, a chicken barn and an RV, and closed Cluff Ranch Road in several locations. An undisclosed number of people were stranded in the Cluff Pond recreation area and had to be rescued. Damage also occurred to Route 366 near Ladybug Saddle and Wet Canyon from flash flooding off the same burn scar." +118889,714249,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-31 16:00:00,MST-7,2017-07-31 16:00:00,0,0,0,0,0.20K,200,0.00K,0,31.891,-111.0071,31.891,-111.0071,"Scattered thunderstorms moved west across southeast Arizona. One storm produced tree damage in Green Valley.","Five inch diameter mesquite tree snapped in half off Duval Mine Road 5 miles west of Green Valley." +111748,666470,TEXAS,2017,January,Tornado,"LIMESTONE",2017-01-16 02:43:00,CST-6,2017-01-16 02:48:00,0,0,0,0,300.00K,300000,0.00K,0,31.69,-96.55,31.72,-96.51,"Tornadoes occurred. Read the title.","A National Weather Service damage survey crew found evidence of a tornado outside of the city of Mexia, damaging numerous buildings on the campus of the Mexia State Supported Living Center. The warehouse on the south end of the campus suffered the most damage, as the metal building warehouse lost much of its roof and back wall." +113686,680477,ARKANSAS,2017,April,Thunderstorm Wind,"ASHLEY",2017-04-02 13:25:00,CST-6,2017-04-02 13:25:00,0,0,0,0,8.00K,8000,0.00K,0,33.35,-91.85,33.35,-91.85,"A powerful spring storm system impacted much of the region on April 2nd. As this system evolved, severe thunderstorms occurred over southeast Arkansas and produced damaging wind gusts, and large hail during the afternoon hours. The main portion of the tornado outbreak and flash flooding occurred across Louisiana and Mississippi.","A few trees were blown down in the northern part of the county." +120356,721839,PUERTO RICO,2017,September,Flash Flood,"COMERIO",2017-09-06 16:40:00,AST-4,2017-09-07 00:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.2617,-66.2115,18.2548,-66.1969,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Rio de la Plata went out of its banks." +118304,710983,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-13 19:25:00,MST-7,2017-07-13 19:35:00,0,0,0,0,0.50K,500,0.00K,0,31.8849,-110.995,31.8611,-110.9782,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","Thunderstorm winds downed 3 trees in various locations in Green Valley." +118933,717068,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-28 16:30:00,MST-7,2017-07-28 17:30:00,0,0,0,0,1.00K,1000,0.00K,0,32.1553,-110.9244,32.1582,-110.9287,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","Heavy rain caused flash flooding in Tucson. One car became submerged in flowing water a foot deep near Country Club and Bantam roads." +118933,717153,ARIZONA,2017,July,Hail,"COCHISE",2017-07-28 18:10:00,MST-7,2017-07-28 18:10:00,0,0,0,0,0.00K,0,0.00K,0,31.7494,-110.0795,31.7494,-110.0795,"Scattered thunderstorms developed and moved west across southeast Arizona. These storms were slow-moving and lasted into the overnight hours. Several trees were uprooted in Tucson, and numerous swift water rescues were conducted in the evening as washes flowed across roads creating flash flooding in Graham and Cochise Counties.","" +120356,721956,PUERTO RICO,2017,September,Flash Flood,"BARRANQUITAS",2017-09-06 20:08:00,AST-4,2017-09-07 00:15:00,0,0,0,0,250.00K,250000,0.00K,0,18.2403,-66.3526,18.2496,-66.2702,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across the area." +120216,720418,TEXAS,2017,August,Flash Flood,"BASTROP",2017-08-27 00:15:00,CST-6,2017-08-27 03:45:00,0,0,0,0,0.00K,0,0.00K,0,30,-97.15,30.0018,-97.1622,"Hurricane Harvey moved onshore as a Category 4 hurricane over San Jose Island east of Rockport during the late evening of August 25th. Harvey moved inland entering southern DeWitt County during the morning of August 26th as a Category 1 hurricane. It continued to weaken as it moved farther inland eventually reaching south central Gonzales County as a tropical storm during the late evening of August 26th. The center of the storm made a loop through Gonzales, Karnes, and DeWitt Counties before exiting our County Warning Area during the afternoon of August 27th moving into Victoria County. The maximum sustained winds were 46 mph recorded at Austin Bergstrom International Airport and at two private weather stations, one near Yorktown and the other near Smiley. The maximum recorded wind gusts were 58 mph at New Braunfels Airport, Randolph AFB, and at a private weather station near Smiley. The highest rainfall total was 29.19 inches outside of LaGrange in Fayette County. A number of places in Fayette, Lavaca, and Bastrop Counties received 20 or more inches of rain. Tropical storm force winds with estimated gusts up to 60 mph caused damage across the region. Trees and branches were knocked down by the winds. Some of these in turn knocked down power lines causing power outages in Bastrop, Comal, Hays, and Guadalupe Counties. At one point, 15,000 customers in Comal County were without power. There was also some minor structural damage in Caldwell, Comal, and Lavaca Counties. Maximum rainfall totals in these counties ranged from 4.67 inches in Bexar to 29.19 in Fayette. Flooding and flash flooding forced 608 people to be evacuated from their homes. Most of these, 400, were in Fayette County.","Heavy rain from Tropical Storm Harvey produced flash flooding leading to a swift water rescue in Smithville." +114909,689392,MISSISSIPPI,2017,April,Thunderstorm Wind,"WARREN",2017-04-26 19:30:00,CST-6,2017-04-26 19:39:00,0,0,0,0,8.00K,8000,0.00K,0,32.4713,-90.8419,32.49,-90.8,"Showers and thunderstorms developed in association with a frontal system. Some of these storms produced damaging wind gusts, large hail, and a tornado.","A tree was blown down across Highway 465, along with a large tree down across MS Highway 3, which blocked both lanes." +120356,721841,PUERTO RICO,2017,September,Flash Flood,"CULEBRA",2017-09-06 14:44:00,AST-4,2017-09-06 23:45:00,0,0,0,0,500.00K,500000,0.00K,0,18.3142,-65.2217,18.292,-65.2533,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rains associated with Hurricane Irma produced flooding." +120356,721844,PUERTO RICO,2017,September,Flash Flood,"FLORIDA",2017-09-06 15:23:00,AST-4,2017-09-06 23:15:00,0,0,0,0,500.00K,500000,0.00K,0,18.3914,-66.5792,18.4051,-66.5624,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721847,PUERTO RICO,2017,September,Flash Flood,"HATILLO",2017-09-06 16:30:00,AST-4,2017-09-06 21:30:00,0,0,0,0,500.00K,500000,0.00K,0,18.4803,-66.8243,18.4836,-66.7753,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721849,PUERTO RICO,2017,September,Flash Flood,"JAYUYA",2017-09-06 16:30:00,AST-4,2017-09-06 21:30:00,0,0,0,0,500.00K,500000,0.00K,0,18.2777,-66.5758,18.2275,-66.5586,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rainfall associated with Hurricane Irma produced flooding." +120356,721850,PUERTO RICO,2017,September,Flash Flood,"ADJUNTAS",2017-09-06 16:30:00,AST-4,2017-09-06 21:30:00,0,0,0,0,750.00M,750000000,0.00K,0,18.2493,-66.7947,18.2301,-66.8243,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Emergency managers reported flooding in Adjuntas." +119485,717076,ARIZONA,2017,July,Wildfire,"SOUTHEAST PINAL COUNTY",2017-07-07 20:30:00,MST-7,2017-07-08 18:00:00,1,0,0,0,600.00K,600000,0.00K,0,NaN,NaN,NaN,NaN,"A wildfire that started in the dry San Pedro River bed near Dudleyville spread quickly in salt cedar due to channelized winds. The fire caused evacuations and burned several structures. One firefighter was injured.","The Roach Fire quickly spread down the San Pedro River bed near Dudleyville due to strong winds in the channel. One home, four unoccupied residences, and nine other structures were destroyed. About 100 residents were briefly evacuated. Highway 77 was also closed for a short time the night the fire started. The fire burned 335 acres before it was contained. One firefighter suffered a heat-related injury." +120356,721853,PUERTO RICO,2017,September,Flash Flood,"AGUAS BUENAS",2017-09-06 15:16:00,AST-4,2017-09-07 00:15:00,0,0,0,0,177.00K,177000,0.00K,0,18.2662,-66.1853,18.2144,-66.1659,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","R��o Grande de Lo��za in Caguas, reported as flooded." +120356,721887,PUERTO RICO,2017,September,Flash Flood,"CAROLINA",2017-09-06 14:55:00,AST-4,2017-09-06 20:00:00,0,0,0,0,250.00K,250000,0.00K,0,18.4321,-65.966,18.3907,-66.0069,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Rio Grande de Loiza flooded, inundating areas at Carolina." +121267,725986,COLORADO,2017,November,High Wind,"NORTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 8500 & 11000 FT",2017-11-04 10:00:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +121267,725987,COLORADO,2017,November,High Wind,"SOUTHERN SANGRE DE CRISTO MOUNTAINS BETWEEN 7500 & 11000 FT",2017-11-04 10:00:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +118299,710921,ARIZONA,2017,July,Thunderstorm Wind,"SANTA CRUZ",2017-07-12 14:30:00,MST-7,2017-07-12 14:30:00,0,0,0,0,0.00K,0,0.00K,0,31.4923,-110.8543,31.4923,-110.8543,"Isolated thunderstorms moved southwest across southeast Arizona. One storm produced damaging winds near Patagonia Lake.","Thunderstorm winds broke off a 4 inch diameter tree limb near Patagonia Lake." +120356,721939,PUERTO RICO,2017,September,Flash Flood,"CANOVANAS",2017-09-06 14:55:00,AST-4,2017-09-06 20:00:00,0,0,0,0,500.00K,500000,0.00K,0,18.401,-65.9279,18.2923,-65.918,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding." +120356,721940,PUERTO RICO,2017,September,Flash Flood,"CEIBA",2017-09-06 14:55:00,AST-4,2017-09-06 20:00:00,0,0,0,0,250.00K,250000,0.00K,0,18.2851,-65.6371,18.2861,-65.7154,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flooding across Ceiba." +120356,721943,PUERTO RICO,2017,September,Flash Flood,"BAYAMON",2017-09-06 15:16:00,AST-4,2017-09-07 00:15:00,0,0,0,0,250.00K,250000,0.00K,0,18.416,-66.1973,18.4308,-66.1641,"Hurricane Irma was a category 5 storm with max winds of 185 mph, mainly confined in the northeast quadrant. The direction of the storm was towards the west northwest. Saint Thomas and Saint John experienced the southern eyewall with winds in excess of 115 mph with Culebra also experiencing Hurricane force gusts in excess of 100 mph. Mainland Puerto Rico, Vieques, and Saint Croix experienced mainly tropical storm force winds. The eye of Irma as it was tracking towards the west-northwest passed 30 miles north of San Juan.","Heavy rain resulted in flash flood across Bayamon." +121267,725989,COLORADO,2017,November,High Wind,"WET MOUNTAINS BETWEEN 8500 AND 10000 FT",2017-11-04 08:12:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +121267,725990,COLORADO,2017,November,High Wind,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-11-04 06:09:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +121267,725991,COLORADO,2017,November,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-11-04 06:43:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +121267,725992,COLORADO,2017,November,High Wind,"PUEBLO VICINITY / PUEBLO COUNTY BELOW 6300 FT",2017-11-04 05:58:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +118320,710998,ARIZONA,2017,July,Thunderstorm Wind,"COCHISE",2017-07-15 14:07:00,MST-7,2017-07-15 14:07:00,0,0,0,0,0.00K,0,0.00K,0,31.45,-109.6,31.45,-109.6,"Numerous thunderstorms moved southwest across southwest Arizona. One thunderstorm outflow caused severe wind gusts near Douglas. Strong outflows also reduced visibility in blowing dust along Interstate 10 near Picacho.","A thunderstorms wind gusts of 66 MPH was recorded at the KDUG ASOS." +118322,711014,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-16 16:21:00,MST-7,2017-07-16 16:22:00,0,0,0,0,15.00K,15000,0.00K,0,32.179,-111.1271,32.17,-111.13,"Scattered thunderstorms moved southwest across southeast Arizona. One storm caused roof damage near Ryan Field.","Thunderstorm winds caused roof damage to a house near S. Broken Spur Lane and W. Illinois Street and downed several large trees and damaged roofs and carports in Copper Crest." +118304,710941,ARIZONA,2017,July,Hail,"COCHISE",2017-07-13 17:10:00,MST-7,2017-07-13 18:05:00,0,0,0,0,,NaN,0.00K,0,31.96,-110.44,31.96,-110.44,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","" +118304,710942,ARIZONA,2017,July,Thunderstorm Wind,"COCHISE",2017-07-13 17:27:00,MST-7,2017-07-13 17:37:00,0,0,0,0,1.00K,1000,0.00K,0,31.6119,-109.6614,31.45,-109.6,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","Thunderstorm outflow winds blew across southeast Cochise County. The strongest wind gusts was 63 mph, which was recorded at the KDUG ASOS. Power lines were downed near McNeal." +118304,710967,ARIZONA,2017,July,Thunderstorm Wind,"SANTA CRUZ",2017-07-13 18:55:00,MST-7,2017-07-13 19:05:00,0,0,0,0,0.00K,0,0.00K,0,31.6979,-110.7463,31.67,-110.88,"Widespread thunderstorms moved southwest across southeast Arizona producing damaging winds and flash flooding.","Thunderstorm outflow winds blew across northern Santa Cruz Count. The Hopkins RAWS measured a 58 mph gust." +118316,710988,ARIZONA,2017,July,Tornado,"PIMA",2017-07-14 18:55:00,MST-7,2017-07-14 18:57:00,0,0,0,0,0.00K,0,0.00K,0,32.4445,-111.2182,32.4439,-111.22,"Numerous thunderstorms moved southwest across southeast Arizona. One thunderstorm produced a brief landspout tornado in the Marana area. Blowing dust reduced visibility to less than a quarter mile along Interstate 10 near Pinal Air Park.","Landspout tornado occurred in the vicinity of Sandario and Barnett Roads. Tornado remained over open desert with no damage noted." +118316,710987,ARIZONA,2017,July,Thunderstorm Wind,"GRAHAM",2017-07-14 16:55:00,MST-7,2017-07-14 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.8208,-109.6343,32.8159,-109.6808,"Numerous thunderstorms moved southwest across southeast Arizona. One thunderstorm produced a brief landspout tornado in the Marana area. Blowing dust reduced visibility to less than a quarter mile along Interstate 10 near Pinal Air Park.","Thunderstorm wind gust of 64 mph recorded at a state-owned agricultural weather station near Safford. A large tree was downed along Highway 70 in Solomon." +115032,690548,MISSISSIPPI,2017,April,Tornado,"YAZOO",2017-04-30 07:54:00,CST-6,2017-04-30 08:17:00,0,0,0,0,2.30M,2300000,200.00K,200000,32.6538,-90.3195,32.8585,-90.0362,"During the early morning hours of April 30th, a squall line of severe thunderstorms developed across central Louisiana and pushed eastward across the ArkLaMiss. The line intensified as it approached the Mississippi River and caused wind damage and tornadoes. As the convective system evolved into Mississippi, numerous tornadoes developed along the advancing line, with the most prolific damage occurring along the track of a large meso-scale convective vortex (MCV). This feature tracked roughly from Claiborne County through western Hinds/Madison, eastern Yazoo, eastern Holmes, southeastern Carroll, Montgomery, and northwestern Webster counties. This corridor is where the most significant damage occurred, as well as one fatality. Flash flooding, hail, and other wind damage occurred as these storms moved through.","This strong tornado started east of Bentonia near Indian Creek where minor tree damage was noted and continued to travel along a path just north of the Big Black River. The tornado caused minor structural damage along Scotland Road, where it also downed hundreds of trees. The tornado was strongest as it crossed Trail End Road, where it snapped wooden power poles, caused minor structural damage and snapped and uprooted nearly 1000 trees. A tin roof was ripped completely off of a mobile home along Linwood Rd in the Berryville Community. Tree damage was also surveyed along near and along I-55 near and north of the Vaughan exit. The tornado crossed over I-55 before dissipating south of Pickens. The maximum estimated winds with this tornado was 120 mph." +118323,711015,ARIZONA,2017,July,Thunderstorm Wind,"GRAHAM",2017-07-17 15:32:00,MST-7,2017-07-17 15:42:00,0,0,0,0,0.00K,0,0.00K,0,32.85,-109.63,32.8649,-109.6758,"Two rounds of scattered thunderstorms moved northwest across southeast Arizona. The first round moved through in the early morning hours producing flash flooding in Nogales. The second round in the afternoon produced gusty winds in Safford and additional flash flooding in the Tucson Metro area.","Thunderstorm produced a gust of 58 mph at Safford Airport. Outflow winds continued toward the northwest to the north of Safford." +118379,711386,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-19 15:15:00,MST-7,2017-07-19 15:19:00,0,0,0,0,0.00K,0,0.00K,0,32.4096,-111.2184,32.42,-111.16,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Marana ASOS measured a wind gust of 58 mph and a tree was down in the eastbound lane at I-10 and Tangerine Road." +118379,711389,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-19 15:18:00,MST-7,2017-07-19 16:00:00,0,0,0,0,0.00K,0,0.00K,0,32.3822,-111.236,32.3838,-111.2228,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Flash flooding caused Twin Peaks Road at Sanders Road to be closed." +121267,725994,COLORADO,2017,November,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-11-04 10:19:00,MST-7,2017-11-04 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over several locations in El Paso, Pueblo and Huerfano counties during the morning of November 4th. Some of the higher reported wind gusts included wind gusts between 59 mph and 69 mph near Walsenburg, Colorado City, Peterson Air Force Base and The Air Force Academy.|In addition, wind gusts between 66 mph and 76 mph were noted near Colorado Springs and Wetmore.","" +121270,725995,COLORADO,2017,November,High Wind,"WALSENBURG VICINITY / UPPER HUERFANO RIVER BASIN BELOW 7500 FT",2017-11-16 23:20:00,MST-7,2017-11-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 90 mph at times impacted portions of southern Colorado from the afternoon of November 16th into the early afternoon hours of November 17th, 2017. Some of the higher reported wind gusts with this event included wind gusts between 60 mph and 70 near Pikes Peak, Colorado City and Hoehne as well an impressive 92 mph wind gust near Monarch Pass.","" +118379,711400,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-19 16:20:00,MST-7,2017-07-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.4493,-111.2398,32.1559,-111.2281,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Flash flooding caused Moore Road to be closed between Sanders Road and the I-10 frontage road as well as Tangerine Road at I-10. Another area of flash flooding caused Snyder Hill Road to be closed between Desert Sunrise and Sandario roads in southwest Tucson." +118379,711404,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-19 15:40:00,MST-7,2017-07-19 16:15:00,0,0,0,0,8.00K,8000,0.00K,0,32.2014,-110.9447,32.242,-110.9732,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","A strong thunderstorm moved through the Tucson metro area during the afternoon with many reports of damage in central and western Tucson. The highest measured wind speed was 49 mph near 7th Street and Campbell. Large trees were uprooted along Kino Parkway and Silverlake Road, near Park and 20th Street, near Stone and 6th Street, near Echols Avenue and 5th Street, and near the McKale Center on the University of Arizona campus. The tree that fell on the U of A campus fell on two parked cars. There was also a power pole down at Speedway Boulevard and I-10." +118379,711396,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-19 16:06:00,MST-7,2017-07-19 17:00:00,0,0,0,0,0.00K,0,0.00K,0,32.2278,-110.9721,32.2264,-110.9721,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Stone Street underpass was closed due to flash flooding to a depth of 8 feet." +118379,711403,ARIZONA,2017,July,Flash Flood,"COCHISE",2017-07-19 21:56:00,MST-7,2017-07-19 22:30:00,0,0,0,0,20.00K,20000,0.00K,0,32.7144,-109.9233,32.7667,-109.879,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Heavy rains fell across the Frye Fire burn scar and caused flash flooding in Ash Creek. An 8 pipeline leading to Cluff Pond 3 was washed away and several private outbuildings were damaged." +121270,725996,COLORADO,2017,November,High Wind,"TRINIDAD VICINITY / LOWER HUERFANO RIVER BASIN & WESTERN LAS ANIMAS COUNTY BELOW 7500 FT",2017-11-17 11:28:00,MST-7,2017-11-17 17:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 90 mph at times impacted portions of southern Colorado from the afternoon of November 16th into the early afternoon hours of November 17th, 2017. Some of the higher reported wind gusts with this event included wind gusts between 60 mph and 70 near Pikes Peak, Colorado City and Hoehne as well an impressive 92 mph wind gust near Monarch Pass.","" +121270,725997,COLORADO,2017,November,High Wind,"EASTERN SAWATCH MOUNTAINS ABOVE 11000 FT",2017-11-17 12:30:00,MST-7,2017-11-17 13:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 90 mph at times impacted portions of southern Colorado from the afternoon of November 16th into the early afternoon hours of November 17th, 2017. Some of the higher reported wind gusts with this event included wind gusts between 60 mph and 70 near Pikes Peak, Colorado City and Hoehne as well an impressive 92 mph wind gust near Monarch Pass.","" +121271,725998,COLORADO,2017,December,High Wind,"NORTHERN EL PASO COUNTY / MONUMENT RIDGE / RAMPART RANGE BELOW 7500 FT",2017-12-08 10:00:00,MST-7,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing storm system, producing winds in excess of 60 mph at times impacted portions of southern Colorado during the morning of December 8th. Wind gusts between 58 mph and 62 mph were noted near Fountain, Colorado Springs and Truckton with this system.","" +121271,725999,COLORADO,2017,December,High Wind,"COLORADO SPRINGS VICINITY / SOUTHERN EL PASO COUNTY / RAMPART RANGE BELOW 7500 FT",2017-12-08 10:00:00,MST-7,2017-12-08 15:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A passing storm system, producing winds in excess of 60 mph at times impacted portions of southern Colorado during the morning of December 8th. Wind gusts between 58 mph and 62 mph were noted near Fountain, Colorado Springs and Truckton with this system.","" +122030,730581,COLORADO,2017,December,High Wind,"EASTERN LAKE COUNTY / WESTERN MOSQUITO RANGE ABOVE 11000 FT",2017-12-23 23:00:00,MST-7,2017-12-24 04:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds, gusting in excess of 75 mph at times were noted over portions of Chaffee and Lake counties. The highest reported wind gust with this event was 78 mph, measured near Monarch Pass during the evening of the 23rd.","" +118379,711387,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-19 17:01:00,MST-7,2017-07-19 17:30:00,0,0,0,0,0.00K,0,0.00K,0,32.4906,-110.9153,32.4905,-110.9055,"Scattered showers and thunderstorms, moving generally to the west, formed mainly over Graham, Pima, and Pinal counties during the afternoon. As the storms moved through Tucson they caused flash flooding from Marana to southwest Tucson, and also produced wind damage in parts of the Tucson Metro. Flash flooding also occurred in Ash Creek on Mt. Graham.","Flash flooding caused Hawser Street between Twin Lakes Drive and Coronado Forest Drive in Catalina to close." +118400,713013,ARIZONA,2017,July,Thunderstorm Wind,"PIMA",2017-07-20 18:39:00,MST-7,2017-07-20 18:45:00,0,0,0,0,8.00K,8000,0.00K,0,32.2202,-110.8624,32.2067,-110.858,"Isolated to scattered slow moving thunderstorms formed across southeast Arizona throughout the afternoon and evening. The storms caused flash flooding in Nogales as well as in Tucson, along with wind damage.","Thunderstorm winds downed a tree near Park Place Mall, blocking part of Broadway Blvd. Winds also peeled off most of the roof from a residence near 22nd and Wilmot." +118400,713035,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-21 17:55:00,MST-7,2017-07-21 18:30:00,0,0,0,0,0.00K,0,0.00K,0,32.3317,-110.9827,32.3196,-110.9597,"Isolated to scattered slow moving thunderstorms formed across southeast Arizona throughout the afternoon and evening. The storms caused flash flooding in Nogales as well as in Tucson, along with wind damage.","Heavy rain caused water nearly a foot deep to flow across West Chula Vista Rd as well as near Orange Grove and 1st Avenue." +118401,714798,ARIZONA,2017,July,Flash Flood,"GRAHAM",2017-07-22 13:50:00,MST-7,2017-07-22 14:40:00,0,0,0,0,5.00K,5000,0.00K,0,32.6531,-109.8344,32.6624,-109.8029,"Isolated to scattered showers and thunderstorms formed throughout the afternoon in areas from Tucson east, with movement to the southwest. These storms caused flash flooding in Nogales, Tucson, and in the Frye Fire Burn Scar on Mt. Graham.","Heavy rain falling on the Frye Fire Burn scar caused flooding of the Wet Canyon Campground/Picnic Area." +118401,714803,ARIZONA,2017,July,Flash Flood,"SANTA CRUZ",2017-07-22 15:00:00,MST-7,2017-07-22 16:00:00,0,0,0,0,40.00K,40000,0.00K,0,31.3339,-110.8463,31.3369,-110.8473,"Isolated to scattered showers and thunderstorms formed throughout the afternoon in areas from Tucson east, with movement to the southwest. These storms caused flash flooding in Nogales, Tucson, and in the Frye Fire Burn Scar on Mt. Graham.","A border patrol SUV parked near the international border and the Santa Cruz River became stuck in the mud and became overrun by the floodwaters of the Santa Cruz River." +118401,714805,ARIZONA,2017,July,Flash Flood,"PIMA",2017-07-22 18:40:00,MST-7,2017-07-22 19:20:00,0,0,0,0,0.00K,0,0.00K,0,32.2584,-110.891,32.3698,-111.1573,"Isolated to scattered showers and thunderstorms formed throughout the afternoon in areas from Tucson east, with movement to the southwest. These storms caused flash flooding in Nogales, Tucson, and in the Frye Fire Burn Scar on Mt. Graham.","Flash flooding occurred on the northwest side of Tucson, north of West Ina Rd between Silverbell Road and I-10. Flash flooding also caused River Road to become impassable between Alvernon and Swan Roads." +123039,737662,ALASKA,2017,November,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-11-17 11:00:00,AKST-9,2017-11-18 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front produced strong winds and low visibility to parts of the west coast and northwest Alaska on the 17th of November. ||Zone 210: Blizzard conditions reported at the Deering ASOS. A peak wind of 43 kt (50 mph) also reported. ||Zone 211: Blizzard conditions reported at the Nome ASOS. A peak wind of 35 kt (40 mph) also reported. ||Zone 213: Blizzard conditions reported at the Tin City AWOS. A peak wind of 52 kt ( 60 mph) also reported. ||Zone 213: Blizzard conditions reported at the Wales AWOS. A peak wind of 54 kt ( 62 mph) also reported.","" +121582,727749,ALASKA,2017,November,Blizzard,"YUKON DELTA",2017-11-21 00:00:00,AKST-9,2017-11-24 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching frontal boundary along the west coast of Alaska on November 19th. The strong winds continued into the 23rd. Blizzard conditions and high winds along the Bering strait and along the west coast and north slope were observed. ||zone 202: Barrow ASOS reported one quarter mile or less at times with a peak wind of 43 kt ( 50 mph).||zone 201: Cape Lisburne AWOS reported one quarter mile or less at times with a peak wind of 72 kt ( 83 mph).||zone 207: Kivalina ASOS reported one quarter mile or less at times with a peak wind gust of 66 mph ( 57 kt).||zone 208: Noatak ASOS reported one quarter mile or less at times with a peak wind gust of 49 mph ( 43 kt).||zone 209: Kotzebue ASOS reported one quarter mile or less at times with a peak wind gust of 61 mph ( 53 kt).||zone 213: Wales AWOS reported one quarter mile or less at times with a peak wind gust of 60 mph ( 52 kt).||zone 214: Marshall AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).||zone 217: Shungnak AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).","" +121582,735481,ALASKA,2017,November,Blizzard,"NORTHERN ARCTIC COAST",2017-11-20 12:23:00,AKST-9,2017-11-22 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching frontal boundary along the west coast of Alaska on November 19th. The strong winds continued into the 23rd. Blizzard conditions and high winds along the Bering strait and along the west coast and north slope were observed. ||zone 202: Barrow ASOS reported one quarter mile or less at times with a peak wind of 43 kt ( 50 mph).||zone 201: Cape Lisburne AWOS reported one quarter mile or less at times with a peak wind of 72 kt ( 83 mph).||zone 207: Kivalina ASOS reported one quarter mile or less at times with a peak wind gust of 66 mph ( 57 kt).||zone 208: Noatak ASOS reported one quarter mile or less at times with a peak wind gust of 49 mph ( 43 kt).||zone 209: Kotzebue ASOS reported one quarter mile or less at times with a peak wind gust of 61 mph ( 53 kt).||zone 213: Wales AWOS reported one quarter mile or less at times with a peak wind gust of 60 mph ( 52 kt).||zone 214: Marshall AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).||zone 217: Shungnak AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).","" +121582,735584,ALASKA,2017,November,Blizzard,"WESTERN ARCTIC COAST",2017-11-21 05:00:00,AKST-9,2017-11-21 16:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching frontal boundary along the west coast of Alaska on November 19th. The strong winds continued into the 23rd. Blizzard conditions and high winds along the Bering strait and along the west coast and north slope were observed. ||zone 202: Barrow ASOS reported one quarter mile or less at times with a peak wind of 43 kt ( 50 mph).||zone 201: Cape Lisburne AWOS reported one quarter mile or less at times with a peak wind of 72 kt ( 83 mph).||zone 207: Kivalina ASOS reported one quarter mile or less at times with a peak wind gust of 66 mph ( 57 kt).||zone 208: Noatak ASOS reported one quarter mile or less at times with a peak wind gust of 49 mph ( 43 kt).||zone 209: Kotzebue ASOS reported one quarter mile or less at times with a peak wind gust of 61 mph ( 53 kt).||zone 213: Wales AWOS reported one quarter mile or less at times with a peak wind gust of 60 mph ( 52 kt).||zone 214: Marshall AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).||zone 217: Shungnak AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).","Peak wind of 72 kt (83 mph) at the Cape Lisburne AWOS." +121582,735627,ALASKA,2017,November,Blizzard,"CHUKCHI SEA COAST",2017-11-20 05:00:00,AKST-9,2017-11-21 12:53:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching frontal boundary along the west coast of Alaska on November 19th. The strong winds continued into the 23rd. Blizzard conditions and high winds along the Bering strait and along the west coast and north slope were observed. ||zone 202: Barrow ASOS reported one quarter mile or less at times with a peak wind of 43 kt ( 50 mph).||zone 201: Cape Lisburne AWOS reported one quarter mile or less at times with a peak wind of 72 kt ( 83 mph).||zone 207: Kivalina ASOS reported one quarter mile or less at times with a peak wind gust of 66 mph ( 57 kt).||zone 208: Noatak ASOS reported one quarter mile or less at times with a peak wind gust of 49 mph ( 43 kt).||zone 209: Kotzebue ASOS reported one quarter mile or less at times with a peak wind gust of 61 mph ( 53 kt).||zone 213: Wales AWOS reported one quarter mile or less at times with a peak wind gust of 60 mph ( 52 kt).||zone 214: Marshall AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).||zone 217: Shungnak AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).","" +120522,722039,ALASKA,2017,November,Heavy Snow,"MIDDLE TANANA VALLEY",2017-11-11 03:00:00,AKST-9,2017-11-13 12:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Vigorous occluded front pushed through the Interior bringing heavy snow to the Middle Tanana Valley on the 11th and 12th of November 2017. Snowfall from Sunday into Monday was generally 5 to 7 inches in the Fairbanks area, while the areas north and east of Fairbanks had 6 to 10 inches. One foot reported in the Alaska Range.||Some storm snow fall totals ending Monday:||Fairbanks Airport 5.6 inches. |College Observatory 6.5 inches.|South Fox 6.6 inches. |Goldstream Valley Bottom 7.1 inches. |McGrath Road 8.5 inches. |North Pole 9.5 inches. |Keystone Ridge 10.5 inches.","" +121583,727750,ALASKA,2017,November,High Wind,"ST LAWRENCE IS. BERING STRAIT",2017-11-25 04:22:00,AKST-9,2017-11-25 18:41:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching low pressure system along the west coast of Alaska on November 25th. High winds and high surf along the Bering strait were observed. Water levels rose 2 to 3 feet above normal tides and waves of 12 to 14 feet offshore. Minor beach erosion reported.||zone 213: Wales AWOS reported a peak wind gust of 67 mph ( 59 kt).","" +122792,735597,ALASKA,2017,November,High Wind,"CHUKCHI SEA COAST",2017-11-06 06:00:00,AKST-9,2017-11-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient set up along the west coast on November 6th. Strong winds continued into the 7th.||Zone 207: A peak wind of 69 mph ( 60 kt) was reported at Red Dog Dock.||Zone 210: A peak wind of 60 mph ( 52 kt) was reported at the Ella Creek RAWS.||Zone 213: A peak wind of 70 mph (61 kt) was reported at the Wales AWOS.","" +122792,735598,ALASKA,2017,November,High Wind,"ST LAWRENCE IS. BERING STRAIT",2017-11-06 06:00:00,AKST-9,2017-11-07 06:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A strong pressure gradient set up along the west coast on November 6th. Strong winds continued into the 7th.||Zone 207: A peak wind of 69 mph ( 60 kt) was reported at Red Dog Dock.||Zone 210: A peak wind of 60 mph ( 52 kt) was reported at the Ella Creek RAWS.||Zone 213: A peak wind of 70 mph (61 kt) was reported at the Wales AWOS.","" +123039,737661,ALASKA,2017,November,Blizzard,"SRN SEWARD PENINSULA COAST",2017-11-17 11:00:00,AKST-9,2017-11-18 00:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front produced strong winds and low visibility to parts of the west coast and northwest Alaska on the 17th of November. ||Zone 210: Blizzard conditions reported at the Deering ASOS. A peak wind of 43 kt (50 mph) also reported. ||Zone 211: Blizzard conditions reported at the Nome ASOS. A peak wind of 35 kt (40 mph) also reported. ||Zone 213: Blizzard conditions reported at the Tin City AWOS. A peak wind of 52 kt ( 60 mph) also reported. ||Zone 213: Blizzard conditions reported at the Wales AWOS. A peak wind of 54 kt ( 62 mph) also reported.","" +122795,735625,ALASKA,2017,November,Blizzard,"WESTERN ARCTIC COAST",2017-11-14 13:41:00,AKST-9,2017-11-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front produced strong winds and low visibility to parts of the west coast and northwest Alaska on the 14th of November.||Zone 201: Blizzard conditions reported at the Cape Lisburne AWOS. A peak wind of 52 kt (60 mph) also reported.||Zone 213: Blizzard conditions reported at the Wales AWOS. A peak wind of 52 kt ( 60 mph) also reported.","" +122795,735626,ALASKA,2017,November,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-11-14 04:59:00,AKST-9,2017-11-14 23:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"A weather front produced strong winds and low visibility to parts of the west coast and northwest Alaska on the 14th of November.||Zone 201: Blizzard conditions reported at the Cape Lisburne AWOS. A peak wind of 52 kt (60 mph) also reported.||Zone 213: Blizzard conditions reported at the Wales AWOS. A peak wind of 52 kt ( 60 mph) also reported.","" +121582,727748,ALASKA,2017,November,Blizzard,"ST LAWRENCE IS. BERING STRAIT",2017-11-19 14:00:00,AKST-9,2017-11-21 22:49:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Strong winds developed out ahead of an approaching frontal boundary along the west coast of Alaska on November 19th. The strong winds continued into the 23rd. Blizzard conditions and high winds along the Bering strait and along the west coast and north slope were observed. ||zone 202: Barrow ASOS reported one quarter mile or less at times with a peak wind of 43 kt ( 50 mph).||zone 201: Cape Lisburne AWOS reported one quarter mile or less at times with a peak wind of 72 kt ( 83 mph).||zone 207: Kivalina ASOS reported one quarter mile or less at times with a peak wind gust of 66 mph ( 57 kt).||zone 208: Noatak ASOS reported one quarter mile or less at times with a peak wind gust of 49 mph ( 43 kt).||zone 209: Kotzebue ASOS reported one quarter mile or less at times with a peak wind gust of 61 mph ( 53 kt).||zone 213: Wales AWOS reported one quarter mile or less at times with a peak wind gust of 60 mph ( 52 kt).||zone 214: Marshall AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).||zone 217: Shungnak AWSS reported one quarter mile or less at times with a peak wind gust of 52 mph ( 45 kt).","" +120816,725164,NORTH CAROLINA,2017,October,Flood,"BURKE",2017-10-23 19:15:00,EST-5,2017-10-24 02:00:00,0,0,0,0,1.00K,1000,0.00K,0,35.873,-81.71,35.857,-81.724,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","A stream gauge on Johns River exceeded its established flood stage after more than 4 inches of rain fell in the basin throughout the 23rd. Roads impacted by flood water included Johns River Rd and Johns River Loop Rd." +120816,725165,NORTH CAROLINA,2017,October,Flood,"CALDWELL",2017-10-23 18:30:00,EST-5,2017-10-24 00:30:00,0,0,0,0,1.00K,1000,0.00K,0,35.94,-81.689,35.9185,-81.6641,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","A stream gauge on Johns River in northern Burke County exceeded established flood stage, indicating that portions of Highway 90 and Valley View Circle were flooded in the Collettsville area of Caldwell County." +119244,716039,WEST VIRGINIA,2017,July,Flash Flood,"WETZEL",2017-07-05 21:58:00,EST-5,2017-07-06 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6343,-80.7447,39.6592,-80.5573,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Local 911 reported flooding on Route 7 between New Martinsville and Hundred. Three to four feet of water is reported on roadways in Wileyville, with basement flooding also being reported." +117398,717048,PENNSYLVANIA,2017,July,Heavy Rain,"ALLEGHENY",2017-07-28 20:19:00,EST-5,2017-07-28 23:49:00,0,0,0,0,0.00K,0,0.00K,0,40.48,-79.83,40.48,-79.83,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Trained spotter reported in 3.5 hours." +117398,717116,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-29 01:03:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8529,-80.0333,39.8853,-80.0086,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that State Route 2017 was flooded and closed in Cumberland Township." +115604,694366,ILLINOIS,2017,June,Hail,"BUREAU",2017-06-14 15:00:00,CST-6,2017-06-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-89.51,41.29,-89.51,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A public report was received through social media. The time was estimated by radar data." +115604,694471,ILLINOIS,2017,June,Thunderstorm Wind,"JO DAVIESS",2017-06-14 12:09:00,CST-6,2017-06-14 12:09:00,0,0,0,0,0.00K,0,0.00K,0,42.25,-90.28,42.25,-90.28,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Tree limbs were blown down, and the time estimated was from radar." +119111,716158,IOWA,2017,July,Flash Flood,"DELAWARE",2017-07-21 23:15:00,CST-6,2017-07-22 02:15:00,0,0,0,0,0.00K,0,0.00K,0,42.6305,-91.5676,42.6141,-91.5692,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a local park was closed with water running over bridges in the park." +119111,716159,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-22 00:07:00,CST-6,2017-07-22 03:07:00,0,0,0,0,0.00K,0,0.00K,0,42.5695,-90.789,42.5565,-90.7902,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported evacuations in Durango due to rapidly rising water from the Little Maquoketa River." +119111,716160,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-22 00:10:00,CST-6,2017-07-22 03:10:00,0,0,0,0,0.00K,0,0.00K,0,42.5604,-90.8174,42.5572,-90.8168,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported 3 feet of water over Paradise Valley Road." +119111,716161,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-22 00:15:00,CST-6,2017-07-22 03:15:00,0,0,0,0,0.00K,0,0.00K,0,42.4961,-90.8993,42.4938,-90.9035,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported a road closed due to high water." +119111,716162,IOWA,2017,July,Flash Flood,"JACKSON",2017-07-22 01:00:00,CST-6,2017-07-22 01:00:00,0,0,0,0,1.00K,1000,0.00K,0,42.17,-90.88,42.1627,-90.8706,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a gravel road was washed out." +119457,716988,PENNSYLVANIA,2017,July,Flash Flood,"JEFFERSON",2017-07-24 00:00:00,EST-5,2017-07-24 00:40:00,0,0,0,0,0.00K,0,0.00K,0,41.16,-79.04,41.1479,-79.0295,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported flooding along State Route 322, east of Brookville." +119205,717250,WEST VIRGINIA,2017,July,Flash Flood,"MONONGALIA",2017-07-29 06:45:00,EST-5,2017-07-29 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7,-80.3,39.7035,-80.2921,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","The public reported that the town of Wana was flooded with high water blocking all traffic." +119205,717251,WEST VIRGINIA,2017,July,Flood,"MARION",2017-07-29 07:30:00,EST-5,2017-07-29 16:00:00,0,0,0,0,0.00K,0,0.00K,0,39.547,-80.3317,39.53,-80.3114,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Emergency manager reported ongoing flooding throughout the town of Mannington with numerous streets closed." +119205,717252,WEST VIRGINIA,2017,July,Flood,"TUCKER",2017-07-29 04:45:00,EST-5,2017-07-29 06:45:00,0,0,0,0,0.00K,0,0.00K,0,39.21,-79.55,39.2149,-79.5463,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported flooding at the intersection of Lime Holow Road and Cannon Settlement Road." +115361,692656,ARKANSAS,2017,April,Thunderstorm Wind,"CROSS",2017-04-30 00:24:00,CST-6,2017-04-30 00:30:00,0,0,0,0,250.00K,250000,0.00K,0,35.3398,-91.0519,35.3706,-90.9798,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Several trees, houses, outbuildings and power poles damaged from north of Titon to south of Cherry Valley." +120816,725176,NORTH CAROLINA,2017,October,Flash Flood,"AVERY",2017-10-23 15:30:00,EST-5,2017-10-23 17:00:00,0,0,0,0,1.00K,1000,0.00K,0,36.049,-82.012,36.055,-82.019,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","A stream gauge on the Toe River exceeded established flood stage in western Avery County after 3 to 4 inches of rain fell in the basin, with much of that falling in only a couple of hours. Low-lying areas near the gauge were flooded, including a portion of Blue Bell Ln, just off Highway 19E." +119138,715509,ILLINOIS,2017,July,Thunderstorm Wind,"MERCER",2017-07-10 03:53:00,CST-6,2017-07-10 03:53:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-90.75,41.2,-90.75,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","The county emergency manager reported a couple of trees were down." +119138,715511,ILLINOIS,2017,July,Thunderstorm Wind,"HENDERSON",2017-07-10 04:00:00,CST-6,2017-07-10 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.94,-90.95,40.94,-90.95,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","A trained spotter reported widespread tree damage in town with several roads closed." +119138,715514,ILLINOIS,2017,July,Thunderstorm Wind,"MCDONOUGH",2017-07-10 04:54:00,CST-6,2017-07-10 04:54:00,0,0,0,0,1.00K,1000,0.00K,0,40.56,-90.75,40.56,-90.75,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","Local law enforcement reported a telephone pole was blown over with wires down across the road." +119138,715517,ILLINOIS,2017,July,Hail,"HANCOCK",2017-07-10 17:25:00,CST-6,2017-07-10 17:25:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-91.14,40.59,-91.14,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","" +119302,716394,OHIO,2017,July,Hail,"MUSKINGUM",2017-07-07 13:28:00,EST-5,2017-07-07 13:28:00,0,0,0,0,0.00K,0,0.00K,0,39.87,-82.06,39.87,-82.06,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","" +119302,716395,OHIO,2017,July,Thunderstorm Wind,"COSHOCTON",2017-07-07 13:34:00,EST-5,2017-07-07 13:34:00,0,0,0,0,5.00K,5000,0.00K,0,40.21,-81.97,40.21,-81.97,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","Sheriffs office reported numerous trees down but was too busy to give exact location." +119302,716396,OHIO,2017,July,Thunderstorm Wind,"TUSCARAWAS",2017-07-07 13:58:00,EST-5,2017-07-07 13:58:00,0,0,0,0,5.00K,5000,0.00K,0,40.27,-81.6,40.27,-81.6,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","Social media reported large branch crashed into vehicle windshield." +119303,716397,PENNSYLVANIA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-07 14:11:00,EST-5,2017-07-07 14:11:00,0,0,0,0,2.00K,2000,0.00K,0,40.08,-80.07,40.08,-80.07,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","Emergency manager reported a large tree blocking roadway." +119303,716398,PENNSYLVANIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-07 14:40:00,EST-5,2017-07-07 14:40:00,0,0,0,0,2.50K,2500,0.00K,0,39.93,-79.93,39.93,-79.93,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","State official reported trees down." +115604,694472,ILLINOIS,2017,June,Thunderstorm Wind,"JO DAVIESS",2017-06-14 12:21:00,CST-6,2017-06-14 12:21:00,0,0,0,0,0.00K,0,0.00K,0,42.42,-90.43,42.42,-90.43,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Tree limbs were blown down." +115604,694474,ILLINOIS,2017,June,Thunderstorm Wind,"JO DAVIESS",2017-06-14 12:35:00,CST-6,2017-06-14 12:35:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-89.99,42.49,-89.99,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A large tree limb was blown down." +115604,694475,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 14:57:00,CST-6,2017-06-14 14:57:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-89.47,41.38,-89.47,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trees and power lines were blown down. The time was estimated from radar data." +119108,715338,IOWA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-19 17:55:00,CST-6,2017-07-19 17:55:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-91.2,42.64,-91.2,"Hot and humid conditions combined with afternoon heating produced thunderstorms with some becoming severe with damaging winds of around 60 mph.","The county emergency manager reported a local wind sensor measured a peak wind gust of 62 mph." +119110,715341,IOWA,2017,July,Hail,"HENRY",2017-07-20 18:09:00,CST-6,2017-07-20 18:09:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","This report of hail up to the size of quarters was received from local amateur radio operators." +119110,715343,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:11:00,CST-6,2017-07-20 18:11:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter in Mt Pleasant reported estimated winds up to 60 mph." +119457,716989,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-23 20:41:00,EST-5,2017-07-23 23:15:00,0,0,0,0,0.00K,0,0.00K,0,40.07,-79.91,40.0708,-79.9055,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported that California Drive was blocked by debris and water." +119457,716990,PENNSYLVANIA,2017,July,Flood,"WASHINGTON",2017-07-23 19:50:00,EST-5,2017-07-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1855,-80.2596,40.1845,-80.2576,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Social media reported water on Sammy Agnott way." +119457,716991,PENNSYLVANIA,2017,July,Flood,"WASHINGTON",2017-07-23 21:04:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-79.9,40.129,-79.8878,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Local 911 reported basement flooding." +119457,716992,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-23 21:01:00,EST-5,2017-07-23 23:30:00,0,0,0,0,0.00K,0,0.00K,0,40.1601,-79.5639,40.1516,-79.5259,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported several roads closed due to flooding including Route 981, 119, and 31. Also, basement flooding was reported." +119457,716993,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-23 20:59:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.19,-79.85,40.1868,-79.8047,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported flooding on Route 51 near Webster." +119457,716994,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-23 21:07:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1235,-79.5657,40.0965,-79.6011,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported flooding on 819." +119205,717253,WEST VIRGINIA,2017,July,Flood,"TUCKER",2017-07-29 10:10:00,EST-5,2017-07-29 11:10:00,0,0,0,0,0.00K,0,0.00K,0,39.17,-79.6057,39.1799,-79.591,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Emergency manager reported a water rescue as a male is clinging to a pole." +118354,711273,IOWA,2017,June,Hail,"FREMONT",2017-06-15 19:11:00,CST-6,2017-06-15 19:11:00,0,0,0,0,,NaN,,NaN,40.82,-95.69,40.82,-95.69,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711274,IOWA,2017,June,Hail,"FREMONT",2017-06-15 19:20:00,CST-6,2017-06-15 19:20:00,0,0,0,0,,NaN,,NaN,40.75,-95.64,40.75,-95.64,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711275,IOWA,2017,June,Hail,"FREMONT",2017-06-15 19:29:00,CST-6,2017-06-15 19:29:00,0,0,0,0,,NaN,,NaN,40.75,-95.64,40.75,-95.64,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","A trained storm spotter reported quarter size to half dollar size hail." +118354,711276,IOWA,2017,June,Hail,"FREMONT",2017-06-15 19:41:00,CST-6,2017-06-15 19:41:00,0,0,0,0,,NaN,,NaN,40.7,-95.57,40.7,-95.57,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711277,IOWA,2017,June,Hail,"PAGE",2017-06-15 19:46:00,CST-6,2017-06-15 19:46:00,0,0,0,0,,NaN,,NaN,40.72,-95.04,40.72,-95.04,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +114739,688311,IOWA,2017,April,Hail,"WASHINGTON",2017-04-15 17:05:00,CST-6,2017-04-15 17:05:00,0,0,0,0,0.00K,0,0.00K,0,41.48,-91.71,41.48,-91.71,"Scattered showers and thunderstorms moved across portions of eastern Iowa the evening of April 15, as a cold front pushed east across Iowa. Large hail, heavy downpours, and frequent lightning were common as the storms moved across the area. A tornado was also confirmed from a strong storm that moved across Jones County, which produced damage to trees and farm outbuildings. Rainfall amounts ranged from 1 to 3 inches across the area with the heaviest falling in Benton, Linn, Johnson, and Clinton Counties. The heavy rain lead to flash flooding in parts of Linn County.","" +115894,704138,PENNSYLVANIA,2017,May,Flash Flood,"FAYETTE",2017-05-05 17:27:00,EST-5,2017-05-05 18:30:00,0,0,0,0,10.00K,10000,0.00K,0,40.09,-79.53,40.0879,-79.5221,"Low pressure moving across the Upper Ohio Valley helped initiate showers and storms, some of which produced heavy rain, gusty wind, and isolated large hail across the region on the 5th. Flash flooding was reported across Armstrong, Clarion, and Westmoreland counties in Pennsylvania.","The media reported flash flooding along Mounts Creek near Keefer Road in Bullskin Township." +119303,716399,PENNSYLVANIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-07 14:46:00,EST-5,2017-07-07 14:46:00,0,0,0,0,2.50K,2500,0.00K,0,39.88,-79.88,39.88,-79.88,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","State official reported trees down." +116456,700393,NORTH CAROLINA,2017,May,Thunderstorm Wind,"ROCKINGHAM",2017-05-11 18:35:00,EST-5,2017-05-11 18:35:00,0,0,0,0,20.00K,20000,0.00K,0,36.52,-79.7,36.52,-79.7,"A stalled frontal boundary settled across the region on May 11th, providing enough differential heating and lift for scattered Thunderstorms to develop. The strongest storms produced isolated wind damage, especially near the Virginia state border.","Thunderstorm winds downed dozens of trees near and just East of the City of Eden. Trees came down on Front Street, Maryland Avenue, and Carolina Avenue. These winds also damaged a dog kennel, shed and peeled a portion of tin roofing off a building." +119138,715519,ILLINOIS,2017,July,Thunderstorm Wind,"MCDONOUGH",2017-07-10 19:09:00,CST-6,2017-07-10 19:09:00,0,0,0,0,1.00K,1000,0.00K,0,40.55,-90.5,40.55,-90.5,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","The county emergency manager reported trees and power poles were down in Bushnell." +119138,715521,ILLINOIS,2017,July,Thunderstorm Wind,"MCDONOUGH",2017-07-10 19:23:00,CST-6,2017-07-10 19:23:00,0,0,0,0,2.00K,2000,0.00K,0,40.49,-90.5,40.49,-90.5,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","A trained spotter reported several power lines, one large tree, and a large antique windmill down were blown down." +119138,715522,ILLINOIS,2017,July,Hail,"BUREAU",2017-07-10 19:35:00,CST-6,2017-07-10 19:35:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-89.25,41.43,-89.25,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","" +117398,716297,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-28 22:50:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7907,-79.9183,40.7761,-79.9192,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported several roads closed due to flooding in Nixon." +117398,716298,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-28 22:50:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.84,-79.74,40.8715,-79.7103,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Several roads closed due to flooding." +117398,716299,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-29 00:00:00,EST-5,2017-07-29 00:30:00,0,0,0,0,0.00K,0,0.00K,0,40.7721,-79.9307,40.7801,-79.9322,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Pittsburgh Rd closed due to flooding in Penn Twp." +115471,693412,IOWA,2017,June,Thunderstorm Wind,"DES MOINES",2017-06-14 13:00:00,CST-6,2017-06-14 13:00:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.17,41.01,-91.17,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A spotter estimated winds of 60 mph." +119110,715345,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:23:00,CST-6,2017-07-20 18:23:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.55,40.96,-91.55,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter reported a dumpster was flipped over and a fence was down near a hotel." +119110,715347,IOWA,2017,July,Hail,"HENRY",2017-07-20 18:40:00,CST-6,2017-07-20 18:40:00,0,0,0,0,0.00K,0,0.00K,0,40.96,-91.62,40.96,-91.62,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","" +119110,715348,IOWA,2017,July,Thunderstorm Wind,"HENRY",2017-07-20 18:50:00,CST-6,2017-07-20 18:50:00,0,0,0,0,0.00K,0,0.00K,0,40.97,-91.54,40.97,-91.54,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter reported a large road detour sign was flipped over along with a piece of a fence blown down." +119110,715349,IOWA,2017,July,Thunderstorm Wind,"JEFFERSON",2017-07-20 19:32:00,CST-6,2017-07-20 19:32:00,0,0,0,0,0.00K,0,0.00K,0,40.99,-91.75,40.99,-91.75,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A public report was received of downed power lines." +119205,715863,WEST VIRGINIA,2017,July,Flash Flood,"OHIO",2017-07-28 21:47:00,EST-5,2017-07-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0464,-80.6297,40.0501,-80.6348,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Public reported a stream running across Middle Creek Road and poeple are trapped in a house on Cadillac Ave in Triadelphia." +119205,715866,WEST VIRGINIA,2017,July,Flash Flood,"OHIO",2017-07-28 22:27:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.09,-80.57,40.0868,-80.5662,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Numerous roads flooded and closed across Valley Grove." +119205,715867,WEST VIRGINIA,2017,July,Flash Flood,"OHIO",2017-07-28 22:30:00,EST-5,2017-07-29 04:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.05,-80.65,40.0476,-80.6484,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Wheeling Creek is out of its banks and flooding Elm Grove." +118354,711278,IOWA,2017,June,Hail,"FREMONT",2017-06-15 19:53:00,CST-6,2017-06-15 19:53:00,0,0,0,0,,NaN,,NaN,40.73,-95.7,40.73,-95.7,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118382,711398,NEBRASKA,2017,June,Thunderstorm Wind,"OTOE",2017-06-14 06:24:00,CST-6,2017-06-14 06:24:00,0,0,0,0,,NaN,,NaN,40.57,-96.02,40.57,-96.02,"An area of thunderstorms developed from east central Nebraska to south central Nebraska along a front during the morning hours of the 14th. One storm produced 60 mph winds south of Lorton Village in Otoe County.","A trained storm spotter estimated 60 mph winds south of Lorton Village." +118385,711402,NEBRASKA,2017,June,Thunderstorm Wind,"ANTELOPE",2017-06-03 16:35:00,CST-6,2017-06-03 16:35:00,0,0,0,0,,NaN,,NaN,42.33,-98.12,42.33,-98.12,"An area of thunderstorms developed along a front in northeast Nebraska. One of the thunderstorms produced an isolated damaging wind gust that damaged trees in Royal.","A thunderstorm produced damaging winds that broke large limbs off cottonwood trees in Royal." +119396,716666,ILLINOIS,2017,July,Flood,"WHITESIDE",2017-07-21 22:30:00,CST-6,2017-07-31 00:30:00,0,0,0,0,13.00K,13000,2.00K,2000,41.75,-89.68,41.6845,-89.8878,"Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline.","Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline. ||Como rose above major flood stage level of 12.0 feet on July 21st, 2017 at approximately 1030 PM CST. It crested around 15.7 feet at approximately 830 AM CST on July 23rd, 2017 and fell below 12.0 feet at approximately 1230 AM CST on July 31st. Widespread river flooding and some flash flooding resulted in a preliminary estimation of 10 to 20 thousand dollars in damage." +119396,716673,ILLINOIS,2017,July,Flood,"ROCK ISLAND",2017-07-23 14:00:00,CST-6,2017-07-31 12:30:00,0,0,0,0,100.00K,100000,10.00K,10000,41.4805,-90.4095,41.4717,-90.5695,"Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline.","Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline. ||Moline rose above major flood stage level of 14.0 feet on July 23rd, 2017 at approximately 2 PM CST. It crested around 15.4 feet at approximately 100 AM CST on July 26th, 2017 and fell below 16.5 feet at approximately 1230 PM CST on July 31st, 2017." +114047,690035,IOWA,2017,March,Tornado,"SCOTT",2017-03-06 22:19:00,CST-6,2017-03-06 22:31:00,0,0,0,0,0.00K,0,0.00K,0,41.599,-90.7988,41.7625,-90.6026,"A line of severe storms tracked east over eastern Iowa, northwest Illinois, and northeast Missouri during the evening of March 6th. Widespread winds over 70 mph, small hail, and several tornadoes were reported. Damage from these storms included: downed trees, power poles, destroyed outbuildings, and roof damage to several homes.","Tornado tracked from near Walcott and crossed the Wapsipinicon River into Clinton County and traveled to Goose Lake before lifting. Damage in Scott County was rated EF-1, and consisted primarily of damage to farm outbuildings and trees. Some power lines were snapped. Near Walcott, significant damage occurred to commercial property, several signs and more than a dozen large tow-behind campers were damaged." +119141,716100,ILLINOIS,2017,July,Flash Flood,"STEPHENSON",2017-07-21 23:15:00,CST-6,2017-07-21 23:15:00,0,0,0,0,0.00K,0,0.00K,0,42.3953,-89.8407,42.3201,-89.8476,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported 4 road closures in Stephenson County due to flash flooding. Highway 20 west was closed at Damier Road. Highway 20 was closed at Kiever Road. Highway 20 was closed west of Galena Road to the county line. Highway 73 was closed west of Louisa Road." +119141,716105,ILLINOIS,2017,July,Flash Flood,"CARROLL",2017-07-22 01:20:00,CST-6,2017-07-22 04:20:00,0,0,0,0,5.00K,5000,0.00K,0,42.0288,-89.9027,42.0072,-89.9035,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a guard rail was washed out on Route 40 near Chadwick." +115471,700634,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:11:00,CST-6,2017-06-14 17:11:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.68,42.5,-90.68,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700635,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:12:00,CST-6,2017-06-14 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-90.73,42.49,-90.73,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700636,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:12:00,CST-6,2017-06-14 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700637,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:12:00,CST-6,2017-06-14 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.7,42.52,-90.7,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700638,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:13:00,CST-6,2017-06-14 17:13:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.66,42.52,-90.66,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +119309,716418,PENNSYLVANIA,2017,July,Tornado,"CLARION",2017-07-11 17:45:00,EST-5,2017-07-11 17:48:00,0,0,0,0,10.00K,10000,0.00K,0,41.077,-79.566,41.072,-79.548,"Shortwave and embedded MCV became the focus for showers and thunderstorms, especially along an area of weak convergence/boundary over western Pennsylvania, northern West Virginia, and southeastern Ohio on the 11th. A few storms became severe, with an EF-0 tornado confirmed near Rimersburg in Clarion County, PA.","The National Weather Service survey team confirmed a tornado near Rimersburg in Toby Township in Clarion County in Western Pennsylvania on July 11, 2017. A damage path a found extending from Zanot Road east-southeastward to the intersection of Cherry Run Road and Rimer Road to Fink Road in Toby Township, roughly 4 miles northwest of Rimersburg. Observed damage was exclusively to trees, with many examples of broken large limbs, trunk snaps, and uproots of both healthy and unhealthy trees. The most significant damage occurred during the early part of the track along Zanot Road to its intersection with Cherry Run Road. It was here that the greatest concentration of tree damage was found, with several healthy trees snapped and uprooted. A convergent damage path was noted, as opposed to a uniform or spreading direction, which suggested tornadic activity. Further down the track, tree damage was less significant and limited to smaller trees. While tree damage was significant, especially in the first portion of the track, the overall lack of damage to structures plus the antecedent wet soils allows the wind speed to be capped at 75 MPH. Thus, the tornado has been rated an EF0 on the Enhanced Fujita Scale." +119310,716800,PENNSYLVANIA,2017,July,Flash Flood,"INDIANA",2017-07-14 03:30:00,EST-5,2017-07-14 07:30:00,0,0,0,0,0.00K,0,0.00K,0,40.5893,-79.1635,40.5961,-79.1663,"Showers and thunderstorms, some of which produced heavy rain, developed along an advancing shortwave in zonal flow aloft early on the 14th. Training of these storms over Fayette and Indiana counties in Pennsylvania resulted in some reports of flash flooding, as local creeks and streams rose rapidly.","Emergency manager reported a swift water rescue at the intersection of Old Route 119 and Wayne Ave." +119310,716935,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-14 06:58:00,EST-5,2017-07-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.83,-79.75,39.8275,-79.7383,"Showers and thunderstorms, some of which produced heavy rain, developed along an advancing shortwave in zonal flow aloft early on the 14th. Training of these storms over Fayette and Indiana counties in Pennsylvania resulted in some reports of flash flooding, as local creeks and streams rose rapidly.","Emergency manager reported that Muddy Run and Georges Creek were running high and flooding nearby roads in Fairchance." +119310,716936,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-14 08:02:00,EST-5,2017-07-14 10:00:00,0,0,0,0,0.00K,0,0.00K,0,39.85,-79.91,39.854,-79.8902,"Showers and thunderstorms, some of which produced heavy rain, developed along an advancing shortwave in zonal flow aloft early on the 14th. Training of these storms over Fayette and Indiana counties in Pennsylvania resulted in some reports of flash flooding, as local creeks and streams rose rapidly.","Emergency manager reported several roads closed due to flooding in Masontown." +119205,716332,WEST VIRGINIA,2017,July,Flash Flood,"MARSHALL",2017-07-28 21:30:00,EST-5,2017-07-29 04:00:00,0,0,0,0,200.00K,200000,0.00K,0,39.99,-80.73,39.9898,-80.7346,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Swift water teams deployed from Wheeling to McMechen to rescue multiple people stranded in vehicles." +116489,700553,IOWA,2017,June,Thunderstorm Wind,"MUSCATINE",2017-06-17 16:45:00,CST-6,2017-06-17 16:45:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.05,41.42,-91.05,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","A tree was damaged on the east side of Muscatine, with estimated winds over 65 mph." +116489,700554,IOWA,2017,June,Hail,"MUSCATINE",2017-06-17 16:57:00,CST-6,2017-06-17 17:04:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.07,41.42,-91.07,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","Hail lasted for 7 minutes." +116489,700559,IOWA,2017,June,Thunderstorm Wind,"MUSCATINE",2017-06-17 16:57:00,CST-6,2017-06-17 16:57:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.07,41.42,-91.07,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","A small tree was blown over." +116489,700563,IOWA,2017,June,Hail,"KEOKUK",2017-06-17 17:47:00,CST-6,2017-06-17 17:47:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-92.31,41.17,-92.31,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","" +119396,716606,ILLINOIS,2017,July,Flood,"STEPHENSON",2017-07-22 11:00:00,CST-6,2017-07-25 20:15:00,0,0,0,0,7.00M,7000000,0.50M,500000,42.4967,-89.8247,42.4403,-89.3719,"Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline.","Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline. ||Freeport rose just below major flood stage level of 16.0 feet on July 23rd, 2017 at approximately 645 AM CST. It crested around 15.9 feet at approximately 10 AM CST on July 23rd, 2017 and fell below 15.5 feet at approximately 815 PM CST on July 25th.||Widespread river flooding and flash flooding resulted in a preliminary estimation of 7 to 8 million dollars in damage." +119141,715536,ILLINOIS,2017,July,Thunderstorm Wind,"ROCK ISLAND",2017-07-21 18:16:00,CST-6,2017-07-21 18:16:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-90.67,41.42,-90.67,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported wind knocked down a 5 inch in diameter healthy tree branch off a silver maple tree." +117398,715847,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-28 17:42:00,EST-5,2017-07-28 19:00:00,0,0,0,0,0.50K,500,0.00K,0,39.863,-79.9555,39.8634,-79.9542,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Route 88 flooded at Paisley Industrial Park Rd." +120816,724963,NORTH CAROLINA,2017,October,Flash Flood,"MITCHELL",2017-10-23 14:30:00,EST-5,2017-10-23 17:00:00,0,0,0,0,3.00K,3000,0.00K,0,35.899,-82.032,36.04,-82.132,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","County comms reported multiple streams overflowing their banks and flooded/closed roads in Mitchell County after 3-4 inches of rain fell across the county, mostly over the span of a few hours." +119141,716119,ILLINOIS,2017,July,Flood,"JO DAVIESS",2017-07-22 09:13:00,CST-6,2017-07-22 21:13:00,0,0,0,0,5.00K,5000,0.00K,0,42.4303,-90.4535,42.4042,-90.435,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported that the Galena River was flooded and the flood gates are closed in Galena. Numerous grade crossings were under water or damaged." +119110,715353,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:19:00,CST-6,2017-07-20 21:19:00,0,0,0,0,0.00K,0,0.00K,0,41.64,-90.57,41.64,-90.57,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A NWS employee estimated wind gusts up to 70 mph." +119110,715356,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:29:00,CST-6,2017-07-20 21:29:00,0,0,0,0,2.00K,2000,0.00K,0,41.62,-90.58,41.62,-90.58,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A public report was received of winds damaging a metal building." +119111,716164,IOWA,2017,July,Flash Flood,"CLINTON",2017-07-22 02:06:00,CST-6,2017-07-22 05:06:00,0,0,0,0,0.00K,0,0.00K,0,41.84,-90.23,41.8302,-90.1833,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported significant street flooding with one vehicle stranded and water coming out of manhole covers." +117398,715858,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 20:23:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.409,-79.9624,40.4107,-79.9546,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Becks Run Rd closed at Carson St due to flooding." +117398,717118,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-29 02:18:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.8066,-80.0836,39.7999,-80.1144,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that Kirby Road was flooded just west of State Route 19." +117398,717119,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-29 02:20:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7632,-80.4507,39.7677,-80.4234,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Social media reported two feet of water coming into a residence. One quarter acre of backyard completely underwater from nearby creek." +117398,717120,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-29 02:21:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.76,-79.98,39.7555,-79.9693,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that State Route 2012 was flooded." +116489,700564,IOWA,2017,June,Thunderstorm Wind,"VAN BUREN",2017-06-17 18:27:00,CST-6,2017-06-17 18:27:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-91.89,40.81,-91.89,"Supercell thunderstorms developed in Iowa, near Muscatine County the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois, they increased in number, and produced a few more areas of damage.","A large tree was down, blocking a driveway." +116500,700616,IOWA,2017,June,Tornado,"BENTON",2017-06-28 18:26:00,CST-6,2017-06-28 18:26:00,0,0,0,0,0.00K,0,0.00K,0,42.1535,-91.9884,42.1535,-91.9884,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","A brief touchdown of an EF0 tornado that was seen on a citizen's video was confirmed by a location of isolated damage of two trees and an adjacent corner of a metal outbuilding's roof where a single panel was blown off." +119111,716163,IOWA,2017,July,Flash Flood,"DELAWARE",2017-07-22 01:21:00,CST-6,2017-07-22 04:21:00,0,0,0,0,1.00K,1000,0.00K,0,42.6329,-91.5535,42.6265,-91.5531,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a road was washed out." +119139,715525,ILLINOIS,2017,July,Thunderstorm Wind,"WARREN",2017-07-11 06:15:00,CST-6,2017-07-11 06:15:00,0,0,0,0,0.00K,0,0.00K,0,40.8,-90.78,40.8,-90.78,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","Local law enforcement reported several tree branches were down." +119139,715529,ILLINOIS,2017,July,Thunderstorm Wind,"JO DAVIESS",2017-07-11 23:50:00,CST-6,2017-07-11 23:50:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-90.64,42.49,-90.64,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","Local law enforcement reported trees were down in the east Dubuque area." +119140,715530,ILLINOIS,2017,July,Thunderstorm Wind,"JO DAVIESS",2017-07-19 18:25:00,CST-6,2017-07-19 18:25:00,0,0,0,0,0.00K,0,0.00K,0,42.46,-89.93,42.46,-89.93,"Severe thunderstorms tracked into northwest Illinois in the evening from Minnesota, Wisconsin and northern Iowa. Several reports of downed trees and winds up to 70 mph were seen with these storms.","A trained spotter reported a 1 foot in diameter silver maple tree branch was downed by the storm." +117398,715849,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-28 18:19:00,EST-5,2017-07-28 22:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.7832,-79.7867,39.7911,-79.781,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","The public reported Ondrejko Rd flooded and impassable. Residents along the road are moving to higher ground." +117398,715850,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-28 19:40:00,EST-5,2017-07-29 05:00:00,0,0,0,0,20.00K,20000,0.00K,0,39.9006,-79.7262,39.9,-79.7226,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported eleven residents from S Gallatin Ave and 78 residents from the Marshall Manor high rise on E Main St were evacuated to the community room." +117398,715855,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 20:03:00,EST-5,2017-07-29 00:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.3974,-80.0833,40.399,-80.0814,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported washington Ave under water between Boden Ave and the Patete Custom Kitchens Store." +115361,693772,ARKANSAS,2017,April,Flash Flood,"CRAIGHEAD",2017-04-30 09:30:00,CST-6,2017-04-30 11:00:00,0,0,0,0,0.00K,0,0.00K,0,35.8476,-90.6631,35.8391,-90.6706,"A passing upper level disturbance and cold front generated numerous severe thunderstorms across the Midsouth starting in the evening hours of April 29th through the early afternoon hours of April 30th. All severe threats were observed with the event.","Water rushing over Aggie Lane and Red Wolf intersection." +115604,694477,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:00:00,CST-6,2017-06-14 15:00:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-89.27,41.36,-89.27,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trees and power lines were blown down. The time was estimated from radar data." +115613,694428,IOWA,2017,June,Hail,"BENTON",2017-06-15 20:02:00,CST-6,2017-06-15 20:02:00,0,0,0,0,0.00K,0,0.00K,0,41.99,-91.86,41.99,-91.86,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","" +117398,715861,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-28 23:23:00,EST-5,2017-07-29 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.5618,-79.7692,40.5654,-79.7706,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Industrial Blvd at 7th St is underwater with the sewers overflowing. Roadway is also flooded at 205 9th St in New Kensington." +117398,715862,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-28 23:11:00,EST-5,2017-07-29 02:00:00,0,0,0,0,2.00K,2000,0.00K,0,40.6169,-79.6213,40.6192,-79.6164,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 call center reported Flooding at 1199 Leechburg Rd, the intersection of Leechburg Rd and Puckety Church Rd." +119138,716085,ILLINOIS,2017,July,Flash Flood,"WARREN",2017-07-10 19:41:00,CST-6,2017-07-10 20:41:00,0,0,0,0,0.00K,0,0.00K,0,40.6447,-90.4668,40.64,-90.467,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","Local law enforcement reported a gravel road was closed at the intersection of 170th street and 10th avenue." +119138,716087,ILLINOIS,2017,July,Flash Flood,"HANCOCK",2017-07-10 20:09:00,CST-6,2017-07-10 21:09:00,0,0,0,0,0.00K,0,0.00K,0,40.4741,-91.36,40.4698,-91.3612,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","Local law enforcement reported 6 inches of water blocking the northbound lane of traffic on Highway 96. Traffic was being diverted into the southbound lane." +119303,716400,PENNSYLVANIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-07 14:50:00,EST-5,2017-07-07 14:50:00,0,0,0,0,2.50K,2500,0.00K,0,39.86,-79.84,39.86,-79.84,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","State official reported trees down." +119303,716401,PENNSYLVANIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-07 14:54:00,EST-5,2017-07-07 14:54:00,0,0,0,0,2.50K,2500,0.00K,0,39.86,-79.76,39.86,-79.76,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","State official reported trees down." +119303,716402,PENNSYLVANIA,2017,July,Thunderstorm Wind,"FAYETTE",2017-07-07 14:58:00,EST-5,2017-07-07 14:58:00,0,0,0,0,2.50K,2500,0.00K,0,39.84,-79.72,39.84,-79.72,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","State official reported trees down." +119304,716403,MARYLAND,2017,July,Thunderstorm Wind,"GARRETT",2017-07-07 15:31:00,EST-5,2017-07-07 15:31:00,0,0,0,0,2.00K,2000,0.00K,0,39.66,-79.39,39.66,-79.39,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","Local fire department reported a large tree down on a power line." +119305,716404,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MARION",2017-07-07 16:05:00,EST-5,2017-07-07 16:05:00,0,0,0,0,10.00K,10000,0.00K,0,39.48,-80.15,39.48,-80.15,"Approaching shortwave trough and cold front helped to develop a mesoscale convective system, that dropped southward across the upper Ohio Valley in the afternoon of the 7th. There were several reports of wind damage, mainly to trees across eastern Ohio and southwestern Pennsylvania.","Emergency manager reported numerous trees and power lines down across the town of Fairmont and in the vicinity of Fairmont University." +119306,716405,OHIO,2017,July,Thunderstorm Wind,"COLUMBIANA",2017-07-10 14:12:00,EST-5,2017-07-10 14:12:00,0,0,0,0,2.50K,2500,0.00K,0,40.8,-80.89,40.8,-80.89,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","State official reported trees down." +117398,717137,PENNSYLVANIA,2017,July,Flood,"GREENE",2017-07-29 09:19:00,EST-5,2017-07-29 12:30:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-80.06,39.927,-80.0588,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Emergency manager reported that the road was raising from a sink hole on Pine and Smithfield streets. The area is flooded." +115604,694476,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 14:59:00,CST-6,2017-06-14 14:59:00,0,0,0,0,0.00K,0,0.00K,0,41.29,-89.36,41.29,-89.36,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trees and power lines were blown down. The time was estimated from radar data." +115604,694478,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:06:00,CST-6,2017-06-14 15:06:00,0,0,0,0,0.00K,0,0.00K,0,41.53,-89.28,41.53,-89.28,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trees and power lines were blown down. The time was estimated from radar data." +115604,694479,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:07:00,CST-6,2017-06-14 15:07:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-89.28,41.49,-89.28,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A large tree was reported down at the intersection of US Highway 34 and Illinois 89." +119140,715534,ILLINOIS,2017,July,Thunderstorm Wind,"STEPHENSON",2017-07-19 18:48:00,CST-6,2017-07-19 18:48:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-89.61,42.29,-89.61,"Severe thunderstorms tracked into northwest Illinois in the evening from Minnesota, Wisconsin and northern Iowa. Several reports of downed trees and winds up to 70 mph were seen with these storms.","A trained spotter reported tree limbs down and power was out in the south portion of Freeport. Winds were estimated at 60 mph." +119238,716031,IOWA,2017,July,Tornado,"CLINTON",2017-07-26 17:06:00,CST-6,2017-07-26 17:10:00,0,0,0,0,0.00K,0,0.00K,0,41.7974,-90.5592,41.799,-90.5346,"A cool front produced an area of showers and thunderstorms producing heavy rain, gusty winds and small hail. One storm produced a brief tornado.","Tornado was rated EF-0 based on video evidence with peak winds of 65 mph, a path length of 1.25 miles, with a max path width 25 yards. The tornado damaged trees and a swing set." +119102,715278,IOWA,2017,July,Hail,"JOHNSON",2017-07-11 18:25:00,CST-6,2017-07-11 18:25:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.54,41.66,-91.54,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","The county emergency manager reported pea to dime sized hail on the east side of Iowa City at 7th and Muscatine Avenue." +119457,716995,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-23 21:07:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.15,-79.74,40.1509,-79.7451,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported flooding on Route 981." +119458,716981,OHIO,2017,July,Flash Flood,"TUSCARAWAS",2017-07-23 18:45:00,EST-5,2017-07-23 22:30:00,0,0,0,0,10.00K,10000,0.00K,0,40.5009,-81.4379,40.5091,-81.4571,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Local law enforcement reported major street and road flooding in York, Warren, and Goshen townships." +119458,716983,OHIO,2017,July,Flash Flood,"BELMONT",2017-07-23 20:47:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9213,-80.8039,39.9662,-80.7658,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Social media reports indicated that Pipe Creek and Wegee Creek Roads were flooded, with part of Pipe Creek Road impassable." +119292,716330,OHIO,2017,July,Flash Flood,"BELMONT",2017-07-28 21:22:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9684,-80.7536,39.9668,-80.7551,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Numerous roads flooded and closed. These include Central Ave, 48th, and 47th St." +119292,716331,OHIO,2017,July,Flash Flood,"BELMONT",2017-07-28 22:26:00,EST-5,2017-07-29 00:00:00,0,0,0,0,100.00K,100000,0.00K,0,39.9646,-80.7566,39.9721,-80.7528,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Multiple vehicles underwater." +117398,717117,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-29 01:08:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9019,-80.2002,39.92,-80.21,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that State Route 18 was flooded with one lane closed." +115613,694447,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 20:57:00,CST-6,2017-06-15 21:02:00,0,0,0,0,0.00K,0,0.00K,0,41.6085,-90.5907,41.6085,-90.5907,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Winds were measured by the Davenport Airport, KDVN ASOS, with a peak wind of 62 mph, and maximum sustained wind of 48 mph for a 5 minute period ending at 1002 PM." +115733,695532,ALABAMA,2017,April,Thunderstorm Wind,"TUSCALOOSA",2017-04-30 10:47:00,CST-6,2017-04-30 10:48:00,0,0,0,0,0.00K,0,0.00K,0,33.39,-87.71,33.39,-87.71,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Highway 171." +115733,695561,ALABAMA,2017,April,Thunderstorm Wind,"WALKER",2017-04-30 13:23:00,CST-6,2017-04-30 13:24:00,0,0,0,0,0.00K,0,0.00K,0,33.88,-87.32,33.88,-87.32,"A north to south QLCS developed across Mississippi during the morning hours of April 30th. This system tracked rapidly eastward during the day and across central Alabama, producing numerous reports of wind damage.","Several trees uprooted along Highway 5 north of the city of Jasper." +119138,716090,ILLINOIS,2017,July,Flash Flood,"MCDONOUGH",2017-07-10 20:10:00,CST-6,2017-07-10 23:10:00,0,0,0,0,0.00K,0,0.00K,0,40.6318,-90.4688,40.6163,-90.4764,"A stalled boundary produced a couple of rounds of severe storms from the early morning lasting into the afternoon with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail.","The county emergency manager reported the Prairie City fire department blocked a portion of Route 41 at 222nd street due to high water on the road." +119139,715524,ILLINOIS,2017,July,Thunderstorm Wind,"MERCER",2017-07-11 06:00:00,CST-6,2017-07-11 06:00:00,0,0,0,0,0.00K,0,0.00K,0,41.17,-91,41.17,-91,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","Local law enforcement reported a tree was down." +119139,715526,ILLINOIS,2017,July,Thunderstorm Wind,"MERCER",2017-07-11 06:15:00,CST-6,2017-07-11 06:15:00,0,0,0,0,0.00K,0,0.00K,0,41.2,-90.75,41.2,-90.75,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","Local law enforcement reported a tree was down." +119139,715527,ILLINOIS,2017,July,Thunderstorm Wind,"WARREN",2017-07-11 06:25:00,CST-6,2017-07-11 06:25:00,0,0,0,0,0.00K,0,0.00K,0,40.91,-90.64,40.91,-90.64,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","Local law enforcement reported two trees were down." +119140,715533,ILLINOIS,2017,July,Thunderstorm Wind,"STEPHENSON",2017-07-19 18:43:00,CST-6,2017-07-19 18:43:00,0,0,0,0,0.00K,0,0.00K,0,42.29,-89.63,42.29,-89.63,"Severe thunderstorms tracked into northwest Illinois in the evening from Minnesota, Wisconsin and northern Iowa. Several reports of downed trees and winds up to 70 mph were seen with these storms.","Winds were estimated at 60 mph and possibly gusting higher." +119306,716406,OHIO,2017,July,Thunderstorm Wind,"MUSKINGUM",2017-07-10 15:20:00,EST-5,2017-07-10 15:20:00,0,0,0,0,8.00K,8000,0.00K,0,40.05,-81.98,40.05,-81.98,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Law enforcement reported numerous trees and a few power lines down." +117398,716300,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-29 00:00:00,EST-5,2017-07-29 00:30:00,0,0,0,0,0.00K,0,0.00K,0,40.83,-79.81,40.8317,-79.8249,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Herman Rd in Summit Twp closed due to flooding." +117398,716301,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-29 01:35:00,EST-5,2017-07-29 03:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.6534,-80.0809,40.6542,-80.0852,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported that Jergel's bar parking lot was flooded with multiple vehicles under water. People are evacuating." +115604,694481,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:08:00,CST-6,2017-06-14 15:08:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-89.2,41.33,-89.2,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Several reports of multiple trees and power lines blown down were received. Time is estimated from radar data." +115604,694482,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:10:00,CST-6,2017-06-14 15:10:00,0,0,0,0,0.00K,0,0.00K,0,41.38,-89.21,41.38,-89.21,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Multiple trees were reported down in Ladd. The time was estimated from radar data." +119110,715350,IOWA,2017,July,Hail,"MUSCATINE",2017-07-20 20:40:00,CST-6,2017-07-20 20:40:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-90.8,41.47,-90.8,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","" +119110,715355,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:23:00,CST-6,2017-07-20 21:23:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-90.48,41.62,-90.48,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A public report was received of a large tree branch down, blocking the sidewalk near the I-74 and I-80 intersection. This report was received via social media." +119110,715357,IOWA,2017,July,Thunderstorm Wind,"SCOTT",2017-07-20 21:29:00,CST-6,2017-07-20 21:29:00,0,0,0,0,0.00K,0,0.00K,0,41.62,-90.58,41.62,-90.58,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","This wind gust of 61 mph was measured by the Davenport Airport ASOS site." +119458,716984,OHIO,2017,July,Flash Flood,"GUERNSEY",2017-07-23 21:18:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0141,-81.145,39.9893,-81.316,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Member of the public reported water over several roads between Quaker City and Barnesville. Small streams out of their banks." +119469,716985,WEST VIRGINIA,2017,July,Flash Flood,"OHIO",2017-07-23 20:45:00,EST-5,2017-07-23 23:00:00,0,0,0,0,0.00K,0,0.00K,0,40.1096,-80.6966,40.0991,-80.7069,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Emergency manager reported multiple streets and roads flooded throughout the city of Wheeling." +119471,716997,PENNSYLVANIA,2017,July,Flood,"FAYETTE",2017-07-27 19:30:00,EST-5,2017-07-27 20:30:00,0,0,0,0,0.00K,0,0.00K,0,39.7622,-79.6161,39.7609,-79.6296,"Ample low level moisture and instability provided the fuel for showers and thunderstorms in the afternoon and evening of the 27th. Some training of storms lead to high water on some streams and creeks in Elliotsville, Fayette county Pennsylvania.","Member of the public reported high water running from Bog Sandy Creek across Quebec Road and Wharton Furnace Road." +119205,716333,WEST VIRGINIA,2017,July,Flash Flood,"MARSHALL",2017-07-28 22:22:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.01,-80.73,40.0241,-80.7243,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Numerous roads flooded and closed in Benwood." +116500,700618,IOWA,2017,June,Tornado,"JONES",2017-06-28 18:56:00,CST-6,2017-06-28 19:00:00,0,0,0,0,0.00K,0,0.00K,0,41.9657,-90.9954,41.9772,-90.9596,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","The EF1 tornado began in a field and traveled mostly through farm land and wooded river valley southwest of Oxford Junction. Just south of Oxford Junction, two non anchored mobile homes were destroyed, a machine shed was damaged, and a camper was blown over." +120816,724926,NORTH CAROLINA,2017,October,Flood,"TRANSYLVANIA",2017-10-23 11:50:00,EST-5,2017-10-23 19:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.138,-82.822,35.151,-82.831,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Stream gauges indicated flooding developed along the upper French Broad basin after moderate to heavy rain falling throughout the 23rd resulted in 4 to 7 inches of total rainfall. A gauge on the French Broad River at Rosman exceeded the established flood stage, flooding several roads in and around Rosman. The Davidson River flooded in the Pisgah Forest area, impacting Davidson River Rd and Wilson Rd. The Little River also exceeded flood stage and affected Cascade Lake Rd in the eastern part of the county." +119139,715528,ILLINOIS,2017,July,Thunderstorm Wind,"PUTNAM",2017-07-11 07:45:00,CST-6,2017-07-11 07:45:00,0,0,0,0,0.00K,0,0.00K,0,41.11,-89.2,41.11,-89.2,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started overnight and lasted into the late evening hours.","A trained spotter reported several small branches were down of roughly 3 inches in diameter." +117398,717040,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 21:14:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3227,-80.1202,40.3193,-80.1112,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported that Mayview Road at Boyce Road closed due to flooding. There is three feet of water on the road." +115471,700639,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:15:00,CST-6,2017-06-14 17:20:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.72,42.5,-90.72,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","The hail lasted for 5 minutes." +115471,700640,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:15:00,CST-6,2017-06-14 17:15:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.72,42.52,-90.72,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700641,IOWA,2017,June,Hail,"JACKSON",2017-06-14 18:50:00,CST-6,2017-06-14 18:50:00,0,0,0,0,0.00K,0,0.00K,0,42.07,-90.67,42.07,-90.67,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,700642,IOWA,2017,June,Thunderstorm Wind,"DES MOINES",2017-06-14 12:55:00,CST-6,2017-06-14 12:55:00,0,0,0,0,0.00K,0,0.00K,0,41.01,-91.17,41.01,-91.17,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A residential swing set was damaged." +119110,716154,IOWA,2017,July,Flash Flood,"HENRY",2017-07-20 18:16:00,CST-6,2017-07-20 21:16:00,0,0,0,0,0.00K,0,0.00K,0,40.9725,-91.5602,40.9566,-91.564,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","A trained spotter reported torrential rain with water getting into the hotel building in town." +119110,716155,IOWA,2017,July,Flash Flood,"HENRY",2017-07-20 19:30:00,CST-6,2017-07-20 22:30:00,0,0,0,0,0.00K,0,0.00K,0,40.989,-91.5868,40.9468,-91.5958,"A stalled boundary combined with an upper disturbance to produce a large convective event started in the afternoon and lasting numerous hours producing very heavy rains, flash flooding, dozens of reports of damaging winds of 60 to over 70 mph, and some large hail reports lasting well into the night.","Local law enforcement reported numerous streets in town were inundated with water. One vehicle was disabled by water in 500 block of Lincoln Street and towed away." +119111,715361,IOWA,2017,July,Thunderstorm Wind,"LINN",2017-07-21 16:07:00,CST-6,2017-07-21 16:07:00,0,0,0,0,0.00K,0,0.00K,0,41.88,-91.59,41.88,-91.59,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A public report was received of large tree limbs down over a car via KCRG Facebook page." +119455,716937,OHIO,2017,July,Thunderstorm Wind,"COSHOCTON",2017-07-22 06:43:00,EST-5,2017-07-22 06:43:00,0,0,0,0,0.50K,500,0.00K,0,40.26,-81.93,40.26,-81.93,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down on State Route 541." +119455,716939,OHIO,2017,July,Thunderstorm Wind,"COSHOCTON",2017-07-22 06:54:00,EST-5,2017-07-22 06:54:00,0,0,0,0,0.50K,500,0.00K,0,40.21,-81.88,40.21,-81.88,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down on OH-16 near Franklin." +119205,716334,WEST VIRGINIA,2017,July,Flash Flood,"MARSHALL",2017-07-29 00:25:00,EST-5,2017-07-29 04:00:00,0,0,0,0,3.00M,3000000,0.00K,0,39.9823,-80.7343,39.9982,-80.7354,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","McMechen Fire Department has been destroyed. Most of the town is under water." +119205,717053,WEST VIRGINIA,2017,July,Flash Flood,"OHIO",2017-07-29 00:44:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.0254,-80.5775,40.0295,-80.5943,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Social media reported stone church road was washed out." +119205,717245,WEST VIRGINIA,2017,July,Flash Flood,"WETZEL",2017-07-29 00:10:00,EST-5,2017-07-29 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4775,-80.5273,39.4729,-80.5068,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local broadcast media reported that Route 20 was closed due to high water in Folsom. Also, several homes along Sams Run Road are being evacuated due to flooding." +116500,700619,IOWA,2017,June,Hail,"BENTON",2017-06-28 18:20:00,CST-6,2017-06-28 18:20:00,0,0,0,0,0.00K,0,0.00K,0,42.16,-91.97,42.16,-91.97,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","Hail was accompanied by 40 to 50 mph winds." +119141,715537,ILLINOIS,2017,July,Thunderstorm Wind,"ROCK ISLAND",2017-07-21 18:18:00,CST-6,2017-07-21 18:18:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-90.67,41.4,-90.67,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported power lines were down." +119141,715538,ILLINOIS,2017,July,Thunderstorm Wind,"ROCK ISLAND",2017-07-21 18:20:00,CST-6,2017-07-21 18:20:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-90.56,41.44,-90.56,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A public report was received of 2 to 4 inch in diameter tree limbs were down." +119141,715541,ILLINOIS,2017,July,Thunderstorm Wind,"ROCK ISLAND",2017-07-21 18:25:00,CST-6,2017-07-21 18:25:00,0,0,0,0,100.00K,100000,0.00K,0,41.45,-90.5,41.45,-90.5,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A wind gust of 71 mph was measured by the Moline Airport ASOS site." +119141,715542,ILLINOIS,2017,July,Thunderstorm Wind,"ROCK ISLAND",2017-07-21 18:34:00,CST-6,2017-07-21 18:34:00,0,0,0,0,0.00K,0,0.00K,0,41.49,-90.49,41.49,-90.49,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A public report was received of 2 to 4 inch in diameter tree limbs down." +119141,716097,ILLINOIS,2017,July,Flash Flood,"STEPHENSON",2017-07-21 20:00:00,CST-6,2017-07-22 03:00:00,0,0,0,0,0.00K,0,0.00K,0,42.2857,-89.8428,42.2608,-89.8462,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The Illinois Department of Highways reported Route 73 near Pearl City was flooded." +120816,724959,NORTH CAROLINA,2017,October,Flood,"HENDERSON",2017-10-23 14:30:00,EST-5,2017-10-23 21:00:00,0,0,0,0,2.00K,2000,0.00K,0,35.296,-82.458,35.302,-82.464,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","Multiple stream gauges indicated flooding developed over portions of central and northern Henderson County after 4-6 inches of rain fell across the county throughout the 23rd. Affected streams included, but were not limited to Mud Creek and Bat Fork Creek in the Hendersonville area and the Rocky Broad River and Cane Creek in the northern part of the county. Roads impacted included the intersection of South Church St and South King St, as well as Airport Rd and Dana Rd in the Hendersonville area; Mills Gap Rd in Fletcher, as well as other fields and low spots along these creeks." +111484,670338,GEORGIA,2017,January,Tornado,"WORTH",2017-01-02 22:35:00,EST-5,2017-01-02 22:42:00,0,0,0,0,500.00K,500000,0.00K,0,31.6465,-83.9934,31.6783,-83.8633,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado touched down just inside the Dougherty County line along Cordele Road before moving east northeast into Worth County. The tornado lifted just east of Highway 313. A strongly convergent signature was noted in the tree damage which supports the designation as a tornado. There was significant damage to the Camp Osborn area in far western Worth county where a group of boy scouts were staying overnight. Although thousands of trees were blown down with several buildings in the forest destroyed due to falling trees, the boy scouts remained safe due to receiving the warning with sufficient lead time to take shelter in a safer building. Max winds were estimated around 105 mph. Damage cost was estimated." +119141,715543,ILLINOIS,2017,July,Thunderstorm Wind,"CARROLL",2017-07-21 18:48:00,CST-6,2017-07-21 18:48:00,0,0,0,0,0.00K,0,0.00K,0,41.96,-89.78,41.96,-89.78,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A public report was received of 3 inch in diameter tree branches down." +119267,716137,ILLINOIS,2017,July,Flash Flood,"CARROLL",2017-07-26 19:15:00,CST-6,2017-07-26 23:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.0868,-90.1392,42.071,-90.1312,"An area of thunderstorms produced locally heavy rain of 2 plus inches on wet ground resulting in a mudslide near Savanna Illinois.","Local enforcement reported a mudslide over a portion of Route 84 north of Savanna. The area was deemed unsafe for travel." +119235,716080,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-05 22:06:00,EST-5,2017-07-06 01:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8702,-79.9147,40.8698,-79.8904,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","State official reported widespread flooding in the city of Butler including West Brady Street, West Newcastle Street, and Whitestown Road. Also, there were several reports of water up to the windows of vehicles and people trapped. Multiple homes and basements were flooded and Sullivan Run was out of it's banks." +119235,716084,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-05 22:27:00,EST-5,2017-07-06 01:30:00,0,0,0,0,0.00K,0,0.00K,0,40.8573,-79.9097,40.8516,-79.9242,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Member of public on social media reported homes flooded on Whitestown Road and Hansen Ave." +119235,716386,PENNSYLVANIA,2017,July,Debris Flow,"BUTLER",2017-07-05 21:42:00,EST-5,2017-07-05 21:42:00,0,0,0,0,0.00K,0,0.00K,0,40.868,-79.9065,40.8706,-79.9091,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Local newspaper reported a landslide at Memorial Drive and Mercer Road." +115471,744391,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-14 11:00:00,CST-6,2017-06-14 11:00:00,0,0,0,0,0.00K,0,0.00K,0,41.92,-91.42,41.92,-91.42,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Tree limbs were reported down in southeast corner of Mt Vernon and power was knocked out to the city of Mt Vernon." +115604,694355,ILLINOIS,2017,June,Hail,"ROCK ISLAND",2017-06-14 13:08:00,CST-6,2017-06-14 13:08:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-90.43,41.4,-90.43,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","The public reported nickel to quarter size hail through social media. The time was estimated from radar data." +119455,716938,OHIO,2017,July,Thunderstorm Wind,"MUSKINGUM",2017-07-22 06:52:00,EST-5,2017-07-22 06:52:00,0,0,0,0,0.50K,500,0.00K,0,40.12,-82.12,40.12,-82.12,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down on roadway." +119455,716941,OHIO,2017,July,Thunderstorm Wind,"MUSKINGUM",2017-07-22 06:58:00,EST-5,2017-07-22 06:58:00,0,0,0,0,0.50K,500,0.00K,0,40.14,-82.01,40.14,-82.01,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down." +119456,716943,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MONONGALIA",2017-07-22 16:52:00,EST-5,2017-07-22 16:52:00,0,0,0,0,2.50K,2500,0.00K,0,39.66,-80.33,39.66,-80.33,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","State official reported multiple trees down." +117398,717136,PENNSYLVANIA,2017,July,Flood,"GREENE",2017-07-29 02:30:00,EST-5,2017-07-29 11:30:00,0,0,0,0,0.00K,0,0.00K,0,39.9635,-80.2139,39.993,-80.3389,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported of continued flooding on Route 18 North near Nineveh and at the split of route 18 and route 21 near Rogersville." +116500,700625,IOWA,2017,June,Thunderstorm Wind,"BUCHANAN",2017-06-29 21:21:00,CST-6,2017-06-29 21:21:00,0,0,0,0,0.00K,0,0.00K,0,42.49,-91.89,42.49,-91.89,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 28th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa.","Winds sustained around 60 mph were estimated by the spotter, along with heavy rain. The spotter thought higher gusts occurred, but no damage was seen." +116496,700581,MISSOURI,2017,June,Thunderstorm Wind,"CLARK",2017-06-17 18:43:00,CST-6,2017-06-17 18:43:00,0,0,0,0,0.00K,0,0.00K,0,40.45,-91.88,40.45,-91.88,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","Several tree branches were blown down, which damaged power lines." +116496,700576,MISSOURI,2017,June,Hail,"CLARK",2017-06-17 18:49:00,CST-6,2017-06-17 18:49:00,0,0,0,0,0.00K,0,0.00K,0,40.34,-91.71,40.34,-91.71,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","Numerous windshields were destroyed by wind-driven baseball size hail." +116496,700578,MISSOURI,2017,June,Hail,"CLARK",2017-06-17 18:57:00,CST-6,2017-06-17 18:57:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-91.73,40.35,-91.73,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","Windshields were damaged by wind-driven golf ball size hail." +116496,700582,MISSOURI,2017,June,Thunderstorm Wind,"CLARK",2017-06-17 18:57:00,CST-6,2017-06-17 18:57:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-91.73,40.35,-91.73,"Supercell thunderstorms developed in Iowa, near Muscatine county the afternoon of June 17th. They produced large hail, heavy rain, and very high winds which caused damage to trees and some structures. As the storms moved into Illinois and northeast Missouri, they increased in number, and produced a few more areas of damage.","Tree limbs up to 20 inches in diameter were broken." +119102,715280,IOWA,2017,July,Hail,"JOHNSON",2017-07-11 18:50:00,CST-6,2017-07-11 18:50:00,0,0,0,0,0.00K,0,0.00K,0,41.61,-91.4,41.61,-91.4,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Report of 1.5 inch in diameter hail was received from the county emergency manager." +119141,716098,ILLINOIS,2017,July,Flash Flood,"STEPHENSON",2017-07-21 20:00:00,CST-6,2017-07-22 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.4073,-89.6601,42.3703,-89.6642,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported portions of several county roads closed due to high water." +119141,716099,ILLINOIS,2017,July,Flash Flood,"CARROLL",2017-07-21 21:47:00,CST-6,2017-07-21 21:47:00,0,0,0,0,1.00K,1000,0.00K,0,42.0782,-90.1207,42.0665,-90.1172,"A long duration convective event along a stalled boundary occurred. This resulted in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported a gravel road was washed out." +117398,715854,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 20:00:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.10K,100,0.00K,0,40.5403,-79.7924,40.5426,-79.7928,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported Pittsburgh St and Dusquesne Ave under water." +117398,715856,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 20:07:00,EST-5,2017-07-29 04:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.511,-79.8416,40.5174,-79.841,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported four feet of water on roadway with one car floating at the intersection of 3rd and Washington. Allegheny River Blvd between Washington and Plum is under water." +111484,670344,GEORGIA,2017,January,Tornado,"SEMINOLE",2017-01-02 21:14:00,EST-5,2017-01-02 21:18:00,0,0,0,0,250.00K,250000,50.00K,50000,30.9973,-84.945,31.0257,-84.8915,"Multiple rounds of showers and thunderstorms affected the region to start the year. Two day rainfall totals in excess of 8 inches were common across portions of the Florida panhandle with several roads flooded. Severe weather, including tornadoes and significant straight line wind damage, also occurred across the tri-state area with most of it in southeast Alabama and southwest Georgia. Albany was particularly hard hit with significant wind damage. There were a total of 5 fatalities across the tri-state area from straight line winds. There was also 1 fatality in Florida due to river flooding.","An EF1 tornado with max winds near 90 mph touched down on Grant Graham road causing damage to pecan groves, two mobile homes, and one single family home. The tornado tracked northeast for approximately 3.75 miles along Highway 91 before lifting just south of Donalsonville. Damage was estimated." +115890,702435,PENNSYLVANIA,2017,May,Thunderstorm Wind,"FOREST",2017-05-01 14:30:00,EST-5,2017-05-01 14:30:00,0,0,0,0,5.00K,5000,0.00K,0,41.5,-79.45,41.5,-79.45,"A large low pressure system tracked across the Great Lakes during the late afternoon and early evening, dragging a cold front across the region. Ahead of the front, shortwaves embedded in strong southerly flow supported showers and thunderstorms, some of which became severe during the afternoon. Convection organized into a squall line that produced wind damage. While instability was not excessive, high levels of wind shear and low level helicity produced several rotating storms in the main line. These storms produced 6 confirmed tornadoes including 2 EF-0s across Butler county, and 3 EF-0s and 1 EF-1 in Clarion county in Pennsylvania. Most damage was done to trees or structures from falling/snapped trees.","Broadcast media reported multiple trees down in Tionesta and Endeavor." +115906,702422,PENNSYLVANIA,2017,May,Hail,"JEFFERSON",2017-05-30 12:53:00,EST-5,2017-05-30 12:53:00,0,0,0,0,0.00K,0,0.00K,0,40.93,-79,40.93,-79,"Weak surface boundary and an approaching shortwave were the focus for showers and thunderstorms, some of which produced hail up to golf balls across Jefferson county, PA in the afternoon of the 30th.","" +116319,699436,VIRGINIA,2017,May,Thunderstorm Wind,"FRANKLIN",2017-05-24 17:33:00,EST-5,2017-05-24 17:33:00,0,0,0,0,0.50K,500,0.00K,0,37.01,-79.87,37.01,-79.87,"A warm front extended east across the central Appalachians, allowing cool stable air to the north and warm unstable conditions to the south. The differential heating coupled with ample lift and low level shear provided an environment ripe for rotating thunderstorms, many of which were already ongoing through the early afternoon hours. In all, the strongest storms produced extensive wind damage, especially in the Grayson Highlands of Virginia, with damage proceeding east of the Blue Ridger.","Thunderstorm winds downed a tree on Muse Field Road near the intersection with Route 220." +117398,716271,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 23:15:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.3337,-79.9291,40.3409,-79.8926,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported several roads closed due to flooding in south-central Allegheny county including Streets Run Rd near Chapon's Greenhouse, Streets Run Road at the intersection with Brentwood Road, Route 51 near Lewis Run Road, East Willock Road between Doyle and Godec Drive, State Route 837 in Dravosburg, and Brownsville Road near the South Park Clubhouse. In addition, 2 vehicles were stuck in floodwaters at Lebanon Road at Lebanon Church Road." +117398,716283,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-29 00:30:00,EST-5,2017-07-29 03:00:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-79.82,40.4168,-79.8159,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","The public reported Church, Railroad, and Stewart St are all flooded and closed." +117398,716292,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 21:40:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5758,-80.2244,40.5815,-80.2299,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Rt 65 was closed from Cross to 4th St." +119097,715240,IOWA,2017,July,Thunderstorm Wind,"DES MOINES",2017-07-05 18:25:00,CST-6,2017-07-05 18:25:00,0,0,0,0,0.00K,0,0.00K,0,40.81,-91.12,40.81,-91.12,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","A trained spotter reported two 6 to 8 inch diameter trees were blown down that were partially rotted. The time of this event was estimated by radar." +119306,716407,OHIO,2017,July,Thunderstorm Wind,"GUERNSEY",2017-07-10 15:49:00,EST-5,2017-07-10 15:49:00,0,0,0,0,2.50K,2500,0.00K,0,40.02,-81.59,40.02,-81.59,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Law Enforcement reported trees down." +119306,716408,OHIO,2017,July,Thunderstorm Wind,"GUERNSEY",2017-07-10 15:50:00,EST-5,2017-07-10 15:50:00,0,0,0,0,2.50K,2500,0.00K,0,39.97,-81.54,39.97,-81.54,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Law enforcement reported trees down." +117398,717232,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-29 00:06:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.55,-79.61,40.5461,-79.6061,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported water rising fast near numerous mobile homes on Meadoes Drive. Evacuations may be needed." +117398,717233,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-29 00:11:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.5582,-79.6921,40.5619,-79.69,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that Guyer Road was flooded in Lower Burrell." +117398,717235,PENNSYLVANIA,2017,July,Flash Flood,"ARMSTRONG",2017-07-28 23:00:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.7075,-79.6529,40.717,-79.6356,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Social media reported a creek out of it's banks and running through a yard." +119102,715284,IOWA,2017,July,Hail,"DUBUQUE",2017-07-11 21:48:00,CST-6,2017-07-11 21:48:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-91,42.6,-91,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Report of hail up to the size of 1 inch in diameter was received from the county emergency manager." +119102,715286,IOWA,2017,July,Hail,"DUBUQUE",2017-07-11 21:57:00,CST-6,2017-07-11 21:57:00,0,0,0,0,0.00K,0,0.00K,0,42.6,-90.98,42.6,-90.98,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A report of hail up to the size of 1.25 inches in diameter was received from the county emergency manager." +119102,715296,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:30:00,CST-6,2017-07-11 23:30:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-90.76,42.51,-90.76,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","A trained spotter reported tree branches up to 4 inches in diameter were down just west of Asbury." +119102,715299,IOWA,2017,July,Hail,"DUBUQUE",2017-07-11 23:34:00,CST-6,2017-07-11 23:34:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Local law enforcement reported multiple occurrences of nickel to quarter sized hail throughout the city." +119102,715300,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:34:00,CST-6,2017-07-11 23:34:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Local law enforcement had received multiple reports of winds estimated at 50 to 60 mph." +119102,715302,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-11 23:41:00,CST-6,2017-07-11 23:41:00,0,0,0,0,0.00K,0,0.00K,0,42.4,-90.72,42.4,-90.72,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","This wind gust of 75 mph was measured by the Dubuque ASOS site." +117398,715859,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 21:15:00,EST-5,2017-07-29 04:15:00,0,0,0,0,10.00K,10000,0.00K,0,40.38,-80,40.3817,-79.9993,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported that Route 88 and Route 51 closed due to water over the road. Swift water teams have been activated." +117398,717239,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 23:28:00,EST-5,2017-07-29 06:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2623,-79.9863,40.2855,-80.1025,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported numerous roads flooded and closed in Finleyville and Thompsonville. Mingo Park Estates has been flooded evacuations ongoing. Also, several people were trapped on the second floor of a home on railroad street in Finleyville." +116428,700213,NORTH CAROLINA,2017,May,Thunderstorm Wind,"MECKLENBURG",2017-05-01 16:03:00,EST-5,2017-05-01 16:03:00,0,0,0,0,0.00K,0,0.00K,0,35.234,-80.933,35.21,-80.92,"A line of heavy rain showers and thunderstorms developed ahead of a cold front and pushed through western North Carolina during the afternoon. Isolated pockets of wind damage occurred within the line, along with a brief, weak tornado in Catawba County.","Public reported (via Social Media) a tree blown down on Josh Birmingham Pky at Harlee Ave and another tree down on Billy Graham Pky and Morris Field Dr." +116504,700632,ILLINOIS,2017,June,Thunderstorm Wind,"JO DAVIESS",2017-06-28 18:38:00,CST-6,2017-06-28 18:38:00,0,0,0,0,0.00K,0,0.00K,0,42.36,-90.01,42.36,-90.01,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 29th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa. These storms continued to produce damaging winds and flash flooding as they moved across northwest Illinois.","Tree branches and power poles were blown down." +116504,700633,ILLINOIS,2017,June,Thunderstorm Wind,"JO DAVIESS",2017-06-28 20:03:00,CST-6,2017-06-28 20:03:00,0,0,0,0,0.00K,0,0.00K,0,42.32,-90.22,42.32,-90.22,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 29th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa. These storms continued to produce damaging winds and flash flooding as they moved across northwest Illinois.","Tree branches were blown down." +116504,700630,ILLINOIS,2017,June,Flash Flood,"STEPHENSON",2017-06-28 21:13:00,CST-6,2017-06-28 21:13:00,0,0,0,0,0.00K,0,0.00K,0,42.5043,-89.8067,42.4801,-89.8064,"Low pressure moving along a cold front helped produce supercell thunderstorms with large hail, damaging winds, and tornadoes over much of Iowa the afternoon and evening of June 29th, 2017. This event produced two EF2 tornadoes between Cedar Rapids and Dubuque, Iowa, and a few other weak tornadoes in eastern Iowa. These storms continued to produce damaging winds and flash flooding as they moved across northwest Illinois.","Portions of Mann Road were washed out." +115471,693404,IOWA,2017,June,Hail,"LEE",2017-06-14 15:46:00,CST-6,2017-06-14 15:46:00,0,0,0,0,0.00K,0,0.00K,0,40.57,-91.62,40.57,-91.62,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115471,693405,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:09:00,CST-6,2017-06-14 17:17:00,0,0,0,0,0.00K,0,0.00K,0,42.51,-90.71,42.51,-90.71,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trained spotters reported numerous hail reports of 1 to 1.75 inch diameter hail across central and eastern Dubuque County, including the city of Dubuque." +119306,716409,OHIO,2017,July,Thunderstorm Wind,"GUERNSEY",2017-07-10 15:55:00,EST-5,2017-07-10 15:55:00,0,0,0,0,0.00K,0,0.00K,0,39.93,-81.46,39.93,-81.46,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Law enforcement reported trees down." +119307,716411,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BUTLER",2017-07-10 15:05:00,EST-5,2017-07-10 15:05:00,0,0,0,0,2.50K,2500,0.00K,0,40.8,-80.07,40.8,-80.07,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Trained spotter reported several trees down on little creek and Hartmon Roads." +119307,716412,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BUTLER",2017-07-10 15:05:00,EST-5,2017-07-10 15:05:00,0,0,0,0,2.50K,2500,0.00K,0,40.85,-80.06,40.85,-80.06,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","National Weather Service storm survey discovered trees and limbs down along Rabbit Road." +119307,716413,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BUTLER",2017-07-10 15:05:00,EST-5,2017-07-10 15:05:00,0,0,0,0,0.50K,500,0.00K,0,40.87,-80.14,40.87,-80.14,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","State official reported a tree down." +115604,694484,ILLINOIS,2017,June,Thunderstorm Wind,"CARROLL",2017-06-14 20:10:00,CST-6,2017-06-14 20:10:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-89.89,42.01,-89.89,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Numerous trees were blown down in town from downburst winds. Time was estimated from radar data. The initial report came from social media." +115604,694483,ILLINOIS,2017,June,Thunderstorm Wind,"BUREAU",2017-06-14 15:14:00,CST-6,2017-06-14 15:14:00,0,0,0,0,0.00K,0,0.00K,0,41.36,-89.18,41.36,-89.18,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Trees and power lines were blown down. The time was estimated from radar data." +115613,694394,IOWA,2017,June,Hail,"LINN",2017-06-15 18:32:00,CST-6,2017-06-15 18:32:00,0,0,0,0,0.00K,0,0.00K,0,42.15,-91.6,42.15,-91.6,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","This report was received through social media." +115613,694438,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-15 19:15:00,CST-6,2017-06-15 19:15:00,0,0,0,0,0.00K,0,0.00K,0,42.1632,-91.6967,42.1632,-91.6967,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Large trees limbs were reported blown down on Alice Road, between Alice and Toddville." +115613,694397,IOWA,2017,June,Hail,"BENTON",2017-06-15 19:18:00,CST-6,2017-06-15 19:18:00,0,0,0,0,0.00K,0,0.00K,0,42.22,-91.88,42.22,-91.88,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","The report was relayed from law enforcement." +117398,715823,PENNSYLVANIA,2017,July,Flash Flood,"WESTMORELAND",2017-07-28 13:15:00,EST-5,2017-07-28 15:00:00,0,0,0,0,1.00K,1000,0.00K,0,40.3,-79.37,40.3013,-79.3718,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Emergency manager reported one male stranded in vehicle on the 2000 block of Ligonier Street with flooding extending through the intersection with Highway 982." +117398,715825,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 15:48:00,EST-5,2017-07-28 19:00:00,0,0,0,0,0.50K,500,0.00K,0,40.1805,-80.2615,40.1719,-80.2459,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Emergency manager reported Tyler Ave, Sammy Agnott Way, and Main St all flooded along I-70." +117398,715827,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 16:21:00,EST-5,2017-07-28 17:00:00,0,0,0,0,2.00K,2000,0.00K,0,40.1574,-80.0306,40.1978,-80.2647,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Landslide onto I-70 east of Washington." +120816,725084,NORTH CAROLINA,2017,October,Tornado,"RUTHERFORD",2017-10-23 14:40:00,EST-5,2017-10-23 14:47:00,0,0,0,0,100.00K,100000,0.00K,0,35.182,-81.798,35.305,-81.725,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","This tornado moved into Rutherford County from Cherokee County, SC near the intersection of Camp Ferry Rd and State Line Rd. The tornado moved northeast, initially paralleling Highway 221A (just to its west). In addition to the uprooting and snapping of numerous trees, some structural damage occurred in the |Cliffside area, with windows blown out of a school while trees fell on several structures. The tornado crossed Highway 221A in the vicinity of the Broad River, then roughly paralleled Highway 120 to the Cleveland County line. Some of the most significant damage occurred in the vicinity of the intersection of Highways 120 and 74, where a camper was overturned and a man was thrown 15-20 yards with no significant injuries. Overhead doors also collapses at a warehouse building at this location." +115471,693406,IOWA,2017,June,Hail,"DUBUQUE",2017-06-14 17:12:00,CST-6,2017-06-14 17:12:00,0,0,0,0,0.00K,0,0.00K,0,42.52,-90.72,42.52,-90.72,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +117398,717041,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 23:51:00,EST-5,2017-07-29 02:00:00,0,0,0,0,0.00K,0,0.00K,0,40.498,-79.8548,40.4911,-79.861,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that Freeport Road was flooded in several locations including at the intersection of Powers Run Road and Boyd Road." +117398,717043,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-28 23:58:00,EST-5,2017-07-29 02:30:00,0,0,0,0,0.00K,0,0.00K,0,40.52,-79.84,40.4991,-79.768,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported several roads closed including Hulton Road, Ross Hollow Road, and Spring Hollow Road. Also, several baseball fields are flooded on the northwest side of Plum." +117398,717045,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-29 00:08:00,EST-5,2017-07-29 00:08:00,0,0,0,0,0.00K,0,0.00K,0,40.24,-79.95,40.2589,-79.9046,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported that Bunola River Road was flooded from Oliver Drive to Racoon Run. CSX Tracks also flooded." +115613,694405,IOWA,2017,June,Hail,"LINN",2017-06-15 19:19:00,CST-6,2017-06-15 19:19:00,0,0,0,0,0.00K,0,0.00K,0,42.1871,-91.8032,42.1871,-91.8032,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","The hail was reported along Interstate 380." +119111,715365,IOWA,2017,July,Hail,"JOHNSON",2017-07-21 16:12:00,CST-6,2017-07-21 16:12:00,0,0,0,0,0.00K,0,0.00K,0,41.57,-91.74,41.57,-91.74,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","" +119111,715366,IOWA,2017,July,Thunderstorm Wind,"JONES",2017-07-21 16:17:00,CST-6,2017-07-21 16:17:00,0,0,0,0,2.00K,2000,0.00K,0,42.01,-91.36,42.01,-91.36,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A public report was received via KCRG Facebook page of a shed damaged and leaning over." +119111,715367,IOWA,2017,July,Hail,"JOHNSON",2017-07-21 16:22:00,CST-6,2017-07-21 16:22:00,0,0,0,0,0.00K,0,0.00K,0,41.65,-91.65,41.65,-91.65,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Pictures of hail the size of quarters received via the KCRG Facebook page." +119111,715368,IOWA,2017,July,Hail,"JOHNSON",2017-07-21 16:29:00,CST-6,2017-07-21 16:29:00,0,0,0,0,0.00K,0,0.00K,0,41.66,-91.57,41.66,-91.57,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","" +119111,715369,IOWA,2017,July,Thunderstorm Wind,"CEDAR",2017-07-21 17:15:00,CST-6,2017-07-21 17:15:00,0,0,0,0,0.00K,0,0.00K,0,41.77,-91.02,41.77,-91.02,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A COOP observer estimated wind gusts up to 70 mph." +117398,715831,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-28 16:23:00,EST-5,2017-07-28 19:00:00,0,0,0,0,50.00K,50000,0.00K,0,40.1639,-80.2641,40.1674,-80.1995,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 call center reported multiple vehicles stranded on flooded roadways in Washington." +119205,717246,WEST VIRGINIA,2017,July,Flash Flood,"MARION",2017-07-29 00:49:00,EST-5,2017-07-29 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.5416,-80.3387,39.5311,-80.3233,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported multiple roads closed in and around Mannington due to flooding. Several water rescues were ongoing." +119205,717247,WEST VIRGINIA,2017,July,Flash Flood,"WETZEL",2017-07-29 01:07:00,EST-5,2017-07-29 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.6781,-80.4493,39.6744,-80.463,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 center reported that the town of Hundred is under water." +120816,725087,NORTH CAROLINA,2017,October,Tornado,"CLEVELAND",2017-10-23 14:47:00,EST-5,2017-10-23 15:02:00,0,0,0,0,100.00K,100000,0.00K,0,35.305,-81.722,35.415,-81.633,"A band of rain showers along and ahead of a strong cold front quickly intensified during the afternoon across Upstate South Carolina, then moved quickly northeast into the North Carolina foothills and far western Piedmont. Multiple severe and/or tornadic thunderstorms developed within the line, with multiple tornadoes, some of which were quite strong, reported across the area. This was the second tornado outbreak to impact the this area in just over two weeks, and for the most part, the same counties that were impacted on October 8th were once again affected on the 23rd. Meanwhile, moderate to heavy rain falling throughout the morning hours, followed by a brief period of intense rainfall associated with the band of rain showers resulted in areas of flooding and flash flooding near the eastern escarpment of the Blue Ridge.","This tornado crossed into Cleveland County from Rutherford County in the vicinity of the Highway 120/ Ellenboro Rd intersection, snapping and uprooting numerous trees as it moved northeast toward Polkville. A small frame home was shifted off its foundation on Rehobeth Church Rd near the intersection of Crowder Rdige Rd. It was also in this area that the tornado appeared to make a slight jog to the right, moving in more of a north/northeast direction toward Polkville, where trees were blown down on several homes." +112258,673670,GEORGIA,2017,January,Tornado,"TALBOT",2017-01-21 11:14:00,EST-5,2017-01-21 11:20:00,0,0,0,0,25.00K,25000,,NaN,32.8097,-84.5331,32.8525,-84.4833,"Throughout the weekend of the 21st and 22nd, persistent southwesterly upper-level flow brought a series of strong short waves across the region. The atmosphere over central Georgia was unseasonably warm and unstable with strong low and mid-level shear. The first short wave generated a wave of severe thunderstorms across central and south Georgia through the morning and into the afternoon of the 21st that produced numerous tornadoes. Twenty three tornadoes were confirmed in the WFO Peachtree City warning area with 27 total tornadoes confirmed in the state of Georgia, both records for the number of tornadoes in a single day. A second, stronger short wave swept through during the late morning and afternoon of the 22nd bringing another round of severe weather to central and south Georgia. Additional tornadoes confirmed brought the 2-day total to 27 for the WFO Peachtree City warning area and 41 for the state of Georgia, both a record number for a 2 day period.","A National Weather Service survey team found that an EF1 tornado with maximum winds of 95 MPH and a maximum path width of 300 yards began in Talbot County northeast of Woodland around Ellison Pound Road. The tornado moved northeast crossing Chalybeate Springs Road snapping and uprooting trees and destroying a small shed. The tornado continued northeast across a heavily wooded portion of Talbot County snapping or uprooting trees before crossing the Flint River into Upson County in the Sprewell Bluff State Park. The total path length of this tornado was nearly 10 miles across Talbot and Upson Counties. [01/21/17: Tornado #4, County #1/2, EF1, Talbot-Upson, 2017:005]." +119235,716389,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-06 15:02:00,EST-5,2017-07-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.35,-79.92,40.3562,-79.9063,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Emergency management reported that areas of Lebanon Church Road were flooded." +119235,716390,PENNSYLVANIA,2017,July,Flash Flood,"ALLEGHENY",2017-07-06 15:07:00,EST-5,2017-07-06 17:00:00,0,0,0,0,0.00K,0,0.00K,0,40.39,-79.94,40.388,-79.9379,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Emergency manager reported 8 inches of water running over the intersection of Baldwin and Glass Run roads." +119235,716391,PENNSYLVANIA,2017,July,Flash Flood,"WASHINGTON",2017-07-06 16:14:00,EST-5,2017-07-06 17:30:00,0,0,0,0,0.00K,0,0.00K,0,40.2538,-80.0024,40.2488,-79.9983,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Local law enforcement reported flooding at the intersection of Stonebridge Drive and Brownsville Road." +115604,694356,ILLINOIS,2017,June,Hail,"HENRY",2017-06-14 13:18:00,CST-6,2017-06-14 13:18:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-90.4,41.44,-90.4,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115604,694358,ILLINOIS,2017,June,Hail,"HENRY",2017-06-14 13:45:00,CST-6,2017-06-14 13:45:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-90.16,41.44,-90.16,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115604,694360,ILLINOIS,2017,June,Hail,"HENRY",2017-06-14 13:50:00,CST-6,2017-06-14 13:50:00,0,0,0,0,0.00K,0,0.00K,0,41.44,-90.15,41.44,-90.15,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115604,694362,ILLINOIS,2017,June,Hail,"HENRY",2017-06-14 13:51:00,CST-6,2017-06-14 13:51:00,0,0,0,0,0.00K,0,0.00K,0,41.43,-90.13,41.43,-90.13,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +115604,694363,ILLINOIS,2017,June,Hail,"HENRY",2017-06-14 14:24:00,CST-6,2017-06-14 14:24:00,0,0,0,0,0.00K,0,0.00K,0,41.33,-89.89,41.33,-89.89,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +119111,715370,IOWA,2017,July,Thunderstorm Wind,"MUSCATINE",2017-07-21 17:31:00,CST-6,2017-07-21 17:31:00,0,0,0,0,0.00K,0,0.00K,0,41.42,-91.07,41.42,-91.07,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported a few 2 to 4 inch diameter branches were down within the city of Muscatine. Also, two 5 to 8 inch diameter tree limbs were down from soft wood trees." +119111,715505,IOWA,2017,July,Thunderstorm Wind,"DUBUQUE",2017-07-21 22:30:00,CST-6,2017-07-21 22:30:00,0,0,0,0,0.00K,0,0.00K,0,42.5,-90.69,42.5,-90.69,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","Local law enforcement reported trees down in the city of Dubuque, along with some power lines." +119455,716942,OHIO,2017,July,Thunderstorm Wind,"MUSKINGUM",2017-07-22 07:12:00,EST-5,2017-07-22 07:12:00,0,0,0,0,0.50K,500,0.00K,0,39.8,-81.89,39.8,-81.89,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Law enforcement reported a tree down." +119456,716944,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MONONGALIA",2017-07-22 17:30:00,EST-5,2017-07-22 17:30:00,0,0,0,0,5.00K,5000,0.00K,0,39.51,-80,39.51,-80,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","State official reported multiple tree down on Halleck Road." +119456,716945,WEST VIRGINIA,2017,July,Thunderstorm Wind,"MONONGALIA",2017-07-22 17:27:00,EST-5,2017-07-22 17:27:00,0,0,0,0,2.50K,2500,0.00K,0,39.5361,-80.0252,39.5361,-80.0252,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Trained spotter reported trees down along Opekiska Ridge Road and I-79." +119205,717248,WEST VIRGINIA,2017,July,Flash Flood,"MONONGALIA",2017-07-29 02:08:00,EST-5,2017-07-29 05:00:00,0,0,0,0,0.00K,0,0.00K,0,39.68,-80.11,39.682,-80.1068,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported flooding on Pedlar run Road." +119205,717249,WEST VIRGINIA,2017,July,Flash Flood,"MARION",2017-07-29 02:15:00,EST-5,2017-07-29 07:15:00,0,0,0,0,0.00K,0,0.00K,0,39.4815,-80.3113,39.47,-80.3192,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local broadcast media reported that Bingamon road was flooded and impassable near the Harrison - Marion County line." +118294,710872,NEBRASKA,2017,June,Hail,"JOHNSON",2017-06-28 16:15:00,CST-6,2017-06-28 16:15:00,0,0,0,0,,NaN,,NaN,40.47,-96.16,40.47,-96.16,"During the afternoon hours of the 28th, an isolated supercell thunderstorm developed over southeast Nebraska and dropped large hail over Johnson County, NE.|These storms formed in response to a slow-moving cold front that passed through the region during the afternoon and early evening hours.","" +118354,711212,IOWA,2017,June,Hail,"MILLS",2017-06-15 17:18:00,CST-6,2017-06-15 17:18:00,0,0,0,0,,NaN,,NaN,41.02,-95.86,41.02,-95.86,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","The thunderstorm dropped mainly MAINLY 1/2-3/4 INCH with some 1 inch stones near Pacific Junction." +118354,711214,IOWA,2017,June,Hail,"PAGE",2017-06-15 18:10:00,CST-6,2017-06-15 18:10:00,0,0,0,0,,NaN,,NaN,40.74,-95.34,40.74,-95.34,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","Hailstones from this storm ranged from dime sized to golf ball sized." +114810,691754,TEXAS,2017,April,Hail,"LEON",2017-04-02 06:40:00,CST-6,2017-04-02 06:40:00,0,0,0,0,2.00K,2000,0.00K,0,31.15,-95.97,31.15,-95.97,"An upper low moved east out of New Mexico towards the Southern Plains, generating a round of showers and thunderstorms late Saturday night through Sunday morning. Hail was the primary severe weather outcome, though there were also a few reports of wind damage and flooding.","One inch hail was reported in Leona." +112357,673385,FLORIDA,2017,January,Thunderstorm Wind,"WAKULLA",2017-01-22 15:10:00,EST-5,2017-01-22 15:10:00,0,0,0,0,0.00K,0,0.00K,0,30.0912,-84.3857,30.0912,-84.3857,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","The left hand, southbound lane of U.S. Highway 98 was closed due to trees down." +112358,673405,GEORGIA,2017,January,Flash Flood,"DOUGHERTY",2017-01-22 00:45:00,EST-5,2017-01-22 04:30:00,0,0,0,0,0.00K,0,0.00K,0,31.599,-84.17,31.5905,-84.194,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Seven streets were reported to be flooded in the Albany area due to heavy rainfall falling in less than a 6 hour period." +113553,696057,SOUTH CAROLINA,2017,April,Thunderstorm Wind,"RICHLAND",2017-04-05 13:46:00,EST-5,2017-04-05 13:50:00,0,0,0,0,,NaN,,NaN,33.94,-80.9,33.94,-80.9,"With a mean upper trough axis to our west, a lead impulse moved through our region in a SW flow aloft Wednesday. At the surface, a stationary front was stretched across central SC/GA, with a cold front to our west, that came through late Wednesday night. Upper energy, diurnal heating, strong low to mid level jets, and the surface front, contributed to moderate to strong instabilities, along with strong shear. This produced severe thunderstorm activity, including a few tornadoes, along with numerous reports of strong damaging straight-line wind gusts and large hail. In addition, training cells in a moisture-rich environment, contributed to locally heavy rainfall and flash flooding in a few locations.","Power lines reported down at Garners Ferry and Trotter Rd." +116520,703348,ILLINOIS,2017,May,Tornado,"HENRY",2017-05-17 19:07:00,CST-6,2017-05-17 19:09:00,0,0,0,0,15.00K,15000,0.00K,0,41.307,-90.4334,41.3329,-90.4032,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","Tornado was rated a higher end EF-1 with peak winds 105 mph, a path length of 2.38 miles with a max path width of 150 yards. This higher end EF-1 tornado caused damage to numerous farm outbuildings, a few homes and trees across Mercer and Henry counties. One house partially lost a roof while another was impelled by flying debris. Approximately 30 to 40 trees were snapped at the trunks, a couple of dozen were uprooted, with about 50 trees experiencing limb damage. This tornado is a continuation of the tornado that touched down in Mercer county." +119235,716392,PENNSYLVANIA,2017,July,Flash Flood,"BEAVER",2017-07-06 16:46:00,EST-5,2017-07-06 17:46:00,0,0,0,0,0.00K,0,0.00K,0,40.59,-80.26,40.5841,-80.2595,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Local fire department responded to a water rescue at the shopping center in Hopewell." +119235,716393,PENNSYLVANIA,2017,July,Flood,"BUTLER",2017-07-06 16:15:00,EST-5,2017-07-06 18:15:00,0,0,0,0,0.00K,0,0.00K,0,40.7783,-80.0115,40.7878,-80.0153,"Slow-moving thunderstorms with heavy rain developed along a stalled boundary across the upper Ohio Valley on the 5th through the 6th. A very warm and moist conditions supported heavy rainfall rates that lead to flooding in several counties across the region. The worst, was the city of Butler, in Pennsylvania as a storm remained nearly stationary of the city for almost 2 hours. Multiple water rescues took place across the city, with water several feet high in places.","Member of the public reported high water running over Spithaler School Road." +117398,716294,PENNSYLVANIA,2017,July,Flash Flood,"BEAVER",2017-07-28 21:59:00,EST-5,2017-07-29 00:00:00,0,0,0,0,10.00K,10000,0.00K,0,40.59,-80.26,40.5881,-80.2584,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported vehicle stuck in the water on Broadhead Rd." +117398,716295,PENNSYLVANIA,2017,July,Flash Flood,"BEAVER",2017-07-28 22:08:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.58,-80.27,40.5876,-80.2604,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Laird Rd closed due to flooding." +115604,694365,ILLINOIS,2017,June,Hail,"PUTNAM",2017-06-14 14:48:00,CST-6,2017-06-14 14:48:00,0,0,0,0,0.00K,0,0.00K,0,41.21,-89.46,41.21,-89.46,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","" +119097,715241,IOWA,2017,July,Hail,"DELAWARE",2017-07-05 19:04:00,CST-6,2017-07-05 19:04:00,0,0,0,0,0.00K,0,0.00K,0,42.58,-91.55,42.58,-91.55,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","A public report was received of hail between 0.50 up to 1.0 inch in diameter. This report was relayed by the county emergency manager." +119097,715244,IOWA,2017,July,Thunderstorm Wind,"JONES",2017-07-05 19:55:00,CST-6,2017-07-05 19:55:00,0,0,0,0,0.00K,0,0.00K,0,42.23,-91.17,42.23,-91.17,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","This wind gust was measured by the Monticello AWOS site." +119097,715247,IOWA,2017,July,Hail,"LINN",2017-07-05 20:42:00,CST-6,2017-07-05 20:42:00,0,0,0,0,0.00K,0,0.00K,0,42.08,-91.67,42.08,-91.67,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","" +119097,715248,IOWA,2017,July,Thunderstorm Wind,"LINN",2017-07-05 21:00:00,CST-6,2017-07-05 21:00:00,0,0,0,0,0.00K,0,0.00K,0,42.04,-91.77,42.04,-91.77,"A passing disturbance combined with afternoon heating to fire afternoon and early evening thunderstorms with some storms becoming severe. Several reports of damaging winds over 60 mph were reported along with a couple of large hail events.","Local law enforcement reported large tree branches down on power lines near the intersection of Covington Road and Lone Tree Road." +119099,715262,IOWA,2017,July,Hail,"WASHINGTON",2017-07-10 04:08:00,CST-6,2017-07-10 04:08:00,0,0,0,0,0.00K,0,0.00K,0,41.4,-91.69,41.4,-91.69,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","" +119456,716947,WEST VIRGINIA,2017,July,Flood,"MONONGALIA",2017-07-23 06:30:00,EST-5,2017-07-23 07:30:00,0,0,0,0,0.00K,0,0.00K,0,39.4943,-79.9712,39.5214,-79.9903,"A series of convective systems moving through the Ohio Valley on the 22nd, produced sporatic wind damage across the region with modest instability and high shear in place. The first MCS went through in the morning hours, limiting it's intensity somewhat and helped stabilize northwestern Pennsylvania, but the second system approached late enough, across northern West Virginia, to remain strong enough to produce some wind damage.","Local 911 call center reported flooding of several homes on Halleck Road." +119457,716986,PENNSYLVANIA,2017,July,Flash Flood,"BUTLER",2017-07-23 20:00:00,EST-5,2017-07-23 22:00:00,0,0,0,0,0.00K,0,0.00K,0,41.14,-79.7,41.133,-79.6929,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","State official reported road flooding on Route 58 and a hillside washed out." +119457,716987,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-23 20:40:00,EST-5,2017-07-23 22:30:00,0,0,0,0,0.00K,0,0.00K,0,40.0586,-79.5606,40.0828,-79.5441,"A quasi-stationary front and upper level divergence became the focus for showers and thunderstorms across the region late on the 23rd through the early morning hours of the 24th. Outflow from those storms lead to a propagation and training of storms across and around Interstates 70 and 80.","Social media reported Route 982 was under water in Bullskin Township." +117398,717236,PENNSYLVANIA,2017,July,Flood,"FAYETTE",2017-07-29 06:00:00,EST-5,2017-07-29 12:00:00,0,0,0,0,0.00K,0,0.00K,0,39.83,-79.75,39.8196,-79.7312,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","State official reported ongoing flooding in Georges Township near Fairchance. Many roads are closed in the area." +118354,711217,IOWA,2017,June,Hail,"PAGE",2017-06-15 18:10:00,CST-6,2017-06-15 18:10:00,0,0,0,0,,NaN,,NaN,40.76,-95.37,40.76,-95.37,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711220,IOWA,2017,June,Hail,"PAGE",2017-06-15 18:14:00,CST-6,2017-06-15 18:14:00,0,0,0,0,,NaN,,NaN,40.76,-95.37,40.76,-95.37,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711270,IOWA,2017,June,Hail,"PAGE",2017-06-15 18:16:00,CST-6,2017-06-15 18:16:00,0,0,0,0,,NaN,,NaN,40.76,-95.37,40.76,-95.37,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","A trained storm spotter reported ping-pong ball size hail as well as baseball size hail." +118354,711271,IOWA,2017,June,Hail,"PAGE",2017-06-15 18:20:00,CST-6,2017-06-15 18:20:00,0,0,0,0,,NaN,,NaN,40.76,-95.37,40.76,-95.37,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +118354,711272,IOWA,2017,June,Hail,"FREMONT",2017-06-15 18:58:00,CST-6,2017-06-15 18:58:00,0,0,0,0,,NaN,,NaN,40.84,-95.8,40.84,-95.8,"Several isolated thunderstorms developed along a northeast-southwest orientated front and produced large hail during the late afternoon and early evening across southwest Iowa into southeast Nebraska. Some of the hailstones were as large as baseballs from this event.","" +119102,715323,IOWA,2017,July,Thunderstorm Wind,"CEDAR",2017-07-12 18:48:00,CST-6,2017-07-12 18:48:00,0,0,0,0,0.00K,0,0.00K,0,41.9,-91.25,41.9,-91.25,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","This report from local law enforcement is the measured high gust from a local wind sensor." +112358,673428,GEORGIA,2017,January,Thunderstorm Wind,"TURNER",2017-01-21 13:08:00,EST-5,2017-01-21 13:08:00,0,0,0,0,0.00K,0,0.00K,0,31.7,-83.65,31.7,-83.65,"A multi-day severe weather event struck the southeast January 21-22, 2017 with three rounds of severe weather moving through the area. The first round of severe weather started during the mid-morning hours on Saturday, January 21, 2017 as a squall line pushed into southeast Alabama and the Florida panhandle. As it pushed eastward nine warnings were issued with a total of 18 damaging wind reports (trees and power lines downed) related to these storms. ||After a brief lull during Saturday evening as the aforementioned squall line washed out near the Gulf Coast, strong southerly flow returned late Saturday night as a warm front pushed northward across the Florida Big Bend and southern Georgia. Initially with this late Saturday night to early Sunday morning event, a strong supercell moved across southern Georgia producing a tornado that moved across Thomas and northern Brooks Counties. This was the first tornado across the area with this multi- day event. From the same supercell that produced the tornado in Thomas and northern Brooks Counties, another tornado developed that tracked across Brooks, Berrien and Cook Counties and this tornado resulted in 11 fatalities. This overnight into early Sunday morning event produced one more tornado, an EF-1 that struck Lowndes County. ||A final round of severe weather moved through Sunday afternoon as a warm front continued to push northward into southeast Alabama and southern Georgia while the main low and trailing cold front pushed eastward across the Florida panhandle and offshore regions. This afternoon round of supercells first produced a tornado in Henry County, AL. An hour and a half after the Henry County tornado, two more tornadoes developed, an EF-2 that struck Clay, Randolph and Calhoun Counties (Georgia) and an EF-1 tornado that hit Franklin County, FL. After this, a long tracked tornado (track length of more than 70 miles) moved across Albany (Dougherty County) and into Worth and Turner Counties, causing extensive damage and five fatalities. ||Overall this multi-day event resulted in seven tornadoes, 16 deaths and numerous injuries. Three days of damage surveys were conducted to rate the tornadoes on the Enhanced Fujita scale.","Multiple trees were blown down and a small trampoline was tangled in power lines in Ashburn." +116573,701244,VIRGINIA,2017,May,Heavy Rain,"BEDFORD",2017-05-24 07:00:00,EST-5,2017-05-25 07:00:00,0,0,0,0,0.00K,0,0.00K,0,37.54,-79.4,37.54,-79.4,"Rainfall was moderate to heavy across much of south central and southwest Virginia from May 23-25. Storm total rain amounts ranged widely, from 1 to 6+ inches. Rainfall rates were not particularly high through most of the event but the continuous nature of the rains eventually led to flooding. All of the river flooding was in the minor category and several non-forecast points also rose above flood stage including Dunlap Creek (DLPV2) in Alleghany County, VA, Craig Creek Route 614 (CCIV2) in Craig County, Johns Creek at New Castle (JCRV2), Cowpasture River near Clifton Forge (COWV2), Kerrs Creek near Lexington IFLOWS (KCKV2) and the New River at Allisonia (ALSV2). Despite the fact that the gaged locations indicated mainly minor flooding, several county emergency officials reported many instances of substantially worse flooding. The most significant reports came out of Pulaski, Wythe, Grayson, and Carroll counties in VA.","The COOP observer at Big Island (BGIV2) measured 3.27 inches for 24-hours ending at 07:00 EST. This is the highest 1-day rainfall in the month of May at this site, the old record was 2.80 inches set May 30, 1971. Records date back to 1960 at this site." +116892,702860,IOWA,2017,May,Hail,"JOHNSON",2017-05-17 18:48:00,CST-6,2017-05-17 18:48:00,0,0,0,0,0.00K,0,0.00K,0,41.55,-91.53,41.55,-91.53,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","The spotter reported hail the size of peas to pennies." +116892,702862,IOWA,2017,May,Hail,"HENRY",2017-05-17 18:37:00,CST-6,2017-05-17 18:37:00,0,0,0,0,0.00K,0,0.00K,0,40.98,-91.64,40.98,-91.64,"A fast moving complex of severe thunderstorms developed and tracked over much of eastern Iowa, northwest Illinois, and northeast Missouri, as an area of low pressure lifted northeast into northwest Iowa. Widespread damaging winds, large hail, frequent lightning, and a few brief tornadoes were reported.","" +117398,716296,PENNSYLVANIA,2017,July,Flash Flood,"BEAVER",2017-07-28 22:15:00,EST-5,2017-07-29 00:00:00,0,0,0,0,0.00K,0,0.00K,0,40.6,-80.3,40.6137,-80.2998,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported Trampmill Run out of its banks and flooding several roads near it." +115471,693407,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-14 04:50:00,CST-6,2017-06-14 04:50:00,0,0,0,0,0.00K,0,0.00K,0,42.05,-91.55,42.05,-91.55,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A semi was blown over on Highway 13 from thunderstorm outflow winds. The time was estimated from radar data." +115471,693408,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-14 05:00:00,CST-6,2017-06-14 05:00:00,0,0,0,0,0.00K,0,0.00K,0,42.01,-91.65,42.01,-91.65,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","A 8 to 10 inch diameter tree snapped at base. The time was estimated from radar data." +115471,693409,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-14 04:40:00,CST-6,2017-06-14 04:40:00,0,0,0,0,0.00K,0,0.00K,0,41.98,-91.63,41.98,-91.63,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Small limbs were reported blown down." +119099,715274,IOWA,2017,July,Thunderstorm Wind,"WASHINGTON",2017-07-11 05:06:00,CST-6,2017-07-11 05:06:00,0,0,0,0,0.00K,0,0.00K,0,41.47,-91.84,41.47,-91.84,"A stalled boundary produced a couple of rounds of severe storms with very heavy rain producing flash flooding, several reports of damaging winds of 60 to 70 mph, and isolated, large hail in the afternoon and lasting into the overnight hours.","A local state official reported a tree limb down and was laying across the road in Wellman." +119106,715333,IOWA,2017,July,Thunderstorm Wind,"LOUISA",2017-07-18 17:18:00,CST-6,2017-07-18 17:18:00,0,0,0,0,0.00K,0,0.00K,0,41.18,-91.19,41.18,-91.19,"A warm front combined with afternoon heating produced thunderstorms with one storm becoming severe with damaging winds.","A public report was received of large partially rotten tree branches down accompanied by pictures received by social media." +119108,715337,IOWA,2017,July,Thunderstorm Wind,"DELAWARE",2017-07-19 17:10:00,CST-6,2017-07-19 17:10:00,0,0,0,0,0.00K,0,0.00K,0,42.64,-91.4,42.64,-91.4,"Hot and humid conditions combined with afternoon heating produced thunderstorms with some becoming severe with damaging winds of around 60 mph.","A trained spotter reported a large tree branch was blown down." +119307,716414,PENNSYLVANIA,2017,July,Thunderstorm Wind,"BUTLER",2017-07-10 15:10:00,EST-5,2017-07-10 15:10:00,0,0,0,0,1.00K,1000,0.00K,0,40.77,-80.06,40.77,-80.06,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","Member of social media reported two trees down." +119307,716415,PENNSYLVANIA,2017,July,Thunderstorm Wind,"ALLEGHENY",2017-07-10 15:30:00,EST-5,2017-07-10 15:30:00,0,0,0,0,1.00K,1000,0.00K,0,40.6564,-79.8819,40.6564,-79.8819,"Shortwave digging through an upper trough helped to develop two convective systems that crossed the upper Ohio Valley on the 10th. Moderate instability and shear provided for intensification of the second system over central and eastern Ohio but both produced scattered reports of wind damage. An EF-0 tornado was also confirmed in Beaver county, Pennsylvania that then continued into Butler county.","NWS Employee reported a 60-70 foot pine tree with a diameter of 20 feet was snapped a couple of feet off the ground." +119308,716416,OHIO,2017,July,Thunderstorm Wind,"CARROLL",2017-07-11 15:38:00,EST-5,2017-07-11 15:38:00,0,0,0,0,2.50K,2500,0.00K,0,40.62,-80.97,40.62,-80.97,"Shortwave and embedded MCV became the focus for showers and thunderstorms, especially along an area of weak convergence/boundary over western Pennsylvania, northern West Virginia, and southeastern Ohio on the 11th. A few storms became severe, with an EF-0 tornado confirmed near Rimersburg in Clarion County, PA.","State official reported multiple trees down." +117398,717237,PENNSYLVANIA,2017,July,Flood,"FAYETTE",2017-07-29 11:11:00,EST-5,2017-07-29 13:11:00,0,0,0,0,0.00K,0,0.00K,0,39.8892,-79.4954,39.8729,-79.4586,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","The public reported numerous roads flooded in and around the Ohiopyle area." +119205,715864,WEST VIRGINIA,2017,July,Flash Flood,"BROOKE",2017-07-28 21:48:00,EST-5,2017-07-29 04:00:00,0,0,0,0,0.00K,0,0.00K,0,40.2054,-80.5472,40.2012,-80.537,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Route 67 closed and covered with water." +115613,694443,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-15 19:39:00,CST-6,2017-06-15 19:39:00,0,0,0,0,0.00K,0,0.00K,0,42.03,-91.59,42.03,-91.59,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","A large tree was blown down." +115613,694439,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-15 19:43:00,CST-6,2017-06-15 19:43:00,0,0,0,0,0.00K,0,0.00K,0,42.0305,-91.5508,42.0305,-91.5508,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Estimated winds of 60 to 70 mph brought branches down at the intersection of Highways 13 and 151." +115613,694442,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-15 19:50:00,CST-6,2017-06-15 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.95,-91.64,41.95,-91.64,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","An 18 inch diameter tree was blown down." +119102,715997,IOWA,2017,July,Tornado,"IOWA",2017-07-11 16:35:00,CST-6,2017-07-11 16:54:00,0,0,0,0,1.00K,1000,0.00K,0,41.6977,-91.9896,41.7555,-91.9456,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Tornado was rated an EF-1 with peak winds of 105 mph, a path length of 4.58 miles, with a max width of 60 yards. The tornado produced damage to mainly trees and crops with two houses also sustaining damage to windows." +119102,716149,IOWA,2017,July,Flash Flood,"DUBUQUE",2017-07-12 00:14:00,CST-6,2017-07-12 03:14:00,0,0,0,0,0.00K,0,0.00K,0,42.5511,-90.7656,42.4813,-90.7629,"A stalled boundary produced rounds of severe storms with very heavy rain, numerous reports of damaging winds of 60 to 75 mph, several large hail events, and a brief tornado. This event started in the afternoon and lasted into the evening hours and overnight.","Local law enforcement reported several roads impassable and closed due to high water in the city of Dubuque." +119111,716173,IOWA,2017,July,Flood,"BUCHANAN",2017-07-22 08:15:00,CST-6,2017-07-23 11:15:00,0,0,0,0,5.00K,5000,0.00K,0,42.6488,-92.0513,42.635,-92.0581,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The local COOP observer reported sandbagging at Costas and Johns Trucks. Many roads were impassable due to the 10 plus inches of rain which was reported to have fallen upstream." +119396,716670,ILLINOIS,2017,July,Flood,"ROCK ISLAND",2017-07-23 14:00:00,CST-6,2017-07-31 01:45:00,0,0,0,0,100.00K,100000,10.00K,10000,41.55,-90.22,41.5303,-90.2914,"Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline.","Heavy rainfall of 3 to over 12 inches over significant areas from 20 to 22 July in southern Wisconsin and Northern Illinois moved downstream causing the Rock River to rise well above major flood stage levels just downstream of Freeport down to the Mississippi at Moline. ||Joslin rose above major flood stage level of 16.5 feet on July 23rd, 2017 at approximately 2 PM CST. It crested around 18.3 feet at approximately 500 AM CST on July 25th, 2017 and fell below 16.5 feet at approximately 145 AM CST on July 31st, 2017." +115727,695496,ALABAMA,2017,April,Tornado,"BARBOUR",2017-04-27 16:59:00,CST-6,2017-04-27 17:03:00,3,0,0,0,0.00K,0,0.00K,0,31.8694,-85.4566,31.8806,-85.4392,"A pre-frontal trough moved into Central Alabama on Tuesday night, April 26th. This boundary slowly pushed southward and was accompanied by some showers and thunderstorms. The east to west boundary drifted into south central Alabama on the morning of April 27th. The combination of shear, lift along the boundary, increased low level moisture and instability produced by insolation was just enough to spin up a few weak tornadoes.","NWS Meteorologists surveyed damage in central Barbour County and determined the damage was consistent with an EF0 tornado, with maximum sustained winds of 85 mph. The tornado touched down in the Clayton City Limits along Highway 30, just east of Mill Drum Place. The tornado tracked northeast and uprooted a few trees on Clayton Street and Midway Street. One of these large trees landed on a mobile home. One adult and two children were injured at this location on Midway Street. The tornado continued northeast and went through the eastern part of Clayton. Several trees were uprooted and several structures suffered minor damage or trees landed on them. The tornado lifted at Oak Avenue just before Browder Street." +113396,678494,TEXAS,2017,March,High Wind,"GUADALUPE MOUNTAINS OF CULBERSON COUNTY",2017-03-31 12:51:00,MST-7,2017-03-31 18:00:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"An approaching upper trough resulted in high winds in the Guadalupe Mountains.","" +115471,693410,IOWA,2017,June,Thunderstorm Wind,"LINN",2017-06-14 04:55:00,CST-6,2017-06-14 04:55:00,0,0,0,0,0.00K,0,0.00K,0,41.97,-91.67,41.97,-91.67,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","The public reported several trees snapped in half between 19th street and Blairs Ferry road. The time was estimated from radar data." +115471,693411,IOWA,2017,June,Thunderstorm Wind,"IOWA",2017-06-14 04:20:00,CST-6,2017-06-14 04:20:00,0,0,0,0,0.00K,0,0.00K,0,41.8,-92.07,41.8,-92.07,"A hot a humid air mass led to scattered thunderstorms the morning and afternoon of June 14th, 2017. The scattered thunderstorms brought heavy rain rates, and spotty severe weather reports across eastern Iowa, northwest Illinois, and northeast Missouri. The most significant severe weather occurred late in the afternoon, as storms moved east across Bureau and Putnam Counties into La Salle County.","Wind gusts were estimated to be 60 to 65 mph on the gust front of the storm, and this downed multiple trees in town. One tree fell onto power lines causing the pole to snap. Time estimated from radar data." +119309,716417,PENNSYLVANIA,2017,July,Thunderstorm Wind,"ALLEGHENY",2017-07-11 16:16:00,EST-5,2017-07-11 16:16:00,0,0,0,0,2.00K,2000,0.00K,0,40.45,-80.25,40.45,-80.25,"Shortwave and embedded MCV became the focus for showers and thunderstorms, especially along an area of weak convergence/boundary over western Pennsylvania, northern West Virginia, and southeastern Ohio on the 11th. A few storms became severe, with an EF-0 tornado confirmed near Rimersburg in Clarion County, PA.","NWS Employee reported 2 large trees and several large branches down." +119429,716745,OHIO,2017,July,Flood,"MUSKINGUM",2017-07-13 13:00:00,EST-5,2017-07-13 15:00:00,0,0,0,0,0.00K,0,0.00K,0,39.9139,-82.0695,39.9079,-82.0619,"Area of convergence behind a departing shortwave provided the focus for thunderstorms with heavy rain over eastern Ohio. Over an inch of rain fell in a short time, leading to some rapid rises on smaller creeks and streams in Muskingum county. Minor flooding was reported in rural areas of the county outside of Zanesville.","Broadcast media reported flooded roadways south of Zanesville, OH." +119310,716759,PENNSYLVANIA,2017,July,Flash Flood,"INDIANA",2017-07-14 02:24:00,EST-5,2017-07-14 07:30:00,0,0,0,0,0.00K,0,0.00K,0,40.62,-79.17,40.627,-79.168,"Showers and thunderstorms, some of which produced heavy rain, developed along an advancing shortwave in zonal flow aloft early on the 14th. Training of these storms over Fayette and Indiana counties in Pennsylvania resulted in some reports of flash flooding, as local creeks and streams rose rapidly.","Emergency manager and social media reported flooding in several areas around Indiana including Philadelphia Street and Wayne Ave south of IUP campus." +117398,717047,PENNSYLVANIA,2017,July,Heavy Rain,"ALLEGHENY",2017-07-28 19:24:00,EST-5,2017-07-28 19:54:00,0,0,0,0,0.00K,0,0.00K,0,40.41,-80.09,40.41,-80.09,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Trained spotter reported in 30 minutes." +115613,694448,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 21:00:00,CST-6,2017-06-15 21:00:00,0,0,0,0,0.00K,0,0.00K,0,41.6,-90.65,41.6,-90.65,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Winds were measured by Iowa DOT RWIS at I-80 and I-280 interchange." +115613,694450,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 21:15:00,CST-6,2017-06-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.5714,-90.4683,41.5714,-90.4683,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Numerous reports and photos of a large tree branch blown down and as well as reports of trees blown down over much of Bettendorf. Reports were relayed through social media." +115613,694451,IOWA,2017,June,Thunderstorm Wind,"SCOTT",2017-06-15 21:15:00,CST-6,2017-06-15 21:15:00,0,0,0,0,0.00K,0,0.00K,0,41.56,-90.49,41.56,-90.49,"After an early morning round of dissipating thunderstorms that brought gusty winds, late afternoon storms formed over eastern Iowa and northwest Illinois. These storms produced numerous hail reports, and eventually produced damaging winds in the late evening hours as they moved into Illinois.","Wind gusts of 65 TO 70 mph were reported, with several 3 to 4 inch limbs blown down." +119111,716156,IOWA,2017,July,Flash Flood,"JOHNSON",2017-07-21 16:50:00,CST-6,2017-07-21 19:50:00,0,0,0,0,0.00K,0,0.00K,0,41.6568,-91.5398,41.6637,-91.5875,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","A trained spotter reported several inches of water flowing over the road with manhole covers blown out." +119111,716157,IOWA,2017,July,Flash Flood,"JOHNSON",2017-07-21 17:05:00,CST-6,2017-07-21 20:05:00,0,0,0,0,0.00K,0,0.00K,0,41.6781,-91.5614,41.6473,-91.5621,"Another round of convective storms fired along a stalled boundary and lasted overnight resulting in a major heavy rain and flooding event from 3 to over 8 inches of rain falling. Some storms become severe with damaging winds over 60 mph and isolated large hail.","The county emergency manager reported a few cars stalled in several inches of ponding water on streets in town." +117398,715844,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-28 17:10:00,EST-5,2017-07-29 05:00:00,0,0,0,0,60.00K,60000,0.00K,0,39.8998,-79.7412,39.9132,-79.7256,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Local 911 reported multiple streets flooded with SUVs up to their grills in water." +117398,715845,PENNSYLVANIA,2017,July,Flash Flood,"GREENE",2017-07-28 17:41:00,EST-5,2017-07-28 23:00:00,0,0,0,0,1.00K,1000,0.00K,0,39.93,-80,39.9316,-79.9949,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","Mudslide onto 355 Crucible Rd." +117398,715848,PENNSYLVANIA,2017,July,Flash Flood,"FAYETTE",2017-07-28 17:59:00,EST-5,2017-07-28 20:00:00,0,0,0,0,20.00K,20000,0.00K,0,39.8417,-79.6108,39.841,-79.6126,"Unusually strong upper low for July dropped from the Great Lakes into western PA. A trowal/deformation zone set up over most of the area outside of southeast Ohio, producing torrential rainfall. Storm totals of 2 to 5 inches were common, with isolated higher totals over West Virginia. Hardest hit areas included Washington County, PA and Marion County, WV. Wheeling and Hundred WV also had major issues. Several water rescues took place in the aforementioned counties with disaster declarations in the city of Uniontown in Fayette county, PA and a federal disaster declaration in for most of northern West Virginia. Damage estimates for West Virginia alone approached $6 million dollars.","The public reported cars becoming submerged into flood water in front of the Stone House Inn Restaurant." +113193,677943,SOUTH CAROLINA,2017,January,Winter Weather,"LANCASTER",2017-01-07 04:30:00,EST-5,2017-01-07 11:15:00,0,0,0,0,0.00K,0,0.00K,0,NaN,NaN,NaN,NaN,"Low pressure tracking across the FL Panhandle enhanced moisture that was lifted up and over a cold polar airmass entrenched in the Midlands. This pattern increased potential for winter weather and travel hazards across the Northern and Central Midlands of SC.","Lancaster County EM reported up to 1 inch of snow accumulation in the northern tip of the county near Indian Land, SC. Other amounts ranging from 1/4 inch to a dusting in the remainder of the county. A few small trees and power lines were down at various locations. The Highway 5 bridge to York County required DOT treatment to remain passable." diff --git a/images/DA Projects/harley1.png b/images/DA Projects/harley1.png new file mode 100644 index 0000000000000000000000000000000000000000..06232367e20c8e0d31c415bf1bcc6fc88f6b4cf6 Binary files /dev/null and b/images/DA Projects/harley1.png differ diff --git a/images/DA Projects/harley2.png b/images/DA Projects/harley2.png new file mode 100644 index 0000000000000000000000000000000000000000..a4f88580f94df33627366535d340375b3d99d417 Binary files /dev/null and b/images/DA Projects/harley2.png differ diff --git a/images/DA Projects/harley3.png b/images/DA Projects/harley3.png new file mode 100644 index 0000000000000000000000000000000000000000..07f5c5786acab48662380e24c63c99405e6a8013 Binary files /dev/null and b/images/DA Projects/harley3.png differ diff --git a/images/DA Projects/harley4.png b/images/DA Projects/harley4.png new file mode 100644 index 0000000000000000000000000000000000000000..cbc4b1119945ece0604dfce2b98ddf9913444899 Binary files /dev/null and b/images/DA Projects/harley4.png differ